diff --git a/.editorconfig b/.editorconfig
new file mode 100644
index 0000000..2a2965e
--- /dev/null
+++ b/.editorconfig
@@ -0,0 +1,28 @@
+# https://editorconfig.org
+
+root = true
+
+[*]
+charset = utf-8
+indent_style = space
+indent_size = 2
+end_of_line = lf
+insert_final_newline = true
+trim_trailing_whitespace = true
+# @link https://youtrack.jetbrains.com/issue/WEB-21157#focus=streamItem-27-3617910.0-0
+quote_type = single
+
+# special for webstorm
+ij_coffeescript_use_double_quotes = false
+ij_css_use_double_quotes = false
+ij_javascript_use_double_quotes = false
+ij_less_use_double_quotes = false
+ij_sass_use_double_quotes = false
+ij_scss_use_double_quotes = false
+ij_stylus_use_double_quotes = false
+ij_typescript_use_double_quotes = false
+
+
+[*.md]
+insert_final_newline = false
+trim_trailing_whitespace = false
diff --git a/.eslintignore b/.eslintignore
new file mode 100644
index 0000000..673b87b
--- /dev/null
+++ b/.eslintignore
@@ -0,0 +1,9 @@
+node_modules
+dist
+package-lock.json
+!.*
+auto-imports.d.ts
+components.d.ts
+stats.html
+vite-plugin-monaco-editor-nls
+pnpm-lock.yaml
diff --git a/.eslintrc.cjs b/.eslintrc.cjs
index 751cf46..6680271 100644
--- a/.eslintrc.cjs
+++ b/.eslintrc.cjs
@@ -1,18 +1,21 @@
-/* eslint-env node */
-require("@rushstack/eslint-patch/modern-module-resolution");
-
+/** @type {import("eslint-define-config").EslintConfig} */
module.exports = {
root: true,
- env: {
- node: true,
- browser: true,
- commonjs: true,
- amd: true,
- },
- extends: [
- "plugin:vue/vue3-essential",
- "eslint:recommended",
- "@vue/eslint-config-typescript/recommended",
- "@vue/eslint-config-prettier",
+ extends: ['@element-plus/eslint-config'],
+ overrides: [
+ {
+ files: ['**/*.md/*.js', '**/*.md/*.ts'],
+ rules: {
+ 'no-alert': 'off',
+ 'no-console': 'off',
+ 'import/no-unresolved': 'off',
+ '@typescript-eslint/no-unused-vars': 'off',
+ },
+ },
],
-};
+ rules: {
+ 'no-console': ['warn', { allow: ['warn', 'error'] }],
+ '@typescript-eslint/no-unused-vars': 'off',
+ 'vue/one-component-per-file': 'off',
+ },
+}
diff --git a/.github/workflows/deploy-docs.yml b/.github/workflows/deploy-docs.yml
new file mode 100644
index 0000000..bda05d0
--- /dev/null
+++ b/.github/workflows/deploy-docs.yml
@@ -0,0 +1,54 @@
+# This workflow will do a clean installation of node dependencies, cache/restore them, build the source code and run tests across different versions of node
+# For more information see: https://help.github.com/actions/language-and-framework-guides/using-nodejs-with-github-actions
+
+name: Deploy Docs
+
+on:
+ push:
+ branches: ['main']
+
+jobs:
+ build:
+ runs-on: ubuntu-latest
+
+ strategy:
+ matrix:
+ node-version: [16.x]
+ # See supported Node.js release schedule at https://nodejs.org/en/about/releases/
+
+ steps:
+ - name: Cancel Previous Workflow Runs
+ uses: n1hility/cancel-previous-runs@v2.0
+ with:
+ token: ${{ secrets.GITHUB_TOKEN }}
+
+ - name: Checkout
+ uses: actions/checkout@v3
+ with:
+ ref: main
+
+ - name: Setup pnpm
+ uses: pnpm/action-setup@v2
+
+ - name: Setup node
+ uses: actions/setup-node@v3
+ with:
+ node-version: ${{ matrix.node-version }}
+ registry-url: https://registry.npmjs.com/
+ cache: 'pnpm'
+
+ - name: Install dependencies
+ run: pnpm i --frozen-lockfile
+
+ - name: Build
+ run: pnpm run build:docs
+
+ - name: Deploy to Doc Repository
+ uses: JamesIves/github-pages-deploy-action@v4.4.0
+ with:
+ token: ${{ secrets.DEPLOY_DOCS_COW_LOW_CODE }}
+ branch: main
+ folder: docs/.vitepress/dist
+ repository-name: Cow-Coder/docs-cow-low-code
+ git-config-name: github-actions[bot]
+ git-config-email: github-actions[bot]@users.noreply.github.com
diff --git a/.github/workflows/deploy-editor.yml b/.github/workflows/deploy-editor.yml
new file mode 100644
index 0000000..0177701
--- /dev/null
+++ b/.github/workflows/deploy-editor.yml
@@ -0,0 +1,52 @@
+# This workflow will do a clean installation of node dependencies, cache/restore them, build the source code and run tests across different versions of node
+# For more information see: https://help.github.com/actions/language-and-framework-guides/using-nodejs-with-github-actions
+
+name: Deploy Editor
+
+on:
+ push:
+ branches: ['main']
+
+jobs:
+ build:
+ runs-on: ubuntu-latest
+
+ strategy:
+ matrix:
+ node-version: [16.x]
+ # See supported Node.js release schedule at https://nodejs.org/en/about/releases/
+
+ steps:
+ - name: Cancel Previous Workflow Runs
+ uses: n1hility/cancel-previous-runs@v2.0
+ with:
+ token: ${{ secrets.GITHUB_TOKEN }}
+
+ - name: Checkout
+ uses: actions/checkout@v3
+ with:
+ ref: main
+
+ - name: Setup pnpm
+ uses: pnpm/action-setup@v2
+
+ - name: Setup node
+ uses: actions/setup-node@v3
+ with:
+ node-version: ${{ matrix.node-version }}
+ registry-url: https://registry.npmjs.com/
+ cache: 'pnpm'
+
+ - name: Install dependencies
+ run: pnpm i --frozen-lockfile
+
+ - name: Build
+ run: pnpm run build:editor
+
+ - name: Deploy to GitHub Pages
+ uses: JamesIves/github-pages-deploy-action@v4.4.0
+ with:
+ token: ${{ secrets.GITHUB_TOKEN }}
+ folder: dist/editor
+ git-config-name: github-actions[bot]
+ git-config-email: github-actions[bot]@users.noreply.github.com
diff --git a/.github/workflows/deploy-preview.yml b/.github/workflows/deploy-preview.yml
new file mode 100644
index 0000000..fd00dca
--- /dev/null
+++ b/.github/workflows/deploy-preview.yml
@@ -0,0 +1,54 @@
+# This workflow will do a clean installation of node dependencies, cache/restore them, build the source code and run tests across different versions of node
+# For more information see: https://help.github.com/actions/language-and-framework-guides/using-nodejs-with-github-actions
+
+name: Deploy Preview
+
+on:
+ push:
+ branches: ['main']
+
+jobs:
+ build:
+ runs-on: ubuntu-latest
+
+ strategy:
+ matrix:
+ node-version: [16.x]
+ # See supported Node.js release schedule at https://nodejs.org/en/about/releases/
+
+ steps:
+ - name: Cancel Previous Workflow Runs
+ uses: n1hility/cancel-previous-runs@v2.0
+ with:
+ token: ${{ secrets.GITHUB_TOKEN }}
+
+ - name: Checkout
+ uses: actions/checkout@v3
+ with:
+ ref: main
+
+ - name: Setup pnpm
+ uses: pnpm/action-setup@v2
+
+ - name: Setup node
+ uses: actions/setup-node@v3
+ with:
+ node-version: ${{ matrix.node-version }}
+ registry-url: https://registry.npmjs.com/
+ cache: 'pnpm'
+
+ - name: Install dependencies
+ run: pnpm i --frozen-lockfile
+
+ - name: Build
+ run: pnpm run build:preview
+
+ - name: Deploy to Doc Repository
+ uses: JamesIves/github-pages-deploy-action@v4.4.0
+ with:
+ token: ${{ secrets.DEPLOY_DOCS_COW_LOW_CODE }}
+ branch: main
+ folder: dist/preview
+ repository-name: Cow-Coder/preview-cow-low-code
+ git-config-name: github-actions[bot]
+ git-config-email: github-actions[bot]@users.noreply.github.com
diff --git a/.github/workflows/test-unit.yml b/.github/workflows/test-unit.yml
new file mode 100644
index 0000000..8ae43e4
--- /dev/null
+++ b/.github/workflows/test-unit.yml
@@ -0,0 +1,43 @@
+# Unit Test
+
+name: Unit Test
+
+on:
+ pull_request:
+ branches:
+ - main
+
+concurrency:
+ group: ${{ github.workflow }}-${{ github.event.number || github.sha }}
+ cancel-in-progress: true
+
+jobs:
+ build:
+ name: Unit Test (${{ matrix.node-name }})
+ runs-on: ubuntu-latest
+ strategy:
+ matrix:
+ node-version: ['16']
+ include:
+ - node-version: '16'
+ node-name: 'Latest'
+
+ steps:
+ - uses: actions/checkout@v3
+ with:
+ fetch-depth: 0
+
+ - name: Setup pnpm
+ uses: pnpm/action-setup@v2
+
+ - name: Setup node
+ uses: actions/setup-node@v3
+ with:
+ node-version: ${{ matrix.node-version }}
+ cache: 'pnpm'
+
+ - name: Install dependencies
+ run: pnpm i --frozen-lockfile
+
+ - name: Lint
+ run: pnpm lint
diff --git a/.gitignore b/.gitignore
index 38adffa..1345e2a 100644
--- a/.gitignore
+++ b/.gitignore
@@ -13,6 +13,8 @@ dist
dist-ssr
coverage
*.local
+stats*.html
+manual-chunks.txt
/cypress/videos/
/cypress/screenshots/
@@ -20,6 +22,7 @@ coverage
# Editor directories and files
.vscode/*
!.vscode/extensions.json
+!.vscode/settings.json
.idea
*.suo
*.ntvs*
diff --git a/.husky/pre-commit b/.husky/pre-commit
index a4fc325..b6b5ee5 100644
--- a/.husky/pre-commit
+++ b/.husky/pre-commit
@@ -1,4 +1,5 @@
#!/usr/bin/env sh
. "$(dirname -- "$0")/_/husky.sh"
-npm exec lint-staged
+pnpm exec lint-staged
+pnpm exec pretty-quick --staged
diff --git a/.npmrc b/.npmrc
new file mode 100644
index 0000000..82c1082
--- /dev/null
+++ b/.npmrc
@@ -0,0 +1,4 @@
+shamefully-hoist=true
+strict-peer-dependencies=false
+engine-strict=true
+registry=https://registry.npmmirror.com/
diff --git a/.prettierignore b/.prettierignore
new file mode 100644
index 0000000..91238d0
--- /dev/null
+++ b/.prettierignore
@@ -0,0 +1,6 @@
+dist
+node_modules
+stats.html
+pnpm-lock.yaml
+components.d.ts
+auto-imports.d.ts
diff --git a/.prettierrc.cjs b/.prettierrc.cjs
new file mode 100644
index 0000000..1d60754
--- /dev/null
+++ b/.prettierrc.cjs
@@ -0,0 +1,5 @@
+module.exports = {
+ semi: false,
+ singleQuote: true,
+ printWidth: 100,
+}
diff --git a/.vscode/settings.json b/.vscode/settings.json
new file mode 100644
index 0000000..c03db94
--- /dev/null
+++ b/.vscode/settings.json
@@ -0,0 +1,8 @@
+{
+ "scss.lint.unknownAtRules": "ignore",
+ "editor.codeActionsOnSave": {
+ "source.fixAll.eslint": true,
+ "source.fixAll.stylelint": true
+ },
+ "typescript.tsdk": "node_modules/typescript/lib"
+}
diff --git a/LICENSE b/LICENSE
new file mode 100644
index 0000000..5bdffea
--- /dev/null
+++ b/LICENSE
@@ -0,0 +1,21 @@
+MIT License
+
+Copyright (c) 2022 Cow-Coder
+
+Permission is hereby granted, free of charge, to any person obtaining a copy
+of this software and associated documentation files (the "Software"), to deal
+in the Software without restriction, including without limitation the rights
+to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
+copies of the Software, and to permit persons to whom the Software is
+furnished to do so, subject to the following conditions:
+
+The above copyright notice and this permission notice shall be included in all
+copies or substantial portions of the Software.
+
+THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
+IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
+FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
+AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
+LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
+OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
+SOFTWARE.
diff --git a/README.md b/README.md
index a6e2898..25052e6 100644
--- a/README.md
+++ b/README.md
@@ -1,46 +1,44 @@
-# cow_code-Low-Code
+
-This template should help get you started developing with Vue 3 in Vite.
+
+
+
-## Recommended IDE Setup
+
CowLowCode
+
+ 一款面向扩展设计的移动端低代码平台
-[VSCode](https://code.visualstudio.com/) + [Volar](https://marketplace.visualstudio.com/items?itemName=Vue.volar) (and disable Vetur) + [TypeScript Vue Plugin (Volar)](https://marketplace.visualstudio.com/items?itemName=Vue.vscode-typescript-vue-plugin).
+
+
+
-## Type Support for `.vue` Imports in TS
+
-TypeScript cannot handle type information for `.vue` imports by default, so we replace the `tsc` CLI with `vue-tsc` for type checking. In editors, we need [TypeScript Vue Plugin (Volar)](https://marketplace.visualstudio.com/items?itemName=Vue.vscode-typescript-vue-plugin) to make the TypeScript language service aware of `.vue` types.
-If the standalone TypeScript plugin doesn't feel fast enough to you, Volar has also implemented a [Take Over Mode](https://github.com/johnsoncodehk/volar/discussions/471#discussioncomment-1361669) that is more performant. You can enable it by the following steps:
+
-1. Disable the built-in TypeScript Extension
- 1. Run `Extensions: Show Built-in Extensions` from VSCode's command palette
- 2. Find `TypeScript and JavaScript Language Features`, right click and select `Disable (Workspace)`
-2. Reload the VSCode window by running `Developer: Reload Window` from the command palette.
+| 主页 :house: | 演示 :beers: | 文档 :memo: |
+| ---------------------------------------------------- | ------------------------------------------------- | ------------------------------------------------------ |
+| [website](https://github.com/Cow-Coder/cow-Low-code) | [demo](https://cow-coder.github.io/cow-Low-code/) | [docs](https://cow-coder.github.io/docs-cow-low-code/) |
-## Customize configuration
+# :sparkles: 特性
-See [Vite Configuration Reference](https://vitejs.dev/config/).
+- :package: 开箱即用的高质量生态元素,包括 物料体系、事件触发器、动作处理器 等
+- :electric_plug: 可视化拖放,可视化编辑配置
+- :rainbow: 利用 JSON 配置生成页面
+- :zap: 快速生成移动端 UI 界面
+- :rocket: 减少开发成本。
+- :technologist: 使用 TypeScript 开发,提供完整的类型定义文件
-## Project Setup
+# :dart: 兼容环境
-```sh
-npm install
-```
-
-### Compile and Hot-Reload for Development
-
-```sh
-npm run dev
-```
-
-### Type-Check, Compile and Minify for Production
-
-```sh
-npm run build
-```
+- 现代浏览器(Chrome >= 64, Edge >= 79, Firefox >= 78, Safari >= 12)
-### Lint with [ESLint](https://eslint.org/)
+# :computer: 本地调试
-```sh
-npm run lint
+```bash
+$ git clone https://github.com/Cow-Coder/cow-Low-code.git
+$ cd cow-Low-code
+$ pnpm i
+$ pnpm run dev:editor
```
diff --git a/commitlint.config.js b/commitlint.config.js
index bb8166f..103b21e 100644
--- a/commitlint.config.js
+++ b/commitlint.config.js
@@ -1,93 +1,96 @@
/** @type {import("cz-git").UserConfig} */
module.exports = {
- extends: ["@commitlint/config-conventional"],
+ extends: ['@commitlint/config-conventional'],
rules: {
// @see: https://commitlint.js.org/#/reference-rules
},
prompt: {
- alias: { fd: "docs: fix typos" },
+ alias: { fd: 'docs: fix typos' },
messages: {
- type: "选择你要提交的类型 :",
- scope: "选择一个提交范围(可选):",
- customScope: "请输入自定义的提交范围 :",
- subject: "填写简短精炼的变更描述 :\n",
+ type: '选择你要提交的类型 :',
+ scope: '选择一个提交范围(可选):',
+ customScope: '请输入自定义的提交范围 :',
+ subject: '填写简短精炼的变更描述 :\n',
body: '填写更加详细的变更描述(可选)。使用 "|" 换行 :\n',
breaking: '列举非兼容性重大的变更(可选)。使用 "|" 换行 :\n',
- footerPrefixsSelect: "选择关联issue前缀(可选):",
- customFooterPrefixs: "输入自定义issue前缀 :",
- footer: "列举关联issue (可选) 例如: #31, #I3244 :\n",
- confirmCommit: "是否提交或修改commit ?",
+ footerPrefixsSelect: '选择关联issue前缀(可选):',
+ customFooterPrefixs: '输入自定义issue前缀 :',
+ footer: '列举关联issue (可选) 例如: #31, #I3244 :\n',
+ confirmCommit: '是否提交或修改commit ?',
},
types: [
- { value: "feat", name: "feat: 新增功能 | A new feature" },
- { value: "fix", name: "fix: 修复缺陷 | A bug fix" },
+ { value: 'feat', name: 'feat: 新增功能 | A new feature' },
+ { value: 'fix', name: 'fix: 修复缺陷 | A bug fix' },
{
- value: "docs",
- name: "docs: 文档更新 | Documentation only changes",
+ value: 'docs',
+ name: 'docs: 文档更新 | Documentation only changes',
},
{
- value: "style",
- name: "style: 代码格式 | Changes that do not affect the meaning of the code",
+ value: 'style',
+ name: 'style: 代码格式 | Changes that do not affect the meaning of the code',
},
{
- value: "refactor",
- name: "refactor: 代码重构 | A code change that neither fixes a bug nor adds a feature",
+ value: 'refactor',
+ name: 'refactor: 代码重构 | A code change that neither fixes a bug nor adds a feature',
},
{
- value: "perf",
- name: "perf: 性能提升 | A code change that improves performance",
+ value: 'perf',
+ name: 'perf: 性能提升 | A code change that improves performance',
},
{
- value: "test",
- name: "test: 测试相关 | Adding missing tests or correcting existing tests",
+ value: 'test',
+ name: 'test: 测试相关 | Adding missing tests or correcting existing tests',
},
{
- value: "build",
- name: "build: 构建相关 | Changes that affect the build system or external dependencies",
+ value: 'build',
+ name: 'build: 构建相关 | Changes that affect the build system or external dependencies',
},
{
- value: "ci",
- name: "ci: 持续集成 | Changes to our CI configuration files and scripts",
+ value: 'ci',
+ name: 'ci: 持续集成 | Changes to our CI configuration files and scripts',
},
- { value: "revert", name: "revert: 回退代码 | Revert to a commit" },
+ { value: 'revert', name: 'revert: 回退代码 | Revert to a commit' },
{
- value: "chore",
- name: "chore: 其他修改 | Other changes that do not modify src or test files",
+ value: 'chore',
+ name: 'chore: 其他修改 | Other changes that do not modify src or test files',
},
],
useEmoji: false,
- emojiAlign: "center",
- themeColorCode: "",
+ emojiAlign: 'center',
+ themeColorCode: '',
scopes: [],
allowCustomScopes: true,
allowEmptyScopes: true,
- customScopesAlign: "bottom",
- customScopesAlias: "custom",
- emptyScopesAlias: "empty",
+ customScopesAlign: 'bottom',
+ customScopesAlias: 'custom',
+ emptyScopesAlias: 'empty',
upperCaseSubject: false,
markBreakingChangeMode: false,
- allowBreakingChanges: ["feat", "fix"],
+ allowBreakingChanges: ['feat', 'fix'],
breaklineNumber: 100,
- breaklineChar: "|",
+ breaklineChar: '|',
skipQuestions: [],
issuePrefixs: [
- // 如果使用 gitee 作为开发管理
- { value: "link", name: "link: 链接 ISSUES 进行中" },
- { value: "closed", name: "closed: 标记 ISSUES 已完成" },
+ /**
+ * Linking a pull request to an issue
+ * @link https://docs.github.com/cn/issues/tracking-your-work-with-issues/linking-a-pull-request-to-an-issue
+ */
+ { value: 'link', name: 'link: 链接 ISSUES 进行中' },
+ { value: 'closed', name: 'closed: 标记 ISSUES 已完成' },
],
- customIssuePrefixsAlign: "top",
- emptyIssuePrefixsAlias: "skip",
- customIssuePrefixsAlias: "custom",
+ customIssuePrefixsAlign: 'top',
+ emptyIssuePrefixsAlias: 'skip',
+ customIssuePrefixsAlias: 'custom',
allowCustomIssuePrefixs: true,
allowEmptyIssuePrefixs: true,
confirmColorize: true,
- maxHeaderLength: Infinity,
- maxSubjectLength: Infinity,
+ maxHeaderLength: Number.POSITIVE_INFINITY,
+ maxSubjectLength: Number.POSITIVE_INFINITY,
minSubjectLength: 0,
scopeOverrides: undefined,
- defaultBody: "",
- defaultIssues: "",
- defaultScope: "",
- defaultSubject: "",
+ defaultBody: '',
+ defaultIssues: '',
+ defaultScope: '',
+ defaultSubject: '',
},
-};
+}
diff --git a/docs/.vitepress/config.ts b/docs/.vitepress/config.ts
new file mode 100644
index 0000000..6f263a6
--- /dev/null
+++ b/docs/.vitepress/config.ts
@@ -0,0 +1,234 @@
+import { defineConfig } from 'vitepress'
+
+const ogDescription =
+ '移动端低代码平台、可视化拖放编辑、页面生成工具。通过 JSON 配置就能直接生成移动端UI界面,极大减少开发成本。'
+// const ogImage = 'https://vitejs.dev/og-image.png'
+const ogTitle = '牛搭'
+const ogUrl = 'https://github.com/Cow-Coder/cow-Low-code'
+
+const base = '/docs-cow-low-code/'
+
+export default defineConfig({
+ base,
+ title: ogTitle,
+ description: ogDescription,
+ lang: 'zh',
+ appearance: false,
+ lastUpdated: true,
+
+ head: [
+ ['link', { rel: 'icon', type: 'image/svg+xml', href: `${base}icon.svg` }],
+ ['meta', { property: 'og:type', content: 'website' }],
+ ['meta', { property: 'og:title', content: ogTitle }],
+ // ['meta', { property: 'og:image', content: ogImage }],
+ ['meta', { property: 'og:url', content: ogUrl }],
+ ['meta', { property: 'og:description', content: ogDescription }],
+ ['meta', { name: 'theme-color', content: '#646cff' }],
+ ],
+
+ themeConfig: {
+ logo: { src: '/logo.svg', alt: '牛搭' },
+ siteTitle: false,
+ editLink: {
+ pattern: 'https://github.com/Cow-Coder/cow-Low-code/tree/main/docs/:path',
+ text: '为此页提供修改建议',
+ },
+
+ socialLinks: [{ icon: 'github', link: 'https://github.com/Cow-Coder/cow-Low-code' }],
+
+ localeLinks: {
+ text: '简体中文',
+ items: [{ text: 'English(0%)', link: '#' }],
+ },
+
+ nav: [
+ { text: '指南', link: '/guide/summary', activeMatch: '/guide/' },
+ { text: '开发', link: '/development/prepare', activeMatch: '/development/' },
+ { text: '文档', link: '/document/start', activeMatch: '/document/' },
+ {
+ text: '相关链接',
+ items: [{ text: 'Team', link: '/team' }],
+ },
+ ],
+
+ sidebar: {
+ '/guide/': [
+ {
+ text: '开始',
+ items: [
+ {
+ text: '介绍',
+ link: '/guide/summary',
+ },
+ ],
+ },
+ {
+ text: '概念',
+ items: [
+ {
+ text: '物料组件',
+ link: '/guide/component',
+ },
+ {
+ text: '事件与动作',
+ link: '/guide/event-and-action',
+ },
+ {
+ text: '样式',
+ link: '/guide/style',
+ },
+ ],
+ },
+ {
+ text: '基础',
+ items: [
+ {
+ text: '预设',
+ link: '/guide/preset',
+ },
+ {
+ text: '预览页面',
+ link: '/guide/preview',
+ },
+ {
+ text: '发布页面',
+ link: '/guide/publish',
+ },
+ ],
+ },
+ {
+ text: '高级',
+ items: [
+ {
+ text: '自定义动作执行器',
+ link: '/guide/custom-action',
+ },
+ {
+ text: '自定义事件触发器',
+ link: '/guide/custom-trigger',
+ },
+ ],
+ },
+ {
+ text: '其他',
+ items: [
+ {
+ text: '常见问题',
+ link: '/guide/question',
+ },
+ ],
+ },
+ ],
+ '/development/': [
+ {
+ text: '起航',
+ items: [
+ {
+ text: '准备工作',
+ link: '/development/prepare',
+ },
+ {
+ text: '开始',
+ link: '/development/start',
+ },
+ {
+ text: '文件夹结构',
+ link: '/development/dictionary',
+ },
+ {
+ text: '样式',
+ link: '/development/style-design',
+ },
+ {
+ text: '图标',
+ link: '/development/icon',
+ },
+ {
+ text: '构建与部署',
+ link: '/development/build',
+ },
+ ],
+ },
+ {
+ text: '规范',
+ items: [
+ {
+ text: '代码规范',
+ link: '/development/coding-style',
+ },
+ {
+ text: '目录/命名规范',
+ link: '/development/dictionary-style',
+ },
+ {
+ text: '文案规范',
+ link: '/development/copywriting-style',
+ },
+ {
+ text: 'Git提交规范',
+ link: '/development/git-style',
+ },
+ ],
+ },
+ {
+ text: '进阶',
+ items: [
+ {
+ text: '开发物料组件',
+ link: '/development/add-library-component',
+ },
+ {
+ text: '开发动作执行器',
+ link: '/development/add-event-action',
+ },
+ ],
+ },
+ {
+ text: '质量',
+ items: [
+ {
+ text: 'Lint',
+ link: '/development/lint',
+ },
+ {
+ text: 'TypeScript',
+ link: '/development/typescript',
+ },
+ {
+ text: '测试',
+ link: '/development/unit-test',
+ },
+ ],
+ },
+ {
+ text: '其他',
+ items: [
+ {
+ text: '通过Git更新',
+ link: '/development/update-by-git',
+ },
+ {
+ text: '常见问题',
+ link: '/development/question',
+ },
+ ],
+ },
+ ],
+ '/document/': [
+ {
+ text: '文档编写',
+ items: [
+ {
+ text: '开始',
+ link: '/document/start',
+ },
+ {
+ text: '部分划分',
+ link: '/document/divide',
+ },
+ ],
+ },
+ ],
+ },
+ },
+})
diff --git a/docs/.vitepress/theme/components/customer-evaluate.vue b/docs/.vitepress/theme/components/customer-evaluate.vue
new file mode 100644
index 0000000..790060e
--- /dev/null
+++ b/docs/.vitepress/theme/components/customer-evaluate.vue
@@ -0,0 +1,52 @@
+
+
+
+
+
diff --git a/docs/.vitepress/theme/components/home-preview.vue b/docs/.vitepress/theme/components/home-preview.vue
new file mode 100644
index 0000000..47ba417
--- /dev/null
+++ b/docs/.vitepress/theme/components/home-preview.vue
@@ -0,0 +1,98 @@
+
+
+
+
+
+
+
diff --git a/docs/.vitepress/theme/components/zoom-img.vue b/docs/.vitepress/theme/components/zoom-img.vue
new file mode 100644
index 0000000..80ca8d9
--- /dev/null
+++ b/docs/.vitepress/theme/components/zoom-img.vue
@@ -0,0 +1,21 @@
+
+
+
+
+ {{}}
+
+
+
+
diff --git a/docs/.vitepress/theme/custom.css b/docs/.vitepress/theme/custom.css
new file mode 100644
index 0000000..ce73486
--- /dev/null
+++ b/docs/.vitepress/theme/custom.css
@@ -0,0 +1,3 @@
+.VPNavBarTitle .logo {
+ height: 60px;
+}
diff --git a/docs/.vitepress/theme/index.ts b/docs/.vitepress/theme/index.ts
new file mode 100644
index 0000000..99c6e68
--- /dev/null
+++ b/docs/.vitepress/theme/index.ts
@@ -0,0 +1,21 @@
+import { h } from 'vue'
+import Theme from 'vitepress/theme'
+import HomePreview from './components/home-preview.vue'
+import ZoomImg from './components/zoom-img.vue'
+import CustomerEvaluate from './components/customer-evaluate.vue'
+import './styles/vars.css'
+import './styles/vitepress.css'
+import './custom.css'
+
+export default {
+ ...Theme,
+ Layout() {
+ return h(Theme.Layout, null, {
+ 'home-features-after': () => h(HomePreview),
+ })
+ },
+ enhanceApp({ app }) {
+ app.component('ZoomImg', ZoomImg)
+ app.component('CustomerEvaluate', CustomerEvaluate)
+ },
+}
diff --git a/docs/.vitepress/theme/styles/vars.css b/docs/.vitepress/theme/styles/vars.css
new file mode 100644
index 0000000..4604aad
--- /dev/null
+++ b/docs/.vitepress/theme/styles/vars.css
@@ -0,0 +1,118 @@
+/**
+邻近色
+原色:
+47CCFF 58A3BF 177EA6 75D9FF 9AE3FF
+辅助色 A:
+5772FF 6170BF 1C32A6 8195FF A3B1FF
+辅助色 B:
+3FFF87 53BF7B 14A64B 6FFFA5 95FFBD
+*/
+
+/**
+ * Colors
+ * -------------------------------------------------------------------------- */
+
+:root {
+ --vp-c-brand: #646cff;
+ --vp-c-brand-light: #747bff;
+ --vp-c-brand-lighter: #9499ff;
+ --vp-c-brand-lightest: #bcc0ff;
+ --vp-c-brand-dark: #535bf2;
+ --vp-c-brand-darker: #454ce1;
+ --vp-c-brand-dimm: rgba(100, 108, 255, 0.08);
+}
+
+/**
+ * Component: Button
+ * -------------------------------------------------------------------------- */
+
+:root {
+ --vp-button-brand-border: var(--vp-c-brand-light);
+ --vp-button-brand-text: var(--vp-c-text-dark-1);
+ --vp-button-brand-bg: var(--vp-c-brand);
+ --vp-button-brand-hover-border: var(--vp-c-brand-light);
+ --vp-button-brand-hover-text: var(--vp-c-text-dark-1);
+ --vp-button-brand-hover-bg: var(--vp-c-brand-light);
+ --vp-button-brand-active-border: var(--vp-c-brand-light);
+ --vp-button-brand-active-text: var(--vp-c-text-dark-1);
+ --vp-button-brand-active-bg: var(--vp-button-brand-bg);
+}
+
+/**
+ * Component: Home
+ * -------------------------------------------------------------------------- */
+
+:root {
+ --vp-home-hero-name-color: transparent;
+ --vp-home-hero-name-background: -webkit-linear-gradient(120deg, #47caff 30%, #5772ff);
+
+ --vp-home-hero-image-background-image: linear-gradient(-45deg, #5772ff 30%, #47caff 50%);
+ --vp-home-hero-image-filter: blur(40px);
+}
+
+@media (min-width: 640px) {
+ :root {
+ --vp-home-hero-image-filter: blur(56px);
+ }
+}
+
+@media (min-width: 960px) {
+ :root {
+ --vp-home-hero-image-filter: blur(72px);
+ }
+}
+
+/**
+ * Component: Custom Block
+ * -------------------------------------------------------------------------- */
+
+:root {
+ --vp-custom-block-tip-border: var(--vp-c-brand);
+ --vp-custom-block-tip-text: var(--vp-c-brand-darker);
+ --vp-custom-block-tip-bg: var(--vp-c-brand-dimm);
+}
+
+.dark {
+ --vp-custom-block-tip-border: var(--vp-c-brand);
+ --vp-custom-block-tip-text: var(--vp-c-brand-lightest);
+ --vp-custom-block-tip-bg: var(--vp-c-brand-dimm);
+}
+
+/**
+ * Component: Algolia
+ * -------------------------------------------------------------------------- */
+
+.DocSearch {
+ --docsearch-primary-color: var(--vp-c-brand) !important;
+}
+
+/**
+ * VitePress: Custom fix
+ * -------------------------------------------------------------------------- */
+
+/*
+ Use lighter colors for links in dark mode for a11y.
+ Also specify some classes twice to have higher specificity
+ over scoped class data attribute.
+*/
+.dark .vp-doc a,
+.dark .vp-doc a > code,
+.dark .VPNavBarMenuLink.VPNavBarMenuLink:hover,
+.dark .VPNavBarMenuLink.VPNavBarMenuLink.active,
+.dark .link.link:hover,
+.dark .link.link.active,
+.dark .edit-link-button.edit-link-button,
+.dark .pager-link .title {
+ color: var(--vp-c-brand-lighter);
+}
+
+.dark .vp-doc a:hover,
+.dark .vp-doc a > code:hover {
+ color: var(--vp-c-brand-lightest);
+ opacity: 1;
+}
+
+/* Transition by color instead of opacity */
+.dark .vp-doc .custom-block a {
+ transition: color 0.25s;
+}
diff --git a/docs/.vitepress/theme/styles/vitepress.css b/docs/.vitepress/theme/styles/vitepress.css
new file mode 100644
index 0000000..a938398
--- /dev/null
+++ b/docs/.vitepress/theme/styles/vitepress.css
@@ -0,0 +1,84 @@
+.home-hero .image {
+ width: 200px;
+ height: 200px;
+}
+
+.nav-bar .logo {
+ height: 30px;
+ margin-right: 2px;
+}
+
+.content img {
+ border-radius: 10px;
+}
+
+.nav-dropdown-link-item .icon {
+ display: none;
+}
+
+:root {
+ --c-brand: #646cff;
+ --c-brand-light: #747bff;
+}
+
+.custom-block.tip {
+ border-color: var(--c-brand-light);
+}
+
+.DocSearch {
+ --docsearch-primary-color: var(--c-brand) !important;
+}
+
+#play-vite-audio {
+ padding: 0;
+ margin-left: 5px;
+ display: inline-flex;
+}
+
+#play-vite-audio img {
+ opacity: 0.8;
+}
+
+/* docs-cn specific */
+.cn-footnote {
+ margin-top: 20px;
+}
+
+.cn-footnote .title {
+ display: block;
+ margin-bottom: 10px;
+}
+
+.docs-cn-github-release-tag {
+ font-size: 14px;
+ font-weight: bold;
+ padding: 4px 6px;
+ margin-left: 6px;
+ background: var(--c-brand);
+ color: white;
+ border-radius: 10px;
+}
+
+#wwads-container {
+ position: relative;
+ float: right;
+ z-index: 9;
+ margin: 0 0 16px 16px;
+}
+
+#wwads-container .wwads-text {
+ font-size: 12px;
+}
+
+.page .container .content {
+ clear: none !important;
+}
+
+@media (min-width: 1368px) {
+ #wwads-container {
+ position: fixed;
+ bottom: 10px;
+ right: 10px;
+ margin: 0;
+ }
+}
diff --git a/docs/_data/team.js b/docs/_data/team.js
new file mode 100644
index 0000000..0118beb
--- /dev/null
+++ b/docs/_data/team.js
@@ -0,0 +1,47 @@
+export const core = [
+ {
+ avatar: 'https://www.github.com/Yziyan.png',
+ name: '杨志颜',
+ title: '开发者',
+ org: 'Cow-Coder',
+ orgLink: 'https://github.com/Cow-Coder',
+ desc: '牛搭团队',
+ links: [{ icon: 'github', link: 'https://github.com/Yziyan' }],
+ },
+ {
+ avatar: 'https://www.github.com/james-curtis.png',
+ name: '陈柯雨',
+ title: '开发者',
+ org: 'Cow-Coder',
+ orgLink: 'https://github.com/Cow-Coder',
+ desc: '牛搭团队',
+ links: [{ icon: 'github', link: 'https://github.com/james-curtis' }],
+ },
+ {
+ avatar: 'https://www.github.com/20empty.png',
+ name: '李义华',
+ title: '开发者',
+ org: 'Cow-Coder',
+ orgLink: 'https://github.com/Cow-Coder',
+ desc: '牛搭团队',
+ links: [{ icon: 'github', link: 'https://github.com/20empty' }],
+ },
+ {
+ avatar: 'https://www.github.com/zcxspace.png',
+ name: '张晨曦',
+ title: '开发者',
+ org: 'Cow-Coder',
+ orgLink: 'https://github.com/Cow-Coder',
+ desc: '牛搭团队',
+ links: [{ icon: 'github', link: 'https://github.com/zcxspace' }],
+ },
+ {
+ avatar: 'https://www.github.com/Julian0197.png',
+ name: '马盛康',
+ title: '开发者',
+ org: 'Cow-Coder',
+ orgLink: 'https://github.com/Cow-Coder',
+ desc: '牛搭团队',
+ links: [{ icon: 'github', link: 'https://github.com/Julian0197' }],
+ },
+]
diff --git a/docs/development/add-event-action.md b/docs/development/add-event-action.md
new file mode 100644
index 0000000..c3be65c
--- /dev/null
+++ b/docs/development/add-event-action.md
@@ -0,0 +1,203 @@
+# 开发动作执行器
+
+`动作执行器` 是处于一个单独的 npm 包中,其位置在 `packages\event-action`
+
+大致目录结构请参阅:[packages/event-action](/development/dictionary.html#packages-event-action)
+
+::: details 细节
+该 npm 包无法单独打包发布,只能被使用了 vite 的其他包导入使用
+:::
+
+::: tip 提示
+由于动作执行器其特殊性,只能采用 `tsx` 进行开发
+:::
+
+上篇说了实现一个 `按钮` 物料组件
+
+这里我们实现如下场景
+
+- 点击按钮
+- 打开配置好的指定页面
+
+具体配置如下
+
+
+
+## 动作执行器定位
+
+由于我们是希望现在开发的这个 action 能够打开指定的页面,故其应该属于页面相关的动作执行器,应该应该放置在 `packages\event-action\src\actions\page`
+
+暂且取名为 `OpenPage`,此时对应的目录名应为 `open-page`
+
+目录结构如下
+
+```text
+page
+├── open-page # OpenPage动作执行器
+│ └── index.tsx
+└── index.tsx # 动作执行器 page 分类的相关配置
+```
+
+## 提供动作执行器的配置页面
+
+首先,我们动作执行是可以的配置的对吧。打开哪个链接呢?是新窗口打开还是本窗口打开呢?
+
+这些属于我们的配置参数,我们可以将其定义为一个自定义 `type`
+
+```ts
+type JumpLinkConfig = {
+ url: string
+ blank: boolean
+}
+```
+
+接下来我们需要定义 action 本体,并提供相应的可配置界面
+
+```tsx
+/**
+ * 这里的泛型是为了提示handle和parseTip的参数
+ */
+export default defineActionHandler({
+ // 动作执行器唯一标识符
+ name: 'OpenPage',
+ // 动作的标题
+ label: '打开页面',
+ // 动作说明
+ description: '打开/跳转至指定页面',
+ /**
+ * 配置面板
+ * markRaw标记为非响应式
+ * @link https://staging-cn.vuejs.org/api/reactivity-advanced.html#markraw
+ */
+ configPanel: markRaw(
+ defineComponent({
+ // 动作执行器配置面板唯一标识符
+ name: 'OpenPageConfigPanel',
+ props: {
+ // 每一个动作执行器的配置面板在实例化时都会提供四个参数,也就是下面函数的返回值
+ // 分别是
+ // `actionConfig` 该action的配置,用于编辑情况
+ // `libraryComponentInstanceTree` 物料组件实例树
+ // `focusedLibraryComponentInstanceData` 当前被选中的物料组件实例
+ // `libraryComponentSchemaMap` 物料组件结构定义 键值对哈希表:组件名->组件结构
+ ...getActionHandleDefaultProps(),
+ },
+ setup(props, { expose }) {
+ const formRef = ref>()
+ const config = ref({
+ url: '',
+ blank: true,
+ })
+
+ /**
+ * 如果是编辑的话
+ */
+ if (props.actionConfig?.openMode) {
+ const actionConfig = toRaw(props.actionConfig)
+ config.value = actionConfig.config as JumpLinkConfig
+ }
+
+ // 配置页面
+ const render = () => (
+ <>
+
+
+
+
+
+
+
+
+ >
+ )
+
+ // 导出配置函数
+ function exportConfig(): JumpLinkConfig {
+ return config.value
+ }
+
+ /**
+ * 如果此action有配置属性则必须要导出名为 `exportConfig` 的函数
+ * 用户打开的 配置dialog 会调用此函数来获取config的值
+ */
+ expose({
+ exportConfig,
+ })
+ return render
+ },
+ })
+ ),
+})
+```
+
+完成上述编码之后应该就能在配置 dialog 中看到开篇所见到的样子了
+
+## 处理动作执行逻辑
+
+目前为止我们还并不能执行这个动作,所以现在让我们来编写执行逻辑
+
+```tsx
+export default defineActionHandler({
+ // ...其他配置
+
+ /**
+ * 这里其实会传入三个参数
+ * 分别是
+ * `config` 该动作的配置,类型是上面传入的泛型
+ * `libraryComponentInstanceTree` 物料组件实例树
+ * `libraryComponentSchemaMap` 物料组件结构定义 键值对哈希表:组件名->组件结构
+ */
+ handler(props) {
+ /**
+ * 执行动作逻辑
+ */
+ function handle(config: JumpLinkConfig) {
+ config.blank ? window.open(config.url) : window.location.assign(config.url)
+ }
+ handle(props)
+ },
+})
+```
+
+现在您可以先配置再去点击按钮体验一下了
+
+## 解析动作提示信息
+
+您可能会看到属性面板的事件中不仅显示动作执行器名称,也显示了操作的详细,那是怎么显示的呢?
+
+
+
+下面我们一起来编写 `action 提示信息`
+
+```tsx
+export default defineActionHandler({
+ // ...其他配置
+
+ /**
+ * 同样这里有三个入参
+ * 分别是
+ * `config` 该动作的配置,类型是上面传入的泛型
+ * `libraryComponentInstanceTree` 物料组件实例树
+ * `libraryComponentSchemaMap` 物料组件结构定义 键值对哈希表:组件名->组件结构
+ */
+ parseTip(config) {
+ let link = '',
+ tip = ''
+ const jumpConfig: JumpLinkConfig = config
+ tip = '跳转至'
+ link = jumpConfig.url
+
+ // 这里可以选择返回组件亦或是字符串
+ return () => (
+ <>
+ {tip}
+ {link}
+ >
+ )
+ },
+})
+```
+
+::: tip 结束
+Congratulation!您已经掌握编写动作执行器的基本方法,开始向丛林跟深处进发吧!
+:::
diff --git a/docs/development/add-library-component.md b/docs/development/add-library-component.md
new file mode 100644
index 0000000..e52a001
--- /dev/null
+++ b/docs/development/add-library-component.md
@@ -0,0 +1,227 @@
+# 开发物料组件
+
+在开发之前首先需要确认组件的定位,是属于 `通用组件` 还是 `业务组件` 亦或是其他大类。
+
+再次要确定其小类,也就是属于 `表单` 还是 `展示` 还是其他小类。其对应关系如下
+
+
+
+大致目录结构请参阅:[packages/event-action](/development/dictionary.html#packages-library)
+
+这里我们以 `通用组件` -> `展示` 中的 `按钮` 物料组件为例进行说明讲解
+
+## 开始
+
+牛搭采用的是 `monorepo` 架构来处理预览模块和 editor 共用物料组件的文件。在 `packages` 下的每一个目录都是一个单独的 npm 包。
+
+::: warning 注意
+并不是 `packages/*` 下的每一个包都能够单独发布。
+
+如 `packages/event-action` 就只能被使用了 vite 的包(如 `packages/editor` )进行导入使用
+:::
+
+根据上述说明的组件定位,现在进入 `packages\library\src\components\generic\input\button` 文件夹,这里就是存放 `button` 物料组件的位置
+
+请注意,这里文件的存放方式。根据规范,需要按照如下要求进行存放
+
+```text
+input
+├── button
+│ └── index.vue
+└── textbox
+ └── index.vue
+```
+
+::: danger 警告
+**不能**像这样,将物料组件平铺在目录下
+
+```text
+input
+├── button.vue
+└── textbox.vue
+```
+
+:::
+
+## 最简示例
+
+在这里您可以选择使用 `.vue` 或者 `.tsx`,这里以 `.vue` 为例
+
+一个最简单的物料看起来是这样的:
+
+```vue
+
+
+ 按钮
+
+
+
+
+
+```
+
+请观察上面的代码,与开发中后台时候的组件有什么异同?
+
+是的,并没有什么不同,这里开发与中后台的开发十分相似。只不过多了一些配置选项,下面我们一一进行讲解。
+
+## 导出对象
+
+下面是这个 button 物料组件 `
+```
+
+::: tip 结束
+Congratulation!您已经掌握编写物料组件的基本方法,开始向丛林跟深处进发吧!
+:::
diff --git a/docs/development/build.md b/docs/development/build.md
new file mode 100644
index 0000000..d4a1d5b
--- /dev/null
+++ b/docs/development/build.md
@@ -0,0 +1,81 @@
+# 构建与部署
+
+## 构建
+
+开发完成之后,使用 `pnpm run build:editor` 进行构建,构建打包成功之后,会在根目录生成 `dist/editor` 文件夹,里面就是构建打包好的文件。
+
+::: tip 提示
+如果需要构建 `docs`、`preview`
+
+请使用 `pnpm run build:docs`、`pnpm run build:preview`
+
+其中打包生成的目录分别位于 `docs/.vitepress/dist`、`dist/preview`
+
+如果需要构建 `vite-plugin-monaco-editor-nls`、`build-utils` 等,请执行对应 `package.json` 中的相应脚本
+:::
+
+## 预览
+
+生成好的 dist 文件夹一般需要部署至服务器才算部署发布成功,但为了保证构建出来的文件能正常运行,开发者通常希望能在本地先预览一下,这里介绍两种方式
+
+- 执行相应 `package.json` 中的脚本
+ 例如 `packages\editor\package.json` 中的 `preview` 命令
+
+```sh
+# -C 选项,请参阅:https://pnpm.io/zh/pnpm-cli#%E9%85%8D%E7%BD%AE%E9%A1%B9
+pnpm -C packages\editor preview
+```
+
+- 本地服务器预览
+
+```sh
+# 进入打包的后目录
+cd packages\editor
+# 本地预览,默认端口8080
+npx http-server
+```
+
+## 分析构建文件体积
+
+如果构建文件很大,可以通过 [rollup-plugin-visualizer](https://www.npmjs.com/package/rollup-plugin-visualizer) 插件进行代码体积分析,从而优化你的代码。
+
+打包之后您应该能在对应包的根目录下找到 `stat.html` 文件
+
+打开之后可以看到具体的体积分布,以分析哪些依赖有问题。
+
+
+
+## 部署
+
+简单的部署只需要将最终生成的静态文件,dist 文件夹的静态文件发布到 cdn 或者静态服务器即可
+
+### 使用 nginx 处理跨域
+
+使用 nginx 处理项目部署后的跨域问题
+
+1. 配置前端项目接口地址
+
+```text
+http://10.10.10.10:8080/api
+```
+
+2. 在 nginx 配置请求转发到后台
+
+```nginx
+server {
+ listen 80;
+ server_name example.com;
+ # 接口代理,用于解决跨域问题
+ location /api {
+ proxy_set_header Host $host;
+ proxy_set_header X-Real-IP $remote_addr;
+ proxy_set_header X-Forwarded-For $proxy_add_x_forwarded_for;
+ # 后台接口地址
+ proxy_pass http://10.10.10.10:8080/api;
+ proxy_redirect default;
+ add_header Access-Control-Allow-Origin *;
+ add_header Access-Control-Allow-Headers X-Requested-With;
+ add_header Access-Control-Allow-Methods GET,POST,OPTIONS;
+ }
+}
+```
diff --git a/docs/development/coding-style.md b/docs/development/coding-style.md
new file mode 100644
index 0000000..d39e324
--- /dev/null
+++ b/docs/development/coding-style.md
@@ -0,0 +1,40 @@
+# 代码规范
+
+## IDE 编辑器
+
+如果您使用的是 WebStorm,那么可以在设置中开启下列功能:
+
+- `语言和框架 > JavaScript > 代码质量工具 > ESLint` 勾选 `保存时运行eslint --fix`
+- `语言和框架 > JavaScript > Prettier` 勾选 `执行"重新格式化代码"操作时` 和 `保存时`
+
+如果您使用的是 Visual Studio Code,框架源码里已提供相关配置文件,可直接测试效果:在保存代码时,会自动对当前文件进行代码格式化操作。
+
+## husky & lint-staged
+
+由于 IDE 能做的事比较有限,只能对代码的书写规范进行格式化,对于一些无法自动修复的错误代码,如果没有改正到就被推送到 git 仓库,在多人协作开发时,可能会影响到别人的开发体验。所以我们集成了 husky 和 lint-staged 这两个依赖来解决这一问题。
+
+在提交代码时,husky 会通过 lint-staged 对 /src 目录下的 js vue scss 文件进行分别进行 eslint 和 stylelint 检测,如果有报错,则会阻止本次代码提交,直到开发者修改完所有错误代码后,才允许提交到 git 仓库,这样可以确保 git 仓库里的代码不会有语法错误。
+
+::: tip 提示
+可通过修改 `.eslintignore` 和 `.prettierignore` 忽略无需做代码规范校验的文件,例如在项目中导入了一些第三方的插件或组件,我们就可以将其进行忽略。
+:::
+
+## 配置代码规范
+
+配置文件主要有 3 处,分别为
+
+- IDE 配置(`.editorconfig`)
+- ESLint 配置(`.eslintrc.cjs` 和 `.eslintignore`)
+- Prettier 配置(`.prettierrc.cjs` 和 `.prettierignore`)
+
+通过下面命令会将代码进行一次格式校验,如果规则支持自动修复,则会将不符合规则的代码自动进行格式化。
+
+```shell
+pnpm run lint:fix
+```
+
+而使用 `pnpm run lint` 可以检测当前代码还有哪些地方是不符合规范的。
+
+## 关闭代码规范校验
+
+注重代码规范是一个程序员的职业基本素养,并且当多人协助开发时,它是保证代码一致性的最佳手段。
diff --git a/docs/development/copywriting-style.md b/docs/development/copywriting-style.md
new file mode 100644
index 0000000..0bfc13c
--- /dev/null
+++ b/docs/development/copywriting-style.md
@@ -0,0 +1,44 @@
+# 文案规范
+
+::: info 信息
+本文档难免也有不符合规范之处,期待您的修正。
+:::
+
+## 时间、日期表示方式
+
+为了格式区分,年月日之间用半角短横线『-』,时分秒之间使用半角冒号『:』 表示范围之间使用半角波浪线『~』或使用中文 『至』,并在其前后加上间隔以示区分
+
+`2014-04-16 09:30:00 ~ 2014-04-20 18:00:00`
+
+`2014-04-16 至 2014-04-20`
+
+## 空格规范
+
+1. 全角字符和半角字符搭配时,需要添加空格。最常见的全角字符:汉字。常用的半角字符:英文、数字。
+2. 中文链接之间增加添加空格。
+
+## 特殊数值的表示方式
+
+1. 金额的间隔方式: `1,000,000`。
+2. 小数点后保留两位:`200.00`。
+
+## 以下情况不使用句号
+
+1. 输入框下的提示。
+2. 表格中的句子。
+3. 句末为文字链(链接前使用句号)。
+
+## 专业精准的用词建议
+
+1. 使用『你』代替『您』,以拉近与用户之间的距离,尽量不使用『我』,避免对象指向不明。
+2. 使用『编辑』代替『修改』。
+3. 使用『其他』代替『其它』,『其他』的应用范围更广。
+4. 使用『此』代替『该』,当要表达当前事物时,『此』更加明确。
+5. 使用『抱歉』而不用『对不起』,如果是我们系统造成的结果,可以使用『抱歉』,如果是用户自己造成的结果,则不使用这类词。
+6. 使用『登录』而不用『登陆』,登录是登记记录用户输入信息的意思,切勿用成『着陆』的陆。
+
+::: tip 提示
+此页参考自:[Ant-Design-设计基础简版](https://github.com/ant-design/ant-design/wiki/Ant-Design-%E8%AE%BE%E8%AE%A1%E5%9F%BA%E7%A1%80%E7%AE%80%E7%89%88)
+
+了解更多请查阅:[文案 - Ant Design](https://ant-design.antgroup.com/docs/spec/copywriting-cn)
+:::
diff --git a/docs/development/dictionary-style.md b/docs/development/dictionary-style.md
new file mode 100644
index 0000000..371eb86
--- /dev/null
+++ b/docs/development/dictionary-style.md
@@ -0,0 +1,160 @@
+# 目录/命名规范
+
+由于我们没有找到类似 `Airbnb JavaScript Style` 这类高质量的目录规范。所以我们根据自己的调研结果整理出来了一套适用于本项目的目录规范
+
+::: info 提示
+详细的调研结果请参阅:https://cw39gvucrn.feishu.cn/docx/doxcnU18YY3qxxDvScQuHEPiUvd
+
+这里是示例,可以帮助您更好的理解:https://boardmix.cn/app/editor/Wldc0peQxM_G5R7Z_M9VMQ
+:::
+
+总体上,我们命名使用全称。尽量避免使用缩写。
+
+## 组件文件名
+
+中划线
+
+> [单文件组件文件的大小写](https://v2.cn.vuejs.org/v2/style-guide/index.html#%E5%8D%95%E6%96%87%E4%BB%B6%E7%BB%84%E4%BB%B6%E6%96%87%E4%BB%B6%E5%90%8D%E7%9A%84%E5%A4%A7%E5%B0%8F%E5%86%99%E5%BC%BA%E7%83%88%E6%8E%A8%E8%8D%90)
+>
+> 官方描述是`大驼峰`和`中划线`二选一
+
+## 组件目录结构
+
+```text
+├─组件名
+│ ├─components
+│ │ ├─单文件组件.vue
+│ │ ├─单文件组件.vue
+│ ├─index.vue
+```
+
+## 全局 css、css 变量位置
+
+```text
+/src/asset/style
+```
+
+## 全局 css 变量文件名
+
+```text
+/src/asset/style/xxx.scss
+```
+
+## 组件内 style、hooks、types 等位置
+
+```text
+.
+├─index.vue/index.tsx
+├─index.module.less
+├─other.less
+```
+
+## hook 文件名
+
+中划线
+
+## 全局 hook 目录结构
+
+```text
+/src/hooks
+├─use-xxx.ts
+```
+
+## 项目全局常量位置
+
+```
+/src/constants
+```
+
+## 项目全局类型声明文件 d.ts 位置
+
+```
+/types
+```
+
+## 项目全局类型定义文件位置
+
+```
+/src/types
+```
+
+## 子组件(二级组件、三级组件以及其他后代组件)位置
+
+平铺型(除非该组件还有附带 css,或者子组件)
+
+```
+├─组件名
+│ ├─components
+│ │ ├─单文件组件.vue
+│ │ ├─单文件组件.vue
+│ ├─index.vue
+```
+
+## interface 和 type 变量名是否加前后缀
+
+❌
+
+## enum 变量名是否带后缀
+
+✅
+
+## interface 和 type 名称命名
+
+大驼峰
+
+## 组件内工具函数文件命名(未调研)
+
+[util.ts](https://pro.ant.design/zh-CN/docs/folder#:~:text=%7C%20%20%20%E2%94%94%E2%94%80%E2%94%80-,util.ts,-//%20%E8%BF%99%E9%87%8C%E5%8F%AF%E4%BB%A5%E6%9C%89)
+
+## 组件分组(未调研)
+
+分类文件夹下不得有裸露的组件,可以有统一导出文件`index.ts`,必须用文件夹包裹。同等于[一级组件](https://cw39gvucrn.feishu.cn/docx/doxcnU18YY3qxxDvScQuHEPiUvd#doxcnJ7d7uW5YKUIRjGt4y1sELf)
+
+```
+library
+ ├── generic
+ │ ├── input
+ │ │ └── button
+ │ │ └── index.vue
+ │ └── show
+ │ ├── image
+ │ │ └── index.vue
+ │ └── swipe
+ │ ├── components
+ │ └── index.vue
+ └── index.ts
+```
+
+## 组件名、文件夹名称哪些单词可以缩写
+
+- 组件名任何情况下不得缩写,参考[完整单词的组件名强烈推荐](https://v2.cn.vuejs.org/v2/style-guide/#%E5%AE%8C%E6%95%B4%E5%8D%95%E8%AF%8D%E7%9A%84%E7%BB%84%E4%BB%B6%E5%90%8D%E5%BC%BA%E7%83%88%E6%8E%A8%E8%8D%90)
+- 文件夹名称任何情况下不得缩写
+
+## 属性
+
+- 初始化属性,命名方式为: default + 属性名
+- 强制渲染属性: forceRender
+ - 强制渲染子组件: force + 子组件名 + Render
+- 数据源: dataSource
+- children :
+ - 主要展示区域内容 ,避免额外的属性名称
+ - 选项相关诸如 Option 、TreeNode
+ - 自定义包裹组件可以考虑 coponent 如果 children 会存在它用的情况
+- 展示相关命名方式为: show + 属性名
+- 功能相关命名方式为: 属性名 + able
+- 禁用子组件功能: disabled + 子组件名
+- 主图标: icon
+ - 多个图标: 功能 + Icon
+- 触发点: trigger
+ - 子功能触发: 子功能 + Trigger
+ - 在触发某个时间时处理某件事情: xxx + On + 事件名 (例:destroyOnClose)
+
+## 事件
+
+- 触发事件: on + 事件名
+- 在触发之前的事件: before + 事件名
+- 在触发之后的事件: after + 事件名
+
+::: details 细节
+[属性](#属性) 和 [事件](#事件) 部分参考自:[Ant Design](https://github.com/ant-design/ant-design/wiki/API-Naming-rules)
+:::
diff --git a/docs/development/dictionary.md b/docs/development/dictionary.md
new file mode 100644
index 0000000..450090b
--- /dev/null
+++ b/docs/development/dictionary.md
@@ -0,0 +1,263 @@
+# 文件夹结构
+
+牛搭采用 `monorepo` 架构实现物料组件(libraryComponent)和动作处理器(actionHander)在编辑器(editor)和预览模块(preview)等多个包之间共用
+
+下面的图示将更好的帮助您理解
+
+
+
+::: details 细节
+了解更多 `monorepo` 相关,请参阅:
+[Monorepo 是什么,为什么大家都在用?](https://zhuanlan.zhihu.com/p/77577415)
+:::
+
+## 概览
+
+```text
+cow-Low-code
+├── .husky # git钩子
+│ ├── _
+│ ├── commit-msg # 校验commit msg规范
+│ └── pre-commit # 校验&格式化代码
+├── .vscode # vscode预设
+│ ├── extensions.json
+│ └── settings.json
+├── docs # 项目文档
+├── internal # 内部package
+│ ├── build-utils # 构建工具
+│ ├── vite-plugin-monaco-editor-nls # monaco-editor 汉化插件
+│ └── vscode-language-pack-zh-hans # monaco-editor 中文语言包插件
+├── packages # 项目主要package
+│ ├── constant # 全局常量
+│ ├── editor # 页面编辑器
+│ ├── event-action # 事件动作执行器
+│ ├── library # 物料组件库
+│ ├── preview # 预览模块
+│ ├── types # 全局类型定义
+│ └── utils # 全局工具库
+├── .editorconfig # IDE编辑器选项预设
+├── .eslintignore # eslint 忽略规则
+├── .eslintrc.cjs # eslint 配置
+├── .npmrc # pnpm 配置
+├── .prettierignore # prettier 忽略规则
+├── .prettierrc.cjs # prettier 配置
+├── LICENSE
+├── README.md
+├── commitlint.config.js # commit lint 配置
+├── package.json
+├── pnpm-lock.yaml
+└── pnpm-workspace.yaml # monorepo 工作空间配置
+```
+
+## packages/constant
+
+全局常量
+
+```text
+constant
+├── src
+│ └── index.ts # 常量
+└── package.json # 每一个包都必须包含该文件
+```
+
+## packages/editor
+
+页面编辑器
+
+```text
+editor
+├── config # editor 项目配置文件
+│ ├── plugins # vite 插件
+│ ├── vite.config.base.ts # 基础 vite 配置
+│ ├── vite.config.dev.ts # 开发环境 vite 配置
+│ └── vite.config.prod.ts # 生产环境 vite 配置
+├── public
+│ └── icon.svg
+├── src
+│ ├── assets # 静态资源/全局样式
+│ ├── components # 通用组件
+│ ├── constant # 全局常量
+│ ├── directive # 全局自定义指令
+│ ├── hooks # 全局组合式函数
+│ ├── library # 导入 packages/library
+│ ├── plugins # 项目用到的npm包,直接写在main.ts不方便,就放这里
+│ ├── router # 路由
+│ ├── stores # pinia store
+│ ├── types # editor 类型定义
+│ ├── utils # 工具库
+│ ├── views # 业务页面入口
+│ ├── App.vue
+│ └── main.ts
+├── types # editor 类型声明
+│ ├── auto-imports.d.ts # unplugin-auto-import 自动生成
+│ ├── color-picker.d.ts # color-picker-v3 类型声明
+│ ├── components.d.ts # unplugin-vue-components 自动生成
+│ ├── env.d.ts # vite/client 类型声明
+│ └── global.d.ts # 其他全局类型声明
+├── index.html # 入口文件
+├── package.json
+├── pnpm-lock.yaml
+├── postcss.config.js # 服务于 tailwind
+├── stats.html # rollup-plugin-visualizer 打包大小分析
+├── tailwind.config.js # tailwind 配置文件
+├── tsconfig.config.json # node 环境typescript配置
+└── tsconfig.json # web 环境typescript配置
+```
+
+## packages/event-action
+
+事件动作执行器
+
+```text
+event-action
+├── src
+│ ├── actions # 触发器
+│ │ ├── component # 组件类触发器
+│ │ ├── other # 其他类别触发器
+│ │ ├── page # 页面类触发器
+│ │ └── service # 服务类触发器
+│ └── utils # 工具库
+│ └── util.ts
+├── types # 类型声明
+│ └── env.d.ts # vite/client 类型声明
+├── index.ts
+├── package.json
+└── tsconfig.json # web 环境typescript配置
+```
+
+## packages/library
+
+物料组件库
+
+```text
+library
+├── src
+│ ├── components # 物料组件
+│ │ ├── business # 业务组件 分类 对应于 editor 业务组件 tab
+│ │ │ └── show # 展示 小类 对应于 editor 业务组件 tab 下的 show collapse
+│ │ │ └── swipe # 幻灯片
+│ │ └── generic # 通用组件 分类
+│ │ ├── input # 表单 小类
+│ │ │ ├── button # 按钮
+│ │ │ │ └── index.vue # 按钮组件入口
+│ │ │ └── textbox # 文本框
+│ │ │ └── index.vue
+│ │ └── show # 展示 小类
+│ │ ├── collapse # 折叠面板
+│ │ │ ├── components # 子组件
+│ │ │ │ └── preview.vue
+│ │ │ └── index.vue # 组件入口
+│ │ ├── image # 图片
+│ │ │ └── index.vue
+│ │ ├── notice-bar # 通知栏
+│ │ │ └── index.vue
+│ │ └── swipe # 轮播图
+│ │ ├── components # 子组件
+│ │ │ └── preview.vue
+│ │ └── index.vue # 入口
+│ ├── hooks # 组合式函数
+│ │ ├── use-library-component-custom-trigger.ts
+│ │ └── use-multi-click.ts
+│ └── utils # 工具库
+│ └── library.ts
+├── types # 类型声明
+│ └── env.d.ts
+├── index.ts # 物料组件库入口文件
+├── package.json
+├── tsconfig.config.json # node 环境typescript配置
+└── tsconfig.json # web 环境typescript配置
+```
+
+## packages/preview
+
+预览模块
+
+文件夹结构同 `packages/editor` 这里不再赘述
+
+```text
+preview
+├── config
+│ ├── plugins
+│ ├── vite.config.base.ts
+│ ├── vite.config.dev.ts
+│ └── vite.config.prod.ts
+├── src
+│ ├── plugins
+│ ├── router
+│ ├── stores
+│ ├── views
+│ ├── App.vue
+│ └── main.ts
+├── types
+│ ├── auto-imports.d.ts
+│ ├── components.d.ts
+│ └── env.d.ts
+├── index.html
+├── package.json
+├── tsconfig.config.json
+└── tsconfig.json
+```
+
+## packages/types
+
+全局类型定义
+
+```text
+types
+├── src
+│ ├── action.ts # 动作处理器 相关类型定义
+│ ├── event-trigger.ts # 事件触发器 相关类型定义
+│ ├── library-component.ts # 物料组件 相关类型定义
+│ ├── panel.ts # 操作面板/设置器 相关类型定义
+│ └── util.ts # 工具库 相关类型定义
+├── index.ts # 入口文件
+├── package.json
+└── tsconfig.json # web 环境typescript配置
+```
+
+## packages/utils
+
+全局工具库
+
+```
+utils
+├── src
+│ ├── action.ts # 动作处理器 工具库
+│ └── library.ts # 物料组件 工具库
+├── index.ts # 入口文件
+└── package.json
+```
+
+## internal/build-utils
+
+构建工具,用于定位构建输出目录
+
+```text
+build-utils
+├── src
+│ ├── index.ts # 构建工具入口文件
+│ └── paths.ts # 打包输出路径配置
+├── build.config.ts # unbuild 打包工具配置文件
+├── package.json
+└── tsconfig.json # node 环境typescript配置
+```
+
+## internal/vite-plugin-monaco-editor-nls
+
+monaco-editor i18n 插件,自行修复维护,不依赖原作者
+
+```text
+vite-plugin-monaco-editor-nls
+├── src
+│ ├── locale # 旧版语言包
+│ └── index.ts # 插件入口 & 核心
+├── README.md
+├── package.json
+└── tsconfig.json
+```
+
+## internal/vscode-language-pack-zh-hans
+
+由于没有适用于 vite 的 monaco-editor 相关语言包作为 npm 包单独发布
+
+所以这里直接将语言包内置于项目之中,随时同步官方 [vscode-loc](https://github.com/microsoft/vscode-loc)
diff --git a/docs/development/git-style.md b/docs/development/git-style.md
new file mode 100644
index 0000000..71fdb6e
--- /dev/null
+++ b/docs/development/git-style.md
@@ -0,0 +1,75 @@
+# Git 提交规范
+
+有关更多信息,请参阅[约定式提交](https://www.conventionalcommits.org/zh-hans/v1.0.0/)
+
+Git 命令学习,请参阅[Learn Git Branching](https://oschina.gitee.io/learn-git-branching/)
+
+## 提交格式
+
+```text
+type(): subject
+
+
+
+
+```
+
+## type
+
+用于说明 commit 的提交类型(必须是以下几种之一)。
+
+- feat 新增功能
+- fix 修复 bug
+- docs 文档变更
+- style 代码格式(不影响功能,例如空格、分号等格式修正)
+- refactor 代码重构
+- perf 改善性能
+- test 测试
+- build 变更项目构建或外部依赖(例如 scopes: webpack、gulp、npm 等)
+- ci 更改持续集成软件的配置文件和 package 中的 scripts 命令,例如 scopes: Travis, Circle 等
+- chore 变更构建流程或辅助工具
+- revert 代码回退
+
+## scope
+
+scope 用于指定本次 commit 影响的范围(可省略)。
+
+如果填写 `scope` 那么,`scope` **必须是以下几种之一:**
+
+- `editor` 页面编辑器
+- `library` 物料组件
+- `constant` 全局常量
+- `event-action` 动作触发器
+- `preview` 预览模块
+- `types` 全局类型定义
+- `utils` 全局工具
+- `docs` 文档
+- `build-utils` 构建帮助工具
+- `vite-plugin-monaco-editor-nls` 适用于 vite 的 monaco-editor 汉化插件
+- `vscode-language-pack-zh-hans` monaco-editor 语言包
+
+## subject
+
+subject 是本次 commit 的简洁描述,长度约定在 50 个字符以内,通常遵循以下几个规范:
+
+- 用动词开头,第一人称现在时表述,例如:change 代替 changed 或 changes
+- 第一个字母小写
+- 结尾不加句号(.)
+
+## Body
+
+body 是对本次 commit 的详细描述,可以分成多行。(body 可省略)
+
+跟 subject 类似,用动词开头,body 应该说明修改的原因和更改前后的行为对比。
+
+## Footer
+
+如果本次提交的代码是突破性的变更或关闭缺陷,则 Footer 必需,否则可以省略。
+
+## 突破性的变更
+
+当前代码与上一个版本有突破性改变,则 Footer 以 BREAKING CHANGE 开头,后面是对变动的描述、以及变动的理由。
+
+## 关闭缺陷
+
+如果当前提交是针对特定的 issue,那么可以在 Footer 部分填写需要关闭的单个 issue 或一系列 issues。
diff --git a/docs/development/icon.md b/docs/development/icon.md
new file mode 100644
index 0000000..baf813e
--- /dev/null
+++ b/docs/development/icon.md
@@ -0,0 +1,46 @@
+# 图标
+
+牛搭整个项目都是优先使用一套风格的图标 -- [IconPark](https://iconpark.oceanengine.com/home)
+
+当然也提供了 Element Plus 官方的 SVG 图标。
+
+::: warning 注意
+Element Plus 的图标最好只用在其组件自身上,其他地方一律使用 IconPark 提供的图标
+:::
+
+## 使用 Element Plus 图标
+
+使用方式很简单,你只需进入 Element Plus 图标 页面,然后点击需要使用的图标,复制图标名称 并修改为 `i-ep-xxx` 即可使用了。
+
+```vue
+
+
+
+
+
+
+
+```
+
+不过这种自动导入的方式仅限于 Vue 文件中。如果要在 TSX 文件中使用,请先导入。
+
+```tsx
+// IconArrowRight 导入名称是自定义的
+import IconArrowRight from '~icon/ep/arrow-right'
+
+export default defineComponent({
+ setup() {
+ return (
+ <>
+
+
+
+ >
+ )
+ },
+})
+```
+
+::: info 信息
+要了解更多,请参阅:[unplugin-icons](https://github.com/antfu/unplugin-icons#usage)
+:::
diff --git a/docs/development/lint.md b/docs/development/lint.md
new file mode 100644
index 0000000..21c6910
--- /dev/null
+++ b/docs/development/lint.md
@@ -0,0 +1,5 @@
+# Lint
+
+牛搭的 eslint 规范是直接继承于 element-plus 的 eslint 规范
+
+`@element-plus/eslint-config`,请参阅:https://github.com/element-plus/element-plus/blob/dev/internal/eslint-config/index.js
diff --git a/docs/development/prepare.md b/docs/development/prepare.md
new file mode 100644
index 0000000..b58271e
--- /dev/null
+++ b/docs/development/prepare.md
@@ -0,0 +1,45 @@
+# 准备工作
+
+## 源码
+
+阅读开发文档前,我们建议您已经有源码,因为文档中提及的内容,部分是需要在本地项目中编写或修改代码并运行才能呈现的。如果还没有源码,可以通过下面两种方式获取:
+
+- 手动下载
+ - 去 [GitHub](https://github.com/Cow-Coder/cow-Low-code) 下载
+- Git Clone
+
+```shell
+# 从 Github 克隆
+
+# 拉取框架源码
+git clone https://github.com/Cow-Coder/cow-Low-code.git
+```
+
+## 环境准备
+
+请在本地依次安装好 Node.js, pnpm, Git 和 Visual Studio Code / WebStorm。
+
+::: warning 注意
+建议使用 `nvm` 安装好 `node.js` 16.x 版本
+:::
+
+除此之外,建议在 chrome 插件商店安装好适用于 Vue3 的 `Vue.js devtools` 扩展
+
+## 技术栈
+
+了解并熟悉框架使用到的技术栈,能让您更快的熟悉该平台
+
+- [Vite](https://cn.vitejs.dev/)
+- [Vue 3](https://cn.vuejs.org/)
+- [Vue Router 4](https://router.vuejs.org/zh/)
+- [Pinia](https://pinia.vuejs.org/)
+- [Element Plus](https://element-plus.org/#/zh-CN)
+- [Arco Design Vue](https://arco.design/vue)
+- [Vant](https://vant-contrib.gitee.io/vant)
+- [Tailwind CSS](https://www.tailwindcss.cn/)
+
+## 浏览器支持
+
+**本地开发**推荐使用 Chrome 最新版浏览器
+
+**生产环境**支持现代浏览器`(Chrome >= 64, Edge >= 79, Firefox >= 78, Safari >= 12)`,不支持 IE
diff --git a/docs/development/question.md b/docs/development/question.md
new file mode 100644
index 0000000..02c96e4
--- /dev/null
+++ b/docs/development/question.md
@@ -0,0 +1,3 @@
+# 常见问题
+
+待编写..
diff --git a/docs/development/start.md b/docs/development/start.md
new file mode 100644
index 0000000..7e62135
--- /dev/null
+++ b/docs/development/start.md
@@ -0,0 +1,41 @@
+# 快速开始
+
+请在项目根目录依次执行以下命令:
+
+```shell
+// 只能使用pnpm,如果使用npm或者yarn无法安装成功,会提示您换成pnpm
+pnpm i
+
+pnpm run dev:editor
+```
+
+运行成功后会提示您 `Local: http://127.0.0.1:5173/ `
+
+现在您可以开始使用页面编辑器了
+
+::: tip 提示
+由于有使用到 husky 这个依赖包,所以请确保在安装依赖前,已经使用 git init 对项目进行过 git 环境初始化,否则安装依赖过程中会提示 husky 安装失败。
+:::
+
+::: warning 报错
+如果 VSCode / WebStorm 默认内置终端无法运行该命令
+
+请尝试修改默认终端为 Command Prompt / Cmd
+:::
+
+## 使用
+
+牛搭 有两种使用方法:
+
+- [单页](#单页使用),完全使用 牛搭 构建单页
+- [组件](#组件使用),将 牛搭 构建的页面作为组件使用在 Vue3 项目中(暂未开发)
+
+## 单页使用
+
+运行上面命令之后即可访问 `http://127.0.0.1:5173/` 开始编辑您的页面
+
+您也可以查看我们部署的 [Demo](https://cow-coder.github.io/cow-Low-code/)
+
+## 组件使用
+
+**我们正在努力开发中,敬请期待**
diff --git a/docs/development/style-design.md b/docs/development/style-design.md
new file mode 100644
index 0000000..e93d20e
--- /dev/null
+++ b/docs/development/style-design.md
@@ -0,0 +1,113 @@
+# 样式
+
+## 介绍
+
+本节主要介绍如何在项目中使用和规划样式文件。
+
+牛搭默认使用 scss 作为预处理语言,建议在使用前或者遇到疑问时学习一下 [Scss](https://sass-lang.com/) 的相关特性(如果想获取基础的 CSS 知识或查阅属性,请参考 MDN 文档)。
+
+一般项目中使用的通用样式,都存放于 `src/assets/style` 下面。
+
+```text
+cow-Low-code/packages/editor/src/assets/style
+├── global.scss # 全局通用样式
+├── popover.module.scss # arco design vue中popover模块通用样式
+├── preflight.css # 覆盖tailwind的preflight样式
+└── tailwind.css # tailwind默认样式
+```
+
+:::tip 全局注入
+global.scss 这个文件会被全局注入到所有文件,所以在页面内可以直接使用变量而不需要手动引入
+:::
+
+```vue
+
+```
+
+### 物料组件样式
+
+左侧物料区我们采用 [IconPark](https://iconpark.oceanengine.com/home) 的图标和 [tailwindcss](https://tailwindcss.com/docs) 样式。
+
+### 编辑区样式
+
+由于牛搭的是一款应用在移动端的低代码平台,所以我们在 UI 上选择了 [Vant](https://vant-contrib.gitee.io/vant/#/zh-CN/home),所以在物料组件中我们应该尽量向 Vant 的风格看齐。
+
+## tailwindcss
+
+项目中引用到了 [tailwindcss](https://tailwindcss.com/docs),具体可以见文件使用说明。
+
+语法如下:
+
+```html
+
+```
+
+## 为什么使用 Scss
+
+因为 Element Plus 使用 Scss 作为样式语言,使用 Scss 可以跟其保持一致。
+
+## 深度选择器
+
+有时我们可能想将样式作用于组件库的组件上。
+
+如果你希望 scoped 样式中的一个选择器能够作用得“更深”,例如影响子组件,你可以使用 `:deep()` 操作符
+
+使用 scoped 后,父组件的样式将不会渗透到子组件中,所以可以使用以下方式解决:
+
+```vue
+
+```
+
+## CSS Modules
+
+针对样式覆盖问题,还有一种方案是使用 CSS Modules 模块化方案。使用方式如下。
+
+```vue
+
+ hello
+
+
+
+
+
+
+
+```
+
+::: tip 提示
+上面只对 CSS Modules 进行了最基础的介绍,有兴趣可以参考其他文档:
+
+[github/css-modules](https://github.com/css-modules/css-modules)
+
+[CSS Modules 用法教程](http://www.ruanyifeng.com/blog/2016/06/css_modules.html)
+
+[CSS Modules 详解及 React 中实践](https://github.com/camsong/blog/issues/5)
+:::
diff --git a/docs/development/typescript.md b/docs/development/typescript.md
new file mode 100644
index 0000000..1400bac
--- /dev/null
+++ b/docs/development/typescript.md
@@ -0,0 +1,51 @@
+# TypeScript
+
+牛搭中使用 TypeScript 来作为默认的开发语言,TypeScript 的好处已经无须赘述,无论是开发成本还是维护成本都能大大减少,是开发的必选。
+
+## 什么时候推荐用 type 什么时候用 interface ?
+
+推荐任何时候都是用 type, type 使用起来更像一个变量,与 interface 相比,type 的特点如下:
+
+- 表达功能更强大,不局限于 object/class/function
+- 要扩展已有 type 需要创建新 type,不可以重名
+- 支持更复杂的类型操作
+
+基本上所有用 interface 表达的类型都有其等价的 type 表达。在实践的过程中,我们也发现了一种类型只能用 interface 表达,无法用 type 表达,那就是往函数上挂载属性。
+
+```ts
+interface FuncWithAttachment {
+ (param: string): boolean
+ someProperty: number
+}
+
+const testFunc: FuncWithAttachment = {}
+const result = testFunc('mike') // 有类型提醒
+testFunc.someProperty = 3 // 有类型提醒
+```
+
+## 值可以为 null 或 undefined
+
+在 3.8 中已经很简单了,obj?.xxx 即可。
+
+## 某个库不存在 typescript 的定义
+
+我们可以直接将其定义为 any。
+
+```ts
+import xxx from 'xxx'
+
+declare module 'xxx'
+```
+
+## @ts-ignore
+
+有些时候类型错误是组件的,但是看起来非常难受。会一直编译报报错,这里就可以使用 `@ts-ignore` 来**暂时**忽略它。
+
+```ts
+// @ts-ignore
+xxxx
+```
+
+::: info
+这里参考自 Ant Design Pro,请参阅:https://pro.ant.design/zh-CN/docs/type-script
+:::
diff --git a/docs/development/unit-test.md b/docs/development/unit-test.md
new file mode 100644
index 0000000..e272ff2
--- /dev/null
+++ b/docs/development/unit-test.md
@@ -0,0 +1,9 @@
+# 测试
+
+一个好的项目离不开测试的支持
+
+牛搭之所以**暂时**没有使用测试有诸多原因
+
+::: tip
+其他内容等待编写...
+:::
diff --git a/docs/development/update-by-git.md b/docs/development/update-by-git.md
new file mode 100644
index 0000000..4af800e
--- /dev/null
+++ b/docs/development/update-by-git.md
@@ -0,0 +1,31 @@
+# 通过 Git 更新
+
+我们推荐您使用 Git 管理系统的代码,这是目前世界上最好的版本管理工具,没有之一。
+
+除了下面的命令,可能图形化的界面也适合您,例如:`SourceTree`
+
+## 更新代码
+
+```shell
+# 保存工作现场(将目前还不想提交的但是已经修改的代码保存至堆栈中)
+git stash
+
+# 从远程仓库获取最新代码并自动合并到本地
+git pull
+
+# 恢复工作现场
+git stash pop
+```
+
+## 更新时额外可能会用到的命令
+
+```shell
+# 查看远程仓库信息
+git remote -v
+
+# 查看 stash 队列
+git stash list
+
+# 清空 stash 队列
+git stash clear
+```
diff --git a/docs/document/divide.md b/docs/document/divide.md
new file mode 100644
index 0000000..9fb0db6
--- /dev/null
+++ b/docs/document/divide.md
@@ -0,0 +1,38 @@
+# 开始
+
+此部分是为了帮助您更好的了解本文档构成而编写。
+
+建议您在开始编写文档之前,先花几分钟阅读完此部分。
+
+牛搭文档模块主要分为三个大类,也就是右上角所见到三个入口 `指南`、`开发`、`文档`
+
+## 指南部分
+
+此部分主要面向于 **使用者**,而 **不是** 开发者。因此在该部分请不要或者尽量少提及开发相关的术语、链接等。
+
+::: warning 提示
+下面是 **不正确** 的示例
+
+- 可以参阅 Vant 中 Swipe 组件的 props 进行配置
+ :::
+
+## 开发部分
+
+此部分就是面向于有阅读或编写牛搭源代码需求的开发人员而编写。该部分的编写应该详略得当,必要时请插入有关文章、代码进行说明。
+
+可以对于较为细节的部分建议使用 vitepress 的自定义容器功能。编写方式请看下面的演示。
+
+::: details 这里是标题
+这里是说明文字
+:::
+
+```text
+// 这里是上面演示对应的书写格式
+::: details 这里是标题
+这里是说明文字
+:::
+```
+
+## 文档部分
+
+此部分就是您现在所见到的部分。该部分面向于编写文档的作者进行说明一些细节上的要求。
diff --git a/docs/document/start.md b/docs/document/start.md
new file mode 100644
index 0000000..9f3cd5e
--- /dev/null
+++ b/docs/document/start.md
@@ -0,0 +1,27 @@
+# 开始
+
+非常欢迎您的加入!
+
+此文档使用 [vitepress](https://vitepress.vuejs.org/) 构建,详细使用方法请参考官方网站。下面简单介绍一下 `docs` 模块的目录结构
+
+## 目录结构
+
+```text
+/docs
+├── _data # 数据目录。为什么前面要加下划线?vite官方的vitepress就是这个名字
+│ └── team.js # 团队成员
+├── development # 开发
+│ ├── add-event-action.md
+│ ├── ...
+├── guide # 指南
+│ ├── component.md
+│ ├── ...
+├── public # 资源目录
+│ ├── icon.svg
+│ ├── ...
+├── index.md # 首页
+├── package.json
+├── team.md # 团队展示页面
+├── tsconfig.json
+└── vite.config.ts
+```
diff --git a/docs/guide/component.md b/docs/guide/component.md
new file mode 100644
index 0000000..06be3e7
--- /dev/null
+++ b/docs/guide/component.md
@@ -0,0 +1,24 @@
+# 物料组件
+
+## 引言
+
+牛搭的诞生离不开现如今优秀的开源氛围以及各个开源低代码项目
+
+我们有一部分想法/思路/概念是源自于 [《低代码引擎搭建协议规范》](https://lowcode-engine.cn/lowcode)
+
+## 定义
+
+- **组件唯一标识** - 每个组件都有一个全局唯一标识,用于识别组件实例(相当于 DOM id),组件唯一标识可以通过组件属性面板进行查看;因组件的唯一标识的更改,会影响数据库存储(模型可能不同,会导致数据对不上的情况),为了不让普通用户误操作,我们提供了 Schema 编辑模式,当开发者需要的时候,可以小心使用;
+- **物料** - 能够被沉淀下来直接使用的前端能力,一般表现为业务组件、区块、模板。
+- **业务组件(Business Component)** - 业务领域内基于基础组件之上定义的组件,可能会包含特定业务域的交互或者是业务数据。
+- **低代码业务组件(Low-Code Business Component)** - 通过低代码编辑器搭建而来,有别于源码开发的业务组件,属于业务组件中的一种类型,遵循业务组件的定义;同时低代码业务组件还可以通过低代码编辑器继续多次编辑。
+
+::: details 细节
+上述部分定义取自于 [宜搭](https://developers.aliwork.com/docs/guide/keywords)
+:::
+
+## 示例
+
+下图中框选的都被称为 `物料组件`
+
+
diff --git a/docs/guide/custom-action.md b/docs/guide/custom-action.md
new file mode 100644
index 0000000..648cea3
--- /dev/null
+++ b/docs/guide/custom-action.md
@@ -0,0 +1,32 @@
+# 自定义动作执行器
+
+点击一个按钮,弹出一个提示框
+
+上面的例子在开发中最常见不过了,但是要如何在牛搭中实现呢。下面我们对自定义动作执行器进行简单说明
+
+## 步骤说明
+
+1. 先拖拽一个按钮到画布中
+2. 在右侧面板切换到 `事件`
+
+3. 点击 `添加事件`,在弹出的面板中选择 `点击`
+4. 接着点击 `点击事件` 右侧的 `+` 打开动作配置窗口
+
+5. 在动作配置窗口的左侧选中 `自定义JS`
+
+6. 然后按照下图输入对应的值
+
+
+```js
+alert('我是提示框')
+```
+
+7. 接着点击动作配置窗口的 `确认` 按钮
+
+此时一个最简单的 `自定义动作执行器` 就完成了。
+
+您可以在画布中直接点击该按钮,也可以在页面右上角找到 `预览` 按钮,在实际生产环境中试用一下
+
+::: info 信息
+如果您无法正常显示预览页面,请查看[预览页面](preview)进行相应配置之后再使用
+:::
diff --git a/docs/guide/custom-trigger.md b/docs/guide/custom-trigger.md
new file mode 100644
index 0000000..394be2f
--- /dev/null
+++ b/docs/guide/custom-trigger.md
@@ -0,0 +1,66 @@
+# 自定义事件触发器
+
+有时系统默认提供的事件不足以满足我们的要求,此时就需要用到 `自定义事件触发器` 功能了。
+
+下面以 `按钮` 三击事件为例,进行简要说明。
+
+::: warning 提示
+`自定义事件触发器` 用法非常特殊,只建议了解 JS 和物料组件源码的高阶用户使用
+:::
+
+## 添加
+
+1. 拖入一个按钮到画布中
+2. 在右侧面板中选中 `事件`
+
+3. 点击 `添加事件`,在弹出的面板中选择 `自定义事件`
+
+4. 按照下图中的示例进行填写
+
+
+```js
+/**
+ * 事件名称:三击事件
+ * 事件描述:连续快速三次点击触发事件
+ */
+// 这里的代码会在对应组件setup中的一个匿名函数里执行
+// 本函数有四个参数,分别是
+// 1. context 一般对应setup的返回值
+// 2. getCurrentInstance 对应setup中的getCurrentInstance函数实例
+// 3. CUSTOM_EVENT_EMIT_NAME vue中emit的事件名。常量,目前是`dispatchEvent`,vue中emit的事件名
+// 4. THIS_EMIT_NAME 当前事件触发器的唯一标识符
+
+const instance = getCurrentInstance()
+const props = instance.props
+const emit = instance.emit
+
+function injectDispatchClick(count) {
+ console.log(count)
+ context.dispatchClick(count)
+ if (count === 3) {
+ // 激活自身事件触发器
+ emit(CUSTOM_EVENT_EMIT_NAME, THIS_EMIT_NAME)
+ }
+}
+const multiClick = context.useMultiClick(injectDispatchClick, 200)
+context.onClick = () => {
+ multiClick()
+}
+```
+
+5. 点击自定义事件触发器配置窗口的按钮
+
+此时您应该能在右侧面板中看见 `三击事件` 已经添加到事件列表中了。
+
+
+## 验证
+
+接下来让我测试一下该事件是否能够正常工作。
+
+1. 在 `三击事件` 右侧点击 `+`
+
+2. 选择 `打开页面` 动作,并按照下图所示进行配置
+
+3. 点击 `确认`
+
+此刻,事件的触发和响应都已经配置完毕。您可以选择在画布中点击进行测试,也可以在页面右上角找到 `预览` 并点击,在实际生产环境中试用一下。
diff --git a/docs/guide/event-and-action.md b/docs/guide/event-and-action.md
new file mode 100644
index 0000000..d3fef58
--- /dev/null
+++ b/docs/guide/event-and-action.md
@@ -0,0 +1,5 @@
+# 事件与动作
+
+一般来说物料组件是事件触发者(Event Trigger),而事件的执行者是动作执行器(Action Handler)
+
+在物料组件中可以定义可能触发的事件有哪些,详细请参阅:[开发->完善组件功能](../development/add-library-component#完善组件功能)
diff --git a/docs/guide/preset.md b/docs/guide/preset.md
new file mode 100644
index 0000000..7234a47
--- /dev/null
+++ b/docs/guide/preset.md
@@ -0,0 +1,3 @@
+# 预设
+
+待编写...
diff --git a/docs/guide/preview.md b/docs/guide/preview.md
new file mode 100644
index 0000000..d4c881e
--- /dev/null
+++ b/docs/guide/preview.md
@@ -0,0 +1,40 @@
+# 预览页面
+
+为了方便调试,随时查看生产环境显示效果,我们也提供了预览功能。
+
+当您页面设计完成之后,您可以点击页面右上角的 `预览` 按钮进行查看。
+
+如果您的预览页面无法正常显示,请继续阅读下面有关内容。
+
+## 配置
+
+在页面左侧面板中选中 `设置` 即可见到 `预览服务地址` 配置项。
+
+
+此处需要注意的是
+
+- 如果您访问的是[线上 Demo](https://cow-coder.github.io/cow-Low-code/),那么需要把此项设置为 `https://cow-coder.github.io/preview-cow-low-code/`
+- 如果您的本地调试,那么需要设置为 `preview` 子项目对应的访问地址,一般为 `http://127.0.0.1:5174`
+
+::: details 细节
+如果您启动 `editor` 和 `preview` 的顺序不同,那么端口号可能会和文档有所出入,此时请以 cli 中显示的为准
+
+如果端口冲突,那么 vite 会自动向后+1 个端口号,比如:`5174`、`5175`
+:::
+
+当一切准备就绪之后,您应该能够看到如下页面:
+
+
+
+## 常见问题
+
+1. 为什么预览页面没有显示手机壳模型?
+
+
+这种情况是由于您在 `preview` 模块中设置了发布的代码,导致 preview 以真实的手机环境在运行
+
+此时您只需要把 `packages/preview/src/setting.ts` 文件中的内容替换成默认的空设置即可
+
+```javascript
+export default {}
+```
diff --git a/docs/guide/publish.md b/docs/guide/publish.md
new file mode 100644
index 0000000..d8e232f
--- /dev/null
+++ b/docs/guide/publish.md
@@ -0,0 +1,52 @@
+# 发布页面
+
+当您完成页面设计之后就可以点击右上角的 `发布` 按钮导出页面数据
+
+
+
+## 配置
+
+将以上显示的配置数据复制到 `packages/preview/src/setting.ts` 中进行替换即可完成。
+
+::: tip 提示
+替换时候不能全部都粘贴配置文件,需要在开头加上 `export default `
+
+您的配置代码看起来应该是这样
+
+```javascript
+export default {
+ // ...您的配置
+}
+```
+
+:::
+
+## 打包
+
+1. 源码下载、环境配置,请参阅:[准备工作](../development/prepare)
+2. 在项目根目录执行
+
+```shell
+pnpm run build:preview
+```
+
+3. 等待命令执行完成之后,即可在 `/dist/preview` 文件夹下找到生成好的文件
+
+此时已经可以将生成好的文件部署到您的服务器上了
+
+您可以使用浏览器直接打开预览,可以使用下面命令进行预览
+
+```shell
+// 1. 进入 /dist/preview 目录
+
+// 2. 运行本地静态服务器
+npx http-server
+```
+
+如果正确执行的话,您会的到类似如下的输出
+
+
+
+此时访问 ` http://127.0.0.1:8080` 即可
+
+
diff --git a/docs/guide/question.md b/docs/guide/question.md
new file mode 100644
index 0000000..1036d8b
--- /dev/null
+++ b/docs/guide/question.md
@@ -0,0 +1,3 @@
+# 常见问题
+
+待编写。。。
diff --git a/docs/guide/style.md b/docs/guide/style.md
new file mode 100644
index 0000000..b47e119
--- /dev/null
+++ b/docs/guide/style.md
@@ -0,0 +1,3 @@
+# 样式
+
+待编写。。。
diff --git a/docs/guide/summary.md b/docs/guide/summary.md
new file mode 100644
index 0000000..002a09a
--- /dev/null
+++ b/docs/guide/summary.md
@@ -0,0 +1,31 @@
+# 介绍
+
+## 什么是 牛搭 ?
+
+牛搭是一个移动端低代码平台,可视化拖放编辑、页面生成工具。通过 JSON 配置就能直接生成移动端 UI 界面,极大减少开发成本。
+
+## 为什么要做 牛搭 ?
+
+兴趣使然
+
+## 牛搭 不适合做什么?
+
+牛搭使用了 JSON 来储存整个页面的数据,虽然在一定程度上方便了开发,但是 JSON 有优点也有明显的缺点,在以下场景中比不适合牛搭:
+
+- **定制化的 UI**: 由于内置的组件和 JSON 配置使得牛搭更适合做有大量常见 UI 组件的移动端页面,如果对于追求个性化的样式、动画等视觉效果,这种情况牛搭可能就无能为力了。此时应该定制开发,而不应该使用牛搭
+
+- **复杂或者特殊的交互功能**: 虽然牛搭支持了自定义事件触发器和自定动作执行器,但是使用这两者都有一定的学习成本。加上如果交互效果过于复杂,会带来比较大的麻烦,甚至需要拓展牛搭的代码。
+
+## 阅读建议
+
+- 如果你是第一次接触 **低代码平台**,那么请 **务必认真阅读完概念部分**,它会让你对 **低代码平台** 有个整体的认识
+
+## 问题反馈
+
+在使用中有任何问题,请使用以下联系方式联系我们
+
+Github: https://github.com/Cow-Coder/cow-Low-code/issues
+
+## 让我们马上开始吧
+
+点击页面底部的下一篇,继续阅读文档。
diff --git a/docs/index.md b/docs/index.md
new file mode 100644
index 0000000..9db0d9a
--- /dev/null
+++ b/docs/index.md
@@ -0,0 +1,44 @@
+---
+layout: home
+
+title: 牛搭
+titleTemplate: 移动端低代码平台、可视化拖放编辑、页面生成工具。通过 JSON 配置就能直接生成移动端UI界面,极大减少开发成本。
+
+hero:
+ name: 牛搭
+ text: 移动端低代码平台
+ tagline: 可视化拖放编辑、页面生成工具。通过 JSON 配置就能直接生成移动端UI界面,极大减少开发成本。
+ image:
+ src: /icon.svg
+ alt: Vite
+ actions:
+ - theme: brand
+ text: 开始
+ link: /guide/summary
+ - theme: alt
+ text: 浏览 Demo
+ link: https://cow-coder.github.io/cow-Low-code/
+ - theme: alt
+ text: 在 GitHub 上查看
+ link: https://github.com/Cow-Coder/cow-Low-code
+
+features:
+ - icon: 📦
+ title: 开箱即用的高质量生态元素
+ details: 包括 物料体系、事件触发器、动作处理器 等
+ - icon: 🛠️
+ title: 可视化
+ details: 可视化拖放,可视化编辑配置
+ - icon: 🌈
+ title: 丰富的功能
+ details: 利用 JSON 配置生成页面
+ - icon: ⚡
+ title: 快速生成
+ details: 快速生成移动端 UI 界面
+ - icon: 🚀
+ title: 减少开发成本
+ details: 使用低代码平台,减少开发成本
+ - icon: 🧑💻
+ title: 使用 TypeScript 开发
+ details: 提供完整的类型定义文件
+---
diff --git a/docs/package.json b/docs/package.json
new file mode 100644
index 0000000..9423bcd
--- /dev/null
+++ b/docs/package.json
@@ -0,0 +1,17 @@
+{
+ "name": "@cow-low-code/docs",
+ "private": true,
+ "scripts": {
+ "dev": "vitepress dev .",
+ "build": "vitepress build .",
+ "serve": "vitepress serve ."
+ },
+ "dependencies": {
+ "element-plus": "^2.2.14"
+ },
+ "devDependencies": {
+ "vite": "^3.0.1",
+ "vitepress": "1.0.0-alpha.4",
+ "vue": "^3.2.37"
+ }
+}
diff --git a/docs/public/icon.svg b/docs/public/icon.svg
new file mode 100644
index 0000000..249a2bb
--- /dev/null
+++ b/docs/public/icon.svg
@@ -0,0 +1,13 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/docs/public/img.png b/docs/public/img.png
new file mode 100644
index 0000000..0f08c57
Binary files /dev/null and b/docs/public/img.png differ
diff --git a/docs/public/img_1.png b/docs/public/img_1.png
new file mode 100644
index 0000000..47623ad
Binary files /dev/null and b/docs/public/img_1.png differ
diff --git a/docs/public/img_2.png b/docs/public/img_2.png
new file mode 100644
index 0000000..ab970d2
Binary files /dev/null and b/docs/public/img_2.png differ
diff --git a/docs/public/img_3.png b/docs/public/img_3.png
new file mode 100644
index 0000000..202d60c
Binary files /dev/null and b/docs/public/img_3.png differ
diff --git a/docs/public/img_4.png b/docs/public/img_4.png
new file mode 100644
index 0000000..212bd28
Binary files /dev/null and b/docs/public/img_4.png differ
diff --git a/docs/public/img_5.png b/docs/public/img_5.png
new file mode 100644
index 0000000..3ea3365
Binary files /dev/null and b/docs/public/img_5.png differ
diff --git a/docs/public/img_6.png b/docs/public/img_6.png
new file mode 100644
index 0000000..74833b4
Binary files /dev/null and b/docs/public/img_6.png differ
diff --git a/docs/public/img_7.png b/docs/public/img_7.png
new file mode 100644
index 0000000..64268c3
Binary files /dev/null and b/docs/public/img_7.png differ
diff --git a/docs/public/img_8.png b/docs/public/img_8.png
new file mode 100644
index 0000000..9e04729
Binary files /dev/null and b/docs/public/img_8.png differ
diff --git a/docs/public/logo.svg b/docs/public/logo.svg
new file mode 100644
index 0000000..2cd6c3c
--- /dev/null
+++ b/docs/public/logo.svg
@@ -0,0 +1,16 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/docs/public/monorepo.svg b/docs/public/monorepo.svg
new file mode 100644
index 0000000..a754435
--- /dev/null
+++ b/docs/public/monorepo.svg
@@ -0,0 +1,391 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/docs/team.md b/docs/team.md
new file mode 100644
index 0000000..751c10a
--- /dev/null
+++ b/docs/team.md
@@ -0,0 +1,26 @@
+---
+layout: page
+title: 认识我们的团队
+description: 牛搭由一个来自五湖四海且未曾谋面的小团队开放和维护
+---
+
+
+
+
+
+ 认识我们的团队
+
+ 牛搭由一个来自五湖四海且未曾谋面的小团队开放和维护,
+ 下面是对一些团队成员的介绍。
+
+
+
+
diff --git a/docs/tsconfig.json b/docs/tsconfig.json
new file mode 100644
index 0000000..af43806
--- /dev/null
+++ b/docs/tsconfig.json
@@ -0,0 +1,22 @@
+{
+ "compilerOptions": {
+ "target": "ESNext",
+ "module": "ESNext",
+ "moduleResolution": "Node",
+ "resolveJsonModule": true,
+ "allowSyntheticDefaultImports": true,
+ "esModuleInterop": true,
+ "forceConsistentCasingInFileNames": true,
+ "strict": true,
+ "noImplicitAny": false,
+ "skipLibCheck": true,
+ "lib": ["WebWorker"],
+ "paths": {
+ "packages/*": ["../packages/*"],
+ "~/*": ["./.vitepress/vitepress/*"]
+ },
+ "jsx": "preserve"
+ },
+ "include": ["**/*", ".vitepress/**/*"],
+ "exclude": ["node_modules"]
+}
diff --git a/docs/vite.config.ts b/docs/vite.config.ts
new file mode 100644
index 0000000..e6789ce
--- /dev/null
+++ b/docs/vite.config.ts
@@ -0,0 +1,12 @@
+import { defineConfig } from 'vite'
+
+export default defineConfig({
+ server: {
+ fs: {
+ allow: ['..'],
+ },
+ },
+ optimizeDeps: {
+ include: ['element-plus'],
+ },
+})
diff --git a/index.html b/index.html
deleted file mode 100644
index 11603f8..0000000
--- a/index.html
+++ /dev/null
@@ -1,13 +0,0 @@
-
-
-
-
-
-
- Vite App
-
-
-
-
-
-
diff --git a/internal/build-utils/build.config.ts b/internal/build-utils/build.config.ts
new file mode 100644
index 0000000..7510b4d
--- /dev/null
+++ b/internal/build-utils/build.config.ts
@@ -0,0 +1,8 @@
+import { defineBuildConfig } from 'unbuild'
+
+export default defineBuildConfig({
+ clean: true,
+ rollup: {
+ emitCJS: true,
+ },
+})
diff --git a/internal/build-utils/package.json b/internal/build-utils/package.json
new file mode 100644
index 0000000..5c0679c
--- /dev/null
+++ b/internal/build-utils/package.json
@@ -0,0 +1,15 @@
+{
+ "name": "@cow-low-code/build-utils",
+ "private": true,
+ "main": "./dist/index.cjs",
+ "module": "./dist/index.mjs",
+ "types": "./dist/index.d.ts",
+ "scripts": {
+ "build": "unbuild",
+ "dev": "pnpm run stub",
+ "stub": "unbuild --stub"
+ },
+ "devDependencies": {
+ "unbuild": "^0.7.4"
+ }
+}
diff --git a/internal/build-utils/src/index.ts b/internal/build-utils/src/index.ts
new file mode 100644
index 0000000..676f1e5
--- /dev/null
+++ b/internal/build-utils/src/index.ts
@@ -0,0 +1 @@
+export * from './paths'
diff --git a/internal/build-utils/src/paths.ts b/internal/build-utils/src/paths.ts
new file mode 100644
index 0000000..0d21c29
--- /dev/null
+++ b/internal/build-utils/src/paths.ts
@@ -0,0 +1,13 @@
+import { resolve } from 'path'
+
+export const projRoot = resolve(__dirname, '..', '..', '..')
+export const pkgRoot = resolve(projRoot, 'packages')
+export const editorRoot = resolve(pkgRoot, 'editor')
+export const buildRoot = resolve(projRoot, 'internal', 'build')
+
+/** `/dist` */
+export const buildOutput = resolve(projRoot, 'dist')
+/** `/dist/editor` */
+export const editorOutput = resolve(buildOutput, 'editor')
+/** `/dist/preview` */
+export const previewOutput = resolve(buildOutput, 'preview')
diff --git a/internal/build-utils/tsconfig.json b/internal/build-utils/tsconfig.json
new file mode 100644
index 0000000..7cbc423
--- /dev/null
+++ b/internal/build-utils/tsconfig.json
@@ -0,0 +1,7 @@
+{
+ "extends": "@vue/tsconfig/tsconfig.node.json",
+ "include": ["*.ts", "src/**/*", "**/*.d.ts"],
+ "compilerOptions": {
+ "skipLibCheck": true
+ }
+}
diff --git a/internal/vite-plugin-monaco-editor-nls/README.md b/internal/vite-plugin-monaco-editor-nls/README.md
new file mode 100644
index 0000000..31abf2d
--- /dev/null
+++ b/internal/vite-plugin-monaco-editor-nls/README.md
@@ -0,0 +1,118 @@
+# Vite Plugin monaco-editor-nls
+
+### Install:
+
+```shell
+yarn add -D vite-plugin-monaco-editor-nls
+```
+
+### Using
+
+Add this plugin in vite.config.ts:
+
+```typescript
+import MonacoEditorNlsPlugin, {
+ esbuildPluginMonacoEditorNls,
+ Languages,
+} from 'vite-plugin-monaco-editor-nls'
+
+// https://vitejs.dev/config/
+export default defineConfig({
+ resolve: {
+ alias: {
+ '@': resolve('./src'),
+ },
+ },
+ build: {
+ sourcemap: true,
+ },
+ optimizeDeps: {
+ /** vite >= 2.3.0 */
+ esbuildOptions: {
+ plugins: [
+ esbuildPluginMonacoEditorNls({
+ locale: Languages.zh_hans,
+ }),
+ ],
+ },
+ },
+ plugins: [reactRefresh(), MonacoEditorNlsPlugin({ locale: Languages.zh_hans })],
+})
+```
+
+Joying it
+
+```shell
+pnpm run example
+```
+
+### Using custom locale
+
+> It dependency on [vscode-loc](https://github.com/microsoft/vscode-loc) to get the locales.
+
+- First
+
+`pnpm add -D git+https://github.com/microsoft/vscode-loc.git`
+
+> If this is slow, you can try to copy a copy using gitlab.
+>
+> like this `pnpm add -D git+https://jihulab.com/james-curtis/vscode-loc`
+
+- Then
+
+```typescript
+import reactRefresh from '@vitejs/plugin-react-refresh'
+import { resolve } from 'path'
+import { defineConfig } from 'vite'
+import MonacoEditorNlsPlugin, {
+ esbuildPluginMonacoEditorNls,
+ Languages,
+} from 'vite-plugin-monaco-editor-nls'
+import Inspect from 'vite-plugin-inspect'
+
+const zh_CN = require('vscode-loc.git/i18n/vscode-language-pack-zh-hans/translations/main.i18n.json')
+
+// https://vitejs.dev/config/
+export default defineConfig({
+ base: './',
+ resolve: {
+ alias: {
+ '@': resolve('./src'),
+ },
+ },
+ build: {
+ sourcemap: true,
+ },
+ optimizeDeps: {
+ /** vite 版本需要大于等于2.3.0 */
+ esbuildOptions: {
+ plugins: [
+ esbuildPluginMonacoEditorNls({
+ locale: Languages.zh_hans,
+ /**
+ * The weight of `localedata` is higher than that of `locale`
+ */
+ localeData: zh_CN.contents,
+ }),
+ ],
+ },
+ },
+ plugins: [
+ reactRefresh(),
+ Inspect(),
+ MonacoEditorNlsPlugin({
+ locale: Languages.zh_hans,
+ /**
+ * The weight of `localedata` is higher than that of `locale`
+ */
+ localeData: zh_CN.contents,
+ }),
+ ],
+})
+```
+
+### Question
+
+1. Incomplete localization
+
+> try using custom locale , please
diff --git a/internal/vite-plugin-monaco-editor-nls/package.json b/internal/vite-plugin-monaco-editor-nls/package.json
new file mode 100644
index 0000000..76c5e38
--- /dev/null
+++ b/internal/vite-plugin-monaco-editor-nls/package.json
@@ -0,0 +1,21 @@
+{
+ "name": "@cow-low-code/vite-plugin-monaco-editor-nls",
+ "files": [
+ "dist"
+ ],
+ "main": "dist/index.js",
+ "scripts": {
+ "build": "rimraf dist && tsc -p . && npx copyfiles src/locale/* dist/locale"
+ },
+ "peerDependencies": {
+ "vite": ">=2.3.0"
+ },
+ "devDependencies": {
+ "@types/node": "^15.3.0",
+ "copy": "^0.3.2",
+ "esbuild": "^0.14.53",
+ "magic-string": "^0.25.7",
+ "rimraf": "^3.0.2",
+ "typescript": "^4.2.3"
+ }
+}
diff --git a/internal/vite-plugin-monaco-editor-nls/src/index.ts b/internal/vite-plugin-monaco-editor-nls/src/index.ts
new file mode 100644
index 0000000..2ee1b38
--- /dev/null
+++ b/internal/vite-plugin-monaco-editor-nls/src/index.ts
@@ -0,0 +1,349 @@
+import fs from 'fs'
+import path from 'path'
+import MagicString from 'magic-string'
+import type { Plugin } from 'vite'
+import type { Plugin as EsbuildPlugin } from 'esbuild'
+
+export enum Languages {
+ bg = 'bg',
+ cs = 'cs',
+ de = 'de',
+ en_gb = 'en-gb',
+ es = 'es',
+ fr = 'fr',
+ hu = 'hu',
+ id = 'id',
+ it = 'it',
+ ja = 'ja',
+ ko = 'ko',
+ nl = 'nl',
+ pl = 'pl',
+ ps = 'ps',
+ pt_br = 'pt-br',
+ ru = 'ru',
+ tr = 'tr',
+ uk = 'uk',
+ zh_hans = 'zh-hans',
+ zh_hant = 'zh-hant',
+}
+
+export interface Options {
+ locale: Languages
+ localeData?: Record
+}
+
+/**
+ * 在vite中dev模式下会使用esbuild对node_modules进行预编译,导致找不到映射表中的filepath,
+ * 需要在预编译之前进行替换
+ * @param options 替换语言包
+ * @returns
+ */
+export function esbuildPluginMonacoEditorNls(
+ options: Options = { locale: Languages.en_gb }
+): EsbuildPlugin {
+ const CURRENT_LOCALE_DATA = getLocalizeMapping(options.locale, options.localeData)
+
+ return {
+ name: 'esbuild-plugin-monaco-editor-nls',
+ setup(build) {
+ build.onLoad({ filter: /esm[\\\/]vs[\\\/]nls\.js/ }, async () => {
+ return {
+ contents: getLocalizeCode(CURRENT_LOCALE_DATA),
+ loader: 'js',
+ }
+ })
+
+ build.onLoad({ filter: /monaco-editor[\\\/]esm[\\\/]vs.+\.js/ }, async (args) => {
+ return {
+ contents: transformLocalizeFuncCode(args.path, CURRENT_LOCALE_DATA),
+ loader: 'js',
+ }
+ })
+ },
+ }
+}
+
+/**
+ * 使用了monaco-editor-nls的语言映射包,把原始localize(data, message)的方法,替换成了localize(path, data, defaultMessage)
+ * vite build 模式下,使用rollup处理
+ * @param options 替换语言包
+ * @returns
+ */
+export default function (options: Options = { locale: Languages.en_gb }): Plugin {
+ const CURRENT_LOCALE_DATA = getLocalizeMapping(options.locale, options.localeData)
+
+ return {
+ name: 'rollup-plugin-monaco-editor-nls',
+
+ enforce: 'pre',
+
+ load(filepath) {
+ if (/esm[\\\/]vs[\\\/]nls\.js/.test(filepath)) {
+ return getLocalizeCode(CURRENT_LOCALE_DATA)
+ }
+ },
+ transform(code, filepath) {
+ if (
+ /monaco-editor[\\\/]esm[\\\/]vs.+\.js/.test(filepath) &&
+ !/esm[\\\/]vs[\\\/].*nls\.js/.test(filepath)
+ ) {
+ CURRENT_LOCALE_DATA
+ const re = /(?:monaco-editor[\/\\]esm[\/\\])(.+)(?=\.js)/
+ if (re.exec(filepath) && code.includes('localize(')) {
+ let path = RegExp.$1
+ path = path.replaceAll('\\', '/')
+ if (JSON.parse(CURRENT_LOCALE_DATA)[path]) {
+ code = code.replace(/localize\(/g, `localize("${path}", `)
+ }
+ return {
+ code,
+ /** 使用magic-string 生成 source map */
+ map: new MagicString(code).generateMap({
+ includeContent: true,
+ hires: true,
+ source: filepath,
+ }),
+ }
+ }
+ }
+ },
+ }
+}
+
+/**
+ * 替换调用方法接口参数,替换成相应语言包语言
+ * @param filepath 路径
+ * @param CURRENT_LOCALE_DATA 替换规则
+ * @returns
+ */
+function transformLocalizeFuncCode(filepath: string, CURRENT_LOCALE_DATA: string) {
+ let code = fs.readFileSync(filepath, 'utf8')
+ const re = /(?:monaco-editor[\\\/]esm[\\\/])(.+)(?=\.js)/
+ if (re.exec(filepath)) {
+ let path = RegExp.$1
+ path = path.replaceAll('\\', '/')
+
+ // if (filepath.includes('contextmenu')) {
+ // console.log(filepath);
+ // console.log(JSON.parse(CURRENT_LOCALE_DATA)[path]);
+ // }
+
+ // console.log(path, JSON.parse(CURRENT_LOCALE_DATA)[path]);
+
+ code = code.replace(/localize\(/g, `localize('${path}', `)
+ }
+ return code
+}
+
+/**
+ * 获取语言包
+ * @param locale 语言
+ * @param localeData
+ * @returns
+ */
+function getLocalizeMapping(
+ locale: Languages,
+ localeData: Record | undefined = undefined
+) {
+ if (localeData) return JSON.stringify(localeData)
+ const locale_data_path = path.join(__dirname, `./locale/${locale}.json`)
+ return fs.readFileSync(locale_data_path) as unknown as string
+}
+
+/**
+ * 替换代码
+ * @param CURRENT_LOCALE_DATA 语言包
+ * @returns
+ */
+function getLocalizeCode(CURRENT_LOCALE_DATA: string) {
+ return `
+/*---------------------------------------------------------------------------------------------
+ * Copyright (c) Microsoft Corporation. All rights reserved.
+ * Licensed under the MIT License. See License.txt in the project root for license information.
+ *--------------------------------------------------------------------------------------------*/
+var __awaiter = (this && this.__awaiter) || function (thisArg, _arguments, P, generator) {
+ function adopt(value) { return value instanceof P ? value : new P(function (resolve) { resolve(value); }); }
+ return new (P || (P = Promise))(function (resolve, reject) {
+ function fulfilled(value) { try { step(generator.next(value)); } catch (e) { reject(e); } }
+ function rejected(value) { try { step(generator["throw"](value)); } catch (e) { reject(e); } }
+ function step(result) { result.done ? resolve(result.value) : adopt(result.value).then(fulfilled, rejected); }
+ step((generator = generator.apply(thisArg, _arguments || [])).next());
+ });
+};
+let isPseudo = (typeof document !== 'undefined' && document.location && document.location.hash.indexOf('pseudo=true') >= 0);
+const DEFAULT_TAG = 'i-default';
+function _format(message, args) {
+ let result;
+ if (args.length === 0) {
+ result = message;
+ }
+ else {
+ result = message.replace(/\\{(\\d+)\\}/g, (match, rest) => {
+ const index = rest[0];
+ const arg = args[index];
+ let result = match;
+ if (typeof arg === 'string') {
+ result = arg;
+ }
+ else if (typeof arg === 'number' || typeof arg === 'boolean' || arg === void 0 || arg === null) {
+ result = String(arg);
+ }
+ return result;
+ });
+ }
+ if (isPseudo) {
+ // FF3B and FF3D is the Unicode zenkaku representation for [ and ]
+ result = '\\uFF3B' + result.replace(/[aouei]/g, '$&$&') + '\\uFF3D';
+ }
+ return result;
+}
+function findLanguageForModule(config, name) {
+ let result = config[name];
+ if (result) {
+ return result;
+ }
+ result = config['*'];
+ if (result) {
+ return result;
+ }
+ return null;
+}
+function endWithSlash(path) {
+ if (path.charAt(path.length - 1) === '/') {
+ return path;
+ }
+ return path + '/';
+}
+function getMessagesFromTranslationsService(translationServiceUrl, language, name) {
+ return __awaiter(this, void 0, void 0, function* () {
+ const url = endWithSlash(translationServiceUrl) + endWithSlash(language) + 'vscode/' + endWithSlash(name);
+ const res = yield fetch(url);
+ if (res.ok) {
+ const messages = yield res.json();
+ return messages;
+ }
+ throw new Error(\`\${res.status} - \${res.statusText}\`);
+ });
+}
+function createScopedLocalize(scope) {
+ return function (idx, defaultValue) {
+ const restArgs = Array.prototype.slice.call(arguments, 2);
+ return _format(scope[idx], restArgs);
+ };
+}
+// export function localize(data, message, ...args) {
+// return _format(message, args);
+// }
+// ------------------------invoke----------------------------------------
+ export function localize(path, data, defaultMessage, ...args) {
+ var key = typeof data === 'object' ? data.key : data;
+ var data = ${CURRENT_LOCALE_DATA} || {};
+ var message = (data[path] || {})[key];
+ if (!message) {
+ message = defaultMessage;
+ }
+ return _format(message, args);
+ }
+// ------------------------invoke----------------------------------------
+
+export function getConfiguredDefaultLocale(_) {
+ // This returns undefined because this implementation isn't used and is overwritten by the loader
+ // when loaded.
+ return undefined;
+}
+export function setPseudoTranslation(value) {
+ isPseudo = value;
+}
+/**
+ * Invoked in a built product at run-time
+ */
+export function create(key, data) {
+ var _a;
+ return {
+ localize: createScopedLocalize(data[key]),
+ getConfiguredDefaultLocale: (_a = data.getConfiguredDefaultLocale) !== null && _a !== void 0 ? _a : ((_) => undefined)
+ };
+}
+/**
+ * Invoked by the loader at run-time
+ */
+export function load(name, req, load, config) {
+ var _a;
+ const pluginConfig = (_a = config['vs/nls']) !== null && _a !== void 0 ? _a : {};
+ if (!name || name.length === 0) {
+ return load({
+ localize: localize,
+ getConfiguredDefaultLocale: () => { var _a; return (_a = pluginConfig.availableLanguages) === null || _a === void 0 ? void 0 : _a['*']; }
+ });
+ }
+ const language = pluginConfig.availableLanguages ? findLanguageForModule(pluginConfig.availableLanguages, name) : null;
+ const useDefaultLanguage = language === null || language === DEFAULT_TAG;
+ let suffix = '.nls';
+ if (!useDefaultLanguage) {
+ suffix = suffix + '.' + language;
+ }
+ const messagesLoaded = (messages) => {
+ if (Array.isArray(messages)) {
+ messages.localize = createScopedLocalize(messages);
+ }
+ else {
+ messages.localize = createScopedLocalize(messages[name]);
+ }
+ messages.getConfiguredDefaultLocale = () => { var _a; return (_a = pluginConfig.availableLanguages) === null || _a === void 0 ? void 0 : _a['*']; };
+ load(messages);
+ };
+ if (typeof pluginConfig.loadBundle === 'function') {
+ pluginConfig.loadBundle(name, language, (err, messages) => {
+ // We have an error. Load the English default strings to not fail
+ if (err) {
+ req([name + '.nls'], messagesLoaded);
+ }
+ else {
+ messagesLoaded(messages);
+ }
+ });
+ }
+ else if (pluginConfig.translationServiceUrl && !useDefaultLanguage) {
+ (() => __awaiter(this, void 0, void 0, function* () {
+ var _b;
+ try {
+ const messages = yield getMessagesFromTranslationsService(pluginConfig.translationServiceUrl, language, name);
+ return messagesLoaded(messages);
+ }
+ catch (err) {
+ // Language is already as generic as it gets, so require default messages
+ if (!language.includes('-')) {
+ console.error(err);
+ return req([name + '.nls'], messagesLoaded);
+ }
+ try {
+ // Since there is a dash, the language configured is a specific sub-language of the same generic language.
+ // Since we were unable to load the specific language, try to load the generic language. Ex. we failed to find a
+ // Swiss German (de-CH), so try to load the generic German (de) messages instead.
+ const genericLanguage = language.split('-')[0];
+ const messages = yield getMessagesFromTranslationsService(pluginConfig.translationServiceUrl, genericLanguage, name);
+ // We got some messages, so we configure the configuration to use the generic language for this session.
+ (_b = pluginConfig.availableLanguages) !== null && _b !== void 0 ? _b : (pluginConfig.availableLanguages = {});
+ pluginConfig.availableLanguages['*'] = genericLanguage;
+ return messagesLoaded(messages);
+ }
+ catch (err) {
+ console.error(err);
+ return req([name + '.nls'], messagesLoaded);
+ }
+ }
+ }))();
+ }
+ else {
+ req([name + suffix], messagesLoaded, (err) => {
+ if (suffix === '.nls') {
+ console.error('Failed trying to load default language strings', err);
+ return;
+ }
+ console.error(\`Failed to load message bundle for language \${language}. Falling back to the default language:\`, err);
+ req([name + '.nls'], messagesLoaded);
+ });
+ }
+}
+ `
+}
diff --git a/internal/vite-plugin-monaco-editor-nls/src/locale/bg.json b/internal/vite-plugin-monaco-editor-nls/src/locale/bg.json
new file mode 100644
index 0000000..7aa8182
--- /dev/null
+++ b/internal/vite-plugin-monaco-editor-nls/src/locale/bg.json
@@ -0,0 +1,7290 @@
+{
+ "win32/i18n/Default": {
+ "SetupAppTitle": "Setup",
+ "SetupWindowTitle": "Setup - %1",
+ "UninstallAppTitle": "Uninstall",
+ "UninstallAppFullTitle": "%1 Uninstall",
+ "InformationTitle": "Information",
+ "ConfirmTitle": "Потвърждаване",
+ "ErrorTitle": "Грешка",
+ "SetupLdrStartupMessage": "This will install %1. Do you wish to continue?",
+ "LdrCannotCreateTemp": "Unable to create a temporary file. Setup aborted",
+ "LdrCannotExecTemp": "Unable to execute file in the temporary directory. Setup aborted",
+ "LastErrorMessage": "%1.%n%nError %2: %3",
+ "SetupFileMissing": "The file %1 is missing from the installation directory. Please correct the problem or obtain a new copy of the program.",
+ "SetupFileCorrupt": "The setup files are corrupted. Please obtain a new copy of the program.",
+ "SetupFileCorruptOrWrongVer": "The setup files are corrupted, or are incompatible with this version of Setup. Please correct the problem or obtain a new copy of the program.",
+ "InvalidParameter": "An invalid parameter was passed on the command line:%n%n%1",
+ "SetupAlreadyRunning": "Setup is already running.",
+ "WindowsVersionNotSupported": "This program does not support the version of Windows your computer is running.",
+ "WindowsServicePackRequired": "This program requires %1 Service Pack %2 or later.",
+ "NotOnThisPlatform": "This program will not run on %1.",
+ "OnlyOnThisPlatform": "This program must be run on %1.",
+ "OnlyOnTheseArchitectures": "This program can only be installed on versions of Windows designed for the following processor architectures:%n%n%1",
+ "MissingWOW64APIs": "The version of Windows you are running does not include functionality required by Setup to perform a 64-bit installation. To correct this problem, please install Service Pack %1.",
+ "WinVersionTooLowError": "This program requires %1 version %2 or later.",
+ "WinVersionTooHighError": "This program cannot be installed on %1 version %2 or later.",
+ "AdminPrivilegesRequired": "You must be logged in as an administrator when installing this program.",
+ "PowerUserPrivilegesRequired": "You must be logged in as an administrator or as a member of the Power Users group when installing this program.",
+ "SetupAppRunningError": "Setup has detected that %1 is currently running.%n%nPlease close all instances of it now, then click OK to continue, or Cancel to exit.",
+ "UninstallAppRunningError": "Uninstall has detected that %1 is currently running.%n%nPlease close all instances of it now, then click OK to continue, or Cancel to exit.",
+ "ErrorCreatingDir": "Setup was unable to create the directory \"%1\"",
+ "ErrorTooManyFilesInDir": "Unable to create a file in the directory \"%1\" because it contains too many files",
+ "ExitSetupTitle": "Exit Setup",
+ "ExitSetupMessage": "Setup is not complete. If you exit now, the program will not be installed.%n%nYou may run Setup again at another time to complete the installation.%n%nExit Setup?",
+ "AboutSetupMenuItem": "&About Setup...",
+ "AboutSetupTitle": "About Setup",
+ "AboutSetupMessage": "%1 version %2%n%3%n%n%1 home page:%n%4",
+ "ButtonBack": "< &Back",
+ "ButtonNext": "&Next >",
+ "ButtonInstall": "&Install",
+ "ButtonOK": "Добре",
+ "ButtonCancel": "Отказ",
+ "ButtonYes": "&Yes",
+ "ButtonYesToAll": "Yes to &All",
+ "ButtonNo": "&No",
+ "ButtonNoToAll": "N&o to All",
+ "ButtonFinish": "&Finish",
+ "ButtonBrowse": "&Browse...",
+ "ButtonWizardBrowse": "B&rowse...",
+ "ButtonNewFolder": "&Make New Folder",
+ "SelectLanguageTitle": "Select Setup Language",
+ "SelectLanguageLabel": "Select the language to use during the installation:",
+ "ClickNext": "Click Next to continue, or Cancel to exit Setup.",
+ "BrowseDialogTitle": "Browse For Folder",
+ "BrowseDialogLabel": "Select a folder in the list below, then click OK.",
+ "NewFolderName": "New Folder",
+ "WelcomeLabel1": "Welcome to the [name] Setup Wizard",
+ "WelcomeLabel2": "This will install [name/ver] on your computer.%n%nIt is recommended that you close all other applications before continuing.",
+ "WizardPassword": "Password",
+ "PasswordLabel1": "This installation is password protected.",
+ "PasswordLabel3": "Please provide the password, then click Next to continue. Passwords are case-sensitive.",
+ "PasswordEditLabel": "&Password:",
+ "IncorrectPassword": "The password you entered is not correct. Please try again.",
+ "WizardLicense": "License Agreement",
+ "LicenseLabel": "Please read the following important information before continuing.",
+ "LicenseLabel3": "Please read the following License Agreement. You must accept the terms of this agreement before continuing with the installation.",
+ "LicenseAccepted": "I &accept the agreement",
+ "LicenseNotAccepted": "I &do not accept the agreement",
+ "WizardInfoBefore": "Information",
+ "InfoBeforeLabel": "Please read the following important information before continuing.",
+ "InfoBeforeClickLabel": "When you are ready to continue with Setup, click Next.",
+ "WizardInfoAfter": "Information",
+ "InfoAfterLabel": "Please read the following important information before continuing.",
+ "InfoAfterClickLabel": "When you are ready to continue with Setup, click Next.",
+ "WizardUserInfo": "User Information",
+ "UserInfoDesc": "Please enter your information.",
+ "UserInfoName": "&User Name:",
+ "UserInfoOrg": "&Organization:",
+ "UserInfoSerial": "&Serial Number:",
+ "UserInfoNameRequired": "You must enter a name.",
+ "WizardSelectDir": "Select Destination Location",
+ "SelectDirDesc": "Where should [name] be installed?",
+ "SelectDirLabel3": "Setup will install [name] into the following folder.",
+ "SelectDirBrowseLabel": "To continue, click Next. If you would like to select a different folder, click Browse.",
+ "DiskSpaceMBLabel": "At least [mb] MB of free disk space is required.",
+ "CannotInstallToNetworkDrive": "Setup cannot install to a network drive.",
+ "CannotInstallToUNCPath": "Setup cannot install to a UNC path.",
+ "InvalidPath": "You must enter a full path with drive letter; for example:%n%nC:\\APP%n%nor a UNC path in the form:%n%n\\\\server\\share",
+ "InvalidDrive": "The drive or UNC share you selected does not exist or is not accessible. Please select another.",
+ "DiskSpaceWarningTitle": "Not Enough Disk Space",
+ "DiskSpaceWarning": "Setup requires at least %1 KB of free space to install, but the selected drive only has %2 KB available.%n%nDo you want to continue anyway?",
+ "DirNameTooLong": "The folder name or path is too long.",
+ "InvalidDirName": "The folder name is not valid.",
+ "BadDirName32": "Folder names cannot include any of the following characters:%n%n%1",
+ "DirExistsTitle": "Folder Exists",
+ "DirExists": "The folder:%n%n%1%n%nalready exists. Would you like to install to that folder anyway?",
+ "DirDoesntExistTitle": "Folder Does Not Exist",
+ "DirDoesntExist": "The folder:%n%n%1%n%ndoes not exist. Would you like the folder to be created?",
+ "WizardSelectComponents": "Select Components",
+ "SelectComponentsDesc": "Which components should be installed?",
+ "SelectComponentsLabel2": "Select the components you want to install; clear the components you do not want to install. Click Next when you are ready to continue.",
+ "FullInstallation": "Full installation",
+ "CompactInstallation": "Compact installation",
+ "CustomInstallation": "Custom installation",
+ "NoUninstallWarningTitle": "Components Exist",
+ "NoUninstallWarning": "Setup has detected that the following components are already installed on your computer:%n%n%1%n%nDeselecting these components will not uninstall them.%n%nWould you like to continue anyway?",
+ "ComponentSize1": "%1 KB",
+ "ComponentSize2": "%1 MB",
+ "ComponentsDiskSpaceMBLabel": "Current selection requires at least [mb] MB of disk space.",
+ "WizardSelectTasks": "Select Additional Tasks",
+ "SelectTasksDesc": "Which additional tasks should be performed?",
+ "SelectTasksLabel2": "Select the additional tasks you would like Setup to perform while installing [name], then click Next.",
+ "WizardSelectProgramGroup": "Select Start Menu Folder",
+ "SelectStartMenuFolderDesc": "Where should Setup place the program's shortcuts?",
+ "SelectStartMenuFolderLabel3": "Setup will create the program's shortcuts in the following Start Menu folder.",
+ "SelectStartMenuFolderBrowseLabel": "To continue, click Next. If you would like to select a different folder, click Browse.",
+ "MustEnterGroupName": "You must enter a folder name.",
+ "GroupNameTooLong": "The folder name or path is too long.",
+ "InvalidGroupName": "The folder name is not valid.",
+ "BadGroupName": "The folder name cannot include any of the following characters:%n%n%1",
+ "NoProgramGroupCheck2": "&Don't create a Start Menu folder",
+ "WizardReady": "Ready to Install",
+ "ReadyLabel1": "Setup is now ready to begin installing [name] on your computer.",
+ "ReadyLabel2a": "Click Install to continue with the installation, or click Back if you want to review or change any settings.",
+ "ReadyLabel2b": "Click Install to continue with the installation.",
+ "ReadyMemoUserInfo": "User information:",
+ "ReadyMemoDir": "Destination location:",
+ "ReadyMemoType": "Setup type:",
+ "ReadyMemoComponents": "Selected components:",
+ "ReadyMemoGroup": "Start Menu folder:",
+ "ReadyMemoTasks": "Additional tasks:",
+ "WizardPreparing": "Preparing to Install",
+ "PreparingDesc": "Setup is preparing to install [name] on your computer.",
+ "PreviousInstallNotCompleted": "The installation/removal of a previous program was not completed. You will need to restart your computer to complete that installation.%n%nAfter restarting your computer, run Setup again to complete the installation of [name].",
+ "CannotContinue": "Setup cannot continue. Please click Cancel to exit.",
+ "ApplicationsFound": "The following applications are using files that need to be updated by Setup. It is recommended that you allow Setup to automatically close these applications.",
+ "ApplicationsFound2": "The following applications are using files that need to be updated by Setup. It is recommended that you allow Setup to automatically close these applications. After the installation has completed, Setup will attempt to restart the applications.",
+ "CloseApplications": "&Automatically close the applications",
+ "DontCloseApplications": "&Do not close the applications",
+ "ErrorCloseApplications": "Setup was unable to automatically close all applications. It is recommended that you close all applications using files that need to be updated by Setup before continuing.",
+ "WizardInstalling": "Инсталиране…",
+ "InstallingLabel": "Please wait while Setup installs [name] on your computer.",
+ "FinishedHeadingLabel": "Completing the [name] Setup Wizard",
+ "FinishedLabelNoIcons": "Setup has finished installing [name] on your computer.",
+ "FinishedLabel": "Setup has finished installing [name] on your computer. The application may be launched by selecting the installed icons.",
+ "ClickFinish": "Click Finish to exit Setup.",
+ "FinishedRestartLabel": "To complete the installation of [name], Setup must restart your computer. Would you like to restart now?",
+ "FinishedRestartMessage": "To complete the installation of [name], Setup must restart your computer.%n%nWould you like to restart now?",
+ "ShowReadmeCheck": "Yes, I would like to view the README file",
+ "YesRadio": "&Yes, restart the computer now",
+ "NoRadio": "&No, I will restart the computer later",
+ "RunEntryExec": "Run %1",
+ "RunEntryShellExec": "View %1",
+ "ChangeDiskTitle": "Setup Needs the Next Disk",
+ "SelectDiskLabel2": "Please insert Disk %1 and click OK.%n%nIf the files on this disk can be found in a folder other than the one displayed below, enter the correct path or click Browse.",
+ "PathLabel": "&Path:",
+ "FileNotInDir2": "The file \"%1\" could not be located in \"%2\". Please insert the correct disk or select another folder.",
+ "SelectDirectoryLabel": "Please specify the location of the next disk.",
+ "SetupAborted": "Setup was not completed.%n%nPlease correct the problem and run Setup again.",
+ "EntryAbortRetryIgnore": "Click Retry to try again, Ignore to proceed anyway, or Abort to cancel installation.",
+ "StatusClosingApplications": "Closing applications...",
+ "StatusCreateDirs": "Creating directories...",
+ "StatusExtractFiles": "Extracting files...",
+ "StatusCreateIcons": "Creating shortcuts...",
+ "StatusCreateIniEntries": "Creating INI entries...",
+ "StatusCreateRegistryEntries": "Creating registry entries...",
+ "StatusRegisterFiles": "Registering files...",
+ "StatusSavingUninstall": "Saving uninstall information...",
+ "StatusRunProgram": "Finishing installation...",
+ "StatusRestartingApplications": "Restarting applications...",
+ "StatusRollback": "Rolling back changes...",
+ "ErrorInternal2": "Internal error: %1",
+ "ErrorFunctionFailedNoCode": "%1 failed",
+ "ErrorFunctionFailed": "%1 failed; code %2",
+ "ErrorFunctionFailedWithMessage": "%1 failed; code %2.%n%3",
+ "ErrorExecutingProgram": "Unable to execute file:%n%1",
+ "ErrorRegOpenKey": "Error opening registry key:%n%1\\%2",
+ "ErrorRegCreateKey": "Error creating registry key:%n%1\\%2",
+ "ErrorRegWriteKey": "Error writing to registry key:%n%1\\%2",
+ "ErrorIniEntry": "Error creating INI entry in file \"%1\".",
+ "FileAbortRetryIgnore": "Click Retry to try again, Ignore to skip this file (not recommended), or Abort to cancel installation.",
+ "FileAbortRetryIgnore2": "Click Retry to try again, Ignore to proceed anyway (not recommended), or Abort to cancel installation.",
+ "SourceIsCorrupted": "The source file is corrupted",
+ "SourceDoesntExist": "The source file \"%1\" does not exist",
+ "ExistingFileReadOnly": "The existing file is marked as read-only.%n%nClick Retry to remove the read-only attribute and try again, Ignore to skip this file, or Abort to cancel installation.",
+ "ErrorReadingExistingDest": "An error occurred while trying to read the existing file:",
+ "FileExists": "The file already exists.%n%nWould you like Setup to overwrite it?",
+ "ExistingFileNewer": "The existing file is newer than the one Setup is trying to install. It is recommended that you keep the existing file.%n%nDo you want to keep the existing file?",
+ "ErrorChangingAttr": "An error occurred while trying to change the attributes of the existing file:",
+ "ErrorCreatingTemp": "An error occurred while trying to create a file in the destination directory:",
+ "ErrorReadingSource": "An error occurred while trying to read the source file:",
+ "ErrorCopying": "An error occurred while trying to copy a file:",
+ "ErrorReplacingExistingFile": "An error occurred while trying to replace the existing file:",
+ "ErrorRestartReplace": "RestartReplace failed:",
+ "ErrorRenamingTemp": "An error occurred while trying to rename a file in the destination directory:",
+ "ErrorRegisterServer": "Unable to register the DLL/OCX: %1",
+ "ErrorRegSvr32Failed": "RegSvr32 failed with exit code %1",
+ "ErrorRegisterTypeLib": "Unable to register the type library: %1",
+ "ErrorOpeningReadme": "An error occurred while trying to open the README file.",
+ "ErrorRestartingComputer": "Setup was unable to restart the computer. Please do this manually.",
+ "UninstallNotFound": "File \"%1\" does not exist. Cannot uninstall.",
+ "UninstallOpenError": "File \"%1\" could not be opened. Cannot uninstall",
+ "UninstallUnsupportedVer": "The uninstall log file \"%1\" is in a format not recognized by this version of the uninstaller. Cannot uninstall",
+ "UninstallUnknownEntry": "An unknown entry (%1) was encountered in the uninstall log",
+ "ConfirmUninstall": "Are you sure you want to completely remove %1? Extensions and settings will not be removed.",
+ "UninstallOnlyOnWin64": "This installation can only be uninstalled on 64-bit Windows.",
+ "OnlyAdminCanUninstall": "This installation can only be uninstalled by a user with administrative privileges.",
+ "UninstallStatusLabel": "Please wait while %1 is removed from your computer.",
+ "UninstalledAll": "%1 was successfully removed from your computer.",
+ "UninstalledMost": "%1 uninstall complete.%n%nSome elements could not be removed. These can be removed manually.",
+ "UninstalledAndNeedsRestart": "To complete the uninstallation of %1, your computer must be restarted.%n%nWould you like to restart now?",
+ "UninstallDataCorrupted": "\"%1\" file is corrupted. Cannot uninstall",
+ "ConfirmDeleteSharedFileTitle": "Remove Shared File?",
+ "ConfirmDeleteSharedFile2": "The system indicates that the following shared file is no longer in use by any programs. Would you like for Uninstall to remove this shared file?%n%nIf any programs are still using this file and it is removed, those programs may not function properly. If you are unsure, choose No. Leaving the file on your system will not cause any harm.",
+ "SharedFileNameLabel": "File name:",
+ "SharedFileLocationLabel": "Location:",
+ "WizardUninstalling": "Uninstall Status",
+ "StatusUninstalling": "Uninstalling %1...",
+ "ShutdownBlockReasonInstallingApp": "Installing %1.",
+ "ShutdownBlockReasonUninstallingApp": "Uninstalling %1.",
+ "NameAndVersion": "%1 version %2",
+ "AdditionalIcons": "Additional icons:",
+ "CreateDesktopIcon": "Create a &desktop icon",
+ "CreateQuickLaunchIcon": "Create a &Quick Launch icon",
+ "ProgramOnTheWeb": "%1 on the Web",
+ "UninstallProgram": "Uninstall %1",
+ "LaunchProgram": "Launch %1",
+ "AssocFileExtension": "&Associate %1 with the %2 file extension",
+ "AssocingFileExtension": "Associating %1 with the %2 file extension...",
+ "AutoStartProgramGroupDescription": "Startup:",
+ "AutoStartProgram": "Automatically start %1",
+ "AddonHostProgramNotFound": "%1 could not be located in the folder you selected.%n%nDo you want to continue anyway?"
+ },
+ "vs/base/common/severity": {
+ "sev.error": "Грешка",
+ "sev.warning": "Предупреждение",
+ "sev.info": "Информация"
+ },
+ "vs/base/common/date": {
+ "date.fromNow.now": "now",
+ "date.fromNow.seconds.singular.ago": "{0} sec ago",
+ "date.fromNow.seconds.plural.ago": "{0} secs ago",
+ "date.fromNow.seconds.singular": "{0} sec",
+ "date.fromNow.seconds.plural": "{0} secs",
+ "date.fromNow.minutes.singular.ago": "{0} min ago",
+ "date.fromNow.minutes.plural.ago": "{0} mins ago",
+ "date.fromNow.minutes.singular": "{0} min",
+ "date.fromNow.minutes.plural": "{0} mins",
+ "date.fromNow.hours.singular.ago": "{0} hr ago",
+ "date.fromNow.hours.plural.ago": "{0} hrs ago",
+ "date.fromNow.hours.singular": "{0} hr",
+ "date.fromNow.hours.plural": "{0} hrs",
+ "date.fromNow.days.singular.ago": "{0} day ago",
+ "date.fromNow.days.plural.ago": "преди {0} дни",
+ "date.fromNow.days.singular": "{0} day",
+ "date.fromNow.days.plural": "{0} days",
+ "date.fromNow.weeks.singular.ago": "{0} wk ago",
+ "date.fromNow.weeks.plural.ago": "{0} wks ago",
+ "date.fromNow.weeks.singular": "{0} wk",
+ "date.fromNow.weeks.plural": "{0} wks",
+ "date.fromNow.months.singular.ago": "{0} mo ago",
+ "date.fromNow.months.plural.ago": "{0} mos ago",
+ "date.fromNow.months.singular": "{0} mo",
+ "date.fromNow.months.plural": "{0} mos",
+ "date.fromNow.years.singular.ago": "{0} yr ago",
+ "date.fromNow.years.plural.ago": "{0} yrs ago",
+ "date.fromNow.years.singular": "{0} yr",
+ "date.fromNow.years.plural": "{0} yrs"
+ },
+ "vs/base/common/errorMessage": {
+ "stackTrace.format": "{0}: {1}",
+ "nodeExceptionMessage": "Възникна системна грешка ({0})",
+ "error.defaultMessage": "Възникна непозната грешка. Прегледайте журнала за подробности.",
+ "error.moreErrors": "{0} (общ брой грешки: {1})"
+ },
+ "vs/base/node/zip": {
+ "invalid file": "Грешка при извличането на {0}. Неправилен или увреден файл.",
+ "incompleteExtract": "Не е завършено. Намерени елементи: {0} от {1}",
+ "notFound": "Не е открит файл „{0}“ в архива."
+ },
+ "vs/base/browser/ui/actionbar/actionbar": {
+ "titleLabel": "{0} ({1})"
+ },
+ "vs/base/node/processes": {
+ "TaskRunner.UNC": "Не е възможно изпълняването на команда на обвивката в дял посочен във формата „UNC“."
+ },
+ "vs/base/browser/ui/aria/aria": {
+ "repeated": "{0} (случва се отново)",
+ "repeatedNtimes": "{0} (случило се е {1} пъти)"
+ },
+ "vs/base/browser/ui/keybindingLabel/keybindingLabel": {
+ "unbound": "няма"
+ },
+ "vs/base/browser/ui/dialog/dialog": {
+ "ok": "Добре",
+ "dialogClose": "Close Dialog"
+ },
+ "vs/base/common/keybindingLabels": {
+ "ctrlKey": "Ctrl",
+ "shiftKey": "Shift",
+ "altKey": "Alt",
+ "windowsKey": "Windows",
+ "superKey": "Super",
+ "ctrlKey.long": "Control",
+ "shiftKey.long": "Shift",
+ "altKey.long": "Alt",
+ "cmdKey.long": "Команда",
+ "windowsKey.long": "Windows",
+ "superKey.long": "Super"
+ },
+ "vs/base/browser/ui/menu/menu": {
+ "titleLabel": "{0} ({1})"
+ },
+ "vs/base/browser/ui/list/listWidget": {
+ "aria list": "{0}. Използвайте навигационните клавиши за придвижване."
+ },
+ "vs/base/common/jsonErrorMessages": {
+ "error.invalidSymbol": "Неправилен знак",
+ "error.invalidNumberFormat": "Неправилен числов формат",
+ "error.propertyNameExpected": "Очаква се име на свойство",
+ "error.valueExpected": "Очаква се стойност",
+ "error.colonExpected": "Очаква се двоеточие",
+ "error.commaExpected": "Очаква се запетая",
+ "error.closeBraceExpected": "Очаква се затваряща къдрава скоба",
+ "error.closeBracketExpected": "Очаква се затваряща скоба",
+ "error.endOfFileExpected": "Очаква се край на файла"
+ },
+ "vs/base/browser/ui/toolbar/toolbar": {
+ "moreActions": "Още действия…"
+ },
+ "vs/base/browser/ui/findinput/replaceInput": {
+ "defaultLabel": "вход",
+ "label.preserveCaseCheckbox": "Preserve Case"
+ },
+ "vs/base/browser/ui/inputbox/inputBox": {
+ "alertErrorMessage": "Грешка: {0}",
+ "alertWarningMessage": "Предупреждение: {0}",
+ "alertInfoMessage": "Информация: {0}"
+ },
+ "vs/base/browser/ui/findinput/findInput": {
+ "defaultLabel": "вход"
+ },
+ "vs/base/browser/ui/tree/treeDefaults": {
+ "collapse all": "Скриване на всички"
+ },
+ "vs/base/browser/ui/findinput/findInputCheckboxes": {
+ "caseDescription": "Зачитане на регистъра",
+ "wordsDescription": "Търсене на цели думи",
+ "regexDescription": "Използване на регулярен израз"
+ },
+ "vs/base/parts/quickinput/browser/quickInput": {
+ "quickInput.back": "Back",
+ "quickInput.steps": "{0}/{1}",
+ "quickInputBox.ariaLabel": "Започнете да пишете, за да ограничите резултатите.",
+ "inputModeEntry": "Натиснете „Enter“, за потвърждаване на въведеното, или „Escape“ за отказ",
+ "inputModeEntryDescription": "{0} (Натиснете „Enter“ за потвърждаване или „Escape“ за отказ)",
+ "quickInput.visibleCount": "{0} Results",
+ "quickInput.countSelected": "Избрани: {0}",
+ "ok": "Добре",
+ "custom": "Custom",
+ "quickInput.backWithKeybinding": "Back ({0})"
+ },
+ "vs/base/browser/ui/tree/abstractTree": {
+ "clear": "Изчистване",
+ "disable filter on type": "Disable Filter on Type",
+ "enable filter on type": "Enable Filter on Type",
+ "empty": "No elements found",
+ "found": "Matched {0} out of {1} elements"
+ },
+ "vs/base/browser/ui/splitview/paneview": {
+ "viewSection": "{0} Section"
+ },
+ "vs/base/browser/ui/menu/menubar": {
+ "mAppMenu": "Application Menu",
+ "mMore": "още"
+ },
+ "vs/editor/common/services/modelServiceImpl": {
+ "undoRedoConfirm": "Keep the undo-redo stack for {0} in memory ({1} MB)?",
+ "nok": "Отхвърляне",
+ "ok": "Задържане"
+ },
+ "vs/editor/common/standaloneStrings": {
+ "noSelection": "No selection",
+ "singleSelectionRange": "Line {0}, Column {1} ({2} selected)",
+ "singleSelection": "Line {0}, Column {1}",
+ "multiSelectionRange": "{0} избрани области (общо избрани знаци: {1})",
+ "multiSelection": "{0} избрани области",
+ "emergencyConfOn": "Now changing the setting `accessibilitySupport` to 'on'.",
+ "openingDocs": "Now opening the Editor Accessibility documentation page.",
+ "readonlyDiffEditor": " in a read-only pane of a diff editor.",
+ "editableDiffEditor": " in a pane of a diff editor.",
+ "readonlyEditor": " in a read-only code editor",
+ "editableEditor": " in a code editor",
+ "changeConfigToOnMac": "To configure the editor to be optimized for usage with a Screen Reader press Command+E now.",
+ "changeConfigToOnWinLinux": "To configure the editor to be optimized for usage with a Screen Reader press Control+E now.",
+ "auto_on": "The editor is configured to be optimized for usage with a Screen Reader.",
+ "auto_off": "The editor is configured to never be optimized for usage with a Screen Reader, which is not the case at this time.",
+ "tabFocusModeOnMsg": "Натискането на клавиша „Tab“ в текущия редактор ще премести фокуса върху следващия елемент, който може да приема фокус. Можете да превключите това поведение чрез {0}.",
+ "tabFocusModeOnMsgNoKb": "Натискането на клавиша „Tab“ в текущия редактор ще премести фокуса върху следващия елемент, който може да приема фокус. Командата „{0}“ в момента не може да бъде изпълнена чрез клавишна комбинация.",
+ "tabFocusModeOffMsg": "Натискането на клавиша „Tab“ в текущия редактор ще вмъкне знак за табулация. Можете да превключите това поведение чрез {0}.",
+ "tabFocusModeOffMsgNoKb": "Натискането на клавиша „Tab“ в текущия редактор ще вмъкне знак за табулация. Командата „{0}“ в момента не може да бъде изпълнена чрез клавишна комбинация.",
+ "openDocMac": "Press Command+H now to open a browser window with more information related to editor accessibility.",
+ "openDocWinLinux": "Press Control+H now to open a browser window with more information related to editor accessibility.",
+ "outroMsg": "Можете да затворите този съвет и да се върнете към редактора като натиснете Escape или Shift+Escape.",
+ "showAccessibilityHelpAction": "Показване на помощна информация за улеснения достъп",
+ "inspectTokens": "Developer: Inspect Tokens",
+ "gotoLineActionLabel": "Go to Line/Column...",
+ "helpQuickAccess": "Show all Quick Access Providers",
+ "quickCommandActionLabel": "Command Palette",
+ "quickCommandActionHelp": "Показване и изпълнение на команди",
+ "quickOutlineActionLabel": "Go to Symbol...",
+ "quickOutlineByCategoryActionLabel": "Go to Symbol by Category...",
+ "editorViewAccessibleLabel": "Съдържание в редактора",
+ "accessibilityHelpMessage": "Натиснете Alt+F1 за настройките за улеснен достъп.",
+ "toggleHighContrast": "Toggle High Contrast Theme",
+ "bulkEditServiceSummary": "{0} промени в {1} файла"
+ },
+ "vs/editor/common/modes/modesRegistry": {
+ "plainText.alias": "Обикновен текст"
+ },
+ "vs/editor/common/view/editorColorRegistry": {
+ "lineHighlight": "Фонов цвят за открояване на реда, на който се намира курсорът.",
+ "lineHighlightBorderBox": "Фонов цвят за контура около реда, на който се намира курсорът.",
+ "rangeHighlight": "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.",
+ "rangeHighlightBorder": "Фонов цвят на контура около откроените области.",
+ "symbolHighlight": "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.",
+ "symbolHighlightBorder": "Background color of the border around highlighted symbols.",
+ "caret": "Цвят на курсора в редактора.",
+ "editorCursorBackground": "Фонов цвят за курсора в редактора. Позволява персонализиране на цвета на знака покрит от правоъгълния курсор.",
+ "editorWhitespaces": "Цвят на знаците на празните места в редактора.",
+ "editorIndentGuides": "Цвят на водачите за отстъпа в редактора.",
+ "editorActiveIndentGuide": "Цвят на водачите за отстъпа в активния редактор.",
+ "editorLineNumbers": "Цвят на номерата на редовете в редактора.",
+ "editorActiveLineNumber": "Цвят на номера на активния ред в редактора.",
+ "deprecatedEditorActiveLineNumber": "Идентификаторът е излязъл от употреба. Вместо това използвайте „editorLineNumber.activeForeground“.",
+ "editorRuler": "Цвят на скалите в редактора.",
+ "editorCodeLensForeground": "Основен цвят на лещите за код в редактора",
+ "editorBracketMatchBackground": "Фонов цвят под съответстващите скоби",
+ "editorBracketMatchBorder": "Цвят за кутийките на съответстващите скоби",
+ "editorOverviewRulerBorder": "Цвят за контура на скалата за преглед.",
+ "editorGutter": "Фонов цвят на полето на редактора. Полето включва отстоянието на знаците и номерата на редовете.",
+ "unnecessaryCodeBorder": "Border color of unnecessary (unused) source code in the editor.",
+ "unnecessaryCodeOpacity": "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.",
+ "overviewRulerRangeHighlight": "Overview ruler marker color for range highlights. The color must not be opaque so as not to hide underlying decorations.",
+ "overviewRuleError": "Цвят за отбелязване на грешките в скалата за преглед.",
+ "overviewRuleWarning": "Цвят за отбелязване на предупрежденията в скалата за преглед.",
+ "overviewRuleInfo": "Цвят за отбелязване на информативните съобщения в скалата за преглед."
+ },
+ "vs/editor/common/model/editStack": {
+ "edit": "Typing"
+ },
+ "vs/editor/common/config/commonEditorConfig": {
+ "editorConfigurationTitle": "Редактор",
+ "tabSize": "Брой знаци, на които се равнява табулацията. Тази настройка може да бъде пренебрегната в зависимост от съдържанието на файла, ако настройката `#editor.detectIndentation#` е включена.",
+ "insertSpaces": "Вмъкване на интервали при натискането на клавиша `Tab`. Тази настройка се пренебрегва в зависимост от съдържанието на файла, ако настройката `#editor.detectIndentation#` е включена.",
+ "detectIndentation": "Определя дали стойностите на `#editor.tabSize#` и `#editor.insertSpaces#` да бъдат автоматично определени, когато се отваря файл, според съдържанието на файла.",
+ "trimAutoWhitespace": "Премахване на автоматично въведените празни места в края на редовете.",
+ "largeFileOptimizations": "Специално третиране на големите файлове, с цел да се изключат някои натоварващи паметта функционалности.",
+ "wordBasedSuggestions": "Определя дали завършванията да бъдат изчислявани според думите в документа.",
+ "semanticHighlighting.enabled": "Controls whether the semanticHighlighting is shown for the languages that support it.",
+ "stablePeek": "Поддържане на редакторите за надникване отворени при двойно щракване на съдържанието в тях или при натискане на клавиша `Escape`.",
+ "maxTokenizationLineLength": "Lines above this length will not be tokenized for performance reasons",
+ "maxComputationTime": "Timeout in milliseconds after which diff computation is cancelled. Use 0 for no timeout.",
+ "sideBySide": "Определя дали редакторът за преглед на разликите да ги показва разделени от двете страни или заедно.",
+ "ignoreTrimWhitespace": "When enabled, the diff editor ignores changes in leading or trailing whitespace.",
+ "renderIndicators": "Определя дали редакторът за преглед на разликите да показва знаците +/- като индикатори за добавени/премахнати промени."
+ },
+ "vs/editor/browser/controller/coreCommands": {
+ "miSelectAll": "&&Select All",
+ "selectAll": "Избиране на всичко",
+ "miUndo": "&&Undo",
+ "undo": "Отмяна",
+ "miRedo": "&&Redo",
+ "redo": "Повторение"
+ },
+ "vs/editor/browser/widget/codeEditorWidget": {
+ "cursors.maximum": "Броят на курсорите е ограничен до {0}."
+ },
+ "vs/editor/browser/widget/diffEditorWidget": {
+ "diff.tooLarge": "Файловете не могат да бъдат сравнени, защото единият от тях е твърде голям."
+ },
+ "vs/editor/browser/widget/inlineDiffMargin": {
+ "diff.clipboard.copyDeletedLinesContent.label": "Copy deleted lines",
+ "diff.clipboard.copyDeletedLinesContent.single.label": "Copy deleted line",
+ "diff.clipboard.copyDeletedLineContent.label": "Copy deleted line ({0})",
+ "diff.inline.revertChange.label": "Revert this change"
+ },
+ "vs/editor/common/config/editorOptions": {
+ "accessibilitySupport.auto": "Редакторът ще използва системните ППИ, за да определи дали е включен екранен четец.",
+ "accessibilitySupport.on": "Редакторът ще бъде винаги оптимизиран за ползване с екранен четец.",
+ "accessibilitySupport.off": "Редакторът няма да бъде оптимизиран за ползване с екранен четец.",
+ "accessibilitySupport": "Определя дали редакторът да се изпълнява в режим, при който той е оптимизиран за ползване с екранни четци.",
+ "comments.insertSpace": "Controls whether a space character is inserted when commenting.",
+ "emptySelectionClipboard": "Определя дали копирането без да има избран текст да копира текущия ред.",
+ "find.seedSearchStringFromSelection": "Определя дали при показване на елемента за търсене да се въвежда автоматично избрания текст от редактора.",
+ "editor.find.autoFindInSelection.never": "Never turn on Find in selection automatically (default)",
+ "editor.find.autoFindInSelection.always": "Always turn on Find in selection automatically",
+ "editor.find.autoFindInSelection.multiline": "Turn on Find in selection automatically when multiple lines of content are selected.",
+ "find.autoFindInSelection": "Определя дали търсенето да се изпълнява в рамките на избрания текст или в целия отворен в редактора файл.",
+ "find.globalFindClipboard": "Определя дали елементът за търсене да може да чете и променя споделения буфер за търсене на macOS.",
+ "find.addExtraSpaceOnTop": "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.",
+ "fontLigatures": "Включване/изключване на свързването на букви в шрифтовете.",
+ "fontFeatureSettings": "Explicit font-feature-settings.",
+ "fontLigaturesGeneral": "Configures font ligatures or font features.",
+ "fontSize": "Определя размера на шрифта в пиксели.",
+ "editor.gotoLocation.multiple.peek": "Show peek view of the results (default)",
+ "editor.gotoLocation.multiple.gotoAndPeek": "Go to the primary result and show a peek view",
+ "editor.gotoLocation.multiple.goto": "Go to the primary result and enable peek-less navigation to others",
+ "editor.gotoLocation.multiple.deprecated": "This setting is deprecated, please use separate settings like 'editor.editor.gotoLocation.multipleDefinitions' or 'editor.editor.gotoLocation.multipleImplementations' instead.",
+ "editor.editor.gotoLocation.multipleDefinitions": "Controls the behavior the 'Go to Definition'-command when multiple target locations exist.",
+ "editor.editor.gotoLocation.multipleTypeDefinitions": "Controls the behavior the 'Go to Type Definition'-command when multiple target locations exist.",
+ "editor.editor.gotoLocation.multipleDeclarations": "Controls the behavior the 'Go to Declaration'-command when multiple target locations exist.",
+ "editor.editor.gotoLocation.multipleImplemenattions": "Controls the behavior the 'Go to Implementations'-command when multiple target locations exist.",
+ "editor.editor.gotoLocation.multipleReferences": "Controls the behavior the 'Go to References'-command when multiple target locations exist.",
+ "alternativeDefinitionCommand": "Alternative command id that is being executed when the result of 'Go to Definition' is the current location.",
+ "alternativeTypeDefinitionCommand": "Alternative command id that is being executed when the result of 'Go to Type Definition' is the current location.",
+ "alternativeDeclarationCommand": "Alternative command id that is being executed when the result of 'Go to Declaration' is the current location.",
+ "alternativeImplementationCommand": "Alternative command id that is being executed when the result of 'Go to Implementation' is the current location.",
+ "alternativeReferenceCommand": "Alternative command id that is being executed when the result of 'Go to Reference' is the current location.",
+ "hover.enabled": "Определя дали да се показва изскачаща информация.",
+ "hover.delay": "Определя забавянето в милисекунди, след което да се показва изскачащата информация.",
+ "hover.sticky": "Определя дали изскачащата информация да остава видима, когато показалецът на мишката бъде преместен върху нея.",
+ "codeActions": "Разрешава показването на лампичката за действие свързано с кода в редактора.",
+ "lineHeight": "Определя височината на реда. Ако зададете 0, височината на реда ще бъде изчислена от размера на шрифта.",
+ "minimap.enabled": "Определя дали да се показва мини-картата.",
+ "minimap.size.proportional": "The minimap has the same size as the editor contents (and might scroll).",
+ "minimap.size.fill": "The minimap will stretch or shrink as necessary to fill the height of the editor (no scrolling).",
+ "minimap.size.fit": "The minimap will shrink as necessary to never be larger than the editor (no scrolling).",
+ "minimap.size": "Controls the size of the minimap.",
+ "minimap.side": "Определя страната, от която да се показва миникартата.",
+ "minimap.showSlider": "Controls when the minimap slider is shown.",
+ "minimap.scale": "Scale of content drawn in the minimap: 1, 2 or 3.",
+ "minimap.renderCharacters": "Показване на истинските знаци на редовете (а не само цветни правоъгълничета).",
+ "minimap.maxColumn": "Ограничава ширината на мини-картата, така че да показва най-много определен брой колони.",
+ "padding.top": "Controls the amount of space between the top edge of the editor and the first line.",
+ "padding.bottom": "Controls the amount of space between the bottom edge of the editor and the last line.",
+ "parameterHints.enabled": "Разрешаване на показването на документация за параметрите и информация за типовете по време на писане.",
+ "parameterHints.cycle": "Определя дали менюто с подсказки за параметрите да се превърта или да се затваря при достигане до края на списъка.",
+ "quickSuggestions.strings": "Разрешаване на бързите предложения в низовете.",
+ "quickSuggestions.comments": "Разрешаване на бързите предложения в коментарите.",
+ "quickSuggestions.other": "Разрешаване на бързите предложения извън низовете и коментарите.",
+ "quickSuggestions": "Определя дали при писане автоматично да се показват предложения.",
+ "lineNumbers.off": "Номерата на редовете не се показват.",
+ "lineNumbers.on": "Номерата на редовете се извеждат като абсолютни числа.",
+ "lineNumbers.relative": "Номерата на редовете се извеждат като брой редове до мястото на курсора.",
+ "lineNumbers.interval": "Номерата на редовете се показват през 10 реда.",
+ "lineNumbers": "Определя дали да се показват номерата на редовете.",
+ "rulers.size": "Number of monospace characters at which this editor ruler will render.",
+ "rulers.color": "Color of this editor ruler.",
+ "rulers": "Показване на вертикални скали след определен брой едноразрядни знаци. Въведете няколко стойности, за да имате няколко скали. Ако масивът е празен, няма да има нито една скала.",
+ "suggest.insertMode.insert": "Insert suggestion without overwriting text right of the cursor.",
+ "suggest.insertMode.replace": "Insert suggestion and overwrite text right of the cursor.",
+ "suggest.insertMode": "Controls whether words are overwritten when accepting completions. Note that this depends on extensions opting into this feature.",
+ "suggest.filterGraceful": "Определя дали филтрирането и сортирането на предложения да отчита малките правописни грешки.",
+ "suggest.localityBonus": "Определя дали сортирането да дава предимство на думите, които се намират по-близо до курсора.",
+ "suggest.shareSuggestSelections": "Controls whether remembered suggestion selections are shared between multiple workspaces and windows (needs `#editor.suggestSelection#`).",
+ "suggest.snippetsPreventQuickSuggestions": "Controls whether an active snippet prevents quick suggestions.",
+ "suggest.showIcons": "Controls whether to show or hide icons in suggestions.",
+ "suggest.maxVisibleSuggestions": "Controls how many suggestions IntelliSense will show before showing a scrollbar (maximum 15).",
+ "deprecated": "This setting is deprecated, please use separate settings like 'editor.suggest.showKeywords' or 'editor.suggest.showSnippets' instead.",
+ "editor.suggest.showMethods": "When enabled IntelliSense shows `method`-suggestions.",
+ "editor.suggest.showFunctions": "When enabled IntelliSense shows `function`-suggestions.",
+ "editor.suggest.showConstructors": "When enabled IntelliSense shows `constructor`-suggestions.",
+ "editor.suggest.showFields": "When enabled IntelliSense shows `field`-suggestions.",
+ "editor.suggest.showVariables": "When enabled IntelliSense shows `variable`-suggestions.",
+ "editor.suggest.showClasss": "When enabled IntelliSense shows `class`-suggestions.",
+ "editor.suggest.showStructs": "When enabled IntelliSense shows `struct`-suggestions.",
+ "editor.suggest.showInterfaces": "When enabled IntelliSense shows `interface`-suggestions.",
+ "editor.suggest.showModules": "When enabled IntelliSense shows `module`-suggestions.",
+ "editor.suggest.showPropertys": "When enabled IntelliSense shows `property`-suggestions.",
+ "editor.suggest.showEvents": "When enabled IntelliSense shows `event`-suggestions.",
+ "editor.suggest.showOperators": "When enabled IntelliSense shows `operator`-suggestions.",
+ "editor.suggest.showUnits": "When enabled IntelliSense shows `unit`-suggestions.",
+ "editor.suggest.showValues": "When enabled IntelliSense shows `value`-suggestions.",
+ "editor.suggest.showConstants": "When enabled IntelliSense shows `constant`-suggestions.",
+ "editor.suggest.showEnums": "When enabled IntelliSense shows `enum`-suggestions.",
+ "editor.suggest.showEnumMembers": "When enabled IntelliSense shows `enumMember`-suggestions.",
+ "editor.suggest.showKeywords": "When enabled IntelliSense shows `keyword`-suggestions.",
+ "editor.suggest.showTexts": "When enabled IntelliSense shows `text`-suggestions.",
+ "editor.suggest.showColors": "When enabled IntelliSense shows `color`-suggestions.",
+ "editor.suggest.showFiles": "When enabled IntelliSense shows `file`-suggestions.",
+ "editor.suggest.showReferences": "When enabled IntelliSense shows `reference`-suggestions.",
+ "editor.suggest.showCustomcolors": "When enabled IntelliSense shows `customcolor`-suggestions.",
+ "editor.suggest.showFolders": "When enabled IntelliSense shows `folder`-suggestions.",
+ "editor.suggest.showTypeParameters": "When enabled IntelliSense shows `typeParameter`-suggestions.",
+ "editor.suggest.showSnippets": "When enabled IntelliSense shows `snippet`-suggestions.",
+ "editor.suggest.showUsers": "When enabled IntelliSense shows `user`-suggestions.",
+ "editor.suggest.showIssues": "When enabled IntelliSense shows `issues`-suggestions.",
+ "editor.suggest.statusBar.visible": "Controls the visibility of the status bar at the bottom of the suggest widget.",
+ "acceptSuggestionOnCommitCharacter": "Определя дали предложенията да бъдат приемани при въвеждане на завършващи знаци. Например, в JavaScript знакът за точка и запетая (`;`) може да бъде завършващ знак, с който да се приеме предложението и след това се въведе самият знак.",
+ "acceptSuggestionOnEnterSmart": "Приемането на предложения с `Enter` да става само, ако предложението прави текстова промяна.",
+ "acceptSuggestionOnEnter": "Определя дали предложенията трябва да бъдат приемани и при натискане на клавиша `Enter`, а не само при натискане на `Tab`. Това помага за избягването на объркване между преминаването на нов ред или приемане на предложения.",
+ "accessibilityPageSize": "Controls the number of lines in the editor that can be read out by a screen reader. Warning: this has a performance implication for numbers larger than the default.",
+ "editorViewAccessibleLabel": "Съдържание в редактора",
+ "editor.autoClosingBrackets.languageDefined": "Използване на настройките за езика, за да се определи кога да се затварят автоматично скобите.",
+ "editor.autoClosingBrackets.beforeWhitespace": "Автоматично затваряне на скобите само когато курсорът е отляво на празно място.",
+ "autoClosingBrackets": "Определя дали редакторът да затваря автоматично скобите след като потребителят добави отваряща скоба.",
+ "editor.autoClosingOvertype.auto": "Type over closing quotes or brackets only if they were automatically inserted.",
+ "autoClosingOvertype": "Controls whether the editor should type over closing quotes or brackets.",
+ "editor.autoClosingQuotes.languageDefined": "Използване на настройките за езика, за да се определи кога да се затварят автоматично кавичките.",
+ "editor.autoClosingQuotes.beforeWhitespace": "Автоматично затваряне на кавичките само когато курсорът е отляво на празно място.",
+ "autoClosingQuotes": "Определя дали редакторът да затваря автоматично кавичките след като потребителят добави отваряща кавичка.",
+ "editor.autoIndent.none": "The editor will not insert indentation automatically.",
+ "editor.autoIndent.keep": "The editor will keep the current line's indentation.",
+ "editor.autoIndent.brackets": "The editor will keep the current line's indentation and honor language defined brackets.",
+ "editor.autoIndent.advanced": "The editor will keep the current line's indentation, honor language defined brackets and invoke special onEnterRules defined by languages.",
+ "editor.autoIndent.full": "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.",
+ "autoIndent": "Controls whether the editor should automatically adjust the indentation when users type, paste, move or indent lines.",
+ "editor.autoSurround.languageDefined": "Използване на настройките за езика, за да се определи кога автоматично да се обгражда избраното.",
+ "editor.autoSurround.quotes": "Обграждане с кавички, но не и със скоби.",
+ "editor.autoSurround.brackets": "Обграждане със скоби, но не и с кавички.",
+ "autoSurround": "Определя дали редакторът да обгражда избрания текст автоматично.",
+ "codeLens": "Controls whether the editor shows CodeLens.",
+ "colorDecorators": "Определя дали редакторът да показва вътрешните цветни декорации и елемента за избор на цвят.",
+ "columnSelection": "Enable that the selection with the mouse and keys is doing column selection.",
+ "copyWithSyntaxHighlighting": "Определя дали открояването на синтаксиса да се копира в буфера за обмен.",
+ "cursorBlinking": "Определя стила на анимацията на курсора.",
+ "cursorSmoothCaretAnimation": "Определя дали курсорът да се анимира плавно.",
+ "cursorStyle": "Определя стила на курсора.",
+ "cursorSurroundingLines": "Controls the minimal number of visible leading and trailing lines surrounding the cursor. Known as 'scrollOff' or `scrollOffset` in some other editors.",
+ "cursorSurroundingLinesStyle.default": "`cursorSurroundingLines` is enforced only when triggered via the keyboard or API.",
+ "cursorSurroundingLinesStyle.all": "`cursorSurroundingLines` is enforced always.",
+ "cursorSurroundingLinesStyle": "Controls when `cursorSurroundingLines` should be enforced.",
+ "cursorWidth": "Определя ширината на курсора, когато `#editor.cursorStyle#` е настроено на `line`.",
+ "dragAndDrop": "Определя дали редакторът да позволява преместването на избрания текст чрез влачене с мишката.",
+ "fastScrollSensitivity": "Scrolling speed multiplier when pressing `Alt`.",
+ "folding": "Controls whether the editor has code folding enabled.",
+ "foldingStrategy.auto": "Use a language-specific folding strategy if available, else the indentation-based one.",
+ "foldingStrategy.indentation": "Use the indentation-based folding strategy.",
+ "foldingStrategy": "Controls the strategy for computing folding ranges.",
+ "foldingHighlight": "Controls whether the editor should highlight folded ranges.",
+ "unfoldOnClickAfterEndOfLine": "Controls whether clicking on the empty content after a folded line will unfold the line.",
+ "fontFamily": "Определя семейството на шрифта.",
+ "fontWeight": "Определя дебелината на шрифта.",
+ "formatOnPaste": "Определя дали редакторът да форматира автоматично поставеното съдържание. Трябва да е налична функционалност за форматиране и тя трябва да може да форматира област в документа.",
+ "formatOnType": "Определя дали редакторът да форматира автоматично реда след въвеждане на текст.",
+ "glyphMargin": "Определя дали редакторът да показва вертикалното отстояние на знаците. То се използва най-вече при отстраняване на грешки.",
+ "hideCursorInOverviewRuler": "Определя дали курсорът да бъде скрит в скалата за преглед.",
+ "highlightActiveIndentGuide": "Определя дали редакторът да откроява активния водач за отстъпа.",
+ "letterSpacing": "Определя разстоянието между знаците в пиксели.",
+ "links": "Определя дали редакторът да разпознава връзките и да ги прави възможни за натискане.",
+ "matchBrackets": "Highlight matching brackets.",
+ "mouseWheelScrollSensitivity": "Множител, който да се използва за `deltaX` и `deltaY` при събитията на превъртане на колелцето на мишката.",
+ "mouseWheelZoom": "Мащабиране на шрифта в редактора при използване на колелцето на мишката и задържан клавиш `Ctrl`.",
+ "multiCursorMergeOverlapping": "Обединяване на курсорите, ако се припокриват.",
+ "multiCursorModifier.ctrlCmd": "Отговаря на `Control` под Windows и Линукс, и на `Command` под macOS.",
+ "multiCursorModifier.alt": "Отговаря на `Alt` под Windows и Линукс, и на `Option` под macOS.",
+ "multiCursorModifier": "Клавиш, при задържането на който да се добавят допълнителни курсори с мишката. Жестовете с мишката за „Преминаване към дефиницията“ и „Отваряне на връзката“ ще се приспособят така, че да не се засичат с този клавиш. [Прочетете повече](https://code.visualstudio.com/docs/editor/codebasics#_multicursor-modifier)",
+ "multiCursorPaste.spread": "Each cursor pastes a single line of the text.",
+ "multiCursorPaste.full": "Each cursor pastes the full text.",
+ "multiCursorPaste": "Controls pasting when the line count of the pasted text matches the cursor count.",
+ "occurrencesHighlight": "Определя дали редакторът да откроява срещанията на семантични знаци.",
+ "overviewRulerBorder": "Определя дали около скалата за преглед да се изчертава контур.",
+ "peekWidgetDefaultFocus.tree": "Focus the tree when opening peek",
+ "peekWidgetDefaultFocus.editor": "Focus the editor when opening peek",
+ "peekWidgetDefaultFocus": "Controls whether to focus the inline editor or the tree in the peek widget.",
+ "definitionLinkOpensInPeek": "Controls whether the Go to Definition mouse gesture always opens the peek widget.",
+ "quickSuggestionsDelay": "Определя забавянето (в милисекунди), след което да се появяват бързите предложения.",
+ "renameOnType": "Controls whether the editor auto renames on type.",
+ "renderControlCharacters": "Определя дали редакторът да показва контролните знаци.",
+ "renderIndentGuides": "Определя дали редакторът да показва водачите за отстъпа.",
+ "renderFinalNewline": "Render last line number when the file ends with a newline.",
+ "renderLineHighlight.all": "Открояване на полето и на текущия ред.",
+ "renderLineHighlight": "Определя как редакторът да показва открояването на текущия ред.",
+ "renderLineHighlightOnlyWhenFocus": "Controls if the editor should render the current line highlight only when the editor is focused",
+ "renderWhitespace.selection": "Render whitespace characters only on selected text.",
+ "renderWhitespace": "Определя как редакторът да показва празните места.",
+ "roundedSelection": "Определя дали избраните области да имат заоблени ъгли.",
+ "scrollBeyondLastColumn": "Определя броя допълнителни знаци, след които съдържанието в редактора ще може да се превърта хоризонтално.",
+ "scrollBeyondLastLine": "Определя дали да може да се превърта след последния ред в редактора.",
+ "scrollPredominantAxis": "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.",
+ "selectionClipboard": "Определя дали да се поддържа основният буфер за обмен на Линукс.",
+ "selectionHighlight": "Controls whether the editor should highlight matches similar to the selection.",
+ "showFoldingControls.always": "Always show the folding controls.",
+ "showFoldingControls.mouseover": "Only show the folding controls when the mouse is over the gutter.",
+ "showFoldingControls": "Controls when the folding controls on the gutter are shown.",
+ "showUnused": "Управлява избледняването на ненужния код.",
+ "snippetSuggestions.top": "Показване на предложените фрагменти под другите предложения.",
+ "snippetSuggestions.bottom": "Показване на предложените фрагменти под другите предложения.",
+ "snippetSuggestions.inline": "Показване на предложените фрагменти заедно с другите предложения.",
+ "snippetSuggestions.none": "Да не се предлагат фрагменти.",
+ "snippetSuggestions": "Определя дали да се предлагат фрагменти заедно с другите предложения, както и как да бъдат подредени.",
+ "smoothScrolling": "Определя дали редактора да превърта съдържанието с анимация.",
+ "suggestFontSize": "Размер на шрифта за елемента за предложения. Ако е зададено `0`, ще се използва стойността на `#editor.fontSize#`.",
+ "suggestLineHeight": "Височина на реда за елемента за предложения. Ако е зададено `0`, ще се използва стойността на `#editor.fontSize#`.",
+ "suggestOnTriggerCharacters": "Определя дали предложенията да се показват автоматично при въвеждане на задействащи знаци.",
+ "suggestSelection.first": "Винаги да се избира първото предложение.",
+ "suggestSelection.recentlyUsed": "Select recent suggestions unless further typing selects one, e.g. `console.| -> console.log` because `log` has been completed recently.",
+ "suggestSelection.recentlyUsedByPrefix": "Select suggestions based on previous prefixes that have completed those suggestions, e.g. `co -> console` and `con -> const`.",
+ "suggestSelection": "Определя начина на предварителен избор на предложенията при показване на списъка с предложения",
+ "tabCompletion.on": "Довършването чрез „Tab“ ще вмъкне най-подходящото предложение при натискане на клавиша „Tab“.",
+ "tabCompletion.off": "Изключване на довършването чрез „Tab“.",
+ "tabCompletion.onlySnippets": "Довършване на фрагментите с „Tab“ когато представката им съвпада. Това работи най-добре, ако настройката „quickSuggestions“ (за бързи предложения) е изключена.",
+ "tabCompletion": "Включва довършването чрез „Tab“.",
+ "useTabStops": "Въвеждането и изтриването на празно място следва табулациите.",
+ "wordSeparators": "Знаци, които да бъдат използвани като разделители между думите при извършване на преходи или операции, които работят с думи.",
+ "wordWrap.off": "Без пренасяне на редовете.",
+ "wordWrap.on": "Пренасяне на редовете при достигане на края на видимата област.",
+ "wordWrap.wordWrapColumn": "Пренасяне на редовете при достигане на стойността определена в настройката `#editor.wordWrapColumn#`.",
+ "wordWrap.bounded": "Пренасяне на редовете при достигане на по-малкото от двете: края на видимата област или стойността определена в настройката `#editor.wordWrapColumn#`.",
+ "wordWrap": "Определя как да се пренасят редовете.",
+ "wordWrapColumn": "Определя колоната за пренасяне на редактора, когато стойността на `#editor.wordWrap#` е `wordWrapColumn` или `bounded`.",
+ "wrappingIndent.none": "Без отстъп. Пренесените редове започват от колона 1.",
+ "wrappingIndent.same": "Пренесените редове имат същия отстъп като оригиналния.",
+ "wrappingIndent.indent": "Пренесените редове получават +1 допълнителен отстъп спрямо оригиналния.",
+ "wrappingIndent.deepIndent": "Пренесените редове получават +2 допълнителен отстъп спрямо оригиналния.",
+ "wrappingIndent": "Определя отстъпа на пренесените редове.",
+ "wrappingStrategy.simple": "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.",
+ "wrappingStrategy.advanced": "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.",
+ "wrappingStrategy": "Controls the algorithm that computes wrapping points."
+ },
+ "vs/editor/browser/widget/diffReview": {
+ "label.close": "Затваряне",
+ "no_lines_changed": "no lines changed",
+ "one_line_changed": "1 line changed",
+ "more_lines_changed": "{0} lines changed",
+ "header": "Difference {0} of {1}: original line {2}, {3}, modified line {4}, {5}",
+ "blankLine": "празно",
+ "equalLine": "{0} original line {1} modified line {2}",
+ "insertLine": "+ {0} modified line {1}",
+ "deleteLine": "- {0} original line {1}",
+ "editor.action.diffReview.next": "Към следващата разлика",
+ "editor.action.diffReview.prev": "Към предишната разлика"
+ },
+ "vs/editor/browser/controller/textAreaHandler": {
+ "accessibilityOffAriaLabel": "The editor is not accessible at this time. Press {0} for options."
+ },
+ "vs/editor/contrib/caretOperations/transpose": {
+ "transposeLetters.label": "Размяна на буквите"
+ },
+ "vs/editor/contrib/cursorUndo/cursorUndo": {
+ "cursor.undo": "Cursor Undo",
+ "cursor.redo": "Cursor Redo"
+ },
+ "vs/editor/contrib/comment/comment": {
+ "comment.line": "Превключване на реда като коментар",
+ "miToggleLineComment": "&&Toggle Line Comment",
+ "comment.line.add": "Добавяне на коментар",
+ "comment.line.remove": "Премахване на коментар",
+ "comment.block": "Превключване на блока като коментар",
+ "miToggleBlockComment": "Toggle &&Block Comment"
+ },
+ "vs/editor/contrib/caretOperations/caretOperations": {
+ "caret.moveLeft": "Move Selected Text Left",
+ "caret.moveRight": "Move Selected Text Right"
+ },
+ "vs/editor/contrib/fontZoom/fontZoom": {
+ "EditorFontZoomIn.label": "Увеличаване на шрифта в редактора",
+ "EditorFontZoomOut.label": "Намаляване на шрифта в редактора",
+ "EditorFontZoomReset.label": "Връщане на стандартния размер на шрифта в редактора"
+ },
+ "vs/editor/contrib/parameterHints/parameterHints": {
+ "parameterHints.trigger.label": "Превключване на подсказките за параметрите"
+ },
+ "vs/editor/contrib/tokenization/tokenization": {
+ "forceRetokenize": "Developer: Force Retokenize"
+ },
+ "vs/editor/contrib/toggleTabFocusMode/toggleTabFocusMode": {
+ "toggle.tabMovesFocus": "Превключване на функцията на клавиша „Tab“ за преминаване през елементите",
+ "toggle.tabMovesFocus.on": "Натискането на клавиша „Tab“ вече ще премества фокуса върху следващия елемент, който може да приема фокус.",
+ "toggle.tabMovesFocus.off": "Натискането на клавиша „Tab“ вече ще въвежда знак за табулация."
+ },
+ "vs/editor/contrib/clipboard/clipboard": {
+ "actions.clipboard.cutLabel": "Изрязване",
+ "miCut": "Cu&&t",
+ "actions.clipboard.copyLabel": "Копиране",
+ "miCopy": "&&Copy",
+ "actions.clipboard.pasteLabel": "Поставяне",
+ "miPaste": "&&Paste",
+ "actions.clipboard.copyWithSyntaxHighlightingLabel": "Копиране с открояване на синтаксиса"
+ },
+ "vs/editor/contrib/format/formatActions": {
+ "formatDocument.label": "Форматиране на документа",
+ "formatSelection.label": "Форматиране на избраното"
+ },
+ "vs/editor/contrib/contextmenu/contextmenu": {
+ "action.showContextMenu.label": "Показване на контекстното меню на редактора"
+ },
+ "vs/editor/contrib/hover/hover": {
+ "showHover": "Показване на изскачащата информация",
+ "showDefinitionPreviewHover": "Show Definition Preview Hover"
+ },
+ "vs/editor/contrib/inPlaceReplace/inPlaceReplace": {
+ "InPlaceReplaceAction.previous.label": "Замяна с предишната стойност",
+ "InPlaceReplaceAction.next.label": "Замяна със следващата стойност"
+ },
+ "vs/editor/contrib/rename/rename": {
+ "no result": "Няма резултати.",
+ "resolveRenameLocationFailed": "Възникна неочаквана грешка при установяването на мястото на преименуването.",
+ "label": "Renaming '{0}'",
+ "quotableLabel": "Renaming {0}",
+ "aria": "„{0}“ беше успешно преименувано на „{1}“. Резюме: {2}",
+ "rename.failedApply": "Rename failed to apply edits",
+ "rename.failed": "Rename failed to compute edits",
+ "rename.label": "Преименуване на символа",
+ "enablePreview": "Enable/disable the ability to preview changes before renaming"
+ },
+ "vs/editor/contrib/smartSelect/smartSelect": {
+ "smartSelect.expand": "Expand Selection",
+ "miSmartSelectGrow": "&&Expand Selection",
+ "smartSelect.shrink": "Shrink Selection",
+ "miSmartSelectShrink": "&&Shrink Selection"
+ },
+ "vs/editor/contrib/bracketMatching/bracketMatching": {
+ "overviewRulerBracketMatchForeground": "Цвят за отбелязване на съответстващите скоби в скалата за преглед.",
+ "smartSelect.jumpBracket": "Към съответстващата скоба",
+ "smartSelect.selectToBracket": "Избиране до съответстващата скоба",
+ "miGoToBracket": "Go to &&Bracket"
+ },
+ "vs/editor/contrib/codelens/codelensController": {
+ "showLensOnLine": "Show Code Lens Commands For Current Line"
+ },
+ "vs/editor/contrib/gotoSymbol/link/goToDefinitionAtPosition": {
+ "multipleResults": "Натиснете, за да видите {0} дефиниции."
+ },
+ "vs/editor/contrib/links/links": {
+ "links.navigate.executeCmd": "Execute command",
+ "links.navigate.follow": "Follow link",
+ "links.navigate.kb.meta.mac": "cmd + click",
+ "links.navigate.kb.meta": "ctrl + click",
+ "links.navigate.kb.alt.mac": "option + click",
+ "links.navigate.kb.alt": "alt + click",
+ "invalid.url": "Тази връзка не може да бъде отворена, тъй като не е правилно форматирана: {0}",
+ "missing.url": "Тази връзка не може да бъде отворена, тъй като целта ѝ липсва.",
+ "label": "Отваряне на връзката"
+ },
+ "vs/editor/contrib/gotoError/gotoError": {
+ "markerAction.next.label": "Към следващия проблем (грешка, предупреждение, информация)",
+ "markerAction.previous.label": "Към предходния проблем (грешка, предупреждение, информация)",
+ "markerAction.nextInFiles.label": "Към следващия проблем във файловете (грешка, предупреждение, информация)",
+ "markerAction.previousInFiles.label": "Към предходния проблем във файловете (грешка, предупреждение, информация)",
+ "miGotoNextProblem": "Next &&Problem",
+ "miGotoPreviousProblem": "Previous &&Problem"
+ },
+ "vs/editor/contrib/rename/onTypeRename": {
+ "onTypeRename.label": "On Type Rename Symbol"
+ },
+ "vs/editor/contrib/peekView/peekView": {
+ "label.close": "Затваряне",
+ "peekViewTitleBackground": "Фонов цвят за заглавната област в изгледа за надникване.",
+ "peekViewTitleForeground": "Цвят за заглавието в изгледа за надникване.",
+ "peekViewTitleInfoForeground": "Цвят за заглавната информация в изгледа за надникване.",
+ "peekViewBorder": "Цвят за контура и стрелката в изгледа за надникване.",
+ "peekViewResultsBackground": "Фонов цвят за списъка с резултати в изгледа за надникване.",
+ "peekViewResultsMatchForeground": "Основен цвят за възлите с редовете в списъка с резултати в изгледа за надникване.",
+ "peekViewResultsFileForeground": "Основен цвят за възлите с редовете в списъка с резултати в изгледа за надникване.",
+ "peekViewResultsSelectionBackground": "Фонов цвят за избраното в списъка с резултати в изгледа за надникване.",
+ "peekViewResultsSelectionForeground": "Основен цвят за избраното в списъка с резултати в изгледа за надникване.",
+ "peekViewEditorBackground": "Фонов цвят за редактора в изгледа за надникване.",
+ "peekViewEditorGutterBackground": "Фонов цвят за полето на редактора в изгледа за надникване.",
+ "peekViewResultsMatchHighlight": "Цвят за открояване в списъка с резултати в изгледа за надникване.",
+ "peekViewEditorMatchHighlight": "Цвят за открояване в редактора в изгледа за надникване.",
+ "peekViewEditorMatchHighlightBorder": "Контур за открояване на съвпадения в редактора в изгледа за надникване."
+ },
+ "vs/editor/contrib/gotoSymbol/goToCommands": {
+ "peek.submenu": "Peek",
+ "def.title": "Definitions",
+ "noResultWord": "Няма открити дефиниции за „{0}“",
+ "generic.noResults": "Няма открити дефиниции",
+ "actions.goToDecl.label": "Към дефиницията",
+ "miGotoDefinition": "Go to &&Definition",
+ "actions.goToDeclToSide.label": "Отваряне на дефиницията отстрани",
+ "actions.previewDecl.label": "Надникване в дефиницията",
+ "decl.title": "Declarations",
+ "decl.noResultWord": "Няма открита декларация за „{0}“",
+ "decl.generic.noResults": "Няма открита декларация",
+ "actions.goToDeclaration.label": "Към декларацията",
+ "miGotoDeclaration": "Go to &&Declaration",
+ "actions.peekDecl.label": "Надникване в декларацията",
+ "typedef.title": "Type Definitions",
+ "goToTypeDefinition.noResultWord": "Няма открита дефиниция за тип „{0}“",
+ "goToTypeDefinition.generic.noResults": "Няма открита дефиниция за типа",
+ "actions.goToTypeDefinition.label": "Към дефиницията на типа",
+ "miGotoTypeDefinition": "Go to &&Type Definition",
+ "actions.peekTypeDefinition.label": "Надникване в дефиницията на типа",
+ "impl.title": "Implementations",
+ "goToImplementation.noResultWord": "Няма открити имплементации за „{0}“",
+ "goToImplementation.generic.noResults": "Няма открити имплементации",
+ "actions.goToImplementation.label": "Go to Implementations",
+ "miGotoImplementation": "Go to &&Implementations",
+ "actions.peekImplementation.label": "Peek Implementations",
+ "references.no": "No references found for '{0}'",
+ "references.noGeneric": "No references found",
+ "goToReferences.label": "Go to References",
+ "miGotoReference": "Go to &&References",
+ "ref.title": "Ползвания",
+ "references.action.label": "Надникване в ползванията",
+ "label.generic": "Go To Any Symbol",
+ "generic.title": "Locations",
+ "generic.noResult": "No results for '{0}'"
+ },
+ "vs/editor/contrib/indentation/indentation": {
+ "indentationToSpaces": "Преобразуване на отстъпа в интервали",
+ "indentationToTabs": "Преобразуване на отстъпа в табулации",
+ "configuredTabSize": "Зададен размер на табулацията",
+ "selectTabWidth": "Изберете размер на табулацията за текущия файл",
+ "indentUsingTabs": "Отстъп чрез табулация",
+ "indentUsingSpaces": "Отстъп чрез интервали",
+ "detectIndentation": "Разпознаване на вида на отстъпа от съдържанието",
+ "editor.reindentlines": "Повторно прилагане на правилата за отстъп",
+ "editor.reindentselectedlines": "Повторно прилагане на правилата за отстъп върху избраните редове"
+ },
+ "vs/editor/contrib/wordHighlighter/wordHighlighter": {
+ "wordHighlight": "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.",
+ "wordHighlightStrong": "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.",
+ "wordHighlightBorder": "Цвят за контура на символа при осъществяване на достъп за четене, напр. при четене на променлива.",
+ "wordHighlightStrongBorder": "Цвят за контура на символа при осъществяване на достъп за запис, напр. при записване в променлива.",
+ "overviewRulerWordHighlightForeground": "Overview ruler marker color for symbol highlights. The color must not be opaque so as not to hide underlying decorations.",
+ "overviewRulerWordHighlightStrongForeground": "Overview ruler marker color for write-access symbol highlights. The color must not be opaque so as not to hide underlying decorations.",
+ "wordHighlight.next.label": "Към следващия откроен символ",
+ "wordHighlight.previous.label": "Към предишния откроен символ",
+ "wordHighlight.trigger.label": "Превключване на открояването на символа"
+ },
+ "vs/editor/contrib/find/findController": {
+ "startFindAction": "Търсене",
+ "miFind": "&&Find",
+ "startFindWithSelectionAction": "Търсене с избраното",
+ "findNextMatchAction": "Търсене на следващо съвпадение",
+ "findPreviousMatchAction": "Търсене на предишно съвпадение",
+ "nextSelectionMatchFindAction": "Търсене на следващия избор",
+ "previousSelectionMatchFindAction": "Търсене на предишния избор",
+ "startReplace": "Замяна",
+ "miReplace": "&&Replace"
+ },
+ "vs/editor/contrib/suggest/suggestController": {
+ "arai.alert.snippet": "Accepting '{0}' made {1} additional edits",
+ "suggest.trigger.label": "Превключване на предлагането",
+ "accept.accept": "{0} to insert",
+ "accept.insert": "{0} to insert",
+ "accept.replace": "{0} to replace",
+ "detail.more": "show less",
+ "detail.less": "show more"
+ },
+ "vs/editor/contrib/quickAccess/gotoLineQuickAccess": {
+ "cannotRunGotoLine": "Open a text editor first to go to a line.",
+ "gotoLineColumnLabel": "Go to line {0} and column {1}.",
+ "gotoLineLabel": "Go to line {0}.",
+ "gotoLineLabelEmptyWithLimit": "Current Line: {0}, Character: {1}. Type a line number between 1 and {2} to navigate to.",
+ "gotoLineLabelEmpty": "Current Line: {0}, Character: {1}. Type a line number to navigate to."
+ },
+ "vs/editor/contrib/folding/folding": {
+ "unfoldAction.label": "Разгъване",
+ "unFoldRecursivelyAction.label": "Рекурсивно разгъване",
+ "foldAction.label": "Свиване",
+ "toggleFoldAction.label": "Toggle Fold",
+ "foldRecursivelyAction.label": "Рекурсивно свиване",
+ "foldAllBlockComments.label": "Свиване на всички блокови коментари",
+ "foldAllMarkerRegions.label": "Свиване на всички региони",
+ "unfoldAllMarkerRegions.label": "Разгъване на всички региони",
+ "foldAllAction.label": "Свиване на всичко",
+ "unfoldAllAction.label": "Разгъване на всичко",
+ "foldLevelAction.label": "Свиване на ниво {0}",
+ "foldBackgroundBackground": "Background color behind folded ranges. The color must not be opaque so as not to hide underlying decorations."
+ },
+ "vs/editor/contrib/linesOperations/linesOperations": {
+ "lines.copyUp": "Копиране на реда отгоре",
+ "miCopyLinesUp": "&&Copy Line Up",
+ "lines.copyDown": "Копиране на реда отдолу",
+ "miCopyLinesDown": "Co&&py Line Down",
+ "duplicateSelection": "Duplicate Selection",
+ "miDuplicateSelection": "&&Duplicate Selection",
+ "lines.moveUp": "Преместване на реда нагоре",
+ "miMoveLinesUp": "Mo&&ve Line Up",
+ "lines.moveDown": "Преместване на реда надолу",
+ "miMoveLinesDown": "Move &&Line Down",
+ "lines.sortAscending": "Сортиране на редовете във възходящ ред",
+ "lines.sortDescending": "Сортиране на редовете в низходящ ред",
+ "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": "Transform to Title Case"
+ },
+ "vs/editor/contrib/multicursor/multicursor": {
+ "mutlicursor.insertAbove": "Добавяне на курсор отгоре",
+ "miInsertCursorAbove": "&&Add Cursor Above",
+ "mutlicursor.insertBelow": "Добавяне на курсор отдолу",
+ "miInsertCursorBelow": "A&&dd Cursor Below",
+ "mutlicursor.insertAtEndOfEachLineSelected": "Добавяне на курсори в краищата на редовете",
+ "miInsertCursorAtEndOfEachLineSelected": "Add C&&ursors to Line Ends",
+ "mutlicursor.addCursorsToBottom": "Добавяне на курсори в дъното",
+ "mutlicursor.addCursorsToTop": "Добавяне на курсори на върха",
+ "addSelectionToNextFindMatch": "Добавяне на избраното към следващото съвпадение за търсене",
+ "miAddSelectionToNextFindMatch": "Add &&Next Occurrence",
+ "addSelectionToPreviousFindMatch": "Добавяне на избраното към предишното съвпадение за търсене",
+ "miAddSelectionToPreviousFindMatch": "Add P&&revious Occurrence",
+ "moveSelectionToNextFindMatch": "Преместване на последно избраното към следващото съвпадение за търсене",
+ "moveSelectionToPreviousFindMatch": "Преместване на последно избраното към предишното съвпадение за търсене",
+ "selectAllOccurrencesOfFindMatch": "Избиране на всички срещания на търсеното съвпадение",
+ "miSelectHighlights": "Select All &&Occurrences",
+ "changeAll.label": "Промяна на всички срещания"
+ },
+ "vs/editor/contrib/codeAction/codeActionCommands": {
+ "args.schema.kind": "Kind of the code action to run.",
+ "args.schema.apply": "Controls when the returned actions are applied.",
+ "args.schema.apply.first": "Always apply the first returned code action.",
+ "args.schema.apply.ifSingle": "Apply the first returned code action if it is the only one.",
+ "args.schema.apply.never": "Do not apply the returned code actions.",
+ "args.schema.preferred": "Controls if only preferred code actions should be returned.",
+ "applyCodeActionFailed": "An unknown error occurred while applying the code action",
+ "quickfix.trigger.label": "Бърза поправка…",
+ "editor.action.quickFix.noneMessage": "Няма възможни действия с кода",
+ "editor.action.codeAction.noneMessage.preferred.kind": "No preferred code actions for '{0}' available",
+ "editor.action.codeAction.noneMessage.kind": "No code actions for '{0}' available",
+ "editor.action.codeAction.noneMessage.preferred": "No preferred code actions available",
+ "editor.action.codeAction.noneMessage": "Няма възможни действия с кода",
+ "refactor.label": "Преработка…",
+ "editor.action.refactor.noneMessage.preferred.kind": "No preferred refactorings for '{0}' available",
+ "editor.action.refactor.noneMessage.kind": "No refactorings for '{0}' available",
+ "editor.action.refactor.noneMessage.preferred": "No preferred refactorings available",
+ "editor.action.refactor.noneMessage": "Няма възможни преработки",
+ "source.label": "Действие с изходния код…",
+ "editor.action.source.noneMessage.preferred.kind": "No preferred source actions for '{0}' available",
+ "editor.action.source.noneMessage.kind": "No source actions for '{0}' available",
+ "editor.action.source.noneMessage.preferred": "No preferred source actions available",
+ "editor.action.source.noneMessage": "Няма възможни действия с изходния код",
+ "organizeImports.label": "Организиране на декларациите „import“",
+ "editor.action.organize.noneMessage": "Няма възможни действия за организиране на декларациите „import“",
+ "fixAll.label": "Fix All",
+ "fixAll.noneMessage": "No fix all action available",
+ "autoFix.label": "Auto Fix...",
+ "editor.action.autoFix.noneMessage": "No auto fixes available"
+ },
+ "vs/editor/contrib/rename/renameInputField": {
+ "renameAriaLabel": "Преименуване – въведете ново име и натиснете Enter за потвърждение.",
+ "label": "{0} to Rename, {1} to Preview"
+ },
+ "vs/editor/contrib/parameterHints/parameterHintsWidget": {
+ "hint": "{0}, подсказка"
+ },
+ "vs/editor/contrib/message/messageController": {
+ "editor.readonly": "Редактирането е невъзможно в редактор, позволяващ само четене"
+ },
+ "vs/editor/contrib/quickAccess/gotoSymbolQuickAccess": {
+ "cannotRunGotoSymbolWithoutEditor": "To go to a symbol, first open a text editor with symbol information.",
+ "cannotRunGotoSymbolWithoutSymbolProvider": "The active text editor does not provide symbol information.",
+ "openToSide": "Отваряне отстрани",
+ "openToBottom": "Open to the Bottom",
+ "symbols": "идентификатори ({0})",
+ "property": "свойства ({0})",
+ "method": "методи ({0})",
+ "function": "функции ({0})",
+ "_constructor": "конструктори ({0})",
+ "variable": "променливи ({0})",
+ "class": "класове ({0})",
+ "struct": "структури ({0})",
+ "event": "events ({0})",
+ "operator": "operators ({0})",
+ "interface": "интерфейси ({0})",
+ "namespace": "именни пространства ({0})",
+ "package": "пакети ({0})",
+ "typeParameter": "параметри за тип ({0})",
+ "modules": "модули ({0})",
+ "enum": "изброени типове ({0})",
+ "enumMember": "стойности на изброен тип ({0})",
+ "string": "низове ({0})",
+ "file": "файлове ({0})",
+ "array": "масиви ({0})",
+ "number": "числа ({0})",
+ "boolean": "булеви ({0})",
+ "object": "обекти ({0})",
+ "key": "ключове ({0})",
+ "field": "fields ({0})",
+ "constant": "constants ({0})"
+ },
+ "vs/editor/contrib/snippet/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/contrib/gotoSymbol/peek/referencesController": {
+ "labelLoading": "Зареждане…",
+ "metaTitle.N": "{0} ({1})"
+ },
+ "vs/editor/contrib/format/format": {
+ "hint11": "Извършена е 1 форматираща промяна на ред {0}",
+ "hintn1": "Извършени са {0} форматиращи промени на ред {1}",
+ "hint1n": "Извършена е 1 форматираща промяна между редове {0} и {1}",
+ "hintnn": "Извършени са {0} форматиращи промени между редове {1} и {2}"
+ },
+ "vs/editor/contrib/gotoSymbol/referencesModel": {
+ "aria.oneReference": "символ в {0} на ред {1}, колона {2}",
+ "aria.fileReferences.1": "1 символ в {0}, цял път: {1}",
+ "aria.fileReferences.N": "{0} символа в {1}, цял път: {2}",
+ "aria.result.0": "Няма намерени резултати",
+ "aria.result.1": "Открит е 1 символ в {0}",
+ "aria.result.n1": "Открити са {0} символа в {1}",
+ "aria.result.nm": "Открити са {0} символа в {1} файла"
+ },
+ "vs/editor/contrib/gotoSymbol/symbolNavigation": {
+ "location.kb": "Symbol {0} of {1}, {2} for next",
+ "location": "Symbol {0} of {1}"
+ },
+ "vs/editor/contrib/gotoError/gotoErrorWidget": {
+ "Error": "Грешка",
+ "Warning": "Предупреждение",
+ "Info": "Информация",
+ "Hint": "Hint",
+ "marker aria": "{0} at {1}. ",
+ "problems": "{0} of {1} problems",
+ "change": "{0} of {1} problem",
+ "editorMarkerNavigationError": "Цвят за грешките в елемента за навигация между отбелязаните неща в редактора.",
+ "editorMarkerNavigationWarning": "Цвят за предупрежденията в елемента за навигация между маркерите в редактора.",
+ "editorMarkerNavigationInfo": "Цвят за информационните съобщения в елемента за навигация между отбелязаните неща в редактора.",
+ "editorMarkerNavigationBackground": "Цвят за фона на елемента за навигация между отбелязаните неща в редактора."
+ },
+ "vs/editor/contrib/hover/modesContentHover": {
+ "modesContentHover.loading": "Зареждане…",
+ "peek problem": "Peek Problem",
+ "titleAndKb": "{0} ({1})",
+ "checkingForQuickFixes": "Checking for quick fixes...",
+ "noQuickFixes": "No quick fixes available",
+ "quick fixes": "Бърза поправка…"
+ },
+ "vs/editor/contrib/documentSymbols/outlineTree": {
+ "provider": "Доставчик на структурата",
+ "title.template": "{0} ({1})",
+ "1.problem": "1 problem in this element",
+ "N.problem": "{0} проблема в този елемент",
+ "deep.problem": "Contains elements with problems",
+ "Array": "array",
+ "Boolean": "булева стойност",
+ "Class": "class",
+ "Constant": "constant",
+ "Constructor": "constructor",
+ "Enum": "изброен тип",
+ "EnumMember": "стойност от изброен тип",
+ "Event": "event",
+ "Field": "field",
+ "File": "file",
+ "Function": "function",
+ "Interface": "interface",
+ "Key": "key",
+ "Method": "method",
+ "Module": "module",
+ "Namespace": "именно пространство",
+ "Null": "null",
+ "Number": "число",
+ "Object": "object",
+ "Operator": "operator",
+ "Package": "package",
+ "Property": "свойство",
+ "String": "string",
+ "Struct": "структура",
+ "TypeParameter": "параметър за тип",
+ "Variable": "variable",
+ "symbolIcon.arrayForeground": "The foreground color for array symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.booleanForeground": "The foreground color for boolean symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.classForeground": "The foreground color for class symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.colorForeground": "The foreground color for color symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.constantForeground": "The foreground color for constant symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.constructorForeground": "The foreground color for constructor symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.enumeratorForeground": "The foreground color for enumerator symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.enumeratorMemberForeground": "The foreground color for enumerator member symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.eventForeground": "The foreground color for event symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.fieldForeground": "The foreground color for field symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.fileForeground": "The foreground color for file symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.folderForeground": "The foreground color for folder symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.functionForeground": "The foreground color for function symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.interfaceForeground": "The foreground color for interface symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.keyForeground": "The foreground color for key symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.keywordForeground": "The foreground color for keyword symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.methodForeground": "The foreground color for method symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.moduleForeground": "The foreground color for module symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.namespaceForeground": "The foreground color for namespace symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.nullForeground": "The foreground color for null symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.numberForeground": "The foreground color for number symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.objectForeground": "The foreground color for object symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.operatorForeground": "The foreground color for operator symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.packageForeground": "The foreground color for package symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.propertyForeground": "The foreground color for property symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.referenceForeground": "The foreground color for reference symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.snippetForeground": "The foreground color for snippet symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.stringForeground": "The foreground color for string symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.structForeground": "The foreground color for struct symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.textForeground": "The foreground color for text symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.typeParameterForeground": "The foreground color for type parameter symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.unitForeground": "The foreground color for unit symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.variableForeground": "The foreground color for variable symbols. These symbols appear in the outline, breadcrumb, and suggest widget."
+ },
+ "vs/editor/contrib/gotoSymbol/peek/referencesWidget": {
+ "missingPreviewMessage": "няма възможност за преглед",
+ "treeAriaLabel": "Ползвания",
+ "noResults": "Няма резултати",
+ "peekView.alternateTitle": "Ползвания"
+ },
+ "vs/editor/contrib/find/findWidget": {
+ "label.find": "Търсене",
+ "placeholder.find": "Търсене",
+ "label.previousMatchButton": "Предишно съвпадение",
+ "label.nextMatchButton": "Следващо съвпадение",
+ "label.toggleSelectionFind": "Търсене в избраното",
+ "label.closeButton": "Затваряне",
+ "label.replace": "Замяна",
+ "placeholder.replace": "Замяна",
+ "label.replaceButton": "Замяна",
+ "label.replaceAllButton": "Замяна на всички",
+ "label.toggleReplaceButton": "Превключване на режима на замяна",
+ "title.matchesCountLimit": "Откроени са само първите {0} резултата, но всички операции за търсене работят върху целия текст.",
+ "label.matchesLocation": "{0} от {1}",
+ "label.noResults": "Няма резултати",
+ "ariaSearchNoResultEmpty": "{0} found",
+ "ariaSearchNoResult": "{0} found for '{1}'",
+ "ariaSearchNoResultWithLineNum": "{0} found for '{1}', at {2}",
+ "ariaSearchNoResultWithLineNumNoCurrentMatch": "{0} found for '{1}'",
+ "ctrlEnter.keybindingChanged": "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/suggest/suggestWidget": {
+ "editorSuggestWidgetBackground": "Фонов цвят на елемента за предложения.",
+ "editorSuggestWidgetBorder": "Цвят на контура на елемента за предложения.",
+ "editorSuggestWidgetForeground": "Основен цвят за елемента за предложения.",
+ "editorSuggestWidgetSelectedBackground": "Фонов цвят за избраното в елемента за предложения.",
+ "editorSuggestWidgetHighlightForeground": "Цвят за открояване на съвпаденията в елемента за предложения.",
+ "readMore": "Повече…{0}",
+ "readLess": "По-малко…{0}",
+ "loading": "Зареждане…",
+ "suggestWidget.loading": "Зареждане…",
+ "suggestWidget.noSuggestions": "Няма предложения.",
+ "ariaCurrenttSuggestionReadDetails": "Item {0}, docs: {1}"
+ },
+ "vs/editor/contrib/codeAction/lightBulbWidget": {
+ "prefferedQuickFixWithKb": "Show Fixes. Preferred Fix Available ({0})",
+ "quickFixWithKb": "Показване на поправките ({0})",
+ "quickFix": "Показване на поправките"
+ },
+ "vs/editor/contrib/gotoSymbol/peek/referencesTree": {
+ "referencesFailre": "Файлът не може да бъде определен.",
+ "referencesCount": "{0} използвания",
+ "referenceCount": "{0} ползване"
+ },
+ "vs/platform/extensionManagement/common/extensionManagement": {
+ "extensions": "Разширения",
+ "preferences": "Предпочитания"
+ },
+ "vs/platform/environment/node/argvHelper": {
+ "unknownOption": "Warning: '{0}' is not in the list of known options, but still passed to Electron/Chromium.",
+ "multipleValues": "Option '{0}' is defined more than once. Using value '{1}.'",
+ "gotoValidation": "Аргументите в режим `--goto` трябва да бъдат във формат `ФАЙЛ(:РЕД(:ЗНАК))`."
+ },
+ "vs/platform/extensionManagement/node/extensionManagementUtil": {
+ "invalidManifest": "Негоден VSIX: „package.json“ не е файл от тип JSON."
+ },
+ "vs/platform/request/common/request": {
+ "httpConfigurationTitle": "HTTP",
+ "proxy": "The proxy setting to use. If not set, will be inherited from the `http_proxy` and `https_proxy` environment variables.",
+ "strictSSL": "Определя дали сертификатът на сървъра-посредник да бъде проверен в списъка от поддържани центрове за сертификация.",
+ "proxyAuthorization": "The value to send as the `Proxy-Authorization` header for every network request.",
+ "proxySupportOff": "Изключване на поддръжката на сървър-посредник за разширенията.",
+ "proxySupportOn": "Включване на поддръжката на сървър-посредник за разширенията.",
+ "proxySupportOverride": "Включване на поддръжката на сървър-посредник за разширенията, заменяне на настройките на заявките.",
+ "proxySupport": "Use the proxy support for extensions.",
+ "systemCertificates": "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/platform/update/common/update.config.contribution": {
+ "updateConfigurationTitle": "Обновяване",
+ "updateMode": "Configure whether you receive automatic updates. Requires a restart after change. The updates are fetched from a Microsoft online service.",
+ "none": "Disable updates.",
+ "manual": "Disable automatic background update checks. Updates will be available if you manually check for updates.",
+ "start": "Check for updates only on startup. Disable automatic background update checks.",
+ "default": "Enable automatic update checks. Code will check for updates automatically and periodically.",
+ "deprecated": "This setting is deprecated, please use '{0}' instead.",
+ "enableWindowsBackgroundUpdatesTitle": "Enable Background Updates on Windows",
+ "enableWindowsBackgroundUpdates": "Enable to download and install new VS Code Versions in the background on Windows",
+ "showReleaseNotes": "Показване на бележките за изданието след обновяване. Обновленията се получават от услуга в Интернет на Майкрософт."
+ },
+ "vs/platform/telemetry/common/telemetryService": {
+ "telemetryConfigurationTitle": "Телеметрия",
+ "telemetry.enableTelemetry": "Разрешаване на изпращането на данни за ползването и грешките към услуга в Интернет на Майкрософт."
+ },
+ "vs/platform/label/common/label": {
+ "untitledWorkspace": "Неозаглавено (работно място)",
+ "workspaceName": "{0} (работно място)"
+ },
+ "vs/platform/files/electron-browser/diskFileSystemProvider": {
+ "binFailed": "„{0}“ не може да се премести в кошчето",
+ "trashFailed": "„{0}“ не може да се премести в кошчето"
+ },
+ "vs/platform/files/common/files": {
+ "unknownError": "Unknown Error"
+ },
+ "vs/platform/environment/node/argv": {
+ "optionsUpperCase": "Опции",
+ "extensionsManagement": "Extensions Management",
+ "troubleshooting": "Отстраняване на проблеми",
+ "diff": "Сравняване на два файла един с друг.",
+ "add": "Добавяне на една или повече папки към последно активния прозорец.",
+ "goto": "Отваряне на посочения файл и преминаване към посочения ред и позиция във файла.",
+ "newWindow": "Принудително отваряне на нов прозорец.",
+ "reuseWindow": "Принудително отваряне файл или папка във вече отворен прозорец.",
+ "folderUri": "Отваря прозорец с дадения адрес на папка (или адреси на папки)",
+ "fileUri": "Opens a window with given file uri(s)",
+ "wait": "Изчакване файловете да бъдат затворени преди връщане.",
+ "locale": "Езиковият идентификатор, който да се ползва (напр. en-US или bg-BG).",
+ "userDataDir": "Посочва папката, в която се съхраняват потребителските данни. Може да се използва за отваряне на няколко отделни екземпляра на Code.",
+ "help": "Показване на инструкциите за използване.",
+ "extensionHomePath": "Задаване на главната папка за разширенията.",
+ "listExtensions": "Показване на списък с инсталираните разширения.",
+ "showVersions": "Показва версиите на инсталираните разширения при използване на „--list-extension“.",
+ "category": "Filters installed extensions by provided category, when using --list-extension.",
+ "installExtension": "Инсталира или деинсталира разширение. Използвайте `--force` за избягване на въпросите.",
+ "uninstallExtension": "Деинсталира разширение.",
+ "experimentalApis": "Включва предложените функционалности на ППИ за разширенията. Може да получава един или повече идентификатори на разширения, които конкретно да бъдат включени.",
+ "version": "Показване на версията.",
+ "verbose": "Извеждане на подробна информация (авт. включва и „--wait“).",
+ "log": "Ниво важност на записите в журнала. По подразбиране то е „info“ (информация). Възможни стойности: „critical“ (критична грешка), „error“ (грешка), „warn“ (предупреждение), „info“ (информация), „debug“ (дебъгване), „trace“ (проследяване), „off“ (изключено).",
+ "status": "Извеждане на информация относно ползването на системни ресурси от процеса, както и диагностична информация.",
+ "prof-startup": "Профилиране на процесора при пускане на програмата",
+ "disableExtensions": "Изключване на всички инсталирани разширения.",
+ "disableExtension": "Изключване на разширение.",
+ "turn sync": "Turn sync on or off",
+ "inspect-extensions": "Позволяване на дебъгването и профилирането на разширенията. Адресът за връзка може да бъде намерен в инструментите за разработчици.",
+ "inspect-brk-extensions": "Позволяване на дебъгването и профилирането на разширенията, като сървърът на разширението ще бъде спрян на пауза след стартиране. Адресът за връзка може да бъде намерен в инструментите за разработчици.",
+ "disableGPU": "Изключване на хардуерното ускорение чрез графичния процесор.",
+ "maxMemory": "Максимален размер на паметта за прозорец (в мегабайти)",
+ "telemetry": "Shows all telemetry events which VS code collects.",
+ "usage": "Използване",
+ "options": "опции",
+ "paths": "пътища ",
+ "stdinWindows": "За да прочетете изхода от друга програма, добавете „-“ в края (напр. „echo Проба | {0} -“)",
+ "stdinUnix": "За четене от стандартния вход, добавете „-“ в края (напр. „ps aux | grep code | {0} -“)",
+ "unknownVersion": "Unknown version",
+ "unknownCommit": "Unknown commit"
+ },
+ "vs/platform/markers/common/markers": {
+ "sev.error": "Грешка",
+ "sev.warning": "Предупреждение",
+ "sev.info": "Информация"
+ },
+ "vs/platform/dialogs/common/dialogs": {
+ "moreFile": "…има още 1 файл, който не е показан",
+ "moreFiles": "…има още {0} файла, които не са показани"
+ },
+ "vs/platform/userDataSync/common/userDataSync": {
+ "sync": "Синхронизиране",
+ "sync.keybindingsPerPlatform": "Synchronize keybindings per platform.",
+ "sync.ignoredExtensions": "List of extensions to be ignored while synchronizing. The identifier of an extension is always ${publisher}.${name}. For example: vscode.csharp.",
+ "sync.ignoredSettings": "Configure settings to be ignored while synchronizing.",
+ "app.extension.identifier.errorMessage": "Очакван формат: „${издател}.${име}“. Пример: „vscode.csharp“."
+ },
+ "vs/platform/files/node/diskFileSystemProvider": {
+ "fileExists": "File already exists",
+ "fileNotExists": "File does not exist",
+ "moveError": "Unable to move '{0}' into '{1}' ({2}).",
+ "copyError": "Unable to copy '{0}' into '{1}' ({2}).",
+ "fileCopyErrorPathCase": "'File cannot be copied to same path with different path case",
+ "fileCopyErrorExists": "File at target already exists"
+ },
+ "vs/platform/configuration/common/configurationRegistry": {
+ "defaultConfigurations.title": "Замяна на конфигурацията по подразбиране",
+ "overrideSettings.description": "Конфигуриране на настройките на редактора, чиито стойности да бъдат заменени за езика „{0}“.",
+ "overrideSettings.defaultDescription": "Конфигуриране на настройките на редактора, чиито стойности да бъдат заменени за даден език.",
+ "overrideSettings.errorMessage": "This setting does not support per-language configuration.",
+ "config.property.languageDefault": "„{0}“ не може да се регистрира. Това съвпада с шаблона за свойства „\\\\[.*\\\\]$“ за описване на езиково-специфични настройки на редактора. Използвайте приноса „configurationDefaults“.",
+ "config.property.duplicate": "„{0}“ не може да се регистрира. Това свойство е вече регистрирано."
+ },
+ "vs/platform/workspaces/common/workspaces": {
+ "codeWorkspace": "Работно място за код"
+ },
+ "vs/platform/userDataSync/common/userDataSyncService": {
+ "turned off": "Cannot sync because syncing is turned off in the cloud",
+ "session expired": "Cannot sync because current session is expired"
+ },
+ "vs/platform/undoRedo/common/undoRedoService": {
+ "externalRemoval": "The following files have been closed: {0}.",
+ "noParallelUniverses": "The following files have been modified in an incompatible way: {0}.",
+ "cannotWorkspaceUndo": "Could not undo '{0}' across all files. {1}",
+ "cannotWorkspaceUndoDueToChanges": "Could not undo '{0}' across all files because changes were made to {1}",
+ "confirmWorkspace": "Would you like to undo '{0}' across all files?",
+ "ok": "Undo in {0} Files",
+ "nok": "Undo this File",
+ "cancel": "Отказ",
+ "cannotWorkspaceRedo": "Could not redo '{0}' across all files. {1}",
+ "cannotWorkspaceRedoDueToChanges": "Could not redo '{0}' across all files because changes were made to {1}"
+ },
+ "vs/platform/files/common/fileService": {
+ "invalidPath": "Unable to resolve filesystem provider with relative file path '{0}'",
+ "noProviderFound": "No file system provider found for resource '{0}'",
+ "fileNotFoundError": "Unable to resolve non-existing file '{0}'",
+ "fileExists": "Unable to create file '{0}' that already exists when overwrite flag is not set",
+ "err.write": "Unable to write file '{0}' ({1})",
+ "fileIsDirectoryWriteError": "Unable to write file '{0}' that is actually a directory",
+ "fileModifiedError": "Файлът е променен след",
+ "err.read": "Unable to read file '{0}' ({1})",
+ "fileIsDirectoryReadError": "Unable to read file '{0}' that is actually a directory",
+ "fileNotModifiedError": "Файлът не е променян от",
+ "fileTooLargeError": "Unable to read file '{0}' that is too large to open",
+ "unableToMoveCopyError1": "Unable to copy when source '{0}' is same as target '{1}' with different path case on a case insensitive file system",
+ "unableToMoveCopyError2": "Unable to move/copy when source '{0}' is parent of target '{1}'.",
+ "unableToMoveCopyError3": "Unable to move/copy '{0}' because target '{1}' already exists at destination.",
+ "unableToMoveCopyError4": "Unable to move/copy '{0}' into '{1}' since a file would replace the folder it is contained in.",
+ "mkdirExistsError": "Unable to create folder '{0}' that already exists but is not a directory",
+ "deleteFailedTrashUnsupported": "Unable to delete file '{0}' via trash because provider does not support it.",
+ "deleteFailedNotFound": "Unable to delete non-existing file '{0}'",
+ "deleteFailedNonEmptyFolder": "Unable to delete non-empty folder '{0}'.",
+ "err.readonly": "Unable to modify readonly file '{0}'"
+ },
+ "vs/platform/quickinput/browser/helpQuickAccess": {
+ "globalCommands": "глобални команди",
+ "editorCommands": "команди на редактора",
+ "helpPickAriaLabel": "{0}, {1}"
+ },
+ "vs/platform/list/browser/listService": {
+ "workbenchConfigurationTitle": "Работна област",
+ "multiSelectModifier.ctrlCmd": "Отговаря на `Control` под Windows и Линукс, и на `Command` под macOS.",
+ "multiSelectModifier.alt": "Отговаря на `Alt` под Windows и Линукс, и на `Option` под macOS.",
+ "multiSelectModifier": "Клавиш, при задържането на който с мишката да се добавят елементи на дървовидни изгледи и списъци към множествения избор (например: в изгледа на файловете, в отворените редактори и в изгледа на системата за контрол на версиите). Жестовете с мишката за „Отваряне отстрани“ (ако такива се поддържат) ще се приспособят така, че да не се засичат с този клавиш.",
+ "openModeModifier": "Определя как да се отварят елементите в дървовидни изгледи и списъци чрез мишката (ако това се поддържа). Когато в дървовиден изглед има родителски елементи, които съдържат други елементи, тази настройка ще определя и дали отварянето на родителските елементи да става чрез еднократно или двукратно щракване. Имайте предвид, че някои дървовидни изгледи и списъци може да пренебрегват тази настройка, ако тя не е приложима за тях.",
+ "horizontalScrolling setting": "Controls whether lists and trees support horizontal scrolling in the workbench. Warning: turning on this setting has a performance implication.",
+ "tree horizontalScrolling setting": "Определя дали дървовидните изгледи в работната област да поддържат хоризонтално превъртане.",
+ "deprecated": "This setting is deprecated, please use '{0}' instead.",
+ "tree indent setting": "Controls tree indentation in pixels.",
+ "render tree indent guides": "Controls whether the tree should render indent guides.",
+ "keyboardNavigationSettingKey.simple": "Simple keyboard navigation focuses elements which match the keyboard input. Matching is done only on prefixes.",
+ "keyboardNavigationSettingKey.highlight": "Highlight keyboard navigation highlights elements which match the keyboard input. Further up and down navigation will traverse only the highlighted elements.",
+ "keyboardNavigationSettingKey.filter": "Filter keyboard navigation will filter out and hide all the elements which do not match the keyboard input.",
+ "keyboardNavigationSettingKey": "Controls the keyboard navigation style for lists and trees in the workbench. Can be simple, highlight and filter.",
+ "automatic keyboard navigation setting": "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."
+ },
+ "vs/platform/files/common/io": {
+ "fileTooLargeForHeapError": "To open a file of this size, you need to restart and allow it to use more memory",
+ "fileTooLargeError": "File is too large to open"
+ },
+ "vs/platform/extensionManagement/node/extensionManagementService": {
+ "invalidManifest": "Разширението е негодно: „package.json“ не е файл от тип JSON.",
+ "incompatible": "Разширението „{0}“ не може да се инсталира, тъй като е несъвместимо с VS Code „{1}“.",
+ "restartCode": "Моля, рестартирайте VS Code, преди да преинсталирате „{0}“.",
+ "MarketPlaceDisabled": "Магазинът не е включен",
+ "malicious extension": "Разширението не може да бъде инсталирано, тъй като има доклади, че създава проблеми.",
+ "notFoundCompatibleDependency": "Unable to install '{0}' extension because it is not compatible with the current version of VS Code (version {1}).",
+ "removeError": "Грешка при премахването на разширението: {0}. Моля затворете и пуснете отново VS Code, преди да опитате отново.",
+ "Not a Marketplace extension": "Само разширенията от магазина могат да се преинсталират",
+ "quitCode": "Разширението не може да бъде инсталирано. Моля, затворете VS Code и го пуснете отново, преди да опитате преинсталиране.",
+ "exitCode": "Разширението не може да бъде инсталирано. Моля, затворете VS Code и го пуснете отново, преди да опитате преинсталиране.",
+ "errorDeleting": "Папката „{0}“ не може да бъде изтрита при инсталирането на разширението „{1}“. Моля, изтрийте папката ръчно и опитайте отново.",
+ "cannot read": "Cannot read the extension from {0}",
+ "renameError": "Неизвестна грешка при преименуването на „{0}“ на „{1}“",
+ "notInstalled": "Разширението „{0}“ не е инсталирано.",
+ "singleDependentError": "Разширението „{0}“ не може да бъде деинсталирано, тъй като разширението „{1}“ зависи от него.",
+ "twoDependentsError": "Разширението „{0}“ не може да бъде деинсталирано, тъй като разширенията „{1}“ и „{2}“ зависят от него.",
+ "multipleDependentsError": "Разширението „{0}“ не може да бъде деинсталирано, тъй като разширенията „{1}“, „{2}“ и др. зависят от него.",
+ "notExists": "Разширението не е намерено"
+ },
+ "vs/platform/actions/browser/menuEntryActionViewItem": {
+ "titleAndKb": "{0} ({1})"
+ },
+ "vs/platform/theme/common/colorRegistry": {
+ "foreground": "Цялостен основен цвят. Този цвят се използва, само ако не бъде заменен с друг от дадения компонент.",
+ "errorForeground": "Цялостен основен цвят за съобщенията за грешка. Този цвят се използва, само ако не бъде заменен с друг от дадения компонент.",
+ "descriptionForeground": "Цялостен основен цвят за описателните текстове, даващи допълнителна информация, например, за етикетите.",
+ "iconForeground": "The default color for icons in the workbench.",
+ "focusBorder": "Цялостен цвят на контура на елементите на фокус. Този цвят се използва, само ако не бъде заменен с друг от дадения компонент.",
+ "contrastBorder": "Допълнителен контур около елементите, който ги отделя от другите за по-голям контраст.",
+ "activeContrastBorder": "Допълнителен контур около активните елементи, който ги отделя от другите за по-голям контраст.",
+ "selectionBackground": "Фонов цвят за избрания текст в работната област (напр. за полета за въвеждане или текстови области). Имайте предвид, че това не важи за избрания текст в редактора.",
+ "textSeparatorForeground": "Цвят за текстовите разделители.",
+ "textLinkForeground": "Основен цвят за връзките в текста.",
+ "textLinkActiveForeground": "Основен цвят за връзките в текста, при посочване с мишката и при щракване върху тях.",
+ "textPreformatForeground": "Основен цвят за предварително форматираните части на текста.",
+ "textBlockQuoteBackground": "Фонов цвят за блоковите цитати в текста.",
+ "textBlockQuoteBorder": "Цвят за контура на блоковите цитати в текста.",
+ "textCodeBlockBackground": "Фонов цвят за блоковете с код в текста.",
+ "widgetShadow": "Цвят на сянката на елементите, например на този за търсене/замяна в редактора.",
+ "inputBoxBackground": "Фонов цвят на полетата за въвеждане.",
+ "inputBoxForeground": "Основен цвят на полетата за въвеждане.",
+ "inputBoxBorder": "Контур на полетата за въвеждане.",
+ "inputBoxActiveOptionBorder": "Цвят на контура за включените опции в полетата за въвеждане.",
+ "inputOption.activeBackground": "Background color of activated options in input fields.",
+ "inputPlaceholderForeground": "Основен цвят за подсказващия текст в полетата за въвеждане.",
+ "inputValidationInfoBackground": "Фонов цвят за информационните съобщения при проверка на въведеното в полетата.",
+ "inputValidationInfoForeground": "Основен цвят за информационните съобщения при проверка на въведеното в полетата.",
+ "inputValidationInfoBorder": "Цвят на контура за информационните съобщения при проверка на въведеното в полетата.",
+ "inputValidationWarningBackground": "Фонов цвят за предупрежденията при проверка на въведеното в полетата.",
+ "inputValidationWarningForeground": "Основен цвят за предупрежденията при проверка на въведеното в полетата.",
+ "inputValidationWarningBorder": "Цвят на контура за предупрежденията при проверка на въведеното в полетата.",
+ "inputValidationErrorBackground": "Фонов цвят за грешките при проверка на въведеното в полетата.",
+ "inputValidationErrorForeground": "Основен цвят за грешките при проверка на въведеното в полетата.",
+ "inputValidationErrorBorder": "Цвят на контура за грешките при проверка на въведеното в полетата.",
+ "dropdownBackground": "Фонов цвят за падащите менюта.",
+ "dropdownListBackground": "Фонов цвят за списъка на падащите менюта.",
+ "dropdownForeground": "Основен цвят за падащите менюта.",
+ "dropdownBorder": "Цвят на контура за падащите менюта.",
+ "checkbox.background": "Background color of checkbox widget.",
+ "checkbox.foreground": "Foreground color of checkbox widget.",
+ "checkbox.border": "Border color of checkbox widget.",
+ "buttonForeground": "Основен цвят на бутоните.",
+ "buttonBackground": "Фонов цвят на бутоните.",
+ "buttonHoverBackground": "Фонов цвят на бутоните при посочване с мишката.",
+ "badgeBackground": "Фонов цвят на значките. Значките са малки информативни етикетчета, например за броя на резултатите при търсене.",
+ "badgeForeground": "Основен цвят на значките. Значките са малки информативни етикетчета, например за броя на резултатите при търсене.",
+ "scrollbarShadow": "Сянка на лентата за превъртане, която да показва, че изгледът се превърта.",
+ "scrollbarSliderBackground": "Фонов цвят на плъзгача в лентата за превъртане.",
+ "scrollbarSliderHoverBackground": "Фонов цвят на плъзгача в лентата за превъртане при посочване с мишката.",
+ "scrollbarSliderActiveBackground": "Фонов цвят на плъзгача в лентата за превъртане при щракване с мишката.",
+ "progressBarBackground": "Фонов цвят на лентата за напредък, която може да се покаже при по-дългите операции.",
+ "editorError.foreground": "Основен цвят за открояване на грешките в редактора.",
+ "errorBorder": "Border color of error boxes in the editor.",
+ "editorWarning.foreground": "Основен цвят за открояване на предупрежденията в редактора.",
+ "warningBorder": "Border color of warning boxes in the editor.",
+ "editorInfo.foreground": "Основен цвят за открояване на информативните съобщения в редактора.",
+ "infoBorder": "Border color of info boxes in the editor.",
+ "editorHint.foreground": "Основен цвят за открояване на съветите в редактора.",
+ "hintBorder": "Border color of hint boxes in the editor.",
+ "editorBackground": "Фонов цвят на редактора.",
+ "editorForeground": "Основен цвят по подразбиране на редактора",
+ "editorWidgetBackground": "Фонов цвят на елементите в редактора, като например този за търсене/замяна.",
+ "editorWidgetForeground": "Foreground color of editor widgets, such as find/replace.",
+ "editorWidgetBorder": "Цвята на контура на елементите в редактора. Цветът се използва, само ако елементът прецени, че трябва да има контур и ако цветът не бъде заменен с друг от самия елемент.",
+ "editorWidgetResizeBorder": "Цвят на контура на лентата за преоразмеряване на елементите в редактора. Цветът се използва, само ако елементът прецени, че трябва да има контур за преоразмеряване и ако цветът не бъде заменен с друг от самия елемент.",
+ "pickerBackground": "Quick picker background color. The quick picker widget is the container for pickers like the command palette.",
+ "pickerForeground": "Quick picker foreground color. The quick picker widget is the container for pickers like the command palette.",
+ "pickerTitleBackground": "Quick picker title background color. The quick picker widget is the container for pickers like the command palette.",
+ "pickerGroupForeground": "Цвят за групиращите етикети в елемента за бърз избор.",
+ "pickerGroupBorder": "Бърз цвят за избор за групиращи контури.",
+ "editorSelectionBackground": "Цвят на избраната област в редактора.",
+ "editorSelectionForeground": "Цвят на избрания текст, за по-голям контраст.",
+ "editorInactiveSelection": "Color of the selection in an inactive editor. The color must not be opaque so as not to hide underlying decorations.",
+ "editorSelectionHighlight": "Color for regions with the same content as the selection. The color must not be opaque so as not to hide underlying decorations.",
+ "editorSelectionHighlightBorder": "Цвят за контура на местата със същото съдържание като това в избраната област.",
+ "editorFindMatch": "Цвят на текущото съвпадение от търсенето.",
+ "findMatchHighlight": "Color of the other search matches. The color must not be opaque so as not to hide underlying decorations.",
+ "findRangeHighlight": "Color of the range limiting the search. The color must not be opaque so as not to hide underlying decorations.",
+ "editorFindMatchBorder": "Цвят за контура на текущото съвпадение от търсенето.",
+ "findMatchHighlightBorder": "Цвят за контура на другите съвпадения от търсенето.",
+ "findRangeHighlightBorder": "Border color of the range limiting the search. The color must not be opaque so as not to hide underlying decorations.",
+ "searchEditor.queryMatch": "Color of the Search Editor query matches.",
+ "searchEditor.editorFindMatchBorder": "Border color of the Search Editor query matches.",
+ "hoverHighlight": "Highlight below the word for which a hover is shown. The color must not be opaque so as not to hide underlying decorations.",
+ "hoverBackground": "Фонов цвят за изскачащите елементи за информация в редактора.",
+ "hoverForeground": "Foreground color of the editor hover.",
+ "hoverBorder": "Цвят за контура на изскачащите елементи за информация в редактора.",
+ "statusBarBackground": "Background color of the editor hover status bar.",
+ "activeLinkForeground": "Цвят на активните връзки.",
+ "editorLightBulbForeground": "The color used for the lightbulb actions icon.",
+ "editorLightBulbAutoFixForeground": "The color used for the lightbulb auto fix actions icon.",
+ "diffEditorInserted": "Background color for text that got inserted. The color must not be opaque so as not to hide underlying decorations.",
+ "diffEditorRemoved": "Background color for text that got removed. The color must not be opaque so as not to hide underlying decorations.",
+ "diffEditorInsertedOutline": "Цвят за контура на текста, който е бил вмъкнат.",
+ "diffEditorRemovedOutline": "Цвят за контура на текста, който е бил премахнат.",
+ "diffEditorBorder": "Цвят за контура между два текстови редактора.",
+ "listFocusBackground": "Фонов цвят за елемента на фокус в списък/дърво, когато то е активно. Активният списък/дърво получава и фокуса на клавиатурата, а неактивният – не.",
+ "listFocusForeground": "Основен цвят за елемента на фокус в списък/дърво, когато то е активно. Активният списък/дърво получава и фокуса на клавиатурата, а неактивният – не.",
+ "listActiveSelectionBackground": "Фонов цвят за избрания елемент в списък/дърво, когато то е активно. Активният списък/дърво получава и фокуса на клавиатурата, а неактивният – не.",
+ "listActiveSelectionForeground": "Основен цвят за избрания елемент в списък/дърво, когато то е активно. Активният списък/дърво получава и фокуса на клавиатурата, а неактивният – не.",
+ "listInactiveSelectionBackground": "Фонов цвят за избрания елемент в списък/дърво, когато то е неактивно. Активният списък/дърво получава и фокуса на клавиатурата, а неактивният – не.",
+ "listInactiveSelectionForeground": "Основен цвят за избрания елемент в списък/дърво, когато то е неактивно. Активният списък/дърво получава и фокуса на клавиатурата, а неактивният – не.",
+ "listInactiveFocusBackground": "Фонов цвят за елемента на фокус в списък/дърво, когато то е неактивно. Активният списък/дърво получава и фокуса на клавиатурата, а неактивният – не.",
+ "listHoverBackground": "Фонов цвят при посочване с мишката на елементи в списък/дърво.",
+ "listHoverForeground": "Основен цвят при посочване с мишката на елементи в списък/дърво.",
+ "listDropBackground": "Фонов цвят при влачене с мишката на елементи в списък/дърво.",
+ "highlight": "Основен цвят за открояване на съвпаденията при търсене в списък/дърво.",
+ "invalidItemForeground": "Основен цвят за грешните елементи в списък/дърво, например при несъществуваща главна папка в мениджъра на файлове.",
+ "listErrorForeground": "Основен цвят за елементите в списък, съдържащи грешки.",
+ "listWarningForeground": "Основен цвят за елементите в списък, съдържащи предупреждения.",
+ "listFilterWidgetBackground": "Background color of the type filter widget in lists and trees.",
+ "listFilterWidgetOutline": "Outline color of the type filter widget in lists and trees.",
+ "listFilterWidgetNoMatchesOutline": "Outline color of the type filter widget in lists and trees, when there are no matches.",
+ "listFilterMatchHighlight": "Background color of the filtered match.",
+ "listFilterMatchHighlightBorder": "Border color of the filtered match.",
+ "treeIndentGuidesStroke": "Tree stroke color for the indentation guides.",
+ "listDeemphasizedForeground": "List/Tree foreground color for items that are deemphasized. ",
+ "menuBorder": "Цвят за контура на менютата.",
+ "menuForeground": "Основен цвят за елементите в менютата.",
+ "menuBackground": "Фонов цвят за елементите в менютата.",
+ "menuSelectionForeground": "Основен цвят за избрания елемент в меню.",
+ "menuSelectionBackground": "Фонов цвят за избрания елемент в меню.",
+ "menuSelectionBorder": "Цвят за контура на избрания елемент в меню.",
+ "menuSeparatorBackground": "Цвят за разделителните елементи в менютата.",
+ "snippetTabstopHighlightBackground": "Фонов цвят за открояване на позициите за придвижване чрез Tab във фрагментите.",
+ "snippetTabstopHighlightBorder": "Цвят на контура за открояване на позициите за придвижване чрез Tab във фрагментите.",
+ "snippetFinalTabstopHighlightBackground": "Фонов цвят за открояване на последната позиция за придвижване чрез Tab във фрагментите.",
+ "snippetFinalTabstopHighlightBorder": "Цвят на контура за открояване на последната позиция за придвижване чрез Tab във фрагментите.",
+ "breadcrumbsFocusForeground": "Цвят на навигационните елементи на пътя, които са на фокус.",
+ "breadcrumbsBackground": "Фонов цвят за навигационните елементи на пътя.",
+ "breadcrumbsSelectedForegound": "Цвят на избраните навигационни елементи на пътя.",
+ "breadcrumbsSelectedBackground": "Фонов цвят за избор в навигационните елементи на пътя.",
+ "mergeCurrentHeaderBackground": "Current header background in inline merge-conflicts. The color must not be opaque so as not to hide underlying decorations.",
+ "mergeCurrentContentBackground": "Current content background in inline merge-conflicts. The color must not be opaque so as not to hide underlying decorations.",
+ "mergeIncomingHeaderBackground": "Incoming header background in inline merge-conflicts. The color must not be opaque so as not to hide underlying decorations.",
+ "mergeIncomingContentBackground": "Incoming content background in inline merge-conflicts. The color must not be opaque so as not to hide underlying decorations.",
+ "mergeCommonHeaderBackground": "Common ancestor header background in inline merge-conflicts. The color must not be opaque so as not to hide underlying decorations.",
+ "mergeCommonContentBackground": "Common ancestor content background in inline merge-conflicts. The color must not be opaque so as not to hide underlying decorations.",
+ "mergeBorder": "Цвят на рамката за заглавките и разделителите при отстраняването на конфликт при сливане в съчетан режим.",
+ "overviewRulerCurrentContentForeground": "Основен цвят на скалата за преглед на текущата версия при отстраняването на конфликт при сливане в съчетан режим.",
+ "overviewRulerIncomingContentForeground": "Основен цвят на скалата за преглед на входящата версия при отстраняването на конфликт при сливане в съчетан режим.",
+ "overviewRulerCommonContentForeground": "Основен цвят на скалата за преглед на общия родител при отстраняването на конфликт при сливане в съчетан режим.",
+ "overviewRulerFindMatchForeground": "Overview ruler marker color for find matches. The color must not be opaque so as not to hide underlying decorations.",
+ "overviewRulerSelectionHighlightForeground": "Overview ruler marker color for selection highlights. The color must not be opaque so as not to hide underlying decorations.",
+ "minimapFindMatchHighlight": "Minimap marker color for find matches.",
+ "minimapSelectionHighlight": "Minimap marker color for the editor selection.",
+ "minimapError": "Minimap marker color for errors.",
+ "overviewRuleWarning": "Minimap marker color for warnings.",
+ "minimapBackground": "Minimap background color.",
+ "minimapSliderBackground": "Minimap slider background color.",
+ "minimapSliderHoverBackground": "Minimap slider background color when hovering.",
+ "minimapSliderActiveBackground": "Minimap slider background color when clicked on.",
+ "problemsErrorIconForeground": "The color used for the problems error icon.",
+ "problemsWarningIconForeground": "The color used for the problems warning icon.",
+ "problemsInfoIconForeground": "The color used for the problems info icon."
+ },
+ "vs/platform/extensions/common/extensionValidator": {
+ "versionSyntax": "Не може да се анализира стойността {0} на „engines.vscode“. Моля, използвайте нещо подобно: ^1.22.0, ^1.22.x и т.н..",
+ "versionSpecificity1": "Версията, описана в `engines.vscode` ({0}), не е с достатъчно конкретна стойност. За версии преди 1.0.0, моля, посочете поне нужната основна и под-версия, например: ^0.10.0, 0.10.x, 0.11.0 и т.н.",
+ "versionSpecificity2": "Версията, описана в `engines.vscode` ({0}), не е с достатъчно конкретна стойност. За версии след 1.0.0, моля, посочете поне нужната основна и под-версия, например: ^1.10.0, 1.10.x, 1.x.x, 2.x.x и т.н.",
+ "versionMismatch": "Разширението не е съвместимо с Code {0}. Разширението изисква: {1}."
+ },
+ "vs/platform/userDataSync/common/settingsSync": {
+ "errorInvalidSettings": "Unable to sync settings as there are errors/warning in settings file."
+ },
+ "vs/platform/userDataSync/common/keybindingsSync": {
+ "errorInvalidSettings": "Unable to sync keybindings as there are errors/warning in keybindings file."
+ },
+ "vs/platform/workspaces/electron-main/workspacesMainService": {
+ "ok": "Добре",
+ "workspaceOpenedMessage": "Работното място „{0}“ не може да бъде запазено",
+ "workspaceOpenedDetail": "Работното място е вече отворено в друг прозорец. Моля, затворете този прозорец първо и след това опитайте отново."
+ },
+ "vs/platform/dialogs/electron-main/dialogs": {
+ "open": "Отваряне",
+ "openFolder": "Отваряне на папка",
+ "openFile": "Отваряне на файл",
+ "openWorkspaceTitle": "Отваряне на работно място",
+ "openWorkspace": "&&Open"
+ },
+ "vs/platform/keybinding/common/abstractKeybindingService": {
+ "first.chord": "Беше натиснат клавишът ({0}). Изчакване за втори клавиш от комбинация…",
+ "missing.chord": "Клавишната комбинация ({0}, {1}) не е команда."
+ },
+ "vs/platform/issue/electron-main/issueMainService": {
+ "local": "Локални",
+ "issueReporterWriteToClipboard": "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": "Отказ",
+ "confirmCloseIssueReporter": "Въведеното от Вас няма да бъде запазено. Наистина ли искате да затворите този прозорец?",
+ "yes": "Да",
+ "issueReporter": "Инструмент за докладване на проблеми",
+ "processExplorer": "Процеси"
+ },
+ "vs/platform/workspaces/electron-main/workspacesHistoryMainService": {
+ "newWindow": "Нов прозорец",
+ "newWindowDesc": "Отваряне на нов прозорец",
+ "recentFolders": "Последни работни места",
+ "folderDesc": "{0} {1}",
+ "workspaceDesc": "{0} {1}"
+ },
+ "vs/platform/quickinput/browser/commandsQuickAccess": {
+ "commandPickAriaLabelWithKeybinding": "{0}, {1}",
+ "recentlyUsed": "последно използвана",
+ "morecCommands": "други команди",
+ "canNotRun": "Command '{0}' resulted in an error ({1})"
+ },
+ "vs/platform/theme/common/tokenClassificationRegistry": {
+ "schema.token.settings": "Цветове и стилове за лексикалната единица.",
+ "schema.token.foreground": "Основен цвят за лексикалната единица.",
+ "schema.token.background.warning": "В момента не се поддържат фонови цветове за лексикалните единици.",
+ "schema.token.fontStyle": "Стил на шрифта за правилото: „italic“ (курсив), „bold“ (получер) или „underline“ (подчертан), или комбинация от тях. Ако е празно, ще се използват наследените настройки.",
+ "schema.fontStyle.error": "Font style must be 'italic', 'bold' or 'underline' or a combination. The empty string unsets all styles.",
+ "schema.token.fontStyle.none": "Няма (изчистване на наследения стил)",
+ "comment": "Style for comments.",
+ "string": "Style for strings.",
+ "keyword": "Style for keywords.",
+ "number": "Style for numbers.",
+ "regexp": "Style for expressions.",
+ "operator": "Style for operators.",
+ "namespace": "Style for namespaces.",
+ "type": "Style for types.",
+ "struct": "Style for structs.",
+ "class": "Style for classes.",
+ "interface": "Style for interfaces.",
+ "enum": "Style for enums.",
+ "typeParameter": "Style for type parameters.",
+ "function": "Style for functions",
+ "member": "Style for member",
+ "macro": "Style for macros.",
+ "variable": "Style for variables.",
+ "parameter": "Style for parameters.",
+ "property": "Style for properties.",
+ "enumMember": "Style for enum members.",
+ "event": "Style for events.",
+ "labels": "Style for labels. ",
+ "declaration": "Style for all symbol declarations.",
+ "documentation": "Style to use for references in documentation.",
+ "static": "Style to use for symbols that are static.",
+ "abstract": "Style to use for symbols that are abstract.",
+ "deprecated": "Style to use for symbols that are deprecated.",
+ "modification": "Style to use for write accesses.",
+ "async": "Style to use for symbols that are async.",
+ "readonly": "Style to use for symbols that are readonly."
+ },
+ "vs/platform/userDataSync/common/abstractSynchronizer": {
+ "incompatible": "Cannot sync {0} as its version {1} is not compatible with cloud {2}"
+ },
+ "vs/platform/menubar/electron-main/menubar": {
+ "miNewWindow": "New &&Window",
+ "mFile": "&&File",
+ "mEdit": "&&Edit",
+ "mSelection": "&&Selection",
+ "mView": "&&View",
+ "mGoto": "&&Go",
+ "mRun": "&&Run",
+ "mTerminal": "&&Terminal",
+ "mWindow": "Прозорец",
+ "mHelp": "&&Help",
+ "mAbout": "Относно {0}",
+ "miPreferences": "&&Preferences",
+ "mServices": "Services",
+ "mHide": "Скриване на {0}",
+ "mHideOthers": "Скриване на останалите",
+ "mShowAll": "Показване на всичко",
+ "miQuit": "Изход от {0}",
+ "mMinimize": "Минимизиране",
+ "mZoom": "Мащаб",
+ "mBringToFront": "Извеждане на всичко на преден план",
+ "miSwitchWindow": "Switch &&Window...",
+ "mNewTab": "New Tab",
+ "mShowPreviousTab": "Показване на предишния раздел",
+ "mShowNextTab": "Показване на следващия раздел",
+ "mMoveTabToNewWindow": "Преместване на раздела в нов прозорец",
+ "mMergeAllWindows": "Сливане на всички прозорци",
+ "miCheckForUpdates": "Check for &&Updates...",
+ "miCheckingForUpdates": "Проверка за обновления…",
+ "miDownloadUpdate": "D&&ownload Available Update",
+ "miDownloadingUpdate": "Сваляне на обновлението…",
+ "miInstallUpdate": "Install &&Update...",
+ "miInstallingUpdate": "Инсталиране на обновлението…",
+ "miRestartToUpdate": "Restart to &&Update"
+ },
+ "vs/platform/theme/common/iconRegistry": {},
+ "vs/platform/windows/electron-main/windowsMainService": {
+ "pathNotExistTitle": "Path does not exist",
+ "pathNotExistDetail": "Пътят „{0}“ изглежда вече не съществува на диска.",
+ "uriInvalidTitle": "Идентификаторът не може да бъде отворен..",
+ "uriInvalidDetail": "Идентификаторът „{0}“ е неправилен и не може да бъде отворен.",
+ "ok": "Добре"
+ },
+ "win32/i18n/messages": {
+ "AddContextMenuFiles": "Добавяне на действие „Отваряне с %1“ в контекстното меню за файлове",
+ "AddContextMenuFolders": "Добавяне на действие „Отваряне с %1“ в контекстното меню за папки",
+ "AssociateWithFiles": "Регистриране на „%1“ като редактор за поддържаните файлови типове",
+ "AddToPath": "Add to PATH (requires shell restart)",
+ "RunAfter": "Пускане на „%1“ след инсталацията",
+ "Other": "Други:",
+ "SourceFile": "Файл с изходен код – %1",
+ "OpenWithCodeContextMenu": "Open w&ith %1"
+ },
+ "vs/code/electron-browser/processExplorer/processExplorerMain": {
+ "cpu": "ЦП %",
+ "memory": "Memory (MB)",
+ "pid": "ид.",
+ "name": "Name",
+ "killProcess": "Убиване на процеса",
+ "forceKillProcess": "Принудително убиване на процеса",
+ "copy": "Копиране",
+ "copyAll": "Скриване на всичко",
+ "debug": "Дебъгване"
+ },
+ "vs/code/node/cliProcessMain": {
+ "notFound": "Разширението „{0}“ не е намерено.",
+ "notInstalled": "Разширението „{0}“ не е инсталирано.",
+ "useId": "Make sure you use the full extension ID, including the publisher, e.g.: {0}",
+ "installingExtensions": "Installing extensions...",
+ "installation failed": "Failed Installing Extensions: {0}",
+ "successVsixInstall": "Extension '{0}' was successfully installed.",
+ "cancelVsixInstall": "Инсталирането на разширението „{0}“ беше отменено.",
+ "alreadyInstalled": "Разширението „{0}“ вече е инсталирано.",
+ "forceUpdate": "Разширението „{0}“ версия {1} вече е инсталирано, но в магазина има налична нова версия {2}. Използвайте опцията „--force“, за да обновите до по-нова версия.",
+ "updateMessage": "Обновяване на разширението „{0}“ до версия {1}",
+ "forceDowngrade": "A newer version of extension '{0}' v{1} is already installed. Use '--force' option to downgrade to older version.",
+ "installing": "Installing extension '{0}' v{1}...",
+ "successInstall": "Extension '{0}' v{1} was successfully installed.",
+ "uninstalling": "Деинсталиране на „{0}“…",
+ "successUninstall": "Разширението „{0}“ е деинсталирано успешно!"
+ },
+ "vs/code/electron-main/main": {
+ "secondInstanceAdmin": "Втори екземпляр на „{0}“ вече работи с права на администратор.",
+ "secondInstanceAdminDetail": "Моля, затворете другия екземпляр и опитайте отново",
+ "secondInstanceNoResponse": "Друг екземпляр на „{0}“ работи, но не отговаря",
+ "secondInstanceNoResponseDetail": "Моля, затворете всички други екземпляри и опитайте отново.",
+ "startupDataDirError": "Unable to write program user data.",
+ "startupUserDataAndExtensionsDirErrorDetail": "Please make sure the following directories are writeable:\n\n{0}",
+ "close": "&&Close"
+ },
+ "vs/code/electron-browser/issue/issueReporterMain": {
+ "hide": "скриване",
+ "show": "показване",
+ "previewOnGitHub": "Преглед в GitHub",
+ "loadingData": "Зареждане на данните…",
+ "rateLimited": "Достигнато е ограничението на броя заявки към GitHub. Моля, изчакайте.",
+ "similarIssues": "Подобни проблеми",
+ "open": "Отваряне",
+ "closed": "Затворени",
+ "noSimilarIssues": "Не са открити подобни проблеми",
+ "settingsSearchIssue": "Проблем с търсенето в настройките",
+ "bugReporter": "Програмна грешка",
+ "featureRequest": "Заявка за нова функционалност",
+ "performanceIssue": "Проблем с производителността",
+ "selectSource": "Select source",
+ "vscode": "Visual Studio Code",
+ "extension": "An extension",
+ "unknown": "Don't Know",
+ "stepsToReproduce": "Steps to Reproduce",
+ "bugDescription": "Опишете стъпките, нужни за сигурно възпроизвеждане на проблема. Моля, опишете резултатите и какво всъщност очаквате като резултат. Ние поддържаме същия вариант на Markdown като в GitHub. Ще можете да редактирате проблема си и да добавите снимки, когато го видите в GitHub.",
+ "performanceIssueDesciption": "Кога се сблъскахте с този проблем с производителността? При стартиране ли се получава или след определена последователност от действия? Ние поддържаме същия вариант на Markdown като в GitHub. Ще можете да редактирате проблема си и да добавите снимки, когато го видите в GitHub.",
+ "description": "Description",
+ "featureRequestDescription": "Моля, опишете функционалността, която искате да видите. Ние поддържаме същия вариант на Markdown като в GitHub. Ще можете да редактирате проблема си и да добавите снимки, когато го видите в GitHub.",
+ "expectedResults": "Очаквани резултати",
+ "settingsSearchResultsDescription": "Моля, опишете резултатите, които очаквахте да видите, когато потърсихте този текст. Ние поддържаме същия вариант на Markdown като в GitHub. Ще можете да редактирате проблема си и да добавите снимки, когато го видите в GitHub.",
+ "pasteData": "Нужните данни бяха копирани в буфера за обмен, тъй като бяха твърде много за изпращане. Моля, поставете ги.",
+ "disabledExtensions": "Разширенията са изключени"
+ },
+ "vs/code/electron-main/app": {
+ "trace.message": "Беше създаден файл с проследяване на изпълнението на кода.",
+ "trace.detail": "Моля, създайте проблем и прикачете ръчно следния файл:\n{0}",
+ "trace.ok": "Добре"
+ },
+ "vs/code/electron-browser/issue/issueReporterPage": {
+ "completeInEnglish": "Моля, попълнете формуляра на английски.",
+ "issueTypeLabel": "Това е",
+ "issueSourceLabel": "Публикуване в",
+ "disableExtensionsLabelText": "Опитайте да възпроизведете проблема след {0}. Ако проблемът се възпроизвежда само когато разширенията са включени, то може да има проблем с някое от разширенията.",
+ "disableExtensions": "изключите всички разширения и презаредите прозореца",
+ "chooseExtension": "Разширение",
+ "extensionWithNonstandardBugsUrl": "The issue reporter is unable to create issues for this extension. Please visit {0} to report an issue.",
+ "extensionWithNoBugsUrl": "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.",
+ "issueTitleLabel": "Title",
+ "issueTitleRequired": "Please enter a title.",
+ "titleLengthValidation": "The title is too long.",
+ "details": "Моля, въведете подробностите.",
+ "sendSystemInfo": "Добавяне на информация за системата ми ({0})",
+ "show": "показване",
+ "sendProcessInfo": "Добавяне на информация за работещите процеси ({0})",
+ "sendWorkspaceInfo": "Добавяне на метаданните на работното място ({0})",
+ "sendExtensions": "Добавяне на информация за включените разширения ({0})",
+ "sendSearchedExtensions": "Изпращане на информация за търсените разширения ({0})",
+ "sendSettingsSearchDetails": "Изпращане на информация за търсените настройки ({0})"
+ },
+ "vs/code/electron-main/auth": {
+ "authRequire": "Изисква се удостоверяване в сървъра-посредник",
+ "proxyauth": "Сървърът-посредник „{0}“ изиска удостоверяване."
+ },
+ "vs/code/electron-main/window": {
+ "reopen": "&&Reopen",
+ "wait": "&&Keep Waiting",
+ "close": "&&Close",
+ "appStalled": "Прозорецът вече не отговаря",
+ "appStalledDetail": "Можете да отворите повторно прозореца или да го затворите, или да изчакате.",
+ "appCrashed": "Прозорецът претърпя срив",
+ "appCrashedDetail": "Съжаляваме за неудобството! Можете да отворите прозореца отново, за да продължите от там, където бяхте.",
+ "hiddenMenuBar": "Можете да достъпите лентата с менютата с клавиша „Alt“."
+ },
+ "vs/workbench/electron-browser/desktop.contribution": {
+ "view": "Изглед",
+ "newTab": "Нов раздел в прозореца",
+ "showPreviousTab": "Показване на предходния раздел в прозореца",
+ "showNextWindowTab": "Показване на следващия раздел в прозореца",
+ "moveWindowTabToNewWindow": "Преместване на раздела в нов прозорец",
+ "mergeAllWindowTabs": "Сливане на всички прозорци",
+ "toggleWindowTabsBar": "Превключване на лентата с раздели в прозореца",
+ "developer": "Разработчик",
+ "preferences": "Предпочитания",
+ "miCloseWindow": "Clos&&e Window",
+ "miExit": "E&&xit",
+ "miZoomIn": "&&Zoom In",
+ "miZoomOut": "&&Zoom Out",
+ "miZoomReset": "&&Reset Zoom",
+ "miReportIssue": "Report &&Issue",
+ "miToggleDevTools": "&&Toggle Developer Tools",
+ "miOpenProcessExplorerer": "Open &&Process Explorer",
+ "windowConfigurationTitle": "Прозорец",
+ "window.openWithoutArgumentsInNewWindow.on": "Open a new empty window.",
+ "window.openWithoutArgumentsInNewWindow.off": "Фокусиране върху последно активния работещ екземпляр.",
+ "openWithoutArgumentsInNewWindow": "Определя дали да се отваря нов празен прозорец при стартиране на втори екземпляр на програмата без аргументи, или дали трябва последният работещ екземпляр да получи фокус.\nИмайте предвид, че може да има случаи, в които тази настройка няма значение (например когато се използва опцията за команден ред `--new-window` или `--reuse-window`).",
+ "window.reopenFolders.all": "Повторно отваряне на всички прозорци.",
+ "window.reopenFolders.folders": "Повторно отваряне на всички папки. Празните работни места няма да бъдат възстановявани.",
+ "window.reopenFolders.one": "Повторно отваряне на последно активния прозорец.",
+ "window.reopenFolders.none": "Да не се отварят повторно никакви прозорци. Винаги да се започва с празен.",
+ "restoreWindows": "Определя как се отварят отново прозорците след рестартиране.",
+ "restoreFullscreen": "Определя дали прозорецът да се отваря в режим на цял екран, ако при затваряне е бил в такъв режим.",
+ "zoomLevel": "Настройка на мащаба на прозореца. Стандартният мащаб е 0 и всяко увеличаване (напр. 1) или намаляване (напр. -1) представлява съответно увеличаване или намаляване с 20%. Можете да използвате и числа с десетична точка, за да настроите мащаба по-точно.",
+ "window.newWindowDimensions.default": "Отваряне на новите прозорци в средата на екрана.",
+ "window.newWindowDimensions.inherit": "Отваряне на новите прозорци със същите размери като последно активния такъв.",
+ "window.newWindowDimensions.offset": "Open new windows with same dimension as last active one with an offset position.",
+ "window.newWindowDimensions.maximized": "Отваряне на новите прозорци максимизирани.",
+ "window.newWindowDimensions.fullscreen": "Отваряне на новите прозорци в режим на цял екран.",
+ "newWindowDimensions": "Определя размерите на новоотворения прозорец, когато вече има поне един отворен прозорец. Имайте предвид, че тази настройка няма значение за първия прозорец, който бъде отворен. Първият прозорец винаги ще възстанови размерите си и местоположението си – такива, каквито са били те преди затварянето му.",
+ "closeWhenEmpty": "Определя дали затварянето на последния редактор да затваря и прозореца. Тази настройка има значение само за прозорците, които не показват папки.",
+ "autoDetectHighContrast": "Ако това е включено, автоматично ще се превключва към тема с висок контраст, ако Windows използва такава тема, и към тъмна тема, когато Windows престане да използва тема с висок контраст.",
+ "window.doubleClickIconToClose": "If enabled, double clicking the application icon in the title bar will close the window and the window cannot be dragged by the icon. This setting only has an effect when `#window.titleBarStyle#` is set to `custom`.",
+ "titleBarStyle": "Adjust the appearance of the window title bar. On Linux and Windows, this setting also affects the application and context menu appearances. Changes require a full restart to apply.",
+ "window.nativeTabs": "Включва разделите в прозореца на macOS Sierra. Имайте предвид, че това изисква пълно рестартиране, и че системните раздели ще заменят персонализирания стил на заглавната лента, ако такъв е бил настроен.",
+ "window.nativeFullScreen": "Определя дали под macOS да се използва истинският режим на цял екран. Изключете тази настройка, ако искате macOS да не създава ново пространство при преминаването в режим на цял екран.",
+ "window.clickThroughInactive": "Ако е включено, щракването върху неактивен прозорец едновременно ще активира прозореца и ще изпълни щракване върху елемента под мишката, ако върху него може да се щраква. Ако е изключено, щракването върху неактивен прозорец само ще го активира, и ще е нужно повторно щракване върху самия елемент.",
+ "telemetryConfigurationTitle": "Телеметрия",
+ "telemetry.enableCrashReporting": "Разрешаване на изпращане на доклади за сривовете към услугата в Интернет на Майкрософт.\nПромяната изисква рестартиране, за да влезе в сила.",
+ "argv.locale": "The display Language to use. Picking a different language requires the associated language pack to be installed.",
+ "argv.disableHardwareAcceleration": "Disables hardware acceleration. ONLY change this option if you encounter graphic issues.",
+ "argv.disableColorCorrectRendering": "Resolves issues around color profile selection. ONLY change this option if you encounter graphic issues.",
+ "argv.forceColorProfile": "Allows to override the color profile to use. If you experience colors appear badly, try to set this to `srgb` and restart.",
+ "argv.force-renderer-accessibility": "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/browser/actions/textInputActions": {
+ "undo": "Отмяна",
+ "redo": "Повторение",
+ "cut": "Изрязване",
+ "copy": "Копиране",
+ "paste": "Поставяне",
+ "selectAll": "Избиране на всичко"
+ },
+ "vs/workbench/browser/actions/workspaceCommands": {
+ "addFolderToWorkspace": "Добавяне на папка към работното място…",
+ "add": "&&Add",
+ "addFolderToWorkspaceTitle": "Добавяне на папка към работното място",
+ "workspaceFolderPickerPlaceholder": "Избиране на папка за работно място"
+ },
+ "vs/workbench/browser/actions/developerActions": {
+ "inspect context keys": "Разглеждане на контекстните клавиши",
+ "toggle screencast mode": "Toggle Screencast Mode",
+ "logStorage": "Извеждане на съхранените данни в журнала",
+ "logWorkingCopies": "Log Working Copies",
+ "developer": "Разработчик",
+ "screencastModeConfigurationTitle": "Screencast Mode",
+ "screencastMode.location.verticalPosition": "Controls the vertical offset of the screencast mode overlay from the bottom as a percentage of the workbench height.",
+ "screencastMode.onlyKeyboardShortcuts": "Only show keyboard shortcuts in Screencast Mode."
+ },
+ "vs/workbench/browser/actions/navigationActions": {
+ "navigateLeft": "Преминаване към изгледа вляво",
+ "navigateRight": "Преминаване към изгледа вдясно",
+ "navigateUp": "Преминаване към изгледа отгоре",
+ "navigateDown": "Преминаване към изгледа отдолу",
+ "view": "Изглед"
+ },
+ "vs/workbench/browser/actions/quickAccessActions": {
+ "quickOpen": "Към файл…",
+ "quickNavigateNext": "Преминаване към следващото за бързо отваряне",
+ "quickNavigatePrevious": "Преминаване към предишното за бързо отваряне",
+ "quickSelectNext": "Избиране на следващото за бързо отваряне",
+ "quickSelectPrevious": "Избиране на предишното за бързо отваряне"
+ },
+ "vs/workbench/api/common/configurationExtensionPoint": {
+ "vscode.extension.contributes.configuration.title": "Обобщение на настройките. Този етикет ще се използва във файла с настройките като разделителен коментар.",
+ "vscode.extension.contributes.configuration.properties": "Описание на конфигурационните свойства.",
+ "scope.application.description": "Configuration that can be configured only in the user settings.",
+ "scope.machine.description": "Configuration that can be configured only in the user settings or only in the remote settings.",
+ "scope.window.description": "Configuration that can be configured in the user, remote or workspace settings.",
+ "scope.resource.description": "Configuration that can be configured in the user, remote, workspace or folder settings.",
+ "scope.language-overridable.description": "Resource configuration that can be configured in language specific settings.",
+ "scope.machine-overridable.description": "Machine configuration that can be configured also in workspace or folder settings.",
+ "scope.description": "Scope in which the configuration is applicable. Available scopes are `application`, `machine`, `window`, `resource`, and `machine-overridable`.",
+ "scope.enumDescriptions": "Описания за стойностите на изброени типове",
+ "scope.markdownEnumDescriptions": "Описания за стойностите на изброени типове във формата Markdown.",
+ "scope.markdownDescription": "Описанието във формата Markdown.",
+ "scope.deprecationMessage": "Ако е зададено, свойството се отбелязва като излязло от употреба и даденото съобщение се показва като обяснение.",
+ "vscode.extension.contributes.defaultConfiguration": "Добавя настройки по подразбиране на редактора според езика.",
+ "vscode.extension.contributes.configuration": "Добавя настройки.",
+ "invalid.title": "„configuration.title“ трябва да бъде низ",
+ "invalid.properties": "„configuration.properties“ трябва да бъде обект",
+ "invalid.property": "„configuration.property“ трябва да бъде обект",
+ "invalid.allOf": "„configuration.allOf“ е излязло от употреба и не бива да се ползва. Вместо това подайте конфигурационните раздели като масив в „configuration“.",
+ "workspaceConfig.folders.description": "Списък от папки, които да бъдат заредени в работното място.",
+ "workspaceConfig.path.description": "Път, например, `/главна/папкаА` или `./папкаА`, за относителен път, който ще се определи спрямо местоположението на файла на работното място.",
+ "workspaceConfig.name.description": "Име за папката (незадължително).",
+ "workspaceConfig.uri.description": "Универсален идентификатор на папката",
+ "workspaceConfig.settings.description": "Настройки на работното място",
+ "workspaceConfig.launch.description": "Пускови конфигурации на работното място",
+ "workspaceConfig.tasks.description": "Workspace task configurations",
+ "workspaceConfig.extensions.description": "Разширения на работното място",
+ "workspaceConfig.remoteAuthority": "The remote server where the workspace is located. Only used by unsaved remote workspaces.",
+ "unknownWorkspaceProperty": "Непознато конфигурационно свойство на работното място"
+ },
+ "vs/workbench/browser/parts/sidebar/sidebarPart": {
+ "focusSideBar": "Фокусиране в страничната лента",
+ "viewCategory": "Изглед"
+ },
+ "vs/workbench/electron-browser/actions/developerActions": {
+ "toggleDevTools": "Превключване на инструментите за разработчици",
+ "toggleSharedProcess": "Toggle Shared Process",
+ "configureRuntimeArguments": "Configure Runtime Arguments"
+ },
+ "vs/workbench/browser/actions/helpActions": {
+ "keybindingsReference": "Справка за клавишните комбинации",
+ "openDocumentationUrl": "Documentation",
+ "openIntroductoryVideosUrl": "Уводни видеа",
+ "openTipsAndTricksUrl": "Съвети и хитрости",
+ "newsletterSignup": "Signup for the VS Code Newsletter",
+ "openTwitterUrl": "Последвайте ни в Туитър",
+ "openUserVoiceUrl": "Търсене в заявките за нови функционалности",
+ "openLicenseUrl": "Преглед на лиценза",
+ "openPrivacyStatement": "Privacy Statement",
+ "help": "Помощ",
+ "miDocumentation": "&&Documentation",
+ "miKeyboardShortcuts": "&&Keyboard Shortcuts Reference",
+ "miIntroductoryVideos": "Introductory &&Videos",
+ "miTipsAndTricks": "Tips and Tri&&cks",
+ "miTwitter": "&&Join Us on Twitter",
+ "miUserVoice": "&&Search Feature Requests",
+ "miLicense": "View &&License",
+ "miPrivacyStatement": "Privac&&y Statement"
+ },
+ "vs/workbench/api/browser/viewsExtensionPoint": {
+ "vscode.extension.contributes.views.containers.id": "Уникален идентификатор, използван за идентифициране на контейнера, в който могат да се добавят изгледи чрез ключа „views“.",
+ "vscode.extension.contributes.views.containers.title": "Четлив низ използван за показване на контейнера",
+ "vscode.extension.contributes.views.containers.icon": "Път до иконката на контейнера. Иконките трябва да са с размер 24x24, центрирани върху правоъгълник с размер 50x40 и да имат цвят за запълване „rgb(215, 218, 224)“ или „#d7dae0“. Препоръчва се иконките да са във формат SVG, но се приемат и всички други формати за изображения.",
+ "vscode.extension.contributes.viewsContainers": "Добавя контейнери с изгледи в редактора",
+ "views.container.activitybar": "Добавя контейнери с изгледи в лентата на дейността",
+ "views.container.panel": "Contribute views containers to Panel",
+ "vscode.extension.contributes.view.id": "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`.",
+ "vscode.extension.contributes.view.name": "Четливо име на изгледа. Ще се вижда",
+ "vscode.extension.contributes.view.when": "Условие, което трябва да бъде изпълнено, за да е видим този изглед",
+ "vscode.extension.contributes.view.group": "Nested group in the viewlet",
+ "vscode.extension.contributes.view.remoteName": "The name of the remote type associated with this view",
+ "vscode.extension.contributes.views": "Добавя изгледи в редактора",
+ "views.explorer": "Добавя изгледи в раздела с файлове в лентата на дейността",
+ "views.debug": "Добавя изгледи в раздела за дебъгване в лентата на дейността",
+ "views.scm": "Добавя изгледи в раздела на системата за контрол на версиите в лентата на дейността",
+ "views.test": "Добавя изгледи в раздела за тестване в лентата на дейността",
+ "views.remote": "Contributes views to Remote container in the Activity bar. To contribute to this container, enableProposedApi needs to be turned on",
+ "views.contributed": "Добавя изгледи в контейнер с добавени изгледи",
+ "test": "Тестване",
+ "viewcontainer requirearray": "контейнерите с изгледи трябва да бъдат масив",
+ "requireidstring": "свойството `{0}` е задължително и трябва да бъде низ. Позволено е ползването само на латински букви, цифри и знаците „_“ и „-“.",
+ "requirestring": "свойството `{0}` е задължително и трябва да бъде низ",
+ "showViewlet": "Показване на {0}",
+ "view": "Изглед",
+ "ViewContainerRequiresProposedAPI": "View container '{0}' requires 'enableProposedApi' turned on to be added to 'Remote'.",
+ "ViewContainerDoesnotExist": "Контейнерът за изгледи „{0}“ не съществува и всички регистрирани към него изгледи ще бъдат добавени във „Файлове“.",
+ "duplicateView1": "Cannot register multiple views with same id `{0}`",
+ "duplicateView2": "A view with id `{0}` is already registered.",
+ "requirearray": "„views“ трябва да бъде масив",
+ "optstring": "свойството `{0}` може или да бъде пропуснато, или да бъде низ"
+ },
+ "vs/workbench/browser/actions/workspaceActions": {
+ "openFile": "Отваряне на файл…",
+ "openFolder": "Отваряне на папка…",
+ "openFileFolder": "Отваряне…",
+ "openWorkspaceAction": "Отваряне на работно място…",
+ "closeWorkspace": "Затваряне на работното място",
+ "noWorkspaceOpened": "В този екземпляр на програмата в момента няма работно място, което да бъде затворено.",
+ "openWorkspaceConfigFile": "Отваряне на конфигурационния файл на работното място",
+ "globalRemoveFolderFromWorkspace": "Премахване на папка от работното място…",
+ "saveWorkspaceAsAction": "Запазване на работното място като…",
+ "duplicateWorkspaceInNewWindow": "Дублиране на работното място в нов прозорец",
+ "workspaces": "Работно място",
+ "miAddFolderToWorkspace": "A&&dd Folder to Workspace...",
+ "miSaveWorkspaceAs": "Запазване на работното място като…",
+ "miCloseFolder": "Close &&Folder",
+ "miCloseWorkspace": "Close &&Workspace"
+ },
+ "vs/workbench/browser/actions/windowActions": {
+ "remove": "Премахване от последно отваряните",
+ "dirtyRecentlyOpened": "Workspace With Dirty Files",
+ "workspaces": "Работно място",
+ "files": "files",
+ "dirtyWorkspace": "Workspace with Dirty Files",
+ "dirtyWorkspaceConfirm": "Do you want to open the workspace to review the dirty files?",
+ "dirtyWorkspaceConfirmDetail": "Workspaces with dirty files cannot be removed until all dirty files have been saved or reverted.",
+ "recentDirtyAriaLabel": "{0}, dirty workspace",
+ "openRecent": "Отваряне на наскоро отварян…",
+ "quickOpenRecent": "Бързо отваряне на наскоро отварян…",
+ "toggleFullScreen": "Превключване на режима на цял екран",
+ "reloadWindow": "Презареждане на прозореца",
+ "about": "About",
+ "newWindow": "Нов прозорец",
+ "file": "File",
+ "view": "Изглед",
+ "developer": "Разработчик",
+ "help": "Помощ",
+ "miNewWindow": "New &&Window",
+ "miOpenRecent": "Open &&Recent",
+ "miMore": "&&More...",
+ "miToggleFullScreen": "&&Full Screen",
+ "miAbout": "&&About"
+ },
+ "vs/workbench/api/common/menusExtensionPoint": {
+ "requirearray": "елементите на менюто трябва да бъдат масив",
+ "requirestring": "свойството `{0}` е задължително и трябва да бъде низ",
+ "optstring": "свойството `{0}` може или да бъде пропуснато, или да бъде низ",
+ "vscode.extension.contributes.menuItem.command": "Идентификатор на командата за изпълнение. Командата трябва да бъде описана в раздела „commands“",
+ "vscode.extension.contributes.menuItem.alt": "Идентификатор на алтернативна команда за изпълнение. Командата трябва да бъде описана в раздела „commands“",
+ "vscode.extension.contributes.menuItem.when": "Условие, което трябва да бъде изпълнено, за да е видим този елемент",
+ "vscode.extension.contributes.menuItem.group": "Група, към която принадлежи тази команда",
+ "vscode.extension.contributes.menus": "Добавя елементи в менюто на редактора",
+ "menus.commandPalette": "Палитрата с команди",
+ "menus.touchBar": "Сензорната лента (само за macOS)",
+ "menus.editorTitle": "Заглавното меню на редактора",
+ "menus.editorContext": "Контекстното меню на редактора",
+ "menus.explorerContext": "Контекстното меню на файловия мениджър",
+ "menus.editorTabContext": "Контекстното меню на разделите на редактора",
+ "menus.debugCallstackContext": "Контекстното меню на стека на извикванията при отстраняване на грешки",
+ "menus.webNavigation": "The top level navigational menu (web only)",
+ "menus.scmTitle": "Заглавното меню на системата за контрол на версиите",
+ "menus.scmSourceControl": "Менюто на системата за контрол на версиите",
+ "menus.resourceGroupContext": "Контекстното меню на група от файлове в системата за контрол на версиите",
+ "menus.resourceStateContext": "Контекстното меню на състоянието на файловете в системата за контрол на версиите",
+ "menus.resourceFolderContext": "The Source Control resource folder context menu",
+ "menus.changeTitle": "The Source Control inline change menu",
+ "view.viewTitle": "Заглавното меню на добавения изглед",
+ "view.itemContext": "Контекстното меню на елемент в добавения изглед",
+ "commentThread.title": "The contributed comment thread title menu",
+ "commentThread.actions": "The contributed comment thread context menu, rendered as buttons below the comment editor",
+ "comment.title": "The contributed comment title menu",
+ "comment.actions": "The contributed comment context menu, rendered as buttons below the comment editor",
+ "notebook.cell.title": "The contributed notebook cell title menu",
+ "menus.extensionContext": "The extension context menu",
+ "view.timelineTitle": "The Timeline view title menu",
+ "view.timelineContext": "The Timeline view item context menu",
+ "nonempty": "очаква се непразна стойност.",
+ "opticon": "свойството `icon` може или да бъде пропуснато, или да бъде текст или предварително определена константа, като напр. `{dark, light}`",
+ "requireStringOrObject": "свойството `{0}` е задължително и трябва да бъде низ",
+ "requirestrings": "свойствата `{0}` и `{1}` са задължителни и трябва да бъдат низове",
+ "vscode.extension.contributes.commandType.command": "Идентификатор на командата за изпълнение",
+ "vscode.extension.contributes.commandType.title": "Заглавие, с което командата да бъде представена в потребителския интерфейс",
+ "vscode.extension.contributes.commandType.category": "(Незадължително) Категория, според която командата е групирана в потребителския интерфейс.",
+ "vscode.extension.contributes.commandType.precondition": "(Optional) Condition which must be true to enable the command",
+ "vscode.extension.contributes.commandType.icon": "(Optional) Icon which is used to represent the command in the UI. Either a file path, an object with file paths for dark and light themes, or a theme icon references, like `$(zap)`",
+ "vscode.extension.contributes.commandType.icon.light": "Път до иконката за ползване със светла тема",
+ "vscode.extension.contributes.commandType.icon.dark": "Път до иконката за ползване с тъмна тема",
+ "vscode.extension.contributes.commands": "Добавя команди към палитрата с команди.",
+ "dup": "Командата `{0}` присъства повече от веднъж в раздела `commands`.",
+ "menuId.invalid": "`{0}` не е правилен идентификатор на меню",
+ "proposedAPI.invalid": "{0} is a proposed menu identifier and is only available when running out of dev or with the following command line switch: --enable-proposed-api {1}",
+ "missing.command": "Елементът в менюто използва команда `{0}`, каквато няма дефинирана в раздела `commands`.",
+ "missing.altCommand": "Елементът в менюто използва алтернативна команда `{0}`, каквато няма дефинирана в раздела `commands`.",
+ "dupe.command": "Елементът в менюто използва една и съща команда като такава по подразбиране и като алтернативна."
+ },
+ "vs/workbench/electron-browser/actions/windowActions": {
+ "closeWindow": "Затваряне на прозореца",
+ "zoomIn": "Увеличаване",
+ "zoomOut": "Намаляване",
+ "zoomReset": "Нулиране на мащаба",
+ "reloadWindowWithExtensionsDisabled": "Reload With Extensions Disabled",
+ "close": "Затваряне на прозореца",
+ "switchWindowPlaceHolder": "Изберете прозорец, към който да превключите",
+ "windowDirtyAriaLabel": "{0}, dirty window",
+ "current": "Current Window",
+ "switchWindow": "Превключване към прозорец…",
+ "quickSwitchWindow": "Бързо превключване към прозорец…"
+ },
+ "vs/workbench/browser/workbench.contribution": {
+ "workbench.editor.titleScrollbarSizing.default": "The default size.",
+ "workbench.editor.titleScrollbarSizing.large": "Increases the size, so it can be grabed more easily with the mouse",
+ "tabScrollbarHeight": "Controls the height of the scrollbars used for tabs and breadcrumbs in the editor title area.",
+ "showEditorTabs": "Определя дали отворените редактори да се показват като раздели или не.",
+ "highlightModifiedTabs": "Определя дали разделите с променено съдържание да имат горен контур или не.",
+ "workbench.editor.labelFormat.default": "Показване на името на файла. Когато разделите са включени и два файла в една група имат едно и също име, различните части от пътя на файловете се добавят. Когато разделите са изключени, се показва относителният път до папката на работното място, ако редакторът е активен.",
+ "workbench.editor.labelFormat.short": "Показване на името на файла, последвано от името на папката, в която се намира.",
+ "workbench.editor.labelFormat.medium": "Показване на името на файла, последвано от относителния път до папката на работното място.",
+ "workbench.editor.labelFormat.long": "Показване на името на файла, последвано от пълния му път.",
+ "tabDescription": "Определя формата на етикета за редактор.",
+ "workbench.editor.untitled.labelFormat.content": "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.",
+ "workbench.editor.untitled.labelFormat.name": "The name of the untitled file is not derived from the contents of the file.",
+ "untitledLabelFormat": "Controls the format of the label for an untitled editor.",
+ "editorTabCloseButton": "Определя мястото на бутончетата за затваряне на разделите в редактора, или ги премахва, ако е зададено „off“ (изключено).",
+ "workbench.editor.tabSizing.fit": "Заглавните елементи на разделите да бъдат достатъчно винаги достатъчно големи, за да се вижда пълното заглавие на редактора.",
+ "workbench.editor.tabSizing.shrink": "Позволяване на заглавните елементи на разделите да бъдат по-малки, когато наличното място е недостатъчно за показване на всички раздели едновременно.",
+ "tabSizing": "Определя размера на заглавните елементи на разделите.",
+ "workbench.editor.splitSizingDistribute": "Splits all the editor groups to equal parts.",
+ "workbench.editor.splitSizingSplit": "Splits the active editor group to equal parts.",
+ "splitSizing": "Controls the sizing of editor groups when splitting them.",
+ "focusRecentEditorAfterClose": "Controls whether tabs are closed in most recently used order or from left to right.",
+ "showIcons": "Определя дали отворените редактори да показват иконка или не. Това изисква да бъде избрана и тема за иконките.",
+ "enablePreview": "Определя дали отворените редактори да се показват като прегледи. Редакторите за преглед се преизползват, докато не бъдат задържани (напр. чрез двойно щракване или при редактиране), и се използват курсивен шрифт.",
+ "enablePreviewFromQuickOpen": "Controls whether editors opened from Quick Open show as preview. Preview editors are reused until they are pinned (e.g. via double click or editing).",
+ "closeOnFileDelete": "Определя дали редакторите показващи определен файл, който е бил отворен по време на сесията, да се затварят автоматично, когато файлът бъде изтрит или преименуван от друг процес. Ако това е изключено, редакторът ще бъде в променено състояние при подобно събитие. Имайте предвид, че изтриването от програмата винаги ще затвори редактора, и че ако променените файлове никога няма да се затворят сами, за да се запазят данните Ви.",
+ "editorOpenPositioning": "Определя къде се отварят редакторите. Изберете `left` (ляво) или `right` (дясно), за да се отварят съответно отляво или отдясно на текущо активния редактор. Изберете `first` (първи) или `last` (последен), за да се отварят независимо от местоположението на текущо активния редактор.",
+ "sideBySideDirection": "Определя посоката по подразбиране за редакторите, отворени един до други (например от изгледа с файлове). По подразбиране редакторите ще се отварят от дясната страна на текущо активния. Ако това бъде променено на `down`, то редакторите ще се отварят под текущо активния.",
+ "closeEmptyGroups": "Определя какво да се случва с празните групи от редактори, когато бъде затворен последният раздел от групата. Аго е включено, празните групи ще се затварят автоматично. Ако е изключено, празните групи просто ще си останат.",
+ "revealIfOpen": "Определя дали при отваряне редакторът може просто да се покаже в някоя от видимите групи. Ако това е изключено, редакторът ще предпочете да се отвори в текущо активната група. Ако е включено, вместо да се отворя отново в текущо активната група, редакторът просто ще бъде показан в групата, в която се намира. Имайте предвид, че има случаи, при които тази настройка няма значение, например когато редакторът бъде принудително отворен в определена група, или отстрани на текущо активната група.",
+ "mouseBackForwardToNavigate": "Navigate between open files using mouse buttons four and five if provided.",
+ "restoreViewState": "Възстановява последното състояние на изгледа (напр. позицията на лентата за превъртане) при повторното отваряне на файлове, след като са били затворени.",
+ "centeredLayoutAutoResize": "Определя дали центрираната подредба да се преоразмерява автоматично до максимална ширина, когато има отворени повече от една групи. Когато само една група остане отворена, ще се върне първоначалната ширина.",
+ "limitEditorsEnablement": "Controls if the number of opened editors should be limited or not. When enabled, less recently used editors that are not dirty will close to make space for newly opening editors.",
+ "limitEditorsMaximum": "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.",
+ "perEditorGroup": "Controls if the limit of maximum opened editors should apply per editor group or across all editor groups.",
+ "commandHistory": "Определя броя на последно използваните команди в историята на палитрата с команди. Ако стойността е 0, няма да се пази история на командите.",
+ "preserveInput": "Определя дали това, което е било последно въведено в палитрата с команди, да се възстановява при последващо отваряне.",
+ "closeOnFocusLost": "Определя дали бързото отваряне да се затваря автоматично при загуба на фокуса.",
+ "workbench.quickOpen.preserveInput": "Определя дали това, което е било последно въведено за бързо отваряне, да се възстановява при последващо отваряне.",
+ "openDefaultSettings": "Определя дали отварянето на настройките да отваря и редактор, показващ настройките по подразбиране.",
+ "useSplitJSON": "Controls whether to use the split JSON editor when editing settings as JSON.",
+ "openDefaultKeybindings": "Определя дали отварянето на настройките за клавишните комбинации да отваря и редактор, показващ всички клавишни комбинации по подразбиране.",
+ "sideBarLocation": "Controls the location of the sidebar and activity bar. They can either show on the left or right of the workbench.",
+ "panelDefaultLocation": "Controls the default location of the panel (terminal, debug console, output, problems). It can either show at the bottom, right, or left of the workbench.",
+ "statusBarVisibility": "Определя дали в долната част на работната област да се показва лентата на състоянието.",
+ "activityBarVisibility": "Определя дали лентата на дейността да се показва в работната област.",
+ "viewVisibility": "Определя дали да се показват действията в заглавната лента на изгледа. Действията в заглавната лента на изгледа могат да бъдат винаги видими, или да се показват само когато този изглед е на фокус или бъде посочен с мишката.",
+ "fontAliasing": "Управлява заглаждането на шрифтовете в работната област.",
+ "workbench.fontAliasing.default": "Подпикселно заглаждане на шрифта. На повечето екрани, които не са описани като тип „ретина“, това ще осигури най-добър вид.",
+ "workbench.fontAliasing.antialiased": "Заглаждане на шрифта на ниво пиксел, а не по-ниско. Това може да направи шрифта като цяло по-тънък.",
+ "workbench.fontAliasing.none": "Без заглаждане на шрифта. Текстът може да бъде назъбен и да има остри ъгли.",
+ "workbench.fontAliasing.auto": "Прилага се `default` или `antialiased` автоматично, според гъстотата на точките на екраните.",
+ "settings.editor.ui": "Използване на редактора на настройки с потребителски интерфейс.",
+ "settings.editor.json": "Използване на редактора на файлове JSON.",
+ "settings.editor.desc": "Определя кой редактор на настройки да се използва по подразбиране.",
+ "windowTitle": "Controls the window title based on the active editor. Variables are substituted based on the context:",
+ "activeEditorShort": "`${activeEditorShort}`: the file name (e.g. myFile.txt).",
+ "activeEditorMedium": "`${activeEditorMedium}`: the path of the file relative to the workspace folder (e.g. myFolder/myFileFolder/myFile.txt).",
+ "activeEditorLong": "`${activeEditorLong}`: the full path of the file (e.g. /Users/Development/myFolder/myFileFolder/myFile.txt).",
+ "activeFolderShort": "`${activeFolderShort}`: the name of the folder the file is contained in (e.g. myFileFolder).",
+ "activeFolderMedium": "`${activeFolderMedium}`: the path of the folder the file is contained in, relative to the workspace folder (e.g. myFolder/myFileFolder).",
+ "activeFolderLong": "`${activeFolderLong}`: the full path of the folder the file is contained in (e.g. /Users/Development/myFolder/myFileFolder).",
+ "folderName": "`${folderName}`: name of the workspace folder the file is contained in (e.g. myFolder).",
+ "folderPath": "`${folderPath}`: file path of the workspace folder the file is contained in (e.g. /Users/Development/myFolder).",
+ "rootName": "`${rootName}`: name of the workspace (e.g. myFolder or myWorkspace).",
+ "rootPath": "`${rootPath}`: file path of the workspace (e.g. /Users/Development/myWorkspace).",
+ "appName": "`${appName}`: e.g. VS Code.",
+ "remoteName": "`${remoteName}`: e.g. SSH",
+ "dirty": "`${dirty}`: a dirty indicator if the active editor is dirty.",
+ "separator": "`${separator}`: a conditional separator (\" - \") that only shows when surrounded by variables with values or static text.",
+ "windowConfigurationTitle": "Прозорец",
+ "window.menuBarVisibility.default": "Menu is only hidden in full screen mode.",
+ "window.menuBarVisibility.visible": "Менюто е винаги видимо, дори и в режим на цял екран.",
+ "window.menuBarVisibility.toggle": "Менюто е скрито, но може да бъде показано чрез натискане на клавиша Alt.",
+ "window.menuBarVisibility.hidden": "Менюто е винаги скрито.",
+ "window.menuBarVisibility.compact": "Menu is displayed as a compact button in the sidebar. This value is ignored when 'window.titleBarStyle' is 'native'.",
+ "menuBarVisibility": "Управлява дали лентата с менютата да е видима. Ако е зададено „toggle“ (превключване), то менютата ще са скрити и ще се показват при еднократно натискане на клавиша Alt. По подразбиране лентата с менютата е видима, освен когато прозорецът е в режим на цял екран.",
+ "enableMenuBarMnemonics": "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.",
+ "customMenuBarAltFocus": "Controls whether the menu bar will be focused by pressing the Alt-key. This setting has no effect on toggling the menu bar with the Alt-key.",
+ "window.openFilesInNewWindow.on": "Файловете ще се отварят в нов прозорец.",
+ "window.openFilesInNewWindow.off": "Файловете ще се отварят в прозореца с отворената папка на файловете или в последно активния прозорец.",
+ "window.openFilesInNewWindow.defaultMac": "Файловете ще се отварят в прозореца с отворената папка на файловете или в последно активния прозорец, освен ако не са отворени чрез дока или от „Finder“.",
+ "window.openFilesInNewWindow.default": "Файловете ще се отварят в нов прозорец, освен ако не са избрани вътре в самата програма (например от менюто „Файл“).",
+ "openFilesInNewWindowMac": "Определя дали файловете да се отварят в нов прозорец.\nИмайте предвид, че може да има случаи, в които тази настройка няма значение (например когато се използва опцията за команден ред `--new-window` или `--reuse-window`).",
+ "openFilesInNewWindow": "Определя дали файловете да се отварят в нов прозорец.\nИмайте предвид, че може да има случаи, в които тази настройка няма значение (например когато се използва опцията за команден ред `--new-window` или `--reuse-window`).",
+ "window.openFoldersInNewWindow.on": "Папките ще се отварят в нов прозорец.",
+ "window.openFoldersInNewWindow.off": "Папките ще заменят последния активен прозорец.",
+ "window.openFoldersInNewWindow.default": "Папките ще се отварят в нов прозорец, освен ако не е избрана папка вътре в самата програма (например от менюто „Файл“).",
+ "openFoldersInNewWindow": "Определя дали папките да се отварят в нов прозорец или да заменят последния активен прозорец.\nИмайте предвид, че може да има случаи, в които тази настройка няма значение (например когато се използва опцията за команден ред `--new-window` или `--reuse-window`).",
+ "zenModeConfigurationTitle": "Режим „Дзен“",
+ "zenMode.fullScreen": "Определя дали включването на режима „Дзен“ да кара програмата да влезе в режим на цял екран.",
+ "zenMode.centerLayout": "Определя дали включването на режима „Дзен“ да центрира подредбата.",
+ "zenMode.hideTabs": "Определя дали включването на режима „Дзен“ да скрива и разделите.",
+ "zenMode.hideStatusBar": "Определя дали включването на режима „Дзен“ да скрива и лентата на състоянието в долната част на работната област.",
+ "zenMode.hideActivityBar": "Определя дали включването на режима „Дзен“ да скрива и лентата на дейностите отляво на работната област.",
+ "zenMode.hideLineNumbers": "Controls whether turning on Zen Mode also hides the editor line numbers.",
+ "zenMode.restore": "Определя дали прозорецът да стартира в режим „Дзен“, ако е бил затворен, докато е бил в такъв режим.",
+ "zenMode.silentNotifications": "Controls whether notifications are shown while in zen mode. If true, only error notifications will pop out."
+ },
+ "vs/workbench/browser/parts/titlebar/titlebarPart": {
+ "patchedWindowTitle": "[Неподдържано]",
+ "userIsAdmin": "[Administrator]",
+ "userIsSudo": "[Суперпотребител]",
+ "devExtensionWindowTitlePrefix": "[Сървър за разработка на разширения]"
+ },
+ "vs/workbench/browser/workbench": {
+ "loaderErrorNative": "Един от необходимите файлове не може да бъде зареден. Моля, рестартирайте програмата, за да опитате отново. Подробности: {0}"
+ },
+ "vs/workbench/common/editor": {
+ "sideBySideLabels": "{0} – {1}"
+ },
+ "vs/workbench/api/common/jsonValidationExtensionPoint": {
+ "contributes.jsonValidation": "Добавя конфигурация за схема на JSON.",
+ "contributes.jsonValidation.fileMatch": "The file pattern (or an array of patterns) to match, for example \"package.json\" or \"*.launch\". Exclusion patterns start with '!'",
+ "contributes.jsonValidation.url": "Адрес на схема („http:“, „https:“) или относителен път до папката на разширението („./“).",
+ "invalid.jsonValidation": "„configuration.jsonValidation“ трябва да бъде масив",
+ "invalid.fileMatch": "'configuration.jsonValidation.fileMatch' must be defined as a string or an array of strings.",
+ "invalid.url": "„configuration.jsonValidation.url“ трябва да бъде адрес или относителен път",
+ "invalid.path.1": "Очаква се пътят в `contributes.{0}.url` ({1}) да бъде в папката на разширението ({2}). Това може да направи разширението негодно за използване на други системи.",
+ "invalid.url.fileschema": "„configuration.jsonValidation.url“ не е правилен относителен адрес: {0}",
+ "invalid.url.schema": "'configuration.jsonValidation.url' must be an absolute URL or start with './' to reference schemas located in the extension."
+ },
+ "vs/workbench/api/browser/mainThreadMessageService": {
+ "extensionSource": "{0} (Разширение)",
+ "defaultSource": "Разширение",
+ "manageExtension": "Управление на разширението",
+ "cancel": "Отказ",
+ "ok": "Добре"
+ },
+ "vs/workbench/api/browser/mainThreadFileSystemEventService": {
+ "files.participants.timeout": "Timeout in milliseconds after which file participants for create, rename, and delete are cancelled. Use `0` to disable participants."
+ },
+ "vs/workbench/api/browser/mainThreadProgress": {
+ "manageExtension": "Управление на разширението"
+ },
+ "vs/workbench/api/browser/mainThreadSaveParticipant": {
+ "timeout.onWillSave": "Събитието „onWillSaveTextDocument“ е прекратено след 1750мсек"
+ },
+ "vs/workbench/browser/actions/layoutActions": {
+ "view": "Изглед",
+ "closeSidebar": "Close Side Bar",
+ "toggleActivityBar": "Превключване на показването на лентата на дейността",
+ "miShowActivityBar": "Show &&Activity Bar",
+ "toggleCenteredLayout": "Превключване на центрирана подредба",
+ "miToggleCenteredLayout": "Centered Layout",
+ "flipLayout": "Превключване между вертикална/хоризонтална подредба на редактора",
+ "miToggleEditorLayout": "Flip &&Layout",
+ "toggleSidebarPosition": "Превключване на местоположението на страничната лента",
+ "moveSidebarRight": "Преместване на страничната лента вдясно",
+ "moveSidebarLeft": "Преместване на страничната лента вляво",
+ "miMoveSidebarRight": "&&Move Side Bar Right",
+ "miMoveSidebarLeft": "&&Move Side Bar Left",
+ "toggleEditor": "Toggle Editor Area Visibility",
+ "miShowEditorArea": "Show &&Editor Area",
+ "toggleSidebar": "Превключване на показването на страничната лента",
+ "miAppearance": "&&Appearance",
+ "miShowSidebar": "Show &&Side Bar",
+ "toggleStatusbar": "Превключване на показването на лентата на състоянието",
+ "miShowStatusbar": "Show S&&tatus Bar",
+ "toggleTabs": "Превключване на показването на разделите",
+ "toggleZenMode": "Превключване на режима „Дзен“",
+ "miToggleZenMode": "Режим „Дзен“",
+ "toggleMenuBar": "Превключване на лентата с менюта",
+ "miShowMenuBar": "Show Menu &&Bar",
+ "resetViewLocations": "Reset View Locations",
+ "moveFocusedView": "Move Focused View",
+ "moveFocusedView.error.noFocusedView": "There is no view currently focused.",
+ "moveFocusedView.error.nonMovableView": "The currently focused view is not movable.",
+ "moveFocusedView.selectDestination": "Select a Destination for the View",
+ "sidebar": "Side Bar",
+ "moveFocusedView.newContainerInSidebar": "New Container in Side Bar",
+ "panel": "Panel",
+ "moveFocusedView.newContainerInPanel": "New Container in Panel",
+ "resetFocusedViewLocation": "Reset Focused View Location",
+ "resetFocusedView.error.noFocusedView": "There is no view currently focused.",
+ "increaseViewSize": "Увеличаване на размера на текущия изглед",
+ "decreaseViewSize": "Decrease Current View Size"
+ },
+ "vs/workbench/browser/parts/panel/panelPart": {
+ "hidePanel": "Скриване на панела"
+ },
+ "vs/workbench/browser/parts/activitybar/activitybarPart": {
+ "hideMenu": "Hide Menu",
+ "showMenu": "Show Menu",
+ "hideActivitBar": "Скриване на лентата на дейността",
+ "manage": "Управление",
+ "accounts": "Accounts"
+ },
+ "vs/workbench/browser/parts/statusbar/statusbarPart": {
+ "hide": "Hide '{0}'",
+ "hideStatusBar": "Hide Status Bar"
+ },
+ "vs/workbench/common/configuration": {
+ "workbenchConfigurationTitle": "Работна област"
+ },
+ "vs/workbench/common/theme": {
+ "tabActiveBackground": "Фонов цвят за активен раздел. Разделите съдържат редакторите в областта за редактори. В една група редактори могат да бъдат отворени множество раздели. Също така може да има множество групи редактори.",
+ "tabUnfocusedActiveBackground": "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.",
+ "tabInactiveBackground": "Фонов цвят за неактивен раздел. Разделите съдържат редакторите в областта за редактори. В една група редактори могат да бъдат отворени множество раздели. Също така може да има множество групи редактори.",
+ "tabHoverBackground": "Фонов цвят при посочване на раздел. Разделите съдържат редакторите в областта за редактори. В една група редактори могат да бъдат отворени множество раздели. Също така може да има множество групи редактори.",
+ "tabUnfocusedHoverBackground": "Фонов цвят при посочване на раздел в нефокусирана група. Разделите съдържат редакторите в областта за редактори. В една група редактори могат да бъдат отворени множество раздели. Също така може да има множество групи редактори.",
+ "tabBorder": "Цвят на контура за отделяне на разделите един от друг. Разделите съдържат редакторите в областта за редактори. В една група редактори могат да бъдат отворени множество раздели. Също така може да има множество групи редактори.",
+ "tabActiveBorder": "Контур в долната част на активните раздели. Разделите съдържат редакторите в областта за редактори. В една група редактори могат да бъдат отворени множество раздели. Също така може да има множество групи редактори.",
+ "tabActiveUnfocusedBorder": "Контур в долната част на активните раздели в нефокусирана група. Разделите съдържат редакторите в областта за редактори. В една група редактори могат да бъдат отворени множество раздели. Също така може да има множество групи редактори.",
+ "tabActiveBorderTop": "Контур в горната част на активните раздел. Разделите съдържат редакторите в областта за редактори. В една група редактори могат да бъдат отворени множество раздели. Също така може да има множество групи редактори.",
+ "tabActiveUnfocusedBorderTop": "Контур в горната част на активните раздели в нефокусирана група. Разделите съдържат редакторите в областта за редактори. В една група редактори могат да бъдат отворени множество раздели. Също така може да има множество групи редактори.",
+ "tabActiveModifiedBorder": "Контур в горната част на променените активни раздели в активна група. Разделите съдържат редакторите в областта за редактори. В една група редактори могат да бъдат отворени множество раздели. Също така може да има множество групи редактори.",
+ "tabInactiveModifiedBorder": "Контур в горната част на променените неактивни раздели в активна група. Разделите съдържат редакторите в областта за редактори. В една група редактори могат да бъдат отворени множество раздели. Също така може да има множество групи редактори.",
+ "unfocusedActiveModifiedBorder": "Контур в горната част на променените активни раздели в нефокусирана група. Разделите съдържат редакторите в областта за редактори. В една група редактори могат да бъдат отворени множество раздели. Също така може да има множество групи редактори.",
+ "unfocusedINactiveModifiedBorder": "Контур в горната част на променените неактивни раздели в неактивна група. Разделите съдържат редакторите в областта за редактори. В една група редактори могат да бъдат отворени множество раздели. Също така може да има множество групи редактори.",
+ "tabHoverBorder": "Цвят на контура за открояване на разделите при посочване. Разделите съдържат редакторите в областта за редактори. В една група редактори могат да бъдат отворени множество раздели. Също така може да има множество групи редактори.",
+ "tabUnfocusedHoverBorder": "Цвят на контура за открояване на разделите в нефокусирана група при посочване. Разделите съдържат редакторите в областта за редактори. В една група редактори могат да бъдат отворени множество раздели. Също така може да има множество групи редактори.",
+ "tabActiveForeground": "Основен цвят за активен раздел в активна група. Разделите съдържат редакторите в областта за редактори. В една група редактори могат да бъдат отворени множество раздели. Също така може да има множество групи редактори.",
+ "tabInactiveForeground": "Основен цвят за неактивните раздели в активна група. Разделите съдържат редакторите в областта за редактори. В една група редактори могат да бъдат отворени множество раздели. Също така може да има множество групи редактори.",
+ "tabUnfocusedActiveForeground": "Основен цвят за активен раздел в неактивна група. Разделите съдържат редакторите в областта за редактори. В една група редактори могат да бъдат отворени множество раздели. Също така може да има множество групи редактори.",
+ "tabUnfocusedInactiveForeground": "Основен цвят за неактивен раздел в неактивна група. Разделите съдържат редакторите в областта за редактори. В една група редактори могат да бъдат отворени множество раздели. Също така може да има множество групи редактори.",
+ "editorPaneBackground": "Фонов цвят за областта на редактора видима от лявата и дясната страна на центрираната подредба на редактора.",
+ "editorGroupBackground": "Излязъл от употреба фонов цвят за група в редактора.",
+ "deprecatedEditorGroupBackground": "Излязло от употреба: Фоновият цвят за група от редактори вече не се поддържа, откакто съществува решетъчната подредба. Можете да използвате „editorGroup.emptyBackground“, за да зададете фоновия цвят на празните групи от редактори.",
+ "editorGroupEmptyBackground": "Фонов цвят за празните групи редактори. Групите редактори съдържат самите редактори.",
+ "editorGroupFocusedEmptyBorder": "Цвят за контура на празната група редактори, която е на фокус. Групите редактори съдържат самите редактори.",
+ "tabsContainerBackground": "Фонов цвят за заглавната лента на група редактори, когато разделите са включени. Групите редактори съдържат самите редактори.",
+ "tabsContainerBorder": "Цвят за контура на заглавната лента на група редактори, когато разделите са включени. Групите редактори съдържат самите редактори.",
+ "editorGroupHeaderBackground": "Фонов цвят за заглавната лента на група редактори, когато разделите са изключени. (`\"workbench.editor.showTabs\": false`). Групите редактори съдържат самите редактори.",
+ "editorGroupBorder": "Цвят за отделяне на групите редактори една от друга. Групите редактори съдържат самите редактори.",
+ "editorDragAndDropBackground": "Фонов цвят при влачене на редактори. Цветът трябва да има прозрачност, за да се вижда съдържанието на редакторите отдолу.",
+ "imagePreviewBorder": "Border color for image in image preview.",
+ "panelBackground": "Фонов цвят за панела. Панелите се виждат под областта за редакторите и съдържат неща като изхода от програмата и вградения терминал.",
+ "panelBorder": "Цвят за контура на панела, който да го отделя от редакторите. Панелите се виждат под областта за редакторите и съдържат неща като изхода от програмата и вградения терминал.",
+ "panelActiveTitleForeground": "Цвят за заглавието на активния панел. Панелите се виждат под областта за редакторите и съдържат неща като изхода от програмата и вградения терминал.",
+ "panelInactiveTitleForeground": "Цвят за заглавието на неактивен панел. Панелите се виждат под областта за редакторите и съдържат неща като изхода от програмата и вградения терминал.",
+ "panelActiveTitleBorder": "Цвят за контура на заглавието на активния панел. Панелите се виждат под областта за редакторите и съдържат неща като изхода от програмата и вградения терминал.",
+ "panelDragAndDropBackground": "Цвят за отбелязване на местата в заглавната лента на панела при влачене. Цветът трябва да има прозрачност, за да се виждат елементите на панела отдолу. Панелите се виждат под областта за редакторите и съдържат неща като изхода от програмата и вградения терминал.",
+ "panelInputBorder": "Input box border for inputs in the panel.",
+ "statusBarForeground": "Основен цвят за лентата на състоянието, когато има отворено работно място. Лентата на състоянието се намира в дъното на прозореца.",
+ "statusBarNoFolderForeground": "Основен цвят за лентата на състоянието, когато няма отворена папка. Лентата на състоянието се намира в дъното на прозореца.",
+ "statusBarBackground": "Фонов цвят за лентата на състоянието, когато има отворено работно място. Лентата на състоянието се намира в дъното на прозореца.",
+ "statusBarNoFolderBackground": "Фонов цвят за лентата на състоянието, когато няма отворена папка. Лентата на състоянието се намира в дъното на прозореца.",
+ "statusBarBorder": "Цвят за контура на лентата на състоянието, която я отделя от страничната лента и редактора. Лентата на състоянието се намира в дъното на прозореца.",
+ "statusBarNoFolderBorder": "Цвят за контура на лентата на състоянието, която я отделя от страничната лента и редактора, когато няма отворена папка. Лентата на състоянието се намира в дъното на прозореца.",
+ "statusBarItemActiveBackground": "Фонов цвят за елементите в лентата на състоянието при щракване с мишката. Лентата на състоянието се намира в дъното на прозореца.",
+ "statusBarItemHoverBackground": "Фонов цвят за елементите в лентата на състоянието при посочване с мишката. Лентата на състоянието се намира в дъното на прозореца.",
+ "statusBarProminentItemForeground": "Status bar prominent items foreground color. Prominent items stand out from other status bar entries to indicate importance. Change mode `Toggle Tab Key Moves Focus` from command palette to see an example. The status bar is shown in the bottom of the window.",
+ "statusBarProminentItemBackground": "Фонов цвят за важните елементи в лентата на състоянието. Важните елементи се открояват от останалите, за да са по-забележими. Използвайте командата „Превключване на функцията на клавиша „Tab“ за преминаване през елементите“ от палитрата, за да видите пример. Лентата на състоянието се намира в дъното на прозореца.",
+ "statusBarProminentItemHoverBackground": "Фонов цвят при посочване на важните елементи в лентата на състоянието. Важните елементи се открояват от останалите, за да са по-забележими. Използвайте командата „Превключване на функцията на клавиша „Tab“ за преминаване през елементите“ от палитрата, за да видите пример. Лентата на състоянието се намира в дъното на прозореца.",
+ "activityBarBackground": "Фонов цвят за лентата на дейността. Лентата на дейността се намира най-отляво или най-отдясно и позволява превключването между различните изгледи на страничната лента.",
+ "activityBarForeground": "Основен цвят за активен елемент в лентата на дейността. Лентата на дейността се намира най-отляво или най-отдясно и позволява превключването между различните изгледи на страничната лента.",
+ "activityBarInActiveForeground": "Основен цвят за неактивен елемент в лентата на дейността. Лентата на дейността се намира най-отляво или най-отдясно и позволява превключването между различните изгледи на страничната лента.",
+ "activityBarBorder": "Цвят за контура на лентата на дейността, който я отделя от страничната лента. Лентата на дейността се намира най-отляво или най-отдясно и позволява превключването между различните изгледи на страничната лента.",
+ "activityBarActiveBorder": "Activity bar border color for the active item. The activity bar is showing on the far left or right and allows to switch between views of the side bar.",
+ "activityBarActiveFocusBorder": "Activity bar focus border color for the active item. The activity bar is showing on the far left or right and allows to switch between views of the side bar.",
+ "activityBarActiveBackground": "Activity bar background color for the active item. The activity bar is showing on the far left or right and allows to switch between views of the side bar.",
+ "activityBarDragAndDropBackground": "Цвят за открояване на местата в лентата на дейността при влачене. Цветът трябва да има прозрачност, за да се виждат елементите отдолу. Лентата на дейността се намира най-отляво или най-отдясно и позволява превключването между различните изгледи на страничната лента.",
+ "activityBarBadgeBackground": "Фонов цвят за известията в лентата на дейността. Лентата на дейността се намира най-отляво или най-отдясно и позволява превключването между различните изгледи на страничната лента.",
+ "activityBarBadgeForeground": "Основен цвят за известията в лентата на дейността. Лентата на дейността се намира най-отляво или най-отдясно и позволява превключването между различните изгледи на страничната лента.",
+ "statusBarItemHostBackground": "Background color for the remote indicator on the status bar.",
+ "statusBarItemHostForeground": "Foreground color for the remote indicator on the status bar.",
+ "extensionBadge.remoteBackground": "Background color for the remote badge in the extensions view.",
+ "extensionBadge.remoteForeground": "Foreground color for the remote badge in the extensions view.",
+ "sideBarBackground": "Фонов цвят за страничната лента. Страничната лента съдържа, например, изгледите на файловете и търсенето.",
+ "sideBarForeground": "Основен цвят за страничната лента. Страничната лента съдържа, например, изгледите на файловете и търсенето.",
+ "sideBarBorder": "Цвят за контура на страничната лента, който я отделя от редактора. Страничната лента съдържа, например, изгледите на файловете и търсенето.",
+ "sideBarTitleForeground": "Основен цвят за заглавието на страничната лента. Страничната лента съдържа, например, изгледите на файловете и търсенето.",
+ "sideBarDragAndDropBackground": "Цвят за открояване на разделите в страничната лента при влачене. Цветът трябва да има прозрачност, за да се виждат разделите отдолу. Страничната лента съдържа, например, изгледите на файловете и търсенето.",
+ "sideBarSectionHeaderBackground": "Фонов цвят за заглавията на разделите в страничната лента. Страничната лента съдържа, например, изгледите на файловете и търсенето.",
+ "sideBarSectionHeaderForeground": "Основен цвят за заглавията на разделите в страничната лента. Страничната лента съдържа, например, изгледите на файловете и търсенето.",
+ "sideBarSectionHeaderBorder": "Цвят за контура на заглавията на разделите в страничната лента. Страничната лента съдържа, например, изгледите на файловете и търсенето.",
+ "titleBarActiveForeground": "Основен цвят за заглавната лента, когато прозорецът е активен. Имайте предвид, че в момента използването на този цвят се поддържа само под macOS.",
+ "titleBarInactiveForeground": "Основен цвят за заглавната лента, когато прозорецът е неактивен. Имайте предвид, че в момента използването на този цвят се поддържа само под macOS.",
+ "titleBarActiveBackground": "Фонов цвят за заглавната лента, когато прозорецът е активен. Имайте предвид, че в момента използването на този цвят се поддържа само под macOS.",
+ "titleBarInactiveBackground": "Фонов цвят за заглавната лента, когато прозорецът е неактивен. Имайте предвид, че в момента използването на този цвят се поддържа само под macOS.",
+ "titleBarBorder": "Цвят за контура на заглавната лента. Имайте предвид, че в момента използването на този цвят се поддържа само под macOS.",
+ "menubarSelectionForeground": "Основен цвят за избрания елемент от меню в лентата с менюта.",
+ "menubarSelectionBackground": "Фонов цвят за избрания елемент от меню в лентата с менюта.",
+ "menubarSelectionBorder": "Цвят за контура на избрания елемент от меню в лентата с менюта.",
+ "notificationCenterBorder": "Цвят за контура на центъра за известия. Известията се появяват чрез плъзване от долната дясна част на прозореца.",
+ "notificationToastBorder": "Цвят за контура на елемента за известията. Известията се появяват чрез плъзване от долната дясна част на прозореца.",
+ "notificationsForeground": "Основен цвят за известията. Известията се появяват чрез плъзване от долната дясна част на прозореца.",
+ "notificationsBackground": "Фонов цвят за известията. Известията се появяват чрез плъзване от долната дясна част на прозореца.",
+ "notificationsLink": "Основен цвят за връзките в известията. Известията се появяват чрез плъзване от долната дясна част на прозореца.",
+ "notificationCenterHeaderForeground": "Основен цвят за заглавната част на центъра за известия. Известията се появяват чрез плъзване от долната дясна част на прозореца.",
+ "notificationCenterHeaderBackground": "Фонов цвят за заглавната част на центъра за известия. Известията се появяват чрез плъзване от долната дясна част на прозореца.",
+ "notificationsBorder": "Цвят за контура, който отделя известията едно от друго в център за известия. Известията се появяват чрез плъзване от долната дясна част на прозореца.",
+ "notificationsErrorIconForeground": "The color used for the icon of error notifications. Notifications slide in from the bottom right of the window.",
+ "notificationsWarningIconForeground": "The color used for the icon of warning notifications. Notifications slide in from the bottom right of the window.",
+ "notificationsInfoIconForeground": "The color used for the icon of info notifications. Notifications slide in from the bottom right of the window.",
+ "windowActiveBorder": "The color used for the border of the window when it is active. Only supported in the desktop client when using the custom title bar.",
+ "windowInactiveBorder": "The color used for the border of the window when it is inactive. Only supported in the desktop client when using the custom title bar."
+ },
+ "vs/workbench/api/node/extHostDebugService": {
+ "debug.terminal.title": "дебъгвана програма"
+ },
+ "vs/workbench/api/browser/mainThreadEditors": {
+ "diffLeftRightLabel": "{0} ⟷ {1}"
+ },
+ "vs/workbench/api/browser/mainThreadExtensionService": {
+ "reload window": "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": "Презареждане на прозореца",
+ "disabledDep": "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 dep": "Enable and Reload",
+ "uninstalledDep": "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 missing dep": "Install and Reload",
+ "unknownDep": "Cannot activate the '{0}' extension because it depends on an unknown '{1}' extension ."
+ },
+ "vs/workbench/api/browser/mainThreadWorkspace": {
+ "folderStatusMessageAddSingleFolder": "Разширението „{0}“ добави 1 папка в работното място",
+ "folderStatusMessageAddMultipleFolders": "Разширението „{0}“ добави {1} папки в работното място",
+ "folderStatusMessageRemoveSingleFolder": "Разширението „{0}“ премахна 1 папка от работното място",
+ "folderStatusMessageRemoveMultipleFolders": "Разширението „{0}“ премахна {1} папки от работното място",
+ "folderStatusChangeFolder": "Разширението „{0}“ промени някои папки на работното място"
+ },
+ "vs/workbench/browser/parts/views/views": {
+ "focus view": "Фокусиране върху изглед {0}",
+ "view category": "Изглед",
+ "resetViewLocation": "Reset View Location"
+ },
+ "vs/workbench/api/browser/mainThreadAuthentication": {
+ "manageTrustedExtensions": "Manage Trusted Extensions",
+ "manageExensions": "Choose which extensions can access this account",
+ "addAnotherAccount": "Sign in to another {0} account",
+ "addAccount": "Sign in to {0}",
+ "signOut": "Sign Out",
+ "confirmAuthenticationAccess": "The extension '{0}' is trying to access authentication information for the {1} account '{2}'.",
+ "cancel": "Отказ",
+ "allow": "Разрешаване",
+ "confirmLogin": "The extension '{0}' wants to sign in using {1}."
+ },
+ "vs/workbench/common/views": {
+ "duplicateId": "A view with id '{0}' is already registered"
+ },
+ "vs/workbench/common/editor/diffEditorInput": {
+ "sideBySideLabels": "{0} ↔ {1}"
+ },
+ "vs/workbench/electron-browser/window": {
+ "runningAsRoot": "Не е препоръчително да стартирате {0} като потребител „root“.",
+ "mPreferences": "Предпочитания"
+ },
+ "vs/workbench/browser/viewlet": {
+ "compositePart.hideSideBarLabel": "Скриване на страничната лента",
+ "collapse": "Скриване на всички"
+ },
+ "vs/workbench/api/browser/mainThreadTask": {
+ "task.label": "{0}: {1}"
+ },
+ "vs/workbench/browser/parts/compositePart": {
+ "ariaCompositeToolbarLabel": "{0} actions",
+ "titleTooltip": "{0} ({1})"
+ },
+ "vs/workbench/browser/parts/editor/editorWidgets": {
+ "openWorkspace": "Отваряне на работно място"
+ },
+ "vs/workbench/browser/parts/editor/textResourceEditor": {
+ "textEditor": "Text Editor",
+ "readonlyEditorWithInputAriaLabel": "{0} readonly editor",
+ "readonlyEditorAriaLabel": "Readonly editor",
+ "writeableEditorWithInputAriaLabel": "{0} editor",
+ "writeableEditorAriaLabel": "Редактор"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsAlerts": {
+ "alertErrorMessage": "Грешка: {0}",
+ "alertWarningMessage": "Предупреждение: {0}",
+ "alertInfoMessage": "Информация: {0}"
+ },
+ "vs/workbench/api/common/extHostWorkspace": {
+ "updateerror": "Разширението „{0}“ не успя да обнови някои папки на работното място: {1}"
+ },
+ "vs/workbench/api/browser/mainThreadWebview": {
+ "errorMessage": "Възникна грешка при възстановяването на изгледа: {0}",
+ "defaultEditLabel": "Редактиране"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsStatus": {
+ "status.notifications": "Известия",
+ "hideNotifications": "Скриване на известията",
+ "zeroNotifications": "Няма известия",
+ "noNotifications": "Няма нови известия",
+ "oneNotification": "1 ново известие",
+ "notifications": "{0} нови известия",
+ "noNotificationsWithProgress": "No New Notifications ({0} in progress)",
+ "oneNotificationWithProgress": "1 New Notification ({0} in progress)",
+ "notificationsWithProgress": "{0} New Notifications ({0} in progress)",
+ "status.message": "Status Message"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsCommands": {
+ "notifications": "Известия",
+ "showNotifications": "Показване на известия",
+ "hideNotifications": "Скриване на известията",
+ "clearAllNotifications": "Изчистване на всички известия",
+ "focusNotificationToasts": "Focus Notification Toast"
+ },
+ "vs/workbench/api/common/extHostExtensionService": {
+ "extensionTestError": "Пътят „{0}“ не сочи към изпълнител на тестове от разширение."
+ },
+ "vs/workbench/browser/parts/panel/panelActions": {
+ "closePanel": "Затваряне на панела",
+ "togglePanel": "Превключване на панела",
+ "focusPanel": "Фокусиране в панела",
+ "toggleMaximizedPanel": "Превключване на максимизиран панел",
+ "maximizePanel": "Максимизиране на размера на панела",
+ "minimizePanel": "Възстановяване на размера на панела",
+ "positionPanelLeft": "Move Panel Left",
+ "positionPanelRight": "Преместване на панела вдясно",
+ "positionPanelBottom": "Преместване на панела в дъното",
+ "previousPanelView": "Предходен изглед на панела",
+ "nextPanelView": "Следващ изглед на панела",
+ "view": "Изглед",
+ "miShowPanel": "Show &&Panel"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsCenter": {
+ "notificationsEmpty": "Няма нови известия",
+ "notifications": "Известия",
+ "notificationsToolbar": "Действия на центъра за известия",
+ "notificationsList": "Списък с известия"
+ },
+ "vs/workbench/browser/parts/editor/textEditor": {
+ "editorLabelWithGroup": "{0}, {1}"
+ },
+ "vs/workbench/browser/parts/activitybar/activitybarActions": {
+ "previousSideBarView": "Предходен изглед на страничната лента",
+ "nextSideBarView": "Следващ изглед на страничната лента",
+ "view": "Изглед"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsToasts": {
+ "notificationsToast": "Елемент за известия"
+ },
+ "vs/workbench/browser/parts/views/treeView": {
+ "no-dataprovider": "Няма регистриран доставчик на данни, който може да предостави данни за изгледа.",
+ "refresh": "Опресняване",
+ "collapseAll": "Скриване на всички",
+ "command-error": "Error running command {1}: {0}. This is likely caused by the extension that contributes {1}."
+ },
+ "vs/workbench/browser/parts/compositeBarActions": {
+ "badgeTitle": "{0} – {1}",
+ "additionalViews": "Additional Views",
+ "numberBadge": "{0} ({1})",
+ "manageExtension": "Управление на разширението",
+ "titleKeybinding": "{0} ({1})",
+ "hide": "скриване",
+ "keep": "Задържане",
+ "compositeActive": "{0} активно",
+ "toggle": "Превключване на закачаното състояние на изгледа"
+ },
+ "vs/workbench/browser/parts/editor/binaryEditor": {
+ "binaryEditor": "Двоичен преглед",
+ "sizeB": "{0}Б",
+ "sizeKB": "{0}кБ",
+ "sizeMB": "{0}МБ",
+ "sizeGB": "{0}ГБ",
+ "sizeTB": "{0}ТБ",
+ "nativeFileTooLargeError": "Файлът не е показан в редактора, тъй като е много голям ({0}).",
+ "nativeBinaryError": "Файлът не е показан в редактора, тъй като е двоичен или използва неподдържана кодировка на текста.",
+ "openAsText": "Искате ли да го отворите въпреки това?"
+ },
+ "vs/workbench/browser/parts/editor/editorCommands": {
+ "editorCommand.activeEditorMove.description": "Преместване на активния редактор с определен брой раздели или групи",
+ "editorCommand.activeEditorMove.arg.name": "Аргумента за преместване на активния редактор",
+ "editorCommand.activeEditorMove.arg.description": "Свойства на аргумента:\n\t* „to“ (до): Низ, показващ докъде да бъде преместването;\n\t* „by“ (с): Низ, показващ единицата за отмерване на преместването. Може да бъде „tab“ (раздел) или „group“ (група);\n\t* „value“ (стойност): Числова стойност, показваща броя на позициите или точна позиция за преместване.",
+ "toggleInlineView": "Превключване на съчетания режим",
+ "compare": "Сравняване"
+ },
+ "vs/workbench/browser/parts/titlebar/menubarControl": {
+ "mFile": "&&File",
+ "mEdit": "&&Edit",
+ "mSelection": "&&Selection",
+ "mView": "&&View",
+ "mGoto": "&&Go",
+ "mRun": "&&Run",
+ "mTerminal": "&&Terminal",
+ "mHelp": "&&Help",
+ "menubar.customTitlebarAccessibilityNotification": "Accessibility support is enabled for you. For the most accessible experience, we recommend the custom title bar style.",
+ "goToSetting": "Отваряне на настройките",
+ "checkForUpdates": "Check for &&Updates...",
+ "checkingForUpdates": "Проверка за обновления…",
+ "download now": "D&&ownload Update",
+ "DownloadingUpdate": "Сваляне на обновлението…",
+ "installUpdate...": "Install &&Update...",
+ "installingUpdate": "Инсталиране на обновлението…",
+ "restartToUpdate": "Restart to &&Update"
+ },
+ "vs/workbench/browser/parts/compositeBar": {
+ "activityBarAriaLabel": "Превключване на активния изглед"
+ },
+ "vs/workbench/browser/parts/views/viewPaneContainer": {
+ "viewToolbarAriaLabel": "{0} actions",
+ "hideView": "скриване"
+ },
+ "vs/workbench/api/common/extHostExtensionActivator": {
+ "failedDep1": "Cannot activate extension '{0}' because it depends on extension '{1}', which failed to activate.",
+ "activationError": "Разширението „{0}“ не успя да се включи: {1}."
+ },
+ "vs/workbench/browser/parts/notifications/notificationsActions": {
+ "clearNotification": "Изчистване на известието",
+ "clearNotifications": "Изчистване на всички известия",
+ "hideNotificationsCenter": "Скриване на известията",
+ "expandNotification": "Разширяване на известието",
+ "collapseNotification": "Свиване на известието",
+ "configureNotification": "Настройване на известието",
+ "copyNotification": "Копиране на текста"
+ },
+ "vs/workbench/api/common/extHost.api.impl": {
+ "extensionLabel": "{0} (Разширение)"
+ },
+ "vs/workbench/browser/parts/editor/editor.contribution": {
+ "textEditor": "Text Editor",
+ "textDiffEditor": "Редактор на разлики в текста",
+ "binaryDiffEditor": "Редактор на двоични разлики",
+ "sideBySideEditor": "Разделен редактор",
+ "editorQuickAccessPlaceholder": "Type the name of an editor to open it.",
+ "activeGroupEditorsByMostRecentlyUsedQuickAccess": "Show Editors in Active Group by Most Recently Used",
+ "allEditorsByAppearanceQuickAccess": "Show All Opened Editors By Appearance",
+ "allEditorsByMostRecentlyUsedQuickAccess": "Show All Opened Editors By Most Recently Used",
+ "view": "Изглед",
+ "file": "File",
+ "splitUp": "Разделяне отгоре",
+ "splitDown": "Разделяне отдолу",
+ "splitLeft": "Split Left",
+ "splitRight": "Split Right",
+ "close": "Затваряне",
+ "closeOthers": "Затваряне на останалите",
+ "closeRight": "Затваряне на всичко отдясно",
+ "closeAllSaved": "Затваряне на запазените",
+ "closeAll": "Затваряне на всички",
+ "keepOpen": "Задържане като отворен",
+ "toggleInlineView": "Превключване на съчетания режим",
+ "showOpenedEditors": "Показване на отворените редактори",
+ "splitEditorRight": "Разделяне на редактора отдясно",
+ "splitEditorDown": "Разделяне на редактора отдолу",
+ "navigate.prev.label": "Предходна промяна",
+ "navigate.next.label": "Next Change",
+ "ignoreTrimWhitespace.label": "Ignore Leading/Trailing Whitespace Differences",
+ "showTrimWhitespace.label": "Show Leading/Trailing Whitespace Differences",
+ "keepEditor": "Задържане на редактора",
+ "closeEditorsInGroup": "Затваряне на всички редактори в групата",
+ "closeSavedEditors": "Затваряне на запазените редактори в групата",
+ "closeOtherEditors": "Затваряне на останалите редактори в групата",
+ "closeRightEditors": "Затваряне на редакторите отдясно в групата",
+ "miReopenClosedEditor": "&&Reopen Closed Editor",
+ "miClearRecentOpen": "&&Clear Recently Opened",
+ "miEditorLayout": "Editor &&Layout",
+ "miSplitEditorUp": "Split &&Up",
+ "miSplitEditorDown": "Split &&Down",
+ "miSplitEditorLeft": "Split &&Left",
+ "miSplitEditorRight": "Split &&Right",
+ "miSingleColumnEditorLayout": "&&Single",
+ "miTwoColumnsEditorLayout": "&&Two Columns",
+ "miThreeColumnsEditorLayout": "T&&hree Columns",
+ "miTwoRowsEditorLayout": "T&&wo Rows",
+ "miThreeRowsEditorLayout": "Three &&Rows",
+ "miTwoByTwoGridEditorLayout": "&&Grid (2x2)",
+ "miTwoRowsRightEditorLayout": "Two R&&ows Right",
+ "miTwoColumnsBottomEditorLayout": "Two &&Columns Bottom",
+ "miBack": "&&Back",
+ "miForward": "&&Forward",
+ "miLastEditLocation": "&&Last Edit Location",
+ "miNextEditor": "&&Next Editor",
+ "miPreviousEditor": "&&Previous Editor",
+ "miNextRecentlyUsedEditor": "&&Next Used Editor",
+ "miPreviousRecentlyUsedEditor": "&&Previous Used Editor",
+ "miNextEditorInGroup": "&&Next Editor in Group",
+ "miPreviousEditorInGroup": "&&Previous Editor in Group",
+ "miNextUsedEditorInGroup": "&&Next Used Editor in Group",
+ "miPreviousUsedEditorInGroup": "&&Previous Used Editor in Group",
+ "miSwitchEditor": "Switch &&Editor",
+ "miFocusFirstGroup": "Group &&1",
+ "miFocusSecondGroup": "Group &&2",
+ "miFocusThirdGroup": "Group &&3",
+ "miFocusFourthGroup": "Group &&4",
+ "miFocusFifthGroup": "Group &&5",
+ "miNextGroup": "&&Next Group",
+ "miPreviousGroup": "&&Previous Group",
+ "miFocusLeftGroup": "Group &&Left",
+ "miFocusRightGroup": "Group &&Right",
+ "miFocusAboveGroup": "Group &&Above",
+ "miFocusBelowGroup": "Group &&Below",
+ "miSwitchGroup": "Switch &&Group"
+ },
+ "vs/workbench/browser/parts/editor/editorQuickAccess": {
+ "entryAriaLabelWithGroupDirty": "{0}, dirty, {1}",
+ "entryAriaLabelWithGroup": "{0}, {1}",
+ "entryAriaLabelDirty": "{0}, dirty",
+ "closeEditor": "Затваряне на редактора"
+ },
+ "vs/workbench/browser/parts/editor/textDiffEditor": {
+ "textDiffEditor": "Редактор на разлики в текста",
+ "readonlyEditorWithInputAriaLabel": "{0} readonly compare editor",
+ "readonlyEditorAriaLabel": "Readonly compare editor",
+ "editableEditorWithInputAriaLabel": "{0} compare editor",
+ "editableEditorAriaLabel": "Compare editor"
+ },
+ "vs/workbench/browser/parts/editor/editorGroupView": {
+ "araLabelGroupActions": "Действия с групата редактори",
+ "closeGroupAction": "Затваряне",
+ "emptyEditorGroup": "{0} (empty)",
+ "groupLabel": "Група {0}",
+ "groupAriaLabel": "Editor Group {0}",
+ "ok": "Добре",
+ "cancel": "Отказ",
+ "editorOpenErrorDialog": "Unable to open '{0}'",
+ "editorOpenError": "„{0}“ не може да се отвори: {1}."
+ },
+ "vs/workbench/api/common/extHostStatusBar": {
+ "status.extensionMessage": "Extension Status"
+ },
+ "vs/workbench/api/common/extHostProgress": {
+ "extensionSource": "{0} (Разширение)"
+ },
+ "vs/workbench/browser/parts/editor/binaryDiffEditor": {
+ "metadataDiff": "{0} ↔ {1}"
+ },
+ "vs/workbench/api/common/extHostDiagnostics": {
+ "limitHit": "Има още {0} грешки и предупреждения, които не са показани."
+ },
+ "vs/workbench/browser/parts/notifications/notificationsViewer": {
+ "executeCommand": "Click to execute command '{0}'",
+ "notificationActions": "Действия с известието",
+ "notificationSource": "Източник: {0}"
+ },
+ "vs/workbench/api/common/extHostTreeViews": {
+ "treeView.notRegistered": "Няма регистриран дървовиден изглед с идентификатор „{0}“.",
+ "treeView.duplicateElement": "Вече има регистриран елемент с идентификатор „{0}“"
+ },
+ "vs/workbench/browser/parts/editor/editorActions": {
+ "splitEditor": "Разделяне на редактора",
+ "splitEditorOrthogonal": "Ортогонално разделяне на редактора",
+ "splitEditorGroupLeft": "Разделяне на редактора отляво",
+ "splitEditorGroupRight": "Разделяне на редактора отдясно",
+ "splitEditorGroupUp": "Разделяне на редактора отгоре",
+ "splitEditorGroupDown": "Разделяне на редактора отдолу",
+ "joinTwoGroups": "Обединяване на групата редактори със следващата група",
+ "joinAllGroups": "Обединяване на всички групи редактори",
+ "navigateEditorGroups": "Преход между групите редактори",
+ "focusActiveEditorGroup": "Фокусиране върху активната група редактори",
+ "focusFirstEditorGroup": "Фокусиране върху първата група редактори",
+ "focusLastEditorGroup": "Фокусиране върху последната група редактори",
+ "focusNextGroup": "Фокусиране върху следващата група редактори",
+ "focusPreviousGroup": "Фокусиране върху предходната група редактори",
+ "focusLeftGroup": "Фокусиране върху лявата група редактори",
+ "focusRightGroup": "Фокусиране върху дясната група редактори",
+ "focusAboveGroup": "Фокусиране върху горната група редактори",
+ "focusBelowGroup": "Фокусиране върху долната група редактори",
+ "closeEditor": "Затваряне на редактора",
+ "closeOneEditor": "Затваряне",
+ "revertAndCloseActiveEditor": "Възстановяване и затваряне на редактора",
+ "closeEditorsToTheLeft": "Затваряне на редакторите отляво в групата",
+ "closeAllEditors": "Затваряне на всички редактори",
+ "closeAllGroups": "Затваряне на всички групи редактори",
+ "closeEditorsInOtherGroups": "Затваряне на редакторите в другите групи",
+ "closeEditorInAllGroups": "Затваряне на редактора във всички групи",
+ "moveActiveGroupLeft": "Преместване на групата редактори наляво",
+ "moveActiveGroupRight": "Преместване на групата редактори надясно",
+ "moveActiveGroupUp": "Преместване на групата редактори нагоре",
+ "moveActiveGroupDown": "Преместване на групата редактори надолу",
+ "minimizeOtherEditorGroups": "Максимизиране на групата редактори",
+ "evenEditorGroups": "Връщане на стандартните размери на групите редактори",
+ "toggleEditorWidths": "Toggle Editor Group Sizes",
+ "maximizeEditor": "Maximize Editor Group and Hide Side Bar",
+ "openNextEditor": "Отваряне на следващия редактор",
+ "openPreviousEditor": "Отваряне на предходния редактор",
+ "nextEditorInGroup": "Отваряне на следващия редактор в групата",
+ "openPreviousEditorInGroup": "Отваряне на предходния редактор в групата",
+ "firstEditorInGroup": "Отваряне на първия редактор в групата",
+ "lastEditorInGroup": "Отваряне на последния редактор в групата",
+ "navigateNext": "Напред",
+ "navigatePrevious": "Назад",
+ "navigateToLastEditLocation": "Към мястото на последна редакция",
+ "navigateLast": "Към края",
+ "reopenClosedEditor": "Повторно отваряне на затворения редактор",
+ "clearRecentFiles": "Clear Recently Opened",
+ "showEditorsInActiveGroup": "Show Editors in Active Group By Most Recently Used",
+ "showAllEditors": "Show All Editors By Appearance",
+ "showAllEditorsByMostRecentlyUsed": "Show All Editors By Most Recently Used",
+ "quickOpenPreviousRecentlyUsedEditor": "Quick Open Previous Recently Used Editor",
+ "quickOpenLeastRecentlyUsedEditor": "Quick Open Least Recently Used Editor",
+ "quickOpenPreviousRecentlyUsedEditorInGroup": "Quick Open Previous Recently Used Editor in Group",
+ "quickOpenLeastRecentlyUsedEditorInGroup": "Quick Open Least Recently Used Editor in Group",
+ "navigateEditorHistoryByInput": "Quick Open Previous Editor from History",
+ "openNextRecentlyUsedEditor": "Отваряне на следващия последно използван редактор",
+ "openPreviousRecentlyUsedEditor": "Отваряне на предходния последно използван редактор",
+ "openNextRecentlyUsedEditorInGroup": "Отваряне на следващия последно използван редактор в групата",
+ "openPreviousRecentlyUsedEditorInGroup": "Отваряне на предходния последно използван редактор в групата",
+ "clearEditorHistory": "Изчистване на историята на редакторите",
+ "moveEditorLeft": "Преместване на редактора наляво",
+ "moveEditorRight": "Преместване на редактора надясно",
+ "moveEditorToPreviousGroup": "Преместване на редактора в предходната група",
+ "moveEditorToNextGroup": "Преместване на редактора в следващата група",
+ "moveEditorToAboveGroup": "Преместване на редактора в горната група",
+ "moveEditorToBelowGroup": "Преместване на редактора в долната група",
+ "moveEditorToLeftGroup": "Преместване на редактора в лявата група",
+ "moveEditorToRightGroup": "Преместване на редактора в дясната група",
+ "moveEditorToFirstGroup": "Преместване на редактора в първата група",
+ "moveEditorToLastGroup": "Преместване на редактора в последната група",
+ "editorLayoutSingle": "Подредба на редактора в една колона",
+ "editorLayoutTwoColumns": "Подредба на редактора в две колони",
+ "editorLayoutThreeColumns": "Подредба на редактора в три колони",
+ "editorLayoutTwoRows": "Подредба на редактора в два реда",
+ "editorLayoutThreeRows": "Подредба на редактора в три реда",
+ "editorLayoutTwoByTwoGrid": "Подредба на редактора в решетка (2х2)",
+ "editorLayoutTwoColumnsBottom": "Подредба на редактора в две колони отдолу",
+ "editorLayoutTwoRowsRight": "Подредба на редактора в два реда отдясно",
+ "newEditorLeft": "Нова група редактори отляво",
+ "newEditorRight": "Нова група редактори отдясно",
+ "newEditorAbove": "Нова група редактори отгоре",
+ "newEditorBelow": "Нова група редактори отдолу"
+ },
+ "vs/workbench/browser/parts/editor/titleControl": {
+ "araLabelEditorActions": "Действия с редактора",
+ "draggedEditorGroup": "{0} (+{1})"
+ },
+ "vs/workbench/browser/parts/editor/editorStatus": {
+ "singleSelectionRange": "Ред: {0}, колона: {1} (избрани знаци: {2})",
+ "singleSelection": "Ред: {0}, колона: {1}",
+ "multiSelectionRange": "{0} избрани области (общо избрани знаци: {1})",
+ "multiSelection": "{0} избрани области",
+ "endOfLineLineFeed": "LF",
+ "endOfLineCarriageReturnLineFeed": "CRLF",
+ "screenReaderDetectedExplanation.question": "Are you using a screen reader to operate VS Code? (Certain features like word wrap are disabled when using a screen reader)",
+ "screenReaderDetectedExplanation.answerYes": "Да",
+ "screenReaderDetectedExplanation.answerNo": "Не",
+ "noEditor": "В момента няма активен текстов редактор",
+ "noWritableCodeEditor": "Активният редактор за код е в режим само за четене.",
+ "indentConvert": "преобразуване на файла",
+ "indentView": "change view",
+ "pickAction": "Изберете действие",
+ "tabFocusModeEnabled": "Клавишът „Tab“ премества фокуса",
+ "disableTabMode": "Изключване на режима за улеснен достъп",
+ "status.editor.tabFocusMode": "Accessibility Mode",
+ "columnSelectionModeEnabled": "Column Selection",
+ "disableColumnSelectionMode": "Disable Column Selection Mode",
+ "status.editor.columnSelectionMode": "Column Selection Mode",
+ "screenReaderDetected": "Оптимизация за екранен четец",
+ "screenReaderDetectedExtra": "Ако не използвате екранен четец, моля, променете настройката `editor.accessibilitySupport` и ѝ задайте стойност `off` (изключено).",
+ "status.editor.screenReaderMode": "Screen Reader Mode",
+ "gotoLine": "Go to Line/Column",
+ "status.editor.selection": "Editor Selection",
+ "selectIndentation": "Select Indentation",
+ "status.editor.indentation": "Editor Indentation",
+ "selectEncoding": "Избиране на кодировка",
+ "status.editor.encoding": "Editor Encoding",
+ "selectEOL": "Изберете знак или последователност за край на реда",
+ "status.editor.eol": "Editor End of Line",
+ "selectLanguageMode": "Избиране на езиков режим",
+ "status.editor.mode": "Editor Language",
+ "fileInfo": "Информация за файла",
+ "status.editor.info": "Информация за файла",
+ "spacesSize": "Интервали: {0}",
+ "tabSize": "Размер на табулатора: {0}",
+ "currentProblem": "Current Problem",
+ "showLanguageExtensions": "Търсене в магазина за разширения за „{0}“…",
+ "changeMode": "Промяна на езиковия режим",
+ "languageDescription": "({0}) – текущо избран език",
+ "languageDescriptionConfigured": "({0})",
+ "languagesPicks": "languages (identifier)",
+ "configureModeSettings": "Задаване на настройките за езика „{0}“…",
+ "configureAssociationsExt": "Конфигуриране на файловите връзки за „{0}“…",
+ "autoDetect": "Автоматично разпознаване",
+ "pickLanguage": "Избиране на езиков режим",
+ "currentAssociation": "Текущо свързан",
+ "pickLanguageToConfigure": "Изберете езиков режим, който да бъде свързан с „{0}“",
+ "changeEndOfLine": "Промяна на знака или последователността за край на реда",
+ "pickEndOfLine": "Изберете знак или последователност за край на реда",
+ "changeEncoding": "Промяна на кодировката на файла",
+ "noFileEditor": "В момента няма активен файл",
+ "saveWithEncoding": "Запазване с кодировка",
+ "reopenWithEncoding": "Повторно отваряне с кодировка",
+ "guessedEncoding": "Предположение основано на съдържанието",
+ "pickEncodingForReopen": "Изберете кодировка, с която да отворите файла",
+ "pickEncodingForSave": "Изберете кодировка, с която да запазите файла"
+ },
+ "vs/workbench/browser/parts/editor/tabsTitleControl": {
+ "araLabelTabActions": "Действия с раздела"
+ },
+ "vs/workbench/browser/parts/editor/breadcrumbs": {
+ "title": "Навигационни елементи на пътя",
+ "enabled": "Enable/disable navigation breadcrumbs.",
+ "filepath": "Определя дали и как да се показват пътищата в изгледа на навигационните елементи на пътя.",
+ "filepath.on": "Показване на пътя до файла в изгледа на навигационните елементи на пътя.",
+ "filepath.off": "Да не се показва пътя до файла в изгледа на навигационните елементи на пътя.",
+ "filepath.last": "Да се показва само последният елемент от пътя до файла в изгледа на навигационните елементи на пътя.",
+ "symbolpath": "Определя дали и как да се показват символите в изгледа на навигационните елементи на пътя.",
+ "symbolpath.on": "Показване на всички символи в изгледа на навигационните елементи на пътя.",
+ "symbolpath.off": "Да не се показват символите в изгледа на навигационните елементи на пътя.",
+ "symbolpath.last": "Да се показва само текущият символ в изгледа на навигационните елементи на пътя.",
+ "symbolSortOrder": "Определя как да се подреждат символите в изгледа на навигационните елементи на пътя.",
+ "symbolSortOrder.position": "Показване на прегледа на символите, подредени по позиция.",
+ "symbolSortOrder.name": "Показване на прегледа на символите, подредени по азбучен ред.",
+ "symbolSortOrder.type": "Показване на прегледа на символите, подредени по вид на символа.",
+ "icons": "Render breadcrumb items with icons.",
+ "filteredTypes.file": "When enabled breadcrumbs show `file`-symbols.",
+ "filteredTypes.module": "When enabled breadcrumbs show `module`-symbols.",
+ "filteredTypes.namespace": "When enabled breadcrumbs show `namespace`-symbols.",
+ "filteredTypes.package": "When enabled breadcrumbs show `package`-symbols.",
+ "filteredTypes.class": "When enabled breadcrumbs show `class`-symbols.",
+ "filteredTypes.method": "When enabled breadcrumbs show `method`-symbols.",
+ "filteredTypes.property": "When enabled breadcrumbs show `property`-symbols.",
+ "filteredTypes.field": "When enabled breadcrumbs show `field`-symbols.",
+ "filteredTypes.constructor": "When enabled breadcrumbs show `constructor`-symbols.",
+ "filteredTypes.enum": "When enabled breadcrumbs show `enum`-symbols.",
+ "filteredTypes.interface": "When enabled breadcrumbs show `interface`-symbols.",
+ "filteredTypes.function": "When enabled breadcrumbs show `function`-symbols.",
+ "filteredTypes.variable": "When enabled breadcrumbs show `variable`-symbols.",
+ "filteredTypes.constant": "When enabled breadcrumbs show `constant`-symbols.",
+ "filteredTypes.string": "When enabled breadcrumbs show `string`-symbols.",
+ "filteredTypes.number": "When enabled breadcrumbs show `number`-symbols.",
+ "filteredTypes.boolean": "When enabled breadcrumbs show `boolean`-symbols.",
+ "filteredTypes.array": "When enabled breadcrumbs show `array`-symbols.",
+ "filteredTypes.object": "When enabled breadcrumbs show `object`-symbols.",
+ "filteredTypes.key": "When enabled breadcrumbs show `key`-symbols.",
+ "filteredTypes.null": "When enabled breadcrumbs show `null`-symbols.",
+ "filteredTypes.enumMember": "When enabled breadcrumbs show `enumMember`-symbols.",
+ "filteredTypes.struct": "When enabled breadcrumbs show `struct`-symbols.",
+ "filteredTypes.event": "When enabled breadcrumbs show `event`-symbols.",
+ "filteredTypes.operator": "When enabled breadcrumbs show `operator`-symbols.",
+ "filteredTypes.typeParameter": "When enabled breadcrumbs show `typeParameter`-symbols."
+ },
+ "vs/workbench/browser/parts/editor/breadcrumbsControl": {
+ "cmd.toggle": "Превключване на навигационните елементи на пътя",
+ "cmd.category": "Изглед",
+ "miShowBreadcrumbs": "Show &&Breadcrumbs",
+ "cmd.focus": "Фокусиране върху навигационните елементи на пътя"
+ },
+ "vs/workbench/contrib/backup/electron-browser/backupTracker": {
+ "backupTrackerBackupFailed": "One or many editors that are dirty could not be saved to the backup location.",
+ "backupTrackerConfirmFailed": "One or many editors that are dirty could not be saved or reverted.",
+ "ok": "Добре",
+ "backupErrorDetails": "Try saving or reverting the dirty editors first and then try again."
+ },
+ "vs/workbench/contrib/bulkEdit/browser/bulkEdit.contribution": {
+ "overlap": "Another refactoring is being previewed.",
+ "cancel": "Отказ",
+ "continue": "Продължаване",
+ "detail": "Press 'Continue' to discard the previous refactoring and continue with the current refactoring.",
+ "apply": "Apply Refactoring",
+ "cat": "Refactor Preview",
+ "Discard": "Discard Refactoring",
+ "toogleSelection": "Toggle Change",
+ "groupByFile": "Group Changes By File",
+ "groupByType": "Group Changes By Type",
+ "panel": "Refactor Preview"
+ },
+ "vs/workbench/contrib/bulkEdit/browser/bulkEditPane": {
+ "empty.msg": "Invoke a code action, like rename, to see a preview of its changes here.",
+ "conflict.1": "Cannot apply refactoring because '{0}' has changed in the meantime.",
+ "conflict.N": "Cannot apply refactoring because {0} other files have changed in the meantime.",
+ "edt.title.del": "{0} (delete, refactor preview)",
+ "rename": "rename",
+ "create": "create",
+ "edt.title.2": "{0} ({1}, refactor preview)",
+ "edt.title.1": "{0} (refactor preview)"
+ },
+ "vs/workbench/contrib/bulkEdit/browser/bulkEditPreview": {
+ "default": "Other"
+ },
+ "vs/workbench/contrib/bulkEdit/browser/bulkEditTree": {
+ "aria.renameAndEdit": "Renaming {0} to {1}, also making text edits",
+ "aria.createAndEdit": "Creating {0}, also making text edits",
+ "aria.deleteAndEdit": "Deleting {0}, also making text edits",
+ "aria.editOnly": "{0}, making text edits",
+ "aria.rename": "Renaming {0} to {1}",
+ "aria.create": "Creating {0}",
+ "aria.delete": "Deleting {0}",
+ "aria.replace": "line {0}, replacing {1} with {2}",
+ "aria.del": "line {0}, removing {1}",
+ "aria.insert": "line {0}, inserting {1}",
+ "rename.label": "{0} → {1}",
+ "detail.rename": "(renaming)",
+ "detail.create": "(creating)",
+ "detail.del": "(deleting)",
+ "title": "{0} – {1}"
+ },
+ "vs/workbench/contrib/callHierarchy/browser/callHierarchy.contribution": {
+ "no.item": "Няма резултати",
+ "error": "Failed to show call hierarchy",
+ "title": "Peek Call Hierarchy",
+ "title.toggle": "Toggle Call Hierarchy",
+ "title.refocus": "Refocus Call Hierarchy"
+ },
+ "vs/workbench/contrib/callHierarchy/browser/callHierarchyPeek": {
+ "toggle.from": "Show Incoming Calls",
+ "toggle.to": "Showing Outgoing Calls",
+ "tree.aria": "Call Hierarchy",
+ "callFrom": "Calls from '{0}'",
+ "callsTo": "Callers of '{0}'",
+ "title.loading": "Зареждане…",
+ "empt.callsFrom": "No calls from '{0}'",
+ "empt.callsTo": "No callers of '{0}'"
+ },
+ "vs/workbench/contrib/cli/node/cli.contribution": {
+ "install": "Инсталиране на командата „{0}“ в PATH",
+ "not available": "Тази команда не е налична",
+ "successIn": "Командата „{0}“ на обвивката беше инсталирана успешно в PATH.",
+ "ok": "Добре",
+ "cancel2": "Отказ",
+ "warnEscalation": "Code ще изиска правомощия на администратор чрез „osascript“, за да инсталира командата на обвивката.",
+ "cantCreateBinFolder": "„/usr/local/bin“ не може да се създаде.",
+ "aborted": "Отказано",
+ "uninstall": "Деинсталиране на командата „{0}“ от PATH",
+ "successFrom": "Командата „{0}“ на обвивката беше деинсталирана успешно от PATH.",
+ "warnEscalationUninstall": "Code ще изиска правомощия на администратор чрез „osascript“, за да деинсталира командата на обвивката.",
+ "cantUninstall": "Командата на обвивката „{0}“ не може да бъде деинсталирана.",
+ "shellCommand": "Команда на обвивката"
+ },
+ "vs/workbench/contrib/codeActions/common/codeActionsContribution": {
+ "codeActionsOnSave.fixAll": "Controls whether auto fix action should be run on file save.",
+ "codeActionsOnSave": "Кои действия с кода да се изпълняват при запазване.",
+ "codeActionsOnSave.generic": "Controls whether '{0}' actions should be run on file save."
+ },
+ "vs/workbench/contrib/codeActions/common/documentationExtensionPoint": {
+ "contributes.documentation": "Contributed documentation.",
+ "contributes.documentation.refactorings": "Contributed documentation for refactorings.",
+ "contributes.documentation.refactoring": "Contributed documentation for refactoring.",
+ "contributes.documentation.refactoring.title": "Label for the documentation used in the UI.",
+ "contributes.documentation.refactoring.when": "When clause.",
+ "contributes.documentation.refactoring.command": "Command executed."
+ },
+ "vs/workbench/contrib/codeActions/common/codeActionsExtensionPoint": {
+ "contributes.codeActions": "Configure which editor to use for a resource.",
+ "contributes.codeActions.languages": "Language modes that the code actions are enabled for.",
+ "contributes.codeActions.kind": "`CodeActionKind` of the contributed code action.",
+ "contributes.codeActions.title": "Label for the code action used in the UI.",
+ "contributes.codeActions.description": "Description of what the code action does."
+ },
+ "vs/workbench/contrib/codeEditor/electron-browser/selectionClipboard": {
+ "actions.pasteSelectionClipboard": "Paste Selection Clipboard"
+ },
+ "vs/workbench/contrib/codeEditor/browser/largeFileOptimizations": {
+ "largeFile": "{0}: разпознаването на лексикални единици, пренасянето и свиването са изключени за този голям файл, за да се намали ползването на паметта и да се избегнат замръзванията и сривовете.",
+ "removeOptimizations": "Насилствено включване на функционалности",
+ "reopenFilePrompt": "Моля, отворете отново файла, за да влезе в сила тази настройка."
+ },
+ "vs/workbench/contrib/codeEditor/browser/diffEditorHelper": {
+ "hintTimeout": "The diff algorithm was stopped early (after {0} ms.)",
+ "removeTimeout": "Remove limit",
+ "hintWhitespace": "Show Whitespace Differences"
+ },
+ "vs/workbench/contrib/codeEditor/browser/inspectKeybindings": {
+ "workbench.action.inspectKeyMap": "Разработчик: Разглеждане на клавишните комбинации",
+ "workbench.action.inspectKeyMapJSON": "Inspect Key Mappings (JSON)",
+ "developer": "Разработчик"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleColumnSelection": {
+ "toggleColumnSelection": "Toggle Column Selection Mode",
+ "miColumnSelection": "Column &&Selection Mode"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleMinimap": {
+ "toggleMinimap": "Toggle Minimap",
+ "view": "Изглед",
+ "miShowMinimap": "Show &&Minimap"
+ },
+ "vs/workbench/contrib/codeEditor/browser/semanticTokensHelp": {
+ "semanticTokensHelp": "Code coloring of '{0}' has been updated as the theme '{1}' has [semantic highlighting](https://go.microsoft.com/fwlink/?linkid=2122588) enabled.",
+ "learnMoreButton": "Научете повече"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleMultiCursorModifier": {
+ "toggleLocation": "Превключване на клавиша за работа с множество курсори",
+ "miMultiCursorAlt": "Превключване към Alt+щракване за множество курсори",
+ "miMultiCursorCmd": "Превключване към Cmd+щракване за множество курсори",
+ "miMultiCursorCtrl": "Превключване към Ctrl+щракване за множество курсори"
+ },
+ "vs/workbench/contrib/codeEditor/browser/quickaccess/gotoLineQuickAccess": {
+ "gotoLineQuickAccessPlaceholder": "Type the line number and optional column to go to (e.g. 42:5 for line 42 and column 5).",
+ "gotoLineQuickAccess": "Go to Line/Column",
+ "gotoLine": "Go to Line/Column..."
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleRenderControlCharacter": {
+ "toggleRenderControlCharacters": "Toggle Control Characters",
+ "view": "Изглед",
+ "miToggleRenderControlCharacters": "Render &&Control Characters"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleRenderWhitespace": {
+ "toggleRenderWhitespace": "Toggle Render Whitespace",
+ "view": "Изглед",
+ "miToggleRenderWhitespace": "&&Render Whitespace"
+ },
+ "vs/workbench/contrib/codeEditor/browser/quickaccess/gotoSymbolQuickAccess": {
+ "gotoSymbolQuickAccessPlaceholder": "Type the name of a symbol to go to.",
+ "gotoSymbolQuickAccess": "Go to Symbol in Editor",
+ "gotoSymbolByCategoryQuickAccess": "Go to Symbol in Editor by Category",
+ "gotoSymbol": "Go to Symbol in Editor..."
+ },
+ "vs/workbench/contrib/codeEditor/browser/accessibility/accessibility": {
+ "emergencyConfOn": "Стойността на настройката `editor.accessibilitySupport` се променя на `on` (включено).",
+ "openingDocs": "Отваря се страницата с документацията на VS Code относно улеснения достъп.",
+ "introMsg": "Благодарим Ви, че изпробвате възможностите за улеснен достъп на VS Code.",
+ "status": "Състояние:",
+ "changeConfigToOnMac": "Ако искате редакторът да бъде винаги оптимизиран за ползване с екранен четец, натиснете Command+E сега.",
+ "changeConfigToOnWinLinux": "Ако искате редакторът да бъде винаги оптимизиран за ползване с екранен четец, натиснете Ctrl+E сега.",
+ "auto_unknown": "Редакторът вече ще бъде настроен да използва системните ППИ, за да определи дали е включен екранен четец, но текущата среда за изпълнение не поддържа това.",
+ "auto_on": "Редакторът засече, че е включен екранен четец.",
+ "auto_off": "Редакторът е настроен да засича автоматично дали е включен екранен четец, но в момента няма такъв.",
+ "configuredOn": "Редакторът е настроен да бъде винаги оптимизиран за ползване с екранен четец. Можете да промените това, като редактирате настройката `editor.accessibilitySupport`.",
+ "configuredOff": "Редакторът е настроен така, че да не е оптимизиран за ползване с екранен четец.",
+ "tabFocusModeOnMsg": "Натискането на клавиша „Tab“ в текущия редактор ще премести фокуса върху следващия елемент, който може да приема фокус. Можете да превключите това поведение чрез {0}.",
+ "tabFocusModeOnMsgNoKb": "Натискането на клавиша „Tab“ в текущия редактор ще премести фокуса върху следващия елемент, който може да приема фокус. Командата „{0}“ в момента не може да бъде изпълнена чрез клавишна комбинация.",
+ "tabFocusModeOffMsg": "Натискането на клавиша „Tab“ в текущия редактор ще вмъкне знак за табулация. Можете да превключите това поведение чрез {0}.",
+ "tabFocusModeOffMsgNoKb": "Натискането на клавиша „Tab“ в текущия редактор ще вмъкне знак за табулация. Командата „{0}“ в момента не може да бъде изпълнена чрез клавишна комбинация.",
+ "openDocMac": "Натиснете Command+H, за да отворите прозорец в браузъра си с още информация относно улеснения достъп.",
+ "openDocWinLinux": "Натиснете Ctrl+H, за да отворите прозорец в браузъра си с още информация относно улеснения достъп.",
+ "outroMsg": "Можете да затворите този съвет и да се върнете към редактора като натиснете Escape или Shift+Escape.",
+ "ShowAccessibilityHelpAction": "Показване на помощна информация за улеснения достъп"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleWordWrap": {
+ "toggle.wordwrap": "Изглед: Превключване на пренасянето",
+ "wordWrap.notInDiffEditor": "Пренасянето не може да бъде превключено в редактор за преглед на разликите.",
+ "unwrapMinified": "Изключване на пренасянето за този файл",
+ "wrapMinified": "Включване на пренасянето за този файл",
+ "miToggleWordWrap": "Toggle &&Word Wrap"
+ },
+ "vs/workbench/contrib/codeEditor/browser/saveParticipants": {
+ "formatting": "Running '{0}' Formatter ([configure](command:workbench.action.openSettings?%5B%22editor.formatOnSave%22%5D)).",
+ "codeaction": "Quick Fixes",
+ "codeaction.get": "Getting code actions from '{0}' ([configure](command:workbench.action.openSettings?%5B%22editor.codeActionsOnSave%22%5D)).",
+ "codeAction.apply": "Applying code action '{0}'."
+ },
+ "vs/workbench/contrib/codeEditor/browser/languageConfigurationExtensionPoint": {
+ "parseErrors": "Грешка при разбора на „{0}“: {1}",
+ "formatError": "{0}: Invalid format, JSON object expected.",
+ "schema.openBracket": "Отварящата скоба или низ.",
+ "schema.closeBracket": "Затварящата скоба или низ.",
+ "schema.comments": "Определя знаците за коментар.",
+ "schema.blockComments": "Определя как се отбелязват блоковите коментари.",
+ "schema.blockComment.begin": "Последователността от знаци, която определя началото на блоков коментар.",
+ "schema.blockComment.end": "Последователността от знаци, която определя края на блоков коментар.",
+ "schema.lineComment": "Последователността от знаци, която определя началото на коментар на реда.",
+ "schema.brackets": "Определя знаците за скоби, които увеличават или намаляват отстъпа.",
+ "schema.autoClosingPairs": "Определя двойките скоби. Когато бъде въведена отваряща скоба, автоматично се въвежда и затварящата скоба.",
+ "schema.autoClosingPairs.notIn": "Определя списък от обхвати, в които автоматичните двойки да бъдат изключени.",
+ "schema.autoCloseBefore": "Определя кои знаци трябва да присъстват след курсора, за да се затворят автоматично скобите или кавичките при използване на настройката „languageDefined“. Обикновено това е наборът от знаци, с които не може да започва израз.",
+ "schema.surroundingPairs": "Определя двойките скоби, които могат да бъдат използвани за заграждане на избран текст.",
+ "schema.wordPattern": "Определя какво се смята за дума в езика за програмиране.",
+ "schema.wordPattern.pattern": "Шаблонът за регулярния израз, който да се ползва за разпознаване на думи.",
+ "schema.wordPattern.flags": "Флаговете за регулярния израз, който да се ползва за разпознаване на думи.",
+ "schema.wordPattern.flags.errorMessage": "Трябва да отговаря на шаблона `/^([gimuy]+)$/`.",
+ "schema.indentationRules": "Настройките за отстъп на езика.",
+ "schema.indentationRules.increaseIndentPattern": "Ако един ред отговаря на този шаблон, то всички редове под него трябва да бъдат отместени навътре веднъж (докато не се срещне съвпадение с друго правило).",
+ "schema.indentationRules.increaseIndentPattern.pattern": "Шаблонът за регулярния израз за „increaseIndentPattern“.",
+ "schema.indentationRules.increaseIndentPattern.flags": "Флаговете за регулярния израз за „increaseIndentPattern“.",
+ "schema.indentationRules.increaseIndentPattern.errorMessage": "Трябва да отговаря на шаблона `/^([gimuy]+)$/`.",
+ "schema.indentationRules.decreaseIndentPattern": "Ако един ред отговаря на този шаблон, то всички редове под него трябва да бъдат отместени навътре веднъж (докато не се срещне съвпадение с друго правило).",
+ "schema.indentationRules.decreaseIndentPattern.pattern": "Шаблонът за регулярния израз за „decreaseIndentPattern“.",
+ "schema.indentationRules.decreaseIndentPattern.flags": "Флаговете за регулярния израз за „decreaseIndentPattern“.",
+ "schema.indentationRules.decreaseIndentPattern.errorMessage": "Трябва да отговаря на шаблона `/^([gimuy]+)$/`.",
+ "schema.indentationRules.indentNextLinePattern": "Ако един ред отговаря на този шаблон, то **само следващият ред** трябва да бъде отместен навътре веднъж.",
+ "schema.indentationRules.indentNextLinePattern.pattern": "Шаблонът за регулярния израз за „indentNextLinePattern“.",
+ "schema.indentationRules.indentNextLinePattern.flags": "Флаговете за регулярния израз за „indentNextLinePattern“.",
+ "schema.indentationRules.indentNextLinePattern.errorMessage": "Трябва да отговаря на шаблона `/^([gimuy]+)$/`.",
+ "schema.indentationRules.unIndentedLinePattern": "Ако един ред отговаря на този шаблон, то отстъпът му не трябва да бъде променян и не той трябва да бъде сравняван за съвпадения с други правила.",
+ "schema.indentationRules.unIndentedLinePattern.pattern": "Шаблонът за регулярния израз за „unIndentedLinePattern“.",
+ "schema.indentationRules.unIndentedLinePattern.flags": "Флаговете за регулярния израз за „unIndentedLinePattern“.",
+ "schema.indentationRules.unIndentedLinePattern.errorMessage": "Трябва да отговаря на шаблона `/^([gimuy]+)$/`.",
+ "schema.folding": "Настройките за свиване на езика.",
+ "schema.folding.offSide": "Езикът се придържа към страничното правилото, ако блоковете в него се определят чрез степента на отстъп. Ако това е включено, празните редове ще се причисляват към следващия блок.",
+ "schema.folding.markers": "Езиково-специфични маркери за отбелязване на местата за свиване, като „#region“ и „#endregion“. Регулярните изрази за начало и край ще се прилагат към съдържанието на всички редове и трябва да са проектирани ефективно.",
+ "schema.folding.markers.start": "Шаблонът за регулярния израз за началния маркер. Регулярният израз трябва да започва с „^“.",
+ "schema.folding.markers.end": "Шаблонът за регулярния израз за крайния маркер. Регулярният израз трябва да започва с „^“."
+ },
+ "vs/workbench/contrib/codeEditor/browser/inspectEditorTokens/inspectEditorTokens": {
+ "inspectEditorTokens": "Developer: Inspect Editor Tokens and Scopes",
+ "inspectTMScopesWidget.loading": "Зареждане…"
+ },
+ "vs/workbench/contrib/codeEditor/browser/find/simpleFindWidget": {
+ "label.find": "Търсене",
+ "placeholder.find": "Търсене",
+ "label.previousMatchButton": "Предишно съвпадение",
+ "label.nextMatchButton": "Следващо съвпадение",
+ "label.closeButton": "Затваряне"
+ },
+ "vs/workbench/contrib/codeEditor/browser/find/simpleFindReplaceWidget": {
+ "label.find": "Търсене",
+ "placeholder.find": "Търсене",
+ "label.previousMatchButton": "Предишно съвпадение",
+ "label.nextMatchButton": "Следващо съвпадение",
+ "label.closeButton": "Затваряне",
+ "label.toggleReplaceButton": "Превключване на режима на замяна",
+ "label.replace": "Замяна",
+ "placeholder.replace": "Замяна",
+ "label.replaceButton": "Замяна",
+ "label.replaceAllButton": "Замяна на всички"
+ },
+ "vs/workbench/contrib/comments/browser/comments.contribution": {
+ "commentsConfigurationTitle": "Comments",
+ "openComments": "Controls when the comments panel should open."
+ },
+ "vs/workbench/contrib/comments/browser/commentsEditorContribution": {
+ "pickCommentService": "Select Comment Provider",
+ "nextCommentThreadAction": "Към следващата нишка от коментари"
+ },
+ "vs/workbench/contrib/comments/browser/commentsView": {
+ "collapseAll": "Скриване на всички"
+ },
+ "vs/workbench/contrib/comments/browser/commentsTreeViewer": {
+ "imageWithLabel": "Image: {0}",
+ "image": "Image"
+ },
+ "vs/workbench/contrib/comments/browser/commentGlyphWidget": {
+ "editorGutterCommentRangeForeground": "Цвят за полето на редактора за областите с коментари."
+ },
+ "vs/workbench/contrib/comments/common/commentModel": {
+ "noComments": "Няма коментари в тази рецензия"
+ },
+ "vs/workbench/contrib/comments/browser/commentThreadWidget": {
+ "label.collapse": "Скриване",
+ "commentThreadParticipants": "Participants: {0}",
+ "startThread": "Започване на дискусия",
+ "reply": "Отговор…",
+ "newComment": "Type a new comment"
+ },
+ "vs/workbench/contrib/comments/browser/commentNode": {
+ "commentToggleReaction": "Toggle Reaction",
+ "commentToggleReactionError": "Toggling the comment reaction failed: {0}.",
+ "commentToggleReactionDefaultError": "Toggling the comment reaction failed",
+ "commentDeleteReactionError": "Deleting the comment reaction failed: {0}.",
+ "commentDeleteReactionDefaultError": "Deleting the comment reaction failed",
+ "commentAddReactionError": "Deleting the comment reaction failed: {0}.",
+ "commentAddReactionDefaultError": "Deleting the comment reaction failed"
+ },
+ "vs/workbench/contrib/comments/browser/reactionsAction": {
+ "pickReactions": "Pick Reactions..."
+ },
+ "vs/workbench/contrib/customEditor/browser/webviewEditor.contribution": {
+ "editor.editorAssociations": "Configure which editor to use for a resource.",
+ "editor.editorAssociations.viewType": "Editor view type.",
+ "editor.editorAssociations.mime": "Mime type the editor should be used for. This is used for binary files.",
+ "editor.editorAssociations.filenamePattern": "Glob pattern the editor should be used for."
+ },
+ "vs/workbench/contrib/customEditor/browser/commands": {
+ "viewCategory": "Изглед",
+ "reopenWith.title": "Reopen With..."
+ },
+ "vs/workbench/contrib/customEditor/browser/customEditors": {
+ "promptOpenWith.defaultEditor": "VS Code's standard text editor",
+ "openWithCurrentlyActive": "Currently Active",
+ "promptOpenWith.setDefaultTooltip": "Set as default editor for '{0}' files",
+ "promptOpenWith.placeHolder": "Select editor to use for '{0}'..."
+ },
+ "vs/workbench/contrib/customEditor/browser/extensionPoint": {
+ "contributes.customEditors": "Contributed custom editors.",
+ "contributes.viewType": "Unique identifier of the custom editor.",
+ "contributes.displayName": "Human readable name of the custom editor. This is displayed to users when selecting which editor to use.",
+ "contributes.selector": "Set of globs that the custom editor is enabled for.",
+ "contributes.selector.filenamePattern": "Glob that the custom editor is enabled for.",
+ "contributes.priority": "Controls when the custom editor is used. May be overridden by users.",
+ "contributes.priority.default": "Editor is automatically used for a resource if no other default custom editors are registered for it.",
+ "contributes.priority.option": "Editor is not automatically used but can be selected by a user.",
+ "contributes.priority.builtin": "Editor automatically used if no other `default` or `builtin` editors are registered for the resource."
+ },
+ "vs/workbench/contrib/debug/common/debug": {
+ "internalConsoleOptions": "Определя кода да се отваря вътрешната конзола за дебъгване."
+ },
+ "vs/workbench/contrib/debug/browser/callStackEditorContribution": {
+ "topStackFrameLineHighlight": "Фонов цвят за открояване на най-горния ред от стека на извикванията.",
+ "focusedStackFrameLineHighlight": "Фонов цвят за открояване на фокусирания ред от стека на извикванията."
+ },
+ "vs/workbench/contrib/debug/browser/debugViewlet": {
+ "startAdditionalSession": "Започване на допълнителна сесия",
+ "toggleDebugPanel": "Конзола за дебъгване"
+ },
+ "vs/workbench/contrib/debug/browser/debugEditorContribution": {
+ "addConfiguration": "Добавяне на конфигурация…"
+ },
+ "vs/workbench/contrib/debug/browser/breakpointEditorContribution": {
+ "logPoint": "Точка за извеждане на съобщение",
+ "breakpoint": "Breakpoint",
+ "breakpointHasConditionDisabled": "Тази {0} има {1}, което ще бъде загубено при премахването. Ако искате да го запазите, можете просто да включите тази {0}.",
+ "message": "Съобщение",
+ "condition": "условие",
+ "breakpointHasConditionEnabled": "Тази {0} има {1}, което ще бъде загубено при премахването. Ако искате да го запазите, можете просто да изключите тази {0}.",
+ "removeLogPoint": "Премахване на {0}",
+ "disableLogPoint": "{0} {1}",
+ "disable": "Изключване",
+ "enable": "Включване",
+ "cancel": "Отказ",
+ "removeBreakpoint": "Премахване на {0}",
+ "editBreakpoint": "Редактиране на {0}…",
+ "disableBreakpoint": "Изключване на {0}",
+ "enableBreakpoint": "Включване на {0}",
+ "removeBreakpoints": "Премахване на точките на прекъсване",
+ "removeInlineBreakpointOnColumn": "Премахване на вмъкнатата точка на прекъсване от колона {0}",
+ "removeLineBreakpoint": "Премахване на точката на прекъсване от реда",
+ "editBreakpoints": "Редактиране на точките на прекъсване",
+ "editInlineBreakpointOnColumn": "Редактиране на вмъкнатата точка на прекъсване на колона {0}",
+ "editLineBrekapoint": "Редактиране на точката на прекъсване на реда",
+ "enableDisableBreakpoints": "Включване/изключване на точките на прекъсване",
+ "disableInlineColumnBreakpoint": "Изключване на вмъкнатата точка на прекъсване на колона {0}",
+ "disableBreakpointOnLine": "Изключване на точката на прекъсване на реда",
+ "enableBreakpoints": "Включване на вмъкнатата точка на прекъсване на колона {0}",
+ "enableBreakpointOnLine": "Включване на точката на прекъсване на реда",
+ "addBreakpoint": "Add Breakpoint",
+ "addConditionalBreakpoint": "Добавяне на условна точка на прекъсване…",
+ "addLogPoint": "Добавяне на точка за извеждане на съобщение…",
+ "debugIcon.breakpointForeground": "Icon color for breakpoints.",
+ "debugIcon.breakpointDisabledForeground": "Icon color for disabled breakpoints.",
+ "debugIcon.breakpointUnverifiedForeground": "Icon color for unverified breakpoints.",
+ "debugIcon.breakpointCurrentStackframeForeground": "Icon color for the current breakpoint stack frame.",
+ "debugIcon.breakpointStackframeForeground": "Icon color for all breakpoint stack frames."
+ },
+ "vs/workbench/contrib/debug/browser/debug.contribution": {
+ "toggleDebugViewlet": "Show Run and Debug",
+ "run": "Изпълнение",
+ "debugPanel": "Конзола за дебъгване",
+ "variables": "Variables",
+ "watch": "Наблюдение",
+ "callStack": "Стек на извикванията",
+ "breakpoints": "Breakpoints",
+ "loadedScripts": "Заредени скриптове",
+ "view": "Изглед",
+ "debugCategory": "Дебъгване",
+ "runCategory": "Изпълнение",
+ "terminateThread": "Прекратяване на нишката",
+ "debugFocusConsole": "Фокусиране върху изгледа с конзолата за дебъгване",
+ "jumpToCursor": "Jump to Cursor",
+ "inlineBreakpoint": "Вмъкната точка на прекъсване",
+ "startDebugPlaceholder": "Type the name of a launch configuration to run.",
+ "startDebuggingHelp": "Стартиране за дебъгване",
+ "debugConfigurationTitle": "Дебъгване",
+ "allowBreakpointsEverywhere": "Позволяване на поставянето на точки на прекъсване във всеки файл.",
+ "openExplorerOnEnd": "Automatically open the explorer view at the end of a debug session.",
+ "inlineValues": "Показване на стойностите на променливите в самия редактор по време на дебъгване.",
+ "toolBarLocation": "Controls the location of the debug toolbar. Either `floating` in all views, `docked` in the debug view, or `hidden`.",
+ "never": "Никога да не се показва възможността за дебъгване в лентата на състоянието",
+ "always": "Винаги да се показва възможността за дебъгване в лентата на състоянието",
+ "onFirstSessionStart": "Показване на възможността за дебъгване в лентата на състоянието, само след първото стартиране на дебъгване",
+ "showInStatusBar": "Определя кога да се вижда лентата на състоянието за дебъгването.",
+ "debug.console.closeOnEnd": "Controls if the debug console should be automatically closed when the debug session ends.",
+ "openDebug": "Определя кога да се отваря изгледа за дебъгване.",
+ "enableAllHovers": "Определя дали изскачащите информации, които не са свързани с дебъгването, да се показват по време на дебъгване. Ако е включено, ще се извиква кодът за показване на изскачаща информация. Обикновената изскачаща информация няма да се показва дори ако тази настройка и включена.",
+ "showSubSessionsInToolBar": "Controls whether the debug sub-sessions are shown in the debug tool bar. When this setting is false the stop command on a sub-session will also stop the parent session.",
+ "debug.console.fontSize": "Controls the font size in pixels in the debug console.",
+ "debug.console.fontFamily": "Controls the font family in the debug console.",
+ "debug.console.lineHeight": "Controls the line height in pixels in the debug console. Use 0 to compute the line height from the font size.",
+ "debug.console.wordWrap": "Controls if the lines should wrap in the debug console.",
+ "debug.console.historySuggestions": "Controls if the debug console should suggest previously typed input.",
+ "launch": "Global debug launch configuration. Should be used as an alternative to 'launch.json' that is shared across workspaces.",
+ "debug.focusWindowOnBreak": "Controls whether the workbench window should be focused when the debugger breaks.",
+ "debugAnyway": "Ignore task errors and start debugging.",
+ "showErrors": "Show the Problems view and do not start debugging.",
+ "prompt": "Prompt user.",
+ "cancel": "Cancel debugging.",
+ "debug.onTaskErrors": "Controls what to do when errors are encountered after running a preLaunchTask.",
+ "showBreakpointsInOverviewRuler": "Controls whether breakpoints should be shown in the overview ruler.",
+ "showInlineBreakpointCandidates": "Controls whether inline breakpoints candidate decorations should be shown in the editor while debugging.",
+ "stepBackDebug": "Step Back",
+ "reverseContinue": "Обратен ход",
+ "restartFrame": "Рестартиране на кадъра",
+ "copyStackTrace": "Копиране на стека на извикванията",
+ "miViewRun": "&&Run",
+ "miToggleDebugConsole": "De&&bug Console",
+ "miStartDebugging": "&&Start Debugging",
+ "miRun": "Run &&Without Debugging",
+ "miStopDebugging": "&&Stop Debugging",
+ "miRestart Debugging": "&&Restart Debugging",
+ "miOpenConfigurations": "Open &&Configurations",
+ "miAddConfiguration": "A&&dd Configuration...",
+ "miStepOver": "Step &&Over",
+ "miStepInto": "Step &&Into",
+ "miStepOut": "Step O&&ut",
+ "miContinue": "&&Continue",
+ "miToggleBreakpoint": "Toggle &&Breakpoint",
+ "miConditionalBreakpoint": "&&Conditional Breakpoint...",
+ "miInlineBreakpoint": "Inline Breakp&&oint",
+ "miFunctionBreakpoint": "&&Function Breakpoint...",
+ "miLogPoint": "&&Logpoint...",
+ "miNewBreakpoint": "&&New Breakpoint",
+ "miEnableAllBreakpoints": "&&Enable All Breakpoints",
+ "miDisableAllBreakpoints": "Disable A&&ll Breakpoints",
+ "miRemoveAllBreakpoints": "Remove &&All Breakpoints",
+ "miInstallAdditionalDebuggers": "&&Install Additional Debuggers..."
+ },
+ "vs/workbench/contrib/debug/browser/repl": {
+ "replAriaLabel": "Панел за цикъла „четене-изчисляване-извеждане“",
+ "debugConsole": "Конзола за дебъгване",
+ "copy": "Копиране",
+ "copyAll": "Скриване на всичко",
+ "collapse": "Скриване на всички",
+ "startDebugFirst": "За изчисление на изрази, моля, стартирайте сесия за дебъгване",
+ "actions.repl.acceptInput": "Цикъл ЧИИ – приемане на вход",
+ "repl.action.filter": "REPL Focus Content to Filter",
+ "actions.repl.copyAll": "Дебъгване: Копиране на всичко от конзолата",
+ "selectRepl": "Избиране на конзола за дебъгване",
+ "clearRepl": "Clear Console",
+ "debugConsoleCleared": "Конзолата за дебъгване беше изчистена"
+ },
+ "vs/workbench/contrib/debug/browser/welcomeView": {
+ "run": "Изпълнение",
+ "openAFileWhichCanBeDebugged": "[Open a file](command:{0}) which can be debugged or run.",
+ "runAndDebugAction": "[Run and Debug{0}](command:{1})",
+ "customizeRunAndDebug": "To customize Run and Debug [create a launch.json file](command:{0}).",
+ "customizeRunAndDebugOpenFolder": "To customize Run and Debug, [open a folder](command:{0}) and create a launch.json file."
+ },
+ "vs/workbench/contrib/debug/browser/debugActionViewItems": {
+ "debugLaunchConfigurations": "Пускови конфигурации за дебъгване",
+ "noConfigurations": "Няма конфигурации",
+ "addConfigTo": "Добавяне на конфигурация ({0})…",
+ "addConfiguration": "Добавяне на конфигурация…",
+ "debugSession": "Сесия за дебъгване"
+ },
+ "vs/workbench/contrib/debug/browser/exceptionWidget": {
+ "debugExceptionWidgetBorder": "Цвят за контура на елемента за изключенията.",
+ "debugExceptionWidgetBackground": "Фонов цвят за елемента за изключенията.",
+ "exceptionThrownWithId": "Exception has occurred: {0}",
+ "exceptionThrown": "Exception has occurred."
+ },
+ "vs/workbench/contrib/debug/browser/debugToolBar": {
+ "debugToolBarBackground": "Фонов цвят за лентата за дебъгване.",
+ "debugToolBarBorder": "Цвят за контура на лентата за дебъгване.",
+ "debugIcon.startForeground": "Debug toolbar icon for start debugging.",
+ "debugIcon.pauseForeground": "Debug toolbar icon for pause.",
+ "debugIcon.stopForeground": "Debug toolbar icon for stop.",
+ "debugIcon.disconnectForeground": "Debug toolbar icon for disconnect.",
+ "debugIcon.restartForeground": "Debug toolbar icon for restart.",
+ "debugIcon.stepOverForeground": "Debug toolbar icon for step over.",
+ "debugIcon.stepIntoForeground": "Debug toolbar icon for step into.",
+ "debugIcon.stepOutForeground": "Debug toolbar icon for step over.",
+ "debugIcon.continueForeground": "Debug toolbar icon for continue.",
+ "debugIcon.stepBackForeground": "Debug toolbar icon for step back."
+ },
+ "vs/workbench/contrib/debug/browser/statusbarColorProvider": {
+ "statusBarDebuggingBackground": "Фонов цвят за лентата на състоянието при дебъгване на програма. Лентата на състоянието се намира в дъното на прозореца.",
+ "statusBarDebuggingForeground": "Основен цвят за лентата на състоянието при дебъгване на програма. Лентата на състоянието се намира в дъното на прозореца.",
+ "statusBarDebuggingBorder": "Цвят за контура на лентата на състоянието, която я отделя от страничната лента и редактора, при дебъгване на програма. Лентата на състоянието се намира в дъното на прозореца."
+ },
+ "vs/workbench/contrib/debug/common/debugContentProvider": {
+ "unable": "Ресурсът не може да бъде открит без сесия за дебъгване.",
+ "canNotResolveSourceWithError": "Изходният код на „{0}“ не може да се зареди: {1}.",
+ "canNotResolveSource": "Изходният код на „{0}“ не може да се зареди."
+ },
+ "vs/workbench/contrib/debug/browser/debugStatus": {
+ "status.debug": "Дебъгване",
+ "selectAndStartDebug": "Избор и стартиране на конфигурация за дебъгване"
+ },
+ "vs/workbench/contrib/debug/browser/debugQuickAccess": {
+ "customizeLaunchConfig": "Configure Launch Configuration",
+ "addConfigTo": "Добавяне на конфигурация ({0})…",
+ "addConfiguration": "Добавяне на конфигурация…"
+ },
+ "vs/workbench/contrib/debug/browser/debugHover": {
+ "treeAriaLabel": "Изскачаща информация при дебъгване",
+ "variableAriaLabel": "{0} стойност {1}, променливи, дебъгване"
+ },
+ "vs/workbench/contrib/debug/browser/debugActions": {
+ "openLaunchJson": "Отваряне на {0}",
+ "launchJsonNeedsConfigurtion": "Конфигуриране или промяна на „launch.json“",
+ "noFolderDebugConfig": "Моля, първо отворете папка, за да можете да направите разширена настройка на дебъгването.",
+ "selectWorkspaceFolder": "Select a workspace folder to create a launch.json file in",
+ "startDebug": "Стартиране за дебъгване",
+ "startWithoutDebugging": "Стартиране без дебъгване",
+ "selectAndStartDebugging": "Избиране и стартиране за дебъгване",
+ "removeBreakpoint": "Премахване на точката на прекъсване",
+ "removeAllBreakpoints": "Премахване на всички точки на прекъсване",
+ "enableAllBreakpoints": "Включване на всички точки на прекъсване",
+ "disableAllBreakpoints": "Изключване на всички точки на прекъсване",
+ "activateBreakpoints": "Активиране на точките на прекъсване",
+ "deactivateBreakpoints": "Деактивиране на точките на прекъсване",
+ "reapplyAllBreakpoints": "Reapply All Breakpoints",
+ "addFunctionBreakpoint": "Добавяне на точка на прекъсване на функция",
+ "addWatchExpression": "Добавяне на израз",
+ "removeAllWatchExpressions": "Премахване на всички изрази",
+ "focusSession": "Фокусиране върху сесията",
+ "copyValue": "Копиране на стойността"
+ },
+ "vs/workbench/contrib/debug/browser/debugEditorActions": {
+ "toggleBreakpointAction": "Дебъгване: Превключване на точка на прекъсване",
+ "conditionalBreakpointEditorAction": "Дебъгване: Добавяне на условна точка на прекъсване…",
+ "logPointEditorAction": "Дебъгване: Добавяне на точка за извеждане на съобщение…",
+ "runToCursor": "Изпълняване до курсора",
+ "evaluateInDebugConsole": "Evaluate in Debug Console",
+ "addToWatch": "Добавяне към списъка за наблюдение",
+ "showDebugHover": "Дебъгване: Показване на изскачащата информация",
+ "goToNextBreakpoint": "Дебъгване: Към следващата точка на прекъсване",
+ "goToPreviousBreakpoint": "Дебъгване: Към предходната точка на прекъсване"
+ },
+ "vs/workbench/contrib/debug/browser/linkDetector": {
+ "fileLinkMac": "Cmd + ляв бутон за отваряне на връзката",
+ "fileLink": "Ctrl + ляв бутон за отваряне на връзката"
+ },
+ "vs/workbench/contrib/debug/common/replModel": {
+ "consoleCleared": "Конзолата беше изчистена",
+ "snapshotObj": "За този обект са показани само простите стойности."
+ },
+ "vs/workbench/contrib/debug/browser/breakpointWidget": {
+ "breakpointWidgetLogMessagePlaceholder": "Съобщение, което да бъде изведено в журнала при преминаване през точката на прекъсване. Изразите в {} се изпълняват. Натиснете „Enter“ за приемане, или „Esc“ за отказ.",
+ "breakpointWidgetHitCountPlaceholder": "Прекъсване, когато бъде изпълнено условието за брой преминавания. Натиснете „Enter“ за приемане, или „Esc“ за отказ.",
+ "breakpointWidgetExpressionPlaceholder": "Прекъсване, когато резултатът от израза е истина. Натиснете „Enter“ за приемане, или „Esc“ за отказ.",
+ "expression": "Expression",
+ "hitCount": "Брой преминавания",
+ "logMessage": "Съобщение в журнала",
+ "breakpointType": "Вид на точката на прекъсване"
+ },
+ "vs/workbench/contrib/debug/browser/watchExpressionsView": {
+ "watchAriaTreeLabel": "Изрази за наблюдение при дебъгване",
+ "editWatchExpression": "Редактиране на израза",
+ "removeWatchExpression": "Премахване на израза",
+ "watchExpressionInputAriaLabel": "Въведете израз за наблюдение",
+ "watchExpressionPlaceholder": "Изрази за наблюдение",
+ "watchExpressionAriaLabel": "Стойност на {0}: {1}, наблюдение, дебъгване",
+ "watchVariableAriaLabel": "Стойност на {0}: {1}, наблюдение, дебъгване"
+ },
+ "vs/workbench/contrib/debug/browser/variablesView": {
+ "variablesAriaTreeLabel": "Променливи за дебъгване",
+ "setValue": "Задаване на стойност",
+ "copyAsExpression": "Копиране като израз",
+ "addToWatchExpressions": "Добавяне към списъка за наблюдение",
+ "breakWhenValueChanges": "Break When Value Changes",
+ "variableValueAriaLabel": "Въведете нова стойност за променливата",
+ "variableScopeAriaLabel": "Обхват {0}, променливи, дебъгване",
+ "variableAriaLabel": "{0} стойност {1}, променливи, дебъгване"
+ },
+ "vs/workbench/contrib/debug/browser/replViewer": {
+ "stateCapture": "Състоянието на обекта е прихванато при първото изчисление",
+ "replVariableAriaLabel": "Променливата „{0}“ има стойност {1}, цикъл четене-изчисляване-извеждане, дебъгване",
+ "replValueOutputAriaLabel": "{0}, цикъл четене-изчисляване-извеждане, дебъгване",
+ "replRawObjectAriaLabel": "Променливата на цикъла ЧИИ „{0}“ има стойност {1}, цикъл четене-изчисляване-извеждане, дебъгване",
+ "replGroup": "Repl group {0}, read eval print loop, debug"
+ },
+ "vs/workbench/contrib/debug/node/debugAdapter": {
+ "debugAdapterBinNotFound": "Изпълнимият файл на адаптера за дебъгване „{0}“ не съществува.",
+ "debugAdapterCannotDetermineExecutable": "Изпълнимият файл на адаптера за дебъгване „{0}“ не може да бъде определен.",
+ "unableToLaunchDebugAdapter": "Не може да се стартира адаптерът за дебъгване от „{0}“.",
+ "unableToLaunchDebugAdapterNoArgs": "Не може да се стартира адаптерът за дебъгване."
+ },
+ "vs/workbench/contrib/debug/browser/loadedScriptsView": {
+ "loadedScriptsAriaLabel": "Заредени скриптове за дебъгване",
+ "loadedScriptsSession": "Сесия за дебъгване",
+ "loadedScriptsRootFolderAriaLabel": "Работна папка {0}, зареден скрипт, дебъгване",
+ "loadedScriptsSessionAriaLabel": "Сесия {0}, зареден скрипт, дебъгване",
+ "loadedScriptsFolderAriaLabel": "Папка {0}, зареден скрипт, дебъгване",
+ "loadedScriptsSourceAriaLabel": "{0}, зареден скрипт, дебъгване"
+ },
+ "vs/workbench/contrib/debug/browser/debugCommands": {
+ "restartDebug": "Рестартиране",
+ "stepOverDebug": "Пристъпване",
+ "stepIntoDebug": "Навлизане",
+ "stepOutDebug": "Излизане",
+ "pauseDebug": "Pause",
+ "disconnect": "Disconnect",
+ "stop": "Спиране",
+ "continueDebug": "Продължаване",
+ "chooseLocation": "Choose the specific location",
+ "noExecutableCode": "No executable code is associated at the current cursor position.",
+ "jumpToCursor": "Jump to Cursor",
+ "debug": "Дебъгване",
+ "noFolderDebugConfig": "Моля, първо отворете папка, за да можете да направите разширена настройка на дебъгването.",
+ "addInlineBreakpoint": "Добавяне на вмъкната точка на прекъсване"
+ },
+ "vs/workbench/contrib/debug/browser/breakpointsView": {
+ "Logpoint": "Точка за извеждане на съобщение",
+ "Breakpoint": "Breakpoint",
+ "editBreakpoint": "Редактиране на {0}…",
+ "removeBreakpoint": "Премахване на {0}",
+ "functionBreakpointsNotSupported": "Точките на прекъсване на функции не се поддържат от този вид дебъгване",
+ "dataBreakpointsNotSupported": "Data breakpoints are not supported by this debug type",
+ "functionBreakpointPlaceholder": "Функция, в която да се извърши прекъсване",
+ "functionBreakPointInputAriaLabel": "Въведете точка на прекъсване на функция",
+ "disabledLogpoint": "Изключена точка за извеждане на съобщение",
+ "disabledBreakpoint": "Изключена точка на прекъсване",
+ "unverifiedLogpoint": "Непотвърдена точка за извеждане на съобщение",
+ "unverifiedBreakopint": "Непотвърдена точка на прекъсване",
+ "functionBreakpointUnsupported": "Точките на прекъсване на функции не се поддържат от този вид дебъгване",
+ "functionBreakpoint": "Function Breakpoint",
+ "dataBreakpointUnsupported": "Data breakpoints not supported by this debug type",
+ "dataBreakpoint": "Data Breakpoint",
+ "breakpointUnsupported": "Breakpoints of this type are not supported by the debugger",
+ "logMessage": "Съобщение: {0}",
+ "expression": "Expression: {0}",
+ "hitCount": "Брой преминавания: {0}",
+ "breakpoint": "Breakpoint"
+ },
+ "vs/workbench/contrib/debug/common/debugSource": {
+ "unknownSource": "Unknown Source"
+ },
+ "vs/workbench/contrib/debug/browser/callStackView": {
+ "debugStopped": "На пауза – {0}",
+ "callStackAriaLabel": "Стек на извикванията при дебъгване",
+ "showMoreStackFrames2": "Show More Stack Frames",
+ "session": "Session",
+ "running": "Изпълнение",
+ "thread": "Thread",
+ "restartFrame": "Рестартиране на кадъра",
+ "loadMoreStackFrames": "Зареждане на още кадри от стека",
+ "showMoreAndOrigin": "Показване на още {0}: {1}",
+ "showMoreStackFrames": "Показване на още {0} кадри от стека",
+ "threadAriaLabel": "Нишка {0}, стек на извикванията, дебъгване",
+ "stackFrameAriaLabel": "Кадър на стека {0} ред {1} {2}, стек на извикванията, дебъгване",
+ "sessionLabel": "Сесия за дебъгване {0}"
+ },
+ "vs/workbench/contrib/debug/browser/debugService": {
+ "1activeSession": "1 active session",
+ "nActiveSessions": "{0} active sessions",
+ "configurationAlreadyRunning": "Вече има работеща конфигурация за дебъгване „{0}“.",
+ "compoundMustHaveConfigurations": "Съвкупностите трябва да имат зададен атрибут „configurations“ (конфигурации), за да могат да изпълняват множество конфигурации.",
+ "noConfigurationNameInWorkspace": "Пусковата конфигурация „{0}“ не може да бъде намерена в работното място.",
+ "multipleConfigurationNamesInWorkspace": "В работното място има няколко пускови конфигурации с името „{0}“. Използвайте името на папката, за да посочите конкретна конфигурация.",
+ "noFolderWithName": "Папката с име „{0}“ за конфигурацията „{1}“ в съвкупността „{2}“ не може да бъде намерена.",
+ "configMissing": "В „launch.json“ липсва конфигурация „{0}“.",
+ "launchJsonDoesNotExist": "„launch.json“ не съществува.",
+ "debugRequestNotSupported": "Атрибутът „{0}“ има неподдържана стойност „{1}“ в избраната конфигурация за дебъгване.",
+ "debugRequesMissing": "Атрибутът „{0}“ липсва в избраната конфигурация за дебъгване.",
+ "debugTypeNotSupported": "Конфигурираният тип дебъгване „{0}“ не се поддържа.",
+ "debugTypeMissing": "Липсва свойството „type“ за избраната пускова конфигурация.",
+ "noFolderWorkspaceDebugError": "The active file can not be debugged. Make sure it is saved and that you have a debug extension installed for that file type.",
+ "debugAdapterCrash": "Процесът-адаптер за дебъгване спря неочаквано ({0})",
+ "cancel": "Отказ",
+ "debuggingPaused": "Debugging paused {0}, {1} {2} {3}",
+ "breakpointAdded": "Добавена е точка на прекъсване на ред {0}, файл „{1}“",
+ "breakpointRemoved": "Премахната е точка на прекъсване от ред {0}, файл „{1}“"
+ },
+ "vs/workbench/contrib/debug/common/debugModel": {
+ "invalidVariableAttributes": "Invalid variable attributes",
+ "startDebugFirst": "За изчисление на изрази, моля, стартирайте сесия за дебъгване",
+ "notAvailable": "недостъпно",
+ "pausedOn": "На пауза – {0}",
+ "paused": "На пауза",
+ "running": "Изпълнение",
+ "breakpointDirtydHover": "Непотвърдена точка на прекъсване. Файлът е променен. Моля, рестартирайте сесията за дебъгване."
+ },
+ "vs/workbench/contrib/debug/browser/debugTaskRunner": {
+ "preLaunchTaskErrors": "Има грешки след изпълнението на предварителната задача „{0}“.",
+ "preLaunchTaskError": "Има грешки след изпълнението на предварителната задача „{0}“.",
+ "preLaunchTaskExitCode": "Предварителната задача „{0}“ завърши с код за грешка {1}.",
+ "preLaunchTaskTerminated": "The preLaunchTask '{0}' terminated.",
+ "debugAnyway": "Дебъгване въпреки това",
+ "showErrors": "Показване на грешките",
+ "abort": "Abort",
+ "remember": "Remember my choice in user settings",
+ "invalidTaskReference": "Задачата „{0}“ не може да се използва от пускова конфигурация, която е в различна папка на работно място.",
+ "DebugTaskNotFoundWithTaskId": "Задачата „{0}“ не е намерена.",
+ "DebugTaskNotFound": "Посочената задача не може да бъде намерена.",
+ "taskNotTrackedWithTaskId": "Посочената задача не може да бъде проследена.",
+ "taskNotTracked": "Задачата „{0}“ не може да бъде проследена."
+ },
+ "vs/workbench/contrib/debug/browser/debugConfigurationManager": {
+ "debugNoType": "Полето „type“ (тип) на дебъгера е задължително и трябва да бъде низ.",
+ "more": "Още…",
+ "selectDebug": "Избиране на среда",
+ "DebugConfig.failed": "Файлът „launch.json“ не може да бъде създаден в папката „.vscode“ ({0}).",
+ "workspace": "работно място",
+ "user settings": "Потребителски настройки"
+ },
+ "vs/workbench/contrib/debug/browser/debugSession": {
+ "noDebugAdapter": "No debug adapter, can not send '{0}'",
+ "sessionNotReadyForBreakpoints": "Session is not ready for breakpoints",
+ "debuggingStarted": "Дебъгването започна.",
+ "debuggingStopped": "Дебъгването завърши."
+ },
+ "vs/workbench/contrib/debug/common/debugger": {
+ "cannot.find.da": "Cannot find debug adapter for type '{0}'.",
+ "launch.config.comment1": "Използвайте подсказките, за да видите възможните атрибути.",
+ "launch.config.comment2": "Посочете, за да видите описания на съществуващите атрибути.",
+ "launch.config.comment3": "За повече информация посетете: {0}",
+ "debugType": "Тип конфигурация.",
+ "debugTypeNotRecognised": "Типът на дебъгване не е разпознат. Уверете се, че имате инсталирано съответстващо разширение за дебъгване, и че то е включено.",
+ "node2NotSupported": "„node2“ вече не се поддържа. Вместо него използвайте „node“ и задайте на атрибута „protocol“ стойност „inspector“.",
+ "debugName": "Name of configuration; appears in the launch configuration dropdown menu.",
+ "debugRequest": "Тип заявка на конфигурацията. Може да бъде „launch“ (пускане) или „attach“ (прикачане).",
+ "debugServer": "Само за разработка на разширения за дебъгване: ако е посочен порт, VS Code ще се опита да се свърже към адаптер за дебъгване, който работи в сървърен режим.",
+ "debugPrelaunchTask": "Задача, която да бъде изпълнена преди началото на сесията за дебъгване.",
+ "debugPostDebugTask": "Задача, която да бъде изпълнена след края на сесията за дебъгване.",
+ "debugWindowsConfiguration": "Специфични за Windows атрибути за пусковата конфигурация.",
+ "debugOSXConfiguration": "Специфични за OS X атрибути за пусковата конфигурация.",
+ "debugLinuxConfiguration": "Специфични за Линукс атрибути за пусковата конфигурация."
+ },
+ "vs/workbench/contrib/debug/browser/rawDebugSession": {
+ "noDebugAdapterStart": "No debug adapter, can not start debug session.",
+ "noDebugAdapter": "No debug adapter found. Can not send '{0}'.",
+ "moreInfo": "Още информация"
+ },
+ "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": "Mapping from interactive variables (e.g. ${action.pickProcess}) in `launch.json` to a command.",
+ "vscode.extension.contributes.debuggers.initialConfigurations": "Конфигурации за създаване на първоначалния вариант на „launch.json“.",
+ "vscode.extension.contributes.debuggers.languages": "Списък от езици, за които разширението може да бъда смятано за „дебъгер по подразбиране“.",
+ "vscode.extension.contributes.debuggers.configurationSnippets": "Фрагменти за добавяне на нови конфигурации в „launch.json“.",
+ "vscode.extension.contributes.debuggers.configurationAttributes": "Конфигурации на схеми на JSON за валидиране на „launch.json“.",
+ "vscode.extension.contributes.debuggers.windows": "Специфични настройки за Windows.",
+ "vscode.extension.contributes.debuggers.windows.runtime": "Среда за изпълнение под Windows.",
+ "vscode.extension.contributes.debuggers.osx": "Специфични настройки за macOS.",
+ "vscode.extension.contributes.debuggers.osx.runtime": "Среда за изпълнение под macOS.",
+ "vscode.extension.contributes.debuggers.linux": "Специфични настройки за Линукс.",
+ "vscode.extension.contributes.debuggers.linux.runtime": "Среда за изпълнение под Линукс.",
+ "vscode.extension.contributes.breakpoints": "Добавя точки на прекъсване.",
+ "vscode.extension.contributes.breakpoints.language": "Позволява използването на точки на прекъсване за този език.",
+ "presentation": "Presentation options on how to show this configuration in the debug configuration dropdown and the command palette.",
+ "presentation.hidden": "Controls if this configuration should be shown in the configuration dropdown and the command palette.",
+ "presentation.group": "Group that this configuration belongs to. Used for grouping and sorting in the configuration dropdown and the command palette.",
+ "presentation.order": "Order of this configuration within a group. Used for grouping and sorting in the configuration dropdown and the command palette.",
+ "app.launch.json.title": "Пускане",
+ "app.launch.json.version": "Version of this file format.",
+ "app.launch.json.configurations": "Списък от конфигурации. Можете да добавяте нови или да редактирате съществуващите с помощта на подсказките.",
+ "app.launch.json.compounds": "Списък от съвкупности. Всяка съвкупност може да изброява множество конфигурации, които да бъдат пуснати едновременно.",
+ "app.launch.json.compound.name": "Име на съвкупността. Появява се в падащото меню за избор на пускова конфигурация.",
+ "useUniqueNames": "Моля, използвайте уникални имена за конфигурациите.",
+ "app.launch.json.compound.folder": "Име на папката, в която се намира съвкупността.",
+ "app.launch.json.compounds.configurations": "Имената на конфигурациите, които да бъдат стартирани като част от тази съвкупност.",
+ "compoundPrelaunchTask": "Task to run before any of the compound configurations start."
+ },
+ "vs/workbench/contrib/emmet/browser/actions/showEmmetCommands": {
+ "showEmmetCommands": "Показване на командите на Emmet",
+ "miShowEmmetCommands": "E&&mmet..."
+ },
+ "vs/workbench/contrib/emmet/browser/actions/expandAbbreviation": {
+ "expandAbbreviationAction": "Emmet: Разгъване на съкращението",
+ "miEmmetExpandAbbreviation": "Emmet: E&&xpand Abbreviation"
+ },
+ "vs/workbench/contrib/experiments/browser/experiments.contribution": {
+ "workbench.enableExperiments": "Извлича експерименти за изпълняване, от услуга в Интернет на Майкрософт."
+ },
+ "vs/workbench/contrib/extensions/electron-browser/extensions.contribution": {
+ "runtimeExtension": "Разширения за изпълнение"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/runtimeExtensionsInput": {
+ "extensionsInputName": "Разширения за изпълнение"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/extensionsActions": {
+ "openExtensionsFolder": "Отваряне на папката с разширенията"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/extensionProfileService": {
+ "profilingExtensionHost": "Profiling Extension Host",
+ "selectAndStartDebug": "Щракнете, за да спрете профилирането.",
+ "profilingExtensionHostTime": "Profiling Extension Host ({0} sec)",
+ "status.profiler": "Extension Profiler",
+ "restart1": "Профилиране на разширенията",
+ "restart2": "Програмата трябва да бъде рестартирана, за да могат да се профилират разширенията. Искате ли „{0}“ да се рестартира сега?",
+ "restart3": "Рестартиране",
+ "cancel": "Отказ"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/extensionsAutoProfiler": {
+ "unresponsive-exthost": "На разширението „{0}“ му отне твърде много време да завърши последната си задача, и това попречи на изпълнението на други разширения.",
+ "show": "Показване на разширенията"
+ },
+ "vs/workbench/contrib/extensions/browser/extensions.contribution": {
+ "extension": "Разширение",
+ "extensions": "Разширения",
+ "view": "Изглед",
+ "extensionsConfigurationTitle": "Разширения",
+ "extensionsAutoUpdate": "Ако е включено, обновленията на разширенията ще се инсталират автоматично. Обновленията се изтеглят от услуга в Интернет на Майкрософт.",
+ "extensionsCheckUpdates": "Ако е включено, ще се проверява за обновления на разширенията автоматично. Ако за някое разширение има налично обновление, то ще бъде отбелязано като остаряло в изгледа на разширенията. Обновленията се изтеглят от услуга в Интернет на Майкрософт.",
+ "extensionsIgnoreRecommendations": "Ако е включено, няма да бъдат показвани известия с предложения за разширения.",
+ "extensionsShowRecommendationsOnlyOnDemand": "Ако е включено, няма да се получават или показват препоръки, освен ако потребителят сам не пожелае това. Някои препоръки се изтеглят от услуга в Интернет на Майкрософт.",
+ "extensionsCloseExtensionDetailsOnViewChange": "Ако е включено, редакторите с подробности относно разширения ще бъдат автоматично затваряни при напускане на изгледа на разширенията.",
+ "handleUriConfirmedExtensions": "When an extension is listed here, a confirmation prompt will not be shown when that extension handles a URI.",
+ "notFound": "Разширението „{0}“ не е намерено.",
+ "workbench.extensions.uninstallExtension.description": "Uninstall the given extension",
+ "workbench.extensions.uninstallExtension.arg.name": "Id of the extension to uninstall",
+ "id required": "Extension id required.",
+ "notInstalled": "Extension '{0}' is not installed. Make sure you use the full extension ID, including the publisher, e.g.: ms-vscode.csharp.",
+ "workbench.extensions.search.description": "Search for a specific extension",
+ "workbench.extensions.search.arg.name": "Query to use in search",
+ "miOpenKeymapExtensions": "&&Keymaps",
+ "miOpenKeymapExtensions2": "Набори от клавишни комбинации",
+ "miPreferencesExtensions": "&&Extensions",
+ "miViewExtensions": "E&&xtensions",
+ "showExtensions": "Разширения",
+ "extensionInfoName": "Name: {0}",
+ "extensionInfoId": "Id: {0}",
+ "extensionInfoDescription": "Description: {0}",
+ "extensionInfoVersion": "Version: {0}",
+ "extensionInfoPublisher": "Publisher: {0}",
+ "extensionInfoVSMarketplaceLink": "VS Marketplace Link: {0}",
+ "workbench.extensions.action.configure": "Extension Settings",
+ "workbench.extensions.action.toggleIgnoreExtension": "Sync This Extension"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/runtimeExtensionsEditor": {
+ "workspaceContainsGlobActivation": "Активирано, тъй като в работното място има файл отговарящ на {0}",
+ "workspaceContainsFileActivation": "Активирано, тъй като в работното място има файл {0}",
+ "unresponsive.title": "Разширението блокира сървъра за разширения.",
+ "errors": "{0} неприхванати грешки",
+ "disable workspace": "Изключване (работно място)",
+ "disable": "Изключване",
+ "showRuntimeExtensions": "Показване на разширенията за изпълнение",
+ "reportExtensionIssue": "Докладване на проблем",
+ "debugExtensionHost": "Стартиране на сървъра за дебъгване на разширения",
+ "restart1": "Профилиране на разширенията",
+ "restart2": "Програмата трябва да бъде рестартирана, за да могат да се профилират разширенията. Искате ли „{0}“ да се рестартира сега?",
+ "restart3": "Рестартиране",
+ "cancel": "Отказ",
+ "debugExtensionHost.launch.name": "Прикачане към сървъра за разширения",
+ "extensionHostProfileStart": "Стартиране на профилиране на сървъра за разширения",
+ "stopExtensionHostProfileStart": "Спиране на профилирането на сървъра за разширения",
+ "saveExtensionHostProfile": "Запазване на профилирането на сървъра за разширения"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsViewlet": {
+ "marketPlace": "Магазин",
+ "enabledExtensions": "Включено",
+ "disabledExtensions": "Изключено",
+ "popularExtensions": "Популярно",
+ "recommendedExtensions": "Препоръчани",
+ "otherRecommendedExtensions": "Other Recommendations",
+ "workspaceRecommendedExtensions": "Препоръки за работното място",
+ "builtInExtensions": "Функционалности",
+ "builtInThemesExtensions": "Themes",
+ "builtInBasicsExtensions": "Programming Languages",
+ "installed": "Installed",
+ "searchExtensions": "Потърсете разширения в магазина",
+ "sort by installs": "Подреждане по: брой инсталирания",
+ "sort by rating": "Подреждане по: оценка",
+ "sort by name": "Подреждане по: име",
+ "extensionFoundInSection": "В раздела „{0}“ е намерено 1 разширение.",
+ "extensionFound": "Намерено е 1 разширение.",
+ "extensionsFoundInSection": "В раздела „{1}“ са намерени {0} разширения.",
+ "extensionsFound": "Намерени са {0} разширения.",
+ "suggestProxyError": "Магазинът върна резултат „ECONNREFUSED“. Моля, проверете настройката „http.proxy“.",
+ "open user settings": "Отваряне на потребителските настройки",
+ "outdatedExtensions": "{0} Outdated Extensions",
+ "malicious warning": "Разширението „{0}“ беше деинсталирано, тъй като има доклади, че създава проблеми.",
+ "reloadNow": "Reload Now"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/extensionsSlowActions": {
+ "cmd.reportOrShow": "Проблем с производителността",
+ "cmd.report": "Докладване на проблем",
+ "attach.title": "Did you attach the CPU-Profile?",
+ "ok": "Добре",
+ "attach.msg": "This is a reminder to make sure that you have not forgotten to attach '{0}' to the issue you have just created.",
+ "cmd.show": "Show Issues",
+ "attach.msg2": "This is a reminder to make sure that you have not forgotten to attach '{0}' to an existing performance issue."
+ },
+ "vs/workbench/contrib/extensions/common/extensionsFileTemplate": {
+ "app.extensions.json.title": "Разширения",
+ "app.extensions.json.recommendations": "Списък от разширения, които трябва да бъдат препоръчани на потребителите на това работно място. Идентификаторът на разширения винаги е „${издател}.${име}“. Пример: „vscode.csharp“.",
+ "app.extension.identifier.errorMessage": "Очакван формат: „${издател}.${име}“. Пример: „vscode.csharp“.",
+ "app.extensions.json.unwantedRecommendations": "Списък от разширения, препоръчани от VS Code, които не трябва да бъдат препоръчвани на потребителите на това работно място. Идентификаторът на разширения винаги е „${издател}.${име}“. Пример: „vscode.csharp“."
+ },
+ "vs/workbench/contrib/extensions/browser/remoteExtensionsInstaller": {},
+ "vs/workbench/contrib/extensions/common/extensionsInput": {
+ "extensionsInputName": "Extension: {0}"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsQuickAccess": {
+ "searchFor": "Press Enter to search for extension '{0}'.",
+ "install": "Press Enter to install extension '{0}'.",
+ "manage": "Натиснете „Enter“ за достъп до управлението на разширенията."
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsDependencyChecker": {
+ "extensions": "Разширения",
+ "reload": "Презареждане на прозореца"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsActivationProgress": {
+ "activation": "Включване на разширенията…"
+ },
+ "vs/workbench/contrib/extensions/common/extensionsUtils": {
+ "disableOtherKeymapsConfirmation": "Искате ли да изключите другите набори от клавишни комбинации ({0}), за да избегнете конфликтите?",
+ "yes": "Да",
+ "no": "Не"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsWorkbenchService": {
+ "Manifest is not found": "Манифестът не е намерен",
+ "malicious": "Има доклади, че това разширение създава проблеми.",
+ "uninstallingExtension": "Деинсталиране на разширение…",
+ "incompatible": "Разширението „{0}“ не може да се инсталира, тъй като е несъвместимо с VS Code „{1}“.",
+ "installing named extension": "Инсталиране на разширението „{0}“…",
+ "installing extension": "Инсталиране на разширение…",
+ "singleDependentError": "Разширението „{0}“ не може да бъде изключено, тъй като разширението „{1}“ зависи от него.",
+ "twoDependentsError": "Разширението „{0}“ не може да бъде изключено, тъй като разширенията „{1}“ и „{2}“ зависят от него.",
+ "multipleDependentsError": "Разширението „{0}“ не може да бъде изключено, тъй като разширенията „{1}“, „{2}“ и др. зависят от него."
+ },
+ "vs/workbench/contrib/extensions/browser/extensionEditor": {
+ "name": "Име на разширението",
+ "extension id": "Идентификатор на разширението",
+ "preview": "Предварителен преглед",
+ "builtin": "Вградени",
+ "publisher": "Име на издателя",
+ "install count": "Брой инсталирания",
+ "rating": "Оценка",
+ "repository": "Repository",
+ "license": "License",
+ "details": "Подробности",
+ "detailstooltip": "Подробности за разширението, извлечени от файла „README.md“ на разширението",
+ "contributions": "Feature Contributions",
+ "contributionstooltip": "Списък от нещата, които това разширение добавя във VS Code",
+ "changelog": "Списък с промени",
+ "changelogtooltip": "История на промените по разширението, извлечена от файла „CHANGELOG.md“ на разширението",
+ "dependencies": "Dependencies",
+ "dependenciestooltip": "Списък от разширенията, от които зависи това разширение",
+ "recommendationHasBeenIgnored": "You have chosen not to receive recommendations for this extension.",
+ "noReadme": "Липсва файл README.",
+ "noChangelog": "Няма списък с промени.",
+ "noContributions": "Няма добавки",
+ "noDependencies": "No Dependencies",
+ "settings": "Settings ({0})",
+ "setting name": "Name",
+ "description": "Description",
+ "default": "По подразбиране",
+ "debuggers": "Дебъгери ({0})",
+ "debugger name": "Name",
+ "debugger type": "Type",
+ "viewContainers": "Контейнери с изгледи ({0})",
+ "view container id": "Идентификатор",
+ "view container title": "Title",
+ "view container location": "Местоположение",
+ "views": "Views ({0})",
+ "view id": "Идентификатор",
+ "view name": "Name",
+ "view location": "Местоположение",
+ "localizations": "Преводи ({0})",
+ "localizations language id": "Идентификатор на езика",
+ "localizations language name": "Име на езика",
+ "localizations localized language name": "Име на езика (на самия език)",
+ "codeActions": "Code Actions ({0})",
+ "codeActions.title": "Title",
+ "codeActions.kind": "Kind",
+ "codeActions.description": "Description",
+ "codeActions.languages": "Languages",
+ "colorThemes": "Цветови теми ({0})",
+ "iconThemes": "Теми за иконките ({0})",
+ "colors": "Colors ({0})",
+ "colorId": "Идентификатор",
+ "defaultDark": "Тъмна (по подразбиране)",
+ "defaultLight": "Светла (по подразбиране)",
+ "defaultHC": "Висок контраст (по подразбиране)",
+ "JSON Validation": "Валидация на JSON ({0})",
+ "fileMatch": "Файлово съвпадение",
+ "schema": "Schema",
+ "commands": "Commands ({0})",
+ "command name": "Name",
+ "keyboard shortcuts": "Клавишни комбинации",
+ "menuContexts": "Контексти",
+ "languages": "Languages ({0})",
+ "language id": "Идентификатор",
+ "language name": "Name",
+ "file extensions": "File Extensions",
+ "grammar": "Grammar",
+ "snippets": "Фрагменти",
+ "find": "Търсене",
+ "find next": "Търсене на следващо съвпадение",
+ "find previous": "Търсене на предишно съвпадение"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionTipsService": {
+ "neverShowAgain": "Да не се показва повече",
+ "searchMarketplace": "Търсене в магазина",
+ "dynamicWorkspaceRecommendation": "Това разширение може да Ви се стори интересно, тъй като е популярно сред потребителите на хранилището {0}.",
+ "exeBasedRecommendation": "Това разширение е препоръчано, защото {0} е инсталирано.",
+ "fileBasedRecommendation": "Това разширение е препоръчано заради файловете, които сте отваряли напоследък.",
+ "workspaceRecommendation": "Това разширение е препоръчано от потребителите на текущото работно място.",
+ "workspaceRecommended": "Това работно място има препоръчани разширения.",
+ "installAll": "Инсталиране на всички",
+ "showRecommendations": "Показване на препоръки",
+ "exeRecommended": "The '{0}' extension is recommended as you have {1} installed on your system.",
+ "install": "Install",
+ "ignoreExtensionRecommendations": "Искате ли да пренебрегнете всички препоръки за разширения?",
+ "ignoreAll": "Да, пренебрегване на всички",
+ "no": "Не",
+ "reallyRecommended2": "Разширението „{0}“ е препоръчано за този тип файлове.",
+ "reallyRecommendedExtensionPack": "Пакетът разширения „{0}“ е препоръчан за този тип файлове.",
+ "showLanguageExtensions": "В магазина има разширения, които могат да помогнат с файловете от вида „.{0}“.",
+ "dontShowAgainExtension": "Да не се показва повече за файлове с разширение „.{0}“"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsViews": {
+ "extensions": "Разширения",
+ "galleryError": "В момента няма връзка с пазара за разширения. Моля, опитайте отново по-късно.",
+ "error": "Error while loading extensions. {0}",
+ "no extensions found": "Няма открити разширения.",
+ "suggestProxyError": "Магазинът върна резултат „ECONNREFUSED“. Моля, проверете настройката „http.proxy“.",
+ "open user settings": "Отваряне на потребителските настройки"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsViewer": {
+ "error": "Грешка",
+ "Unknown Extension": "Unknown Extension:"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsWidgets": {
+ "ratedBySingleUser": "Оценено от 1 потребител",
+ "ratedByUsers": "Оценено от {0} потребители",
+ "noRating": "No rating",
+ "extension-arialabel": "{0}. Press enter for extension details.",
+ "viewExtensionDetailsAria": "{0}. Press enter for extension details.",
+ "remote extension title": "Extension in {0}"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsActions": {
+ "download": "Ръчно сваляне",
+ "install vsix": "След като бъде свален, моля, инсталирайте ръчно сваления файл VSIX на „{0}“.",
+ "noOfYearsAgo": "преди {0} години",
+ "one year ago": "преди 1 година",
+ "noOfMonthsAgo": "преди {0} месеца",
+ "one month ago": "1 month ago",
+ "noOfDaysAgo": "преди {0} дни",
+ "one day ago": "преди 1 ден",
+ "noOfHoursAgo": "преди {0} часа",
+ "one hour ago": "1 hour ago",
+ "just now": "току-що",
+ "install": "Install",
+ "installing": "Инсталиране…",
+ "installExtensionStart": "Инсталирането на разширението „{0}“ започна. Отворен е редактор с повече подробности за разширението.",
+ "installExtensionComplete": "Инсталирането на разширението „{0}“ завърши. Моля, презаредете Visual Studio Code, за да го включите.",
+ "failedToInstall": "„{0}“ не може да се инсталира.",
+ "install locally": "Install Locally",
+ "uninstallAction": "Uninstall",
+ "Uninstalling": "Деинсталиране…",
+ "uninstallExtensionStart": "Деинсталирането на разширението „{0}“ започна.",
+ "uninstallExtensionComplete": "Моля, презаредете Visual Studio Code, за да завърши деинсталирането на разширението „{0}“.",
+ "updateExtensionStart": "Обновяването на разширението „{0}“ до версия {1} започна.",
+ "updateExtensionComplete": "Обновяването на разширението „{0}“ до версия {1} завърши.",
+ "failedToUpdate": "„{0}“ не може да се обнови.",
+ "updateTo": "Обновяване до {0}",
+ "updateAction": "Обновяване",
+ "manage": "Управление",
+ "ManageExtensionAction.uninstallingTooltip": "Деинсталиране…",
+ "install another version": "Инсталиране на друга версия…",
+ "selectVersion": "Select Version to Install",
+ "current": "Текущото",
+ "enableForWorkspaceAction": "Включване (работно място)",
+ "enableGloballyAction": "Включване",
+ "disableForWorkspaceAction": "Изключване (работно място)",
+ "disableGloballyAction": "Изключване",
+ "enableAction": "Включване",
+ "disableAction": "Изключване",
+ "checkForUpdates": "Проверка за обновления на разширенията",
+ "noUpdatesAvailable": "Всички разширения са с най новите версии.",
+ "ok": "Добре",
+ "singleUpdateAvailable": "Има налично обновление за разширение.",
+ "updatesAvailable": "Има налични обновления за {0} разширения.",
+ "singleDisabledUpdateAvailable": "Има налично обновление за разширение, което е изключено.",
+ "updatesAvailableOneDisabled": "Има налични обновления за {0} разширения. Едно от обновленията е за изключено разширение.",
+ "updatesAvailableAllDisabled": "Има налични обновления за {0} разширения. Всички обновления са за изключени разширения.",
+ "updatesAvailableIncludingDisabled": "Има налични обновления за {0} разширения. {1} от обновленията са за изключени разширения.",
+ "enableAutoUpdate": "Включване на автоматичното обновяване на разширенията",
+ "disableAutoUpdate": "Изключване на автоматичното обновяване на разширенията",
+ "updateAll": "Обновяване на всички разширения",
+ "reloadAction": "Reload",
+ "reloadRequired": "Reload Required",
+ "postUninstallTooltip": "Моля, презаредете Visual Studio Code, за да завърши деинсталирането на това разширение.",
+ "postEnableTooltip": "Моля, презаредете Visual Studio Code, за да завърши включването на това разширение.",
+ "color theme": "Set Color Theme",
+ "select color theme": "Select Color Theme",
+ "file icon theme": "Set File Icon Theme",
+ "select file icon theme": "Изберете тема за иконките на файловете",
+ "product icon theme": "Set Product Icon Theme",
+ "select product icon theme": "Select Product Icon Theme",
+ "toggleExtensionsViewlet": "Показване на разширенията",
+ "installExtensions": "Install Extensions",
+ "showEnabledExtensions": "Показване на включените разширения",
+ "showInstalledExtensions": "Show Installed Extensions",
+ "showDisabledExtensions": "Показване на изключените разширения",
+ "clearExtensionsInput": "Изчистване на въведеното за търсене",
+ "showBuiltInExtensions": "Показване на вградените разширения",
+ "showOutdatedExtensions": "Показване на остарелите разширения",
+ "showPopularExtensions": "Показване на популярните разширения",
+ "showRecommendedExtensions": "Показване на препоръчаните разширения",
+ "installWorkspaceRecommendedExtensions": "Инсталиране на всички разширения препоръчани за работното място",
+ "installRecommendedExtension": "Инсталиране на препоръчаното разширение",
+ "ignoreExtensionRecommendation": "Това разширение да не се препоръчва повече",
+ "undo": "Отмяна",
+ "showRecommendedKeymapExtensionsShort": "Набори от клавишни комбинации",
+ "showLanguageExtensionsShort": "Language Extensions",
+ "showAzureExtensionsShort": "Разширения на Azure",
+ "extensions": "Разширения",
+ "OpenExtensionsFile.failed": "Файлът „extensions.json“ не може да бъде създаден в папката „.vscode“ ({0}).",
+ "configureWorkspaceRecommendedExtensions": "Настройване на препоръчаните разширения (работно място)",
+ "configureWorkspaceFolderRecommendedExtensions": "Настройване на препоръчаните разширения (папка на работното място)",
+ "addToWorkspaceFolderRecommendations": "Добавяне към препоръчаните разширения (папка на работното място)",
+ "addToWorkspaceFolderIgnoredRecommendations": "Пренебрегване на препоръчаното разширение (папка на работното място)",
+ "AddToWorkspaceFolderRecommendations.noWorkspace": "Няма отворени папки на работни места, за да бъдат добавени препоръки.",
+ "AddToWorkspaceFolderRecommendations.alreadyExists": "Това разширение вече присъства в препоръчаните за папката на това работно място.",
+ "AddToWorkspaceFolderRecommendations.success": "Разширението беше добавено успешно към препоръките за папката на това работно място.",
+ "viewChanges": "Преглед на промените",
+ "AddToWorkspaceFolderRecommendations.failure": "Записът в „extensions.json“ беше неуспешен. {0}",
+ "AddToWorkspaceFolderIgnoredRecommendations.alreadyExists": "Това разширение вече присъства в нежеланите препоръки за папката на това работно място.",
+ "AddToWorkspaceFolderIgnoredRecommendations.success": "Разширението беше добавено успешно към нежеланите препоръки за папката на това работно място.",
+ "addToWorkspaceRecommendations": "Добавяне към препоръчаните разширения (папка на работното място)",
+ "addToWorkspaceIgnoredRecommendations": "Пренебрегване на препоръчаното разширение (папка на работното място)",
+ "AddToWorkspaceRecommendations.alreadyExists": "Това разширение вече присъства в препоръчаните за папката на това работно място.",
+ "AddToWorkspaceRecommendations.success": "Разширението беше добавено успешно към препоръките за папката на това работно място.",
+ "AddToWorkspaceRecommendations.failure": "Неуспешен запис. {0}",
+ "AddToWorkspaceUnwantedRecommendations.alreadyExists": "Това разширение вече присъства в нежеланите препоръки за папката на това работно място.",
+ "AddToWorkspaceUnwantedRecommendations.success": "Разширението беше добавено успешно към нежеланите препоръки за папката на това работно място.",
+ "updated": "Updated",
+ "installed": "Installed",
+ "uninstalled": "Uninstalled",
+ "enabled": "Включено",
+ "disabled": "Изключено",
+ "malicious tooltip": "Имаше доклади, че това разширение създава проблеми.",
+ "malicious": "Зловредно",
+ "syncingore.label": "This extension is ignored during sync.",
+ "extension enabled on remote": "Extension is enabled on '{0}'",
+ "disabled because of extension kind": "This extension has defined that it cannot run on the remote server",
+ "disableAll": "Изключване на всички инсталирани разширения",
+ "disableAllWorkspace": "Изключване на всички инсталирани разширения за това работно място",
+ "enableAll": "Включване на всички разширения",
+ "enableAllWorkspace": "Включване на всички разширения за това работно място",
+ "installVSIX": "Инсталиране от VSIX…",
+ "installFromVSIX": "Install from VSIX",
+ "installButton": "&&Install",
+ "InstallVSIXAction.successReload": "Please reload Visual Studio Code to complete installing the extension {0}.",
+ "InstallVSIXAction.success": "Completed installing the extension {0}.",
+ "InstallVSIXAction.reloadNow": "Reload Now",
+ "reinstall": "Преинсталиране на разширение…",
+ "selectExtensionToReinstall": "Изберете разширение, което да бъде преинсталирано",
+ "ReinstallAction.successReload": "Please reload Visual Studio Code to complete reinstalling the extension {0}.",
+ "ReinstallAction.success": "Reinstalling the extension {0} is completed.",
+ "install previous version": "Инсталиране на конкретна версия на разширението…",
+ "selectExtension": "Select Extension",
+ "InstallAnotherVersionExtensionAction.successReload": "Please reload Visual Studio Code to complete installing the extension {0}.",
+ "InstallAnotherVersionExtensionAction.success": "Installing the extension {0} is completed.",
+ "InstallAnotherVersionExtensionAction.reloadNow": "Reload Now",
+ "select extensions to install": "Select extensions to install",
+ "no local extensions": "There are no extensions to install.",
+ "installing extensions": "Installing Extensions...",
+ "reload": "Презареждане на прозореца",
+ "extensionButtonProminentBackground": "Фонов цвят за бутоните за действия в разширенията (напр. бутона за инсталиране).",
+ "extensionButtonProminentForeground": "Основен цвят за бутоните за действия в разширенията (напр. бутона за инсталиране).",
+ "extensionButtonProminentHoverBackground": "Цвят при посочване на бутоните за действия в разширенията (напр. бутона за инсталиране)."
+ },
+ "vs/workbench/contrib/externalTerminal/node/externalTerminalService": {
+ "console.title": "Конзола на VS Code",
+ "mac.terminal.script.failed": "Скриптът „{0}“ завърши неуспешно и върна код {1}",
+ "mac.terminal.type.not.supported": "„{0}“ не се поддържа",
+ "press.any.key": "Натиснете произволен клавиш, за да продължите…",
+ "linux.term.failed": "„{0}“ завърши неуспешно и върна код {1}",
+ "ext.term.app.not.found": "can't find terminal application '{0}'",
+ "terminalConfigurationTitle": "Външен терминал",
+ "terminal.explorerKind.integrated": "Използване на вградения терминал на VS Code.",
+ "terminal.explorerKind.external": "Използване на зададения външен терминал.",
+ "explorer.openInTerminalKind": "Определя какъв вид терминал да бъде пуснат.",
+ "terminal.external.windowsExec": "Определя кой терминал да бъде пуснат под Windows.",
+ "terminal.external.osxExec": "Определя кой терминал да бъде пуснат под macOS.",
+ "terminal.external.linuxExec": "Определя кой терминал да бъде пуснат под Линукс."
+ },
+ "vs/workbench/contrib/externalTerminal/browser/externalTerminal.contribution": {
+ "globalConsoleAction": "Open New External Terminal",
+ "scopedConsoleAction": "Open in Terminal"
+ },
+ "vs/workbench/contrib/feedback/browser/feedbackStatusbarItem": {
+ "status.feedback": "Отзив чрез Туитър",
+ "help": "Помощ"
+ },
+ "vs/workbench/contrib/feedback/browser/feedback": {
+ "sendFeedback": "Отзив чрез Туитър",
+ "label.sendASmile": "Изпратете ни отзивите си чрез Туитър.",
+ "close": "Затваряне",
+ "patchedVersion1": "Your installation is corrupt.",
+ "patchedVersion2": "Моля, посочете това, ако докладвате проблем.",
+ "sentiment": "Какво е мнението Ви?",
+ "smileCaption": "Щастлив отзив",
+ "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/files/electron-browser/fileActions.contribution": {
+ "revealInWindows": "Reveal in File Explorer",
+ "revealInMac": "Отваряне на съдържащата папка",
+ "openContainer": "Отваряне на съдържащата папка",
+ "filesCategory": "File"
+ },
+ "vs/workbench/contrib/files/electron-browser/files.contribution": {
+ "textFileEditor": "Редактор на текстови файлове"
+ },
+ "vs/workbench/contrib/files/electron-browser/fileCommands": {
+ "openFileToReveal": "Първо отворете файл, който да бъде показан"
+ },
+ "vs/workbench/contrib/files/electron-browser/textFileEditor": {
+ "fileTooLargeForHeapError": "To open a file of this size, you need to restart and allow it to use more memory",
+ "relaunchWithIncreasedMemoryLimit": "Рестартиране с {0} МБ",
+ "configureMemoryLimit": "Настройка на ограничението на паммета"
+ },
+ "vs/workbench/contrib/files/common/editors/fileEditorInput": {
+ "orphanedReadonlyFile": "{0} (deleted, read-only)",
+ "orphanedFile": "{0} (deleted)",
+ "readonlyFile": "{0} (read-only)"
+ },
+ "vs/workbench/contrib/files/browser/files.contribution": {
+ "showExplorerViewlet": "Показване на файловете",
+ "view": "Изглед",
+ "binaryFileEditor": "Редактор на двоични файлове",
+ "hotExit.off": "Disable hot exit. A prompt will show when attempting to close a window with dirty files.",
+ "hotExit.onExit": "Hot exit will be triggered when the last window is closed on Windows/Linux or when the `workbench.action.quit` command is triggered (command palette, keybinding, menu). All windows without folders opened will be restored upon next launch. A list of workspaces with unsaved files can be accessed via `File > Open Recent > More...`",
+ "hotExit.onExitAndWindowClose": "Hot exit will be triggered when the last window is closed on Windows/Linux or when the `workbench.action.quit` command is triggered (command palette, keybinding, menu), and also for any window with a folder opened regardless of whether it's the last window. All windows without folders opened will be restored upon next launch. A list of workspaces with unsaved files can be accessed via `File > Open Recent > More...`",
+ "hotExit": "Определя дали промените в незапазените файлове да бъдат запомняни между сесиите, което позволява прозорецът с подканата за запазване при изход от редактора да бъде пропуснат.",
+ "hotExit.onExitAndWindowCloseBrowser": "Hot exit will be triggered when the browser quits or the window or tab is closed.",
+ "filesConfigurationTitle": "Files",
+ "exclude": "Configure glob patterns for excluding files and folders. For example, the files 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. Read more about glob patterns [here](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options).",
+ "files.exclude.boolean": "Шаблонът за сравняване на файлови пътища. Задайте „true“ (вярно) или „false“ (невярно), за да включите или изключите шаблона.",
+ "files.exclude.when": "Допълнителна проверка на файлове с еднакви имена. Използвайте $(basename) като променлива за името на съвпадащия файл.",
+ "associations": "Настройка на връзките между файловите типове и езиците (напр. `\"*.extension\": \"html\"`). Тези настройки се използват независимо от това какви са връзките по подразбиране на инсталираните езици.",
+ "encoding": "Кодировка по подразбиране при четене и запис на файлове. Тази настройка може да бъде зададена и поотделно за всеки език.",
+ "autoGuessEncoding": "Ако това е включено, при отваряне на файл редакторът ще се опитва да разпознава кодировката му. Тази настройка може да бъде зададена и поотделно за всеки език.",
+ "eol.LF": "LF",
+ "eol.CRLF": "CRLF",
+ "eol.auto": "Използва знак по подразбиране за край на реда, който е стандартен за операционната система.",
+ "eol": "Знак по подразбиране за край на реда.",
+ "useTrash": "Премества файловете/папките в кошчето на операционната система при изтриване. Изключването на това ще означава, че файловете/папките ще се изтриват завинаги.",
+ "trimTrailingWhitespace": "Ако това е включено, при запазването на файл ще се премахват празните места в края на редовете.",
+ "insertFinalNewline": "Ако това е включено, при запазването на файл ще се добавя нов ред в края му.",
+ "trimFinalNewlines": "Ако това е включено, при запазването на файл ще се премахват всички празни редове след края на последния нов ред.",
+ "files.autoSave.off": "A dirty editor is never automatically saved.",
+ "files.autoSave.afterDelay": "A dirty editor is automatically saved after the configured `#files.autoSaveDelay#`.",
+ "files.autoSave.onFocusChange": "A dirty editor is automatically saved when the editor loses focus.",
+ "files.autoSave.onWindowChange": "A dirty editor is automatically saved when the window loses focus.",
+ "autoSave": "Controls auto save of dirty editors. Read more about autosave [here](https://code.visualstudio.com/docs/editor/codebasics#_save-auto-save).",
+ "autoSaveDelay": "Controls the delay in ms after which a dirty editor is saved automatically. Only applies when `#files.autoSave#` is set to `{0}`.",
+ "watcherExclude": "Настройка на шаблони за файлови пътища, които да не бъдат наблюдавани. Шаблоните трябва да могат да разпознават пълни пътища (напр. с представка ** или пълният път за съвпадение). Промяната на тази настройка изисква рестартиране. Ако установите, че Code натоварва твърде много процесора при стартиране, можете да изключите големите папки, за да намалите времето за начално зареждане.",
+ "defaultLanguage": "The default language mode that is assigned to new files. If configured to `${activeEditorLanguage}`, will use the language mode of the currently active text editor if any.",
+ "maxMemoryForLargeFilesMB": "Определя паметта, налична на разположение на VS Code след рестартиране при опит за отваряне на големи файлове. Това има същия ефекта като използването на опцията `--max-memory=РАЗМЕР` на командния ред.",
+ "askUser": "Will refuse to save and ask for resolving the save conflict manually.",
+ "overwriteFileOnDisk": "Will resolve the save conflict by overwriting the file on disk with the changes in the editor.",
+ "files.saveConflictResolution": "A save conflict can occur when a file is saved to disk that was changed by another program in the meantime. To prevent data loss, the user is asked to compare the changes in the editor with the version on disk. This setting should only be changed if you frequently encounter save conflict errors and may result in data loss if used without caution.",
+ "files.simpleDialog.enable": "Enables the simple file dialog. The simple file dialog replaces the system file dialog when enabled.",
+ "formatOnSave": "Форматиране на файловете при затваряне. За да работи това, трябва да е налична форматираща функционалност за съответния тип файл, той не трябва да бъде запазван след определено време за изчакване, и редакторът не трябва да се затваря в този момент.",
+ "explorerConfigurationTitle": "Изглед на файловете",
+ "openEditorsVisible": "Брой редактори, които да бъдат показани в раздела с отворените редактори.",
+ "autoReveal": "Определя дали изгледът на файловете автоматично да показва и избира файла при отварянето му.",
+ "enableDragAndDrop": "Определя дали изгледът на файловете да позволява преместването на файлове и папки чрез влачене.",
+ "confirmDragAndDrop": "Определя дали изгледът на файловете да изисква потвърждение при преместването на файлове и папки чрез влачене.",
+ "confirmDelete": "Определя дали изгледът на файловете да изисква потвърждение при изтриването на файл чрез кошчето.",
+ "sortOrder.default": "Файловете и папките са подредени според имената си в азбучен ред. Първи в списъка са папките.",
+ "sortOrder.mixed": "Файловете и папките са подредени според имената си в азбучен ред. Дали нещо е файл или папка няма значение за подредбата.",
+ "sortOrder.filesFirst": "Файловете и папките са подредени според имената си в азбучен ред. Първи в списъка са файловете.",
+ "sortOrder.type": "Файловете и папките са подредени според разширенията си в азбучен ред. Първи в списъка са папките.",
+ "sortOrder.modified": "Файловете и папките са подредени според датата на последна промяна, в низходящ ред. Първи в списъка са папките.",
+ "sortOrder": "Определя реда на подреждане на файловете и папките в изгледа с файловете.",
+ "explorer.decorations.colors": "Определя дали при украсяването на файловете да се използват цветове.",
+ "explorer.decorations.badges": "Определя дали при украсяването на файловете да се използват значки.",
+ "simple": "Appends the word \"copy\" at the end of the duplicated name potentially followed by a number",
+ "smart": "Adds a number at the end of the duplicated name. If some number is already part of the name, tries to increase that number",
+ "explorer.incrementalNaming": "Controls what naming strategy to use when a giving a new name to a duplicated explorer item on paste.",
+ "compressSingleChildFolders": "Controls whether the explorer should render folders in a compact form. In such a form, single child folders will be compressed in a combined tree element. Useful for Java package structures, for example.",
+ "miViewExplorer": "&&Explorer"
+ },
+ "vs/workbench/contrib/files/browser/explorerViewlet": {
+ "folders": "Folders",
+ "explore": "Файлове",
+ "noWorkspaceHelp": "You have not yet added a folder to the workspace.\n[Add Folder](command:{0})",
+ "remoteNoFolderHelp": "Connected to remote.\n[Open Folder](command:{0})",
+ "noFolderHelp": "You have not yet opened a folder.\n[Open Folder](command:{0})"
+ },
+ "vs/workbench/contrib/files/browser/fileActions.contribution": {
+ "filesCategory": "File",
+ "workspaces": "Работно място",
+ "file": "File",
+ "copyPath": "Копиране на пътя",
+ "copyRelativePath": "Копиране на относителен път",
+ "revealInSideBar": "Показване в страничната лента",
+ "acceptLocalChanges": "Use your changes and overwrite file contents",
+ "revertLocalChanges": "Discard your changes and revert to file contents",
+ "copyPathOfActive": "Копиране на пътя на активния файл",
+ "copyRelativePathOfActive": "Копиране на относителен път до активния файл",
+ "saveAllInGroup": "Запазване на всички в групата",
+ "saveFiles": "Запазване на всички файлове",
+ "revert": "Отмяна на промените във файла",
+ "compareActiveWithSaved": "Сравняване на активния файл със запазения му вариант",
+ "closeEditor": "Затваряне на редактора",
+ "view": "Изглед",
+ "openToSide": "Отваряне отстрани",
+ "saveAll": "Запазване на всички",
+ "compareWithSaved": "Сравняване със запазения вариант",
+ "compareWithSelected": "Сравняване с избрания",
+ "compareSource": "Избиране за сравнение",
+ "compareSelected": "Сравнение на избрания",
+ "close": "Затваряне",
+ "closeOthers": "Затваряне на останалите",
+ "closeSaved": "Затваряне на запазените",
+ "closeAll": "Затваряне на всички",
+ "cut": "Изрязване",
+ "deleteFile": "Изтриване завинаги",
+ "newFile": "Нов файл",
+ "openFile": "Отваряне на файл…",
+ "miNewFile": "&&New File",
+ "miSave": "&&Save",
+ "miSaveAs": "Save &&As...",
+ "miSaveAll": "Save A&&ll",
+ "miOpen": "&&Open...",
+ "miOpenFile": "&&Open File...",
+ "miOpenFolder": "Open &&Folder...",
+ "miOpenWorkspace": "Open Wor&&kspace...",
+ "miAutoSave": "A&&uto Save",
+ "miRevert": "Re&&vert File",
+ "miCloseEditor": "&&Close Editor",
+ "miGotoFile": "Go to &&File..."
+ },
+ "vs/workbench/contrib/files/browser/editors/textFileEditor": {
+ "textFileEditor": "Редактор на текстови файлове",
+ "openFolderError": "Файлът е папка",
+ "createFile": "Create File",
+ "readonlyFileEditorWithInputAriaLabel": "{0} readonly editor",
+ "readonlyFileEditorAriaLabel": "Readonly editor",
+ "fileEditorWithInputAriaLabel": "{0} editor",
+ "fileEditorAriaLabel": "Редактор"
+ },
+ "vs/workbench/contrib/files/common/workspaceWatcher": {
+ "netVersionError": "Изисква се „Microsoft .NET Framework 4.5“. Моля, последвайте връзката, за да го инсталирате.",
+ "installNet": "Сваляне на „.NET Framework 4.5“",
+ "enospcError": "Unable to watch for file changes in this large workspace. Please follow the instructions link to resolve this issue.",
+ "learnMore": "Инструкции"
+ },
+ "vs/workbench/contrib/files/browser/editors/binaryFileEditor": {
+ "binaryFileEditor": "Преглед на двоични файлове"
+ },
+ "vs/workbench/contrib/files/common/dirtyFilesIndicator": {
+ "dirtyFile": "1 незапазен файл",
+ "dirtyFiles": "{0} незапазени файла"
+ },
+ "vs/workbench/contrib/files/browser/views/emptyView": {
+ "noWorkspace": "Няма отворена папка"
+ },
+ "vs/workbench/contrib/files/browser/editors/textFileSaveErrorHandler": {
+ "userGuide": "Use the actions in the editor tool bar to either undo your changes or overwrite the content of the file with your changes.",
+ "staleSaveError": "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.",
+ "retry": "Повторен опит",
+ "discard": "Отхвърляне",
+ "readonlySaveErrorAdmin": "Failed to save '{0}': File is read-only. Select 'Overwrite as Admin' to retry as administrator.",
+ "readonlySaveErrorSudo": "Failed to save '{0}': File is read-only. Select 'Overwrite as Sudo' to retry as superuser.",
+ "readonlySaveError": "Failed to save '{0}': File is read-only. Select 'Overwrite' to attempt to make it writeable.",
+ "permissionDeniedSaveError": "Файлът „{0}“ не може да бъде запазен: нямате достатъчно правомощия. Изберете „Повторен опит като администратор“, за да опитате като администратор.",
+ "permissionDeniedSaveErrorSudo": "Файлът „{0}“ не може да бъде запазен: нямате достатъчно правомощия. Изберете „Повторен опит като супер-потребител“, за да опитате като супер-потребител.",
+ "genericSaveError": "„{0}“ не може да се запази: {1}",
+ "learnMore": "Научете повече",
+ "dontShowAgain": "Да не се показва повече",
+ "compareChanges": "Сравняване",
+ "saveConflictDiffLabel": "{0} (in file) ↔ {1} (in {2}) - Resolve save conflict",
+ "overwriteElevated": "Презаписване като администратор…",
+ "overwriteElevatedSudo": "Презаписване като супер-потребител…",
+ "saveElevated": "Повторен опит като администратор…",
+ "saveElevatedSudo": "Повторен опит като супер-потребител…",
+ "overwrite": "Overwrite",
+ "configure": "Конфигуриране"
+ },
+ "vs/workbench/contrib/files/browser/views/explorerView": {
+ "explorerSection": "Explorer Section: {0}",
+ "treeAriaLabel": "Изглед на файловете"
+ },
+ "vs/workbench/contrib/files/browser/views/openEditorsView": {
+ "openEditors": "Отворени редактори",
+ "dirtyCounter": "{0} незапазен(и)"
+ },
+ "vs/workbench/contrib/files/browser/fileCommands": {
+ "saveAs": "Запазване като…",
+ "save": "Запазване",
+ "saveWithoutFormatting": "Запазване без форматиране",
+ "saveAll": "Запазване на всички",
+ "removeFolderFromWorkspace": "Премахване на папката от работното място",
+ "modifiedLabel": "{0} (in file) ↔ {1}",
+ "openFileToCopy": "Първо отворете файл, чийто път да бъде копиран",
+ "genericSaveError": "„{0}“ не може да се запази: {1}",
+ "genericRevertError": "Промените в „{0}“ не могат да бъдат отменени: {1}"
+ },
+ "vs/workbench/contrib/files/browser/fileActions": {
+ "newFile": "Нов файл",
+ "newFolder": "New Folder",
+ "rename": "Rename",
+ "delete": "Delete",
+ "copyFile": "Копиране",
+ "pasteFile": "Поставяне",
+ "download": "Сваляне",
+ "createNewFile": "Нов файл",
+ "createNewFolder": "New Folder",
+ "newUntitledFile": "Нов неозаглавен файл",
+ "deleteButtonLabelRecycleBin": "&&Move to Recycle Bin",
+ "deleteButtonLabelTrash": "&&Move to Trash",
+ "deleteButtonLabel": "&&Delete",
+ "dirtyMessageFilesDelete": "На път сте да изтриете файлове, в които има незапазени промени. Искате ли да продължите?",
+ "dirtyMessageFolderOneDelete": "You are deleting a folder {0} with unsaved changes in 1 file. Do you want to continue?",
+ "dirtyMessageFolderDelete": "You are deleting a folder {0} with unsaved changes in {1} files. Do you want to continue?",
+ "dirtyMessageFileDelete": "You are deleting {0} with unsaved changes. Do you want to continue?",
+ "dirtyWarning": "Промените ще бъдат загубени, ако не ги запазите.",
+ "undoBinFiles": "You can restore these files from the Recycle Bin.",
+ "undoBin": "You can restore this file from the Recycle Bin.",
+ "undoTrashFiles": "You can restore these files from the Trash.",
+ "undoTrash": "You can restore this file from the Trash.",
+ "doNotAskAgain": "Изключване на въпроса",
+ "irreversible": "Това действие е необратимо!",
+ "binFailed": "Изтриването чрез преместване в кошчето е невъзможно. Искате ли да изтриете това завинаги?",
+ "trashFailed": "Изтриването чрез преместване в кошчето е невъзможно. Искате ли да изтриете това завинаги?",
+ "deletePermanentlyButtonLabel": "&&Delete Permanently",
+ "retryButtonLabel": "&&Retry",
+ "confirmMoveTrashMessageFilesAndDirectories": "Наистина ли искате да изтриете следните {0} файла/папки и съдържанието им?",
+ "confirmMoveTrashMessageMultipleDirectories": "Наистина ли искате да изтриете следните {0} папки и съдържанието им?",
+ "confirmMoveTrashMessageMultiple": "Наистина ли искате да изтриете следните {0} файла?",
+ "confirmMoveTrashMessageFolder": "Наистина ли искате да изтриете папката „{0}“ и съдържанието ѝ?",
+ "confirmMoveTrashMessageFile": "Наистина ли искате да изтриете „{0}“?",
+ "confirmDeleteMessageFilesAndDirectories": "Наистина ли искате да изтриете завинаги следните {0} файла/папки и съдържанието им?",
+ "confirmDeleteMessageMultipleDirectories": "Наистина ли искате да изтриете завинаги следните {0} папки и съдържанието им?",
+ "confirmDeleteMessageMultiple": "Наистина ли искате да изтриете завинаги следните {0} файла?",
+ "confirmDeleteMessageFolder": "Наистина ли искате да изтриете завинаги папката „{0}“ и съдържанието ѝ?",
+ "confirmDeleteMessageFile": "Наистина ли искате да изтриете завинаги „{0}“?",
+ "globalCompareFile": "Сравняване на активния файл с…",
+ "openFileToCompare": "Първо отворете файл, който да сравните с друг файл.",
+ "toggleAutoSave": "Превключване на автоматичното запазване",
+ "saveAllInGroup": "Запазване на всички в групата",
+ "closeGroup": "Затваряне на групата",
+ "focusFilesExplorer": "Фокусиране върху изгледа на файловете",
+ "showInExplorer": "Показване на активния файл в страничната лента",
+ "openFileToShow": "Първо отворете файл, който да бъде показан в изгледа на файловете",
+ "collapseExplorerFolders": "Свиване на папките в изгледа на файловете",
+ "refreshExplorer": "Опресняване на изгледа на файловете",
+ "openFileInNewWindow": "Отваряне на активния файл в нов прозорец",
+ "openFileToShowInNewWindow.unsupportedschema": "The active editor must contain an openable resource.",
+ "openFileToShowInNewWindow.nofile": "Първо отворете файл, който да отворите в нов прозорец",
+ "emptyFileNameError": "Трябва да бъде посочено име на файл или папка.",
+ "fileNameStartsWithSlashError": "Името на файл или папка не може да започва с наклонена черта.",
+ "fileNameExistsError": "На това място вече съществува файл или папка с името **{0}**. Моля, изберете друго име.",
+ "invalidFileNameError": "**{0}** не може да се използва като име на файл или папка. Моля, изберете друго име.",
+ "fileNameWhitespaceWarning": "Leading or trailing whitespace detected in file or folder name.",
+ "compareWithClipboard": "Сравняване на активния файл със съдържанието на буфера за обмен",
+ "clipboardComparisonLabel": "Буфер за обмен ↔ {0}",
+ "retry": "Повторен опит",
+ "downloadFolder": "Download Folder",
+ "downloadFile": "Download File",
+ "fileIsAncestor": "Файлът за поставяне съдържа целевата папка",
+ "fileDeleted": "The file to paste has been deleted or moved since you copied it. {0}"
+ },
+ "vs/workbench/contrib/files/browser/views/explorerDecorationsProvider": {
+ "canNotResolve": "Unable to resolve workspace folder",
+ "symbolicLlink": "Символна връзка",
+ "unknown": "Unknown File Type",
+ "label": "Файлове"
+ },
+ "vs/workbench/contrib/files/browser/views/explorerViewer": {
+ "fileInputAriaLabel": "Въведете име на файл. Натиснете „Enter“ за потвърждаване или „Escape“ за отказ.",
+ "confirmOverwrite": "A file or folder with the name '{0}' already exists in the destination folder. Do you want to replace it?",
+ "irreversible": "Това действие е необратимо!",
+ "replaceButtonLabel": "&&Replace",
+ "copyFolders": "&&Copy Folders",
+ "copyFolder": "&&Copy Folder",
+ "cancel": "Отказ",
+ "copyfolders": "Are you sure to want to copy folders?",
+ "copyfolder": "Are you sure to want to copy '{0}'?",
+ "addFolders": "&&Add Folders to Workspace",
+ "addFolder": "&&Add Folder to Workspace",
+ "dropFolders": "Do you want to copy the folders or add the folders to the workspace?",
+ "dropFolder": "Do you want to copy '{0}' or add '{0}' as a folder to the workspace?",
+ "confirmRootsMove": "Наистина ли искате да промените реда на множество главни папки в работното си място?",
+ "confirmMultiMove": "Are you sure you want to move the following {0} files into '{1}'?",
+ "confirmRootMove": "Наистина ли искате да промените реда на главната папка „{0}“ в работното си място?",
+ "confirmMove": "Are you sure you want to move '{0}' into '{1}'?",
+ "doNotAskAgain": "Изключване на въпроса",
+ "moveButtonLabel": "&&Move"
+ },
+ "vs/workbench/contrib/format/browser/formatActionsNone": {
+ "formatDocument.label.multiple": "Форматиране на документа",
+ "no.provider": "There is no formatter for '{0}' files installed.",
+ "install.formatter": "Install Formatter..."
+ },
+ "vs/workbench/contrib/format/browser/formatActionsMultiple": {
+ "nullFormatterDescription": "None",
+ "miss": "Extension '{0}' cannot format '{1}'",
+ "config.needed": "There are multiple formatters for '{0}' files. Select a default formatter to continue.",
+ "config.bad": "Extension '{0}' is configured as formatter but not available. Select a different default formatter to continue.",
+ "do.config": "Configure...",
+ "select": "Select a default formatter for '{0}' files",
+ "formatter.default": "Defines a default formatter which takes precedence over all other formatter settings. Must be the identifier of an extension contributing a formatter.",
+ "def": "(default)",
+ "config": "Configure Default Formatter...",
+ "format.placeHolder": "Select a formatter",
+ "formatDocument.label.multiple": "Format Document With...",
+ "formatSelection.label.multiple": "Format Selection With..."
+ },
+ "vs/workbench/contrib/issue/electron-browser/issue.contribution": {
+ "help": "Помощ",
+ "reportIssueInEnglish": "Докладване на проблем",
+ "developer": "Разработчик"
+ },
+ "vs/workbench/contrib/issue/electron-browser/issueActions": {
+ "openProcessExplorer": "Отваряне на процесите",
+ "reportPerformanceIssue": "Докладване на проблем с производителността"
+ },
+ "vs/workbench/contrib/localizations/browser/localizations.contribution": {
+ "updateLocale": "Искате ли езикът на потребителския интерфейс да бъде променен на {0} и VS Code да се рестартира?",
+ "activateLanguagePack": "За да използвате VS Code в {0}, първо трябва VS Code да се рестартира.",
+ "yes": "Да",
+ "restart now": "Рестартиране сега",
+ "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": "Идентификатор на VS Code или на разширението, за което е предназначен този превод. Идентификаторът на VS Code винаги е `vscode`, а тази на разширението трябва да бъде във формат `издател.разширение`.",
+ "vscode.extension.contributes.localizations.translations.id.pattern": "Идентификаторът трябва да бъде `vscode` или да е във формат `издател.разширение`, съответно за превод на VS Code или на разширение.",
+ "vscode.extension.contributes.localizations.translations.path": "Относителен път до файл, съдържащ преводите на езика."
+ },
+ "vs/workbench/contrib/localizations/browser/localizationsActions": {
+ "configureLocale": "Настройване на езика на потребителския интерфейс",
+ "installAdditionalLanguages": "Install additional languages...",
+ "chooseDisplayLanguage": "Select Display Language",
+ "relaunchDisplayLanguageMessage": "A restart is required for the change in display language to take effect.",
+ "relaunchDisplayLanguageDetail": "Press the restart button to restart {0} and change the display language.",
+ "restart": "&&Restart"
+ },
+ "vs/workbench/contrib/localizations/browser/minimalTranslations": {
+ "showLanguagePackExtensions": "Потърсете за езикови пакети в магазина, за да промените езика на потребителския интерфейс на {0}.",
+ "searchMarketplace": "Търсене в магазина",
+ "installAndRestartMessage": "Инсталирайте езиков пакет, за да промените езика на потребителския интерфейс на {0}.",
+ "installAndRestart": "Инсталиране и рестартиране"
+ },
+ "vs/workbench/contrib/logs/electron-browser/logs.contribution": {
+ "developer": "Разработчик"
+ },
+ "vs/workbench/contrib/logs/electron-browser/logsActions": {
+ "openLogsFolder": "Отваряне на папката с журналите",
+ "openExtensionLogsFolder": "Open Extension Logs Folder"
+ },
+ "vs/workbench/contrib/logs/common/logs.contribution": {
+ "developer": "Разработчик",
+ "userDataSyncLog": "Preferences Sync",
+ "rendererLog": "Прозорец",
+ "mainLog": "Основен",
+ "sharedLog": "Споделен",
+ "telemetryLog": "Телеметрия"
+ },
+ "vs/workbench/contrib/logs/common/logsActions": {
+ "setLogLevel": "Задаване на ниво на важност за журнала…",
+ "trace": "Проследяване",
+ "debug": "Дебъгване",
+ "info": "Информация",
+ "warn": "Предупреждение",
+ "err": "Грешка",
+ "critical": "Критична грешка",
+ "off": "Изключено",
+ "selectLogLevel": "Изберете ниво на важност за журнала",
+ "default and current": "Default & Current",
+ "default": "По подразбиране",
+ "current": "Текущото",
+ "openSessionLogFile": "Open Window Log File (Session)...",
+ "sessions placeholder": "Select Session",
+ "log placeholder": "Избор на файл с журнал"
+ },
+ "vs/workbench/contrib/markers/browser/markers.contribution": {
+ "copyMarker": "Копиране",
+ "copyMessage": "Копиране на съобщението",
+ "focusProblemsList": "Focus problems view",
+ "focusProblemsFilter": "Focus problems filter",
+ "show multiline": "Show message in multiple lines",
+ "problems": "Проблеми",
+ "show singleline": "Show message in single line",
+ "clearFiltersText": "Clear filters text",
+ "miMarker": "&&Problems",
+ "status.problems": "Проблеми",
+ "totalErrors": "{0} грешки",
+ "totalWarnings": "{0} предупреждения",
+ "totalInfos": "{0} инф. съобщения",
+ "noProblems": "No Problems",
+ "manyProblems": "10хил.+"
+ },
+ "vs/workbench/contrib/markers/browser/markers": {
+ "totalProblems": "Общо {0} проблема"
+ },
+ "vs/workbench/contrib/markers/browser/messages": {
+ "viewCategory": "Изглед",
+ "problems.view.toggle.label": "Превключване на проблемите (грешки, предупреждения, информация)",
+ "problems.view.focus.label": "Фокусиране върху проблемите (грешки, предупреждения, информация)",
+ "problems.panel.configuration.title": "Изглед на проблемите",
+ "problems.panel.configuration.autoreveal": "Определя дали изгледът на проблемите автоматично да показва файловете при тяхното отваряне.",
+ "problems.panel.configuration.showCurrentInStatus": "When enabled shows the current problem in the status bar.",
+ "markers.panel.title.problems": "Проблеми",
+ "markers.panel.no.problems.build": "Засега в работното място няма засечени проблеми.",
+ "markers.panel.no.problems.activeFile.build": "No problems have been detected in the current file so far.",
+ "markers.panel.no.problems.filters": "Няма резултати отговарящи на зададения филтър.",
+ "markers.panel.action.moreFilters": "More Filters...",
+ "markers.panel.filter.showErrors": "Показване на грешките",
+ "markers.panel.filter.showWarnings": "Show Warnings",
+ "markers.panel.filter.showInfos": "Show Infos",
+ "markers.panel.filter.useFilesExclude": "Hide Excluded Files",
+ "markers.panel.filter.activeFile": "Show Active File Only",
+ "markers.panel.action.filter": "Филтриране на проблемите",
+ "markers.panel.action.quickfix": "Показване на поправките",
+ "markers.panel.filter.ariaLabel": "Филтриране на проблемите",
+ "markers.panel.filter.placeholder": "Filter. E.g.: text, **/*.ts, !**/node_modules/**",
+ "markers.panel.filter.errors": "грешки",
+ "markers.panel.filter.warnings": "предупреждения",
+ "markers.panel.filter.infos": "инф. съобщения",
+ "markers.panel.single.error.label": "1 грешка",
+ "markers.panel.multiple.errors.label": "{0} грешки",
+ "markers.panel.single.warning.label": "1 предупреждение",
+ "markers.panel.multiple.warnings.label": "{0} предупреждения",
+ "markers.panel.single.info.label": "1 инф. съобщение",
+ "markers.panel.multiple.infos.label": "{0} инф. съобщения",
+ "markers.panel.single.unknown.label": "1 от неизвестен тип",
+ "markers.panel.multiple.unknowns.label": "{0} от неизвестен тип",
+ "markers.panel.at.ln.col.number": "[{0}, {1}]",
+ "problems.tree.aria.label.resource": "{0} проблема във файла „{1}“ от папката „{2}“",
+ "problems.tree.aria.label.marker.relatedInformation": " Този проблем е свързан с {0} места.",
+ "problems.tree.aria.label.error.marker": "Грешката е предизвикана от {0}: {1} на ред {2}, знак {3}.{4}",
+ "problems.tree.aria.label.error.marker.nosource": "Грешка: {0} на ред {1}, знак {2}.{3}",
+ "problems.tree.aria.label.warning.marker": "Предупреждението е предизвикано от {0}: {1} на ред {2}, знак {3}.{4}",
+ "problems.tree.aria.label.warning.marker.nosource": "Предупреждение: {0} на ред {1}, знак {2}.{3}",
+ "problems.tree.aria.label.info.marker": "Инф. съобщение е предизвикано от {0}: {1} на ред {2}, знак {3}.{4}",
+ "problems.tree.aria.label.info.marker.nosource": "Информация: {0} на ред {1}, знак {2}.{3}",
+ "problems.tree.aria.label.marker": "Проблемът е предизвикан от {0}: {1} на ред {2}, знак {3}.{4}",
+ "problems.tree.aria.label.marker.nosource": "Проблем: {0} на ред {1}, знак {2}.{3}",
+ "problems.tree.aria.label.relatedinfo.message": "{0} на ред {1}, знак {2}, в {3}",
+ "errors.warnings.show.label": "Показване на грешките и предупрежденията"
+ },
+ "vs/workbench/contrib/markers/browser/markersFileDecorations": {
+ "label": "Проблеми",
+ "tooltip.1": "1 проблем в този файл",
+ "tooltip.N": "{0} проблема в този файл",
+ "markers.showOnFile": "Show Errors & Warnings on files and folder."
+ },
+ "vs/workbench/contrib/markers/browser/markersViewActions": {
+ "showing filtered problems": "Показани са {0} от {1}"
+ },
+ "vs/workbench/contrib/markers/browser/markersView": {
+ "collapseAll": "Скриване на всички",
+ "filter": "Филтриране",
+ "No problems filtered": "Показани са {0} проблема",
+ "problems filtered": "Показани са {0} от {1} проблема",
+ "clearFilter": "Изчистване на филтрите"
+ },
+ "vs/workbench/contrib/markers/browser/markersTreeViewer": {
+ "single line": "Show message in single line",
+ "multi line": "Show message in multiple lines",
+ "links.navigate.follow": "Follow link",
+ "links.navigate.kb.meta": "ctrl + click",
+ "links.navigate.kb.meta.mac": "cmd + click",
+ "links.navigate.kb.alt.mac": "option + click",
+ "links.navigate.kb.alt": "alt + click"
+ },
+ "vs/workbench/contrib/notebook/browser/notebook.contribution": {
+ "notebookConfigurationTitle": "Notebook",
+ "notebook.displayOrder.description": "Priority list for output mime types"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/notebookActions": {
+ "notebookActions.category": "Notebook",
+ "notebookActions.execute": "Execute Cell",
+ "notebookActions.cancel": "Stop Execution",
+ "notebookActions.executeCell": "Execute Cell",
+ "notebookActions.CancelCell": "Cancel Execution",
+ "notebookActions.executeAndSelectBelow": "Execute Notebook Cell and Select Below",
+ "notebookActions.executeAndInsertBelow": "Execute Notebook Cell and Insert Below",
+ "notebookActions.executeNotebook": "Execute Notebook",
+ "notebookActions.cancelNotebook": "Cancel Notebook Execution",
+ "notebookActions.executeNotebookCell": "Execute Notebook Active Cell",
+ "notebookActions.quitEditing": "Quit Notebook Cell Editing",
+ "notebookActions.hideFind": "Hide Find in Notebook",
+ "notebookActions.findInNotebook": "Find in Notebook",
+ "notebookActions.menu.executeNotebook": "Execute Notebook (Run all cells)",
+ "notebookActions.menu.cancelNotebook": "Stop Notebook Execution",
+ "notebookActions.menu.execute": "Execute Notebook Cell",
+ "notebookActions.changeCellToCode": "Change Cell to Code",
+ "notebookActions.changeCellToMarkdown": "Change Cell to Markdown",
+ "notebookActions.insertCodeCellAbove": "Insert Code Cell Above",
+ "notebookActions.insertCodeCellBelow": "Insert Code Cell Below",
+ "notebookActions.insertMarkdownCellBelow": "Insert Markdown Cell Below",
+ "notebookActions.insertMarkdownCellAbove": "Insert Markdown Cell Above",
+ "notebookActions.editCell": "Edit Cell",
+ "notebookActions.saveCell": "Save Cell",
+ "notebookActions.deleteCell": "Delete Cell",
+ "notebookActions.moveCellUp": "Move Cell Up",
+ "notebookActions.copyCellUp": "Copy Cell Up",
+ "notebookActions.moveCellDown": "Move Cell Down",
+ "notebookActions.copyCellDown": "Copy Cell Down"
+ },
+ "vs/workbench/contrib/notebook/browser/notebookEditor": {
+ "notebook.focusedCellIndicator": "The color of the focused notebook cell indicator.",
+ "notebook.outputContainerBackgroundColor": "The Color of the notebook output container background.",
+ "cellToolbarSeperator": "The color of seperator in Cell bottom toolbar"
+ },
+ "vs/workbench/contrib/notebook/browser/extensionPoint": {
+ "contributes.notebook.provider": "Contributes notebook document provider.",
+ "contributes.notebook.provider.viewType": "Unique identifier of the notebook.",
+ "contributes.notebook.provider.displayName": "Human readable name of the notebook.",
+ "contributes.notebook.provider.selector": "Set of globs that the notebook is for.",
+ "contributes.notebook.provider.selector.filenamePattern": "Glob that the notebook is enabled for.",
+ "contributes.notebook.selector.provider.excludeFileNamePattern": "Glob that the notebook is disabled for.",
+ "contributes.notebook.renderer": "Contributes notebook output renderer provider.",
+ "contributes.notebook.renderer.viewType": "Unique identifier of the notebook output renderer.",
+ "contributes.notebook.renderer.displayName": "Human readable name of the notebook output renderer.",
+ "contributes.notebook.selector": "Set of globs that the notebook is for."
+ },
+ "vs/workbench/contrib/notebook/browser/view/renderers/codeCell": {
+ "curruentActiveMimeType": " (Currently Active)",
+ "promptChooseMimeType.placeHolder": "Select output mimetype to render for current output"
+ },
+ "vs/workbench/contrib/outline/browser/outline.contribution": {
+ "name": "Структура",
+ "outlineConfigurationTitle": "Структура",
+ "outline.showIcons": "Изчертаване на елементите на структурата с иконки.",
+ "outline.showProblem": "Show Errors & Warnings on Outline Elements.",
+ "outline.problem.colors": "Use colors for Errors & Warnings.",
+ "outline.problems.badges": "Use badges for Errors & Warnings.",
+ "filteredTypes.file": "When enabled outline shows `file`-symbols.",
+ "filteredTypes.module": "When enabled outline shows `module`-symbols.",
+ "filteredTypes.namespace": "When enabled outline shows `namespace`-symbols.",
+ "filteredTypes.package": "When enabled outline shows `package`-symbols.",
+ "filteredTypes.class": "When enabled outline shows `class`-symbols.",
+ "filteredTypes.method": "When enabled outline shows `method`-symbols.",
+ "filteredTypes.property": "When enabled outline shows `property`-symbols.",
+ "filteredTypes.field": "When enabled outline shows `field`-symbols.",
+ "filteredTypes.constructor": "When enabled outline shows `constructor`-symbols.",
+ "filteredTypes.enum": "When enabled outline shows `enum`-symbols.",
+ "filteredTypes.interface": "When enabled outline shows `interface`-symbols.",
+ "filteredTypes.function": "When enabled outline shows `function`-symbols.",
+ "filteredTypes.variable": "When enabled outline shows `variable`-symbols.",
+ "filteredTypes.constant": "When enabled outline shows `constant`-symbols.",
+ "filteredTypes.string": "When enabled outline shows `string`-symbols.",
+ "filteredTypes.number": "When enabled outline shows `number`-symbols.",
+ "filteredTypes.boolean": "When enabled outline shows `boolean`-symbols.",
+ "filteredTypes.array": "When enabled outline shows `array`-symbols.",
+ "filteredTypes.object": "When enabled outline shows `object`-symbols.",
+ "filteredTypes.key": "When enabled outline shows `key`-symbols.",
+ "filteredTypes.null": "When enabled outline shows `null`-symbols.",
+ "filteredTypes.enumMember": "When enabled outline shows `enumMember`-symbols.",
+ "filteredTypes.struct": "When enabled outline shows `struct`-symbols.",
+ "filteredTypes.event": "When enabled outline shows `event`-symbols.",
+ "filteredTypes.operator": "When enabled outline shows `operator`-symbols.",
+ "filteredTypes.typeParameter": "When enabled outline shows `typeParameter`-symbols."
+ },
+ "vs/workbench/contrib/outline/browser/outlinePane": {
+ "collapse": "Скриване на всички",
+ "sortByPosition": "Подреждане по: позиция",
+ "sortByName": "Подреждане по: име",
+ "sortByKind": "Sort By: Category",
+ "followCur": "Следване на курсора",
+ "filterOnType": "Filter on Type",
+ "no-editor": "The active editor cannot provide outline information.",
+ "loading": "Зареждане на символите за документа „{0}“…",
+ "no-symbols": "Няма намерени символи в документа „{0}“"
+ },
+ "vs/workbench/contrib/output/browser/output.contribution": {
+ "output": "Изход",
+ "logViewer": "Преглед на журнал",
+ "switchToOutput.label": "Превключване към изхода",
+ "clearOutput.label": "Изчистване на изхода",
+ "viewCategory": "Изглед",
+ "outputCleared": "Изходът беше изчистен",
+ "toggleAutoScroll": "Toggle Auto Scrolling",
+ "outputScrollOff": "Turn Auto Scrolling Off",
+ "outputScrollOn": "Turn Auto Scrolling On",
+ "openActiveLogOutputFile": "Open Log Output File",
+ "toggleOutput": "Превключване на изхода",
+ "developer": "Разработчик",
+ "showLogs": "Показване на журналите…",
+ "selectlog": "Избор на журнал",
+ "openLogFile": "Отваряне на журнален файл…",
+ "selectlogFile": "Избор на файл с журнал",
+ "miToggleOutput": "&&Output",
+ "output.smartScroll.enabled": "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/output/browser/outputView": {
+ "output model title": "{0} – Изход",
+ "channel": "Изходящ канал за „{0}“",
+ "output": "Изход",
+ "outputViewWithInputAriaLabel": "{0}, Панел за изход",
+ "outputViewAriaLabel": "Панел за изход",
+ "outputChannels": "Изходящи канали.",
+ "logChannel": "Журнал ({0})"
+ },
+ "vs/workbench/contrib/output/browser/logViewer": {
+ "logViewerAriaLabel": "Преглед на журнал"
+ },
+ "vs/workbench/contrib/performance/electron-browser/performance.contribution": {
+ "show.cat": "Разработчик",
+ "show.label": "Производителност при стартиране"
+ },
+ "vs/workbench/contrib/performance/electron-browser/startupProfiler": {
+ "prof.message": "Профилите са създадени успешно.",
+ "prof.detail": "Моля, създайте проблем и прикачете ръчно следните файлове:\n{0}",
+ "prof.restartAndFileIssue": "Създаване на проблем и рестартиране",
+ "prof.restart": "Рестартиране",
+ "prof.thanks": "Благодарим за помощта!",
+ "prof.detail.restart": "Нужно е едно последно рестартиране, за да можете да продължите да използвате „{0}“. Отново Ви благодарим за помощта."
+ },
+ "vs/workbench/contrib/performance/electron-browser/perfviewEditor": {
+ "name": "Производителност при стартиране"
+ },
+ "vs/workbench/contrib/preferences/browser/keybindingsEditorContribution": {
+ "defineKeybinding.start": "Определяне на клавишна комбинация",
+ "defineKeybinding.kbLayoutErrorMessage": "С текущата подредба на клавиатурата няма да можете да възпроизведете тази клавишна комбинация.",
+ "defineKeybinding.kbLayoutLocalAndUSMessage": "**{0}** за текущата клавиатурна подредба (**{1}** за стандартната подредба на САЩ).",
+ "defineKeybinding.kbLayoutLocalMessage": "**{0}** за текущата клавиатурна подредба."
+ },
+ "vs/workbench/contrib/preferences/browser/preferences.contribution": {
+ "defaultPreferencesEditor": "Редактор по подразбиране за предпочитанията",
+ "settingsEditor2": "Редактор на настройките 2",
+ "keybindingsEditor": "Редактор на клавишните комбинации",
+ "openSettings2": "Отваряне на настройките (потр. интерфейс)",
+ "preferences": "Предпочитания",
+ "settings": "Settings",
+ "miOpenSettings": "&&Settings",
+ "openSettingsJson": "Отваряне на настройките (JSON)",
+ "openGlobalSettings": "Отваряне на потребителските настройки",
+ "openRawDefaultSettings": "Open Default Settings (JSON)",
+ "openWorkspaceSettings": "Отваряне на настройките на работното място",
+ "openWorkspaceSettingsFile": "Open Workspace Settings (JSON)",
+ "openFolderSettings": "Отваряне на настройките на папката",
+ "openFolderSettingsFile": "Open Folder Settings (JSON)",
+ "filterModifiedLabel": "Показване на променените настройки",
+ "filterOnlineServicesLabel": "Показване на настройките за услуги в Интернет",
+ "miOpenOnlineSettings": "&&Online Services Settings",
+ "onlineServices": "Online Services Settings",
+ "openRemoteSettings": "Open Remote Settings ({0})",
+ "settings.focusSearch": "Focus settings search",
+ "settings.clearResults": "Clear settings search results",
+ "settings.focusFile": "Focus settings file",
+ "settings.focusNextSetting": "Focus next setting",
+ "settings.focusPreviousSetting": "Focus previous setting",
+ "settings.editFocusedSetting": "Edit focused setting",
+ "settings.focusSettingsList": "Focus settings list",
+ "settings.focusSettingsTOC": "Focus settings TOC tree",
+ "settings.showContextMenu": "Show context menu",
+ "openGlobalKeybindings": "Отваряне на клавишните комбинации",
+ "Keyboard Shortcuts": "Клавишни комбинации",
+ "openDefaultKeybindingsFile": "Отваряне на файла с клавишните комбинации по подразбиране (JSON)",
+ "openGlobalKeybindingsFile": "Отваряне на клавишните комбинации (JSON)",
+ "showDefaultKeybindings": "Показване на стандартните клавишни комбинации",
+ "showUserKeybindings": "Показване на потребителските клавишни комбинации",
+ "clear": "Clear Search Results",
+ "miPreferences": "&&Preferences"
+ },
+ "vs/workbench/contrib/preferences/browser/keybindingWidgets": {
+ "defineKeybinding.initial": "Натиснете желаната клавишна комбинация и след това натиснете ENTER.",
+ "defineKeybinding.oneExists": "Има 1 съществуваща команда с тази клавишна комбинация",
+ "defineKeybinding.existing": "Има {0} съществуващи команди с тази клавишна комбинация",
+ "defineKeybinding.chordsTo": "и след това"
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesActions": {
+ "configureLanguageBasedSettings": "Конфигуриране на езиково-специфични настройки…",
+ "languageDescriptionConfigured": "({0})",
+ "pickLanguage": "Изберете език"
+ },
+ "vs/workbench/contrib/preferences/common/preferencesContribution": {
+ "enableNaturalLanguageSettingsSearch": "Определя дали да е включено търсенето чрез използване на естествен език в настройките. Търсенето чрез използване на естествен език се осигурява от услуга в Интернет на Майкрософт.",
+ "settingsSearchTocBehavior.hide": "Hide the Table of Contents while searching.",
+ "settingsSearchTocBehavior.filter": "Филтриране на съдържанието, така че да се показват само категориите, в които има съвпадащи настройки. Щракването върху категория ще филтрира резултатите спрямо тази категория.",
+ "settingsSearchTocBehavior": "Определя поведението на съдържанието в редактора на настройки при търсене."
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesWidgets": {
+ "defaultSettings": "Поставете настройките си в десния редактор, за да замените тези по подразбиране.",
+ "noSettingsFound": "Няма открити настройки.",
+ "settingsSwitcherBarAriaLabel": "Превключване на настройки",
+ "userSettings": "Потребител",
+ "userSettingsRemote": "Remote",
+ "workspaceSettings": "работно място",
+ "folderSettings": "Folder"
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesEditor": {
+ "SearchSettingsWidget.AriaLabel": "Търсене в настройките",
+ "SearchSettingsWidget.Placeholder": "Търсене в настройките",
+ "noSettingsFound": "Няма открити настройки",
+ "oneSettingFound": "Открита е 1 настройка",
+ "settingsFound": "Открити са {0} настройки",
+ "totalSettingsMessage": "Общ брой настройки: {0}",
+ "nlpResult": "Резултати от търсене с естествен език",
+ "filterResult": "Филтрирани резултати",
+ "defaultSettings": "Настройки по подразбиране",
+ "defaultUserSettings": "Потребителски настройки по подразбиране",
+ "defaultWorkspaceSettings": "Настройки по подразбиране на работното място",
+ "defaultFolderSettings": "Настройки по подразбиране за папките",
+ "defaultEditorReadonly": "Редактирайте в десния редактор, за да замените настройките по подразбиране.",
+ "preferencesAriaLabel": "Default preferences. Readonly editor."
+ },
+ "vs/workbench/contrib/preferences/browser/keybindingsEditor": {
+ "recordKeysLabel": "Запис на клавиши",
+ "recordKeysLabelWithKeybinding": "{0} ({1})",
+ "sortByPrecedeneLabel": "Сортиране по предимство",
+ "sortByPrecedeneLabelWithKeybinding": "{0} ({1})",
+ "SearchKeybindings.FullTextSearchPlaceholder": "Започнете да пишете, за да търсите в клавишните комбинации",
+ "SearchKeybindings.KeybindingsSearchPlaceholder": "Запис на клавиши. Натиснете „Escape“ за изход.",
+ "clearInput": "Изчистване на въведеното за търсене в клавишните комбинации",
+ "recording": "Запис на клавиши",
+ "command": "Команда",
+ "keybinding": "Клавишна комбинация",
+ "when": "Условие",
+ "source": "Източник",
+ "keybindingsLabel": "Клавишни комбинации",
+ "show sorted keybindings": "Показани са {0} клавишни комбинации, по ред на предимство",
+ "show keybindings": "Показани са {0} клавишни комбинации, по азбучен ред",
+ "changeLabel": "Промяна на клавишната комбинация",
+ "addLabel": "Добавяне на клавишна комбинация",
+ "editWhen": "Change When Expression",
+ "removeLabel": "Премахване на клавишната комбинация",
+ "resetLabel": "Възстановяване на стандартната комбинация",
+ "showSameKeybindings": "Показване на еднаквите клавишни комбинации",
+ "copyLabel": "Копиране",
+ "copyCommandLabel": "Copy Command ID",
+ "error": "Грешка „{0}“ при редактиране на клавишната комбинация. Моля, отворете файла „keybindings.json“ и проверете за грешки.",
+ "editKeybindingLabelWithKey": "Промяна на клавишната комбинация {0}",
+ "editKeybindingLabel": "Промяна на клавишната комбинация",
+ "addKeybindingLabelWithKey": "Добавяне на клавишна комбинация {0}",
+ "addKeybindingLabel": "Добавяне на клавишна комбинация",
+ "title": "{0} ({1})",
+ "keybindingAriaLabel": "Клавишната комбинация е {0}.",
+ "noKeybinding": "Няма зададена клавишна комбинация",
+ "sourceAriaLabel": "Източникът е {0}.",
+ "whenContextInputAriaLabel": "Type when context. Press Enter to confirm or Escape to cancel.",
+ "whenAriaLabel": "Условието е {0}.",
+ "noWhen": "Няма условие."
+ },
+ "vs/workbench/contrib/preferences/browser/settingsEditor2": {
+ "settingsContextMenuAriaShortcut": "For more actions, Press {0}.",
+ "clearInput": "Clear Settings Search Input",
+ "SearchSettings.AriaLabel": "Търсене в настройките",
+ "noResults": "Няма открити настройки",
+ "clearSearchFilters": "Изчистване на филтрите",
+ "settingsNoSaveNeeded": "Промените Ви се запазват автоматично, докато правите промени.",
+ "oneResult": "Открита е 1 настройка",
+ "moreThanOneResult": "Открити са {0} настройки",
+ "turnOnSyncButton": "Turn on Preferences Sync",
+ "lastSyncedLabel": "Last synced: {0}"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsLayout": {
+ "commonlyUsed": "Често използвани",
+ "textEditor": "Text Editor",
+ "cursor": "Курсор",
+ "find": "Търсене",
+ "font": "Font",
+ "formatting": "Formatting",
+ "diffEditor": "Редактор на разликите",
+ "minimap": "Миникарта",
+ "suggestions": "Suggestions",
+ "files": "Files",
+ "workbench": "Работна област",
+ "appearance": "Appearance",
+ "breadcrumbs": "Навигационни елементи на пътя",
+ "editorManagement": "Управление на редактора",
+ "settings": "Редактор на настройки",
+ "zenMode": "Режим „Дзен“",
+ "screencastMode": "Screencast Mode",
+ "window": "Прозорец",
+ "newWindow": "Нов прозорец",
+ "features": "Функционалности",
+ "fileExplorer": "Файлове",
+ "search": "Search",
+ "debug": "Дебъгване",
+ "scm": "СКВ",
+ "extensions": "Разширения",
+ "terminal": "Терминал",
+ "task": "Task",
+ "problems": "Проблеми",
+ "output": "Изход",
+ "comments": "Comments",
+ "remote": "Remote",
+ "timeline": "Timeline",
+ "application": "Application",
+ "proxy": "Посредник",
+ "keyboard": "Клавиатура",
+ "update": "Обновяване",
+ "telemetry": "Телеметрия",
+ "sync": "Синхронизиране"
+ },
+ "vs/workbench/contrib/preferences/browser/tocTree": {
+ "groupRowAriaLabel": "{0}, group"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsTreeModels": {
+ "workspace": "работно място",
+ "remote": "Remote",
+ "user": "Потребител"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsWidgets": {
+ "headerForeground": "The foreground color for a section header or active title.",
+ "modifiedItemForeground": "The color of the modified setting indicator.",
+ "settingsDropdownBackground": "Фонов цвят за падащите менюта в настройките.",
+ "settingsDropdownForeground": "Основен цвят за падащите менюта в настройките.",
+ "settingsDropdownBorder": "Цвят за контура на падащите менюта в настройките.",
+ "settingsDropdownListBorder": "Settings editor dropdown list border. This surrounds the options and separates the options from the description.",
+ "settingsCheckboxBackground": "Фонов цвят за полетата за отметки в настройките.",
+ "settingsCheckboxForeground": "Основен цвят за полетата за отметки в настройките.",
+ "settingsCheckboxBorder": "Цвят за контура на полетата за отметки в настройките.",
+ "textInputBoxBackground": "Фонов цвят за текстовите полета в настройките.",
+ "textInputBoxForeground": "Основен цвят за текстовите полета в настройките.",
+ "textInputBoxBorder": "Цвят за контура на текстовите полета в настройките.",
+ "numberInputBoxBackground": "Фонов цвят за числовите полета в настройките.",
+ "numberInputBoxForeground": "Основен цвят за числовите полета в настройките.",
+ "numberInputBoxBorder": "Цвят за контура на числовите полета в настройките.",
+ "removeItem": "Remove Item",
+ "editItem": "Edit Item",
+ "editItemInSettingsJson": "Edit Item in settings.json",
+ "addItem": "Add Item",
+ "itemInputPlaceholder": "String Item...",
+ "listSiblingInputPlaceholder": "Sibling...",
+ "listValueHintLabel": "List item `{0}`",
+ "listSiblingHintLabel": "List item `{0}` with sibling `${1}`",
+ "okButton": "Добре",
+ "cancelButton": "Отказ",
+ "removeExcludeItem": "Премахване на елемента за изключване",
+ "editExcludeItem": "Редактиране на елемента за изключване",
+ "editExcludeItemInSettingsJson": "Edit Exclude Item in settings.json",
+ "addPattern": "Добавяне на шаблон",
+ "excludePatternInputPlaceholder": "Шаблон за изключване…",
+ "excludeSiblingInputPlaceholder": "Когато има шаблон…",
+ "excludePatternHintLabel": "Изключване на файловете, отговарящи на `{0}`",
+ "excludeSiblingHintLabel": "Изключване на файловете, отговарящи на `{0}`, само когато има файл, отговарящ на `{1}`"
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesRenderers": {
+ "emptyUserSettingsHeader": "Поставете настройките си тук, за да замените тези по подразбиране.",
+ "emptyWorkspaceSettingsHeader": "Поставете настройките си тук, за да замените потребителските настройки.",
+ "emptyFolderSettingsHeader": "Поставете настройките си за папката тук, за да замените тези на работното място.",
+ "editTtile": "Редактиране",
+ "replaceDefaultValue": "Замяна в настройките",
+ "copyDefaultValue": "Копиране в настройките",
+ "unknown configuration setting": "Unknown Configuration Setting",
+ "unsupportedRemoteMachineSetting": "This setting cannot be applied in this window. It will be applied when you open local window.",
+ "unsupportedWindowSetting": "This setting cannot be applied in this workspace. It will be applied when you open the containing workspace folder directly.",
+ "unsupportedApplicationSetting": "This setting can be applied only in application user settings",
+ "unsupportedMachineSetting": "This setting can only be applied in user settings in local window or in remote settings in remote window.",
+ "unsupportedProperty": "Unsupported Property"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsTree": {
+ "extensions": "Разширения",
+ "extensionSyncIgnoredLabel": "Sync: Ignored",
+ "modified": "Променен",
+ "settingsContextMenuTitle": "Още действия…",
+ "alsoConfiguredIn": "Също променено и в",
+ "configuredIn": "Променено в",
+ "settings.Modified": "Променено.",
+ "newExtensionsButtonLabel": "Показване на отговарящите разширения",
+ "editInSettingsJson": "Редактиране в „settings.json“",
+ "settings.Default": "{0}",
+ "resetSettingLabel": "Нулиране на настройката",
+ "validationError": "Грешка при проверката.",
+ "treeAriaLabel": "Settings",
+ "copySettingIdLabel": "Копиране на идентификатора на настройката",
+ "copySettingAsJSONLabel": "Копиране на настройката като JSON",
+ "stopSyncingSetting": "Sync This Setting"
+ },
+ "vs/workbench/contrib/quickaccess/browser/quickAccess.contribution": {
+ "helpQuickAccessPlaceholder": "Type '{0}' to get help on the actions you can take from here.",
+ "helpQuickAccess": "Show all Quick Access Providers",
+ "viewQuickAccessPlaceholder": "Type the name of a view, output channel or terminal to open.",
+ "viewQuickAccess": "Отваряне на изглед",
+ "commandsQuickAccessPlaceholder": "Type the name of a command to run.",
+ "commandsQuickAccess": "Показване и изпълнение на команди",
+ "miCommandPalette": "&&Command Palette...",
+ "miOpenView": "&&Open View...",
+ "miGotoSymbolInEditor": "Go to &&Symbol in Editor...",
+ "miGotoLine": "Go to &&Line/Column...",
+ "commandPalette": "Палитра с команди…",
+ "view": "Изглед"
+ },
+ "vs/workbench/contrib/quickaccess/browser/commandsQuickAccess": {
+ "commandWithCategory": "{0}: {1}",
+ "showTriggerActions": "Показване на всички команди",
+ "clearCommandHistory": "Изчистване на историята на командите"
+ },
+ "vs/workbench/contrib/quickaccess/browser/viewQuickAccess": {
+ "views": "Side Bar",
+ "panels": "Panel",
+ "terminalTitle": "{0}: {1}",
+ "terminals": "Терминал",
+ "logChannel": "Журнал ({0})",
+ "channels": "Изход",
+ "openView": "Отваряне на изглед",
+ "quickOpenView": "Бързо отваряне на изглед"
+ },
+ "vs/workbench/contrib/quickopen/browser/quickopen.contribution": {
+ "view": "Изглед",
+ "commandsHandlerDescriptionDefault": "Показване и изпълнение на команди",
+ "gotoLineDescriptionMac": "Go to Line/Column",
+ "gotoLineDescriptionWin": "Go to Line/Column",
+ "gotoSymbolDescription": "Go to Symbol in Editor",
+ "gotoSymbolDescriptionScoped": "Go to Symbol in Editor by Category",
+ "helpDescription": "Показване на помощта",
+ "viewPickerDescription": "Отваряне на изглед",
+ "miCommandPalette": "&&Command Palette...",
+ "miOpenView": "&&Open View...",
+ "miGotoSymbolInEditor": "Go to &&Symbol in Editor...",
+ "miGotoLine": "Go to &&Line/Column...",
+ "commandPalette": "Палитра с команди…"
+ },
+ "vs/workbench/contrib/quickopen/browser/helpHandler": {
+ "entryAriaLabel": "{0}, помощ за избирането",
+ "globalCommands": "глобални команди",
+ "editorCommands": "команди на редактора"
+ },
+ "vs/workbench/contrib/quickopen/browser/gotoLineHandler": {
+ "gotoLine": "Go to Line/Column...",
+ "gotoLineLabelEmptyWithLimit": "Current Line: {0}, Column: {1}. Type a line number between 1 and {2} to navigate to.",
+ "gotoLineLabelEmpty": "Current Line: {0}, Column: {1}. Type a line number to navigate to.",
+ "gotoLineColumnLabel": "Go to line {0} and column {1}.",
+ "gotoLineLabel": "Go to line {0}.",
+ "cannotRunGotoLine": "За да отидете до определен ред, първо отворете файл."
+ },
+ "vs/workbench/contrib/quickopen/browser/viewPickerHandler": {
+ "entryAriaLabel": "{0}, избор на изглед",
+ "views": "Side Bar",
+ "panels": "Panel",
+ "terminals": "Терминал",
+ "terminalTitle": "{0}: {1}",
+ "channels": "Изход",
+ "logChannel": "Журнал ({0})",
+ "openView": "Отваряне на изглед",
+ "quickOpenView": "Бързо отваряне на изглед"
+ },
+ "vs/workbench/contrib/quickopen/browser/gotoSymbolHandler": {
+ "property": "свойства ({0})",
+ "method": "методи ({0})",
+ "function": "функции ({0})",
+ "_constructor": "конструктори ({0})",
+ "variable": "променливи ({0})",
+ "class": "класове ({0})",
+ "struct": "структури ({0})",
+ "event": "events ({0})",
+ "operator": "operators ({0})",
+ "interface": "интерфейси ({0})",
+ "namespace": "именни пространства ({0})",
+ "package": "пакети ({0})",
+ "typeParameter": "параметри за тип ({0})",
+ "modules": "модули ({0})",
+ "enum": "изброени типове ({0})",
+ "enumMember": "стойности на изброен тип ({0})",
+ "string": "низове ({0})",
+ "file": "файлове ({0})",
+ "array": "масиви ({0})",
+ "number": "числа ({0})",
+ "boolean": "булеви ({0})",
+ "object": "обекти ({0})",
+ "key": "ключове ({0})",
+ "field": "fields ({0})",
+ "constant": "constants ({0})",
+ "gotoSymbol": "Go to Symbol in Editor...",
+ "symbols": "идентификатори ({0})",
+ "entryAriaLabel": "{0}, идентификатори",
+ "noSymbolsMatching": "Няма отговарящи идентификатори",
+ "noSymbolsFound": "Няма намерени идентификатори",
+ "gotoSymbolHandlerAriaLabel": "Въведете нещо, за да ограничите идентификаторите в текущо активния редактор.",
+ "cannotRunGotoSymbolInFile": "Няма информация за идентификаторите във файла",
+ "cannotRunGotoSymbol": "Първо отворете текстов файл, за да може да преминете към желания идентификатор в него."
+ },
+ "vs/workbench/contrib/quickopen/browser/commandsHandler": {
+ "showTriggerActions": "Показване на всички команди",
+ "clearCommandHistory": "Изчистване на историята на командите",
+ "showCommands.label": "Палитра с команди…",
+ "entryAriaLabelWithKey": "{0}, {1}, команди",
+ "entryAriaLabel": "{0}, команди",
+ "actionNotEnabled": "Командата „{0}“ не е разрешена в текущия контекст.",
+ "canNotRun": "Командата „{0}“ произведе грешка.",
+ "recentlyUsed": "последно използвана",
+ "morecCommands": "други команди",
+ "cat.title": "{0}: {1}",
+ "noCommandsMatching": "Няма отговарящи команди"
+ },
+ "vs/workbench/contrib/relauncher/browser/relauncher.contribution": {
+ "relaunchSettingMessage": "Променена е настройка, който изисква рестартиране преди да влезе в сила.",
+ "relaunchSettingMessageWeb": "A setting has changed that requires a reload to take effect.",
+ "relaunchSettingDetail": "Натиснете бутона за рестартиране, за да рестартирате {0} и да позволите на промяната да влезе в сила.",
+ "relaunchSettingDetailWeb": "Press the reload button to reload {0} and enable the setting.",
+ "restart": "&&Restart",
+ "restartWeb": "&&Reload"
+ },
+ "vs/workbench/contrib/remote/electron-browser/remote.contribution": {
+ "remote": "Remote",
+ "remote.downloadExtensionsLocally": "When enabled extensions are downloaded locally and installed on remote.",
+ "remote.restoreForwardedPorts": "Restores the ports you forwarded in a workspace."
+ },
+ "vs/workbench/contrib/remote/common/remote.contribution": {
+ "remoteExtensionLog": "Remote Server",
+ "ui": "UI extension kind. In a remote window, such extensions are enabled only when available on the local machine.",
+ "workspace": "Workspace extension kind. In a remote window, such extensions are enabled only when available on the remote.",
+ "remote": "Remote",
+ "remote.extensionKind": "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."
+ },
+ "vs/workbench/contrib/remote/browser/remote": {
+ "RemoteHelpInformationExtPoint": "Contributes help information for Remote",
+ "RemoteHelpInformationExtPoint.getStarted": "The url to your project's Getting Started page",
+ "RemoteHelpInformationExtPoint.documentation": "The url to your project's documentation page",
+ "RemoteHelpInformationExtPoint.feedback": "The url to your project's feedback reporter",
+ "RemoteHelpInformationExtPoint.issues": "The url to your project's issues list",
+ "remote.help.getStarted": "Get Started",
+ "remote.help.documentation": "Read Documentation",
+ "remote.help.feedback": "Изпращане на отзиви",
+ "remote.help.issues": "Review Issues",
+ "remote.help.report": "Докладване на проблем",
+ "pickRemoteExtension": "Select url to open",
+ "remote.help": "Help and feedback",
+ "remote.explorer": "Remote Explorer",
+ "toggleRemoteViewlet": "Show Remote Explorer",
+ "view": "Изглед",
+ "reconnectionWaitOne": "Attempting to reconnect in {0} second...",
+ "reconnectionWaitMany": "Attempting to reconnect in {0} seconds...",
+ "reconnectNow": "Reconnect Now",
+ "reloadWindow": "Презареждане на прозореца",
+ "connectionLost": "Connection Lost",
+ "reconnectionRunning": "Attempting to reconnect...",
+ "reconnectionPermanentFailure": "Cannot reconnect. Please reload the window.",
+ "cancel": "Отказ"
+ },
+ "vs/workbench/contrib/remote/browser/explorerViewItems": {
+ "remotes": "Switch Remote",
+ "remote.explorer.switch": "Switch Remote"
+ },
+ "vs/workbench/contrib/remote/browser/remoteIndicator": {
+ "remote.category": "Remote",
+ "remote.showMenu": "Show Remote Menu",
+ "remote.close": "Close Remote Connection",
+ "miCloseRemote": "Close Re&&mote Connection",
+ "host.open": "Opening Remote...",
+ "host.tooltip": "Editing on {0}",
+ "disconnectedFrom": "Disconnected from",
+ "host.tooltipDisconnected": "Disconnected from {0}",
+ "noHost.tooltip": "Open a remote window",
+ "status.host": "Remote Host",
+ "cat.title": "{0}: {1}",
+ "closeRemote.title": "Close Remote Connection"
+ },
+ "vs/workbench/contrib/remote/browser/tunnelView": {
+ "remote.tunnelsView.add": "Forward a Port...",
+ "remote.tunnelsView.forwarded": "Forwarded",
+ "remote.tunnelsView.detected": "Existing Tunnels",
+ "remote.tunnelsView.candidates": "Not Forwarded",
+ "remote.tunnelsView.input": "Press Enter to confirm or Escape to cancel.",
+ "remote.tunnelsView.forwardedPortLabel0": "{0}",
+ "remote.tunnelsView.forwardedPortLabel2": "{0}:{1} → {2}",
+ "remote.tunnelsView.forwardedPortLabel3": "{0} → {1}",
+ "remote.tunnelsView.forwardedPortLabel4": "{0}:{1}",
+ "remote.tunnelsView.forwardedPortLabel5": "{0}",
+ "remote.tunnelsView.forwardedPortDescription0": "{0} to {1}",
+ "remote.tunnel": "Forwarded Ports",
+ "remote.tunnel.label": "Set Label",
+ "remote.tunnelsView.labelPlaceholder": "Port label",
+ "remote.tunnelsView.portNumberValid": "Forwarded port is invalid.",
+ "remote.tunnelsView.portNumberToHigh": "Port number must be ≥ 0 and < {0}.",
+ "remote.tunnel.forward": "Forward a Port",
+ "remote.tunnel.forwardItem": "Forward Port",
+ "remote.tunnel.forwardPrompt": "Port number or address (eg. 3000 or 10.10.10.10:2000).",
+ "remote.tunnel.forwardError": "Unable to forward {0}:{1}. The host may not be available or that remote port may already be forwarded",
+ "remote.tunnel.closeNoPorts": "No ports currently forwarded. Try running the {0} command",
+ "remote.tunnel.close": "Stop Forwarding Port",
+ "remote.tunnel.closePlaceholder": "Choose a port to stop forwarding",
+ "remote.tunnel.open": "Open in Browser",
+ "remote.tunnel.copyAddressInline": "Copy Address",
+ "remote.tunnel.copyAddressCommandPalette": "Copy Forwarded Port Address",
+ "remote.tunnel.copyAddressPlaceholdter": "Choose a forwarded port",
+ "remote.tunnel.refreshView": "Опресняване",
+ "remote.tunnel.changeLocalPort": "Change Local Port",
+ "remote.tunnel.changeLocalPortNumber": "The local port {0} is not available. Port number {1} has been used instead",
+ "remote.tunnelsView.changePort": "New local port"
+ },
+ "vs/workbench/contrib/scm/browser/scm.contribution": {
+ "toggleGitViewlet": "Показване на Git",
+ "source control": "Система за контрол на версиите",
+ "toggleSCMViewlet": "Показване на системата за контрол на версиите",
+ "view": "Изглед",
+ "scmConfigurationTitle": "СКВ",
+ "alwaysShowProviders": "Controls whether to show the Source Control Provider section even when there's only one Provider registered.",
+ "providersVisible": "Controls how many providers are visible in the Source Control Provider section. Set to `0` to be able to manually resize the view.",
+ "scm.diffDecorations.all": "Show the diff decorations in all available locations.",
+ "scm.diffDecorations.gutter": "Show the diff decorations only in the editor gutter.",
+ "scm.diffDecorations.overviewRuler": "Show the diff decorations only in the overview ruler.",
+ "scm.diffDecorations.minimap": "Show the diff decorations only in the minimap.",
+ "scm.diffDecorations.none": "Do not show the diff decorations.",
+ "diffDecorations": "Управлява украсяването на разликите в редактора.",
+ "diffGutterWidth": "Controls the width(px) of diff decorations in gutter (added & modified).",
+ "scm.diffDecorationsGutterVisibility.always": "Show the diff decorator in the gutter at all times.",
+ "scm.diffDecorationsGutterVisibility.hover": "Show the diff decorator in the gutter only on hover.",
+ "scm.diffDecorationsGutterVisibility": "Controls the visibility of the Source Control diff decorator in the gutter.",
+ "alwaysShowActions": "Определя дали вмъкнатите действия да бъдат винаги видими в изгледа на системата за контрол на версиите.",
+ "scm.countBadge.all": "Show the sum of all Source Control Providers count badges.",
+ "scm.countBadge.focused": "Show the count badge of the focused Source Control Provider.",
+ "scm.countBadge.off": "Disable the Source Control count badge.",
+ "scm.countBadge": "Controls the Source Control count badge.",
+ "scm.defaultViewMode.tree": "Show the repository changes as a tree.",
+ "scm.defaultViewMode.list": "Show the repository changes as a list.",
+ "scm.defaultViewMode": "Controls the default Source Control repository view mode.",
+ "autoReveal": "Controls whether the SCM view should automatically reveal and select files when opening them.",
+ "miViewSCM": "S&&CM",
+ "scm accept": "СКВ: Приемане на вход"
+ },
+ "vs/workbench/contrib/scm/browser/scmViewlet": {
+ "scm": "Система за контрол на версиите",
+ "no open repo": "Няма регистрирани доставчици на системи за контрол на версиите.",
+ "source control": "Система за контрол на версиите",
+ "viewletTitle": "{0}: {1}"
+ },
+ "vs/workbench/contrib/scm/browser/activity": {
+ "status.scm": "Система за контрол на версиите",
+ "scmPendingChangesBadge": "{0} чакащи промени"
+ },
+ "vs/workbench/contrib/scm/browser/mainPane": {
+ "scm providers": "Доставчици на системи за контрол на версиите"
+ },
+ "vs/workbench/contrib/scm/browser/repositoryPane": {
+ "toggleViewMode": "Toggle View Mode"
+ },
+ "vs/workbench/contrib/scm/browser/dirtydiffDecorator": {
+ "changes": "{0} от {1} промени",
+ "change": "{0} от {1} промяна",
+ "show previous change": "Показване на предходната промяна",
+ "show next change": "Показване на следващата промяна",
+ "miGotoNextChange": "Next &&Change",
+ "miGotoPreviousChange": "Previous &&Change",
+ "move to previous change": "Преместване при предходната промяна",
+ "move to next change": "Преместване при следващата промяна",
+ "editorGutterModifiedBackground": "Фонов цвят за полето на редактора за променените редове.",
+ "editorGutterAddedBackground": "Фонов цвят за полето на редактора за добавените редове.",
+ "editorGutterDeletedBackground": "Фонов цвят за полето на редактора за изтритите редове.",
+ "minimapGutterModifiedBackground": "Minimap gutter background color for lines that are modified.",
+ "minimapGutterAddedBackground": "Minimap gutter background color for lines that are added.",
+ "minimapGutterDeletedBackground": "Minimap gutter background color for lines that are deleted.",
+ "overviewRulerModifiedForeground": "Цвят за отбелязване на промененото съдържание в скалата за преглед.",
+ "overviewRulerAddedForeground": "Цвят за отбелязване на добавеното съдържание в скалата за преглед.",
+ "overviewRulerDeletedForeground": "Цвят за отбелязване на изтритото съдържание в скалата за преглед."
+ },
+ "vs/workbench/contrib/search/browser/search.contribution": {
+ "search": "Search",
+ "copyMatchLabel": "Копиране",
+ "copyPathLabel": "Копиране на пътя",
+ "copyAllLabel": "Скриване на всичко",
+ "revealInSideBar": "Показване в страничната лента",
+ "clearSearchHistoryLabel": "Изчистване на историята на търсенията",
+ "focusSearchListCommandLabel": "Фокусиране върху списъка",
+ "findInFolder": "Търсене в папка…",
+ "findInWorkspace": "Търсене в работното място…",
+ "showTriggerActions": "Към идентификатор в работното място…",
+ "name": "Search",
+ "view": "Изглед",
+ "findInFiles": "Търсене във файловете",
+ "miFindInFiles": "Find &&in Files",
+ "miReplaceInFiles": "Replace &&in Files",
+ "anythingQuickAccessPlaceholder": "Search files by name (append {0} to go to line or {1} to go to symbol)",
+ "anythingQuickAccess": "Към файл",
+ "symbolsQuickAccessPlaceholder": "Type the name of a symbol to open.",
+ "symbolsQuickAccess": "Към идентификатор в работното място",
+ "searchConfigurationTitle": "Search",
+ "exclude": "Configure glob patterns for excluding files and folders in fulltext searches and quick open. Inherits all glob patterns from the `#files.exclude#` setting. Read more about glob patterns [here](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options).",
+ "exclude.boolean": "Шаблонът за сравняване на файлови пътища. Задайте „true“ (вярно) или „false“ (невярно), за да включите или изключите шаблона.",
+ "exclude.when": "Допълнителна проверка на файлове с еднакви имена. Използвайте $(basename) като променлива за името на съвпадащия файл.",
+ "useRipgrep": "Тази настройка е излязла от употреба. и вече разчита на „search.usePCRE2“.",
+ "useRipgrepDeprecated": "Това е излязло от употреба. Използвайте настройката „search.usePCRE2“ за разширена поддръжка на регулярни изрази.",
+ "search.maintainFileSearchCache": "When enabled, the searchService process will be kept alive instead of being shut down after an hour of inactivity. This will keep the file search cache in memory.",
+ "useIgnoreFiles": "Определя дали да се използват файловете `.gitignore` и `.ignore` при търсене на файлове.",
+ "useGlobalIgnoreFiles": "Определя дали да се използват глобалните файлове `.gitignore` и `.ignore` при търсене на файлове.",
+ "search.quickOpen.includeSymbols": "Дали да се включват резултатите от глобалното търсене на идентификатори в предложенията за файлове при бързо отваряне.",
+ "search.quickOpen.includeHistory": "Дали да се включват резултати от наскоро отваряните файлове в предложенията за файлове при бързо отваряне.",
+ "filterSortOrder.default": "History entries are sorted by relevance based on the filter value used. More relevant entries appear first.",
+ "filterSortOrder.recency": "History entries are sorted by recency. More recently opened entries appear first.",
+ "filterSortOrder": "Controls sorting order of editor history in quick open when filtering.",
+ "search.followSymlinks": "Определя дали при търсене да се проследяват символните връзки.",
+ "search.smartCase": "Ако шаблонът използва само малки букви, търсенето няма да прави разлика между малки и главни букви. Иначе търсенето ще зачита регистъра.",
+ "search.globalFindClipboard": "Определя дали изгледът за търсене да може да чете и променя споделения буфер за търсене на macOS.",
+ "search.location": "Определя дали търсенето ще бъде показано като изглед в страничната лента или като панел в областта за панели, за да има повече хоризонтално пространство",
+ "search.location.deprecationMessage": "This setting is deprecated. Please use the search view's context menu instead.",
+ "search.collapseResults.auto": "Files with less than 10 results are expanded. Others are collapsed.",
+ "search.collapseAllResults": "Определя дали резултатите от търсенето ще бъдат свити или разгънати.",
+ "search.useReplacePreview": "Определя дали да се отваря елемента за прегледа на замяната при избирането или замяната на съвпадение.",
+ "search.showLineNumbers": "Определя дали да се показват номерата на редовете в резултатите от търсене.",
+ "search.usePCRE2": "Дали да се използва реализацията за разпознаване на регулярни изрази PCRE2 при търсене на текст. Това включва някои разширени функционалности за регулярните изрази, като поглеждане напред и обратни препратки. Все пак не се поддържат всички функционалности на PCRE2 – а само тези, които се поддържат и от JavaScript.",
+ "usePCRE2Deprecated": "Deprecated. PCRE2 will be used automatically when using regex features that are only supported by PCRE2.",
+ "search.actionsPositionAuto": "Поставяне на лентата с действия вдясно, когато изгледът за търсене е тесен, и точно след съдържанието, когато изгледът за търсене е широк.",
+ "search.actionsPositionRight": "Лентата с действията да е винаги вдясно.",
+ "search.actionsPosition": "Определя местоположението на лентата с действия на редовете в изгледа за търсене.",
+ "search.searchOnType": "Search all files as you type.",
+ "search.searchOnTypeDebouncePeriod": "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.",
+ "search.searchEditor.doubleClickBehaviour.selectWord": "Double clicking selects the word under the cursor.",
+ "search.searchEditor.doubleClickBehaviour.goToLocation": "Double clicking opens the result in the active editor group.",
+ "search.searchEditor.doubleClickBehaviour.openLocationToSide": "Double clicking opens the result in the editor group to the side, creating one if it does not yet exist.",
+ "search.searchEditor.doubleClickBehaviour": "Configure effect of double clicking a result in a search editor.",
+ "searchSortOrder.default": "Results are sorted by folder and file names, in alphabetical order.",
+ "searchSortOrder.filesOnly": "Results are sorted by file names ignoring folder order, in alphabetical order.",
+ "searchSortOrder.type": "Results are sorted by file extensions, in alphabetical order.",
+ "searchSortOrder.modified": "Results are sorted by file last modified date, in descending order.",
+ "searchSortOrder.countDescending": "Results are sorted by count per file, in descending order.",
+ "searchSortOrder.countAscending": "Results are sorted by count per file, in ascending order.",
+ "search.sortOrder": "Controls sorting order of search results.",
+ "miViewSearch": "&&Search",
+ "miGotoSymbolInWorkspace": "Go to Symbol in &&Workspace..."
+ },
+ "vs/workbench/contrib/search/browser/symbolsQuickAccess": {
+ "openToSide": "Отваряне отстрани",
+ "openToBottom": "Open to the Bottom"
+ },
+ "vs/workbench/contrib/search/common/queryBuilder": {
+ "search.noWorkspaceWithName": "В работното място няма папка с това име: {0}"
+ },
+ "vs/workbench/contrib/search/browser/searchView": {
+ "searchCanceled": "Търсене беше отменено, преди да могат да бъдат намерени някакви резултати – ",
+ "moreSearch": "Превключване на подробностите за търсенето",
+ "searchScope.includes": "файлове за включване",
+ "label.includes": "Шаблони за включване в търсенето",
+ "searchScope.excludes": "файлове за изключване",
+ "label.excludes": "Шаблони за изключване от търсенето",
+ "replaceAll.confirmation.title": "Замяна на всички",
+ "replaceAll.confirm.button": "&&Replace",
+ "replaceAll.occurrence.file.message": "{0} срещане беше заменено с „{2}“ в {1} файл.",
+ "removeAll.occurrence.file.message": "Replaced {0} occurrence across {1} file.",
+ "replaceAll.occurrence.files.message": "{0} срещане беше заменено с „{2}“ в {1} файла.",
+ "removeAll.occurrence.files.message": "{0} срещане беше заменено в {1} файла.",
+ "replaceAll.occurrences.file.message": "{0} срещания бяха заменени с „{2}“ в {1} файл.",
+ "removeAll.occurrences.file.message": "Replaced {0} occurrences across {1} file.",
+ "replaceAll.occurrences.files.message": "{0} срещания бяха заменени с „{2}“ в {1} файла.",
+ "removeAll.occurrences.files.message": "{0} срещания бяха заменени в {1} файла.",
+ "removeAll.occurrence.file.confirmation.message": "Искате ли да замените {0} срещане с „{2}“ в {1} файл?",
+ "replaceAll.occurrence.file.confirmation.message": "Replace {0} occurrence across {1} file?",
+ "removeAll.occurrence.files.confirmation.message": "Искате ли да замените {0} срещане с „{2}“ в {1} файла?",
+ "replaceAll.occurrence.files.confirmation.message": "Искате ли да замените {0} срещане в {1} файла?",
+ "removeAll.occurrences.file.confirmation.message": "Искате ли да замените {0} срещания с „{2}“ в {1} файл?",
+ "replaceAll.occurrences.file.confirmation.message": "Replace {0} occurrences across {1} file?",
+ "removeAll.occurrences.files.confirmation.message": "Искате ли да замените {0} срещания с „{2}“ в {1} файла?",
+ "replaceAll.occurrences.files.confirmation.message": "Искате ли да замените {0} срещания в {1} файла?",
+ "ariaSearchResultsClearStatus": "The search results have been cleared",
+ "searchPathNotFoundError": "Пътят за търсене не е намерен: {0}",
+ "searchMaxResultsWarning": "Резултатите включват само част от всички съвпадения. Моля, търсене нещо по-конкретно, за да ограничите резултатите.",
+ "noResultsIncludesExcludes": "Няма намерени резултати в „{0}“ при изключване на „{1}“ – ",
+ "noResultsIncludes": "Няма намерени резултати в „{0}“ – ",
+ "noResultsExcludes": "Няма намерени резултати при изключване на „{0}“ – ",
+ "noResultsFound": "No results found. Review your settings for configured exclusions and check your gitignore files - ",
+ "rerunSearch.message": "Търсене отново",
+ "rerunSearchInAll.message": "Търсене отново във всички файлове",
+ "openSettings.message": "Отваряне на настройките",
+ "openSettings.learnMore": "Научете повече",
+ "ariaSearchResultsStatus": "Търсене откри {0} резултата в {1} файла",
+ "useIgnoresAndExcludesDisabled": " - настройките за изключване и игнориране на файлове са изключени",
+ "openInEditor.message": "Open in editor",
+ "openInEditor.tooltip": "Copy current search results to an editor",
+ "search.file.result": "{0} резултат в {1} файл",
+ "search.files.result": "{0} резултат в {1} файла",
+ "search.file.results": "{0} резултата в {1} файл",
+ "search.files.results": "{0} резултата в {1} файла",
+ "searchWithoutFolder": "You have not opened or specified a folder. Only open files are currently searched - ",
+ "openFolder": "Отваряне на папка"
+ },
+ "vs/workbench/contrib/search/browser/searchWidget": {
+ "search.action.replaceAll.disabled.label": "Замяна на всички (изпълнете търсене, за да се разреши)",
+ "search.action.replaceAll.enabled.label": "Замяна на всички",
+ "search.replace.toggle.button.title": "Превключване на режима на замяна",
+ "label.Search": "Търсене: въведете нещо и натиснете „Enter“ за търсене или „Escape“ за отказ",
+ "search.placeHolder": "Search",
+ "showContext": "Show Context",
+ "label.Replace": "Замяна: въведете нещо и натиснете „Enter“ за преглед или „Escape“ за отказ",
+ "search.replace.placeHolder": "Замяна"
+ },
+ "vs/workbench/contrib/search/browser/searchActions": {
+ "showSearch": "Показване на търсенето",
+ "replaceInFiles": "Замяна във файловете",
+ "toggleTabs": "Toggle Search on Type",
+ "RefreshAction.label": "Опресняване",
+ "CollapseDeepestExpandedLevelAction.label": "Скриване на всички",
+ "ExpandAllAction.label": "Expand All",
+ "ToggleCollapseAndExpandAction.label": "Toggle Collapse and Expand",
+ "ClearSearchResultsAction.label": "Clear Search Results",
+ "CancelSearchAction.label": "Отказване на търсенето",
+ "FocusNextSearchResult.label": "Фокусиране върху следващия резултат от търсенето",
+ "FocusPreviousSearchResult.label": "Фокусиране върху предходния резултат от търсенето",
+ "RemoveAction.label": "Отхвърляне",
+ "file.replaceAll.label": "Замяна на всички",
+ "match.replace.label": "Замяна"
+ },
+ "vs/workbench/contrib/search/browser/replaceService": {
+ "fileReplaceChanges": "{0} ↔ {1} (Преглед на замяната)"
+ },
+ "vs/workbench/contrib/search/browser/patternInputWidget": {
+ "defaultLabel": "вход",
+ "useExcludesAndIgnoreFilesDescription": "Използвайте настройките за изключване и игнориране на файлове"
+ },
+ "vs/workbench/contrib/search/browser/anythingQuickAccess": {
+ "recentlyOpenedSeparator": "последно отваряно",
+ "fileAndSymbolResultsSeparator": "резултати – файлове и идентификатори",
+ "fileResultsSeparator": "резултати – файлове",
+ "filePickAriaLabelDirty": "{0}, dirty",
+ "openToSide": "Отваряне отстрани",
+ "openToBottom": "Open to the Bottom",
+ "closeEditor": "Премахване от последно отваряните"
+ },
+ "vs/workbench/contrib/search/browser/searchResultsView": {
+ "searchFolderMatch.other.label": "Other files",
+ "searchFileMatches": "Намерени са {0} файла",
+ "searchFileMatch": "Намерен е {0} файл",
+ "searchMatches": "Открити са {0} съвпадения",
+ "searchMatch": "Открито е {0} съвпадение",
+ "lineNumStr": "From line {0}",
+ "numLinesStr": "Още {0} реда",
+ "folderMatchAriaLabel": "{0} съвпадения в главната папка „{1}“, резултат от търсенето",
+ "otherFilesAriaLabel": "{0} съвпадения извън работното място, резултат от търсенето",
+ "fileMatchAriaLabel": "{0} съвпадения във файла „{1}“ или папката „{2}“, резултат от търсенето",
+ "replacePreviewResultAria": "Замяна на „{0}“ с „{1}“ на колона {2} на реда с текст „{3}“",
+ "searchResultAria": "Открито е срещане на „{0}“ на колона {1} на реда с текст „{2}“"
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditor.contribution": {
+ "searchEditor": "Search Editor",
+ "search": "Search Editor"
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditorActions": {
+ "search.openNewEditor": "Open New Search Editor",
+ "search.openNewEditorToSide": "Open New Search Editor to Side",
+ "search.openResultsInEditor": "Open Results in Editor",
+ "search.rerunSearchInEditor": "Търсене отново"
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditorInput": {
+ "searchTitle.withQuery": "Search: {0}",
+ "searchTitle": "Search"
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditor": {
+ "moreSearch": "Превключване на подробностите за търсенето",
+ "searchScope.includes": "файлове за включване",
+ "label.includes": "Шаблони за включване в търсенето",
+ "searchScope.excludes": "файлове за изключване",
+ "label.excludes": "Шаблони за изключване от търсенето",
+ "runSearch": "Run Search",
+ "searchResultItem": "Matched {0} at {1} in file {2}",
+ "searchEditor": "Search Editor",
+ "textInputBoxBorder": "Search editor text input box border."
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditorSerialization": {
+ "invalidQueryStringError": "All backslashes in Query string must be escaped (\\\\)",
+ "numFiles": "{0} files",
+ "oneFile": "1 file",
+ "numResults": "{0} results",
+ "oneResult": "1 result",
+ "noResults": "Няма резултати"
+ },
+ "vs/workbench/contrib/snippets/browser/snippets.contribution": {
+ "snippetSchema.json.default": "Empty snippet",
+ "snippetSchema.json": "Конфигурация на потребителските фрагменти",
+ "snippetSchema.json.prefix": "Представката, която се използва за избиране на фрагмента в автоматичните подсказки",
+ "snippetSchema.json.body": "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'.",
+ "snippetSchema.json.description": "Описанието на фрагмента.",
+ "snippetSchema.json.scope": "A list of language names to which this snippet applies, e.g. 'typescript,javascript'."
+ },
+ "vs/workbench/contrib/snippets/browser/insertSnippet": {
+ "snippet.suggestions.label": "Вмъкване на фрагмент",
+ "sep.userSnippet": "Потребителски фрагменти",
+ "sep.extSnippet": "Фрагменти от разширения",
+ "sep.workspaceSnippet": "Фрагменти от работната област"
+ },
+ "vs/workbench/contrib/snippets/browser/configureSnippets": {
+ "global.scope": "(глобален)",
+ "global.1": "({0})",
+ "name": "Type snippet file name",
+ "bad_name1": "Invalid file name",
+ "bad_name2": "'{0}' is not a valid file name",
+ "bad_name3": "'{0}' already exists",
+ "new.global_scope": "global",
+ "new.global": "Нов файл за глобални фрагменти…",
+ "new.workspace_scope": "{0} workspace",
+ "new.folder": "Нов файл за фрагменти за „{0}“…",
+ "group.global": "Съществуващи фрагменти",
+ "new.global.sep": "Нови фрагменти",
+ "openSnippet.pickLanguage": "Изберете файл с фрагменти или създайте фрагменти",
+ "openSnippet.label": "Настройка на потребителските фрагменти",
+ "preferences": "Предпочитания",
+ "miOpenSnippets": "User &&Snippets",
+ "userSnippets": "Потребителски фрагменти"
+ },
+ "vs/workbench/contrib/snippets/browser/snippetsService": {
+ "invalid.path.0": "В настройката `contributes.{0}.path` се очаква низ. Зададената стойност е: {1}",
+ "invalid.language.0": "Ако се пропуска езикът, стойността на настройката `contributes.{0}.path` трябва да бъде файл от тип `.code-snippets`. Зададената стойност е: {1}",
+ "invalid.language": "В настройката `contributes.{0}.language` има непознат език. Зададена стойност: {1}",
+ "invalid.path.1": "Очаква се пътят в `contributes.{0}.path` ({1}) да бъде в папката на разширението ({2}). Това може да направи разширението негодно за използване на други системи.",
+ "vscode.extension.contributes.snippets": "Добавя фрагменти.",
+ "vscode.extension.contributes.snippets-language": "Идентификатор на езика, за които се използва този фрагмент.",
+ "vscode.extension.contributes.snippets-path": "Път до файла с фрагментите. Пътят е относителен спрямо папката на разширението и обикновено започва с „./snippets/“.",
+ "badVariableUse": "Много е вероятно един или повече от фрагментите в разширението „{0}“ да бъркат променливи със заместители (за повече информация вижте тук: https://code.visualstudio.com/docs/editor/userdefinedsnippets#_snippet-syntax).",
+ "badFile": "Файлът с фрагменти „{0}“ не може да бъде прочетен."
+ },
+ "vs/workbench/contrib/snippets/browser/snippetCompletionProvider": {
+ "detail.snippet": "{0} ({1})",
+ "snippetSuggest.longLabel": "{0}, {1}"
+ },
+ "vs/workbench/contrib/snippets/browser/snippetsFile": {
+ "source.workspaceSnippetGlobal": "Фрагмент от работното място",
+ "source.userSnippetGlobal": "Global User Snippet",
+ "source.userSnippet": "Потребителски фрагмент"
+ },
+ "vs/workbench/contrib/stats/electron-browser/workspaceStatsService": {
+ "workspaceFound": "Тази папка съдържа файл на работно място „{0}“. Искате ли да го отворите? [Научете повече]({1}) относно файловете на работните места.",
+ "openWorkspace": "Отваряне на работно място",
+ "workspacesFound": "Тази папка съдържа множество файлове на работни места. Искате ли да отворите някой? [Научете повече]({0}) относно файловете на работните места.",
+ "selectWorkspace": "Изберете работно място",
+ "selectToOpen": "Изберете работно място, което да отворите"
+ },
+ "vs/workbench/contrib/surveys/browser/nps.contribution": {
+ "surveyQuestion": "Искате ли да участвате в кратко проучване?",
+ "takeSurvey": "Участване",
+ "remindLater": "По-късно",
+ "neverAgain": "Да не се показва повече"
+ },
+ "vs/workbench/contrib/surveys/browser/languageSurveys.contribution": {
+ "helpUs": "Помогнете ни да подобрим поддръжката на {0}",
+ "takeShortSurvey": "Участване",
+ "remindLater": "По-късно",
+ "neverAgain": "Да не се показва повече"
+ },
+ "vs/workbench/contrib/tags/electron-browser/workspaceTagsService": {
+ "workspaceFound": "Тази папка съдържа файл на работно място „{0}“. Искате ли да го отворите? [Научете повече]({1}) относно файловете на работните места.",
+ "openWorkspace": "Отваряне на работно място",
+ "workspacesFound": "Тази папка съдържа множество файлове на работни места. Искате ли да отворите някой? [Научете повече]({0}) относно файловете на работните места.",
+ "selectWorkspace": "Изберете работно място",
+ "selectToOpen": "Изберете работно място, което да отворите"
+ },
+ "vs/workbench/contrib/tasks/node/processRunnerDetector": {
+ "TaskSystemDetector.noGulpTasks": "Изпълнението на „gulp --tasks-simple“ не намери никакви задачи. Изпълнихте ли „npm install“?",
+ "TaskSystemDetector.noJakeTasks": "Изпълнението на „jake --tasks-simple“ не намери никакви задачи. Изпълнихте ли „npm install“?",
+ "TaskSystemDetector.noGulpProgram": "Gulp не е инсталиран. Изпълнете „npm install -g gulp“, за да го инсталирате.",
+ "TaskSystemDetector.noJakeProgram": "Jake не е инсталиран. Изпълнете „npm install -g jake“, за да го инсталирате.",
+ "TaskSystemDetector.noGruntProgram": "Grunt не е инсталиран. Изпълнете „npm install -g grunt“, за да го инсталирате.",
+ "TaskSystemDetector.noProgram": "Програмата „{0}“ не беше намерена. Съобщението е: {1}",
+ "TaskSystemDetector.buildTaskDetected": "Разпозната е задача за изграждане с име „{0}“.",
+ "TaskSystemDetector.testTaskDetected": "Разпозната е задача за тестване с име „{0}“."
+ },
+ "vs/workbench/contrib/tasks/node/processTaskSystem": {
+ "version1_0": "Системата за задачи е настроена за версия 0.1.0 (вижте файла „tasks.json“), която може да използва само персонализирани задачи. Надградете до версия 2.0.0, за да изпълните задачата: {0}",
+ "TaskRunnerSystem.unknownError": "Възникна непозната грешка при изпълняването на задача. Прегледайте журнала на задачите за подробности.",
+ "TaskRunnerSystem.watchingBuildTaskFinished": "\nНаблюдението на задачите за изграждане приключи.",
+ "TaskRunnerSystem.childProcessError": "Външната програма „{0}“ с аргументи „{1}“ не може да се стартира.",
+ "TaskRunnerSystem.cancelRequested": "\nЗадачата „{0}“ беше прекратена по желание на потребителя.",
+ "unknownProblemMatcher": "Кодът за съвпадение на проблеми „{0}“ не може да бъде определен, и ще бъде игнориран"
+ },
+ "vs/workbench/contrib/tasks/browser/task.contribution": {
+ "tasksCategory": "Задачи",
+ "building": "Изграждане…",
+ "runningTasks": "Показване на изпълняващите се задачи",
+ "status.runningTasks": "Running Tasks",
+ "miRunTask": "&&Run Task...",
+ "miBuildTask": "Run &&Build Task...",
+ "miRunningTask": "Show Runnin&&g Tasks...",
+ "miRestartTask": "R&&estart Running Task...",
+ "miTerminateTask": "&&Terminate Task...",
+ "miConfigureTask": "&&Configure Tasks...",
+ "miConfigureBuildTask": "Configure De&&fault Build Task...",
+ "workbench.action.tasks.openWorkspaceFileTasks": "Open Workspace Tasks",
+ "ShowLogAction.label": "Показване на журнала на задачите",
+ "RunTaskAction.label": "Изпълнение на задача",
+ "ReRunTaskAction.label": "Повторно изпълнение на последната задача",
+ "RestartTaskAction.label": "Рестартиране на изпълняваща се задача",
+ "ShowTasksAction.label": "Показване на изпълняващите се задачи",
+ "TerminateAction.label": "Прекратяване на задачата",
+ "BuildAction.label": "Изпълнение на задача за изграждане",
+ "TestAction.label": "Изпълнение на задача за тестване",
+ "ConfigureDefaultBuildTask.label": "Настройване на задача по подразбиране за изграждане",
+ "ConfigureDefaultTestTask.label": "Настройване на задача по подразбиране за тестване",
+ "workbench.action.tasks.openUserTasks": "Open User Tasks",
+ "tasksQuickAccessPlaceholder": "Type the name of a task to run.",
+ "tasksQuickAccessHelp": "Изпълнение на задача",
+ "tasksConfigurationTitle": "Задачи",
+ "task.problemMatchers.neverPrompt": "Configures whether to show the problem matcher prompt when running a task. Set to `true` to never prompt, or use a dictionary of task types to turn off prompting only for specific task types.",
+ "task.problemMatchers.neverPrompt.boolean": "Sets problem matcher prompting behavior for all tasks.",
+ "task.problemMatchers.neverPrompt.array": "An object containing task type-boolean pairs to never prompt for problem matchers on.",
+ "task.autoDetect": "Controls enablement of `provideTasks` for all task provider extension. If the Tasks: Run Task command is slow, disabling auto detect for task providers may help. Individual extensions may also provide settings that disable auto detection.",
+ "task.slowProviderWarning": "Configures whether a warning is shown when a provider is slow",
+ "task.slowProviderWarning.boolean": "Sets the slow provider warning for all tasks.",
+ "task.slowProviderWarning.array": "An array of task types to never show the slow provider warning.",
+ "task.quickOpen.history": "Controls the number of recent items tracked in task quick open dialog.",
+ "task.quickOpen.detail": "Controls whether to show the task detail for task that have a detail in the Run Task quick pick.",
+ "task.quickOpen.skip": "Controls whether the task quick pick is skipped when there is only one task to pick from."
+ },
+ "vs/workbench/contrib/tasks/common/tasks": {
+ "TaskDefinition.missingRequiredProperty": "Грешка: в идентификатора на задача „{0}“ липсва задължителното свойство „{1}“. Идентификаторът ще бъде игнориран."
+ },
+ "vs/workbench/contrib/tasks/common/jsonSchema_v1": {
+ "JsonSchema.version.deprecated": "Версия 0.1.0 на задачите е излязла от употреба. Моля, използвайте версия 2.0.0.",
+ "JsonSchema.version": "Номерът на версията на конфигурацията",
+ "JsonSchema._runner": "Свойството „runner“ вече се поддържа официално и може да го използвате",
+ "JsonSchema.runner": "Определя дали задачата се изпълнява като процес и изходът се показва в прозореца за изход, или в терминала.",
+ "JsonSchema.windows": "Конфигурация на команда специфична за Windows",
+ "JsonSchema.mac": "Конфигурация на команда специфична за Mac",
+ "JsonSchema.linux": "Конфигурация на команда специфична за Линукс",
+ "JsonSchema.shell": "Определя дали командата е команда на обвивката или външна програма. Ако бъде пропуснато, се подразбира „false“ (невярно)."
+ },
+ "vs/workbench/contrib/tasks/browser/tasksQuickAccess": {
+ "TaskService.pickRunTask": "Изберете задача за изпълнение"
+ },
+ "vs/workbench/contrib/tasks/common/taskDefinitionRegistry": {
+ "TaskDefinition.description": "Действителният тип на задачата. Имайте предвид, че типовете, започващи с „$“ са запазени за вътрешно ползване.",
+ "TaskDefinition.properties": "Допълнителни свойства на типа на задачата",
+ "TaskTypeConfiguration.noType": "В настройката на типа на задачата липсва свойството „taskType“",
+ "TaskDefinitionExtPoint": "Добавя нови видове задачи"
+ },
+ "vs/workbench/contrib/tasks/browser/runAutomaticTasks": {
+ "tasks.run.allowAutomatic": "This folder has tasks ({0}) defined in 'tasks.json' that run automatically when you open this folder. Do you allow automatic tasks to run when you open this folder?",
+ "allow": "Allow and run",
+ "disallow": "Забраняване",
+ "openTasks": "Отваряне на „tasks.json“",
+ "workbench.action.tasks.manageAutomaticRunning": "Manage Automatic Tasks in Folder",
+ "workbench.action.tasks.allowAutomaticTasks": "Allow Automatic Tasks in Folder",
+ "workbench.action.tasks.disallowAutomaticTasks": "Disallow Automatic Tasks in Folder"
+ },
+ "vs/workbench/contrib/tasks/common/taskConfiguration": {
+ "ConfigurationParser.invalidCWD": "Предупреждение: „options.cwd“ трябва да бъде низ. Пренебрегване на стойността „{0}“.\n",
+ "ConfigurationParser.inValidArg": "Грешка: аргументът на командата трябва да бъде низ или низ в кавички. Зададената стойност е:\n{0}",
+ "ConfigurationParser.noShell": "Внимание: конфигурацията на обвивката се поддържа само при изпълнени на задачи в терминала.",
+ "ConfigurationParser.noName": "Грешка: кодът за съвпадение на проблеми в обхвата за декларации трябва да има име:\n{0}\n",
+ "ConfigurationParser.unknownMatcherKind": "Warning: the defined problem matcher is unknown. Supported types are string | ProblemMatcher | Array.\n{0}\n",
+ "ConfigurationParser.invalidVariableReference": "Грешка: неправилна препратка към „problemMatcher“: {0}\n",
+ "ConfigurationParser.noTaskType": "Грешка: конфигурацията на задачи трябва да има свойство „type“. Конфигурацията ще бъде игнорирана.\n{0}\n",
+ "ConfigurationParser.noTypeDefinition": "Грешка: няма регистриран тип на задача „{0}“. Пропуснахте ли да инсталирате разширение, което осигурява съответен доставчик на задачи?",
+ "ConfigurationParser.missingType": "Грешка: в конфигурацията на задача „{0}“ липсва задължителното свойство „type“ (тип). Конфигурацията ще бъде игнорирана.",
+ "ConfigurationParser.incorrectType": "Грешка: в конфигурацията на задача „{0}“ използва непознат тип. Конфигурацията ще бъде игнорирана.",
+ "ConfigurationParser.notCustom": "Грешка: „tasks“ не е декларирано като персонализирана задача. Конфигурацията ще бъде игнорирана.\n{0}\n",
+ "ConfigurationParser.noTaskName": "Грешка: всяка задача трябва да има свойство „label“. Задачата ще бъде игнорирана.\n{0}\n",
+ "taskConfiguration.noCommandOrDependsOn": "Грешка: задачата „{0}“ не посочва стойност нито на свойството „command“, нито на „dependsOn“. Задачата ще бъде игнорирана. Дефиницията ѝ е:\n{1}",
+ "taskConfiguration.noCommand": "Грешка: задачата „{0}“ не дефинира команда. Задачата ще бъде игнорирана. Дефиницията ѝ е:\n{1}",
+ "TaskParse.noOsSpecificGlobalTasks": "Версията на задачите 2.0.0 не поддържа глобални задачи за конкретна операционна система. Преобразувайте ги в задачи с команди за конкретна ОС. Засегнатите задачи са:\n{0}"
+ },
+ "vs/workbench/contrib/tasks/common/jsonSchema_v2": {
+ "JsonSchema.shell": "Определя дали командата е команда на обвивката или външна програма. Ако бъде пропуснато, се подразбира „false“ (невярно).",
+ "JsonSchema.tasks.isShellCommand.deprecated": "Свойството „isShellCommand“ е излязло от употреба. Вместо него използвайте свойството „type“ (тип) на задачата и „shell“ в опциите. Вижте и бележките за версия 1.14.",
+ "JsonSchema.tasks.dependsOn.identifier": "The task identifier.",
+ "JsonSchema.tasks.dependsOn.string": "Друга задача, от която тази зависи.",
+ "JsonSchema.tasks.dependsOn.array": "Другите задачи, от които тази зависи.",
+ "JsonSchema.tasks.dependsOn": "Either a string representing another task or an array of other tasks that this task depends on.",
+ "JsonSchema.tasks.dependsOrder.parallel": "Run all dependsOn tasks in parallel.",
+ "JsonSchema.tasks.dependsOrder.sequence": "Run all dependsOn tasks in sequence.",
+ "JsonSchema.tasks.dependsOrder": "Determines the order of the dependsOn tasks for this task. Note that this property is not recursive.",
+ "JsonSchema.tasks.detail": "An optional description of a task that shows in the Run Task quick pick as a detail.",
+ "JsonSchema.tasks.presentation": "Configures the panel that is used to present the task's output and reads its input.",
+ "JsonSchema.tasks.presentation.echo": "Определя дали изпълняваната команда да се показва в панела. По подразбиране това е „true“ (вярно).",
+ "JsonSchema.tasks.presentation.focus": "Определя дали панелът да получава фокус. По подразбиране това е „false“ (невярно). Ако е зададено „true“ (вярно), панелът също и ще бъде показан.",
+ "JsonSchema.tasks.presentation.revealProblems.always": "Always reveals the problems panel when this task is executed.",
+ "JsonSchema.tasks.presentation.revealProblems.onProblem": "Only reveals the problems panel if a problem is found.",
+ "JsonSchema.tasks.presentation.revealProblems.never": "Never reveals the problems panel when this task is executed.",
+ "JsonSchema.tasks.presentation.revealProblems": "Controls whether the problems panel is revealed when running this task or not. Takes precedence over option \"reveal\". Default is \"never\".",
+ "JsonSchema.tasks.presentation.reveal.always": "Терминалът да се показва винаги при изпълняване на тази задача.",
+ "JsonSchema.tasks.presentation.reveal.silent": "Only reveals the terminal if the task exits with an error or the problem matcher finds an error.",
+ "JsonSchema.tasks.presentation.reveal.never": "Терминалът да не се показва никога при изпълняване на тази задача.",
+ "JsonSchema.tasks.presentation.reveal": "Controls whether the terminal running the task is revealed or not. May be overridden by option \"revealProblems\". Default is \"always\".",
+ "JsonSchema.tasks.presentation.instance": "Определя дали панелът да се споделя между задачите, да бъде само за тази задача, или да се създава нов при всяко изпълнение.",
+ "JsonSchema.tasks.presentation.showReuseMessage": "Определя дали да се показва съобщението „Терминалът ще се преизползва от задачите. Натиснете произволен клавиш, за да го затворите“.",
+ "JsonSchema.tasks.presentation.clear": "Определя дали терминалът да се изчиства преди изпълнението на задача.",
+ "JsonSchema.tasks.presentation.group": "Controls whether the task is executed in a specific terminal group using split panes.",
+ "JsonSchema.tasks.terminal": "Свойството „terminal“ е излязло от употреба. Вместо това използвайте „presentation“.",
+ "JsonSchema.tasks.group.kind": "Групата за изпълнение на задачата.",
+ "JsonSchema.tasks.group.isDefault": "Определя дали тази задача е задачата по подразбиране на групата.",
+ "JsonSchema.tasks.group.defaultBuild": "Отбелязва задачата като задача по подразбиране за изграждане.",
+ "JsonSchema.tasks.group.defaultTest": "Отбелязва задачата като задача по подразбиране за тестване.",
+ "JsonSchema.tasks.group.build": "Marks the task as a build task accessible through the 'Run Build Task' command.",
+ "JsonSchema.tasks.group.test": "Marks the task as a test task accessible through the 'Run Test Task' command.",
+ "JsonSchema.tasks.group.none": "Отчислява задачата извън всякакви групи",
+ "JsonSchema.tasks.group": "Определя към коя група за изпълнение принадлежи тази задача. Поддържани стойности: „build“ (изграждане) – за добавяне в групата за изграждане, и „test“ (тестване) – за добавяне към групата за тестване.",
+ "JsonSchema.tasks.type": "Определя дали задачата се изпълнява като процес или като команда на обвивката.",
+ "JsonSchema.commandArray": "Командата на обвивката, която да бъде изпълнена. Елементите на масива ще бъдат долепени един до друг с интервал",
+ "JsonSchema.command.quotedString.value": "Действителната стойност на командата",
+ "JsonSchema.tasks.quoting.escape": "Екранира знаците, използвайки екраниращия знак на обвивката (напр. ` при „PowerShell“ или \\ при „bash“).",
+ "JsonSchema.tasks.quoting.strong": "Поставя кавички около аргумента, използвайки силния знак за кавички на обвивката (напр. \" при „PowerShell“ и „bash“).",
+ "JsonSchema.tasks.quoting.weak": "Поставя кавички около аргумента, използвайки слабия знак за кавички на обвивката (напр. ' при „PowerShell“ и „bash“).",
+ "JsonSchema.command.quotesString.quote": "Как трябва да се поставят кавичките за стойността на командата.",
+ "JsonSchema.command": "Командата за изпълнение. Това може да бъде външна програма или команда на обвивката.",
+ "JsonSchema.args.quotedString.value": "Действителната стойност на аргумента",
+ "JsonSchema.args.quotesString.quote": "Как трябва да се поставят кавичките за стойността на аргумента.",
+ "JsonSchema.tasks.args": "Аргументи, които се подават на командата при изпълнението на тази задача.",
+ "JsonSchema.tasks.label": "Етикетът на задачата в потребителския интерфейс",
+ "JsonSchema.version": "Номерът на версията на конфигурацията.",
+ "JsonSchema.tasks.identifier": "Идентификатор дефиниран от потребителя, чрез който да се разпознава тази задача в „launch.json“ или в свойството „dependsOn“.",
+ "JsonSchema.tasks.identifier.deprecated": "Идентификаторите, дефинирани от потребителя, са излезли от употреба. За персонализирани задачи използвайте името им, а за задачите от разширения използвайте дефинирания им идентификатор.",
+ "JsonSchema.tasks.reevaluateOnRerun": "Дали променливите на задачата да се преизчисляват при повторно изпълнение.",
+ "JsonSchema.tasks.runOn": "Настройва кога да се изпълнява задачата. Ако е зададено „folderOpen“ (отваряне на папка), то задачата ще се изпълнява автоматично при отварянето на папката.",
+ "JsonSchema.tasks.instanceLimit": "The number of instances of the task that are allowed to run simultaneously.",
+ "JsonSchema.tasks.runOptions": "Настройки, свързани с изпълнението на задачата",
+ "JsonSchema.tasks.taskLabel": "Етикетът на задачата",
+ "JsonSchema.tasks.taskName": "Името на задачата",
+ "JsonSchema.tasks.taskName.deprecated": "Свойството „name“ (име) на задачата е излязло от употреба. Вместо него използвайте свойството „label“ (етикет).",
+ "JsonSchema.tasks.background": "Дали изпълняваната задача се поддържа в работещо състояние и дали работи на заден фон.",
+ "JsonSchema.tasks.promptOnClose": "Дали да се пита потребителят за потвърждение при затваряне на VS Code, когато има изпълняваща се задача.",
+ "JsonSchema.tasks.matchers": "Кой/кои код(ове) за съвпадение на проблеми да се използва(т). Това може да бъде низ или дефиниция на код за съвпадение на проблеми, или масив от низове и кодове за съвпадение на проблеми.",
+ "JsonSchema.customizations.customizes.type": "Типът на задачата за персонализиране",
+ "JsonSchema.tasks.customize.deprecated": "Свойството „customize“ (персонализиране) е излязло от употреба. Вижте бележките за версия 1.14, където ще намерите информация относно новия начин за персонализиране.",
+ "JsonSchema.tasks.showOutput.deprecated": "Свойството „showOutput“ (показване на изхода) е излязло от употреба. Вместо него използвайте свойството „reveal“ вътре в свойството „presentation“. Вижте и бележките за версия 1.14.",
+ "JsonSchema.tasks.echoCommand.deprecated": "Свойството „echoCommand“ (извеждане на командата) е излязло от употреба. Вместо него използвайте свойството „echo“ (извеждане) вътре в свойството „presentation“. Вижте и бележките за версия 1.14.",
+ "JsonSchema.tasks.suppressTaskName.deprecated": "Свойството „suppressTaskName“ (потискане на името на задачата) е излязло от употреба. Вместо него въведете командата и аргументите ѝ заедно в задачата. Вижте и бележките за версия 1.14.",
+ "JsonSchema.tasks.isBuildCommand.deprecated": "Свойството „isBuildCommand“ (дали е команда за изграждане) е излязло от употреба. Вместо него използвайте свойството „group“ (група). Вижте и бележките за версия 1.14.",
+ "JsonSchema.tasks.isTestCommand.deprecated": "Свойството „isTestCommand“ (дали е команда за тестване) е излязло от употреба. Вместо него използвайте свойството „group“ (група). Вижте и бележките за версия 1.14.",
+ "JsonSchema.tasks.taskSelector.deprecated": "Свойството „taskSelector“ (избор на задача) е излязло от употреба. Вместо него въведете командата и аргументите ѝ заедно в задачата. Вижте и бележките за версия 1.14.",
+ "JsonSchema.windows": "Конфигурация на команда специфична за Windows",
+ "JsonSchema.mac": "Конфигурация на команда специфична за Mac",
+ "JsonSchema.linux": "Конфигурация на команда специфична за Линукс"
+ },
+ "vs/workbench/contrib/tasks/common/jsonSchemaCommon": {
+ "JsonSchema.options": "Допълнителни командни опции",
+ "JsonSchema.options.cwd": "Текущата работна папка на изпълняваната програма или скрипт. Ако бъде пропуснато, ще се използва главната папка на текущото работно място.",
+ "JsonSchema.options.env": "Средата на изпълняваната програма или команда. Ако бъде пропуснато, ще се използва средата на родителския процес.",
+ "JsonSchema.shellConfiguration": "Настройва обвивката, която да се използва.",
+ "JsonSchema.shell.executable": "Обвивката, която да се ползва.",
+ "JsonSchema.shell.args": "Аргументите на обвивката.",
+ "JsonSchema.command": "Командата за изпълнение. Това може да бъде външна програма или команда на обвивката.",
+ "JsonSchema.tasks.args": "Аргументи, които се подават на командата при изпълнението на тази задача.",
+ "JsonSchema.tasks.taskName": "Името на задачата",
+ "JsonSchema.tasks.windows": "Конфигурация на команда специфична за Windows",
+ "JsonSchema.tasks.matchers": "Кой/кои код(ове) за съвпадение на проблеми да се използва(т). Това може да бъде низ или дефиниция на код за съвпадение на проблеми, или масив от низове и кодове за съвпадение на проблеми.",
+ "JsonSchema.tasks.mac": "Конфигурация на команда специфична за Mac",
+ "JsonSchema.tasks.linux": "Конфигурация на команда специфична за Линукс",
+ "JsonSchema.tasks.suppressTaskName": "Определя дали името на задачата се подава като аргумент на командата. Ако бъде пропуснато, ще се използва глобалната стойност.",
+ "JsonSchema.tasks.showOutput": "Определя дали изходът от изпълняващата се задача да се показва или не. Ако бъде пропуснато, ще се използва глобалната стойност.",
+ "JsonSchema.echoCommand": "Определя дали изпълняваната команда да се извежда в изхода. По подразбиране това е „false“ (невярно).",
+ "JsonSchema.tasks.watching.deprecation": "Това е излязло от употреба. Вместо това използвайте „isBackground“.",
+ "JsonSchema.tasks.watching": "Дали изпълняващата се задача да се поддържа в работещо състояние и да следи файловата система.",
+ "JsonSchema.tasks.background": "Дали изпълняваната задача се поддържа в работещо състояние и дали работи на заден фон.",
+ "JsonSchema.tasks.promptOnClose": "Дали да се пита потребителят за потвърждение при затваряне на VS Code, когато има изпълняваща се задача.",
+ "JsonSchema.tasks.build": "Свързва тази задача с командата по подразбиране за изграждане.",
+ "JsonSchema.tasks.test": "Свързва тази задача с командата по подразбиране за тестване.",
+ "JsonSchema.args": "Допълнителни аргументи, които да бъдат подадени на командата.",
+ "JsonSchema.showOutput": "Определя дали изходът от изпълняващата се задача да се показва или не. Ако бъде пропуснато, се подразбира „always“ (винаги).",
+ "JsonSchema.watching.deprecation": "Това е излязло от употреба. Вместо това използвайте „isBackground“.",
+ "JsonSchema.watching": "Дали изпълняващата се задача да се поддържа в работещо състояние и да следи файловата система.",
+ "JsonSchema.background": "Дали изпълняваната задача се поддържа в работещо състояние и дали работи на заден фон.",
+ "JsonSchema.promptOnClose": "Дали да се пита потребителят за потвърждение при затваряне на VS Code, когато има изпълняваща се задача.",
+ "JsonSchema.suppressTaskName": "Определя дали името на задачата се подава като аргумент на командата. По подразбиране това е „false“ (невярно).",
+ "JsonSchema.taskSelector": "Представка, която да показва, че даден аргумент е задача.",
+ "JsonSchema.matchers": "Кой/кои код(ове) за съвпадение на проблеми да се използва(т). Това може да бъде низ или дефиниция на код за съвпадение на проблеми, или масив от низове и кодове за съвпадение на проблеми.",
+ "JsonSchema.tasks": "Конфигурациите на задачите. Обикновено това да подобрения на задача, която вече е дефинирана във външния изпълнител на задачи."
+ },
+ "vs/workbench/contrib/tasks/browser/taskQuickPick": {
+ "taskQuickPick.showAll": "Show All Tasks...",
+ "configureTask": "Настройване на задача",
+ "contributedTasks": "contributed",
+ "recentlyUsed": "последно използвана",
+ "configured": "configured",
+ "TaskQuickPick.goBack": "Go back ↩",
+ "TaskQuickPick.noTasksForType": "No {0} tasks found. Go back ↩"
+ },
+ "vs/workbench/contrib/tasks/common/problemMatcher": {
+ "ProblemPatternParser.problemPattern.missingRegExp": "В шаблона за проблеми липсва регулярен израз.",
+ "ProblemPatternParser.loopProperty.notLast": "Свойството „loop“ се поддържа само за съвпадение с последния ред.",
+ "ProblemPatternParser.problemPattern.kindProperty.notFirst": "Шаблонът за проблеми е неправилен. Свойството „kind“ трябва да присъства само в първия елемент.",
+ "ProblemPatternParser.problemPattern.missingProperty": "Шаблонът за проблеми е неправилен. В него трябва да има поне файл и съобщение.",
+ "ProblemPatternParser.problemPattern.missingLocation": "Шаблонът за проблеми е неправилен. В него трябва да има или свойство „kind“ със стойност „file“, или да има група за съвпадение с ред или местоположение.",
+ "ProblemPatternParser.invalidRegexp": "Грешка: низът „{0}“ не е правилен регулярен израз.\n",
+ "ProblemPatternSchema.regexp": "Регулярен израз за търсене на грешка, предупреждение или информационно съобщение в изходния поток.",
+ "ProblemPatternSchema.kind": "Дали шаблонът търси съвпадение с местоположение (файл и ред) или само файл.",
+ "ProblemPatternSchema.file": "Индекс на група на съвпадение за файловото име. Ако липсва, ще се използва 1.",
+ "ProblemPatternSchema.location": "Индекс на група на съвпадение с местоположението на проблема. Правилните шаблони изглеждат така: (ред), (ред,колона) и (начален_ред,начална_колона,краен_ред,крайна_колона). Ако липсва, ще се използва (ред,колона).",
+ "ProblemPatternSchema.line": "Индекс на група на съвпадение с реда на проблема. По подразбиране се използва 2.",
+ "ProblemPatternSchema.column": "Индекс на група на съвпадение съд знака на реда на проблема. По подразбиране се използва 3.",
+ "ProblemPatternSchema.endLine": "Индекс на група на съвпадение с крайния ред на проблема. Няма стойност по подразбиране.",
+ "ProblemPatternSchema.endColumn": "Индекс на група на съвпадение със знака на крайния ред на проблема. Няма стойност по подразбиране.",
+ "ProblemPatternSchema.severity": "Индекс на група на съвпадение със сериозността на проблема. Няма стойност по подразбиране.",
+ "ProblemPatternSchema.code": "Индекс на група на съвпадение с кода на грешката на проблема. Няма стойност по подразбиране.",
+ "ProblemPatternSchema.message": "Индекс на група на съвпадение със съобщението. Ако липсва, ще се използва 4, ако е посочено местоположение, а ако не – 5.",
+ "ProblemPatternSchema.loop": "В цикъл за съвпадение на много редове показва дали този шаблон ще се изпълнява циклично докато има съвпадения. Това може да бъде зададено само за последния шаблон в многоредов шаблон.",
+ "NamedProblemPatternSchema.name": "Името на шаблона за проблеми.",
+ "NamedMultiLineProblemPatternSchema.name": "Името на многоредовия шаблон за проблеми.",
+ "NamedMultiLineProblemPatternSchema.patterns": "Същинските шаблони.",
+ "ProblemPatternExtPoint": "Добавя шаблони за проблеми",
+ "ProblemPatternRegistry.error": "Неправилен шаблон за проблеми. Шаблонът няма да се използва.",
+ "ProblemMatcherParser.noProblemMatcher": "Грешка: описанието не може да бъде преобразувано в код за съвпадение на проблеми:\n{0}\n",
+ "ProblemMatcherParser.noProblemPattern": "Грешка: описанието не определя правилен шаблон за проблеми:\n{0}\n",
+ "ProblemMatcherParser.noOwner": "Грешка: описанието не посочва собственик:\n{0}\n",
+ "ProblemMatcherParser.noFileLocation": "Грешка: описанието не посочва местоположение на файл:\n{0}\n",
+ "ProblemMatcherParser.unknownSeverity": "Информация: непозната сериозност: „{0}“. Правилните стойности са: „error“ (грешка), „warning“ (предупреждение) и „info“ (информация).\n",
+ "ProblemMatcherParser.noDefinedPatter": "Грешка: не съществува шаблон с идентификатор „{0}“.",
+ "ProblemMatcherParser.noIdentifier": "Грешка: свойството на шаблона използва празен идентификатор.",
+ "ProblemMatcherParser.noValidIdentifier": "Грешка: свойството „{0}“ на шаблона не е правилно име на променлива в шаблона.",
+ "ProblemMatcherParser.problemPattern.watchingMatcher": "Кодът за съвпадение на проблеми трябва да включва и начален, и краен шаблон за наблюдение.",
+ "ProblemMatcherParser.invalidRegexp": "Грешка: низът „{0}“ не е правилен регулярен израз.\n",
+ "WatchingPatternSchema.regexp": "Регулярен израз, който да разпознава началото и края на фонова задача.",
+ "WatchingPatternSchema.file": "Индекс на група на съвпадение с името на файла. Може да бъде пропуснат.",
+ "PatternTypeSchema.name": "Име на добавен или предварително дефиниран шаблон.",
+ "PatternTypeSchema.description": "Шаблон за проблеми или име на добавен или предварително дефиниран шаблон за проблеми. Може да бъде пропуснато, ако има определен основен шаблон.",
+ "ProblemMatcherSchema.base": "Име на основен код за съвпадение на проблеми, който да бъде използван.",
+ "ProblemMatcherSchema.owner": "Собственикът на проблема в самата програма. Може да бъде пропуснат, ако има определен основен шаблон. Ако липсва и няма зададен основен шаблон, ще се използва „external“ (външен).",
+ "ProblemMatcherSchema.source": "Четлив низ, описващ източника на това диагностично съобщение, например „typescript“ или „super lint“.",
+ "ProblemMatcherSchema.severity": "Сериозност по подразбиране за прихванатите проблеми. Използва се, ако шаблонът не определя група на съвпадение за сериозността.",
+ "ProblemMatcherSchema.applyTo": "Определя дали проблем докладван в текстов документ да бъде приложен само към отворените, затворените, или всички документи.",
+ "ProblemMatcherSchema.fileLocation": "Определя как да се тълкуват файловите имена докладвани от шаблон за проблеми.",
+ "ProblemMatcherSchema.background": "Шаблони за следене на началото и края на код за съвпадение действащ във фонова задача.",
+ "ProblemMatcherSchema.background.activeOnStart": "If set to true the background monitor is in active mode when the task starts. This is equals of issuing a line that matches the beginsPattern",
+ "ProblemMatcherSchema.background.beginsPattern": "Ако има съвпадение в изходящия поток, ще бъде обявено начало на фонова задача.",
+ "ProblemMatcherSchema.background.endsPattern": "Ако има съвпадение в изходящия поток, ще бъде обявен край на фонова задача.",
+ "ProblemMatcherSchema.watching.deprecated": "Свойството „watching“ е излязло от употреба. Вместо това използвайте „background“.",
+ "ProblemMatcherSchema.watching": "Шаблони, които да следят началото и край на следящ код за съвпадения.",
+ "ProblemMatcherSchema.watching.activeOnStart": "Ако е зададено, следящата функционалност ще бъде в активен режим, когато задачата започва. Това е същото като извеждането на ред, който съвпада с началния шаблон",
+ "ProblemMatcherSchema.watching.beginsPattern": "Ако има съвпадение в изходящия поток, ще бъде обявено начало на следяща задача.",
+ "ProblemMatcherSchema.watching.endsPattern": "Ако има съвпадение в изходящия поток, ще бъде обявен край на следяща задача.",
+ "LegacyProblemMatcherSchema.watchedBegin.deprecated": "Това свойство е излязло от употреба. Вместо него използвайте свойството „watching“.",
+ "LegacyProblemMatcherSchema.watchedBegin": "Регулярен израз, който сигнализира, че следена задача започва да се изпълнява, предизвикана чрез следене на файл.",
+ "LegacyProblemMatcherSchema.watchedEnd.deprecated": "Това свойство е излязло от употреба. Вместо него използвайте свойството „watching“.",
+ "LegacyProblemMatcherSchema.watchedEnd": "Регулярен израз, който сигнализира, че следена задача приключва изпълнението си.",
+ "NamedProblemMatcherSchema.name": "Името на кода за съвпадение, чрез който да се обозначава.",
+ "NamedProblemMatcherSchema.label": "Четим етикет за кода за съвпадение на проблеми.",
+ "ProblemMatcherExtPoint": "Добавя съвпадения на проблеми",
+ "msCompile": "Проблеми от компилатора на Microsoft",
+ "lessCompile": "Проблеми от Less",
+ "gulp-tsc": "Проблеми от Gulp TSC",
+ "jshint": "Проблеми от JSHint",
+ "jshint-stylish": "Проблеми от JSHint – стилен",
+ "eslint-compact": "Проблеми от ESLint – компактен",
+ "eslint-stylish": "Проблеми от ESLint – стилен",
+ "go": "Проблеми от Go"
+ },
+ "vs/workbench/contrib/tasks/browser/abstractTaskService": {
+ "ConfigureTaskRunnerAction.label": "Настройване на задача",
+ "tasks": "Задачи",
+ "TaskSystem.noHotSwap": "Промяната на системата за изпълнение на задачи по време на изпълнението на задача изисква прозорецът да бъде презареден",
+ "reloadWindow": "Презареждане на прозореца",
+ "TaskService.pickBuildTaskForLabel": "Select the build task (there is no default build task defined)",
+ "taskServiceOutputPrompt": "There are task errors. See the output for details.",
+ "showOutput": "Show output",
+ "TaskServer.folderIgnored": "Папката „{0}“ е пренебрегната, тъй като използва версия на задача 0.1.0",
+ "TaskService.noBuildTask1": "Няма дефинирана задача за изграждане. Трябва да отбележите някоя задача с „isBuildCommand“ във файла „tasks.json“.",
+ "TaskService.noBuildTask2": "Няма дефинирана задача за изграждане. Трябва да отбележите някоя задача като група „build“ във файла „tasks.json“.",
+ "TaskService.noTestTask1": "Няма дефинирана задача за тестване. Трябва да отбележите някоя задача с „isTestCommand“ във файла „tasks.json“.",
+ "TaskService.noTestTask2": "Няма дефинирана задача за тестване. Трябва да отбележите някоя задача като група „test“ във файла „tasks.json“.",
+ "TaskServer.noTask": "Task to execute is undefined",
+ "TaskService.associate": "свързване",
+ "TaskService.attachProblemMatcher.continueWithout": "Продължаване без сканиране на изхода от задачата",
+ "TaskService.attachProblemMatcher.never": "Never scan the task output for this task",
+ "TaskService.attachProblemMatcher.neverType": "Never scan the task output for {0} tasks",
+ "TaskService.attachProblemMatcher.learnMoreAbout": "Научете повече относно сканирането на изхода от задача",
+ "selectProblemMatcher": "Изберете за кои видове грешки и предупреждения да бъде сканиран изхода от задачата",
+ "customizeParseErrors": "В конфигурацията на текущата задача има грешки. Моля, първо оправете грешките, преди да персонализирате задачата.",
+ "tasksJsonComment": "\t// See https://go.microsoft.com/fwlink/?LinkId=733558 \n\t// for the documentation about the tasks.json format",
+ "moreThanOneBuildTask": "Във файла „tasks.json“ има дефинирани много задачи за изграждане. Ще се изпълни първата от тях.\n",
+ "TaskSystem.activeSame.noBackground": "Задачата „{0}“ вече се изпълнява.",
+ "terminateTask": "Прекратяване на задачата",
+ "restartTask": "Рестартиране на задачата",
+ "TaskSystem.active": "Вече има изпълняваща се задача. Прекратете я преди да изпълните друга задача.",
+ "TaskSystem.restartFailed": "Задачата „{0}“ не може да бъде прекратена и рестартирана",
+ "TaskService.noConfiguration": "Грешка: Разпознаването на задачи „{0}“ не добави задача за следната конфигурация:\n{1}\nЗадачата ще бъде пропусната.\n",
+ "TaskSystem.configurationErrors": "Грешка: Зададената конфигурация на задачите има грешки при валидация и не може да бъде използвана. Моля, първо оправете грешките.",
+ "TaskSystem.invalidTaskJsonOther": "Error: The content of the tasks json in {0} has syntax errors. Please correct them before executing a task.\n",
+ "TasksSystem.locationWorkspaceConfig": "workspace file",
+ "TaskSystem.versionWorkspaceFile": "Only tasks version 2.0.0 permitted in .codeworkspace.",
+ "TasksSystem.locationUserConfig": "Потребителски настройки",
+ "TaskSystem.versionSettings": "Only tasks version 2.0.0 permitted in user settings.",
+ "taskService.ignoreingFolder": "Конфигурациите на задачи за папката на работното място „{0}“ ще бъдат игнорирани. Поддръжката на задачи, които работят върху множество папки в работното място изисква всички папки да използват версия на задачите 2.0.0\n",
+ "TaskSystem.invalidTaskJson": "Грешка: В съдържанието на файла „tasks.json“ има синтактични грешки. Моля, оправете ги, преди да изпълните задача.\n",
+ "TaskSystem.runningTask": "Има изпълняваща се задача. Искате ли да я прекратите?",
+ "TaskSystem.terminateTask": "&&Terminate Task",
+ "TaskSystem.noProcess": "Стартираната задача вече не съществува. Ако тя е създала фонови процеси, то затварянето на VS Code може да остави тези процеси без родител. За да избегнете това, стартирайте последния фонов процес с флаг за изчакване.",
+ "TaskSystem.exitAnyways": "&&Exit Anyways",
+ "TerminateAction.label": "Прекратяване на задачата",
+ "TaskSystem.unknownError": "Възникна грешка при изпълняването на задача. Прегледайте журнала на задачите за подробности.",
+ "TaskService.noWorkspace": "Задачите са достъпни само за папки от работното място.",
+ "TaskService.learnMore": "Научете повече",
+ "configureTask": "Настройване на задача",
+ "recentlyUsed": "последно използвани задачи",
+ "configured": "конфигурирани задачи",
+ "detected": "разпознати задачи",
+ "TaskService.ignoredFolder": "Следните папки от работното място са игнорирани, тъй като използват версия на задачите 0.1.0: {0}",
+ "TaskService.notAgain": "Да не се показва повече",
+ "TaskService.pickRunTask": "Изберете задача за изпълнение",
+ "TaskService.noEntryToRun": "No configured tasks. Configure Tasks...",
+ "TaskService.fetchingBuildTasks": "Получаване на задачите за изграждане…",
+ "TaskService.pickBuildTask": "Изберете коя задача за изграждане да бъде изпълнена",
+ "TaskService.noBuildTask": "Няма намерена задача за изграждане. Настройте задача за изграждане…",
+ "TaskService.fetchingTestTasks": "Получаване на задачите за тестване…",
+ "TaskService.pickTestTask": "Изберете коя задача за тестване да бъде изпълнена",
+ "TaskService.noTestTaskTerminal": "Няма намерена задача за тестване. Настройте задачите…",
+ "TaskService.taskToTerminate": "Select a task to terminate",
+ "TaskService.noTaskRunning": "В момента няма изпълняващи се задачи",
+ "TaskService.terminateAllRunningTasks": "All Running Tasks",
+ "TerminateAction.noProcess": "Стартираната задача вече не съществува. Ако тя е създала фонови процеси, то затварянето на VS Code може да остави тези процеси без родител.",
+ "TerminateAction.failed": "Изпълняващата се задача не може да бъде прекратена",
+ "TaskService.taskToRestart": "Изберете коя задача да бъде рестартирана",
+ "TaskService.noTaskToRestart": "Няма задача за рестартиране",
+ "TaskService.template": "Изберете шаблон за задача",
+ "taskQuickPick.userSettings": "Потребителски настройки",
+ "TaskService.createJsonFile": "Създаване на файл „tasks.json“ от шаблон",
+ "TaskService.openJsonFile": "Отваряне на файла „tasks.json“",
+ "TaskService.pickTask": "Изберете задача за настройване",
+ "TaskService.defaultBuildTaskExists": "Задачата „{0}“ вече е отбелязана като задача по подразбиране за изграждане.",
+ "TaskService.pickDefaultBuildTask": "Изберете коя задача да се ползва по подразбиране като задача за изграждане",
+ "TaskService.defaultTestTaskExists": "Задачата „{0}“ вече е отбелязана като задача по подразбиране за тестване.",
+ "TaskService.pickDefaultTestTask": "Изберете коя задача да се ползва по подразбиране като задача за тестване",
+ "TaskService.pickShowTask": "Изберете задача, за да видите изхода ѝ",
+ "TaskService.noTaskIsRunning": "Няма изпълняваща се задача"
+ },
+ "vs/workbench/contrib/tasks/common/taskTemplates": {
+ "dotnetCore": "Изпълнява команда за изграждане на „.NET Core“",
+ "msbuild": "Изпълнява целта за изграждане",
+ "externalCommand": "Пример за изпълнение на произволна външна команда",
+ "Maven": "Изпълнява често ползвани команди на „maven“"
+ },
+ "vs/workbench/contrib/tasks/browser/terminalTaskSystem": {
+ "TerminalTaskSystem.unknownError": "Възникна непозната грешка при изпълняването на задача. Прегледайте журнала на задачите за подробности.",
+ "dependencyFailed": "Зависимата задача „{0}“ в папката на работното място „{1}“ не може да бъде определена.",
+ "TerminalTaskSystem.nonWatchingMatcher": "Task {0} is a background task but uses a problem matcher without a background pattern",
+ "TerminalTaskSystem.terminalName": "Задача – {0}",
+ "closeTerminal": "Натиснете произволен клавиш, за да затворите терминала.",
+ "reuseTerminal": "Терминалът ще се преизползва от задачите. Натиснете произволен клавиш, за да го затворите ",
+ "TerminalTaskSystem": "Не е възможно изпълняването на команда на обвивката в дял посочен във формата „UNC“ чрез „cmd.exe“.",
+ "unknownProblemMatcher": "Кодът за съвпадение на проблеми „{0}“ не може да бъде определен, и ще бъде игнориран"
+ },
+ "vs/workbench/contrib/terminal/common/terminalShellConfig": {
+ "terminalIntegratedConfigurationTitle": "Integrated Terminal",
+ "terminal.integrated.shell.linux": "The path of the shell that the terminal uses on Linux (default: {0}). [Read more about configuring the shell](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shell.linux.noDefault": "Пътят до обвивката, която използва терминала под Линукс. [Прочетете повече относно настройването на обвивката](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shell.osx": "The path of the shell that the terminal uses on macOS (default: {0}). [Read more about configuring the shell](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shell.osx.noDefault": "Пътят до обвивката, която използва терминала под macOS. [Прочетете повече относно настройването на обвивката](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shell.windows": "The path of the shell that the terminal uses on Windows (default: {0}). [Read more about configuring the shell](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shell.windows.noDefault": "Пътят до обвивката, която използва терминала под Windows. [Прочетете повече относно настройването на обвивката](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration)."
+ },
+ "vs/workbench/contrib/terminal/common/terminal": {
+ "terminalCategory": "Терминал"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalView": {
+ "terminal.useMonospace": "Използване на „monospace“ (едноразряден шрифт)",
+ "terminal.monospaceOnly": "The terminal only supports monospace fonts. Be sure to restart VS Code if this is a newly installed font."
+ },
+ "vs/workbench/contrib/terminal/electron-browser/terminalRemote": {
+ "workbench.action.terminal.newLocal": "Create New Integrated Terminal (Local)"
+ },
+ "vs/workbench/contrib/terminal/browser/terminal.contribution": {
+ "tasksQuickAccessPlaceholder": "Type the name of a terminal to open.",
+ "tasksQuickAccessHelp": "Показване на всички отворени терминали",
+ "terminalIntegratedConfigurationTitle": "Integrated Terminal",
+ "terminal.integrated.automationShell.linux": "A path that when set will override {0} and ignore {1} values for automation-related terminal usage like tasks and debug.",
+ "terminal.integrated.automationShell.osx": "A path that when set will override {0} and ignore {1} values for automation-related terminal usage like tasks and debug.",
+ "terminal.integrated.automationShell.windows": "A path that when set will override {0} and ignore {1} values for automation-related terminal usage like tasks and debug.",
+ "terminal.integrated.shellArgs.linux": "Аргументи за командния ред при използване на терминала под Линукс. [Прочетете повече относно настройването на обвивката](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shellArgs.osx": "Аргументи за командния ред при използване на терминала под macOS. [Прочетете повече относно настройването на обвивката](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shellArgs.windows": "Аргументи за командния ред при използване на терминала под Windows. [Прочетете повече относно настройването на обвивката](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shellArgs.windows.string": "Аргументи за командния ред във [формат за командния ред](https://msdn.microsoft.com/en-au/08dfcab2-eb6e-49a4-80eb-87d4076c98c6) при използване на терминала под Windows. [Прочетете повече относно настройването на обвивката](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.macOptionIsMeta": "Определя дали клавишът „option“ да изпълнява функцията на „meta“ в терминала на macOS.",
+ "terminal.integrated.macOptionClickForcesSelection": "Определя дали да се извършва принудителен избор при натискане на Option+щракване под macOS. Това ще извърши принудително обикновен избор (на реда) и ще забрани режима на избор на колони. Това включва копирането и поставянето чрез обикновен избор в терминала, когато например се използва режима с използване на мишката в „tmux“.",
+ "terminal.integrated.copyOnSelection": "Определя дали избраният в терминала текст ще бъде копиран в буфера.",
+ "terminal.integrated.drawBoldTextInBrightColors": "Определя дали удебеленият текст в терминала винаги да използва цветовия вариант „bright“ на ANSI.",
+ "terminal.integrated.fontFamily": "Определя семейството на шрифта в терминала. По подразбиране се използва стойността на настройката `#editor.fontFamily#`.",
+ "terminal.integrated.fontSize": "Определя размера на шрифта в терминала (в пиксели).",
+ "terminal.integrated.letterSpacing": "Определя разстоянието между знаците в терминала. Това е целочислена стойност, която представлява броя допълнителни пиксели, които да се добавят между знаците.",
+ "terminal.integrated.lineHeight": "Определя височината на реда в терминала. Това число се умножава по размера на шрифта в терминала, за да се получи крайната стойност на височината на реда в пиксели.",
+ "terminal.integrated.minimumContrastRatio": "When set the foreground color of each cell will change to try meet the contrast ratio specified. Example values:\n\n- 1: The default, do nothing.\n- 4.5: [WCAG AA compliance (minimum)](https://www.w3.org/TR/UNDERSTANDING-WCAG20/visual-audio-contrast-contrast.html).\n- 7: [WCAG AAA compliance (enhanced)](https://www.w3.org/TR/UNDERSTANDING-WCAG20/visual-audio-contrast7.html).\n- 21: White on black or black on white.",
+ "terminal.integrated.fastScrollSensitivity": "Scrolling speed multiplier when pressing `Alt`.",
+ "terminal.integrated.mouseWheelScrollSensitivity": "A multiplier to be used on the `deltaY` of mouse wheel scroll events.",
+ "terminal.integrated.fontWeight": "Дебелината на шрифта в терминала за текст, който не е получер.",
+ "terminal.integrated.fontWeightBold": "Дебелината на шрифта в терминала за текст, който е получер.",
+ "terminal.integrated.cursorBlinking": "Определя дали курсорът в терминала да примигва.",
+ "terminal.integrated.cursorStyle": "Определя стила на курсора в терминала.",
+ "terminal.integrated.cursorWidth": "Controls the width of the cursor when `#terminal.integrated.cursorStyle#` is set to `line`.",
+ "terminal.integrated.scrollback": "Определя максималния брой редове, които терминалът съхранява в буфера си.",
+ "terminal.integrated.detectLocale": "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.",
+ "terminal.integrated.detectLocale.auto": "Set the `$LANG` environment variable if the existing variable does not exist or it does not end in `'.UTF-8'`.",
+ "terminal.integrated.detectLocale.off": "Do not set the `$LANG` environment variable.",
+ "terminal.integrated.detectLocale.on": "Always set the `$LANG` environment variable.",
+ "terminal.integrated.rendererType.auto": "Позволява на VS Code да реши кой метод на изчертаване да използва.",
+ "terminal.integrated.rendererType.canvas": "Use the standard GPU/canvas-based renderer.",
+ "terminal.integrated.rendererType.dom": "Използване на резервния метод на изчертаване чрез DOM.",
+ "terminal.integrated.rendererType.experimentalWebgl": "Use the experimental webgl-based renderer. Note that this has some [known issues](https://github.com/xtermjs/xterm.js/issues?q=is%3Aopen+is%3Aissue+label%3Aarea%2Faddon%2Fwebgl) and this will only be enabled for new terminals (not hot swappable like the other renderers).",
+ "terminal.integrated.rendererType": "Определя как да се изчертава терминалът.",
+ "terminal.integrated.rightClickBehavior.default": "Show the context menu.",
+ "terminal.integrated.rightClickBehavior.copyPaste": "Копиране, когато има нещо избрано, иначе поставяне.",
+ "terminal.integrated.rightClickBehavior.paste": "Paste on right click.",
+ "terminal.integrated.rightClickBehavior.selectWord": "Избиране на думата под курсора и показване на контекстното меню.",
+ "terminal.integrated.rightClickBehavior": "Определя какво прави десният бутон на мишката в терминала.",
+ "terminal.integrated.cwd": "Изричен начален път, където да бъде стартиран терминалът. Това се използва като текуща работна папка (cwd) на процеса на обвивката. Това може да е много полезно в настройките на работното място, ако главната папка не е удобна за текуща работна папка.",
+ "terminal.integrated.confirmOnExit": "Определя дали да се пита за потвърждение при изход, ако има активни сесии използващи терминал.",
+ "terminal.integrated.enableBell": "Определя дали да е разрешен звукът на терминала.",
+ "terminal.integrated.commandsToSkipShell": "A set of command IDs whose keybindings will not be sent to the shell and instead always be handled by Code. This allows the use of keybindings that would normally be consumed by the shell to act the same as when the terminal is not focused, for example ctrl+p to launch Quick Open.\nDefault Skipped Commands:\n\n{0}",
+ "terminal.integrated.allowChords": "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).",
+ "terminal.integrated.allowMnemonics": "Whether to allow menubar mnemonics (eg. alt+f) to trigger the open the menubar. Note that this will cause all alt keystrokes will skip the shell when true. This does nothing on macOS.",
+ "terminal.integrated.inheritEnv": "Whether new shells should inherit their environment from VS Code. This is not supported on Windows.",
+ "terminal.integrated.env.osx": "Обект с променливи на средата, които ще бъдат добавени към процеса на VS Code, за да се използват от терминала на macOS. Задайте `null` (нищо), за да изтриете променливата на средата.",
+ "terminal.integrated.env.linux": "Обект с променливи на средата, които ще бъдат добавени към процеса на VS Code, за да се използват от терминала на Линукс. Задайте `null` (нищо), за да изтриете променливата на средата.",
+ "terminal.integrated.env.windows": "Обект с променливи на средата, които ще бъдат добавени към процеса на VS Code, за да се използват от терминала на Windows. Задайте `null` (нищо), за да изтриете променливата на средата.",
+ "terminal.integrated.showExitAlert": "Определя дали да се показва съобщението „Процесът на терминала завърши с код“, когато кодът на изхода не е 0.",
+ "terminal.integrated.splitCwd": "Определя работната папка, в която да стартира разделеният терминал.",
+ "terminal.integrated.splitCwd.workspaceRoot": "Създаденият чрез разделяне терминал ще използва като работна папка главната папка на работното място. Ако работното място има няколко главни папки, ще се даде възможност за избор на една от тях.",
+ "terminal.integrated.splitCwd.initial": "Създаденият чрез разделяне терминал ще използва като работна папка тази, с която е започнал терминалът, от който е бил отделен новият.",
+ "terminal.integrated.splitCwd.inherited": "Под macOS и Линукс създаденият чрез разделяне терминал ще започва с работната папка на терминала, от който е бил отделен новият. Под Windows това ще работи по същия начин като началния.",
+ "terminal.integrated.windowsEnableConpty": "Whether to use ConPTY for Windows terminal process communication (requires Windows 10 build number 18309+). Winpty will be used if this is false.",
+ "terminal.integrated.experimentalUseTitleEvent": "An experimental setting that will use the terminal title event for the dropdown title. This setting will only apply to new terminals.",
+ "terminal.integrated.enableFileLinks": "Whether to enable file links in the terminal. Links can be slow when working on a network drive in particular because each file link is verified against the file system.",
+ "terminal.integrated.unicodeVersion.six": "Version 6 of unicode, this is an older version which should work better on older systems.",
+ "terminal.integrated.unicodeVersion.eleven": "Version 11 of unicode, this version provides better support on modern systems that use modern versions of unicode.",
+ "terminal.integrated.unicodeVersion": "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.",
+ "terminal": "Терминал",
+ "viewCategory": "Изглед"
+ },
+ "vs/workbench/contrib/terminal/common/terminalColorRegistry": {
+ "terminal.background": "Фонов цвят на терминала. Това позволява терминалът да има различни цветове от панела.",
+ "terminal.foreground": "Основен цвят на терминала.",
+ "terminalCursor.foreground": "Основен цвят за курсора на терминала.",
+ "terminalCursor.background": "Фонов цвят за курсора на терминала. Това позволява да се персонализира цветът на знака, който е покрит от правоъгълния курсор.",
+ "terminal.selectionBackground": "Фонов цвят за избраната област в терминала.",
+ "terminal.border": "Цветът на контура, разделящ отделните панели в терминала. По подразбиране се използва стойността на „panel.border“",
+ "terminal.ansiColor": "Цвят „{0}“ по ANSI в терминала."
+ },
+ "vs/workbench/contrib/terminal/common/terminalMenu": {
+ "miToggleIntegratedTerminal": "&&Terminal",
+ "miNewTerminal": "&&New Terminal",
+ "miSplitTerminal": "&&Split Terminal",
+ "miRunActiveFile": "Run &&Active File",
+ "miRunSelectedText": "Run &&Selected Text"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalsQuickAccess": {
+ "renameTerminal": "Rename Terminal",
+ "killTerminal": "Убиване на екземпляра на терминала",
+ "workbench.action.terminal.newplus": "Create New Integrated Terminal"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalService": {
+ "workbench.action.terminal.allowWorkspaceShell": "Разрешаване на конфигурирането на обвивката за работното място",
+ "workbench.action.terminal.disallowWorkspaceShell": "Забраняване на конфигурирането на обвивката за работното място",
+ "terminalService.terminalCloseConfirmationSingular": "Има активна сесия използваща терминала. Искате ли да я прекратите?",
+ "terminalService.terminalCloseConfirmationPlural": "Има {0} активни сесии използващи терминал. Искате ли да ги прекратите?",
+ "terminal.integrated.chooseWindowsShell": "Изберете предпочитания терминал. Винаги можете да промените това по-късно в настройките."
+ },
+ "vs/workbench/contrib/terminal/browser/terminalActions": {
+ "workbench.action.terminal.newWorkspacePlaceholder": "Избиране на текуща работна папка за новия терминал",
+ "workbench.action.terminal.toggleTerminal": "Превключване на вградения терминал",
+ "workbench.action.terminal.kill": "Убиване на активния екземпляр на терминала",
+ "workbench.action.terminal.kill.short": "Убиване на терминала",
+ "workbench.action.terminal.copySelection": "Копиране на избраното",
+ "workbench.action.terminal.copySelection.short": "Копиране",
+ "workbench.action.terminal.selectAll": "Избиране на всичко",
+ "workbench.action.terminal.deleteWordLeft": "Delete Word Left",
+ "workbench.action.terminal.deleteWordRight": "Delete Word Right",
+ "workbench.action.terminal.deleteToLineStart": "Изтриване до началото на реда",
+ "workbench.action.terminal.moveToLineStart": "Преместване в началото на реда",
+ "workbench.action.terminal.moveToLineEnd": "Преместване в края на реда",
+ "workbench.action.terminal.sendSequence": "Изпращане на персонализирана последователност към терминала",
+ "workbench.action.terminal.newWithCwd": "Create New Integrated Terminal Starting in a Custom Working Directory",
+ "workbench.action.terminal.newWithCwd.cwd": "The directory to start the terminal at",
+ "workbench.action.terminal.new": "Create New Integrated Terminal",
+ "workbench.action.terminal.new.short": "New Terminal",
+ "workbench.action.terminal.newInActiveWorkspace": "Създаване на нов вграден терминал (в активното работно място)",
+ "workbench.action.terminal.split": "Разделяне на терминала",
+ "workbench.action.terminal.split.short": "Разделяне",
+ "workbench.action.terminal.splitInActiveWorkspace": "Разделяне на терминала (в активната работна област)",
+ "workbench.action.terminal.focusPreviousPane": "Фокусиране върху предходната област",
+ "workbench.action.terminal.focusNextPane": "Фокусиране върху следващата област",
+ "workbench.action.terminal.resizePaneLeft": "Преоразмеряване на областта наляво",
+ "workbench.action.terminal.resizePaneRight": "Преоразмеряване на областта надясно",
+ "workbench.action.terminal.resizePaneUp": "Преоразмеряване на областта нагоре",
+ "workbench.action.terminal.resizePaneDown": "Преоразмеряване на областта надолу",
+ "workbench.action.terminal.focus": "Фокусиране върху терминала",
+ "workbench.action.terminal.focusNext": "Фокусиране върху следващия терминал",
+ "workbench.action.terminal.focusPrevious": "Фокусиране върху предходния терминал",
+ "workbench.action.terminal.paste": "Поставяне в активния терминал",
+ "workbench.action.terminal.paste.short": "Поставяне",
+ "workbench.action.terminal.selectDefaultShell": "Избиране на обвивка по подразбиране",
+ "workbench.action.terminal.runSelectedText": "Изпълнение на избрания текст в активния терминал",
+ "workbench.action.terminal.runActiveFile": "Изпълнение на активния файл в активния терминал",
+ "workbench.action.terminal.runActiveFile.noFile": "Само файловете на диска могат да се изпълняват в терминала",
+ "workbench.action.terminal.switchTerminal": "Превключване на терминала",
+ "terminals": "Отваряне на терминалите.",
+ "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": "Exit Navigation Mode",
+ "workbench.action.terminal.navigationModeFocusPrevious": "Focus Previous Line (Navigation Mode)",
+ "workbench.action.terminal.navigationModeFocusNext": "Focus Next Line (Navigation Mode)",
+ "workbench.action.terminal.clear": "Изчистване",
+ "workbench.action.terminal.clearSelection": "Изчистване на избраното",
+ "workbench.action.terminal.manageWorkspaceShellPermissions": "Manage Workspace Shell Permissions",
+ "workbench.action.terminal.rename": "Rename",
+ "workbench.action.terminal.rename.prompt": "Въведете име за терминала",
+ "workbench.action.terminal.renameWithArg": "Rename the Currently Active Terminal",
+ "workbench.action.terminal.renameWithArg.name": "The new name for the terminal",
+ "workbench.action.terminal.renameWithArg.noTerminal": "No active terminal to rename",
+ "workbench.action.terminal.renameWithArg.noName": "No name argument provided",
+ "workbench.action.terminal.focusFindWidget": "Фокусиране върху елемента за търсене",
+ "workbench.action.terminal.hideFindWidget": "Скриване на елемента за търсене",
+ "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.toggleFindRegex": "Превключване на търсенето чрез регулярен израз",
+ "workbench.action.terminal.toggleFindWholeWord": "Превключване на търсенето по цели думи",
+ "workbench.action.terminal.toggleFindCaseSensitive": "Превключване на търсенето със зачитане на регистъра",
+ "workbench.action.terminal.findNext": "Търсене на следващо съвпадение",
+ "workbench.action.terminal.findPrevious": "Търсене на предишно съвпадение"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalInstance": {
+ "terminal.integrated.a11yPromptLabel": "Вход в терминала",
+ "terminal.integrated.a11yTooMuchOutput": "Има твърде много изход за преглед. Минавайте ръчно по редовете за четене.",
+ "yes": "Да",
+ "no": "Не",
+ "dontShowAgain": "Да не се показва повече",
+ "terminal.slowRendering": "Стандартният метод на изчертаване на вградения терминал изглежда работи бавно на компютъра Ви. Искате ли да превключите към метода на изчертаване, базиран на DOM, който може да подобри производителността? [Прочетете повече относно настройките на терминала](https://code.visualstudio.com/docs/editor/integrated-terminal#_changing-how-the-terminal-is-rendered).",
+ "terminal.integrated.copySelection.noSelection": "В терминала няма нищо избрано за копиране",
+ "terminal.integrated.exitedWithInvalidPath": "The terminal shell path \"{0}\" does not exist",
+ "terminal.integrated.exitedWithInvalidPathDirectory": "The terminal shell path \"{0}\" is a directory",
+ "terminal.integrated.exitedWithInvalidCWD": "The terminal shell CWD \"{0}\" does not exist",
+ "terminal.integrated.legacyConsoleModeError": "The terminal failed to launch properly because your system has legacy console mode enabled, uncheck \"Use legacy console\" cmd.exe's properties to fix this.",
+ "terminal.integrated.launchFailed": "Командата в терминала „{0}{1}“ не успя да стартира (върнат код: {2})",
+ "terminal.integrated.launchFailedExtHost": "Командата в терминала не успя да стартира (върнат код: {0})",
+ "terminal.integrated.exitedWithCode": "Процесът на терминала завърши с код: {0}"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalConfigHelper": {
+ "terminal.integrated.allowWorkspaceShell": "Do you allow this workspace to modify your terminal shell? {0}",
+ "allow": "Разрешаване",
+ "disallow": "Забраняване",
+ "useWslExtension.title": "The '{0}' extension is recommended for opening a terminal in WSL.",
+ "install": "Install"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalTab": {
+ "terminalFocus": "Terminal {0}"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalLinkHandler": {
+ "terminalLinkHandler.followLinkAlt.mac": "Option + click",
+ "terminalLinkHandler.followLinkAlt": "Alt + click",
+ "terminalLinkHandler.followLinkCmd": "Cmd + click",
+ "terminalLinkHandler.followLinkCtrl": "Ctrl + click"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalProcessExtHostProxy": {
+ "terminal.integrated.starting": "Starting..."
+ },
+ "vs/workbench/contrib/testCustomEditors/browser/testCustomEditors": {
+ "openCustomEditor": "Test Open Custom Editor",
+ "testCustomEditor": "Test Custom Editor"
+ },
+ "vs/workbench/contrib/themes/browser/themes.contribution": {
+ "selectTheme.label": "Цветова тема",
+ "themes.category.light": "светли теми",
+ "themes.category.dark": "тъмни теми",
+ "themes.category.hc": "теми с висок контраст",
+ "installColorThemes": "Инсталиране на допълнителни цветови теми…",
+ "themes.selectTheme": "Изберете цветова тема (използвайте клавишите със стрелки за преглед)",
+ "selectIconTheme.label": "Тема за иконките на файловете",
+ "noIconThemeLabel": "None",
+ "noIconThemeDesc": "Изключване на иконките на файловете",
+ "installIconThemes": "Инсталиране на допълнителни теми за иконките на файловете…",
+ "themes.selectIconTheme": "Изберете тема за иконките на файловете",
+ "selectProductIconTheme.label": "Product Icon Theme",
+ "defaultProductIconThemeLabel": "По подразбиране",
+ "themes.selectProductIconTheme": "Select Product Icon Theme",
+ "generateColorTheme.label": "Създаване на цветова тема от текущите настройки",
+ "preferences": "Предпочитания",
+ "developer": "Разработчик",
+ "miSelectColorTheme": "&&Color Theme",
+ "miSelectIconTheme": "File &&Icon Theme",
+ "themes.selectIconTheme.label": "Тема за иконките на файловете"
+ },
+ "vs/workbench/contrib/timeline/browser/timeline.contribution": {
+ "timelineConfigurationTitle": "Timeline",
+ "timeline.excludeSources": "Experimental: An array of Timeline sources that should be excluded from the Timeline view",
+ "files.openTimeline": "Open Timeline"
+ },
+ "vs/workbench/contrib/timeline/browser/timelinePane": {
+ "timeline": "Timeline",
+ "timeline.loadMore": "Load more",
+ "timeline.editorCannotProvideTimeline": "The active editor cannot provide timeline information.",
+ "timeline.noTimelineInfo": "No timeline information was provided.",
+ "timeline.loading": "Loading timeline for {0}...",
+ "refresh": "Опресняване",
+ "timeline.toggleFollowActiveEditorCommand": "Toggle Active Editor Following",
+ "timeline.filterSource": "Include: {0}"
+ },
+ "vs/workbench/contrib/update/browser/update.contribution": {
+ "miReleaseNotes": "&&Release Notes"
+ },
+ "vs/workbench/contrib/update/browser/update": {
+ "releaseNotes": "Бележки за изданието",
+ "showReleaseNotes": "Показване на бележките за изданието",
+ "read the release notes": "Добре дошли в {0} версия {1}! Искате ли да прочетете бележките за това издание?",
+ "licenseChanged": "Условията на лиценза ни са променени. Моля, натиснете [тук]({0}), за да ги прегледате.",
+ "updateIsReady": "Има налично обновление на {0}.",
+ "checkingForUpdates": "Checking for Updates...",
+ "update service": "Услуга за обновяване",
+ "noUpdatesAvailable": "В момента няма налични обновления.",
+ "ok": "Добре",
+ "thereIsUpdateAvailable": "Има налично обновление.",
+ "download update": "Download Update",
+ "later": "По-късно",
+ "updateAvailable": "Има налично обновление: {0} {1}",
+ "installUpdate": "Инсталиране на обновлението",
+ "updateInstalling": "{0} {1} се инсталира на заден фон. Ще Ви уведомим, когато обновяването завърши.",
+ "updateNow": "Обновяване сега",
+ "updateAvailableAfterRestart": "Рестартирайте {0}, за да се приложи новото обновление.",
+ "checkForUpdates": "Проверка за обновления…",
+ "DownloadingUpdate": "Сваляне на обновлението…",
+ "installUpdate...": "Инсталиране на обновлението…",
+ "installingUpdate": "Инсталиране на обновлението…",
+ "restartToUpdate": "Restart to Update (1)"
+ },
+ "vs/workbench/contrib/update/browser/releaseNotesEditor": {
+ "releaseNotesInputName": "Бележки за изданието: {0}",
+ "unassigned": "не е зададено"
+ },
+ "vs/workbench/contrib/url/common/url.contribution": {
+ "openUrl": "Отваряне на адрес",
+ "developer": "Разработчик"
+ },
+ "vs/workbench/contrib/url/common/trustedDomains": {
+ "trustedDomain.manageTrustedDomain": "Manage Trusted Domains",
+ "trustedDomain.trustDomain": "Trust {0}",
+ "trustedDomain.trustSubDomain": "Trust {0} and all its subdomains",
+ "trustedDomain.trustAllDomains": "Trust all domains (disables link protection)",
+ "trustedDomain.manageTrustedDomains": "Manage Trusted Domains"
+ },
+ "vs/workbench/contrib/url/common/trustedDomainsValidator": {
+ "openExternalLinkAt": "Do you want {0} to open the external website?",
+ "open": "Отваряне",
+ "copy": "Копиране",
+ "cancel": "Отказ",
+ "configureTrustedDomains": "Configure Trusted Domains"
+ },
+ "vs/workbench/contrib/userData/browser/userData.contribution": {
+ "userConfiguration": "User Configuration",
+ "userConfiguration.enableSync": "When enabled, synchronises User Configuration: Settings, Keybindings, Extensions & Snippets.",
+ "resolve conflicts": "Resolve Conflicts",
+ "syncing": "Synchronising User Configuration...",
+ "conflicts detected": "Unable to sync due to conflicts. Please resolve them to continue.",
+ "resolve": "Resolve Conflicts",
+ "start sync": "Sync: Start",
+ "stop sync": "Sync: Stop",
+ "resolveConflicts": "Sync: Resolve Conflicts",
+ "continue sync": "Sync: Continue"
+ },
+ "vs/workbench/contrib/userDataSync/electron-browser/userDataSync.contribution": {
+ "Open Backup folder": "Open Local Backups Folder",
+ "sync preferences": "Preferences Sync"
+ },
+ "vs/workbench/contrib/userDataSync/browser/userDataSyncView": {
+ "sync preferences": "Preferences Sync",
+ "remote title": "Remote Backup",
+ "local title": "Local Backup",
+ "workbench.action.showSyncRemoteBackup": "Show Remote Backup",
+ "workbench.action.showSyncLocalBackup": "Show Local Backup",
+ "workbench.actions.sync.resolveResourceRef": "Show full content",
+ "workbench.actions.sync.commpareWithLocal": "Отваряне на промените"
+ },
+ "vs/workbench/contrib/userDataSync/browser/userDataSync": {
+ "settings": "Settings",
+ "keybindings": "Клавишни комбинации",
+ "snippets": "Потребителски фрагменти",
+ "extensions": "Разширения",
+ "ui state label": "UI State",
+ "sync is on with syncing": "{0} (syncing)",
+ "sync is on with time": "{0} (synced {1})",
+ "turn on sync with category": "Preferences Sync: Turn on...",
+ "sign in": "Preferences Sync: Sign in to sync",
+ "stop sync": "Preferences Sync: Turn Off",
+ "showConflicts": "Preferences Sync: Show Settings Conflicts",
+ "showKeybindingsConflicts": "Preferences Sync: Show Keybindings Conflicts",
+ "showSnippetsConflicts": "Preferences Sync: Show User Snippets Conflicts",
+ "configure sync": "Preferences Sync: Configure...",
+ "show sync log": "Preferences Sync: Show Log",
+ "sync settings": "Preferences Sync: Show Settings",
+ "chooseAccountTitle": "Preferences Sync: Choose Account",
+ "chooseAccount": "Choose an account you would like to use for preferences sync",
+ "conflicts detected": "Unable to sync due to conflicts in {0}. Please resolve them to continue.",
+ "accept remote": "Accept Remote",
+ "accept local": "Accept Local",
+ "show conflicts": "Показване на конфликтите",
+ "sign in message": "Please sign in with your {0} account to continue sync",
+ "Sign in": "Sign in",
+ "turned off": "Sync was turned off from another device.",
+ "turn on sync": "Turn on Sync",
+ "too large": "Disabled syncing {0} because size of the {1} file to sync is larger than {2}. Please open the file and reduce the size and enable sync",
+ "open file": "Open {0} File",
+ "error incompatible": "Turned off sync because local data is incompatible with the data in the cloud. Please update {0} and turn on sync to continue syncing.",
+ "errorInvalidConfiguration": "Unable to sync {0} because there are some errors/warnings in the file. Please open the file to correct errors/warnings in it.",
+ "sign in to sync": "Sign in to Sync",
+ "has conflicts": "Preferences Sync: Conflicts Detected",
+ "sync preview message": "Synchronizing your preferences is a preview feature, please read the documentation before turning it on.",
+ "open doc": "Open Documentation",
+ "cancel": "Отказ",
+ "turn on sync confirmation": "Do you want to turn on preferences sync?",
+ "turn on": "Turn On",
+ "turn on title": "Preferences Sync: Turn On",
+ "sign in and turn on sync detail": "Sign in with your {0} account to synchronize your data across devices.",
+ "sign in and turn on sync": "Sign in & Turn on",
+ "configure sync placeholder": "Choose what to sync",
+ "pick account": "{0}: Pick an account",
+ "choose account placeholder": "Pick an account for syncing",
+ "existing": "{0}",
+ "signed in": "Signed in",
+ "choose another": "Use another account",
+ "sync turned on": "Preferences sync is turned on",
+ "firs time sync": "Синхронизиране",
+ "merge": "Merge",
+ "replace": "Replace Local",
+ "first time sync detail": "It looks like this is the first time sync is set up.\nWould you like to merge or replace with the data from the cloud?",
+ "turn off sync confirmation": "Do you want to turn off sync?",
+ "turn off sync detail": "Your settings, keybindings, extensions and UI State will no longer be synced.",
+ "turn off": "Turn Off",
+ "turn off sync everywhere": "Turn off sync on all your devices and clear the data from the cloud.",
+ "loginFailed": "Logging in failed: {0}",
+ "settings conflicts preview": "Settings Conflicts (Remote ↔ Local)",
+ "keybindings conflicts preview": "Keybindings Conflicts (Remote ↔ Local)",
+ "snippets conflicts preview": "User Snippet Conflicts (Remote ↔ Local) - {0}",
+ "turn on failed": "Error while starting Sync: {0}",
+ "global activity turn on sync": "Turn on Preferences Sync...",
+ "sign in 2": "Preferences Sync: Sign in to sync (1)",
+ "resolveConflicts_global": "Preferences Sync: Show Settings Conflicts (1)",
+ "resolveKeybindingsConflicts_global": "Preferences Sync: Show Keybindings Conflicts (1)",
+ "resolveSnippetsConflicts_global": "Preferences Sync: Show User Snippets Conflicts ({0})",
+ "sync is on": "Preferences Sync is On",
+ "turn off failed": "Error while turning off sync: {0}",
+ "Sync accept remote": "Preferences Sync: {0}",
+ "Sync accept local": "Preferences Sync: {0}",
+ "confirm replace and overwrite local": "Would you like to accept remote {0} and replace local {1}?",
+ "confirm replace and overwrite remote": "Would you like to accept local {0} and replace remote {1}?",
+ "update conflicts": "Could not resolve conflicts as there is new local version available. Please try again."
+ },
+ "vs/workbench/contrib/watermark/browser/watermark": {
+ "watermark.showCommands": "Показване на всички команди",
+ "watermark.quickAccess": "Към файл",
+ "watermark.openFile": "Отваряне на файл",
+ "watermark.openFolder": "Отваряне на папка",
+ "watermark.openFileFolder": "Отваряне на файл или папка",
+ "watermark.openRecent": "Отваряне на наскоро отварян",
+ "watermark.newUntitledFile": "Нов неозаглавен файл",
+ "watermark.toggleTerminal": "Превключване на терминала",
+ "watermark.findInFiles": "Търсене във файловете",
+ "watermark.startDebugging": "Стартиране за дебъгване",
+ "tips.enabled": "Ако това е включено, когато няма отворен редактор, ще се показват някои съвети."
+ },
+ "vs/workbench/contrib/webview/browser/webview": {
+ "developer": "Разработчик"
+ },
+ "vs/workbench/contrib/webview/browser/webview.contribution": {
+ "webview.editor.label": "редактор на уеб съдържание"
+ },
+ "vs/workbench/contrib/webview/electron-browser/webviewCommands": {
+ "openToolsLabel": "Отваряне на инструментите за разработчици за преглед на уеб съдържание",
+ "editor.action.webvieweditor.copy": "Copy2",
+ "editor.action.webvieweditor.paste": "Поставяне",
+ "editor.action.webvieweditor.cut": "Изрязване",
+ "editor.action.webvieweditor.undo": "Отмяна",
+ "editor.action.webvieweditor.redo": "Повторение"
+ },
+ "vs/workbench/contrib/webview/browser/webviewCommands": {
+ "editor.action.webvieweditor.showFind": "Show find",
+ "editor.action.webvieweditor.hideFind": "Stop find",
+ "editor.action.webvieweditor.findNext": "Търсене на следващо съвпадение",
+ "editor.action.webvieweditor.findPrevious": "Търсене на предишно съвпадение",
+ "editor.action.webvieweditor.selectAll": "Избиране на всичко",
+ "refreshWebviewLabel": "Презареждане на изгледите с уеб съдържание"
+ },
+ "vs/workbench/contrib/welcome/walkThrough/browser/walkThrough.contribution": {
+ "walkThrough.editor.label": "Интерактивна площадка",
+ "help": "Помощ",
+ "miInteractivePlayground": "I&&nteractive Playground"
+ },
+ "vs/workbench/contrib/welcome/page/browser/welcomePage.contribution": {
+ "workbench.startupEditor.none": "Стартиране без редактор.",
+ "workbench.startupEditor.welcomePage": "Отваряне на приветствената страница (по подразбиране).",
+ "workbench.startupEditor.readme": "Отваряне на файла „README“ при отваряне на папка, ако в нея се съдържа такъв. Иначе да се отваря приветственият екран.",
+ "workbench.startupEditor.newUntitledFile": "Отваряне на нов неозаглавен файл (работи само при отваряне на празно работно място).",
+ "workbench.startupEditor.welcomePageInEmptyWorkbench": "Отваряне на приветствената страница при отваряне на празна работна област.",
+ "workbench.startupEditor": "Определя кой редактор да се показва при стартиране, ако не се възстановяват никакви от предходната сесия.",
+ "help": "Помощ",
+ "miWelcome": "&&Welcome"
+ },
+ "vs/workbench/contrib/welcome/overlay/browser/welcomeOverlay": {
+ "welcomeOverlay.explorer": "Изглед на файловете",
+ "welcomeOverlay.search": "Търсене във файловете",
+ "welcomeOverlay.git": "Система за контрол на версиите",
+ "welcomeOverlay.debug": "Стартиране и дебъгване",
+ "welcomeOverlay.extensions": "Управление на разширенията",
+ "welcomeOverlay.problems": "Преглед на грешките и предупрежденията",
+ "welcomeOverlay.terminal": "Превключване на вградения терминал",
+ "welcomeOverlay.commandPalette": "Търсене и изпълнение на всички команди",
+ "welcomeOverlay.notifications": "Показване на известия",
+ "welcomeOverlay": "Преглед на потребителския интерфейс",
+ "hideWelcomeOverlay": "Скриване на прегледа на интерфейса",
+ "help": "Помощ"
+ },
+ "vs/workbench/contrib/welcome/walkThrough/browser/editor/editorWalkThrough": {
+ "editorWalkThrough.title": "Интерактивна площадка",
+ "editorWalkThrough": "Интерактивна площадка"
+ },
+ "vs/workbench/contrib/welcome/common/viewsWelcomeExtensionPoint": {
+ "contributes.viewsWelcome": "Contributed views welcome content. Welcome content will be rendered in 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.",
+ "contributes.viewsWelcome.view": "Contributed welcome content for a specific view.",
+ "contributes.viewsWelcome.view.view": "Target view identifier for this welcome content.",
+ "contributes.viewsWelcome.view.contents": "Welcome content to be displayed. The format of the contents is a subset of Markdown, with support for links only.",
+ "contributes.viewsWelcome.view.when": "Condition when the welcome content should be displayed."
+ },
+ "vs/workbench/contrib/welcome/telemetryOptOut/browser/telemetryOptOut": {
+ "telemetryOptOut.optOutNotice": "Помогнете ни да направим VS Code по-добър, като позволите на Майкрософт да събира данни за ползването му от Вас. Прочете [декларацията ни за поверителност]({0}) и научете как да [се откажете от участие]({1}).",
+ "telemetryOptOut.optInNotice": "Помогнете ни да направим VS Code по-добър, като позволите на Майкрософт да събира данни за ползването му от Вас. Прочете [декларацията ни за поверителност]({0}) и научете как да [се включите]({1}).",
+ "telemetryOptOut.readMore": "Прочетете повече",
+ "telemetryOptOut.optOutOption": "Моля, помогнете на Майкрософт за подобряването на Visual Studio Code, като разрешите събирането на данни за употребата. Можете да прочетете нашата [политика за поверителност]({0}) за повече подробности.",
+ "telemetryOptOut.OptIn": "Да, ще се радвам да помогна",
+ "telemetryOptOut.OptOut": "No, thanks"
+ },
+ "vs/workbench/contrib/welcome/walkThrough/browser/walkThroughPart": {
+ "walkThrough.unboundCommand": "няма",
+ "walkThrough.gitNotFound": "Изглежда git не е инсталиран.",
+ "walkThrough.embeddedEditorBackground": "Фонов цвят за вградените редактори в интерактивната площадка."
+ },
+ "vs/workbench/contrib/welcome/page/browser/welcomePage": {
+ "welcomePage": "Приветствен екран",
+ "welcomePage.javaScript": "JavaScript",
+ "welcomePage.python": "Python",
+ "welcomePage.php": "PHP",
+ "welcomePage.azure": "Azure",
+ "welcomePage.showAzureExtensions": "Показване на разширенията на Azure",
+ "welcomePage.docker": "Docker",
+ "welcomePage.vim": "Vim",
+ "welcomePage.sublime": "Sublime",
+ "welcomePage.atom": "Atom",
+ "welcomePage.extensionPackAlreadyInstalled": "Поддръжката на „{0}“ вече е инсталирана.",
+ "welcomePage.willReloadAfterInstallingExtensionPack": "Прозорецът ще се презареди след като се инсталира допълнителната поддръжка на „{0}“.",
+ "welcomePage.installingExtensionPack": "Инсталиране на допълнителна поддръжка на „{0}“…",
+ "welcomePage.extensionPackNotFound": "Поддръжката на „{0}“ с идентификатор „{1}“ не може да бъде намерена.",
+ "welcomePage.keymapAlreadyInstalled": "Клавишните комбинации на „{0}“ вече са инсталирани.",
+ "welcomePage.willReloadAfterInstallingKeymap": "Прозорецът ще се презареди след инсталирането на клавишните комбинации на „{0}“.",
+ "welcomePage.installingKeymap": "Инсталиране на клавишните комбинации на „{0}“…",
+ "welcomePage.keymapNotFound": "Клавишните комбинации на „{0}“ с идентификатор „{1}“ не могат да бъдат намерени.",
+ "welcome.title": "Приветствен екран",
+ "welcomePage.openFolderWithPath": "Отваряне на папка „{0}“ с път „{1}“",
+ "welcomePage.extensionListSeparator": ", ",
+ "welcomePage.installKeymap": "Инсталиране на клавишните комбинации на „{0}“",
+ "welcomePage.installExtensionPack": "Инсталиране на допълнителна поддръжка на „{0}“",
+ "welcomePage.installedKeymap": "Клавишните комбинации на „{0}“ вече са инсталирани",
+ "welcomePage.installedExtensionPack": "Поддръжката на „{0}“ вече е инсталирана",
+ "ok": "Добре",
+ "details": "Подробности",
+ "welcomePage.buttonBackground": "Фонов цвят за бутоните на приветствения екран.",
+ "welcomePage.buttonHoverBackground": "Фонов цвят при посочване на бутоните на приветствения екран.",
+ "welcomePage.background": "Фонов цвят на приветствения екран."
+ },
+ "vs/workbench/contrib/welcome/page/browser/vs_code_welcome_page": {
+ "welcomePage.vscode": "Visual Studio Code",
+ "welcomePage.editingEvolved": "Еволюцията на редактирането",
+ "welcomePage.start": "Начало",
+ "welcomePage.newFile": "Нов файл",
+ "welcomePage.openFolder": "Отваряне на папка…",
+ "welcomePage.addWorkspaceFolder": "Добавяне на папка към работното място…",
+ "welcomePage.recent": "Последни",
+ "welcomePage.moreRecent": "Още…",
+ "welcomePage.noRecentFolders": "Няма скорошни папки",
+ "welcomePage.help": "Помощ",
+ "welcomePage.keybindingsCheatsheet": "Удобен за печат справочник на клавишните комбинации",
+ "welcomePage.introductoryVideos": "Уводни видеа",
+ "welcomePage.tipsAndTricks": "Съвети и хитрости",
+ "welcomePage.productDocumentation": "Продуктова документация",
+ "welcomePage.gitHubRepository": "Хранилище в GitHub",
+ "welcomePage.stackOverflow": "Stack Overflow",
+ "welcomePage.newsletterSignup": "Join our Newsletter",
+ "welcomePage.showOnStartup": "Показване на приветствения екран при стартиране",
+ "welcomePage.customize": "Персонализиране",
+ "welcomePage.installExtensionPacks": "Инструменти и езци",
+ "welcomePage.installExtensionPacksDescription": "Инсталирайте поддръжка на {0} и {1}",
+ "welcomePage.showLanguageExtensions": "Показване на още езикови разширения",
+ "welcomePage.moreExtensions": "още",
+ "welcomePage.installKeymapDescription": "Настройки и клавишни комбинации",
+ "welcomePage.installKeymapExtension": "Install the settings and keyboard shortcuts of {0} and {1}",
+ "welcomePage.showKeymapExtensions": "Показване на други разширения с набори от клавишни комбинации",
+ "welcomePage.others": "други",
+ "welcomePage.colorTheme": "Цветова тема",
+ "welcomePage.colorThemeDescription": "Изберете как искате да изглежда редакторът и кодът, който пишете",
+ "welcomePage.learn": "Въведение",
+ "welcomePage.showCommands": "Търсене и изпълнение на всички команди",
+ "welcomePage.showCommandsDescription": "Имате лесен начин за търсене и достъп до всички команди от Палитрата с команди ({0})",
+ "welcomePage.interfaceOverview": "Преглед на потребителския интерфейс",
+ "welcomePage.interfaceOverviewDescription": "Вижте визуално кои са основните елементи на потребителския интерфейс.",
+ "welcomePage.interactivePlayground": "Интерактивна площадка",
+ "welcomePage.interactivePlaygroundDescription": "Try out essential editor features in a short walkthrough"
+ },
+ "vs/workbench/services/authentication/browser/authenticationService": {
+ "noAuthenticationProviders": "No authentication providers registered"
+ },
+ "vs/workbench/services/bulkEdit/browser/bulkEditService": {
+ "workspaceEdit": "Workspace Edit",
+ "summary.0": "Няма промени",
+ "summary.nm": "{0} промени в текста на {1} файла",
+ "summary.n0": "{0} промени в текста на един файл",
+ "nothing": "Няма промени"
+ },
+ "vs/workbench/services/configuration/common/jsonEditingService": {
+ "errorInvalidFile": "Не може да се направи запис във файла. Моля, отворете файла и оправете грешките/предупрежденията в него, след което опитайте отново.",
+ "errorFileDirty": "Не може да се направи запис във файла, тъй като в него има промени. Моля, запазете файла и опитайте отново."
+ },
+ "vs/workbench/services/configuration/common/configurationEditingService": {
+ "openTasksConfiguration": "Отваряне на конфигурацията на задачите",
+ "openLaunchConfiguration": "Отваряне на пусковата конфигурация",
+ "open": "Отваряне на настройките",
+ "saveAndRetry": "Запазване и повторен опит",
+ "errorUnknownKey": "Не може да се направи запис в {0}, тъй като „{1}“ не е регистрирана конфигурация.",
+ "errorInvalidWorkspaceConfigurationApplication": "„{0}“ не може да се запише в настройките на работното място. Тази настройка може да бъде записана само в потребителските настройки.",
+ "errorInvalidWorkspaceConfigurationMachine": "„{0}“ не може да се запише в настройките на работното място. Тази настройка може да бъде записана само в потребителските настройки.",
+ "errorInvalidFolderConfiguration": "Не може да се направи запис в настройките на папката, тъй като „{0}“ не поддържа обхват за папка.",
+ "errorInvalidUserTarget": "Не може да се направи запис в потребителските настройките, тъй като „{0}“ не поддържа глобалния обхват.",
+ "errorInvalidWorkspaceTarget": "Не може да се направи запис в настройките на работното място, тъй като „{0}“ не поддържа обхват за работно място при използване на работно място с множество папки.",
+ "errorInvalidFolderTarget": "Не може да се направи запис в настройките на папката, тъй като не е посочен ресурс.",
+ "errorInvalidResourceLanguageConfiguraiton": "Unable to write to Language Settings because {0} is not a resource language setting.",
+ "errorNoWorkspaceOpened": "Не може да се направи запис в {0}, тъй като няма отворено работно място. Моля, първо отворете работно място и след това опитайте отново.",
+ "errorInvalidTaskConfiguration": "Не може да се направи запис в конфигурационния файл на задачите. Моля, отворете файла и оправете грешките/предупрежденията в него, след което опитайте отново.",
+ "errorInvalidLaunchConfiguration": "Не може да се направи запис във файла с пусковите конфигурации. Моля, отворете файла и оправете грешките/предупрежденията в него, след което опитайте отново.",
+ "errorInvalidConfiguration": "Не може да се направи запис във файла с потребителските настройки. Моля, отворете файла с потребителските настройки и оправете грешките/предупрежденията в него, след което опитайте отново.",
+ "errorInvalidRemoteConfiguration": "Unable to write into remote user settings. Please open the remote user settings to correct errors/warnings in it and try again.",
+ "errorInvalidConfigurationWorkspace": "Не може да се направи запис във файла с настройките на работното място. Моля, отворете файла с настройките на работното място и оправете грешките/предупрежденията в него, след което опитайте отново.",
+ "errorInvalidConfigurationFolder": "Не може да се направи запис в настройките на папката. Моля, отворете файла с настройките на папката „{0}“ и оправете грешките/предупрежденията в него, след което опитайте отново.",
+ "errorTasksConfigurationFileDirty": "Не може да се направи запис в конфигурационния файл на задачите, тъй като в него има промени. Моля, запазете файла и опитайте отново.",
+ "errorLaunchConfigurationFileDirty": "Не може да се направи запис във файла с пусковите конфигурации, тъй като в него има промени. Моля, запазете файла и опитайте отново.",
+ "errorConfigurationFileDirty": "Не може да се направи запис във файла с потребителските настройки, тъй като в него има промени. Моля, запазете файла с потребителските настройки и опитайте отново.",
+ "errorRemoteConfigurationFileDirty": "Unable to write into remote user settings because the file is dirty. Please save the remote user settings file first and then try again.",
+ "errorConfigurationFileDirtyWorkspace": "Не може да се направи запис във файла с настройките на работното място, тъй като в него има промени. Моля, запазете файла с настройките на работното място и опитайте отново.",
+ "errorConfigurationFileDirtyFolder": "Не може да се направи запис във файла с настройките на папката, тъй като в него има промени. Моля, запазете файла с настройките на папката „{0}“ и опитайте отново.",
+ "errorTasksConfigurationFileModifiedSince": "Unable to write into tasks configuration file because the content of the file is newer.",
+ "errorLaunchConfigurationFileModifiedSince": "Unable to write into launch configuration file because the content of the file is newer.",
+ "errorConfigurationFileModifiedSince": "Unable to write into user settings because the content of the file is newer.",
+ "errorRemoteConfigurationFileModifiedSince": "Unable to write into remote user settings because the content of the file is newer.",
+ "errorConfigurationFileModifiedSinceWorkspace": "Unable to write into workspace settings because the content of the file is newer.",
+ "errorConfigurationFileModifiedSinceFolder": "Unable to write into folder settings because the content of the file is newer.",
+ "userTarget": "Потребителски настройки",
+ "remoteUserTarget": "Remote User Settings",
+ "workspaceTarget": "Настройки на работното място",
+ "folderTarget": "Настройки на папката"
+ },
+ "vs/workbench/services/configurationResolver/browser/configurationResolverService": {
+ "commandVariable.noStringType": "Cannot substitute command variable '{0}' because command did not return a result of type string.",
+ "inputVariable.noInputSection": "Variable '{0}' must be defined in an '{1}' section of the debug or task configuration.",
+ "inputVariable.missingAttribute": "Input variable '{0}' is of type '{1}' and must include '{2}'.",
+ "inputVariable.defaultInputValue": "(Default)",
+ "inputVariable.command.noStringType": "Cannot substitute input variable '{0}' because command '{1}' did not return a result of type string.",
+ "inputVariable.unknownType": "Input variable '{0}' can only be of type 'promptString', 'pickString', or 'command'.",
+ "inputVariable.undefinedVariable": "Undefined input variable '{0}' encountered. Remove or define '{0}' to continue."
+ },
+ "vs/workbench/services/configurationResolver/common/variableResolver": {
+ "canNotResolveFile": "„{0}“ не може да се определи. Моля, отворете редактор.",
+ "canNotFindFolder": "„{0}“ не може да се определи. Не съществува папка „{1}“.",
+ "canNotResolveWorkspaceFolderMultiRoot": "„{0}“ не може да се определи като работно място, включващо множество папки. Можете да създадете обхват на тази променлива като използвате „:“ и име на папка на работно място.",
+ "canNotResolveWorkspaceFolder": "„{0}“ не може да се определи. Моля, отворете папка.",
+ "missingEnvVarName": "„{0}“ не може да се определи, тъй като няма зададено име на променлива на средата.",
+ "configNotFound": "„{0}“ не може да се определи, тъй като настройката „{1}“ не е намерена.",
+ "configNoString": "„{0}“ не може да се определи, тъй като „{1}“ е структурирана стойност.",
+ "missingConfigName": "„{0}“ не може да се определи, тъй като не е зададено име на настройка.",
+ "canNotResolveLineNumber": "„{0}“ не може да се определи. Уверете се, че сте избрали ред в активния редактор.",
+ "canNotResolveSelectedText": "„{0}“ не може да се определи. Уверете се, че сте избрали някакъв текст в активния редактор.",
+ "noValueForCommand": "„{0}“ не може да се определи, тъй като командата няма стойност."
+ },
+ "vs/workbench/services/configurationResolver/common/configurationResolverUtils": {
+ "deprecatedVariables": "„env.“, „config.“ и „command.“ са излезли от употреба. Вместо тях използвайте „env:“, „config:“ и „command:“."
+ },
+ "vs/workbench/services/configurationResolver/common/configurationResolverSchema": {
+ "JsonSchema.input.id": "The input's id is used to associate an input with a variable of the form ${input:id}.",
+ "JsonSchema.input.type": "The type of user input prompt to use.",
+ "JsonSchema.input.description": "Описанието се показва, когато от потребителя бъде изискано да въведе нещо.",
+ "JsonSchema.input.default": "Стойността по подразбиране за полето за въвеждане.",
+ "JsonSchema.inputs": "Потребителски полета за въвеждане. Използва се за въвеждане на свободен текст от потребителя или за избиране на една от няколко възможности.",
+ "JsonSchema.input.type.promptString": "The 'promptString' type opens an input box to ask the user for input.",
+ "JsonSchema.input.password": "Controls if a password input is shown. Password input hides the typed text.",
+ "JsonSchema.input.type.pickString": "The 'pickString' type shows a selection list.",
+ "JsonSchema.input.options": "Масив от низове, които определят възможностите за избор.",
+ "JsonSchema.input.pickString.optionLabel": "Label for the option.",
+ "JsonSchema.input.pickString.optionValue": "Value for the option.",
+ "JsonSchema.input.type.command": "The 'command' type executes a command.",
+ "JsonSchema.input.command.command": "The command to execute for this input variable.",
+ "JsonSchema.input.command.args": "Optional arguments passed to the command."
+ },
+ "vs/workbench/services/decorations/browser/decorationsService": {
+ "bubbleTitle": "Съдържа отличителни елементи"
+ },
+ "vs/workbench/services/dialogs/electron-browser/dialogService": {
+ "yesButton": "&&Yes",
+ "cancelButton": "Отказ",
+ "aboutDetail": "Версия: {0}\nПодаване: {1}\nДата: {2}\nElectron: {3}\nChrome: {4}\nNode.js: {5}\nV8: {6}\nОперационна система: {7}",
+ "okButton": "Добре",
+ "copy": "&&Copy"
+ },
+ "vs/workbench/services/dialogs/browser/dialogService": {
+ "yesButton": "&&Yes",
+ "cancelButton": "Отказ",
+ "aboutDetail": "Version: {0}\nCommit: {1}\nDate: {2}\nBrowser: {3}",
+ "copy": "Копиране",
+ "ok": "Добре"
+ },
+ "vs/workbench/services/dialogs/browser/abstractFileDialogService": {
+ "saveChangesDetail": "Промените ще бъдат загубени, ако не ги запазите.",
+ "saveChangesMessage": "Искате ли да запазите промените, които направихте в „{0}“?",
+ "saveChangesMessages": "Искате ли да запазите промените в следните {0} файла?",
+ "saveAll": "&&Save All",
+ "save": "&&Save",
+ "dontSave": "Do&&n't Save",
+ "cancel": "Отказ",
+ "openFileOrFolder.title": "Отваряне на файл или папка",
+ "openFile.title": "Отваряне на файл",
+ "openFolder.title": "Отваряне на папка",
+ "openWorkspace.title": "Отваряне на работно място",
+ "filterName.workspace": "работно място",
+ "saveFileAs.title": "Запазване като",
+ "saveAsTitle": "Запазване като",
+ "allFiles": "Всички файлове",
+ "noExt": "Няма разширение"
+ },
+ "vs/workbench/services/dialogs/browser/simpleFileDialog": {
+ "openLocalFile": "Open Local File...",
+ "saveLocalFile": "Save Local File...",
+ "openLocalFolder": "Open Local Folder...",
+ "openLocalFileFolder": "Open Local...",
+ "remoteFileDialog.notConnectedToRemote": "File system provider for {0} is not available.",
+ "remoteFileDialog.local": "Show Local",
+ "remoteFileDialog.badPath": "The path does not exist.",
+ "remoteFileDialog.cancel": "Отказ",
+ "remoteFileDialog.invalidPath": "Please enter a valid path.",
+ "remoteFileDialog.validateFolder": "The folder already exists. Please use a new file name.",
+ "remoteFileDialog.validateExisting": "{0} already exists. Are you sure you want to overwrite it?",
+ "remoteFileDialog.validateBadFilename": "Please enter a valid file name.",
+ "remoteFileDialog.validateNonexistentDir": "Please enter a path that exists.",
+ "remoteFileDialog.validateFileOnly": "Please select a file.",
+ "remoteFileDialog.validateFolderOnly": "Please select a folder."
+ },
+ "vs/workbench/services/editor/browser/editorService": {
+ "sideBySideLabels": "{0} – {1}",
+ "compareLabels": "{0} ↔ {1}"
+ },
+ "vs/workbench/services/extensionManagement/electron-browser/extensionManagementServerService": {
+ "local": "Локални",
+ "remote": "Remote"
+ },
+ "vs/workbench/services/extensionManagement/common/extensionManagementService": {
+ "singleDependentError": "Разширението „{0}“ не може да бъде деинсталирано, тъй като разширението „{1}“ зависи от него.",
+ "twoDependentsError": "Разширението „{0}“ не може да бъде деинсталирано, тъй като разширенията „{1}“ и „{2}“ зависят от него.",
+ "multipleDependentsError": "Разширението „{0}“ не може да бъде деинсталирано, тъй като разширенията „{1}“, „{2}“ и др. зависят от него.",
+ "Manifest is not found": "Installing Extension {0} failed: Manifest is not found.",
+ "cannot be installed": "Cannot install '{0}' because this extension has defined that it cannot run on the remote server."
+ },
+ "vs/workbench/services/extensionManagement/common/extensionEnablementService": {
+ "noWorkspace": "Няма работно място."
+ },
+ "vs/workbench/services/extensions/electron-browser/extensionService": {
+ "extensionsDisabled": "Всички инсталирани разширения са временно изключени. Презаредете прозореца, за да се върнете към предишното състояние.",
+ "Reload": "Reload",
+ "looping": "The following extensions contain dependency loops and have been disabled: {0}",
+ "extensionService.versionMismatchCrash": "Сървърът за разширения не може да се стартира: несъвместими версии.",
+ "relaunch": "Пуснете отново VS Code",
+ "extensionService.crash": "Сървърът за разширения спря неочаквано.",
+ "devTools": "Отваряне на инструментите за разработчици",
+ "restart": "Рестартиране на сървъра за разширения",
+ "getEnvironmentFailure": "Could not fetch remote environment",
+ "enableResolver": "Extension '{0}' is required to open the remote window.\nOK to enable?",
+ "enable": "Enable and Reload",
+ "installResolver": "Extension '{0}' is required to open the remote window.\nnOK to install?",
+ "install": "Install and Reload",
+ "resolverExtensionNotFound": "`{0}` not found on marketplace",
+ "restartExtensionHost": "Рестартиране на сървъра за разширения",
+ "developer": "Разработчик"
+ },
+ "vs/workbench/services/extensions/electron-browser/remoteExtensionManagementIpc": {
+ "incompatible": "Разширението „{0}“ не може да се инсталира, тъй като е несъвместимо с VS Code „{1}“."
+ },
+ "vs/workbench/services/extensions/browser/extensionUrlHandler": {
+ "confirmUrl": "Allow an extension to open this URI?",
+ "rememberConfirmUrl": "Don't ask again for this extension.",
+ "open": "&&Open",
+ "reloadAndHandle": "Разширението „{0}“ не е заредено. Искате ли да презаредите прозореца, за да се зареди разширението и да се отвори адресът?",
+ "reloadAndOpen": "&&Reload Window and Open",
+ "enableAndHandle": "Разширението „{0}“ е изключено. Искате ли да включите разширението и да презаредите прозореца, за да се отвори адресът?",
+ "enableAndReload": "&&Enable and Open",
+ "installAndHandle": "Разширението „{0}“ не е инсталирано. Искате ли да инсталирате разширението и да презаредите прозореца, за да се отвори този адрес?",
+ "install": "&&Install",
+ "Installing": "Инсталиране на разширението „{0}“…",
+ "reload": "Искате ли да презаредите прозореца и да отворите адреса „{0}“?",
+ "Reload": "Презареждане на прозореца и отваряне",
+ "manage": "Manage Authorized Extension URIs..."
+ },
+ "vs/workbench/services/extensions/common/extensionsRegistry": {
+ "ui": "UI extension kind. In a remote window, such extensions are enabled only when available on the local machine.",
+ "workspace": "Workspace extension kind. In a remote window, such extensions are enabled only when available on the remote.",
+ "vscode.extension.engines": "Съвместимост с двигател.",
+ "vscode.extension.engines.vscode": "За разширения на „VS Code“, определя версията на „VS Code“, с която е съвместимо разширението. Не може да бъде *. Например: ^0.10.5 показва съвместимост с версия на „VS Code“ поне 0.10.5.",
+ "vscode.extension.publisher": "Издателят на разширението за „VS Code“.",
+ "vscode.extension.displayName": "Името, с което ще се показва разширението в галерията на „VS Code“.",
+ "vscode.extension.categories": "Категориите, използвани от галерията на „VS Code“ за категоризиране на разширението.",
+ "vscode.extension.category.languages.deprecated": "Вместо това използвайте „Езици за програмиране“",
+ "vscode.extension.galleryBanner": "Представящо изображение използвано в магазина на „VS Code“.",
+ "vscode.extension.galleryBanner.color": "Цветът на представящото изображение в заглавната част на страницата в магазина на „VS Code“.",
+ "vscode.extension.galleryBanner.theme": "Цветовата тема на шрифта използван в представящото изображение.",
+ "vscode.extension.contributes": "Всички приноси на разширението за „VS Code“ представлявани от този пакет.",
+ "vscode.extension.preview": "Определя разширението като такова за „Предварителен преглед“ в магазина.",
+ "vscode.extension.activationEvents": "Събития за включване на разширението за „VS Code“.",
+ "vscode.extension.activationEvents.onLanguage": "Събитие за включване, което се изпълнява всеки път, когато бъде отворен файл, който отговаря на зададения език.",
+ "vscode.extension.activationEvents.onCommand": "Събитие за включване, което се изпълнява всеки път, когато зададената команда бъде изпълнена.",
+ "vscode.extension.activationEvents.onDebug": "Събитие за включване, което се изпълнява всеки път, когато потребителят е на път да започне отстраняване на грешки или да настрои конфигурациите за отстраняване на грешки.",
+ "vscode.extension.activationEvents.onDebugInitialConfigurations": "Събитие за включване, което се изпълнява всеки път, когато трябва да бъде създаден файл „launch.json“ (и всички методи „provideDebugConfigurations“ трябва да бъдат извикани).",
+ "vscode.extension.activationEvents.onDebugResolve": "Събитие за включване, което се изпълнява всеки път, когато сесия за дебъгване от конкретния тип е на път да бъде стартирана (и съответният метод „resolveDebugConfiguration“ трябва да бъде извикан).",
+ "vscode.extension.activationEvents.onDebugAdapterProtocolTracker": "Събитие за включване, което се изпълнява всеки път, когато сесия за дебъгване от конкретния тип е на път да бъде стартирана и може да е необходимо проследяване на протокола за дебъгване.",
+ "vscode.extension.activationEvents.workspaceContains": "Събитие за включване, което се изпълнява всеки път, когато бъде отворена папка, която съдържа поне един файл, който отговаря на зададения шаблон за съвпадение.",
+ "vscode.extension.activationEvents.onFileSystem": "Събитие за включване, което се изпълнява всеки път, когато бъде достъпен файл или папка със зададената схема.",
+ "vscode.extension.activationEvents.onSearch": "Събитие за включване, което се изпълнява всеки път, когато бъде пуснато търсене в папката със зададената схема.",
+ "vscode.extension.activationEvents.onView": "Събитие за включване, което се изпълнява всеки път, когато бъде разширен зададеният изглед.",
+ "vscode.extension.activationEvents.onIdentity": "An activation event emitted whenever the specified user identity.",
+ "vscode.extension.activationEvents.onUri": "Събитие за включване, което се изпълнява всеки път, когато се отвори системно-приложим идентифициращ адрес към това разширение.",
+ "vscode.extension.activationEvents.onCustomEditor": "An activation event emitted whenever the specified custom editor becomes visible.",
+ "vscode.extension.activationEvents.star": "Събитие за включване, което се изпълнява при стартирането на програмата. За най-добра работа, моля, използвайте това събитие в разширението си, само ако никоя друга комбинация от събития за включване не върши работа във Вашия случай.",
+ "vscode.extension.badges": "Масив от значки за показване в страничната лента на страницата на разширението в магазина.",
+ "vscode.extension.badges.url": "Адрес на изображението на значката.",
+ "vscode.extension.badges.href": "Връзка към значката.",
+ "vscode.extension.badges.description": "Описание на значката.",
+ "vscode.extension.markdown": "Определя двигателят за изчертаване на Markdown, използван в магазина. Може да бъде „github“ (по подразбиране) или „standard“.",
+ "vscode.extension.qna": "Controls the Q&A link in the Marketplace. Set to marketplace to enable the default Marketplace Q & A site. Set to a string to provide the URL of a custom Q & A site. Set to false to disable Q & A altogether.",
+ "vscode.extension.extensionDependencies": "Зависимости от други разширения. Идентификаторът на разширението винаги е във формата „${издател}.${име}“. Например: „vscode.csharp“.",
+ "vscode.extension.contributes.extensionPack": "Набор от разширения, които могат да бъдат инсталирани заедно. Идентификаторът на разширения винаги е „${издател}.${име}“. Пример: „vscode.csharp“.",
+ "extensionKind": "Define the kind of an extension. `ui` extensions are installed and run on the local machine while `workspace` extensions run on the remote.",
+ "extensionKind.ui": "Define an extension which can run only on the local machine when connected to remote window.",
+ "extensionKind.workspace": "Define an extension which can run only on the remote machine when connected remote window.",
+ "extensionKind.ui-workspace": "Define an extension which can run on either side, with a preference towards running on the local machine.",
+ "extensionKind.workspace-ui": "Define an extension which can run on either side, with a preference towards running on the remote machine.",
+ "extensionKind.empty": "Define an extension which cannot run in a remote context, neither on the local, nor on the remote machine.",
+ "vscode.extension.scripts.prepublish": "Скрипт за изпълнение преди пакетът да бъде публикуван като разширение на „VS Code“.",
+ "vscode.extension.scripts.uninstall": "Кука за деинсталиране на разширение на VS Code. Това е скрипт, който ще бъде изпълнен, когато разширението бъде окончателно деинсталирано от VS Code – тоест след като VS Code бъде рестартиран (спрян и пуснат пак) след деинсталирането на разширението. Поддържат се само скриптове на Node.",
+ "vscode.extension.icon": "Път до иконка с размер 128x128 пиксела."
+ },
+ "vs/workbench/services/extensions/common/remoteExtensionHostClient": {
+ "remote extension host Log": "Remote Extension Host"
+ },
+ "vs/workbench/services/extensions/common/extensionHostProcessManager": {
+ "measureExtHostLatency": "Measure Extension Host Latency",
+ "developer": "Разработчик"
+ },
+ "vs/workbench/services/extensions/electron-browser/cachedExtensionScanner": {
+ "overwritingExtension": "Презаписване на разширението „{0}“ с „{1}“.",
+ "extensionUnderDevelopment": "Зареждане на разширение за разработка от „{0}“",
+ "extensionCache.invalid": "Разширенията са променени на диска. Моля, презаредете прозореца.",
+ "reloadWindow": "Презареждане на прозореца"
+ },
+ "vs/workbench/services/extensions/electron-browser/extensionHost": {
+ "extensionHost.startupFailDebug": "Сървърът за разширения не успя да се стартира за 10 секунди. Може да е спрял на първия ред и да чака дебъгер, за да продължи.",
+ "extensionHost.startupFail": "Сървърът за разширения не успя да се стартира за 10 секунди. Това може да означава, че има проблем.",
+ "reloadWindow": "Презареждане на прозореца",
+ "extension host Log": "Сървър за разширения",
+ "extensionHost.error": "Грешка от сървъра за разширения: {0}"
+ },
+ "vs/workbench/services/extensions/node/extensionPoints": {
+ "jsonParseFail": "Failed to parse {0}: [{1}, {2}] {3}.",
+ "fileReadFail": "Файлът „{0}“ не може да бъде прочетен: {1}.",
+ "jsonsParseReportErrors": "Не може да се направи синтактичен разбор на „{0}“: {1}.",
+ "jsonInvalidFormat": "Invalid format {0}: JSON object expected.",
+ "missingNLSKey": "Съобщението за ключа „{0}“ не може да бъде намерено.",
+ "notSemver": "Версията на разширението не е съвместима със семантичното разпознаване на версии.",
+ "extensionDescription.empty": "Описанието на разширението е празно",
+ "extensionDescription.publisher": "свойството `publisher` трябва да бъде низ",
+ "extensionDescription.name": "свойството `{0}` е задължително и трябва да бъде низ",
+ "extensionDescription.version": "свойството `{0}` е задължително и трябва да бъде низ",
+ "extensionDescription.engines": "свойството `{0}` е задължително и трябва да бъде обект",
+ "extensionDescription.engines.vscode": "свойството `{0}` е задължително и трябва да бъде низ",
+ "extensionDescription.extensionDependencies": "свойството `{0}` може или да бъде пропуснато, или да бъде масив от низове",
+ "extensionDescription.activationEvents1": "свойството `{0}` може или да бъде пропуснато, или да бъде масив от низове",
+ "extensionDescription.activationEvents2": "и двете свойства `{0}` и `{1}` трябва да бъдат дефинирани, или и двете да бъдат пропуснати",
+ "extensionDescription.main1": "свойството `{0}` може или да бъде пропуснато, или да бъде низ",
+ "extensionDescription.main2": "Очаква се `main` ({0}) да присъства в папката на разширението ({1}). Това може да направи разширението предназначено за конкретна система.",
+ "extensionDescription.main3": "и двете свойства `{0}` и `{1}` трябва да бъдат дефинирани, или и двете да бъдат пропуснати"
+ },
+ "vs/workbench/services/files/common/workspaceWatcher": {
+ "netVersionError": "Изисква се „Microsoft .NET Framework 4.5“. Моля, последвайте връзката, за да го инсталирате.",
+ "installNet": "Сваляне на „.NET Framework 4.5“",
+ "enospcError": "Unable to watch for file changes in this large workspace. Please follow the instructions link to resolve this issue.",
+ "learnMore": "Инструкции"
+ },
+ "vs/workbench/services/integrity/node/integrityService": {
+ "integrity.prompt": "Инсталацията Ви на „{0}“ изглежда повредена. Моля, преинсталирайте.",
+ "integrity.moreInformation": "Още информация",
+ "integrity.dontShowAgain": "Да не се показва повече"
+ },
+ "vs/workbench/services/keybinding/electron-browser/keybinding.contribution": {
+ "keyboardConfigurationTitle": "Клавиатура",
+ "touchbar.enabled": "Включва бутоните на сензорната лента на клавиатурата на macOS, ако има такава.",
+ "touchbar.ignored": "A set of identifiers for entries in the touchbar that should not show up (for example `workbench.action.navigateBack`."
+ },
+ "vs/workbench/services/keybinding/common/keybindingEditing": {
+ "errorKeybindingsFileDirty": "Не може да се направи запис във файла с конфигурацията на клавишните комбинации, тъй като в него има промени. Моля, запазете файла и опитайте отново.",
+ "parseErrors": "Не може да се направи запис във файла с конфигурацията на клавишните комбинации. Моля, отворете файла и оправете грешките/предупрежденията в него, след което опитайте отново.",
+ "errorInvalidConfiguration": "Не може да се направи запис във файла с конфигурацията на клавишните комбинации. В него има обект, който не е масив. Моля, отворете файла, за да го почистите и след това опитайте отново.",
+ "emptyKeybindingsHeader": "Поставете клавишните си комбинации тук, за да замените стандартните"
+ },
+ "vs/workbench/services/keybinding/browser/keybindingService": {
+ "nonempty": "очаква се непразна стойност.",
+ "requirestring": "свойството `{0}` е задължително и трябва да бъде низ",
+ "optstring": "свойството `{0}` може или да бъде пропуснато, или да бъде низ",
+ "vscode.extension.contributes.keybindings.command": "Идентификатор на командата за изпълнение при натискане на клавишната комбинация.",
+ "vscode.extension.contributes.keybindings.args": "Arguments to pass to the command to execute.",
+ "vscode.extension.contributes.keybindings.key": "Key or key sequence (separate keys with plus-sign and sequences with space, e.g. Ctrl+O and Ctrl+L L for a chord).",
+ "vscode.extension.contributes.keybindings.mac": "Специфичен клавиш или клавишна комбинация за Mac.",
+ "vscode.extension.contributes.keybindings.linux": "Специфичен клавиш или клавишна комбинация за Линукс.",
+ "vscode.extension.contributes.keybindings.win": "Специфичен клавиш или клавишна комбинация за Windows.",
+ "vscode.extension.contributes.keybindings.when": "Условие, при което клавишът е активен.",
+ "vscode.extension.contributes.keybindings": "Добавя клавишни комбинации.",
+ "invalid.keybindings": "Неправилна стойност на `contributes.{0}`: {1}",
+ "unboundCommands": "Ето още налични команди:",
+ "keybindings.json.title": "Настройка на клавишните комбинации",
+ "keybindings.json.key": "Клавиш или последователност от клавиши (отделени с интервал)",
+ "keybindings.json.command": "Име на командата за изпълнение",
+ "keybindings.json.when": "Условие, при което клавишът е активен.",
+ "keybindings.json.args": "Аргументи, които да бъдат подадени на командата за изпълнение.",
+ "keyboardConfigurationTitle": "Клавиатура",
+ "dispatch": "Определя начина на разпознаване и разпращането на клавиши – това може да бъде `code` (препоръчително) или `keyCode`."
+ },
+ "vs/workbench/services/label/common/labelService": {
+ "vscode.extension.contributes.resourceLabelFormatters": "Contributes resource label formatting rules.",
+ "vscode.extension.contributes.resourceLabelFormatters.scheme": "URI scheme on which to match the formatter on. For example \"file\". Simple glob patterns are supported.",
+ "vscode.extension.contributes.resourceLabelFormatters.authority": "URI authority on which to match the formatter on. Simple glob patterns are supported.",
+ "vscode.extension.contributes.resourceLabelFormatters.formatting": "Rules for formatting uri resource labels.",
+ "vscode.extension.contributes.resourceLabelFormatters.label": "Label rules to display. For example: myLabel:/${path}. ${path}, ${scheme} and ${authority} are supported as variables.",
+ "vscode.extension.contributes.resourceLabelFormatters.separator": "Separator to be used in the uri label display. '/' or '' as an example.",
+ "vscode.extension.contributes.resourceLabelFormatters.tildify": "Controls if the start of the uri label should be tildified when possible.",
+ "vscode.extension.contributes.resourceLabelFormatters.formatting.workspaceSuffix": "Suffix appended to the workspace label.",
+ "untitledWorkspace": "Неозаглавено (работно място)",
+ "workspaceNameVerbose": "{0} (работно място)",
+ "workspaceName": "{0} (работно място)"
+ },
+ "vs/workbench/services/lifecycle/electron-browser/lifecycleService": {
+ "errorClose": "An unexpected error prevented the window from closing ({0}).",
+ "errorQuit": "An unexpected error prevented the application from closing ({0}).",
+ "errorReload": "An unexpected error prevented the window from reloading ({0}).",
+ "errorLoad": "An unexpected error prevented the window from changing it's workspace ({0})."
+ },
+ "vs/workbench/services/mode/common/workbenchModeService": {
+ "vscode.extension.contributes.languages": "Добавя езикови декларации.",
+ "vscode.extension.contributes.languages.id": "Идентификатор на езика.",
+ "vscode.extension.contributes.languages.aliases": "Псевдоними за името на езика.",
+ "vscode.extension.contributes.languages.extensions": "Файлови разширения свързани с езика.",
+ "vscode.extension.contributes.languages.filenames": "Файлови имена свързани с езика.",
+ "vscode.extension.contributes.languages.filenamePatterns": "Шаблони за файлови имена свързани с езика.",
+ "vscode.extension.contributes.languages.mimetypes": "Типове „MIME“ свързани с езика.",
+ "vscode.extension.contributes.languages.firstLine": "Регулярен израз, който да разпознава първия ред от файл на този език.",
+ "vscode.extension.contributes.languages.configuration": "Относителен път до файл, който съдържа конфигурация за езика.",
+ "invalid": "Неправилна стойност на `contributes.{0}`. Очаква се масив.",
+ "invalid.empty": "`contributes.{0}` има празна стойност",
+ "require.id": "свойството `{0}` е задължително и трябва да бъде низ",
+ "opt.extensions": "свойството `{0}` може или да бъде пропуснато, или да бъде масив от низове",
+ "opt.filenames": "свойството `{0}` може или да бъде пропуснато, или да бъде масив от низове",
+ "opt.firstLine": "свойството `{0}` може или да бъде пропуснато, или да бъде масив от низове",
+ "opt.configuration": "свойството `{0}` може или да бъде пропуснато, или да бъде масив от низове",
+ "opt.aliases": "свойството `{0}` може или да бъде пропуснато, или да бъде масив от низове",
+ "opt.mimetypes": "свойството `{0}` може или да бъде пропуснато, или да бъде масив от низове"
+ },
+ "vs/workbench/services/notification/common/notificationService": {
+ "neverShowAgain": "Да не се показва повече"
+ },
+ "vs/workbench/services/preferences/common/preferences": {
+ "userSettingsTarget": "Потребителски настройки",
+ "workspaceSettingsTarget": "Настройки на работното място"
+ },
+ "vs/workbench/services/preferences/browser/preferencesService": {
+ "openFolderFirst": "Трябва първо да отворите папка, за да можете да създадете настройки за работното място.",
+ "emptyKeybindingsHeader": "Поставете клавишните си комбинации тук, за да замените стандартните",
+ "defaultKeybindings": "Стандартни клавишни комбинации",
+ "defaultSettings": "Default Settings",
+ "folderSettingsName": "{0} (Настройки на папката)",
+ "fail.createSettings": "„{0}“ не може да се създаде ({1})."
+ },
+ "vs/workbench/services/preferences/common/preferencesEditorInput": {
+ "settingsEditorName": "Настройки по подразбиране",
+ "keybindingsInputName": "Клавишни комбинации",
+ "settingsEditor2InputName": "Settings"
+ },
+ "vs/workbench/services/preferences/common/preferencesModels": {
+ "commonlyUsed": "Често използвани",
+ "validations.stringArrayUniqueItems": "Array has duplicate items",
+ "validations.stringArrayMinItem": "Array must have at least {0} items",
+ "validations.stringArrayMaxItem": "Array must have at most {0} items",
+ "validations.stringArrayItemPattern": "Value {0} must match regex {1}.",
+ "validations.stringArrayItemEnum": "Value {0} is not one of {1}",
+ "validations.exclusiveMax": "Стойността трябва да е по-малка от {0}.",
+ "validations.exclusiveMin": "Стойността трябва да е по-голяма от {0}.",
+ "validations.max": "Стойността трябва да е по-малка или равна на {0}.",
+ "validations.min": "Стойността трябва да е по-голяма или равна на {0}.",
+ "validations.multipleOf": "Стойността трябва да е кратна на {0}.",
+ "validations.expectedInteger": "Стойността трябва да е цяло число.",
+ "validations.maxLength": "Стойността трябва да бъде с дължина не повече от {0} знака.",
+ "validations.minLength": "Стойността трябва да бъде с дължина не повече от {0} знака.",
+ "validations.regex": "Стойността трябва да отговаря на регулярния израз `{0}`.",
+ "validations.expectedNumeric": "Стойността трябва да е число.",
+ "defaultKeybindingsHeader": "Заменете клавишните комбинации със свои собствени като ги поставите в своя файл за клавишните комбинации."
+ },
+ "vs/workbench/services/preferences/common/keybindingsEditorModel": {
+ "default": "По подразбиране",
+ "user": "Потребител",
+ "cat.title": "{0}: {1}",
+ "meta": "мета",
+ "option": "option"
+ },
+ "vs/workbench/services/progress/browser/progressService": {
+ "progress.text2": "{0}: {1}",
+ "progress.title3": "[{0}] {1}: {2}",
+ "progress.title2": "[{0}]: {1}",
+ "status.progress": "Progress Message",
+ "cancel": "Отказ",
+ "dismiss": "Отхвърляне"
+ },
+ "vs/workbench/services/remote/common/abstractRemoteAgentService": {
+ "connectionError": "Failed to connect to the remote extension host server (Error: {0})"
+ },
+ "vs/workbench/services/textfile/electron-browser/nativeTextFileService": {
+ "fileBinaryError": "Файлът изглежда е двоичен и не може да бъде отворен като текст",
+ "fileReadOnlyError": "Файлът е достъпен само за четене"
+ },
+ "vs/workbench/services/textfile/browser/textFileService": {
+ "fileBinaryError": "Файлът изглежда е двоичен и не може да бъде отворен като текст",
+ "confirmOverwrite": "'{0}' already exists. Do you want to replace it?",
+ "irreversible": "A file or folder with the name '{0}' already exists in the folder '{1}'. Replacing it will overwrite its current contents.",
+ "replaceButtonLabel": "&&Replace"
+ },
+ "vs/workbench/services/textfile/common/textFileEditorModelManager": {
+ "genericSaveError": "„{0}“ не може да се запази: {1}"
+ },
+ "vs/workbench/services/textfile/common/textFileEditorModel": {
+ "saveFileFirst": "Файлът е променен. Запазете го преди да го отворите отново с друга кодировка."
+ },
+ "vs/workbench/services/textfile/common/textFileSaveParticipant": {
+ "saveParticipants": "Saving '{0}'"
+ },
+ "vs/workbench/services/textMate/browser/abstractTextMateService": {
+ "invalid.language": "В настройката `contributes.{0}.language` има непознат език. Зададена стойност: {1}",
+ "invalid.scopeName": "В настройката `contributes.{0}.scopeName` се очаква низ. Зададената стойност е: {1}",
+ "invalid.path.0": "В настройката `contributes.{0}.path` се очаква низ. Зададената стойност е: {1}",
+ "invalid.injectTo": "В настройката `contributes.{0}.injectTo` има неправилна стойност. Трябва да бъде масив от имена на езикови обхвати. Зададена стойност: {1}",
+ "invalid.embeddedLanguages": "В настройката `contributes.{0}.embeddedLanguages` има неправилна стойност. Трябва да бъде обект, свързващ име на обхват с език. Зададена стойност: {1}",
+ "invalid.tokenTypes": "В настройката `contributes.{0}.tokenTypes` има неправилна стойност. Трябва да бъде обект, свързващ име на обхват с тип на лексикална единица. Зададена стойност: {1}",
+ "invalid.path.1": "Очаква се пътят в `contributes.{0}.path` ({1}) да бъде в папката на разширението ({2}). Това може да направи разширението негодно за използване на други системи.",
+ "too many characters": "Tokenization is skipped for long lines for performance reasons. The length of a long line can be configured via `editor.maxTokenizationLineLength`.",
+ "neverAgain": "Да не се показва повече"
+ },
+ "vs/workbench/services/textMate/common/TMGrammarFactory": {
+ "no-tm-grammar": "Няма регистрирана граматика за този език."
+ },
+ "vs/workbench/services/textMate/common/TMGrammars": {
+ "vscode.extension.contributes.grammars": "Добавя възможности за разпознаване на лексикални единици на textmate.",
+ "vscode.extension.contributes.grammars.language": "Идентификатор на езика, за които се използва този синтаксис.",
+ "vscode.extension.contributes.grammars.scopeName": "Име на обхват на Textmate, който се ползва от файла „tmLanguage“.",
+ "vscode.extension.contributes.grammars.path": "Път до файла „tmLanguage“. Пътят е относителен спрямо папката на разширението и обикновено започва с „./syntaxes/“.",
+ "vscode.extension.contributes.grammars.embeddedLanguages": "Структура от асоциации между име на обхват и идентификатор на език, ако тази граматика съдържа вградени езици.",
+ "vscode.extension.contributes.grammars.tokenTypes": "Съответствие между имена на обхвати и типове лексикални единици.",
+ "vscode.extension.contributes.grammars.injectTo": "Списък от имена на езикови обхвати, за които се използва тази граматика."
+ },
+ "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": "Цвят по подразбиране на темите с висок контраст. Това трябва да е или цветова стойност в шестнадесетичен формат (#ЧЧЗЗСС[ПП]) или идентификатор на цвят, който може да се променя от темата и осигурява стойност по подразбиране.",
+ "invalid.colorConfiguration": "„configuration.colors“ трябва да бъде масив",
+ "invalid.default.colorType": "„{0}“ трябва да бъде или цветова стойност в шестнадесетичен формат (#ЧЧЗЗСС[ПП] или #ЧЗС[П]) или идентификатор на цвят, който може да се променя от темата и осигурява стойност по подразбиране.",
+ "invalid.id": "„configuration.colors.id“ трябва да е дефинирано и не може да бъде празно",
+ "invalid.id.format": "„configuration.colors.id“ трябва да бъде във формат дума[.дума]*",
+ "invalid.description": "„configuration.colors.description“ трябва да е дефинирано и не може да бъде празно",
+ "invalid.defaults": "„configuration.colors.defaults“ трябва да е дефинирано и да съдържа „light“ (светла), „dark“ (тъмна) и „highContrast“ (висок контраст)"
+ },
+ "vs/workbench/services/themes/browser/workbenchThemeService": {
+ "error.cannotloadtheme": "„{0}“ не може да се зареди: {1}"
+ },
+ "vs/workbench/services/themes/common/tokenClassificationExtensionPoint": {
+ "contributes.semanticTokenTypes": "Contributes semantic token types.",
+ "contributes.semanticTokenTypes.id": "The identifier of the semantic token type",
+ "contributes.semanticTokenTypes.id.format": "Identifiers should be in the form letterOrDigit[_-letterOrDigit]*",
+ "contributes.semanticTokenTypes.superType": "The super type of the semantic token type",
+ "contributes.semanticTokenTypes.superType.format": "Super types should be in the form letterOrDigit[_-letterOrDigit]*",
+ "contributes.color.description": "The description of the semantic token type",
+ "contributes.semanticTokenModifiers": "Contributes semantic token modifiers.",
+ "contributes.semanticTokenModifiers.id": "The identifier of the semantic token modifier",
+ "contributes.semanticTokenModifiers.id.format": "Identifiers should be in the form letterOrDigit[_-letterOrDigit]*",
+ "contributes.semanticTokenModifiers.description": "The description of the semantic token modifier",
+ "contributes.semanticTokenScopes": "Contributes semantic token scope maps.",
+ "contributes.semanticTokenScopes.languages": "Lists the languge for which the defaults are.",
+ "contributes.semanticTokenScopes.scopes": "Maps a semantic token (described by semantic token selector) to one or more textMate scopes used to represent that token.",
+ "invalid.id": "'configuration.{0}.id' must be defined and can not be empty",
+ "invalid.id.format": "'configuration.{0}.id' must follow the pattern letterOrDigit[-_letterOrDigit]*",
+ "invalid.superType.format": "'configuration.{0}.superType' must follow the pattern letterOrDigit[-_letterOrDigit]*",
+ "invalid.description": "'configuration.{0}.description' must be defined and can not be empty",
+ "invalid.semanticTokenTypeConfiguration": "'configuration.semanticTokenType' must be an array",
+ "invalid.semanticTokenModifierConfiguration": "'configuration.semanticTokenModifier' must be an array",
+ "invalid.semanticTokenScopes.configuration": "'configuration.semanticTokenScopes' must be an array",
+ "invalid.semanticTokenScopes.language": "'configuration.semanticTokenScopes.language' must be a string",
+ "invalid.semanticTokenScopes.scopes": "'configuration.semanticTokenScopes.scopes' must be defined as an object",
+ "invalid.semanticTokenScopes.scopes.value": "'configuration.semanticTokenScopes.scopes' values must be an array of strings",
+ "invalid.semanticTokenScopes.scopes.selector": "configuration.semanticTokenScopes.scopes': Problems parsing selector {0}."
+ },
+ "vs/workbench/services/themes/browser/productIconThemeData": {
+ "defaultTheme": "По подразбиране",
+ "error.cannotparseicontheme": "Problems parsing product icons file: {0}",
+ "error.invalidformat": "Invalid format for product icons theme file: Object expected.",
+ "error.missingProperties": "Invalid format for product icons theme file: Must contain iconDefinitions and fonts."
+ },
+ "vs/workbench/services/themes/common/colorThemeSchema": {
+ "schema.token.settings": "Цветове и стилове за лексикалната единица.",
+ "schema.token.foreground": "Основен цвят за лексикалната единица.",
+ "schema.token.background.warning": "В момента не се поддържат фонови цветове за лексикалните единици.",
+ "schema.token.fontStyle": "Стил на шрифта за правилото: „italic“ (курсив), „bold“ (получер) или „underline“ (подчертан), или комбинация от тях. Ако е празно, ще се използват наследените настройки.",
+ "schema.fontStyle.error": "Стилът на шрифта за трябва да бъде „italic“ (курсив), „bold“ (получер) или „underline“ (подчертан), комбинация от тях или празен низ.",
+ "schema.token.fontStyle.none": "Няма (изчистване на наследения стил)",
+ "schema.properties.name": "Описание на правилото.",
+ "schema.properties.scope": "Схема за избор на обхват, за който се използва това правило.",
+ "schema.workbenchColors": "Colors in the workbench",
+ "schema.tokenColors.path": "Път до файл „tmTheme“ (относителен спрямо текущия файл).",
+ "schema.colors": "Цветове за открояване на синтаксиса",
+ "schema.supportsSemanticHighlighting": "Whether semantic highlighting should be enabled for this theme.",
+ "schema.semanticTokenColors": "Colors for semantic tokens"
+ },
+ "vs/workbench/services/themes/common/productIconThemeSchema": {
+ "schema.fonts": "Шрифтове, които се ползват в дефинициите на иконки.",
+ "schema.id": "Идентификаторът на шрифта.",
+ "schema.src": "The location of the font.",
+ "schema.font-path": "The font path, relative to the current workbench icon theme file.",
+ "schema.font-format": "Форматът на шрифта.",
+ "schema.font-weight": "Дебелината на шрифта.",
+ "schema.font-sstyle": "Стилът на шрифта.",
+ "schema.font-size": "Размерът по подразбиране на шрифта.",
+ "schema.iconDefinitions": "Assocation of icon name to a font character."
+ },
+ "vs/workbench/services/themes/common/fileIconThemeSchema": {
+ "schema.folderExpanded": "Иконка за отворените папки. Тази иконка не е задължителна. Ако не е зададена, ще се използва обикновената иконка за папка.",
+ "schema.folder": "Иконка за затворените папки, а ако няма зададена стойност на „folderExpanded“, също и за отворените папки.",
+ "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.src": "The location of the font.",
+ "schema.font-path": "Пътят до шрифта – относителен спрямо файла на текущата тема за иконките.",
+ "schema.font-format": "Форматът на шрифта.",
+ "schema.font-weight": "Дебелината на шрифта.",
+ "schema.font-sstyle": "Стилът на шрифта.",
+ "schema.font-size": "Размерът по подразбиране на шрифта.",
+ "schema.iconDefinitions": "Описание на всички иконки, които могат да бъдат използване при свързване на файлове с иконки.",
+ "schema.iconDefinition": "Дефиниция на иконка. Ключът на обекта е идентификаторът на дефиницията.",
+ "schema.iconPath": "Ако се използва SVG или PNG: пътят до изображението. Пътят е относителен спрямо файла с набора от иконки.",
+ "schema.fontCharacter": "Ако се използва шрифт: знакът от шрифта, който да се използва.",
+ "schema.fontColor": "Ако се използва шрифт: цветът, който да се използва.",
+ "schema.fontSize": "Ако се използва шрифт: размерът на шрифта, в процент спрямо текстовия шрифт. Ако това не е зададено, ще се използва размерът в дефиницията на шрифта.",
+ "schema.fontId": "Ако се използва шрифт: идентификаторът на шрифта. Ако това не е зададено, ще се използва първата дефиниция на шрифт.",
+ "schema.light": "Връзки за иконките на файловете при използване на светли теми (незадължително).",
+ "schema.highContrast": "Връзки за иконките на файловете при използване на теми с висок контраст (незадължително).",
+ "schema.hidesExplorerArrows": "Определя дали стрелките в изгледа на файловете да бъдат скрити, когато се използва тази тема."
+ },
+ "vs/workbench/services/themes/browser/fileIconThemeData": {
+ "error.cannotparseicontheme": "Проблеми при разбора на файла с иконките на файловете: {0}",
+ "error.invalidformat": "Invalid format for file icons theme file: Object expected."
+ },
+ "vs/workbench/services/themes/common/themeConfiguration": {
+ "colorTheme": "Определя цветовата тема използвана в работната област.",
+ "colorThemeError": "Темата е непозната или не е инсталирана.",
+ "preferredDarkColorTheme": "Specifies the preferred color theme for dark OS appearance when '{0}' is enabled.",
+ "preferredLightColorTheme": "Specifies the preferred color theme for light OS appearance when '{0}' is enabled.",
+ "preferredHCColorTheme": "Specifies the preferred color theme used in high contrast mode when '{0}' is enabled.",
+ "detectColorScheme": "If set, automatically switch to the preferred color theme based on the OS appearance.",
+ "workbenchColors": "Заменя цветовете от текущо избраната цветова тема.",
+ "iconTheme": "Specifies the file icon theme used in the workbench or 'null' to not show any file icons.",
+ "noIconThemeDesc": "Без иконки на файловете",
+ "iconThemeError": "Темата за иконките на файловете е непозната или не е инсталирана.",
+ "workbenchIconTheme": "Specifies the workbench icon theme used.",
+ "defaultWorkbenchIconThemeDesc": "По подразбиране",
+ "workbenchIconThemeError": "Workbench icon theme is unknown or not installed.",
+ "editorColors.comments": "Задава цветовете и стиловете за коментарите.",
+ "editorColors.strings": "Задава цветовете и стиловете за низовете.",
+ "editorColors.keywords": "Задава цветовете и стиловете за ключовите думи.",
+ "editorColors.numbers": "Задава цветовете и стиловете за числата.",
+ "editorColors.types": "Задава цветовете и стиловете за декларациите на типове и местата на тяхното ползване.",
+ "editorColors.functions": "Задава цветовете и стиловете за декларациите на функции и местата на тяхното ползване.",
+ "editorColors.variables": "Задава цветовете и стиловете за декларациите на променливи и местата на тяхното ползване.",
+ "editorColors.textMateRules": "Задава цветовете и стиловете използвайки правилата за теми на textmate (разширена настройка).",
+ "editorColors.semanticHighlighting": "Whether semantic highlighting should be enabled for this theme.",
+ "editorColors": "Заменя цветовете на редактора и стила на шрифта от текущо избраната цветова тема.",
+ "editorColorsTokenStyles": "Overrides token color and styles from the currently selected color theme."
+ },
+ "vs/workbench/services/themes/common/themeExtensionPoints": {
+ "vscode.extension.contributes.themes": "Добавя цветови теми на textmate.",
+ "vscode.extension.contributes.themes.id": "Id of the color theme as used in the user settings.",
+ "vscode.extension.contributes.themes.label": "Име на цветовата тема, както ще се вижда в потребителския интерфейс.",
+ "vscode.extension.contributes.themes.uiTheme": "Основна тема, определяща цветовете в редактора: „vs“ е светлата цветова тема, „vs-dark“ е тъмната цветова тема, „hc-black“ е тъмната тема с висок контраст.",
+ "vscode.extension.contributes.themes.path": "Path of the tmTheme file. The path is relative to the extension folder and is typically './colorthemes/awesome-color-theme.json'.",
+ "vscode.extension.contributes.iconThemes": "Добавя теми за иконките на файловете.",
+ "vscode.extension.contributes.iconThemes.id": "Id of the file icon theme as used in the user settings.",
+ "vscode.extension.contributes.iconThemes.label": "Label of the file icon theme as shown in the UI.",
+ "vscode.extension.contributes.iconThemes.path": "Path of the file icon theme definition file. The path is relative to the extension folder and is typically './fileicons/awesome-icon-theme.json'.",
+ "vscode.extension.contributes.productIconThemes": "Contributes product icon themes.",
+ "vscode.extension.contributes.productIconThemes.id": "Id of the product icon theme as used in the user settings.",
+ "vscode.extension.contributes.productIconThemes.label": "Label of the product icon theme as shown in the UI.",
+ "vscode.extension.contributes.productIconThemes.path": "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'.",
+ "reqarray": "Точката на разширение `{0}` трябва да бъде масив.",
+ "reqpath": "В настройката `contributes.{0}.path` се очаква низ. Зададената стойност е: {1}",
+ "reqid": "В настройката `contributes.{0}.id` се очаква низ. Зададената стойност е: {1}",
+ "invalid.path.1": "Очаква се пътят в `contributes.{0}.path` ({1}) да бъде в папката на разширението ({2}). Това може да направи разширението негодно за използване на други системи."
+ },
+ "vs/workbench/services/themes/common/colorThemeData": {
+ "error.cannotparsejson": "Проблеми при разбора на файл JSON с тема: {0}",
+ "error.invalidformat": "Invalid format for JSON theme file: Object expected.",
+ "error.invalidformat.colors": "Проблем при разбора на файл с цветова тема: {0}. Свойството „colors“ не е обект.",
+ "error.invalidformat.tokenColors": "Проблем при разбора на файл с цветова тема: {0}. Свойството „tokenColors“ трябва или да бъде масив от цветове, или път до файл с тема на TextMate.",
+ "error.invalidformat.semanticTokenColors": "Problem parsing color theme file: {0}. Property 'semanticTokenColors' conatains a invalid selector",
+ "error.plist.invalidformat": "Проблем при разбора на файл „tmTheme“: {0}. „settings“ не е масив.",
+ "error.cannotparse": "Проблеми при разбора на файл „tmTheme“: {0}",
+ "error.cannotload": "Проблеми при зареждане на файл „tmTheme“ {0}: {1}"
+ },
+ "vs/workbench/services/userData/common/settingsSync": {
+ "Settings Conflicts": "Local ↔ Remote (Settings Conflicts)",
+ "errorInvalidSettings": "Unable to sync settings. Please resolve conflicts without any errors/warnings and try again."
+ },
+ "vs/workbench/services/userDataSync/common/userDataSyncUtil": {
+ "select extensions": "Sync: Select Extensions to Sync",
+ "choose extensions to sync": "Choose extensions to sync"
+ },
+ "vs/workbench/services/workingCopy/common/workingCopyFileOperationParticipant": {
+ "msg-create": "Running 'File Create' participants...",
+ "msg-rename": "Running 'File Rename' participants...",
+ "msg-copy": "Running 'File Copy' participants...",
+ "msg-delete": "Running 'File Delete' participants..."
+ },
+ "vs/workbench/services/workspace/electron-browser/workspaceEditingService": {
+ "workspaceOpenedMessage": "Работното място „{0}“ не може да бъде запазено",
+ "ok": "Добре",
+ "workspaceOpenedDetail": "Работното място е вече отворено в друг прозорец. Моля, затворете този прозорец първо и след това опитайте отново."
+ },
+ "vs/workbench/services/workspace/browser/workspaceEditingService": {
+ "save": "Запазване",
+ "doNotSave": "Don't Save",
+ "cancel": "Отказ",
+ "saveWorkspaceMessage": "Искате ли да запазите конфигурацията на работното си място като файл?",
+ "saveWorkspaceDetail": "Запазете работното си място, ако смятате да го отворите отново.",
+ "saveWorkspace": "Запазване на работното място",
+ "differentSchemeRoots": "Workspace folders from different providers are not allowed in the same workspace.",
+ "errorInvalidTaskConfiguration": "Не може да се направи запис в конфигурационния файл на работното място. Моля, отворете файла и оправете грешките/предупрежденията в него, след което опитайте отново.",
+ "errorWorkspaceConfigurationFileDirty": "Не може да се направи запис в конфигурационния файл на работното място, тъй като в него има промени. Моля, запазете файла и опитайте отново.",
+ "openWorkspaceConfigurationFile": "Отваряне на конфигурацията на работното място"
+ },
+ "vs/workbench/services/workspaces/electron-browser/workspaceEditingService": {
+ "save": "Запазване",
+ "doNotSave": "Don't Save",
+ "cancel": "Отказ",
+ "saveWorkspaceMessage": "Искате ли да запазите конфигурацията на работното си място като файл?",
+ "saveWorkspaceDetail": "Запазете работното си място, ако смятате да го отворите отново.",
+ "workspaceOpenedMessage": "Работното място „{0}“ не може да бъде запазено",
+ "ok": "Добре",
+ "workspaceOpenedDetail": "Работното място е вече отворено в друг прозорец. Моля, затворете този прозорец първо и след това опитайте отново."
+ },
+ "vs/workbench/services/workspaces/browser/abstractWorkspaceEditingService": {
+ "save": "Запазване",
+ "saveWorkspace": "Запазване на работното място",
+ "differentSchemeRoots": "Workspace folders from different providers are not allowed in the same workspace.",
+ "errorInvalidTaskConfiguration": "Не може да се направи запис в конфигурационния файл на работното място. Моля, отворете файла и оправете грешките/предупрежденията в него, след което опитайте отново.",
+ "errorWorkspaceConfigurationFileDirty": "Не може да се направи запис в конфигурационния файл на работното място, тъй като в него има промени. Моля, запазете файла и опитайте отново.",
+ "openWorkspaceConfigurationFile": "Отваряне на конфигурацията на работното място"
+ }
+}
diff --git a/internal/vite-plugin-monaco-editor-nls/src/locale/cs.json b/internal/vite-plugin-monaco-editor-nls/src/locale/cs.json
new file mode 100644
index 0000000..db9d599
--- /dev/null
+++ b/internal/vite-plugin-monaco-editor-nls/src/locale/cs.json
@@ -0,0 +1,8306 @@
+{
+ "win32/i18n/Default": {
+ "SetupAppTitle": "Instalační program",
+ "SetupWindowTitle": "Instalační program – %1",
+ "UninstallAppTitle": "Odinstalovat",
+ "UninstallAppFullTitle": "Odinstalace %1",
+ "InformationTitle": "Informace",
+ "ConfirmTitle": "Potvrdit",
+ "ErrorTitle": "Chyba",
+ "SetupLdrStartupMessage": "Tímto nainstalujete aplikaci %1. Chcete pokračovat?",
+ "LdrCannotCreateTemp": "Nelze vytvořit dočasný soubor. Instalace byla přerušena.",
+ "LdrCannotExecTemp": "Nelze spustit soubor v dočasném adresáři. Instalace byla přerušena.",
+ "LastErrorMessage": "%1.%n%nChyba %2: %3",
+ "SetupFileMissing": "V instalačním adresáři chybí soubor %1. Opravte prosím problém nebo získejte novou kopii programu.",
+ "SetupFileCorrupt": "Soubory instalačního programu jsou poškozené. Získejte prosím novou kopii programu.",
+ "SetupFileCorruptOrWrongVer": "Soubory instalačního programu jsou poškozené nebo nejsou kompatibilní s touto verzí instalačního programu. Opravte prosím problém nebo získejte novou kopii programu.",
+ "InvalidParameter": "Na příkazovém řádku byl předán neplatný parametr:%n%n%1",
+ "SetupAlreadyRunning": "Instalace je už spuštěná.",
+ "WindowsVersionNotSupported": "Tato aplikace nepodporuje verzi systému Windows, která se používá na vašem počítači.",
+ "WindowsServicePackRequired": "Tato aplikace vyžaduje %1 Service Pack %2 nebo novější.",
+ "NotOnThisPlatform": "Tuto aplikaci nebude možné spustit na této platformě: %1.",
+ "OnlyOnThisPlatform": "Tuto aplikaci je nutné spouštět na této platformě: %1.",
+ "OnlyOnTheseArchitectures": "Tuto aplikaci lze nainstalovat pouze do verzí systému Windows určených pro následující architektury procesorů:%n%n%1",
+ "MissingWOW64APIs": "Verze systému Windows, kterou používáte, nezahrnuje funkce vyžadované instalačním programem k provedení 64bitové instalace. Pokud chcete tento problém vyřešit, nainstalujte si prosím Service Pack %1.",
+ "WinVersionTooLowError": "Tato aplikace vyžaduje systém %1 verze %2 nebo novější.",
+ "WinVersionTooHighError": "Tuto aplikaci nelze nainstalovat do systému %1 verze %2 nebo novější.",
+ "AdminPrivilegesRequired": "Při instalaci této aplikace musíte být přihlášeni jako správce.",
+ "PowerUserPrivilegesRequired": "Při instalaci této aplikace musíte být přihlášeni jako správce nebo jako člen skupiny Power Users.",
+ "SetupAppRunningError": "Instalační program zjistil, že aplikace %1 je aktuálně spuštěná.%n%nZavřete teď prosím všechny její instance a potom pokračujte kliknutím na OK. Kliknutím na Zrušit akci zrušíte.",
+ "UninstallAppRunningError": "Při odinstalaci se zjistilo, že aplikace %1 je aktuálně spuštěná.%n%nZavřete teď prosím všechny její instance a potom pokračujte kliknutím na OK. Kliknutím na Zrušit akci zrušíte.",
+ "ErrorCreatingDir": "Instalačnímu programu se nepovedlo vytvořit adresář %1.",
+ "ErrorTooManyFilesInDir": "Soubor v adresáři %1 nelze vytvořit, protože adresář obsahuje příliš mnoho souborů.",
+ "ExitSetupTitle": "Ukončit instalaci",
+ "ExitSetupMessage": "Instalace nebyla dokončena. Pokud ji teď ukončíte, aplikace se nenainstaluje.%n%nPokud budete chtít instalaci dokončit, můžete kdykoli později spustit znovu instalační program.%n%nChcete instalaci ukončit?",
+ "AboutSetupMenuItem": "&O instalačním programu...",
+ "AboutSetupTitle": "O instalačním programu",
+ "AboutSetupMessage": "%1 verze %2%n%3%n%n%1 domovská stránka:%n%4",
+ "ButtonBack": "< &Zpět",
+ "ButtonNext": "&Další >",
+ "ButtonInstall": "&Nainstalovat",
+ "ButtonOK": "OK",
+ "ButtonCancel": "Zrušit",
+ "ButtonYes": "&Ano",
+ "ButtonYesToAll": "Ano pro &všechny",
+ "ButtonNo": "&Ne",
+ "ButtonNoToAll": "&Ne pro všechny",
+ "ButtonFinish": "&Dokončit",
+ "ButtonBrowse": "&Procházet...",
+ "ButtonWizardBrowse": "P&rocházet...",
+ "ButtonNewFolder": "Vytvořit &novou složku",
+ "SelectLanguageTitle": "Vybrat jazyk instalace",
+ "SelectLanguageLabel": "Vyberte jazyk, který má být použit během instalace:",
+ "ClickNext": "Pokračujte kliknutím na Další. Zvolením možnosti Zrušit instalační program ukončíte.",
+ "BrowseDialogTitle": "Najít složku",
+ "BrowseDialogLabel": "Vyberte složku z níže uvedeného seznamu a klikněte na OK.",
+ "NewFolderName": "Nová složka",
+ "WelcomeLabel1": "Vítá vás průvodce instalací aplikace [name]",
+ "WelcomeLabel2": "Tímto se do počítače nainstaluje aplikace [name/ver].%n%nPřed pokračováním doporučujeme zavřít všechny ostatní aplikace.",
+ "WizardPassword": "Heslo",
+ "PasswordLabel1": "Tato instalace je chráněna heslem.",
+ "PasswordLabel3": "Zadejte prosím heslo a pokračujte kliknutím na Další. V heslech se rozlišují malá a velká písmena.",
+ "PasswordEditLabel": "&Heslo:",
+ "IncorrectPassword": "Heslo, které jste zadali, není správné. Zkuste to prosím znovu.",
+ "WizardLicense": "Licenční smlouva",
+ "LicenseLabel": "Než budete pokračovat, přečtěte si prosím následující důležité informace",
+ "LicenseLabel3": "Přečtěte si prosím následující licenční smlouvu. Před pokračováním v instalaci musíte vyjádřit souhlas s jejími podmínkami.",
+ "LicenseAccepted": "&Souhlasím s podmínkami smlouvy",
+ "LicenseNotAccepted": "&Nesouhlasím s podmínkami smlouvy",
+ "WizardInfoBefore": "Informace",
+ "InfoBeforeLabel": "Než budete pokračovat, přečtěte si prosím následující důležité informace",
+ "InfoBeforeClickLabel": "Až budete připraveni pokračovat v instalaci, klikněte na Další.",
+ "WizardInfoAfter": "Informace",
+ "InfoAfterLabel": "Než budete pokračovat, přečtěte si prosím následující důležité informace",
+ "InfoAfterClickLabel": "Až budete připraveni pokračovat v instalaci, klikněte na Další.",
+ "WizardUserInfo": "Informace o uživateli",
+ "UserInfoDesc": "Zadejte prosím svoje informace.",
+ "UserInfoName": "&Uživatelské jméno:",
+ "UserInfoOrg": "&Organizace:",
+ "UserInfoSerial": "&Sériové číslo:",
+ "UserInfoNameRequired": "Je nutné zadat jméno.",
+ "WizardSelectDir": "Vybrat cílové umístění",
+ "SelectDirDesc": "Kam se má aplikace [name] nainstalovat?",
+ "SelectDirLabel3": "Instalační program nainstaluje aplikaci [name] do následující složky.",
+ "SelectDirBrowseLabel": "Pokračujte kliknutím na Další. Pokud chcete vybrat jinou složku, klikněte na Procházet.",
+ "DiskSpaceMBLabel": "Je vyžadováno minimálně [mb] MB volného místa na disku.",
+ "CannotInstallToNetworkDrive": "Instalační program nemůže provést instalaci na síťovou jednotku.",
+ "CannotInstallToUNCPath": "Instalační program nemůže provést instalaci do cesty UNC.",
+ "InvalidPath": "Musíte zadat úplnou cestu s písmenem jednotky, příklad:%n%nC:\\APP%n%nnebo cesta UNC ve formátu:%n%n\\\\server\\sdílená_složka",
+ "InvalidDrive": "Jednotka nebo sdílená složka UNC, kterou jste vybrali, neexistuje nebo k ní nelze získat přístup. Vyberte prosím jiné umístění.",
+ "DiskSpaceWarningTitle": "Nedostatek místa na disku",
+ "DiskSpaceWarning": "Instalace vyžaduje minimálně %1 kB volného místa, ale na vybrané jednotce je k dispozici pouze %2 kB. %n%nChcete přesto pokračovat?",
+ "DirNameTooLong": "Název složky nebo cesta ke složce jsou příliš dlouhé.",
+ "InvalidDirName": "Název složky není platný.",
+ "BadDirName32": "Názvy složek nesmí obsahovat žádný z následujících znaků:%n%n%1",
+ "DirExistsTitle": "Složka existuje",
+ "DirExists": "Složka:%n%n%1%n%nuž existuje. Chcete přesto provést instalaci do této složky?",
+ "DirDoesntExistTitle": "Složka neexistuje.",
+ "DirDoesntExist": "Složka:%n%n%1%n%neexistuje. Chcete ji vytvořit?",
+ "WizardSelectComponents": "Vybrat součásti",
+ "SelectComponentsDesc": "Které součásti mají být nainstalovány?",
+ "SelectComponentsLabel2": "Vyberte součásti, které chcete nainstalovat. Zrušte zaškrtnutí součástí, které nechcete nainstalovat. Až budete připraveni pokračovat, klikněte na Další.",
+ "FullInstallation": "Úplná instalace",
+ "CompactInstallation": "Kompaktní instalace",
+ "CustomInstallation": "Vlastní instalace",
+ "NoUninstallWarningTitle": "Existující součásti",
+ "NoUninstallWarning": "Instalační program zjistil, že v počítači jsou již nainstalovány následující součásti:%n%n%1%n%nPokud zrušíte výběr těchto součástí, neodinstalují se.%n%nChcete přesto pokračovat?",
+ "ComponentSize1": "%1 kB",
+ "ComponentSize2": "%1 MB",
+ "ComponentsDiskSpaceMBLabel": "Aktuální výběr vyžaduje minimálně [mb] MB volného místa na disku.",
+ "WizardSelectTasks": "Vybrat další úlohy",
+ "SelectTasksDesc": "Jaké další úlohy se mají provést?",
+ "SelectTasksLabel2": "Vyberte další úlohy, které má instalační program provést během instalace aplikace [name], a potom klikněte na Další.",
+ "WizardSelectProgramGroup": "Vybrat složku nabídky Start",
+ "SelectStartMenuFolderDesc": "Kam má instalační program umístit zástupce aplikace?",
+ "SelectStartMenuFolderLabel3": "Instalační program vytvoří zástupce aplikace v následující složce nabídky Start.",
+ "SelectStartMenuFolderBrowseLabel": "Pokračujte kliknutím na Další. Pokud chcete vybrat jinou složku, klikněte na Procházet.",
+ "MustEnterGroupName": "Musíte zadat název složky.",
+ "GroupNameTooLong": "Název složky nebo cesta ke složce jsou příliš dlouhé.",
+ "InvalidGroupName": "Název složky není platný.",
+ "BadGroupName": "Název složky nesmí obsahovat žádný z následujících znaků:%n%n%1",
+ "NoProgramGroupCheck2": "&Nevytvářet složku v nabídce Start",
+ "WizardReady": "Připraveno k instalaci",
+ "ReadyLabel1": "Instalační program je nyní připraven začít instalovat aplikaci [name] do počítače.",
+ "ReadyLabel2a": "Pokud chcete pokračovat v instalaci, klikněte na Nainstalovat. Pokud chcete zkontrolovat nebo změnit některá nastavení, klikněte na Zpět.",
+ "ReadyLabel2b": "Pokud chcete pokračovat v instalaci, klikněte na Nainstalovat.",
+ "ReadyMemoUserInfo": "Informace o uživateli:",
+ "ReadyMemoDir": "Cílové umístění:",
+ "ReadyMemoType": "Typ instalace:",
+ "ReadyMemoComponents": "Vybrané součásti:",
+ "ReadyMemoGroup": "Složka nabídky Start:",
+ "ReadyMemoTasks": "Další úlohy:",
+ "WizardPreparing": "Připravuje se instalace.",
+ "PreparingDesc": "Instalační program připravuje instalaci aplikace [name] do vašeho počítače.",
+ "PreviousInstallNotCompleted": "Nebyla dokončena instalace nebo odinstalace předchozí aplikace. K dokončení této instalace bude nutné restartovat počítač.%n%nPo restartování počítače spusťte instalační program znovu a dokončete instalaci aplikace [name].",
+ "CannotContinue": "Instalační program nemůže pokračovat. Kliknutím na Zrušit instalační program ukončíte.",
+ "ApplicationsFound": "Následující aplikace používají soubory, které musí instalační program aktualizovat. Doporučuje se, abyste instalačnímu programu povolili tyto aplikace automaticky zavřít.",
+ "ApplicationsFound2": "Následující aplikace používají soubory, které musí instalační program aktualizovat. Doporučuje se, abyste instalačnímu programu povolili tyto aplikace automaticky zavřít. Po dokončení instalace se instalační program pokusí aplikace restartovat.",
+ "CloseApplications": "&Automaticky zavřít aplikace",
+ "DontCloseApplications": "&Nezavírat aplikace",
+ "ErrorCloseApplications": "Instalační program nemohl automaticky zavřít všechny aplikace. Před pokračováním doporučujeme zavřít všechny aplikace používající soubory, které musí instalační program aktualizovat.",
+ "WizardInstalling": "Probíhá instalace.",
+ "InstallingLabel": "Počkejte prosím, než instalační program do počítače nainstaluje aplikaci [name].",
+ "FinishedHeadingLabel": "Dokončení průvodce instalací aplikace [name]",
+ "FinishedLabelNoIcons": "Instalační program dokončil instalaci aplikace [name] na vašem počítači.",
+ "FinishedLabel": "Instalační program dokončil instalaci aplikace [name] na vašem počítači. Aplikaci můžete spustit tak, že vyberete nainstalované ikony.",
+ "ClickFinish": "Kliknutím na tlačítko Dokončit ukončíte instalační program.",
+ "FinishedRestartLabel": "Aby bylo možné dokončit instalaci aplikace [name], musí instalační program restartovat počítač. Chcete teď počítač restartovat?",
+ "FinishedRestartMessage": "Aby bylo možné dokončit instalaci aplikace [name], musí instalační program restartovat počítač.%n%nChcete teď počítač restartovat?",
+ "ShowReadmeCheck": "Ano, chci si prohlédnout soubor README",
+ "YesRadio": "&Ano, chci teď restartovat počítač",
+ "NoRadio": "&Ne, počítač restartuji později",
+ "RunEntryExec": "Spustit: %1",
+ "RunEntryShellExec": "Zobrazit: %1",
+ "ChangeDiskTitle": "Instalační program potřebuje další disk",
+ "SelectDiskLabel2": "Vložte prosím disk %1 a klikněte na OK.%n%nPokud se soubory na tomto disku nacházejí v jiné složce než v té, která je zobrazena níže, zadejte správnou cestu nebo klikněte na Procházet.",
+ "PathLabel": "&Cesta:",
+ "FileNotInDir2": "Soubor %1 nebyl v umístění %2 nalezen. Vložte prosím správný disk nebo vyberte jinou složku.",
+ "SelectDirectoryLabel": "Zadejte prosím umístění dalšího disku.",
+ "SetupAborted": "Instalace nebyla dokončena.%n%nOpravte prosím problém a spusťte instalační program znovu.",
+ "EntryAbortRetryIgnore": "Pokud to chcete zkusit znovu, klikněte na Zkusit znovu. Pokud chcete přesto pokračovat, zvolte Ignorovat. Zvolením možnosti Přerušit instalaci zrušíte.",
+ "StatusClosingApplications": "Zavírají se aplikace...",
+ "StatusCreateDirs": "Vytvářejí se adresáře...",
+ "StatusExtractFiles": "Extrahují se soubory...",
+ "StatusCreateIcons": "Vytvářejí se zástupci...",
+ "StatusCreateIniEntries": "Vytvářejí se položky INI...",
+ "StatusCreateRegistryEntries": "Vytvářejí se položky registru...",
+ "StatusRegisterFiles": "Registrují se soubory...",
+ "StatusSavingUninstall": "Ukládají se odinstalační informace...",
+ "StatusRunProgram": "Dokončuje se instalace...",
+ "StatusRestartingApplications": "Restartují se aplikace...",
+ "StatusRollback": "Vracení změn...",
+ "ErrorInternal2": "Vnitřní chyba: %1",
+ "ErrorFunctionFailedNoCode": "Selhalo: %1",
+ "ErrorFunctionFailed": "Selhalo: %1; kód: %2",
+ "ErrorFunctionFailedWithMessage": "Selhalo: %1; kód: %2.%n%3",
+ "ErrorExecutingProgram": "Nelze provést soubor:%n%1",
+ "ErrorRegOpenKey": "Chyba při otevírání klíče registru:%n%1\\%2",
+ "ErrorRegCreateKey": "Chyba při vytváření klíče registru:%n%1\\%2",
+ "ErrorRegWriteKey": "Chyba při zápisu do klíče registru:%n%1\\%2",
+ "ErrorIniEntry": "Při vytváření položky INI v souboru %1 došlo k chybě.",
+ "FileAbortRetryIgnore": "Pokud to chcete zkusit znovu, klikněte na Zkusit znovu. Pokud chcete tento soubor přeskočit (nedoporučuje se), klikněte na Ignorovat. Pokud chcete instalaci zrušit, klikněte na Přerušit.",
+ "FileAbortRetryIgnore2": "Pokud to chcete zkusit znovu, klikněte na Zkusit znovu. Pokud chcete přesto pokračovat (nedoporučuje se), klikněte na Ignorovat. Pokud chcete instalaci zrušit, klikněte na Přerušit.",
+ "SourceIsCorrupted": "Zdrojový soubor je poškozený.",
+ "SourceDoesntExist": "Zdrojový soubor %1 neexistuje.",
+ "ExistingFileReadOnly": "Existující soubor je označen jako jen pro čtení.%n%nPokud chcete odebrat atribut jen pro čtení a zkusit to znovu, klikněte na Zkusit znovu. Pokud chcete tento soubor přeskočit, klikněte na Ignorovat. Pokud chcete instalaci zrušit, klikněte na Přerušit.",
+ "ErrorReadingExistingDest": "Při pokusu o čtení existujícího souboru došlo k chybě:",
+ "FileExists": "Soubor už existuje.%n%nChcete, aby ho instalační program přepsal?",
+ "ExistingFileNewer": "Existující soubor je novější než soubor, který se instalační program pokouší nainstalovat. Doporučujeme zachovat existující soubor.%n%nChcete zachovat existující soubor?",
+ "ErrorChangingAttr": "Při pokusu o změnu atributů existujícího souboru došlo k chybě:",
+ "ErrorCreatingTemp": "Při pokusu o vytvoření souboru v cílovém adresáři došlo k chybě:",
+ "ErrorReadingSource": "Při pokusu o čtení zdrojového souboru došlo k chybě:",
+ "ErrorCopying": "Při pokusu o zkopírování souboru došlo k chybě:",
+ "ErrorReplacingExistingFile": "Při pokusu o nahrazení existujícího souboru došlo k chybě:",
+ "ErrorRestartReplace": "Selhání RestartReplace:",
+ "ErrorRenamingTemp": "Při pokusu o přejmenování souboru v cílovém adresáři došlo k chybě:",
+ "ErrorRegisterServer": "Nepovedlo se zaregistrovat DLL/OCX: %1.",
+ "ErrorRegSvr32Failed": "Selhání RegSvr32 s ukončovacím kódem %1",
+ "ErrorRegisterTypeLib": "Nepovedlo se zaregistrovat knihovnu typů: %1.",
+ "ErrorOpeningReadme": "Při pokusu o otevření souboru README došlo k chybě.",
+ "ErrorRestartingComputer": "Instalačnímu programu se nepovedlo restartovat počítač. Proveďte to prosím ručně.",
+ "UninstallNotFound": "Soubor %1 neexistuje. Nelze provést odinstalaci.",
+ "UninstallOpenError": "Soubor %1 se nepovedlo otevřít. Nelze provést odinstalaci.",
+ "UninstallUnsupportedVer": "Soubor protokolu odinstalace %1 je ve formátu, který tato verze odinstalačního programu nerozpoznala. Nelze provést odinstalaci.",
+ "UninstallUnknownEntry": "V protokolu odinstalace byla zjištěna neznámá položka (%1).",
+ "ConfirmUninstall": "Opravdu chcete úplně odebrat %1? Rozšíření a nastavení se neodeberou.",
+ "UninstallOnlyOnWin64": "Tuto instalaci lze odinstalovat pouze v 64bitovém systému Windows.",
+ "OnlyAdminCanUninstall": "Tuto instalaci může odinstalovat pouze uživatel s oprávněními správce.",
+ "UninstallStatusLabel": "Počkejte prosím, než se aplikace %1 odebere z počítače.",
+ "UninstalledAll": "Aplikace %1 byla úspěšně odebrána z počítače.",
+ "UninstalledMost": "Odinstalace aplikace %1 byla dokončena.%n%nNěkteré prvky se nepovedlo odebrat. Můžete je odebrat ručně.",
+ "UninstalledAndNeedsRestart": "Aby bylo možné dokončit odinstalaci aplikace %1, je nutné restartovat počítač.%n%nChcete ho teď restartovat?",
+ "UninstallDataCorrupted": "Soubor %1 je poškozený. Nelze provést odinstalaci.",
+ "ConfirmDeleteSharedFileTitle": "Chcete odebrat sdílený soubor?",
+ "ConfirmDeleteSharedFile2": "Systém indikuje, že následující sdílený soubor již není používán žádnými aplikacemi. Chcete, aby se při odinstalaci tento sdílený soubor odebral?%n%nPokud některá aplikace tento soubor stále používá a soubor bude odebrán, nemusí pak aplikace fungovat správně. Pokud si nejste jisti, zvolte Ne. Ponechání souboru v systému nebude mít žádný negativní dopad.",
+ "SharedFileNameLabel": "Název souboru:",
+ "SharedFileLocationLabel": "Umístění:",
+ "WizardUninstalling": "Stav odinstalace",
+ "StatusUninstalling": "Odinstalovává se: %1...",
+ "ShutdownBlockReasonInstallingApp": "Instaluje se: %1.",
+ "ShutdownBlockReasonUninstallingApp": "Odinstalovává se: %1.",
+ "NameAndVersion": "%1 verze %2",
+ "AdditionalIcons": "Další ikony:",
+ "CreateDesktopIcon": "Vytvořit ikonu na &ploše",
+ "CreateQuickLaunchIcon": "Vytvořit ikonu &Snadné spuštění",
+ "ProgramOnTheWeb": "%1 na webu",
+ "UninstallProgram": "Odinstalovat aplikaci %1",
+ "LaunchProgram": "Spustit aplikaci %1",
+ "AssocFileExtension": "&Přidružit aplikaci %1 k příponě souborů %2",
+ "AssocingFileExtension": "%1 se přidružuje k příponě souborů %2...",
+ "AutoStartProgramGroupDescription": "Po spuštění:",
+ "AutoStartProgram": "Automaticky spustit %1",
+ "AddonHostProgramNotFound": "%1 se ve složce, kterou jste vybrali, nepovedlo najít.%n%nChcete přesto pokračovat?"
+ },
+ "vs/base/common/date": {
+ "date.fromNow.in": "za {0}",
+ "date.fromNow.now": "teď",
+ "date.fromNow.seconds.singular.ago": "Před {0} sekundu",
+ "date.fromNow.seconds.plural.ago": "Před {0} sekundami",
+ "date.fromNow.seconds.singular": "{0} s",
+ "date.fromNow.seconds.plural": "{0} s",
+ "date.fromNow.minutes.singular.ago": "Před {0} minutou",
+ "date.fromNow.minutes.plural.ago": "Před {0} minutami",
+ "date.fromNow.minutes.singular": "{0} min",
+ "date.fromNow.minutes.plural": "{0} min",
+ "date.fromNow.hours.singular.ago": "Před {0} h",
+ "date.fromNow.hours.plural.ago": "Před {0} h",
+ "date.fromNow.hours.singular": "{0} h",
+ "date.fromNow.hours.plural": "{0} h",
+ "date.fromNow.days.singular.ago": "Před {0} dnem",
+ "date.fromNow.days.plural.ago": "Před {0} dny",
+ "date.fromNow.days.singular": "{0} den",
+ "date.fromNow.days.plural": "{0} dny/dnů",
+ "date.fromNow.weeks.singular.ago": "Před {0} týd.",
+ "date.fromNow.weeks.plural.ago": "Před {0} týd.",
+ "date.fromNow.weeks.singular": "{0} týd.",
+ "date.fromNow.weeks.plural": "{0} týd.",
+ "date.fromNow.months.singular.ago": "Před {0} měsícem",
+ "date.fromNow.months.plural.ago": "Před {0} měs.",
+ "date.fromNow.months.singular": "{0} měs.",
+ "date.fromNow.months.plural": "{0} měs.",
+ "date.fromNow.years.singular.ago": "Před {0} rokem",
+ "date.fromNow.years.plural.ago": "Před {0} roky",
+ "date.fromNow.years.singular": "{0} rok",
+ "date.fromNow.years.plural": "{0} roky"
+ },
+ "vs/base/common/codicons": {
+ "dropDownButton": "Ikona pro rozevírací tlačítka"
+ },
+ "vs/base/common/actions": {
+ "submenu.empty": "(prázdné)"
+ },
+ "vs/base/node/processes": {
+ "TaskRunner.UNC": "Nelze provést příkaz shellu na jednotce UNC."
+ },
+ "vs/base/common/errorMessage": {
+ "stackTrace.format": "{0}: {1}",
+ "nodeExceptionMessage": "Došlo k systémové chybě. ({0})",
+ "error.defaultMessage": "Došlo k neznámé chybě. Další podrobnosti naleznete v protokolu.",
+ "error.moreErrors": "{0} (celkový počet chyb: {1})"
+ },
+ "vs/base/node/zip": {
+ "invalid file": "Při extrahování souboru {0} došlo k chybě. Soubor je neplatný.",
+ "incompleteExtract": "Neúplné. Nalezené položky: {0} z {1}",
+ "notFound": "{0} se v souboru zip nepovedlo najít."
+ },
+ "vs/base/browser/ui/dialog/dialog": {
+ "ok": "OK",
+ "dialogInfoMessage": "Informace",
+ "dialogErrorMessage": "Chyba",
+ "dialogWarningMessage": "Upozornění",
+ "dialogPendingMessage": "Probíhá zpracování.",
+ "dialogClose": "Zavřít dialogové okno"
+ },
+ "vs/base/browser/ui/actionbar/actionViewItems": {
+ "titleLabel": "{0} ({1})"
+ },
+ "vs/base/browser/ui/keybindingLabel/keybindingLabel": {
+ "unbound": "Nesvázáno s klávesovou zkratkou"
+ },
+ "vs/base/browser/ui/menu/menubar": {
+ "mAppMenu": "Nabídka aplikace",
+ "mMore": "Více"
+ },
+ "vs/base/browser/ui/menu/menu": {
+ "titleLabel": "{0} ({1})"
+ },
+ "vs/base/common/jsonErrorMessages": {
+ "error.invalidSymbol": "Neplatný symbol",
+ "error.invalidNumberFormat": "Neplatný formát čísla",
+ "error.propertyNameExpected": "Očekával se název vlastnosti.",
+ "error.valueExpected": "Očekávala se hodnota.",
+ "error.colonExpected": "Očekávala se dvojtečka.",
+ "error.commaExpected": "Očekávala se čárka.",
+ "error.closeBraceExpected": "Očekávala se pravá složená závorka.",
+ "error.closeBracketExpected": "Očekávala se pravá hranatá závorka.",
+ "error.endOfFileExpected": "Očekává se konec souboru."
+ },
+ "vs/base/common/keybindingLabels": {
+ "ctrlKey": "Ctrl",
+ "shiftKey": "Shift",
+ "altKey": "Alt",
+ "windowsKey": "Windows",
+ "superKey": "Super",
+ "ctrlKey.long": "Control",
+ "shiftKey.long": "Shift",
+ "altKey.long": "Alt",
+ "cmdKey.long": "Příkaz",
+ "windowsKey.long": "Windows",
+ "superKey.long": "Super"
+ },
+ "vs/base/browser/ui/tree/abstractTree": {
+ "clear": "Vymazat",
+ "disable filter on type": "Zakázat filtrování při psaní",
+ "enable filter on type": "Povolit filtrování při psaní",
+ "empty": "Nebyly nalezeny žádné elementy.",
+ "found": "Shoda s {0} z {1} elementů"
+ },
+ "vs/base/browser/ui/tree/treeDefaults": {
+ "collapse all": "Sbalit vše"
+ },
+ "vs/base/browser/ui/toolbar/toolbar": {
+ "moreActions": "Další akce..."
+ },
+ "vs/base/browser/ui/splitview/paneview": {
+ "viewSection": "Oddíl {0}"
+ },
+ "vs/base/browser/ui/inputbox/inputBox": {
+ "alertErrorMessage": "Chyba: {0}",
+ "alertWarningMessage": "Upozornění: {0}",
+ "alertInfoMessage": "Informace: {0}"
+ },
+ "vs/base/parts/quickinput/browser/quickInput": {
+ "backButtonIcon": "Ikona pro tlačítko zpět v dialogu rychlého vstupu",
+ "quickInput.back": "Zpět",
+ "quickInput.steps": "{0}/{1}",
+ "quickInputBox.ariaLabel": "Pokud chcete zúžit počet výsledků, začněte psát.",
+ "inputModeEntry": "Stisknutím klávesy Enter potvrdíte vstup. Klávesou Esc akci zrušíte.",
+ "inputModeEntryDescription": "{0} (Potvrdíte stisknutím klávesy Enter. Zrušíte klávesou Esc.)",
+ "quickInput.visibleCount": "Počet výsledků: {0}",
+ "quickInput.countSelected": "Vybrané: {0}",
+ "ok": "OK",
+ "custom": "Vlastní",
+ "quickInput.backWithKeybinding": "Zpět ({0})"
+ },
+ "vs/base/browser/ui/findinput/findInput": {
+ "defaultLabel": "vstup"
+ },
+ "vs/base/browser/ui/findinput/replaceInput": {
+ "defaultLabel": "vstup",
+ "label.preserveCaseCheckbox": "Zachovávat velikost písmen"
+ },
+ "vs/base/browser/ui/findinput/findInputCheckboxes": {
+ "caseDescription": "Rozlišovat malá a velká písmena",
+ "wordsDescription": "Pouze celá slova",
+ "regexDescription": "Použit regulární výraz"
+ },
+ "vs/base/parts/quickinput/browser/quickInputList": {
+ "quickInput": "Rychlý vstup"
+ },
+ "vs/base/browser/ui/selectBox/selectBoxCustom": {
+ "selectBox": "Pole výběru"
+ },
+ "vs/editor/browser/editorExtensions": {
+ "miUndo": "&&Zpět",
+ "undo": "Zpět",
+ "miRedo": "&&Znovu",
+ "redo": "Znovu",
+ "miSelectAll": "&&Vybrat vše",
+ "selectAll": "Vybrat vše"
+ },
+ "vs/editor/common/modes/modesRegistry": {
+ "plainText.alias": "Prostý text"
+ },
+ "vs/editor/common/config/editorOptions": {
+ "accessibilitySupport.auto": "Editor bude pomocí rozhraní API platformy zjišťovat, jestli je připojená čtečka obrazovky.",
+ "accessibilitySupport.on": "Editor bude trvale optimalizován pro použití se čtečkou obrazovky. Zakáže se zalamování řádků.",
+ "accessibilitySupport.off": "Editor nebude nikdy optimalizován pro použití se čtečkou obrazovky.",
+ "accessibilitySupport": "Určuje, jestli by měl editor běžet v režimu optimalizovaném pro čtečky obrazovky. Při zapnutí této možnosti se zakáže zalamování řádků.",
+ "comments.insertSpace": "Určuje, jestli je při komentování vložen znak mezery.",
+ "comments.ignoreEmptyLines": "Určuje, jestli mají být ignorovány prázdné řádky u akcí přepínání, přidávání nebo odebírání pro řádkové komentáře.",
+ "emptySelectionClipboard": "Určuje, jestli se při kopírování bez výběru zkopíruje aktuální řádek.",
+ "find.cursorMoveOnType": "Určuje, jestli má kurzor při psaní přecházet na nalezené shody.",
+ "find.seedSearchStringFromSelection": "Určuje, jestli lze vyhledávací řetězec předat widgetu Najít z textu vybraného v editoru.",
+ "editor.find.autoFindInSelection.never": "Nikdy automaticky nezapínat možnost Najít ve výběru (výchozí)",
+ "editor.find.autoFindInSelection.always": "Vždy automaticky zapnout možnost Najít ve výběru",
+ "editor.find.autoFindInSelection.multiline": "Automaticky zapnout možnost Najít ve výběru, pokud je vybráno více řádků obsahu",
+ "find.autoFindInSelection": "Určuje podmínku pro automatické zapnutí funkce Najít ve výběru.",
+ "find.globalFindClipboard": "Určuje, jestli má widget Najít v systému macOS číst nebo upravovat sdílenou schránku hledání.",
+ "find.addExtraSpaceOnTop": "Určuje, jestli má widget Najít v editoru přidat další řádky na začátek. Pokud má hodnotu true, můžete v případě, že bude widget Najít viditelný, posunout zobrazení nad první řádek.",
+ "find.loop": "Určuje, jestli se má automaticky začít hledat znovu od začátku (nebo od konce), pokud nejsou nalezeny žádné další shody.",
+ "fontLigatures": "Povolí nebo zakáže ligatury písem (funkce písma calt a liga). Změnou této hodnoty na řetězec je možné jemně odstupňovat řízení vlastnosti CSS font-feature-settings.",
+ "fontFeatureSettings": "Explicitní vlastnost CSS font-feature-settings. Místo ní je možné předat logickou hodnotu, pokud je potřeba jenom zapnout nebo vypnout ligatury.",
+ "fontLigaturesGeneral": "Umožňuje nakonfigurovat ligatury písem nebo funkce písem. Může zde být buď logická hodnota, aby bylo možné povolit nebo zakázat ligatury, nebo řetězec pro hodnotu vlastnosti CSS font-feature-settings.",
+ "fontSize": "Určuje velikost písma v pixelech.",
+ "fontWeightErrorMessage": "Jsou povolena pouze klíčová slova normal a bold nebo čísla v rozmezí od 1 do 1 000.",
+ "fontWeight": "Určuje tloušťku písma. Lze použít klíčová slova normal a bold nebo čísla v rozmezí od 1 do 1 000.",
+ "editor.gotoLocation.multiple.peek": "Zobrazit náhled výsledků (výchozí)",
+ "editor.gotoLocation.multiple.gotoAndPeek": "Přejít na primární výsledek a zobrazit náhled",
+ "editor.gotoLocation.multiple.goto": "Přejít na primární výsledek a povolit navigaci na ostatní výsledky bez náhledu",
+ "editor.gotoLocation.multiple.deprecated": "Toto nastavení je zastaralé. Místo něj prosím použijte samostatné nastavení, například editor.editor.gotoLocation.multipleDefinitions nebo editor.editor.gotoLocation.multipleImplementations.",
+ "editor.editor.gotoLocation.multipleDefinitions": "Určuje chování příkazu Přejít k definici, pokud existuje několik cílových umístění.",
+ "editor.editor.gotoLocation.multipleTypeDefinitions": "Určuje chování příkazu Přejít k definici typu, pokud existuje několik cílových umístění.",
+ "editor.editor.gotoLocation.multipleDeclarations": "Určuje chování příkazu Přejít na deklaraci, pokud existuje několik cílových umístění.",
+ "editor.editor.gotoLocation.multipleImplemenattions": "Určuje chování příkazu Přejít na implementace, pokud existuje několik cílových umístění.",
+ "editor.editor.gotoLocation.multipleReferences": "Určuje chování příkazu Přejít na odkazy, pokud existuje několik cílových umístění.",
+ "alternativeDefinitionCommand": "ID alternativního příkazu, který je prováděn, když výsledkem příkazu Přejít k definici je aktuální umístění",
+ "alternativeTypeDefinitionCommand": "ID alternativního příkazu, který je prováděn, když výsledkem příkazu Přejít k definici typu je aktuální umístění",
+ "alternativeDeclarationCommand": "ID alternativního příkazu, který je prováděn, když výsledkem příkazu Přejít na deklaraci je aktuální umístění",
+ "alternativeImplementationCommand": "ID alternativního příkazu, který je prováděn, když výsledkem příkazu Přejít na implementaci je aktuální umístění",
+ "alternativeReferenceCommand": "ID alternativního příkazu, který je prováděn, když výsledkem příkazu Přejít na odkaz je aktuální umístění",
+ "hover.enabled": "Určuje, jestli se má zobrazit popisek po umístění ukazatele myši na prvek.",
+ "hover.delay": "Určuje dobu prodlevy (v milisekundách), po jejímž uplynutí se zobrazí popisek při umístění ukazatele myši na prvek.",
+ "hover.sticky": "Určuje, jestli má popisek zobrazený při umístění ukazatele myši na prvek zůstat viditelný.",
+ "codeActions": "Povolí v editoru ikonu žárovky s nabídkou akcí kódu.",
+ "lineHeight": "Určuje výšku řádku. Pokud chcete, aby se výška řádku vypočítala z velikosti písma, použijte hodnotu 0.",
+ "minimap.enabled": "Určuje, jestli se má zobrazovat minimapa.",
+ "minimap.size.proportional": "Minimapa má stejnou velikost jako obsah editoru (a může se posouvat).",
+ "minimap.size.fill": "Minimapa se podle potřeby roztáhne nebo zmenší, aby vyplnila editor na výšku (bez posouvání).",
+ "minimap.size.fit": "Minimapa se podle potřeby zmenší, aby nebyla nikdy větší, než je výška editoru (bez posouvání).",
+ "minimap.size": "Určuje velikost minimapy.",
+ "minimap.side": "Určuje, na které straně se má vykreslovat minimapa.",
+ "minimap.showSlider": "Určuje, jestli má být zobrazen posuvník minimapy.",
+ "minimap.scale": "Rozsah obsahu vykresleného v minimapě: 1, 2 nebo 3",
+ "minimap.renderCharacters": "Vykreslí na řádku skutečné znaky (nikoli barevné čtverečky).",
+ "minimap.maxColumn": "Omezuje šířku minimapy tak, aby byl maximálně vykreslen jen určitý počet sloupců.",
+ "padding.top": "Určuje velikost mezery mezi horním okrajem editoru a prvním řádkem.",
+ "padding.bottom": "Určuje velikost mezery mezi dolním okrajem editoru a posledním řádkem.",
+ "parameterHints.enabled": "Povoluje automaticky otevírané okno, které při psaní zobrazuje dokumentaci k parametrům a informace o typu.",
+ "parameterHints.cycle": "Určuje, jestli má nabídka tipů zůstat otevřená (cyklovat) nebo jestli se má při dosažení konce seznamu zavřít.",
+ "quickSuggestions.strings": "Povoluje rychlé návrhy uvnitř řetězců.",
+ "quickSuggestions.comments": "Povoluje rychlé návrhy uvnitř komentářů.",
+ "quickSuggestions.other": "Povoluje rychlé návrhy mimo řetězce a komentáře.",
+ "quickSuggestions": "Určuje, jestli se mají při psaní automaticky zobrazovat návrhy.",
+ "lineNumbers.off": "Čísla řádků se nevykreslují.",
+ "lineNumbers.on": "Čísla řádků se vykreslují jako absolutní číslo.",
+ "lineNumbers.relative": "Čísla řádků se vykreslují jako vzdálenost do pozice kurzoru na řádcích.",
+ "lineNumbers.interval": "Čísla řádků se vykreslují každých 10 řádků.",
+ "lineNumbers": "Řídí zobrazování čísel řádků.",
+ "rulers.size": "Počet neproporcionálních znaků, při kterém se toto pravítko editoru vykreslí",
+ "rulers.color": "Barva tohoto pravítka editoru",
+ "rulers": "Vykreslovat svislá pravítka po určitém počtu neproporcionálních znaků. Pro více pravítek použijte více hodnot. Pokud je pole hodnot prázdné, nejsou vykreslena žádná pravítka.",
+ "suggest.insertMode.insert": "Vložit návrh bez přepsání textu napravo od kurzoru",
+ "suggest.insertMode.replace": "Vložit návrh a přepsat text napravo od kurzoru",
+ "suggest.insertMode": "Určuje, jestli se mají při přijímání návrhů dokončování přepisovat slova. Poznámka: Závisí to na rozšířeních využívajících tuto funkci.",
+ "suggest.filterGraceful": "Určuje, jestli jsou v návrzích filtrování a řazení povoleny drobné překlepy.",
+ "suggest.localityBonus": "Určuje, jestli se mají při řazení upřednostňovat slova, která jsou blízko kurzoru.",
+ "suggest.shareSuggestSelections": "Určuje, jestli se mají zapamatované výběry návrhů sdílet mezi více pracovními prostory a okny (vyžaduje #editor.suggestSelection#).",
+ "suggest.snippetsPreventQuickSuggestions": "Určuje, jestli má aktivní fragment kódu zakazovat rychlé návrhy.",
+ "suggest.showIcons": "Určuje, jestli mají být v návrzích zobrazené nebo skryté ikony.",
+ "suggest.showStatusBar": "Určuje viditelnost stavového řádku v dolní části widgetu návrhů.",
+ "suggest.showInlineDetails": "Určuje, jestli se mají podrobnosti návrhů zobrazovat společně s popiskem, nebo jenom ve widgetu podrobností.",
+ "suggest.maxVisibleSuggestions.dep": "Toto nastavení je zastaralé. Velikost widgetu pro návrhy se teď dá měnit.",
+ "deprecated": "Toto nastavení je zastaralé. Místo něj prosím použijte samostatné nastavení, například editor.suggest.showKeywords nebo editor.suggest.showSnippets.",
+ "editor.suggest.showMethods": "Pokud je povoleno, technologie IntelliSense zobrazí návrhy pro „method“.",
+ "editor.suggest.showFunctions": "Pokud je povoleno, technologie IntelliSense zobrazí návrhy pro „function“.",
+ "editor.suggest.showConstructors": "Pokud je povoleno, technologie IntelliSense zobrazí návrhy pro „constructor“.",
+ "editor.suggest.showFields": "Pokud je povoleno, technologie IntelliSense zobrazí návrhy pro „field“.",
+ "editor.suggest.showVariables": "Pokud je povoleno, technologie IntelliSense zobrazí návrhy pro „variable“.",
+ "editor.suggest.showClasss": "Pokud je povoleno, technologie IntelliSense zobrazí návrhy pro „class“.",
+ "editor.suggest.showStructs": "Pokud je povoleno, technologie IntelliSense zobrazí návrhy pro „struct“.",
+ "editor.suggest.showInterfaces": "Pokud je povoleno, technologie IntelliSense zobrazí návrhy pro „interface“.",
+ "editor.suggest.showModules": "Pokud je povoleno, technologie IntelliSense zobrazí návrhy pro „module“.",
+ "editor.suggest.showPropertys": "Pokud je povoleno, technologie IntelliSense zobrazí návrhy pro „property“.",
+ "editor.suggest.showEvents": "Pokud je povoleno, technologie IntelliSense zobrazí návrhy pro „event“.",
+ "editor.suggest.showOperators": "Pokud je povoleno, technologie IntelliSense zobrazí návrhy pro „operator“.",
+ "editor.suggest.showUnits": "Pokud je povoleno, technologie IntelliSense zobrazí návrhy pro „unit“.",
+ "editor.suggest.showValues": "Pokud je povoleno, technologie IntelliSense zobrazí návrhy pro „value“.",
+ "editor.suggest.showConstants": "Pokud je povoleno, technologie IntelliSense zobrazí návrhy pro „constant“.",
+ "editor.suggest.showEnums": "Pokud je povoleno, technologie IntelliSense zobrazí návrhy pro „enum“.",
+ "editor.suggest.showEnumMembers": "Pokud je povoleno, technologie IntelliSense zobrazí návrhy pro „enumMember“.",
+ "editor.suggest.showKeywords": "Pokud je povoleno, technologie IntelliSense zobrazí návrhy pro „keyword“.",
+ "editor.suggest.showTexts": "Pokud je povoleno, technologie IntelliSense zobrazí návrhy pro „text“.",
+ "editor.suggest.showColors": "Pokud je povoleno, technologie IntelliSense zobrazí návrhy pro „color“.",
+ "editor.suggest.showFiles": "Pokud je povoleno, technologie IntelliSense zobrazí návrhy pro „file“.",
+ "editor.suggest.showReferences": "Pokud je povoleno, technologie IntelliSense zobrazí návrhy pro „reference“.",
+ "editor.suggest.showCustomcolors": "Pokud je povoleno, technologie IntelliSense zobrazí návrhy pro „customcolor“.",
+ "editor.suggest.showFolders": "Pokud je povoleno, technologie IntelliSense zobrazí návrhy pro „folder“.",
+ "editor.suggest.showTypeParameters": "Pokud je povoleno, technologie IntelliSense zobrazí návrhy pro „typeParameter“.",
+ "editor.suggest.showSnippets": "Pokud je povoleno, technologie IntelliSense zobrazí návrhy pro „snippet“.",
+ "editor.suggest.showUsers": "Pokud je povoleno, technologie IntelliSense zobrazí návrhy pro „user“.",
+ "editor.suggest.showIssues": "Pokud je povoleno, technologie IntelliSense zobrazí návrhy pro „issues“.",
+ "selectLeadingAndTrailingWhitespace": "Určuje, jestli se vždy mají vybrat prázdné znaky na začátku a na konci.",
+ "acceptSuggestionOnCommitCharacter": "Určuje, jestli se mají návrhy přijímat po stisknutí potvrzovacích znaků. Například v jazyce JavaScript může být potvrzovacím znakem středník (;), který návrh přijme a napíše tento znak.",
+ "acceptSuggestionOnEnterSmart": "Přijmout návrh pomocí klávesy Enter, pouze pokud jde o návrh změny v textu",
+ "acceptSuggestionOnEnter": "Určuje, jestli se mají návrhy přijímat po stisknutí klávesy Enter (navíc ke klávese Tab). Pomáhá vyhnout se nejednoznačnosti mezi vkládáním nových řádků nebo přijímáním návrhů.",
+ "accessibilityPageSize": "Určuje počet řádků v editoru, které může číst čtečka obrazovky. Upozornění: U čísel větších, než je výchozí hodnota, to má vliv na výkon.",
+ "editorViewAccessibleLabel": "Obsah editoru",
+ "editor.autoClosingBrackets.languageDefined": "Pomocí konfigurací jazyka můžete určit, kdy se mají k levým hranatým závorkám automaticky doplňovat pravé hranaté závorky.",
+ "editor.autoClosingBrackets.beforeWhitespace": "Automaticky k levým hranatým závorkám doplňovat pravé hranaté závorky, pouze pokud se kurzor nachází nalevo od prázdného znaku",
+ "autoClosingBrackets": "Určuje, jestli by měl editor k levým hranatým závorkám automaticky doplňovat pravé hranaté závorky, když uživatel přidá levou hranatou závorku.",
+ "editor.autoClosingOvertype.auto": "Přepisovat pravé uvozovky nebo pravé hranaté závorky pouze v případě, že byly automaticky vloženy",
+ "autoClosingOvertype": "Určuje, jestli by měl editor přepisovat pravé uvozovky nebo pravé hranaté závorky.",
+ "editor.autoClosingQuotes.languageDefined": "Pomocí konfigurací jazyka můžete určit, kdy se mají k levým uvozovkám automaticky doplňovat pravé uvozovky.",
+ "editor.autoClosingQuotes.beforeWhitespace": "Automaticky k levým uvozovkám doplňovat pravé uvozovky, pouze pokud se kurzor nachází nalevo od prázdného znaku",
+ "autoClosingQuotes": "Určuje, jestli by měl editor k levým uvozovkám automaticky doplňovat pravé uvozovky, když uživatel přidá levé uvozovky.",
+ "editor.autoIndent.none": "Editor nebude automaticky vkládat odsazení.",
+ "editor.autoIndent.keep": "Editor zachová odsazení aktuálního řádku.",
+ "editor.autoIndent.brackets": "Editor zachová odsazení aktuálního řádku a bude respektovat hranaté závorky definované jazykem.",
+ "editor.autoIndent.advanced": "Editor zachová odsazení aktuálního řádku, bude respektovat hranaté závorky definované jazykem a vyvolá speciální nastavení onEnterRules definované jazyky.",
+ "editor.autoIndent.full": "Editor zachová odsazení aktuálního řádku, bude respektovat hranaté závorky definované jazykem, vyvolá speciální nastavení onEnterRules definované jazyky a bude respektovat nastavení indentationRules definované jazyky.",
+ "autoIndent": "Určuje, jestli by měl editor automaticky upravovat odsazení, když uživatel píše, vkládá, přesouvá nebo odsazuje řádky.",
+ "editor.autoSurround.languageDefined": "Pomocí konfigurací jazyka můžete určit, kdy se mají výběry automaticky uzavírat do závorek nebo uvozovek.",
+ "editor.autoSurround.quotes": "Uzavírat do uvozovek, ale ne do hranatých závorek",
+ "editor.autoSurround.brackets": "Uzavírat do hranatých závorek, ale ne do uvozovek",
+ "autoSurround": "Určuje, jestli má editor automaticky ohraničit výběry při psaní uvozovek nebo závorek.",
+ "stickyTabStops": "Emulovat chování výběru znaků tabulátoru, když se k odsazení používají mezery. Výběr se zastaví na tabulátorech.",
+ "codeLens": "Určuje, jestli editor zobrazí CodeLens.",
+ "codeLensFontFamily": "Určuje rodinu písem pro CodeLens.",
+ "codeLensFontSize": "Určuje velikost písma v pixelech pro CodeLens. Při nastavení na hodnotu 0 se použije 90 % hodnoty #editor.fontSize#.",
+ "colorDecorators": "Určuje, jestli se mají v editoru vykreslovat vložené (inline) dekoratéry barev a ovládací prvky pro výběr barev.",
+ "columnSelection": "Povolit výběr sloupce pomocí myši a klávesnice",
+ "copyWithSyntaxHighlighting": "Určuje, jestli má být zvýrazňování syntaxe zkopírováno do schránky.",
+ "cursorBlinking": "Určuje styl animace kurzoru.",
+ "cursorSmoothCaretAnimation": "Určuje, jestli má být povolena plynulá animace kurzoru.",
+ "cursorStyle": "Určuje styl kurzoru.",
+ "cursorSurroundingLines": "Určuje minimální počet viditelných řádků před a za kurzorem. V některých jiných editorech se toto nastavení označuje jako scrollOff nebo scrollOffset.",
+ "cursorSurroundingLinesStyle.default": "cursorSurroundingLines se vynucuje pouze v případě, že se aktivuje pomocí klávesnice nebo rozhraní API.",
+ "cursorSurroundingLinesStyle.all": "cursorSurroundingLines se vynucuje vždy.",
+ "cursorSurroundingLinesStyle": "Určuje, kdy se má vynucovat nastavení cursorSurroundingLines.",
+ "cursorWidth": "Určuje šířku kurzoru v případě, že má nastavení #editor.cursorStyle# hodnotu line.",
+ "dragAndDrop": "Určuje, jestli má editor povolit přesouvání vybraných položek přetažením.",
+ "fastScrollSensitivity": "Multiplikátor rychlosti posouvání při podržené klávese Alt",
+ "folding": "Určuje, jestli je v editoru povoleno sbalování kódu.",
+ "foldingStrategy.auto": "Použít strategii sbalování specifickou pro daný jazyk (pokud je k dispozici), jinak použít strategii založenou na odsazení",
+ "foldingStrategy.indentation": "Použít strategii sbalování založenou na odsazení",
+ "foldingStrategy": "Určuje strategii pro výpočet rozsahů sbalování.",
+ "foldingHighlight": "Určuje, jestli má editor zvýrazňovat sbalené rozsahy.",
+ "unfoldOnClickAfterEndOfLine": "Určuje, jestli kliknutím na prázdný obsah za sbaleným řádkem dojde k rozbalení řádku.",
+ "fontFamily": "Určuje rodinu písem.",
+ "formatOnPaste": "Určuje, jestli má editor automaticky formátovat vložený obsah. Musí být k dispozici formátovací modul, který by měl být schopen naformátovat rozsah v dokumentu.",
+ "formatOnType": "Určuje, jestli má editor automaticky naformátovat napsaný řádek.",
+ "glyphMargin": "Určuje, jestli má editor vykreslovat svislý okraj pro piktogramy. Okraje pro piktogramy se používají převážně pro ladění.",
+ "hideCursorInOverviewRuler": "Určuje, jestli má být na přehledovém pravítku skrytý kurzor.",
+ "highlightActiveIndentGuide": "Určuje, jestli má editor zvýraznit aktivní vodítko odsazení.",
+ "letterSpacing": "Určuje mezery mezi písmeny v pixelech.",
+ "linkedEditing": "Určuje, jestli jsou v editoru povolené propojené úpravy. V závislosti na jazyce se při úpravách aktualizují související symboly, například značky HTML.",
+ "links": "Určuje, jestli má editor rozpoznávat odkazy a nastavit je jako kliknutelné.",
+ "matchBrackets": "Zvýraznit odpovídající hranaté závorky",
+ "mouseWheelScrollSensitivity": "Multiplikátor, který se má použít pro hodnoty deltaX a deltaY událostí posouvání kolečka myši",
+ "mouseWheelZoom": "Přiblížit písmo editoru při podržení klávesy Ctrl a současném použití kolečka myši",
+ "multiCursorMergeOverlapping": "Sloučit několik kurzorů, pokud se překrývají",
+ "multiCursorModifier.ctrlCmd": "Mapuje se na klávesu Control ve Windows a Linuxu a na klávesu Command v macOS.",
+ "multiCursorModifier.alt": "Mapuje se na klávesu Alt ve Windows a Linuxu a na klávesu Option v macOS.",
+ "multiCursorModifier": "Modifikátor, který se má používat pro přidávání více kurzorů pomocí myši. Gesta myší Přejít k definici a Otevřít odkaz se přizpůsobí tak, aby s modifikátorem více kurzorů nebyla v konfliktu. [Další informace](https://code.visualstudio.com/docs/editor/codebasics#_multicursor-modifier)",
+ "multiCursorPaste.spread": "Každý kurzor vloží jeden řádek textu.",
+ "multiCursorPaste.full": "Každý kurzor vloží celý text.",
+ "multiCursorPaste": "Řídí vkládání, když počet řádků vloženého textu odpovídá počtu kurzorů.",
+ "occurrencesHighlight": "Určuje, jestli má editor zvýrazňovat výskyty sémantických symbolů.",
+ "overviewRulerBorder": "Určuje, jestli má být kolem přehledového pravítka vykresleno ohraničení.",
+ "peekWidgetDefaultFocus.tree": "Při otevření náhledu přepnout fokus na strom",
+ "peekWidgetDefaultFocus.editor": "Při otevření náhledu přepnout fokus na editor",
+ "peekWidgetDefaultFocus": "Určuje, jestli má být ve widgetu náhledu fokus na vloženém (inline) editoru nebo stromu.",
+ "definitionLinkOpensInPeek": "Určuje, jestli se má pomocí gesta myší Přejít k definici vždy otevřít widget náhledu.",
+ "quickSuggestionsDelay": "Určuje dobu prodlevy (v milisekundách), po jejímž uplynutí se budou zobrazovat rychlé návrhy.",
+ "renameOnType": "Určuje, jestli editor provádí automaticky přejmenování při psaní.",
+ "renameOnTypeDeprecate": "Tato možnost je zastaralá, použijte místo ní možnost editor.linkedEditing.",
+ "renderControlCharacters": "Určuje, jestli má editor vykreslovat řídicí znaky.",
+ "renderIndentGuides": "Určuje, jestli má editor vykreslovat vodítka odsazení.",
+ "renderFinalNewline": "Když soubor končí novým řádkem, vykreslit číslo posledního řádku",
+ "renderLineHighlight.all": "Zvýrazní jak mezeru u okraje, tak aktuální řádek.",
+ "renderLineHighlight": "Určuje, jak má editor vykreslovat zvýraznění aktuálního řádku.",
+ "renderLineHighlightOnlyWhenFocus": "Určuje, jestli má editor vykreslovat zvýraznění aktuálního řádku, pouze pokud má editor fokus.",
+ "renderWhitespace.boundary": "Vykreslovat prázdné znaky s výjimkou jednoduchých mezer mezi slovy",
+ "renderWhitespace.selection": "Vykreslovat prázdné znaky pouze u vybraného textu",
+ "renderWhitespace.trailing": "Vykreslovat pouze koncové prázdné znaky",
+ "renderWhitespace": "Určuje, jak má editor vykreslovat prázdné znaky.",
+ "roundedSelection": "Určuje, jestli mají mít výběry zaoblené rohy.",
+ "scrollBeyondLastColumn": "Určuje počet dalších znaků, po jejichž překročení se bude editor posouvat vodorovně.",
+ "scrollBeyondLastLine": "Určuje, jestli se editor bude posouvat za posledním řádkem.",
+ "scrollPredominantAxis": "Při současném posouvání ve svislém i vodorovném směru posouvat pouze podél dominantní osy. Zabrání vodorovnému posunu při svislém posouvání na trackpadu.",
+ "selectionClipboard": "Určuje, jestli má být podporována primární schránka operačního systému Linux.",
+ "selectionHighlight": "Určuje, jestli má editor zvýrazňovat shody podobné výběru.",
+ "showFoldingControls.always": "Vždy zobrazovat ovládací prvky sbalení",
+ "showFoldingControls.mouseover": "Zobrazit ovládací prvky sbalení, pouze pokud je ukazatel myši umístěn na mezeře u okraje",
+ "showFoldingControls": "Určuje, kdy se v mezeře u okraje zobrazí ovládací prvky sbalení.",
+ "showUnused": "Řídí zobrazování nepoužívaného kódu vyšedle.",
+ "showDeprecated": "Řídí přeškrtávání zastaralých proměnných.",
+ "snippetSuggestions.top": "Zobrazovat návrhy fragmentů kódu nad dalšími návrhy",
+ "snippetSuggestions.bottom": "Zobrazovat návrhy fragmentů kódu pod dalšími návrhy",
+ "snippetSuggestions.inline": "Zobrazovat návrhy fragmentů kódu společně s dalšími návrhy",
+ "snippetSuggestions.none": "Nezobrazovat návrhy fragmentů kódu",
+ "snippetSuggestions": "Určuje, jestli se mají fragmenty kódu zobrazovat společně s jinými návrhy a jak se mají seřazovat.",
+ "smoothScrolling": "Určuje, jestli se má pro posouvání v editoru používat animace.",
+ "suggestFontSize": "Velikost písma widgetu návrhů. Při nastavení na hodnotu 0 je použita hodnota #editor.fontSize#.",
+ "suggestLineHeight": "Výška řádku widgetu návrhů. Při nastavení na hodnotu 0 je použita hodnota #editor.lineHeight#. Minimální hodnota je 8.",
+ "suggestOnTriggerCharacters": "Určuje, jestli se mají při napsání aktivačních znaků automaticky zobrazovat návrhy.",
+ "suggestSelection.first": "Vždy vybrat první návrh",
+ "suggestSelection.recentlyUsed": "Vybírat nedávné návrhy, pokud nebude jeden z návrhů vybrán na základě dalších napsaných znaků (například console.| -> console.log, protože „log“ bylo nedávno dokončeno)",
+ "suggestSelection.recentlyUsedByPrefix": "Vybírat návrhy na základě předchozích předpon použitých k dokončení těchto návrhů, například co -> console a con -> const",
+ "suggestSelection": "Určuje, jak jsou předvybrány návrhy při zobrazování seznamu návrhů.",
+ "tabCompletion.on": "Pokud je povoleno dokončování pomocí tabulátoru, bude při stisknutí klávesy Tab vložen nejlepší návrh.",
+ "tabCompletion.off": "Zakáže dokončování pomocí tabulátoru.",
+ "tabCompletion.onlySnippets": "Dokončovat fragmenty kódu pomocí tabulátoru, pokud se shodují jejich předpony. Tato funkce funguje nejlépe, pokud není povolena možnost quickSuggestions.",
+ "tabCompletion": "Povolí dokončování pomocí tabulátoru.",
+ "unusualLineTerminators.auto": "Neobvyklé ukončovací znaky řádku se automaticky odeberou.",
+ "unusualLineTerminators.off": "Neobvyklé ukončovací znaky řádku jsou ignorovány.",
+ "unusualLineTerminators.prompt": "U neobvyklých ukončovacích znaků řádku se zobrazí dotaz na jejich odebrání.",
+ "unusualLineTerminators": "Odebírat neobvyklé ukončovací znaky řádku, které by mohly způsobovat problémy",
+ "useTabStops": "Vkládání a odstraňování prázdných znaků se řídí zarážkami tabulátoru.",
+ "wordSeparators": "Znaky, které se použijí jako oddělovače slov při navigaci nebo operacích v textu",
+ "wordWrap.off": "Řádky se nebudou nikdy zalamovat.",
+ "wordWrap.on": "Řádky se budou zalamovat podle šířky viewportu (zobrazení).",
+ "wordWrap.wordWrapColumn": "Řádky se budou zalamovat podle hodnoty #editor.wordWrapColumn#.",
+ "wordWrap.bounded": "Řádky se budou zalamovat při minimálním viewportu (zobrazení) a hodnotě #editor.wordWrapColumn#.",
+ "wordWrap": "Určuje, jak by se měly zalamovat řádky",
+ "wordWrapColumn": "Určuje sloupec pro zalamování v editoru, když má nastavení #editor.wordWrap# hodnotu wordWrapColumn nebo bounded.",
+ "wrappingIndent.none": "Bez odsazení. Zalomené řádky začínají ve sloupci 1.",
+ "wrappingIndent.same": "Zalomené řádky získají stejné odsazení jako nadřazený objekt.",
+ "wrappingIndent.indent": "Zalomené řádky získají odsazení +1 směrem k nadřazenému objektu.",
+ "wrappingIndent.deepIndent": "Zalomené řádky získají odsazení +2 směrem k nadřazenému objektu.",
+ "wrappingIndent": "Určuje odsazení zalomených řádků.",
+ "wrappingStrategy.simple": "Předpokládá, že všechny znaky mají stejnou šířku. Jde o rychlý algoritmus, který funguje správně pro neproporcionální písma a určité skripty (například znaky latinky), kde mají piktogramy stejnou šířku.",
+ "wrappingStrategy.advanced": "Deleguje výpočet bodů zalamování na prohlížeč. Je to pomalý algoritmus, který by mohl u velkých souborů způsobit zamrznutí, ve všech případech ale funguje správně.",
+ "wrappingStrategy": "Řídí algoritmus, který počítá body zalamování."
+ },
+ "vs/editor/common/view/editorColorRegistry": {
+ "lineHighlight": "Barva pozadí pro zvýraznění řádku na pozici kurzoru",
+ "lineHighlightBorderBox": "Barva pozadí ohraničení kolem řádku na pozici kurzoru",
+ "rangeHighlight": "Barva pozadí zvýrazněných rozsahů, například prostřednictvím funkce rychlého otevření a hledání. Barva nesmí být neprůhledná, aby se nepřekryly dekorace pod tím.",
+ "rangeHighlightBorder": "Barva pozadí ohraničení kolem zvýrazněných rozsahů",
+ "symbolHighlight": "Barva pozadí zvýrazněného symbolu, například pro přechod na definici nebo na další/předchozí symbol. Barva nesmí být neprůhledná, aby se nepřekryly dekorace pod tím.",
+ "symbolHighlightBorder": "Barva pozadí ohraničení kolem zvýrazněných symbolů",
+ "caret": "Barva kurzoru editoru",
+ "editorCursorBackground": "Barva pozadí kurzoru v editoru. Umožňuje přizpůsobit barvu znaku překrytého kurzorem bloku.",
+ "editorWhitespaces": "Barva prázdných znaků v editoru",
+ "editorIndentGuides": "Barva vodítek odsazení v editoru",
+ "editorActiveIndentGuide": "Barva vodítek odsazení aktivního editoru",
+ "editorLineNumbers": "Barva čísel řádků v editoru",
+ "editorActiveLineNumber": "Barva čísla řádku aktivního editoru",
+ "deprecatedEditorActiveLineNumber": "ID je zastaralé. Místo toho použijte nastavení editorLineNumber.activeForeground.",
+ "editorRuler": "Barva pravítek v editoru",
+ "editorCodeLensForeground": "Barva popředí pro CodeLens v editoru",
+ "editorBracketMatchBackground": "Barva pozadí za odpovídajícími hranatými závorkami",
+ "editorBracketMatchBorder": "Barva polí odpovídajících hranatých závorek",
+ "editorOverviewRulerBorder": "Barva ohraničení přehledového pravítka",
+ "editorOverviewRulerBackground": "Barva pozadí přehledového pravítka editoru. Používá se pouze v případě, že je povolená minimapa, která je umístěná na pravé straně editoru.",
+ "editorGutter": "Barva pozadí mezery u okraje editoru. V mezeře u okraje se zobrazují okraje pro piktogramy a čísla řádků.",
+ "unnecessaryCodeBorder": "Barva ohraničení nepotřebného (nepoužívaného) zdrojového kódu v editoru",
+ "unnecessaryCodeOpacity": "Neprůhlednost nepotřebného (nepoužívaného) zdrojového kódu v editoru. Například #000000c0 vykreslí kód se 75% neprůhledností. U motivů s vysokým kontrastem použijte barvu motivu editorUnnecessaryCode.border. Nepoužívaný kód tak nebude zobrazován vyšedle, ale bude podtržený.",
+ "overviewRulerRangeHighlight": "Barva značky přehledového pravítka pro zvýraznění rozsahu. Barva nesmí být neprůhledná, aby se nepřekryly dekorace pod tím.",
+ "overviewRuleError": "Barva značky přehledového pravítka pro chyby",
+ "overviewRuleWarning": "Barva značky přehledového pravítka pro upozornění",
+ "overviewRuleInfo": "Barva značky přehledového pravítka pro informace"
+ },
+ "vs/editor/common/model/editStack": {
+ "edit": "Psaní"
+ },
+ "vs/editor/browser/controller/coreCommands": {
+ "stickydesc": "Umístit na konec i u delších řádků"
+ },
+ "vs/editor/browser/widget/codeEditorWidget": {
+ "cursors.maximum": "Počet kurzorů je omezen na {0}."
+ },
+ "vs/editor/browser/widget/diffEditorWidget": {
+ "diffInsertIcon": "Dekorace řádku pro operace vložení do editoru rozdílů",
+ "diffRemoveIcon": "Dekorace řádku pro operace odebrání do editoru rozdílů",
+ "diff.tooLarge": "Nelze porovnat soubory, protože jeden soubor je příliš velký."
+ },
+ "vs/editor/common/standaloneStrings": {
+ "noSelection": "Žádný výběr",
+ "singleSelectionRange": "Řádek {0}, sloupec {1} (vybráno: {2})",
+ "singleSelection": "Řádek {0}, sloupec {1}",
+ "multiSelectionRange": "Výběry: {0} (vybrané znaky: {1})",
+ "multiSelection": "Výběry: {0}",
+ "emergencyConfOn": "Mění se nastavení accessibilitySupport na hodnotu on.",
+ "openingDocs": "Otevírá se stránka dokumentace k usnadnění přístupu v editoru.",
+ "readonlyDiffEditor": " v podokně editoru rozdílů jen pro čtení",
+ "editableDiffEditor": " v podokně editoru rozdílů",
+ "readonlyEditor": " v editoru kódu jen pro čtení",
+ "editableEditor": " v editoru kódu",
+ "changeConfigToOnMac": "Pokud chcete editor nakonfigurovat tak, aby byl optimalizovaný pro použití se čtečkou obrazovky, stiskněte teď klávesovou zkratku Command+E.",
+ "changeConfigToOnWinLinux": "Pokud chcete editor nakonfigurovat tak, aby byl optimalizovaný pro použití se čtečkou obrazovky, stiskněte teď klávesovou zkratku Control+E.",
+ "auto_on": "Editor je nakonfigurovaný tak, aby byl optimalizovaný pro použití se čtečkou obrazovky.",
+ "auto_off": "Editor je nakonfigurovaný tak, aby nebyl nikdy optimalizovaný pro použití se čtečkou obrazovky, což v tuto chvíli není ten případ.",
+ "tabFocusModeOnMsg": "Stisknutím klávesy Tab v aktuálním editoru přesunete fokus na další prvek, který může mít fokus. Toto chování můžete přepínat stisknutím klávesy {0}.",
+ "tabFocusModeOnMsgNoKb": "Stisknutím klávesy Tab v aktuálním editoru přesunete fokus na další prvek, který může mít fokus. Příkaz {0} nelze aktuálně aktivovat pomocí klávesové zkratky.",
+ "tabFocusModeOffMsg": "Stisknutím klávesy Tab v aktuálním editoru vložíte znak tabulátoru. Toto chování můžete přepínat stisknutím klávesy {0}.",
+ "tabFocusModeOffMsgNoKb": "Stisknutím klávesy Tab v aktuálním editoru vložíte znak tabulátoru. Příkaz {0} nelze aktuálně aktivovat pomocí klávesové zkratky.",
+ "openDocMac": "Stisknutím kombinace kláves Command+H otevřete okno prohlížeče s dalšími informacemi souvisejícími s usnadněním přístupu v editoru.",
+ "openDocWinLinux": "Stisknutím kombinace kláves Control+H otevřete okno prohlížeče s dalšími informacemi souvisejícími s usnadněním přístupu v editoru.",
+ "outroMsg": "Stisknutím kláves Esc nebo Shift+Esc můžete tento popis zavřít a vrátit se do editoru.",
+ "showAccessibilityHelpAction": "Zobrazit nápovědu k funkcím pro usnadnění přístupu",
+ "inspectTokens": "Vývojář: zkontrolovat tokeny",
+ "gotoLineActionLabel": "Přejít na řádek/sloupec...",
+ "helpQuickAccess": "Zobrazit všechny zprostředkovatele rychlého přístupu",
+ "quickCommandActionLabel": "Paleta příkazů",
+ "quickCommandActionHelp": "Zobrazit a spustit příkazy",
+ "quickOutlineActionLabel": "Přejít na symbol...",
+ "quickOutlineByCategoryActionLabel": "Přejít na symbol podle kategorie...",
+ "editorViewAccessibleLabel": "Obsah editoru",
+ "accessibilityHelpMessage": "Stisknutím kláves Alt+F1 zobrazíte možnosti usnadnění přístupu.",
+ "toggleHighContrast": "Přepnout motiv s vysokým kontrastem",
+ "bulkEditServiceSummary": "V {1} souborech byl proveden tento počet oprav: {0}."
+ },
+ "vs/editor/common/config/commonEditorConfig": {
+ "editorConfigurationTitle": "Editor",
+ "tabSize": "Počet mezer, které odpovídají tabulátoru. Pokud je zapnuto nastavení #editor.detectIndentation#, je toto nastavení přepsáno na základě obsahu souboru.",
+ "insertSpaces": "Umožňuje vkládat mezery při stisknutí klávesy Tab. Toto nastavení je přepsáno na základě obsahu souboru, pokud je zapnuto nastavení #editor.detectIndentation#.",
+ "detectIndentation": "Určuje, jestli se má při otevření souboru na základě obsahu souboru automaticky detekovat nastavení #editor.tabSize# a #editor.insertSpaces#.",
+ "trimAutoWhitespace": "Odebrat automaticky vložené koncové prázdné znaky",
+ "largeFileOptimizations": "Speciální zpracování velkých souborů za účelem zakázání určitých funkcí náročných na paměť",
+ "wordBasedSuggestions": "Určuje, jestli se dokončení mají počítat na základě slov v dokumentu.",
+ "wordBasedSuggestionsMode.currentDocument": "Navrhovat jen slova z aktivního dokumentu",
+ "wordBasedSuggestionsMode.matchingDocuments": "Navrhovat slova ze všech otevřených dokumentů stejného jazyka",
+ "wordBasedSuggestionsMode.allDocuments": "Navrhovaná slova ze všech otevřených dokumentů",
+ "wordBasedSuggestionsMode": "Určuje, z jakých dokumentů se počítá doplňování na základě slov.",
+ "semanticHighlighting.true": "Sémantické zvýrazňování je u všech barevných motivů povolené.",
+ "semanticHighlighting.false": "Sémantické zvýrazňování je u všech barevných motivů zakázané.",
+ "semanticHighlighting.configuredByTheme": "Sémantické zvýrazňování je konfigurováno nastavením semanticHighlighting aktuálního barevného motivu.",
+ "semanticHighlighting.enabled": "Určuje, jestli se bude zobrazovat nastavení semanticHighlighting pro jazyky, které ho podporují.",
+ "stablePeek": "Udržuje editory náhledu otevřené i po poklikání na jejich obsah nebo stisknutí klávesy Esc.",
+ "maxTokenizationLineLength": "Řádky s větší délkou se nebudou z důvodu výkonu tokenizovat.",
+ "maxComputationTime": "Časový limit v milisekundách, po kterém je zrušen výpočet rozdílů. Pokud nechcete nastavit žádný časový limit, zadejte hodnotu 0.",
+ "sideBySide": "Určuje, jestli má editor rozdílů zobrazovat rozdíly vedle sebe nebo vloženě (inline).",
+ "ignoreTrimWhitespace": "Když je povoleno, editor rozdílů ignoruje změny v počátečních nebo koncových prázdných znacích.",
+ "renderIndicators": "Určuje, jestli má editor rozdílů zobrazovat indikátory +/- pro přidané/odebrané změny.",
+ "codeLens": "Určuje, jestli editor zobrazí CodeLens.",
+ "wordWrap.off": "Řádky se nebudou nikdy zalamovat.",
+ "wordWrap.on": "Řádky se budou zalamovat podle šířky viewportu (zobrazení).",
+ "wordWrap.inherit": "Řádky se zalomí podle nastavení #editor.wordWrap#."
+ },
+ "vs/editor/browser/widget/diffReview": {
+ "diffReviewInsertIcon": "Ikona pro operaci Vložit v kontrole rozdílů",
+ "diffReviewRemoveIcon": "Ikona pro operaci Odebrat v kontrole rozdílů",
+ "diffReviewCloseIcon": "Ikona pro operaci Zavřít v kontrole rozdílů",
+ "label.close": "Zavřít",
+ "no_lines_changed": "Nezměnily se žádné řádky.",
+ "one_line_changed": "Počet změněných řádků: 1",
+ "more_lines_changed": "Počet změněných řádků: {0}",
+ "header": "Rozdíl {0} z {1}: původní řádek {2}, {3}, změněný řádek {4}, {5}",
+ "blankLine": "prázdné",
+ "unchangedLine": "{0} nezměněný řádek {1}",
+ "equalLine": "{0} původní řádek {1} změněný řádek {2}",
+ "insertLine": "+ {0} změněný řádek {1}",
+ "deleteLine": "- {0} původní řádek {1}",
+ "editor.action.diffReview.next": "Přejít na další rozdíl",
+ "editor.action.diffReview.prev": "Přejít na předchozí rozdíl"
+ },
+ "vs/editor/browser/widget/inlineDiffMargin": {
+ "diff.clipboard.copyDeletedLinesContent.label": "Kopírovat odstraněné řádky",
+ "diff.clipboard.copyDeletedLinesContent.single.label": "Kopírovat odstraněný řádek",
+ "diff.clipboard.copyDeletedLineContent.label": "Kopírovat odstraněný řádek ({0})",
+ "diff.inline.revertChange.label": "Obnovit tuto změnu"
+ },
+ "vs/editor/browser/controller/textAreaHandler": {
+ "editor": "editor",
+ "accessibilityOffAriaLabel": "Editor není v tuto chvíli dostupný. Možnosti zobrazíte stisknutím klávesy {0}."
+ },
+ "vs/editor/contrib/clipboard/clipboard": {
+ "miCut": "&&Vyjmout",
+ "actions.clipboard.cutLabel": "Vyjmout",
+ "miCopy": "&&Kopírovat",
+ "actions.clipboard.copyLabel": "Kopírovat",
+ "miPaste": "&&Vložit",
+ "actions.clipboard.pasteLabel": "Vložit",
+ "actions.clipboard.copyWithSyntaxHighlightingLabel": "Kopírovat se zvýrazněním syntaxe"
+ },
+ "vs/editor/contrib/anchorSelect/anchorSelect": {
+ "selectionAnchor": "Ukotvení výběru",
+ "anchorSet": "Ukotvení nastavené na {0}:{1}",
+ "setSelectionAnchor": "Nastavit ukotvení výběru",
+ "goToSelectionAnchor": "Přejít na ukotvení výběru",
+ "selectFromAnchorToCursor": "Vybrat od ukotvení po kurzor",
+ "cancelSelectionAnchor": "Zrušit ukotvení výběru"
+ },
+ "vs/editor/contrib/bracketMatching/bracketMatching": {
+ "overviewRulerBracketMatchForeground": "Barva značky přehledového pravítka pro odpovídající hranaté závorky",
+ "smartSelect.jumpBracket": "Přejít na hranatou závorku",
+ "smartSelect.selectToBracket": "Vybrat po hranatou závorku",
+ "miGoToBracket": "Přejít na hranatou &&závorku"
+ },
+ "vs/editor/contrib/caretOperations/caretOperations": {
+ "caret.moveLeft": "Přesunout vybraný text doleva",
+ "caret.moveRight": "Přesunout vybraný text doprava"
+ },
+ "vs/editor/contrib/caretOperations/transpose": {
+ "transposeLetters.label": "Transponovat písmena"
+ },
+ "vs/editor/contrib/codelens/codelensController": {
+ "showLensOnLine": "Zobrazit příkazy CodeLens pro aktuální řádek"
+ },
+ "vs/editor/contrib/comment/comment": {
+ "comment.line": "Přepnout řádkový komentář",
+ "miToggleLineComment": "&&Přepnout řádkový komentář",
+ "comment.line.add": "Přidat řádkový komentář",
+ "comment.line.remove": "Odebrat řádkový komentář",
+ "comment.block": "Přepnout komentář k bloku",
+ "miToggleBlockComment": "Přepnout komentář k &&bloku"
+ },
+ "vs/editor/contrib/contextmenu/contextmenu": {
+ "action.showContextMenu.label": "Zobrazit místní nabídku editoru"
+ },
+ "vs/editor/contrib/cursorUndo/cursorUndo": {
+ "cursor.undo": "Vrátit zpět akci kurzoru",
+ "cursor.redo": "Provést znovu akci kurzoru"
+ },
+ "vs/editor/contrib/find/findController": {
+ "startFindAction": "Najít",
+ "miFind": "&&Najít",
+ "startFindWithSelectionAction": "Najít s výběrem",
+ "findNextMatchAction": "Najít další",
+ "findPreviousMatchAction": "Najít předchozí",
+ "nextSelectionMatchFindAction": "Najít další výběr",
+ "previousSelectionMatchFindAction": "Najít předchozí výběr",
+ "startReplace": "Nahradit",
+ "miReplace": "&&Nahradit"
+ },
+ "vs/editor/contrib/folding/folding": {
+ "unfoldAction.label": "Rozbalit",
+ "unFoldRecursivelyAction.label": "Rozbalit rekurzivně",
+ "foldAction.label": "Sbalit",
+ "toggleFoldAction.label": "Přepnout sbalení",
+ "foldRecursivelyAction.label": "Sbalit rekurzivně",
+ "foldAllBlockComments.label": "Sbalit všechny komentáře k bloku",
+ "foldAllMarkerRegions.label": "Sbalit všechny oblasti",
+ "unfoldAllMarkerRegions.label": "Rozbalit všechny oblasti",
+ "foldAllAction.label": "Sbalit vše",
+ "unfoldAllAction.label": "Rozbalit vše",
+ "foldLevelAction.label": "Sbalit úroveň {0}",
+ "foldBackgroundBackground": "Barva pozadí za sbalenými rozsahy. Barva nesmí být neprůhledná, aby se nepřekryly dekorace pod tím.",
+ "editorGutter.foldingControlForeground": "Barva ovládacího prvku pro sbalení v mezeře u okraje editoru"
+ },
+ "vs/editor/contrib/fontZoom/fontZoom": {
+ "EditorFontZoomIn.label": "Zvětšení písma editoru",
+ "EditorFontZoomOut.label": "Zmenšení písma editoru",
+ "EditorFontZoomReset.label": "Obnovení velikosti písma editoru"
+ },
+ "vs/editor/contrib/format/formatActions": {
+ "formatDocument.label": "Formátovat dokument",
+ "formatSelection.label": "Formátovat výběr"
+ },
+ "vs/editor/contrib/gotoSymbol/goToCommands": {
+ "peek.submenu": "Náhled",
+ "def.title": "Definice",
+ "noResultWord": "Nenalezena žádná definice pro {0}",
+ "generic.noResults": "Nenalezena žádná definice",
+ "actions.goToDecl.label": "Přejít k definici",
+ "miGotoDefinition": "Přejít k &&definici",
+ "actions.goToDeclToSide.label": "Otevřít definici na boku",
+ "actions.previewDecl.label": "Náhled definice",
+ "decl.title": "Deklarace",
+ "decl.noResultWord": "Nenalezena žádná deklarace pro {0}",
+ "decl.generic.noResults": "Nenalezena žádná deklarace",
+ "actions.goToDeclaration.label": "Přejít na deklaraci",
+ "miGotoDeclaration": "Přejít na &&deklaraci",
+ "actions.peekDecl.label": "Náhled deklarace",
+ "typedef.title": "Definice typů",
+ "goToTypeDefinition.noResultWord": "Nenalezena žádná definice typu pro {0}",
+ "goToTypeDefinition.generic.noResults": "Nenalezena žádná definice typu",
+ "actions.goToTypeDefinition.label": "Přejít k definici typu",
+ "miGotoTypeDefinition": "Přejít k &&definici typu",
+ "actions.peekTypeDefinition.label": "Náhled definice typu",
+ "impl.title": "Implementace",
+ "goToImplementation.noResultWord": "Nenalezena žádná implementace pro {0}",
+ "goToImplementation.generic.noResults": "Nenalezena žádná implementace",
+ "actions.goToImplementation.label": "Přejít na implementace",
+ "miGotoImplementation": "Přejít na &&implementace",
+ "actions.peekImplementation.label": "Náhled implementací",
+ "references.no": "Nenalezeny žádné odkazy pro {0}",
+ "references.noGeneric": "Nenalezeny žádné odkazy",
+ "goToReferences.label": "Přejít na odkazy",
+ "miGotoReference": "Přejít na &&odkazy",
+ "ref.title": "Odkazy",
+ "references.action.label": "Náhled na odkazy",
+ "label.generic": "Přejít na libovolný symbol",
+ "generic.title": "Umístění",
+ "generic.noResult": "Žádné výsledky pro: {0}"
+ },
+ "vs/editor/contrib/hover/hover": {
+ "showHover": "Zobrazit informace po umístění ukazatele myši",
+ "showDefinitionPreviewHover": "Zobrazit náhled definice při umístění ukazatele myši"
+ },
+ "vs/editor/contrib/gotoSymbol/link/goToDefinitionAtPosition": {
+ "multipleResults": "Kliknutím zobrazíte definice ({0})."
+ },
+ "vs/editor/contrib/gotoError/gotoError": {
+ "markerAction.next.label": "Přejít na další problém (chyba, upozornění, informace)",
+ "nextMarkerIcon": "Ikona pro přechod na další značku",
+ "markerAction.previous.label": "Přejít na předchozí problém (chyba, upozornění, informace)",
+ "previousMarkerIcon": "Ikona pro přechod na předchozí značku",
+ "markerAction.nextInFiles.label": "Přejít na další problém v souborech (chyba, upozornění, informace)",
+ "miGotoNextProblem": "Další &&problém",
+ "markerAction.previousInFiles.label": "Přejít na předchozí problém v souborech (chyba, upozornění, informace)",
+ "miGotoPreviousProblem": "Předchozí &&problém"
+ },
+ "vs/editor/contrib/indentation/indentation": {
+ "indentationToSpaces": "Převést odsazení na mezery",
+ "indentationToTabs": "Převést odsazení na tabulátory",
+ "configuredTabSize": "Nakonfigurovaná velikost tabulátoru",
+ "selectTabWidth": "Vybrat velikost tabulátoru pro aktuální soubor",
+ "indentUsingTabs": "Odsadit pomocí tabulátorů",
+ "indentUsingSpaces": "Odsadit pomocí mezer",
+ "detectIndentation": "Zjistit odsazení z obsahu",
+ "editor.reindentlines": "Znovu odsadit řádky",
+ "editor.reindentselectedlines": "Znovu odsadit vybrané řádky"
+ },
+ "vs/editor/contrib/inPlaceReplace/inPlaceReplace": {
+ "InPlaceReplaceAction.previous.label": "Nahradit předchozí hodnotou",
+ "InPlaceReplaceAction.next.label": "Nahradit další hodnotou"
+ },
+ "vs/editor/contrib/linesOperations/linesOperations": {
+ "lines.copyUp": "Kopírovat řádek nahoru",
+ "miCopyLinesUp": "&&Kopírovat řádek nahoru",
+ "lines.copyDown": "Kopírovat řádek dolů",
+ "miCopyLinesDown": "&&Kopírovat řádek dolů",
+ "duplicateSelection": "Duplikovat výběr",
+ "miDuplicateSelection": "&&Duplikovat výběr",
+ "lines.moveUp": "Přesunout řádek nahoru",
+ "miMoveLinesUp": "Přesunout řádek &&nahoru",
+ "lines.moveDown": "Přesunout řádek dolů",
+ "miMoveLinesDown": "Přesunout řádek &&dolů",
+ "lines.sortAscending": "Seřadit řádky vzestupně",
+ "lines.sortDescending": "Seřadit řádky sestupně",
+ "lines.trimTrailingWhitespace": "Oříznout prázdné znaky na konci",
+ "lines.delete": "Odstranit řádek",
+ "lines.indent": "Odsadit řádek",
+ "lines.outdent": "Zmenšit odsazení řádku",
+ "lines.insertBefore": "Vložit řádek nad",
+ "lines.insertAfter": "Vložit řádek pod",
+ "lines.deleteAllLeft": "Odstranit vše nalevo",
+ "lines.deleteAllRight": "Odstranit vše napravo",
+ "lines.joinLines": "Spojit řádky",
+ "editor.transpose": "Transponovat znaky kolem kurzoru",
+ "editor.transformToUppercase": "Převést na velká písmena",
+ "editor.transformToLowercase": "Převést na malá písmena",
+ "editor.transformToTitlecase": "Převést na všechna první velká"
+ },
+ "vs/editor/contrib/linkedEditing/linkedEditing": {
+ "linkedEditing.label": "Zahájit propojené úpravy",
+ "editorLinkedEditingBackground": "Barva pozadí při automatickém přejmenovávání při psaní v editoru"
+ },
+ "vs/editor/contrib/links/links": {
+ "links.navigate.executeCmd": "Provést příkaz",
+ "links.navigate.follow": "Přejít na odkaz",
+ "links.navigate.kb.meta.mac": "cmd + kliknutí",
+ "links.navigate.kb.meta": "ctrl + kliknutí",
+ "links.navigate.kb.alt.mac": "option + kliknutí",
+ "links.navigate.kb.alt": "alt + kliknutí",
+ "tooltip.explanation": "Provést příkaz {0}",
+ "invalid.url": "Tento odkaz se nepovedlo otevřít, protože není správně vytvořen: {0}.",
+ "missing.url": "Tento odkaz se nepovedlo otevřít, protože chybí jeho cíl.",
+ "label": "Otevřít odkaz"
+ },
+ "vs/editor/contrib/multicursor/multicursor": {
+ "mutlicursor.insertAbove": "Přidat kurzor nad",
+ "miInsertCursorAbove": "&&Přidat kurzor nad",
+ "mutlicursor.insertBelow": "Přidat kurzor pod",
+ "miInsertCursorBelow": "&&Přidat kurzor pod",
+ "mutlicursor.insertAtEndOfEachLineSelected": "Přidat kurzory na konce řádků",
+ "miInsertCursorAtEndOfEachLineSelected": "Přidat k&&urzory na konce řádků",
+ "mutlicursor.addCursorsToBottom": "Přidat kurzory na konec",
+ "mutlicursor.addCursorsToTop": "Přidat kurzory na začátek",
+ "addSelectionToNextFindMatch": "Přidat výběr k další nalezené shodě",
+ "miAddSelectionToNextFindMatch": "Přidat &&další výskyt",
+ "addSelectionToPreviousFindMatch": "Přidat výběr k předchozí nalezené shodě",
+ "miAddSelectionToPreviousFindMatch": "Přidat &&předchozí výskyt",
+ "moveSelectionToNextFindMatch": "Přesunout poslední výběr na další nalezenou shodu",
+ "moveSelectionToPreviousFindMatch": "Přesunout poslední výběr na předchozí nalezenou shodu",
+ "selectAllOccurrencesOfFindMatch": "Vybrat všechny výskyty nalezené shody",
+ "miSelectHighlights": "Vybrat všechny &&výskyty",
+ "changeAll.label": "Změnit všechny výskyty"
+ },
+ "vs/editor/contrib/parameterHints/parameterHints": {
+ "parameterHints.trigger.label": "Aktivovat tipy k parametrům"
+ },
+ "vs/editor/contrib/rename/rename": {
+ "no result": "Žádný výsledek",
+ "resolveRenameLocationFailed": "Při vyhodnocování umístění pro přejmenování došlo k neznámé chybě.",
+ "label": "Přejmenovává se {0}.",
+ "quotableLabel": "Přejmenovává se {0}.",
+ "aria": "Úspěšné přejmenování {0} na {1}. Souhrn: {2}",
+ "rename.failedApply": "Při přejmenovávání se nepovedlo aplikovat úpravy.",
+ "rename.failed": "Při přejmenovávání se nepovedlo vypočítat úpravy.",
+ "rename.label": "Přejmenovat symbol",
+ "enablePreview": "Povolit nebo zakázat možnost zobrazení náhledu změn před přejmenováním"
+ },
+ "vs/editor/contrib/smartSelect/smartSelect": {
+ "smartSelect.expand": "Rozbalit výběr",
+ "miSmartSelectGrow": "&&Rozbalit výběr",
+ "smartSelect.shrink": "Zmenšit výběr",
+ "miSmartSelectShrink": "&&Zmenšit výběr"
+ },
+ "vs/editor/contrib/suggest/suggestController": {
+ "aria.alert.snippet": "Přijetím {0} došlo k dalším {1} úpravám.",
+ "suggest.trigger.label": "Aktivovat návrh",
+ "accept.insert": "Vložit",
+ "accept.replace": "Nahradit",
+ "detail.more": "zobrazit méně",
+ "detail.less": "zobrazit více",
+ "suggest.reset.label": "Obnovit velikost widgetu návrhů"
+ },
+ "vs/editor/contrib/tokenization/tokenization": {
+ "forceRetokenize": "Vývojář: vynutit retokenizaci"
+ },
+ "vs/editor/contrib/toggleTabFocusMode/toggleTabFocusMode": {
+ "toggle.tabMovesFocus": "Přepnout přesunutí fokusu pomocí klávesy Tab",
+ "toggle.tabMovesFocus.on": "Stisknutím klávesy Tab se teď přesune fokus na další prvek, který může mít fokus.",
+ "toggle.tabMovesFocus.off": "Stisknutím klávesy Tab se teď vloží znak tabulátoru."
+ },
+ "vs/editor/contrib/unusualLineTerminators/unusualLineTerminators": {
+ "unusualLineTerminators.title": "Neobvyklé ukončovací znaky řádku",
+ "unusualLineTerminators.message": "Zjištěny neobvyklé ukončovací znaky řádku",
+ "unusualLineTerminators.detail": "Tento soubor obsahuje minimálně jeden neobvyklý ukončovací znak řádku, jako je oddělovač řádků (LS) nebo oddělovač odstavců (PS).\r\n\r\nDoporučuje se je odebrat ze souboru. Lze to nakonfigurovat prostřednictvím nastavení editor.unusualLineTerminators.",
+ "unusualLineTerminators.fix": "Opravit tento soubor",
+ "unusualLineTerminators.ignore": "Ignorovat problém pro tento soubor"
+ },
+ "vs/editor/contrib/wordHighlighter/wordHighlighter": {
+ "wordHighlight": "Barva pozadí symbolu při čtení, například při čtení proměnné. Barva nesmí být neprůhledná, aby se nepřekryly dekorace pod tím.",
+ "wordHighlightStrong": "Barva pozadí symbolu při zápisu, například při zápisu proměnné. Barva nesmí být neprůhledná, aby se nepřekryly dekorace pod tím.",
+ "wordHighlightBorder": "Barva ohraničení symbolu při čtení, například při čtení proměnné",
+ "wordHighlightStrongBorder": "Barva ohraničení symbolu při zápisu, například při zápisu do proměnné",
+ "overviewRulerWordHighlightForeground": "Barva značky přehledového pravítka pro zvýraznění symbolů. Barva nesmí být neprůhledná, aby se nepřekryly dekorace pod tím.",
+ "overviewRulerWordHighlightStrongForeground": "Barva značky přehledového pravítka pro zvýraznění symbolů s oprávněním k zápisu. Barva nesmí být neprůhledná, aby se nepřekryly dekorace pod tím.",
+ "wordHighlight.next.label": "Přejít na další zvýraznění symbolu",
+ "wordHighlight.previous.label": "Přejít na předchozí zvýraznění symbolu",
+ "wordHighlight.trigger.label": "Aktivovat zvýraznění symbolů"
+ },
+ "vs/editor/contrib/wordOperations/wordOperations": {
+ "deleteInsideWord": "Odstranit slovo"
+ },
+ "vs/editor/contrib/quickAccess/gotoLineQuickAccess": {
+ "cannotRunGotoLine": "Pokud chcete přejít na řádek, otevřete nejdříve textový editor.",
+ "gotoLineColumnLabel": "Přejít na řádek {0} a sloupec {1}",
+ "gotoLineLabel": "Přejít na řádek {0}",
+ "gotoLineLabelEmptyWithLimit": "Aktuální řádek: {0}, znak: {1}. Zadejte číslo řádku mezi 1 a {2}, na který chcete přejít.",
+ "gotoLineLabelEmpty": "Aktuální řádek: {0}, znak: {1}. Zadejte číslo řádku, na který chcete přejít."
+ },
+ "vs/editor/contrib/peekView/peekView": {
+ "label.close": "Zavřít",
+ "peekViewTitleBackground": "Barva pozadí oblasti názvu náhledu",
+ "peekViewTitleForeground": "Barva názvu zobrazení náhledu",
+ "peekViewTitleInfoForeground": "Barva informací o názvu zobrazení náhledu",
+ "peekViewBorder": "Barva ohraničení a šipky zobrazení náhledu",
+ "peekViewResultsBackground": "Barva pozadí seznamu výsledků náhledu",
+ "peekViewResultsMatchForeground": "Barva popředí pro uzly řádků v seznamu výsledků zobrazení náhledu",
+ "peekViewResultsFileForeground": "Barva popředí pro uzly souborů v seznamu výsledků zobrazení náhledu",
+ "peekViewResultsSelectionBackground": "Barva pozadí vybrané položky v seznamu výsledků náhledu",
+ "peekViewResultsSelectionForeground": "Barva popředí vybrané položky v seznamu výsledků zobrazení náhledu",
+ "peekViewEditorBackground": "Barva pozadí editoru náhledu",
+ "peekViewEditorGutterBackground": "Barva pozadí mezery u okraje v editoru náhledu",
+ "peekViewResultsMatchHighlight": "Barva zvýraznění shody v seznamu výsledků zobrazení náhledu",
+ "peekViewEditorMatchHighlight": "Barva zvýraznění shody v editoru náhledu",
+ "peekViewEditorMatchHighlightBorder": "Ohraničení zvýraznění shody v editoru náhledu"
+ },
+ "vs/editor/contrib/codeAction/codeActionCommands": {
+ "args.schema.kind": "Druh akce kódu, která se má spustit",
+ "args.schema.apply": "Určuje, kdy se mají aplikovat vrácené akce.",
+ "args.schema.apply.first": "Vždy použít první vrácenou akci kódu",
+ "args.schema.apply.ifSingle": "Použít první vrácenou akci kódu, pokud je jediná",
+ "args.schema.apply.never": "Neaplikovat vrácené akce kódu",
+ "args.schema.preferred": "Určuje, jestli mají být vráceny pouze upřednostňované akce kódu.",
+ "applyCodeActionFailed": "Při aplikování akce kódu došlo k neznámé chybě.",
+ "quickfix.trigger.label": "Rychlá oprava...",
+ "editor.action.quickFix.noneMessage": "Nejsou k dispozici žádné akce kódu.",
+ "editor.action.codeAction.noneMessage.preferred.kind": "Nejsou k dispozici žádné upřednostňované akce kódu pro {0}.",
+ "editor.action.codeAction.noneMessage.kind": "Nejsou k dispozici žádné akce kódu pro {0}.",
+ "editor.action.codeAction.noneMessage.preferred": "Nejsou k dispozici žádné upřednostňované akce kódu.",
+ "editor.action.codeAction.noneMessage": "Nejsou k dispozici žádné akce kódu.",
+ "refactor.label": "Refaktorovat...",
+ "editor.action.refactor.noneMessage.preferred.kind": "Není k dispozici žádný upřednostňovaný refaktoring pro {0}.",
+ "editor.action.refactor.noneMessage.kind": "Není k dispozici žádný refaktoring pro {0}.",
+ "editor.action.refactor.noneMessage.preferred": "Není k dispozici žádný upřednostňovaný refaktoring.",
+ "editor.action.refactor.noneMessage": "Není k dispozici žádný refaktoring.",
+ "source.label": "Zdrojová akce...",
+ "editor.action.source.noneMessage.preferred.kind": "Nejsou k dispozici žádné upřednostňované zdrojové akce pro {0}.",
+ "editor.action.source.noneMessage.kind": "Nejsou k dispozici žádné zdrojové akce pro {0}.",
+ "editor.action.source.noneMessage.preferred": "Nejsou k dispozici žádné upřednostňované zdrojové akce.",
+ "editor.action.source.noneMessage": "Nejsou k dispozici žádné zdrojové akce.",
+ "organizeImports.label": "Uspořádat importy",
+ "editor.action.organize.noneMessage": "Není k dispozici žádná akce uspořádání importů.",
+ "fixAll.label": "Opravit vše",
+ "fixAll.noneMessage": "K dispozici není žádná akce „opravit vše“.",
+ "autoFix.label": "Automaticky opravit...",
+ "editor.action.autoFix.noneMessage": "Nejsou k dispozici žádné automatické opravy."
+ },
+ "vs/editor/contrib/find/findWidget": {
+ "findSelectionIcon": "Ikona pro operaci Najít ve výběru ve vyhledávacím widgetu editoru",
+ "findCollapsedIcon": "Ikona, která označuje, že vyhledávací widget v editoru je sbalený",
+ "findExpandedIcon": "Ikona, která označuje, že vyhledávací widget v editoru je rozbalený",
+ "findReplaceIcon": "Ikona pro operaci Nahradit ve vyhledávacím widgetu editoru",
+ "findReplaceAllIcon": "Ikona pro operaci Nahradit vše ve vyhledávacím widgetu editoru",
+ "findPreviousMatchIcon": "Ikona pro operaci Najít předchozí ve vyhledávacím widgetu editoru",
+ "findNextMatchIcon": "Ikona pro operaci Najít další ve vyhledávacím widgetu editoru",
+ "label.find": "Najít",
+ "placeholder.find": "Najít",
+ "label.previousMatchButton": "Předchozí shoda",
+ "label.nextMatchButton": "Další shoda",
+ "label.toggleSelectionFind": "Najít ve výběru",
+ "label.closeButton": "Zavřít",
+ "label.replace": "Nahradit",
+ "placeholder.replace": "Nahradit",
+ "label.replaceButton": "Nahradit",
+ "label.replaceAllButton": "Nahradit vše",
+ "label.toggleReplaceButton": "Přepnout režim nahrazení",
+ "title.matchesCountLimit": "Zvýrazněno je pouze několik prvních výsledků ({0}), ale všechny operace hledání fungují na celém textu.",
+ "label.matchesLocation": "{0} z {1}",
+ "label.noResults": "Žádné výsledky",
+ "ariaSearchNoResultEmpty": "Nalezeno: {0}",
+ "ariaSearchNoResult": "Nalezeno: {0} pro: {1}",
+ "ariaSearchNoResultWithLineNum": "Nalezeno: {0} pro: {1} v: {2}",
+ "ariaSearchNoResultWithLineNumNoCurrentMatch": "Nalezeno: {0} pro: {1}",
+ "ctrlEnter.keybindingChanged": "Kombinace kláves Ctrl+Enter teď místo nahrazení všeho vloží zalomení řádku. Pokud chcete toto chování přepsat, můžete upravit klávesovou zkratku pro nastavení editor.action.replaceAll."
+ },
+ "vs/editor/contrib/folding/foldingDecorations": {
+ "foldingExpandedIcon": "Ikona pro rozbalené rozsahy v okraji piktogramu editoru",
+ "foldingCollapsedIcon": "Ikona pro sbalené rozsahy v okraji piktogramu editoru"
+ },
+ "vs/editor/contrib/format/format": {
+ "hint11": "Byla provedena 1 úprava formátování na řádku {0}.",
+ "hintn1": "Byl proveden tento počet úprav formátování na řádku {1}: {0}.",
+ "hint1n": "Byla provedena 1 úprava formátování mezi řádky {0} a {1}.",
+ "hintnn": "Byla proveden tento počet úprav formátování mezi řádky {1} a {2}: {0}."
+ },
+ "vs/editor/contrib/message/messageController": {
+ "editor.readonly": "Nelze upravovat v editoru jen pro čtení."
+ },
+ "vs/editor/contrib/gotoSymbol/peek/referencesController": {
+ "labelLoading": "Načítání...",
+ "metaTitle.N": "{0} ({1})"
+ },
+ "vs/editor/contrib/gotoSymbol/referencesModel": {
+ "aria.oneReference": "symbol v {0} na řádku {1} ve sloupci {2}",
+ "aria.oneReference.preview": "symbol v {0} na řádku {1} ve sloupci {2}, {3}",
+ "aria.fileReferences.1": "1 symbol v: {0}, úplná cesta: {1}",
+ "aria.fileReferences.N": "Symboly (celkem {0}) v: {1}, úplná cesta: {2}",
+ "aria.result.0": "Nenašly se žádné výsledky.",
+ "aria.result.1": "V {0} byl nalezen 1 symbol.",
+ "aria.result.n1": "V {1} byl nalezen tento počet symbolů: {0}.",
+ "aria.result.nm": "V {1} souborech byl nalezen tento počet symbolů: {0}."
+ },
+ "vs/editor/contrib/gotoSymbol/symbolNavigation": {
+ "location.kb": "Symbol {0} z {1}, {2} pro další",
+ "location": "Symbol {0} z {1}"
+ },
+ "vs/editor/contrib/hover/modesContentHover": {
+ "modesContentHover.loading": "Načítání...",
+ "peek problem": "Náhled problému",
+ "noQuickFixes": "K dispozici nejsou žádné rychlé opravy.",
+ "checkingForQuickFixes": "Zjišťují se rychlé opravy...",
+ "quick fixes": "Rychlá oprava..."
+ },
+ "vs/editor/contrib/gotoError/gotoErrorWidget": {
+ "Error": "Chyba",
+ "Warning": "Upozornění",
+ "Info": "Informace",
+ "Hint": "Tip",
+ "marker aria": "{0} v {1} ",
+ "problems": "Problémy: {0} z {1}",
+ "change": "Problémy: {0} z {1}",
+ "editorMarkerNavigationError": "Barva chyby widgetu navigace mezi značkami v editoru",
+ "editorMarkerNavigationWarning": "Barva upozornění widgetu navigace mezi značkami v editoru",
+ "editorMarkerNavigationInfo": "Barva informací widgetu navigace mezi značkami v editoru",
+ "editorMarkerNavigationBackground": "Pozadí widgetu navigace mezi značkami v editoru"
+ },
+ "vs/editor/contrib/parameterHints/parameterHintsWidget": {
+ "parameterHintsNextIcon": "Ikona pro zobrazení další nápovědy k parametru",
+ "parameterHintsPreviousIcon": "Ikona pro zobrazení předchozí nápovědy k parametru",
+ "hint": "{0}, tip"
+ },
+ "vs/editor/contrib/rename/renameInputField": {
+ "renameAriaLabel": "Umožňuje přejmenovat vstup. Zadejte nový název a potvrďte ho stisknutím klávesy Enter.",
+ "label": "{0} pro přejmenování, {1} pro náhled"
+ },
+ "vs/editor/contrib/suggest/suggestWidget": {
+ "editorSuggestWidgetBackground": "Barva pozadí widgetu návrhů",
+ "editorSuggestWidgetBorder": "Barva ohraničení widgetu návrhů",
+ "editorSuggestWidgetForeground": "Barva popředí widgetu návrhů",
+ "editorSuggestWidgetSelectedBackground": "Barva pozadí vybrané položky ve widgetu návrhů",
+ "editorSuggestWidgetHighlightForeground": "Barva zvýraznění shody ve widgetu návrhů",
+ "suggestWidget.loading": "Načítání...",
+ "suggestWidget.noSuggestions": "Žádné návrhy",
+ "ariaCurrenttSuggestionReadDetails": "{0}, dokumenty: {1}",
+ "suggest": "Návrh"
+ },
+ "vs/editor/contrib/quickAccess/gotoSymbolQuickAccess": {
+ "cannotRunGotoSymbolWithoutEditor": "Pokud chcete přejít na symbol, otevřete nejdříve textový editor s informacemi o symbolu.",
+ "cannotRunGotoSymbolWithoutSymbolProvider": "Aktivní textový editor neposkytuje informace o symbolech.",
+ "noMatchingSymbolResults": "Žádné odpovídající symboly editoru",
+ "noSymbolResults": "Žádné symboly editoru",
+ "openToSide": "Otevřít na boku",
+ "openToBottom": "Otevřít dole",
+ "symbols": "symboly ({0})",
+ "property": "vlastnosti ({0})",
+ "method": "metody ({0})",
+ "function": "funkce ({0})",
+ "_constructor": "konstruktory ({0})",
+ "variable": "proměnné ({0})",
+ "class": "třídy ({0})",
+ "struct": "struktury ({0})",
+ "event": "události ({0})",
+ "operator": "operátory ({0})",
+ "interface": "rozhraní ({0})",
+ "namespace": "obory názvů ({0})",
+ "package": "balíčky ({0})",
+ "typeParameter": "parametry typu ({0})",
+ "modules": "moduly ({0})",
+ "enum": "výčty ({0})",
+ "enumMember": "členy výčtu ({0})",
+ "string": "řetězce ({0})",
+ "file": "soubory ({0})",
+ "array": "pole hodnot ({0})",
+ "number": "čísla ({0})",
+ "boolean": "logické hodnoty ({0})",
+ "object": "objekty ({0})",
+ "key": "klíče ({0})",
+ "field": "pole ({0})",
+ "constant": "konstanty ({0})"
+ },
+ "vs/editor/contrib/snippet/snippetVariables": {
+ "Sunday": "Neděle",
+ "Monday": "Pondělí",
+ "Tuesday": "Úterý",
+ "Wednesday": "Středa",
+ "Thursday": "Čtvrtek",
+ "Friday": "Pátek",
+ "Saturday": "Sobota",
+ "SundayShort": "Ne",
+ "MondayShort": "Po",
+ "TuesdayShort": "Út",
+ "WednesdayShort": "St",
+ "ThursdayShort": "Čt",
+ "FridayShort": "Pá",
+ "SaturdayShort": "So",
+ "January": "Leden",
+ "February": "Únor",
+ "March": "Březen",
+ "April": "Duben",
+ "May": "Květen",
+ "June": "Červen",
+ "July": "Červenec",
+ "August": "Srpen",
+ "September": "Září",
+ "October": "Říjen",
+ "November": "Listopad",
+ "December": "Prosinec",
+ "JanuaryShort": "Led",
+ "FebruaryShort": "Úno",
+ "MarchShort": "Bře",
+ "AprilShort": "Dub",
+ "MayShort": "Kvě",
+ "JuneShort": "Čvn",
+ "JulyShort": "Čec",
+ "AugustShort": "Srp",
+ "SeptemberShort": "Zář",
+ "OctoberShort": "Říj",
+ "NovemberShort": "Lis",
+ "DecemberShort": "Pro"
+ },
+ "vs/editor/contrib/documentSymbols/outlineTree": {
+ "title.template": "{0} ({1})",
+ "1.problem": "1 problém v tomto elementu",
+ "N.problem": "Počet problémů v tomto elementu: {0}",
+ "deep.problem": "Obsahuje elementy s problémy.",
+ "Array": "pole hodnot",
+ "Boolean": "logická hodnota",
+ "Class": "třída",
+ "Constant": "konstanta",
+ "Constructor": "konstruktor",
+ "Enum": "výčet",
+ "EnumMember": "člen výčtu",
+ "Event": "událost",
+ "Field": "pole",
+ "File": "soubor",
+ "Function": "funkce",
+ "Interface": "rozhraní",
+ "Key": "klíč",
+ "Method": "metoda",
+ "Module": "modul",
+ "Namespace": "obor názvů",
+ "Null": "null",
+ "Number": "číslo",
+ "Object": "objekt",
+ "Operator": "operátor",
+ "Package": "balíček",
+ "Property": "vlastnost",
+ "String": "řetězec",
+ "Struct": "struktura",
+ "TypeParameter": "parametr typu",
+ "Variable": "proměnná",
+ "symbolIcon.arrayForeground": "Barva popředí pro symboly array. Tyto symboly se zobrazují ve widgetu osnovy, popisu cesty a návrhů.",
+ "symbolIcon.booleanForeground": "Barva popředí pro symboly boolean. Tyto symboly se zobrazují ve widgetu osnovy, popisu cesty a návrhů.",
+ "symbolIcon.classForeground": "Barva popředí pro symboly class. Tyto symboly se zobrazují ve widgetu osnovy, popisu cesty a návrhů.",
+ "symbolIcon.colorForeground": "Barva popředí pro symboly color. Tyto symboly se zobrazují ve widgetu osnovy, popisu cesty a návrhů.",
+ "symbolIcon.constantForeground": "Barva popředí pro symboly constant. Tyto symboly se zobrazují ve widgetu osnovy, popisu cesty a návrhů.",
+ "symbolIcon.constructorForeground": "Barva popředí pro symboly constructor. Tyto symboly se zobrazují ve widgetu osnovy, popisu cesty a návrhů.",
+ "symbolIcon.enumeratorForeground": "Barva popředí pro symboly enumerator. Tyto symboly se zobrazují ve widgetu osnovy, popisu cesty a návrhů.",
+ "symbolIcon.enumeratorMemberForeground": "Barva popředí pro symboly enumerator member. Tyto symboly se zobrazují ve widgetu osnovy, popisu cesty a návrhů.",
+ "symbolIcon.eventForeground": "Barva popředí pro symboly event. Tyto symboly se zobrazují ve widgetu osnovy, popisu cesty a návrhů.",
+ "symbolIcon.fieldForeground": "Barva popředí pro symboly field. Tyto symboly se zobrazují ve widgetu osnovy, popisu cesty a návrhů.",
+ "symbolIcon.fileForeground": "Barva popředí pro symboly file. Tyto symboly se zobrazují ve widgetu osnovy, popisu cesty a návrhů.",
+ "symbolIcon.folderForeground": "Barva popředí pro symboly folder. Tyto symboly se zobrazují ve widgetu osnovy, popisu cesty a návrhů.",
+ "symbolIcon.functionForeground": "Barva popředí pro symboly function. Tyto symboly se zobrazují ve widgetu osnovy, popisu cesty a návrhů.",
+ "symbolIcon.interfaceForeground": "Barva popředí pro symboly interface. Tyto symboly se zobrazují ve widgetu osnovy, popisu cesty a návrhů.",
+ "symbolIcon.keyForeground": "Barva popředí pro symboly key. Tyto symboly se zobrazují ve widgetu osnovy, popisu cesty a návrhů.",
+ "symbolIcon.keywordForeground": "Barva popředí pro symboly keyword. Tyto symboly se zobrazují ve widgetu osnovy, popisu cesty a návrhů.",
+ "symbolIcon.methodForeground": "Barva popředí pro symboly method. Tyto symboly se zobrazují ve widgetu osnovy, popisu cesty a návrhů.",
+ "symbolIcon.moduleForeground": "Barva popředí pro symboly module. Tyto symboly se zobrazují ve widgetu osnovy, popisu cesty a návrhů.",
+ "symbolIcon.namespaceForeground": "Barva popředí pro symboly namespace. Tyto symboly se zobrazují ve widgetu osnovy, popisu cesty a návrhů.",
+ "symbolIcon.nullForeground": "Barva popředí pro symboly null. Tyto symboly se zobrazují ve widgetu osnovy, popisu cesty a návrhů.",
+ "symbolIcon.numberForeground": "Barva popředí pro symboly number. Tyto symboly se zobrazují ve widgetu osnovy, popisu cesty a návrhů.",
+ "symbolIcon.objectForeground": "Barva popředí pro symboly object. Tyto symboly se zobrazují ve widgetu osnovy, popisu cesty a návrhů.",
+ "symbolIcon.operatorForeground": "Barva popředí pro symboly operator. Tyto symboly se zobrazují ve widgetu osnovy, popisu cesty a návrhů.",
+ "symbolIcon.packageForeground": "Barva popředí pro symboly package. Tyto symboly se zobrazují ve widgetu osnovy, popisu cesty a návrhů.",
+ "symbolIcon.propertyForeground": "Barva popředí pro symboly property. Tyto symboly se zobrazují ve widgetu osnovy, popisu cesty a návrhů.",
+ "symbolIcon.referenceForeground": "Barva popředí pro symboly reference. Tyto symboly se zobrazují ve widgetu osnovy, popisu cesty a návrhů.",
+ "symbolIcon.snippetForeground": "Barva popředí pro symboly snippet. Tyto symboly se zobrazují ve widgetu osnovy, popisu cesty a návrhů.",
+ "symbolIcon.stringForeground": "Barva popředí pro symboly string. Tyto symboly se zobrazují ve widgetu osnovy, popisu cesty a návrhů.",
+ "symbolIcon.structForeground": "Barva popředí pro symboly struct. Tyto symboly se zobrazují ve widgetu osnovy, popisu cesty a návrhů.",
+ "symbolIcon.textForeground": "Barva popředí pro symboly text. Tyto symboly se zobrazují ve widgetu osnovy, popisu cesty a návrhů.",
+ "symbolIcon.typeParameterForeground": "Barva popředí pro symboly parameter. Tyto symboly se zobrazují ve widgetu osnovy, popisu cesty a návrhů.",
+ "symbolIcon.unitForeground": "Barva popředí pro symboly unit. Tyto symboly se zobrazují ve widgetu osnovy, popisu cesty a návrhů.",
+ "symbolIcon.variableForeground": "Barva popředí pro symboly variable. Tyto symboly se zobrazují ve widgetu osnovy, popisu cesty a návrhů."
+ },
+ "vs/editor/contrib/gotoSymbol/peek/referencesWidget": {
+ "missingPreviewMessage": "není k dispozici žádný náhled",
+ "noResults": "Žádné výsledky",
+ "peekView.alternateTitle": "Odkazy"
+ },
+ "vs/editor/contrib/suggest/suggestWidgetDetails": {
+ "details.close": "Zavřít",
+ "loading": "Načítání..."
+ },
+ "vs/editor/contrib/suggest/suggestWidgetStatus": {
+ "ddd": "{0} ({1})"
+ },
+ "vs/editor/contrib/suggest/suggestWidgetRenderer": {
+ "suggestMoreInfoIcon": "Ikona pro další informace ve widgetu pro návrhy",
+ "readMore": "Další informace"
+ },
+ "vs/editor/contrib/codeAction/lightBulbWidget": {
+ "prefferedQuickFixWithKb": "Zobrazit opravy. K dispozici je upřednostňovaná oprava ({0})",
+ "quickFixWithKb": "Zobrazit opravy ({0})",
+ "quickFix": "Zobrazit opravy"
+ },
+ "vs/editor/contrib/gotoSymbol/peek/referencesTree": {
+ "referencesCount": "Odkazy: {0}",
+ "referenceCount": "Počet odkazů: {0}",
+ "treeAriaLabel": "Odkazy"
+ },
+ "vs/platform/environment/node/argvHelper": {
+ "unknownOption": "Upozornění: Hodnota {0} není uvedena v seznamu známých možností, přesto byla předána prostředí Electron/Chromium.",
+ "multipleValues": "Možnost {0} je definována více než jednou. Použije se hodnota {1}.",
+ "gotoValidation": "Argumenty v režimu --goto by měly být ve formátu SOUBOR(:ŘÁDEK(:ZNAK))."
+ },
+ "vs/platform/request/common/request": {
+ "httpConfigurationTitle": "HTTP",
+ "proxy": "Nastavení proxy, které se má použít. Pokud není nastaveno, zdědí se z proměnných prostředí http_proxy a https_proxy.",
+ "strictSSL": "Určuje, jestli se má certifikát proxy serveru ověřovat podle seznamu zadaných certifikačních autorit.",
+ "proxyAuthorization": "Hodnota, která se odešle jako hlavička Proxy-Authorization pro všechny síťové požadavky",
+ "proxySupportOff": "Umožňuje pro rozšíření zakázat podporu proxy serveru.",
+ "proxySupportOn": "Umožňuje pro rozšíření povolit podporu proxy serveru.",
+ "proxySupportOverride": "Umožňuje pro rozšíření povolit podporu proxy serveru. Přepíše možnosti žádosti.",
+ "proxySupport": "Umožňuje pro rozšíření používat podporu proxy serveru.",
+ "systemCertificates": "Určuje, jestli mají být certifikáty certifikační autority načítány z operačního systému. (V systému Windows a macOS se po vypnutí tohoto nastavení vyžaduje opětovné načtení okna.)"
+ },
+ "vs/platform/files/common/fileService": {
+ "invalidPath": "Nepovedlo se rozpoznat zprostředkovatele systému souborů s relativní cestou k souboru {0}.",
+ "noProviderFound": "Pro prostředek {0} nebyl nalezen žádný zprostředkovatel systému souborů.",
+ "fileNotFoundError": "Nepovedlo se rozpoznat neexistující soubor {0}.",
+ "fileExists": "Nepovedlo se vytvořit soubor {0}, který už existuje, když není nastavený příznak přepsání.",
+ "err.write": "Nelze zapisovat do souboru {0} ({1}).",
+ "fileIsDirectoryWriteError": "Nepovedlo provést zápis do souboru {0}, který je ve skutečnosti adresář.",
+ "fileModifiedError": "Soubor se mezitím změnil.",
+ "err.read": "Soubor {0} se nedá přečíst ({1}).",
+ "fileIsDirectoryReadError": "Nelze přečíst soubor {0}, který je ve skutečnosti adresář.",
+ "fileNotModifiedError": "Soubor se mezitím nezměnil.",
+ "fileTooLargeError": "Nelze číst soubor {0}, který je příliš velký pro otevření.",
+ "unableToMoveCopyError1": "V systému souborů, ve kterém se nerozlišují malá a velká písmena, nelze kopírovat, pokud se název zdroje {0} a cíle {1} liší v cestě pouze velikostí písmen.",
+ "unableToMoveCopyError2": "Pokud je zdrojové umístění {0} nadřazené cílovému umístění {1}, nelze provést přesunutí/kopírování.",
+ "unableToMoveCopyError3": "{0} nelze přesunout/zkopírovat, protože cíl {1} už v umístění existuje.",
+ "unableToMoveCopyError4": "{0} nelze přesunout/kopírovat do {1}, protože by soubor nahradil složku, ve které je uložen.",
+ "mkdirExistsError": "Nepovedlo se vytvořit složku {0}, která už existuje, ale není adresářem.",
+ "deleteFailedTrashUnsupported": "Soubor {0} nelze odstranit prostřednictvím koše, protože to zprostředkovatel nepodporuje.",
+ "deleteFailedNotFound": "Nelze odstranit soubor {0}, který neexistuje.",
+ "deleteFailedNonEmptyFolder": "Nelze odstranit složku {0}, která není prázdná.",
+ "err.readonly": "Nelze upravit soubor {0}, který je jen pro čtení."
+ },
+ "vs/platform/files/node/diskFileSystemProvider": {
+ "fileExists": "Soubor už existuje.",
+ "fileNotExists": "Soubor neexistuje",
+ "moveError": "{0} nelze přesunout do {1} ({2}).",
+ "copyError": "{0} nelze zkopírovat do {1} ({2}).",
+ "fileCopyErrorPathCase": "Soubor nelze kopírovat do stejné cesty lišící se v názvu pouze velikostí písmen.",
+ "fileCopyErrorExists": "Soubor už v cíli existuje."
+ },
+ "vs/platform/files/common/files": {
+ "unknownError": "Neznámá chyba",
+ "sizeB": "{0} B",
+ "sizeKB": "{0} kB",
+ "sizeMB": "{0} MB",
+ "sizeGB": "{0} GB",
+ "sizeTB": "{0} TB"
+ },
+ "vs/platform/update/common/update.config.contribution": {
+ "updateConfigurationTitle": "Aktualizace",
+ "updateMode": "Umožňuje nakonfigurovat, jestli budete dostávat automatické aktualizace. Po změně vyžaduje restart. Aktualizace se načítají z online služby Microsoftu.",
+ "none": "Zakázat aktualizace",
+ "manual": "Zakázat automatické vyhledávání aktualizací na pozadí (aktualizace lze nechat vyhledat ručně)",
+ "start": "Umožňuje vyhledat aktualizace pouze při spuštění. Zakáže automatické vyhledávání aktualizací na pozadí.",
+ "default": "Umožňuje povolit automatické vyhledávání aktualizací. Code bude aktualizace vyhledávat automaticky a pravidelně.",
+ "deprecated": "Toto nastavení je zastaralé. Místo něj prosím použijte nastavení {0}.",
+ "enableWindowsBackgroundUpdatesTitle": "Povolit aktualizace na pozadí v systému Windows",
+ "enableWindowsBackgroundUpdates": "Povolit stahování a instalaci nových verzí VS Code na pozadí v systému Windows",
+ "showReleaseNotes": "Umožňuje po aktualizaci zobrazit zprávu k vydání verze. Zpráva k vydání verze se načítá z online služby Microsoftu."
+ },
+ "vs/platform/environment/node/argv": {
+ "optionsUpperCase": "Možnosti",
+ "extensionsManagement": "Správa rozšíření",
+ "troubleshooting": "Řešení problémů",
+ "diff": "Umožňuje porovnat dva soubory.",
+ "add": "Přidat složky do posledního aktivního okna",
+ "goto": "Umožňuje otevřít soubor v cestě na zadané pozici řádku a znaku.",
+ "newWindow": "Vynutit otevření nového okna",
+ "reuseWindow": "Umožňuje vynutit otevření souboru nebo složky v již otevřeném okně.",
+ "wait": "Umožňuje před vrácením počkat, než se zavřou soubory.",
+ "locale": "Národní prostředí, které se má použít (například en-US nebo zh-TW).",
+ "userDataDir": "Určuje adresář, ve kterém jsou uložena uživatelská data. Lze použít k otevření více jedinečných instancí Code.",
+ "help": "Umožňuje zobrazit informace o použití.",
+ "extensionHomePath": "Umožňuje nastavit kořenovou cestu pro rozšíření.",
+ "listExtensions": "Zobrazí seznam nainstalovaných rozšíření.",
+ "showVersions": "Umožňuje zobrazit verze nainstalovaných rozšíření při použití argumentu --list-extension.",
+ "category": "Umožňuje filtrovat nainstalovaná rozšíření podle zadané kategorie při použití argumentu --list-extension.",
+ "installExtension": "Umožňuje nainstalovat nebo aktualizovat rozšíření. Identifikátor rozšíření je vždy ${publisher}.${name}. Pokud chcete program aktualizovat na poslední verzi, použijte argument --force. Pokud chcete nainstalovat konkrétní verzi, zadejte @${version}. Příklad: vscode.csharp@1.2.3",
+ "uninstallExtension": "Odinstaluje rozšíření.",
+ "experimentalApis": "Umožňuje povolit navrhované funkce rozhraní API pro rozšíření. Je možné zadat jedno nebo více ID rozšíření pro povolení jednotlivých rozšíření.",
+ "version": "Umožňuje zobrazit informace o verzi.",
+ "verbose": "Umožňuje vytisknout podrobný výstup (implikuje --wait).",
+ "log": "Úroveň protokolu, která se má použít. Výchozí hodnota je info. Povolené hodnoty jsou critical, error, warn, info, debug, trace a off.",
+ "status": "Umožňuje vytisknout informace o použití a diagnostické informace.",
+ "prof-startup": "Při spuštění spustit profiler procesoru",
+ "disableExtensions": "Umožňuje zakázat všechna nainstalovaná rozšíření.",
+ "disableExtension": "Umožňuje zakázat rozšíření.",
+ "turn sync": "Zapnout nebo vypnout synchronizaci",
+ "inspect-extensions": "Umožňuje povolit ladění a profilování rozšíření. Identifikátor URI připojení zkontrolujte pomocí vývojářských nástrojů.",
+ "inspect-brk-extensions": "Umožňuje povolit ladění a profilování rozšíření pomocí hostitele rozšíření, který se po spuštění pozastaví. Identifikátor URI připojení zkontrolujte pomocí vývojářských nástrojů.",
+ "disableGPU": "Umožňuje zakázat hardwarovou akceleraci GPU.",
+ "maxMemory": "Maximální velikost paměti pro okno (v MB)",
+ "telemetry": "Umožňuje zobrazit všechny události telemetrie shromážděné prostřednictvím VS Code.",
+ "usage": "Použití",
+ "options": "možnosti",
+ "paths": "cesty",
+ "stdinWindows": "Pokud se má číst výstup z jiného programu, připojte znak „-“ (například echo Hello World | {0} -).",
+ "stdinUnix": "Pokud se má číst z stdin, připojte znak „-“ (například ps aux | grep code | {0} -).",
+ "unknownVersion": "Neznámá verze",
+ "unknownCommit": "Neznámé potvrzení"
+ },
+ "vs/platform/extensionManagement/common/extensionManagement": {
+ "extensions": "Rozšíření",
+ "preferences": "Předvolby"
+ },
+ "vs/platform/extensionManagement/node/extensionManagementService": {
+ "incompatible": "Rozšíření nelze {0} nainstalovat, protože není kompatibilní s VS Code {1}.",
+ "restartCode": "Před přeinstalací {0} prosím restartujte VS Code.",
+ "MarketPlaceDisabled": "Marketplace není povolen.",
+ "malicious extension": "Rozšíření nelze nainstalovat, protože je hlášeno jako problematické.",
+ "notFoundCompatibleDependency": "Rozšíření {0} nelze nainstalovat, protože není kompatibilní s aktuální verzí VS Code (verze {1}).",
+ "Not a Marketplace extension": "Přeinstalovat lze pouze rozšíření z Marketplace.",
+ "removeError": "Chyba při odebírání rozšíření: {0}. Před opakováním pokusu prosím ukončete a znovu spusťte VS Code.",
+ "quitCode": "Rozšíření nelze nainstalovat. Před přeinstalací prosím ukončete a znovu spusťte VS Code.",
+ "exitCode": "Rozšíření nelze nainstalovat. Před přeinstalací prosím ukončete a znovu spusťte VS Code.",
+ "notInstalled": "Rozšíření {0} není nainstalované.",
+ "singleDependentError": "Rozšíření {0} není možné odinstalovat. Závisí na něm rozšíření {1}.",
+ "twoDependentsError": "Rozšíření {0} není možné odinstalovat. Závisí na něm rozšíření {1} a {2}.",
+ "multipleDependentsError": "Rozšíření {0} není možné odinstalovat. Závisí na něm rozšíření {1}, {2} a jedno další.",
+ "singleIndirectDependentError": "Rozšíření {0} není možné odinstalovat. Vedlo by to i k odinstalaci rozšíření {1}, na němž závisí rozšíření {2}.",
+ "twoIndirectDependentsError": "Rozšíření {0} není možné odinstalovat. Vedlo by to i k odinstalaci rozšíření {1}, na němž závisí rozšíření {2} a {3}.",
+ "multipleIndirectDependentsError": "Rozšíření {0} není možné odinstalovat. Vedlo by to i k odinstalaci rozšíření {1}, na němž závisí rozšíření {2}, {3} a některá další.",
+ "notExists": "Nepovedlo se najít rozšíření."
+ },
+ "vs/platform/telemetry/common/telemetryService": {
+ "telemetryConfigurationTitle": "Telemetrie",
+ "telemetry.enableTelemetry": "Povolit odesílání chyb a dat o využití online službě Microsoftu",
+ "telemetry.enableTelemetryMd": "Povolte odesílání chyb a dat o využití online službě Microsoftu. Přečtěte si naše prohlášení o zásadách osobních údajů, které najdete [tady]({0})."
+ },
+ "vs/platform/extensionManagement/node/extensionManagementUtil": {
+ "invalidManifest": "Neplatný balíček VSIX: package.json není soubor JSON."
+ },
+ "vs/platform/userDataSync/common/userDataSync": {
+ "settings sync": "Synchronizace nastavení",
+ "settingsSync.keybindingsPerPlatform": "Synchronizovat klávesové zkratky pro každou platformu",
+ "sync.keybindingsPerPlatform.deprecated": "Zastaralé. Místo toho použijte nastavení settingsSync.keybindingsPerPlatform.",
+ "settingsSync.ignoredExtensions": "Seznam rozšíření, která mají být při synchronizaci ignorována. Identifikátor rozšíření je vždy ${publisher}.${name}. Například: vscode.csharp",
+ "app.extension.identifier.errorMessage": "Očekával se formát ${publisher}.${name}. Příklad: vscode.csharp",
+ "sync.ignoredExtensions.deprecated": "Zastaralé. Místo toho použijte nastavení settingsSync.ignoredExtensions.",
+ "settingsSync.ignoredSettings": "Nakonfigurujte nastavení, která mají být při synchronizaci ignorována.",
+ "sync.ignoredSettings.deprecated": "Zastaralé. Místo toho použijte nastavení settingsSync.ignoredSettings."
+ },
+ "vs/platform/extensionManagement/electron-sandbox/extensionTipsService": {
+ "exeRecommended": "V systému máte nainstalovaný produkt {0}. Chcete pro něho nainstalovat doporučená rozšíření?"
+ },
+ "vs/platform/userDataSync/common/userDataSyncMachines": {
+ "error incompatible": "Nelze číst data počítačů, protože aktuální verze není kompatibilní. Aktualizujte prosím {0} a zkuste to znovu."
+ },
+ "vs/platform/userDataSync/common/userDataAutoSyncService": {
+ "default service changed": "Nelze provést synchronizaci, protože se změnila výchozí služba.",
+ "service changed": "Nelze provést synchronizaci, protože se změnila synchronizační služba.",
+ "turned off": "Nelze provést synchronizaci, protože je vypnutá synchronizace v cloudu.",
+ "session expired": "Nelze provést synchronizaci, protože vypršela platnost aktuální relace.",
+ "turned off machine": "Nelze provést synchronizaci, protože synchronizace je v tomto počítači vypnuta z jiného počítače."
+ },
+ "vs/platform/workspaces/common/workspaces": {
+ "codeWorkspace": "Pracovní prostor Code"
+ },
+ "vs/platform/files/electron-browser/diskFileSystemProvider": {
+ "binFailed": "{0} se nepovedlo přesunout do koše.",
+ "trashFailed": "{0} se nepovedlo přesunout do koše."
+ },
+ "vs/platform/dialogs/common/dialogs": {
+ "moreFile": "...nezobrazuje se 1 další soubor",
+ "moreFiles": "...nezobrazuje se několik dalších souborů (celkem {0})"
+ },
+ "vs/platform/theme/common/colorRegistry": {
+ "foreground": "Celková barva popředí. Tato barva se používá pouze v případě, že není přepsána některou komponentou.",
+ "errorForeground": "Celková barva popředí pro chybové zprávy. Tato barva se používá pouze v případě, že není přepsána některou komponentou.",
+ "descriptionForeground": "Barva popředí textu popisu, který poskytuje další informace, například pro popisek",
+ "iconForeground": "Výchozí barva ikon na pracovní ploše",
+ "focusBorder": "Celková barva ohraničení pro prvky s fokusem. Tato barva se používá pouze v případě, že není přepsána některou komponentou.",
+ "contrastBorder": "Dodatečné ohraničení kolem prvků, které je odděluje od ostatních prvků za účelem zvýšení kontrastu",
+ "activeContrastBorder": "Dodatečné ohraničení kolem aktivních prvků, které je odděluje od ostatních prvků za účelem zvýšení kontrastu",
+ "selectionBackground": "Barva pozadí výběrů textu na pracovní ploše (např. ve vstupních polích nebo textových oblastech). Poznámka: Nevztahuje se na výběry v editoru.",
+ "textSeparatorForeground": "Barva pro oddělovače textu",
+ "textLinkForeground": "Barva popředí pro odkazy v textu",
+ "textLinkActiveForeground": "Barva popředí pro odkazy v textu, když se na ně klikne nebo umístí ukazatel myši",
+ "textPreformatForeground": "Barva popředí pro předem naformátované segmenty textu",
+ "textBlockQuoteBackground": "Barva pozadí pro blokové citace v textu",
+ "textBlockQuoteBorder": "Barva ohraničení pro blokové citace v textu",
+ "textCodeBlockBackground": "Barva pozadí pro bloky kódu v textu",
+ "widgetShadow": "Barva stínu widgetů, například pro hledání/nahrazení v rámci editoru",
+ "inputBoxBackground": "Pozadí vstupního pole",
+ "inputBoxForeground": "Popředí vstupního pole",
+ "inputBoxBorder": "Ohraničení vstupního pole",
+ "inputBoxActiveOptionBorder": "Barva ohraničení aktivovaných možností ve vstupních polích",
+ "inputOption.activeBackground": "Barva pozadí aktivovaných možností ve vstupních polích",
+ "inputOption.activeForeground": "Barva popředí aktivovaných možností ve vstupních polích",
+ "inputPlaceholderForeground": "Barva popředí vstupního pole pro zástupný text",
+ "inputValidationInfoBackground": "Barva pozadí ověřování vstupu pro závažnost na úrovni informací",
+ "inputValidationInfoForeground": "Barva popředí ověřování vstupu pro závažnost na úrovni informací",
+ "inputValidationInfoBorder": "Barva ohraničení ověřování vstupu pro závažnost na úrovni informací",
+ "inputValidationWarningBackground": "Barva pozadí ověřování vstupu pro závažnost na úrovni upozornění",
+ "inputValidationWarningForeground": "Barva popředí ověřování vstupu pro závažnost na úrovni upozornění",
+ "inputValidationWarningBorder": "Barva ohraničení ověřování vstupu pro závažnost na úrovni upozornění",
+ "inputValidationErrorBackground": "Barva pozadí ověřování vstupu pro závažnost na úrovni chyb",
+ "inputValidationErrorForeground": "Barva popředí ověřování vstupu pro závažnost na úrovni chyb",
+ "inputValidationErrorBorder": "Barva ohraničení ověřování vstupu pro závažnost na úrovni chyb",
+ "dropdownBackground": "Pozadí rozevíracího seznamu",
+ "dropdownListBackground": "Pozadí rozevíracího seznamu",
+ "dropdownForeground": "Popředí rozevíracího seznamu",
+ "dropdownBorder": "Ohraničení rozevíracího seznamu",
+ "checkbox.background": "Barva pozadí widgetu zaškrtávacího políčka",
+ "checkbox.foreground": "Barva popředí widgetu zaškrtávacího políčka",
+ "checkbox.border": "Barva ohraničení widgetu zaškrtávacího políčka",
+ "buttonForeground": "Barva popředí tlačítka",
+ "buttonBackground": "Barva pozadí tlačítka",
+ "buttonHoverBackground": "Barva pozadí tlačítka při umístění ukazatele myši",
+ "buttonSecondaryForeground": "Barva popředí sekundárního tlačítka",
+ "buttonSecondaryBackground": "Barva pozadí sekundárního tlačítka",
+ "buttonSecondaryHoverBackground": "Barva pozadí sekundárního tlačítka při umístění ukazatele myši",
+ "badgeBackground": "Barva pozadí odznáčku. Odznáčky jsou malé informační popisky, například s počtem výsledků hledání.",
+ "badgeForeground": "Barva popředí odznáčku. Odznáčky jsou malé informační popisky, například s počtem výsledků hledání.",
+ "scrollbarShadow": "Stín posuvníku označující, že je zobrazení posouváno",
+ "scrollbarSliderBackground": "Barva pozadí jezdce posuvníku",
+ "scrollbarSliderHoverBackground": "Barva pozadí jezdce posuvníku při umístění ukazatele myši",
+ "scrollbarSliderActiveBackground": "Barva pozadí jezdce posuvníku při kliknutí na něj",
+ "progressBarBackground": "Barva pozadí indikátoru průběhu, který se může zobrazit u dlouhotrvajících operací",
+ "editorError.background": "Barva pozadí textu chyby v editoru. Barva nesmí být neprůhledná, aby se nepřekryly dekorace pod chybou.",
+ "editorError.foreground": "Barva popředí podtržení chyb vlnovkou v editoru",
+ "errorBorder": "Barva ohraničení polí chyb v editoru",
+ "editorWarning.background": "Barva pozadí textu upozornění v editoru. Barva nesmí být neprůhledná, aby se nepřekryly dekorace pod upozorněním.",
+ "editorWarning.foreground": "Barva popředí podtržení upozornění vlnovkou v editoru",
+ "warningBorder": "Barva ohraničení polí upozornění v editoru",
+ "editorInfo.background": "Barva pozadí textu informace v editoru. Barva nesmí být neprůhledná, aby se nepřekryly dekorace pod informací.",
+ "editorInfo.foreground": "Barva popředí podtržení informací vlnovkou v editoru",
+ "infoBorder": "Barva ohraničení polí informací v editoru",
+ "editorHint.foreground": "Barva popředí podtržení tipů vlnovkou v editoru",
+ "hintBorder": "Barva ohraničení polí tipů v editoru",
+ "sashActiveBorder": "Barva ohraničení aktivních rámečků",
+ "editorBackground": "Barva pozadí editoru",
+ "editorForeground": "Výchozí barva popředí editoru",
+ "editorWidgetBackground": "Barva pozadí widgetů editoru, například najít/nahradit",
+ "editorWidgetForeground": "Barva popředí widgetů editoru, například najít/nahradit",
+ "editorWidgetBorder": "Barva ohraničení widgetů editoru. Tato barva se používá pouze tehdy, když widget používá ohraničení a barva není přepsána widgetem.",
+ "editorWidgetResizeBorder": "Barva ohraničení panelu pro změnu velikosti widgetů editoru. Barva se používá pouze tehdy, když widget používá ohraničení pro změnu velikosti a barva není přepsána widgetem.",
+ "pickerBackground": "Barva pozadí widgetu rychlého výběru. Widget rychlého výběru je kontejner pro ovládací prvky výběru, jako je paleta příkazů.",
+ "pickerForeground": "Barva popředí widgetu rychlého výběru. Widget rychlého výběru je kontejner pro ovládací prvky výběru, jako je paleta příkazů.",
+ "pickerTitleBackground": "Barva pozadí názvu widgetu rychlého výběru. Widget rychlého výběru je kontejner pro ovládací prvky výběru, jako je paleta příkazů.",
+ "pickerGroupForeground": "Barva rychlého výběru pro popisky seskupení",
+ "pickerGroupBorder": "Barva rychlého výběru pro ohraničení seskupení",
+ "editorSelectionBackground": "Barva výběru editoru",
+ "editorSelectionForeground": "Barva vybraného textu pro vysoký kontrast",
+ "editorInactiveSelection": "Barva výběru v neaktivním editoru. Barva nesmí být neprůhledná, aby se nepřekryly dekorace pod tím.",
+ "editorSelectionHighlight": "Barva pro oblasti se stejným obsahem jako výběr. Barva nesmí být neprůhledná, aby se nepřekryly dekorace pod tím.",
+ "editorSelectionHighlightBorder": "Barva ohraničení pro oblasti se stejným obsahem jako výběr",
+ "editorFindMatch": "Barva aktuální shody při vyhledávání",
+ "findMatchHighlight": "Barva ostatních shod při vyhledávání. Barva nesmí být neprůhledná, aby se nepřekryly dekorace pod tím.",
+ "findRangeHighlight": "Barva rozsahu omezujícího vyhledávání. Barva nesmí být neprůhledná, aby se nepřekryly dekorace pod tím.",
+ "editorFindMatchBorder": "Barva ohraničení aktuální shody při vyhledávání",
+ "findMatchHighlightBorder": "Barva ohraničení ostatních shod při vyhledávání",
+ "findRangeHighlightBorder": "Barva ohraničení rozsahu omezujícího vyhledávání. Barva nesmí být neprůhledná, aby se nepřekryly dekorace pod tím.",
+ "searchEditor.queryMatch": "Barva shod vrácených vyhledávacím dotazem v editoru vyhledávání",
+ "searchEditor.editorFindMatchBorder": "Barva ohraničení shod vrácených vyhledávacím dotazem v editoru vyhledávání",
+ "hoverHighlight": "Zvýraznění pod slovem, pro které se zobrazují informace po umístění ukazatele myši. Barva nesmí být neprůhledná, aby se nepřekryly dekorace pod tím.",
+ "hoverBackground": "Barva pozadí informací zobrazených v editoru při umístění ukazatele myši",
+ "hoverForeground": "Barva popředí pro informace zobrazené v editoru při umístění ukazatele myši",
+ "hoverBorder": "Barva ohraničení pro informace zobrazené v editoru při umístění ukazatele myši",
+ "statusBarBackground": "Barva pozadí stavového řádku s informacemi zobrazenými v editoru při umístění ukazatele myši",
+ "activeLinkForeground": "Barva aktivních odkazů",
+ "editorLightBulbForeground": "Barva použitá pro ikonu žárovky s nabídkou akcí",
+ "editorLightBulbAutoFixForeground": "Barva použitá pro ikonu žárovky s nabídkou akcí automatických oprav",
+ "diffEditorInserted": "Barva pozadí textu, který byl vložen. Barva nesmí být neprůhledná, aby se nepřekryly dekorace pod tím.",
+ "diffEditorRemoved": "Barva pozadí textu, který byl odebrán. Barva nesmí být neprůhledná, aby se nepřekryly dekorace pod tím.",
+ "diffEditorInsertedOutline": "Barva obrysu pro text, který byl vložen",
+ "diffEditorRemovedOutline": "Barva obrysu pro text, který byl odebrán",
+ "diffEditorBorder": "Barva ohraničení mezi dvěma textovými editory",
+ "diffDiagonalFill": "Barva diagonální výplně editoru rozdílů. Diagonální výplň se používá v zobrazeních se zobrazením rozdílů vedle sebe.",
+ "listFocusBackground": "Barva pozadí seznamu nebo stromu pro položku s fokusem, pokud je seznam nebo strom aktivní. Aktivní seznam nebo strom má fokus klávesnice, neaktivní nikoli.",
+ "listFocusForeground": "Popředí seznamu nebo stromu pro položku s fokusem, pokud je seznam nebo strom aktivní. Aktivní seznam nebo strom má fokus klávesnice, neaktivní nikoli.",
+ "listActiveSelectionBackground": "Barva pozadí seznamu nebo stromu pro vybranou položku, pokud je seznam nebo strom aktivní. Aktivní seznam nebo strom má fokus klávesnice, neaktivní nikoli.",
+ "listActiveSelectionForeground": "Barva popředí seznamu nebo stromu pro vybranou položku, pokud je seznam nebo strom aktivní. Aktivní seznam nebo strom má fokus klávesnice, neaktivní nikoli.",
+ "listInactiveSelectionBackground": "Barva pozadí seznamu nebo stromu pro vybranou položku, pokud je seznam nebo strom neaktivní. Aktivní seznam nebo strom má fokus klávesnice, neaktivní nikoli.",
+ "listInactiveSelectionForeground": "Barva popředí seznamu nebo stromu pro vybranou položku, pokud je seznam nebo strom neaktivní. Aktivní seznam nebo strom má fokus klávesnice, neaktivní nikoli.",
+ "listInactiveFocusBackground": "Barva pozadí seznamu nebo stromu pro položku s fokusem, pokud je seznam nebo strom neaktivní. Aktivní seznam nebo strom má fokus klávesnice, neaktivní nikoli.",
+ "listHoverBackground": "Pozadí seznamu nebo stromu při umístění ukazatele myši na položky",
+ "listHoverForeground": "Popředí seznamu nebo stromu při umístění ukazatele myši na položky",
+ "listDropBackground": "Pozadí pro přetažení seznamu nebo stromu při přesouvání položek myší",
+ "highlight": "Barva popředí seznamu nebo stromu pro zvýraznění shody při vyhledávání v rámci seznamu nebo stromu",
+ "invalidItemForeground": "Barva popředí seznamu nebo stromu pro neplatné položky, například pro nerozpoznanou kořenovou složku v průzkumníkovi",
+ "listErrorForeground": "Barva popředí položek seznamu obsahujících chyby",
+ "listWarningForeground": "Barva popředí položek seznamu obsahujících upozornění",
+ "listFilterWidgetBackground": "Barva pozadí widgetu filtru typu v seznamech a stromech",
+ "listFilterWidgetOutline": "Barva obrysu widgetu filtrování typů v seznamech a stromech",
+ "listFilterWidgetNoMatchesOutline": "Barva obrysu widgetu filtrování typů v seznamech a stromech, pokud neexistují žádné shody",
+ "listFilterMatchHighlight": "Barva pozadí vyfiltrované shody",
+ "listFilterMatchHighlightBorder": "Barva ohraničení vyfiltrované shody",
+ "treeIndentGuidesStroke": "Barva tahu stromu pro vodítka odsazení",
+ "listDeemphasizedForeground": "Barva popředí seznamu nebo stromu pro položky se zrušeným zdůrazněním ",
+ "menuBorder": "Barva ohraničení nabídek",
+ "menuForeground": "Barva popředí položek nabídky",
+ "menuBackground": "Barva pozadí položek nabídky",
+ "menuSelectionForeground": "Barva popředí vybrané položky nabídky v nabídkách",
+ "menuSelectionBackground": "Barva pozadí vybrané položky nabídky v nabídkách",
+ "menuSelectionBorder": "Barva ohraničení vybrané položky nabídky v nabídkách",
+ "menuSeparatorBackground": "Barva položky nabídky oddělovače v nabídkách",
+ "snippetTabstopHighlightBackground": "Barva pozadí zvýraznění zarážky tabulátoru fragmentu kódu",
+ "snippetTabstopHighlightBorder": "Barva ohraničení zvýraznění zarážky tabulátoru fragmentu kódu",
+ "snippetFinalTabstopHighlightBackground": "Barva pozadí zvýraznění pro poslední zarážku tabulátoru fragmentu kódu",
+ "snippetFinalTabstopHighlightBorder": "Barva ohraničení zvýraznění pro poslední zarážku tabulátoru fragmentu kódu",
+ "breadcrumbsFocusForeground": "Barva položek s popisem cesty, které mají fokus",
+ "breadcrumbsBackground": "Barva pozadí položek s popisem cesty",
+ "breadcrumbsSelectedForegound": "Barva vybraných položek s popisem cesty",
+ "breadcrumbsSelectedBackground": "Barva pozadí ovládacího prvku pro výběr položky s popisem cesty",
+ "mergeCurrentHeaderBackground": "Pozadí aktuálního záhlaví pro konflikty sloučení ve vloženém (inline) editoru. Barva nesmí být neprůhledná, aby se nepřekryly dekorace pod tím.",
+ "mergeCurrentContentBackground": "Pozadí aktuálního obsahu pro konflikty sloučení ve vloženém (inline) editoru. Barva nesmí být neprůhledná, aby se nepřekryly dekorace pod tím.",
+ "mergeIncomingHeaderBackground": "Pozadí příchozího záhlaví pro konflikty sloučení ve vloženém (inline) editoru. Barva nesmí být neprůhledná, aby se nepřekryly dekorace pod tím.",
+ "mergeIncomingContentBackground": "Pozadí příchozího obsahu pro konflikty sloučení ve vloženém (inline) editoru. Barva nesmí být neprůhledná, aby se nepřekryly dekorace pod tím.",
+ "mergeCommonHeaderBackground": "Pozadí záhlaví společného nadřazeného prvku pro konflikty sloučení ve vloženém (inline) editoru. Barva nesmí být neprůhledná, aby se nepřekryly dekorace pod tím.",
+ "mergeCommonContentBackground": "Pozadí obsahu společného nadřazeného prvku pro konflikty sloučení ve vloženém (inline) editoru. Barva nesmí být neprůhledná, aby se nepřekryly dekorace pod tím.",
+ "mergeBorder": "Barva ohraničení záhlaví a rozdělovače pro konflikty sloučení ve vloženém (inline) editoru",
+ "overviewRulerCurrentContentForeground": "Popředí aktuálního přehledového pravítka pro konflikty sloučení ve vloženém (inline) editoru",
+ "overviewRulerIncomingContentForeground": "Popředí příchozího přehledového pravítka pro konflikty sloučení ve vloženém (inline) editoru",
+ "overviewRulerCommonContentForeground": "Popředí přehledového pravítka nadřazeného prvku pro konflikty sloučení ve vloženém (inline) editoru",
+ "overviewRulerFindMatchForeground": "Barva značky přehledového pravítka pro hledání shod. Barva nesmí být neprůhledná, aby se nepřekryly dekorace pod tím.",
+ "overviewRulerSelectionHighlightForeground": "Barva značky přehledového pravítka pro zvýraznění výběru. Barva nesmí být neprůhledná, aby se nepřekryly dekorace pod tím.",
+ "minimapFindMatchHighlight": "Barva značky minimapy pro nalezené shody",
+ "minimapSelectionHighlight": "Barva značky minimapy pro výběr editoru",
+ "minimapError": "Barva značky minimapy pro chyby",
+ "overviewRuleWarning": "Barva značky minimapy pro upozornění",
+ "minimapBackground": "Barva pozadí minimapy",
+ "minimapSliderBackground": "Barva pozadí posuvníku minimapy",
+ "minimapSliderHoverBackground": "Barva pozadí posuvníku minimapy při umístění ukazatele myši",
+ "minimapSliderActiveBackground": "Barva pozadí posuvníku minimapy při kliknutí na něj",
+ "problemsErrorIconForeground": "Barva, která se používá pro ikonu problémů na úrovni chyby",
+ "problemsWarningIconForeground": "Barva, která se používá pro ikonu problémů na úrovni upozornění",
+ "problemsInfoIconForeground": "Barva, která se používá pro ikonu problémů na úrovni informací",
+ "chartsForeground": "Barva popředí použitá v grafech",
+ "chartsLines": "Barva použitá pro vodorovné čáry v grafech",
+ "chartsRed": "Červená barva používaná ve vizualizacích grafů",
+ "chartsBlue": "Modrá barva používaná ve vizualizacích grafů",
+ "chartsYellow": "Žlutá barva používaná ve vizualizacích grafů",
+ "chartsOrange": "Oranžová barva používaná ve vizualizacích grafů",
+ "chartsGreen": "Zelená barva používaná ve vizualizacích grafů",
+ "chartsPurple": "Fialová barva používaná ve vizualizacích grafů"
+ },
+ "vs/platform/configuration/common/configurationRegistry": {
+ "defaultLanguageConfigurationOverrides.title": "Potlačení výchozí konfigurace jazyka",
+ "defaultLanguageConfiguration.description": "Nakonfigurujte nastavení, které se má přepsat pro jazyk {0}.",
+ "overrideSettings.defaultDescription": "Nakonfigurujte nastavení editoru, které se má přepsat pro daný jazyk.",
+ "overrideSettings.errorMessage": "Toto nastavení nepodporuje konfiguraci podle jazyka.",
+ "config.property.empty": "Nejde zaregistrovat prázdnou vlastnost.",
+ "config.property.languageDefault": "Nelze zaregistrovat {0}. Odpovídá to vzoru vlastnosti \\\\ [. * \\\\]$ pro popis nastavení editoru specifického pro daný jazyk. Použijte příspěvek configurationDefaults.",
+ "config.property.duplicate": "Nelze zaregistrovat {0}. Tato vlastnost už je zaregistrovaná."
+ },
+ "vs/platform/markers/common/markers": {
+ "sev.error": "Chyba",
+ "sev.warning": "Upozornění",
+ "sev.info": "Informace"
+ },
+ "vs/platform/windows/electron-main/windowsMainService": {
+ "pathNotExistTitle": "Cesta neexistuje.",
+ "pathNotExistDetail": "Cesta {0} už pravděpodobně na disku neexistuje.",
+ "uriInvalidTitle": "Identifikátor URI nelze otevřít.",
+ "uriInvalidDetail": "Identifikátor URI {0} není platný a nelze jej otevřít.",
+ "ok": "OK"
+ },
+ "vs/platform/issue/electron-main/issueMainService": {
+ "local": "Místní",
+ "issueReporterWriteToClipboard": "Dat je příliš mnoho, takže je nelze přímo odeslat na GitHub. Data budou zkopírována do schránky. Vložte je prosím na stránku problému na GitHubu, která se otevře.",
+ "ok": "OK",
+ "cancel": "Zrušit",
+ "confirmCloseIssueReporter": "Váš vstup se neuloží. Opravdu chcete toto okno zavřít?",
+ "yes": "Ano",
+ "issueReporter": "Sestavy problémů",
+ "processExplorer": "Průzkumník procesů"
+ },
+ "vs/platform/workspaces/electron-main/workspacesHistoryMainService": {
+ "newWindow": "Nové okno",
+ "newWindowDesc": "Otevře se v novém okně.",
+ "recentFolders": "Poslední pracovní prostory",
+ "folderDesc": "{0} {1}",
+ "workspaceDesc": "{0} {1}",
+ "untitledWorkspace": "Bez názvu (pracovní prostor)",
+ "workspaceName": "{0} (pracovní prostor)"
+ },
+ "vs/platform/workspaces/electron-main/workspacesMainService": {
+ "ok": "OK",
+ "workspaceOpenedMessage": "Pracovní prostor {0} nelze uložit.",
+ "workspaceOpenedDetail": "Pracovní prostor už je otevřený v jiném okně. Nejdříve prosím toto okno zavřete a pak to zkuste znovu."
+ },
+ "vs/platform/dialogs/electron-main/dialogs": {
+ "open": "Otevřít",
+ "openFolder": "Otevřít složku",
+ "openFile": "Otevřít soubor",
+ "openWorkspaceTitle": "Otevřít pracovní prostor",
+ "openWorkspace": "&&Otevřít"
+ },
+ "vs/platform/files/common/io": {
+ "fileTooLargeForHeapError": "Pokud chcete otevřít soubor této velikosti, musíte provést restart a umožnit použití většího množství paměti.",
+ "fileTooLargeError": "Soubor je pro otevření příliš velký."
+ },
+ "vs/platform/extensions/common/extensionValidator": {
+ "versionSyntax": "Nepovedlo se parsovat hodnotu engines.vscode {0}. Použijte prosím například ^1.22.0, ^1.22.x atd.",
+ "versionSpecificity1": "Verze zadaná v engines.vscode ({0}) není dostatečně specifická. Pro verze vscode před verzí 1.0.0 prosím definujte minimálně požadovanou hlavní verzi a podverzi. Například ^0.10.0, 0.10.x, 0.11.0 atd.",
+ "versionSpecificity2": "Verze zadaná v engines.vscode ({0}) není dostatečně specifická. Pro verze vscode po verzi 1.0.0 prosím definujte minimálně požadovanou hlavní verzi. Například ^1.10.0, 1.10.x, 1.x.x, 2.x.x atd.",
+ "versionMismatch": "Rozšíření není kompatibilní s Code {0}. Rozšíření vyžaduje: {1}."
+ },
+ "vs/platform/extensionManagement/node/extensionsScanner": {
+ "errorDeleting": "Při instalaci rozšíření {1} se nepovedlo odstranit existující složku {0}. Odstraňte prosím složku ručně a zkuste to znovu.",
+ "cannot read": "Nelze přečíst rozšíření z {0}.",
+ "renameError": "Při přejmenovávání {0} na {1} došlo k neznámé chybě.",
+ "invalidManifest": "Neplatné rozšíření: package.json není soubor JSON."
+ },
+ "vs/platform/userDataSync/common/keybindingsSync": {
+ "errorInvalidSettings": "Klávesové zkratky nelze synchronizovat, protože obsah souboru je neplatný. Otevřete prosím soubor a opravte ho."
+ },
+ "vs/platform/userDataSync/common/settingsSync": {
+ "errorInvalidSettings": "Nastavení nelze synchronizovat, protože v souboru nastavení jsou chyby/upozornění."
+ },
+ "vs/platform/list/browser/listService": {
+ "workbenchConfigurationTitle": "Pracovní plocha",
+ "multiSelectModifier.ctrlCmd": "Mapuje se na klávesu Control ve Windows a Linuxu a na klávesu Command v macOS.",
+ "multiSelectModifier.alt": "Mapuje se na klávesu Alt ve Windows a Linuxu a na klávesu Option v macOS.",
+ "multiSelectModifier": "Modifikátor, který se má použít k přidání položky do stromů a seznamů při výběru více položek myší (například v průzkumníkovi, otevřených editorech a zobrazení scm). Gesta myší Otevřít na boku (pokud jsou podporována) se upraví tak, aby nebyla s modifikátorem vícenásobného výběru v konfliktu.",
+ "openModeModifier": "Určuje, jak se mají otevírat položky ve stromech a seznamech pomocí myši (pokud je podporováno). U nadřazených položek s podřízenými položkami ve stromech toto nastavení určuje, jestli se nadřazená položka rozbalí jedním kliknutím nebo poklikáním. Poznámka: Některé stromy a seznamy mohou toto nastavení ignorovat, pokud není relevantní. ",
+ "horizontalScrolling setting": "Určuje, jestli seznamy a stromy podporují vodorovné posouvání na pracovní ploše. Upozornění: Povolení tohoto nastavení má vliv na výkon.",
+ "tree indent setting": "Určuje odsazení stromu v pixelech.",
+ "render tree indent guides": "Určuje, jestli se mají ve stromu vykreslovat vodítka odsazení.",
+ "list smoothScrolling setting": "Určuje, jestli se budou seznamy a stromy posouvat plynule.",
+ "keyboardNavigationSettingKey.simple": "Při jednoduché navigaci pomocí klávesnice se fokus přesouvá na elementy, které odpovídají vstupu z klávesnice. Shoda se vyhledává pouze podle předpon.",
+ "keyboardNavigationSettingKey.highlight": "Funkce zvýraznění navigace pomocí klávesnice zvýrazní elementy, které odpovídají vstupu z klávesnice. Při další navigaci nahoru a dolů se bude navigovat pouze po zvýrazněných elementech.",
+ "keyboardNavigationSettingKey.filter": "Funkce filtrování navigace pomocí klávesnice odfiltruje a skryje všechny elementy, které neodpovídají vstupu z klávesnice.",
+ "keyboardNavigationSettingKey": "Určuje styl navigace pomocí klávesnice pro seznamy a stromy na pracovní ploše. Lze použít tyto styly navigace: jednoduchý, zvýraznění a filtr.",
+ "automatic keyboard navigation setting": "Určuje, jestli se automaticky spustí navigace pomocí klávesnice v seznamech a stromech, když začnete psát. Pokud je nastaveno na false, navigace pomocí klávesnice se spustí pouze při provedení příkazu list.toggleKeyboardNavigation, ke kterému lze přiřadit klávesovou zkratku.",
+ "expand mode": "Určuje, jak se při kliknutí na názvy složek rozbalí složky stromu."
+ },
+ "vs/platform/undoRedo/common/undoRedoService": {
+ "externalRemoval": "Na disku byly zavřeny a upraveny následující soubory: {0}.",
+ "noParallelUniverses": "Následující soubory byly upraveny nekompatibilním způsobem: {0}.",
+ "cannotWorkspaceUndo": "Akci {0} se nepovedlo vrátit zpět u všech souborů. {1}",
+ "cannotWorkspaceUndoDueToChanges": "Akci {0} se nepovedlo vrátit zpět u všech souborů, protože byly provedeny změny v těchto souborech: {1}.",
+ "cannotWorkspaceUndoDueToInProgressUndoRedo": "Akci {0} se nepovedlo vrátit zpět u všech souborů, protože už běží jiná operace vrácení zpět nebo opětovného provedení pro tyto soubory: {1}.",
+ "cannotWorkspaceUndoDueToInMeantimeUndoRedo": "Akci {0} se nepovedlo vrátit zpět u všech souborů, protože mezitím proběhla jiná operace vrácení zpět nebo opětovného provedení.",
+ "confirmWorkspace": "Chcete vrátit zpět akci {0} u všech souborů?",
+ "ok": "Vrátit zpět tento počet souborů: {0}",
+ "nok": "Vrátit tento soubor zpět",
+ "cancel": "Zrušit",
+ "cannotResourceUndoDueToInProgressUndoRedo": "Akci {0} se nepovedlo vrátit zpět, protože už běží jiná operace vrácení zpět nebo opětovného provedení.",
+ "confirmDifferentSource": "Chcete vrátit akci {0}?",
+ "confirmDifferentSource.ok": "Zpět",
+ "cannotWorkspaceRedo": "Akci {0} se nepovedlo znovu provést u všech souborů. {1}",
+ "cannotWorkspaceRedoDueToChanges": "Akci {0} se nepovedlo znovu provést u všech souborů, protože byly provedeny změny v těchto souborech: {1}.",
+ "cannotWorkspaceRedoDueToInProgressUndoRedo": "Akci {0} se nepovedlo znovu provést u všech souborů, protože už běží jiná operace vrácení zpět nebo opětovného provedení pro tyto soubory: {1}.",
+ "cannotWorkspaceRedoDueToInMeantimeUndoRedo": "Akci {0} se nepovedlo znovu provést u všech souborů, protože mezitím proběhla jiná operace vrácení zpět nebo opětovného provedení.",
+ "cannotResourceRedoDueToInProgressUndoRedo": "Akci {0} se nepovedlo znovu provést, protože už běží jiná operace vrácení zpět nebo opětovného provedení."
+ },
+ "vs/platform/actions/browser/menuEntryActionViewItem": {
+ "titleAndKb": "{0} ({1})"
+ },
+ "vs/platform/theme/common/iconRegistry": {
+ "iconDefintion.fontId": "ID písma, které se má použít. Pokud není nastaveno, použije se písmo definované jako první.",
+ "iconDefintion.fontCharacter": "Znak písma přidružený k definici ikony",
+ "widgetClose": "Ikona pro akci zavření ve widgetech",
+ "previousChangeIcon": "Ikona pro přechod na předchozí umístění v editoru",
+ "nextChangeIcon": "Ikona pro přechod na další umístění v editoru"
+ },
+ "vs/platform/menubar/electron-main/menubar": {
+ "miNewWindow": "Nové &&okno",
+ "mFile": "&&Soubor",
+ "mEdit": "&&Upravit",
+ "mSelection": "&&Výběr",
+ "mView": "&&Zobrazit",
+ "mGoto": "&&Přejít",
+ "mRun": "&&Spustit",
+ "mTerminal": "&&Terminál",
+ "mWindow": "Okno",
+ "mHelp": "&&Nápověda",
+ "mAbout": "O produktu {0}",
+ "miPreferences": "&&Předvolby",
+ "mServices": "Služby",
+ "mHide": "Skrýt {0}",
+ "mHideOthers": "Skrýt ostatní",
+ "mShowAll": "Zobrazit vše",
+ "miQuit": "Ukončit {0}",
+ "mMinimize": "Minimalizovat",
+ "mZoom": "Lupa",
+ "mBringToFront": "Přenést vše do popředí",
+ "miSwitchWindow": "Přepnout o&&kno...",
+ "mNewTab": "Nová karta",
+ "mShowPreviousTab": "Zobrazit předchozí kartu",
+ "mShowNextTab": "Zobrazit další kartu",
+ "mMoveTabToNewWindow": "Přesunout kartu do nového okna",
+ "mMergeAllWindows": "Sloučit všechna okna",
+ "miCheckForUpdates": "&&Vyhledat aktualizace...",
+ "miCheckingForUpdates": "Vyhledávají se aktualizace...",
+ "miDownloadUpdate": "Stáhn&&out dostupnou aktualizaci",
+ "miDownloadingUpdate": "Stahuje se aktualizace...",
+ "miInstallUpdate": "&&Nainstalovat aktualizaci...",
+ "miInstallingUpdate": "Instaluje se aktualizace...",
+ "miRestartToUpdate": "&&Restartovat za účelem aktualizace"
+ },
+ "vs/platform/userDataSync/common/abstractSynchronizer": {
+ "incompatible": "Prostředek {0} nelze synchronizovat, protože jeho místní verze {1} není kompatibilní s jeho vzdálenou verzí {2}.",
+ "incompatible sync data": "Nelze parsovat data synchronizace, protože nejsou kompatibilní s aktuální verzí."
+ },
+ "vs/platform/keybinding/common/abstractKeybindingService": {
+ "first.chord": "({0}) byla stisknuta. Čekání na druhou klávesu...",
+ "missing.chord": "Kombinace kláves ({0}, {1}) není příkaz."
+ },
+ "vs/platform/quickinput/browser/helpQuickAccess": {
+ "globalCommands": "globální příkazy",
+ "editorCommands": "příkazy editoru",
+ "helpPickAriaLabel": "{0}, {1}"
+ },
+ "vs/platform/theme/common/tokenClassificationRegistry": {
+ "schema.token.settings": "Barvy a styly pro token",
+ "schema.token.foreground": "Barva popředí tokenu",
+ "schema.token.background.warning": "Barvy pozadí tokenu nejsou aktuálně podporovány.",
+ "schema.token.fontStyle": "Nastaví všechny řezy písma pravidla: italic, bold, underline nebo jejich kombinace. Všechny řezy písma, které nejsou uvedeny, budou nenastavené. Prázdný řetězec zruší nastavení všech řezů písma.",
+ "schema.fontStyle.error": "Řez písma musí být italic (kurzíva), bold (tučné) nebo underline (podtržené) nebo jejich kombinace. Prázdný řetězec ruší nastavení všech řezů písma.",
+ "schema.token.fontStyle.none": "Žádný (vymazat zděděný styl)",
+ "schema.token.bold": "Nastaví řez písma na bold (tučné) nebo jeho nastavení zruší. Poznámka: Existující hodnota fontStyle toto nastavení přepíše.",
+ "schema.token.italic": "Nastaví řez písma na italic (kurzíva) nebo jeho nastavení zruší. Poznámka: Existující hodnota fontStyle toto nastavení přepíše.",
+ "schema.token.underline": "Nastaví řez písma na underline (podtržení) nebo jeho nastavení zruší. Poznámka: Existující hodnota fontStyle toto nastavení přepíše.",
+ "comment": "Styl pro komentáře",
+ "string": "Styl pro řetězce",
+ "keyword": "Styl pro klíčová slova",
+ "number": "Styl pro čísla",
+ "regexp": "Styl pro výrazy",
+ "operator": "Styl pro operátory",
+ "namespace": "Styl pro obory názvů",
+ "type": "Styl pro typy",
+ "struct": "Styl pro struktury",
+ "class": "Styl pro třídy",
+ "interface": "Styl pro rozhraní",
+ "enum": "Styl pro výčty",
+ "typeParameter": "Styl pro parametry typu",
+ "function": "Styl pro funkce",
+ "member": "Styl pro členské funkce",
+ "method": "Styl pro metodu (členské funkce)",
+ "macro": "Styl pro makra",
+ "variable": "Styl pro proměnné",
+ "parameter": "Styl pro parametry",
+ "property": "Styl pro vlastnosti",
+ "enumMember": "Styl pro členy výčtu",
+ "event": "Styl pro události",
+ "labels": "Styl pro popisky ",
+ "declaration": "Styl pro všechny deklarace symbolů",
+ "documentation": "Styl, který se má použít pro odkazy v dokumentaci",
+ "static": "Styl, který se má použít pro statické symboly",
+ "abstract": "Styl, který se má použít pro abstraktní symboly",
+ "deprecated": "Styl, který se má použít pro zastaralé symboly",
+ "modification": "Styl, který se má použít pro oprávnění k zápisu",
+ "async": "Styl, který se má použít pro asynchronní symboly",
+ "readonly": "Styl, který se má použít pro symboly, které jsou jen pro čtení"
+ },
+ "vs/platform/quickinput/browser/commandsQuickAccess": {
+ "commandPickAriaLabelWithKeybinding": "{0}, {1}",
+ "recentlyUsed": "naposledy použité",
+ "morecCommands": "další příkazy",
+ "canNotRun": "Výsledkem příkazu {0} je chyba ({1})."
+ },
+ "win32/i18n/messages": {
+ "FinishedLabel": "Instalační program dokončil instalaci aplikace [name] do vašeho počítače. Aplikaci můžete spustit pomocí nainstalovaných zástupců.",
+ "ConfirmUninstall": "Opravdu chcete úplně odebrat %1 i se všemi součástmi?",
+ "AdditionalIcons": "Další ikony:",
+ "CreateDesktopIcon": "Vytvořit ikonu na &ploše",
+ "CreateQuickLaunchIcon": "Vytvořit ikonu &Snadné spuštění",
+ "AddContextMenuFiles": "Přidat akci Otevřít pomocí %1 do místní nabídky souboru v Průzkumníkovi Windows",
+ "AddContextMenuFolders": "Přidat akci Otevřít pomocí %1 do místní nabídky adresáře v Průzkumníkovi Windows",
+ "AssociateWithFiles": "Zaregistrovat %1 jako editor pro podporované typy souborů",
+ "AddToPath": "Přidat do proměnné PATH (vyžaduje restart prostředí)",
+ "RunAfter": "Po instalaci spustit %1",
+ "Other": "Jiné:",
+ "SourceFile": "Zdrojový soubor %1",
+ "OpenWithCodeContextMenu": "&Otevřít pomocí %1"
+ },
+ "vs/code/electron-main/main": {
+ "secondInstanceAdmin": "Už je spuštěná druhá instance {0} s oprávněními správce.",
+ "secondInstanceAdminDetail": "Zavřete prosím druhou instanci a zkuste to znovu.",
+ "secondInstanceNoResponse": "Je spuštěná jiná instance {0}, která ale nereaguje.",
+ "secondInstanceNoResponseDetail": "Zavřete prosím všechny ostatní instance a zkuste to znovu.",
+ "startupDataDirError": "Nepovedlo se zapsat uživatelská data aplikace.",
+ "startupUserDataAndExtensionsDirErrorDetail": "Zajistěte prosím, aby bylo možné zapisovat do následujících adresářů:\r\n\r\n{0}",
+ "close": "&&Zavřít"
+ },
+ "vs/code/node/cliProcessMain": {
+ "notFound": "Rozšíření {0} nebylo nalezeno.",
+ "notInstalled": "Rozšíření {0} není nainstalované.",
+ "useId": "Zkontrolujte, že používáte úplné ID rozšíření, včetně vydavatele, například {0}.",
+ "installingExtensions": "Instalují se rozšíření...",
+ "alreadyInstalled-checkAndUpdate": "Rozšíření {0} v{1} už je nainstalované. Použijte parametr --force, jestli ho chcete aktualizovat na nejnovější verzi, nebo zadejte @, jestli chcete nainstalovat konkrétní verzi, třeba: {2}@1.2.3",
+ "alreadyInstalled": "Rozšíření {0} už je nainstalované.",
+ "installation failed": "Nepovedlo se nainstalovat rozšíření: {0}",
+ "successVsixInstall": "Rozšíření {0} bylo úspěšně nainstalováno.",
+ "cancelVsixInstall": "Byla zrušena instalace rozšíření {0}.",
+ "updateMessage": "Rozšíření {0} se aktualizuje na verzi {1}.",
+ "installing builtin ": "Instaluje se integrované rozšíření {0} verze {1}...",
+ "installing": "Instaluje se rozšíření {0} verze {1}...",
+ "successInstall": "Rozšíření {0} verze {1} bylo úspěšně nainstalováno.",
+ "cancelInstall": "Byla zrušena instalace rozšíření {0}.",
+ "forceDowngrade": "Je už nainstalovaná novější verze rozšíření {0} (verze {1}). Pokud chcete downgradovat na starší verzi, použijte možnost --force.",
+ "builtin": "Rozšíření {0} je integrované a nedá se nainstalovat.",
+ "forceUninstall": "Uživatel označil rozšíření {0} jako integrované. Pokud ho chcete odinstalovat, použijte prosím možnost --force.",
+ "uninstalling": "Odinstalovává se {0}...",
+ "successUninstall": "Rozšíření {0} bylo úspěšně odinstalováno!"
+ },
+ "vs/code/electron-sandbox/issue/issueReporterMain": {
+ "hide": "skrýt",
+ "show": "zobrazit",
+ "previewOnGitHub": "Zobrazit náhled na GitHubu",
+ "loadingData": "Načítají se data...",
+ "rateLimited": "Byl překročen limit počtu požadavků na GitHubu. Počkejte prosím.",
+ "similarIssues": "Podobné problémy",
+ "open": "Otevřít",
+ "closed": "Zavřeno",
+ "noSimilarIssues": "Nebyly nalezeny žádné podobné problémy.",
+ "bugReporter": "Hlášení o chybě",
+ "featureRequest": "Žádost o funkci",
+ "performanceIssue": "Problém s výkonem",
+ "selectSource": "Vybrat zdroj",
+ "vscode": "Visual Studio Code",
+ "extension": "Rozšíření",
+ "unknown": "Nevím",
+ "stepsToReproduce": "Kroky ke zreprodukování problému",
+ "bugDescription": "Popište kroky, pomocí kterých je možné problém spolehlivě zreprodukovat. Uveďte prosím skutečné a očekávané výsledky. Podporujeme variantu Markdownu pro GitHub. Po zobrazení náhledu problému na GitHubu budete moct problém upravit a přidat k němu snímky obrazovky.",
+ "performanceIssueDesciption": "Kdy k tomuto problému s výkonem došlo? Stává se to při spuštění nebo po provedení určitých akcí? Podporujeme variantu Markdownu pro GitHub. Po zobrazení náhledu problému na GitHubu budete moct problém upravit a přidat k němu snímky obrazovky.",
+ "description": "Popis",
+ "featureRequestDescription": "Popište prosím funkci, kterou bychom podle vás měli přidat. Podporujeme variantu Markdownu pro GitHub. Po zobrazení náhledu problému na GitHubu budete moct problém upravit a přidat k němu snímky obrazovky.",
+ "pasteData": "Požadovaná data jsme zkopírovali do schránky, protože byla příliš velká pro odeslání. Vložte prosím tato data ze schránky.",
+ "disabledExtensions": "Rozšíření jsou zakázána.",
+ "noCurrentExperiments": "Žádné aktuální experimenty"
+ },
+ "vs/code/electron-sandbox/processExplorer/processExplorerMain": {
+ "cpu": "CPU (%)",
+ "memory": "Paměť (MB)",
+ "pid": "PID",
+ "name": "Název",
+ "killProcess": "Ukončit proces",
+ "forceKillProcess": "Vynutit ukončení procesu",
+ "copy": "Kopírovat",
+ "copyAll": "Kopírovat vše",
+ "debug": "Ladit"
+ },
+ "vs/code/electron-main/app": {
+ "trace.message": "Trasování se úspěšně vytvořilo.",
+ "trace.detail": "Vytvořte prosím problém a připojte ručně následující soubor:\r\n{0}",
+ "trace.ok": "OK",
+ "open": "&&Ano",
+ "cancel": "&&Ne",
+ "confirmOpenMessage": "Externí aplikace chce v {1} otevřít {0}. Chcete tento soubor nebo složku otevřít?",
+ "confirmOpenDetail": "Pokud jste tento požadavek neiniciovali, může to představovat pokus o útok na váš systém. Pokud jste vy sami neprovedli žádné kroky vedoucí k iniciování tohoto požadavku, doporučujeme kliknout na Ne."
+ },
+ "vs/code/electron-sandbox/issue/issueReporterPage": {
+ "completeInEnglish": "Vyplňte prosím formulář v angličtině.",
+ "issueTypeLabel": "Toto je",
+ "issueSourceLabel": "Soubor v umístění",
+ "issueSourceEmptyValidation": "Je vyžadován zdroj problému.",
+ "disableExtensionsLabelText": "Zkuste problém zreprodukovat po {0}. Pokud se problém znovu projeví, pouze když jsou aktivní rozšíření, pravděpodobně problém způsobuje některé rozšíření.",
+ "disableExtensions": "zakázání všech rozšíření a opětovné načtení okna",
+ "chooseExtension": "Rozšíření",
+ "extensionWithNonstandardBugsUrl": "Proces nahlašování problémů nemůže vytvářet problémy pro toto rozšíření. Pokud chcete nahlásit problém, navštivte prosím tuto stránku: {0}.",
+ "extensionWithNoBugsUrl": "Proces nahlašování problémů nemůže vytvářet problémy pro toto rozšíření, protože chybí adresa URL pro hlášení problémů. Podívejte se prosím na stránce tohoto rozšíření na Marketplace, jestli nejsou k dispozici další pokyny.",
+ "issueTitleLabel": "Název",
+ "issueTitleRequired": "Zadejte prosím název.",
+ "titleEmptyValidation": "Název je povinný.",
+ "titleLengthValidation": "Název je příliš dlouhý.",
+ "details": "Zadejte prosím podrobnosti.",
+ "descriptionEmptyValidation": "Popis je povinný.",
+ "sendSystemInfo": "Zahrnout moje systémové informace ({0})",
+ "show": "zobrazit",
+ "sendProcessInfo": "Zahrnout moje aktuálně spuštěné procesy ({0})",
+ "sendWorkspaceInfo": "Zahrnout moje metadata pracovního prostoru ({0})",
+ "sendExtensions": "Zahrnout moje povolená rozšíření ({0})",
+ "sendExperiments": "Zahrnout informace o experimentu A/B ({0})"
+ },
+ "vs/code/electron-main/auth": {
+ "authRequire": "Vyžadováno ověření proxy serveru",
+ "proxyauth": "Proxy server {0} vyžaduje ověření."
+ },
+ "vs/code/electron-main/window": {
+ "reopen": "&&Znovu otevřít",
+ "wait": "&&Nadále čekat",
+ "close": "&&Zavřít",
+ "appStalled": "Okno přestalo reagovat.",
+ "appStalledDetail": "Okno můžete znovu otevřít nebo zavřít nebo také můžete dál čekat.",
+ "appCrashedDetails": "Došlo k chybovému ukončení okna (důvod: {0}).",
+ "appCrashed": "Došlo k chybovému ukončení okna.",
+ "appCrashedDetail": "Omlouváme se za způsobené nepříjemnosti! Okno můžete znovu otevřít a pokračovat tam, kde jste přestali.",
+ "hiddenMenuBar": "K řádku nabídek máte stále přístup pomocí klávesy Alt."
+ },
+ "vs/workbench/electron-browser/actions/developerActions": {
+ "toggleSharedProcess": "Přepnout sdílený proces"
+ },
+ "vs/workbench/electron-sandbox/desktop.contribution": {
+ "newTab": "Nová karta okna",
+ "showPreviousTab": "Zobrazit předchozí kartu okna",
+ "showNextWindowTab": "Zobrazit další kartu okna",
+ "moveWindowTabToNewWindow": "Přesunout kartu okna do nového okna",
+ "mergeAllWindowTabs": "Sloučit všechna okna",
+ "toggleWindowTabsBar": "Přepnout panel karet okna",
+ "preferences": "Předvolby",
+ "miCloseWindow": "&&Zavřít okno",
+ "miExit": "&&Konec",
+ "miZoomIn": "&&Přiblížit",
+ "miZoomOut": "&&Oddálit",
+ "miZoomReset": "&&Obnovit zvětšení",
+ "miReportIssue": "&&Nahlásit problém",
+ "miToggleDevTools": "&&Přepnout vývojářské nástroje",
+ "miOpenProcessExplorerer": "Otevřít &&Průzkumníka procesů",
+ "windowConfigurationTitle": "Okno",
+ "window.openWithoutArgumentsInNewWindow.on": "Otevřít nové prázdné okno",
+ "window.openWithoutArgumentsInNewWindow.off": "Přepnout fokus na poslední aktivní spuštěnou instanci",
+ "openWithoutArgumentsInNewWindow": "Určuje, jestli se má při spuštění druhé instance bez argumentů otevřít nové prázdné okno nebo jestli má dostat fokus poslední spuštěná instance.\r\nPřesto mohou existovat případy, kdy bude toto nastavení ignorováno (například při použití parametru příkazového řádku --new-window nebo --reuse-window).",
+ "window.reopenFolders.preserve": "Vždy znovu otevře všechna okna. Složky nebo pracovní prostory (například při otevírání z příkazového řádku) se otevřou jako nové okno, pokud nebyly otevřené už předtím. Soubory se otevřou se v jednom z obnovených oken.",
+ "window.reopenFolders.all": "Otevřít znovu všechna okna, pokud není otevřená složka, pracovní prostor nebo soubor (např. z příkazového řádku)",
+ "window.reopenFolders.folders": "Otevřít znovu všechna okna, která mají otevřené složky nebo pracovní prostory, pokud není otevřená složka, pracovní prostor nebo soubor (např. z příkazového řádku)",
+ "window.reopenFolders.one": "Otevřít znovu poslední aktivní okno, pokud není otevřená složka, pracovní prostor nebo soubor (např. z příkazového řádku)",
+ "window.reopenFolders.none": "Nikdy okno neotevírat znovu. Pokud není otevřená složka nebo pracovní prostor (např. z příkazového řádku), zobrazí se prázdné okno.",
+ "restoreWindows": "Určuje, jak se okna znovu otevírají po prvním spuštění. Pokud je aplikace už spuštěná, toto nastavení nemá žádný vliv.",
+ "restoreFullscreen": "Určuje, jestli má být okno obnoveno v režimu zobrazení na celou obrazovku, pokud bylo v tomto režimu zavřeno.",
+ "zoomLevel": "Umožňuje upravit úroveň přiblížení okna. Původní velikost je 0 a jakékoli přírůstky nad (například 1) nebo pod (například -1) tuto hodnotu představují o 20 % větší nebo menší zvětšení. Můžete také zadat desetinná čísla, pokud chcete úroveň přiblížení upravovat podrobněji.",
+ "window.newWindowDimensions.default": "Otevírat nová okna uprostřed obrazovky",
+ "window.newWindowDimensions.inherit": "Otevírat nová okna se stejnou velikostí, jakou mělo poslední aktivní okno.",
+ "window.newWindowDimensions.offset": "Otevírat nová okna se stejnou velikostí, jakou mělo poslední aktivní okno, s posunutou pozicí",
+ "window.newWindowDimensions.maximized": "Otevírat nová okna jako maximalizovaná",
+ "window.newWindowDimensions.fullscreen": "Otevírat nová okna v režimu zobrazení na celou obrazovku",
+ "newWindowDimensions": "Určuje velikost nově otevíraného okna, pokud je už aspoň jedno okno otevřené. Toto nastavení nemá vliv na první otevírané okno. Velikost a pozice prvního okna bude vždy odpovídat velikosti a pozici tohoto okna před jeho zavřením.",
+ "closeWhenEmpty": "Určuje, jestli se má při zavření posledního editoru zavřít i okno. Toto nastavení platí pouze pro okna, ve kterých se nezobrazují složky.",
+ "window.doubleClickIconToClose": "Pokud je povoleno, poklikáním na ikonu aplikace v záhlaví okna se okno zavře a nebude možné ho přetáhnout pomocí ikony. Toto nastavení platí pouze v případě, že nastavení #window.titleBarStyle# má hodnotu custom.",
+ "titleBarStyle": "Umožňuje upravit vzhled záhlaví okna. V systémech Linux a Windows se toto nastavení týká také vzhledu nabídky aplikace a místní nabídky. Změny se projeví po úplném restartování.",
+ "dialogStyle": "Upravte vzhled dialogových oken.",
+ "window.nativeTabs": "Povolí karty oken ve stylu panelů oken z operačního systému macOS Sierra. Poznámka: K provedení těchto změn bude nutné úplné restartování. Nativní karty zakážou vlastní styl záhlaví okna (pokud je nakonfigurovaný).",
+ "window.nativeFullScreen": "Určuje, jestli má být pro macOS použito nativní zobrazení v režimu na celou obrazovku. Zakázáním této možnosti zabráníte systému macOS ve vytvoření nové plochy při přepnutí do režimu zobrazení na celou obrazovku.",
+ "window.clickThroughInactive": "Pokud je povoleno, kliknutím na neaktivní okno se aktivuje jak okno, tak i prvek, na kterém je ukazatel myši, pokud je na něj možné kliknout. Pokud je zakázáno, kliknutím kamkoli v neaktivním okně se aktivuje pouze okno a daný prvek pak bude nutné aktivovat dalším kliknutím.",
+ "window.enableExperimentalProxyLoginDialog": "Povolí nový dialog přihlášení pro ověřování proxy. Vyžaduje restart, aby se změna projevila.",
+ "telemetryConfigurationTitle": "Telemetrie",
+ "telemetry.enableCrashReporting": "Povolí odesílání zpráv o chybovém ukončení online službě Microsoftu. \r\nTato možnost se projeví až po restartování.",
+ "keyboardConfigurationTitle": "Klávesnice",
+ "touchbar.enabled": "Povolí tlačítka Touch Baru v macOS na klávesnici (pokud je k dispozici).",
+ "touchbar.ignored": "Sada identifikátorů pro položky na Touch Baru, které by se neměly zobrazovat (například workbench.action.navigateBack)",
+ "argv.locale": "Jazyk zobrazení, který se má použít. Aby bylo možné vybrat jiný jazyk, je nutné nainstalovat příslušnou jazykovou sadu.",
+ "argv.disableHardwareAcceleration": "Zakáže hardwarovou akceleraci. Tuto možnost doporučujeme měnit POUZE v případě problémů s grafikou.",
+ "argv.disableColorCorrectRendering": "Řeší problémy s výběrem barevného profilu. Tuto možnost doporučujeme měnit POUZE v případě problémů s grafikou.",
+ "argv.forceColorProfile": "Umožňuje přepsat profil barev, který se má použít. Pokud barvy vypadají neuspokojivě, zkuste tady nastavit hodnotu srgb a provést restart.",
+ "argv.enableCrashReporter": "Umožňuje zakázat zprávy o chybovém ukončení aplikace. Při změně hodnoty by se měla aplikace restartovat.",
+ "argv.crashReporterId": "Jedinečné ID použité pro korelaci zpráv o chybovém ukončení odesílaných z této instance aplikace",
+ "argv.enebleProposedApi": "Umožňuje povolit navrhovaná rozhraní API pro seznam ID rozšíření (například vscode.git). Navrhovaná rozhraní API jsou nestabilní a mohou bez upozornění kdykoli selhat. Tato možnost by se měla používat pouze pro účely vývoje a testování rozšíření.",
+ "argv.force-renderer-accessibility": "Vynutí pro renderer podporu usnadnění přístupu. Tuto možnost byste měli měnit POUZE v případě, že používáte čtečku obrazovky v systému Linux. Na jiných platformách bude renderer usnadnění přístupu podporovat automaticky. V případě nastavení editor.accessibilitySupport: on se tento příznak nastaví automaticky."
+ },
+ "vs/workbench/common/actions": {
+ "view": "Zobrazit",
+ "help": "Nápověda",
+ "developer": "Vývojář"
+ },
+ "vs/workbench/browser/workbench": {
+ "loaderErrorNative": "Požadovaný soubor se nepovedlo načíst. Pokud to chcete zkusit znovu, restartujte prosím aplikaci. Podrobnosti: {0}"
+ },
+ "vs/workbench/electron-sandbox/window": {
+ "learnMode": "Další informace",
+ "shellEnvSlowWarning": "Vyhodnocování vašeho prostředí shell trvá velmi dlouho. Zkontrolujte prosím konfiguraci shellu.",
+ "shellEnvTimeoutError": "Obecné možnosti prostředí se nepovedlo v rozumné době vyřešit. Zkontrolujte prosím konfiguraci prostředí.",
+ "proxyAuthRequired": "Vyžadováno ověření proxy serveru",
+ "loginButton": "Přih&&lásit se",
+ "cancelButton": "&&Zrušit",
+ "username": "Uživatelské jméno",
+ "password": "Heslo",
+ "proxyDetail": "Proxy {0} vyžaduje uživatelské jméno a heslo.",
+ "rememberCredentials": "Zapamatovat přihlašovací údaje",
+ "runningAsRoot": "Nedoporučuje se spouštět {0} jako uživatel root.",
+ "mPreferences": "Předvolby"
+ },
+ "vs/workbench/common/theme": {
+ "tabActiveBackground": "Barva pozadí aktivní karty v aktivní skupině. Karty jsou kontejnery pro editory v oblasti editorů. V jedné skupině editorů můžete otevřít více karet. Může existovat více skupin editorů.",
+ "tabUnfocusedActiveBackground": "Barva pozadí aktivní karty ve skupině bez fokusu. Karty jsou kontejnery pro editory v oblasti editorů. V jedné skupině editorů můžete otevřít více karet. Může existovat více skupin editorů.",
+ "tabInactiveBackground": "Barva pozadí neaktivní karty v aktivní skupině. Karty jsou kontejnery pro editory v oblasti editorů. V jedné skupině editorů můžete otevřít více karet. Může existovat více skupin editorů.",
+ "tabUnfocusedInactiveBackground": "Barva pozadí neaktivní karty ve skupině bez fokusu. Karty jsou kontejnery pro editory v oblasti editorů. V jedné skupině editorů můžete otevřít více karet. Může existovat více skupin editorů.",
+ "tabActiveForeground": "Barva popředí aktivní karty v aktivní skupině. Karty jsou kontejnery pro editory v oblasti editorů. V jedné skupině editorů můžete otevřít více karet. Může existovat více skupin editorů.",
+ "tabInactiveForeground": "Barva popředí neaktivní karty v aktivní skupině. Karty jsou kontejnery pro editory v oblasti editorů. V jedné skupině editorů můžete otevřít více karet. Může existovat více skupin editorů.",
+ "tabUnfocusedActiveForeground": "Barva popředí aktivní karty ve skupině bez fokusu. Karty jsou kontejnery pro editory v oblasti editorů. V jedné skupině editorů můžete otevřít více karet. Může existovat více skupin editorů.",
+ "tabUnfocusedInactiveForeground": "Barva popředí neaktivní karty ve skupině bez fokusu. Karty jsou kontejnery pro editory v oblasti editorů. V jedné skupině editorů můžete otevřít více karet. Může existovat více skupin editorů.",
+ "tabHoverBackground": "Barva pozadí karty, když je na ni umístěn ukazatel myši. Karty jsou kontejnery pro editory v oblasti editorů. V jedné skupině editorů můžete otevřít více karet. Může existovat více skupin editorů.",
+ "tabUnfocusedHoverBackground": "Barva pozadí karty ve skupině bez fokusu, když je na ni umístěn ukazatel myši. Karty jsou kontejnery pro editory v oblasti editorů. V jedné skupině editorů můžete otevřít více karet. Může existovat více skupin editorů.",
+ "tabHoverForeground": "Barva popředí karty, když je na ni umístěn ukazatel myši. Karty jsou kontejnery pro editory v oblasti editorů. V jedné skupině editorů můžete otevřít více karet. Může existovat více skupin editorů.",
+ "tabUnfocusedHoverForeground": "Barva popředí karty ve skupině bez fokusu, když je na ni umístěn ukazatel myši. Karty jsou kontejnery pro editory v oblasti editorů. V jedné skupině editorů můžete otevřít více karet. Může existovat více skupin editorů.",
+ "tabBorder": "Ohraničení pro oddělení jednotlivých karet. Karty jsou kontejnery pro editory v oblasti editorů. V jedné skupině editorů můžete otevřít více karet. Může existovat více skupin editorů.",
+ "lastPinnedTabBorder": "Ohraničení oddělující jednotlivé karty. Karty představují kontejnery pro editory v oblasti editorů. V jedné skupině editorů je možné otevřít více karet. Skupin editorů může být více.",
+ "tabActiveBorder": "Ohraničení v dolní části aktivní karty. Karty jsou kontejnery pro editory v oblasti editorů. V jedné skupině editorů můžete otevřít více karet. Může existovat více skupin editorů.",
+ "tabActiveUnfocusedBorder": "Ohraničení v dolní části aktivní karty ve skupině bez fokusu. Karty jsou kontejnery pro editory v oblasti editorů. V jedné skupině editorů můžete otevřít více karet. Může existovat více skupin editorů.",
+ "tabActiveBorderTop": "Ohraničení v horní části aktivní karty. Karty jsou kontejnery pro editory v oblasti editorů. V jedné skupině editorů můžete otevřít více karet. Může existovat více skupin editorů.",
+ "tabActiveUnfocusedBorderTop": "Ohraničení v horní části aktivní karty ve skupině bez fokusu. Karty jsou kontejnery pro editory v oblasti editorů. V jedné skupině editorů můžete otevřít více karet. Může existovat více skupin editorů.",
+ "tabHoverBorder": "Ohraničení pro zvýraznění karet, když je na ně umístěn ukazatel myši. Karty jsou kontejnery pro editory v oblasti editorů. V jedné skupině editorů můžete otevřít více karet. Může existovat více skupin editorů.",
+ "tabUnfocusedHoverBorder": "Ohraničení pro zvýraznění karet ve skupině bez fokusu, když je na ně umístěn ukazatel myši. Karty jsou kontejnery pro editory v oblasti editorů. V jedné skupině editorů můžete otevřít více karet. Může existovat více skupin editorů.",
+ "tabActiveModifiedBorder": "Ohraničení v horní části upravených aktivních karet (s neuloženými změnami) v aktivní skupině. Karty jsou kontejnery pro editory v oblasti editorů. V jedné skupině editorů můžete otevřít více karet. Může existovat více skupin editorů.",
+ "tabInactiveModifiedBorder": "Ohraničení v horní části upravených neaktivních karet (s neuloženými změnami) v aktivní skupině. Karty jsou kontejnery pro editory v oblasti editorů. V jedné skupině editorů můžete otevřít více karet. Může existovat více skupin editorů.",
+ "unfocusedActiveModifiedBorder": "Ohraničení v horní části upravených aktivních karet (s neuloženými změnami) ve skupině bez fokusu. Karty jsou kontejnery pro editory v oblasti editorů. V jedné skupině editorů můžete otevřít více karet. Může existovat více skupin editorů.",
+ "unfocusedINactiveModifiedBorder": "Ohraničení v horní části upravených neaktivních karet (s neuloženými změnami) ve skupině bez fokusu. Karty jsou kontejnery pro editory v oblasti editorů. V jedné skupině editorů můžete otevřít více karet. Může existovat více skupin editorů.",
+ "editorPaneBackground": "Barva pozadí podokna editoru viditelného nalevo a napravo od středového rozložení editoru",
+ "editorGroupBackground": "Zastaralá barva pozadí skupiny editorů",
+ "deprecatedEditorGroupBackground": "Zastaralé: Se zavedením rozložení mřížky editoru již není podporována barva pozadí skupiny editorů. K nastavení barvy pozadí prázdných skupin editorů můžete použít vlastnost editorGroup.emptyBackground.",
+ "editorGroupEmptyBackground": "Barva pozadí prázdné skupiny editorů. Skupiny editorů jsou kontejnery editorů.",
+ "editorGroupFocusedEmptyBorder": "Barva ohraničení prázdné skupiny editorů, která má fokus. Skupiny editorů jsou kontejnery editorů.",
+ "tabsContainerBackground": "Barva pozadí záhlaví názvu skupiny editorů, když jsou povoleny karty. Skupiny editorů jsou kontejnery editorů.",
+ "tabsContainerBorder": "Barva ohraničení záhlaví názvu skupiny editorů, když jsou povoleny karty. Skupiny editorů jsou kontejnery editorů.",
+ "editorGroupHeaderBackground": "Barva pozadí záhlaví názvu skupiny editorů, když jsou zakázány karty (workbench.editor.showTabs\": false). Skupiny editorů jsou kontejnery editorů.",
+ "editorTitleContainerBorder": "Barva ohraničení záhlaví názvu skupiny editorů. Skupiny editorů jsou kontejnery editorů.",
+ "editorGroupBorder": "Barva pro oddělení jednotlivých skupin editorů. Skupiny editorů jsou kontejnery editorů.",
+ "editorDragAndDropBackground": "Barva pozadí při přetahování editorů. Barva by měla být průhledná, aby byl obsah editoru stále viditelný.",
+ "imagePreviewBorder": "Barva ohraničení pro obrázek v náhledu obrázku",
+ "panelBackground": "Barva pozadí panelu. Panely se zobrazují pod oblastí editorů a obsahují zobrazení, jako je výstup a integrovaný terminál.",
+ "panelBorder": "Barva ohraničení panelu pro oddělení panelu od editoru. Panely se zobrazují pod oblastí editorů a obsahují zobrazení, jako je výstup a integrovaný terminál.",
+ "panelActiveTitleForeground": "Barva názvu pro aktivní panel. Panely se zobrazují pod oblastí editorů a obsahují zobrazení, jako je výstup a integrovaný terminál.",
+ "panelInactiveTitleForeground": "Barva názvu pro neaktivní panel. Panely se zobrazují pod oblastí editorů a obsahují zobrazení, jako je výstup a integrovaný terminál.",
+ "panelActiveTitleBorder": "Barva ohraničení názvu aktivního panelu. Panely se zobrazují pod oblastí editorů a obsahují zobrazení, jako je výstup a integrovaný terminál.",
+ "panelInputBorder": "Ohraničení vstupního pole pro vstupy na panelu",
+ "panelDragAndDropBorder": "Barva zpětné vazby při přetahování myší pro názvy panelů. Panely se zobrazují pod oblastí editorů a obsahují zobrazení, jako je výstup a integrovaný terminál.",
+ "panelSectionDragAndDropBackground": "Barva zpětné vazby při přetahování myší pro oddíly panelu. Barva by měla být průhledná, aby byly oddíly panelu stále viditelné. Panely se zobrazují pod oblastí editorů a obsahují zobrazení, jako je výstup a integrovaný terminál. Části panelu jsou zobrazení, která jsou do panelů vnořená.",
+ "panelSectionHeaderBackground": "Barva pozadí záhlaví oddílu panelu. Panely se zobrazují pod oblastí editorů a obsahují zobrazení, jako je výstup a integrovaný terminál. Části panelu jsou zobrazení, která jsou do panelů vnořená.",
+ "panelSectionHeaderForeground": "Barva popředí záhlaví oddílu panelu. Panely se zobrazují pod oblastí editorů a obsahují zobrazení, jako je výstup a integrovaný terminál. Části panelu jsou zobrazení, která jsou do panelů vnořená.",
+ "panelSectionHeaderBorder": "Barva ohraničení záhlaví oddílu panelu použitá, když je na panelu na sebe svisle naskládáno více zobrazení. Panely se zobrazují pod oblastí editorů a obsahují zobrazení, jako je výstup a integrovaný terminál. Části panelu jsou zobrazení, která jsou do panelů vnořená.",
+ "panelSectionBorder": "Barva ohraničení oddílu panelu použitá, když je na panelu na sebe vodorovně naskládáno více zobrazení. Panely se zobrazují pod oblastí editorů a obsahují zobrazení, jako je výstup a integrovaný terminál. Části panelu jsou zobrazení, která jsou do panelů vnořená.",
+ "statusBarForeground": "Barva popředí stavového řádku, když je otevřený pracovní prostor. Stavový řádek se zobrazuje v dolní části okna.",
+ "statusBarNoFolderForeground": "Barva popředí stavového řádku v případě, že není otevřená žádná složka. Stavový řádek se zobrazuje v dolní části okna.",
+ "statusBarBackground": "Barva pozadí stavového řádku, když je otevřený pracovní prostor. Stavový řádek se zobrazuje v dolní části okna.",
+ "statusBarNoFolderBackground": "Barva pozadí stavového řádku v případě, že není otevřená žádná složka. Stavový řádek se zobrazuje v dolní části okna.",
+ "statusBarBorder": "Barva ohraničení stavového řádku, které odděluje stavový řádek od postranního panelu a editoru. Stavový řádek se zobrazuje v dolní části okna.",
+ "statusBarNoFolderBorder": "Barva ohraničení stavového řádku, které odděluje stavový řádek od postranního panelu a editoru, když není otevřená žádná složka. Stavový řádek se zobrazuje v dolní části okna.",
+ "statusBarItemActiveBackground": "Barva pozadí položky stavového řádku při kliknutí. Stavový řádek se zobrazuje v dolní části okna.",
+ "statusBarItemHoverBackground": "Barva pozadí položky stavového řádku při umístění ukazatele myši. Stavový řádek se zobrazuje v dolní části okna.",
+ "statusBarProminentItemForeground": "Barva popředí prioritních položek na stavovém řádku. Prioritní položky jsou zvýrazněny oproti ostatním položkám stavového řádku, aby se zdůraznil jejich význam. Pokud se chcete podívat na příklad, změňte režim Přepnout přesunutí fokusu pomocí klávesy Tab z palety příkazů. Stavový řádek se zobrazuje v dolní části okna.",
+ "statusBarProminentItemBackground": "Barva pozadí prioritních položek na stavovém řádku. Prioritní položky jsou zvýrazněny oproti ostatním položkám stavového řádku, aby se zdůraznil jejich význam. Pokud se chcete podívat na příklad, změňte režim Přepnout přesunutí fokusu pomocí klávesy Tab z palety příkazů. Stavový řádek se zobrazuje v dolní části okna.",
+ "statusBarProminentItemHoverBackground": "Barva pozadí prioritních položek na stavovém řádku při umístění ukazatele myši. Prioritní položky jsou zvýrazněny oproti ostatním položkám stavového řádku, aby se zdůraznil jejich význam. Pokud se chcete podívat na příklad, změňte režim Přepnout přesunutí fokusu pomocí klávesy Tab z palety příkazů. Stavový řádek se zobrazuje v dolní části okna.",
+ "statusBarErrorItemBackground": "Barva pozadí chybových položek na stavovém řádku. Chybové položky jsou zvýrazněné oproti ostatním položkám stavového řádku, aby se zdůraznily chybové stavy. Stavový řádek se zobrazuje v dolní části okna.",
+ "statusBarErrorItemForeground": "Barva popředí chybových položek na stavovém řádku. Chybové položky jsou zvýrazněné oproti ostatním položkám stavového řádku, aby se zdůraznily chybové stavy. Stavový řádek se zobrazuje v dolní části okna.",
+ "activityBarBackground": "Barva pozadí panelu aktivity. Panel aktivity se zobrazuje úplně vlevo nebo úplně vpravo a umožňuje přepínat mezi zobrazeními postranního panelu.",
+ "activityBarForeground": "Barva popředí položky panelu aktivity, když je aktivní. Panel aktivity se zobrazuje úplně vlevo nebo úplně vpravo a umožňuje přepínat mezi zobrazeními postranního panelu.",
+ "activityBarInActiveForeground": "Barva popředí položky panelu aktivity, když je neaktivní. Panel aktivity se zobrazuje úplně vlevo nebo úplně vpravo a umožňuje přepínat mezi zobrazeními postranního panelu.",
+ "activityBarBorder": "Barva ohraničení panelu aktivity oddělujícího ho od postranního panelu. Panel aktivity se zobrazuje úplně vlevo nebo úplně vpravo a umožňuje přepínat mezi zobrazeními postranního panelu.",
+ "activityBarActiveBorder": "Barva ohraničení panelu aktivity aktivní položky. Panel aktivity se zobrazuje úplně vlevo nebo úplně vpravo a umožňuje přepínat mezi zobrazeními postranního panelu.",
+ "activityBarActiveFocusBorder": "Barva ohraničení panelu aktivity aktivní položky při fokusu. Panel aktivity se zobrazuje úplně vlevo nebo úplně vpravo a umožňuje přepínat mezi zobrazeními postranního panelu.",
+ "activityBarActiveBackground": "Barva pozadí panelu aktivity aktivní položky. Panel aktivity se zobrazuje úplně vlevo nebo úplně vpravo a umožňuje přepínat mezi zobrazeními postranního panelu.",
+ "activityBarDragAndDropBorder": "Barva zpětné vazby při přetahování myší pro položky na panelu aktivity. Panel aktivity se zobrazuje úplně vlevo nebo úplně vpravo a umožňuje přepínat mezi zobrazeními postranního panelu.",
+ "activityBarBadgeBackground": "Barva pozadí odznáčku s oznámeními o aktivitě. Panel aktivity se zobrazuje úplně vlevo nebo úplně vpravo a umožňuje přepínat mezi zobrazeními postranního panelu.",
+ "activityBarBadgeForeground": "Barva popředí odznáčku s oznámeními o aktivitě. Panel aktivity se zobrazuje úplně vlevo nebo úplně vpravo a umožňuje přepínat mezi zobrazeními postranního panelu.",
+ "statusBarItemHostBackground": "Barva pozadí indikátoru připojení ke vzdálenému pracovnímu prostoru na stavovém řádku",
+ "statusBarItemHostForeground": "Barva popředí indikátoru připojení ke vzdálenému pracovnímu prostoru na stavovém řádku",
+ "extensionBadge.remoteBackground": "Barva pozadí odznáčku vzdálených rozšíření v zobrazení rozšíření",
+ "extensionBadge.remoteForeground": "Barva popředí odznáčku vzdálených rozšíření v zobrazení rozšíření",
+ "sideBarBackground": "Barva pozadí postranního panelu. Postranní panel je kontejner pro zobrazení, jako je průzkumník a vyhledávání.",
+ "sideBarForeground": "Barva popředí postranního panelu. Postranní panel je kontejner pro zobrazení, jako je průzkumník a vyhledávání.",
+ "sideBarBorder": "Barva ohraničení postranního panelu na straně oddělující tento panel od editoru. Postranní panel je kontejner pro zobrazení, jako je průzkumník a vyhledávání.",
+ "sideBarTitleForeground": "Barva popředí názvu postranního panelu. Postranní panel je kontejner pro zobrazení, jako je průzkumník a vyhledávání.",
+ "sideBarDragAndDropBackground": "Barva zpětné vazby při přetahování myší pro oddíly postranního panelu. Barva by měla být průhledná, aby byly oddíly postranního panelu stále viditelné. Postranní panel je kontejner pro zobrazení, jako je průzkumník a vyhledávání. Části postranního panelu jsou zobrazení, která jsou do postranního panelu vnořená.",
+ "sideBarSectionHeaderBackground": "Barva pozadí záhlaví oddílu postranního panelu. Postranní panel je kontejner pro zobrazení, jako jsou průzkumník a vyhledávání. Části postranního panelu jsou zobrazení, která jsou do postranního panelu vnořená.",
+ "sideBarSectionHeaderForeground": "Barva popředí záhlaví oddílu postranního panelu. Postranní panel je kontejner pro zobrazení, jako jsou průzkumník a vyhledávání. Části postranního panelu jsou zobrazení, která jsou do postranního panelu vnořená.",
+ "sideBarSectionHeaderBorder": "Barva ohraničení záhlaví oddílu postranního panelu. Postranní panel je kontejner pro zobrazení, jako jsou průzkumník a vyhledávání. Části postranního panelu jsou zobrazení, která jsou do postranního panelu vnořená.",
+ "titleBarActiveForeground": "Popředí záhlaví okna, když je okno aktivní",
+ "titleBarInactiveForeground": "Popředí záhlaví okna, když je okno neaktivní",
+ "titleBarActiveBackground": "Pozadí záhlaví okna, když je okno aktivní",
+ "titleBarInactiveBackground": "Pozadí záhlaví okna, když je okno neaktivní",
+ "titleBarBorder": "Barva ohraničení záhlaví okna",
+ "menubarSelectionForeground": "Barva popředí vybrané položky nabídky v řádku nabídek",
+ "menubarSelectionBackground": "Barva pozadí vybrané položky nabídky v řádku nabídek",
+ "menubarSelectionBorder": "Barva ohraničení vybrané položky nabídky v řádku nabídek",
+ "notificationCenterBorder": "Barva ohraničení centra oznámení. Oznámení se vysouvají z pravého dolního rohu okna.",
+ "notificationToastBorder": "Barva ohraničení informační zprávy. Oznámení se vysouvají z pravého dolního rohu okna.",
+ "notificationsForeground": "Barva popředí oznámení. Oznámení se vysouvají z pravého dolního rohu okna.",
+ "notificationsBackground": "Barva pozadí oznámení. Oznámení se vysouvají z pravého dolního rohu okna.",
+ "notificationsLink": "Barva popředí odkazů v oznámeních. Oznámení se vysouvají z pravého dolního rohu okna.",
+ "notificationCenterHeaderForeground": "Barva popředí záhlaví centra oznámení. Oznámení se vysouvají z pravého dolního rohu okna.",
+ "notificationCenterHeaderBackground": "Barva pozadí záhlaví centra oznámení. Oznámení se vysouvají z pravého dolního rohu okna.",
+ "notificationsBorder": "Barva ohraničení oznámení, které odděluje oznámení od jiných oznámení v centru oznámení. Oznámení se vysouvají z pravého dolního rohu okna.",
+ "notificationsErrorIconForeground": "Barva použitá pro ikonu oznámení o chybě. Oznámení se vysouvají z pravého dolního rohu okna.",
+ "notificationsWarningIconForeground": "Barva použitá pro ikonu oznámení s upozorněním. Oznámení se vysouvají z pravého dolního rohu okna.",
+ "notificationsInfoIconForeground": "Barva použitá pro ikonu informačních oznámení. Oznámení se vysouvají z pravého dolního rohu okna.",
+ "windowActiveBorder": "Barva použitá pro ohraničení okna, když je okno aktivní. Podporuje se pouze v desktopových klientech při používání vlastního záhlaví okna.",
+ "windowInactiveBorder": "Barva použitá pro ohraničení okna, když je okno neaktivní. Podporuje se pouze v desktopových klientech při používání vlastního záhlaví okna."
+ },
+ "vs/workbench/common/editor": {
+ "sideBySideLabels": "{0} – {1}",
+ "preview": "{0}, náhled",
+ "pinned": "{0}, připnuto"
+ },
+ "vs/workbench/common/views": {
+ "testViewIcon": "Zobrazit ikonu zobrazení testů",
+ "defaultViewIcon": "Ikona výchozího zobrazení",
+ "duplicateId": "Zobrazení s ID {0} už je zaregistrované."
+ },
+ "vs/workbench/api/common/extHostExtensionService": {
+ "extensionTestError": "Cesta {0} neodkazuje na platný spouštěč testů rozšíření."
+ },
+ "vs/workbench/api/common/extHostTerminalService": {
+ "launchFail.idMissingOnExtHost": "V hostiteli rozšíření se nepovedlo najít terminál s ID {0}."
+ },
+ "vs/workbench/api/common/extHostWorkspace": {
+ "updateerror": "Rozšíření {0} se nepovedlo aktualizovat složky pracovního prostoru: {1}."
+ },
+ "vs/workbench/browser/workbench.contribution": {
+ "workbench.editor.titleScrollbarSizing.default": "Výchozí velikost",
+ "workbench.editor.titleScrollbarSizing.large": "Zvětší velikost, což usnadňuje uchopení myší.",
+ "tabScrollbarHeight": "Určuje výšku posuvníků používaných pro karty a popisy cest v oblasti názvu editoru.",
+ "showEditorTabs": "Určuje, jestli se mají otevřené editory zobrazovat na kartách.",
+ "scrollToSwitchTabs": "Určuje, jestli se budou karty otevírat, když se přes ně posune zobrazení. Ve výchozím nastavení se karty při posunu zobrazení jen zobrazí, ale neotevřou. Stisknutím a podržením klávesy Shift během posouvání můžete toto chování po tuto dobu změnit. Tato hodnota se bude ignorovat, pokud je hodnota #workbench.editor.showTabs# nastavená na false.",
+ "highlightModifiedTabs": "Určuje, jestli se na upravených (nečistých) kartách editorů vykreslí horní ohraničení. Tato hodnota se bude ignorovat, pokud je hodnota #workbench.editor.showTabs# nastavená na false.",
+ "workbench.editor.labelFormat.default": "Umožňuje zobrazit název souboru. Pokud jsou povoleny karty a ve stejné skupině jsou dva soubory se stejným názvem, přidají se odlišující části cesty každého z těchto souborů. Pokud jsou karty zakázány, zobrazí se v případě, že je editor aktivní, cesta relativně ke složce pracovního prostoru.",
+ "workbench.editor.labelFormat.short": "Umožňuje zobrazit název souboru, za kterým následuje název jeho adresáře.",
+ "workbench.editor.labelFormat.medium": "Umožňuje zobrazit název souboru, za kterým bude následovat cesta k němu, a to relativně vzhledem ke složce pracovního prostoru.",
+ "workbench.editor.labelFormat.long": "Umožňuje zobrazit název souboru, za kterým následuje jeho absolutní cesta.",
+ "tabDescription": "Určuje formát popisku pro editor.",
+ "workbench.editor.untitled.labelFormat.content": "Název souboru bez názvu je odvozen z obsahu jeho prvního řádku, pokud k němu není přidružena cesta k souboru. Tento název bude použit jako náhradní v případě, že je řádek prázdný nebo obsahuje neslovné znaky.",
+ "workbench.editor.untitled.labelFormat.name": "Název souboru bez názvu není odvozen z obsahu souboru.",
+ "untitledLabelFormat": "Určuje formát popisku pro editor bez názvu.",
+ "editorTabCloseButton": "Určuje pozici tlačítek pro zavření karet editoru (v případě nastavení off je zakáže). Tato hodnota se bude ignorovat, pokud je položka #workbench.editor.showTabs# nastavená na false.",
+ "workbench.editor.tabSizing.fit": "Vždy udržovat karty dostatečně velké, aby se zobrazil celý popisek editoru",
+ "workbench.editor.tabSizing.shrink": "Povolit zmenšení karet, pokud není k dispozici dostatek místa k zobrazení všech karet najednou",
+ "tabSizing": "Určuje velikost karet editorů. Tato hodnota se bude ignorovat, pokud je položka #workbench.editor.showTabs# nastavená na false.",
+ "workbench.editor.pinnedTabSizing.normal": "Připnutá karta zdědí vzhled nepřipnutých karet.",
+ "workbench.editor.pinnedTabSizing.compact": "Připnutá karta se zobrazí v kompaktní podobě jen s ikonou nebo prvním písmenem názvu editoru.",
+ "workbench.editor.pinnedTabSizing.shrink": "Připnutá karta se zmenší na kompaktní pevnou velikost s částmi názvu editoru.",
+ "pinnedTabSizing": "Určuje velikost připnutých karet editorů. Připnuté karty jsou seřazené směrem k začátku všech otevřených karet a obvykle se nezavírají, dokud nedojde k jejich odepnutí. Tato hodnota se bude ignorovat, pokud je položka #workbench.editor.showTabs# nastavená na false.",
+ "workbench.editor.splitSizingDistribute": "Rozdělí všechny skupiny editorů na stejné části.",
+ "workbench.editor.splitSizingSplit": "Rozdělí aktivní skupinu editorů na stejné části.",
+ "splitSizing": "Určuje velikost skupin editorů při jejich rozdělování.",
+ "splitOnDragAndDrop": "Určuje, jestli se můžou skupiny editorů rozdělit přetažením editoru nebo souboru na okraje oblasti editoru.",
+ "focusRecentEditorAfterClose": "Určuje, jestli se mají karty zavírat v pořadí podle posledního použití nebo zleva doprava.",
+ "showIcons": "Určuje, jestli se mají otevřené editory zobrazovat s ikonou nebo ne. Tato možnost vyžaduje, aby byl také povolen motiv ikon souboru.",
+ "enablePreview": "Určuje, jestli se mají otevřené editory zobrazovat jako náhledy. Náhledové editory nezůstávají otevřené a budou se opakovaně používat, dokud se výslovně nenastaví, že mají zůstat otevřené (například poklikáním nebo úpravou). Text v těchto editorech se zobrazuje kurzívou.",
+ "enablePreviewFromQuickOpen": "Určuje, jestli se mají editory otevřené ze zobrazení rychlého otevření zobrazovat jako náhledy. Náhledové editory nezůstávají otevřené a budou se opakovaně používat, dokud se výslovně nenastaví, že mají zůstat otevřené (například poklikáním nebo úpravou).",
+ "closeOnFileDelete": "Určuje, jestli se mají editory automaticky zavřít, když je soubor, který byl otevřen během relace, odstraněn nebo přejmenován jiným procesem. Při zakázání této možnosti zůstane editor v případě takové události otevřený. Poznámka: Při odstranění z aplikace se editor vždy zavře a soubory s neuloženými změnami se nezavřou nikdy, abyste nepřišli o svá data.",
+ "editorOpenPositioning": "Určuje, kde se editory otevírají. Výběrem možnosti left nebo right otevřete editory nalevo nebo napravo od aktuálně aktivního editoru. Výběrem možnosti first nebo last otevřete editory nezávisle na aktuálně aktivním editoru.",
+ "sideBySideDirection": "Určuje výchozí směr pro editory, které se otevírají vedle sebe (například z průzkumníka). Ve výchozím nastavení se editory otevírají napravo od aktuálně aktivního editoru. Pokud nastavení změníte na hodnotu down, editory se budou otevírat pod aktuálně aktivním editorem.",
+ "closeEmptyGroups": "Určuje chování prázdných skupin editorů, když je zavřena poslední karta ve skupině. Pokud je povoleno, prázdné skupiny se budou automaticky zavírat. Pokud je zakázáno, prázdné skupiny zůstanou součástí mřížky.",
+ "revealIfOpen": "Určuje, jestli se editor při otevření objeví v některé z viditelných skupin. Pokud je zakázáno, bude se upřednostňovat otevření editoru v aktuálně aktivní skupině editorů. Pokud je povoleno, místo otevření se v aktuálně aktivní skupině editorů zobrazí již otevřený editor. Poznámka: V některých případech je toto nastavení ignorováno, například když je vynuceno otevření editoru v konkrétní skupině nebo vedle aktuálně aktivní skupiny editorů.",
+ "mouseBackForwardToNavigate": "Mezi otevřenými soubory můžete přecházet pomocí čtvrtého a pátého tlačítka myši, pokud jsou k dispozici.",
+ "restoreViewState": "Obnoví poslední stav zobrazení (například pozici posouvání), když jsou zavřené textové editory znovu otevřeny.",
+ "centeredLayoutAutoResize": "Určuje, jestli se má velikost středového rozložení automaticky přizpůsobit na maximální šířku, když je otevřena více než jedna skupina. Jakmile bude otevřena pouze jedna skupina, změní se velikost středového zobrazení zpět na původní šířku.",
+ "limitEditorsEnablement": "Určuje, jestli má být omezen počet otevřených editorů. Pokud je povoleno, zavřou se méně používané editory, které neobsahují neuložené změny, aby se uvolnil prostor pro nově otevírané editory.",
+ "limitEditorsMaximum": "Řídí maximální počet otevřených editorů. Pomocí nastavení #workbench.editor.limit.perEditorGroup# můžete toto omezení aplikovat na jednu skupinu editorů nebo na všechny skupiny.",
+ "perEditorGroup": "Určuje, jestli má limit maximálního počtu otevřených editorů platit pro jednu skupinu editorů nebo pro všechny skupiny editorů.",
+ "commandHistory": "Určuje počet naposledy použitých příkazů, které se mají uchovávat v historii pro paletu příkazů. Pokud chcete historii příkazů zakázat, nastavte hodnotu 0.",
+ "preserveInput": "Určuje, jestli se při příštím otevření mají obnovit data naposledy zadaná do palety příkazů.",
+ "closeOnFocusLost": "Určuje, jestli se má zobrazení rychlého otevření automaticky zavřít, jakmile ztratí fokus.",
+ "workbench.quickOpen.preserveInput": "Určuje, jestli se při příštím otevření mají obnovit data naposledy zadaná do okna rychlého otevření.",
+ "openDefaultSettings": "Určuje, jestli se při otevření nastavení otevře i editor zobrazující všechna výchozí nastavení.",
+ "useSplitJSON": "Určuje, jestli se má při úpravách nastavení ve formátu JSON používat rozdělený editor JSON.",
+ "openDefaultKeybindings": "Určuje, jestli se při otevření nastavení klávesových zkratek otevře i editor zobrazující všechny výchozí klávesové zkratky.",
+ "sideBarLocation": "Určuje umístění postranního panelu a panelu aktivity. Můžou se zobrazovat na levé nebo pravé straně pracovní plochy.",
+ "panelDefaultLocation": "Určuje výchozí umístění panelu (terminál, konzola ladění, výstup, problémy). Může se zobrazovat v dolní, pravé nebo levé části pracovní plochy.",
+ "panelOpensMaximized": "Určuje, jestli se panel otevře maximalizovaný. Možnosti jsou, že se bude otevírat buď vždy maximalizovaný, nebo se nebude maximalizovaný otevírat nikdy, nebo se otevře a nastaví tak, jak byl před zavřením.",
+ "workbench.panel.opensMaximized.always": "Při otevírání vždy maximalizovat panel",
+ "workbench.panel.opensMaximized.never": "Při otevírání nikdy nemaximalizovat panel. Panel se otevře bez maximalizace.",
+ "workbench.panel.opensMaximized.preserve": "Otevřít panel nastavený tak, jak byl před zavřením",
+ "statusBarVisibility": "Řídí viditelnost stavového řádku v dolní části pracovní plochy.",
+ "activityBarVisibility": "Řídí viditelnost panelu aktivity na pracovní ploše.",
+ "activityBarIconClickBehavior": "Určuje chování při kliknutí na ikonu na panelu aktivity na pracovní ploše.",
+ "workbench.activityBar.iconClickBehavior.toggle": "Skrýt postranní panel, pokud se již zobrazuje položka, na kterou bylo kliknuto",
+ "workbench.activityBar.iconClickBehavior.focus": "Přepnout fokus na postranní panel, pokud se již zobrazuje položka, na kterou bylo kliknuto myší.",
+ "viewVisibility": "Řídí viditelnost akcí v záhlaví zobrazení. Akce v záhlaví zobrazení jsou buď vždy viditelné, nebo viditelné, pouze když má zobrazení fokus nebo se na něj umístí ukazatel myši.",
+ "fontAliasing": "Určuje metodu vyhlazování písem na pracovní ploše.",
+ "workbench.fontAliasing.default": "Vyhlazování písma na úrovni subpixelů. U většiny displejů, které nejsou Retina displeje, to maximalizuje ostrost textu.",
+ "workbench.fontAliasing.antialiased": "Vyhlazovat písmo na úrovni pixelů, ne na úrovni subpixelů. Může to písmo celkově zesvětlit.",
+ "workbench.fontAliasing.none": "Zakáže vyhlazování písem. Zobrazený text bude mít kostrbaté hrany.",
+ "workbench.fontAliasing.auto": "Automaticky aplikuje nastavení default nebo antialiased na základě rozlišení DPI obrazovek.",
+ "settings.editor.ui": "Použít editor nastavení uživatelského rozhraní",
+ "settings.editor.json": "Použít editor souborů JSON",
+ "settings.editor.desc": "Určuje, který editor nastavení se má použít jako výchozí.",
+ "windowTitle": "Určuje název okna na základě aktivního editoru. Proměnné se nahrazují na základě kontextu:",
+ "activeEditorShort": "${activeEditorShort}: název souboru (například myFile.txt)",
+ "activeEditorMedium": "${activeEditorMedium}: cesta k souboru relativní ke složce pracovního prostoru (například myFolder/myFileFolder/myFile.txt)",
+ "activeEditorLong": "${activeEditorLong}: úplná cesta k souboru (například /Users/Development/myFolder/myFileFolder/myFile.txt)",
+ "activeFolderShort": "${activeFolderShort}: název složky, ve které je soubor obsažen (například myFileFolder)",
+ "activeFolderMedium": "${activeFolderMedium}: cesta ke složce, ve které je soubor obsažen, relativní ke složce pracovního prostoru (například myFolder/myFileFolder)",
+ "activeFolderLong": "${activeFolderLong}: úplná cesta ke složce, ve které je soubor obsažen (například /Users/Development/myFolder/myFileFolder)",
+ "folderName": "${folderName}: název složky pracovního prostoru, ve které je soubor obsažen (například myFolder)",
+ "folderPath": "${folderPath}: cesta ke složce pracovního prostoru, ve které je soubor obsažen (například /Users/Development/myFolder)",
+ "rootName": "${rootName}: název pracovního prostoru (například myFolder nebo myWorkspace)",
+ "rootPath": "${rootPath}: cesta k souboru pracovního prostoru (například /Users/Development/myWorkspace)",
+ "appName": "${appName}: například VS Code",
+ "remoteName": "${remoteName}: například SSH",
+ "dirty": "${dirty}: indikátor neuložených změn, pokud aktivní editor obsahuje neuložené změny",
+ "separator": "${separator}: podmíněný oddělovač (-), který se zobrazí pouze v případě uzavření do proměnných s hodnotami nebo statickým textem",
+ "windowConfigurationTitle": "Okno",
+ "window.titleSeparator": "Oddělovač používaný v nastavení window.title",
+ "window.menuBarVisibility.default": "Nabídka je skrytá pouze v režimu zobrazení na celou obrazovku.",
+ "window.menuBarVisibility.visible": "Nabídka je vždy viditelná, a to i v režimu zobrazení na celou obrazovku.",
+ "window.menuBarVisibility.toggle": "Nabídka je skrytá, ale lze ji zobrazit pomocí klávesy Alt.",
+ "window.menuBarVisibility.hidden": "Nabídka je vždy skrytá.",
+ "window.menuBarVisibility.compact": "Nabídka se zobrazí jako kompaktní tlačítko. Tato hodnota se bude ignorovat, pokud je položka window.titleBarStyle nastavená na native.",
+ "menuBarVisibility": "Určuje viditelnost řádku nabídek. Nastavení toggle znamená, že řádek nabídek je skrytý a zobrazí se jedním stisknutím klávesy Alt. Ve výchozím nastavení bude řádek nabídek viditelný, pokud není okno v režimu zobrazení na celou obrazovku.",
+ "enableMenuBarMnemonics": "Určuje, jestli má být možné otevírat hlavní nabídky pomocí klávesových zkratek obsahujících klávesu Alt. Zakázání klávesových zkratek umožňuje místo toho tyto klávesové zkratky obsahující klávesu Alt svázat s příkazy editoru.",
+ "customMenuBarAltFocus": "Určuje, jestli bude mít řádek nabídek při stisknutí klávesy Alt fokus. Toto nastavení nemá žádný vliv na přepínání řádku nabídek pomocí klávesy Alt.",
+ "window.openFilesInNewWindow.on": "Soubory se otevřou v novém okně.",
+ "window.openFilesInNewWindow.off": "Soubory se otevřou v okně s otevřenou složkou souborů nebo v posledním aktivním okně.",
+ "window.openFilesInNewWindow.defaultMac": "Soubory se otevřou v okně s otevřenou složkou souborů nebo v posledním aktivním okně, pokud se neotevřou prostřednictvím Docku nebo z Finderu.",
+ "window.openFilesInNewWindow.default": "Soubory se otevřou v novém okně, pokud nebudou vybrány z aplikace (například prostřednictvím nabídky Soubor).",
+ "openFilesInNewWindowMac": "Určuje, jestli se mají soubory otevírat v novém okně. \r\nPoznámka: Přesto mohou existovat případy, kdy bude toto nastavení ignorováno (například při použití parametru příkazového řádku --new-window nebo --reuse-window).",
+ "openFilesInNewWindow": "Určuje, jestli se mají soubory otevírat v novém okně.\r\nPoznámka: Přesto mohou existovat případy, kdy bude toto nastavení ignorováno (například při použití parametru příkazového řádku --new-window nebo --reuse-window).",
+ "window.openFoldersInNewWindow.on": "Složky se otevřou v novém okně.",
+ "window.openFoldersInNewWindow.off": "Složky nahradí poslední aktivní okno.",
+ "window.openFoldersInNewWindow.default": "Složky se otevřou v novém okně, pokud nebudou vybrány z aplikace (například prostřednictvím nabídky Soubor).",
+ "openFoldersInNewWindow": "Určuje, jestli se mají složky otevírat v novém okně nebo jestli se má nahradit obsah posledního aktivního okna.\r\nPoznámka: Přesto mohou existovat případy, kdy bude toto nastavení ignorováno (například při použití parametru příkazového řádku --new-window nebo --reuse-window).",
+ "window.confirmBeforeClose.always": "Umožňuje vždy se pokusit zeptat na potvrzení. Poznámka: Prohlížeče stále budou mít možnost zavřít kartu nebo okno bez potvrzení.",
+ "window.confirmBeforeClose.keyboardOnly": "Umožňuje požádat o potvrzení jen v případě, že se zjistí klávesová zkratka. Poznámka: V některých případech nemusí být zjišťování možné.",
+ "window.confirmBeforeClose.never": "Nikdy explicitně nežádat o potvrzení, dokud nehrozí ztráta dat",
+ "confirmBeforeCloseWeb": "Určuje, jestli se před zavřením karty nebo okna prohlížeče má zobrazovat dialog pro potvrzení. Poznámka: I když se tato možnost povolí, prohlížeče stále budou mít možnost zavřít kartu nebo okno bez potvrzení a toto nastavení je pouze náznak, který nemusí fungovat ve všech případech.",
+ "zenModeConfigurationTitle": "Režim Zen",
+ "zenMode.fullScreen": "Určuje, jestli se při zapnutí režimu Zen také přepne pracovní plocha do režimu zobrazení na celou obrazovku.",
+ "zenMode.centerLayout": "Určuje, jestli se při zapnutí režimu Zen také zarovná rozložení na střed.",
+ "zenMode.hideTabs": "Určuje, jestli se při zapnutí režimu Zen také skryjí karty pracovní plochy.",
+ "zenMode.hideStatusBar": "Určuje, jestli se při zapnutí režimu Zen také skryje stavový řádek v dolní části pracovní plochy.",
+ "zenMode.hideActivityBar": "Určuje, jestli se při zapnutí režimu Zen také skryje panel aktivity na levé nebo pravé straně pracovní plochy.",
+ "zenMode.hideLineNumbers": "Určuje, jestli se při zapnutí režimu Zen také skryjí čísla řádků v editoru.",
+ "zenMode.restore": "Určuje, jestli se má okno obnovit v režimu Zen, pokud bylo zavřeno v režimu Zen.",
+ "zenMode.silentNotifications": "Určuje, jestli se mají v režimu Zen zobrazovat oznámení. Pokud je nastaveno na hodnotu true, budou se zobrazovat pouze oznámení o chybách."
+ },
+ "vs/workbench/browser/actions/textInputActions": {
+ "undo": "Zpět",
+ "redo": "Znovu",
+ "cut": "Vyjmout",
+ "copy": "Kopírovat",
+ "paste": "Vložit",
+ "selectAll": "Vybrat vše"
+ },
+ "vs/workbench/browser/actions/developerActions": {
+ "inspect context keys": "Zkontrolovat kontextové klíče",
+ "toggle screencast mode": "Přepnout režim záznamu obrazovky",
+ "logStorage": "Protokolovat obsah databáze úložiště",
+ "logWorkingCopies": "Protokolovat pracovní kopie",
+ "screencastModeConfigurationTitle": "Režim záznamu obrazovky",
+ "screencastMode.location.verticalPosition": "Určuje svislé posunutí překryvné grafické vrstvy v režimu záznamu obrazovky od dolní části okna jako procento výšky pracovní plochy.",
+ "screencastMode.fontSize": "Určuje velikost písma (v pixelech) pro klávesnici v režimu záznamu obrazovky.",
+ "screencastMode.onlyKeyboardShortcuts": "Zobrazovat klávesové zkratky pouze v režimu záznamu obrazovky",
+ "screencastMode.keyboardOverlayTimeout": "Určuje dobu (v milisekundách), po jakou se bude v režimu záznamu obrazovky zobrazovat klávesnice v překryvné grafické vrstvě.",
+ "screencastMode.mouseIndicatorColor": "Určuje barvu ukazatele myši v režimu záznamu obrazovky v šestnáctkovém formátu (#RGB, #RGBA, #RRGGBB nebo #RRGGBBAA).",
+ "screencastMode.mouseIndicatorSize": "Určuje velikost ukazatele myši (v pixelech) v režimu záznamu obrazovky."
+ },
+ "vs/workbench/browser/actions/helpActions": {
+ "keybindingsReference": "Referenční informace ke klávesovým zkratkám",
+ "openDocumentationUrl": "Dokumentace",
+ "openIntroductoryVideosUrl": "Úvodní videa",
+ "openTipsAndTricksUrl": "Tipy a triky",
+ "newsletterSignup": "Přihlásit se k odběru informačního bulletinu k VS Code",
+ "openTwitterUrl": "Sledujte nás na Twitteru",
+ "openUserVoiceUrl": "Prohledat žádosti o funkci",
+ "openLicenseUrl": "Zobrazit licenci",
+ "openPrivacyStatement": "Prohlášení o zásadách ochrany osobních údajů",
+ "miDocumentation": "&&Dokumentace",
+ "miKeyboardShortcuts": "&&Referenční informace ke klávesovým zkratkám",
+ "miIntroductoryVideos": "Úvodní &&videa",
+ "miTipsAndTricks": "Tipy a tri&&ky",
+ "miTwitter": "&&Sledujte nás na Twitteru",
+ "miUserVoice": "&&Prohledat žádosti o funkce",
+ "miLicense": "Zobrazit &&licenci",
+ "miPrivacyStatement": "&&Prohlášení o zásadách ochrany osobních údajů"
+ },
+ "vs/workbench/browser/actions/layoutActions": {
+ "closeSidebar": "Zavřít postranní panel",
+ "toggleActivityBar": "Přepnout viditelnost panelu aktivity",
+ "miShowActivityBar": "Zobrazit &&panel aktivity",
+ "toggleCenteredLayout": "Přepnout rozložení zarovnané na střed",
+ "miToggleCenteredLayout": "&&Rozložení na střed",
+ "flipLayout": "Přepnout svislé/vodorovné rozložení editoru",
+ "miToggleEditorLayout": "Převrátit &&rozložení",
+ "toggleSidebarPosition": "Přepnout pozici postranního panelu",
+ "moveSidebarRight": "Přesunout postranní panel doprava",
+ "moveSidebarLeft": "Přesunout postranní panel doleva",
+ "miMoveSidebarRight": "&&Přesunout postranní panel doprava",
+ "miMoveSidebarLeft": "&&Přesunout postranní panel doleva",
+ "toggleEditor": "Přepnout viditelnost oblasti editorů",
+ "miShowEditorArea": "Zobrazit oblast &&editorů",
+ "toggleSidebar": "Přepnout viditelnost postranního panelu",
+ "miAppearance": "&&Vzhled",
+ "miShowSidebar": "Zobrazit &&postranní panel",
+ "toggleStatusbar": "Přepnout viditelnost stavového řádku",
+ "miShowStatusbar": "Zobrazit s&&tavový řádek",
+ "toggleTabs": "Přepnout viditelnost tabulátorů",
+ "toggleZenMode": "Přepnout režim Zen",
+ "miToggleZenMode": "Režim Zen",
+ "toggleMenuBar": "Přepnout řádek nabídek",
+ "miShowMenuBar": "Zobrazit řá&&dek nabídek",
+ "resetViewLocations": "Obnovit umístění zobrazení",
+ "moveView": "Přesunout zobrazení",
+ "sidebarContainer": "Postranní pruh / {0}",
+ "panelContainer": "Panel / {0}",
+ "moveFocusedView.selectView": "Vyberte zobrazení, které chcete přesunout",
+ "moveFocusedView": "Přesunout zobrazení s fokusem",
+ "moveFocusedView.error.noFocusedView": "V tuto chvíli nemá fokus žádné zobrazení.",
+ "moveFocusedView.error.nonMovableView": "Aktuální zobrazení s fokusem nelze přesunout.",
+ "moveFocusedView.selectDestination": "Vyberte cíl zobrazení",
+ "moveFocusedView.title": "Zobrazení: přesunout {0}",
+ "moveFocusedView.newContainerInPanel": "Nová položka panelu",
+ "moveFocusedView.newContainerInSidebar": "Nová položka postranního panelu",
+ "sidebar": "Postranní panel",
+ "panel": "Panel",
+ "resetFocusedViewLocation": "Obnovit umístění zobrazení s fokusem",
+ "resetFocusedView.error.noFocusedView": "V tuto chvíli nemá fokus žádné zobrazení.",
+ "increaseViewSize": "Zvětšit aktuální velikost zobrazení",
+ "increaseEditorWidth": "Zvýšit šířku editoru",
+ "increaseEditorHeight": "Zvýšit výšku editoru",
+ "decreaseViewSize": "Zmenšit aktuální velikost zobrazení",
+ "decreaseEditorWidth": "Snížit šířku editoru",
+ "decreaseEditorHeight": "Snížit výšku editoru"
+ },
+ "vs/workbench/browser/actions/navigationActions": {
+ "navigateLeft": "Přejít na zobrazení nalevo",
+ "navigateRight": "Přejít na zobrazení napravo",
+ "navigateUp": "Přejít na zobrazení výše",
+ "navigateDown": "Přejít na zobrazení níže",
+ "focusNextPart": "Přepnout fokus na další část",
+ "focusPreviousPart": "Přepnout fokus na předchozí část"
+ },
+ "vs/workbench/browser/actions/windowActions": {
+ "remove": "Odebrat z naposledy otevřených",
+ "dirtyRecentlyOpened": "Pracovní prostor se soubory obsahujícími neuložené změny",
+ "workspaces": "pracovní prostory",
+ "files": "soubory",
+ "openRecentPlaceholderMac": "Výběrem otevřete (podržením klávesy Cmd vynutíte otevření nového okna, při použití klávesy Alt použijete stejné okno).",
+ "openRecentPlaceholder": "Výběrem otevřete (podržením klávesy Ctrl vynutíte otevření nového okna, při použití klávesy Alt použijete stejné okno).",
+ "dirtyWorkspace": "Pracovní prostor se soubory obsahujícími neuložené změny",
+ "dirtyWorkspaceConfirm": "Chcete otevřít pracovní prostor a zkontrolovat soubory obsahující neuložené změny?",
+ "dirtyWorkspaceConfirmDetail": "Pracovní prostory se soubory obsahujícími neuložené změny nelze odebrat, dokud se neuloží nebo neobnoví všechny soubory obsahující neuložené změny.",
+ "recentDirtyAriaLabel": "{0}, pracovní prostor s neuloženými změnami",
+ "openRecent": "Otevřít nedávné...",
+ "quickOpenRecent": "Rychle otevřít nedávné...",
+ "toggleFullScreen": "Přepnout režim zobrazení na celou obrazovku",
+ "reloadWindow": "Znovu načíst okno",
+ "about": "Informace",
+ "newWindow": "Nové okno",
+ "blur": "Odebrat kurzor klávesnice z prvku s fokusem",
+ "file": "Soubor",
+ "miConfirmClose": "Před zavřením potvrdit",
+ "miNewWindow": "Nové &&okno",
+ "miOpenRecent": "Otevřít &&nedávné",
+ "miMore": "&&Více...",
+ "miToggleFullScreen": "&&Celá obrazovka",
+ "miAbout": "&&Informace"
+ },
+ "vs/workbench/browser/actions/workspaceActions": {
+ "openFile": "Otevřít soubor...",
+ "openFolder": "Otevřít složku...",
+ "openFileFolder": "Otevřít...",
+ "openWorkspaceAction": "Otevřít pracovní prostor...",
+ "closeWorkspace": "Zavřít pracovní prostor",
+ "noWorkspaceOpened": "V tuto chvíli není v této instanci otevřený žádný pracovní prostor, který by bylo možné zavřít.",
+ "openWorkspaceConfigFile": "Otevřít konfigurační soubor pracovního prostoru",
+ "globalRemoveFolderFromWorkspace": "Odebrat složku z pracovního prostoru...",
+ "saveWorkspaceAsAction": "Uložit pracovní prostor jako...",
+ "duplicateWorkspaceInNewWindow": "Duplikovat pracovní prostor v novém okně",
+ "workspaces": "Pracovní prostory",
+ "miAddFolderToWorkspace": "&&Přidat složku do pracovního prostoru...",
+ "miSaveWorkspaceAs": "Uložit pracovní prostor jako...",
+ "miCloseFolder": "&&Zavřít složku",
+ "miCloseWorkspace": "&&Zavřít pracovní prostor"
+ },
+ "vs/workbench/browser/actions/workspaceCommands": {
+ "addFolderToWorkspace": "Přidat složku do pracovního prostoru...",
+ "add": "&&Přidat",
+ "addFolderToWorkspaceTitle": "Přidat složku do pracovního prostoru",
+ "workspaceFolderPickerPlaceholder": "Vybrat složku pracovního prostoru"
+ },
+ "vs/workbench/browser/actions/quickAccessActions": {
+ "quickOpen": "Přejít na soubor...",
+ "quickNavigateNext": "Přejít na další v okně rychlého otevření",
+ "quickNavigatePrevious": "Přejít na předchozí v okně rychlého otevření",
+ "quickSelectNext": "Vybrat další v okně rychlého otevření",
+ "quickSelectPrevious": "Vybrat předchozí v okně rychlého otevření"
+ },
+ "vs/workbench/api/common/menusExtensionPoint": {
+ "menus.commandPalette": "Paleta příkazů",
+ "menus.touchBar": "Touch Bar (pouze macOS)",
+ "menus.editorTitle": "Nabídka názvů editorů",
+ "menus.editorContext": "Místní nabídka editoru",
+ "menus.explorerContext": "Místní nabídka průzkumníka souborů",
+ "menus.editorTabContext": "Místní nabídka karet editoru",
+ "menus.debugCallstackContext": "Místní nabídka zobrazení zásobníku volání ladění",
+ "menus.debugVariablesContext": "Místní nabídka zobrazení proměnných pro ladění",
+ "menus.debugToolBar": "Nabídka panelu nástrojů ladění",
+ "menus.file": "Nabídka Soubor na nejvyšší úrovni",
+ "menus.home": "Místní nabídka indikátoru domovské stránky (jen web)",
+ "menus.scmTitle": "Nabídka názvů správy zdrojového kódu",
+ "menus.scmSourceControl": "Nabídka správy zdrojového kódu",
+ "menus.resourceGroupContext": "Místní nabídka skupiny prostředků správy zdrojového kódu",
+ "menus.resourceStateContext": "Místní nabídka stavu prostředků správy zdrojového kódu",
+ "menus.resourceFolderContext": "Místní nabídka složky prostředků správy zdrojového kódu",
+ "menus.changeTitle": "Nabídka vložených (inline) změn správy zdrojového kódu",
+ "menus.statusBarWindowIndicator": "Nabídka indikátoru okna na stavovém řádku",
+ "view.viewTitle": "Přidaná nabídka názvů zobrazení",
+ "view.itemContext": "Přidaná místní nabídka položek zobrazení",
+ "commentThread.title": "Přidaná nabídka názvů vláken komentářů",
+ "commentThread.actions": "Přidaná místní nabídka vláken komentářů zobrazující se v podobě tlačítek pod editorem komentářů",
+ "comment.title": "Přidaná nabídka názvů komentářů",
+ "comment.actions": "Přidaná místní nabídka komentářů zobrazující se v podobě tlačítek pod editorem komentářů",
+ "notebook.cell.title": "Přidaná nabídka názvů buněk poznámkových bloků",
+ "menus.extensionContext": "Místní nabídka rozšíření",
+ "view.timelineTitle": "Nabídka názvů zobrazení časové osy",
+ "view.timelineContext": "Místní nabídka položky zobrazení časové osy",
+ "requirestring": "Vlastnost {0} je povinná a musí být typu string.",
+ "optstring": "Vlastnost {0} může být vynechána nebo musí být typu string.",
+ "requirearray": "položky podnabídky musí být pole hodnot",
+ "require": "položky podnabídky musí být objekt",
+ "vscode.extension.contributes.menuItem.command": "Identifikátor příkazu, který má být proveden. Příkaz musí být deklarován v oddílu commands.",
+ "vscode.extension.contributes.menuItem.alt": "Identifikátor alternativního příkazu, který má být proveden. Příkaz musí být deklarován v oddílu commands.",
+ "vscode.extension.contributes.menuItem.when": "Podmínka, která musí mít hodnotu true, aby se zobrazila tato položka",
+ "vscode.extension.contributes.menuItem.group": "Skupina, do které tato položka patří",
+ "vscode.extension.contributes.menuItem.submenu": "Identifikátor podnabídky, která se má zobrazit v této položce",
+ "vscode.extension.contributes.submenu.id": "Identifikátor nabídky, která se má zobrazit jako podnabídka",
+ "vscode.extension.contributes.submenu.label": "Popisek položky nabídky, která vede k této podnabídce",
+ "vscode.extension.contributes.submenu.icon": "(Volitelné) Ikona, která se používá k reprezentaci podnabídky v uživatelském rozhraní. Jedná se o cestu k souboru, objekt s cestami k souborům pro tmavé a světlé motivy nebo odkazy na ikony motivů, například \\$(zap).",
+ "vscode.extension.contributes.submenu.icon.light": "Cesta k ikoně, pokud je použito světlé téma",
+ "vscode.extension.contributes.submenu.icon.dark": "Cesta k ikoně, pokud je použito tmavé téma",
+ "vscode.extension.contributes.menus": "Přidává položky nabídky do editoru.",
+ "proposed": "Navrhované rozhraní API",
+ "vscode.extension.contributes.submenus": "Vkládá položky nabídky do editoru.",
+ "nonempty": "byla očekávána neprázdná hodnota.",
+ "opticon": "vlastnost icon může být vynechána, případně musí být buď řetězec nebo literál, například {dark, light}",
+ "requireStringOrObject": "vlastnost {0} je povinná a musí být typu string nebo object.",
+ "requirestrings": "Vlastnosti {0} a {1} jsou povinné a musí být typu string.",
+ "vscode.extension.contributes.commandType.command": "Identifikátor příkazu, který se má provést",
+ "vscode.extension.contributes.commandType.title": "Název, kterým je příkaz reprezentován v uživatelském rozhraní",
+ "vscode.extension.contributes.commandType.category": "(Volitelné) Řetězec kategorie podle příkazu je seskupen v uživatelském rozhraní.",
+ "vscode.extension.contributes.commandType.precondition": "(Nepovinné) Podmínka, která se musí vyhodnotit jako pravdivá, aby se povolil příkaz v uživatelském rozhraní (nabídka a klávesové zkratky). Nezabrání spouštění příkazů jinými způsoby, třeba `executeCommand`-api.",
+ "vscode.extension.contributes.commandType.icon": "(Volitelné) Ikona, která se používá k reprezentaci příkazu v uživatelském rozhraní. Jedná se o cestu k souboru, objekt s cestami k souborům pro tmavé a světlé motivy nebo odkazy na ikony motivů, například \\$(zap).",
+ "vscode.extension.contributes.commandType.icon.light": "Cesta k ikoně při použití světlého motivu",
+ "vscode.extension.contributes.commandType.icon.dark": "Cesta k ikoně při použití tmavého motivu",
+ "vscode.extension.contributes.commands": "Přidává příkazy do palety příkazů.",
+ "dup": "Příkaz {0} se v oddílu commands objevuje několikrát.",
+ "submenuId.invalid.id": "{0} není platný identifikátor podnabídky.",
+ "submenuId.duplicate.id": "Podnabídka {0} už byla zaregistrována dříve.",
+ "submenuId.invalid.label": "{0} není platný popisek podnabídky.",
+ "menuId.invalid": "{0} není platný identifikátor nabídky.",
+ "proposedAPI.invalid": "{0} je navrhovaný identifikátor nabídky, který je k dispozici pouze při spuštění z elementu dev nebo při použití následujícího přepínače příkazového řádku: --enable-proposed-api {1}.",
+ "missing.command": "Položka nabídky odkazuje na příkaz {0}, který není definovaný v oddílu commands.",
+ "missing.altCommand": "Položka nabídky odkazuje na alternativní příkaz {0}, který není definovaný v oddílu commands.",
+ "dupe.command": "Položka nabídky odkazuje na stejný příkaz jako výchozí a alternativní příkaz.",
+ "unsupported.submenureference": "Položka nabídky odkazuje na podnabídku nabídky, která podnabídky nepodporuje.",
+ "missing.submenu": "Položka nabídky odkazuje na podnabídku {0}, která není definovaná v oddílu submenus.",
+ "submenuItem.duplicate": "Podnabídka {0} už byla přidána k nabídce {1}."
+ },
+ "vs/workbench/api/common/configurationExtensionPoint": {
+ "vscode.extension.contributes.configuration.title": "Souhrn nastavení. Tento popisek bude použit v souboru nastavení jako oddělovací komentář.",
+ "vscode.extension.contributes.configuration.properties": "Popis vlastností konfigurace",
+ "vscode.extension.contributes.configuration.property.empty": "Vlastnost by neměla být prázdná.",
+ "scope.application.description": "Konfigurace, kterou lze nakonfigurovat pouze v nastavení uživatele",
+ "scope.machine.description": "Konfigurace, kterou lze nakonfigurovat pouze v nastavení uživatele nebo pouze v nastavení vzdáleného připojení",
+ "scope.window.description": "Konfigurace, kterou lze nakonfigurovat v nastavení uživatele, vzdáleného připojení nebo pracovního prostoru",
+ "scope.resource.description": "Konfigurace, kterou lze nakonfigurovat v nastavení uživatele, vzdáleného připojení, pracovního prostoru nebo složky",
+ "scope.language-overridable.description": "Konfigurace prostředků, kterou je možné nakonfigurovat v nastaveních specifických pro daný jazyk",
+ "scope.machine-overridable.description": "Konfigurace počítače, kterou je také možné nakonfigurovat v nastavení pracovního prostoru nebo složky",
+ "scope.description": "Obor, ve kterém má být konfigurace platná. Dostupné obory jsou application, machine, window, resource a machine-overridable.",
+ "scope.enumDescriptions": "Popis pro hodnoty výčtu",
+ "scope.markdownEnumDescriptions": "Popis pro hodnoty výčtu ve formátu Markdownu",
+ "scope.markdownDescription": "Popis ve formátu Markdownu",
+ "scope.deprecationMessage": "Pokud je nastaveno, vlastnost je označena jako zastaralá a daná zpráva se zobrazí jako vysvětlení.",
+ "scope.markdownDeprecationMessage": "Pokud je nastaveno, vlastnost je označena jako zastaralá a daná zpráva se zobrazí jako vysvětlení ve formátu Markdownu.",
+ "vscode.extension.contributes.defaultConfiguration": "Přidává výchozí nastavení konfigurace editoru podle jazyka.",
+ "config.property.defaultConfiguration.languageExpected": "Byl očekáván selektor jazyka (například [\"java\"]).",
+ "config.property.defaultConfiguration.warning": "Nelze zaregistrovat výchozí hodnoty konfigurace pro {0}. Podporují se pouze výchozí hodnoty nastavení specifických pro daný jazyk.",
+ "vscode.extension.contributes.configuration": "Přidává nastavení konfigurace.",
+ "invalid.title": "configuration.title musí být řetězec.",
+ "invalid.properties": "configuration.properties musí být objekt.",
+ "invalid.property": "configuration.property musí být objekt.",
+ "invalid.allOf": "Parametr configuration.allOf je zastaralý a neměl by se už používat. Místo toho předejte několik konfiguračních oddílů v podobě pole hodnot do přidávacího bodu configuration.",
+ "workspaceConfig.folders.description": "Seznam složek, které mají být načteny do pracovního prostoru",
+ "workspaceConfig.path.description": "Cesta k souboru, například /root/folderA nebo ./folderA pro relativní cestu, která bude vyhodnocena podle umístění souboru pracovního prostoru.",
+ "workspaceConfig.name.description": "Volitelný název složky ",
+ "workspaceConfig.uri.description": "Identifikátor URI složky",
+ "workspaceConfig.settings.description": "Nastavení pracovního prostoru",
+ "workspaceConfig.launch.description": "Konfigurace spuštění pracovního prostoru",
+ "workspaceConfig.tasks.description": "Konfigurace úloh pracovního prostoru",
+ "workspaceConfig.extensions.description": "Rozšíření pracovního prostoru",
+ "workspaceConfig.remoteAuthority": "Vzdálený server, na kterém je pracovní prostor umístěn. Používá se pouze neuloženými vzdálenými pracovními prostory.",
+ "unknownWorkspaceProperty": "Neznámá vlastnost konfigurace pracovního prostoru"
+ },
+ "vs/workbench/api/browser/viewsExtensionPoint": {
+ "vscode.extension.contributes.views.containers.id": "Jedinečné ID, které slouží k identifikaci kontejneru, do kterého je možné přidávat zobrazení pomocí přidávacího bodu views",
+ "vscode.extension.contributes.views.containers.title": "Lidský čitelný řetězec, který se používá k vykreslení kontejneru",
+ "vscode.extension.contributes.views.containers.icon": "Cesta k ikoně kontejneru. Ikony mají rozměry 24×24, jsou vycentrované na obdélník 50×40 a mají barvu výplně rgb(215, 218, 224) nebo #d7dae0. Doporučený formát ikon je SVG, povolen je ale jakýkoli typ obrázku.",
+ "vscode.extension.contributes.viewsContainers": "Přidává kontejnery zobrazení do editoru.",
+ "views.container.activitybar": "Přidává kontejnery zobrazení na panel aktivity.",
+ "views.container.panel": "Přidává kontejnery zobrazení na panel.",
+ "vscode.extension.contributes.view.type": "Typ zobrazení. Může to být buď tree (v případě zobrazení založeného na stromu), nebo webview (v případě zobrazení založeného na webovém zobrazení). Výchozí hodnota je tree.",
+ "vscode.extension.contributes.view.tree": "Zobrazení je založené na prvku TreeView vytvořeném funkcí createTreeView.",
+ "vscode.extension.contributes.view.webview": "Zobrazení je založené na prvku WebviewView registrovaném funkcí registerWebviewViewProvider.",
+ "vscode.extension.contributes.view.id": "Identifikátor zobrazení. Tento identifikátor by měl být jedinečný napříč všemi zobrazeními. ID rozšíření se doporučuje zahrnout do ID zobrazení. Slouží k registraci zprostředkovatele dat prostřednictvím rozhraní API vscode.window.registerTreeDataProviderForView. Také ho můžete použít k vyvolání aktivace vašeho rozšíření zaregistrováním události onView:${id} do activationEvents.",
+ "vscode.extension.contributes.view.name": "Lidsky čitelný název zobrazení. Zobrazí se.",
+ "vscode.extension.contributes.view.when": "Podmínka, která musí mít hodnotu true, aby se zobrazilo toto zobrazení",
+ "vscode.extension.contributes.view.icon": "Cesta k ikoně zobrazení. Ikony zobrazení se zobrazí, když nelze zobrazit název zobrazení. Doporučený formát ikon je SVG, povolen je ale jakýkoli typ obrázku.",
+ "vscode.extension.contributes.view.contextualTitle": "Lidsky čitelný kontext pro situaci, kdy je zobrazení přesunuto z původního umístění. Ve výchozím nastavení bude použit název kontejneru zobrazení. Zobrazí se.",
+ "vscode.extension.contributes.view.initialState": "Počáteční stav zobrazení při první instalaci rozšíření. Jakmile uživatel změní stav zobrazení sbalením, přesunutím nebo skrytím zobrazení, počáteční stav se již znovu nepoužije.",
+ "vscode.extension.contributes.view.initialState.visible": "Výchozí počáteční stav zobrazení. Ve většině kontejnerů bude zobrazení rozbaleno, ale některé integrované kontejnery (explorer, scm a debug) budou bez ohledu na nastavení viditelnosti (visibility) zobrazovat všechna přidaná zobrazení ve sbaleném stavu.",
+ "vscode.extension.contributes.view.initialState.hidden": "Zobrazení se nezobrazí v kontejneru zobrazení, ale bude zjistitelné prostřednictvím nabídky zobrazení a dalších vstupních bodů zobrazení. Uživatel ho ale může zobrazit.",
+ "vscode.extension.contributes.view.initialState.collapsed": "Zobrazení se zobrazí v kontejneru zobrazení, ale bude sbalené.",
+ "vscode.extension.contributes.view.group": "Vnořená skupina ve viewletu",
+ "vscode.extension.contributes.view.remoteName": "Název vzdáleného typu přidruženého k tomuto zobrazení",
+ "vscode.extension.contributes.views": "Přidává zobrazení do editoru.",
+ "views.explorer": "Přidává zobrazení do kontejneru průzkumníka na panelu aktivity.",
+ "views.debug": "Přidává zobrazení do kontejneru ladění na panelu aktivity.",
+ "views.scm": "Přidává zobrazení do kontejneru SCM na panelu aktivity.",
+ "views.test": "Přidává zobrazení do kontejneru testů na panelu aktivity.",
+ "views.remote": "Přidává zobrazení do vzdáleného kontejneru na panelu aktivity. Aby bylo možné do tohoto kontejneru přidávat zobrazení, je nutné zapnout nastavení enableProposedApi.",
+ "views.contributed": "Přidává zobrazení do přidaného kontejneru zobrazení.",
+ "test": "Test",
+ "viewcontainer requirearray": "kontejnery zobrazení musí být pole hodnot",
+ "requireidstring": "vlastnost {0} je povinná a musí být typu string. Povoleny jsou pouze alfanumerické znaky, znak podtržítka (_) a znak spojovníku (-).",
+ "requirestring": "Vlastnost {0} je povinná a musí být typu string.",
+ "showViewlet": "Zobrazit: {0}",
+ "ViewContainerRequiresProposedAPI": "Kontejner zobrazení {0} vyžaduje zapnutí nastavení enableProposedApi, aby bylo možné provést přidání do oddílu Remote.",
+ "ViewContainerDoesnotExist": "Kontejner zobrazení {0} neexistuje a všechna zobrazení, která jsou k němu zaregistrována, se přidají do oddílu Explorer.",
+ "duplicateView1": "Nelze zaregistrovat více zobrazení se stejným ID {0}.",
+ "duplicateView2": "Zobrazení s ID {0} už je zaregistrované.",
+ "unknownViewType": "Neznámý typ zobrazení: {0}",
+ "requirearray": "zobrazení musí být pole hodnot",
+ "optstring": "Vlastnost {0} může být vynechána nebo musí být typu string.",
+ "optenum": "vlastnost {0} může být vynechána nebo musí být jedním z následujících typů: {1}."
+ },
+ "vs/workbench/browser/parts/activitybar/activitybarPart": {
+ "settingsViewBarIcon": "Ikona Nastavení na panelu zobrazení",
+ "accountsViewBarIcon": "Ikona Účty na panelu zobrazení",
+ "hideHomeBar": "Skrýt tlačítko Domů",
+ "showHomeBar": "Zobrazit tlačítko Domů",
+ "hideMenu": "Skrýt nabídku",
+ "showMenu": "Zobrazit nabídku",
+ "hideAccounts": "Skrýt účty",
+ "showAccounts": "Zobrazit účty",
+ "hideActivitBar": "Skrýt panel aktivity",
+ "resetLocation": "Obnovit umístění",
+ "homeIndicator": "Domů",
+ "home": "Domů",
+ "manage": "Spravovat",
+ "accounts": "Účty",
+ "focusActivityBar": "Nastavit fokus na panel aktivity"
+ },
+ "vs/workbench/browser/parts/panel/panelPart": {
+ "hidePanel": "Skrýt panel",
+ "panel.emptyMessage": "Pokud chcete zobrazení otevřít, přetáhněte ho na panel."
+ },
+ "vs/workbench/browser/parts/sidebar/sidebarPart": {
+ "focusSideBar": "Přepnout fokus na postranní panel"
+ },
+ "vs/workbench/browser/parts/statusbar/statusbarPart": {
+ "hide": "Skrýt: {0}",
+ "hideStatusBar": "Skrýt stavový řádek"
+ },
+ "vs/workbench/browser/parts/views/viewsService": {
+ "focus view": "Přepnout fokus na zobrazení {0}",
+ "resetViewLocation": "Obnovit umístění"
+ },
+ "vs/workbench/browser/parts/dialogs/dialogHandler": {
+ "yesButton": "&&Ano",
+ "cancelButton": "Zrušit",
+ "aboutDetail": "Verze: {0}\r\nPotvrzení: {1}\r\nDatum: {2}\r\nProhlížeč: {3}",
+ "copy": "Kopírovat",
+ "ok": "OK"
+ },
+ "vs/workbench/electron-sandbox/parts/dialogs/dialogHandler": {
+ "yesButton": "&&Ano",
+ "cancelButton": "Zrušit",
+ "aboutDetail": "Verze: {0}\r\nPotvrzení: {1}\r\nDatum: {2}\r\nElektron: {3}\r\nChrome: {4}\r\nNode.js: {5}\r\nV8: {6}\r\nOperační systém: {7}",
+ "okButton": "OK",
+ "copy": "&&Kopírovat"
+ },
+ "vs/workbench/electron-sandbox/actions/developerActions": {
+ "toggleDevTools": "Přepnout vývojářské nástroje",
+ "configureRuntimeArguments": "Konfigurovat argumenty modulu runtime"
+ },
+ "vs/workbench/electron-sandbox/actions/windowActions": {
+ "closeWindow": "Zavřít okno",
+ "zoomIn": "Přiblížit",
+ "zoomOut": "Oddálit",
+ "zoomReset": "Obnovit zvětšení",
+ "reloadWindowWithExtensionsDisabled": "Znovu načíst se zakázanými rozšířeními",
+ "close": "Zavřít okno",
+ "switchWindowPlaceHolder": "Vyberte okno, na které se má přepnout.",
+ "windowDirtyAriaLabel": "{0}, okno s neuloženými změnami",
+ "current": "Aktuální okno",
+ "switchWindow": "Přepnout okno...",
+ "quickSwitchWindow": "Rychle přepnout okno..."
+ },
+ "vs/workbench/browser/parts/notifications/notificationsCenter": {
+ "notificationsEmpty": "Žádná nová oznámení",
+ "notifications": "Oznámení",
+ "notificationsToolbar": "Akce centra oznámení"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsAlerts": {
+ "alertErrorMessage": "Chyba: {0}",
+ "alertWarningMessage": "Upozornění: {0}",
+ "alertInfoMessage": "Informace: {0}"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsStatus": {
+ "status.notifications": "Oznámení",
+ "hideNotifications": "Skrýt oznámení",
+ "zeroNotifications": "Žádná oznámení",
+ "noNotifications": "Žádná nová oznámení",
+ "oneNotification": "1 nové oznámení",
+ "notifications": "Nová oznámení: {0}",
+ "noNotificationsWithProgress": "Žádná nová oznámení (probíhající: {0})",
+ "oneNotificationWithProgress": "1 nové oznámení (probíhající: {0})",
+ "notificationsWithProgress": "Nová oznámení: {0} (probíhající: {1})",
+ "status.message": "Stavová zpráva"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsCommands": {
+ "notifications": "Oznámení",
+ "showNotifications": "Zobrazit oznámení",
+ "hideNotifications": "Skrýt oznámení",
+ "clearAllNotifications": "Vymazat všechna oznámení",
+ "focusNotificationToasts": "Přepnout fokus na informační zprávu"
+ },
+ "vs/workbench/browser/parts/titlebar/menubarControl": {
+ "mFile": "&&Soubor",
+ "mEdit": "&&Upravit",
+ "mSelection": "&&Výběr",
+ "mView": "&&Zobrazit",
+ "mGoto": "&&Přejít",
+ "mRun": "&&Spustit",
+ "mTerminal": "&&Terminál",
+ "mHelp": "&&Nápověda",
+ "menubar.customTitlebarAccessibilityNotification": "Máte povolenou podporu usnadnění přístupu. Pro optimální výkon doporučujeme použít vlastní styl záhlaví okna.",
+ "goToSetting": "Otevřít nastavení",
+ "focusMenu": "Přepnout fokus na nabídku aplikace",
+ "checkForUpdates": "&&Vyhledat aktualizace...",
+ "checkingForUpdates": "Vyhledávají se aktualizace...",
+ "download now": "&&Stáhnout aktualizaci",
+ "DownloadingUpdate": "Stahuje se aktualizace...",
+ "installUpdate...": "&&Nainstalovat aktualizaci...",
+ "installingUpdate": "Instaluje se aktualizace...",
+ "restartToUpdate": "&&Restartovat za účelem aktualizace"
+ },
+ "vs/workbench/api/common/extHostExtensionActivator": {
+ "failedDep1": "Nelze aktivovat rozšíření {0}, protože je závislé na rozšíření {1}, které se nepovedlo aktivovat.",
+ "activationError": "Nepovedlo se aktivovat rozšíření {0}: {1}."
+ },
+ "vs/workbench/api/common/extHost.api.impl": {
+ "extensionLabel": "{0} (rozšíření)"
+ },
+ "vs/workbench/api/node/extHostDebugService": {
+ "debug.terminal.title": "laděný proces"
+ },
+ "vs/workbench/api/common/jsonValidationExtensionPoint": {
+ "contributes.jsonValidation": "Přidává konfiguraci schématu json.",
+ "contributes.jsonValidation.fileMatch": "Vzor souboru (nebo pole hodnot vzorů) pro vyhledání shody, například package.json nebo *.launch. Vzory výjimek mají na začátku znak vykřičníku (!).",
+ "contributes.jsonValidation.url": "Adresa URL schématu (http:, https:) nebo relativní cesta ke složce rozšíření (./)",
+ "invalid.jsonValidation": "configuration.jsonValidation musí být pole hodnot.",
+ "invalid.fileMatch": "configuration.jsonValidation.fileMatch je nutné definovat jako řetězec nebo pole hodnot řetězců.",
+ "invalid.url": "configuration.jsonValidation.url musí být adresa URL nebo relativní cesta.",
+ "invalid.path.1": "Očekávalo se, že bude contributes.{0}.url ({1}) zahrnuto do složky rozšíření ({2}). To by mohlo způsobit, že rozšíření nebude přenosné.",
+ "invalid.url.fileschema": "configuration.jsonValidation je neplatná relativní adresa URL: {0}.",
+ "invalid.url.schema": "configuration.jsonValidation.url musí být absolutní adresa URL nebo musí začínat znaky ./, aby bylo možné odkazovat na schémata umístěná v rozšíření."
+ },
+ "vs/workbench/api/browser/mainThreadExtensionService": {
+ "reload window": "Rozšíření {0} nelze aktivovat, protože je závislé na rozšíření {1}, které není načtené. Chcete znovu načíst okno, aby se rozšíření načetlo?",
+ "reload": "Znovu načíst okno",
+ "disabledDep": "Rozšíření {0} nelze aktivovat, protože je závislé na rozšíření {1}, které je zakázané. Chcete rozšíření povolit a znovu načíst okno?",
+ "enable dep": "Povolit a znovu načíst",
+ "uninstalledDep": "Rozšíření {0} nelze aktivovat, protože je závislé na rozšíření {1}, které není nainstalované. Chcete rozšíření nainstalovat a znovu načíst okno?",
+ "install missing dep": "Nainstalovat a znovu načíst",
+ "unknownDep": "Rozšíření {0} nelze aktivovat, protože je závislé na neznámém rozšíření {1}."
+ },
+ "vs/workbench/api/browser/mainThreadFileSystemEventService": {
+ "files.participants.timeout": "Časový limit v milisekundách, po jehož uplynutí se zruší účastníci souboru pro vytváření, přejmenovávání a odstraňování. Pokud chcete účastníky zakázat, použijte hodnotu 0."
+ },
+ "vs/workbench/api/browser/mainThreadMessageService": {
+ "extensionSource": "{0} (rozšíření)",
+ "defaultSource": "Rozšíření",
+ "manageExtension": "Spravovat rozšíření",
+ "cancel": "Zrušit",
+ "ok": "OK"
+ },
+ "vs/workbench/api/browser/mainThreadProgress": {
+ "manageExtension": "Spravovat rozšíření"
+ },
+ "vs/workbench/api/browser/mainThreadSaveParticipant": {
+ "timeout.onWillSave": "Přerušeno onWillSaveTextDocument-event po 1 750 ms"
+ },
+ "vs/workbench/api/browser/mainThreadWorkspace": {
+ "folderStatusMessageAddSingleFolder": "Rozšíření {0} přidalo do pracovního prostoru 1 složku.",
+ "folderStatusMessageAddMultipleFolders": "Rozšíření {0} přidalo do pracovního prostoru tento počet složek: {1}.",
+ "folderStatusMessageRemoveSingleFolder": "Rozšíření {0} odebralo z pracovního prostoru 1 složku.",
+ "folderStatusMessageRemoveMultipleFolders": "Rozšíření {0} odebralo z pracovního prostoru tento počet složek: {1}.",
+ "folderStatusChangeFolder": "Rozšíření {0} změnilo složky pracovního prostoru."
+ },
+ "vs/workbench/api/browser/mainThreadComments": {
+ "commentsViewIcon": "Zobrazit ikonu zobrazení komentářů"
+ },
+ "vs/workbench/api/browser/mainThreadTask": {
+ "task.label": "{0}: {1}"
+ },
+ "vs/workbench/api/browser/mainThreadAuthentication": {
+ "noTrustedExtensions": "Tento účet nepoužilo žádné rozšíření.",
+ "accountLastUsedDate": "Tento účet byl naposledy použit {0}.",
+ "notUsed": "Tento účet nebyl použit.",
+ "manageTrustedExtensions": "Spravovat důvěryhodná rozšíření",
+ "manageExensions": "Zvolte, která rozšíření mají mít přístup k tomuto účtu.",
+ "signOutConfirm": "{0} – odhlásit se",
+ "signOutMessagve": "Účet {0} se používá pro: \r\n\r\n{1}\r\n\r\n Chcete se z těchto funkcí odhlásit?",
+ "signOutMessageSimple": "Chcete se odhlásit z {0}?",
+ "signedOut": "Byli jste úspěšně odhlášeni.",
+ "useOtherAccount": "Přihlásit se s jiným účtem",
+ "selectAccount": "Rozšíření {0} chce získat přístup k účtu {1}.",
+ "getSessionPlateholder": "Vyberte účet pro: {0}, který se má použít. Akci zrušte stisknutím klávesy Esc.",
+ "confirmAuthenticationAccess": "Rozšíření {0} chce získat přístup k účtu {1} ({2}).",
+ "allow": "Povolit",
+ "cancel": "Zrušit",
+ "confirmLogin": "Rozšíření {0} se chce přihlásit pomocí {1} ."
+ },
+ "vs/workbench/common/configuration": {
+ "workbenchConfigurationTitle": "Pracovní plocha"
+ },
+ "vs/workbench/browser/parts/views/treeView": {
+ "no-dataprovider": "Není zaregistrován žádný poskytovatel dat, který by mohl poskytnout data zobrazení.",
+ "refresh": "Aktualizovat",
+ "collapseAll": "Sbalit vše",
+ "command-error": "Chyba při spouštění příkazu {1}: {0}. Pravděpodobnou příčinou je rozšíření, které přispívá do {1}."
+ },
+ "vs/workbench/browser/viewlet": {
+ "compositePart.hideSideBarLabel": "Skrýt postranní panel",
+ "views": "Zobrazení",
+ "collapse": "Sbalit vše"
+ },
+ "vs/workbench/browser/parts/views/viewPaneContainer": {
+ "viewPaneContainerExpandedIcon": "Ikona pro rozbalený kontejner podokna zobrazení",
+ "viewPaneContainerCollapsedIcon": "Ikona pro sbalený kontejner podokna zobrazení",
+ "viewToolbarAriaLabel": "Počet akcí: {0}",
+ "hideView": "Skrýt",
+ "viewMoveUp": "Přesunout zobrazení nahoru",
+ "viewMoveLeft": "Přesunout zobrazení doleva",
+ "viewMoveDown": "Přesunout zobrazení dolů",
+ "viewMoveRight": "Přesunout zobrazení doprava"
+ },
+ "vs/workbench/browser/parts/editor/editorGroupView": {
+ "ariaLabelGroupActions": "Akce pro skupinu editorů",
+ "closeGroupAction": "Zavřít",
+ "emptyEditorGroup": "{0} (prázdné)",
+ "groupLabel": "Skupina {0}",
+ "groupAriaLabel": "Skupina editorů {0}",
+ "ok": "OK",
+ "cancel": "Zrušit",
+ "editorOpenErrorDialog": "Nelze otevřít {0}.",
+ "editorOpenError": "Nelze otevřít {0}: {1}."
+ },
+ "vs/workbench/browser/parts/editor/editorDropTarget": {
+ "fileTooLarge": "Soubor je příliš velký na to, aby se dal otevřít v editoru bez názvu. Nahrajte prosím tento soubor nejdříve do Průzkumníka souborů a pak to zkuste znovu."
+ },
+ "vs/workbench/browser/parts/editor/editor.contribution": {
+ "textEditor": "Textový editor",
+ "textDiffEditor": "Editor rozdílů v textu",
+ "binaryDiffEditor": "Editor binárních rozdílů",
+ "sideBySideEditor": "Editor v režimu zobrazení vedle sebe",
+ "editorQuickAccessPlaceholder": "Zadejte název editoru, který chcete otevřít.",
+ "activeGroupEditorsByMostRecentlyUsedQuickAccess": "Editory v aktivní skupině zobrazovat podle naposledy použitých",
+ "allEditorsByAppearanceQuickAccess": "Zobrazovat všechny otevřené editory podle vzhledu",
+ "allEditorsByMostRecentlyUsedQuickAccess": "Zobrazovat všechny otevřené editory podle naposledy použitých",
+ "file": "Soubor",
+ "splitUp": "Rozdělit nahoru",
+ "splitDown": "Rozdělit dolů",
+ "splitLeft": "Rozdělit doleva",
+ "splitRight": "Rozdělit doprava",
+ "close": "Zavřít",
+ "closeOthers": "Zavřít ostatní",
+ "closeRight": "Zavřít napravo",
+ "closeAllSaved": "Zavřít uložené",
+ "closeAll": "Zavřít vše",
+ "keepOpen": "Ponechat otevřené",
+ "pin": "Připnout",
+ "unpin": "Odepnout",
+ "toggleInlineView": "Přepnout vložené (inline) zobrazení",
+ "showOpenedEditors": "Zobrazit otevřené editory",
+ "toggleKeepEditors": "Nechat editory otevřené",
+ "splitEditorRight": "Rozdělit editor vpravo",
+ "splitEditorDown": "Rozdělit editor dolů",
+ "previousChangeIcon": "Ikona pro akci předchozí změny v editoru rozdílů",
+ "nextChangeIcon": "Ikona pro akci další změny v editoru rozdílů",
+ "toggleWhitespace": "Ikona pro akci přepnutí prázdných znaků v editoru rozdílů",
+ "navigate.prev.label": "Předchozí změna",
+ "navigate.next.label": "Další změna",
+ "ignoreTrimWhitespace.label": "Ignorovat rozdíly v prázdných znacích na začátku/konci",
+ "showTrimWhitespace.label": "Zobrazovat rozdíly v prázdných znacích na začátku/konci",
+ "keepEditor": "Zachovat editor",
+ "pinEditor": "Připnout editor",
+ "unpinEditor": "Odepnout editor",
+ "closeEditor": "Zavřít editor",
+ "closePinnedEditor": "Zavřít připnutý editor",
+ "closeEditorsInGroup": "Zavřít všechny editory ve skupině",
+ "closeSavedEditors": "Zavřít uložené editory ve skupině",
+ "closeOtherEditors": "Zavřít ostatní editory ve skupině",
+ "closeRightEditors": "Zavřít editory napravo ve skupině",
+ "closeEditorGroup": "Zavřít skupinu editorů",
+ "miReopenClosedEditor": "&&Znovu otevřít zavřený editor",
+ "miClearRecentOpen": "&&Vymazat seznam naposledy otevřených",
+ "miEditorLayout": "&&Rozložení editoru",
+ "miSplitEditorUp": "Rozdělit nahor&&u",
+ "miSplitEditorDown": "Rozdělit &&dolů",
+ "miSplitEditorLeft": "Rozdělit v&&levo",
+ "miSplitEditorRight": "Rozdělit v&&pravo",
+ "miSingleColumnEditorLayout": "&&Jeden sloupec",
+ "miTwoColumnsEditorLayout": "&&Dva sloupce",
+ "miThreeColumnsEditorLayout": "&&Tři sloupce",
+ "miTwoRowsEditorLayout": "Dv&&a řádky",
+ "miThreeRowsEditorLayout": "Tři řádk&&y",
+ "miTwoByTwoGridEditorLayout": "&&Mřížka (2×2)",
+ "miTwoRowsRightEditorLayout": "Dva řádky vprav&&o",
+ "miTwoColumnsBottomEditorLayout": "&&Dva sloupce dole",
+ "miBack": "&&Zpět",
+ "miForward": "&&Vpřed",
+ "miLastEditLocation": "&&Umístění poslední úpravy",
+ "miNextEditor": "&&Další editor",
+ "miPreviousEditor": "&&Předchozí editor",
+ "miNextRecentlyUsedEditor": "&&Další použitý editor",
+ "miPreviousRecentlyUsedEditor": "&&Předchozí použitý editor",
+ "miNextEditorInGroup": "&&Další editor ve skupině",
+ "miPreviousEditorInGroup": "&&Předchozí editor ve skupině",
+ "miNextUsedEditorInGroup": "&&Další použitý editor ve skupině",
+ "miPreviousUsedEditorInGroup": "&&Předchozí použitý editor ve skupině",
+ "miSwitchEditor": "Přepnout &&editor",
+ "miFocusFirstGroup": "Skupina &&1",
+ "miFocusSecondGroup": "Skupina &&2",
+ "miFocusThirdGroup": "Skupina &&3",
+ "miFocusFourthGroup": "Skupina &&4",
+ "miFocusFifthGroup": "Skupina &&5",
+ "miNextGroup": "&&Další skupina",
+ "miPreviousGroup": "&&Předchozí skupina",
+ "miFocusLeftGroup": "Skupina na&&levo",
+ "miFocusRightGroup": "Skupina na&&pravo",
+ "miFocusAboveGroup": "Skupina &&nad",
+ "miFocusBelowGroup": "Skupina &&pod",
+ "miSwitchGroup": "Přepnout &&skupinu"
+ },
+ "vs/workbench/browser/parts/activitybar/activitybarActions": {
+ "goHome": "Přejít na domovskou stránku",
+ "hide": "Skrýt",
+ "manageTrustedExtensions": "Spravovat důvěryhodná rozšíření",
+ "signOut": "Odhlásit se",
+ "authProviderUnavailable": "{0} není aktuálně k dispozici.",
+ "previousSideBarView": "Předchozí zobrazení postranního panelu",
+ "nextSideBarView": "Další zobrazení postranního panelu"
+ },
+ "vs/workbench/browser/parts/compositeBar": {
+ "activityBarAriaLabel": "Přepínač aktivního zobrazení"
+ },
+ "vs/workbench/browser/parts/compositeBarActions": {
+ "badgeTitle": "{0} – {1}",
+ "additionalViews": "Další zobrazení",
+ "numberBadge": "{0} ({1})",
+ "manageExtension": "Spravovat rozšíření",
+ "titleKeybinding": "{0} ({1})",
+ "hide": "Skrýt",
+ "keep": "Zachovat",
+ "toggle": "Přepnout zobrazení připnutých"
+ },
+ "vs/workbench/browser/parts/compositePart": {
+ "ariaCompositeToolbarLabel": "Počet akcí: {0}",
+ "viewsAndMoreActions": "Zobrazení a další akce...",
+ "titleTooltip": "{0} ({1})"
+ },
+ "vs/workbench/browser/parts/panel/panelActions": {
+ "maximizeIcon": "Ikona pro maximalizaci panelu",
+ "restoreIcon": "Ikona pro obnovení panelu",
+ "closeIcon": "Ikona pro zavření panelu",
+ "closePanel": "Zavřít panel",
+ "togglePanel": "Přepnout panel",
+ "focusPanel": "Přepnout fokus na panel",
+ "toggleMaximizedPanel": "Přepnout maximalizovaný panel",
+ "maximizePanel": "Maximalizovat velikost panelu",
+ "minimizePanel": "Obnovit velikost panelu",
+ "positionPanelLeft": "Přesunout panel doleva",
+ "positionPanelRight": "Přesunout panel doprava",
+ "positionPanelBottom": "Přesunout panel dolů",
+ "previousPanelView": "Předchozí zobrazení panelu",
+ "nextPanelView": "Další zobrazení panelu",
+ "miShowPanel": "Zobrazit &&panel"
+ },
+ "vs/workbench/common/editor/diffEditorInput": {
+ "sideBySideLabels": "{0} ↔ {1}"
+ },
+ "vs/workbench/browser/parts/editor/editorWidgets": {
+ "openWorkspace": "Otevřít pracovní prostor"
+ },
+ "vs/workbench/browser/parts/editor/editorCommands": {
+ "editorCommand.activeEditorMove.description": "Přesunout aktivní editor podle karet nebo skupin",
+ "editorCommand.activeEditorMove.arg.name": "Argument přesunutí aktivního editoru",
+ "editorCommand.activeEditorMove.arg.description": "Vlastnosti argumentu:\r\n\t* to: Řetězcová hodnota s informacemi o umístění pro přesun\r\n\t* by: Řetězcová hodnota s informacemi o jednotce pro přesun (podle karty nebo podle skupiny)\r\n\t* value: Číselná hodnota, která udává, o kolik pozic se má provést přesun, nebo absolutní pozici pro přesun",
+ "toggleInlineView": "Přepnout vložené (inline) zobrazení",
+ "compare": "Porovnat",
+ "enablePreview": "Náhledové editory byly povoleny v nastaveních.",
+ "disablePreview": "Náhledové editory byly zakázány v nastaveních.",
+ "learnMode": "Další informace"
+ },
+ "vs/workbench/browser/parts/editor/textResourceEditor": {
+ "textEditor": "Textový editor"
+ },
+ "vs/workbench/browser/parts/titlebar/titlebarPart": {
+ "patchedWindowTitle": "[Nepodporováno]",
+ "userIsAdmin": "[Správce]",
+ "userIsSudo": "[Superuživatel]",
+ "devExtensionWindowTitlePrefix": "[Hostitel vývoje rozšíření]"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsList": {
+ "notificationAriaLabel": "{0}, oznámení",
+ "notificationWithSourceAriaLabel": "{0}, zdroj: {1}, oznámení",
+ "notificationsList": "Seznam oznámení"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsActions": {
+ "clearIcon": "Ikona pro akci vymazání v oznámeních",
+ "clearAllIcon": "Ikona pro akci vymazání všeho v oznámeních",
+ "hideIcon": "Ikona pro akci skrytí v oznámeních",
+ "expandIcon": "Ikona pro akci rozbalení v oznámeních",
+ "collapseIcon": "Ikona pro akci sbalení v oznámeních",
+ "configureIcon": "Ikona pro akci konfigurace v oznámeních",
+ "clearNotification": "Vymazat oznámení",
+ "clearNotifications": "Vymazat všechna oznámení",
+ "hideNotificationsCenter": "Skrýt oznámení",
+ "expandNotification": "Rozbalit oznámení",
+ "collapseNotification": "Sbalit oznámení",
+ "configureNotification": "Konfigurovat oznámení",
+ "copyNotification": "Kopírovat text"
+ },
+ "vs/workbench/api/common/extHostDiagnostics": {
+ "limitHit": "Nezobrazují se další chyby a upozornění (celkem {0})."
+ },
+ "vs/workbench/api/common/extHostProgress": {
+ "extensionSource": "{0} (rozšíření)"
+ },
+ "vs/workbench/api/common/extHostStatusBar": {
+ "status.extensionMessage": "Stav rozšíření"
+ },
+ "vs/workbench/api/common/extHostTreeViews": {
+ "treeView.notRegistered": "Není zaregistrováno žádné zobrazení stromu s ID {0}.",
+ "treeView.duplicateElement": "Element s ID {0} je už zaregistrovaný."
+ },
+ "vs/workbench/browser/parts/editor/textEditor": {
+ "editor": "Editor"
+ },
+ "vs/workbench/api/browser/mainThreadCustomEditors": {
+ "defaultEditLabel": "Upravit"
+ },
+ "vs/workbench/api/browser/mainThreadWebviews": {
+ "errorMessage": "Při načítání zobrazení došlo k chybě: {0}"
+ },
+ "vs/workbench/browser/parts/editor/tabsTitleControl": {
+ "ariaLabelTabActions": "Akce pro kartu"
+ },
+ "vs/workbench/browser/parts/editor/textDiffEditor": {
+ "textDiffEditor": "Editor rozdílů v textu"
+ },
+ "vs/workbench/browser/parts/editor/binaryDiffEditor": {
+ "metadataDiff": "{0} ↔ {1}"
+ },
+ "vs/workbench/browser/parts/editor/editorStatus": {
+ "singleSelectionRange": "Řádek {0}, sloupec {1} (vybráno: {2})",
+ "singleSelection": "Řádek {0}, sloupec {1}",
+ "multiSelectionRange": "Výběry: {0} (vybrané znaky: {1})",
+ "multiSelection": "Výběry: {0}",
+ "endOfLineLineFeed": "LF",
+ "endOfLineCarriageReturnLineFeed": "CRLF",
+ "screenReaderDetectedExplanation.question": "Používáte pro práci s editorem VS Code čtečku obrazovky? (Při použití čtečky obrazovky jsou zakázané některé funkce, jako je například zalamování řádků.)",
+ "screenReaderDetectedExplanation.answerYes": "Ano",
+ "screenReaderDetectedExplanation.answerNo": "Ne",
+ "noEditor": "V tuto chvíli není aktivní žádný textový editor.",
+ "noWritableCodeEditor": "Aktivní editor kódu je jen pro čtení.",
+ "indentConvert": "převést soubor",
+ "indentView": "změnit zobrazení",
+ "pickAction": "Vybrat akci",
+ "tabFocusModeEnabled": "Přesouvat fokus klávesou Tab",
+ "disableTabMode": "Zakázat režim usnadnění přístupu",
+ "status.editor.tabFocusMode": "Režim usnadnění přístupu",
+ "columnSelectionModeEnabled": "Výběr sloupce",
+ "disableColumnSelectionMode": "Zakázat režim výběru sloupce",
+ "status.editor.columnSelectionMode": "Režim výběru sloupce",
+ "screenReaderDetected": "Optimalizováno pro čtečku obrazovky",
+ "status.editor.screenReaderMode": "Režim čtečky obrazovky",
+ "gotoLine": "Přejít na řádek/sloupec",
+ "status.editor.selection": "Výběr editoru",
+ "selectIndentation": "Vybrat odsazení",
+ "status.editor.indentation": "Odsazení v editoru",
+ "selectEncoding": "Vybrat kódování",
+ "status.editor.encoding": "Kódování v editoru",
+ "selectEOL": "Vybrat sekvenci konce řádku",
+ "status.editor.eol": "Konec řádku editoru",
+ "selectLanguageMode": "Vybrat režim jazyka",
+ "status.editor.mode": "Jazyk editoru",
+ "fileInfo": "Informace o souboru",
+ "status.editor.info": "Informace o souboru",
+ "spacesSize": "Mezery: {0}",
+ "tabSize": "Velikost tabulátoru: {0}",
+ "currentProblem": "Aktuální problém",
+ "showLanguageExtensions": "Hledat {0} v rozšířeních na Marketplace...",
+ "changeMode": "Změnit režim jazyka",
+ "languageDescription": "({0}) – nakonfigurovaný jazyk",
+ "languageDescriptionConfigured": "({0})",
+ "languagesPicks": "jazyky (identifikátor)",
+ "configureModeSettings": "Konfigurovat nastavení na základě jazyka {0}...",
+ "configureAssociationsExt": "Konfigurovat přidružení souboru pro {0}...",
+ "autoDetect": "Automaticky zjistit",
+ "pickLanguage": "Vybrat režim jazyka",
+ "currentAssociation": "Aktuální přidružení",
+ "pickLanguageToConfigure": "Vybrat režim jazyka, který se má přidružit k {0}",
+ "changeEndOfLine": "Změnit sekvenci konce řádku",
+ "pickEndOfLine": "Vybrat sekvenci konce řádku",
+ "changeEncoding": "Změnit kódování souboru",
+ "noFileEditor": "V tuto chvíli není aktivní žádný soubor.",
+ "saveWithEncoding": "Uložit s kódováním",
+ "reopenWithEncoding": "Znovu otevřít s kódováním",
+ "guessedEncoding": "Odhadnuto z obsahu",
+ "pickEncodingForReopen": "Vybrat kódování souboru pro opětovné otevření souboru",
+ "pickEncodingForSave": "Vybrat kódování souboru pro jeho uložení"
+ },
+ "vs/workbench/browser/parts/editor/editorActions": {
+ "splitEditor": "Rozdělit editor",
+ "splitEditorOrthogonal": "Rozdělit editor ortogonálně",
+ "splitEditorGroupLeft": "Rozdělit editor doleva",
+ "splitEditorGroupRight": "Rozdělit editor vpravo",
+ "splitEditorGroupUp": "Rozdělit editor nahoru",
+ "splitEditorGroupDown": "Rozdělit editor dolů",
+ "joinTwoGroups": "Spojit skupinu editorů s další skupinou",
+ "joinAllGroups": "Spojit všechny skupiny editorů",
+ "navigateEditorGroups": "Navigace mezi skupinami editorů",
+ "focusActiveEditorGroup": "Přepnout fokus na aktivní skupinu editorů",
+ "focusFirstEditorGroup": "Přepnout fokus na první skupinu editorů",
+ "focusLastEditorGroup": "Přepnout fokus na poslední skupinu editorů",
+ "focusNextGroup": "Přepnout fokus na další skupinu editorů",
+ "focusPreviousGroup": "Přepnout fokus na předchozí skupinu editorů",
+ "focusLeftGroup": "Přepnout fokus na levou skupinu editorů",
+ "focusRightGroup": "Přepnout fokus na pravou skupinu editorů",
+ "focusAboveGroup": "Přepnout fokus na horní skupinu editorů",
+ "focusBelowGroup": "Přepnout fokus na dolní skupinu editorů",
+ "closeEditor": "Zavřít editor",
+ "unpinEditor": "Odepnout editor",
+ "closeOneEditor": "Zavřít",
+ "revertAndCloseActiveEditor": "Obnovit a zavřít editor",
+ "closeEditorsToTheLeft": "Zavřít editory nalevo ve skupině",
+ "closeAllEditors": "Zavřít všechny editory",
+ "closeAllGroups": "Zavřít všechny skupiny editorů",
+ "closeEditorsInOtherGroups": "Zavřít editory v jiných skupinách",
+ "closeEditorInAllGroups": "Zavřít editor ve všech skupinách",
+ "moveActiveGroupLeft": "Posunout skupinu editorů doleva",
+ "moveActiveGroupRight": "Přesunout skupinu editorů doprava",
+ "moveActiveGroupUp": "Přesunout skupinu editorů nahoru",
+ "moveActiveGroupDown": "Přesunout skupinu editorů dolů",
+ "minimizeOtherEditorGroups": "Maximalizovat skupinu editorů",
+ "evenEditorGroups": "Obnovit velikosti skupin editorů",
+ "toggleEditorWidths": "Přepnout velikosti skupin editorů",
+ "maximizeEditor": "Maximalizovat skupinu editorů a skrýt postranní panel",
+ "openNextEditor": "Otevřít další editor",
+ "openPreviousEditor": "Otevřít předchozí editor",
+ "nextEditorInGroup": "Otevřít další editor ve skupině",
+ "openPreviousEditorInGroup": "Otevřít předchozí editor ve skupině",
+ "firstEditorInGroup": "Otevřít první editor ve skupině",
+ "lastEditorInGroup": "Otevřít poslední editor ve skupině",
+ "navigateNext": "Přejít vpřed",
+ "navigatePrevious": "Přejít zpět",
+ "navigateToLastEditLocation": "Přejít na místo poslední úpravy",
+ "navigateLast": "Přejít na poslední",
+ "reopenClosedEditor": "Znovu otevřít zavřený editor",
+ "clearRecentFiles": "Vymazat naposledy otevřené",
+ "showEditorsInActiveGroup": "Zobrazit editory v aktivní skupině podle naposledy použitých",
+ "showAllEditors": "Zobrazit všechny editory podle vzhledu",
+ "showAllEditorsByMostRecentlyUsed": "Zobrazit všechny editory podle naposledy použitých",
+ "quickOpenPreviousRecentlyUsedEditor": "Rychle otevřít předchozí nedávno použitý editor",
+ "quickOpenLeastRecentlyUsedEditor": "Rychle otevřít nejdéle nepoužitý editor",
+ "quickOpenPreviousRecentlyUsedEditorInGroup": "Rychle otevřít předchozí nedávno použitý editor ve skupině",
+ "quickOpenLeastRecentlyUsedEditorInGroup": "Rychle otevřít nejdéle nepoužitý editor ve skupině",
+ "navigateEditorHistoryByInput": "Rychle otevřít předchozí editor z historie",
+ "openNextRecentlyUsedEditor": "Otevřít další nedávno použitý editor",
+ "openPreviousRecentlyUsedEditor": "Otevřít předchozí nedávno použitý editor",
+ "openNextRecentlyUsedEditorInGroup": "Otevřít další nedávno použitý editor ve skupině",
+ "openPreviousRecentlyUsedEditorInGroup": "Otevřít předchozí nedávno použitý editor ve skupině",
+ "clearEditorHistory": "Vymazat historii editoru",
+ "moveEditorLeft": "Přesunout editor doleva",
+ "moveEditorRight": "Přesunout editor doprava",
+ "moveEditorToPreviousGroup": "Přesunout editor do předchozí skupiny",
+ "moveEditorToNextGroup": "Přesunout editor do další skupiny",
+ "moveEditorToAboveGroup": "Přesunout editor do skupiny výše",
+ "moveEditorToBelowGroup": "Přesunout editor do skupiny níže",
+ "moveEditorToLeftGroup": "Přesunout editor do skupiny nalevo",
+ "moveEditorToRightGroup": "Přesunout editor do skupiny napravo",
+ "moveEditorToFirstGroup": "Přesunout editor do první skupiny",
+ "moveEditorToLastGroup": "Přesunout editor do poslední skupiny",
+ "editorLayoutSingle": "Rozložení editoru s jedním sloupcem",
+ "editorLayoutTwoColumns": "Rozložení editoru se dvěma sloupci",
+ "editorLayoutThreeColumns": "Rozložení editoru se třemi sloupci",
+ "editorLayoutTwoRows": "Rozložení editoru se dvěma řádky",
+ "editorLayoutThreeRows": "Rozložení editoru se třemi řádky",
+ "editorLayoutTwoByTwoGrid": "Rozložení editoru s mřížkou (2×2)",
+ "editorLayoutTwoColumnsBottom": "Rozložení editoru se dvěma sloupci v dolní části",
+ "editorLayoutTwoRowsRight": "Rozložení editoru se dvěma řádky vpravo",
+ "newEditorLeft": "Nová skupina editorů nalevo",
+ "newEditorRight": "Nová skupina editorů napravo",
+ "newEditorAbove": "Nová skupina editorů výše",
+ "newEditorBelow": "Nová skupina editorů níže",
+ "workbench.action.reopenWithEditor": "Znovu otevřít editor pomocí...",
+ "workbench.action.toggleEditorType": "Přepnout typ editoru"
+ },
+ "vs/workbench/browser/parts/editor/editorQuickAccess": {
+ "noViewResults": "Žádné odpovídající editory",
+ "entryAriaLabelWithGroupDirty": "{0}, neuložené změny, {1}",
+ "entryAriaLabelWithGroup": "{0}, {1}",
+ "entryAriaLabelDirty": "{0}, neuložené změny",
+ "closeEditor": "Zavřít editor"
+ },
+ "vs/workbench/browser/parts/editor/binaryEditor": {
+ "binaryEditor": "Prohlížeč binárních souborů",
+ "nativeFileTooLargeError": "Soubor není zobrazen v editoru, protože je příliš velký ({0}).",
+ "nativeBinaryError": "Soubor není zobrazen v editoru, protože je buď binární, nebo používá nepodporované kódování textu.",
+ "openAsText": "Chcete ho přesto otevřít?"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsViewer": {
+ "executeCommand": "Kliknutím provedete příkaz {0}.",
+ "notificationActions": "Akce oznámení",
+ "notificationSource": "Zdroj: {0}"
+ },
+ "vs/workbench/browser/parts/editor/titleControl": {
+ "ariaLabelEditorActions": "Akce pro editor",
+ "draggedEditorGroup": "{0} (+{1})"
+ },
+ "vs/workbench/browser/parts/editor/breadcrumbsControl": {
+ "cmd.toggle": "Přepnout popis cesty",
+ "miShowBreadcrumbs": "Zobrazit &&popis cesty",
+ "cmd.focus": "Přepnout fokus na popis cesty"
+ },
+ "vs/workbench/browser/parts/editor/breadcrumbs": {
+ "title": "Navigace s popisem cesty",
+ "enabled": "Umožňuje povolit nebo zakázat popis cesty navigace.",
+ "filepath": "Určuje, jestli a jak se mají zobrazovat cesty k souborům v zobrazení s popisem cesty.",
+ "filepath.on": "Zobrazovat cestu k souboru v zobrazení s popisem cesty",
+ "filepath.off": "Nezobrazovat cestu k souboru v zobrazení s popisem cesty",
+ "filepath.last": "V zobrazení s popisem cesty zobrazovat pouze poslední prvek cesty k souboru.",
+ "symbolpath": "Určuje, jestli a jak se mají zobrazovat symboly v zobrazení s popisem cesty.",
+ "symbolpath.on": "V zobrazení s popisem cesty zobrazovat všechny symboly",
+ "symbolpath.off": "V zobrazení s popisem cesty nezobrazovat symboly",
+ "symbolpath.last": "V zobrazení s popisem cesty zobrazovat pouze aktuální symbol",
+ "symbolSortOrder": "Určuje způsob řazení symbolů v zobrazení osnovy popisu cesty.",
+ "symbolSortOrder.position": "Osnovu symbolů zobrazovat v pořadí podle umístění souboru",
+ "symbolSortOrder.name": "Osnovu symbolů zobrazovat v abecedním pořadí",
+ "symbolSortOrder.type": "Osnovu symbolů zobrazovat v pořadí podle typu symbolu",
+ "icons": "Položky popisu cesty vykreslovat s ikonami",
+ "filteredTypes.file": "Pokud je povoleno, zobrazují se v popisu cesty symboly file.",
+ "filteredTypes.module": "Pokud je povoleno, zobrazují se v popisu cesty symboly module.",
+ "filteredTypes.namespace": "Pokud je povoleno, zobrazují se v popisu cesty symboly namespace.",
+ "filteredTypes.package": "Pokud je povoleno, zobrazují se v popisu cesty symboly package.",
+ "filteredTypes.class": "Pokud je povoleno, zobrazují se v popisu cesty symboly class.",
+ "filteredTypes.method": "Pokud je povoleno, zobrazují se v popisu cesty symboly method.",
+ "filteredTypes.property": "Pokud je povoleno, zobrazují se v popisu cesty symboly property.",
+ "filteredTypes.field": "Pokud je povoleno, zobrazují se v popisu cesty symboly field.",
+ "filteredTypes.constructor": "Pokud je povoleno, zobrazují se v popisu cesty symboly constructor.",
+ "filteredTypes.enum": "Pokud je povoleno, zobrazují se v popisu cesty symboly enum.",
+ "filteredTypes.interface": "Pokud je povoleno, zobrazují se v popisu cesty symboly interface.",
+ "filteredTypes.function": "Pokud je povoleno, zobrazují se v popisu cesty symboly function.",
+ "filteredTypes.variable": "Pokud je povoleno, zobrazují se v popisu cesty symboly variable.",
+ "filteredTypes.constant": "Pokud je povoleno, zobrazují se v popisu cesty symboly constant.",
+ "filteredTypes.string": "Pokud je povoleno, zobrazují se v popisu cesty symboly string.",
+ "filteredTypes.number": "Pokud je povoleno, zobrazují se v popisu cesty symboly number.",
+ "filteredTypes.boolean": "Pokud je povoleno, zobrazují se v popisu cesty symboly boolean.",
+ "filteredTypes.array": "Pokud je povoleno, zobrazují se v popisu cesty symboly array.",
+ "filteredTypes.object": "Pokud je povoleno, zobrazují se v popisu cesty symboly object.",
+ "filteredTypes.key": "Pokud je povoleno, zobrazují se v popisu cesty symboly key.",
+ "filteredTypes.null": "Pokud je povoleno, zobrazují se v popisu cesty symboly null.",
+ "filteredTypes.enumMember": "Pokud je povoleno, zobrazují se v popisu cesty symboly enumMember.",
+ "filteredTypes.struct": "Pokud je povoleno, zobrazují se v popisu cesty symboly struct.",
+ "filteredTypes.event": "Pokud je povoleno, zobrazují se v popisu cesty symboly event.",
+ "filteredTypes.operator": "Pokud je povoleno, zobrazují se v popisu cesty symboly operator.",
+ "filteredTypes.typeParameter": "Pokud je povoleno, zobrazují se v popisu cesty symboly typeParameter."
+ },
+ "vs/workbench/browser/parts/editor/breadcrumbsPicker": {
+ "breadcrumbs": "Popis cesty"
+ },
+ "vs/workbench/contrib/backup/electron-sandbox/backupTracker": {
+ "backupTrackerBackupFailed": "Minimálně jeden editor obsahující neuložené změny se nepovedlo uložit do umístění zálohy.",
+ "backupTrackerConfirmFailed": "Minimálně jeden editor obsahující neuložené změny se nepovedlo uložit nebo obnovit.",
+ "ok": "OK",
+ "backupErrorDetails": "Zkuste nejdříve uložit editory obsahující neuložené změny (nebo tyto změny v editorech vrátit zpět) a potom to zkuste znovu."
+ },
+ "vs/workbench/contrib/bulkEdit/browser/bulkEditService": {
+ "summary.0": "Nebyly provedeny žádné úpravy.",
+ "summary.nm": "Provedeno {0} textových úprav v {1} souborech",
+ "summary.n0": "Provedeno {0} textových úprav v jednom souboru",
+ "workspaceEdit": "Úprava pracovního prostoru",
+ "nothing": "Nebyly provedeny žádné úpravy."
+ },
+ "vs/workbench/contrib/bulkEdit/browser/preview/bulkEdit.contribution": {
+ "overlap": "Je zobrazen náhled jiného refaktoringu.",
+ "cancel": "Zrušit",
+ "continue": "Pokračovat",
+ "detail": "Kliknutím na Pokračovat zahodíte předchozí refaktoring a budete pokračovat s aktuálním refaktoringem.",
+ "apply": "Použít refaktoring",
+ "cat": "Náhled refaktoringu",
+ "Discard": "Zahodit refaktoring",
+ "toogleSelection": "Přepnout změnu",
+ "groupByFile": "Seskupit změny podle souboru",
+ "groupByType": "Seskupit změny podle typu",
+ "refactorPreviewViewIcon": "Zobrazit ikonu zobrazení náhledu refaktorování",
+ "panel": "Náhled refaktoringu"
+ },
+ "vs/workbench/contrib/bulkEdit/browser/preview/bulkEditPane": {
+ "empty.msg": "Vyvoláním akce kódu, jako je přejmenování, tady zobrazíte náhled jejích změn.",
+ "conflict.1": "Refaktoring nelze použít, protože soubor {0} se mezitím změnil.",
+ "conflict.N": "Refaktoring nelze použít, protože se mezitím změnily některé další soubory ({0}).",
+ "edt.title.del": "{0} (odstranění, náhled refaktoringu)",
+ "rename": "přejmenovat",
+ "create": "vytvořit",
+ "edt.title.2": "{0} ({1}, náhled refaktoringu)",
+ "edt.title.1": "{0} (náhled refaktoringu)"
+ },
+ "vs/workbench/contrib/bulkEdit/browser/preview/bulkEditPreview": {
+ "default": "Jiné"
+ },
+ "vs/workbench/contrib/bulkEdit/browser/preview/bulkEditTree": {
+ "bulkEdit": "Hromadné úpravy",
+ "aria.renameAndEdit": "Přejmenovává se {0} na {1} a také se provádí úpravy textu.",
+ "aria.createAndEdit": "Vytváří se {0} a také se provádí úpravy textu.",
+ "aria.deleteAndEdit": "Odstraňuje se {0} a také se provádí úpravy textu.",
+ "aria.editOnly": "{0}, provádění úprav textu",
+ "aria.rename": "{0} se přejmenovává na {1}.",
+ "aria.create": "Vytváří se {0}.",
+ "aria.delete": "Odstraňuje se {0}.",
+ "aria.replace": "řádek {0}, {1} se mění na {2}",
+ "aria.del": "řádek {0}, odebírá se {1}",
+ "aria.insert": "řádek {0}, vkládá se {1}",
+ "rename.label": "{0} → {1}",
+ "detail.rename": "(přejmenovávání)",
+ "detail.create": "(vytváření)",
+ "detail.del": "(odstraňování)",
+ "title": "{0} – {1}"
+ },
+ "vs/workbench/contrib/callHierarchy/browser/callHierarchy.contribution": {
+ "no.item": "Žádné výsledky",
+ "error": "Nepovedlo se zobrazit hierarchii volání.",
+ "title": "Náhled hierarchie volání",
+ "title.incoming": "Zobrazit příchozí volání",
+ "showIncomingCallsIcons": "Ikona pro příchozí volání v zobrazení hierarchie volání",
+ "title.outgoing": "Zobrazit odchozí volání",
+ "showOutgoingCallsIcon": "Ikona pro odchozí volání v zobrazení hierarchie volání",
+ "title.refocus": "Přepnout fokus zpět na hierarchii volání",
+ "close": "Zavřít"
+ },
+ "vs/workbench/contrib/callHierarchy/browser/callHierarchyPeek": {
+ "callFrom": "Volání z {0}",
+ "callsTo": "Volající {0}",
+ "title.loading": "Načítání...",
+ "empt.callsFrom": "Žádná volání z {0}",
+ "empt.callsTo": "Žádní volající {0}"
+ },
+ "vs/workbench/contrib/callHierarchy/browser/callHierarchyTree": {
+ "tree.aria": "Hierarchie volání",
+ "from": "volání z {0}",
+ "to": "volající pro {0}"
+ },
+ "vs/workbench/contrib/cli/node/cli.contribution": {
+ "shellCommand": "Příkaz prostředí",
+ "install": "Nainstalovat příkaz {0} v proměnné PATH",
+ "not available": "Tento příkaz není k dispozici.",
+ "ok": "OK",
+ "cancel2": "Zrušit",
+ "warnEscalation": "Code vás nyní pomocí nástroje osascript požádá o oprávnění správce k instalaci příkazu prostředí.",
+ "cantCreateBinFolder": "Nelze vytvořit složku /usr/local/bin.",
+ "aborted": "Přerušeno",
+ "successIn": "Příkaz prostředí {0} se úspěšně nainstaloval do proměnné PATH.",
+ "uninstall": "Odinstalovat příkaz {0} z proměnné PATH",
+ "warnEscalationUninstall": "Code vás nyní pomocí nástroje osascript požádá o oprávnění správce k odinstalaci příkazu prostředí.",
+ "cantUninstall": "Nelze odinstalovat příkaz prostředí {0}.",
+ "successFrom": "Příkaz prostředí {0} se úspěšně odinstaloval z proměnné PATH."
+ },
+ "vs/workbench/contrib/codeActions/common/codeActionsContribution": {
+ "codeActionsOnSave.fixAll": "Určuje, jestli má být při ukládání souboru spuštěna akce automatické opravy.",
+ "codeActionsOnSave": "Typy akcí kódu, které se mají spustit při uložení",
+ "codeActionsOnSave.generic": "Určuje, jestli by se při ukládání souborů měly spouštět akce {0}."
+ },
+ "vs/workbench/contrib/codeActions/common/codeActionsExtensionPoint": {
+ "contributes.codeActions": "Umožňuje nakonfigurovat, který editor se má použít pro daný prostředek.",
+ "contributes.codeActions.languages": "Režimy jazyka, pro které jsou povoleny akce kódu",
+ "contributes.codeActions.kind": "CodeActionKind přidané akce kódu",
+ "contributes.codeActions.title": "Popisek pro akci kódu používaný v uživatelském rozhraní",
+ "contributes.codeActions.description": "Popis toho, co akce kódu provádí"
+ },
+ "vs/workbench/contrib/codeActions/common/documentationExtensionPoint": {
+ "contributes.documentation": "Přidaná dokumentace",
+ "contributes.documentation.refactorings": "Přidaná dokumentace pro refaktoringy",
+ "contributes.documentation.refactoring": "Přidaná dokumentace pro refaktoring",
+ "contributes.documentation.refactoring.title": "Popisek pro dokumentaci používaný v uživatelském rozhraní",
+ "contributes.documentation.refactoring.when": "Klauzule When",
+ "contributes.documentation.refactoring.command": "Příkaz byl proveden."
+ },
+ "vs/workbench/contrib/codeEditor/electron-browser/startDebugTextMate": {
+ "startDebugTextMate": "Spustit protokolování gramatiky syntaxe TextMate"
+ },
+ "vs/workbench/contrib/codeEditor/electron-sandbox/selectionClipboard": {
+ "actions.pasteSelectionClipboard": "Vložit schránku s výběrem"
+ },
+ "vs/workbench/contrib/codeEditor/browser/languageConfigurationExtensionPoint": {
+ "parseErrors": "Chyba při parsování {0}: {1}",
+ "formatError": "{0}: Neplatný formát. Očekává se objekt JSON.",
+ "schema.openBracket": "Znak levé hranaté závorky nebo řetězcová sekvence",
+ "schema.closeBracket": "Znak pravé hranaté závorky nebo řetězcová sekvence",
+ "schema.comments": "Definuje symboly komentářů.",
+ "schema.blockComments": "Definuje, jak jsou označovány komentáře k bloku.",
+ "schema.blockComment.begin": "Sekvence znaků, kterou začíná komentář k bloku",
+ "schema.blockComment.end": "Sekvence znaků, kterou končí komentář k bloku",
+ "schema.lineComment": "Sekvence znaků, kterou začíná řádkový komentář",
+ "schema.brackets": "Definuje symboly hranatých závorek, které zvyšují nebo snižují úroveň odsazení.",
+ "schema.autoClosingPairs": "Definuje páry hranatých závorek. Při zadání levé hranaté závorky se automaticky vloží pravá hranatá závorka.",
+ "schema.autoClosingPairs.notIn": "Definuje seznam oborů, kde jsou automatické páry zakázané.",
+ "schema.autoCloseBefore": "Definuje, jaké znaky musí být za kurzorem, aby se při použití nastavení languageDefined automaticky doplňovaly pravé hranaté závorky a uvozovky. Obvykle se jedná o sadu znaků, kterými nemohou začínat výrazy.",
+ "schema.surroundingPairs": "Definuje páry hranatých závorek, do kterých lze uzavřít vybraný řetězec.",
+ "schema.wordPattern": "Definuje, co je považováno za slovo v programovacím jazyce.",
+ "schema.wordPattern.pattern": "Vzor RegExp používaný pro vyhledávání shodných slov",
+ "schema.wordPattern.flags": "Příznaky RegExp používané pro vyhledávání shodných slov",
+ "schema.wordPattern.flags.errorMessage": "Musí odpovídat vzoru /^([gimuy]+)$/.",
+ "schema.indentationRules": "Nastavení odsazení daného jazyka",
+ "schema.indentationRules.increaseIndentPattern": "Pokud řádek odpovídá tomuto vzoru, pak by všechny řádky po něm měly být jednou odsazeny (až do shody s jiným pravidlem).",
+ "schema.indentationRules.increaseIndentPattern.pattern": "Vzor RegExp pro increaseIndentPattern",
+ "schema.indentationRules.increaseIndentPattern.flags": "Příznaky RegExp pro increaseIndentPattern",
+ "schema.indentationRules.increaseIndentPattern.errorMessage": "Musí odpovídat vzoru /^([gimuy]+)$/.",
+ "schema.indentationRules.decreaseIndentPattern": "Pokud řádek odpovídá tomuto vzoru, pak by pro všechny řádky po něm mělo být jednou zrušeno odsazení (až do shody s jiným pravidlem).",
+ "schema.indentationRules.decreaseIndentPattern.pattern": "Vzor RegExp pro decreaseIndentPattern",
+ "schema.indentationRules.decreaseIndentPattern.flags": "Příznaky RegExp pro decreaseIndentPattern",
+ "schema.indentationRules.decreaseIndentPattern.errorMessage": "Musí odpovídat vzoru /^([gimuy]+)$/.",
+ "schema.indentationRules.indentNextLinePattern": "Pokud řádek odpovídá tomuto vzoru, pak měl být jednou odsazen **pouze další řádek**, který po něm následuje.",
+ "schema.indentationRules.indentNextLinePattern.pattern": "Vzor RegExp pro indentNextLinePattern",
+ "schema.indentationRules.indentNextLinePattern.flags": "Příznaky RegExp pro indentNextLinePattern",
+ "schema.indentationRules.indentNextLinePattern.errorMessage": "Musí odpovídat vzoru /^([gimuy]+)$/.",
+ "schema.indentationRules.unIndentedLinePattern": "Pokud řádek odpovídá tomuto vzoru, jeho odsazení by se nemělo změnit a nemělo by být vyhodnocováno podle ostatních pravidel.",
+ "schema.indentationRules.unIndentedLinePattern.pattern": "Vzor RegExp pro unIndentedLinePattern",
+ "schema.indentationRules.unIndentedLinePattern.flags": "Příznaky RegExp pro unIndentedLinePattern",
+ "schema.indentationRules.unIndentedLinePattern.errorMessage": "Musí odpovídat vzoru /^([gimuy]+)$/.",
+ "schema.folding": "Nastavení pro sbalování kódu daného jazyka",
+ "schema.folding.offSide": "Jazyk se řídí pravidlem odsazení, pokud jsou bloky v tomto jazyce odsazeny. Pokud je nastaveno, budou prázdné řádky patřit do následujícího bloku.",
+ "schema.folding.markers": "Značky pro sbalování kódu specifické pro daný jazyk, například #region a #endregion. Počáteční a koncové regulární výrazy se budou testovat na obsahu všech řádků a musí být navrženy efektivně.",
+ "schema.folding.markers.start": "Vzor RegExp pro počáteční značku. RegExp musí začínat znakem ^.",
+ "schema.folding.markers.end": "Vzor RegExp pro koncovou značku. RegExp musí začínat znakem ^."
+ },
+ "vs/workbench/contrib/codeEditor/browser/quickaccess/gotoSymbolQuickAccess": {
+ "empty": "Žádné odpovídající položky",
+ "gotoSymbolQuickAccessPlaceholder": "Zadejte název symbolu, na který se má přejít.",
+ "gotoSymbolQuickAccess": "Přejít na symbol v editoru",
+ "gotoSymbolByCategoryQuickAccess": "Přejít na symbol v editoru podle kategorie",
+ "gotoSymbol": "Přejít na symbol v editoru..."
+ },
+ "vs/workbench/contrib/codeEditor/browser/accessibility/accessibility": {
+ "emergencyConfOn": "Mění se hodnota nastavení editor.accessibilitySupport na on.",
+ "openingDocs": "Otevírá se stránka dokumentace k usnadnění přístupu ve VS Code.",
+ "introMsg": "Děkujeme, že jste si vyzkoušeli možnosti usnadnění přístupu ve VS Code.",
+ "status": "Stav:",
+ "changeConfigToOnMac": "Pokud chcete editor nakonfigurovat tak, aby byl neustále optimalizovaný na použití se čtečkou obrazovky, stiskněte teď kombinaci kláves Command+E.",
+ "changeConfigToOnWinLinux": "Pokud chcete editor nakonfigurovat tak, aby byl neustále optimalizovaný na použití se čtečkou obrazovky, stiskněte teď kombinaci kláves Control+E.",
+ "auto_unknown": "Editor je nakonfigurovaný tak, aby pomocí rozhraní API platformy zjistil, kdy je připojená čtečka obrazovky, ale aktuální modul runtime to nepodporuje.",
+ "auto_on": "Editor automaticky zjistil, že je připojená čtečka obrazovky.",
+ "auto_off": "Editor je nakonfigurovaný tak, aby automaticky zjišťoval, kdy je připojená čtečka obrazovky, což v tuto chvíli není ten případ.",
+ "configuredOn": "Editor je nakonfigurovaný tak, aby byl trvale optimalizovaný pro použití se čtečkou obrazovky – můžete to změnit upravením nastavení editor.accessibilitySupport.",
+ "configuredOff": "Editor je nakonfigurovaný tak, aby nebyl nikdy neoptimalizovaný pro použití se čtečkou obrazovky.",
+ "tabFocusModeOnMsg": "Stisknutím klávesy Tab v aktuálním editoru přesunete fokus na další prvek, který může mít fokus. Toto chování můžete přepínat stisknutím klávesy {0}.",
+ "tabFocusModeOnMsgNoKb": "Stisknutím klávesy Tab v aktuálním editoru přesunete fokus na další prvek, který může mít fokus. Příkaz {0} nelze aktuálně aktivovat pomocí klávesové zkratky.",
+ "tabFocusModeOffMsg": "Stisknutím klávesy Tab v aktuálním editoru vložíte znak tabulátoru. Toto chování můžete přepínat stisknutím klávesy {0}.",
+ "tabFocusModeOffMsgNoKb": "Stisknutím klávesy Tab v aktuálním editoru vložíte znak tabulátoru. Příkaz {0} nelze aktuálně aktivovat pomocí klávesové zkratky.",
+ "openDocMac": "Stisknutím kombinace kláves Command+H otevřete okno prohlížeče s dalšími informacemi o VS Code, které se vztahují na usnadnění přístupu.",
+ "openDocWinLinux": "Stisknutím kombinace kláves Control+H otevřete okno prohlížeče s dalšími informacemi o VS Code, které se vztahují na usnadnění přístupu.",
+ "outroMsg": "Stisknutím kláves Esc nebo Shift+Esc můžete tento popis zavřít a vrátit se do editoru.",
+ "ShowAccessibilityHelpAction": "Zobrazit nápovědu k funkcím pro usnadnění přístupu"
+ },
+ "vs/workbench/contrib/codeEditor/browser/diffEditorHelper": {
+ "hintTimeout": "Algoritmus zjišťování rozdílů byl předčasně zastaven (po {0} ms).",
+ "removeTimeout": "Odebrat limit",
+ "hintWhitespace": "Zobrazit rozdíly v prázdných znacích"
+ },
+ "vs/workbench/contrib/codeEditor/browser/inspectKeybindings": {
+ "workbench.action.inspectKeyMap": "Vývojář: zkontrolovat mapování kláves",
+ "workbench.action.inspectKeyMapJSON": "Zkontrolovat klávesové zkratky (JSON)"
+ },
+ "vs/workbench/contrib/codeEditor/browser/largeFileOptimizations": {
+ "largeFile": "{0}: Pro tento velký soubor byly vypnuty funkce tokenizace, zalamování a sbalování, aby se snížilo využití paměti a zabránilo se zamrznutí nebo chybovému ukončení.",
+ "removeOptimizations": "Vynuceně povolit funkce",
+ "reopenFilePrompt": "Toto nastavení se projeví po opětovném otevření souboru."
+ },
+ "vs/workbench/contrib/codeEditor/browser/inspectEditorTokens/inspectEditorTokens": {
+ "inspectEditorTokens": "Vývojář: zkontrolovat tokeny a obory editoru",
+ "inspectTMScopesWidget.loading": "Načítání..."
+ },
+ "vs/workbench/contrib/codeEditor/browser/quickaccess/gotoLineQuickAccess": {
+ "gotoLineQuickAccessPlaceholder": "Zadejte číslo řádku a volitelně i sloupec, na které se má přejít (například 42:5 pro řádek 42 a sloupec 5).",
+ "gotoLineQuickAccess": "Přejít na řádek/sloupec",
+ "gotoLine": "Přejít na řádek/sloupec..."
+ },
+ "vs/workbench/contrib/codeEditor/browser/saveParticipants": {
+ "formatting": "Spouští se formátovací modul {0} ([nakonfigurovat](command:workbench.action.openSettings?%5B%22editor.formatOnSave%22%5D)).",
+ "codeaction": "Rychlé opravy",
+ "codeaction.get": "Načítají se akce kódu z {0} ([nakonfigurovat](command:workbench.action.openSettings?%5B%22editor.codeActionsOnSave%22%5D)).",
+ "codeAction.apply": "Aplikuje se akce kódu {0}."
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleColumnSelection": {
+ "toggleColumnSelection": "Přepnout režim výběru sloupce",
+ "miColumnSelection": "Režim výběru &&sloupce"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleMinimap": {
+ "toggleMinimap": "Přepnout minimapu",
+ "miShowMinimap": "Zobrazit &&minimapu"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleMultiCursorModifier": {
+ "toggleLocation": "Přepnout modifikační klávesu pro více kurzorů",
+ "miMultiCursorAlt": "Do režimu s více kurzory přepnete kliknutím s podrženou klávesou Alt.",
+ "miMultiCursorCmd": "Do režimu s více kurzory přepnete kliknutím s podrženou klávesou Cmd.",
+ "miMultiCursorCtrl": "Do režimu s více kurzory přepnete kliknutím s podrženou klávesou Ctrl."
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleRenderControlCharacter": {
+ "toggleRenderControlCharacters": "Přepnout řídicí znaky",
+ "miToggleRenderControlCharacters": "Vykreslit řídicí &&znaky"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleRenderWhitespace": {
+ "toggleRenderWhitespace": "Přepnout vykreslování prázdných znaků",
+ "miToggleRenderWhitespace": "&&Zobrazit prázdné znaky"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleWordWrap": {
+ "toggle.wordwrap": "Zobrazení: přepnout zalamování řádků",
+ "unwrapMinified": "Zakázat zalamování pro tento soubor",
+ "wrapMinified": "Povolit zalamování řádků pro tento soubor",
+ "miToggleWordWrap": "Přepnout z&&alamování řádků"
+ },
+ "vs/workbench/contrib/codeEditor/browser/find/simpleFindWidget": {
+ "label.find": "Najít",
+ "placeholder.find": "Najít",
+ "label.previousMatchButton": "Předchozí shoda",
+ "label.nextMatchButton": "Další shoda",
+ "label.closeButton": "Zavřít"
+ },
+ "vs/workbench/contrib/codeEditor/browser/find/simpleFindReplaceWidget": {
+ "label.find": "Najít",
+ "placeholder.find": "Najít",
+ "label.previousMatchButton": "Předchozí shoda",
+ "label.nextMatchButton": "Další shoda",
+ "label.closeButton": "Zavřít",
+ "label.toggleReplaceButton": "Přepnout režim nahrazení",
+ "label.replace": "Nahradit",
+ "placeholder.replace": "Nahradit",
+ "label.replaceButton": "Nahradit",
+ "label.replaceAllButton": "Nahradit vše"
+ },
+ "vs/workbench/contrib/comments/browser/comments.contribution": {
+ "commentsConfigurationTitle": "Komentáře",
+ "openComments": "Určuje, kdy se má otevřít panel komentářů."
+ },
+ "vs/workbench/contrib/comments/browser/commentsEditorContribution": {
+ "pickCommentService": "Vybrat zprostředkovatele komentářů",
+ "nextCommentThreadAction": "Přejít na další vlákno komentáře"
+ },
+ "vs/workbench/contrib/comments/browser/commentsView": {
+ "collapseAll": "Sbalit vše",
+ "rootCommentsLabel": "Komentáře pro aktuální pracovní prostor",
+ "resourceWithCommentThreadsLabel": "Komentáře v {0}, úplná cesta: {1}",
+ "resourceWithCommentLabel": "Komentář ze ${0} – řádek {1}, sloupec {2} v {3}, zdroj: {4}"
+ },
+ "vs/workbench/contrib/comments/browser/commentsTreeViewer": {
+ "imageWithLabel": "Obrázek: {0}",
+ "image": "Obrázek"
+ },
+ "vs/workbench/contrib/comments/browser/commentGlyphWidget": {
+ "editorGutterCommentRangeForeground": "Barva dekorace mezery u okraje v editoru pro rozsahy komentování"
+ },
+ "vs/workbench/contrib/comments/browser/commentThreadWidget": {
+ "collapseIcon": "Ikona pro sbalení komentáře k revizi",
+ "label.collapse": "Sbalit",
+ "startThread": "Zahájit diskuzi",
+ "reply": "Odpovědět...",
+ "newComment": "Zadejte nový komentář."
+ },
+ "vs/workbench/contrib/comments/common/commentModel": {
+ "noComments": "V tomto pracovním prostoru zatím nejsou žádné komentáře."
+ },
+ "vs/workbench/contrib/comments/browser/commentNode": {
+ "commentToggleReaction": "Přepnout reakci",
+ "commentToggleReactionError": "Přepnutí reakce na komentář selhalo: {0}.",
+ "commentToggleReactionDefaultError": "Přepnutí reakce na komentář selhalo.",
+ "commentDeleteReactionError": "Odstranění reakce na komentář selhalo: {0}.",
+ "commentDeleteReactionDefaultError": "Odstranění reakce na komentář selhalo.",
+ "commentAddReactionError": "Odstranění reakce na komentář selhalo: {0}.",
+ "commentAddReactionDefaultError": "Odstranění reakce na komentář selhalo."
+ },
+ "vs/workbench/contrib/comments/browser/reactionsAction": {
+ "pickReactions": "Vybrat reakce..."
+ },
+ "vs/workbench/contrib/customEditor/browser/customEditors": {
+ "openWithCurrentlyActive": "Aktuálně aktivní",
+ "promptOpenWith.setDefaultTooltip": "Nastavit jako výchozí editor pro soubory {0}",
+ "promptOpenWith.placeHolder": "Vybrat editor, který se má použít pro: {0}..."
+ },
+ "vs/workbench/contrib/customEditor/common/contributedCustomEditors": {
+ "builtinProviderDisplayName": "Integrovaný",
+ "promptOpenWith.defaultEditor.displayName": "Textový editor"
+ },
+ "vs/workbench/contrib/customEditor/common/extensionPoint": {
+ "contributes.customEditors": "Přidané vlastní editory",
+ "contributes.viewType": "Identifikátor vlastního editoru. Tato hodnota musí být jedinečná napříč všemi vlastními editory, proto doporučujeme zahrnout ID rozšíření do hodnoty nastavení viewType. Nastavení viewType se používá při registraci vlastních editorů pomocí nastavení vscode.registerCustomEditorProvider a v [aktivační události] onCustomEditor:${id} (https://code.visualstudio.com/api/references/activation-events).",
+ "contributes.displayName": "Lidsky čitelný název vlastního editoru. Zobrazí se uživatelům při výběru editoru, který se má použít.",
+ "contributes.selector": "Sada vzorů glob, pro kterou je vlastní editor povolen",
+ "contributes.selector.filenamePattern": "Vzor glob, pro který je vlastní editor povolen",
+ "contributes.priority": "Určuje, jestli je vlastní editor povolen automaticky, když uživatel otevře soubor. Může být přepsáno uživatelem pomocí nastavení workbench.editorAssociations.",
+ "contributes.priority.default": "Editor se použije automaticky, když uživatel otevře prostředek, za předpokladu, že pro tento prostředek nejsou zaregistrovány žádné jiné výchozí vlastní editory.",
+ "contributes.priority.option": "Editor se nepoužije automaticky, když uživatel otevře daný prostředek, uživatel ale může přepnout do editoru pomocí příkazu Znovu otevřít pomocí."
+ },
+ "vs/workbench/contrib/debug/common/debug": {
+ "internalConsoleOptions": "Určuje, kdy se má otevřít interní konzola ladění."
+ },
+ "vs/workbench/contrib/debug/browser/debug.contribution": {
+ "debugCategory": "Ladit",
+ "runCategory": "Spustit",
+ "startDebugPlaceholder": "Zadejte název konfigurace spuštění, která se má použít.",
+ "startDebuggingHelp": "Spustit ladění",
+ "terminateThread": "Ukončit podproces",
+ "debugFocusConsole": "Přepnout fokus na zobrazení konzoly ladění",
+ "jumpToCursor": "Přejít na kurzor",
+ "SetNextStatement": "Nastavit další příkaz",
+ "inlineBreakpoint": "Vložená (inline) zarážka",
+ "stepBackDebug": "Krok zpátky",
+ "reverseContinue": "Změnit směr",
+ "restartFrame": "Restartovat rámec",
+ "copyStackTrace": "Kopírovat zásobník volání",
+ "setValue": "Nastavit hodnotu",
+ "copyValue": "Kopírovat hodnotu",
+ "copyAsExpression": "Kopírovat jako výraz",
+ "addToWatchExpressions": "Přidat do kukátka",
+ "breakWhenValueChanges": "Přerušit při změně hodnoty",
+ "miViewRun": "&&Spustit",
+ "miToggleDebugConsole": "Konzola &&ladění",
+ "miStartDebugging": "&&Spustit ladění",
+ "miRun": "&&Spustit bez ladění",
+ "miStopDebugging": "&&Zastavit ladění",
+ "miRestart Debugging": "&&Restartovat ladění",
+ "miOpenConfigurations": "Otevřít &&konfigurace",
+ "miAddConfiguration": "&&Přidat konfiguraci...",
+ "miStepOver": "Krokovat &&bez vnoření",
+ "miStepInto": "Krokovat s &&vnořením",
+ "miStepOut": "Krokovat s v&&ystoupením",
+ "miContinue": "&&Pokračovat",
+ "miToggleBreakpoint": "Přepnout &&zarážku",
+ "miConditionalBreakpoint": "&&Podmíněná zarážka...",
+ "miInlineBreakpoint": "Vložená (inline) &&zarážka",
+ "miFunctionBreakpoint": "&&Zarážka funkce...",
+ "miLogPoint": "&&Protokolovací bod...",
+ "miNewBreakpoint": "&&Nová zarážka",
+ "miEnableAllBreakpoints": "&&Povolit všechny zarážky",
+ "miDisableAllBreakpoints": "&&Zakázat všechny zarážky",
+ "miRemoveAllBreakpoints": "Odebrat &&všechny zarážky",
+ "miInstallAdditionalDebuggers": "&&Nainstalovat další ladicí programy...",
+ "debugPanel": "Konzola ladění",
+ "run": "Spustit",
+ "variables": "Proměnné",
+ "watch": "Kukátko",
+ "callStack": "Zásobník volání",
+ "breakpoints": "Zarážky",
+ "loadedScripts": "Načtené skripty",
+ "debugConfigurationTitle": "Ladit",
+ "allowBreakpointsEverywhere": "Povolit nastavení zarážek v libovolném souboru",
+ "openExplorerOnEnd": "Na konci relace ladění automaticky otevřít zobrazení průzkumníka",
+ "inlineValues": "Umožňuje zobrazit hodnoty proměnných vloženě (inline) v editoru během ladění.",
+ "toolBarLocation": "Určuje umístění panelu ladění. Možné hodnoty: floating (ve všech zobrazeních), docked (v zobrazení ladění) nebo hidden",
+ "never": "Nikdy nezobrazovat ladění na stavovém řádku",
+ "always": "Vždy zobrazovat ladění na stavovém řádku",
+ "onFirstSessionStart": "Zobrazit ladění na stavovém řádku až po prvním spuštění ladění",
+ "showInStatusBar": "Určuje, kdy by měl být viditelný stavový řádek ladění.",
+ "debug.console.closeOnEnd": "Určuje, jestli má být konzola ladění po skončení relace ladění automaticky zavřena.",
+ "openDebug": "Určuje, kdy se má otevřít zobrazení ladění.",
+ "showSubSessionsInToolBar": "Určuje, jestli se dílčí relace ladění zobrazují na panelu nástrojů ladění. Pokud má toto nastavení hodnotu false, příkaz stop pro dílčí relaci zastaví také nadřazenou relaci.",
+ "debug.console.fontSize": "Určuje velikost písma v pixelech v konzole ladění.",
+ "debug.console.fontFamily": "Určuje rodinu písem v konzole ladění.",
+ "debug.console.lineHeight": "Určuje výšku řádku v pixelech v konzole ladění. Pokud chcete, aby se výška řádku vypočítala z velikosti písma, použijte hodnotu 0.",
+ "debug.console.wordWrap": "Určuje, jestli se mají v konzole ladění zalamovat řádky.",
+ "debug.console.historySuggestions": "Určuje, jestli by konzola ladění měla navrhnout dříve zadaný vstup.",
+ "launch": "Globální konfigurace spuštění ladění. Mělo by se používat jako alternativa k souboru launch.json, který je sdílen napříč pracovními prostory.",
+ "debug.focusWindowOnBreak": "Určuje, jestli má mít okno pracovní plochy fokus při přerušení ladicího programu.",
+ "debugAnyway": "Ignorovat chyby úloh a spustit ladění",
+ "showErrors": "Otevřít zobrazení problémů a nespouštět ladění",
+ "prompt": "Zobrazit výzvu uživateli",
+ "cancel": "Zrušit ladění",
+ "debug.onTaskErrors": "Určuje, co se má provést, když se po spuštění preLaunchTask vyskytnou chyby.",
+ "showBreakpointsInOverviewRuler": "Určuje, jestli mají být na přehledovém pravítku zobrazené zarážky.",
+ "showInlineBreakpointCandidates": "Určuje, jestli se mají v editoru při ladění zobrazovat dekorace kandidátů vložených (inline) zarážek."
+ },
+ "vs/workbench/contrib/debug/browser/debugEditorContribution": {
+ "addConfiguration": "Přidat konfiguraci..."
+ },
+ "vs/workbench/contrib/debug/browser/breakpointEditorContribution": {
+ "logPoint": "Protokolovací bod",
+ "breakpoint": "Zarážka",
+ "breakpointHasConditionDisabled": "{0} obsahuje {1}. Při odebrání se ztratí. Místo toho zvažte povolení možnosti {0}.",
+ "message": "zpráva",
+ "condition": "podmínka",
+ "breakpointHasConditionEnabled": "{0} obsahuje {1}. Při odebrání se ztratí. Místo toho zvažte zakázání možnosti {0}.",
+ "removeLogPoint": "Odebrat {0}",
+ "disableLogPoint": "{0} {1}",
+ "disable": "Zakázat",
+ "enable": "Povolit",
+ "cancel": "Zrušit",
+ "removeBreakpoint": "Odebrat {0}",
+ "editBreakpoint": "Upravit {0}...",
+ "disableBreakpoint": "Zakázat {0}",
+ "enableBreakpoint": "Povolit {0}",
+ "removeBreakpoints": "Odebrat zarážky",
+ "removeInlineBreakpointOnColumn": "Odebrat vloženou (inline) zarážku ve sloupci {0}",
+ "removeLineBreakpoint": "Odebrat zarážku řádku",
+ "editBreakpoints": "Upravit zarážky",
+ "editInlineBreakpointOnColumn": "Upravit vloženou (inline) zarážku ve sloupci {0}",
+ "editLineBrekapoint": "Upravit zarážku řádku",
+ "enableDisableBreakpoints": "Povolit nebo zakázat zarážky",
+ "disableInlineColumnBreakpoint": "Zakázat zarážku řádku ve sloupci {0}",
+ "disableBreakpointOnLine": "Zakázat zarážku řádku",
+ "enableBreakpoints": "Povolit vloženou (inline) zarážku ve sloupci {0}",
+ "enableBreakpointOnLine": "Povolit zarážku řádku",
+ "addBreakpoint": "Přidat zarážku",
+ "addConditionalBreakpoint": "Přidat podmíněnou zarážku...",
+ "addLogPoint": "Přidat protokolovací bod...",
+ "debugIcon.breakpointForeground": "Barva ikony pro zarážky",
+ "debugIcon.breakpointDisabledForeground": "Barva ikony pro zakázané zarážky",
+ "debugIcon.breakpointUnverifiedForeground": "Barva ikony pro neověřené zarážky",
+ "debugIcon.breakpointCurrentStackframeForeground": "Barva ikony pro aktuální blok zásobníku zarážek",
+ "debugIcon.breakpointStackframeForeground": "Barva ikony pro všechny bloky zásobníku zarážek"
+ },
+ "vs/workbench/contrib/debug/browser/callStackEditorContribution": {
+ "topStackFrameLineHighlight": "Barva pozadí pro zvýraznění řádku na horní pozici bloku zásobníku",
+ "focusedStackFrameLineHighlight": "Barva pozadí pro zvýraznění řádku na pozici bloku zásobníku s fokusem"
+ },
+ "vs/workbench/contrib/debug/browser/repl": {
+ "workbench.debug.filter.placeholder": "Filtrovat (například text, !exclude)",
+ "debugConsole": "Konzola ladění",
+ "copy": "Kopírovat",
+ "copyAll": "Kopírovat vše",
+ "paste": "Vložit",
+ "collapse": "Sbalit vše",
+ "startDebugFirst": "Spusťte prosím relaci ladění, aby bylo možné vyhodnotit výrazy.",
+ "actions.repl.acceptInput": "REPL – přijmout vstup",
+ "repl.action.filter": "REPL – přepnout fokus na obsah k filtrování",
+ "actions.repl.copyAll": "Ladit: zkopírovat veškerý obsah konzoly",
+ "selectRepl": "Vybrat konzolu ladění",
+ "clearRepl": "Vymazat konzolu",
+ "debugConsoleCleared": "Konzola ladění byla vymazána."
+ },
+ "vs/workbench/contrib/debug/browser/debugViewlet": {
+ "startAdditionalSession": "Spustit další relaci",
+ "toggleDebugPanel": "Konzola ladění",
+ "toggleDebugViewlet": "Zobrazit konfiguraci Spustit a ladit"
+ },
+ "vs/workbench/contrib/debug/common/abstractDebugAdapter": {
+ "timeout": "Po {0} ms vypršel časový limit pro {1}."
+ },
+ "vs/workbench/contrib/debug/browser/breakpointsView": {
+ "editCondition": "Upravit podmínku",
+ "Logpoint": "Protokolovací bod",
+ "Breakpoint": "Zarážka",
+ "editBreakpoint": "Upravit {0}...",
+ "removeBreakpoint": "Odebrat {0}",
+ "expressionCondition": "Podmínka výrazu: {0}",
+ "functionBreakpointsNotSupported": "Zarážky funkcí nejsou tímto typem ladění podporovány.",
+ "dataBreakpointsNotSupported": "Tento typ ladění nepodporuje datové zarážky.",
+ "functionBreakpointPlaceholder": "Funkce, na které se má ladění přerušit",
+ "functionBreakPointInputAriaLabel": "Zadejte zarážku funkce.",
+ "exceptionBreakpointPlaceholder": "Přerušit, pokud se výraz vyhodnotí jako true",
+ "exceptionBreakpointAriaLabel": "Podmínka zarážky výjimky typu",
+ "breakpoints": "Zarážky",
+ "disabledLogpoint": "Zakázaný protokolovací bod",
+ "disabledBreakpoint": "Zakázaná zarážka",
+ "unverifiedLogpoint": "Neověřený protokolovací bod",
+ "unverifiedBreakopint": "Neověřená zarážka",
+ "functionBreakpointUnsupported": "Tento typ ladění nepodporuje zarážky funkcí.",
+ "functionBreakpoint": "Zarážka funkce",
+ "dataBreakpointUnsupported": "Tento typ ladění nepodporuje datové zarážky.",
+ "dataBreakpoint": "Datová zarážka",
+ "breakpointUnsupported": "Ladicí program nepodporuje zarážky tohoto typu.",
+ "logMessage": "Zpráva protokolu: {0}",
+ "expression": "Podmínka výrazu: {0}",
+ "hitCount": "Počet výsledků: {0}",
+ "breakpoint": "Zarážka"
+ },
+ "vs/workbench/contrib/debug/browser/callStackView": {
+ "running": "Spuštěné",
+ "showMoreStackFrames2": "Zobrazit další bloky zásobníku",
+ "session": "Relace",
+ "thread": "Vlákno",
+ "restartFrame": "Restartovat rámec",
+ "loadAllStackFrames": "Načíst všechny bloky zásobníku",
+ "showMoreAndOrigin": "Zobrazit další (+{0}): {1}",
+ "showMoreStackFrames": "Zobrazit další bloky zásobníku (+{0})",
+ "callStackAriaLabel": "Zásobník volání ladění",
+ "threadAriaLabel": "Vlákno {0} {1}",
+ "stackFrameAriaLabel": "Blok zásobníku {0}, řádek {1}, {2}",
+ "sessionLabel": "Relace {0} {1}"
+ },
+ "vs/workbench/contrib/debug/browser/debugActions": {
+ "openLaunchJson": "Otevřít {0}",
+ "launchJsonNeedsConfigurtion": "Nakonfigurovat nebo opravit soubor launch.json",
+ "noFolderDebugConfig": "Aby bylo možné provést rozšířenou konfiguraci ladění, otevřete prosím nejdříve složku.",
+ "selectWorkspaceFolder": "Vyberte složku pracovního prostoru, ve které chcete vytvořit soubor launch.json, nebo soubor přidejte do konfiguračního souboru pracovního prostoru.",
+ "startDebug": "Spustit ladění",
+ "startWithoutDebugging": "Spustit bez ladění",
+ "selectAndStartDebugging": "Vybrat a spustit ladění",
+ "removeBreakpoint": "Odebrat zarážku",
+ "removeAllBreakpoints": "Odebrat všechny zarážky",
+ "enableAllBreakpoints": "Povolit všechny zarážky",
+ "disableAllBreakpoints": "Zakázat všechny zarážky",
+ "activateBreakpoints": "Aktivovat zarážky",
+ "deactivateBreakpoints": "Deaktivovat zarážky",
+ "reapplyAllBreakpoints": "Znovu použít všechny zarážky",
+ "addFunctionBreakpoint": "Přidat zarážku funkce",
+ "addWatchExpression": "Přidat výraz",
+ "removeAllWatchExpressions": "Odebrat všechny výrazy",
+ "focusSession": "Přepnout fokus na relaci",
+ "copyValue": "Kopírovat hodnotu"
+ },
+ "vs/workbench/contrib/debug/browser/debugToolBar": {
+ "debugToolBarBackground": "Barva pozadí panelu nástrojů ladění",
+ "debugToolBarBorder": "Barva ohraničení panelu nástrojů ladění",
+ "debugIcon.startForeground": "Ikona panelu nástrojů ladění pro spuštění ladění",
+ "debugIcon.pauseForeground": "Ikona panelu nástrojů ladění pro pozastavení",
+ "debugIcon.stopForeground": "Ikona panelu nástrojů ladění pro zastavení",
+ "debugIcon.disconnectForeground": "Ikona panelu nástrojů ladění pro odpojení",
+ "debugIcon.restartForeground": "Ikona panelu nástrojů ladění pro restartování",
+ "debugIcon.stepOverForeground": "Ikona panelu nástrojů ladění pro krokování bez vnoření",
+ "debugIcon.stepIntoForeground": "Ikona panelu nástrojů ladění pro krokování s vnořením",
+ "debugIcon.stepOutForeground": "Ikona panelu nástrojů ladění pro krokování bez vnoření",
+ "debugIcon.continueForeground": "Ikona panelu nástrojů ladění pro pokračování",
+ "debugIcon.stepBackForeground": "Ikona panelu nástrojů ladění pro krok zpátky"
+ },
+ "vs/workbench/contrib/debug/browser/debugService": {
+ "1activeSession": "1 aktivní relace",
+ "nActiveSessions": "Aktivní relace: {0}",
+ "configurationAlreadyRunning": "Už je spuštěná konfigurace ladění {0}.",
+ "compoundMustHaveConfigurations": "Aby bylo možné spustit více konfigurací, musí mít složená relace nastavený atribut configurations.",
+ "noConfigurationNameInWorkspace": "V pracovním prostoru se nepovedlo najít konfiguraci spuštění {0}.",
+ "multipleConfigurationNamesInWorkspace": "V pracovním prostoru existuje několik konfigurací spuštění {0}. K definování konfigurace použijte název složky.",
+ "noFolderWithName": "Nelze najít složku s názvem {0} pro konfiguraci {1} ve složené relaci {2}.",
+ "configMissing": "V souboru launch.json chybí konfigurace {0}.",
+ "launchJsonDoesNotExist": "Pro předanou složku pracovního prostoru neexistuje soubor launch.json.",
+ "debugRequestNotSupported": "Ve zvolené konfiguraci ladění má atribut {0} nepodporovanou hodnotu {1}.",
+ "debugRequesMissing": "Ve zvolené konfiguraci ladění chybí atribut {0}.",
+ "debugTypeNotSupported": "Nakonfigurovaný typ ladění {0} se nepodporuje.",
+ "debugTypeMissing": "Chybí vlastnost type pro zvolenou konfiguraci spuštění.",
+ "installAdditionalDebuggers": "Nainstalovat rozšíření {0}",
+ "noFolderWorkspaceDebugError": "Aktivní soubor nelze ladit. Ujistěte se, že je soubor uložen a máte pro tento typ souboru nainstalované rozšíření ladění.",
+ "debugAdapterCrash": "Proces adaptéru ladění byl neočekávaně ukončen ({0}).",
+ "cancel": "Zrušit",
+ "debuggingPaused": "{0}:{1}, ladění se pozastavilo {2}, {3}",
+ "breakpointAdded": "Přidala se zarážka, řádek {0}, soubor {1}.",
+ "breakpointRemoved": "Odebrala se zarážka, řádek {0}, soubor {1}."
+ },
+ "vs/workbench/contrib/debug/browser/statusbarColorProvider": {
+ "statusBarDebuggingBackground": "Barva pozadí stavového řádku při ladění programu. Stavový řádek se zobrazuje v dolní části okna.",
+ "statusBarDebuggingForeground": "Barva popředí stavového řádku při ladění programu. Stavový řádek se zobrazuje v dolní části okna.",
+ "statusBarDebuggingBorder": "Barva ohraničení stavového řádku, které odděluje stavový řádek od postranního panelu a editoru, když probíhá ladění programu. Stavový řádek se zobrazuje v dolní části okna."
+ },
+ "vs/workbench/contrib/debug/browser/debugStatus": {
+ "status.debug": "Ladit",
+ "debugTarget": "Ladit: {0}",
+ "selectAndStartDebug": "Vybrat a spustit konfiguraci ladění"
+ },
+ "vs/workbench/contrib/debug/browser/debugCommands": {
+ "restartDebug": "Restartovat",
+ "stepOverDebug": "Krokovat bez vnoření",
+ "stepIntoDebug": "Krokovat s vnořením",
+ "stepOutDebug": "Krokovat s vystoupením",
+ "pauseDebug": "Pozastavit",
+ "disconnect": "Odpojit",
+ "stop": "Zastavit",
+ "continueDebug": "Pokračovat",
+ "chooseLocation": "Zvolit konkrétní umístění",
+ "noExecutableCode": "Na aktuální pozici kurzoru není přidružen žádný spustitelný kód.",
+ "jumpToCursor": "Přejít na kurzor",
+ "debug": "Ladit",
+ "noFolderDebugConfig": "Aby bylo možné provést rozšířenou konfiguraci ladění, otevřete prosím nejdříve složku.",
+ "addInlineBreakpoint": "Přidat vloženou zarážku"
+ },
+ "vs/workbench/contrib/debug/browser/loadedScriptsView": {
+ "loadedScriptsSession": "Relace ladění",
+ "loadedScriptsAriaLabel": "Ladit načtené skripty",
+ "loadedScriptsRootFolderAriaLabel": "Složka pracovního prostoru {0}, načtený skript, ladění",
+ "loadedScriptsSessionAriaLabel": "Relace {0}, načtený skript, ladění",
+ "loadedScriptsFolderAriaLabel": "Složka {0}, načtený skript, ladění",
+ "loadedScriptsSourceAriaLabel": "{0}, načtený skript, ladění"
+ },
+ "vs/workbench/contrib/debug/browser/debugEditorActions": {
+ "toggleBreakpointAction": "Ladit: přepnout zarážku",
+ "conditionalBreakpointEditorAction": "Ladit: přidat podmíněnou zarážku...",
+ "logPointEditorAction": "Ladit: přidat protokolovací bod...",
+ "runToCursor": "Spustit ke kurzoru",
+ "evaluateInDebugConsole": "Vyhodnotit v konzole ladění",
+ "addToWatch": "Přidat do kukátka",
+ "showDebugHover": "Ladit: zobrazit informace po umístění ukazatele myši",
+ "stepIntoTargets": "Krokovat s vnořením do cílů...",
+ "goToNextBreakpoint": "Ladit: přejít na další zarážku",
+ "goToPreviousBreakpoint": "Ladit: přejít na předchozí zarážku",
+ "closeExceptionWidget": "Zavřít widget výjimek"
+ },
+ "vs/workbench/contrib/debug/browser/watchExpressionsView": {
+ "editWatchExpression": "Upravit výraz",
+ "removeWatchExpression": "Odebrat výraz",
+ "watchExpressionInputAriaLabel": "Zadejte výraz kukátka.",
+ "watchExpressionPlaceholder": "Výraz, který se má sledovat",
+ "watchAriaTreeLabel": "Výrazy kukátka ladění",
+ "watchExpressionAriaLabel": "{0}, hodnota {1}",
+ "watchVariableAriaLabel": "{0}, hodnota {1}"
+ },
+ "vs/workbench/contrib/debug/browser/variablesView": {
+ "variableValueAriaLabel": "Zadejte novou hodnotu proměnné.",
+ "variablesAriaTreeLabel": "Proměnné ladění",
+ "variableScopeAriaLabel": "Obor: {0}",
+ "variableAriaLabel": "{0}, hodnota {1}"
+ },
+ "vs/workbench/contrib/debug/common/debugContentProvider": {
+ "unable": "Prostředek nelze přeložit bez relace ladění.",
+ "canNotResolveSourceWithError": "Nepovedlo se načíst zdroj {0}: {1}.",
+ "canNotResolveSource": "Nepovedlo se načíst zdroj {0}."
+ },
+ "vs/workbench/contrib/debug/browser/welcomeView": {
+ "run": "Spustit",
+ "openAFileWhichCanBeDebugged": "[Otevřete soubor] (command:{0}), který lze ladit nebo spustit.",
+ "runAndDebugAction": "[Spustit a ladit{0}](command:{1})",
+ "detectThenRunAndDebug": "[Zobrazit](command:{0}) všechny automatické konfigurace ladění",
+ "customizeRunAndDebug": "Pokud si chcete přizpůsobit konfiguraci Spustit a ladit, [vytvořte soubor launch.json](command: {0}).",
+ "customizeRunAndDebugOpenFolder": "Pokud si chcete přizpůsobit konfiguraci Spustit a ladit, [otevřete složku](command: {0}) a vytvořte soubor launch.json."
+ },
+ "vs/workbench/contrib/debug/browser/debugQuickAccess": {
+ "noDebugResults": "Žádné odpovídající konfigurace spuštění",
+ "customizeLaunchConfig": "Konfigurovat konfiguraci spuštění",
+ "contributed": "přidané",
+ "providerAriaLabel": "Konfigurace přidané zprostředkovatelem {0}",
+ "configure": "konfigurovat",
+ "addConfigTo": "Přidat konfiguraci ({0})...",
+ "addConfiguration": "Přidat konfiguraci..."
+ },
+ "vs/workbench/contrib/debug/browser/debugIcons": {
+ "debugConsoleViewIcon": "Zobrazit ikonu zobrazení konzoly ladění",
+ "runViewIcon": "Zobrazit ikonu zobrazení běhu",
+ "variablesViewIcon": "Zobrazit ikonu zobrazení proměnných",
+ "watchViewIcon": "Zobrazit ikonu zobrazení kukátka",
+ "callStackViewIcon": "Zobrazit ikonu zobrazení zásobníku volání",
+ "breakpointsViewIcon": "Zobrazit ikonu zobrazení zarážek",
+ "loadedScriptsViewIcon": "Zobrazit ikonu zobrazení načtených skriptů",
+ "debugBreakpoint": "Ikona pro zarážky",
+ "debugBreakpointDisabled": "Ikona pro zakázané zarážky",
+ "debugBreakpointUnverified": "Ikona pro neověřené zarážky",
+ "debugBreakpointHint": "Ikona pro nápovědy k zarážkám zobrazeným při najetí myší na okraj piktogramu editoru",
+ "debugBreakpointFunction": "Ikona pro zarážky funkcí",
+ "debugBreakpointFunctionUnverified": "Ikona pro neověřené zarážky funkcí",
+ "debugBreakpointFunctionDisabled": "Ikona pro zakázané zarážky funkcí",
+ "debugBreakpointUnsupported": "Ikona pro nepodporované zarážky",
+ "debugBreakpointConditionalUnverified": "Ikona pro neověřené podmíněné zarážky",
+ "debugBreakpointConditional": "Ikona pro podmíněné zarážky",
+ "debugBreakpointConditionalDisabled": "Ikona pro zakázané podmíněné zarážky",
+ "debugBreakpointDataUnverified": "Ikona pro neověřené datové zarážky",
+ "debugBreakpointData": "Ikona pro datové zarážky",
+ "debugBreakpointDataDisabled": "Ikona pro zakázané datové zarážky",
+ "debugBreakpointLogUnverified": "Ikona pro neověřené zarážky protokolů",
+ "debugBreakpointLog": "Ikona pro zarážky protokolů",
+ "debugBreakpointLogDisabled": "Ikona pro zakázané zarážky protokolů",
+ "debugStackframe": "Ikona pro rámec zásobníku, která se zobrazuje v okraji piktogramu editoru",
+ "debugStackframeFocused": "Ikona pro rámec zásobníku s fokusem, která se zobrazuje v okraji piktogramu editoru",
+ "debugGripper": "Ikona pro úchyt panelu ladění",
+ "debugRestartFrame": "Ikona pro akci restartu rámce při ladění",
+ "debugStop": "Ikona pro akci zastavení ladění",
+ "debugDisconnect": "Ikona pro akci odpojení ladění",
+ "debugRestart": "Ikona pro akci restartu ladění",
+ "debugStepOver": "Ikona pro akci krokování bez vnoření při ladění",
+ "debugStepInto": "Ikona pro akci krokování s vnořením při ladění",
+ "debugStepOut": "Ikona pro akci krokování s vystoupením při ladění",
+ "debugStepBack": "Ikona pro akci kroku zpět při ladění",
+ "debugPause": "Ikona pro akci pozastavení ladění",
+ "debugContinue": "Ikona pro akci pokračování v ladění",
+ "debugReverseContinue": "Ikona pro akci pokračování v obráceném ladění",
+ "debugStart": "Ikona pro akci zahájení ladění",
+ "debugConfigure": "Ikona pro akci konfigurace ladění",
+ "debugConsole": "Ikona pro akci otevření konzoly ladění",
+ "debugCollapseAll": "Ikona pro akce sbalení všeho v zobrazeních pro ladění",
+ "callstackViewSession": "Ikona pro ikonu relace v zobrazení zásobníku volání",
+ "debugConsoleClearAll": "Ikona pro akci vymazání všeho v konzole ladění",
+ "watchExpressionsRemoveAll": "Ikona pro akci odebrání všeho v zobrazení kukátka",
+ "watchExpressionsAdd": "Ikona pro akci přidání v zobrazení kukátka",
+ "watchExpressionsAddFuncBreakpoint": "Ikona pro akci přidání zarážky funkce v zobrazení kukátka",
+ "breakpointsRemoveAll": "Ikona pro akci odebrání všeho v zobrazení zarážek",
+ "breakpointsActivate": "Ikona pro akci aktivace v zobrazení zarážek",
+ "debugConsoleEvaluationInput": "Ikona pro značku vstupu vyhodnocování ladění",
+ "debugConsoleEvaluationPrompt": "Ikona pro výzvu k vyhodnocení ladění"
+ },
+ "vs/workbench/contrib/debug/browser/exceptionWidget": {
+ "debugExceptionWidgetBorder": "Barva ohraničení widgetu výjimky",
+ "debugExceptionWidgetBackground": "Barva pozadí widgetu výjimky",
+ "exceptionThrownWithId": "Došlo k výjimce: {0}",
+ "exceptionThrown": "Došlo k výjimce.",
+ "close": "Zavřít"
+ },
+ "vs/workbench/contrib/debug/browser/debugHover": {
+ "quickTip": "Pokud chcete přepnout na najetí myší na jazyk editoru, podržte klávesu {0}.",
+ "treeAriaLabel": "Informace zobrazené po umístění ukazatele myši v režimu ladění",
+ "variableAriaLabel": "{0}, hodnota {1}, proměnné, ladění"
+ },
+ "vs/workbench/contrib/debug/browser/breakpointWidget": {
+ "breakpointWidgetLogMessagePlaceholder": "Zpráva, která se má protokolovat při průchodu zarážky. Výrazy v závorkách {} se interpolují. Stisknutím klávesy Enter akci přijmete, klávesou Esc ji zrušíte.",
+ "breakpointWidgetHitCountPlaceholder": "Přerušit při splnění podmínky počtu průchodů. Stisknutím klávesy Enter akci přijmete, klávesou Esc ji zrušíte.",
+ "breakpointWidgetExpressionPlaceholder": "Přerušit, pokud je výraz vyhodnocen jako true. Stisknutím klávesy Enter akci přijmete, klávesou Esc ji zrušíte.",
+ "expression": "Výraz",
+ "hitCount": "Počet průchodů",
+ "logMessage": "Zpráva protokolu",
+ "breakpointType": "Typ zarážky"
+ },
+ "vs/workbench/contrib/debug/browser/debugActionViewItems": {
+ "debugLaunchConfigurations": "Konfigurace spuštění ladění",
+ "noConfigurations": "Žádné konfigurace",
+ "addConfigTo": "Přidat konfiguraci ({0})...",
+ "addConfiguration": "Přidat konfiguraci...",
+ "debugSession": "Relace ladění"
+ },
+ "vs/workbench/contrib/debug/browser/linkDetector": {
+ "fileLinkMac": "Podržením klávesy Cmd a kliknutím myší přejdete na odkaz.",
+ "fileLink": "Podržením klávesy Ctrl a kliknutím myší přejdete na odkaz."
+ },
+ "vs/workbench/contrib/debug/browser/replViewer": {
+ "debugConsole": "Konzola ladění",
+ "replVariableAriaLabel": "Proměnná {0}, hodnota {1}",
+ "occurred": ", došlo k tomu {0}krát.",
+ "replRawObjectAriaLabel": "Proměnná konzoly ladění {0}, hodnota {1}",
+ "replGroup": "Skupina konzoly ladění {0}"
+ },
+ "vs/workbench/contrib/debug/common/replModel": {
+ "consoleCleared": "Konzola se vymazala.",
+ "snapshotObj": "Pro tento objekt se zobrazují pouze primitivní hodnoty."
+ },
+ "vs/workbench/contrib/debug/browser/replFilter": {
+ "showing filtered repl lines": "Zobrazuje se stránka {0} z {1}."
+ },
+ "vs/workbench/contrib/debug/node/debugAdapter": {
+ "debugAdapterBinNotFound": "Spustitelný soubor adaptéru ladění {0} neexistuje.",
+ "debugAdapterCannotDetermineExecutable": "Nelze určit spustitelný soubor pro adaptér ladění {0}.",
+ "unableToLaunchDebugAdapter": "Nelze spustit adaptér ladění z {0}.",
+ "unableToLaunchDebugAdapterNoArgs": "Nelze spustit adaptér ladění."
+ },
+ "vs/workbench/contrib/debug/common/debugModel": {
+ "invalidVariableAttributes": "Neplatné atributy proměnné",
+ "startDebugFirst": "Spusťte prosím relaci ladění, aby bylo možné vyhodnotit výrazy.",
+ "notAvailable": "není k dispozici",
+ "pausedOn": "Pozastaveno na {0}",
+ "paused": "Pozastaveno",
+ "running": "Spuštěné",
+ "breakpointDirtydHover": "Neověřená zarážka. Soubor se změnil. Restartujte prosím relaci ladění."
+ },
+ "vs/workbench/contrib/debug/browser/debugConfigurationManager": {
+ "selectConfiguration": "Vybrat konfiguraci spuštění",
+ "editLaunchConfig": "Upravit konfiguraci ladění v souboru launch.json",
+ "DebugConfig.failed": "Soubor launch.json nelze vytvořit ve složce .vscode ({0}).",
+ "workspace": "pracovní prostor",
+ "user settings": "uživatelská nastavení"
+ },
+ "vs/workbench/contrib/debug/browser/debugSession": {
+ "noDebugAdapter": "K dispozici není žádný ladicí program. Nelze odeslat {0}.",
+ "sessionNotReadyForBreakpoints": "Relace není připravená na zarážky.",
+ "debuggingStarted": "Bylo zahájeno ladění.",
+ "debuggingStopped": "Bylo zastaveno ladění."
+ },
+ "vs/workbench/contrib/debug/browser/debugTaskRunner": {
+ "preLaunchTaskErrors": "Po spuštění preLaunchTask {0} došlo k chybám.",
+ "preLaunchTaskError": "Po spuštění preLaunchTask {0} došlo chybě.",
+ "preLaunchTaskExitCode": "Došlo k ukončení preLaunchTask {0} s ukončovacím kódem {1}.",
+ "preLaunchTaskTerminated": "Došlo k ukončení preLaunchTask {0}.",
+ "debugAnyway": "Přesto ladit",
+ "showErrors": "Zobrazit chyby",
+ "abort": "Přerušit",
+ "remember": "Zapamatovat si mou volbu v uživatelském nastavení",
+ "invalidTaskReference": "Na úlohu {0} nelze odkazovat z konfigurace spuštění, která je v jiné složce pracovního prostoru.",
+ "DebugTaskNotFoundWithTaskId": "Úlohu {0} se nepovedlo najít.",
+ "DebugTaskNotFound": "Zadaná úloha nebyla nalezena.",
+ "taskNotTrackedWithTaskId": "Zadanou úlohu nelze sledovat.",
+ "taskNotTracked": "Úlohu {0} nelze sledovat."
+ },
+ "vs/workbench/contrib/debug/browser/debugAdapterManager": {
+ "debugNoType": "Parametr type ladicího programu nemůže být vynechaný a musí být typu string.",
+ "more": "Více...",
+ "selectDebug": "Vybrat prostředí"
+ },
+ "vs/workbench/contrib/debug/common/debugSource": {
+ "unknownSource": "Neznámý zdroj"
+ },
+ "vs/workbench/contrib/debug/common/debugSchemas": {
+ "vscode.extension.contributes.debuggers": "Přidává adaptéry ladění.",
+ "vscode.extension.contributes.debuggers.type": "Jedinečný identifikátor tohoto adaptéru ladění",
+ "vscode.extension.contributes.debuggers.label": "Zobrazovaný název tohoto adaptéru ladění",
+ "vscode.extension.contributes.debuggers.program": "Cesta k programu adaptéru ladění. Cesta je buď absolutní, nebo relativní vzhledem ke složce rozšíření.",
+ "vscode.extension.contributes.debuggers.args": "Volitelné argumenty, které se mají předat adaptéru",
+ "vscode.extension.contributes.debuggers.runtime": "Volitelný modul runtime v případě, že atribut programu není spustitelný soubor, ale vyžaduje modul runtime.",
+ "vscode.extension.contributes.debuggers.runtimeArgs": "Volitelné argumenty modulu runtime",
+ "vscode.extension.contributes.debuggers.variables": "Mapování z interaktivních proměnných (například ${action.pickProcess}) v souboru launch.json na příkaz",
+ "vscode.extension.contributes.debuggers.initialConfigurations": "Konfigurace pro generování počátečního souboru launch.json",
+ "vscode.extension.contributes.debuggers.languages": "Seznam jazyků, pro které by bylo možné rozšíření ladění považovat za výchozí ladicí program",
+ "vscode.extension.contributes.debuggers.configurationSnippets": "Fragmenty pro přidání nových konfigurací v souboru launch.json",
+ "vscode.extension.contributes.debuggers.configurationAttributes": "Konfigurace schématu JSON pro ověření souboru launch.json",
+ "vscode.extension.contributes.debuggers.windows": "Nastavení specifická pro systém Windows",
+ "vscode.extension.contributes.debuggers.windows.runtime": "Modul runtime používaný pro Windows",
+ "vscode.extension.contributes.debuggers.osx": "Nastavení specifická pro systém macOS",
+ "vscode.extension.contributes.debuggers.osx.runtime": "Modul runtime používaný pro macOS",
+ "vscode.extension.contributes.debuggers.linux": "Nastavení specifická pro systém Linux",
+ "vscode.extension.contributes.debuggers.linux.runtime": "Modul runtime používaný pro Linux",
+ "vscode.extension.contributes.breakpoints": "Přidává zarážky.",
+ "vscode.extension.contributes.breakpoints.language": "Povolit zarážky pro tento jazyk",
+ "presentation": "Možnosti, které určují, jak zobrazit tuto konfiguraci v rozevírací nabídce konfigurací ladění a na paletě příkazů",
+ "presentation.hidden": "Určuje, jestli se má tato konfigurace zobrazovat v rozevírací nabídce konfigurací a na paletě příkazů.",
+ "presentation.group": "Skupina, do které tato konfigurace patří. Používá se pro seskupování a řazení v rozevírací nabídce konfigurací a na paletě příkazů.",
+ "presentation.order": "Pořadí této konfigurace ve skupině. Používá se k seskupování a řazení v rozevírací nabídce konfigurací a na paletě příkazů.",
+ "app.launch.json.title": "Spustit",
+ "app.launch.json.version": "Verze tohoto formátu souboru",
+ "app.launch.json.configurations": "Seznam konfigurací. Přidejte nové konfigurace nebo upravte existující pomocí technologie IntelliSense.",
+ "app.launch.json.compounds": "Seznam složených relací. Každá z nich odkazuje na více konfigurací, které budou spuštěny společně.",
+ "app.launch.json.compound.name": "Název složené relace. Zobrazí se v rozevírací nabídce konfigurace spuštění.",
+ "useUniqueNames": "Použijte prosím jedinečné názvy konfigurací.",
+ "app.launch.json.compound.folder": "Název složky, ve které se nachází složený objekt",
+ "app.launch.json.compounds.configurations": "Názvy konfigurací, které se mají spustit jako součást této složené relace",
+ "app.launch.json.compound.stopAll": "Určuje, jestli se mají při ručním ukončení jedné relace zastavit všechny složené relace.",
+ "compoundPrelaunchTask": "Úloha, která se má spustit před spuštěním jakékoli konfigurace složené relace"
+ },
+ "vs/workbench/contrib/debug/browser/rawDebugSession": {
+ "noDebugAdapterStart": "Žádný adaptér ladění. Nelze spustit relaci ladění.",
+ "noDebugAdapter": "Nebyl nalezen žádný ladicí program. Nelze odeslat {0}.",
+ "moreInfo": "Další informace"
+ },
+ "vs/workbench/contrib/debug/common/debugger": {
+ "cannot.find.da": "Nepovedlo se najít adaptér ladění pro typ {0}.",
+ "launch.config.comment1": "Pro informace o možných atributech použijte technologii IntelliSense.",
+ "launch.config.comment2": "Umístěním ukazatele myši zobrazíte popisy existujících atributů.",
+ "launch.config.comment3": "Další informace najdete tady: {0}",
+ "debugType": "Typ konfigurace",
+ "debugTypeNotRecognised": "Nebyl rozpoznán typ ladění. Ujistěte se, že máte nainstalované odpovídající rozšíření pro ladění a že je povolené.",
+ "node2NotSupported": "Možnost node2 už není podporována. Místo ní použijte možnost node a atribut protocol nastavte na hodnotu inspector.",
+ "debugName": "Název konfigurace. Zobrazí se v rozevírací nabídce konfigurací spuštění.",
+ "debugRequest": "Typ konfigurace žádosti. Možné typy: launch (spustit) nebo attach (připojit)",
+ "debugServer": "Pouze pro vývoj rozšíření ladění: Pokud je zadán port, VS Code se pokusí připojit k adaptéru ladění spuštěnému v režimu serveru.",
+ "debugPrelaunchTask": "Úloha, která se spustí před spuštěním relace ladění",
+ "debugPostDebugTask": "Úloha, která se spustí po skončení relace ladění",
+ "debugWindowsConfiguration": "Atributy konfigurace spuštění specifické pro systém Windows",
+ "debugOSXConfiguration": "Atributy konfigurace spuštění specifické pro OS X",
+ "debugLinuxConfiguration": "Atributy konfigurace spuštění specifické pro systém Linux"
+ },
+ "vs/workbench/contrib/dialogs/browser/dialogHandler": {
+ "yesButton": "&&Ano",
+ "cancelButton": "Zrušit",
+ "aboutDetail": "Verze: {0}\r\nPotvrzení: {1}\r\nDatum: {2}\r\nProhlížeč: {3}",
+ "copy": "Kopírovat",
+ "ok": "OK"
+ },
+ "vs/workbench/contrib/dialogs/electron-sandbox/dialogHandler": {
+ "yesButton": "&&Ano",
+ "cancelButton": "Zrušit",
+ "aboutDetail": "Verze: {0}\r\nPotvrzení: {1}\r\nDatum: {2}\r\nElektron: {3}\r\nChrome: {4}\r\nNode.js: {5}\r\nV8: {6}\r\nOperační systém: {7}",
+ "okButton": "OK",
+ "copy": "&&Kopírovat"
+ },
+ "vs/workbench/contrib/emmet/browser/actions/expandAbbreviation": {
+ "expandAbbreviationAction": "Emmet: rozbalit zkratku",
+ "miEmmetExpandAbbreviation": "Emmet: &&rozbalit zkratku"
+ },
+ "vs/workbench/contrib/experiments/browser/experiments.contribution": {
+ "workbench.enableExperiments": "Načte experimenty, které se mají spustit z online služby Microsoftu."
+ },
+ "vs/workbench/contrib/extensions/electron-browser/extensions.contribution": {
+ "runtimeExtension": "Spuštěná rozšíření"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/runtimeExtensionsEditor": {
+ "extensionHostProfileStart": "Spustit profil hostitele rozšíření",
+ "stopExtensionHostProfileStart": "Zastavit profil hostitele rozšíření",
+ "saveExtensionHostProfile": "Uložit profil hostitele rozšíření"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/debugExtensionHostAction": {
+ "debugExtensionHost": "Spustit hostitele rozšíření ladění",
+ "restart1": "Profilovat rozšíření",
+ "restart2": "Aby bylo možné profilovat rozšíření, je nutný restart. Chcete teď {0} restartovat?",
+ "restart3": "&&Restartovat",
+ "cancel": "&&Zrušit",
+ "debugExtensionHost.launch.name": "Připojit hostitele rozšíření"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/extensionProfileService": {
+ "profilingExtensionHost": "Profilování hostitele rozšíření",
+ "selectAndStartDebug": "Kliknutím zastavíte profilování.",
+ "profilingExtensionHostTime": "Profilování hostitele rozšíření ({0} s)",
+ "status.profiler": "Profiler rozšíření",
+ "restart1": "Profilovat rozšíření",
+ "restart2": "Aby bylo možné profilovat rozšíření, je nutný restart. Chcete teď {0} restartovat?",
+ "restart3": "&&Restartovat",
+ "cancel": "&&Zrušit"
+ },
+ "vs/workbench/contrib/extensions/common/runtimeExtensionsInput": {
+ "extensionsInputName": "Spuštěná rozšíření"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/extensionsAutoProfiler": {
+ "unresponsive-exthost": "Rozšíření {0} trvalo dokončení jeho poslední operace příliš dlouho a zabránilo spuštění jiných rozšíření.",
+ "show": "Zobrazit rozšíření"
+ },
+ "vs/workbench/contrib/extensions/electron-sandbox/extensionsActions": {
+ "openExtensionsFolder": "Otevřít složku s rozšířeními"
+ },
+ "vs/workbench/contrib/extensions/browser/extensions.contribution": {
+ "manageExtensionsQuickAccessPlaceholder": "Pokud chcete spravovat rozšíření, stiskněte Enter.",
+ "manageExtensionsHelp": "Správa rozšíření",
+ "installVSIX": "Nainstalovat VSIX rozšíření",
+ "extension": "Rozšíření",
+ "extensions": "Rozšíření",
+ "extensionsConfigurationTitle": "Rozšíření",
+ "extensionsAutoUpdate": "Když je povoleno, automaticky nainstaluje aktualizace pro rozšíření. Aktualizace se načítají z online služby Microsoftu.",
+ "extensionsCheckUpdates": "Když je povoleno, automaticky se vyhledávají aktualizace rozšíření. Pokud je pro rozšíření k dispozici aktualizace, je rozšíření v zobrazení rozšíření označeno jako zastaralé. Aktualizace se načítají z online služby Microsoftu.",
+ "extensionsIgnoreRecommendations": "Pokud je povoleno, nebudou se zobrazovat oznámení s doporučením rozšíření.",
+ "extensionsShowRecommendationsOnlyOnDemand_Deprecated": "Toto nastavení je zastaralé. K ovládání oznámení o doporučeních použijte nastavení extensions.ignoreRecommendations. Pomocí akcí viditelnosti zobrazení rozšíření můžete zobrazení Doporučené ve výchozím nastavení skrýt.",
+ "extensionsCloseExtensionDetailsOnViewChange": "Pokud je povoleno, editory s podrobnostmi o rozšíření se při přechodu mimo zobrazení rozšíření automaticky zavřou.",
+ "handleUriConfirmedExtensions": "Pokud je tady rozšíření uvedeno, nezobrazí se výzva k potvrzení, když bude toto rozšíření zpracovávat identifikátor URI.",
+ "extensionsWebWorker": "Povolit hostitele rozšíření webového pracovního procesu",
+ "workbench.extensions.installExtension.description": "Nainstalovat dané rozšíření",
+ "workbench.extensions.installExtension.arg.name": "ID rozšíření nebo identifikátor URI prostředku VSIX",
+ "notFound": "Rozšíření {0} nebylo nalezeno.",
+ "InstallVSIXAction.successReload": "Dokončila se instalace rozšíření {0} ze souboru VSIX. Pokud ho chcete povolit, načtěte prosím znovu Visual Studio Code.",
+ "InstallVSIXAction.success": "Dokončila se instalace rozšíření {0} ze souboru VSIX.",
+ "InstallVSIXAction.reloadNow": "Znovu načíst",
+ "workbench.extensions.uninstallExtension.description": "Odinstalovat dané rozšíření",
+ "workbench.extensions.uninstallExtension.arg.name": "ID rozšíření, které má být odinstalováno",
+ "id required": "Je vyžadováno ID rozšíření.",
+ "notInstalled": "Rozšíření {0} není nainstalované. Zkontrolujte, že používáte úplné ID rozšíření, včetně vydavatele, například ms-dotnettools.csharp.",
+ "builtin": "Rozšíření {0} je integrované a nedá se nainstalovat.",
+ "workbench.extensions.search.description": "Vyhledat konkrétní řešení",
+ "workbench.extensions.search.arg.name": "Dotaz, který se má použít ve vyhledávání",
+ "miOpenKeymapExtensions": "&&Mapování kláves",
+ "miOpenKeymapExtensions2": "Mapování kláves",
+ "miPreferencesExtensions": "&&Rozšíření",
+ "miViewExtensions": "&&Rozšíření",
+ "showExtensions": "Rozšíření",
+ "installExtensionQuickAccessPlaceholder": "Zadejte název rozšíření, které chcete nainstalovat nebo vyhledat.",
+ "installExtensionQuickAccessHelp": "Nainstalovat nebo hledat rozšíření",
+ "workbench.extensions.action.copyExtension": "Kopírovat",
+ "extensionInfoName": "Název: {0}",
+ "extensionInfoId": "ID: {0}",
+ "extensionInfoDescription": "Popis: {0}",
+ "extensionInfoVersion": "Verze: {0}",
+ "extensionInfoPublisher": "Vydavatel: {0}",
+ "extensionInfoVSMarketplaceLink": "VS Marketplace – odkaz: {0}",
+ "workbench.extensions.action.copyExtensionId": "Kopírovat ID rozšíření",
+ "workbench.extensions.action.configure": "Nastavení rozšíření",
+ "workbench.extensions.action.toggleIgnoreExtension": "Synchronizovat toto rozšíření",
+ "workbench.extensions.action.ignoreRecommendation": "Ignorovat doporučení",
+ "workbench.extensions.action.undoIgnoredRecommendation": "Zrušit ignorování doporučení",
+ "workbench.extensions.action.addExtensionToWorkspaceRecommendations": "Přidat do doporučení pracovního prostoru",
+ "workbench.extensions.action.removeExtensionFromWorkspaceRecommendations": "Odebrat z doporučení pracovního prostoru",
+ "workbench.extensions.action.addToWorkspaceRecommendations": "Přidat rozšíření do doporučení pracovního prostoru",
+ "workbench.extensions.action.addToWorkspaceFolderRecommendations": "Přidat rozšíření do doporučení složky pracovního prostoru",
+ "workbench.extensions.action.addToWorkspaceIgnoredRecommendations": "Přidat rozšíření do ignorovaných doporučení pracovního prostoru",
+ "workbench.extensions.action.addToWorkspaceFolderIgnoredRecommendations": "Přidat rozšíření do ignorovaných doporučení složky pracovního prostoru"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsViewlet": {
+ "installed": "Nainstalováno",
+ "popularExtensions": "Oblíbené",
+ "recommendedExtensions": "Doporučené",
+ "enabledExtensions": "Povoleno",
+ "disabledExtensions": "Zakázáno",
+ "marketPlace": "Marketplace",
+ "enabled": "Povoleno",
+ "disabled": "Zakázáno",
+ "outdated": "Zastaralé",
+ "builtin": "Integrované",
+ "workspaceRecommendedExtensions": "Doporučení pro pracovní prostor",
+ "otherRecommendedExtensions": "Další doporučení",
+ "builtinFeatureExtensions": "Funkce",
+ "builtInThemesExtensions": "Motivy",
+ "builtinProgrammingLanguageExtensions": "Programovací jazyky",
+ "sort by installs": "Počet instalací",
+ "sort by rating": "Hodnocení",
+ "sort by name": "Název",
+ "sort by date": "Datum publikování",
+ "searchExtensions": "Hledat rozšíření na Marketplace",
+ "builtin filter": "Integrovaný",
+ "installed filter": "Nainstalováno",
+ "enabled filter": "Povoleno",
+ "disabled filter": "Zakázáno",
+ "outdated filter": "Zastaralé",
+ "featured filter": "Vybrané",
+ "most popular filter": "Nejoblíbenější",
+ "most popular recommended": "Doporučené",
+ "recently published filter": "Nedávno publikované",
+ "filter by category": "Kategorie",
+ "sorty by": "Seřadit podle",
+ "filterExtensions": "Filtrovat rozšíření...",
+ "extensionFoundInSection": "V oddílu {0} bylo nalezeno 1 rozšíření.",
+ "extensionFound": "Bylo nalezeno 1 rozšíření.",
+ "extensionsFoundInSection": "V oddílu {1} byl nalezen tento počet rozšíření: {0}.",
+ "extensionsFound": "Byl nalezen tento počet rozšíření: {0}.",
+ "suggestProxyError": "Marketplace vrátil chybu ECONNREFUSED. Zkontrolujte prosím nastavení http.proxy.",
+ "open user settings": "Otevřít uživatelská nastavení",
+ "outdatedExtensions": "Zastaralá rozšíření: {0}",
+ "malicious warning": "Odinstalovali jsme rozšíření {0}, které bylo hlášeno jako problematické.",
+ "reloadNow": "Znovu načíst"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/extensionsSlowActions": {
+ "cmd.reportOrShow": "Performance Issue",
+ "cmd.report": "Nahlásit problém",
+ "attach.title": "Připojili jste profil procesoru?",
+ "ok": "OK",
+ "attach.msg": "Toto je připomenutí, abyste k problému, který jste právě vytvořili, nezapomněli připojit {0}.",
+ "cmd.show": "Zobrazit problémy",
+ "attach.msg2": "Toto je připomenutí, abyste k existujícímu problému s výkonem nezapomněli připojit {0}."
+ },
+ "vs/workbench/contrib/extensions/electron-browser/reportExtensionIssueAction": {
+ "reportExtensionIssue": "Nahlásit problém"
+ },
+ "vs/workbench/contrib/extensions/browser/abstractRuntimeExtensionsEditor": {
+ "starActivation": "Aktivováno prostřednictvím {0} při spuštění",
+ "workspaceContainsGlobActivation": "Aktivováno prostřednictvím {1}, protože ve vašem pracovním prostoru existuje soubor odpovídající vzoru {1}",
+ "workspaceContainsFileActivation": "Aktivováno prostřednictvím {1}, protože ve vašem pracovním prostoru existuje soubor {0}",
+ "workspaceContainsTimeout": "Aktivováno prostřednictvím {1}, protože vyhledávání výrazu {0} trvalo příliš dlouho",
+ "startupFinishedActivation": "Aktivováno prostřednictvím {0} po dokončení spuštění",
+ "languageActivation": "Aktivováno prostřednictvím {1}, protože jste otevřeli soubor {0}",
+ "workspaceGenericActivation": "Aktivováno prostřednictvím {1} při události {0}",
+ "unresponsive.title": "Rozšíření způsobilo zamrznutí hostitele rozšíření.",
+ "errors": "Nezachycené chyby: {0}",
+ "runtimeExtensions": "Rozšíření modulu runtime",
+ "disable workspace": "Zakázat (pracovní prostor)",
+ "disable": "Zakázat",
+ "showRuntimeExtensions": "Zobrazit spuštěná rozšíření"
+ },
+ "vs/workbench/contrib/extensions/common/extensionsInput": {
+ "extensionsInputName": "Rozšíření: {0}"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsActions": {
+ "noOfYearsAgo": "Před {0} roky",
+ "one year ago": "před 1 rokem",
+ "noOfMonthsAgo": "Před {0} měsíci",
+ "one month ago": "Před 1 měsícem",
+ "noOfDaysAgo": "Před {0} dny",
+ "one day ago": "Před 1 dnem",
+ "noOfHoursAgo": "Před {0} hodinami",
+ "one hour ago": "Před 1 hodinou",
+ "just now": "Právě teď",
+ "update operation": "Při aktualizaci rozšíření {0} došlo k chybě.",
+ "install operation": "Při instalaci rozšíření {0} došlo k chybě.",
+ "download": "Zkusit stáhnout ručně...",
+ "install vsix": "Po stažení prosím nainstalujte stažený soubor VSIX {0} ručně.",
+ "check logs": "Další podrobnosti najdete v [protokolu]({0}).",
+ "installExtensionStart": "Byla zahájena instalace rozšíření {0}. Nyní se otevře editor s dalšími informacemi o tomto rozšíření.",
+ "installExtensionComplete": "Instalace rozšíření {0} byla dokončena.",
+ "install": "Nainstalovat",
+ "install and do no sync": "Nainstalovat (nesynchronizovat)",
+ "install in remote and do not sync": "Nainstalovat na server {0} (nesynchronizovat)",
+ "install in remote": "Nainstalovat na server {0}",
+ "install locally and do not sync": "Nainstalovat místně (nesynchronizovat)",
+ "install locally": "Nainstalovat místně",
+ "install everywhere tooltip": "Nainstalovat toto rozšíření do všech synchronizovaných instancí {0}",
+ "installing": "Probíhá instalace.",
+ "install browser": "Nainstalovat do prohlížeče",
+ "uninstallAction": "Odinstalovat",
+ "Uninstalling": "Probíhá odinstalace.",
+ "uninstallExtensionStart": "Byla zahájena odinstalace rozšíření {0}.",
+ "uninstallExtensionComplete": "Restartujte prosím Visual Studio Code, aby bylo možné dokončit odinstalaci rozšíření {0}.",
+ "updateExtensionStart": "Byla zahájena aktualizace rozšíření {0} na verzi {1}.",
+ "updateExtensionComplete": "Aktualizace rozšíření {0} na verzi {1} byla dokončena.",
+ "updateTo": "Aktualizovat na {0}",
+ "updateAction": "Aktualizace",
+ "manage": "Spravovat",
+ "ManageExtensionAction.uninstallingTooltip": "Probíhá odinstalace.",
+ "install another version": "Nainstalovat jinou verzi...",
+ "selectVersion": "Vyberte verzi, kterou chcete nainstalovat.",
+ "current": "Aktuální",
+ "enableForWorkspaceAction": "Povolit (pracovní prostor)",
+ "enableForWorkspaceActionToolTip": "Povolit toto rozšíření jen v tomto pracovním prostoru",
+ "enableGloballyAction": "Povolit",
+ "enableGloballyActionToolTip": "Povolit toto rozšíření",
+ "disableForWorkspaceAction": "Zakázat (pracovní prostor)",
+ "disableForWorkspaceActionToolTip": "Zakázat toto rozšíření jen v tomto pracovním prostoru",
+ "disableGloballyAction": "Zakázat",
+ "disableGloballyActionToolTip": "Zakázat toto rozšíření",
+ "enableAction": "Povolit",
+ "disableAction": "Zakázat",
+ "checkForUpdates": "Vyhledat aktualizace rozšíření",
+ "noUpdatesAvailable": "Všechna rozšíření jsou aktuální.",
+ "singleUpdateAvailable": "K dispozici je aktualizace rozšíření.",
+ "updatesAvailable": "K dispozici je tento počet aktualizací rozšíření: {0}.",
+ "singleDisabledUpdateAvailable": "K dispozici je aktualizace rozšíření, které je zakázané.",
+ "updatesAvailableOneDisabled": "K dispozici je tento počet aktualizací rozšíření: {0}. Jedna z nich je pro zakázané rozšíření.",
+ "updatesAvailableAllDisabled": "K dispozici je tento počet aktualizací rozšíření: {0}. Všechny z nich jsou pro zakázaná rozšíření.",
+ "updatesAvailableIncludingDisabled": "K dispozici je tento počet aktualizací rozšíření: {0}. Některé z nich (celkem {1}) jsou pro zakázaná rozšíření.",
+ "enableAutoUpdate": "Povolit automatickou aktualizaci rozšíření",
+ "disableAutoUpdate": "Zakázat automatické aktualizace rozšíření",
+ "updateAll": "Aktualizovat všechna rozšíření",
+ "reloadAction": "Znovu načíst",
+ "reloadRequired": "Požadováno opětovné načtení",
+ "postUninstallTooltip": "Restartujte prosím Visual Studio Code, aby bylo možné dokončit odinstalaci tohoto rozšíření.",
+ "postUpdateTooltip": "Pokud chcete povolit aktualizované rozšíření, restartujte Visual Studio Code.",
+ "enable locally": "Restartujte prosím Visual Studio Code, aby bylo toto rozšíření místně povoleno.",
+ "enable remote": "Restartujte prosím Visual Studio Code, aby bylo toto rozšíření povoleno v {0}.",
+ "postEnableTooltip": "Pokud chcete povolit toto rozšíření, restartujte prosím Visual Studio Code.",
+ "postDisableTooltip": "Pokud chcete zakázat toto rozšíření, restartujte prosím Visual Studio Code.",
+ "installExtensionCompletedAndReloadRequired": "Instalace rozšíření {0} byla dokončena. Pokud ho chcete povolit, restartujte prosím Visual Studio Code.",
+ "color theme": "Nastavit barevný motiv",
+ "select color theme": "Vybrat barevný motiv",
+ "file icon theme": "Nastavit motiv ikon souboru",
+ "select file icon theme": "Vybrat motiv ikon souboru",
+ "product icon theme": "Nastavit motiv ikon produktu",
+ "select product icon theme": "Vybrat motiv ikon produktu",
+ "toggleExtensionsViewlet": "Zobrazit rozšíření",
+ "installExtensions": "Nainstalovat rozšíření",
+ "showEnabledExtensions": "Zobrazit povolená rozšíření",
+ "showInstalledExtensions": "Zobrazit nainstalovaná rozšíření",
+ "showDisabledExtensions": "Zobrazit zakázaná rozšíření",
+ "clearExtensionsSearchResults": "Vymazat výsledky hledání rozšíření",
+ "refreshExtension": "Aktualizovat",
+ "showBuiltInExtensions": "Zobrazit integrovaná rozšíření",
+ "showOutdatedExtensions": "Zobrazit zastaralá rozšíření",
+ "showPopularExtensions": "Zobrazit oblíbená rozšíření",
+ "recentlyPublishedExtensions": "Nedávno publikovaná rozšíření",
+ "showRecommendedExtensions": "Zobrazit doporučená rozšíření",
+ "showRecommendedExtension": "Zobrazit doporučené rozšíření",
+ "installRecommendedExtension": "Nainstalovat doporučené rozšíření",
+ "ignoreExtensionRecommendation": "Toto rozšíření už příště nedoporučovat",
+ "undo": "Zpět",
+ "showRecommendedKeymapExtensionsShort": "Mapování kláves",
+ "showLanguageExtensionsShort": "Jazyková rozšíření",
+ "search recommendations": "Hledat rozšíření",
+ "OpenExtensionsFile.failed": "Soubor extensions.json nelze vytvořit ve složce .vscode ({0}).",
+ "configureWorkspaceRecommendedExtensions": "Konfigurovat doporučená rozšíření (pracovní prostor)",
+ "configureWorkspaceFolderRecommendedExtensions": "Konfigurovat doporučená rozšíření (složka pracovního prostoru)",
+ "updated": "Aktualizováno",
+ "installed": "Nainstalováno",
+ "uninstalled": "Odinstalováno",
+ "enabled": "Povoleno",
+ "disabled": "Zakázáno",
+ "malicious tooltip": "Toto rozšíření je nahlášeno jako problematické.",
+ "malicious": "Škodlivé",
+ "ignored": "Toto rozšíření se během synchronizace ignoruje.",
+ "synced": "Toto rozšíření se synchronizuje.",
+ "sync": "Synchronizovat toto rozšíření",
+ "do not sync": "Nesynchronizovat toto rozšíření",
+ "extension enabled on remote": "Rozšíření je povolené na serveru {0}.",
+ "globally enabled": "Toto rozšíření je povolené globálně.",
+ "workspace enabled": "Toto rozšíření je povoleno uživatelem pro tento pracovní prostor.",
+ "globally disabled": "Toto rozšíření je uživatelem globálně zakázané.",
+ "workspace disabled": "Toto rozšíření je zakázáno uživatelem pro tento pracovní prostor.",
+ "Install language pack also in remote server": "Nainstalujte rozšíření jazykové sady na server {0} a tam ho také povolte.",
+ "Install language pack also locally": "Nainstalujte rozšíření jazykové sady místně a tam ho také povolte.",
+ "Install in other server to enable": "Pokud chcete rozšíření povolit, nainstalujte ho na server {0}.",
+ "disabled because of extension kind": "Pro toto rozšíření je definováno, že se nedá spustit na vzdáleném serveru.",
+ "disabled locally": "Rozšíření je povolené na serveru {0} a je zakázané místně.",
+ "disabled remotely": "Rozšíření je povolené místně a je zakázané na serveru {0}.",
+ "disableAll": "Zakázat všechna nainstalovaná rozšíření",
+ "disableAllWorkspace": "Zakázat všechna nainstalovaná rozšíření pro tento pracovní prostor",
+ "enableAll": "Povolit všechna rozšíření",
+ "enableAllWorkspace": "Povolit všechna rozšíření pro tento pracovní prostor",
+ "installVSIX": "Nainstalovat z VSIX...",
+ "installFromVSIX": "Nainstalovat z VSIX",
+ "installButton": "&&Nainstalovat",
+ "reinstall": "Přeinstalovat rozšíření...",
+ "selectExtensionToReinstall": "Vyberte rozšíření, které chcete přeinstalovat.",
+ "ReinstallAction.successReload": "Restartujte prosím Visual Studio Code, aby bylo možné dokončit instalaci rozšíření {0}.",
+ "ReinstallAction.success": "Přeinstalace rozšíření {0} byla dokončena.",
+ "InstallVSIXAction.reloadNow": "Znovu načíst",
+ "install previous version": "Nainstalovat konkrétní verzi rozšíření...",
+ "selectExtension": "Vybrat rozšíření",
+ "InstallAnotherVersionExtensionAction.successReload": "Restartujte prosím Visual Studio Code, aby bylo možné dokončit instalaci rozšíření {0}.",
+ "InstallAnotherVersionExtensionAction.success": "Instalace rozšíření {0} byla dokončena.",
+ "InstallAnotherVersionExtensionAction.reloadNow": "Znovu načíst",
+ "select extensions to install": "Vyberte rozšíření, která chcete nainstalovat.",
+ "no local extensions": "Nejsou k dispozici žádná rozšíření, která by bylo možné nainstalovat.",
+ "installing extensions": "Instalují se rozšíření...",
+ "finished installing": "Rozšíření se úspěšně nainstalovala.",
+ "select and install local extensions": "Nainstalovat místní rozšíření do: {0}...",
+ "install local extensions title": "Nainstalovat místní rozšíření do: {0}",
+ "select and install remote extensions": "Nainstalovat vzdálená rozšíření místně...",
+ "install remote extensions": "Nainstalovat vzdálená rozšíření místně",
+ "extensionButtonProminentBackground": "Barva pozadí tlačítka pro výrazné rozšíření akcí (např. tlačítko Nainstalovat)",
+ "extensionButtonProminentForeground": "Barva popředí tlačítka pro výrazné rozšíření akcí (např. tlačítko Nainstalovat)",
+ "extensionButtonProminentHoverBackground": "Barva pozadí tlačítka po umístění ukazatele myši pro výrazné rozšíření akcí (např. tlačítko Nainstalovat)"
+ },
+ "vs/workbench/contrib/extensions/common/extensionsFileTemplate": {
+ "app.extensions.json.title": "Rozšíření",
+ "app.extensions.json.recommendations": "Seznam rozšíření, která by se měla doporučovat uživatelům tohoto pracovního prostoru. Identifikátor rozšíření je vždy ${publisher}.${name}. Například: vscode.csharp",
+ "app.extension.identifier.errorMessage": "Očekával se formát ${publisher}.${name}. Příklad: vscode.csharp",
+ "app.extensions.json.unwantedRecommendations": "Seznam rozšíření, která doporučuje VS Code a která by se neměla doporučovat uživatelům tohoto pracovního prostoru. Identifikátor rozšíření je vždy ${publisher}.${name}. Například: vscode.csharp"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionEditor": {
+ "name": "Název rozšíření",
+ "extension id": "Identifikátor rozšíření",
+ "preview": "Preview",
+ "builtin": "Integrovaný",
+ "publisher": "Název vydavatele",
+ "install count": "Počet instalací",
+ "rating": "Hodnocení",
+ "repository": "Úložiště",
+ "license": "Licence",
+ "version": "Verze",
+ "details": "Podrobnosti",
+ "detailstooltip": "Podrobnosti o rozšíření získané ze souboru README.md rozšíření",
+ "contributions": "Přidané funkce",
+ "contributionstooltip": "Vypíše, co konkrétně toto rozšíření přidává do VS Code.",
+ "changelog": "Protokol změn",
+ "changelogtooltip": "Historie aktualizací rozšíření získaná ze souboru CHANGELOG.md rozšíření",
+ "dependencies": "Závislosti",
+ "dependenciestooltip": "Zobrazí seznam rozšíření, na kterých je toto rozšíření závislé.",
+ "recommendationHasBeenIgnored": "Rozhodli jste, že nechcete dostávat doporučení pro toto rozšíření.",
+ "noReadme": "K dispozici není žádný soubor README.",
+ "extension pack": "Sada rozšíření ({0})",
+ "noChangelog": "Není k dispozici žádný protokol změn.",
+ "noContributions": "Žádné přidané funkce",
+ "noDependencies": "Žádné závislosti",
+ "settings": "Nastavení ({0})",
+ "setting name": "Název",
+ "description": "Popis",
+ "default": "Výchozí",
+ "debuggers": "Ladicí programy ({0})",
+ "debugger name": "Název",
+ "debugger type": "Typ",
+ "viewContainers": "Zobrazit kontejnery ({0})",
+ "view container id": "ID",
+ "view container title": "Název",
+ "view container location": "Kde",
+ "views": "Zobrazení ({0})",
+ "view id": "ID",
+ "view name": "Název",
+ "view location": "Kde",
+ "localizations": "Lokalizace ({0})",
+ "localizations language id": "ID jazyka",
+ "localizations language name": "Název jazyka",
+ "localizations localized language name": "Název jazyka (lokalizovaný)",
+ "customEditors": "Vlastní editory ({0})",
+ "customEditors view type": "Typ zobrazení",
+ "customEditors priority": "Priorita",
+ "customEditors filenamePattern": "Vzor názvu souboru",
+ "codeActions": "Akce kódu ({0})",
+ "codeActions.title": "Název",
+ "codeActions.kind": "Typ",
+ "codeActions.description": "Popis",
+ "codeActions.languages": "Jazyky",
+ "authentication": "Ověřování ({0})",
+ "authentication.label": "Popisek",
+ "authentication.id": "ID",
+ "colorThemes": "Barevné motivy ({0})",
+ "iconThemes": "Motivy ikon souboru ({0})",
+ "colors": "Barvy ({0})",
+ "colorId": "ID",
+ "defaultDark": "Tmavý (výchozí)",
+ "defaultLight": "Světlý (výchozí)",
+ "defaultHC": "Vysoký kontrast (výchozí)",
+ "JSON Validation": "Ověření JSON ({0})",
+ "fileMatch": "Shoda souboru",
+ "schema": "Schéma",
+ "commands": "Příkazy ({0})",
+ "command name": "Název",
+ "keyboard shortcuts": "Klávesové zkratky",
+ "menuContexts": "Kontexty nabídek",
+ "languages": "Jazyky ({0})",
+ "language id": "ID",
+ "language name": "Název",
+ "file extensions": "Přípony souborů",
+ "grammar": "Gramatika",
+ "snippets": "Fragmenty kódu",
+ "activation events": "Události aktivace ({0})",
+ "find": "Najít",
+ "find next": "Najít další",
+ "find previous": "Najít předchozí"
+ },
+ "vs/workbench/contrib/extensions/common/extensionsUtils": {
+ "disableOtherKeymapsConfirmation": "Chcete zakázat jiná mapování kláves ({0}), aby se předešlo konfliktům mezi klávesovými zkratkami?",
+ "yes": "Ano",
+ "no": "Ne"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsActivationProgress": {
+ "activation": "Aktivují se rozšíření..."
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsDependencyChecker": {
+ "extensions": "Rozšíření",
+ "auto install missing deps": "Nainstalovat chybějící závislosti",
+ "finished installing missing deps": "Dokončila se instalace chybějících závislostí. Načtěte teď prosím znovu okno.",
+ "reload": "Znovu načíst okno",
+ "no missing deps": "Neexistují žádné chybějící závislosti, které by bylo možné nainstalovat."
+ },
+ "vs/workbench/contrib/extensions/browser/remoteExtensionsInstaller": {
+ "remote": "Vzdálené",
+ "install remote in local": "Nainstalovat vzdálená rozšíření místně..."
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsWorkbenchService": {
+ "Manifest is not found": "Manifest nebyl nalezen.",
+ "malicious": "Toto rozšíření je hlášeno jako problematické.",
+ "uninstallingExtension": "Odinstalovává se rozšíření....",
+ "incompatible": "Rozšíření nelze {0} nainstalovat, protože není kompatibilní s VS Code {1}.",
+ "installing named extension": "Instaluje se rozšíření {0}....",
+ "installing extension": "Instaluje se rozšíření....",
+ "disable all": "Zakázat vše",
+ "singleDependentError": "Nejde zakázat samotné rozšíření {0}. Na tomto rozšíření je závislé rozšíření {1}. Chcete zakázat všechna tato rozšíření?",
+ "twoDependentsError": "Nejde zakázat samotné rozšíření {0}. Na tomto rozšíření jsou závislá rozšíření {1} a {2}. Chcete zakázat všechna tato rozšíření?",
+ "multipleDependentsError": "Nejde zakázat samotné rozšíření {0}. Na tomto rozšíření závisí {1}, {2} a další rozšíření. Chcete zakázat všechna tato rozšíření?"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsQuickAccess": {
+ "type": "Zadejte název rozšíření, které chcete nainstalovat nebo vyhledat.",
+ "searchFor": "Pokud chcete vyhledat rozšíření {0}, stiskněte Enter.",
+ "install": "Pokud chcete nainstalovat rozšíření {0}, stiskněte Enter.",
+ "manage": "Pokud chcete svoje rozšíření spravovat, stiskněte Enter."
+ },
+ "vs/workbench/contrib/extensions/browser/extensionRecommendationNotificationService": {
+ "neverShowAgain": "Znovu nezobrazovat",
+ "ignoreExtensionRecommendations": "Chcete ignorovat všechna doporučení rozšíření?",
+ "ignoreAll": "Ano, ignorovat vše",
+ "no": "Ne",
+ "workspaceRecommended": "Chcete nainstalovat doporučená rozšíření pro toto úložiště?",
+ "install": "Nainstalovat",
+ "install and do no sync": "Nainstalovat (nesynchronizovat)",
+ "show recommendations": "Zobrazení doporučení"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsIcons": {
+ "extensionsViewIcon": "Zobrazit ikonu zobrazení rozšíření",
+ "manageExtensionIcon": "Ikona pro akci Spravovat v zobrazení rozšíření",
+ "clearSearchResultsIcon": "Ikona pro akci Vymazat výsledky vyhledávání v zobrazení rozšíření",
+ "refreshIcon": "Ikona pro akci Aktualizovat v zobrazení rozšíření",
+ "filterIcon": "Ikona pro akci Filtrovat v zobrazení rozšíření",
+ "installLocalInRemoteIcon": "Ikona pro akci „Nainstalovat místní rozšíření do“ v zobrazení rozšíření",
+ "installWorkspaceRecommendedIcon": "Ikona pro akci Nainstalovat rozšíření doporučená pro pracovní prostor v zobrazení rozšíření",
+ "configureRecommendedIcon": "Ikona pro akci Konfigurovat doporučená rozšíření v zobrazení rozšíření",
+ "syncEnabledIcon": "Ikona označující, že rozšíření je synchronizované",
+ "syncIgnoredIcon": "Ikona označující, že rozšíření se při synchronizaci ignoruje",
+ "remoteIcon": "Ikona, která v zobrazení a editoru rozšíření označuje, že rozšíření je vzdálené",
+ "installCountIcon": "Ikona zobrazovaná spolu s počtem instalací v zobrazení a editoru rozšíření",
+ "ratingIcon": "Ikona zobrazovaná spolu s hodnocením v zobrazení a editoru rozšíření",
+ "starFullIcon": "Ikona plné hvězdičky používaná pro hodnocení v editoru rozšíření",
+ "starHalfIcon": "Ikona poloviční hvězdičky používaná pro hodnocení v editoru rozšíření",
+ "starEmptyIcon": "Ikona prázdné hvězdičky používaná pro hodnocení v editoru rozšíření",
+ "warningIcon": "Ikona zobrazovaná s upozorňující zprávou v editoru rozšíření",
+ "infoIcon": "Ikona zobrazovaná s informační zprávou v editoru rozšíření"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsViews": {
+ "extension-arialabel": "{0}, {1}, {2}. Stisknutím klávesy Enter zobrazíte podrobnosti o rozšíření.",
+ "extensions": "Rozšíření",
+ "galleryError": "V tuto chvíli se nemůžeme připojit k Marketplace s rozšířeními. Zkuste to prosím znovu později.",
+ "error": "Při načítání rozšíření došlo k chybě. {0}",
+ "no extensions found": "Nebyla nalezena žádná rozšíření.",
+ "suggestProxyError": "Marketplace vrátil chybu ECONNREFUSED. Zkontrolujte prosím nastavení http.proxy.",
+ "open user settings": "Otevřít uživatelská nastavení",
+ "installWorkspaceRecommendedExtensions": "Nainstalovat rozšíření doporučená pro pracovní prostor"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsWidgets": {
+ "ratedBySingleUser": "Ohodnoceno 1 uživatelem",
+ "ratedByUsers": "Ohodnoceno {0} uživateli",
+ "noRating": "Bez hodnocení",
+ "remote extension title": "Rozšíření v {0}",
+ "syncingore.label": "Toto rozšíření se během synchronizace ignoruje."
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsViewer": {
+ "error": "Chyba",
+ "Unknown Extension": "Neznámé rozšíření:",
+ "extension-arialabel": "{0}, {1}, {2}. Stisknutím klávesy Enter zobrazíte podrobnosti o rozšíření.",
+ "extensions": "Rozšíření"
+ },
+ "vs/workbench/contrib/extensions/browser/dynamicWorkspaceRecommendations": {
+ "dynamicWorkspaceRecommendation": "Toto rozšíření by vás mohlo zajímat, protože je oblíbené mezi uživateli úložiště {0}."
+ },
+ "vs/workbench/contrib/extensions/browser/exeBasedRecommendations": {
+ "exeBasedRecommendation": "Toto rozšíření se doporučuje, protože máte nainstalováno následující: {0}."
+ },
+ "vs/workbench/contrib/extensions/browser/workspaceRecommendations": {
+ "workspaceRecommendation": "Toto rozšíření doporučují uživatelé aktuálního pracovního prostoru."
+ },
+ "vs/workbench/contrib/extensions/browser/fileBasedRecommendations": {
+ "searchMarketplace": "Hledat na Marketplace",
+ "fileBasedRecommendation": "Toto rozšíření je doporučeno na základě souborů, které jste nedávno otevřeli.",
+ "reallyRecommended": "Chcete nainstalovat doporučená rozšíření pro {0}?",
+ "showLanguageExtensions": "Na Marketplace najdete rozšíření, která vám můžou pomoct se soubory .{0}.",
+ "dontShowAgainExtension": "Pro soubory .{0} už příště dotaz nezobrazovat"
+ },
+ "vs/workbench/contrib/extensions/browser/configBasedRecommendations": {
+ "exeBasedRecommendation": "Toto rozšíření se doporučuje z důvodu aktuální konfigurace pracovního prostoru."
+ },
+ "vs/workbench/contrib/externalTerminal/node/externalTerminal.contribution": {
+ "globalConsoleAction": "Otevřít v novém externím terminálu",
+ "terminalConfigurationTitle": "Externí terminál",
+ "terminal.explorerKind.integrated": "Použít integrovaný terminál VS Code",
+ "terminal.explorerKind.external": "Použít nakonfigurovaný externí terminál",
+ "explorer.openInTerminalKind": "Umožňuje přizpůsobit typ terminálu, který se má spustit.",
+ "terminal.external.windowsExec": "Umožňuje nastavit, který terminál se má spustit v systému Windows.",
+ "terminal.external.osxExec": "Umožňuje nastavit, která aplikace terminálu se má spustit v systému macOS.",
+ "terminal.external.linuxExec": "Umožňuje nastavit, který terminál se má spustit v systému Linux."
+ },
+ "vs/workbench/contrib/externalTerminal/node/externalTerminalService": {
+ "console.title": "Konzola VS Code",
+ "mac.terminal.script.failed": "Skript {0} selhal s ukončovacím kódem {1}.",
+ "mac.terminal.type.not.supported": "{0} se nepodporuje.",
+ "press.any.key": "Pokračujte stisknutím libovolné klávesy...",
+ "linux.term.failed": "Selhání {0} s ukončovacím kódem {1}",
+ "ext.term.app.not.found": "nelze najít aplikaci terminálu {0}."
+ },
+ "vs/workbench/contrib/externalTerminal/browser/externalTerminal.contribution": {
+ "scopedConsoleAction": "Otevřít v terminálu",
+ "scopedConsoleAction.integrated": "Otevřít v integrovaném terminálu",
+ "scopedConsoleAction.wt": "Otevřít v terminálu Windows",
+ "scopedConsoleAction.external": "Otevřít v externím terminálu"
+ },
+ "vs/workbench/contrib/feedback/browser/feedbackStatusbarItem": {
+ "status.feedback": "Poslat tweet s názorem"
+ },
+ "vs/workbench/contrib/feedback/browser/feedback": {
+ "sendFeedback": "Poslat tweet s názorem",
+ "label.sendASmile": "Pošlete nám tweet se svým názorem.",
+ "close": "Zavřít",
+ "patchedVersion1": "Instalace je poškozená.",
+ "patchedVersion2": "Toto prosím uveďte, pokud odesíláte zprávu o chybě.",
+ "sentiment": "Jaké jsou vaše dojmy?",
+ "smileCaption": "Pozitivní názor",
+ "frownCaption": "Negativní názor",
+ "other ways to contact us": "Další způsoby, jak nás kontaktovat",
+ "submit a bug": "Odeslat zprávu o chybě",
+ "request a missing feature": "Žádost o chybějící funkci",
+ "tell us why": "Napište nám prosím důvod.",
+ "feedbackTextInput": "Pošlete nám svůj názor.",
+ "showFeedback": "Zobrazovat ikonu zpětné vazby na stavovém řádku",
+ "tweet": "Poslat tweet",
+ "tweetFeedback": "Poslat tweet s názorem",
+ "character left": "zbývající znak",
+ "characters left": "zbýv. zn."
+ },
+ "vs/workbench/contrib/files/electron-sandbox/files.contribution": {
+ "textFileEditor": "Editor textových souborů"
+ },
+ "vs/workbench/contrib/files/electron-sandbox/fileActions.contribution": {
+ "revealInWindows": "Zobrazit v Průzkumníkovi souborů",
+ "revealInMac": "Zobrazit ve Finderu",
+ "openContainer": "Otevřít nadřazenou složku",
+ "filesCategory": "Soubor"
+ },
+ "vs/workbench/contrib/files/browser/explorerViewlet": {
+ "explorerViewIcon": "Zobrazit ikonu zobrazení průzkumníka",
+ "folders": "Složky",
+ "explore": "Průzkumník",
+ "noWorkspaceHelp": "Do pracovního prostoru jste ještě nepřidali žádnou složku.\r\n[Přidat složku](command:{0})",
+ "remoteNoFolderHelp": "Připojeno ke vzdálenému umístění\r\n[Otevřít složku](command:{0})",
+ "noFolderHelp": "Ještě jste neotevřeli složku.\r\n[Otevřít složku] (command:{0})"
+ },
+ "vs/workbench/contrib/files/browser/files.contribution": {
+ "showExplorerViewlet": "Zobrazit průzkumníka",
+ "binaryFileEditor": "Editor binárních souborů",
+ "hotExit.off": "Zakázat ukončení za běhu. Při pokusu o zavření okna obsahujícího soubory s neuloženými změnami se zobrazí výzva.",
+ "hotExit.onExit": "Ukončení za běhu se aktivuje, když se v systému Windows/Linux zavře poslední okno nebo když je aktivován příkaz workbench.action.quit (paleta příkazů, klávesová zkratka, nabídka). Všechna okna bez otevřených složek se při příštím spuštění obnoví. Seznam pracovních prostorů s neuloženými soubory je možné zobrazit pomocí příkazů Soubor > Otevřít nedávné > Více...",
+ "hotExit.onExitAndWindowClose": "Ukončení za běhu se aktivuje, když se v systému Windows/Linux zavře poslední okno nebo když je aktivován příkaz workbench.action.quit (paleta příkazů, klávesová zkratka, nabídka) a také pro jakékoli okno s otevřenou složkou bez ohledu na to, jestli je to poslední okno. Všechna okna bez otevřených složek se při příštím spuštění obnoví. Seznam pracovních prostorů s neuloženými soubory je možné zobrazit pomocí příkazů Soubor > Otevřít nedávné > Více...",
+ "hotExit": "Určuje, jestli se mají zapamatovávat neuložené soubory mezi relacemi. Díky tomu pak nebudete při ukončování editoru vyzýváni k jejich uložení.",
+ "hotExit.onExitAndWindowCloseBrowser": "Ukončení za běhu se aktivuje při vypnutí prohlížeče a při zavření okna nebo karty.",
+ "filesConfigurationTitle": "Soubory",
+ "exclude": "Umožňuje nakonfigurovat vzory glob pro vyloučení souborů a složek. Na základě tohoto nastavení například Průzkumník souborů rozhodne, které soubory a složky se mají zobrazit nebo skrýt. Pokud chcete definovat vyloučení specifické pro konkrétní hledání, podívejte se na nastavení #search.exclude#. Další informace o vzorech glob najdete [tady](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options).",
+ "files.exclude.boolean": "Vzor glob pro hledání shod s cestami k souborům. Pokud chcete vzor povolit, nastavte hodnotu true, pokud ho chcete zakázat, nastavte hodnotu false.",
+ "files.exclude.when": "Další kontrola položek na stejné úrovni u odpovídajícího souboru. Jako proměnnou názvu odpovídajícího souboru použijte $(basename).",
+ "associations": "Nakonfigurujte přidružení souborů pro jazyky (například \"*.extension\": \"html\"). Tato přidružení mají přednost před výchozími přidruženími pro nainstalované jazyky.",
+ "encoding": "Výchozí kódování znakové sady, které se má použít při čtení ze souborů a zápisu do souborů. Toto nastavení lze také nakonfigurovat pro každý jazyk zvlášť.",
+ "autoGuessEncoding": "Pokud je povoleno, editor se při otevírání souborů pokusí určit kódování znakové sady. Toto nastavení lze také nakonfigurovat pro každý jazyk zvlášť.",
+ "eol.LF": "LF",
+ "eol.CRLF": "CRLF",
+ "eol.auto": "Používá znak konce řádku specifický pro operační systém.",
+ "eol": "Výchozí znak konce řádku",
+ "useTrash": "Při odstraňování přesune soubory/složky do koše operačního systému (koš v systému Windows). Při zakázání této možnosti budou soubory/složky odstraněny trvale.",
+ "trimTrailingWhitespace": "Pokud je povoleno, budou při uložení souboru odstraněny koncové prázdné znaky.",
+ "insertFinalNewline": "Pokud je tato možnost povolena, na konec souboru se při jeho uložení vloží poslední nový řádek.",
+ "trimFinalNewlines": "Pokud je tato možnost povolena, odstraní se při uložení souboru všechny nové řádky za posledním novým řádkem na konci souboru.",
+ "files.autoSave.off": "Editor s neuloženými změnami se nikdy automaticky neuloží.",
+ "files.autoSave.afterDelay": "Editor s neuloženými změnami se automaticky uloží po nakonfigurované prodlevě (#files.autoSaveDelay#).",
+ "files.autoSave.onFocusChange": "Editor s neuloženými změnami se automaticky uloží, když editor ztratí fokus.",
+ "files.autoSave.onWindowChange": "Editor s neuloženými změnami se automaticky uloží, když okno ztratí fokus.",
+ "autoSave": "Řídí automatické ukládání editorů s neuloženými změnami. Další informace o automatickém ukládání najdete [tady](https://code.visualstudio.com/docs/editor/codebasics#_save-auto-save).",
+ "autoSaveDelay": "Řídí dobu prodlevy (v milisekundách), po jejímž uplynutí se automaticky uloží editor obsahující neuložené změny. Platí pouze v případě, že má nastavení #files.autoSave# hodnotu {0}.",
+ "watcherExclude": "Umožňuje nakonfigurovat vzory glob cest k souborům, které se mají vyloučit ze sledování souborů. Vzory se musí shodovat v absolutních cestách (tzn. aby byla zajištěna správná shoda, je potřeba použít předponu ** nebo úplnou cestu). Změna tohoto nastavení vyžaduje restart. Pokud Code při spuštění spotřebovává hodně času procesoru, můžete vyloučit velké složky, abyste snížili počáteční zatížení.",
+ "defaultLanguage": "Výchozí režim jazyka, který je přiřazován k novým souborům. Pokud je nakonfigurováno na ${activeEditorLanguage}, bude se používat režim jazyka aktuálně aktivního textového editoru (pokud existuje).",
+ "maxMemoryForLargeFilesMB": "Řídí velikost paměti dostupné pro VS Code po restartování při pokusu o otevření velkých souborů. Má stejný efekt jako zadání příkazu --max-memory=NEWSIZE na příkazovém řádku.",
+ "files.restoreUndoStack": "Umožňuje při opětovném otevření souboru obnovit zásobník akcí Zpět.",
+ "askUser": "Zabrání uložení a vyzve vás k ručnímu vyřešení konfliktu uložení.",
+ "overwriteFileOnDisk": "Vyřeší konflikt uložení přepsáním souboru na disku změnami v editoru.",
+ "files.saveConflictResolution": "Ke konfliktu uložení může dojít, když se na disk uloží soubor, který byl mezitím změněn jiným programem. Aby se zabránilo ztrátě dat, uživatel je požádán, aby porovnal změny v editoru s verzí na disku. Toto nastavení byste měli měnit pouze v případě, že dochází k častým chybám týkajícím se konfliktů uložení, protože neopatrné použití tohoto nastavení může vést ke ztrátě dat.",
+ "files.simpleDialog.enable": "Umožňuje povolit jednoduché dialogového okno souboru. Pokud je povoleno, jednoduché dialogové okno souboru nahradí systémové dialogové okno souboru.",
+ "formatOnSave": "Umožňuje naformátovat soubor při uložení. Musí být k dispozici formátovací modul, soubor nesmí být ukládán až po uplynutí definované doby prodlevy a editor se nesmí právě vypínat.",
+ "everything": "Formátovat celý soubor",
+ "modification": "Naformátovat úpravy (vyžaduje správu zdrojového kódu)",
+ "formatOnSaveMode": "Určuje, jestli formátování při uložení naformátuje celý soubor nebo pouze úpravy. Platí pouze v případě, že nastavení #editor.formatOnSave# má hodnotu true.",
+ "explorerConfigurationTitle": "Průzkumník souborů",
+ "openEditorsVisible": "Počet editorů zobrazených v podokně Otevřené editory. Když se tato hodnota nastaví na 0, podokno Otevřené editory se skryje.",
+ "openEditorsSortOrder": "Určuje pořadí řazení editorů v podokně Otevřené editory.",
+ "sortOrder.editorOrder": "Editory jsou seřazené ve stejném pořadí, v jakém se zobrazují jejich karty.",
+ "sortOrder.alphabetical": "Editory jsou v jednotlivých skupinách editorů seřazené v abecedním pořadí.",
+ "autoReveal.on": "Soubory budou zobrazeny a vybrány.",
+ "autoReveal.off": "Soubory nebudou zobrazeny a vybrány.",
+ "autoReveal.focusNoScroll": "Soubory nebudou posunuty do zobrazení, ale zůstane na nich fokus.",
+ "autoReveal": "Určuje, jestli má průzkumník automaticky zobrazovat a vybírat soubory při jejich otevírání.",
+ "enableDragAndDrop": "Určuje, jestli má být v průzkumníkovi povolené přesouvání souborů a složek přetažením. Toto nastavení platí jenom pro přetahování zevnitř průzkumníka.",
+ "confirmDragAndDrop": "Určuje, jestli se má v průzkumníkovi žádat o potvrzení při přesouvání souborů a složek přetahováním myší.",
+ "confirmDelete": "Určuje, jestli se má v průzkumníkovi žádat o potvrzení při odstraňování souborů prostřednictvím koše.",
+ "sortOrder.default": "Soubory a složky jsou seřazovány v abecedním pořadí podle jejich názvů. Složky se zobrazují před soubory.",
+ "sortOrder.mixed": "Soubory a složky jsou seřazovány v abecedním pořadí podle jejich názvů. Soubory se řadí dohromady se složkami.",
+ "sortOrder.filesFirst": "Soubory a složky jsou seřazovány v abecedním pořadí podle jejich názvů. Soubory se zobrazují před složkami.",
+ "sortOrder.type": "Soubory a složky jsou seřazovány v abecedním pořadí podle jejich přípon. Složky se zobrazují před soubory.",
+ "sortOrder.modified": "Soubory a složky jsou seřazovány v sestupném pořadí podle data poslední změny. Složky se zobrazují před soubory.",
+ "sortOrder": "Určuje pořadí řazení souborů a složek v průzkumníkovi.",
+ "explorer.decorations.colors": "Určuje, jestli se mají pro dekorace souborů používat barvy.",
+ "explorer.decorations.badges": "Určuje, jestli se mají pro dekorace souborů používat odznáčky.",
+ "simple": "Připojí slovo „copy“ (kopie) na konec duplicitního názvu, po kterém může následovat ještě číslo.",
+ "smart": "Přidá číslo na konec duplicitního názvu. Pokud už v názvu nějaké číslo je, pokusí se toto číslo zvýšit.",
+ "explorer.incrementalNaming": "Určuje, jakou strategii pojmenování použít při zadávání nového názvu pro duplicitní položku průzkumníka při vložení.",
+ "compressSingleChildFolders": "Určuje, jestli má průzkumník zobrazovat složky v kompaktní podobě. V takovémto kompaktním zobrazení pak budou jednotlivé podřízené složky sdruženy do jednoho kombinovaného prvku stromu. To je užitečné například u struktur balíčků Java.",
+ "miViewExplorer": "&&Průzkumník"
+ },
+ "vs/workbench/contrib/files/browser/fileActions.contribution": {
+ "filesCategory": "Soubor",
+ "workspaces": "Pracovní prostory",
+ "file": "Soubor",
+ "copyPath": "Kopírovat cestu",
+ "copyRelativePath": "Kopírovat relativní cestu",
+ "revealInSideBar": "Zobrazit na postranním panelu",
+ "acceptLocalChanges": "Použít vaše změny a přepsat obsah souboru",
+ "revertLocalChanges": "Zahodit provedené změny a obnovit obsah souboru",
+ "copyPathOfActive": "Kopírovat cestu k aktivnímu souboru",
+ "copyRelativePathOfActive": "Kopírovat relativní cestu k aktivnímu souboru",
+ "saveAllInGroup": "Uložit vše ve skupině",
+ "saveFiles": "Uložit všechny soubory",
+ "revert": "Obnovit soubor",
+ "compareActiveWithSaved": "Porovnat aktivní soubor s uloženým",
+ "openToSide": "Otevřít na boku",
+ "saveAll": "Uložit vše",
+ "compareWithSaved": "Porovnat s uloženým",
+ "compareWithSelected": "Porovnat s vybraným",
+ "compareSource": "Vybrat pro porovnání",
+ "compareSelected": "Porovnat vybrané",
+ "close": "Zavřít",
+ "closeOthers": "Zavřít ostatní",
+ "closeSaved": "Zavřít uložené",
+ "closeAll": "Zavřít vše",
+ "explorerOpenWith": "Otevřít pomocí...",
+ "cut": "Vyjmout",
+ "deleteFile": "Trvale odstranit",
+ "newFile": "Nový soubor",
+ "openFile": "Otevřít soubor...",
+ "miNewFile": "&&Nový soubor",
+ "miSave": "&&Uložit",
+ "miSaveAs": "Uložit &&jako...",
+ "miSaveAll": "Uložit &&vše",
+ "miOpen": "&&Otevřít...",
+ "miOpenFile": "&&Otevřít soubor...",
+ "miOpenFolder": "Otevřít &&složku...",
+ "miOpenWorkspace": "Otevřít &&pracovní prostor...",
+ "miAutoSave": "A&&utomatické ukládání",
+ "miRevert": "&&Obnovit soubor",
+ "miCloseEditor": "&&Zavřít editor",
+ "miGotoFile": "Přejít na &&soubor..."
+ },
+ "vs/workbench/contrib/files/electron-sandbox/fileCommands": {
+ "openFileToReveal": "Nejdříve otevřete soubor, který chcete zobrazit."
+ },
+ "vs/workbench/contrib/files/common/editors/fileEditorInput": {
+ "orphanedReadonlyFile": "{0} (odstraněno, jen pro čtení)",
+ "orphanedFile": "{0} (odstraněno)",
+ "readonlyFile": "{0} (jen pro čtení)"
+ },
+ "vs/workbench/contrib/files/electron-sandbox/textFileEditor": {
+ "fileTooLargeForHeapError": "Pokud chcete otevřít soubor této velikosti, musíte provést restart a umožnit použití většího množství paměti.",
+ "relaunchWithIncreasedMemoryLimit": "Restartovat s {0} MB",
+ "configureMemoryLimit": "Konfigurovat limit paměti"
+ },
+ "vs/workbench/contrib/files/browser/views/emptyView": {
+ "noWorkspace": "Neotevřena žádná složka"
+ },
+ "vs/workbench/contrib/files/browser/views/explorerView": {
+ "explorerSection": "Oddíl průzkumníka: {0}"
+ },
+ "vs/workbench/contrib/files/browser/views/openEditorsView": {
+ "openEditors": "Otevřené editory",
+ "dirtyCounter": "Neuložené: {0}"
+ },
+ "vs/workbench/contrib/files/browser/editors/textFileSaveErrorHandler": {
+ "userGuide": "Pomocí akcí na panelu nástrojů editoru můžete vrátit zpět provedené změny nebo přepsat obsah souboru svými změnami.",
+ "staleSaveError": "Soubor {0} se nepovedlo uložit: Obsah souboru je novější. Porovnejte prosím svoji verzi s obsahem souboru nebo přepište obsah souboru svými změnami.",
+ "retry": "Zkusit znovu",
+ "discard": "Zahodit",
+ "readonlySaveErrorAdmin": "Soubor {0} se nepovedlo uložit: Soubor je jen pro čtení. Pokud to chcete zkusit znovu s oprávněními správce, vyberte Přepsat jako správce.",
+ "readonlySaveErrorSudo": "Soubor {0} se nepovedlo uložit: Soubor je jen pro čtení. Pokud to chcete zkusit znovu s oprávněními superuživatele, vyberte Přepsat jako Sudo.",
+ "readonlySaveError": "Soubor {0} se nepovedlo uložit: Soubor je jen pro čtení. Pokud ho chcete zkusit nastavit jako zapisovatelný, vyberte Přepsat.",
+ "permissionDeniedSaveError": "Soubor {0} se nepovedlo uložit: Nedostatečná oprávnění. Pokud to chcete zkusit znovu s oprávněními správce, vyberte Zkusit znovu jako správce.",
+ "permissionDeniedSaveErrorSudo": "Soubor {0} se nepovedlo uložit: Nedostatečná oprávnění. Pokud to chcete zkusit znovu s oprávněními superuživatele, vyberte Zkusit znovu jako Sudo.",
+ "genericSaveError": "{0} se nepodařilo uložit: {1}",
+ "learnMore": "Další informace",
+ "dontShowAgain": "Znovu nezobrazovat",
+ "compareChanges": "Porovnat",
+ "saveConflictDiffLabel": "{0} (v souboru) ↔ {1} (v {2}) – vyřešit konflikt uložení",
+ "overwriteElevated": "Přepsat jako správce...",
+ "overwriteElevatedSudo": "Přepsat jako Sudo...",
+ "saveElevated": "Zkusit znovu jako správce...",
+ "saveElevatedSudo": "Zkusit znovu jako Sudo...",
+ "overwrite": "Přepsat",
+ "configure": "Konfigurovat"
+ },
+ "vs/workbench/contrib/files/browser/editors/binaryFileEditor": {
+ "binaryFileEditor": "Prohlížeč binárních souborů"
+ },
+ "vs/workbench/contrib/files/common/workspaceWatcher": {
+ "netVersionError": "Je vyžadováno rozhraní Microsoft .NET Framework 4.5. Pokud ho chcete nainstalovat, přejděte prosím na následující odkaz.",
+ "installNet": "Stáhnout .NET Framework 4.5",
+ "enospcError": "V tomto velkém pracovním prostoru nelze sledovat změny souborů. Pokud chcete tento problém vyřešit, postupujte prosím podle pokynů na uvedeném odkazu.",
+ "learnMore": "Pokyny"
+ },
+ "vs/workbench/contrib/files/common/dirtyFilesIndicator": {
+ "dirtyFile": "1 neuložený soubor",
+ "dirtyFiles": "Neuložené soubory: {0}"
+ },
+ "vs/workbench/contrib/files/browser/fileActions": {
+ "newFile": "Nový soubor",
+ "newFolder": "Nová složka",
+ "rename": "Přejmenovat",
+ "delete": "Odstranit",
+ "copyFile": "Kopírovat",
+ "pasteFile": "Vložit",
+ "download": "Stáhnout...",
+ "createNewFile": "Nový soubor",
+ "createNewFolder": "Nová složka",
+ "deleteButtonLabelRecycleBin": "&&Přesunout do koše",
+ "deleteButtonLabelTrash": "&&Přesunout do koše",
+ "deleteButtonLabel": "&&Odstranit",
+ "dirtyMessageFilesDelete": "Odstraňujete soubory s neuloženými změnami. Chcete pokračovat?",
+ "dirtyMessageFolderOneDelete": "Odstraňujete složku {0} s neuloženými změnami v 1 souboru. Chcete pokračovat?",
+ "dirtyMessageFolderDelete": "Odstraňujete složku {0} s neuloženými změnami v {1} souborech. Chcete pokračovat?",
+ "dirtyMessageFileDelete": "Odstraňujete soubor {0} s neuloženými změnami. Chcete pokračovat?",
+ "dirtyWarning": "Pokud své změny neuložíte, ztratí se.",
+ "undoBinFiles": "Tyto soubory můžete obnovit z koše.",
+ "undoBin": "Tento soubor můžete obnovit z koše.",
+ "undoTrashFiles": "Tyto soubory můžete obnovit z koše.",
+ "undoTrash": "Tento soubor můžete obnovit z koše.",
+ "doNotAskAgain": "Tento dotaz příště nezobrazovat",
+ "irreversible": "Tato akce je nevratná!",
+ "deleteBulkEdit": "Odstranit soubory ({0})",
+ "deleteFileBulkEdit": "Odstranit položku {0}",
+ "deletingBulkEdit": "Odstraňuje se tento počet souborů: {0}",
+ "deletingFileBulkEdit": "Odstraňuje se {0}.",
+ "binFailed": "Odstranění pomocí koše selhalo. Chcete místo toho provést trvalé odstranění?",
+ "trashFailed": "Odstranění pomocí koše selhalo. Chcete místo toho provést trvalé odstranění?",
+ "deletePermanentlyButtonLabel": "&&Trvale odstranit",
+ "retryButtonLabel": "&&Zkusit znovu",
+ "confirmMoveTrashMessageFilesAndDirectories": "Opravdu chcete odstranit následující soubory/adresáře (celkem {0}) a jejich obsah?",
+ "confirmMoveTrashMessageMultipleDirectories": "Opravdu chcete odstranit následující adresáře (celkem {0}) a jejich obsah?",
+ "confirmMoveTrashMessageMultiple": "Opravdu chcete odstranit následující soubory (celkem {0})?",
+ "confirmMoveTrashMessageFolder": "Opravdu chcete odstranit složku {0} včetně jejího obsahu?",
+ "confirmMoveTrashMessageFile": "Opravdu chcete odstranit {0}?",
+ "confirmDeleteMessageFilesAndDirectories": "Opravdu chcete trvale odstranit následující soubory/adresáře (celkem {0}) a jejich obsah?",
+ "confirmDeleteMessageMultipleDirectories": "Opravdu chcete trvale odstranit následující adresáře (celkem {0}) a jejich obsah?",
+ "confirmDeleteMessageMultiple": "Opravdu chcete trvale odstranit následující soubory (celkem {0})?",
+ "confirmDeleteMessageFolder": "Opravdu chcete trvale odstranit složku {0} včetně jejího obsahu?",
+ "confirmDeleteMessageFile": "Opravdu chcete trvale odstranit soubor {0}?",
+ "globalCompareFile": "Porovnat aktivní soubor s...",
+ "fileToCompareNoFile": "Vyberte prosím soubor pro porovnání.",
+ "openFileToCompare": "Pokud chcete soubor porovnat s jiným souborem, nejdříve ho otevřete.",
+ "toggleAutoSave": "Přepnout automatické ukládání",
+ "saveAllInGroup": "Uložit vše ve skupině",
+ "closeGroup": "Zavřít skupinu",
+ "focusFilesExplorer": "Přepnout na Průzkumníka souborů",
+ "showInExplorer": "Zobrazit aktivní soubor na postranním panelu",
+ "openFileToShow": "Pokud si chcete soubor zobrazit v průzkumníkovi, nejdříve ho otevřete.",
+ "collapseExplorerFolders": "Sbalit složky v Průzkumníkovi",
+ "refreshExplorer": "Aktualizovat Průzkumníka",
+ "openFileInNewWindow": "Otevřít aktivní soubor v novém okně",
+ "openFileToShowInNewWindow.unsupportedschema": "Aktivní editor musí obsahovat prostředek, který lze otevřít.",
+ "openFileToShowInNewWindow.nofile": "Pokud chcete soubor otevřít v novém okně, nejdříve ho otevřete.",
+ "emptyFileNameError": "Musí být zadán název souboru nebo složky.",
+ "fileNameStartsWithSlashError": "Název souboru nebo složky nemůže začínat lomítkem.",
+ "fileNameExistsError": "Soubor nebo složka **{0}** již v tomto umístění existují. Zvolte prosím jiný název.",
+ "invalidFileNameError": "Název **{0}** není platný jako název souboru nebo složky. Zvolte prosím jiný název.",
+ "fileNameWhitespaceWarning": "V názvu souboru nebo složky byl zjištěn prázdný znak na začátku nebo na konci.",
+ "compareWithClipboard": "Porovnat aktivní soubor se schránkou",
+ "clipboardComparisonLabel": "Schránka ↔ {0}",
+ "retry": "Zkusit znovu",
+ "createBulkEdit": "Vytvořit {0}",
+ "creatingBulkEdit": "Vytváří se {0}.",
+ "renameBulkEdit": "Přejmenovat {0} na {1}",
+ "renamingBulkEdit": "{0} se přejmenovává na {1}.",
+ "downloadingFiles": "Stahování",
+ "downloadProgressSmallMany": "{0} z {1} souborů ({2}/s)",
+ "downloadProgressLarge": "{0} ({1} z {2}, {3}/s)",
+ "downloadButton": "Stáhnout",
+ "downloadFolder": "Stáhnout složku",
+ "downloadFile": "Stáhnout soubor",
+ "downloadBulkEdit": "Stáhnout {0}",
+ "downloadingBulkEdit": "Stahuje se {0}.",
+ "fileIsAncestor": "Soubor, který se má vložit, je nadřazený prvek cílové složky.",
+ "movingBulkEdit": "Přesouvá se tento počet souborů: {0}",
+ "movingFileBulkEdit": "Přesouvá se {0}.",
+ "moveBulkEdit": "Přesunout soubory ({0})",
+ "moveFileBulkEdit": "Přesunout {0}",
+ "copyingBulkEdit": "Kopíruje se tento počet souborů: {0}",
+ "copyingFileBulkEdit": "Kopíruje se {0}.",
+ "copyBulkEdit": "Kopírovat soubory ({0})",
+ "copyFileBulkEdit": "Kopírovat {0}",
+ "fileDeleted": "Soubory, které chcete vložit, byly od doby, kdy jste je zkopírovali, odstraněny nebo přesunuty. {0}"
+ },
+ "vs/workbench/contrib/files/browser/fileCommands": {
+ "saveAs": "Uložit jako...",
+ "save": "Uložit",
+ "saveWithoutFormatting": "Uložit bez formátování",
+ "saveAll": "Uložit vše",
+ "removeFolderFromWorkspace": "Odebrat složku z pracovního prostoru",
+ "newUntitledFile": "Nový soubor bez názvu",
+ "modifiedLabel": "{0} (v souboru) ↔ {1}",
+ "openFileToCopy": "Pokud chcete zkopírovat cestu k souboru, nejdříve soubor otevřete.",
+ "genericSaveError": "{0} se nepodařilo uložit: {1}",
+ "genericRevertError": "{0} se nepovedlo obnovit: {1}"
+ },
+ "vs/workbench/contrib/files/browser/editors/textFileEditor": {
+ "textFileEditor": "Editor textových souborů",
+ "openFolderError": "Soubor je adresář",
+ "createFile": "Vytvořit soubor"
+ },
+ "vs/workbench/contrib/files/browser/views/explorerDecorationsProvider": {
+ "canNotResolve": "Nelze zjistit složku pracovního prostoru.",
+ "symbolicLlink": "Symbolický odkaz",
+ "unknown": "Neznámý typ souboru",
+ "label": "Průzkumník"
+ },
+ "vs/workbench/contrib/files/browser/views/explorerViewer": {
+ "treeAriaLabel": "Průzkumník souborů",
+ "fileInputAriaLabel": "Zadejte název souboru. (Potvrdíte stisknutím klávesy Enter. Zrušíte klávesou Esc.)",
+ "confirmOverwrite": "Soubor nebo složka s názvem {0} už v cílové složce existují. Chcete existující soubor nebo složku nahradit?",
+ "irreversible": "Tato akce je nevratná!",
+ "replaceButtonLabel": "&&Nahradit",
+ "confirmManyOverwrites": "Následující soubory a složky (celkem {0}) už v cílové složce existují. Chcete je nahradit?",
+ "uploadingFiles": "Nahrávání",
+ "overwrite": "Přepsat {0}",
+ "overwriting": "Přepisuje se {0}.",
+ "uploadProgressSmallMany": "{0} z {1} souborů ({2}/s)",
+ "uploadProgressLarge": "{0} ({1} z {2}, {3}/s)",
+ "copyFolders": "&&Kopírovat složky",
+ "copyFolder": "&&Kopírovat složku",
+ "cancel": "Zrušit",
+ "copyfolders": "Opravdu chcete zkopírovat složky?",
+ "copyfolder": "Opravdu chcete zkopírovat složku {0}?",
+ "addFolders": "&&Přidat složky do pracovního prostoru",
+ "addFolder": "&&Přidat složku do pracovního prostoru",
+ "dropFolders": "Chcete složky zkopírovat nebo je chcete přidat do pracovního prostoru?",
+ "dropFolder": "Chcete zkopírovat {0} nebo přidat {0} jako složku do pracovního prostoru?",
+ "copyFile": "Kopírovat {0}",
+ "copynFile": "Kopírovat prostředky (počet: {0})",
+ "copyingFile": "Kopíruje se {0}.",
+ "copyingnFile": "Kopírují se prostředky (počet: {0}).",
+ "confirmRootsMove": "Opravdu chcete změnit pořadí více kořenových složek ve vašem pracovním prostoru?",
+ "confirmMultiMove": "Opravdu chcete přesunout následující soubory (celkem {0}) do {1}?",
+ "confirmRootMove": "Opravdu chcete změnit pořadí kořenové složky {0} ve vašem pracovním prostoru?",
+ "confirmMove": "Opravdu chcete přesunout {0} do {1}?",
+ "doNotAskAgain": "Tento dotaz příště nezobrazovat",
+ "moveButtonLabel": "&&Přesunout",
+ "copy": "Kopírovat {0}",
+ "copying": "Kopíruje se {0}.",
+ "move": "Přesunout {0}",
+ "moving": "Přesouvá se {0}."
+ },
+ "vs/workbench/contrib/format/browser/formatActionsMultiple": {
+ "nullFormatterDescription": "Žádný",
+ "miss": "Rozšíření {0} nemůže naformátovat {1}.",
+ "config.needed": "Pro soubory ({0}) existuje několik formátovacích modulů. Pokračujte zvolením výchozího formátovacího modulu.",
+ "config.bad": "Rozšíření {0} je nakonfigurováno jako formátovací modul, ale není k dispozici. Pokračujte zvolením jiného výchozího formátovacího modulu.",
+ "do.config": "Konfigurovat...",
+ "select": "Vyberte výchozí formátovací modul pro soubory ({0}).",
+ "formatter.default": "Definuje výchozí formátovací modul, který má přednost před všemi ostatními nastaveními formátovacích modulů. Musí se jednat o identifikátor rozšíření, které přidává formátovací modul.",
+ "def": "(výchozí)",
+ "config": "Konfigurovat výchozí formátovací modul...",
+ "format.placeHolder": "Vyberte formátovací modul",
+ "formatDocument.label.multiple": "Formátovat dokument pomocí...",
+ "formatSelection.label.multiple": "Formátovat výběr pomocí..."
+ },
+ "vs/workbench/contrib/format/browser/formatActionsNone": {
+ "formatDocument.label.multiple": "Formátovat dokument",
+ "too.large": "Tento soubor nejde naformátovat, protože je moc velký.",
+ "no.provider": "Pro soubory ({0}) není nainstalovaný žádný formátovací modul.",
+ "install.formatter": "Nainstalovat formátovací modul..."
+ },
+ "vs/workbench/contrib/format/browser/formatModified": {
+ "formatChanges": "Formátovat upravené řádky"
+ },
+ "vs/workbench/contrib/issue/electron-sandbox/issue.contribution": {
+ "reportIssueInEnglish": "Nahlásit problém..."
+ },
+ "vs/workbench/contrib/issue/electron-sandbox/issueActions": {
+ "openProcessExplorer": "Otevřít průzkumník procesů",
+ "reportPerformanceIssue": "Nahlásit problém s výkonem"
+ },
+ "vs/workbench/contrib/keybindings/browser/keybindings.contribution": {
+ "toggleKeybindingsLog": "Řešení potíží s přepínáním klávesových zkratek"
+ },
+ "vs/workbench/contrib/localizations/browser/localizations.contribution": {
+ "updateLocale": "Chcete změnit jazyk uživatelského rozhraní VS Code na {0} a restartovat VS Code?",
+ "activateLanguagePack": "Aby bylo možné použít VS Code v {0}, je nutné VS Code restartovat.",
+ "yes": "Ano",
+ "restart now": "Restartovat",
+ "neverAgain": "Znovu nezobrazovat",
+ "vscode.extension.contributes.localizations": "Přidává lokalizace do editoru.",
+ "vscode.extension.contributes.localizations.languageId": "ID jazyka, do kterého jsou zobrazované řetězce přeloženy",
+ "vscode.extension.contributes.localizations.languageName": "Název jazyka v angličtině",
+ "vscode.extension.contributes.localizations.languageNameLocalized": "Název jazyka v přidaném jazyce",
+ "vscode.extension.contributes.localizations.translations": "Seznam překladů přidružených k danému jazyku",
+ "vscode.extension.contributes.localizations.translations.id": "ID VS Code nebo rozšíření, pro které je přidáván tento překlad. ID VS Code je vždy vscode a ID rozšíření musí být ve formátu publisherId.extensionName.",
+ "vscode.extension.contributes.localizations.translations.id.pattern": "ID musí být u překladů pro VS Code ve formátu vscode a pro rozšíření ve formátu publisherId.extensionName.",
+ "vscode.extension.contributes.localizations.translations.path": "Relativní cesta k souboru obsahujícímu překlady pro daný jazyk"
+ },
+ "vs/workbench/contrib/localizations/browser/localizationsActions": {
+ "configureLocale": "Konfigurovat jazyk zobrazení",
+ "installAdditionalLanguages": "Nainstalovat další jazyky...",
+ "chooseDisplayLanguage": "Vybrat jazyk zobrazení",
+ "relaunchDisplayLanguageMessage": "Změna jazyka zobrazení se projeví až po restartování.",
+ "relaunchDisplayLanguageDetail": "Stisknutím tlačítka Restartovat restartujte {0} a změníte jazyk zobrazení.",
+ "restart": "&&Restartovat"
+ },
+ "vs/workbench/contrib/localizations/browser/minimalTranslations": {
+ "showLanguagePackExtensions": "Pokud chcete jazyk zobrazení změnit na {0}, zkuste vyhledat jazykové sady na Marketplace.",
+ "searchMarketplace": "Hledat na Marketplace",
+ "installAndRestartMessage": "Pokud chcete jazyk zobrazení změnit na {0}, nainstaluje jazykovou sadu.",
+ "installAndRestart": "Nainstalovat a restartovat"
+ },
+ "vs/workbench/contrib/logs/common/logs.contribution": {
+ "userDataSyncLog": "Synchronizace nastavení",
+ "rendererLog": "Okno",
+ "telemetryLog": "Telemetrie",
+ "show window log": "Zobrazit protokol okna",
+ "mainLog": "Hlavní",
+ "sharedLog": "Sdíleno"
+ },
+ "vs/workbench/contrib/logs/electron-sandbox/logsActions": {
+ "openLogsFolder": "Otevřít složku s logy",
+ "openExtensionLogsFolder": "Otevřít složku protokolů rozšíření"
+ },
+ "vs/workbench/contrib/logs/common/logsActions": {
+ "setLogLevel": "Nastavit úroveň protokolu...",
+ "trace": "Trasování",
+ "debug": "Ladit",
+ "info": "Informace",
+ "warn": "Upozornění",
+ "err": "Chyba",
+ "critical": "Kritické",
+ "off": "Vypnuto",
+ "selectLogLevel": "Vybrat úroveň protokolu",
+ "default and current": "Výchozí a aktuální",
+ "default": "Výchozí",
+ "current": "Aktuální",
+ "openSessionLogFile": "Otevřít soubor protokolu okna (relace)...",
+ "sessions placeholder": "Vybrat relaci",
+ "log placeholder": "Vybrat soubor protokolu"
+ },
+ "vs/workbench/contrib/markers/browser/markers.contribution": {
+ "markersViewIcon": "Zobrazit ikonu zobrazení značek",
+ "copyMarker": "Kopírovat",
+ "copyMessage": "Kopírovat zprávu",
+ "focusProblemsList": "Přepnout fokus na zobrazení problémů",
+ "focusProblemsFilter": "Přepnout fokus na filtr problémů",
+ "show multiline": "Zobrazit zprávu na více řádcích",
+ "problems": "Problémy",
+ "show singleline": "Zobrazit zprávu na jednom řádku",
+ "clearFiltersText": "Vymazat text filtrů",
+ "miMarker": "&&Problémy",
+ "status.problems": "Problémy",
+ "totalErrors": "Počet chyb: {0}",
+ "totalWarnings": "Upozornění: {0}",
+ "totalInfos": "Informace: {0}",
+ "noProblems": "Žádné problémy",
+ "manyProblems": "Více než 10 000"
+ },
+ "vs/workbench/contrib/markers/browser/markersView": {
+ "collapseAll": "Sbalit vše",
+ "filter": "Filtr",
+ "No problems filtered": "Zobrazuje se tento počet problémů: {0}.",
+ "problems filtered": "Zobrazuje se tento počet problémů: {0} z {1}.",
+ "clearFilter": "Vymazat filtry"
+ },
+ "vs/workbench/contrib/markers/browser/markersViewActions": {
+ "filterIcon": "Ikona pro konfiguraci filtru v zobrazení značek",
+ "showing filtered problems": "Zobrazuje se stránka {0} z {1}."
+ },
+ "vs/workbench/contrib/markers/browser/messages": {
+ "problems.view.toggle.label": "Přepnout problémy (chyby, upozornění, informace)",
+ "problems.view.focus.label": "Přepnout fokus na problémy (chyby, upozornění, informace)",
+ "problems.panel.configuration.title": "Zobrazení problémů",
+ "problems.panel.configuration.autoreveal": "Určuje, jestli se mají otevírané soubory automaticky zobrazovat v zobrazení problémů.",
+ "problems.panel.configuration.showCurrentInStatus": "Pokud je povoleno, zobrazí se aktuální problém na stavovém řádku.",
+ "markers.panel.title.problems": "Problémy",
+ "markers.panel.no.problems.build": "V pracovním prostoru zatím nebyly zjištěny žádné problémy.",
+ "markers.panel.no.problems.activeFile.build": "V aktuálním souboru zatím nebyly zjištěny žádné problémy.",
+ "markers.panel.no.problems.filters": "Se zadanými kritérii filtru nebyly nalezeny žádné výsledky.",
+ "markers.panel.action.moreFilters": "Další filtry...",
+ "markers.panel.filter.showErrors": "Zobrazit chyby",
+ "markers.panel.filter.showWarnings": "Zobrazit upozornění",
+ "markers.panel.filter.showInfos": "Zobrazit informace",
+ "markers.panel.filter.useFilesExclude": "Skrýt vyloučené soubory",
+ "markers.panel.filter.activeFile": "Zobrazit pouze aktivní soubor",
+ "markers.panel.action.filter": "Filtrovat problémy",
+ "markers.panel.action.quickfix": "Zobrazit opravy",
+ "markers.panel.filter.ariaLabel": "Filtrovat problémy",
+ "markers.panel.filter.placeholder": "Filtr (například text, **/*.ts, !**/node_modules/**)",
+ "markers.panel.filter.errors": "chyby",
+ "markers.panel.filter.warnings": "upozornění",
+ "markers.panel.filter.infos": "informace",
+ "markers.panel.single.error.label": "1 chyba",
+ "markers.panel.multiple.errors.label": "Počet chyb: {0}",
+ "markers.panel.single.warning.label": "1 upozornění",
+ "markers.panel.multiple.warnings.label": "Upozornění: {0}",
+ "markers.panel.single.info.label": "1 informace",
+ "markers.panel.multiple.infos.label": "Informace: {0}",
+ "markers.panel.single.unknown.label": "Neznámé: 1",
+ "markers.panel.multiple.unknowns.label": "Neznámé: {0}",
+ "markers.panel.at.ln.col.number": "[{0}, {1}]",
+ "problems.tree.aria.label.resource": "Počet problémů v souboru {1} složky {2}: {0}",
+ "problems.tree.aria.label.marker.relatedInformation": " Tento problém odkazuje na více umístění ({0}).",
+ "problems.tree.aria.label.error.marker": "Chyba vygenerovaná v {0}: {1} na řádku {2}, znak {3}.{4}",
+ "problems.tree.aria.label.error.marker.nosource": "Chyba: {0} na řádku {1}, znak {2}.{3}",
+ "problems.tree.aria.label.warning.marker": "Upozornění vygenerované v {0}: {1} na řádku {2}, znak {3}.{4}",
+ "problems.tree.aria.label.warning.marker.nosource": "Upozornění: {0} na řádku {1}, znak {2}.{3}",
+ "problems.tree.aria.label.info.marker": "Informace vygenerované v {0}: {1} na řádku {2}, znak {3}.{4}",
+ "problems.tree.aria.label.info.marker.nosource": "Informace: {0} na řádku {1}, znak {2}.{3}",
+ "problems.tree.aria.label.marker": "Problém vygenerovaný v {0}: {1} na řádku {2}, znak {3}.{4}",
+ "problems.tree.aria.label.marker.nosource": "Problém: {0} na řádku {1}, znak {2}.{3}",
+ "problems.tree.aria.label.relatedinfo.message": "{0} na řádku {1}, znak {2} v {3}",
+ "errors.warnings.show.label": "Zobrazit chyby a upozornění"
+ },
+ "vs/workbench/contrib/markers/browser/markers": {
+ "totalProblems": "Celkový počet problémů: {0}"
+ },
+ "vs/workbench/contrib/markers/browser/markersFileDecorations": {
+ "label": "Problémy",
+ "tooltip.1": "1 problém v tomto souboru",
+ "tooltip.N": "Počet problémů v tomto souboru: {0}",
+ "markers.showOnFile": "Zobrazit chyby a upozornění pro soubory a složky"
+ },
+ "vs/workbench/contrib/markers/browser/markersTreeViewer": {
+ "problemsView": "Zobrazení problémů",
+ "expandedIcon": "Ikona označující, že v zobrazení značek je zobrazeno více řádků",
+ "collapsedIcon": "Ikona označující, že v zobrazení značek je sbaleno více řádků",
+ "single line": "Zobrazit zprávu na jednom řádku",
+ "multi line": "Zobrazit zprávu na více řádcích",
+ "links.navigate.follow": "Přejít na odkaz",
+ "links.navigate.kb.meta": "ctrl + kliknutí",
+ "links.navigate.kb.meta.mac": "cmd + kliknutí",
+ "links.navigate.kb.alt.mac": "option + kliknutí",
+ "links.navigate.kb.alt": "alt + kliknutí"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/coreActions": {
+ "notebookActions.category": "Poznámkový blok",
+ "notebookActions.execute": "Provést buňku",
+ "notebookActions.cancel": "Zastavit provádění buňky",
+ "notebookActions.executeCell": "Provést buňku",
+ "notebookActions.CancelCell": "Zrušit provádění",
+ "notebookActions.deleteCell": "Odstranit buňku",
+ "notebookActions.executeAndSelectBelow": "Provést buňku poznámkového bloku a vybrat níže",
+ "notebookActions.executeAndInsertBelow": "Provést buňku poznámkového bloku a vložit níže",
+ "notebookActions.renderMarkdown": "Vykreslit všechny buňky Markdownu",
+ "notebookActions.executeNotebook": "Provést poznámkový blok",
+ "notebookActions.cancelNotebook": "Zrušit provádění poznámkového bloku",
+ "notebookMenu.insertCell": "Vložit buňku",
+ "notebookMenu.cellTitle": "Buňka poznámkového bloku",
+ "notebookActions.menu.executeNotebook": "Provést poznámkový blok (spustit všechny buňky)",
+ "notebookActions.menu.cancelNotebook": "Zastavit provádění poznámkového bloku",
+ "notebookActions.changeCellToCode": "Změnit buňku na kód",
+ "notebookActions.changeCellToMarkdown": "Změnit buňku na Markdown",
+ "notebookActions.insertCodeCellAbove": "Vložit buňku kódu nad",
+ "notebookActions.insertCodeCellBelow": "Vložit buňku kódu pod",
+ "notebookActions.insertCodeCellAtTop": "Přidat buňku kódu nahoru",
+ "notebookActions.insertMarkdownCellAtTop": "Přidat buňku Markdownu nahoru",
+ "notebookActions.menu.insertCode": "$(add) kód",
+ "notebookActions.menu.insertCode.tooltip": "Přidat buňku kódu",
+ "notebookActions.insertMarkdownCellAbove": "Vložit buňku Markdownu nad",
+ "notebookActions.insertMarkdownCellBelow": "Vložit buňku Markdownu pod",
+ "notebookActions.menu.insertMarkdown": "$(add) Markdown",
+ "notebookActions.menu.insertMarkdown.tooltip": "Přidat buňku Markdownu",
+ "notebookActions.editCell": "Upravit buňku",
+ "notebookActions.quitEdit": "Ukončit úpravy buňky",
+ "notebookActions.moveCellUp": "Přesunout buňku nahoru",
+ "notebookActions.moveCellDown": "Přesunout buňku dolů",
+ "notebookActions.copy": "Kopírovat buňku",
+ "notebookActions.cut": "Vyjmout buňku",
+ "notebookActions.paste": "Vložit buňku",
+ "notebookActions.pasteAbove": "Vložit buňku nad",
+ "notebookActions.copyCellUp": "Kopírovat buňku nahoru",
+ "notebookActions.copyCellDown": "Kopírovat buňku dolů",
+ "cursorMoveDown": "Přepnout fokus na další editor buněk",
+ "cursorMoveUp": "Přepnout fokus na předchozí editor buněk",
+ "focusOutput": "Přepnout fokus na výstup aktivní buňky",
+ "focusOutputOut": "Přepnout fokus mimo výstup aktivní buňky",
+ "focusFirstCell": "Přepnout fokus na první buňku",
+ "focusLastCell": "Přepnout fokus na poslední buňku",
+ "clearCellOutputs": "Vymazat výstupy buněk",
+ "changeLanguage": "Změnit jazyk buňky",
+ "languageDescription": "({0}) – aktuální jazyk",
+ "languageDescriptionConfigured": "({0})",
+ "pickLanguageToConfigure": "Vybrat režim jazyka",
+ "clearAllCellsOutputs": "Vymazat výstupy všech buněk",
+ "notebookActions.splitCell": "Rozdělit buňku",
+ "notebookActions.joinCellAbove": "Spojit s předchozí buňkou",
+ "notebookActions.joinCellBelow": "Spojit s další buňkou",
+ "notebookActions.centerActiveCell": "Zarovnat aktivní buňku na střed",
+ "notebookActions.collapseCellInput": "Sbalit vstup buňky",
+ "notebookActions.expandCellContent": "Rozbalit obsah buňky",
+ "notebookActions.collapseCellOutput": "Sbalit výstup buňky",
+ "notebookActions.expandCellOutput": "Rozbalit výstup buňky",
+ "notebookActions.inspectLayout": "Zkontrolovat rozložení poznámkového bloku"
+ },
+ "vs/workbench/contrib/notebook/browser/notebook.contribution": {
+ "diffLeftRightLabel": "{0} ⟷ {1}",
+ "notebookConfigurationTitle": "Poznámkový blok",
+ "notebook.displayOrder.description": "Seznam priorit pro typy výstupů mime",
+ "notebook.cellToolbarLocation.description": "Určuje, kde se má zobrazit panel nástrojů buňky nebo jestli má být skrytý.",
+ "notebook.showCellStatusbar.description": "Určuje, jestli má být zobrazen stavový řádek buňky.",
+ "notebook.diff.enablePreview.description": "Určuje, jestli se má pro poznámkový blok použít rozšířený editor rozdílů v textu."
+ },
+ "vs/workbench/contrib/notebook/browser/notebookIcons": {
+ "configureKernel": "Nakonfigurovat ikonu ve widgetu konfigurace jádra v editorech poznámkových bloků",
+ "selectKernelIcon": "Nakonfigurovat ikonu pro výběr jádra v editorech poznámkových bloků",
+ "executeIcon": "Ikona pro spuštění v editorech poznámkových bloků",
+ "stopIcon": "Ikona pro zastavení spouštění v editorech poznámkových bloků",
+ "deleteCellIcon": "Ikona pro odstranění buňky v editorech poznámkových bloků",
+ "executeAllIcon": "Ikona pro spuštění všech buněk v editorech poznámkových bloků",
+ "editIcon": "Ikona pro úpravu buňky v editorech poznámkových bloků",
+ "stopEditIcon": "Ikona pro zastavení úprav buňky v editorech poznámkových bloků",
+ "moveUpIcon": "Ikona pro přesun buňky nahoru v editorech poznámkových bloků",
+ "moveDownIcon": "Ikona pro přesun buňky dolů v editorech poznámkových bloků",
+ "clearIcon": "Ikona pro vymazání výstupu buněk v editorech poznámkových bloků",
+ "splitCellIcon": "Ikona pro rozdělení buňky v editorech poznámkových bloků",
+ "unfoldIcon": "Ikona pro rozbalení buňky v editorech poznámkových bloků",
+ "successStateIcon": "Ikona, která označuje úspěšný stav v editorech poznámkových bloků",
+ "errorStateIcon": "Ikona, která označuje chybový stav v editorech poznámkových bloků",
+ "collapsedIcon": "Ikona pro poznámku sbaleného oddílu v editorech poznámkových bloků",
+ "expandedIcon": "Ikona pro poznámku rozbaleného oddílu v editorech poznámkových bloků",
+ "openAsTextIcon": "Ikona pro otevření poznámkového bloku v editorech textu",
+ "revertIcon": "Ikona k přechodu zpět v editorech poznámkových bloků",
+ "mimetypeIcon": "Ikona pro typ MIME v editorech poznámkových bloků"
+ },
+ "vs/workbench/contrib/notebook/browser/notebookEditor": {
+ "fail.noEditor": "Nelze otevřít prostředek s editorem poznámkového bloku typu {0}. Zkontrolujte prosím, jestli máte nainstalované nebo povolené správné rozšíření.",
+ "fail.reOpen": "Znovu otevřít soubor pomocí standardního textového editoru VS Code"
+ },
+ "vs/workbench/contrib/notebook/browser/notebookServiceImpl": {
+ "builtinProviderDisplayName": "Integrovaný"
+ },
+ "vs/workbench/contrib/notebook/browser/diff/notebookTextDiffEditor": {
+ "notebookTreeAriaLabel": "Rozdíly v textu poznámkového bloku"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/find/findController": {
+ "notebookActions.hideFind": "Skrýt hledání v poznámkovém bloku",
+ "notebookActions.findInNotebook": "Najít v poznámkovém bloku"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/fold/folding": {
+ "fold.cell": "Sbalit buňku",
+ "unfold.cell": "Rozbalit buňku"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/format/formatting": {
+ "format.title": "Formátovat poznámkový blok",
+ "label": "Formátovat poznámkový blok",
+ "formatCell.label": "Formátovat buňku"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/status/editorStatus": {
+ "notebookActions.selectKernel": "Vybrat jádro poznámkového bloku",
+ "notebook.runCell.selectKernel": "Vyberte jádro poznámkového bloku pro spuštění tohoto poznámkového bloku.",
+ "currentActiveKernel": " (Aktuálně aktivní)",
+ "notebook.promptKernel.setDefaultTooltip": "Nastavit jako výchozího zprostředkovatele jádra pro {0}",
+ "chooseActiveKernel": "Zvolit jádro pro aktuální poznámkový blok",
+ "notebook.selectKernel": "Zvolit jádro pro aktuální poznámkový blok"
+ },
+ "vs/workbench/contrib/notebook/browser/diff/notebookDiffActions": {
+ "notebook.diff.switchToText": "Otevřít editor rozdílů v textu",
+ "notebook.diff.cell.revertMetadata": "Obnovit metadata",
+ "notebook.diff.cell.revertOutputs": "Obnovit výstupy",
+ "notebook.diff.cell.revertInput": "Vrátit vstup"
+ },
+ "vs/workbench/contrib/notebook/browser/extensionPoint": {
+ "contributes.notebook.provider": "Přidává zprostředkovatele dokumentu poznámkového bloku.",
+ "contributes.notebook.provider.viewType": "Jedinečný identifikátor poznámkového bloku",
+ "contributes.notebook.provider.displayName": "Lidsky čitelný název poznámkového bloku",
+ "contributes.notebook.provider.selector": "Sada vzorů glob, pro kterou je poznámkový blok určený",
+ "contributes.notebook.provider.selector.filenamePattern": "Vzor glob, pro který je poznámkový blok povolen",
+ "contributes.notebook.selector.provider.excludeFileNamePattern": "Vzor glob, pro který je poznámkový blok zakázaný",
+ "contributes.priority": "Určuje, jestli je vlastní editor povolen automaticky, když uživatel otevře soubor. Může být přepsáno uživatelem pomocí nastavení workbench.editorAssociations.",
+ "contributes.priority.default": "Editor se použije automaticky, když uživatel otevře prostředek, za předpokladu, že pro tento prostředek nejsou zaregistrovány žádné jiné výchozí vlastní editory.",
+ "contributes.priority.option": "Editor se nepoužije automaticky, když uživatel otevře daný prostředek, uživatel ale může přepnout do editoru pomocí příkazu Znovu otevřít pomocí.",
+ "contributes.notebook.renderer": "Přidává zprostředkovatele rendereru výstupu poznámkového bloku.",
+ "contributes.notebook.renderer.viewType": "Jedinečný identifikátor rendereru výstupu poznámkového bloku",
+ "contributes.notebook.provider.viewType.deprecated": "Přejmenovat viewType na id",
+ "contributes.notebook.renderer.displayName": "Lidsky čitelný název rendereru výstupu poznámkového bloku",
+ "contributes.notebook.selector": "Sada vzorů glob, pro kterou je poznámkový blok určený",
+ "contributes.notebook.renderer.entrypoint": "Soubor, který má být načten ve webovém zobrazení za účelem vykreslení rozšíření"
+ },
+ "vs/workbench/contrib/notebook/browser/notebookKernelAssociation": {
+ "notebook.kernelProviderAssociations": "Definuje výchozího zprostředkovatele jádra, který má přednost před nastaveními všech ostatních zprostředkovatelů jádra. Musí se jednat o identifikátor rozšíření přidávajícího zprostředkovatele jádra."
+ },
+ "vs/workbench/contrib/notebook/common/model/notebookTextModel": {
+ "defaultEditLabel": "Upravit"
+ },
+ "vs/workbench/contrib/notebook/common/notebookEditorModel": {
+ "notebook.staleSaveError": "Obsah souboru se na disku změnil. Chcete otevřít aktualizovanou verzi nebo přepsat soubor vašimi změnami?",
+ "notebook.staleSaveError.revert": "Obnovit",
+ "notebook.staleSaveError.overwrite.": "Přepsat"
+ },
+ "vs/workbench/contrib/notebook/browser/notebookEditorWidget": {
+ "notebookTreeAriaLabel": "Poznámkový blok",
+ "notebook.runCell.selectKernel": "Vyberte jádro poznámkového bloku pro spuštění tohoto poznámkového bloku.",
+ "notebook.promptKernel.setDefaultTooltip": "Nastavit jako výchozího zprostředkovatele jádra pro {0}",
+ "notebook.cellBorderColor": "Barva ohraničení buněk poznámkového bloku",
+ "notebook.focusedEditorBorder": "Barva ohraničení buňky poznámkového bloku v editoru",
+ "notebookStatusSuccessIcon.foreground": "Barva ikony chyby buněk poznámkového bloku na stavovém řádku buňky",
+ "notebookStatusErrorIcon.foreground": "Barva ikony chyby buněk poznámkového bloku na stavovém řádku buňky",
+ "notebookStatusRunningIcon.foreground": "Barva ikony spuštění buněk poznámkového bloku na stavovém řádku buňky",
+ "notebook.outputContainerBackgroundColor": "Barva pozadí kontejneru výstupu poznámkového bloku",
+ "notebook.cellToolbarSeparator": "Barva oddělovače na spodním panelu nástrojů v buňce",
+ "focusedCellBackground": "Barva pozadí buňky, když má buňka fokus",
+ "notebook.cellHoverBackground": "Barva pozadí buňky, když je na ni umístěn ukazatel myši",
+ "notebook.selectedCellBorder": "Barva horního a dolního ohraničení buňky, když je buňka vybraná, ale nemá fokus.",
+ "notebook.focusedCellBorder": "Barva horního a dolního ohraničení buňky, když má buňka fokus",
+ "notebook.cellStatusBarItemHoverBackground": "Barva pozadí položek stavového řádku pro buňky poznámkového bloku",
+ "notebook.cellInsertionIndicator": "Barva indikátoru vložení buňky poznámkového bloku",
+ "notebookScrollbarSliderBackground": "Barva pozadí jezdce posuvníku poznámkového bloku",
+ "notebookScrollbarSliderHoverBackground": "Barva pozadí jezdce posuvníku poznámkového bloku, když je na něj umístěn ukazatel myši",
+ "notebookScrollbarSliderActiveBackground": "Barva pozadí jezdce posuvníku poznámkového bloku při kliknutí na něj",
+ "notebook.symbolHighlightBackground": "Barva pozadí zvýrazněné buňky"
+ },
+ "vs/workbench/contrib/notebook/browser/view/renderers/cellRenderer": {
+ "cellExpandButtonLabel": "Rozbalit"
+ },
+ "vs/workbench/contrib/notebook/browser/viewModel/markdownCellViewModel": {
+ "notebook.emptyMarkdownPlaceholder": "Prázdná buňka Markdownu. Po poklikání nebo stisknutí klávesy Enter můžete provést úpravy."
+ },
+ "vs/workbench/contrib/notebook/browser/view/renderers/cellWidgets": {
+ "notebook.cell.status.language": "Vybrat režim jazyka buňky"
+ },
+ "vs/workbench/contrib/notebook/browser/view/renderers/cellOutput": {
+ "mimeTypePicker": "Zvolte jiný typ mimetype výstupu, dostupné typy mimetype: {0}",
+ "curruentActiveMimeType": "Aktuálně aktivní",
+ "promptChooseMimeTypeInSecure.placeHolder": "Vyberte typ mimetype, který se má vykreslit pro aktuální výstup. Formátované typy mimetype jsou dostupné jenom v případě, že je poznámkový blok důvěryhodný.",
+ "promptChooseMimeType.placeHolder": "Vyberte typ mimetype, který se má vykreslit pro aktuální výstup.",
+ "builtinRenderInfo": "integrované"
+ },
+ "vs/workbench/contrib/outline/browser/outline.contribution": {
+ "outlineViewIcon": "Zobrazit ikonu zobrazení osnovy",
+ "name": "Osnova",
+ "outlineConfigurationTitle": "Osnova",
+ "outline.showIcons": "Vykreslovat prvky osnovy s ikonami",
+ "outline.showProblem": "Zobrazovat chyby a upozornění u prvků osnovy",
+ "outline.problem.colors": "Pro chyby a upozornění používat barvy",
+ "outline.problems.badges": "Pro chyby a upozornění používat odznáčky",
+ "filteredTypes.file": "Pokud je povoleno, zobrazují se v osnově symboly file.",
+ "filteredTypes.module": "Pokud je povoleno, zobrazují se v osnově symboly module.",
+ "filteredTypes.namespace": "Pokud je povoleno, zobrazují se v osnově symboly namespace.",
+ "filteredTypes.package": "Pokud je povoleno, zobrazují se v osnově symboly package.",
+ "filteredTypes.class": "Pokud je povoleno, zobrazují se v osnově symboly class.",
+ "filteredTypes.method": "Pokud je povoleno, zobrazují se v osnově symboly method.",
+ "filteredTypes.property": "Pokud je povoleno, zobrazují se v osnově symboly property.",
+ "filteredTypes.field": "Pokud je povoleno, zobrazují se v osnově symboly field.",
+ "filteredTypes.constructor": "Pokud je povoleno, zobrazují se v osnově symboly constructor.",
+ "filteredTypes.enum": "Pokud je povoleno, zobrazují se v osnově symboly enum.",
+ "filteredTypes.interface": "Pokud je povoleno, zobrazují se v osnově symboly interface.",
+ "filteredTypes.function": "Pokud je povoleno, zobrazují se v osnově symboly function.",
+ "filteredTypes.variable": "Pokud je povoleno, zobrazují se v osnově symboly variable.",
+ "filteredTypes.constant": "Pokud je povoleno, zobrazují se v osnově symboly constant.",
+ "filteredTypes.string": "Pokud je povoleno, zobrazují se v osnově symboly string.",
+ "filteredTypes.number": "Pokud je povoleno, zobrazují se v osnově symboly number.",
+ "filteredTypes.boolean": "Pokud je povoleno, zobrazují se v osnově symboly boolean.",
+ "filteredTypes.array": "Pokud je povoleno, zobrazují se v osnově symboly array.",
+ "filteredTypes.object": "Pokud je povoleno, zobrazují se v osnově symboly object.",
+ "filteredTypes.key": "Pokud je povoleno, zobrazují se v osnově symboly key.",
+ "filteredTypes.null": "Pokud je povoleno, zobrazují se v osnově symboly null.",
+ "filteredTypes.enumMember": "Pokud je povoleno, zobrazují se v osnově symboly enumMember.",
+ "filteredTypes.struct": "Pokud je povoleno, zobrazují se v osnově symboly struct.",
+ "filteredTypes.event": "Pokud je povoleno, zobrazují se v osnově symboly event.",
+ "filteredTypes.operator": "Pokud je povoleno, zobrazují se v osnově symboly operator.",
+ "filteredTypes.typeParameter": "Pokud je povoleno, zobrazují se v osnově symboly typeParameter."
+ },
+ "vs/workbench/contrib/outline/browser/outlinePane": {
+ "outline": "Osnova",
+ "sortByPosition": "Seřadit podle: pozice",
+ "sortByName": "Seřadit podle: názvu",
+ "sortByKind": "Seřadit podle: kategorie",
+ "followCur": "Sledovat kurzor",
+ "filterOnType": "Filtrovat při psaní",
+ "no-editor": "Aktivní editor nemůže poskytnout informace o osnově.",
+ "loading": "Načítají se symboly dokumentu pro {0}...",
+ "no-symbols": "V dokumentu {0} se nenašly žádné symboly."
+ },
+ "vs/workbench/contrib/output/browser/output.contribution": {
+ "outputViewIcon": "Zobrazit ikonu zobrazení výstupu",
+ "output": "Výstup",
+ "logViewer": "Prohlížeč protokolů",
+ "switchToOutput.label": "Přepnout na výstup",
+ "clearOutput.label": "Vymazat výstup",
+ "outputCleared": "Výstup byl vymazán.",
+ "toggleAutoScroll": "Přepnout automatické posouvání",
+ "outputScrollOff": "Vypnout automatické posouvání",
+ "outputScrollOn": "Zapnout automatické posouvání",
+ "openActiveLogOutputFile": "Otevřít výstupní soubor protokolu",
+ "toggleOutput": "Přepnout výstup",
+ "showLogs": "Zobrazit protokoly...",
+ "selectlog": "Vybrat protokol",
+ "openLogFile": "Otevřít soubor protokolu...",
+ "selectlogFile": "Vybrat soubor protokolu",
+ "miToggleOutput": "&&Výstup",
+ "output.smartScroll.enabled": "Umožňuje povolit nebo zakázat inteligentní posouvání v zobrazení výstupu. Inteligentní posouvání umožňuje automaticky blokovat posouvání při kliknutí do zobrazení výstupu a při kliknutí na poslední řádek ho zase odemknout."
+ },
+ "vs/workbench/contrib/output/browser/outputView": {
+ "output model title": "{0} – výstup",
+ "channel": "Výstupní kanál pro: {0}",
+ "output": "Výstup",
+ "outputViewWithInputAriaLabel": "{0}, výstupní panel",
+ "outputViewAriaLabel": "Výstupní panel",
+ "outputChannels": "Výstupní kanály",
+ "logChannel": "Protokol ({0})"
+ },
+ "vs/workbench/contrib/output/browser/logViewer": {
+ "logViewerAriaLabel": "Prohlížeč protokolů"
+ },
+ "vs/workbench/contrib/performance/electron-browser/startupProfiler": {
+ "prof.message": "Profily se úspěšně vytvořily.",
+ "prof.detail": "Vytvořte prosím problém a připojte ručně následující soubory:\r\n{0}",
+ "prof.restartAndFileIssue": "&&Vytvořit problém a restartovat",
+ "prof.restart": "&&Restartovat",
+ "prof.thanks": "Děkujeme vám za pomoc.",
+ "prof.detail.restart": "Aby bylo možné dál používat {0}, je nutné znovu provést restart. Ještě jednou vám děkujeme za váš příspěvek.",
+ "prof.restart.button": "&&Restartovat"
+ },
+ "vs/workbench/contrib/performance/browser/performance.contribution": {
+ "show.label": "Výkon při spuštění"
+ },
+ "vs/workbench/contrib/performance/browser/perfviewEditor": {
+ "name": "Výkon při spuštění"
+ },
+ "vs/workbench/contrib/preferences/browser/keybindingsEditorContribution": {
+ "defineKeybinding.start": "Definovat klávesovou zkratku",
+ "defineKeybinding.kbLayoutErrorMessage": "V aktuálním rozložení klávesnice nebudete moct tuto klávesovou zkratku stisknout.",
+ "defineKeybinding.kbLayoutLocalAndUSMessage": "**{0}** pro aktuální rozložení klávesnice (**{1}** pro standardní rozložení klávesnice jazyka angličtina, USA)",
+ "defineKeybinding.kbLayoutLocalMessage": "**{0}** pro aktuální rozložení klávesnice"
+ },
+ "vs/workbench/contrib/preferences/browser/preferences.contribution": {
+ "defaultPreferencesEditor": "Editor výchozích předvoleb",
+ "settingsEditor2": "Editor nastavení 2",
+ "keybindingsEditor": "Editor klávesových zkratek",
+ "openSettings2": "Otevřít nastavení (uživatelské rozhraní)",
+ "preferences": "Předvolby",
+ "settings": "Nastavení",
+ "miOpenSettings": "&&Nastavení",
+ "openSettingsJson": "Otevřít nastavení (JSON)",
+ "openGlobalSettings": "Otevřít uživatelská nastavení",
+ "openRawDefaultSettings": "Otevřít výchozí nastavení (JSON)",
+ "openWorkspaceSettings": "Otevřít nastavení pracovního prostoru",
+ "openWorkspaceSettingsFile": "Otevřít nastavení pracovního prostoru (JSON)",
+ "openFolderSettings": "Otevřít nastavení složky",
+ "openFolderSettingsFile": "Otevřít nastavení složky (JSON)",
+ "filterModifiedLabel": "Zobrazit upravená nastavení",
+ "filterOnlineServicesLabel": "Zobrazit nastavení pro online služby",
+ "miOpenOnlineSettings": "&&Nastavení online služeb",
+ "onlineServices": "Nastavení online služeb",
+ "openRemoteSettings": "Otevřít vzdálená nastavení ({0})",
+ "settings.focusSearch": "Přesunout fokus na hledání v nastavení",
+ "settings.clearResults": "Vymazat výsledky hledání v nastavení",
+ "settings.focusFile": "Přepnout fokus na soubor nastavení",
+ "settings.focusNextSetting": "Přepnout fokus na další nastavení",
+ "settings.focusPreviousSetting": "Přepnout fokus na předchozí nastavení",
+ "settings.editFocusedSetting": "Upravit nastavení s fokusem",
+ "settings.focusSettingsList": "Přepnout fokus na seznam nastavení",
+ "settings.focusSettingsTOC": "Přesunout fokus na obsah nastavení",
+ "settings.focusSettingControl": "Přesunout fokus na ovládací prvek nastavení",
+ "settings.showContextMenu": "Zobrazit místní nabídku nastavení",
+ "settings.focusLevelUp": "Přesunout fokus o jednu úroveň výš",
+ "openGlobalKeybindings": "Otevřít klávesové zkratky",
+ "Keyboard Shortcuts": "Klávesové zkratky",
+ "openDefaultKeybindingsFile": "Otevřít výchozí klávesové zkratky (JSON)",
+ "openGlobalKeybindingsFile": "Otevřít klávesové zkratky (JSON)",
+ "showDefaultKeybindings": "Zobrazit výchozí klávesové zkratky",
+ "showUserKeybindings": "Zobrazit uživatelské klávesové zkratky",
+ "clear": "Vymazat výsledky vyhledávání",
+ "miPreferences": "&&Předvolby"
+ },
+ "vs/workbench/contrib/preferences/browser/keybindingWidgets": {
+ "defineKeybinding.initial": "Stiskněte požadovanou kombinaci kláves a pak stiskněte ENTER.",
+ "defineKeybinding.oneExists": "Tuto klávesovou zkratku má 1 existující příkaz.",
+ "defineKeybinding.existing": "Tuto klávesovou zkratku má tento počet existujících příkazů: {0}.",
+ "defineKeybinding.chordsTo": "klávesový akord pro"
+ },
+ "vs/workbench/contrib/preferences/browser/keybindingsEditor": {
+ "recordKeysLabel": "Zaznamenat klávesové zkratky",
+ "recordKeysLabelWithKeybinding": "{0} ({1})",
+ "sortByPrecedeneLabel": "Seřadit podle priority",
+ "sortByPrecedeneLabelWithKeybinding": "{0} ({1})",
+ "SearchKeybindings.FullTextSearchPlaceholder": "Napište, co chcete vyhledat v klávesových zkratkách.",
+ "SearchKeybindings.KeybindingsSearchPlaceholder": "Zaznamenávají se klávesové zkratky. Zaznamenávání ukončíte stisknutím klávesy Esc.",
+ "clearInput": "Vymazat vstup pro vyhledávání klávesových zkratek",
+ "recording": "Zaznamenání klávesových zkratek",
+ "command": "Příkaz",
+ "keybinding": "Klávesová zkratka",
+ "when": "Kdy",
+ "source": "Zdroj",
+ "show sorted keybindings": "Zobrazují se klávesové zkratky ({0}) v pořadí podle priority.",
+ "show keybindings": "Zobrazují se klávesové zkratky ({0}) v abecedním pořadí.",
+ "changeLabel": "Změnit klávesovou zkratku...",
+ "addLabel": "Přidat klávesovou zkratku...",
+ "editWhen": "Změnit výraz Kdy",
+ "removeLabel": "Odebrat klávesovou zkratku",
+ "resetLabel": "Obnovit klávesové zkratky",
+ "showSameKeybindings": "Zobrazit stejné klávesové zkratky",
+ "copyLabel": "Kopírovat",
+ "copyCommandLabel": "Kopírovat ID příkazu",
+ "error": "Při úpravách klávesových zkratek došlo k chybě {0}. Otevřete prosím soubor keybindings.json a zkontrolujte chyby.",
+ "editKeybindingLabelWithKey": "Změnit klávesové zkratky {0}",
+ "editKeybindingLabel": "Změnit klávesovou zkratku",
+ "addKeybindingLabelWithKey": "Přidat klávesovou zkratku ({0})",
+ "addKeybindingLabel": "Přidat klávesovou zkratku",
+ "title": "{0} ({1})",
+ "whenContextInputAriaLabel": "Zadejte kontext výrazu Kdy. (Potvrdíte stisknutím klávesy Enter. Zrušíte klávesou Esc.)",
+ "keybindingsLabel": "Klávesové zkratky",
+ "noKeybinding": "Nejsou přiřazeny žádné klávesové zkratky.",
+ "noWhen": "Žádný kontext výrazu Kdy"
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesActions": {
+ "configureLanguageBasedSettings": "Konfigurovat nastavení specifické pro jazyk...",
+ "languageDescriptionConfigured": "({0})",
+ "pickLanguage": "Vybrat jazyk"
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesEditor": {
+ "SearchSettingsWidget.AriaLabel": "Nastavení vyhledávání",
+ "SearchSettingsWidget.Placeholder": "Nastavení hledání",
+ "noSettingsFound": "Nenalezena žádná nastavení",
+ "oneSettingFound": "Nalezeno 1 nastavení",
+ "settingsFound": "Nalezená nastavení: {0}",
+ "totalSettingsMessage": "Celkový počet nastavení: {0}",
+ "nlpResult": "Výsledky hledání v přirozeném jazyce",
+ "filterResult": "Filtrované výsledky",
+ "defaultSettings": "Výchozí nastavení",
+ "defaultUserSettings": "Výchozí uživatelská nastavení",
+ "defaultWorkspaceSettings": "Výchozí nastavení pracovního prostoru",
+ "defaultFolderSettings": "Výchozí nastavení složky",
+ "defaultEditorReadonly": "Pokud chcete přepsat výchozí hodnoty, proveďte úpravy v editoru na pravé straně.",
+ "preferencesAriaLabel": "Výchozí předvolby. Jen pro čtení"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsEditor2": {
+ "SearchSettings.AriaLabel": "Nastavení vyhledávání",
+ "clearInput": "Vymazat vstup pro vyhledávání nastavení",
+ "noResults": "Nenalezena žádná nastavení",
+ "clearSearchFilters": "Vymazat filtry",
+ "settings": "Nastavení",
+ "settingsNoSaveNeeded": "Změny nastavení se ukládají automaticky.",
+ "oneResult": "Nalezeno 1 nastavení",
+ "moreThanOneResult": "Nalezená nastavení: {0}",
+ "turnOnSyncButton": "Zapnout synchronizaci nastavení",
+ "lastSyncedLabel": "Poslední synchronizace: {0}"
+ },
+ "vs/workbench/contrib/preferences/common/preferencesContribution": {
+ "enableNaturalLanguageSettingsSearch": "Určuje, jestli má být pro nastavení povolen režim vyhledávání v přirozeném jazyce. Vyhledávání v přirozeném jazyce poskytuje online služba Microsoftu.",
+ "settingsSearchTocBehavior.hide": "Skrýt obsah při vyhledávání",
+ "settingsSearchTocBehavior.filter": "Vyfiltruje obsah pouze na kategorie s odpovídajícím nastavením. Kliknutím na kategorii se vyfiltrují výsledky z dané kategorie.",
+ "settingsSearchTocBehavior": "Určuje chování obsahu editoru nastavení při vyhledávání."
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesIcons": {
+ "settingsGroupExpandedIcon": "Ikona pro rozbalený oddíl v rozděleném editoru nastavení JSON",
+ "settingsGroupCollapsedIcon": "Ikona pro sbalený oddíl v rozděleném editoru nastavení JSON",
+ "settingsScopeDropDownIcon": "Ikona pro rozevírací tlačítko složek v rozděleném editoru nastavení JSON",
+ "settingsMoreActionIcon": "Ikona pro akci Další akce v uživatelském rozhraní nastavení",
+ "keybindingsRecordKeysIcon": "Ikona pro akci Zaznamenat klávesové zkratky v uživatelském rozhraní klávesových zkratek",
+ "keybindingsSortIcon": "Ikona pro přepínač Seřadit podle priority v uživatelském rozhraní klávesových zkratek",
+ "keybindingsEditIcon": "Ikona pro akci Upravit v uživatelském rozhraní klávesových zkratek",
+ "keybindingsAddIcon": "Ikona pro akci Přidat v uživatelském rozhraní klávesových zkratek",
+ "settingsEditIcon": "Ikona pro akci Upravit v uživatelském rozhraní nastavení",
+ "settingsAddIcon": "Ikona pro akci Přidat v uživatelském rozhraní nastavení",
+ "settingsRemoveIcon": "Ikona pro akci Odebrat v uživatelském rozhraní nastavení",
+ "preferencesDiscardIcon": "Ikona pro akci Zahodit v uživatelském rozhraní nastavení",
+ "preferencesClearInput": "Ikona pro vymazání vstupu v nastaveních a uživatelském rozhraní klávesových zkratek",
+ "preferencesOpenSettings": "Ikona pro příkazy Otevřít nastavení"
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesWidgets": {
+ "defaultSettings": "Pokud chcete nastavení přepsat, umístěte svoje nastavení do editoru vpravo.",
+ "noSettingsFound": "Nebyla nalezena žádná nastavení.",
+ "settingsSwitcherBarAriaLabel": "Přepínač nastavení",
+ "userSettings": "Uživatel",
+ "userSettingsRemote": "Vzdálené",
+ "workspaceSettings": "Pracovní prostor",
+ "folderSettings": "Složka"
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesRenderers": {
+ "emptyUserSettingsHeader": "Sem umístěte nastavení, kterými se mají přepsat výchozí nastavení.",
+ "emptyWorkspaceSettingsHeader": "Sem umístěte nastavení, kterými se mají přepsat uživatelská nastavení.",
+ "emptyFolderSettingsHeader": "Sem umístěte nastavení složek, kterými se mají přepsat možnosti z nastavení pracovního prostoru.",
+ "editTtile": "Upravit",
+ "replaceDefaultValue": "Nahradit v nastavení",
+ "copyDefaultValue": "Kopírovat do nastavení",
+ "unknown configuration setting": "Neznámé nastavení konfigurace",
+ "unsupportedRemoteMachineSetting": "Toto nastavení není možné použít v tomto okně. Použije se při otevření místního okna.",
+ "unsupportedWindowSetting": "Toto nastavení není možné použít v tomto pracovním prostoru. Použije se při přímém otevření nadřazené složky obsahující pracovní prostor.",
+ "unsupportedApplicationSetting": "Toto nastavení je možné použít pouze v uživatelských nastaveních aplikace.",
+ "unsupportedMachineSetting": "Toto nastavení je možné použít pouze v uživatelských nastaveních v místním okně nebo ve vzdálených nastavení ve vzdáleném okně.",
+ "unsupportedProperty": "Nepodporovaná vlastnost"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsLayout": {
+ "commonlyUsed": "Běžně používané",
+ "textEditor": "Textový editor",
+ "cursor": "Kurzor",
+ "find": "Najít",
+ "font": "Písmo",
+ "formatting": "Formátování",
+ "diffEditor": "Editor rozdílů",
+ "minimap": "Minimapa",
+ "suggestions": "Návrhy",
+ "files": "Soubory",
+ "workbench": "Pracovní plocha",
+ "appearance": "Vzhled",
+ "breadcrumbs": "Popis cesty",
+ "editorManagement": "Správa editoru",
+ "settings": "Editor nastavení",
+ "zenMode": "Režim Zen",
+ "screencastMode": "Režim záznamu obrazovky",
+ "window": "Okno",
+ "newWindow": "Nové okno",
+ "features": "Funkce",
+ "fileExplorer": "Průzkumník",
+ "search": "Hledat",
+ "debug": "Ladit",
+ "scm": "SCM",
+ "extensions": "Rozšíření",
+ "terminal": "Terminál",
+ "task": "Úloha",
+ "problems": "Problémy",
+ "output": "Výstup",
+ "comments": "Komentáře",
+ "remote": "Vzdálené",
+ "timeline": "Časová osa",
+ "notebook": "Poznámkový blok",
+ "application": "Aplikace",
+ "proxy": "Proxy server",
+ "keyboard": "Klávesnice",
+ "update": "Aktualizace",
+ "telemetry": "Telemetrie",
+ "settingsSync": "Synchronizace nastavení"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsTree": {
+ "extensions": "Rozšíření",
+ "extensionSyncIgnoredLabel": "Synchronizace: ignorováno",
+ "modified": "Změněno",
+ "settingsContextMenuTitle": "Další akce... ",
+ "alsoConfiguredIn": "Také změněno v",
+ "configuredIn": "Změněno v",
+ "newExtensionsButtonLabel": "Zobrazit odpovídající rozšíření",
+ "editInSettingsJson": "Upravit v souboru settings.json",
+ "settings.Default": "výchozí",
+ "resetSettingLabel": "Obnovit nastavení",
+ "validationError": "Chyba ověření",
+ "settings.Modified": "Upraveno",
+ "settings": "Nastavení",
+ "copySettingIdLabel": "Kopírovat ID nastavení",
+ "copySettingAsJSONLabel": "Kopírovat nastavení jako JSON",
+ "stopSyncingSetting": "Synchronizovat toto nastavení"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsTreeModels": {
+ "workspace": "Pracovní prostor",
+ "remote": "Vzdálené",
+ "user": "Uživatel"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsWidgets": {
+ "headerForeground": "Barva popředí záhlaví oddílu nebo aktivního názvu",
+ "modifiedItemForeground": "Barva indikátoru změněného nastavení",
+ "settingsDropdownBackground": "Pozadí rozevíracího seznam editoru nastavení",
+ "settingsDropdownForeground": "Popředí rozevíracího seznam editoru nastavení",
+ "settingsDropdownBorder": "Ohraničení rozevíracího seznam editoru nastavení",
+ "settingsDropdownListBorder": "Ohraničení rozevíracího seznamu editoru nastavení. Ohraničuje možnosti a odděluje možnosti od popisu.",
+ "settingsCheckboxBackground": "Pozadí zaškrtávacího políčka editoru nastavení",
+ "settingsCheckboxForeground": "Popředí zaškrtávacího políčka editoru nastavení",
+ "settingsCheckboxBorder": "Ohraničení zaškrtávacího políčka editoru nastavení",
+ "textInputBoxBackground": "Pozadí pole pro zadání textu v editoru nastavení",
+ "textInputBoxForeground": "Popředí pole pro zadání textu v editoru nastavení",
+ "textInputBoxBorder": "Ohraničení pole pro zadání textu v editoru nastavení",
+ "numberInputBoxBackground": "Pozadí pole pro zadání čísla v editoru nastavení",
+ "numberInputBoxForeground": "Popředí pole pro zadání čísla v editoru nastavení",
+ "numberInputBoxBorder": "Ohraničení pole pro zadání čísla v editoru nastavení",
+ "focusedRowBackground": "Barva pozadí řádku nastavení při fokusu",
+ "notebook.rowHoverBackground": "Barva pozadí řádku nastavení při umístění ukazatele myši",
+ "notebook.focusedRowBorder": "Barva horního a dolního ohraničení řádku, když je na řádek nastavený fokus",
+ "okButton": "OK",
+ "cancelButton": "Zrušit",
+ "listValueHintLabel": "Položka seznamu {0}",
+ "listSiblingHintLabel": "Položka seznamu {0} s položkou na stejné úrovni ${1}",
+ "removeItem": "Odebrat položku",
+ "editItem": "Upravit položku",
+ "addItem": "Přidat položku",
+ "itemInputPlaceholder": "Položka řetězce...",
+ "listSiblingInputPlaceholder": "Položka na stejné úrovni...",
+ "excludePatternHintLabel": "Vyloučit soubory odpovídající vzoru {0}",
+ "excludeSiblingHintLabel": "Vyloučit soubory odpovídající vzoru {0}, pouze pokud je k dispozici soubor odpovídající vzoru {1}",
+ "removeExcludeItem": "Odebrat položku vyloučení",
+ "editExcludeItem": "Upravit položku vyloučení",
+ "addPattern": "Přidat vzor",
+ "excludePatternInputPlaceholder": "Vyloučit vzor...",
+ "excludeSiblingInputPlaceholder": "Když existuje vzor...",
+ "objectKeyInputPlaceholder": "Klávesa",
+ "objectValueInputPlaceholder": "Hodnota",
+ "objectPairHintLabel": "Vlastnost {0} je nastavená na hodnotu {1}.",
+ "resetItem": "Obnovit položku",
+ "objectKeyHeader": "Položka",
+ "objectValueHeader": "Hodnota"
+ },
+ "vs/workbench/contrib/preferences/browser/tocTree": {
+ "settingsTOC": "Obsah nastavení",
+ "groupRowAriaLabel": "{0}, skupina"
+ },
+ "vs/workbench/contrib/quickaccess/browser/quickAccess.contribution": {
+ "helpQuickAccessPlaceholder": "Pokud potřebujete nápovědu k akcím, které tady můžete provést, zadejte {0}.",
+ "helpQuickAccess": "Zobrazit všechny zprostředkovatele rychlého přístupu",
+ "viewQuickAccessPlaceholder": "Zadejte název zobrazení, výstupní kanál nebo terminál, které chcete otevřít.",
+ "viewQuickAccess": "Otevřít zobrazení",
+ "commandsQuickAccessPlaceholder": "Zadejte název příkazu, který se má spustit.",
+ "commandsQuickAccess": "Zobrazit a spustit příkazy",
+ "miCommandPalette": "&&Paleta příkazů...",
+ "miOpenView": "&&Otevřít zobrazení...",
+ "miGotoSymbolInEditor": "Přejít na &&symbol v editoru...",
+ "miGotoLine": "Přejít na řádek/&&sloupec...",
+ "commandPalette": "Paleta příkazů..."
+ },
+ "vs/workbench/contrib/quickaccess/browser/viewQuickAccess": {
+ "noViewResults": "Žádná odpovídající zobrazení",
+ "views": "Postranní panel",
+ "panels": "Panel",
+ "terminalTitle": "{0}: {1}",
+ "terminals": "Terminál",
+ "logChannel": "Protokol ({0})",
+ "channels": "Výstup",
+ "openView": "Otevřít zobrazení",
+ "quickOpenView": "Zobrazení rychlého otevření"
+ },
+ "vs/workbench/contrib/quickaccess/browser/commandsQuickAccess": {
+ "noCommandResults": "Žádné odpovídající příkazy",
+ "configure keybinding": "Nakonfigurovat klávesové zkratky",
+ "commandWithCategory": "{0}: {1}",
+ "showTriggerActions": "Zobrazit všechny příkazy",
+ "clearCommandHistory": "Vymazat historii příkazů"
+ },
+ "vs/workbench/contrib/relauncher/browser/relauncher.contribution": {
+ "relaunchSettingMessage": "Bylo změněno nastavení, které se projeví až po restartování.",
+ "relaunchSettingMessageWeb": "Bylo změněno nastavení, které se projeví až po opětovném načtení.",
+ "relaunchSettingDetail": "Stisknutím tlačítka Restartovat restartujte {0} a povolte nastavení.",
+ "relaunchSettingDetailWeb": "Stisknutím tlačítka Znovu načíst znovu načtěte {0} a povolte nastavení.",
+ "restart": "&&Restartovat",
+ "restartWeb": "&&Načíst znovu"
+ },
+ "vs/workbench/contrib/remote/electron-sandbox/remote.contribution": {
+ "remote": "Vzdálené",
+ "remote.downloadExtensionsLocally": "Pokud je povoleno, rozšíření jsou stažena místně a nainstalována na vzdáleném hostiteli."
+ },
+ "vs/workbench/contrib/remote/common/remote.contribution": {
+ "remoteExtensionLog": "Vzdálený server",
+ "ui": "Typ rozšíření uživatelského rozhraní. Ve vzdáleném okně jsou tato rozšíření povolena pouze v případě, že jsou k dispozici v místním počítači.",
+ "workspace": "Typ rozšíření pracovního prostoru. Ve vzdáleném okně jsou tato rozšíření povolena pouze v případě, že jsou k dispozici vzdáleně.",
+ "web": "Typ rozšíření webového pracovního procesu. Takové rozšíření je možné provést v hostiteli rozšíření webového pracovního procesu.",
+ "remote": "Vzdálené",
+ "remote.extensionKind": "Umožňuje přepsat typ rozšíření. Rozšíření ui se nainstalují a spouštějí v místním počítači, zatímco rozšíření workspace se spouštějí na vzdáleném počítači. Přepsáním výchozího typu rozšíření pomocí tohoto nastavení určíte, jestli se má toto rozšíření nainstalovat a povolit místně nebo vzdáleně.",
+ "remote.restoreForwardedPorts": "Restores the ports you forwarded in a workspace.",
+ "remote.autoForwardPorts": "Když se tato možnost povolí, budou se zjišťovat nové spuštěné procesy a porty, na kterých budou naslouchat, se budou automaticky přeposílat."
+ },
+ "vs/workbench/contrib/remote/browser/remote": {
+ "RemoteHelpInformationExtPoint": "Přidává informace nápovědy pro vzdálené připojení.",
+ "RemoteHelpInformationExtPoint.getStarted": "Adresa URL stránky Začínáme vašeho projektu (nebo příkaz, který vrátí tuto adresu URL)",
+ "RemoteHelpInformationExtPoint.documentation": "Adresa URL stránky dokumentace vašeho projektu (nebo příkaz, který vrátí tuto adresu URL)",
+ "RemoteHelpInformationExtPoint.feedback": "Adresa URL nástroje pro odeslání zpětné vazby vašeho projektu (nebo příkaz, který vrátí tuto adresu URL)",
+ "RemoteHelpInformationExtPoint.issues": "Adresa URL seznamu problémů vašeho projektu (nebo příkaz, který vrátí tuto adresu URL)",
+ "getStartedIcon": "Ikona Začínáme v zobrazení vzdáleného průzkumníka",
+ "documentationIcon": "Ikona dokumentace v zobrazení vzdáleného průzkumníka",
+ "feedbackIcon": "Ikona zpětné vazby v zobrazení vzdáleného průzkumníka",
+ "reviewIssuesIcon": "Ikona pro kontrolu problému v zobrazení vzdáleného průzkumníka",
+ "reportIssuesIcon": "Ikona pro oznámení problému v zobrazení vzdáleného průzkumníka",
+ "remoteExplorerViewIcon": "Zobrazit ikonu zobrazení vzdáleného průzkumníka",
+ "remote.help.getStarted": "Začínáme",
+ "remote.help.documentation": "Přečíst si dokumentaci",
+ "remote.help.feedback": "Poslat názor",
+ "remote.help.issues": "Zkontrolovat problémy",
+ "remote.help.report": "Nahlásit problém",
+ "pickRemoteExtension": "Vyberte adresu URL, kterou chcete otevřít.",
+ "remote.help": "Nápověda a zpětná vazba",
+ "remotehelp": "Vzdálená nápověda",
+ "remote.explorer": "Vzdálený průzkumník",
+ "toggleRemoteViewlet": "Zobrazit vzdáleného průzkumníka",
+ "reconnectionWaitOne": "Za {0} s proběhne pokus o opětovné připojení...",
+ "reconnectionWaitMany": "Za {0} s proběhne pokus o opětovné připojení...",
+ "reconnectNow": "Znovu připojit",
+ "reloadWindow": "Znovu načíst okno",
+ "connectionLost": "Připojení bylo ztraceno.",
+ "reconnectionRunning": "Probíhá pokus o opětovné připojení...",
+ "reconnectionPermanentFailure": "Nelze se znovu připojit. Načtěte prosím okno znovu.",
+ "cancel": "Zrušit"
+ },
+ "vs/workbench/contrib/remote/browser/remoteExplorer": {
+ "ports": "Porty",
+ "1forwardedPort": "Počet přesměrovaných portů: 1",
+ "nForwardedPorts": "Počet přesměrovaných portů: {0}",
+ "status.forwardedPorts": "Přesměrované porty",
+ "remote.forwardedPorts.statusbarTextNone": "Nepřesměrovávají se žádné porty.",
+ "remote.forwardedPorts.statusbarTooltip": "Přesměrovávané porty: {0}",
+ "remote.tunnelsView.automaticForward": "Vaše služba běžící na portu {0} je dostupná. [Zobrazit všechny přesměrovávané porty](command:{1}.focus)"
+ },
+ "vs/workbench/contrib/remote/browser/explorerViewItems": {
+ "remotes": "Přepnout vzdálené",
+ "remote.explorer.switch": "Přepnout vzdálené"
+ },
+ "vs/workbench/contrib/remote/browser/remoteIndicator": {
+ "remote.category": "Vzdálené",
+ "remote.showMenu": "Zobrazit vzdálenou nabídku",
+ "remote.close": "Zavřít vzdálené připojení",
+ "miCloseRemote": "Zavřít &&vzdálené připojení",
+ "host.open": "Otevírá se vzdálené připojení...",
+ "disconnectedFrom": "Odpojeno od {0}",
+ "host.tooltipDisconnected": "Odpojeno od {0}",
+ "host.tooltip": "Úpravy v {0}",
+ "noHost.tooltip": "Otevřít vzdálené okno",
+ "remoteHost": "Vzdálený hostitel",
+ "cat.title": "{0}: {1}",
+ "closeRemote.title": "Zavřít vzdálené připojení"
+ },
+ "vs/workbench/contrib/remote/browser/tunnelView": {
+ "remote.tunnelsView.add": "Přesměrovat port...",
+ "remote.tunnelsView.detected": "Existující tunelová připojení",
+ "remote.tunnelsView.candidates": "Nepřesměrováno",
+ "remote.tunnelsView.input": "Potvrdíte stisknutím klávesy Enter. Zrušíte klávesou Esc.",
+ "remote.tunnelsView.forwardedPortLabel0": "{0}",
+ "remote.tunnelsView.forwardedPortLabel1": "{0} → {1}",
+ "remote.tunnelsView.forwardedPortLabel2": "{0}",
+ "remote.tunnelsView.forwardedPortDescription0": "{0} → {1}",
+ "remote.tunnel": "Porty",
+ "remote.tunnel.ariaLabelForwarded": "Vzdálený port {0}:{1} je přesměrován na místní adresu {2}.",
+ "remote.tunnel.ariaLabelCandidate": "Vzdálený port {0}:{1} není přesměrován.",
+ "tunnelView": "Zobrazení tunelového připojení",
+ "remote.tunnel.label": "Nastavit popisek",
+ "remote.tunnelsView.labelPlaceholder": "Popisek portu",
+ "remote.tunnelsView.portNumberValid": "Přesměrovaný port je neplatný.",
+ "remote.tunnelsView.portNumberToHigh": "Číslo portu musí být ≥ 0 a < {0}.",
+ "remote.tunnel.forward": "Přesměrovat port",
+ "remote.tunnel.forwardItem": "Přesměrovat port",
+ "remote.tunnel.forwardPrompt": "Číslo portu nebo adresa (například 3000 nebo 10.10.10.10:2000)",
+ "remote.tunnel.forwardError": "Nelze přesměrovat port {0}:{1}. Je možné, že hostitel není k dispozici nebo že je již vzdálený port přesměrován.",
+ "remote.tunnel.closeNoPorts": "Aktuálně nejsou přesměrovávány žádné porty. Zkuste spustit příkaz {0}.",
+ "remote.tunnel.close": "Přestat přesměrovávat port",
+ "remote.tunnel.closePlaceholder": "Zvolte port, který se má přestat přesměrovávat.",
+ "remote.tunnel.open": "Otevřít v prohlížeči",
+ "remote.tunnel.openCommandPalette": "Otevřít port v prohlížeči",
+ "remote.tunnel.openCommandPaletteNone": "Aktuálně se nepřesměrovávají žádné porty. Začněte tím, že otevřete zobrazení Porty.",
+ "remote.tunnel.openCommandPaletteView": "Otevřít zobrazení Porty...",
+ "remote.tunnel.openCommandPalettePick": "Zvolte port, který se má otevřít.",
+ "remote.tunnel.copyAddressInline": "Kopírovat adresu",
+ "remote.tunnel.copyAddressCommandPalette": "Kopírovat adresu přesměrovaného portu",
+ "remote.tunnel.copyAddressPlaceholdter": "Zvolte přesměrovaný port.",
+ "remote.tunnel.changeLocalPort": "Změnit místní port",
+ "remote.tunnel.changeLocalPortNumber": "Místní port {0} není k dispozici. Místo toho se použilo číslo portu {1}.",
+ "remote.tunnelsView.changePort": "Nový místní port"
+ },
+ "vs/workbench/contrib/sash/browser/sash.contribution": {
+ "sashSize": "Určuje velikost oblasti zpětné vazby (v pixelech) oblasti přetahování myší mezi zobrazeními/editory. Pokud je pro vás obtížné měnit velikost zobrazení myší, nastavte vyšší hodnotu."
+ },
+ "vs/workbench/contrib/scm/browser/scm.contribution": {
+ "sourceControlViewIcon": "Zobrazit ikonu zobrazení správy zdrojových kódů",
+ "source control": "Správa zdrojového kódu",
+ "no open repo": "Nejsou registrováni žádní zprostředkovatelé správy zdrojového kódu.",
+ "source control repositories": "Úložiště správy zdrojového kódu",
+ "toggleSCMViewlet": "Zobrazit SCM",
+ "scmConfigurationTitle": "SCM",
+ "scm.diffDecorations.all": "Zobrazovat dekorace rozdílů ve všech dostupných umístěních",
+ "scm.diffDecorations.gutter": "Zobrazovat dekorace rozdílů pouze v mezeře u okraje v editoru",
+ "scm.diffDecorations.overviewRuler": "Zobrazovat dekorace rozdílů pouze na přehledovém pravítku",
+ "scm.diffDecorations.minimap": "Zobrazovat dekorace rozdílů pouze v minimapě",
+ "scm.diffDecorations.none": "Nezobrazovat dekorace rozdílů",
+ "diffDecorations": "Řídí dekorace rozdílů v editoru.",
+ "diffGutterWidth": "Určuje šířku (px) dekorací rozdílů v mezeře u okraje (přidané a upravené).",
+ "scm.diffDecorationsGutterVisibility.always": "Zobrazovat dekorátor rozdílů v mezeře u okraje vždy",
+ "scm.diffDecorationsGutterVisibility.hover": "Zobrazovat dekorátor rozdílů v mezeře u okraje pouze při umístění ukazatele myši",
+ "scm.diffDecorationsGutterVisibility": "Určuje viditelnost dekoratéru rozdílů správy zdrojového kódu v mezeře u okraje.",
+ "scm.diffDecorationsGutterAction.diff": "Zobrazit vložený náhled rozdílů při kliknutí",
+ "scm.diffDecorationsGutterAction.none": "Neprovádět žádnou akci",
+ "scm.diffDecorationsGutterAction": "Řídí chování dekorací rozdílů u okrajů při správě zdrojového kódu.",
+ "alwaysShowActions": "Určuje, jestli jsou v zobrazení správy zdrojového kódu vždy viditelné vložené (inline) akce.",
+ "scm.countBadge.all": "Zobrazovat součet všech odznáčků s počtem pro zprostředkovatele správy zdrojového kódu",
+ "scm.countBadge.focused": "Zobrazovat odznáček s počtem pro zprostředkovatele správy zdrojového kódu, na kterém je fokus",
+ "scm.countBadge.off": "Zakázat odznáček počtu pro správu zdrojového kódu",
+ "scm.countBadge": "Řídí odznáček počtu na ikoně správy zdrojového kódu na panelu aktivity.",
+ "scm.providerCountBadge.hidden": "Skrýt odznáčky s počtem pro zprostředkovatele správy zdrojového kódu",
+ "scm.providerCountBadge.auto": "Zobrazovat odznáček s počtem pro zprostředkovatele správy zdrojového kódu, pouze pokud je počet nenulový",
+ "scm.providerCountBadge.visible": "Zobrazovat odznáčky s počtem pro zprostředkovatele správy zdrojového kódu",
+ "scm.providerCountBadge": "Řídí odznáčky počtu v záhlavích zprostředkovatele správy zdrojového kódu. Tato záhlaví se zobrazují pouze v případě, že existuje více než jeden zprostředkovatel.",
+ "scm.defaultViewMode.tree": "Zobrazovat změny úložiště v podobě stromu",
+ "scm.defaultViewMode.list": "Zobrazovat změny úložiště v podobě seznamu",
+ "scm.defaultViewMode": "Řídí výchozí režim zobrazení úložiště správy zdrojového kódu.",
+ "autoReveal": "Určuje, jestli má zobrazení SCM automaticky zobrazovat a vybírat soubory při jejich otevření.",
+ "inputFontFamily": "Určuje písmo pro vstupní zprávu. Pro rodinu písem uživatelského rozhraní pracovní plochy použijte možnost default, pro nastavení #editor.fontFamily# použijte hodnotu editor, případně použijte vlastní rodinu písem.",
+ "alwaysShowRepository": "Určuje, jestli mají být úložiště vždy viditelná v zobrazení SCM.",
+ "providersVisible": "Určuje počet úložišť zobrazených v části Úložiště správy zdrojového kódu. Pokud chcete velikost zobrazení měnit ručně, nastavte hodnotu 0.",
+ "miViewSCM": "S&&CM",
+ "scm accept": "SCM: přijmout vstup",
+ "scm view next commit": "SCM: Zobrazit další potvrzení",
+ "scm view previous commit": "SCM: Zobrazit předchozí potvrzení",
+ "open in terminal": "Otevřít v terminálu"
+ },
+ "vs/workbench/contrib/scm/browser/activity": {
+ "status.scm": "Správa zdrojového kódu",
+ "scmPendingChangesBadge": "Čekající změny: {0}"
+ },
+ "vs/workbench/contrib/scm/browser/dirtydiffDecorator": {
+ "changes": "Změny: {0} z {1}",
+ "change": "Změny: {0} z {1}",
+ "show previous change": "Zobrazit předchozí změnu",
+ "show next change": "Zobrazit další změnu",
+ "miGotoNextChange": "Další &&změna",
+ "miGotoPreviousChange": "Předchozí &&změna",
+ "move to previous change": "Přejít na předchozí změnu",
+ "move to next change": "Přejít na další změnu",
+ "editorGutterModifiedBackground": "Barva pozadí mezery u okraje v editoru pro upravené řádky",
+ "editorGutterAddedBackground": "Barva pozadí mezery u okraje v editoru pro přidané řádky",
+ "editorGutterDeletedBackground": "Barva pozadí mezery u okraje v editoru pro odstraněné řádky",
+ "minimapGutterModifiedBackground": "Barva pozadí mezery u okraje v minimapě pro upravené řádky",
+ "minimapGutterAddedBackground": "Barva pozadí mezery u okraje v minimapě pro přidané řádky",
+ "minimapGutterDeletedBackground": "Barva pozadí mezery u okraje v minimapě pro odstraněné řádky",
+ "overviewRulerModifiedForeground": "Barva značky přehledového pravítka pro upravený obsah",
+ "overviewRulerAddedForeground": "Barva značky přehledového pravítka pro přidaný obsah",
+ "overviewRulerDeletedForeground": "Barva značky přehledového pravítka pro odstraněný obsah"
+ },
+ "vs/workbench/contrib/scm/browser/scmViewPaneContainer": {
+ "source control": "Správa zdrojového kódu"
+ },
+ "vs/workbench/contrib/scm/browser/scmRepositoriesViewPane": {
+ "scm": "Úložiště správy zdrojového kódu"
+ },
+ "vs/workbench/contrib/scm/browser/scmViewPane": {
+ "scm": "Správa zdrojového kódu",
+ "input": "Vstup správy zdrojového kódu",
+ "repositories": "Úložiště",
+ "sortAction": "Zobrazit a seřadit",
+ "toggleViewMode": "Přepnout režim zobrazení",
+ "viewModeList": "Zobrazit jako seznam",
+ "viewModeTree": "Zobrazit jako strom",
+ "sortByName": "Seřadit podle názvu",
+ "sortByPath": "Seřadit podle cesty",
+ "sortByStatus": "Seřadit podle stavu",
+ "expand all": "Rozbalit všechna úložiště",
+ "collapse all": "Sbalit všechna úložiště",
+ "scm.providerBorder": "Ohraničení oddělovače zprostředkovatele SCM"
+ },
+ "vs/workbench/contrib/search/browser/search.contribution": {
+ "search": "Hledání",
+ "copyMatchLabel": "Kopírovat",
+ "copyPathLabel": "Kopírovat cestu",
+ "copyAllLabel": "Kopírovat vše",
+ "revealInSideBar": "Zobrazit na postranním panelu",
+ "clearSearchHistoryLabel": "Vymazat historii hledání",
+ "focusSearchListCommandLabel": "Přepnout fokus na seznam",
+ "findInFolder": "Najít ve složce...",
+ "findInWorkspace": "Najít v pracovním prostoru...",
+ "showTriggerActions": "Přejít na symbol v pracovním prostoru...",
+ "name": "Hledat",
+ "findInFiles.description": "Otevřít viewlet vyhledávání",
+ "findInFiles.args": "Sada možností pro viewlet vyhledávání",
+ "findInFiles": "Najít v souborech",
+ "miFindInFiles": "&&Najít v souborech",
+ "miReplaceInFiles": "Nahradit v &&souborech",
+ "anythingQuickAccessPlaceholder": "Vyhledávat soubory podle názvu (připojte {0} pro přechodu na řádek nebo {1} pro přechod na symbol)",
+ "anythingQuickAccess": "Přejít na soubor",
+ "symbolsQuickAccessPlaceholder": "Zadejte název symbolu, který chcete otevřít.",
+ "symbolsQuickAccess": "Přejít na symbol v pracovním prostoru",
+ "searchConfigurationTitle": "Hledat",
+ "exclude": "Umožňuje nakonfigurovat vzory glob pro vyloučení souborů a složek ve fulltextovém vyhledávání a rychlém otevření. Dědí všechny vzory glob z nastavení #files.exclude#. Další informace o vzorech glob najdete [tady](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options).",
+ "exclude.boolean": "Vzor glob pro hledání shod s cestami k souborům. Pokud chcete vzor povolit, nastavte hodnotu true, pokud ho chcete zakázat, nastavte hodnotu false.",
+ "exclude.when": "Další kontrola položek na stejné úrovni u odpovídajícího souboru. Jako proměnnou názvu odpovídajícího souboru použijte $(basename).",
+ "useRipgrep": "Toto nastavení je zastaralé. Náhradní nastavení: search.usePCRE2",
+ "useRipgrepDeprecated": "Zastaralé. Za účelem podpory pokročilých funkcí regulárních výrazů zvažte použití možnosti search.usePCRE2.",
+ "search.maintainFileSearchCache": "Pokud je povoleno, proces searchService bude udržován aktivní místo toho, aby byl po hodině nečinnosti vypnut. Tím se v paměti uchová mezipaměť vyhledávání souborů.",
+ "useIgnoreFiles": "Určuje, jestli se mají při vyhledávání souborů používat soubory .gitignore a .ignore.",
+ "useGlobalIgnoreFiles": "Určuje, jestli se mají při vyhledávání souborů používat globální soubory .gitignore a .ignore.",
+ "search.quickOpen.includeSymbols": "Určuje, jestli se mají do výsledků souborů zahrnout výsledky globálního hledání symbolů pro rychlé otevření.",
+ "search.quickOpen.includeHistory": "Určuje, jestli se mají do výsledků souborů zahrnout výsledky naposledy otevřených souborů pro rychlé otevření.",
+ "filterSortOrder.default": "Položky historie jsou seřazeny podle relevantnosti na základě použité hodnoty filtru. Nejprve se zobrazí relevantnější položky.",
+ "filterSortOrder.recency": "Položky historie jsou seřazeny podle času otevření. Nejdříve se zobrazí naposledy otevřené položky.",
+ "filterSortOrder": "Určuje pořadí řazení historie editoru v okně rychlého otevření při filtrování.",
+ "search.followSymlinks": "Určuje, jestli se má při vyhledávání přecházet na symbolické odkazy.",
+ "search.smartCase": "Vyhledávat bez rozlišování malých a velkých písmen, pokud vzor obsahuje pouze malá písmena, jinak vyhledávat s rozlišováním malých a velkých písmen",
+ "search.globalFindClipboard": "Určuje, jestli má zobrazení vyhledávání číst nebo upravovat sdílenou schránku hledání v systému macOS.",
+ "search.location": "Určuje, jestli se má hledání zobrazit jako zobrazení na postranním panelu nebo jako panel v oblasti panelů, aby se vodorovně uvolnil prostor.",
+ "search.location.deprecationMessage": "Toto nastavení je zastaralé. Místo toho použijte přetahování (přetažením ikony vyhledávání).",
+ "search.collapseResults.auto": "Soubory s méně než 10 výsledky jsou rozbalené. Ostatní jsou sbalené.",
+ "search.collapseAllResults": "Určuje, jestli mají být výsledky hledání sbalené a rozbalené.",
+ "search.useReplacePreview": "Určuje, jestli se při výběru nebo nahrazování shody otevře náhled nahrazení.",
+ "search.showLineNumbers": "Určuje, jestli se mají pro výsledky hledání zobrazovat čísla řádků.",
+ "search.usePCRE2": "Určuje, jestli se má ve vyhledávání textu používat modul regulárních výrazů PCRE2. To vám umožní používat některé pokročilé funkce regulárních výrazů, například vyhlížení a zpětné odkazy. Ne všechny funkce PCRE2 jsou ale podporovány (pouze ty, které také podporuje JavaScript).",
+ "usePCRE2Deprecated": "Zastaralé. Při použití funkcí regulárních výrazů, které podporuje pouze PCRE2, se automaticky použije PCRE2.",
+ "search.actionsPositionAuto": "Umístěte panel akcí doprava, pokud je zobrazení vyhledávání úzké, a bezprostředně za obsah, pokud je široké.",
+ "search.actionsPositionRight": "Vždy umístit panel akcí napravo",
+ "search.actionsPosition": "Určuje umístění panelu akcí na řádcích v zobrazení vyhledávání.",
+ "search.searchOnType": "Prohledávat všechny soubory při psaní",
+ "search.seedWithNearestWord": "Pokud v aktivním editoru není nic vybráno, povolit předvyplnění vyhledávacího dotazu slovem nejblíže ke kurzoru",
+ "search.seedOnFocus": "Aktualizace vyhledávacího dotazu pro vyhledání pracovního prostoru na vybraný text editoru, když se fokus přesune na zobrazení vyhledávání. K tomu dochází při kliknutí myší nebo při spuštění příkazu workbench.views.search.focus.",
+ "search.searchOnTypeDebouncePeriod": "Když je možnost #search.searchOnType# povolena, určuje časový limit v milisekundách mezi zadaným znakem a začátkem vyhledávání. Nemá žádný vliv, pokud je možnost search.searchOnType zakázaná.",
+ "search.searchEditor.doubleClickBehaviour.selectWord": "Poklikáním se vybere slovo, na kterém je kurzor.",
+ "search.searchEditor.doubleClickBehaviour.goToLocation": "Poklikáním se otevře výsledek v aktivní skupině editorů.",
+ "search.searchEditor.doubleClickBehaviour.openLocationToSide": "Poklikáním otevřete výsledek ve skupině editorů na boku (vytvoří se, pokud ještě neexistuje).",
+ "search.searchEditor.doubleClickBehaviour": "Nakonfigurovat účinek poklikání na výsledek v editoru vyhledávání",
+ "search.searchEditor.reusePriorSearchConfiguration": "Pokud je povoleno, nové editory vyhledávání znovu použijí zahrnutí, vyloučení a příznaky dříve otevřeného editoru vyhledávání.",
+ "search.searchEditor.defaultNumberOfContextLines": "Výchozí počet okolních kontextových řádků, které se mají použít při vytváření nových editorů vyhledávání. Pokud používáte možnost #search.searchEditor.reusePriorSearchConfiguration#, můžete ji nastavit na hodnotu null (prázdné) pro použití předchozí konfigurace editoru vyhledávání.",
+ "searchSortOrder.default": "Výsledky jsou seřazeny podle názvu složky a souboru v abecedním pořadí.",
+ "searchSortOrder.filesOnly": "Výsledky jsou seřazeny podle názvů souborů v abecedním pořadí, pořadí složek se ignoruje.",
+ "searchSortOrder.type": "Výsledky jsou seřazeny podle přípon souborů v abecedním pořadí.",
+ "searchSortOrder.modified": "Výsledky jsou seřazeny podle data poslední změny souboru v sestupném pořadí.",
+ "searchSortOrder.countDescending": "Výsledky jsou seřazeny podle počtu na soubor v sestupném pořadí.",
+ "searchSortOrder.countAscending": "Výsledky jsou seřazeny podle počtu na soubor ve vzestupném pořadí.",
+ "search.sortOrder": "Určuje pořadí řazení výsledků hledání.",
+ "miViewSearch": "&&Hledat",
+ "miGotoSymbolInWorkspace": "Přejít na symbol v &&pracovním prostoru..."
+ },
+ "vs/workbench/contrib/search/browser/searchView": {
+ "searchCanceled": "Hledání bylo zrušeno dříve, než byly nalezeny výsledky – ",
+ "moreSearch": "Přepnout podrobnosti vyhledávání",
+ "searchScope.includes": "soubory, které se mají zahrnout",
+ "label.includes": "Vzory zahrnutí pro vyhledávání",
+ "searchScope.excludes": "soubory, které se mají vyloučit",
+ "label.excludes": "Vzory vyloučení pro vyhledávání",
+ "replaceAll.confirmation.title": "Nahradit vše",
+ "replaceAll.confirm.button": "&&Nahradit",
+ "replaceAll.occurrence.file.message": "V {1} souboru byl zaměněn {0} výskyt za {2}.",
+ "removeAll.occurrence.file.message": "Byl zaměněn {0} výskyt v {1} souboru.",
+ "replaceAll.occurrence.files.message": "V {1} souborech byl zaměněn {0} výskyt za {2}.",
+ "removeAll.occurrence.files.message": "Byl zaměněn {0} výskyt v {1} souborech.",
+ "replaceAll.occurrences.file.message": "V {1} souboru byly zaměněny výskyty v počtu {0} za {2}.",
+ "removeAll.occurrences.file.message": "V {1} souboru byl zaměněn tento počet výskytů: {0}.",
+ "replaceAll.occurrences.files.message": "V {1} souborech byly zaměněny výskyty v počtu {0} za {2}.",
+ "removeAll.occurrences.files.message": "V {1} souborech byl zaměněn tento počet výskytů: {0}.",
+ "removeAll.occurrence.file.confirmation.message": "Chcete zaměnit {0} výskyt v {1} souboru za {2}?",
+ "replaceAll.occurrence.file.confirmation.message": "Chcete zaměnit {0} výskyt v {1} souboru?",
+ "removeAll.occurrence.files.confirmation.message": "Chcete zaměnit {0} výskyt v {1} souborech za {2}?",
+ "replaceAll.occurrence.files.confirmation.message": "Chcete zaměnit {0} výskyt v {1} souborech?",
+ "removeAll.occurrences.file.confirmation.message": "Chcete zaměnit výskyty v počtu {0} v {1} souboru za {2}?",
+ "replaceAll.occurrences.file.confirmation.message": "Chcete zaměnit výskyty v počtu {0} v {1} souboru?",
+ "removeAll.occurrences.files.confirmation.message": "Chcete zaměnit výskyty v počtu {0} v {1} souborech za {2}?",
+ "replaceAll.occurrences.files.confirmation.message": "Chcete zaměnit výskyty v počtu {0} v {1} souborech?",
+ "emptySearch": "Prázdné hledání",
+ "ariaSearchResultsClearStatus": "Výsledky hledání byly vymazány.",
+ "searchPathNotFoundError": "Cesta pro hledání nebyla nalezena: {0}",
+ "searchMaxResultsWarning": "Sada výsledků dotazu obsahuje jen podmnožinu všech shod. Zadejte prosím konkrétnější hledání, aby se počet výsledků snížil.",
+ "noResultsIncludesExcludes": "V {0} nebyly nalezeny žádné výsledky s vyloučením {1} – ",
+ "noResultsIncludes": "V {0} nebyly nalezeny žádné výsledky – ",
+ "noResultsExcludes": "Nenašly se žádné výsledky s vyloučením {0} – ",
+ "noResultsFound": "Nebyly nalezeny žádné výsledky. Zkontrolujte si v nastavení nakonfigurovaná vyloučení a také zkontrolujte soubory gitignore – ",
+ "rerunSearch.message": "Znovu vyhledat",
+ "rerunSearchInAll.message": "Znovu vyhledat ve všech souborech",
+ "openSettings.message": "Otevřít nastavení",
+ "openSettings.learnMore": "Další informace",
+ "ariaSearchResultsStatus": "Vyhledávání vrátilo tento počet výsledků v {1} souborech: {0}.",
+ "forTerm": " – Hledat: {0}",
+ "useIgnoresAndExcludesDisabled": " - používání nastavení vyloučení a ignorování souborů je zakázáno",
+ "openInEditor.message": "Otevřít v editoru",
+ "openInEditor.tooltip": "Kopírovat aktuální výsledky hledání do editoru",
+ "search.file.result": "{0} výsledek v {1} souboru",
+ "search.files.result": "{0} výsledek v tomto počtu souborů: {1}",
+ "search.file.results": "Výsledky: {0} v {1} souboru",
+ "search.files.results": "Výsledky: {0} v {1} souborech",
+ "searchWithoutFolder": "Neotevřeli jste ani jste nezadali složku. Aktuálně se prohledávají pouze otevřené soubory – ",
+ "openFolder": "Otevřít složku"
+ },
+ "vs/workbench/contrib/search/browser/searchActions": {
+ "showSearch": "Zobrazit vyhledávání",
+ "replaceInFiles": "Nahradit v souborech",
+ "toggleTabs": "Přepnout vyhledávání při psaní",
+ "RefreshAction.label": "Aktualizovat",
+ "CollapseDeepestExpandedLevelAction.label": "Sbalit vše",
+ "ExpandAllAction.label": "Rozbalit vše",
+ "ToggleCollapseAndExpandAction.label": "Přepnout sbalení a rozbalení",
+ "ClearSearchResultsAction.label": "Vymazat výsledky vyhledávání",
+ "CancelSearchAction.label": "Zrušit vyhledávání",
+ "FocusNextSearchResult.label": "Přepnout fokus na další výsledek hledání",
+ "FocusPreviousSearchResult.label": "Přepnout fokus na předchozí výsledek hledání",
+ "RemoveAction.label": "Zavřít",
+ "file.replaceAll.label": "Nahradit vše",
+ "match.replace.label": "Nahradit"
+ },
+ "vs/workbench/contrib/search/browser/symbolsQuickAccess": {
+ "noSymbolResults": "Žádné odpovídající symboly pracovního prostoru",
+ "openToSide": "Otevřít na stranu",
+ "openToBottom": "Otevřít dole"
+ },
+ "vs/workbench/contrib/search/browser/anythingQuickAccess": {
+ "noAnythingResults": "Žádné odpovídající výsledky",
+ "recentlyOpenedSeparator": "naposledy otevřeno",
+ "fileAndSymbolResultsSeparator": "výsledky pro soubory a symboly",
+ "fileResultsSeparator": "výsledky pro soubory",
+ "filePickAriaLabelDirty": "{0} (neuložené změny)",
+ "openToSide": "Otevřít na stranu",
+ "openToBottom": "Otevřít dole",
+ "closeEditor": "Odebrat z naposledy otevřených"
+ },
+ "vs/workbench/contrib/search/browser/searchWidget": {
+ "search.action.replaceAll.disabled.label": "Nahradit vše (povolíte odesláním vyhledávání)",
+ "search.action.replaceAll.enabled.label": "Nahradit vše",
+ "search.replace.toggle.button.title": "Přepnout nahrazení",
+ "label.Search": "Hledat: Zadejte hledaný termín. Stisknutím klávesy Enter pak spustíte vyhledávání",
+ "search.placeHolder": "Hledat",
+ "showContext": "Přepnout řádky kontextu",
+ "label.Replace": "Nahradit: Zadejte text, který chcete nahradit. Stisknutím klávesy Enter pak zobrazíte náhled",
+ "search.replace.placeHolder": "Nahradit"
+ },
+ "vs/workbench/contrib/search/browser/searchIcons": {
+ "searchDetailsIcon": "Ikona pro nastavení viditelnosti podrobností o hledání",
+ "searchShowContextIcon": "Ikona pro přepnutí kontextu v editoru vyhledávání",
+ "searchHideReplaceIcon": "Ikona pro sbalení oddílu nahrazování v zobrazení vyhledávání",
+ "searchShowReplaceIcon": "Ikona pro rozbalení oddílu nahrazování v zobrazení vyhledávání",
+ "searchReplaceAllIcon": "Ikona pro nahrazení všeho v zobrazení vyhledávání",
+ "searchReplaceIcon": "Ikona pro nahrazení v zobrazení vyhledávání",
+ "searchRemoveIcon": "Ikona pro odebrání výsledku hledání",
+ "searchRefreshIcon": "Ikona pro aktualizaci zobrazení hledání",
+ "searchCollapseAllIcon": "Ikona pro sbalení výsledků v zobrazení vyhledávání",
+ "searchExpandAllIcon": "Ikona pro rozbalení výsledků v zobrazení vyhledávání",
+ "searchClearIcon": "Ikona pro vymazávání výsledků v zobrazení vyhledávání",
+ "searchStopIcon": "Ikona pro zastavení v zobrazení vyhledávání",
+ "searchViewIcon": "Zobrazit ikonu zobrazení hledání",
+ "searchNewEditorIcon": "Ikona pro akci otevření nového editoru vyhledávání"
+ },
+ "vs/workbench/contrib/search/browser/patternInputWidget": {
+ "defaultLabel": "vstup",
+ "useExcludesAndIgnoreFilesDescription": "Použít nastavení vyloučení a ignorovat soubory"
+ },
+ "vs/workbench/contrib/search/browser/searchResultsView": {
+ "searchFolderMatch.other.label": "Ostatní soubory",
+ "searchFileMatches": "Počet nalezených souborů: {0}",
+ "searchFileMatch": "Počet nalezených souborů: {0}",
+ "searchMatches": "Počet nalezených shod: {0}",
+ "searchMatch": "Počet nalezených shod: {0}",
+ "lineNumStr": "Z řádku {0}",
+ "numLinesStr": "Další řádky: {0}",
+ "search": "Hledat",
+ "folderMatchAriaLabel": "Počet shod v kořenové složce {1}: {0}, výsledek hledání",
+ "otherFilesAriaLabel": "Počet shod mimo pracovní prostor: {0}, výsledek hledání",
+ "fileMatchAriaLabel": "Počet shod v souboru {1} složky {2}: {0}, výsledek hledání",
+ "replacePreviewResultAria": "Změnit {0} na {1} ve sloupci {2}, na řádku {3}",
+ "searchResultAria": "Nalezeno: {0} ve sloupci {1}, na řádku {2}"
+ },
+ "vs/workbench/contrib/search/common/queryBuilder": {
+ "search.noWorkspaceWithName": "V pracovním prostoru není žádná složka s uvedeným názvem: {0}."
+ },
+ "vs/workbench/contrib/search/browser/replaceService": {
+ "fileReplaceChanges": "{0} ↔ {1} (náhled nahrazení)"
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditor.contribution": {
+ "searchEditor": "Editor vyhledávání",
+ "search": "Editor vyhledávání",
+ "searchEditor.deleteResultBlock": "Odstranit výsledky hledání souboru",
+ "search.openNewSearchEditor": "Nový editor vyhledávání",
+ "search.openSearchEditor": "Otevřít editor vyhledávání",
+ "search.openNewEditorToSide": "Otevřít nový editor vyhledávání na boku",
+ "search.openResultsInEditor": "Otevřít výsledky v editoru",
+ "search.rerunSearchInEditor": "Znovu vyhledat",
+ "search.action.focusQueryEditorWidget": "Přepnout fokus na vstup v editoru vyhledávání",
+ "searchEditor.action.toggleSearchEditorCaseSensitive": "Přepnout rozlišování malých a velkých písmen",
+ "searchEditor.action.toggleSearchEditorWholeWord": "Přepnout používání pouze celých slov",
+ "searchEditor.action.toggleSearchEditorRegex": "Přepnout používání regulárního výrazu",
+ "searchEditor.action.toggleSearchEditorContextLines": "Přepnout řádky kontextu",
+ "searchEditor.action.increaseSearchEditorContextLines": "Zvýšit počet řádků kontextu",
+ "searchEditor.action.decreaseSearchEditorContextLines": "Snížit počet řádků kontextu",
+ "searchEditor.action.selectAllSearchEditorMatches": "Vybrat všechny shody"
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditorActions": {
+ "search.openNewEditor": "Otevřít nový editor vyhledávání"
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditor": {
+ "moreSearch": "Přepnout podrobnosti vyhledávání",
+ "searchScope.includes": "soubory, které se mají zahrnout",
+ "label.includes": "Vzory zahrnutí pro vyhledávání",
+ "searchScope.excludes": "soubory, které se mají vyloučit",
+ "label.excludes": "Vzory vyloučení pro vyhledávání",
+ "runSearch": "Spustit vyhledávání",
+ "searchResultItem": "Nalezené shody: {0} v {1} v souboru {2}",
+ "searchEditor": "Hledat",
+ "textInputBoxBorder": "Ohraničení textového vstupního pole editoru vyhledávání"
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditorInput": {
+ "searchTitle.withQuery": "Hledat: {0}",
+ "searchTitle": "Hledat"
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditorSerialization": {
+ "invalidQueryStringError": "Všechna zpětná lomítka v řetězci dotazu musí být uvozena řídicími znaky (\\\\).",
+ "numFiles": "Počet souborů: {0}",
+ "oneFile": "1 soubor",
+ "numResults": "Počet výsledků: {0}",
+ "oneResult": "1 výsledek",
+ "noResults": "Žádné výsledky",
+ "searchMaxResultsWarning": "Sada výsledků obsahuje jenom podmnožinu všech shod. Použijte prosím specifičtější hledání, aby se výsledky zúžily."
+ },
+ "vs/workbench/contrib/snippets/browser/snippets.contribution": {
+ "snippetSchema.json.prefix": "Předpona, která se má použít při výběru fragmentu kódu ve funkci IntelliSense",
+ "snippetSchema.json.body": "Obsah fragmentu kódu. Pomocí $1, ${1:defaultText} definujte pozice kurzoru, pomocí $0 definujte konečnou pozici kurzoru. Pomocí možností ${varName} a ${varName:defaultText} vložte hodnoty proměnných, například „Toto je soubor: $TM_FILENAME“.",
+ "snippetSchema.json.description": "Popis fragmentu kódu",
+ "snippetSchema.json.default": "Prázdný fragment kódu",
+ "snippetSchema.json": "Konfigurace fragmentů kódu uživatele",
+ "snippetSchema.json.scope": "Seznam názvů jazyků, pro které tento fragment kódu platí, například typescript,javascript"
+ },
+ "vs/workbench/contrib/snippets/browser/insertSnippet": {
+ "snippet.suggestions.label": "Vložit fragment kódu",
+ "sep.userSnippet": "Fragmenty kódu uživatele",
+ "sep.extSnippet": "Fragmenty kódu rozšíření",
+ "sep.workspaceSnippet": "Fragmenty kódu pracovního prostoru",
+ "disableSnippet": "Skrýt z IntelliSense",
+ "isDisabled": "(skryto z IntelliSense)",
+ "enable.snippet": "Zobrazit v IntelliSense",
+ "pick.placeholder": "Vyberte fragment."
+ },
+ "vs/workbench/contrib/snippets/browser/snippetsService": {
+ "invalid.path.0": "Očekávalo se, že contributes.{0}.path bude obsahovat řetězec. Zadaná hodnota: {1}",
+ "invalid.language.0": "Pokud je jazyk vynechán, hodnota pro contributes.{0}.path musí být soubor .code-snippets. Zadaná hodnota: {1}",
+ "invalid.language": "Neznámý jazyk v contributes.{0}.language. Zadaná hodnota: {1}",
+ "invalid.path.1": "Očekávalo se, že bude contributes.{0}.path ({1}) zahrnuto do složky rozšíření ({2}). To by mohlo způsobit, že rozšíření nebude přenosné.",
+ "vscode.extension.contributes.snippets": "Přidává fragmenty kódu.",
+ "vscode.extension.contributes.snippets-language": "Identifikátor jazyka, pro který je tento fragment kódu přidáván",
+ "vscode.extension.contributes.snippets-path": "Cesta k souboru fragmentů kódu. Cesta je relativní ke složce rozšíření a obvykle začíná na ./snippets/.",
+ "badVariableUse": "Minimálně u jednoho fragmentu kódu z rozšíření {0} se s velkou pravděpodobností zaměnily proměnné fragmentu kódu se zástupnými symboly fragmentu kódu. (Další podrobnosti najdete na https://code.visualstudio.com/docs/editor/userdefinedsnippets#_snippet-syntax.)",
+ "badFile": "Nepovedlo se přečíst soubor fragmentu kódu {0}."
+ },
+ "vs/workbench/contrib/snippets/browser/configureSnippets": {
+ "global.scope": "(globální)",
+ "global.1": "({0})",
+ "name": "Zadejte název souboru fragmentu kódu.",
+ "bad_name1": "Neplatný název souboru",
+ "bad_name2": "{0} není platný název souboru.",
+ "bad_name3": "{0} už existuje.",
+ "new.global_scope": "globální",
+ "new.global": "Nový soubor globálních fragmentů kódu...",
+ "new.workspace_scope": "Pracovní prostor {0}",
+ "new.folder": "Nový soubor fragmentů kódu pro {0}...",
+ "group.global": "Existující fragmenty kódu",
+ "new.global.sep": "Nové fragmenty kódu",
+ "openSnippet.pickLanguage": "Vybrat soubor fragmentů kódu nebo vytvořit fragmenty kódu",
+ "openSnippet.label": "Konfigurovat fragmenty kódu uživatele",
+ "preferences": "Předvolby",
+ "miOpenSnippets": "Fragmenty kódu &&uživatele",
+ "userSnippets": "Fragmenty kódu uživatele"
+ },
+ "vs/workbench/contrib/snippets/browser/snippetsFile": {
+ "source.workspaceSnippetGlobal": "Fragment kódu pracovního prostoru",
+ "source.userSnippetGlobal": "Fragment kódu globálního uživatele",
+ "source.userSnippet": "Fragment kódu uživatele"
+ },
+ "vs/workbench/contrib/snippets/browser/snippetCompletionProvider": {
+ "detail.snippet": "{0} ({1})",
+ "snippetSuggest.longLabel": "{0}, {1}"
+ },
+ "vs/workbench/contrib/surveys/browser/nps.contribution": {
+ "surveyQuestion": "Máte chvilku na rychlý průzkum názorů?",
+ "takeSurvey": "Vyplnit průzkum",
+ "remindLater": "Připomenout později",
+ "neverAgain": "Znovu nezobrazovat"
+ },
+ "vs/workbench/contrib/surveys/browser/languageSurveys.contribution": {
+ "helpUs": "Pomozte nám zdokonalit naši podporu pro {0}.",
+ "takeShortSurvey": "Vyplňte krátký dotazník",
+ "remindLater": "Připomenout později",
+ "neverAgain": "Znovu nezobrazovat"
+ },
+ "vs/workbench/contrib/tags/electron-browser/workspaceTagsService": {
+ "workspaceFound": "Tato složka obsahuje soubor pracovního prostoru {0}. Chcete ho otevřít? [Další informace]({1}) o souborech pracovních prostorů.",
+ "openWorkspace": "Otevřít pracovní prostor",
+ "workspacesFound": "Tato složka obsahuje více souborů pracovních prostorů. Chcete jeden z nich otevřít? [Další informace] ({0}) o souborech pracovních prostorů",
+ "selectWorkspace": "Vybrat pracovní prostor",
+ "selectToOpen": "Vyberte pracovní prostor, který chcete otevřít."
+ },
+ "vs/workbench/contrib/tasks/electron-browser/taskService": {
+ "TaskSystem.runningTask": "Je spuštěná úloha. Chcete ji ukončit?",
+ "TaskSystem.terminateTask": "&&Ukončit úlohu",
+ "TaskSystem.noProcess": "Spuštěná úloha už neexistuje. Pokud z úlohy vznikly procesy na pozadí, mohly by v důsledku ukončení VS Code vzniknout osamocené procesy. Pokud se tomu chcete vyhnout, spusťte poslední proces na pozadí s příznakem wait.",
+ "TaskSystem.exitAnyways": "&&Přesto ukončit"
+ },
+ "vs/workbench/contrib/tasks/common/tasks": {
+ "tasksCategory": "Úlohy",
+ "TaskDefinition.missingRequiredProperty": "Chyba: V identifikátoru úlohy {0} chybí požadovaná vlastnost {1}. Identifikátor úlohy se bude ignorovat."
+ },
+ "vs/workbench/contrib/tasks/common/taskConfiguration": {
+ "ConfigurationParser.invalidCWD": "Upozornění: options.cwd musí být typu string. Hodnota {0} se ignoruje.\r\n",
+ "ConfigurationParser.inValidArg": "Chyba: Argumentem příkazu musí být buď řetězec, nebo řetězec v uvozovkách. Zadaná hodnota je:\r\n{0}",
+ "ConfigurationParser.noShell": "Upozornění: Konfigurace prostředí je podporována pouze při provádění úloh v terminálu.",
+ "ConfigurationParser.noName": "Chyba: Matcher problémů v oboru deklarace musí mít název:\r\n{0}\r\n",
+ "ConfigurationParser.unknownMatcherKind": "Upozornění: Definovaný matcher problémů je neznámý. Podporované typy jsou string | ProblemMatcher | Array.\r\n{0}\r\n",
+ "ConfigurationParser.invalidVariableReference": "Chyba: Neplatný odkaz problemMatcher: {0}\r\n",
+ "ConfigurationParser.noTaskType": "Chyba: Konfigurace úloh musí mít vlastnost type. Konfigurace bude ignorována.\r\n{0}\r\n",
+ "ConfigurationParser.noTypeDefinition": "Chyba: Není zaregistrovaný typ úlohy {0}. Nezapomněli jste nainstalovat rozšíření, které poskytuje odpovídajícího zprostředkovatele úloh?",
+ "ConfigurationParser.missingType": "Chyba: V konfiguraci úlohy {0} chybí požadovaná vlastnost type. Konfigurace úlohy se bude ignorovat.",
+ "ConfigurationParser.incorrectType": "Chyba: Konfigurace úlohy {0} používá neznámý typ. Konfigurace úlohy se bude ignorovat.",
+ "ConfigurationParser.notCustom": "Chyba: Úlohy nejsou deklarovány jako vlastní úloha. Konfigurace bude ignorována.\r\n{0}\r\n",
+ "ConfigurationParser.noTaskName": "Chyba: Úloha musí poskytovat vlastnost label. Úloha bude ignorována.\r\n{0}\r\n",
+ "taskConfiguration.providerUnavailable": "Upozornění: Úlohy ({0}) nejsou v aktuálním prostředí k dispozici.\r\n",
+ "taskConfiguration.noCommandOrDependsOn": "Chyba: Úloha {0} neurčuje příkaz ani vlastnost dependsOn. Úloha bude ignorována. Její definice je:\r\n{1}",
+ "taskConfiguration.noCommand": "Chyba: Úloha {0} nedefinuje příkaz. Úloha bude ignorována. Její definice je:\r\n{1}",
+ "TaskParse.noOsSpecificGlobalTasks": "Verze úlohy 2.0.0 nepodporuje globální úlohy specifické pro operační systém. Převeďte je na úlohu pomocí příkazu specifického pro operační systém. Ovlivněné úlohy:\r\n{0}"
+ },
+ "vs/workbench/contrib/tasks/node/processTaskSystem": {
+ "version1_0": "Systém úloh je nakonfigurován pro verzi 0.1.0 (viz soubor tasks.json), ve které je možné provádět pouze vlastní úlohy. Pokud chcete úlohu spustit, upgradujte na verzi 2.0.0: {0}.",
+ "TaskRunnerSystem.unknownError": "Při provádění úlohy došlo k neznámé chybě. Podrobnosti najdete v protokolu výstupu úlohy.",
+ "TaskRunnerSystem.watchingBuildTaskFinished": "\r\nSledování úloh sestavení bylo dokončeno.",
+ "TaskRunnerSystem.childProcessError": "Nepovedlo se spustit externí program {0} {1}.",
+ "TaskRunnerSystem.cancelRequested": "\r\nÚloha {0} byla na žádost uživatele ukončena.",
+ "unknownProblemMatcher": "Matcher problémů {0} nelze vyhodnotit. Bude se ignorovat."
+ },
+ "vs/workbench/contrib/tasks/node/processRunnerDetector": {
+ "TaskSystemDetector.noGulpTasks": "Výsledkem příkazu gulp --tasks-simple nebyly žádné úlohy. Spustili jste příkaz npm install?",
+ "TaskSystemDetector.noJakeTasks": "Výsledkem příkazu jake --tasks nebyly žádné úlohy. Spustili jste příkaz npm install?",
+ "TaskSystemDetector.noGulpProgram": "Nemáte v počítači nainstalovaný Gulp. Nainstalujte ho spuštěním příkazu npm install -g gulp.",
+ "TaskSystemDetector.noJakeProgram": "Nemáte v počítači nainstalovaný Jake. Nainstalujte ho spuštěním příkazu npm install -g jake.",
+ "TaskSystemDetector.noGruntProgram": "Nemáte v počítači nainstalovaný Grunt. Nainstalujte ho spuštěním příkazu npm install -g grunt.",
+ "TaskSystemDetector.noProgram": "Aplikace {0} nebyla nalezena. Zpráva je: {1}",
+ "TaskSystemDetector.buildTaskDetected": "Zjistila se úloha sestavení s názvem {0}.",
+ "TaskSystemDetector.testTaskDetected": "Zjistila se testovací úloha s názvem {0}."
+ },
+ "vs/workbench/contrib/tasks/browser/abstractTaskService": {
+ "ConfigureTaskRunnerAction.label": "Konfigurovat úlohu",
+ "tasks": "Úlohy",
+ "TaskSystem.noHotSwap": "Změna modulu provádění úloh při aktivní spuštěné úloze vyžaduje opětovné načtení okna.",
+ "reloadWindow": "Znovu načíst okno",
+ "TaskService.pickBuildTaskForLabel": "Vyberte úlohu sestavení (není definována žádná výchozí úloha sestavení)",
+ "taskServiceOutputPrompt": "Došlo k chybám úlohy. Podrobnosti najdete ve výstupu.",
+ "showOutput": "Zobrazit výstup",
+ "TaskServer.folderIgnored": "Složka {0} je ignorována, protože používá úlohu verze 0.1.0.",
+ "TaskService.providerUnavailable": "Upozornění: Úlohy ({0}) nejsou v aktuálním prostředí k dispozici.\r\n",
+ "TaskService.noBuildTask1": "Není definovaná žádná úloha sestavení. Označte úlohu v souboru tasks.json jako isBuildCommand.",
+ "TaskService.noBuildTask2": "Není definovaná žádná úloha sestavení. Označte úlohu v souboru tasks.json jako skupinu build.",
+ "TaskService.noTestTask1": "Není definovaná žádná testovací úloha. Označte úlohu v souboru tasks.json jako isTestCommand.",
+ "TaskService.noTestTask2": "Není definovaná žádná testovací úloha. Označte úlohu v souboru tasks.json jako skupinu test.",
+ "TaskServer.noTask": "Není definována úloha, která má být provedena.",
+ "TaskService.associate": "přidružit",
+ "TaskService.attachProblemMatcher.continueWithout": "Pokračovat bez prohledávání výstupu úlohy",
+ "TaskService.attachProblemMatcher.never": "Nikdy neprohledávat výstup úlohy pro tuto úlohu",
+ "TaskService.attachProblemMatcher.neverType": "Nikdy neprohledávat výstup úlohy pro tyto úlohy: {0}",
+ "TaskService.attachProblemMatcher.learnMoreAbout": "Další informace o prohledávání výstupu úlohy",
+ "selectProblemMatcher": "Vyberte, jaký typ chyb a upozornění se má vyhledávat ve výstupu úlohy.",
+ "customizeParseErrors": "Aktuální konfigurace úlohy obsahuje chyby. Před přizpůsobením úlohy prosím tyto chyby opravte.",
+ "tasksJsonComment": "\t// Dokumentaci k formátu tasks.json najdete tady:\r\n\t// https://go.microsoft.com/fwlink/?LinkId=733558.",
+ "moreThanOneBuildTask": "V souboru tasks.json je definováno mnoho úloh sestavení. Bude spuštěno provádění první z nich.\r\n",
+ "TaskSystem.saveBeforeRun.prompt.title": "Chcete uložit všechny editory?",
+ "saveBeforeRun.save": "Uložit",
+ "saveBeforeRun.dontSave": "Neukládat",
+ "detail": "Chcete před spuštěním úlohy uložit všechny editory?",
+ "TaskSystem.activeSame.noBackground": "Úloha {0} už je aktivní.",
+ "terminateTask": "Ukončit úlohu",
+ "restartTask": "Restartovat úlohu",
+ "TaskSystem.active": "Už je spuštěna jedna úloha. Před spuštěním jiné úlohy nejdříve ukončete tu, která běží.",
+ "TaskSystem.restartFailed": "Nepovedlo se ukončit a restartovat úlohu {0}.",
+ "unexpectedTaskType": "Zprostředkovatel úlohy pro úlohy {0} neočekávaně zadal úlohu typu {1}.\r\n",
+ "TaskService.noConfiguration": "Chyba: Zjišťování úlohy {0} nepřidalo úlohu pro následující konfiguraci:\r\n{1}\r\nÚloha bude ignorována.\r\n",
+ "TaskSystem.configurationErrors": "Chyba: Zadaná konfigurace úlohy obsahuje chyby ověření, nelze ji proto použít. Nejdříve prosím tyto chyby opravte.",
+ "TaskSystem.invalidTaskJsonOther": "Chyba: Obsah kódu JSON v {0} zahrnuje chyby syntaxe. Před spuštěním provádění úlohy prosím tyto chyby opravte.\r\n",
+ "TasksSystem.locationWorkspaceConfig": "soubor pracovního prostoru",
+ "TaskSystem.versionWorkspaceFile": "V souboru .codeworkspace jsou povoleny pouze úlohy verze 2.0.0.",
+ "TasksSystem.locationUserConfig": "uživatelská nastavení",
+ "TaskSystem.versionSettings": "V uživatelských nastaveních jsou povoleny pouze úlohy verze 2.0.0.",
+ "taskService.ignoreingFolder": "Konfigurace úloh pro složku pracovního prostoru {0} se ignorují. Podpora úloh pracovních prostorů s více složkami vyžaduje, aby všechny složky používaly úlohu verze 2.0.0.\r\n",
+ "TaskSystem.invalidTaskJson": "Chyba: Soubor tasks.json obsahuje chyby syntaxe. Před spuštěním provádění úlohy prosím tyto chyby opravte.\r\n",
+ "TerminateAction.label": "Ukončit úlohu",
+ "TaskSystem.unknownError": "Při spouštění úlohy došlo k chybě. Podrobnosti najdete v protokolu úloh.",
+ "configureTask": "Konfigurovat úlohu",
+ "recentlyUsed": "naposledy použité úlohy",
+ "configured": "nakonfigurované úlohy",
+ "detected": "zjištěné úlohy",
+ "TaskService.ignoredFolder": "Následující složky pracovního prostoru jsou ignorovány, protože používají úlohu verze 0.1.0: {0}.",
+ "TaskService.notAgain": "Znovu nezobrazovat",
+ "TaskService.pickRunTask": "Vyberte úlohu, která má být spuštěna.",
+ "TaskService.noEntryToRunSlow": "$(plus) Nakonfigurovat úlohu",
+ "TaskService.noEntryToRun": "$(plus) Nakonfigurovat úlohu",
+ "TaskService.fetchingBuildTasks": "Načítají se úlohy sestavení...",
+ "TaskService.pickBuildTask": "Vyberte úlohu sestavení, která se má spustit",
+ "TaskService.noBuildTask": "Nebyla nalezena žádná úloha sestavení, kterou by bylo možné spustit. Konfigurovat úlohu sestavení...",
+ "TaskService.fetchingTestTasks": "Načítají se testovací úlohy...",
+ "TaskService.pickTestTask": "Vyberte testovací úlohu, kterou chcete spustit.",
+ "TaskService.noTestTaskTerminal": "Nebyla nalezena žádná testovací úloha, kterou by bylo možné spustit. Konfigurovat úlohy...",
+ "TaskService.taskToTerminate": "Vyberte úlohu, která se má ukončit.",
+ "TaskService.noTaskRunning": "Aktuálně není spuštěná žádná úloha.",
+ "TaskService.terminateAllRunningTasks": "Všechny spuštěné úlohy",
+ "TerminateAction.noProcess": "Spuštěný proces už neexistuje. Pokud z úlohy vznikly úlohy na pozadí, mohly by v důsledku ukončení VS Code vzniknout osamocené procesy.",
+ "TerminateAction.failed": "Nepodařilo se ukončit spuštěnou úlohu.",
+ "TaskService.taskToRestart": "Vyberte úlohu, která se má restartovat.",
+ "TaskService.noTaskToRestart": "Žádná úloha pro restartování",
+ "TaskService.template": "Vyberte šablonu úlohy",
+ "taskQuickPick.userSettings": "Uživatelská nastavení",
+ "TaskService.createJsonFile": "Vytvořit soubor tasks.json ze šablony",
+ "TaskService.openJsonFile": "Otevřít soubor tasks.json",
+ "TaskService.pickTask": "Vyberte úlohu, kterou chcete nakonfigurovat.",
+ "TaskService.defaultBuildTaskExists": "Úloha {0} už je označená jako výchozí úloha sestavení.",
+ "TaskService.pickDefaultBuildTask": "Vyberte úlohu, která se má použít jako výchozí úloha sestavení.",
+ "TaskService.defaultTestTaskExists": "Úloha {0} už je označená jako výchozí úloha testování.",
+ "TaskService.pickDefaultTestTask": "Vyberte úlohu, která se má použít jako výchozí testovací úloha.",
+ "TaskService.pickShowTask": "Vyberte úlohu, pro kterou chcete zobrazit výstup.",
+ "TaskService.noTaskIsRunning": "Není spuštěná žádná úloha."
+ },
+ "vs/workbench/contrib/tasks/browser/terminalTaskSystem": {
+ "TerminalTaskSystem.unknownError": "Při provádění úlohy došlo k neznámé chybě. Podrobnosti najdete v protokolu výstupu úlohy.",
+ "dependencyCycle": "Existuje cyklická závislost. Podívejte se na úlohu {0}.",
+ "dependencyFailed": "Nepovedlo se vyhodnotit závislou úlohu {0} ve složce pracovního prostoru {1}.",
+ "TerminalTaskSystem.nonWatchingMatcher": "Úloha {0} je úloha na pozadí, ale používá matcher problémů bez vzoru pozadí.",
+ "TerminalTaskSystem.terminalName": "Úloha – {0}",
+ "closeTerminal": "Stisknutím libovolné klávesy zavřete terminál.",
+ "reuseTerminal": "Terminál bude znovu použit úlohami. Stisknutím libovolné klávesy ho zavřete.",
+ "TerminalTaskSystem": "Nelze provést příkaz prostředí na jednotce UNC pomocí cmd.exe.",
+ "unknownProblemMatcher": "Matcher problémů {0} nelze vyhodnotit. Bude se ignorovat."
+ },
+ "vs/workbench/contrib/tasks/browser/task.contribution": {
+ "building": "Sestavování...",
+ "numberOfRunningTasks": "Spuštěné úlohy: {0}",
+ "runningTasks": "Zobrazit spuštěné úlohy",
+ "status.runningTasks": "Spuštěné úlohy",
+ "miRunTask": "&&Spustit úlohu...",
+ "miBuildTask": "&&Spustit úlohu sestavení...",
+ "miRunningTask": "Zobrazit &&spuštěné úlohy...",
+ "miRestartTask": "R&&estartovat spuštěnou úlohu...",
+ "miTerminateTask": "&&Ukončit úlohu...",
+ "miConfigureTask": "&&Konfigurovat úlohy...",
+ "miConfigureBuildTask": "Kon&&figurovat výchozí úlohu sestavení...",
+ "workbench.action.tasks.openWorkspaceFileTasks": "Otevřít úlohy pracovního prostoru",
+ "ShowLogAction.label": "Zobrazit protokol úloh",
+ "RunTaskAction.label": "Spustit úlohu",
+ "ReRunTaskAction.label": "Znovu spustit poslední úlohu",
+ "RestartTaskAction.label": "Restartovat spuštěnou úlohu",
+ "ShowTasksAction.label": "Zobrazit spuštěné úlohy",
+ "TerminateAction.label": "Ukončit úlohu",
+ "BuildAction.label": "Spustit úlohu sestavení",
+ "TestAction.label": "Spustit testovací úlohu",
+ "ConfigureDefaultBuildTask.label": "Konfigurovat výchozí úlohu sestavení",
+ "ConfigureDefaultTestTask.label": "Konfigurovat výchozí testovací úlohu",
+ "workbench.action.tasks.openUserTasks": "Otevřít úlohy uživatele",
+ "tasksQuickAccessPlaceholder": "Zadejte název úlohy, která se má spustit.",
+ "tasksQuickAccessHelp": "Spustit úlohu",
+ "tasksConfigurationTitle": "Úlohy",
+ "task.problemMatchers.neverPrompt": "Konfiguruje, jestli se má při spuštění úlohy zobrazit výzva matcheru problémů. Pokud se nemá výzva zobrazit nikdy, nastavte hodnotu true. Pomocí slovníku typů úloh můžete také zobrazování výzvy vypnout jen pro určité typy úloh.",
+ "task.problemMatchers.neverPrompt.boolean": "Umožňuje nastavit chování při zobrazování výzev matcheru problémů pro všechny úlohy.",
+ "task.problemMatchers.neverPrompt.array": "Objekt, který obsahuje páry logických hodnot pro daný typ úlohy, aby se nikdy nezobrazila výzva k použití matcherů problémů",
+ "task.autoDetect": "Ovládá povolení nastavení provideTasks pro všechna rozšíření zprostředkovatele úloh. Pokud je příkaz Úlohy: Spustit úlohu pomalý, může pomoct zakázání automatického zjišťování pro zprostředkovatele úloh. Nastavení zakazující automatické zjišťování mohou poskytovat také jednotlivá rozšíření.",
+ "task.slowProviderWarning": "Konfiguruje, jestli se zobrazí oznámení, když zprostředkovatel běží pomalu.",
+ "task.slowProviderWarning.boolean": "Umožňuje nastavit upozornění na pomalé zprostředkovatele pro všechny úlohy.",
+ "task.slowProviderWarning.array": "Pole hodnot typů úloh, pro které by se nikdy nemělo nezobrazovat upozornění na pomalého zprostředkovatele",
+ "task.quickOpen.history": "Řídí počet posledních položek sledovaných v dialogovém okně pro rychlé otevření úlohy.",
+ "task.quickOpen.detail": "Určuje, jestli úlohy mají podrobnosti v rychlých volbách, například u příkazu Spustit úlohu.",
+ "task.quickOpen.skip": "Určuje, jestli se má přeskočit rychlý výběr úlohy, pokud je k výběru pouze jedna úloha.",
+ "task.quickOpen.showAll": "Způsobí, že příkaz Úlohy: Spustit úlohu použije pomalejší chování pro operaci show all (zobrazit vše) místo rychlejšího dvojúrovňového ovládacího prvku pro výběr, kde jsou úlohy seskupeny podle zprostředkovatele.",
+ "task.saveBeforeRun": "Před spuštěním úlohy uložte všechny editory s neuloženými změnami.",
+ "task.saveBeforeRun.always": "Před spuštěním vždy uloží všechny editory.",
+ "task.saveBeforeRun.never": "Před spuštěním nikdy neuloží editory.",
+ "task.SaveBeforeRun.prompt": "Před spuštěním zobrazí dotaz, jestli se mají uložit editory."
+ },
+ "vs/workbench/contrib/tasks/common/taskDefinitionRegistry": {
+ "TaskDefinition.description": "Skutečný typ úlohy. Poznámka: Typy začínající znakem $ jsou vyhrazeny pro interní použití.",
+ "TaskDefinition.properties": "Další vlastnosti typu úlohy",
+ "TaskDefinition.when": "Podmínka, která musí být vyhodnocena jako true, aby byl povolen tento typ úlohy. Zvažte použití možností shellExecutionSupported, processExecutionSupported a customExecutionSupported v souladu s definicí této úlohy.",
+ "TaskTypeConfiguration.noType": "V konfiguraci typu úlohy chybí požadovaná vlastnost taskType.",
+ "TaskDefinitionExtPoint": "Přidává typy úloh."
+ },
+ "vs/workbench/contrib/tasks/common/problemMatcher": {
+ "ProblemPatternParser.problemPattern.missingRegExp": "Ve vzoru problému chybí regulární výraz.",
+ "ProblemPatternParser.loopProperty.notLast": "Vlastnost loop je podporována pouze v matcheru problémů posledního řádku.",
+ "ProblemPatternParser.problemPattern.kindProperty.notFirst": "Vzor problému je neplatný. Vlastnost kind musí být zadána pouze v prvním prvku.",
+ "ProblemPatternParser.problemPattern.missingProperty": "Vzor problému je neplatný. Musí obsahovat aspoň soubor a zprávu.",
+ "ProblemPatternParser.problemPattern.missingLocation": "Vzor problému je neplatný. Musí mít buď nastavený typ file, nebo musí mít skupinu shody pro řádky nebo umístění.",
+ "ProblemPatternParser.invalidRegexp": "Chyba: Řetězec {0} není platný regulární výraz.\r\n",
+ "ProblemPatternSchema.regexp": "Regulární výraz pro nalezení chyby, upozornění nebo informací ve výstupu",
+ "ProblemPatternSchema.kind": "Určuje, jestli vzor odpovídá umístění (soubor a řádek) nebo pouze souboru.",
+ "ProblemPatternSchema.file": "Index skupiny shody názvu souboru. Pokud je vynecháno, použije se hodnota 1.",
+ "ProblemPatternSchema.location": "Index skupiny shody umístění problému. Platné vzory umístění jsou: (line), (line,column) a (startLine,startColumn,endLine,endColumn). Pokud je vynecháno, předpokládá se vzor (line,column).",
+ "ProblemPatternSchema.line": "Index skupiny shody řádku problému. Výchozí hodnota je 2.",
+ "ProblemPatternSchema.column": "Index skupiny shody znaku řádku problému. Výchozí nastavení je 3.",
+ "ProblemPatternSchema.endLine": "Index skupiny shody konce řádku problému. Ve výchozím nastavení není definováno.",
+ "ProblemPatternSchema.endColumn": "Index skupiny shody znaku konce řádku problému. Ve výchozím nastavení není definováno.",
+ "ProblemPatternSchema.severity": "Index skupiny shody závažnosti problému. Ve výchozím nastavení není definováno.",
+ "ProblemPatternSchema.code": "Index skupiny shody kódu problému. Ve výchozím nastavení není definováno.",
+ "ProblemPatternSchema.message": "Index skupiny shody zprávy. Pokud je vynecháno, je výchozí hodnota 4, pokud je zadáno umístění. V opačném případě je výchozí hodnota 5.",
+ "ProblemPatternSchema.loop": "Ve víceřádkové matcheru hodnota loop označovala, jestli je tento vzor prováděn ve smyčce tak dlouho, dokud je nacházena shoda. Lze to zadat pouze pro poslední vzor ve víceřádkovém vzoru.",
+ "NamedProblemPatternSchema.name": "Název vzoru problému",
+ "NamedMultiLineProblemPatternSchema.name": "Název vzoru problému s více řádky",
+ "NamedMultiLineProblemPatternSchema.patterns": "Skutečné vzory",
+ "ProblemPatternExtPoint": "Přidává vzory problémů.",
+ "ProblemPatternRegistry.error": "Neplatný vzor problému. Vzor bude ignorován.",
+ "ProblemMatcherParser.noProblemMatcher": "Chyba: Popis nelze převést na matcher problémů:\r\n{0}\r\n",
+ "ProblemMatcherParser.noProblemPattern": "Chyba: Popis nedefinuje platný vzor problému:\r\n{0}\r\n",
+ "ProblemMatcherParser.noOwner": "Chyba: Popis nedefinuje vlastníka:\r\n{0}\r\n",
+ "ProblemMatcherParser.noFileLocation": "Chyba: Popis nedefinuje umístění souboru:\r\n{0}\r\n",
+ "ProblemMatcherParser.unknownSeverity": "Informace: Neznámá závažnost {0}. Platné hodnoty: chyba, upozornění a informace\r\n",
+ "ProblemMatcherParser.noDefinedPatter": "Chyba: Vzor s identifikátorem {0} neexistuje.",
+ "ProblemMatcherParser.noIdentifier": "Chyba: Vlastnost vzoru odkazuje na prázdný identifikátor.",
+ "ProblemMatcherParser.noValidIdentifier": "Chyba: Vlastnost vzoru {0} nepředstavuje platný název proměnné vzoru.",
+ "ProblemMatcherParser.problemPattern.watchingMatcher": "Matcher problémů musí definovat počáteční a koncový vzor, který se má sledovat.",
+ "ProblemMatcherParser.invalidRegexp": "Chyba: Řetězec {0} není platný regulární výraz.\r\n",
+ "WatchingPatternSchema.regexp": "Regulární výraz pro zjištění začátku nebo konce úlohy na pozadí",
+ "WatchingPatternSchema.file": "Index skupiny shody názvu souboru. Lze vynechat.",
+ "PatternTypeSchema.name": "Název přidaného nebo předdefinovaného vzoru",
+ "PatternTypeSchema.description": "Vzor problému nebo název přidaného nebo předdefinované vzoru problému. Pokud je zadána základní hodnota (base), může se vynechat.",
+ "ProblemMatcherSchema.base": "Název základního matcheru problémů, který se má použít",
+ "ProblemMatcherSchema.owner": "Vlastník problému v rámci Code. Může být vynecháno, pokud je zadána hodnota base. Pokud je vynecháno a není zadána hodnota base, výchozí hodnota je external.",
+ "ProblemMatcherSchema.source": "Lidsky čitelný řetězec, který popisuje zdroj této diagnostiky, například typescript nebo super lint",
+ "ProblemMatcherSchema.severity": "Výchozí závažnost pro zachycování problémů. Používá se, pokud vzor nedefinuje skupinu shody pro závažnost.",
+ "ProblemMatcherSchema.applyTo": "Určuje, jestli se problém nahlášený k textovému dokumentu vztahuje pouze na otevřené/zavřené dokumenty nebo všechny dokumenty.",
+ "ProblemMatcherSchema.fileLocation": "Určuje, jak se mají interpretovat názvy souborů hlášené na základě vzoru problému. Relativní umístění souboru (fileLocation) může být pole hodnot, jehož druhým prvkem je cesta k relativnímu umístění souboru.",
+ "ProblemMatcherSchema.background": "Vzory pro sledování začátku a konce aktivního matcheru pro úlohu na pozadí.",
+ "ProblemMatcherSchema.background.activeOnStart": "Pokud je nastaveno na hodnotu true, je monitor pozadí při spuštění úlohy v aktivním režimu. Je to ekvivalentní vygenerování řádku, který odpovídá vzoru beginPattern.",
+ "ProblemMatcherSchema.background.beginsPattern": "Pokud je ve výstupu zjištěna shoda, je signalizován začátek úlohy na pozadí.",
+ "ProblemMatcherSchema.background.endsPattern": "Pokud je ve výstupu zjištěna shoda, je signalizován konec úlohy na pozadí.",
+ "ProblemMatcherSchema.watching.deprecated": "Vlastnost watching je zastaralá. Místo ní použijte vlastnost background.",
+ "ProblemMatcherSchema.watching": "Vzory pro sledování začátku a konce matcheru problémů v rámci úlohy sledování",
+ "ProblemMatcherSchema.watching.activeOnStart": "Pokud je nastaveno na hodnotu true, bude sledovací proces při spuštění úlohy v aktivním režimu. Je to ekvivalentní vygenerování řádku, který odpovídá vzoru beginPattern.",
+ "ProblemMatcherSchema.watching.beginsPattern": "Pokud je ve výstupu zjištěna shoda, je signalizován začátek úlohy sledování.",
+ "ProblemMatcherSchema.watching.endsPattern": "Pokud je ve výstupu zjištěna shoda, je signalizován konec úlohy sledování.",
+ "LegacyProblemMatcherSchema.watchedBegin.deprecated": "Tato vlastnost je zastaralá. Místo ní použijte vlastnost watching.",
+ "LegacyProblemMatcherSchema.watchedBegin": "Regulární výraz, který signalizuje, že sledované úlohy se začnou provádět při aktivaci prostřednictvím sledování souborů",
+ "LegacyProblemMatcherSchema.watchedEnd.deprecated": "Tato vlastnost je zastaralá. Místo ní použijte vlastnost watching.",
+ "LegacyProblemMatcherSchema.watchedEnd": "Regulární výraz, který signalizuje, že sledované úlohy se přestanou provádět",
+ "NamedProblemMatcherSchema.name": "Název matcheru problémů, pomocí kterého se na něj odkazuje",
+ "NamedProblemMatcherSchema.label": "Lidsky čitelný popisek matcheru problémů",
+ "ProblemMatcherExtPoint": "Přidává matchery problémů.",
+ "msCompile": "Problémy s kompilátorem společnosti Microsoft",
+ "lessCompile": "Méně problémů",
+ "gulp-tsc": "Problémy týkající se Gulp TSC",
+ "jshint": "Problémy týkající se nástroje JSHint",
+ "jshint-stylish": "Problémy s možností stylish nástroje JSHint",
+ "eslint-compact": "Problémy s možností compact nástroje ESLint",
+ "eslint-stylish": "Problémy s možností stylish nástroje ESLint",
+ "go": "Problémy týkající se jazyka Go"
+ },
+ "vs/workbench/contrib/tasks/common/taskTemplates": {
+ "dotnetCore": "Provede příkaz sestavení .NET Core.",
+ "msbuild": "Provede cíl sestavení.",
+ "externalCommand": "Příklad spuštění libovolného externího příkazu",
+ "Maven": "Provede běžné příkazy Maven."
+ },
+ "vs/workbench/contrib/tasks/browser/runAutomaticTasks": {
+ "tasks.run.allowAutomatic": "Tato složka obsahuje úlohy ({0}) definované v souboru tasks.json, které se spustí automaticky při otevření této složky. Chcete povolit spuštění automatických úloh při otevření této složky?",
+ "allow": "Povolit a spustit",
+ "disallow": "Nepovolit",
+ "openTasks": "Otevřít soubor tasks.json",
+ "workbench.action.tasks.manageAutomaticRunning": "Spravovat automatické úlohy ve složce",
+ "workbench.action.tasks.allowAutomaticTasks": "Povolit automatické úlohy ve složce",
+ "workbench.action.tasks.disallowAutomaticTasks": "Zakázat automatické úlohy ve složce"
+ },
+ "vs/workbench/contrib/tasks/browser/taskQuickPick": {
+ "taskQuickPick.showAll": "Zobrazit všechny úlohy...",
+ "configureTaskIcon": "Ikona Konfigurace v seznamu pro výběr úloh",
+ "removeTaskIcon": "Ikona pro odebrání v seznamu pro výběr úloh",
+ "configureTask": "Konfigurovat úlohu",
+ "contributedTasks": "přidané",
+ "taskType": "Všechny úlohy ({0})",
+ "removeRecent": "Odebrat nedávno použitou úlohu",
+ "recentlyUsed": "naposledy použité",
+ "configured": "nakonfigurováno",
+ "TaskQuickPick.goBack": "Přejít zpět ↩",
+ "TaskQuickPick.noTasksForType": "Nenašly se žádné úlohy {0}. Přejít zpět ↩",
+ "noProviderForTask": "Pro úlohy typu {0} není zaregistrován žádný zprostředkovatel úloh."
+ },
+ "vs/workbench/contrib/tasks/common/jsonSchema_v1": {
+ "JsonSchema.version.deprecated": "Verze úlohy 0.1.0 je zastaralá. Použijte prosím verzi 2.0.0.",
+ "JsonSchema.version": "Číslo verze konfigurace",
+ "JsonSchema._runner": "Provádění spouštěče bylo dokončeno. Použijte oficiální vlastnost spouštěče.",
+ "JsonSchema.runner": "Definuje, jestli je úloha prováděna jako proces a jestli je výstup zobrazen v okně výstupu nebo v rámci terminálu.",
+ "JsonSchema.windows": "Konfigurace příkazů specifická pro Windows",
+ "JsonSchema.mac": "Konfigurace příkazů specifická pro Mac",
+ "JsonSchema.linux": "Konfigurace příkazů specifická pro Linux",
+ "JsonSchema.shell": "Určuje, jestli je příkaz příkazem prostředí nebo externím programem. V případě vynechání je výchozí hodnota false."
+ },
+ "vs/workbench/contrib/tasks/common/jsonSchema_v2": {
+ "JsonSchema.shell": "Určuje, jestli je příkaz příkazem prostředí nebo externím programem. V případě vynechání je výchozí hodnota false.",
+ "JsonSchema.tasks.isShellCommand.deprecated": "Vlastnost isShellCommand je zastaralá. Místo ní použijte vlastnost type dané úlohy a vlastnost shell v parametrech. Viz také zpráva k vydání verze pro verzi 1.14.",
+ "JsonSchema.tasks.dependsOn.identifier": "Identifikátor úlohy",
+ "JsonSchema.tasks.dependsOn.string": "Jiná úloha, na které je tato úloha závislá",
+ "JsonSchema.tasks.dependsOn.array": "Ostatní úlohy, na kterých je tato úloha závislá",
+ "JsonSchema.tasks.dependsOn": "Řetězec představuje buď jinou úlohu, nebo pole hodnot jiných úloh, na kterých je tato úloha závislá.",
+ "JsonSchema.tasks.dependsOrder.parallel": "Spouštět všechny úlohy dependsOn paralelně",
+ "JsonSchema.tasks.dependsOrder.sequence": "Spouštět všechny úlohy dependsOn sekvenčně",
+ "JsonSchema.tasks.dependsOrder": "Určuje pořadí úloh dependsOn pro tuto úlohu. Poznámka: Tato vlastnost není rekurzivní.",
+ "JsonSchema.tasks.detail": "Volitelný popis úlohy, který se zobrazí jako podrobnosti v rychlé volbě Spustit úlohu.",
+ "JsonSchema.tasks.presentation": "Konfiguruje panel, který se používá k prezentaci výstupu úlohy, a čte její vstup.",
+ "JsonSchema.tasks.presentation.echo": "Určuje, jestli bude prováděný příkaz uveden na panelu. Výchozí hodnota je true.",
+ "JsonSchema.tasks.presentation.focus": "Určuje, jestli panel získá fokus. Výchozí hodnota je false. Pokud je nastaveno na hodnotu true, zobrazí se i panel.",
+ "JsonSchema.tasks.presentation.revealProblems.always": "Po provedení této úlohy se vždy zobrazí panel problémů.",
+ "JsonSchema.tasks.presentation.revealProblems.onProblem": "Zobrazí panel problémů pouze v případě, že je zjištěn problém.",
+ "JsonSchema.tasks.presentation.revealProblems.never": "Při provádění této úlohy se nikdy nezobrazí panel problémů.",
+ "JsonSchema.tasks.presentation.revealProblems": "Určuje, jestli se má při spuštění této úlohy zobrazit panel problémů. Má přednost před možností reveal. Výchozí hodnota je never.",
+ "JsonSchema.tasks.presentation.reveal.always": "Po provedení této úlohy se vždy zobrazí terminál.",
+ "JsonSchema.tasks.presentation.reveal.silent": "Zobrazí terminál pouze v případě, že je úloha ukončena s chybou nebo pokud matcher problémů najde chybu.",
+ "JsonSchema.tasks.presentation.reveal.never": "Po provedení této úlohy se nikdy nezobrazí terminál.",
+ "JsonSchema.tasks.presentation.reveal": "Určuje, jestli se má zobrazovat terminál, ve kterém je úloha spuštěna. Může být přepsáno možností revealProblems. Výchozí hodnota je always.",
+ "JsonSchema.tasks.presentation.instance": "Určuje, jestli je panel sdílen mezi více úlohami, omezen pouze na tuto úlohu nebo jestli je při každém spuštění vytvořen nový.",
+ "JsonSchema.tasks.presentation.showReuseMessage": "Určuje, jestli se má zobrazit zpráva s informacemi o tom, že terminál bude znovu použit úlohami a že ho lze zavřít stisknutím libovolné klávesy.",
+ "JsonSchema.tasks.presentation.clear": "Určuje, jestli se má před provedením úlohy vymazat terminál.",
+ "JsonSchema.tasks.presentation.group": "Určuje, jestli má být úloha prováděna v konkrétní skupině terminálů pomocí rozdělených podoken.",
+ "JsonSchema.tasks.terminal": "Vlastnost terminálu je zastaralá. Místo ní použijte vlastnost presentation.",
+ "JsonSchema.tasks.group.kind": "Skupina provádění úlohy",
+ "JsonSchema.tasks.group.isDefault": "Definuje, jestli je tato úloha výchozí úlohou ve skupině.",
+ "JsonSchema.tasks.group.defaultBuild": "Označí úlohu jako výchozí úlohu sestavení.",
+ "JsonSchema.tasks.group.defaultTest": "Označí úlohu jako výchozí testovací úlohu.",
+ "JsonSchema.tasks.group.build": "Označí úlohu jako úlohu sestavení přístupnou prostřednictvím příkazu Spustit úlohu sestavení.",
+ "JsonSchema.tasks.group.test": "Označí úlohu jako testovací úlohu přístupnou prostřednictvím příkazu Spustit testovací úlohu.",
+ "JsonSchema.tasks.group.none": "Nepřiřadí úlohu žádné skupině.",
+ "JsonSchema.tasks.group": "Určuje, do které skupiny provádění tato úloha patří. Podporované hodnoty jsou: build pro přidání úlohy do skupiny sestavení a test pro přidání úlohy do testovací skupiny.",
+ "JsonSchema.tasks.type": "Definuje, jestli je úloha spuštěna jako proces nebo jako příkaz v rámci prostředí.",
+ "JsonSchema.commandArray": "Příkaz prostředí, který se má provést. Položky pole hodnot budou zřetězeny pomocí mezery.",
+ "JsonSchema.command.quotedString.value": "Skutečná hodnota příkazu",
+ "JsonSchema.tasks.quoting.escape": "Uvodí znaky pomocí řídicího znaku prostředí (například pomocí znaku ` v PowerShellu a \\ v Bashi).",
+ "JsonSchema.tasks.quoting.strong": "Uzavře argument do jednoduchých uvozovek prostředí (například ' v PowerShellu a Bashi).",
+ "JsonSchema.tasks.quoting.weak": "Uzavře argument do dvojitých uvozovek prostředí (například \" v PowerShellu a Bashi).",
+ "JsonSchema.command.quotesString.quote": "Způsob, jakým by měla být hodnota příkazu uvedena v uvozovkách",
+ "JsonSchema.command": "Příkaz, který se má provést. Může se jednat o externí program nebo o příkaz prostředí.",
+ "JsonSchema.args.quotedString.value": "Skutečná hodnota argumentu",
+ "JsonSchema.args.quotesString.quote": "Způsob, jakým by měla být hodnota argumentu uvedena v uvozovkách",
+ "JsonSchema.tasks.args": "Argumenty předané příkazu při vyvolání této úlohy",
+ "JsonSchema.tasks.label": "Popisek úlohy v uživatelském rozhraní",
+ "JsonSchema.version": "Číslo verze konfigurace",
+ "JsonSchema.tasks.identifier": "Uživatelsky definovaný identifikátor pro odkazování na úlohu v souboru launch.json nebo klauzuli dependsOn",
+ "JsonSchema.tasks.identifier.deprecated": "Uživatelem definované identifikátory jsou zastaralé. Pro vlastní úlohu použijte název jako referenci a pro úlohy poskytované rozšířeními použijte jejich definovaný identifikátor úlohy.",
+ "JsonSchema.tasks.reevaluateOnRerun": "Určuje, jestli se mají při opětovném spuštění znovu vyhodnotit proměnné úlohy.",
+ "JsonSchema.tasks.runOn": "Konfiguruje, kdy má být úloha spuštěna. Pokud je nastaveno na folderOpen, úloha se spustí automaticky při otevření složky.",
+ "JsonSchema.tasks.instanceLimit": "Počet instancí úlohy, které je možné spustit souběžně",
+ "JsonSchema.tasks.runOptions": "Parametry související se spuštěním úlohy",
+ "JsonSchema.tasks.taskLabel": "Popisek úlohy",
+ "JsonSchema.tasks.taskName": "Název úlohy",
+ "JsonSchema.tasks.taskName.deprecated": "Vlastnost názvu (name) úlohy je zastaralá. Místo ní použijte vlastnost label.",
+ "JsonSchema.tasks.background": "Určuje, jestli je ponechána spuštěná prováděná úloha a jestli běží na pozadí.",
+ "JsonSchema.tasks.promptOnClose": "Určuje, jestli se uživateli zobrazí výzva, když se VS Code zavře při běžící úloze.",
+ "JsonSchema.tasks.matchers": "Matchery problémů, které se mají použít. Může to být buď definice matcheru problémů, nebo pole hodnot řetězců a matcherů problémů.",
+ "JsonSchema.customizations.customizes.type": "Typ úlohy, který chcete přizpůsobit",
+ "JsonSchema.tasks.customize.deprecated": "Vlastnost customize je zastaralá. Informace o tom, jak používat nový způsob přizpůsobování úloh, najdete ve zprávě k vydání verze 1.14.",
+ "JsonSchema.tasks.showOutput.deprecated": "Vlastnost showOutput je zastaralá. Místo ní použijte vlastnost reveal v rámci vlastnosti presentation. Viz také zpráva k vydání verze pro verzi 1.14.",
+ "JsonSchema.tasks.echoCommand.deprecated": "Vlastnost echoCommand je zastaralá. Místo ní použijte vlastnost echo v rámci vlastnosti presentation. Viz také zpráva k vydání verze pro verzi 1.14.",
+ "JsonSchema.tasks.suppressTaskName.deprecated": "Vlastnost suppressTaskName je zastaralá. Místo toho do úlohy vložte příkaz s argumenty. Viz také zpráva k vydání verze pro verzi 1.14.",
+ "JsonSchema.tasks.isBuildCommand.deprecated": "Vlastnost isBuildCommand je zastaralá. Místo ní použijte vlastnost group. Viz také zpráva k vydání verze pro verzi 1.14.",
+ "JsonSchema.tasks.isTestCommand.deprecated": "Vlastnost isTestCommand je zastaralá. Místo ní použijte vlastnost group. Viz také zpráva k vydání verze pro verzi 1.14.",
+ "JsonSchema.tasks.taskSelector.deprecated": "Vlastnost taskSelector je zastaralá. Místo toho do úlohy vložte příkaz s argumenty. Viz také zpráva k vydání verze pro verzi 1.14.",
+ "JsonSchema.windows": "Konfigurace příkazů specifická pro Windows",
+ "JsonSchema.mac": "Konfigurace příkazů specifická pro Mac",
+ "JsonSchema.linux": "Konfigurace příkazů specifická pro Linux"
+ },
+ "vs/workbench/contrib/tasks/browser/tasksQuickAccess": {
+ "noTaskResults": "Žádné odpovídající úlohy",
+ "TaskService.pickRunTask": "Vyberte úlohu, která má být spuštěna."
+ },
+ "vs/workbench/contrib/tasks/common/jsonSchemaCommon": {
+ "JsonSchema.options": "Další parametry příkazu",
+ "JsonSchema.options.cwd": "Aktuální pracovní adresář prováděného programu nebo skriptu. Pokud je vynecháno, bude použit kořen aktuálního pracovního prostoru Code.",
+ "JsonSchema.options.env": "Prostředí prováděného programu nebo prostředí. Při vynechání se používá prostředí nadřazeného procesu.",
+ "JsonSchema.tasks.matcherError": "Nerozpoznaný matcher problémů. Je nainstalované rozšíření, které tento matcher problémů přidává?",
+ "JsonSchema.shellConfiguration": "Nakonfiguruje prostředí, které se má použít.",
+ "JsonSchema.shell.executable": "Prostředí, které se má použít",
+ "JsonSchema.shell.args": "Argumenty prostředí",
+ "JsonSchema.command": "Příkaz, který se má provést. Může se jednat o externí program nebo o příkaz prostředí.",
+ "JsonSchema.tasks.args": "Argumenty předané příkazu při vyvolání této úlohy",
+ "JsonSchema.tasks.taskName": "Název úlohy",
+ "JsonSchema.tasks.windows": "Konfigurace příkazů specifická pro Windows",
+ "JsonSchema.tasks.matchers": "Matchery problémů, které se mají použít. Může to být buď definice matcheru problémů, nebo pole hodnot řetězců a matcherů problémů.",
+ "JsonSchema.tasks.mac": "Konfigurace příkazů specifická pro Mac",
+ "JsonSchema.tasks.linux": "Konfigurace příkazů specifická pro Linux",
+ "JsonSchema.tasks.suppressTaskName": "Určuje, jestli má být název úlohy přidán jako argument k příkazu. Pokud je vynecháno, je použita globálně definovaná hodnota.",
+ "JsonSchema.tasks.showOutput": "Určuje, jestli se bude zobrazovat výstup běžící úlohy. Pokud je vynecháno, je použita globálně definovaná hodnota.",
+ "JsonSchema.echoCommand": "Určuje, jestli bude provedený příkaz uveden ve výstupu. Výchozí hodnota je false.",
+ "JsonSchema.tasks.watching.deprecation": "Zastaralé. Místo toho použijte isBackground.",
+ "JsonSchema.tasks.watching": "Určuje, jestli je ponechána spuštěná prováděná úloha a jestli sleduje systém souborů.",
+ "JsonSchema.tasks.background": "Určuje, jestli je ponechána spuštěná prováděná úloha a jestli běží na pozadí.",
+ "JsonSchema.tasks.promptOnClose": "Určuje, jestli se uživateli zobrazí výzva, když se VS Code zavře při běžící úloze.",
+ "JsonSchema.tasks.build": "Mapuje tuto úlohu na výchozí příkaz sestavení v Code.",
+ "JsonSchema.tasks.test": "Mapuje tuto úlohu na výchozí příkaz testování v Code.",
+ "JsonSchema.args": "Příkazu byly předány další argumenty.",
+ "JsonSchema.showOutput": "Určuje, jestli se bude zobrazovat výstup běžící úlohy. Pokud je vynecháno, je použita hodnota nastavení always.",
+ "JsonSchema.watching.deprecation": "Zastaralé. Místo toho použijte isBackground.",
+ "JsonSchema.watching": "Určuje, jestli je ponechána spuštěná prováděná úloha a jestli sleduje systém souborů.",
+ "JsonSchema.background": "Určuje, jestli je ponechána spuštěná prováděná úloha a jestli běží na pozadí.",
+ "JsonSchema.promptOnClose": "Určuje, jestli se má uživateli zobrazit výzva při zavření VS Code s běžící úlohou na pozadí.",
+ "JsonSchema.suppressTaskName": "Určuje, jestli má být název úlohy přidán jako argument k příkazu. Výchozí hodnota je false.",
+ "JsonSchema.taskSelector": "Předpona označující, že argument je úloha",
+ "JsonSchema.matchers": "Matchery problémů, které se mají použít. Může to být buď definice matcheru problémů, nebo pole hodnot řetězců a matcherů problémů.",
+ "JsonSchema.tasks": "Konfigurace úloh. Obvykle jde o rozšíření úlohy, která je již definována v externím spouštěči úloh."
+ },
+ "vs/workbench/contrib/terminal/common/terminalConfiguration": {
+ "terminalIntegratedConfigurationTitle": "Integrovaný terminál",
+ "terminal.integrated.sendKeybindingsToShell": "Odešle většinu klávesových zkratek do terminálu namísto do služby Workbench, čímž se přepíše #terminal.integrated.commandsToSkipShell#, které se dá alternativně použít k přesné optimalizaci.",
+ "terminal.integrated.automationShell.linux": "Cesta, která (pokud je nastavena) přepíše {0} a ignoruje hodnoty {1} pro použití terminálu souvisejícího s automatizací, jako jsou úlohy a ladění.",
+ "terminal.integrated.automationShell.osx": "Cesta, která (pokud je nastavena) přepíše {0} a ignoruje hodnoty {1} pro použití terminálu souvisejícího s automatizací, jako jsou úlohy a ladění.",
+ "terminal.integrated.automationShell.windows": "Cesta, která (pokud je nastavena) přepíše {0} a ignoruje hodnoty {1} pro použití terminálu souvisejícího s automatizací, jako jsou úlohy a ladění.",
+ "terminal.integrated.shellArgs.linux": "Argumenty příkazového řádku, které se mají používat na terminálu operačního systému Linux. [Přečtěte si další informace o konfigurování prostředí](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shellArgs.osx": "Argumenty příkazového řádku, které se mají používat na terminálu operačního systému macOS. [Přečtěte si další informace o konfigurování prostředí](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shellArgs.windows": "Argumenty příkazového řádku, které se mají používat na terminálu operačního systému Windows. [Přečtěte si další informace o konfigurování prostředí](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shellArgs.windows.string": "Argumenty příkazového řádku ve [formátu příkazového řádku](https://msdn.microsoft.com/en-au/08dfcab2-eb6e-49a4-80eb-87d4076c98c6), které je možné používat na terminálu systému Windows. [Přečtěte si další informace o konfigurování prostředí](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.macOptionIsMeta": "Určuje, jestli se má klávesa Option na terminálu v systému macOS považovat za meta klávesu.",
+ "terminal.integrated.macOptionClickForcesSelection": "Určuje, jestli se má při kliknutí s podrženou klávesou Option v systému macOS vynucovat výběr. Vynutí se tím běžný (řádkový) výběr a zakáže se použití režimu sloupcového výběru. To umožňuje kopírování a vkládání pomocí běžného výběru terminálu, například pokud je v tmux povolen režim myši.",
+ "terminal.integrated.copyOnSelection": "Určuje, jestli bude text vybraný v terminálu zkopírován do schránky.",
+ "terminal.integrated.drawBoldTextInBrightColors": "Určuje, jestli se bude pro tučný text v terminálu vždy používat varianta „bright“ barvy ANSI.",
+ "terminal.integrated.fontFamily": "Určuje rodinu písem terminálu. Ve výchozím nastavení se použije hodnota nastavení #editor.fontFamily#.",
+ "terminal.integrated.fontSize": "Určuje velikost písma v pixelech terminálu.",
+ "terminal.integrated.letterSpacing": "Určuje mezery mezi písmeny na terminálu. Je to celočíselná hodnota představující množství dalších pixelů, které se mají přidat mezi znaky.",
+ "terminal.integrated.lineHeight": "Určuje výšku řádku terminálu. Toto číslo se vynásobí velikostí písma terminálu a tím se získá skutečná výška řádku v pixelech.",
+ "terminal.integrated.minimumContrastRatio": "Pokud je nastaveno, barva popředí každé buňky se změní, aby se dosáhlo zadaného kontrastního poměru. Příklady hodnot:\r\n\r\n- 1: Výchozí nastavení, neprovede se žádná akce\r\n- 4.5: [Soulad s WCAG AA (minimálně)](https://www.w3.org/TR/UNDERSTANDING-WCAG20/visual-audio-contrast-contrast.html).\r\n- 7: [Soulad s WCAG AAA (rozšířené)](https://www.w3.org/TR/UNDERSTANDING-WCAG20/visual-audio-contrast7.html).\r\n- 21: Bílá na černé nebo černá na bílé",
+ "terminal.integrated.fastScrollSensitivity": "Multiplikátor rychlosti posouvání při podržené klávese Alt",
+ "terminal.integrated.mouseWheelScrollSensitivity": "Multiplikátor, který se má použít pro hodnotu deltaY událostí posouvání kolečka myši",
+ "terminal.integrated.fontWeightError": "Jsou povolená jen klíčová slova normal a bold nebo čísla v rozmezí 1 až 1000.",
+ "terminal.integrated.fontWeight": "Tloušťka písma, která se má v terminálu používat pro netučný text. Přijímá klíčová slova normal a bold nebo čísla v rozmezí 1 až 1000.",
+ "terminal.integrated.fontWeightBold": "Tloušťka písma, která se má v terminálu používat pro tučný text. Přijímá klíčová slova normal a bold nebo čísla v rozmezí 1 až 1000.",
+ "terminal.integrated.cursorBlinking": "Určuje, jestli bude blikat kurzor terminálu.",
+ "terminal.integrated.cursorStyle": "Určuje styl kurzoru terminálu.",
+ "terminal.integrated.cursorWidth": "Určuje šířku kurzoru v případě, že má nastavení #terminal.integrated.cursorStyle# hodnotu line.",
+ "terminal.integrated.scrollback": "Určuje maximální počet řádků, které terminál udržuje ve vyrovnávací paměti.",
+ "terminal.integrated.detectLocale": "Určuje, jestli má být zjištěna a nastavena proměnná prostředí $LANG na možnost kompatibilní s UTF-8, protože terminál VS Code podporuje pouze data s kódováním UTF-8 pocházející z prostředí.",
+ "terminal.integrated.detectLocale.auto": "Pokud existující proměnná neexistuje nebo nekončí na .UTF-8, nastavte proměnnou prostředí $LANG.",
+ "terminal.integrated.detectLocale.off": "Nenastavovat proměnnou prostředí $LANG",
+ "terminal.integrated.detectLocale.on": "Vždy nastavit proměnnou prostředí $LANG",
+ "terminal.integrated.rendererType.auto": "Nechat VS Code odhadnout, který renderer se má použít",
+ "terminal.integrated.rendererType.canvas": "Použít standardní renderer GPU/plátna",
+ "terminal.integrated.rendererType.dom": "Použít náhradní renderer založený na modelu DOM",
+ "terminal.integrated.rendererType.experimentalWebgl": "Použije se experimentální renderer založený na webgl. Upozorňujeme, že má určité [známé problémy](https://github.com/xtermjs/xterm.js/issues?q=is%3Aopen+is%3Aissue+label%3Aarea%2Faddon%2Fwebgl).",
+ "terminal.integrated.rendererType": "Určuje, jak je vykreslován terminál.",
+ "terminal.integrated.rightClickBehavior.default": "Zobrazit místní nabídku",
+ "terminal.integrated.rightClickBehavior.copyPaste": "Kopírovat, pokud je něco vybráno, jinak vložit",
+ "terminal.integrated.rightClickBehavior.paste": "Vložit po kliknutí pravým tlačítkem",
+ "terminal.integrated.rightClickBehavior.selectWord": "Vybrat slovo pod kurzorem a zobrazit místní nabídku",
+ "terminal.integrated.rightClickBehavior": "Určuje, jak terminál reaguje na kliknutí pravým tlačítkem.",
+ "terminal.integrated.cwd": "Explicitní spouštěcí cesta, kde bude spuštěn terminál, který bude použit jako aktuální pracovní adresář (cwd) procesu prostředí. To může být užitečné zejména v nastavení pracovního prostoru, pokud kořenový adresář není užitečný jako aktuální pracovní adresář.",
+ "terminal.integrated.confirmOnExit": "Určuje, zda se má při ukončení ověřit, jestli neexistují nějaké aktivní relace terminálu.",
+ "terminal.integrated.enableBell": "Určuje, jestli má být povolen zvonek terminálu.",
+ "terminal.integrated.commandsToSkipShell": "Sada ID příkazů, jejichž klávesové zkratky nebudou odeslány do prostředí, ale místo toho je bude vždy zpracovávat VS Code. To umožňuje používat klávesové zkratky, které by normálně byly zachyceny prostředím, jako kdyby terminál neměl fokus, například Ctrl+P pro spuštění rychlého otevření.\r\n\r\n \r\n\r\nVe výchozím nastavení je mnoho příkazů přeskakováno. Pokud chcete výchozí nastavení přepsat a místo toho předat prostředí klávesovou zkratku daného příkazu, přidejte příkaz s předponou „-“. Například přidáním příkazu -workbench.action.quickOpen umožníte předání klávesové zkratky Ctrl+P do prostředí.\r\n\r\n \r\n\r\nNásledující seznam výchozích přeskakovaných příkazů je při zobrazení v editoru nastavení zkrácen. Pokud chcete zobrazit úplný seznam, [otevřete výchozí nastavení (JSON)](command:workbench.action.openRawDefaultSettings 'Otevřít výchozí nastavení (JSON)') a vyhledejte první příkaz z níže uvedeného seznamu.\r\n\r\n \r\n\r\nVýchozí přeskakované příkazy:\r\n\r\n{0}",
+ "terminal.integrated.allowChords": "Určuje, jestli se mají na terminálu povolit posloupnosti kláves (klávesové akordy). Poznámka: Pokud je tato vlastnost nastavena na hodnotu true a výsledkem stisknutí klávesových zkratek je klávesový akord, nepoužije se nastavení #terminal.integrated.commandsToSkipShell#. Nastavení této vlastnosti na hodnotu false je užitečné, zejména když chcete pomocí kombinace kláves ctrl+k přejít do prostředí (neplatí pro VS Code).",
+ "terminal.integrated.allowMnemonics": "Určuje, jestli se má povolit otevření řádku nabídek stisknutím klávesových zkratek řádku nabídek (například alt+f). Poznámka: V případě hodnoty true to způsobí, že všechny klávesové zkratky s klávesou alt přeskočí prostředí. Neplatí to pro macOS.",
+ "terminal.integrated.inheritEnv": "Určuje, jestli mají nová prostředí dědit prostředí z VS Code. V systému Windows to není podporováno.",
+ "terminal.integrated.env.osx": "Objekt s proměnnými prostředí, které se přidají do procesu VS Code používaného terminálem v systému macOS. Pokud chcete proměnnou prostředí odstranit, nastavte hodnotu null.",
+ "terminal.integrated.env.linux": "Objekt s proměnnými prostředí, které se přidají do procesu VS Code, který bude používat terminál v systému Linux. Pokud chcete proměnnou prostředí odstranit, nastavte hodnotu null.",
+ "terminal.integrated.env.windows": "Objekt s proměnnými prostředí, které se přidají do procesu VS Code používaného terminálem v systému Windows. Pokud chcete proměnnou prostředí odstranit, nastavte hodnotu null.",
+ "terminal.integrated.environmentChangesIndicator": "Určuje, jestli se má na každém terminálu zobrazit indikátor změn prostředí, který vysvětluje, jestli daná rozšíření provedla (nebo chtějí provést) změny v prostředí terminálu.",
+ "terminal.integrated.environmentChangesIndicator.off": "Zakázat indikátor",
+ "terminal.integrated.environmentChangesIndicator.on": "Povolit indikátor",
+ "terminal.integrated.environmentChangesIndicator.warnonly": "V případě, že je prostředí terminálu zastaralé (stale), zobrazovat pouze indikátor upozornění, nikoli informační indikátor, který indikuje, že rozšíření změnilo prostředí terminálu.",
+ "terminal.integrated.showExitAlert": "Určuje, jestli se má v případě nenulového ukončovacího kódu zobrazit upozornění, že proces terminálu byl ukončen s ukončovacím kódem.",
+ "terminal.integrated.splitCwd": "Určuje pracovní adresář, se kterým začíná rozdělený terminál.",
+ "terminal.integrated.splitCwd.workspaceRoot": "Nový rozdělený terminál bude jako pracovní adresář používat kořenový adresář pracovního prostoru. V pracovním prostoru s více kořenovými adresáři se zobrazí výzva k výběru kořenové složky, která se má použít.",
+ "terminal.integrated.splitCwd.initial": "Nový rozdělený terminál bude používat pracovní adresář, se kterým byl spuštěn nadřazený terminál.",
+ "terminal.integrated.splitCwd.inherited": "V systémech macOS a Linux bude nový rozdělený terminál používat pracovní adresář nadřazeného terminálu. V systému Windows bude chování stejné jako původní chování.",
+ "terminal.integrated.windowsEnableConpty": "Určuje, jestli se má pro komunikaci s procesem terminálu systému Windows používat konzola ConPTY (vyžaduje Windows 10 build 18309+). V případě hodnoty false se bude používat winpty.",
+ "terminal.integrated.wordSeparators": "Řetězec obsahující všechny znaky, které má funkce výběru slov při poklikání považovat za oddělovače slov",
+ "terminal.integrated.experimentalUseTitleEvent": "Experimentální nastavení, které pro název rozevíracího seznamu použije událost názvu terminálu. Toto nastavení se bude vztahovat pouze na nové terminály.",
+ "terminal.integrated.enableFileLinks": "Určuje, jestli se mají povolit odkazy na soubory v terminálu. Odkazy mohou být pomalé, zejména pokud jsou spuštěny na síťové jednotce, protože každý odkaz na soubor je ověřen v systému souborů. Změna tohoto nastavení bude platit pouze pro nové terminály.",
+ "terminal.integrated.unicodeVersion.six": "Unicode verze 6. Toto je starší verze, která by měla lépe fungovat ve starších systémech.",
+ "terminal.integrated.unicodeVersion.eleven": "Unicode verze 11. Tato verze poskytuje vylepšenou podporu v moderních systémech, které používají moderní verze Unicode.",
+ "terminal.integrated.unicodeVersion": "Určuje, jaká verze Unicode se má používat k vyhodnocování šířky znaků v terminálu. Pokud zjistíte, že emoji nebo jiné široké znaky nezabírají správné místo nebo že klávesa Backspace odstraňuje příliš málo nebo příliš mnoho dat, můžete zkusit toto nastavení upravit.",
+ "terminal.integrated.experimentalLinkProvider": "Experimentální nastavení pro zlepšení detekce odkazů v terminálu zlepšením detekce odkazů a povolením detekce sdílených odkazů pomocí editoru. Momentálně jsou podporovány pouze webové odkazy.",
+ "terminal.integrated.localEchoLatencyThreshold": "Experimentální: Doba prodlevy sítě v milisekundách, kdy se místní úpravy budou vypisovat v terminálu, aniž by se čekalo na potvrzení serveru. Když se nastaví na 0, místní výpis bude vždy zapnutý. Hodnota -1 ho zakáže.",
+ "terminal.integrated.localEchoExcludePrograms": "Experimentální: Místní odezva bude zakázaná při nalezení některého z těchto názvů programů v záhlaví terminálu.",
+ "terminal.integrated.localEchoStyle": "Experimentální: Styl terminálu místně vypisovaného textu, tedy buď styl písma, nebo barva RGB",
+ "terminal.integrated.serverSpawn": "Experimentální: Vygenerovat vzdálené terminály z procesu vzdáleného agenta namísto vzdáleného hostitele rozšíření",
+ "terminal.integrated.enablePersistentSessions": "Experimentální: Trvale uchovat relace terminálu pro pracovní prostor mezi novými načteními okna. Aktuálně se podporuje jen ve vzdálených pracovních prostorech VS Code.",
+ "terminal.integrated.shell.linux": "Cesta k prostředí, které terminál používá v systému Linux (výchozí: {0}). [Přečtěte si další informace o konfigurování prostředí](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shell.linux.noDefault": "Cesta k prostředí, které terminál používá v systému Linux. [Přečtěte si další informace o konfigurování prostředí](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shell.osx": "Cesta k prostředí, které terminál používá v systému macOS (výchozí: {0}). [Přečtěte si další informace o konfigurování prostředí](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shell.osx.noDefault": "Cesta k prostředí, které terminál používá v systému macOS. [Přečtěte si další informace o konfigurování prostředí](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shell.windows": "Cesta k prostředí, které terminál používá v systému Windows (výchozí: {0}). [Přečtěte si další informace o konfigurování prostředí](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shell.windows.noDefault": "Cesta k prostředí, které terminál používá v systému Windows. [Přečtěte si další informace o konfigurování prostředí](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration)."
+ },
+ "vs/workbench/contrib/terminal/common/terminal": {
+ "terminalCategory": "Terminál",
+ "vscode.extension.contributes.terminal": "Přidává funkci terminálu.",
+ "vscode.extension.contributes.terminal.types": "Definuje další typy terminálů, které uživatel může vytvořit.",
+ "vscode.extension.contributes.terminal.types.command": "Příkaz, který má být proveden, když uživatel vytvoří tento typ terminálu",
+ "vscode.extension.contributes.terminal.types.title": "Název pro tento typ terminálu"
+ },
+ "vs/workbench/contrib/terminal/browser/terminal.contribution": {
+ "tasksQuickAccessPlaceholder": "Zadejte název terminálu, který chcete otevřít.",
+ "tasksQuickAccessHelp": "Zobrazit všechny otevřené terminály",
+ "terminal": "Terminál"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalView": {
+ "terminal.useMonospace": "Použít neproporcionální (monospace)",
+ "terminal.monospaceOnly": "Terminál podporuje pouze neproporcionální písma. Pokud se jedná o nově nainstalované písmo, nezapomeňte VS Code restartovat."
+ },
+ "vs/workbench/contrib/terminal/browser/remoteTerminalService": {
+ "terminal.integrated.starting": "Spouštění..."
+ },
+ "vs/workbench/contrib/terminal/node/terminalProcess": {
+ "launchFail.cwdNotDirectory": "Počáteční adresář (cwd) {0} není adresář.",
+ "launchFail.cwdDoesNotExist": "Počáteční adresář (cwd) {0} neexistuje.",
+ "launchFail.executableIsNotFileOrSymlink": "Cesta ke spustitelnému souboru prostředí {0} není soubor symbolického odkazu.",
+ "launchFail.executableDoesNotExist": "Cesta ke spustitelnému souboru prostředí {0} neexistuje."
+ },
+ "vs/workbench/contrib/terminal/electron-browser/terminalRemote": {
+ "workbench.action.terminal.newLocal": "Vytvořit nový integrovaný terminál (místní)"
+ },
+ "vs/workbench/contrib/terminal/common/terminalColorRegistry": {
+ "terminal.background": "Barva pozadí terminálu, která umožňuje pro terminál použít jinou barvu než pro panel.",
+ "terminal.foreground": "Barva popředí terminálu",
+ "terminalCursor.foreground": "Barva popředí kurzoru terminálu",
+ "terminalCursor.background": "Barva pozadí kurzoru terminálu. Umožňuje přizpůsobit barvu znaku, který je překrýván kurzorem bloku.",
+ "terminal.selectionBackground": "Barva pozadí výběru terminálu",
+ "terminal.border": "Barva ohraničení, která odděluje rozdělená podokna v rámci terminálu. Výchozí hodnotou tohoto nastavení je panel.border.",
+ "terminal.ansiColor": "Barva ANSI {0} v terminálu"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalActions": {
+ "workbench.action.terminal.newWorkspacePlaceholder": "Vyberte aktuální pracovní adresář pro nový terminál.",
+ "workbench.action.terminal.toggleTerminal": "Přepnout integrovaný terminál",
+ "workbench.action.terminal.kill": "Ukončit aktivní instanci terminálu",
+ "workbench.action.terminal.kill.short": "Ukončit terminál",
+ "workbench.action.terminal.copySelection": "Kopírovat výběr",
+ "workbench.action.terminal.copySelection.short": "Kopírovat",
+ "workbench.action.terminal.selectAll": "Vybrat vše",
+ "workbench.action.terminal.new": "Vytvořit nový integrovaný terminál",
+ "workbench.action.terminal.new.short": "Nový terminál",
+ "workbench.action.terminal.split": "Rozdělit terminál",
+ "workbench.action.terminal.split.short": "Rozdělit",
+ "workbench.action.terminal.splitInActiveWorkspace": "Rozdělit terminál (v aktivním pracovním prostoru)",
+ "workbench.action.terminal.paste": "Vložit do aktivního terminálu",
+ "workbench.action.terminal.paste.short": "Vložit",
+ "workbench.action.terminal.selectDefaultShell": "Vybrat výchozí prostředí",
+ "workbench.action.terminal.openSettings": "Konfigurovat nastavení terminálu",
+ "workbench.action.terminal.switchTerminal": "Přepnout terminál",
+ "terminals": "Otevřít terminály",
+ "terminalConnectingLabel": "Spouštění...",
+ "workbench.action.terminal.clear": "Vymazat",
+ "terminalLaunchHelp": "Otevřít nápovědu",
+ "workbench.action.terminal.newInActiveWorkspace": "Vytvořit nový integrovaný terminál (v aktivním pracovním prostoru)",
+ "workbench.action.terminal.focusPreviousPane": "Přepnout fokus na předchozí podokno",
+ "workbench.action.terminal.focusNextPane": "Přepnout fokus na další podokno",
+ "workbench.action.terminal.resizePaneLeft": "Změnit velikost podokna doleva",
+ "workbench.action.terminal.resizePaneRight": "Změnit velikost podokna doprava",
+ "workbench.action.terminal.resizePaneUp": "Změnit velikost podokna nahoru",
+ "workbench.action.terminal.resizePaneDown": "Změnit velikost podokna dolů",
+ "workbench.action.terminal.focus": "Přepnout na terminál",
+ "workbench.action.terminal.focusNext": "Přepnout fokus na další terminál",
+ "workbench.action.terminal.focusPrevious": "Přepnout fokus na předchozí terminál",
+ "workbench.action.terminal.runSelectedText": "Spustit vybraný text v aktivním terminálu",
+ "workbench.action.terminal.runActiveFile": "Spustit aktivní soubor v aktivním terminálu",
+ "workbench.action.terminal.runActiveFile.noFile": "V terminálu lze spustit pouze soubory na disku.",
+ "workbench.action.terminal.scrollDown": "Posunout dolů (řádek)",
+ "workbench.action.terminal.scrollDownPage": "Posunout dolů (stránka)",
+ "workbench.action.terminal.scrollToBottom": "Posunout na konec",
+ "workbench.action.terminal.scrollUp": "Posunout nahoru (řádek)",
+ "workbench.action.terminal.scrollUpPage": "Posunout nahoru (stránka)",
+ "workbench.action.terminal.scrollToTop": "Posunout na začátek",
+ "workbench.action.terminal.navigationModeExit": "Ukončit režim navigace",
+ "workbench.action.terminal.navigationModeFocusPrevious": "Přepnout fokus na předchozí řádek (navigační režim)",
+ "workbench.action.terminal.navigationModeFocusNext": "Přepnout fokus na další řádek (navigační režim)",
+ "workbench.action.terminal.clearSelection": "Vymazat výběr",
+ "workbench.action.terminal.manageWorkspaceShellPermissions": "Spravovat oprávnění prostředí pracovního prostoru",
+ "workbench.action.terminal.rename": "Přejmenovat",
+ "workbench.action.terminal.rename.prompt": "Zadejte název terminálu.",
+ "workbench.action.terminal.focusFind": "Přepnout fokus na hledání",
+ "workbench.action.terminal.hideFind": "Skrýt hledání",
+ "workbench.action.terminal.attachToRemote": "Připojit k relaci",
+ "quickAccessTerminal": "Přepnout aktivní terminál",
+ "workbench.action.terminal.scrollToPreviousCommand": "Posunout na předchozí příkaz",
+ "workbench.action.terminal.scrollToNextCommand": "Posunout na další příkaz",
+ "workbench.action.terminal.selectToPreviousCommand": "Vybrat do předchozího příkazu",
+ "workbench.action.terminal.selectToNextCommand": "Vybrat do dalšího příkazu",
+ "workbench.action.terminal.selectToPreviousLine": "Vybrat do předchozího řádku",
+ "workbench.action.terminal.selectToNextLine": "Vybrat do dalšího řádku",
+ "workbench.action.terminal.toggleEscapeSequenceLogging": "Přepnout protokolování řídicí sekvence",
+ "workbench.action.terminal.sendSequence": "Poslat na terminál vlastní sekvenci",
+ "workbench.action.terminal.newWithCwd": "Vytvořit nový integrovaný terminál s počátečním bodem ve vlastním pracovním adresáři",
+ "workbench.action.terminal.newWithCwd.cwd": "Adresář, ve kterém se má spustit terminál",
+ "workbench.action.terminal.renameWithArg": "Přejmenovat aktuálně aktivní terminál",
+ "workbench.action.terminal.renameWithArg.name": "Nový název terminálu",
+ "workbench.action.terminal.renameWithArg.noName": "Nebyl zadán žádný argument názvu.",
+ "workbench.action.terminal.toggleFindRegex": "Přepnout hledání pomocí regulárního výrazu",
+ "workbench.action.terminal.toggleFindWholeWord": "Přepnout hledání pomocí celých slov",
+ "workbench.action.terminal.toggleFindCaseSensitive": "Přepnout hledání s rozlišováním malých a velkých písmen",
+ "workbench.action.terminal.findNext": "Najít další",
+ "workbench.action.terminal.findPrevious": "Najít předchozí",
+ "workbench.action.terminal.searchWorkspace": "Hledat v pracovním prostoru",
+ "workbench.action.terminal.relaunch": "Znovu spustit aktivní terminál",
+ "workbench.action.terminal.showEnvironmentInformation": "Zobrazit informace o prostředí"
+ },
+ "vs/workbench/contrib/terminal/common/terminalMenu": {
+ "miToggleIntegratedTerminal": "&&Terminál",
+ "miNewTerminal": "&&Nový terminál",
+ "miSplitTerminal": "&&Rozdělit terminál",
+ "miRunActiveFile": "Spustit &&aktivní soubor",
+ "miRunSelectedText": "Spustit &&vybraný text"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalService": {
+ "workbench.action.terminal.allowWorkspaceShell": "Povolit konfiguraci prostředí pracovního prostoru",
+ "workbench.action.terminal.disallowWorkspaceShell": "Zakázat konfiguraci prostředí pracovního prostoru",
+ "terminalService.terminalCloseConfirmationSingular": "Existuje aktivní relace terminálu. Chcete ji ukončit?",
+ "terminalService.terminalCloseConfirmationPlural": "Běží aktivní relace terminálu (celkem {0}). Chcete je ukončit?",
+ "terminal.integrated.chooseWindowsShell": "Vyberte upřednostňované prostředí terminálu. Můžete ho později změnit v nastavení."
+ },
+ "vs/workbench/contrib/terminal/browser/terminalQuickAccess": {
+ "renameTerminal": "Přejmenovat terminál",
+ "killTerminal": "Ukončit instanci terminálu",
+ "workbench.action.terminal.newplus": "Vytvořit nový integrovaný terminál"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalIcons": {
+ "terminalViewIcon": "Zobrazit ikonu zobrazení terminálu",
+ "renameTerminalIcon": "Ikona pro přejmenování v rychlé nabídce terminálu",
+ "killTerminalIcon": "Ikona pro ukončení instance terminálu",
+ "newTerminalIcon": "Ikona pro vytvoření nové instance terminálu"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalConfigHelper": {
+ "terminal.integrated.allowWorkspaceShell": "Chcete tomuto pracovnímu prostoru povolit úpravy vašeho prostředí terminálu? {0}",
+ "allow": "Povolit",
+ "disallow": "Nepovolit",
+ "useWslExtension.title": "Pro otevření terminálu ve WSL se doporučuje rozšíření {0}.",
+ "install": "Nainstalovat"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalInstance": {
+ "terminal.integrated.a11yPromptLabel": "Vstup terminálu",
+ "terminal.integrated.a11yTooMuchOutput": "Výstup je pro oznamování příliš dlouhý. Přejděte na řádky ručně a přečtěte si tyto informace sami.",
+ "terminalTextBoxAriaLabelNumberAndTitle": "Terminál {0}, {1}",
+ "terminalTextBoxAriaLabel": "Terminál {0}",
+ "configure terminal settings": "Některé klávesové zkratky se standardně odesílají do služby Workbench",
+ "configureTerminalSettings": "Nakonfigurovat nastavení terminálu",
+ "yes": "Ano",
+ "no": "Ne",
+ "dontShowAgain": "Znovu nezobrazovat",
+ "terminal.slowRendering": "Vypadá to, že standardní renderer pro integrovaný terminál běží na vašem počítači pomalu. Chcete přejít na alternativní renderer založený na modelu DOM, který by mohl zvýšit výkon? [Přečtěte si další informace o nastavení terminálu](https://code.visualstudio.com/docs/editor/integrated-terminal#_changing-how-the-terminal-is-rendered).",
+ "terminal.integrated.copySelection.noSelection": "Terminál neobsahuje žádný výběr, který by bylo možné kopírovat.",
+ "launchFailed.exitCodeAndCommandLine": "Nepovedlo se spustit proces terminálu {0} (ukončovací kód: {1}).",
+ "launchFailed.exitCodeOnly": "Nepovedlo se spustit proces terminálu (ukončovací kód: {0}).",
+ "terminated.exitCodeAndCommandLine": "Proces terminálu {0} byl ukončen s ukončovacím kódem: {1}.",
+ "terminated.exitCodeOnly": "Proces terminálu byl ukončen s ukončovacím kódem: {0}.",
+ "launchFailed.errorMessage": "Nepovedlo se spustit proces terminálu: {0}.",
+ "terminalStaleTextBoxAriaLabel": "Prostředí terminálu {0} je zastaralé. Pokud chcete zobrazit další informace, spusťte příkaz Zobrazit informace o prostředí."
+ },
+ "vs/workbench/contrib/terminal/browser/links/terminalLinkManager": {
+ "terminalLinkHandler.followLinkAlt.mac": "option + kliknutí",
+ "terminalLinkHandler.followLinkAlt": "alt + kliknutí",
+ "terminalLinkHandler.followLinkCmd": "cmd + kliknutí",
+ "terminalLinkHandler.followLinkCtrl": "ctrl + kliknutí",
+ "followLink": "Přejít na odkaz"
+ },
+ "vs/workbench/contrib/terminal/browser/links/terminalWordLinkProvider": {
+ "searchWorkspace": "Prohledat pracovní prostor"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalProcessExtHostProxy": {
+ "terminal.integrated.starting": "Spouštění..."
+ },
+ "vs/workbench/contrib/terminal/browser/environmentVariableInfo": {
+ "extensionEnvironmentContributionChanges": "Rozšíření chtějí v prostředí terminálu provést následující změny:",
+ "extensionEnvironmentContributionRemoval": "Rozšíření chtějí z prostředí terminálu odebrat tyto existující změny:",
+ "relaunchTerminalLabel": "Znovu spustit terminál",
+ "extensionEnvironmentContributionInfo": "Rozšíření v tomto prostředí terminálu provedla změny."
+ },
+ "vs/workbench/contrib/terminal/browser/links/terminalLink": {
+ "openFile": "Otevřít soubor v editoru",
+ "focusFolder": "Přepnout fokus na složku v průzkumníkovi",
+ "openFolder": "Otevřít složku v novém okně"
+ },
+ "vs/workbench/contrib/themes/browser/themes.contribution": {
+ "selectTheme.label": "Barevný motiv",
+ "themes.category.light": "světlé motivy",
+ "themes.category.dark": "tmavé motivy",
+ "themes.category.hc": "motivy s vysokým kontrastem",
+ "installColorThemes": "Nainstalovat další barevné motivy...",
+ "themes.selectTheme": "Vyberte barevný motiv (pomocí klávesy se šipkou nahoru/dolů zobrazíte náhled)",
+ "selectIconTheme.label": "Motiv ikon souboru",
+ "noIconThemeLabel": "Žádný",
+ "noIconThemeDesc": "Zakázat ikony souboru",
+ "installIconThemes": "Nainstalovat další motivy ikon souborů...",
+ "themes.selectIconTheme": "Vybrat motiv ikon souboru",
+ "selectProductIconTheme.label": "Motiv ikon produktu",
+ "defaultProductIconThemeLabel": "Výchozí",
+ "themes.selectProductIconTheme": "Vybrat motiv ikon produktu",
+ "generateColorTheme.label": "Generovat barevný motiv z aktuálního nastavení",
+ "preferences": "Předvolby",
+ "miSelectColorTheme": "&&Barevný motiv",
+ "miSelectIconTheme": "Motiv &&ikon souboru",
+ "themes.selectIconTheme.label": "Motiv ikon souboru"
+ },
+ "vs/workbench/contrib/timeline/browser/timeline.contribution": {
+ "timelineViewIcon": "Zobrazit ikonu zobrazení časové osy",
+ "timelineOpenIcon": "Ikona pro akci otevření časové osy",
+ "timelineConfigurationTitle": "Časová osa",
+ "timeline.excludeSources": "Pole hodnot zdrojů časové osy, které by se mělo vyloučit ze zobrazení časové osy",
+ "timeline.pageSize": "Počet položek zobrazených ve výchozím nastavení v zobrazení časové osy a při načítání více položek. Když je nastaveno na null (výchozí), velikost stránky se automaticky zvolí na základě viditelné oblasti zobrazení časové osy.",
+ "timeline.pageOnScroll": "Experimentální: Určuje, jestli se při zobrazení časové osy při posunutí na konec seznamu načte další stránka položek.",
+ "files.openTimeline": "Otevřít časovou osu"
+ },
+ "vs/workbench/contrib/timeline/browser/timelinePane": {
+ "timeline.loadingMore": "Načítání...",
+ "timeline.loadMore": "Načíst další",
+ "timeline": "Časová osa",
+ "timeline.editorCannotProvideTimeline": "Aktivní editor nemůže poskytnout informace o časové ose.",
+ "timeline.noTimelineInfo": "Nebyly zadány žádné informace týkající se časové osy.",
+ "timeline.aria.item": "{0}: {1}",
+ "timeline.loading": "Načítá se časová osa pro {0}...",
+ "timelineRefresh": "Ikona pro akci aktualizace časové osy",
+ "timelinePin": "Ikona pro akci připnutí časové osy",
+ "timelineUnpin": "Ikona pro akci odepnutí časové osy",
+ "refresh": "Aktualizovat",
+ "timeline.toggleFollowActiveEditorCommand.follow": "Připnout aktuální časovou osu",
+ "timeline.toggleFollowActiveEditorCommand.unfollow": "Odepnout aktuální časovou osu",
+ "timeline.filterSource": "Zahrnout: {0}"
+ },
+ "vs/workbench/contrib/update/browser/update.contribution": {
+ "miReleaseNotes": "&&Zpráva k vydání verze"
+ },
+ "vs/workbench/contrib/update/browser/update": {
+ "releaseNotes": "Zpráva k vydání verze",
+ "update.noReleaseNotesOnline": "K této verzi {0} není k dispozici online zpráva k vydání verze.",
+ "showReleaseNotes": "Zobrazit zprávu k vydání verze",
+ "read the release notes": "Vítá vás {0} verze {1}! Chcete si přečíst zprávu k vydání verze?",
+ "licenseChanged": "Naše licenční podmínky se změnily. Po kliknutí [sem]({0}) si je můžete projít.",
+ "updateIsReady": "K dispozici je nová aktualizace ({0}).",
+ "checkingForUpdates": "Vyhledávají se aktualizace...",
+ "update service": "Aktualizovat službu",
+ "noUpdatesAvailable": "Momentálně nejsou k dispozici žádné aktualizace.",
+ "ok": "OK",
+ "thereIsUpdateAvailable": "K dispozici je aktualizace.",
+ "download update": "Stáhnout aktualizaci",
+ "later": "Později",
+ "updateAvailable": "K dispozici je aktualizace: {0} {1}",
+ "installUpdate": "Nainstalovat aktualizaci",
+ "updateInstalling": "{0} {1} se instaluje na pozadí. Dáme vám vědět, až to bude hotové.",
+ "updateNow": "Aktualizovat",
+ "updateAvailableAfterRestart": "Pokud chcete nainstalovat nejnovější aktualizaci, restartujte {0}.",
+ "checkForUpdates": "Vyhledat aktualizace...",
+ "download update_1": "Stáhnout aktualizaci (1)",
+ "DownloadingUpdate": "Stahuje se aktualizace...",
+ "installUpdate...": "Nainstalovat aktualizaci... (1)",
+ "installingUpdate": "Instaluje se aktualizace...",
+ "good luck": "'Restart to Update' is not working properly on macOS Big Sur. Click 'Quit to Update' to quit {0} and update it. Then, relaunch it from Finder.",
+ "quit": "Quit to Update",
+ "learn more": "Learn More",
+ "cancel": "Cancel",
+ "restartToUpdate": "Restartovat za účelem aktualizace (1)",
+ "relaunchMessage": "Aby se změna verze projevila, je vyžadováno opětovné načtení.",
+ "relaunchDetailInsiders": "Stisknutím tlačítka Znovu načíst přepnete na noční build předprodukční verze VSCode.",
+ "relaunchDetailStable": "Stisknutím tlačítka Znovu načíst přepnete na měsíčně vydávanou stabilní verzi VSCode.",
+ "reload": "&&Načíst znovu",
+ "switchToInsiders": "Přepnout na verzi programu Insider...",
+ "switchToStable": "Přepnout na stabilní verzi..."
+ },
+ "vs/workbench/contrib/update/browser/releaseNotesEditor": {
+ "releaseNotesInputName": "Zpráva k vydání verze: {0}",
+ "unassigned": "nepřiřazené"
+ },
+ "vs/workbench/contrib/url/browser/url.contribution": {
+ "openUrl": "Otevřít adresu URL",
+ "urlToOpen": "Adresa URL, která se má otevřít"
+ },
+ "vs/workbench/contrib/url/browser/trustedDomains": {
+ "trustedDomain.manageTrustedDomain": "Spravovat důvěryhodné domény",
+ "trustedDomain.trustDomain": "Považovat doménu {0} za důvěryhodnou",
+ "trustedDomain.trustAllPorts": "Důvěřovat doméně {0} na všech portech",
+ "trustedDomain.trustSubDomain": "Považovat doménu {0} a všechny její subdomény za důvěryhodné",
+ "trustedDomain.trustAllDomains": "Považovat všechny domény za důvěryhodné (zakáže ochranu propojení)",
+ "trustedDomain.manageTrustedDomains": "Spravovat důvěryhodné domény",
+ "configuringURL": "Konfiguruje se vztah důvěryhodnosti pro: {0}."
+ },
+ "vs/workbench/contrib/url/browser/trustedDomainsValidator": {
+ "openExternalLinkAt": "Chcete, ať {0} otevře externí web?",
+ "open": "Otevřít",
+ "copy": "Kopírovat",
+ "cancel": "Zrušit",
+ "configureTrustedDomains": "Konfigurovat důvěryhodné domény"
+ },
+ "vs/workbench/contrib/userDataSync/electron-browser/userDataSync.contribution": {
+ "operationId": "ID operace: {0}",
+ "too many requests": "Synchronizace nastavení je zakázaná, protože aktuální zařízení zadává příliš mnoho požadavků. Nahlaste prosím problém poskytnutím synchronizačních protokolů.",
+ "settings sync": "Synchronizace nastavení. ID operace: {0}",
+ "show sync logs": "Zobrazit protokol",
+ "report issue": "Nahlásit problém",
+ "Open Backup folder": "Otevřít složku místních záloh",
+ "no backups": "Složka místních záloh neexistuje."
+ },
+ "vs/workbench/contrib/userDataSync/browser/userDataSync.contribution": {
+ "operationId": "ID operace: {0}",
+ "too many requests": "Synchronizace nastavení na tomto zařízení byla vypnuta, protože se vytváří příliš mnoho požadavků."
+ },
+ "vs/workbench/contrib/userDataSync/browser/userDataSync": {
+ "turn on sync with category": "{0}: Zapnout...",
+ "stop sync": "{0}: Vypnout",
+ "configure sync": "{0}: Konfigurovat...",
+ "showConflicts": "{0}: Zobrazit konflikty nastavení",
+ "showKeybindingsConflicts": "{0}: Zobrazit konflikty klávesových zkratek",
+ "showSnippetsConflicts": "{0}: Zobrazit konflikty fragmentů kódu uživatele",
+ "sync now": "{0}: Synchronizovat hned",
+ "syncing": "probíhá synchronizace",
+ "synced with time": "synchronizováno: {0}",
+ "sync settings": "{0}: Zobrazit nastavení",
+ "show synced data": "{0}: Zobrazit synchronizovaná data",
+ "conflicts detected": "Synchronizaci nelze provést, protože v {0} byly zjištěny konflikty. Před pokračováním je prosím vyřešte.",
+ "accept remote": "Přijmout vzdálené",
+ "accept local": "Přijmout místní",
+ "show conflicts": "Zobrazit konflikty",
+ "accept failed": "Při přijímání změn došlo k chybě. Další podrobnosti najdete v [protokolech]({0}).",
+ "session expired": "Synchronizace nastavení byla vypnuta, protože vypršela platnost aktuální relace. Pokud chcete zapnout synchronizaci, přihlaste se prosím znovu.",
+ "turn on sync": "Zapnout synchronizaci nastavení...",
+ "turned off": "Synchronizace nastavení byla vypnuta z jiného zařízení. Pokud chcete zapnout synchronizaci, přihlaste se prosím znovu.",
+ "too large": "Synchronizace {0} je zakázaná, protože velikost souboru {1}, která se má synchronizovat, je větší než {2}. Otevřete prosím soubor, zmenšete jeho velikost a povolte synchronizaci.",
+ "error upgrade required": "Synchronizace nastavení je zakázaná, protože aktuální verze ({0}, {1}) není kompatibilní se synchronizační službou. Před zapnutím synchronizace prosím proveďte aktualizaci.",
+ "operationId": "ID operace: {0}",
+ "error reset required": "Synchronizace nastavení je zakázaná, protože vaše data v cloudu jsou starší než data klienta. Před zapnutím synchronizace prosím vymažte svá data v cloudu.",
+ "reset": "Vymazat data v cloudu...",
+ "show synced data action": "Zobrazit synchronizovaná data",
+ "switched to insiders": "Pro synchronizaci nastavení se teď používá samostatná služba. Další informace jsou k dispozici ve [zprávě k vydání verze](https://code.visualstudio.com/updates/v1_48#_settings-sync).",
+ "open file": "Otevřít soubor {0}",
+ "errorInvalidConfiguration": "Soubor {0} nelze synchronizovat, protože obsah souboru není platný. Otevřete prosím soubor a opravte ho.",
+ "has conflicts": "{0}: Zjištěny konflikty",
+ "turning on syncing": "Zapíná se synchronizace nastavení...",
+ "sign in to sync": "Pokud chcete synchronizovat nastavení, přihlaste se.",
+ "no authentication providers": "Nejsou k dispozici žádní zprostředkovatelé ověřování.",
+ "too large while starting sync": "Synchronizaci nastavení nelze zapnout, protože soubor {0}, který se má synchronizovat, je větší než {1}. Otevřete prosím soubor, zmenšete jeho velikost a pak zapněte synchronizaci.",
+ "error upgrade required while starting sync": "Synchronizaci nastavení nelze zapnout, protože aktuální verze ({0}, {1}) není kompatibilní se synchronizační službou. Před zapnutím synchronizace prosím proveďte aktualizaci.",
+ "error reset required while starting sync": "Synchronizaci nastavení nelze zapnout, protože vaše data v cloudu jsou starší než data klienta. Před zapnutím synchronizace prosím vymažte svá data v cloudu.",
+ "auth failed": "Při zapínání synchronizace nastavení došlo k chybě: neúspěšné ověření.",
+ "turn on failed": "Při zapínání synchronizace nastavení došlo k chybě. Další podrobnosti najdete v [protokolech]({0}).",
+ "sync preview message": "Synchronizace nastavení je funkce Preview. Před jejím zapnutím si prosím přečtěte dokumentaci.",
+ "turn on": "Zapnout",
+ "open doc": "Otevřít dokumentaci",
+ "cancel": "Zrušit",
+ "sign in and turn on": "Přihlásit se a zapnout",
+ "configure and turn on sync detail": "Přihlaste se prosím, aby se vaše data mohla synchronizovat mezi zařízeními.",
+ "per platform": "pro každou platformu",
+ "configure sync placeholder": "Zvolte, co se má synchronizovat",
+ "turn off sync confirmation": "Chcete vypnout synchronizaci?",
+ "turn off sync detail": "Vaše nastavení, klávesové zkratky, rozšíření, fragmenty kódu a stav uživatelského rozhraní už se nebudou synchronizovat.",
+ "turn off": "Vypnou&&t",
+ "turn off sync everywhere": "Vypnout synchronizaci na všech vašich zařízeních a vymazat data z cloudu.",
+ "leftResourceName": "{0} (vzdálené)",
+ "merges": "{0} (sloučení)",
+ "sideBySideLabels": "{0} ↔ {1}",
+ "sideBySideDescription": "Synchronizace nastavení",
+ "switchSyncService.title": "{0}: Vyberte službu",
+ "switchSyncService.description": "Při synchronizaci s více prostředími se ujistěte, že používáte stejnou službu synchronizace nastavení.",
+ "default": "Výchozí",
+ "insiders": "Program Insider",
+ "stable": "Stabilní",
+ "global activity turn on sync": "Zapnout synchronizaci nastavení...",
+ "turnin on sync": "Zapíná se synchronizace nastavení...",
+ "sign in global": "Pokud chcete synchronizovat nastavení, přihlaste se.",
+ "sign in accounts": "Přihlaste se, aby bylo možné synchronizovat nastavení (1)",
+ "resolveConflicts_global": "{0}: Zobrazit konflikty nastavení (1)",
+ "resolveKeybindingsConflicts_global": "{0}: Zobrazit konflikty klávesových zkratek (1)",
+ "resolveSnippetsConflicts_global": "{0}: Zobrazit konflikty fragmentů kódu uživatele ({1})",
+ "sync is on": "Synchronizace nastavení je zapnutá.",
+ "workbench.action.showSyncRemoteBackup": "Zobrazit synchronizovaná data",
+ "turn off failed": "Při vypínání synchronizace nastavení došlo k chybě. Další podrobnosti najdete v [protokolech]({0}).",
+ "show sync log title": "{0}: Zobrazit protokol",
+ "accept merges": "Přijmout sloučení",
+ "accept remote button": "Přijmout &&vzdálené",
+ "accept merges button": "Přij&&mout sloučení",
+ "Sync accept remote": "{0}: {1}",
+ "Sync accept merges": "{0}: {1}",
+ "confirm replace and overwrite local": "Chcete přijmout vzdálená data ({0}) a nahradit místní data ({1})?",
+ "confirm replace and overwrite remote": "Chcete přijmout sloučení a nahradit vzdálená data ({0})?",
+ "update conflicts": "Nepovedlo se vyřešit konflikty, protože k dispozici je nová místní verze. Zkuste to prosím znovu."
+ },
+ "vs/workbench/contrib/userDataSync/browser/userDataSyncViews": {
+ "showLog": "Zobrazit protokol",
+ "configure": "Konfigurovat...",
+ "workbench.actions.syncData.reset": "Vymazat data v cloudu...",
+ "merges": "Sloučení",
+ "synced machines": "Synchronizované počítače",
+ "workbench.actions.sync.editMachineName": "Upravit název",
+ "workbench.actions.sync.turnOffSyncOnMachine": "Vypnout synchronizaci nastavení",
+ "remote sync activity title": "Aktivita synchronizace (vzdálené)",
+ "local sync activity title": "Aktivita synchronizace (místní)",
+ "workbench.actions.sync.resolveResourceRef": "Zobrazit nezpracovaná data synchronizace JSON",
+ "workbench.actions.sync.replaceCurrent": "Obnovit",
+ "confirm replace": "Chcete aktuální data {0} nahradit vybranými daty?",
+ "workbench.actions.sync.compareWithLocal": "Otevřít změny",
+ "leftResourceName": "{0} (vzdálené)",
+ "rightResourceName": "{0} (místní)",
+ "sideBySideLabels": "{0} ↔ {1}",
+ "sideBySideDescription": "Synchronizace nastavení",
+ "reset": "Obnovit synchronizovaná data",
+ "current": "Aktuální",
+ "no machines": "Žádné počítače",
+ "not found": "nenašel se počítač s ID: {0}",
+ "turn off sync on machine": "Opravdu chcete vypnout synchronizaci pro {0}?",
+ "turn off": "Vypnou&&t",
+ "placeholder": "Zadejte název počítače.",
+ "valid message": "Název počítače musí být jedinečný a nesmí být prázdný."
+ },
+ "vs/workbench/contrib/userDataSync/browser/userDataSyncMergesView": {
+ "explanation": "Pokud chcete povolit synchronizaci, projděte si všechny položky a proveďte sloučení.",
+ "turn on sync": "Zapnout synchronizaci nastavení",
+ "cancel": "Zrušit",
+ "workbench.actions.sync.acceptRemote": "Přijmout vzdálené",
+ "workbench.actions.sync.acceptLocal": "Přijmout místní",
+ "workbench.actions.sync.merge": "Sloučit",
+ "workbench.actions.sync.discard": "Zahodit",
+ "workbench.actions.sync.showChanges": "Otevřít změny",
+ "conflicts detected": "Zjištěny konflikty",
+ "resolve": "Sloučení nelze provést, protože byly zjištěny konflikty. Před pokračováním je prosím vyřešte.",
+ "turning on": "Zapínání...",
+ "preview": "{0} (náhled)",
+ "leftResourceName": "{0} (vzdálené)",
+ "merges": "{0} (sloučení)",
+ "rightResourceName": "{0} (místní)",
+ "sideBySideLabels": "{0} ↔ {1}",
+ "sideBySideDescription": "Synchronizace nastavení",
+ "label": "UserDataSyncResources",
+ "conflict": "Zjištěny konflikty",
+ "accepted": "Přijato",
+ "accept remote": "Přijmout vzdálené",
+ "accept local": "Přijmout místní",
+ "accept merges": "Přijmout sloučení"
+ },
+ "vs/workbench/contrib/views/browser/treeView": {
+ "no-dataprovider": "Neexistuje žádný zaregistrovaný zprostředkovatel dat, který by mohl poskytovat data zobrazení.",
+ "refresh": "Aktualizovat",
+ "collapseAll": "Sbalit vše",
+ "command-error": "Chyba při spouštění příkazu {1}: {0}. Pravděpodobně je způsobeno rozšířením, které přidává: {1}."
+ },
+ "vs/workbench/contrib/watermark/browser/watermark": {
+ "watermark.showCommands": "Zobrazit všechny příkazy",
+ "watermark.quickAccess": "Přejít na soubor",
+ "watermark.openFile": "Otevřít soubor",
+ "watermark.openFolder": "Otevřít složku",
+ "watermark.openFileFolder": "Otevřít soubor nebo složku",
+ "watermark.openRecent": "Otevřít nedávné",
+ "watermark.newUntitledFile": "Nový soubor bez názvu",
+ "watermark.toggleTerminal": "Přepnout terminál",
+ "watermark.findInFiles": "Najít v souborech",
+ "watermark.startDebugging": "Spustit ladění",
+ "tips.enabled": "Pokud je povoleno, zobrazí v případě, že není otevřený žádný editor, tipy ve vodoznacích."
+ },
+ "vs/workbench/contrib/webview/electron-browser/webviewCommands": {
+ "openToolsLabel": "Otevřít vývojářské nástroje webového zobrazení"
+ },
+ "vs/workbench/contrib/webview/browser/baseWebviewElement": {
+ "fatalErrorMessage": "Chyba při načítání webového zobrazení: {0}"
+ },
+ "vs/workbench/contrib/webviewPanel/browser/webviewPanel.contribution": {
+ "webview.editor.label": "editor webových zobrazení"
+ },
+ "vs/workbench/contrib/webviewPanel/browser/webviewCommands": {
+ "editor.action.webvieweditor.showFind": "Zobrazit hledání",
+ "editor.action.webvieweditor.hideFind": "Zastavit hledání",
+ "editor.action.webvieweditor.findNext": "Najít další",
+ "editor.action.webvieweditor.findPrevious": "Najít předchozí",
+ "refreshWebviewLabel": "Znovu načíst webová zobrazení"
+ },
+ "vs/workbench/contrib/welcome/overlay/browser/welcomeOverlay": {
+ "welcomeOverlay.explorer": "Průzkumník souborů",
+ "welcomeOverlay.search": "Hledat v souborech",
+ "welcomeOverlay.git": "Správa zdrojového kódu",
+ "welcomeOverlay.debug": "Spustit a ladit",
+ "welcomeOverlay.extensions": "Správa rozšíření",
+ "welcomeOverlay.problems": "Zobrazit chyby a upozornění",
+ "welcomeOverlay.terminal": "Přepnout integrovaný terminál",
+ "welcomeOverlay.commandPalette": "Najít a spustit všechny příkazy",
+ "welcomeOverlay.notifications": "Zobrazit oznámení",
+ "welcomeOverlay": "Přehled uživatelského rozhraní",
+ "hideWelcomeOverlay": "Skrýt přehled rozhraní"
+ },
+ "vs/workbench/contrib/welcome/page/browser/welcomePage.contribution": {
+ "workbench.startupEditor.none": "Spustit bez editoru",
+ "workbench.startupEditor.welcomePage": "Otevřít úvodní stránku (výchozí)",
+ "workbench.startupEditor.readme": "Při otevření složky obsahující soubor README tento soubor otevřít, jinak použít welcomePage",
+ "workbench.startupEditor.newUntitledFile": "Umožňuje otevřít nový soubor bez názvu (platí pouze při otevírání prázdného pracovního prostoru).",
+ "workbench.startupEditor.welcomePageInEmptyWorkbench": "Při otevření prázdné pracovní plochy otevřít úvodní stránku",
+ "workbench.startupEditor.gettingStarted": "Otevřít stránku Začínáme (experimentální)",
+ "workbench.startupEditor": "Určuje, který editor se má zobrazit při spuštění, pokud není žádný obnoven z předchozí relace.",
+ "miWelcome": "&&Vítejte"
+ },
+ "vs/workbench/contrib/welcome/gettingStarted/browser/gettingStarted.contribution": {
+ "Getting Started": "Začínáme",
+ "help": "Nápověda",
+ "gettingStartedDescription": "Povolí experimentální stránku Začínáme, která je k dispozici v nabídce Nápověda."
+ },
+ "vs/workbench/contrib/welcome/walkThrough/browser/walkThrough.contribution": {
+ "walkThrough.editor.label": "Interaktivní testovací prostředí",
+ "miInteractivePlayground": "I&&nteraktivní testovací prostředí"
+ },
+ "vs/workbench/contrib/welcome/page/browser/welcomePage": {
+ "welcomePage": "Vítejte",
+ "welcomePage.javaScript": "JavaScript",
+ "welcomePage.python": "Python",
+ "welcomePage.java": "Java",
+ "welcomePage.php": "PHP",
+ "welcomePage.azure": "Azure",
+ "welcomePage.showAzureExtensions": "Zobrazit rozšíření Azure",
+ "welcomePage.docker": "Docker",
+ "welcomePage.vim": "Vim",
+ "welcomePage.sublime": "Sublime",
+ "welcomePage.atom": "Atom",
+ "welcomePage.extensionPackAlreadyInstalled": "Podpora pro {0} je už nainstalovaná.",
+ "welcomePage.willReloadAfterInstallingExtensionPack": "Po instalaci další podpory pro {0} se znovu načte okno.",
+ "welcomePage.installingExtensionPack": "Instaluje se další podpora pro {0}...",
+ "welcomePage.extensionPackNotFound": "Nepovedlo se najít podporu pro {0} s ID {1}.",
+ "welcomePage.keymapAlreadyInstalled": "Klávesové zkratky {0} jsou již nainstalovány.",
+ "welcomePage.willReloadAfterInstallingKeymap": "Po instalaci klávesových zkratek {0} se znovu načte okno.",
+ "welcomePage.installingKeymap": "Instalují se klávesové zkratky {0}...",
+ "welcomePage.keymapNotFound": "Nepovedlo se najít klávesové zkratky {0} s ID {1}.",
+ "welcome.title": "Vítejte",
+ "welcomePage.openFolderWithPath": "Otevřít složku {0} s cestou {1}",
+ "welcomePage.extensionListSeparator": ", ",
+ "welcomePage.installKeymap": "Nainstalovat mapování kláves {0}",
+ "welcomePage.installExtensionPack": "Nainstalovat další podporu pro {0}",
+ "welcomePage.installedKeymap": "Mapování kláves {0} už je nainstalované.",
+ "welcomePage.installedExtensionPack": "Podpora pro: {0} už je nainstalovaná.",
+ "ok": "OK",
+ "details": "Podrobnosti"
+ },
+ "vs/workbench/contrib/welcome/gettingStarted/browser/gettingStarted": {
+ "editorGettingStarted.title": "Začínáme",
+ "next": "Další"
+ },
+ "vs/workbench/contrib/welcome/walkThrough/browser/walkThroughPart": {
+ "walkThrough.unboundCommand": "nesvázáno",
+ "walkThrough.gitNotFound": "Vypadá to, že v systému nemáte nainstalovaný Git.",
+ "walkThrough.embeddedEditorBackground": "Barva pozadí vložených editorů v interaktivním testovacím prostředí"
+ },
+ "vs/workbench/contrib/welcome/walkThrough/browser/editor/editorWalkThrough": {
+ "editorWalkThrough.title": "Interaktivní testovací prostředí",
+ "editorWalkThrough": "Interaktivní testovací prostředí"
+ },
+ "vs/workbench/contrib/welcome/common/viewsWelcomeContribution": {
+ "ViewsWelcomeExtensionPoint.proposedAPI": "Příspěvek viewsWelcome v {0} vyžaduje, aby byla povolena možnost enableProposedApi."
+ },
+ "vs/workbench/contrib/welcome/common/viewsWelcomeExtensionPoint": {
+ "contributes.viewsWelcome": "Přidaný uvítací obsah pro zobrazení. Uvítací obsah se vykreslí ve stromových zobrazeních, kde není žádný smysluplný obsah, který by bylo možné zobrazit, například v Průzkumníkovi souborů, když nejsou otevřené žádné složky. Tento obsah je užitečný jako integrovaná dokumentace k produktu, která má uživatele motivovat k používání určitých funkcí ještě před jejich oficiálním vydáním (například tlačítko Klonovat úložiště v uvítacím zobrazení Průzkumníka souborů).",
+ "contributes.viewsWelcome.view": "Přidaný uvítací obsah pro konkrétní zobrazení",
+ "contributes.viewsWelcome.view.view": "Cílový identifikátor zobrazení pro tento uvítací obsah. Podporují se jen stromová zobrazení.",
+ "contributes.viewsWelcome.view.contents": "Uvítací obsah, který se má zobrazit. Formát obsahu je podmnožinou Markdownu s podporou pouze pro odkazy.",
+ "contributes.viewsWelcome.view.when": "Podmínka, kdy se má zobrazit uvítací obsah",
+ "contributes.viewsWelcome.view.group": "Skupina, do které patří tento uvítací obsah",
+ "contributes.viewsWelcome.view.enablement": "Podmínka, kdy se mají povolit tlačítka uvítacího obsahu"
+ },
+ "vs/workbench/contrib/welcome/telemetryOptOut/browser/telemetryOptOut": {
+ "telemetryOptOut.optOutNotice": "Pomozte vylepšit VS Code tím, že Microsoftu povolíte shromažďovat data o používání. Přečtěte si naše [prohlášení o zásadách ochrany osobních údajů]({0}) a zjistěte, jak [vyjádřit výslovný nesouhlas]({1}).",
+ "telemetryOptOut.optInNotice": "Pomozte vylepšit VS Code tím, že Microsoftu povolíte shromažďovat data o používání. Přečtěte si naše [prohlášení o zásadách ochrany osobních údajů]({0}) a zjistěte, jak [vyjádřit výslovný souhlas]({1}).",
+ "telemetryOptOut.readMore": "Další informace",
+ "telemetryOptOut.optOutOption": "Pomozte Microsoftu vylepšit Visual Studio Code povolením shromažďování dat o používání. Další informace najdete v našem [prohlášení o zásadách ochrany osobních údajů]({0}).",
+ "telemetryOptOut.OptIn": "Ano, rád(a) pomůžu",
+ "telemetryOptOut.OptOut": "Ne, děkuji"
+ },
+ "vs/workbench/contrib/welcome/page/browser/welcomePageColors": {
+ "welcomePage.buttonBackground": "Barva pozadí tlačítek na uvítací stránce",
+ "welcomePage.buttonHoverBackground": "Barva pozadí tlačítek, když je na ně na uvítací stránce umístěn ukazatel myši",
+ "welcomePage.background": "Barva pozadí uvítací stránky"
+ },
+ "vs/workbench/contrib/welcome/page/browser/vs_code_welcome_page": {
+ "welcomePage.vscode": "Visual Studio Code",
+ "welcomePage.editingEvolved": "Vylepšené úpravy",
+ "welcomePage.start": "Spustit",
+ "welcomePage.newFile": "Nový soubor",
+ "welcomePage.openFolder": "Otevřít složku...",
+ "welcomePage.gitClone": "Naklonovat úložiště...",
+ "welcomePage.recent": "Nedávné",
+ "welcomePage.moreRecent": "Více...",
+ "welcomePage.noRecentFolders": "Žádné naposledy použité složky",
+ "welcomePage.help": "Nápověda",
+ "welcomePage.keybindingsCheatsheet": "Přehled klávesových zkratek k vytištění",
+ "welcomePage.introductoryVideos": "Úvodní videa",
+ "welcomePage.tipsAndTricks": "Tipy a triky",
+ "welcomePage.productDocumentation": "Produktová dokumentace",
+ "welcomePage.gitHubRepository": "Úložiště GitHubu",
+ "welcomePage.stackOverflow": "Přetečení zásobníku",
+ "welcomePage.newsletterSignup": "Přihlaste se k odběru našeho bulletinu",
+ "welcomePage.showOnStartup": "Zobrazit úvodní stránku při spuštění",
+ "welcomePage.customize": "Přizpůsobit",
+ "welcomePage.installExtensionPacks": "Nástroje a jazyky",
+ "welcomePage.installExtensionPacksDescription": "Nainstalovat podporu pro: {0} a {1}",
+ "welcomePage.showLanguageExtensions": "Zobrazit další rozšíření jazyka",
+ "welcomePage.moreExtensions": "další",
+ "welcomePage.installKeymapDescription": "Nastavení a klávesové zkratky",
+ "welcomePage.installKeymapExtension": "Nainstalovat nastavení a klávesové zkratky: {0} a {1}",
+ "welcomePage.showKeymapExtensions": "Zobrazit další rozšíření mapování kláves",
+ "welcomePage.others": "jiné",
+ "welcomePage.colorTheme": "Barevný motiv",
+ "welcomePage.colorThemeDescription": "Upravte si vzhled editoru a kódu podle svých představ.",
+ "welcomePage.learn": "Další informace",
+ "welcomePage.showCommands": "Najít a spustit všechny příkazy",
+ "welcomePage.showCommandsDescription": "Rychlý přístup k příkazům z palety příkazů a jejich vyhledávání ({0})",
+ "welcomePage.interfaceOverview": "Přehled rozhraní",
+ "welcomePage.interfaceOverviewDescription": "Zobrazení překryvné grafické vrstvy se zvýrazněnými hlavními součástmi uživatelského rozhraní",
+ "welcomePage.interactivePlayground": "Interaktivní testovací prostředí",
+ "welcomePage.interactivePlaygroundDescription": "Vyzkoušejte základní funkce editoru v krátkém návodu."
+ },
+ "vs/workbench/contrib/welcome/gettingStarted/browser/vs_code_editor_getting_started": {
+ "gettingStarted.vscode": "Visual Studio Code",
+ "gettingStarted.editingRedefined": "Revoluce v editaci kódu"
+ },
+ "vs/workbench/contrib/workspaces/browser/workspaces.contribution": {
+ "workspaceFound": "Tato složka obsahuje soubor pracovního prostoru {0}. Chcete ho otevřít? [Další informace]({1}) o souborech pracovních prostorů.",
+ "openWorkspace": "Otevřít pracovní prostor",
+ "workspacesFound": "Tato složka obsahuje více souborů pracovních prostorů. Chcete jeden z nich otevřít? [Další informace] ({0}) o souborech pracovních prostorů",
+ "selectWorkspace": "Vybrat pracovní prostor",
+ "selectToOpen": "Vyberte pracovní prostor, který chcete otevřít."
+ },
+ "vs/workbench/services/authentication/browser/authenticationService": {
+ "authentication.id": "ID zprostředkovatele ověřování",
+ "authentication.label": "Lidsky čitelný název zprostředkovatele ověřování",
+ "authenticationExtensionPoint": "Přidává ověřování.",
+ "loading": "Načítání...",
+ "authentication.missingId": "Při přidávání ověřování je nutné specifikovat ID.",
+ "authentication.missingLabel": "Při přidávání ověřování je nutné specifikovat popisek.",
+ "authentication.idConflict": "Toto ID ověřování {0} už je zaregistrované.",
+ "noAccounts": "Nejste přihlášení k žádnému účtu.",
+ "sign in": "Požadováno přihlášení",
+ "signInRequest": "Přihlaste se, abyste mohli používat rozšíření {0} (1)."
+ },
+ "vs/workbench/services/bulkEdit/browser/bulkEditService": {
+ "summary.0": "Nebyly provedeny žádné úpravy.",
+ "summary.nm": "Počet provedených úprav textu v {1} souborech: {0}",
+ "summary.n0": "Počet provedených úprav textu v jednom souboru: {0}",
+ "workspaceEdit": "Úprava pracovního prostoru",
+ "nothing": "Nebyly provedeny žádné úpravy."
+ },
+ "vs/workbench/services/configuration/common/jsonEditingService": {
+ "errorInvalidFile": "Nelze zapisovat do souboru. Otevřete prosím soubor, opravte v něm chyby/upozornění a zkuste to znovu.",
+ "errorFileDirty": "Nelze zapisovat do souboru, protože soubor obsahuje neuložené změny. Uložte prosím soubor a zkuste to znovu."
+ },
+ "vs/workbench/services/configuration/common/configurationEditingService": {
+ "openTasksConfiguration": "Otevřít konfiguraci úloh",
+ "openLaunchConfiguration": "Otevřít konfiguraci spuštění",
+ "open": "Otevřít nastavení",
+ "saveAndRetry": "Uložit a zkusit znovu",
+ "errorUnknownKey": "Nelze zapisovat do {0}, protože {1} není registrovaná konfigurace.",
+ "errorInvalidWorkspaceConfigurationApplication": "Nepovedlo se zapsat {0} do nastavení pracovního prostoru. Toto nastavení se dá zapsat pouze do uživatelských nastavení.",
+ "errorInvalidWorkspaceConfigurationMachine": "Nepovedlo se zapsat {0} do nastavení pracovního prostoru. Toto nastavení se dá zapsat pouze do uživatelských nastavení.",
+ "errorInvalidFolderConfiguration": "Nelze zapisovat do nastavení složky, protože {0} nepodporuje obor prostředků složky.",
+ "errorInvalidUserTarget": "Nelze zapisovat do uživatelských nastavení, protože {0} nepodporuje globální obor.",
+ "errorInvalidWorkspaceTarget": "Nelze zapisovat do nastavení pracovního prostoru, protože {0} nepodporuje obor pracovního prostoru v pracovním prostoru s více složkami.",
+ "errorInvalidFolderTarget": "Nelze zapisovat do nastavení složky, protože není k dispozici žádný prostředek.",
+ "errorInvalidResourceLanguageConfiguraiton": "Nelze zapisovat do nastavení jazyka, protože {0} není nastavení jazyka prostředku.",
+ "errorNoWorkspaceOpened": "Do {0} nelze zapisovat, protože není otevřený žádný pracovní prostor. Nejprve prosím otevřete pracovní prostor a pak to zkuste znovu.",
+ "errorInvalidTaskConfiguration": "Nelze zapisovat do souboru konfigurace úloh. Otevřete ho prosím, opravte v něm chyby/upozornění a zkuste to znovu.",
+ "errorInvalidLaunchConfiguration": "Nelze zapisovat do souboru konfigurace spuštění. Otevřete ho prosím, opravte v něm chyby/upozornění a zkuste to znovu.",
+ "errorInvalidConfiguration": "Nelze zapisovat do uživatelských nastavení. Otevřete prosím uživatelská nastavení, opravte v nich chyby/upozornění a zkuste to znovu.",
+ "errorInvalidRemoteConfiguration": "Nelze zapisovat do vzdáleného uživatelského nastavení. Otevřete prosím vzdálené uživatelské nastavení, opravte v něm chyby/upozornění a zkuste to znovu.",
+ "errorInvalidConfigurationWorkspace": "Nelze zapisovat do nastavení pracovního prostoru. Otevřete prosím nastavení pracovního prostoru, opravte v něm chyby/upozornění a zkuste to znovu.",
+ "errorInvalidConfigurationFolder": "Nelze zapisovat do nastavení složky. Otevřete prosím nastavení složky {0}, opravte v něm chyby/upozornění a zkuste to znovu.",
+ "errorTasksConfigurationFileDirty": "Nelze zapisovat do souboru konfigurace úloh, protože soubor obsahuje neuložené změny. Nejdříve prosím soubor uložte a potom to zkuste znovu.",
+ "errorLaunchConfigurationFileDirty": "Nelze zapisovat do souboru konfigurace spuštění, protože soubor obsahuje neuložené změny. Nejdříve prosím soubor uložte a pak to zkuste znovu.",
+ "errorConfigurationFileDirty": "Nelze zapisovat do nastavení uživatele, protože soubor obsahuje neuložené změny. Nejprve prosím soubor nastavení uživatele uložte a potom to zkuste znovu.",
+ "errorRemoteConfigurationFileDirty": "Nelze zapisovat do nastavení vzdáleného uživatele, protože soubor obsahuje neuložené změny. Nejdříve prosím soubor nastavení vzdáleného uživatele uložte a potom to zkuste znovu.",
+ "errorConfigurationFileDirtyWorkspace": "Nelze zapisovat do nastavení pracovního prostoru, protože soubor obsahuje neuložené změny. Nejprve prosím soubor nastavení pracovního prostoru uložte a potom to zkuste znovu.",
+ "errorConfigurationFileDirtyFolder": "Nelze zapisovat do nastavení složky, protože soubor obsahuje neuložené změny. Nejprve prosím soubor nastavení složky {0} uložte a potom to zkuste znovu.",
+ "errorTasksConfigurationFileModifiedSince": "Nelze zapisovat do souboru konfigurace úloh, protože obsah souboru je novější.",
+ "errorLaunchConfigurationFileModifiedSince": "Nelze zapisovat do souboru konfigurace spuštění, protože obsah souboru je novější.",
+ "errorConfigurationFileModifiedSince": "Nelze zapisovat do uživatelských nastavení, protože obsah souboru je novější.",
+ "errorRemoteConfigurationFileModifiedSince": "Nelze zapisovat do vzdáleného uživatelského nastavení, protože obsah souboru je novější.",
+ "errorConfigurationFileModifiedSinceWorkspace": "Nelze zapisovat do nastavení pracovního prostoru, protože obsah souboru je novější.",
+ "errorConfigurationFileModifiedSinceFolder": "Nelze zapisovat do nastavení složky, protože obsah souboru je novější.",
+ "userTarget": "Uživatelská nastavení",
+ "remoteUserTarget": "Nastavení vzdáleného uživatele",
+ "workspaceTarget": "Nastavení pracovního prostoru",
+ "folderTarget": "Nastavení složky"
+ },
+ "vs/workbench/services/configurationResolver/browser/configurationResolverService": {
+ "commandVariable.noStringType": "Proměnnou příkazu {0} nelze nahradit, protože příkaz nevrátil výsledek typu string.",
+ "inputVariable.noInputSection": "Proměnná {0} musí být definovaná v oddílu {1} konfigurace ladění nebo úlohy.",
+ "inputVariable.missingAttribute": "Vstupní proměnná {0} je typu {1} a musí obsahovat {2}.",
+ "inputVariable.defaultInputValue": "(Výchozí)",
+ "inputVariable.command.noStringType": "Vstupní proměnnou {0} nelze nahradit, protože příkaz {1} nevrátil výsledek typu string.",
+ "inputVariable.unknownType": "Vstupní proměnná {0} může být pouze typu promptString, pickString nebo command.",
+ "inputVariable.undefinedVariable": "Byla zjištěna nedefinovaná vstupní proměnná {0}. Pokračujte odebráním nebo definováním vstupní proměnné {0}."
+ },
+ "vs/workbench/services/configurationResolver/common/variableResolver": {
+ "canNotResolveFile": "Proměnnou {0} nelze vyhodnotit. Otevřete prosím editor.",
+ "canNotResolveFolderForFile": "Proměnná {0}: nemůže najít složku pracovního prostoru souboru {1}.",
+ "canNotFindFolder": "Proměnnou {0} nelze vyhodnotit. Složka {1} neexistuje.",
+ "canNotResolveWorkspaceFolderMultiRoot": "Proměnnou {0} nelze vyhodnotit v pracovním prostoru s více složkami. Obor této proměnné určíte zadáním dvojtečky (:), po které zadáte název složky pracovního prostoru.",
+ "canNotResolveWorkspaceFolder": "Proměnnou {0} nelze vyhodnotit. Otevřete prosím složku.",
+ "missingEnvVarName": "Proměnnou {0} nelze vyhodnotit, protože není zadán žádný název proměnné prostředí.",
+ "configNotFound": "Proměnnou {0} nelze vyhodnotit, protože nebylo nalezeno nastavení {1}.",
+ "configNoString": "Proměnnou {0} nelze vyhodnotit, protože {1} je strukturovaná hodnota.",
+ "missingConfigName": "Proměnnou {0} nelze vyhodnotit, protože není zadán žádný název nastavení.",
+ "canNotResolveLineNumber": "Proměnnou {0} nelze vyhodnotit. Ujistěte se, že je v aktivním editoru vybraný řádek.",
+ "canNotResolveSelectedText": "Proměnnou {0} nelze vyhodnotit. Ujistěte se, že je v aktivním editoru vybraný nějaký text.",
+ "noValueForCommand": "Proměnnou {0} nelze vyhodnotit, protože příkaz nemá žádnou hodnotu."
+ },
+ "vs/workbench/services/configurationResolver/common/configurationResolverUtils": {
+ "deprecatedVariables": "Možnosti env., config. a command. jsou zastaralé. Místo nich použijte možnosti env:, config: a command:."
+ },
+ "vs/workbench/services/configurationResolver/common/configurationResolverSchema": {
+ "JsonSchema.input.id": "ID vstupu se používá k přidružení vstupu k proměnné formuláře ${input:id}.",
+ "JsonSchema.input.type": "Typ výzvy pro zadání dat uživatelem, která se má použít",
+ "JsonSchema.input.description": "Popis se zobrazí, když se uživateli zobrazí výzva k zadání vstupu.",
+ "JsonSchema.input.default": "Výchozí hodnota pro vstup",
+ "JsonSchema.inputs": "Zadání dat uživatelem. Používá se k definování výzev pro zadání dat uživatelem, například pro zadání libovolného řetězce nebo výběr z několika možností.",
+ "JsonSchema.input.type.promptString": "Typ promptString otevře vstupní pole, které uživatele požádá o zadání dat.",
+ "JsonSchema.input.password": "Určuje, jestli se mají zobrazovat maskované znaky hesla při jeho zadávání. Maskované znaky se zobrazují místo zadávaného textu, aby bylo heslo skryté.",
+ "JsonSchema.input.type.pickString": "Typ pickString zobrazí seznam pro výběr.",
+ "JsonSchema.input.options": "Pole hodnot řetězců, které definuje možnosti pro rychlý výběr",
+ "JsonSchema.input.pickString.optionLabel": "Popisek možnosti",
+ "JsonSchema.input.pickString.optionValue": "Hodnota možnosti",
+ "JsonSchema.input.type.command": "Typ command provede příkaz.",
+ "JsonSchema.input.command.command": "Příkaz, který má být proveden pro tuto vstupní proměnnou.",
+ "JsonSchema.input.command.args": "Příkazu byly předány volitelné argumenty."
+ },
+ "vs/workbench/services/decorations/browser/decorationsService": {
+ "bubbleTitle": "Obsahuje zvýrazněné položky."
+ },
+ "vs/workbench/services/dialogs/browser/abstractFileDialogService": {
+ "saveChangesDetail": "Pokud své změny neuložíte, ztratí se.",
+ "saveChangesMessage": "Chcete uložit změny, které jste provedli v souboru {0}?",
+ "saveChangesMessages": "Chcete uložit změny do následujících {0} souborů?",
+ "saveAll": "&&Uložit vše",
+ "save": "&&Uložit",
+ "dontSave": "&&Neukládat",
+ "cancel": "Zrušit",
+ "openFileOrFolder.title": "Otevřít soubor nebo složku",
+ "openFile.title": "Otevřít soubor",
+ "openFolder.title": "Otevřít složku",
+ "openWorkspace.title": "Otevřít pracovní prostor",
+ "filterName.workspace": "Pracovní prostor",
+ "saveFileAs.title": "Uložit jako",
+ "saveAsTitle": "Uložit jako",
+ "allFiles": "Všechny soubory",
+ "noExt": "Žádné rozšíření"
+ },
+ "vs/workbench/services/dialogs/browser/simpleFileDialog": {
+ "openLocalFile": "Otevřít místní soubor...",
+ "saveLocalFile": "Uložit místní soubor...",
+ "openLocalFolder": "Otevřít místní složku...",
+ "openLocalFileFolder": "Otevřít místní...",
+ "remoteFileDialog.notConnectedToRemote": "Zprostředkovatel systému souborů pro {0} není k dispozici.",
+ "remoteFileDialog.local": "Zobrazit místní",
+ "remoteFileDialog.badPath": "Cesta neexistuje.",
+ "remoteFileDialog.cancel": "Zrušit",
+ "remoteFileDialog.invalidPath": "Zadejte prosím platnou cestu.",
+ "remoteFileDialog.validateFolder": "Složka již existuje. Použijte prosím nový název souboru.",
+ "remoteFileDialog.validateExisting": "Soubor {0} již existuje. Opravdu jej chcete přepsat?",
+ "remoteFileDialog.validateBadFilename": "Zadejte prosím platný název souboru.",
+ "remoteFileDialog.validateNonexistentDir": "Zadejte prosím cestu, která existuje.",
+ "remoteFileDialog.windowsDriveLetter": "Na začátku cesty prosím uveďte písmeno jednotky.",
+ "remoteFileDialog.validateFileOnly": "Vyberte soubor.",
+ "remoteFileDialog.validateFolderOnly": "Vyberte prosím složku."
+ },
+ "vs/workbench/services/editor/browser/editorService": {
+ "editorAssociations.viewType.sourceDescription": "Zdroj: {0}"
+ },
+ "vs/workbench/services/editor/common/editorOpenWith": {
+ "promptOpenWith.currentlyActive": "Aktuálně aktivní",
+ "promptOpenWith.setDefaultTooltip": "Nastavit jako výchozí editor pro soubory {0}",
+ "promptOpenWith.placeHolder": "Vyberte editor pro: {0}.",
+ "builtinProviderDisplayName": "Integrovaný",
+ "promptOpenWith.defaultEditor.displayName": "Textový editor",
+ "editor.editorAssociations": "Nakonfigurujte, který editor má být použit pro konkrétní typy souborů.",
+ "editor.editorAssociations.viewType": "Jedinečné ID editoru, který se má použít",
+ "editor.editorAssociations.filenamePattern": "Vzor glob, který určuje, pro které soubory má být editor použit"
+ },
+ "vs/workbench/services/extensionManagement/electron-browser/extensionManagementServerService": {
+ "local": "Místní",
+ "remote": "Vzdálené"
+ },
+ "vs/workbench/services/extensionManagement/electron-sandbox/remoteExtensionManagementService": {
+ "incompatible": "Rozšíření {0} nelze nainstalovat, protože není kompatibilní s VS Code {1}."
+ },
+ "vs/workbench/services/extensionManagement/common/webExtensionsScannerService": {
+ "cannot be installed": "{0} nelze nainstalovat, protože toto rozšíření není webové rozšíření."
+ },
+ "vs/workbench/services/extensionManagement/browser/extensionEnablementService": {
+ "extensionsDisabled": "Všechna nainstalovaná rozšíření jsou dočasně zakázaná.",
+ "Reload": "Znovu načíst a povolit rozšíření",
+ "cannot disable language pack extension": "Nelze změnit povolení u rozšíření {0}, protože přispívá k jazykovým sadám.",
+ "cannot disable auth extension": "Nelze změnit povolení u rozšíření {0}, protože na něm závisí synchronizace nastavení.",
+ "noWorkspace": "Žádný pracovní prostor",
+ "cannot disable auth extension in workspace": "V pracovním prostoru nelze změnit povolení u rozšíření {0}, protože přispívá ke zprostředkovatelům ověřování."
+ },
+ "vs/workbench/services/extensionManagement/common/extensionManagementService": {
+ "singleDependentError": "Rozšíření {0} nelze odinstalovat. Závisí na něm rozšíření {1}.",
+ "twoDependentsError": "Rozšíření {0} nelze odinstalovat. Závisí na něm rozšíření {1} a {2}.",
+ "multipleDependentsError": "Rozšíření {0} nelze odinstalovat. Závisí na něm rozšíření {1}, {2} a další rozšíření.",
+ "Manifest is not found": "Instalace rozšíření {0} selhala: Manifest nebyl nalezen.",
+ "cannot be installed": "{0} nelze nainstalovat, protože pro toto rozšíření je definováno, že se nedá spustit na vzdáleném serveru.",
+ "cannot be installed on web": "{0} nelze nainstalovat, protože pro toto rozšíření je definováno, že se nedá spustit na webovém serveru.",
+ "install extension": "Nainstalovat rozšíření",
+ "install extensions": "Nainstalovat rozšíření",
+ "install": "Nainstalovat",
+ "install and do no sync": "Nainstalovat (nesynchronizovat)",
+ "cancel": "Zrušit",
+ "install single extension": "Chcete nainstalovat a synchronizovat rozšíření {0} mezi zařízeními?",
+ "install multiple extensions": "Chcete nainstalovat a synchronizovat rozšíření mezi zařízeními?"
+ },
+ "vs/workbench/services/extensionManagement/browser/extensionBisect": {
+ "bisect": "Bisekce rozšíření je aktivní a zakázala {0} rozšíření. Zkontrolujte, jestli stále můžete problém reprodukovat, a pokračujte výběrem z těchto možností.",
+ "title.start": "Spustit bisekci rozšíření",
+ "help": "Nápověda",
+ "msg.start": "Bisekce rozšíření",
+ "detail.start": "Bisekce rozšíření bude pomocí binárního vyhledávání hledat rozšíření, které způsobuje problém. Během procesu se bude okno opakovaně znovu načítat (přibližně {0}krát). Pokaždé budete muset potvrdit, jestli se pořád vyskytují problémy.",
+ "msg2": "Spustit bisekci rozšíření",
+ "title.isBad": "Pokračovat v bisekci rozšíření",
+ "done.msg": "Bisekce rozšíření",
+ "done.detail2": "Bisekce rozšíření se dokončila, ale nepovedlo se identifikovat žádné rozšíření. Příčinou problému může být: {0}.",
+ "report": "Nahlásit problém a pokračovat",
+ "done": "Pokračovat",
+ "done.detail": "Bisekce rozšíření se dokončila a identifikovala jako příčinu problému rozšíření {0}.",
+ "done.disbale": "Nechat toto rozšíření zakázané",
+ "msg.next": "Bisekce rozšíření",
+ "next.good": "Teď už dobré",
+ "next.bad": "Je to špatné",
+ "next.stop": "Zastavit bisekci",
+ "next.cancel": "Zrušit",
+ "title.stop": "Zastavit bisekci rozšíření"
+ },
+ "vs/workbench/services/extensionRecommendations/common/workspaceExtensionsConfig": {
+ "select for remove": "Odebrat doporučení rozšíření z",
+ "select for add": "Přidat doporučení rozšíření do",
+ "workspace folder": "Složka pracovního prostoru",
+ "workspace": "Pracovní prostor"
+ },
+ "vs/workbench/services/extensions/electron-browser/extensionService": {
+ "extensionService.versionMismatchCrash": "Nelze spustit hostitele rozšíření: neshoda verzí.",
+ "relaunch": "Znovu spustit VS Code",
+ "extensionService.crash": "Hostitel rozšíření byl neočekávaně ukončen.",
+ "devTools": "Otevřít vývojářské nástroje",
+ "restart": "Restartovat hostitele rozšíření",
+ "getEnvironmentFailure": "Nepovedlo se načíst vzdálené prostředí.",
+ "looping": "Následující rozšíření obsahují smyčky závislostí a byla zakázána: {0}.",
+ "enableResolver": "Pro otevření vzdáleného okna je nutné rozšíření {0}.\r\nChcete ho povolit?",
+ "enable": "Povolit a znovu načíst",
+ "installResolver": "Pro otevření vzdáleného okna je nutné rozšíření {0}.\r\nChcete rozšíření nainstalovat?",
+ "install": "Nainstalovat a znovu načíst",
+ "resolverExtensionNotFound": "Rozšíření {0} nebylo nalezeno na Marketplace.",
+ "restartExtensionHost": "Restartovat hostitele rozšíření"
+ },
+ "vs/workbench/services/extensions/electron-browser/cachedExtensionScanner": {
+ "overwritingExtension": "Rozšíření {0} se přepisuje na {1}.",
+ "extensionUnderDevelopment": "Načítá se rozšíření pro vývoj v {0}.",
+ "extensionCache.invalid": "Rozšíření byla upravena na disku. Načtěte prosím okno znovu.",
+ "reloadWindow": "Znovu načíst okno"
+ },
+ "vs/workbench/services/extensions/electron-browser/localProcessExtensionHost": {
+ "extensionHost.startupFailDebug": "Hostitel rozšíření se nespustil do 10 sekund. Může být zastavený na prvním řádku a může k pokračování potřebovat ladicí program.",
+ "extensionHost.startupFail": "Hostitel rozšíření nebyl spuštěn do 10 sekund, což může být problém.",
+ "reloadWindow": "Znovu načíst okno",
+ "extension host Log": "Hostitel rozšíření",
+ "extensionHost.error": "Chyba v hostiteli rozšíření: {0}"
+ },
+ "vs/workbench/services/extensions/common/abstractExtensionService": {
+ "looping": "The following extensions contain dependency loops and have been disabled: {0}"
+ },
+ "vs/workbench/services/extensions/common/remoteExtensionHost": {
+ "remote extension host Log": "Vzdálený hostitel rozšíření"
+ },
+ "vs/workbench/services/extensions/browser/webWorkerExtensionHost": {
+ "name": "Hostitel rozšíření pracovního procesu"
+ },
+ "vs/workbench/services/extensions/browser/extensionUrlHandler": {
+ "confirmUrl": "Chcete rozšíření povolit otevření tohoto identifikátoru URI?",
+ "rememberConfirmUrl": "Pro toto rozšíření už příště dotaz nezobrazovat",
+ "open": "&&Otevřít",
+ "reloadAndHandle": "Rozšíření {0} není načtené. Chcete opětovným načtením okna rozšíření načíst a otevřít adresu URL?",
+ "reloadAndOpen": "&&Znovu načíst okno a otevřít",
+ "enableAndHandle": "Rozšíření {0} je zakázané. Chcete rozšíření povolit a znovu načíst okno, aby bylo možné otevřít adresu URL?",
+ "enableAndReload": "&&Povolit a otevřít",
+ "installAndHandle": "Rozšíření {0} není nainstalované. Chcete rozšíření nainstalovat a opětovným načtením okna otevřít tuto adresu URL?",
+ "install": "&&Nainstalovat",
+ "Installing": "Instaluje se rozšíření {0}...",
+ "reload": "Chcete znovu načíst okno a otevřít adresu URL {0}?",
+ "Reload": "Znovu načíst okno a otevřít",
+ "manage": "Spravovat identifikátory URI autorizovaných rozšíření...",
+ "extensions": "Rozšíření",
+ "no": "V tuto chvíli neexistují žádné autorizované identifikátory URI rozšíření."
+ },
+ "vs/workbench/services/extensions/common/extensionsRegistry": {
+ "ui": "Typ rozšíření uživatelského rozhraní. Ve vzdáleném okně jsou tato rozšíření povolena pouze v případě, že jsou k dispozici v místním počítači.",
+ "workspace": "Typ rozšíření pracovního prostoru. Ve vzdáleném okně jsou tato rozšíření povolena pouze v případě, že jsou k dispozici vzdáleně.",
+ "web": "Typ rozšíření webového pracovního procesu. Takové rozšíření je možné provést v hostiteli rozšíření webového pracovního procesu.",
+ "vscode.extension.engines": "Kompatibilita s modulem",
+ "vscode.extension.engines.vscode": "Pro rozšíření VS Code určuje verzi VS Code, se kterou je dané rozšíření kompatibilní. Nemůže být *. Příklad: ^0.10.5 označuje kompatibilitu s minimální verzí VS Code 0.10.5.",
+ "vscode.extension.publisher": "Vydavatel rozšíření VS Code",
+ "vscode.extension.displayName": "Zobrazovaný název pro rozšíření používaný v galerii VS Code",
+ "vscode.extension.categories": "Kategorie používané galerií VS Code ke kategorizaci rozšíření",
+ "vscode.extension.category.languages.deprecated": "Místo toho použijte možnost „Programovací jazyky“.",
+ "vscode.extension.galleryBanner": "Banner používaný pro VS Code Marketplace",
+ "vscode.extension.galleryBanner.color": "Barva banneru v záhlaví stránky Marketplace pro VS Code",
+ "vscode.extension.galleryBanner.theme": "Barevný motiv pro písmo použité v banneru",
+ "vscode.extension.contributes": "Všechny příspěvky rozšíření VS Code reprezentované tímto balíčkem.",
+ "vscode.extension.preview": "Nastaví rozšíření, které má být v Marketplace označeno příznakem Preview.",
+ "vscode.extension.activationEvents": "Aktivační události pro rozšíření VS Code",
+ "vscode.extension.activationEvents.onLanguage": "Aktivační událost vyvolaná vždy, když se otevře soubor rozpoznaný jako soubor pro konkrétní jazyk",
+ "vscode.extension.activationEvents.onCommand": "Aktivační událost vyvolaná vždy, když je vyvolán zadaný příkaz",
+ "vscode.extension.activationEvents.onDebug": "Aktivační událost vyvolaná vždy, když se uživatel chystá spustit ladění nebo nastavit konfigurace ladění",
+ "vscode.extension.activationEvents.onDebugInitialConfigurations": "Aktivační událost vyvolaná vždy, když je potřeba vytvořit soubor launch.json (a je potřeba volat všechny metody provideDebugConfigurations)",
+ "vscode.extension.activationEvents.onDebugDynamicConfigurations": "Aktivační událost vyvolaná vždy, když je nutné vytvořit seznam všech konfigurací ladění (a musí být volány všechny metody provideDebugConfigurations pro obor dynamic)",
+ "vscode.extension.activationEvents.onDebugResolve": "Aktivační událost vyvolaná vždy, když má být spuštěna relace ladění s konkrétním typem (a je potřeba volat odpovídající metodu resolveDebugConfiguration)",
+ "vscode.extension.activationEvents.onDebugAdapterProtocolTracker": "Aktivační událost vyvolaná vždy, když má být spuštěna relace ladění s konkrétním typem a může být nutné sledování protokolu ladění",
+ "vscode.extension.activationEvents.workspaceContains": "Aktivační událost vyvolaná při každém otevření složky, která obsahuje minimálně jeden soubor odpovídající zadanému vzoru glob",
+ "vscode.extension.activationEvents.onStartupFinished": "Aktivační událost vyvolaná po dokončení spuštění – po dokončení aktivace všech aktivovaných rozšíření (*)",
+ "vscode.extension.activationEvents.onFileSystem": "Aktivační událost vyvolaná při každém přístupu k souboru nebo složce s daným schématem",
+ "vscode.extension.activationEvents.onSearch": "Aktivační událost vyvolaná při každém spuštění vyhledávání ve složce s daným schématem",
+ "vscode.extension.activationEvents.onView": "Aktivační událost vyvolaná vždy, když je rozbaleno zadané zobrazení",
+ "vscode.extension.activationEvents.onIdentity": "Aktivační událost vyvolaná vždy při zadané identitě uživatele",
+ "vscode.extension.activationEvents.onUri": "Aktivační událost vyvolaná vždy, když je otevřen systémový identifikátor URI směrovaný na toto rozšíření",
+ "vscode.extension.activationEvents.onCustomEditor": "Aktivační událost vyvolaná vždy, když se zobrazí zadaný vlastní editor",
+ "vscode.extension.activationEvents.star": "Aktivační událost vyvolaná při spuštění VS Code. Aby byla zajištěna optimální uživatelská zkušenost koncového uživatele, použijte prosím tuto aktivační událost ve svém rozšíření, pouze pokud ve vašem případu použití nefunguje žádná jiná kombinace aktivačních událostí.",
+ "vscode.extension.badges": "Pole hodnot odznáčků, které se mají zobrazit na postranním panelu stránky rozšíření na Marketplace.",
+ "vscode.extension.badges.url": "Adresa URL obrázku odznáčku",
+ "vscode.extension.badges.href": "Odkaz na odznáček",
+ "vscode.extension.badges.description": "Popis odznáčku",
+ "vscode.extension.markdown": "Řídí vykreslovací modul Markdownu, který se používá v Marketplace. Možné hodnoty: github (výchozí) nebo standard",
+ "vscode.extension.qna": "Řídí odkaz na otázky a odpovědi v Marketplace. Nastavte hodnotu marketplace, pokud chcete povolit výchozí web otázek a odpovědí Marketplace. Pokud chcete zadat adresu URL vlastního webu otázek a odpovědí, nastavte hodnotu string. Pokud chcete otázky a odpovědi úplně zakázat, nastavte hodnotu false.",
+ "vscode.extension.extensionDependencies": "Závislosti na jiných rozšířeních. Identifikátor rozšíření je vždy ${publisher}.${name}. Například: vscode.csharp",
+ "vscode.extension.contributes.extensionPack": "Sada rozšíření, která lze nainstalovat společně. ID rozšíření má vždy tvar ${publisher}.${name}. Příklad: vscode.csharp",
+ "extensionKind": "Definujte typ rozšíření. Rozšíření typu „ui“ se instalují a spouštějí na místním počítači, zatímco rozšíření typu „workspace“ se spouštějí na vzdáleném počítači.",
+ "extensionKind.ui": "Definujte rozšíření, které lze spustit pouze na místním počítači při připojení k oknu vzdáleného počítače.",
+ "extensionKind.workspace": "Definujte rozšíření, které lze spustit pouze na vzdáleném počítači při připojení okna vzdáleného počítače.",
+ "extensionKind.ui-workspace": "Definujte rozšíření, které lze spustit na obou stranách, ale upřednostňuje spuštění na místním počítači.",
+ "extensionKind.workspace-ui": "Definujte rozšíření, které lze spustit na obou stranách, ale upřednostňuje spuštění na vzdáleném počítači.",
+ "extensionKind.empty": "Definujte rozšíření, které nelze spustit ve vzdáleném kontextu, a to ani na místním ani na vzdáleném počítači.",
+ "vscode.extension.scripts.prepublish": "Skript provedený před publikováním balíčku jako rozšíření VS Code.",
+ "vscode.extension.scripts.uninstall": "Hook odinstalace pro rozšíření VS Code. Skript, který se provede po úplné odinstalaci rozšíření z VS Code, když se VS Code restartuje (vypne a spustí) po odinstalaci rozšíření. Podporovány jsou pouze skripty Node.",
+ "vscode.extension.icon": "Cesta k ikoně o velikosti 128×128 pixelů"
+ },
+ "vs/workbench/services/extensions/node/extensionPoints": {
+ "jsonParseInvalidType": "Neplatný soubor manifestu {0}: Není to objekt JSON.",
+ "jsonParseFail": "Nepovedlo se parsovat {0}: [{1}, {2}] {3}.",
+ "fileReadFail": "Nelze číst soubor {0}: {1}.",
+ "jsonsParseReportErrors": "Nepovedlo se parsovat {0}: {1}.",
+ "jsonInvalidFormat": "Neplatný formát {0}: Očekával se objekt JSON.",
+ "missingNLSKey": "Nepovedlo se najít zprávu pro klíč {0}.",
+ "notSemver": "Verze rozšíření není kompatibilní se sémantickým verzováním (semver).",
+ "extensionDescription.empty": "Prázdný popis rozšíření",
+ "extensionDescription.publisher": "vydavatel vlastnosti musí být typu string",
+ "extensionDescription.name": "Vlastnost {0} je povinná a musí být typu string.",
+ "extensionDescription.version": "Vlastnost {0} je povinná a musí být typu string.",
+ "extensionDescription.engines": "vlastnost {0} je povinná a musí být typu object",
+ "extensionDescription.engines.vscode": "Vlastnost {0} je povinná a musí být typu string.",
+ "extensionDescription.extensionDependencies": "Vlastnost {0} může být vynechána nebo musí být typu string[].",
+ "extensionDescription.activationEvents1": "Vlastnost {0} může být vynechána nebo musí být typu string[].",
+ "extensionDescription.activationEvents2": "Vlastnosti {0} a {1} musí být buď obě zadány, nebo musí být obě vynechány.",
+ "extensionDescription.main1": "Vlastnost {0} může být vynechána nebo musí být typu string.",
+ "extensionDescription.main2": "Očekávalo se, že bude main ({0}) zahrnuto do složky rozšíření ({1}). To by mohlo způsobit, že rozšíření nebude přenosné.",
+ "extensionDescription.main3": "Vlastnosti {0} a {1} musí být buď obě zadány, nebo musí být obě vynechány.",
+ "extensionDescription.browser1": "Vlastnost {0} může být vynechána nebo musí být typu string.",
+ "extensionDescription.browser2": "Očekávalo se, že bude browser ({0}) zahrnuto do složky rozšíření ({1}). To by mohlo způsobit, že rozšíření nebude přenosné.",
+ "extensionDescription.browser3": "Vlastnosti {0} a {1} musí být buď obě zadány, nebo musí být obě vynechány."
+ },
+ "vs/workbench/services/extensions/common/extensionHostManager": {
+ "measureExtHostLatency": "Měřit latenci hostitele rozšíření"
+ },
+ "vs/workbench/services/gettingStarted/common/gettingStartedContent": {
+ "gettingStarted.beginner.title": "Začínáme",
+ "gettingStarted.beginner.description": "Seznamte se s novým editorem.",
+ "pickColorTask.description": "Upravte barvy uživatelského rozhraní tak, aby vyhovovaly vašim předvolbám a pracovnímu prostředí.",
+ "pickColorTask.title": "Barevný motiv",
+ "pickColorTask.button": "Najít motiv",
+ "findKeybindingsTask.description": "Hledat klávesové zkratky pro Vim, Sublime, Atom a další",
+ "findKeybindingsTask.title": "Nakonfigurovat klávesové zkratky",
+ "findKeybindingsTask.button": "Hledat mapy klíčů",
+ "findLanguageExtsTask.description": "Získejte podporu jazyků, jako jsou JavaScript, Python, Java, Azure, Docker a další.",
+ "findLanguageExtsTask.title": "Jazyky a nástroje",
+ "findLanguageExtsTask.button": "Nainstalovat podporu jazyka",
+ "gettingStartedOpenFolder.description": "Otevřete složku projektu a začněte pracovat!",
+ "gettingStartedOpenFolder.title": "Otevřít složku",
+ "gettingStartedOpenFolder.button": "Vybrat složku",
+ "gettingStarted.intermediate.title": "Základy",
+ "gettingStarted.intermediate.description": "Důležité funkce, které si zamilujete",
+ "commandPaletteTask.description": "Nejsnazší způsob, jak najít vše, co VS Code dokáže. Pokud někdy budete hledat nějakou funkci, podívejte se nejdříve sem.",
+ "commandPaletteTask.title": "Paleta příkazů",
+ "commandPaletteTask.button": "Zobrazit všechny příkazy",
+ "gettingStarted.advanced.title": "Tipy a triky",
+ "gettingStarted.advanced.description": "Oblíbené položky expertů VS Code",
+ "gettingStarted.openFolder.title": "Otevřít složku",
+ "gettingStarted.openFolder.description": "Otevřete projekt a začněte pracovat.",
+ "gettingStarted.playground.title": "Interaktivní testovací prostředí",
+ "gettingStarted.interactivePlayground.description": "Informace o základních funkcích editoru"
+ },
+ "vs/workbench/services/integrity/node/integrityService": {
+ "integrity.prompt": "Vaše instalace {0} je pravděpodobně poškozená. Proveďte prosím přeinstalaci.",
+ "integrity.moreInformation": "Další informace",
+ "integrity.dontShowAgain": "Znovu nezobrazovat"
+ },
+ "vs/workbench/services/keybinding/common/keybindingEditing": {
+ "errorKeybindingsFileDirty": "Nelze provést zápis, protože konfigurační soubor klávesových zkratek obsahuje neuložené změny. Nejdříve ho prosím uložte a potom to zkuste znovu.",
+ "parseErrors": "Nelze zapisovat do konfiguračního souboru klávesových zkratek. Otevřete ho prosím, opravte v něm chyby/upozornění a zkuste to znovu.",
+ "errorInvalidConfiguration": "Nelze zapisovat do konfiguračního souboru klávesových zkratek. Obsahuje objekt, který není typu Array. Otevřete prosím soubor, vyčistěte ho a zkuste to znovu.",
+ "emptyKeybindingsHeader": "Pokud chcete přepsat výchozí hodnoty, umístěte do tohoto souboru své klávesové zkratky."
+ },
+ "vs/workbench/services/keybinding/browser/keybindingService": {
+ "nonempty": "byla očekávána neprázdná hodnota.",
+ "requirestring": "Vlastnost {0} je povinná a musí být typu string.",
+ "optstring": "Vlastnost {0} může být vynechána nebo musí být typu string.",
+ "vscode.extension.contributes.keybindings.command": "Identifikátor příkazu, který má být spuštěn při aktivaci klávesové zkratky",
+ "vscode.extension.contributes.keybindings.args": "Argumenty, které se mají předat příkazu, který se má provést",
+ "vscode.extension.contributes.keybindings.key": "Klávesa nebo posloupnost kláves (klávesy oddělujte symbolem plus a posloupnosti mezerou, například Ctrl+O a Ctrl+L L v případě klávesového akordu).",
+ "vscode.extension.contributes.keybindings.mac": "Klávesa nebo posloupnost kláves specifická pro Mac",
+ "vscode.extension.contributes.keybindings.linux": "Klávesa nebo posloupnost kláves specifická pro Linux",
+ "vscode.extension.contributes.keybindings.win": "Klávesa nebo posloupnost kláves specifická pro Windows",
+ "vscode.extension.contributes.keybindings.when": "Podmínka, když je klávesa aktivní",
+ "vscode.extension.contributes.keybindings": "Přidává klávesové zkratky.",
+ "invalid.keybindings": "Neplatné nastavení contributes.{0}: {1}",
+ "unboundCommands": "Tady jsou další dostupné příkazy: ",
+ "keybindings.json.title": "Konfigurace klávesových zkratek",
+ "keybindings.json.key": "Klávesa nebo posloupnost kláves (oddělené mezerou)",
+ "keybindings.json.command": "Název příkazu, který má být proveden",
+ "keybindings.json.when": "Podmínka, když je klávesa aktivní",
+ "keybindings.json.args": "Argumenty, které se mají předat příkazu, který se má provést",
+ "keyboardConfigurationTitle": "Klávesnice",
+ "dispatch": "Řídí logiku odeslání klávesových zkratek. Možné hodnoty code (doporučeno) nebo keyCode"
+ },
+ "vs/workbench/services/label/common/labelService": {
+ "vscode.extension.contributes.resourceLabelFormatters": "Přidává pravidla formátování popisků prostředků.",
+ "vscode.extension.contributes.resourceLabelFormatters.scheme": "Schéma URI, podle kterého se má vyhledat shoda pro formátovací modul. Příklad: file. Jsou podporovány jednoduché vzory glob.",
+ "vscode.extension.contributes.resourceLabelFormatters.authority": "Autorita URI, podle které se má vyhledat shoda pro formátovací modul. Jsou podporovány jednoduché vzory glob.",
+ "vscode.extension.contributes.resourceLabelFormatters.formatting": "Pravidla pro formátování popisků prostředků identifikátorů URI",
+ "vscode.extension.contributes.resourceLabelFormatters.label": "Pravidla popisků, která se mají zobrazit. Příklad: myLabel:/${path}. Podporované proměnné: ${path}, ${scheme} a ${authority}",
+ "vscode.extension.contributes.resourceLabelFormatters.separator": "Oddělovač, který se má použít v zobrazení popisku identifikátoru URI, například lomítko (/) nebo dvojité uvozovky ('').",
+ "vscode.extension.contributes.resourceLabelFormatters.stripPathStartingSeparator": "Určuje, jestli by se u substitucí ${path} měly odstraňovat počáteční znaky oddělovače.",
+ "vscode.extension.contributes.resourceLabelFormatters.tildify": "Určuje, jestli má být začátek popisku identifikátoru URI označen vlnovkou, pokud je to možné.",
+ "vscode.extension.contributes.resourceLabelFormatters.formatting.workspaceSuffix": "Přípona připojená k popisku pracovního prostoru",
+ "untitledWorkspace": "Bez názvu (pracovní prostor)",
+ "workspaceNameVerbose": "{0} (pracovní prostor)",
+ "workspaceName": "{0} (pracovní prostor)"
+ },
+ "vs/workbench/services/lifecycle/electron-sandbox/lifecycleService": {
+ "errorClose": "Při pokusu o zavření okna ({0}) došlo k neočekávané chybě.",
+ "errorQuit": "Při pokusu o ukončení aplikace ({0}) došlo k neočekávané chybě.",
+ "errorReload": "Při pokusu o opětovné načtení okna ({0}) došlo k neočekávané chybě.",
+ "errorLoad": "Při pokusu o změnu pracovního prostoru okna ({0}) došlo k neočekávané chybě."
+ },
+ "vs/workbench/services/mode/common/workbenchModeService": {
+ "vscode.extension.contributes.languages": "Přidává deklarace jazyka.",
+ "vscode.extension.contributes.languages.id": "ID daného jazyka",
+ "vscode.extension.contributes.languages.aliases": "Aliasy názvu pro daný jazyk",
+ "vscode.extension.contributes.languages.extensions": "Přípony souborů přidružené k danému jazyku",
+ "vscode.extension.contributes.languages.filenames": "Názvy souborů přidružené k danému jazyku",
+ "vscode.extension.contributes.languages.filenamePatterns": "Vzory glob názvu souboru přidružené k danému jazyku",
+ "vscode.extension.contributes.languages.mimetypes": "Typy Mime přidružené k danému jazyku",
+ "vscode.extension.contributes.languages.firstLine": "Regulární výraz odpovídající prvnímu řádku souboru daného jazyka",
+ "vscode.extension.contributes.languages.configuration": "Relativní cesta k souboru, který obsahuje možnosti konfigurace pro daný jazyk",
+ "invalid": "Neplatné nastavení contributes.{0}. Očekávalo se pole hodnot.",
+ "invalid.empty": "Prázdná hodnota nastavení contributes.{0}",
+ "require.id": "Vlastnost {0} je povinná a musí být typu string.",
+ "opt.extensions": "Vlastnost {0} může být vynechána a musí být typu string[].",
+ "opt.filenames": "Vlastnost {0} může být vynechána a musí být typu string[].",
+ "opt.firstLine": "Vlastnost {0} může být vynechána a musí být typu string.",
+ "opt.configuration": "Vlastnost {0} může být vynechána a musí být typu string.",
+ "opt.aliases": "Vlastnost {0} může být vynechána a musí být typu string[].",
+ "opt.mimetypes": "Vlastnost {0} může být vynechána a musí být typu string[]."
+ },
+ "vs/workbench/services/notification/common/notificationService": {
+ "neverShowAgain": "Znovu nezobrazovat"
+ },
+ "vs/workbench/services/preferences/common/preferences": {
+ "userSettingsTarget": "Uživatelská nastavení",
+ "workspaceSettingsTarget": "Nastavení pracovního prostoru"
+ },
+ "vs/workbench/services/preferences/browser/preferencesService": {
+ "openFolderFirst": "Pokud chcete vytvořit nastavení pracovního prostoru, nejdříve otevřete složku.",
+ "emptyKeybindingsHeader": "Pokud chcete přepsat výchozí hodnoty, umístěte do tohoto souboru své klávesové zkratky.",
+ "defaultKeybindings": "Výchozí klávesové zkratky",
+ "defaultSettings": "Výchozí nastavení",
+ "folderSettingsName": "{0} (nastavení složky)",
+ "fail.createSettings": "Nelze vytvořit {0} ({1})."
+ },
+ "vs/workbench/services/preferences/common/preferencesEditorInput": {
+ "settingsEditorName": "Výchozí nastavení",
+ "keybindingsInputName": "Klávesové zkratky",
+ "settingsEditor2InputName": "Nastavení"
+ },
+ "vs/workbench/services/preferences/common/preferencesModels": {
+ "commonlyUsed": "Běžně používané",
+ "defaultKeybindingsHeader": "Umožňuje přepsat klávesové zkratky jejich umístěním do souboru klávesových zkratek."
+ },
+ "vs/workbench/services/preferences/common/keybindingsEditorModel": {
+ "default": "Výchozí",
+ "extension": "Rozšíření",
+ "user": "Uživatel",
+ "cat.title": "{0}: {1}",
+ "option": "parametr",
+ "meta": "meta"
+ },
+ "vs/workbench/services/preferences/common/preferencesValidation": {
+ "validations.expectedNumeric": "Hodnota musí být číslo.",
+ "invalidTypeError": "Nastavení má neplatný typ. Očekávalo se {0}. Opravte to v kódu JSON.",
+ "validations.maxLength": "Maximální povolený počet znaků hodnoty je {0}.",
+ "validations.minLength": "Minimální povolený počet znaků hodnoty je {0}.",
+ "validations.regex": "Hodnota musí odpovídat regulárnímu výrazu {0}.",
+ "validations.colorFormat": "Neplatný formát barvy. Použijte #RGB, #RGBA, #RRGGBB nebo #RRGGBBAA.",
+ "validations.uriEmpty": "Očekával se identifikátor URI.",
+ "validations.uriMissing": "Očekává se identifikátor URI.",
+ "validations.uriSchemeMissing": "Očekává se identifikátor URI se schématem.",
+ "validations.exclusiveMax": "Hodnota musí být vždy menší než {0}.",
+ "validations.exclusiveMin": "Hodnota musí být vždy větší než {0}.",
+ "validations.max": "Hodnota musí být menší nebo rovna {0}.",
+ "validations.min": "Hodnota musí být větší nebo rovna {0}.",
+ "validations.multipleOf": "Hodnota musí být násobkem {0}.",
+ "validations.expectedInteger": "Hodnotou musí být celé číslo.",
+ "validations.stringArrayUniqueItems": "Pole hodnot obsahuje duplicitní položky.",
+ "validations.stringArrayMinItem": "Pole hodnot musí obsahovat minimálně tento počet položek: {0}.",
+ "validations.stringArrayMaxItem": "Pole hodnot může obsahovat maximálně tento počet položek: {0}.",
+ "validations.stringArrayItemPattern": "Hodnota {0} musí odpovídat regulárnímu výrazu {1}.",
+ "validations.stringArrayItemEnum": "Hodnota {0} není jednou z těchto hodnot: {1}"
+ },
+ "vs/workbench/services/progress/browser/progressService": {
+ "progress.text2": "{0}: {1}",
+ "progress.title3": "[{0}] {1}: {2}",
+ "progress.title2": "[{0}]: {1}",
+ "status.progress": "Zpráva o průběhu",
+ "cancel": "Zrušit",
+ "dismiss": "Zavřít"
+ },
+ "vs/workbench/services/remote/common/abstractRemoteAgentService": {
+ "connectionError": "Nepovedlo se připojit ke vzdálenému serveru hostitele rozšíření. (Chyba: {0})"
+ },
+ "vs/workbench/services/textfile/electron-browser/nativeTextFileService": {
+ "fileReadOnlyError": "Soubor je jen pro čtení"
+ },
+ "vs/workbench/services/textfile/browser/textFileService": {
+ "fileBinaryError": "Vypadá to, že soubor je binární a nedá se otevřít jako text.",
+ "confirmOverwrite": "{0} už existuje. Chcete provést nahrazení?",
+ "irreversible": "Soubor nebo složka s názvem {0} už ve složce {1} existují. Jejich nahrazením se přepíše jejich aktuální obsah.",
+ "replaceButtonLabel": "&&Nahradit"
+ },
+ "vs/workbench/services/textfile/common/textFileEditorModelManager": {
+ "genericSaveError": "Nepovedlo se uložit {0}: {1}"
+ },
+ "vs/workbench/services/textfile/common/textFileEditorModel": {
+ "saveFileFirst": "Soubor obsahuje neuložené změny. Pokud ho chcete znovu otevřít s jiným kódováním, nejdříve ho prosím uložte."
+ },
+ "vs/workbench/services/textfile/common/textFileSaveParticipant": {
+ "saveParticipants": "Ukládá se: {0}."
+ },
+ "vs/workbench/services/textMate/browser/abstractTextMateService": {
+ "alreadyDebugging": "Protokolování už probíhá.",
+ "stop": "Zastavit",
+ "progress1": "Připravuje se protokolování parsování gramatiky TM. Po dokončení zvolte Zastavit.",
+ "progress2": "Protokoluje se parsování gramatiky TM. Po dokončení zvolte Zastavit.",
+ "invalid.language": "Neznámý jazyk v contributes.{0}.language. Zadaná hodnota: {1}",
+ "invalid.scopeName": "V contributes.{0}.scopeName byl očekáván řetězec. Zadaná hodnota: {1}",
+ "invalid.path.0": "Očekávalo se, že contributes.{0}.path bude obsahovat řetězec. Zadaná hodnota: {1}",
+ "invalid.injectTo": "Neplatná hodnota v contributes.{0}.injectTo. Musí se jednat o pole hodnot názvů oboru jazyka. Zadaná hodnota: {1}",
+ "invalid.embeddedLanguages": "Neplatná hodnota v nastavení contributes.{0}.embeddedLanguages. Musí se jednat o mapování objektu z názvu oboru na jazyk. Zadaná hodnota: {1}",
+ "invalid.tokenTypes": "Neplatná hodnota v nastavení contributes.{0}.tokenTypes. Musí se jednat o mapování objektu z názvu oboru na typ tokenu. Zadaná hodnota: {1}",
+ "invalid.path.1": "Očekávalo se, že bude contributes.{0}.path ({1}) zahrnuto do složky rozšíření ({2}). To by mohlo způsobit, že rozšíření nebude přenosné.",
+ "too many characters": "U dlouhých řádků je tokenizace z důvodu výkonu vynechána. Délku dlouhých řádků je možné nakonfigurovat prostřednictvím nastavení editor.maxTokenizationLineLength.",
+ "neverAgain": "Znovu nezobrazovat"
+ },
+ "vs/workbench/services/textMate/common/TMGrammars": {
+ "vscode.extension.contributes.grammars": "Přidává tokenizátory TextMate.",
+ "vscode.extension.contributes.grammars.language": "Identifikátor jazyka, pro který je tato syntaxe přidávána",
+ "vscode.extension.contributes.grammars.scopeName": "Název oboru TextMate, který se používá v souboru tmLanguage",
+ "vscode.extension.contributes.grammars.path": "Cesta k souboru tmLanguage. Cesta je relativní ke složce rozšíření a obvykle začíná na ./syntaxes/.",
+ "vscode.extension.contributes.grammars.embeddedLanguages": "Mapování názvu oboru na ID jazyka, pokud tato gramatika obsahuje vložené jazyky",
+ "vscode.extension.contributes.grammars.tokenTypes": "Mapování názvu oboru na typy tokenů",
+ "vscode.extension.contributes.grammars.injectTo": "Seznam názvů oboru jazyka, do kterých je tato gramatika vložena."
+ },
+ "vs/workbench/services/textMate/common/TMGrammarFactory": {
+ "no-tm-grammar": "Pro tento jazyk není zaregistrovaná žádná gramatika TM."
+ },
+ "vs/workbench/services/themes/browser/workbenchThemeService": {
+ "error.cannotloadtheme": "Nelze načíst {0}: {1}"
+ },
+ "vs/workbench/services/themes/common/colorExtensionPoint": {
+ "contributes.color": "Přidává barvy motivu definované rozšířením.",
+ "contributes.color.id": "Identifikátor barvy motivu",
+ "contributes.color.id.format": "Identifikátory mohou obsahovat pouze písmena, číslice a tečky a nemůžou začínat tečkou.",
+ "contributes.color.description": "Popis barvy motivu",
+ "contributes.defaults.light": "Výchozí barva pro světlé motivy. Buď hodnota barvy v šestnáctkovém formátu (#RRGGBB[AA] nebo #RGB[A]), nebo identifikátor barvy motivu, což je výchozí hodnota",
+ "contributes.defaults.dark": "Výchozí barva pro tmavé motivy. Buď hodnota barvy v šestnáctkovém formátu (#RRGGBB[AA] nebo #RGB[A]), nebo identifikátor barvy motivu, což je výchozí hodnota",
+ "contributes.defaults.highContrast": "Výchozí barva pro vysoce kontrastní motivy. Buď hodnota barvy v šestnáctkovém formátu (#RRGGBB[AA] nebo #RGB[A]), nebo identifikátor barvy motivu, což je výchozí hodnota",
+ "invalid.colorConfiguration": "configuration.colors musí být pole hodnot.",
+ "invalid.default.colorType": "{0} musí být hodnota barvy v šestnáctkovém formátu (#RRGGBB[AA] nebo #RGB[A]) nebo identifikátor barvy motivu, což je výchozí hodnota",
+ "invalid.id": "configuration.colors.id musí být definované a nemůže být prázdné.",
+ "invalid.id.format": "configuration.colors.id může obsahovat pouze písmena, číslice a tečky a nemůže začínat tečkou.",
+ "invalid.description": "configuration.colors.description musí být definované a nemůže být prázdné.",
+ "invalid.defaults": "configuration.colors.defaults musí být definované a musí obsahovat hodnoty light, dark a highContrast."
+ },
+ "vs/workbench/services/themes/common/tokenClassificationExtensionPoint": {
+ "contributes.semanticTokenTypes": "Přidává typy sémantických tokenů.",
+ "contributes.semanticTokenTypes.id": "Identifikátor typu sémantického tokenu",
+ "contributes.semanticTokenTypes.id.format": "Identifikátory musí být ve tvaru písmenoNeboČíslice[_-písmenoNeboČíslice]*",
+ "contributes.semanticTokenTypes.superType": "Supertyp typu sémantického tokenu",
+ "contributes.semanticTokenTypes.superType.format": "Supertypy by měly být ve tvaru písmenoNeboČíslice[_-písmenoNeboČíslice]*",
+ "contributes.color.description": "Popis typu sémantického tokenu",
+ "contributes.semanticTokenModifiers": "Přidává modifikátory sémantických tokenů.",
+ "contributes.semanticTokenModifiers.id": "Identifikátor modifikátoru sémantického tokenu",
+ "contributes.semanticTokenModifiers.id.format": "Identifikátory musí být ve tvaru písmenoNeboČíslice[_-písmenoNeboČíslice]*",
+ "contributes.semanticTokenModifiers.description": "Popis modifikátoru sémantického tokenu",
+ "contributes.semanticTokenScopes": "Přidává mapování oborů sémantických tokenů.",
+ "contributes.semanticTokenScopes.languages": "Zobrazí informace o jazyku, pro který jsou určeny výchozí hodnoty.",
+ "contributes.semanticTokenScopes.scopes": "Mapuje sémantický token (popsaný v selektoru sémantických tokenů) na jeden nebo více oborů textMate, které se používají k reprezentaci tohoto tokenu.",
+ "invalid.id": "configuration.{0}.id musí být definované a nemůže být prázdné.",
+ "invalid.id.format": "configuration.{0}.id musí odpovídat vzoru písmenoNeboČíslice[-_písmenoNeboČíslice]*",
+ "invalid.superType.format": "configuration.{0}.superType musí odpovídat vzoru písmenoNeboČíslice[-_písmenoNeboČíslice]*",
+ "invalid.description": "configuration.{0}.description musí být definované a nemůže být prázdné.",
+ "invalid.semanticTokenTypeConfiguration": "configuration.semanticTokenType musí být pole hodnot.",
+ "invalid.semanticTokenModifierConfiguration": "configuration.semanticTokenModifier musí být pole hodnot.",
+ "invalid.semanticTokenScopes.configuration": "configuration.semanticTokenScopes musí být pole hodnot.",
+ "invalid.semanticTokenScopes.language": "configuration.semanticTokenScopes.language musí být řetězec.",
+ "invalid.semanticTokenScopes.scopes": "configuration.semanticTokenScopes.scopes musí být definované jako objekt.",
+ "invalid.semanticTokenScopes.scopes.value": "Hodnoty configuration.semanticTokenScopes.scopes musí být pole hodnot řetězců.",
+ "invalid.semanticTokenScopes.scopes.selector": "configuration.semanticTokenScopes.scopes: problémy při parsování selektoru {0}"
+ },
+ "vs/workbench/services/themes/common/colorThemeData": {
+ "error.cannotparsejson": "Problémy s parsováním souboru motivu JSON: {0}",
+ "error.invalidformat": "Neplatný formát souboru motivu JSON: Očekával se objekt.",
+ "error.invalidformat.colors": "Problém s parsováním souboru barevného motivu: {0}. Vlastnost colors není typu object.",
+ "error.invalidformat.tokenColors": "Problém s parsováním souboru barevného motivu: {0}. Vlastnost tokenColors by měla být buď pole hodnot určující barvy, nebo cesta k souboru motivu TextMate.",
+ "error.invalidformat.semanticTokenColors": "Problém s parsováním souboru barevného motivu: {0}. Vlastnost semanticTokenColors obsahuje neplatný selektor.",
+ "error.plist.invalidformat": "Problém s parsováním souboru tmTheme: {0}: settings není pole hodnot.",
+ "error.cannotparse": "Problémy s parsováním souboru tmTheme: {0}",
+ "error.cannotload": "Problémy s načtením souboru tmTheme {0}: {1}"
+ },
+ "vs/workbench/services/themes/common/fileIconThemeSchema": {
+ "schema.folderExpanded": "Ikona složky pro rozbalené složky. Ikona rozbalené složky je volitelná. Pokud není nastaveno, zobrazí se ikona definovaná pro složku.",
+ "schema.folder": "Ikona složky pro sbalené složky, a pokud není nastavená možnost folderExpanded, i pro rozbalené složky",
+ "schema.file": "Výchozí ikona souboru, která se zobrazí pro všechny soubory neodpovídající žádnému rozšíření, názvu souboru nebo ID jazyka",
+ "schema.folderNames": "Přidruží názvy složek k ikonám. Klíčem objektu je název složky bez segmentů cesty. Nelze použít vzory ani zástupné znaky. Při porovnávání názvů složek se nerozlišují malá a velká písmena.",
+ "schema.folderName": "ID definice ikony pro přidružení",
+ "schema.folderNamesExpanded": "Přidruží názvy složek k ikonám pro rozbalené složky. Klíčem objektu je název složky bez segmentů cesty. Nelze použít vzory ani zástupné znaky. Při porovnávání názvů složek se nerozlišují malá a velká písmena.",
+ "schema.folderNameExpanded": "ID definice ikony pro přidružení",
+ "schema.fileExtensions": "Přidruží přípony souborů k ikonám. Klíčem objektu je název přípony souboru. Název přípony je posledním segmentem názvu souboru za poslední tečkou (bez tečky samotné). Přípony se porovnávají bez rozlišování malých a velkých písmen.",
+ "schema.fileExtension": "ID definice ikony pro přidružení",
+ "schema.fileNames": "Přidruží názvy souborů k ikonám. Klíčem objektu je celý název souboru bez segmentů cesty. Název souboru může obsahovat tečky a případně i příponu souboru. Nelze použít vzory ani zástupné znaky. Při porovnávání názvů souborů se nerozlišují malá a velká písmena.",
+ "schema.fileName": "ID definice ikony pro přidružení",
+ "schema.languageIds": "Přidruží jazyky k ikonám. Klíčem objektu je ID jazyka definované v přidávacím bodě pro daný jazyk.",
+ "schema.languageId": "ID definice ikony pro přidružení",
+ "schema.fonts": "Písma, která se používají v definicích ikon",
+ "schema.id": "ID písma",
+ "schema.id.formatError": "ID může obsahovat pouze písmena, číslice, podtržítka a symbol minus.",
+ "schema.src": "Umístění písma",
+ "schema.font-path": "Cesta k písmu relativní vzhledem k aktuálnímu souboru motivu ikon souboru",
+ "schema.font-format": "Formát písma",
+ "schema.font-weight": "Tloušťka písma. Platné hodnoty najdete na https://developer.mozilla.org/en-US/docs/Web/CSS/font-weight.",
+ "schema.font-style": "Styl písma. Platné hodnoty najdete na https://developer.mozilla.org/en-US/docs/Web/CSS/font-style.",
+ "schema.font-size": "Výchozí velikost písma. Platné hodnoty najdete na https://developer.mozilla.org/en-US/docs/Web/CSS/font-size.",
+ "schema.iconDefinitions": "Popis všech ikon, které mohou být použity při přidružování souborů k ikonám",
+ "schema.iconDefinition": "Definice ikony. Klíčem objektu je ID definice.",
+ "schema.iconPath": "Při použití SVG nebo PNG: Cesta k obrázku. Cesta je relativní k souboru sady ikon.",
+ "schema.fontCharacter": "Při použití piktogramového písma: znak v písmu, který se má použít",
+ "schema.fontColor": "Při použití piktogramového písma: barva, která se má použít",
+ "schema.fontSize": "Při použití písma: Velikost písma jako procento písma textu. Pokud není nastaveno, ve výchozím nastavení se použije velikost z definice písma.",
+ "schema.fontId": "Při použití písma: ID písma. Pokud není nastaveno, ve výchozím nastavení se použije první definice písma.",
+ "schema.light": "Volitelná přidružení pro ikony souborů ve světlých barevných motivech",
+ "schema.highContrast": "Volitelná přidružení pro ikony souboru v barevných motivech s vysokým kontrastem",
+ "schema.hidesExplorerArrows": "Konfiguruje, jestli mají být skryté šipky průzkumníka souboru, když je tento motiv aktivní."
+ },
+ "vs/workbench/services/themes/browser/fileIconThemeData": {
+ "error.cannotparseicontheme": "Problémy s parsováním souboru ikon souboru: {0}",
+ "error.invalidformat": "Neplatný formát souboru motivu ikon souboru: Očekával se objekt."
+ },
+ "vs/workbench/services/themes/common/colorThemeSchema": {
+ "schema.token.settings": "Barvy a styly pro token",
+ "schema.token.foreground": "Barva popředí tokenu",
+ "schema.token.background.warning": "Barvy pozadí tokenu nejsou aktuálně podporovány.",
+ "schema.token.fontStyle": "Řez písma pravidla: italic (kurzíva), bold (tučné) nebo underline (podtržené) nebo jejich kombinace. Prázdný řetězec ruší zděděné nastavení.",
+ "schema.fontStyle.error": "Řez písma musí být italic (kurzíva), bold (tučné) nebo underline (podtržené) nebo jejich kombinace, případně to může být prázdný řetězec.",
+ "schema.token.fontStyle.none": "Žádný (vymazat zděděný styl)",
+ "schema.properties.name": "Popis pravidla",
+ "schema.properties.scope": "Selektor oboru, pro který se toto pravidlo shoduje",
+ "schema.workbenchColors": "Barvy na pracovní ploše",
+ "schema.tokenColors.path": "Cesta k souboru tmTheme (relativní k aktuálnímu souboru)",
+ "schema.colors": "Barvy pro zvýrazňování syntaxe",
+ "schema.supportsSemanticHighlighting": "Určuje, jestli má být pro tento motiv povoleno sémantické zvýrazňování.",
+ "schema.semanticTokenColors": "Barvy pro sémantické tokeny"
+ },
+ "vs/workbench/services/themes/common/themeExtensionPoints": {
+ "vscode.extension.contributes.themes": "Přidává barevné motivy textmate.",
+ "vscode.extension.contributes.themes.id": "ID barevného motivu používané v uživatelských nastaveních",
+ "vscode.extension.contributes.themes.label": "Popisek barevného motivu zobrazovaný v uživatelském rozhraní",
+ "vscode.extension.contributes.themes.uiTheme": "Základní motiv definující barvy v editoru: vs je světlý barevný motiv, vs-dark je tmavý barevný motiv a hc-black je tmavý motiv s vysokým kontrastem.",
+ "vscode.extension.contributes.themes.path": "Cesta k souboru tmTheme. Cesta je relativní vzhledem ke složce rozšíření a obvykle má tento tvar: ./colorthemes/awesome-color-theme.json.",
+ "vscode.extension.contributes.iconThemes": "Přidává motivy ikon souborů.",
+ "vscode.extension.contributes.iconThemes.id": "ID motivu ikon souboru používané v uživatelských nastaveních",
+ "vscode.extension.contributes.iconThemes.label": "Popisek motivu ikon souboru zobrazovaný v uživatelském rozhraní",
+ "vscode.extension.contributes.iconThemes.path": "Cesta k souboru definice motivu ikon souboru. Cesta je relativní vzhledem ke složce rozšíření a obvykle má tento tvar: ./fileicons/awesome-icon-theme.json.",
+ "vscode.extension.contributes.productIconThemes": "Přidává motivy ikon produktu.",
+ "vscode.extension.contributes.productIconThemes.id": "ID motivu ikon produktu používané v uživatelských nastaveních",
+ "vscode.extension.contributes.productIconThemes.label": "Popisek motivu ikon produktu zobrazovaný v uživatelském rozhraní",
+ "vscode.extension.contributes.productIconThemes.path": "Cesta k souboru definice motivu ikon produktu. Cesta je relativní vzhledem ke složce rozšíření a obvykle má tento tvar: ./producticons/awesome-product-icon-theme.json.",
+ "reqarray": "Bod rozšíření {0} musí být pole hodnot.",
+ "reqpath": "Očekávalo se, že contributes.{0}.path bude obsahovat řetězec. Zadaná hodnota: {1}",
+ "reqid": "V contributes.{0}.id byl očekáván řetězec. Zadaná hodnota: {1}",
+ "invalid.path.1": "Očekávalo se, že bude contributes.{0}.path ({1}) zahrnuto do složky rozšíření ({2}). To by mohlo způsobit, že rozšíření nebude přenosné."
+ },
+ "vs/workbench/services/themes/common/themeConfiguration": {
+ "colorTheme": "Určuje barevný motiv používaný na pracovní ploše.",
+ "colorThemeError": "Motiv je neznámý nebo není nainstalovaný.",
+ "preferredDarkColorTheme": "Určuje preferovaný barevný motiv pro tmavý vzhled operačního systému, když je povolena funkce #{0}#.",
+ "preferredLightColorTheme": "Určuje preferovaný barevný motiv pro světlý vzhled operačního systému, když je povolené nastavení #{0}#.",
+ "preferredHCColorTheme": "Určuje preferovaný barevný motiv používaný v režimu vysokého kontrastu, když je povolena funkce #{0}#.",
+ "detectColorScheme": "Pokud je nastaveno, automaticky přepne na upřednostňovaný barevný motiv na základě vzhledu operačního systému.",
+ "workbenchColors": "Přepíše barvy z aktuálně vybraného barevného motivu.",
+ "iconTheme": "Určuje motiv ikon souboru použitý na pracovní ploše. Pokud chcete, aby se nezobrazovaly žádné ikony souboru, zvolte možnost null.",
+ "noIconThemeLabel": "Žádný",
+ "noIconThemeDesc": "Žádné ikony souborů",
+ "iconThemeError": "Motiv ikon souboru je neznámý nebo není nainstalovaný.",
+ "productIconTheme": "Určuje použitý motiv ikon produktu.",
+ "defaultProductIconThemeLabel": "Výchozí",
+ "defaultProductIconThemeDesc": "Výchozí",
+ "productIconThemeError": "Motiv ikon produktu je neznámý nebo není nainstalovaný.",
+ "autoDetectHighContrast": "Pokud je tato možnost povolená, dojde automaticky k přepnutí na motiv s vysokým kontrastem, pokud ho operační systém používá.",
+ "editorColors.comments": "Nastaví barvy a styly pro komentáře.",
+ "editorColors.strings": "Nastaví barvy a styly pro řetězcové literály.",
+ "editorColors.keywords": "Nastaví barvy a styly pro klíčová slova.",
+ "editorColors.numbers": "Nastaví barvy a styly pro číselné literály.",
+ "editorColors.types": "Nastaví barvy a styly pro odkazy a deklarace typů.",
+ "editorColors.functions": "Nastaví barvy a styly pro odkazy a deklarace funkcí.",
+ "editorColors.variables": "Nastaví barvy a styly pro odkazy a deklarace proměnných.",
+ "editorColors.textMateRules": "Nastaví barvy a styly pomocí pravidel motivů textmate (upřesnit).",
+ "editorColors.semanticHighlighting": "Určuje, jestli má být pro tento motiv povoleno sémantické zvýrazňování.",
+ "editorColors.semanticHighlighting.deprecationMessage": "Místo toho použijte hodnotu enabled nastavení editor.semanticTokenColorCustomizations.",
+ "editorColors.semanticHighlighting.deprecationMessageMarkdown": "Místo toho použijte nastavení Enabled v #editor.semanticTokenColorCustomizations#.",
+ "editorColors": "Přepíše barvy syntaxe editoru a řez písma z aktuálně vybraného barevného motivu.",
+ "editorColors.semanticHighlighting.enabled": "Určuje, jestli je pro tento motiv povoleno nebo zakázáno sémantické zvýrazňování.",
+ "editorColors.semanticHighlighting.rules": "Pravidla stylu sémantického tokenu pro tento motiv",
+ "semanticTokenColors": "Přepíše barvu a styly sémantického tokenu editoru z aktuálně vybraného barevného motivu.",
+ "editorColors.experimentalTokenStyling.deprecationMessage": "Místo toho použijte nastavení editor.semanticTokenColorCustomizations.",
+ "editorColors.experimentalTokenStyling.deprecationMessageMarkdown": "Místo toho použijte #editor.semanticTokenColorCustomizations#."
+ },
+ "vs/workbench/services/themes/browser/productIconThemeData": {
+ "error.parseicondefs": "Problémy se zpracováním definicí ikon produktu v {0}:\r\n{1}",
+ "defaultTheme": "Výchozí",
+ "error.cannotparseicontheme": "Problémy s parsováním souboru ikon produktu: {0}",
+ "error.invalidformat": "Neplatný formát souboru motivu ikon produktu: Očekával se objekt.",
+ "error.missingProperties": "Neplatný formát souboru motivu ikon produktu: Musí obsahovat definice ikon (iconDefinition) a písma (font).",
+ "error.fontWeight": "Neplatná tloušťka písma v písmu {0}. Nastavení se ignoruje.",
+ "error.fontStyle": "Neplatný řez písma v písmu {0}. Nastavení se ignoruje.",
+ "error.fontId": "Chybějící nebo neplatné ID písma {0}. Definice písma se přeskakuje.",
+ "error.icon.fontId": "Přeskakuje se definice ikony {0}. Neznámé písmo (font)",
+ "error.icon.fontCharacter": "Přeskakuje se definice ikony {0}. Neznámý znak písma (fontCharacter)"
+ },
+ "vs/workbench/services/themes/common/productIconThemeSchema": {
+ "schema.id": "ID písma",
+ "schema.id.formatError": "ID může obsahovat pouze písmena, číslice, podtržítka a symbol minus.",
+ "schema.src": "Umístění písma",
+ "schema.font-path": "Cesta k písmu relativní vzhledem k aktuálnímu souboru motivu ikon produktu",
+ "schema.font-format": "Formát písma",
+ "schema.font-weight": "Tloušťka písma. Platné hodnoty najdete na https://developer.mozilla.org/en-US/docs/Web/CSS/font-weight.",
+ "schema.font-style": "Styl písma. Platné hodnoty najdete na https://developer.mozilla.org/en-US/docs/Web/CSS/font-style.",
+ "schema.iconDefinitions": "Přidružení názvu ikony ke znaku písma"
+ },
+ "vs/workbench/services/userDataSync/common/userDataSync": {
+ "settings": "Nastavení",
+ "keybindings": "Klávesové zkratky",
+ "snippets": "Fragmenty kódu uživatele",
+ "extensions": "Rozšíření",
+ "ui state label": "Stav uživatelského rozhraní",
+ "sync category": "Synchronizace nastavení",
+ "syncViewIcon": "Zobrazit ikonu zobrazení synchronizace nastavení"
+ },
+ "vs/workbench/services/userDataSync/browser/userDataSyncWorkbenchService": {
+ "no authentication providers": "Synchronizaci nastavení nelze zapnout, protože nejsou k dispozici žádní zprostředkovatelé ověřování.",
+ "no account": "Není k dispozici žádný účet.",
+ "show log": "zobrazit protokol",
+ "sync turned on": "{0} je zapnuto",
+ "sync in progress": "Zapíná se synchronizace nastavení. Chcete to zrušit?",
+ "settings sync": "Synchronizace nastavení",
+ "yes": "&&Ano",
+ "no": "&&Ne",
+ "turning on": "Zapínání...",
+ "syncing resource": "Synchronizuje se {0}...",
+ "conflicts detected": "Zjištěny konflikty",
+ "merge Manually": "Sloučit ručně...",
+ "resolve": "Sloučení nelze provést, protože byly zjištěny konflikty. Pokud chcete pokračovat, proveďte prosím sloučení ručně...",
+ "merge or replace": "Sloučit nebo nahradit",
+ "merge": "Sloučit",
+ "replace local": "Nahradit místní",
+ "cancel": "Zrušit",
+ "first time sync detail": "Vypadá to, že jste poslední synchronizaci prováděli z jiného počítače.\r\nChcete data sloučit nebo je chcete nahradit daty z cloudu?",
+ "reset": "Vymažete tím svá cloudová data a zastavíte synchronizaci na všech svých zařízeních.",
+ "reset title": "Vymazat",
+ "resetButton": "&&Resetovat",
+ "choose account placeholder": "Vyberte účet pro přihlášení.",
+ "signed in": "Uživatel přihlášen",
+ "last used": "Naposledy použito se synchronizací",
+ "others": "Jiné",
+ "sign in using account": "Přihlásit přes {0}",
+ "successive auth failures": "Synchronizace nastavení je kvůli opakovaným selháním autorizace pozastavená. Pokud chcete pokračovat v synchronizaci, přihlaste se prosím znovu.",
+ "sign in": "Přihlásit se"
+ },
+ "vs/workbench/services/views/browser/viewDescriptorService": {
+ "resetViewLocation": "Obnovit umístění"
+ },
+ "vs/workbench/services/workingCopy/common/workingCopyFileOperationParticipant": {
+ "msg-create": "Spouštějí se účastníci akce vytváření souboru...",
+ "msg-rename": "Spouštějí se účastníci akce přejmenování souboru...",
+ "msg-copy": "Spouštějí se účastníci akce kopírování souboru...",
+ "msg-delete": "Spouštějí se účastníci akce odstranění souboru..."
+ },
+ "vs/workbench/services/workspaces/electron-sandbox/workspaceEditingService": {
+ "save": "Uložit",
+ "doNotSave": "Neukládat",
+ "cancel": "Zrušit",
+ "saveWorkspaceMessage": "Chcete uložit konfiguraci pracovního prostoru jako soubor?",
+ "saveWorkspaceDetail": "Pokud chcete pracovní prostor znovu otevřít, uložte ho.",
+ "workspaceOpenedMessage": "Pracovní prostor {0} nelze uložit.",
+ "ok": "OK",
+ "workspaceOpenedDetail": "Pracovní prostor už je otevřený v jiném okně. Nejdříve prosím toto okno zavřete a pak to zkuste znovu."
+ },
+ "vs/workbench/services/workspaces/browser/abstractWorkspaceEditingService": {
+ "save": "Uložit",
+ "saveWorkspace": "Uložit pracovní prostor",
+ "errorInvalidTaskConfiguration": "Do souboru konfigurace pracovního prostoru nelze zapisovat. Otevřete prosím soubor, opravte v něm chyby/upozornění a zkuste to znovu.",
+ "errorWorkspaceConfigurationFileDirty": "Do souboru konfigurace pracovního prostoru nelze zapisovat, protože soubor obsahuje neuložené změny. Uložte ho prosím a zkuste to znovu.",
+ "openWorkspaceConfigurationFile": "Otevřít konfiguraci pracovního prostoru"
+ }
+}
diff --git a/internal/vite-plugin-monaco-editor-nls/src/locale/de.json b/internal/vite-plugin-monaco-editor-nls/src/locale/de.json
new file mode 100644
index 0000000..94f8186
--- /dev/null
+++ b/internal/vite-plugin-monaco-editor-nls/src/locale/de.json
@@ -0,0 +1,8306 @@
+{
+ "vs/base/common/date": {
+ "date.fromNow.in": "in \"{0}\"",
+ "date.fromNow.now": "jetzt",
+ "date.fromNow.seconds.singular.ago": "Vor {0} Sekunde(n)",
+ "date.fromNow.seconds.plural.ago": "Vor {0} Sekunde(n)",
+ "date.fromNow.seconds.singular": "{0} s",
+ "date.fromNow.seconds.plural": "{0} Sekunde(n)",
+ "date.fromNow.minutes.singular.ago": "Vor {0} Minute(n)",
+ "date.fromNow.minutes.plural.ago": "Vor {0} Minute(n)",
+ "date.fromNow.minutes.singular": "{0} min",
+ "date.fromNow.minutes.plural": "{0} Minute(n)",
+ "date.fromNow.hours.singular.ago": "Vor {0} Stunde(n)",
+ "date.fromNow.hours.plural.ago": "Vor {0} Stunde(n)",
+ "date.fromNow.hours.singular": "{0} Std.",
+ "date.fromNow.hours.plural": "{0} Stunde(n)",
+ "date.fromNow.days.singular.ago": "Vor {0} Tag",
+ "date.fromNow.days.plural.ago": "Vor {0} Tagen",
+ "date.fromNow.days.singular": "{0} Tag(e)",
+ "date.fromNow.days.plural": "{0} Tage",
+ "date.fromNow.weeks.singular.ago": "Vor {0} Woche(n)",
+ "date.fromNow.weeks.plural.ago": "Vor {0} Woche(n)",
+ "date.fromNow.weeks.singular": "{0} Woche(n)",
+ "date.fromNow.weeks.plural": "{0} Woche(n)",
+ "date.fromNow.months.singular.ago": "Vor {0} Monat(en)",
+ "date.fromNow.months.plural.ago": "Vor {0} Monat(en)",
+ "date.fromNow.months.singular": "{0} Monat",
+ "date.fromNow.months.plural": "{0} Monate",
+ "date.fromNow.years.singular.ago": "Vor {0} Jahre(n)",
+ "date.fromNow.years.plural.ago": "Vor {0} Jahr(en)",
+ "date.fromNow.years.singular": "{0} Jahr(e)",
+ "date.fromNow.years.plural": "{0} Jahr(e)"
+ },
+ "vs/base/common/codicons": {
+ "dropDownButton": "Symbol für Dropdownschaltflächen."
+ },
+ "vs/base/common/actions": {
+ "submenu.empty": "(leer)"
+ },
+ "vs/base/node/processes": {
+ "TaskRunner.UNC": "Ein Shell-Befehl kann nicht auf einem UNC-Laufwerk ausgeführt werden."
+ },
+ "vs/base/common/errorMessage": {
+ "stackTrace.format": "{0}: {1}",
+ "nodeExceptionMessage": "Ein Systemfehler ist aufgetreten ({0}).",
+ "error.defaultMessage": "Ein unbekannter Fehler ist aufgetreten. Weitere Details dazu finden Sie im Protokoll.",
+ "error.moreErrors": "{0} ({1} Fehler gesamt)"
+ },
+ "vs/base/node/zip": {
+ "invalid file": "Fehler beim Extrahieren von \"{0}\". Ungültige Datei.",
+ "incompleteExtract": "Unvollständig. {0} von {1} Einträgen gefunden",
+ "notFound": "{0} wurde im ZIP nicht gefunden."
+ },
+ "vs/base/browser/ui/dialog/dialog": {
+ "ok": "OK",
+ "dialogInfoMessage": "Info",
+ "dialogErrorMessage": "Fehler",
+ "dialogWarningMessage": "Warnung",
+ "dialogPendingMessage": "In Bearbeitung",
+ "dialogClose": "Dialogfeld schließen"
+ },
+ "vs/base/browser/ui/actionbar/actionViewItems": {
+ "titleLabel": "{0} ({1})"
+ },
+ "vs/base/browser/ui/keybindingLabel/keybindingLabel": {
+ "unbound": "Ungebunden"
+ },
+ "vs/base/browser/ui/menu/menubar": {
+ "mAppMenu": "Anwendungsmenü",
+ "mMore": "Mehr"
+ },
+ "vs/base/browser/ui/menu/menu": {
+ "titleLabel": "{0} ({1})"
+ },
+ "vs/base/common/jsonErrorMessages": {
+ "error.invalidSymbol": "Ungültiges Symbol",
+ "error.invalidNumberFormat": "Ungültiges Zahlenformat.",
+ "error.propertyNameExpected": "Ein Eigenschaftenname wurde erwartet.",
+ "error.valueExpected": "Ein Wert wurde erwartet.",
+ "error.colonExpected": "Ein Doppelpunkt wurde erwartet.",
+ "error.commaExpected": "Ein Komma wurde erwartet.",
+ "error.closeBraceExpected": "Eine schließende geschweifte Klammer wurde erwartet.",
+ "error.closeBracketExpected": "Eine schließende Klammer wurde erwartet.",
+ "error.endOfFileExpected": "Ende der Datei erwartet."
+ },
+ "vs/base/common/keybindingLabels": {
+ "ctrlKey": "STRG",
+ "shiftKey": "UMSCHALTTASTE",
+ "altKey": "ALT",
+ "windowsKey": "Windows",
+ "superKey": "Super",
+ "ctrlKey.long": "Steuern",
+ "shiftKey.long": "UMSCHALTTASTE",
+ "altKey.long": "ALT",
+ "cmdKey.long": "Befehl",
+ "windowsKey.long": "Windows",
+ "superKey.long": "Super"
+ },
+ "vs/base/browser/ui/tree/abstractTree": {
+ "clear": "Löschen",
+ "disable filter on type": "Typfilter deaktivieren",
+ "enable filter on type": "Typfilter aktivieren",
+ "empty": "Keine Elemente gefunden",
+ "found": "{0} von {1} Elementen stimmen überein"
+ },
+ "vs/base/browser/ui/tree/treeDefaults": {
+ "collapse all": "Alle zuklappen"
+ },
+ "vs/base/browser/ui/toolbar/toolbar": {
+ "moreActions": "Weitere Aktionen..."
+ },
+ "vs/base/browser/ui/splitview/paneview": {
+ "viewSection": "{0}-Abschnitt"
+ },
+ "vs/base/browser/ui/inputbox/inputBox": {
+ "alertErrorMessage": "Fehler: {0}",
+ "alertWarningMessage": "Warnung: {0}",
+ "alertInfoMessage": "Info: {0}"
+ },
+ "vs/base/parts/quickinput/browser/quickInput": {
+ "backButtonIcon": "Symbol für die Schaltfläche \"Zurück\" im Schnelleingabe-Dialogfeld.",
+ "quickInput.back": "Zurück",
+ "quickInput.steps": "{0}/{1}",
+ "quickInputBox.ariaLabel": "Nehmen Sie eine Eingabe vor, um die Ergebnisse einzugrenzen.",
+ "inputModeEntry": "Drücken Sie die EINGABETASTE, um Ihre Eingabe zu bestätigen, oder ESC, um den Vorgang abzubrechen.",
+ "inputModeEntryDescription": "{0} (Drücken Sie die EINGABETASTE zur Bestätigung oder ESC, um den Vorgang abzubrechen.)",
+ "quickInput.visibleCount": "{0} Ergebnisse",
+ "quickInput.countSelected": "{0} ausgewählt",
+ "ok": "OK",
+ "custom": "Benutzerdefiniert",
+ "quickInput.backWithKeybinding": "Zurück ({0})"
+ },
+ "vs/base/browser/ui/findinput/findInput": {
+ "defaultLabel": "Eingabe"
+ },
+ "vs/base/browser/ui/findinput/replaceInput": {
+ "defaultLabel": "Eingabe",
+ "label.preserveCaseCheckbox": "Groß-/Kleinschreibung beibehalten"
+ },
+ "vs/base/browser/ui/findinput/findInputCheckboxes": {
+ "caseDescription": "Groß-/Kleinschreibung beachten",
+ "wordsDescription": "Nur ganzes Wort suchen",
+ "regexDescription": "Regulären Ausdruck verwenden"
+ },
+ "vs/base/parts/quickinput/browser/quickInputList": {
+ "quickInput": "Schnelleingabe"
+ },
+ "vs/base/browser/ui/selectBox/selectBoxCustom": {
+ "selectBox": "Auswahlfeld"
+ },
+ "vs/editor/browser/editorExtensions": {
+ "miUndo": "&&Rückgängig",
+ "undo": "Rückgängig",
+ "miRedo": "&&Wiederholen",
+ "redo": "Wiederholen",
+ "miSelectAll": "&&Alles auswählen",
+ "selectAll": "Alle auswählen"
+ },
+ "vs/editor/common/modes/modesRegistry": {
+ "plainText.alias": "Nur-Text"
+ },
+ "vs/editor/common/config/editorOptions": {
+ "accessibilitySupport.auto": "Der Editor verwendet Plattform-APIs, um zu erkennen, wenn eine Sprachausgabe angefügt wird.",
+ "accessibilitySupport.on": "Der Editor wird dauerhaft für die Verwendung mit einer Sprachausgabe optimiert. Zeilenumbrüche werden deaktiviert.",
+ "accessibilitySupport.off": "Der Editor wird nie für die Verwendung mit einer Sprachausgabe optimiert.",
+ "accessibilitySupport": "Steuert, ob der Editor in einem für die Sprachausgabe optimierten Modus ausgeführt werden soll. Durch Festlegen auf \"Ein\" werden Zeilenumbrüche deaktiviert.",
+ "comments.insertSpace": "Steuert, ob beim Kommentieren ein Leerzeichen eingefügt wird.",
+ "comments.ignoreEmptyLines": "Steuert, ob leere Zeilen bei Umschalt-, Hinzufügungs- oder Entfernungsaktionen für Zeilenkommentare ignoriert werden sollen.",
+ "emptySelectionClipboard": "Steuert, ob ein Kopiervorgang ohne Auswahl die aktuelle Zeile kopiert.",
+ "find.cursorMoveOnType": "Steuert, ob der Cursor bei der Suche nach Übereinstimmungen während der Eingabe springt.",
+ "find.seedSearchStringFromSelection": "Steuert, ob für die Suchzeichenfolge im Widget \"Suche\" ein Seeding aus der Auswahl des Editors ausgeführt wird.",
+ "editor.find.autoFindInSelection.never": "\"In Auswahl suchen\" niemals automatisch aktivieren (Standard)",
+ "editor.find.autoFindInSelection.always": "\"In Auswahl suchen\" immer automatisch aktivieren",
+ "editor.find.autoFindInSelection.multiline": "\"In Auswahl suchen\" automatisch aktivieren, wenn mehrere Inhaltszeilen ausgewählt sind",
+ "find.autoFindInSelection": "Steuert die Bedingung zum automatischen Aktivieren von \"In Auswahl suchen\".",
+ "find.globalFindClipboard": "Steuert, ob das Widget \"Suche\" die freigegebene Suchzwischenablage unter macOS lesen oder bearbeiten soll.",
+ "find.addExtraSpaceOnTop": "Steuert, ob das Suchwidget zusätzliche Zeilen im oberen Bereich des Editors hinzufügen soll. Wenn die Option auf \"true\" festgelegt ist, können Sie über die erste Zeile hinaus scrollen, wenn das Suchwidget angezeigt wird.",
+ "find.loop": "Steuert, ob die Suche automatisch am Anfang (oder am Ende) neu gestartet wird, wenn keine weiteren Übereinstimmungen gefunden werden.",
+ "fontLigatures": "Hiermit werden Schriftligaturen (Schriftartfeatures \"calt\" und \"liga\") aktiviert/deaktiviert. Ändern Sie diesen Wert in eine Zeichenfolge, um die CSS-Eigenschaft \"font-feature-settings\" detailliert zu steuern.",
+ "fontFeatureSettings": "Explizite CSS-Eigenschaft \"font-feature-settings\". Stattdessen kann ein boolescher Wert übergeben werden, wenn nur Ligaturen aktiviert/deaktiviert werden müssen.",
+ "fontLigaturesGeneral": "Hiermit werden Schriftligaturen oder Schriftartfeatures konfiguriert. Hierbei kann es sich entweder um einen booleschen Wert zum Aktivieren oder Deaktivieren von Ligaturen oder um eine Zeichenfolge für den Wert der CSS-Eigenschaft \"font-feature-settings\" handeln.",
+ "fontSize": "Legt die Schriftgröße in Pixeln fest.",
+ "fontWeightErrorMessage": "Es sind nur die Schlüsselwörter \"normal\" und \"bold\" sowie Zahlen zwischen 1 und 1000 zulässig.",
+ "fontWeight": "Steuert die Schriftbreite. Akzeptiert die Schlüsselwörter \"normal\" und \"bold\" sowie Zahlen zwischen 1 und 1000.",
+ "editor.gotoLocation.multiple.peek": "Vorschauansicht der Ergebnisse anzeigen (Standardeinstellung)",
+ "editor.gotoLocation.multiple.gotoAndPeek": "Zum Hauptergebnis gehen und Vorschauansicht anzeigen",
+ "editor.gotoLocation.multiple.goto": "Wechseln Sie zum primären Ergebnis, und aktivieren Sie die Navigation ohne Vorschau zu anderen Ergebnissen.",
+ "editor.gotoLocation.multiple.deprecated": "Diese Einstellung ist veraltet. Verwenden Sie stattdessen separate Einstellungen wie \"editor.editor.gotoLocation.multipleDefinitions\" oder \"editor.editor.gotoLocation.multipleImplementations\".",
+ "editor.editor.gotoLocation.multipleDefinitions": "Legt das Verhalten des Befehls \"Gehe zu Definition\" fest, wenn mehrere Zielpositionen vorhanden sind",
+ "editor.editor.gotoLocation.multipleTypeDefinitions": "Legt das Verhalten des Befehls \"Gehe zur Typdefinition\" fest, wenn mehrere Zielpositionen vorhanden sind.",
+ "editor.editor.gotoLocation.multipleDeclarations": "Legt das Verhalten des Befehls \"Gehe zu Deklaration\" fest, wenn mehrere Zielpositionen vorhanden sind.",
+ "editor.editor.gotoLocation.multipleImplemenattions": "Legt das Verhalten des Befehls \"Gehe zu Implementierungen\", wenn mehrere Zielspeicherorte vorhanden sind",
+ "editor.editor.gotoLocation.multipleReferences": "Legt das Verhalten des Befehls \"Gehe zu Verweisen\" fest, wenn mehrere Zielpositionen vorhanden sind",
+ "alternativeDefinitionCommand": "Die alternative Befehls-ID, die ausgeführt wird, wenn das Ergebnis von \"Gehe zu Definition\" die aktuelle Position ist.",
+ "alternativeTypeDefinitionCommand": "Die alternative Befehls-ID, die ausgeführt wird, wenn das Ergebnis von \"Gehe zu Typdefinition\" die aktuelle Position ist.",
+ "alternativeDeclarationCommand": "Die alternative Befehls-ID, die ausgeführt wird, wenn das Ergebnis von \"Gehe zu Deklaration\" der aktuelle Speicherort ist.",
+ "alternativeImplementationCommand": "Die alternative Befehls-ID, die ausgeführt wird, wenn das Ergebnis von \"Gehe zu Implementatierung\" der aktuelle Speicherort ist.",
+ "alternativeReferenceCommand": "Die alternative Befehls-ID, die ausgeführt wird, wenn das Ergebnis von \"Gehe zu Verweis\" die aktuelle Position ist.",
+ "hover.enabled": "Steuert, ob die Hovermarkierung angezeigt wird.",
+ "hover.delay": "Steuert die Verzögerung in Millisekunden, nach der die Hovermarkierung angezeigt wird.",
+ "hover.sticky": "Steuert, ob die Hovermarkierung sichtbar bleiben soll, wenn der Mauszeiger darüber bewegt wird.",
+ "codeActions": "Aktiviert das Glühbirnensymbol für Codeaktionen im Editor.",
+ "lineHeight": "Steuert die Zeilenhöhe. Verwenden Sie 0, um die Zeilenhöhe aus der Schriftgröße zu berechnen.",
+ "minimap.enabled": "Steuert, ob die Minimap angezeigt wird.",
+ "minimap.size.proportional": "Die Minimap hat die gleiche Größe wie der Editor-Inhalt (und kann scrollen).",
+ "minimap.size.fill": "Die Minimap wird bei Bedarf vergrößert oder verkleinert, um die Höhe des Editors zu füllen (kein Scrollen).",
+ "minimap.size.fit": "Die Minimap wird bei Bedarf verkleinert, damit sie nicht größer als der Editor ist (kein Scrollen).",
+ "minimap.size": "Legt die Größe der Minimap fest.",
+ "minimap.side": "Steuert die Seite, wo die Minimap gerendert wird.",
+ "minimap.showSlider": "Steuert, wann der Schieberegler für die Minimap angezeigt wird.",
+ "minimap.scale": "Maßstab des in der Minimap gezeichneten Inhalts: 1, 2 oder 3.",
+ "minimap.renderCharacters": "Die tatsächlichen Zeichen in einer Zeile rendern im Gegensatz zu Farbblöcken.",
+ "minimap.maxColumn": "Begrenzen Sie die Breite der Minimap, um nur eine bestimmte Anzahl von Spalten zu rendern.",
+ "padding.top": "Steuert den Abstand zwischen dem oberen Rand des Editors und der ersten Zeile.",
+ "padding.bottom": "Steuert den Abstand zwischen dem unteren Rand des Editors und der letzten Zeile.",
+ "parameterHints.enabled": "Aktiviert ein Pop-up, das Dokumentation und Typ eines Parameters anzeigt während Sie tippen.",
+ "parameterHints.cycle": "Steuert, ob das Menü mit Parameterhinweisen zyklisch ist oder sich am Ende der Liste schließt.",
+ "quickSuggestions.strings": "Schnellvorschläge innerhalb von Zeichenfolgen aktivieren.",
+ "quickSuggestions.comments": "Schnellvorschläge innerhalb von Kommentaren aktivieren.",
+ "quickSuggestions.other": "Schnellvorschläge außerhalb von Zeichenfolgen und Kommentaren aktivieren.",
+ "quickSuggestions": "Steuert, ob Vorschläge automatisch während der Eingabe angezeigt werden sollen.",
+ "lineNumbers.off": "Zeilennummern werden nicht dargestellt.",
+ "lineNumbers.on": "Zeilennummern werden als absolute Zahl dargestellt.",
+ "lineNumbers.relative": "Zeilennummern werden als Abstand in Zeilen an Cursorposition dargestellt.",
+ "lineNumbers.interval": "Zeilennummern werden alle 10 Zeilen dargestellt.",
+ "lineNumbers": "Steuert die Anzeige von Zeilennummern.",
+ "rulers.size": "Anzahl der Zeichen aus Festbreitenschriftarten, ab der dieses Editor-Lineal gerendert wird.",
+ "rulers.color": "Farbe dieses Editor-Lineals.",
+ "rulers": "Vertikale Linien nach einer bestimmten Anzahl von Monospacezeichen rendern. Verwenden Sie mehrere Werte für mehrere Linien. Wenn das Array leer ist, werden keine Linien gerendert.",
+ "suggest.insertMode.insert": "Vorschlag einfügen, ohne den Text auf der rechten Seite des Cursors zu überschreiben",
+ "suggest.insertMode.replace": "Vorschlag einfügen und Text auf der rechten Seite des Cursors überschreiben",
+ "suggest.insertMode": "Legt fest, ob Wörter beim Akzeptieren von Vervollständigungen überschrieben werden. Beachten Sie, dass dies von Erweiterungen abhängt, die für dieses Features aktiviert sind.",
+ "suggest.filterGraceful": "Steuert, ob Filter- und Suchvorschläge geringfügige Tippfehler berücksichtigen.",
+ "suggest.localityBonus": "Steuert, ob bei der Suche Wörter eine höhere Trefferquote erhalten, die in der Nähe des Cursors stehen.",
+ "suggest.shareSuggestSelections": "Steuert, ob gespeicherte Vorschlagauswahlen in verschiedenen Arbeitsbereichen und Fenstern gemeinsam verwendet werden (dafür ist \"#editor.suggestSelection#\" erforderlich).",
+ "suggest.snippetsPreventQuickSuggestions": "Steuert, ob ein aktiver Ausschnitt verhindert, dass der Bereich \"Schnelle Vorschläge\" angezeigt wird.",
+ "suggest.showIcons": "Steuert, ob Symbole in Vorschlägen ein- oder ausgeblendet werden.",
+ "suggest.showStatusBar": "Steuert die Sichtbarkeit der Statusleiste unten im Vorschlagswidget.",
+ "suggest.showInlineDetails": "Steuert, ob Vorschlagsdetails inline mit der Bezeichnung oder nur im Detailwidget angezeigt werden.",
+ "suggest.maxVisibleSuggestions.dep": "Diese Einstellung ist veraltet. Die Größe des Vorschlagswidgets kann jetzt geändert werden.",
+ "deprecated": "Diese Einstellung ist veraltet. Verwenden Sie stattdessen separate Einstellungen wie \"editor.suggest.showKeywords\" oder \"editor.suggest.showSnippets\".",
+ "editor.suggest.showMethods": "Wenn aktiviert, zeigt IntelliSense \"method\"-Vorschläge an.",
+ "editor.suggest.showFunctions": "Wenn aktiviert, zeigt IntelliSense \"funktions\"-Vorschläge an.",
+ "editor.suggest.showConstructors": "Wenn aktiviert, zeigt IntelliSense \"constructor\"-Vorschläge an.",
+ "editor.suggest.showFields": "Wenn aktiviert, zeigt IntelliSense \"field\"-Vorschläge an.",
+ "editor.suggest.showVariables": "Wenn aktiviert, zeigt IntelliSense \"variable\"-Vorschläge an.",
+ "editor.suggest.showClasss": "Wenn aktiviert, zeigt IntelliSense \"class\"-Vorschläge an.",
+ "editor.suggest.showStructs": "Wenn aktiviert, zeigt IntelliSense \"struct\"-Vorschläge an.",
+ "editor.suggest.showInterfaces": "Wenn aktiviert, zeigt IntelliSense \"interface\"-Vorschläge an.",
+ "editor.suggest.showModules": "Wenn aktiviert, zeigt IntelliSense \"module\"-Vorschläge an.",
+ "editor.suggest.showPropertys": "Wenn aktiviert, zeigt IntelliSense \"property\"-Vorschläge an.",
+ "editor.suggest.showEvents": "Wenn aktiviert, zeigt IntelliSense \"event\"-Vorschläge an.",
+ "editor.suggest.showOperators": "Wenn aktiviert, zeigt IntelliSense \"operator\"-Vorschläge an.",
+ "editor.suggest.showUnits": "Wenn aktiviert, zeigt IntelliSense \"unit\"-Vorschläge an.",
+ "editor.suggest.showValues": "Wenn aktiviert, zeigt IntelliSense \"value\"-Vorschläge an.",
+ "editor.suggest.showConstants": "Wenn aktiviert, zeigt IntelliSense \"constant\"-Vorschläge an.",
+ "editor.suggest.showEnums": "Wenn aktiviert, zeigt IntelliSense \"enum\"-Vorschläge an.",
+ "editor.suggest.showEnumMembers": "Wenn aktiviert, zeigt IntelliSense \"enumMember\"-Vorschläge an.",
+ "editor.suggest.showKeywords": "Wenn aktiviert, zeigt IntelliSense \"keyword\"-Vorschläge an.",
+ "editor.suggest.showTexts": "Wenn aktiviert, zeigt IntelliSense \"text\"-Vorschläge an.",
+ "editor.suggest.showColors": "Wenn aktiviert, zeigt IntelliSense \"color\"-Vorschläge an.",
+ "editor.suggest.showFiles": "Wenn aktiviert, zeigt IntelliSense \"file\"-Vorschläge an.",
+ "editor.suggest.showReferences": "Wenn aktiviert, zeigt IntelliSense \"reference\"-Vorschläge an.",
+ "editor.suggest.showCustomcolors": "Wenn aktiviert, zeigt IntelliSense \"customcolor\"-Vorschläge an.",
+ "editor.suggest.showFolders": "Wenn aktiviert, zeigt IntelliSense \"folder\"-Vorschläge an.",
+ "editor.suggest.showTypeParameters": "Wenn aktiviert, zeigt IntelliSense \"typeParameter\"-Vorschläge an.",
+ "editor.suggest.showSnippets": "Wenn aktiviert, zeigt IntelliSense \"snippet\"-Vorschläge an.",
+ "editor.suggest.showUsers": "Wenn aktiviert, zeigt IntelliSense user-Vorschläge an.",
+ "editor.suggest.showIssues": "Wenn aktiviert, zeigt IntelliSense issues-Vorschläge an.",
+ "selectLeadingAndTrailingWhitespace": "Gibt an, ob führende und nachstehende Leerzeichen immer ausgewählt werden sollen.",
+ "acceptSuggestionOnCommitCharacter": "Steuert, ob Vorschläge über Commitzeichen angenommen werden sollen. In JavaScript kann ein Semikolon (\";\") beispielsweise ein Commitzeichen sein, das einen Vorschlag annimmt und dieses Zeichen eingibt.",
+ "acceptSuggestionOnEnterSmart": "Einen Vorschlag nur mit der EINGABETASTE akzeptieren, wenn dieser eine Änderung am Text vornimmt.",
+ "acceptSuggestionOnEnter": "Steuert, ob Vorschläge mit der EINGABETASTE (zusätzlich zur TAB-Taste) akzeptiert werden sollen. Vermeidet Mehrdeutigkeit zwischen dem Einfügen neuer Zeilen oder dem Annehmen von Vorschlägen.",
+ "accessibilityPageSize": "Legt die Anzahl der Zeilen im Editor fest, die von der Sprachausgabe ausgelesen werden können. Warnung: Es gibt eine Leistungsimplikation für Zahlen, die größer als die Standardeinstellung sind.",
+ "editorViewAccessibleLabel": "Editor-Inhalt",
+ "editor.autoClosingBrackets.languageDefined": "Verwenden Sie Sprachkonfigurationen, um zu bestimmen, wann Klammern automatisch geschlossen werden sollen.",
+ "editor.autoClosingBrackets.beforeWhitespace": "Schließe Klammern nur automatisch, wenn der Cursor sich links von einem Leerzeichen befindet.",
+ "autoClosingBrackets": "Steuert, ob der Editor automatisch Klammern schließen soll, nachdem der Benutzer eine öffnende Klammer hinzugefügt hat.",
+ "editor.autoClosingOvertype.auto": "Schließende Anführungszeichen oder Klammern werden nur überschrieben, wenn sie automatisch eingefügt wurden.",
+ "autoClosingOvertype": "Steuert, ob der Editor schließende Anführungszeichen oder Klammern überschreiben soll.",
+ "editor.autoClosingQuotes.languageDefined": "Verwende die Sprachkonfiguration, um zu ermitteln, wann Anführungsstriche automatisch geschlossen werden.",
+ "editor.autoClosingQuotes.beforeWhitespace": "Schließende Anführungszeichen nur dann automatisch ergänzen, wenn der Cursor sich links von einem Leerzeichen befindet.",
+ "autoClosingQuotes": "Steuert, ob der Editor Anführungszeichen automatisch schließen soll, nachdem der Benutzer ein öffnendes Anführungszeichen hinzugefügt hat.",
+ "editor.autoIndent.none": "Der Editor fügt den Einzug nicht automatisch ein.",
+ "editor.autoIndent.keep": "Der Editor behält den Einzug der aktuellen Zeile bei.",
+ "editor.autoIndent.brackets": "Der Editor behält den in der aktuellen Zeile definierten Einzug bei und beachtet für Sprachen definierte Klammern.",
+ "editor.autoIndent.advanced": "Der Editor behält den Einzug der aktuellen Zeile bei, beachtet von Sprachen definierte Klammern und ruft spezielle onEnterRules-Regeln auf, die von Sprachen definiert wurden.",
+ "editor.autoIndent.full": "Der Editor behält den Einzug der aktuellen Zeile bei, beachtet die von Sprachen definierten Klammern, ruft von Sprachen definierte spezielle onEnterRules-Regeln auf und beachtet von Sprachen definierte indentationRules-Regeln.",
+ "autoIndent": "Legt fest, ob der Editor den Einzug automatisch anpassen soll, wenn Benutzer Zeilen eingeben, einfügen, verschieben oder einrücken",
+ "editor.autoSurround.languageDefined": "Sprachkonfigurationen verwenden, um zu bestimmen, wann eine Auswahl automatisch umschlossen werden soll.",
+ "editor.autoSurround.quotes": "Mit Anführungszeichen, nicht mit Klammern umschließen.",
+ "editor.autoSurround.brackets": "Mit Klammern, nicht mit Anführungszeichen umschließen.",
+ "autoSurround": "Steuert, ob der Editor die Auswahl beim Eingeben von Anführungszeichen oder Klammern automatisch umschließt.",
+ "stickyTabStops": "Emuliert das Auswahlverhalten von Tabstoppzeichen, wenn Leerzeichen für den Einzug verwendet werden. Die Auswahl wird an Tabstopps ausgerichtet.",
+ "codeLens": "Steuert, ob der Editor CodeLens anzeigt.",
+ "codeLensFontFamily": "Steuert die Schriftfamilie für CodeLens.",
+ "codeLensFontSize": "Steuert den Schriftgrad in Pixeln für CodeLens. Bei Festlegung auf \"0\" werden 90 % von \"#editor.fontSize#\" verwendet.",
+ "colorDecorators": "Steuert, ob der Editor die Inline-Farbdecorators und die Farbauswahl rendern soll.",
+ "columnSelection": "Zulassen, dass die Auswahl per Maus und Tasten die Spaltenauswahl durchführt.",
+ "copyWithSyntaxHighlighting": "Steuert, ob Syntax-Highlighting in die Zwischenablage kopiert wird.",
+ "cursorBlinking": "Steuert den Cursoranimationsstil.",
+ "cursorSmoothCaretAnimation": "Steuert, ob die weiche Cursoranimation aktiviert werden soll.",
+ "cursorStyle": "Steuert den Cursor-Stil.",
+ "cursorSurroundingLines": "Steuert die Mindestanzahl sichtbarer führender und nachfolgender Zeilen um den Cursor. Dies wird in einigen anderen Editoren als \"scrollOff\" oder \"scrollOffset\" bezeichnet.",
+ "cursorSurroundingLinesStyle.default": "\"cursorSurroundingLines\" wird nur erzwungen, wenn die Auslösung über die Tastatur oder API erfolgt.",
+ "cursorSurroundingLinesStyle.all": "\"cursorSurroundingLines\" wird immer erzwungen.",
+ "cursorSurroundingLinesStyle": "Legt fest, wann cursorSurroundingLines erzwungen werden soll",
+ "cursorWidth": "Steuert die Breite des Cursors, wenn `#editor.cursorStyle#` auf `line` festgelegt ist.",
+ "dragAndDrop": "Steuert, ob der Editor das Verschieben einer Auswahl per Drag and Drop zulässt.",
+ "fastScrollSensitivity": "Multiplikator für Scrollgeschwindigkeit bei Drücken von ALT.",
+ "folding": "Steuert, ob Codefaltung im Editor aktiviert ist.",
+ "foldingStrategy.auto": "Verwenden Sie eine sprachspezifische Faltstrategie, falls verfügbar. Andernfalls wird eine einzugsbasierte verwendet.",
+ "foldingStrategy.indentation": "Einzugsbasierte Faltstrategie verwenden.",
+ "foldingStrategy": "Steuert die Strategie für die Berechnung von Faltbereichen.",
+ "foldingHighlight": "Steuert, ob der Editor eingefaltete Bereiche hervorheben soll.",
+ "unfoldOnClickAfterEndOfLine": "Steuert, ob eine Zeile aufgefaltet wird, wenn nach einer gefalteten Zeile auf den leeren Inhalt geklickt wird.",
+ "fontFamily": "Steuert die Schriftfamilie.",
+ "formatOnPaste": "Steuert, ob der Editor den eingefügten Inhalt automatisch formatieren soll. Es muss ein Formatierer vorhanden sein, der in der Lage ist, auch Dokumentbereiche zu formatieren.",
+ "formatOnType": "Steuert, ob der Editor die Zeile nach der Eingabe automatisch formatieren soll.",
+ "glyphMargin": "Steuert, ob der Editor den vertikalen Glyphenrand rendert. Der Glyphenrand wird hauptsächlich zum Debuggen verwendet.",
+ "hideCursorInOverviewRuler": "Steuert, ob der Cursor im Übersichtslineal ausgeblendet werden soll.",
+ "highlightActiveIndentGuide": "Steuert, ob der Editor die aktive Einzugsführungslinie hevorheben soll.",
+ "letterSpacing": "Legt den Abstand der Buchstaben in Pixeln fest.",
+ "linkedEditing": "Steuert, ob die verknüpfte Bearbeitung im Editor aktiviert ist. Abhängig von der Sprache werden zugehörige Symbole, z. B. HTML-Tags, während der Bearbeitung aktualisiert.",
+ "links": "Steuert, ob der Editor Links erkennen und anklickbar machen soll.",
+ "matchBrackets": "Passende Klammern hervorheben",
+ "mouseWheelScrollSensitivity": "Ein Multiplikator, der für die Mausrad-Bildlaufereignisse \"deltaX\" und \"deltaY\" verwendet werden soll.",
+ "mouseWheelZoom": "Schriftart des Editors vergrößern, wenn das Mausrad verwendet und die STRG-TASTE gedrückt wird.",
+ "multiCursorMergeOverlapping": "Mehrere Cursor zusammenführen, wenn sie sich überlappen.",
+ "multiCursorModifier.ctrlCmd": "Ist unter Windows und Linux der STRG-Taste und unter macOS der Befehlstaste zugeordnet.",
+ "multiCursorModifier.alt": "Ist unter Windows und Linux der ALT-Taste und unter macOS der Wahltaste zugeordnet.",
+ "multiCursorModifier": "Der Modifizierer, der zum Hinzufügen mehrerer Cursor mit der Maus verwendet wird. Die Mausbewegungen \"Gehe zu Definition\" und \"Link öffnen\" werden so angepasst, dass kein Konflikt mit dem Multi-Cursor-Modifizierer entsteht. [Weitere Informationen](https://code.visualstudio.com/docs/editor/codebasics#_multicursor-modifier).",
+ "multiCursorPaste.spread": "Jeder Cursor fügt eine Textzeile ein.",
+ "multiCursorPaste.full": "Jeder Cursor fügt den vollständigen Text ein.",
+ "multiCursorPaste": "Steuert das Einfügen, wenn die Zeilenanzahl des Einfügetexts der Cursor-Anzahl entspricht.",
+ "occurrencesHighlight": "Steuert, ob der Editor das Vorkommen semantischer Symbole hervorheben soll.",
+ "overviewRulerBorder": "Steuert, ob um das Übersichtslineal ein Rahmen gezeichnet werden soll.",
+ "peekWidgetDefaultFocus.tree": "Struktur beim Öffnen des Peek-Editors fokussieren",
+ "peekWidgetDefaultFocus.editor": "Editor fokussieren, wenn Sie den Peek-Editor öffnen",
+ "peekWidgetDefaultFocus": "Steuert, ob der Inline-Editor oder die Struktur im Peek-Widget fokussiert werden soll.",
+ "definitionLinkOpensInPeek": "Steuert, ob die Mausgeste \"Gehe zu Definition\" immer das Vorschauwidget öffnet.",
+ "quickSuggestionsDelay": "Steuert die Verzögerung in Millisekunden nach der Schnellvorschläge angezeigt werden.",
+ "renameOnType": "Steuert, ob der Editor bei Eingabe automatisch eine Umbenennung vornimmt.",
+ "renameOnTypeDeprecate": "Veraltet. Verwenden Sie stattdessen \"editor.linkedEditing\".",
+ "renderControlCharacters": "Steuert, ob der Editor Steuerzeichen rendern soll.",
+ "renderIndentGuides": "Steuert, ob der Editor Einzugsführungslinien rendern soll.",
+ "renderFinalNewline": "Letzte Zeilennummer rendern, wenn die Datei mit einem Zeilenumbruch endet.",
+ "renderLineHighlight.all": "Hebt den Bundsteg und die aktuelle Zeile hervor.",
+ "renderLineHighlight": "Steuert, wie der Editor die aktuelle Zeilenhervorhebung rendern soll.",
+ "renderLineHighlightOnlyWhenFocus": "Legt fest, ob der Editor die aktuelle Zeilenhervorhebung nur dann rendern soll, wenn der Editor fokussiert ist",
+ "renderWhitespace.boundary": "Leerraumzeichen werden gerendert mit Ausnahme der einzelnen Leerzeichen zwischen Wörtern.",
+ "renderWhitespace.selection": "Hiermit werden Leerraumzeichen nur für ausgewählten Text gerendert.",
+ "renderWhitespace.trailing": "Nur nachstehende Leerzeichen rendern",
+ "renderWhitespace": "Steuert, wie der Editor Leerzeichen rendern soll.",
+ "roundedSelection": "Steuert, ob eine Auswahl abgerundete Ecken aufweisen soll.",
+ "scrollBeyondLastColumn": "Steuert die Anzahl der zusätzlichen Zeichen, nach denen der Editor horizontal scrollt.",
+ "scrollBeyondLastLine": "Steuert, ob der Editor jenseits der letzten Zeile scrollen wird.",
+ "scrollPredominantAxis": "Nur entlang der vorherrschenden Achse scrollen, wenn gleichzeitig vertikal und horizontal gescrollt wird. Dadurch wird ein horizontaler Versatz beim vertikalen Scrollen auf einem Trackpad verhindert.",
+ "selectionClipboard": "Steuert, ob die primäre Linux-Zwischenablage unterstützt werden soll.",
+ "selectionHighlight": "Steuert, ob der Editor Übereinstimmungen hervorheben soll, die der Auswahl ähneln.",
+ "showFoldingControls.always": "Steuerelemente für die Codefaltung immer anzeigen.",
+ "showFoldingControls.mouseover": "Steuerelemente für die Codefaltung nur anzeigen, wenn sich die Maus über dem Bundsteg befindet.",
+ "showFoldingControls": "Steuert, wann die Steuerungselemente für die Codefaltung am Bundsteg angezeigt werden.",
+ "showUnused": "Steuert das Ausblenden von nicht verwendetem Code.",
+ "showDeprecated": "Steuert durchgestrichene veraltete Variablen.",
+ "snippetSuggestions.top": "Zeige Snippet Vorschläge über den anderen Vorschlägen.",
+ "snippetSuggestions.bottom": "Snippet Vorschläge unter anderen Vorschlägen anzeigen.",
+ "snippetSuggestions.inline": "Zeige Snippet Vorschläge mit anderen Vorschlägen.",
+ "snippetSuggestions.none": "Keine Ausschnittvorschläge anzeigen.",
+ "snippetSuggestions": "Steuert, ob Codeausschnitte mit anderen Vorschlägen angezeigt und wie diese sortiert werden.",
+ "smoothScrolling": "Legt fest, ob der Editor Bildläufe animiert ausführt.",
+ "suggestFontSize": "Schriftgröße für das vorgeschlagene Widget. Bei Festlegung auf 0 wird der Wert von \"#editor.fontSize#\" verwendet.",
+ "suggestLineHeight": "Zeilenhöhe für das vorgeschlagene Widget. Bei Festlegung auf 0 wird der Wert von \"#editor.lineHeight#\" verwendet. Der Mindestwert ist 8.",
+ "suggestOnTriggerCharacters": "Steuert, ob Vorschläge automatisch angezeigt werden sollen, wenn Triggerzeichen eingegeben werden.",
+ "suggestSelection.first": "Immer den ersten Vorschlag auswählen.",
+ "suggestSelection.recentlyUsed": "Wählen Sie die aktuellsten Vorschläge aus, es sei denn, es wird ein Vorschlag durch eine weitere Eingabe ausgewählt, z.B. \"console.| -> console.log\", weil \"log\" vor Kurzem abgeschlossen wurde.",
+ "suggestSelection.recentlyUsedByPrefix": "Wählen Sie Vorschläge basierend auf früheren Präfixen aus, die diese Vorschläge abgeschlossen haben, z.B. \"co -> console\" und \"con ->\" const\".",
+ "suggestSelection": "Steuert, wie Vorschläge bei Anzeige der Vorschlagsliste vorab ausgewählt werden.",
+ "tabCompletion.on": "Die Tab-Vervollständigung fügt den passendsten Vorschlag ein, wenn auf Tab gedrückt wird.",
+ "tabCompletion.off": "Tab-Vervollständigungen deaktivieren.",
+ "tabCompletion.onlySnippets": "Codeausschnitte per Tab vervollständigen, wenn die Präfixe übereinstimmen. Funktioniert am besten, wenn \"quickSuggestions\" deaktiviert sind.",
+ "tabCompletion": "Tab-Vervollständigungen aktivieren.",
+ "unusualLineTerminators.auto": "Ungewöhnliche Zeilenabschlusszeichen werden automatisch entfernt.",
+ "unusualLineTerminators.off": "Ungewöhnliche Zeilenabschlusszeichen werden ignoriert.",
+ "unusualLineTerminators.prompt": "Zum Entfernen ungewöhnlicher Zeilenabschlusszeichen wird eine Eingabeaufforderung angezeigt.",
+ "unusualLineTerminators": "Entfernen Sie unübliche Zeilenabschlusszeichen, die Probleme verursachen können.",
+ "useTabStops": "Das Einfügen und Löschen von Leerzeichen erfolgt nach Tabstopps.",
+ "wordSeparators": "Zeichen, die als Worttrennzeichen verwendet werden, wenn wortbezogene Navigationen oder Vorgänge ausgeführt werden.",
+ "wordWrap.off": "Zeilenumbrüche erfolgen nie.",
+ "wordWrap.on": "Der Zeilenumbruch erfolgt an der Breite des Anzeigebereichs.",
+ "wordWrap.wordWrapColumn": "Der Zeilenumbruch erfolgt bei \"#editor.wordWrapColumn#\".",
+ "wordWrap.bounded": "Der Zeilenumbruch erfolgt beim Mindestanzeigebereich und \"#editor.wordWrapColumn\".",
+ "wordWrap": "Steuert, wie der Zeilenumbruch durchgeführt werden soll.",
+ "wordWrapColumn": "Steuert die umschließende Spalte des Editors, wenn \"#editor.wordWrap#\" den Wert \"wordWrapColumn\" oder \"bounded\" aufweist.",
+ "wrappingIndent.none": "Kein Einzug. Umbrochene Zeilen beginnen bei Spalte 1.",
+ "wrappingIndent.same": "Umbrochene Zeilen erhalten den gleichen Einzug wie das übergeordnete Element.",
+ "wrappingIndent.indent": "Umbrochene Zeilen erhalten + 1 Einzug auf das übergeordnete Element.",
+ "wrappingIndent.deepIndent": "Umgebrochene Zeilen werden im Vergleich zum übergeordneten Element +2 eingerückt.",
+ "wrappingIndent": "Steuert die Einrückung der umbrochenen Zeilen.",
+ "wrappingStrategy.simple": "Es wird angenommen, dass alle Zeichen gleich breit sind. Dies ist ein schneller Algorithmus, der für Festbreitenschriftarten und bestimmte Alphabete (wie dem lateinischen), bei denen die Glyphen gleich breit sind, korrekt funktioniert.",
+ "wrappingStrategy.advanced": "Delegiert die Berechnung von Umbruchpunkten an den Browser. Dies ist ein langsamer Algorithmus, der bei großen Dateien Code Freezes verursachen kann, aber in allen Fällen korrekt funktioniert.",
+ "wrappingStrategy": "Steuert den Algorithmus, der Umbruchpunkte berechnet."
+ },
+ "vs/editor/common/view/editorColorRegistry": {
+ "lineHighlight": "Hintergrundfarbe zur Hervorhebung der Zeile an der Cursorposition.",
+ "lineHighlightBorderBox": "Hintergrundfarbe für den Rahmen um die Zeile an der Cursorposition.",
+ "rangeHighlight": "Hintergrundfarbe der markierten Bereiche, wie z.B. Quick Open oder die Suche. Die Farbe darf nicht deckend sein, weil sie sonst die zugrunde liegenden Dekorationen verdeckt.",
+ "rangeHighlightBorder": "Hintergrundfarbe für den Rahmen um hervorgehobene Bereiche.",
+ "symbolHighlight": "Hintergrundfarbe des hervorgehobenen Symbols, z. B. \"Gehe zu Definition\" oder \"Gehe zu nächster/vorheriger\". Die Farbe darf nicht undurchsichtig sein, um zugrunde liegende Dekorationen nicht zu verbergen.",
+ "symbolHighlightBorder": "Hintergrundfarbe des Rahmens um hervorgehobene Symbole",
+ "caret": "Farbe des Cursors im Editor.",
+ "editorCursorBackground": "Hintergrundfarbe vom Editor-Cursor. Erlaubt die Anpassung der Farbe von einem Zeichen, welches von einem Block-Cursor überdeckt wird.",
+ "editorWhitespaces": "Farbe der Leerzeichen im Editor.",
+ "editorIndentGuides": "Farbe der Führungslinien für Einzüge im Editor.",
+ "editorActiveIndentGuide": "Farbe der Führungslinien für Einzüge im aktiven Editor.",
+ "editorLineNumbers": "Zeilennummernfarbe im Editor.",
+ "editorActiveLineNumber": "Zeilennummernfarbe der aktiven Editorzeile.",
+ "deprecatedEditorActiveLineNumber": "Die ID ist veraltet. Verwenden Sie stattdessen \"editorLineNumber.activeForeground\".",
+ "editorRuler": "Farbe des Editor-Lineals.",
+ "editorCodeLensForeground": "Vordergrundfarbe der CodeLens-Links im Editor",
+ "editorBracketMatchBackground": "Hintergrundfarbe für zusammengehörige Klammern",
+ "editorBracketMatchBorder": "Farbe für zusammengehörige Klammern",
+ "editorOverviewRulerBorder": "Farbe des Rahmens für das Übersicht-Lineal.",
+ "editorOverviewRulerBackground": "Hintergrundfarbe des Übersichtslineals im Editor. Wird nur verwendet, wenn die Minimap aktiviert ist und auf der rechten Seite des Editors platziert wird.",
+ "editorGutter": "Hintergrundfarbe der Editorleiste. Die Leiste enthält die Glyphenränder und die Zeilennummern.",
+ "unnecessaryCodeBorder": "Rahmenfarbe unnötigen (nicht genutzten) Quellcodes im Editor.",
+ "unnecessaryCodeOpacity": "Deckkraft des unnötigen (nicht genutzten) Quellcodes im Editor. \"#000000c0\" rendert z.B. den Code mit einer Deckkraft von 75%. Verwenden Sie für Designs mit hohem Kontrast das Farbdesign \"editorUnnecessaryCode.border\", um unnötigen Code zu unterstreichen statt ihn abzublenden.",
+ "overviewRulerRangeHighlight": "Übersichtslinealmarkerfarbe für das Hervorheben von Bereichen. Die Farbe darf nicht deckend sein, weil sie sonst die zugrunde liegenden Dekorationen verdeckt.",
+ "overviewRuleError": "Übersichtslineal-Markierungsfarbe für Fehler.",
+ "overviewRuleWarning": "Übersichtslineal-Markierungsfarbe für Warnungen.",
+ "overviewRuleInfo": "Übersichtslineal-Markierungsfarbe für Informationen."
+ },
+ "vs/editor/common/model/editStack": {
+ "edit": "Eingabe"
+ },
+ "vs/editor/browser/controller/coreCommands": {
+ "stickydesc": "Auch bei längeren Zeilen am Ende bleiben"
+ },
+ "vs/editor/browser/widget/codeEditorWidget": {
+ "cursors.maximum": "Die Anzahl der Cursors wurde auf {0} beschränkt."
+ },
+ "vs/editor/browser/widget/diffEditorWidget": {
+ "diffInsertIcon": "Zeilenformatierung für Einfügungen im Diff-Editor",
+ "diffRemoveIcon": "Zeilenformatierung für Entfernungen im Diff-Editor",
+ "diff.tooLarge": "Kann die Dateien nicht vergleichen, da eine Datei zu groß ist."
+ },
+ "vs/editor/common/standaloneStrings": {
+ "noSelection": "Keine Auswahl",
+ "singleSelectionRange": "Zeile {0}, Spalte {1} ({2} ausgewählt)",
+ "singleSelection": "Zeile {0}, Spalte {1}",
+ "multiSelectionRange": "{0} Auswahlen ({1} Zeichen ausgewählt)",
+ "multiSelection": "{0} Auswahlen",
+ "emergencyConfOn": "Die Einstellung \"accessibilitySupport\" wird jetzt in \"on\" geändert.",
+ "openingDocs": "Die Dokumentationsseite zur Barrierefreiheit des Editors wird geöffnet.",
+ "readonlyDiffEditor": " in einem schreibgeschützten Bereich eines Diff-Editors.",
+ "editableDiffEditor": " in einem Bereich eines Diff-Editors.",
+ "readonlyEditor": " in einem schreibgeschützten Code-Editor",
+ "editableEditor": " in einem Code-Editor",
+ "changeConfigToOnMac": "Drücken Sie BEFEHLSTASTE + E, um den Editor für eine optimierte Verwendung mit Sprachausgabe zu konfigurieren.",
+ "changeConfigToOnWinLinux": "Drücken Sie STRG + E, um den Editor für eine optimierte Verwendung mit Sprachausgabe zu konfigurieren.",
+ "auto_on": "Der Editor ist auf eine optimale Verwendung mit Sprachausgabe konfiguriert.",
+ "auto_off": "Der Editor ist so konfiguriert, dass er nie auf die Verwendung mit Sprachausgabe hin optimiert wird. Dies ist zu diesem Zeitpunkt nicht der Fall.",
+ "tabFocusModeOnMsg": "Durch Drücken der TAB-TASTE im aktuellen Editor wird der Fokus in das nächste Element verschoben, das den Fokus erhalten kann. Schalten Sie dieses Verhalten um, indem Sie {0} drücken.",
+ "tabFocusModeOnMsgNoKb": "Durch Drücken der TAB-TASTE im aktuellen Editor wird der Fokus in das nächste Element verschoben, das den Fokus erhalten kann. Der {0}-Befehl kann zurzeit nicht durch eine Tastenzuordnung ausgelöst werden.",
+ "tabFocusModeOffMsg": "Durch Drücken der TAB-TASTE im aktuellen Editor wird das Tabstoppzeichen eingefügt. Schalten Sie dieses Verhalten um, indem Sie {0} drücken.",
+ "tabFocusModeOffMsgNoKb": "Durch Drücken der TAB-TASTE im aktuellen Editor wird das Tabstoppzeichen eingefügt. Der {0}-Befehl kann zurzeit nicht durch eine Tastenzuordnung ausgelöst werden.",
+ "openDocMac": "Drücken Sie BEFEHLSTASTE + H, um ein Browserfenster mit weiteren Informationen zur Barrierefreiheit des Editors zu öffnen.",
+ "openDocWinLinux": "Drücken Sie STRG + H, um ein Browserfenster mit weiteren Informationen zur Barrierefreiheit des Editors zu öffnen.",
+ "outroMsg": "Sie können diese QuickInfo schließen und durch Drücken von ESC oder UMSCHALT+ESC zum Editor zurückkehren.",
+ "showAccessibilityHelpAction": "Hilfe zur Barrierefreiheit anzeigen",
+ "inspectTokens": "Entwickler: Token überprüfen",
+ "gotoLineActionLabel": "Gehe zu Zeile/Spalte...",
+ "helpQuickAccess": "Alle Anbieter für den Schnellzugriff anzeigen",
+ "quickCommandActionLabel": "Befehlspalette",
+ "quickCommandActionHelp": "Befehle anzeigen und ausführen",
+ "quickOutlineActionLabel": "Gehe zu Symbol...",
+ "quickOutlineByCategoryActionLabel": "Gehe zu Symbol nach Kategorie...",
+ "editorViewAccessibleLabel": "Editor-Inhalt",
+ "accessibilityHelpMessage": "Drücken Sie ALT + F1, um die Barrierefreiheitsoptionen aufzurufen.",
+ "toggleHighContrast": "Zu Design mit hohem Kontrast umschalten",
+ "bulkEditServiceSummary": "{0} Bearbeitungen in {1} Dateien durchgeführt"
+ },
+ "vs/editor/common/config/commonEditorConfig": {
+ "editorConfigurationTitle": "Editor",
+ "tabSize": "Die Anzahl der Leerzeichen, denen ein Tabstopp entspricht. Diese Einstellung wird basierend auf dem Inhalt der Datei überschrieben, wenn \"#editor.detectIndentation#\" aktiviert ist.",
+ "insertSpaces": "Fügt beim Drücken der TAB-Taste Leerzeichen ein. Diese Einstellung wird basierend auf dem Inhalt der Datei überschrieben, wenn \"#editor.detectIndentation#\" aktiviert ist.",
+ "detectIndentation": "Steuert, ob \"#editor.tabSize#\" und \"#editor.insertSpaces#\" automatisch erkannt werden, wenn eine Datei basierend auf dem Dateiinhalt geöffnet wird.",
+ "trimAutoWhitespace": "Nachfolgende automatisch eingefügte Leerzeichen entfernen",
+ "largeFileOptimizations": "Spezielle Behandlung für große Dateien zum Deaktivieren bestimmter speicherintensiver Funktionen.",
+ "wordBasedSuggestions": "Steuert, ob Vervollständigungen auf Grundlage der Wörter im Dokument berechnet werden sollen.",
+ "wordBasedSuggestionsMode.currentDocument": "Nur Wörter aus dem aktiven Dokument vorschlagen",
+ "wordBasedSuggestionsMode.matchingDocuments": "Wörter aus allen geöffneten Dokumenten derselben Sprache vorschlagen",
+ "wordBasedSuggestionsMode.allDocuments": "Wörter aus allen geöffneten Dokumenten vorschlagen",
+ "wordBasedSuggestionsMode": "Steuert, aus welchen Dokumenten wortbasierte Vervollständigungen berechnet werden.",
+ "semanticHighlighting.true": "Die semantische Hervorhebung ist für alle Farbdesigns aktiviert.",
+ "semanticHighlighting.false": "Die semantische Hervorhebung ist für alle Farbdesigns deaktiviert.",
+ "semanticHighlighting.configuredByTheme": "Die semantische Hervorhebung wird durch die Einstellung \"semanticHighlighting\" des aktuellen Farbdesigns konfiguriert.",
+ "semanticHighlighting.enabled": "Steuert, ob die semantische Hervorhebung für die Sprachen angezeigt wird, die sie unterstützen.",
+ "stablePeek": "Peek-Editoren geöffnet lassen, auch wenn auf den Inhalt doppelgeklickt oder die ESC-TASTE gedrückt wird.",
+ "maxTokenizationLineLength": "Zeilen, die diese Länge überschreiten, werden aus Leistungsgründen nicht tokenisiert",
+ "maxComputationTime": "Timeout in Millisekunden, nach dem die Diff-Berechnung abgebrochen wird. Bei 0 wird kein Timeout verwendet.",
+ "sideBySide": "Steuert, ob der Diff-Editor die Unterschiede nebeneinander oder im Text anzeigt.",
+ "ignoreTrimWhitespace": "Wenn aktiviert, ignoriert der Diff-Editor Änderungen an voran- oder nachgestellten Leerzeichen.",
+ "renderIndicators": "Steuert, ob der Diff-Editor die Indikatoren \"+\" und \"-\" für hinzugefügte/entfernte Änderungen anzeigt.",
+ "codeLens": "Steuert, ob der Editor CodeLens anzeigt.",
+ "wordWrap.off": "Zeilenumbrüche erfolgen nie.",
+ "wordWrap.on": "Der Zeilenumbruch erfolgt an der Breite des Anzeigebereichs.",
+ "wordWrap.inherit": "Zeilen werden entsprechend der Einstellung \"#editor.wordWrap#\" umbrochen."
+ },
+ "vs/editor/browser/widget/diffReview": {
+ "diffReviewInsertIcon": "Symbol für \"Einfügen\" in der Diff-Überprüfung.",
+ "diffReviewRemoveIcon": "Symbol für \"Entfernen\" in der Diff-Überprüfung.",
+ "diffReviewCloseIcon": "Symbol für \"Schließen\" in der Diff-Überprüfung.",
+ "label.close": "Schließen",
+ "no_lines_changed": "keine geänderten Zeilen",
+ "one_line_changed": "1 Zeile geändert",
+ "more_lines_changed": "{0} Zeilen geändert",
+ "header": "Unterschied {0} von {1}: ursprüngliche Zeile {2}, {3}, geänderte Zeile {4}, {5}",
+ "blankLine": "leer",
+ "unchangedLine": "{0}: unveränderte Zeile {1}",
+ "equalLine": "{0} ursprüngliche Zeile {1} geänderte Zeile {2}",
+ "insertLine": "+ {0} geänderte Zeile(n) {1}",
+ "deleteLine": "– {0} Originalzeile {1}",
+ "editor.action.diffReview.next": "Zum nächsten Unterschied wechseln",
+ "editor.action.diffReview.prev": "Zum vorherigen Unterschied wechseln"
+ },
+ "vs/editor/browser/widget/inlineDiffMargin": {
+ "diff.clipboard.copyDeletedLinesContent.label": "Gelöschte Zeilen kopieren",
+ "diff.clipboard.copyDeletedLinesContent.single.label": "Gelöschte Zeile kopieren",
+ "diff.clipboard.copyDeletedLineContent.label": "Gelöschte Zeile kopieren ({0})",
+ "diff.inline.revertChange.label": "Diese Änderung rückgängig machen"
+ },
+ "vs/editor/browser/controller/textAreaHandler": {
+ "editor": "Editor",
+ "accessibilityOffAriaLabel": "Auf den Editor kann derzeit nicht zugegriffen werden. Drücken Sie {0}, um die Optionen anzuzeigen."
+ },
+ "vs/editor/contrib/clipboard/clipboard": {
+ "miCut": "&&Ausschneiden",
+ "actions.clipboard.cutLabel": "Ausschneiden",
+ "miCopy": "&&Kopieren",
+ "actions.clipboard.copyLabel": "Kopieren",
+ "miPaste": "&&Einfügen",
+ "actions.clipboard.pasteLabel": "Einfügen",
+ "actions.clipboard.copyWithSyntaxHighlightingLabel": "Mit Syntaxhervorhebung kopieren"
+ },
+ "vs/editor/contrib/anchorSelect/anchorSelect": {
+ "selectionAnchor": "Auswahlanker",
+ "anchorSet": "Anker festgelegt bei \"{0}:{1}\"",
+ "setSelectionAnchor": "Auswahlanker festlegen",
+ "goToSelectionAnchor": "Zu Auswahlanker wechseln",
+ "selectFromAnchorToCursor": "Auswahl von Anker zu Cursor",
+ "cancelSelectionAnchor": "Auswahlanker abbrechen"
+ },
+ "vs/editor/contrib/bracketMatching/bracketMatching": {
+ "overviewRulerBracketMatchForeground": "Übersichtslineal-Markierungsfarbe für zusammengehörige Klammern.",
+ "smartSelect.jumpBracket": "Gehe zu Klammer",
+ "smartSelect.selectToBracket": "Auswählen bis Klammer",
+ "miGoToBracket": "Gehe zu &&Klammer"
+ },
+ "vs/editor/contrib/caretOperations/caretOperations": {
+ "caret.moveLeft": "Ausgewählten Text nach links verschieben",
+ "caret.moveRight": "Ausgewählten Text nach rechts verschieben"
+ },
+ "vs/editor/contrib/caretOperations/transpose": {
+ "transposeLetters.label": "Buchstaben austauschen"
+ },
+ "vs/editor/contrib/codelens/codelensController": {
+ "showLensOnLine": "CodeLens-Befehle für aktuelle Zeile anzeigen"
+ },
+ "vs/editor/contrib/comment/comment": {
+ "comment.line": "Zeilenkommentar umschalten",
+ "miToggleLineComment": "Zeilenkommen&&tar umschalten",
+ "comment.line.add": "Zeilenkommentar hinzufügen",
+ "comment.line.remove": "Zeilenkommentar entfernen",
+ "comment.block": "Blockkommentar umschalten",
+ "miToggleBlockComment": "&&Blockkommentar umschalten"
+ },
+ "vs/editor/contrib/contextmenu/contextmenu": {
+ "action.showContextMenu.label": "Editor-Kontextmenü anzeigen"
+ },
+ "vs/editor/contrib/cursorUndo/cursorUndo": {
+ "cursor.undo": "Mit Cursor rückgängig machen",
+ "cursor.redo": "Wiederholen mit Cursor"
+ },
+ "vs/editor/contrib/find/findController": {
+ "startFindAction": "Suchen",
+ "miFind": "&&Suchen",
+ "startFindWithSelectionAction": "Mit Auswahl suchen",
+ "findNextMatchAction": "Weitersuchen",
+ "findPreviousMatchAction": "Vorheriges Element suchen",
+ "nextSelectionMatchFindAction": "Nächste Auswahl suchen",
+ "previousSelectionMatchFindAction": "Vorherige Auswahl suchen",
+ "startReplace": "Ersetzen",
+ "miReplace": "&&Ersetzen"
+ },
+ "vs/editor/contrib/folding/folding": {
+ "unfoldAction.label": "Auffalten",
+ "unFoldRecursivelyAction.label": "Faltung rekursiv aufheben",
+ "foldAction.label": "Falten",
+ "toggleFoldAction.label": "Einklappung umschalten",
+ "foldRecursivelyAction.label": "Rekursiv falten",
+ "foldAllBlockComments.label": "Alle Blockkommentare falten",
+ "foldAllMarkerRegions.label": "Alle Regionen falten",
+ "unfoldAllMarkerRegions.label": "Alle Regionen auffalten",
+ "foldAllAction.label": "Alle falten",
+ "unfoldAllAction.label": "Alle auffalten",
+ "foldLevelAction.label": "Faltebene {0}",
+ "foldBackgroundBackground": "Hintergrundfarbe hinter gefalteten Bereichen. Die Farbe darf nicht deckend sein, sodass zugrunde liegende Dekorationen nicht ausgeblendet werden.",
+ "editorGutter.foldingControlForeground": "Farbe des Faltsteuerelements im Editor-Bundsteg."
+ },
+ "vs/editor/contrib/fontZoom/fontZoom": {
+ "EditorFontZoomIn.label": "Editorschriftart vergrößern",
+ "EditorFontZoomOut.label": "Editorschriftart verkleinern",
+ "EditorFontZoomReset.label": "Editor Schriftart Vergrößerung zurücksetzen"
+ },
+ "vs/editor/contrib/format/formatActions": {
+ "formatDocument.label": "Dokument formatieren",
+ "formatSelection.label": "Auswahl formatieren"
+ },
+ "vs/editor/contrib/gotoSymbol/goToCommands": {
+ "peek.submenu": "Vorschau",
+ "def.title": "Definitionen",
+ "noResultWord": "Keine Definition gefunden für \"{0}\".",
+ "generic.noResults": "Keine Definition gefunden",
+ "actions.goToDecl.label": "Gehe zu Definition",
+ "miGotoDefinition": "Gehe &&zu Definition",
+ "actions.goToDeclToSide.label": "Definition an der Seite öffnen",
+ "actions.previewDecl.label": "Definition einsehen",
+ "decl.title": "Deklarationen",
+ "decl.noResultWord": "Keine Deklaration für \"{0}\" gefunden.",
+ "decl.generic.noResults": "Keine Deklaration gefunden.",
+ "actions.goToDeclaration.label": "Zur Deklaration wechseln",
+ "miGotoDeclaration": "Gehe zu &&Deklaration",
+ "actions.peekDecl.label": "Vorschau für Deklaration anzeigen",
+ "typedef.title": "Typdefinitionen",
+ "goToTypeDefinition.noResultWord": "Keine Typendefinition gefunden für \"{0}\"",
+ "goToTypeDefinition.generic.noResults": "Keine Typendefinition gefunden",
+ "actions.goToTypeDefinition.label": "Zur Typdefinition wechseln",
+ "miGotoTypeDefinition": "Zur &&Typdefinition wechseln",
+ "actions.peekTypeDefinition.label": "Vorschau der Typdefinition anzeigen",
+ "impl.title": "Implementierungen",
+ "goToImplementation.noResultWord": "Keine Implementierung gefunden für \"{0}\"",
+ "goToImplementation.generic.noResults": "Keine Implementierung gefunden",
+ "actions.goToImplementation.label": "Gehe zu Implementierungen",
+ "miGotoImplementation": "Gehe zu &&Implementierungen",
+ "actions.peekImplementation.label": "Vorschau für Implementierungen anzeigen",
+ "references.no": "Für \"{0}\" wurden keine Verweise gefunden.",
+ "references.noGeneric": "Keine Referenzen gefunden",
+ "goToReferences.label": "Gehe zu Verweisen",
+ "miGotoReference": "Gehe zu &&Verweisen",
+ "ref.title": "Verweise",
+ "references.action.label": "Vorschau für Verweise anzeigen",
+ "label.generic": "Gehe zu beliebigem Symbol",
+ "generic.title": "Speicherorte",
+ "generic.noResult": "Keine Ergebnisse für \"{0}\""
+ },
+ "vs/editor/contrib/hover/hover": {
+ "showHover": "Hovern anzeigen",
+ "showDefinitionPreviewHover": "Definitionsvorschauhover anzeigen"
+ },
+ "vs/editor/contrib/gotoSymbol/link/goToDefinitionAtPosition": {
+ "multipleResults": "Klicken Sie, um {0} Definitionen anzuzeigen."
+ },
+ "vs/editor/contrib/gotoError/gotoError": {
+ "markerAction.next.label": "Gehe zu nächstem Problem (Fehler, Warnung, Information)",
+ "nextMarkerIcon": "Symbol für den Marker zum Wechseln zum nächsten Element.",
+ "markerAction.previous.label": "Gehe zu vorigem Problem (Fehler, Warnung, Information)",
+ "previousMarkerIcon": "Symbol für den Marker zum Wechseln zum vorherigen Element.",
+ "markerAction.nextInFiles.label": "Gehe zu dem nächsten Problem in den Dateien (Fehler, Warnung, Info)",
+ "miGotoNextProblem": "Nächstes &&Problem",
+ "markerAction.previousInFiles.label": "Gehe zu dem vorherigen Problem in den Dateien (Fehler, Warnung, Info)",
+ "miGotoPreviousProblem": "Vorheriges &&Problem"
+ },
+ "vs/editor/contrib/indentation/indentation": {
+ "indentationToSpaces": "Einzug in Leerzeichen konvertieren",
+ "indentationToTabs": "Einzug in Tabstopps konvertieren",
+ "configuredTabSize": "Konfigurierte Tabulatorgröße",
+ "selectTabWidth": "Tabulatorgröße für aktuelle Datei auswählen",
+ "indentUsingTabs": "Einzug mithilfe von Tabstopps",
+ "indentUsingSpaces": "Einzug mithilfe von Leerzeichen",
+ "detectIndentation": "Einzug aus Inhalt erkennen",
+ "editor.reindentlines": "Neuen Einzug für Zeilen festlegen",
+ "editor.reindentselectedlines": "Gewählte Zeilen zurückziehen"
+ },
+ "vs/editor/contrib/inPlaceReplace/inPlaceReplace": {
+ "InPlaceReplaceAction.previous.label": "Durch vorherigen Wert ersetzen",
+ "InPlaceReplaceAction.next.label": "Durch nächsten Wert ersetzen"
+ },
+ "vs/editor/contrib/linesOperations/linesOperations": {
+ "lines.copyUp": "Zeile nach oben kopieren",
+ "miCopyLinesUp": "Zeile nach oben &&kopieren",
+ "lines.copyDown": "Zeile nach unten kopieren",
+ "miCopyLinesDown": "Zeile nach unten ko&&pieren",
+ "duplicateSelection": "Auswahl duplizieren",
+ "miDuplicateSelection": "&&Auswahl duplizieren",
+ "lines.moveUp": "Zeile nach oben verschieben",
+ "miMoveLinesUp": "Zeile nach oben &&verschieben",
+ "lines.moveDown": "Zeile nach unten verschieben",
+ "miMoveLinesDown": "Zeile nach &&unten verschieben",
+ "lines.sortAscending": "Zeilen aufsteigend sortieren",
+ "lines.sortDescending": "Zeilen absteigend sortieren",
+ "lines.trimTrailingWhitespace": "Nachgestelltes Leerzeichen kürzen",
+ "lines.delete": "Zeile löschen",
+ "lines.indent": "Zeileneinzug",
+ "lines.outdent": "Zeile ausrücken",
+ "lines.insertBefore": "Zeile oben einfügen",
+ "lines.insertAfter": "Zeile unten einfügen",
+ "lines.deleteAllLeft": "Alle übrigen löschen",
+ "lines.deleteAllRight": "Alle rechts löschen",
+ "lines.joinLines": "Zeilen verknüpfen",
+ "editor.transpose": "Zeichen um den Cursor herum transponieren",
+ "editor.transformToUppercase": "In Großbuchstaben umwandeln",
+ "editor.transformToLowercase": "In Kleinbuchstaben umwandeln",
+ "editor.transformToTitlecase": "In große Anfangsbuchstaben umwandeln"
+ },
+ "vs/editor/contrib/linkedEditing/linkedEditing": {
+ "linkedEditing.label": "Verknüpfte Bearbeitung starten",
+ "editorLinkedEditingBackground": "Hintergrundfarbe, wenn der Editor automatisch nach Typ umbenennt."
+ },
+ "vs/editor/contrib/links/links": {
+ "links.navigate.executeCmd": "Befehl ausführen",
+ "links.navigate.follow": "Link folgen",
+ "links.navigate.kb.meta.mac": "BEFEHL + Klicken",
+ "links.navigate.kb.meta": "STRG + Klicken",
+ "links.navigate.kb.alt.mac": "OPTION + Klicken",
+ "links.navigate.kb.alt": "alt + klicken",
+ "tooltip.explanation": "Führen Sie den Befehl \"{0}\" aus.",
+ "invalid.url": "Fehler beim Öffnen dieses Links, weil er nicht wohlgeformt ist: {0}",
+ "missing.url": "Fehler beim Öffnen dieses Links, weil das Ziel fehlt.",
+ "label": "Link öffnen"
+ },
+ "vs/editor/contrib/multicursor/multicursor": {
+ "mutlicursor.insertAbove": "Cursor oberhalb hinzufügen",
+ "miInsertCursorAbove": "Cursor oberh&&alb hinzufügen",
+ "mutlicursor.insertBelow": "Cursor unterhalb hinzufügen",
+ "miInsertCursorBelow": "Cursor unterhal&&b hinzufügen",
+ "mutlicursor.insertAtEndOfEachLineSelected": "Cursor an Zeilenenden hinzufügen",
+ "miInsertCursorAtEndOfEachLineSelected": "C&&ursor an Zeilenenden hinzufügen",
+ "mutlicursor.addCursorsToBottom": "Cursor am Ende hinzufügen",
+ "mutlicursor.addCursorsToTop": "Cursor am Anfang hinzufügen",
+ "addSelectionToNextFindMatch": "Auswahl zur nächsten Übereinstimmungssuche hinzufügen",
+ "miAddSelectionToNextFindMatch": "&&Nächstes Vorkommen hinzufügen",
+ "addSelectionToPreviousFindMatch": "Letzte Auswahl zu vorheriger Übereinstimmungssuche hinzufügen",
+ "miAddSelectionToPreviousFindMatch": "Vo&&rheriges Vorkommen hinzufügen",
+ "moveSelectionToNextFindMatch": "Letzte Auswahl in nächste Übereinstimmungssuche verschieben",
+ "moveSelectionToPreviousFindMatch": "Letzte Auswahl in vorherige Übereinstimmungssuche verschieben",
+ "selectAllOccurrencesOfFindMatch": "Alle Vorkommen auswählen und Übereinstimmung suchen",
+ "miSelectHighlights": "Alle V&&orkommen auswählen",
+ "changeAll.label": "Alle Vorkommen ändern"
+ },
+ "vs/editor/contrib/parameterHints/parameterHints": {
+ "parameterHints.trigger.label": "Parameterhinweise auslösen"
+ },
+ "vs/editor/contrib/rename/rename": {
+ "no result": "Kein Ergebnis.",
+ "resolveRenameLocationFailed": "Ein unbekannter Fehler ist beim Auflösen der Umbenennung eines Ortes aufgetreten.",
+ "label": "\"{0}\" wird umbenannt.",
+ "quotableLabel": "{0} wird umbenannt.",
+ "aria": "\"{0}\" erfolgreich in \"{1}\" umbenannt. Zusammenfassung: {2}",
+ "rename.failedApply": "Die rename-Funktion konnte die Änderungen nicht anwenden.",
+ "rename.failed": "Die rename-Funktion konnte die Änderungen nicht berechnen.",
+ "rename.label": "Symbol umbenennen",
+ "enablePreview": "Möglichkeit aktivieren/deaktivieren, Änderungen vor dem Umbenennen als Vorschau anzeigen zu lassen"
+ },
+ "vs/editor/contrib/smartSelect/smartSelect": {
+ "smartSelect.expand": "Auswahl aufklappen",
+ "miSmartSelectGrow": "Auswahl &&erweitern",
+ "smartSelect.shrink": "Markierung verkleinern",
+ "miSmartSelectShrink": "Au&&swahl verkleinern"
+ },
+ "vs/editor/contrib/suggest/suggestController": {
+ "aria.alert.snippet": "Das Akzeptieren von \"{0}\" ergab {1} zusätzliche Bearbeitungen.",
+ "suggest.trigger.label": "Vorschlag auslösen",
+ "accept.insert": "Einfügen",
+ "accept.replace": "Ersetzen",
+ "detail.more": "weniger anzeigen",
+ "detail.less": "mehr anzeigen",
+ "suggest.reset.label": "Größe des Vorschlagswidgets zurücksetzen"
+ },
+ "vs/editor/contrib/tokenization/tokenization": {
+ "forceRetokenize": "Entwickler: Force Retokenize"
+ },
+ "vs/editor/contrib/toggleTabFocusMode/toggleTabFocusMode": {
+ "toggle.tabMovesFocus": "TAB-Umschalttaste verschiebt Fokus",
+ "toggle.tabMovesFocus.on": "Beim Drücken auf Tab wird der Fokus jetzt auf das nächste fokussierbare Element verschoben",
+ "toggle.tabMovesFocus.off": "Beim Drücken von Tab wird jetzt das Tabulator-Zeichen eingefügt"
+ },
+ "vs/editor/contrib/unusualLineTerminators/unusualLineTerminators": {
+ "unusualLineTerminators.title": "Ungewöhnliche Zeilentrennzeichen",
+ "unusualLineTerminators.message": "Ungewöhnliche Zeilentrennzeichen erkannt",
+ "unusualLineTerminators.detail": "Diese Datei enthält mindestens ein ungültiges Zeilenabschlusszeichen, z. B. Zeilentrennzeichen (LS) oder Absatztrennzeichen (PS).\r\n\r\nEs wird empfohlen, diese Zeichen aus der Datei zu entfernen. Die betreffende Einstellung kann über \"editor.unusualLineTerminators\" konfiguriert werden.",
+ "unusualLineTerminators.fix": "Diese Datei korrigieren",
+ "unusualLineTerminators.ignore": "Problem für diese Datei ignorieren"
+ },
+ "vs/editor/contrib/wordHighlighter/wordHighlighter": {
+ "wordHighlight": "Hintergrundfarbe eines Symbols beim Lesezugriff, z.B. beim Lesen einer Variablen. Die Farbe darf nicht deckend sein, damit sie nicht die zugrunde liegenden Dekorationen verdeckt.",
+ "wordHighlightStrong": "Hintergrundfarbe eines Symbols bei Schreibzugriff, z.B. beim Schreiben in eine Variable. Die Farbe darf nicht deckend sein, weil sie sonst die zugrunde liegenden Dekorationen verdeckt.",
+ "wordHighlightBorder": "Randfarbe eines Symbols beim Lesezugriff, wie etwa beim Lesen einer Variablen.",
+ "wordHighlightStrongBorder": "Randfarbe eines Symbols beim Schreibzugriff, wie etwa beim Schreiben einer Variablen.",
+ "overviewRulerWordHighlightForeground": "Übersichtslinealmarkerfarbd für das Hervorheben von Symbolen. Die Farbe darf nicht deckend sein, weil sie sonst die zugrunde liegenden Dekorationen verdeckt.",
+ "overviewRulerWordHighlightStrongForeground": "Übersichtslinealmarkerfarbe für Symbolhervorhebungen bei Schreibzugriff. Die Farbe darf nicht deckend sein, weil sie sonst die zugrunde liegenden Dekorationen verdeckt.",
+ "wordHighlight.next.label": "Gehe zur nächsten Symbolhervorhebungen",
+ "wordHighlight.previous.label": "Gehe zur vorherigen Symbolhervorhebungen",
+ "wordHighlight.trigger.label": "Symbol-Hervorhebung ein-/ausschalten"
+ },
+ "vs/editor/contrib/wordOperations/wordOperations": {
+ "deleteInsideWord": "Wort löschen"
+ },
+ "vs/editor/contrib/quickAccess/gotoLineQuickAccess": {
+ "cannotRunGotoLine": "Öffnen Sie zuerst einen Text-Editor, um zu einer Zeile zu wechseln.",
+ "gotoLineColumnLabel": "Wechseln Sie zu Zeile {0} und Spalte {1}.",
+ "gotoLineLabel": "Zu Zeile {0} wechseln.",
+ "gotoLineLabelEmptyWithLimit": "Aktuelle Zeile: {0}, Zeichen: {1}. Geben Sie eine Zeilennummer zwischen 1 und {2} ein, zu der Sie navigieren möchten.",
+ "gotoLineLabelEmpty": "Aktuelle Zeile: {0}, Zeichen: {1}. Geben Sie eine Zeilennummer ein, zu der Sie navigieren möchten."
+ },
+ "vs/editor/contrib/peekView/peekView": {
+ "label.close": "Schließen",
+ "peekViewTitleBackground": "Hintergrundfarbe des Titelbereichs der Peek-Ansicht.",
+ "peekViewTitleForeground": "Farbe des Titels in der Peek-Ansicht.",
+ "peekViewTitleInfoForeground": "Farbe der Titelinformationen in der Peek-Ansicht.",
+ "peekViewBorder": "Farbe der Peek-Ansichtsränder und des Pfeils.",
+ "peekViewResultsBackground": "Hintergrundfarbe der Ergebnisliste in der Peek-Ansicht.",
+ "peekViewResultsMatchForeground": "Vordergrundfarbe für Zeilenknoten in der Ergebnisliste der Peek-Ansicht.",
+ "peekViewResultsFileForeground": "Vordergrundfarbe für Dateiknoten in der Ergebnisliste der Peek-Ansicht.",
+ "peekViewResultsSelectionBackground": "Hintergrundfarbe des ausgewählten Eintrags in der Ergebnisliste der Peek-Ansicht.",
+ "peekViewResultsSelectionForeground": "Vordergrundfarbe des ausgewählten Eintrags in der Ergebnisliste der Peek-Ansicht.",
+ "peekViewEditorBackground": "Hintergrundfarbe des Peek-Editors.",
+ "peekViewEditorGutterBackground": "Hintergrundfarbe der Leiste im Peek-Editor.",
+ "peekViewResultsMatchHighlight": "Farbe für Übereinstimmungsmarkierungen in der Ergebnisliste der Peek-Ansicht.",
+ "peekViewEditorMatchHighlight": "Farbe für Übereinstimmungsmarkierungen im Peek-Editor.",
+ "peekViewEditorMatchHighlightBorder": "Rahmen für Übereinstimmungsmarkierungen im Peek-Editor."
+ },
+ "vs/editor/contrib/codeAction/codeActionCommands": {
+ "args.schema.kind": "Art der auszuführenden Codeaktion",
+ "args.schema.apply": "Legt fest, wann die zurückgegebenen Aktionen angewendet werden",
+ "args.schema.apply.first": "Die erste zurückgegebene Codeaktion immer anwenden",
+ "args.schema.apply.ifSingle": "Die erste zurückgegebene Codeaktion anwenden, wenn nur eine vorhanden ist",
+ "args.schema.apply.never": "Zurückgegebene Codeaktionen nicht anwenden",
+ "args.schema.preferred": "Legt fest, ob nur bevorzugte Codeaktionen zurückgegeben werden sollen",
+ "applyCodeActionFailed": "Beim Anwenden der Code-Aktion ist ein unbekannter Fehler aufgetreten",
+ "quickfix.trigger.label": "Schnelle Problembehebung ...",
+ "editor.action.quickFix.noneMessage": "Keine Codeaktionen verfügbar",
+ "editor.action.codeAction.noneMessage.preferred.kind": "Keine bevorzugten Codeaktionen für \"{0}\" verfügbar",
+ "editor.action.codeAction.noneMessage.kind": "Keine Codeaktionen für \"{0}\" verfügbar",
+ "editor.action.codeAction.noneMessage.preferred": "Keine bevorzugten Codeaktionen verfügbar",
+ "editor.action.codeAction.noneMessage": "Keine Codeaktionen verfügbar",
+ "refactor.label": "Refactoring durchführen...",
+ "editor.action.refactor.noneMessage.preferred.kind": "Keine bevorzugten Refactorings für \"{0}\" verfügbar",
+ "editor.action.refactor.noneMessage.kind": "Keine Refactorings für \"{0}\" verfügbar",
+ "editor.action.refactor.noneMessage.preferred": "Keine bevorzugten Refactorings verfügbar",
+ "editor.action.refactor.noneMessage": "Keine Refactorings verfügbar",
+ "source.label": "Quellaktion...",
+ "editor.action.source.noneMessage.preferred.kind": "Keine bevorzugten Quellaktionen für \"{0}\" verfügbar",
+ "editor.action.source.noneMessage.kind": "Keine Quellaktionen für \"{0}\" verfügbar",
+ "editor.action.source.noneMessage.preferred": "Keine bevorzugten Quellaktionen verfügbar",
+ "editor.action.source.noneMessage": "Keine Quellaktionen verfügbar",
+ "organizeImports.label": "Importe organisieren",
+ "editor.action.organize.noneMessage": "Keine Aktion zum Organisieren von Importen verfügbar",
+ "fixAll.label": "Alle korrigieren",
+ "fixAll.noneMessage": "Aktion \"Alle korrigieren\" nicht verfügbar",
+ "autoFix.label": "Automatisch korrigieren...",
+ "editor.action.autoFix.noneMessage": "Keine automatischen Korrekturen verfügbar"
+ },
+ "vs/editor/contrib/find/findWidget": {
+ "findSelectionIcon": "Symbol für \"In Auswahl suchen\" im Editor-Such-Widget.",
+ "findCollapsedIcon": "Symbol für die Anzeige, dass das Editor-Such-Widget zugeklappt wurde.",
+ "findExpandedIcon": "Symbol für die Anzeige, dass das Editor-Such-Widget aufgeklappt wurde.",
+ "findReplaceIcon": "Symbol für \"Ersetzen\" im Editor-Such-Widget.",
+ "findReplaceAllIcon": "Symbol für \"Alle ersetzen\" im Editor-Such-Widget.",
+ "findPreviousMatchIcon": "Symbol für \"Vorheriges Element suchen\" im Editor-Such-Widget.",
+ "findNextMatchIcon": "Symbol für \"Nächstes Element suchen\" im Editor-Such-Widget.",
+ "label.find": "Suchen",
+ "placeholder.find": "Suchen",
+ "label.previousMatchButton": "Vorheriger Treffer",
+ "label.nextMatchButton": "Nächste Übereinstimmung",
+ "label.toggleSelectionFind": "In Auswahl suchen",
+ "label.closeButton": "Schließen",
+ "label.replace": "Ersetzen",
+ "placeholder.replace": "Ersetzen",
+ "label.replaceButton": "Ersetzen",
+ "label.replaceAllButton": "Alle ersetzen",
+ "label.toggleReplaceButton": "Ersetzen-Modus wechseln",
+ "title.matchesCountLimit": "Nur die ersten {0} Ergebnisse wurden hervorgehoben, aber alle Suchoperationen werden auf dem gesamten Text durchgeführt.",
+ "label.matchesLocation": "{0} von {1}",
+ "label.noResults": "Keine Ergebnisse",
+ "ariaSearchNoResultEmpty": "{0} gefunden",
+ "ariaSearchNoResult": "{0} für \"{1}\" gefunden",
+ "ariaSearchNoResultWithLineNum": "{0} für \"{1}\" gefunden, bei {2}",
+ "ariaSearchNoResultWithLineNumNoCurrentMatch": "{0} für \"{1}\" gefunden",
+ "ctrlEnter.keybindingChanged": "STRG+EINGABE fügt jetzt einen Zeilenumbruch ein, statt alles zu ersetzen. Sie können die Tastenzuordnung für \"editor.action.replaceAll\" ändern, um dieses Verhalten außer Kraft zu setzen."
+ },
+ "vs/editor/contrib/folding/foldingDecorations": {
+ "foldingExpandedIcon": "Symbol für aufgeklappte Bereiche im Editor-Glyphenrand.",
+ "foldingCollapsedIcon": "Symbol für zugeklappte Bereiche im Editor-Glyphenrand."
+ },
+ "vs/editor/contrib/format/format": {
+ "hint11": "1 Formatierung in Zeile {0} vorgenommen",
+ "hintn1": "{0} Formatierungen in Zeile {1} vorgenommen",
+ "hint1n": "1 Formatierung zwischen Zeilen {0} und {1} vorgenommen",
+ "hintnn": "{0} Formatierungen zwischen Zeilen {1} und {2} vorgenommen"
+ },
+ "vs/editor/contrib/message/messageController": {
+ "editor.readonly": "Ein Bearbeiten ist im schreibgeschützten Editor nicht möglich"
+ },
+ "vs/editor/contrib/gotoSymbol/peek/referencesController": {
+ "labelLoading": "Wird geladen...",
+ "metaTitle.N": "{0} ({1})"
+ },
+ "vs/editor/contrib/gotoSymbol/referencesModel": {
+ "aria.oneReference": "Symbol in {0} in Zeile {1}, Spalte {2}",
+ "aria.oneReference.preview": "Symbol in \"{0}\" für Zeile {1}, Spalte {2}, {3}",
+ "aria.fileReferences.1": "1 Symbol in {0}, vollständiger Pfad {1}",
+ "aria.fileReferences.N": "{0} Symbole in {1}, vollständiger Pfad {2}",
+ "aria.result.0": "Es wurden keine Ergebnisse gefunden.",
+ "aria.result.1": "1 Symbol in {0} gefunden",
+ "aria.result.n1": "{0} Symbole in {1} gefunden",
+ "aria.result.nm": "{0} Symbole in {1} Dateien gefunden"
+ },
+ "vs/editor/contrib/gotoSymbol/symbolNavigation": {
+ "location.kb": "Symbol {0} von {1}, {2} für nächstes",
+ "location": "Symbol {0} von {1}"
+ },
+ "vs/editor/contrib/hover/modesContentHover": {
+ "modesContentHover.loading": "Wird geladen...",
+ "peek problem": "Problemvorschau",
+ "noQuickFixes": "Keine Schnellkorrekturen verfügbar",
+ "checkingForQuickFixes": "Es wird nach Schnellkorrekturen gesucht...",
+ "quick fixes": "Schnelle Problembehebung ..."
+ },
+ "vs/editor/contrib/gotoError/gotoErrorWidget": {
+ "Error": "Fehler",
+ "Warning": "Warnung",
+ "Info": "Info",
+ "Hint": "Hinweis",
+ "marker aria": "{0} bei {1}. ",
+ "problems": "{0} von {1} Problemen",
+ "change": "{0} von {1} Problemen",
+ "editorMarkerNavigationError": "Editormarkierung: Farbe bei Fehler des Navigationswidgets.",
+ "editorMarkerNavigationWarning": "Editormarkierung: Farbe bei Warnung des Navigationswidgets.",
+ "editorMarkerNavigationInfo": "Editormarkierung: Farbe bei Information des Navigationswidgets.",
+ "editorMarkerNavigationBackground": "Editormarkierung: Hintergrund des Navigationswidgets."
+ },
+ "vs/editor/contrib/parameterHints/parameterHintsWidget": {
+ "parameterHintsNextIcon": "Symbol für die Anzeige des nächsten Parameterhinweises.",
+ "parameterHintsPreviousIcon": "Symbol für die Anzeige des vorherigen Parameterhinweises.",
+ "hint": "{0}, Hinweis"
+ },
+ "vs/editor/contrib/rename/renameInputField": {
+ "renameAriaLabel": "Benennen Sie die Eingabe um. Geben Sie einen neuen Namen ein, und drücken Sie die EINGABETASTE, um den Commit auszuführen.",
+ "label": "{0} zur Umbenennung, {1} zur Vorschau"
+ },
+ "vs/editor/contrib/suggest/suggestWidget": {
+ "editorSuggestWidgetBackground": "Hintergrundfarbe des Vorschlagswidgets.",
+ "editorSuggestWidgetBorder": "Rahmenfarbe des Vorschlagswidgets.",
+ "editorSuggestWidgetForeground": "Vordergrundfarbe des Vorschlagswidgets.",
+ "editorSuggestWidgetSelectedBackground": "Hintergrundfarbe des ausgewählten Eintrags im Vorschlagswidget.",
+ "editorSuggestWidgetHighlightForeground": "Farbe der Trefferhervorhebung im Vorschlagswidget.",
+ "suggestWidget.loading": "Wird geladen...",
+ "suggestWidget.noSuggestions": "Keine Vorschläge.",
+ "ariaCurrenttSuggestionReadDetails": "{0}, Dokumente: {1}",
+ "suggest": "Vorschlagen"
+ },
+ "vs/editor/contrib/quickAccess/gotoSymbolQuickAccess": {
+ "cannotRunGotoSymbolWithoutEditor": "Öffnen Sie zunächst einen Text-Editor mit Symbolinformationen, um zu einem Symbol zu navigieren.",
+ "cannotRunGotoSymbolWithoutSymbolProvider": "Der aktive Text-Editor stellt keine Symbolinformationen bereit.",
+ "noMatchingSymbolResults": "Keine übereinstimmenden Editorsymbole.",
+ "noSymbolResults": "Keine Editorsymbole.",
+ "openToSide": "An der Seite öffnen",
+ "openToBottom": "Unten öffnen",
+ "symbols": "Symbole ({0})",
+ "property": "Eigenschaften ({0})",
+ "method": "Methoden ({0})",
+ "function": "Funktionen ({0})",
+ "_constructor": "Konstruktoren ({0})",
+ "variable": "Variablen ({0})",
+ "class": "Klassen ({0})",
+ "struct": "Strukturen ({0})",
+ "event": "Ereignisse ({0})",
+ "operator": "Operatoren ({0})",
+ "interface": "Schnittstellen ({0})",
+ "namespace": "Namespaces ({0})",
+ "package": "Pakete ({0})",
+ "typeParameter": "Typparameter ({0})",
+ "modules": "Module ({0})",
+ "enum": "Enumerationen ({0})",
+ "enumMember": "Enumerationsmember ({0})",
+ "string": "Zeichenfolgen ({0})",
+ "file": "Dateien ({0})",
+ "array": "Arrays ({0})",
+ "number": "Zahlen ({0})",
+ "boolean": "Boolesche Werte ({0})",
+ "object": "Objekte ({0})",
+ "key": "Schlüssel ({0})",
+ "field": "Felder ({0})",
+ "constant": "Konstanten ({0})"
+ },
+ "vs/editor/contrib/snippet/snippetVariables": {
+ "Sunday": "Sonntag",
+ "Monday": "Montag",
+ "Tuesday": "Dienstag",
+ "Wednesday": "Mittwoch",
+ "Thursday": "Donnerstag",
+ "Friday": "Freitag",
+ "Saturday": "Samstag",
+ "SundayShort": "So",
+ "MondayShort": "Mo",
+ "TuesdayShort": "Di",
+ "WednesdayShort": "Mi",
+ "ThursdayShort": "Do",
+ "FridayShort": "Fr",
+ "SaturdayShort": "Sa",
+ "January": "Januar",
+ "February": "Februar",
+ "March": "März",
+ "April": "April",
+ "May": "Mai",
+ "June": "Juni",
+ "July": "Juli",
+ "August": "August",
+ "September": "September",
+ "October": "Oktober",
+ "November": "November",
+ "December": "Dezember",
+ "JanuaryShort": "Jan",
+ "FebruaryShort": "Feb",
+ "MarchShort": "Mär",
+ "AprilShort": "Apr",
+ "MayShort": "Mai",
+ "JuneShort": "Jun",
+ "JulyShort": "Jul",
+ "AugustShort": "Aug",
+ "SeptemberShort": "Sep",
+ "OctoberShort": "Okt",
+ "NovemberShort": "Nov",
+ "DecemberShort": "Dez"
+ },
+ "vs/editor/contrib/documentSymbols/outlineTree": {
+ "title.template": "{0} ({1})",
+ "1.problem": "1 Problem in diesem Element.",
+ "N.problem": "{0} Probleme in diesem Element.",
+ "deep.problem": "Enthält Elemente mit Problemen.",
+ "Array": "Array",
+ "Boolean": "Boolescher Wert",
+ "Class": "Klasse",
+ "Constant": "Konstante",
+ "Constructor": "Konstruktor",
+ "Enum": "Enumeration",
+ "EnumMember": "Enumerationsmember",
+ "Event": "Ereignis",
+ "Field": "Feld",
+ "File": "Datei",
+ "Function": "Funktion",
+ "Interface": "Schnittstelle",
+ "Key": "Schlüssel",
+ "Method": "Methode",
+ "Module": "Modul",
+ "Namespace": "Namespace",
+ "Null": "NULL",
+ "Number": "Zahl",
+ "Object": "Objekt",
+ "Operator": "Operator",
+ "Package": "Paket",
+ "Property": "Eigenschaft",
+ "String": "Zeichenfolge",
+ "Struct": "Struktur",
+ "TypeParameter": "Typparameter",
+ "Variable": "Variable",
+ "symbolIcon.arrayForeground": "Die Vordergrundfarbe für Arraysymbole. Diese Symbole werden in den Widgets für Gliederung, Breadcrumbs und Vorschläge angezeigt.",
+ "symbolIcon.booleanForeground": "Die Vordergrundfarbe für boolesche Symbole. Diese Symbole werden in den Widgets für Gliederung, Breadcrumbs und Vorschläge angezeigt.",
+ "symbolIcon.classForeground": "Die Vordergrundfarbe für Klassensymbole. Diese Symbole werden in den Widgets für Gliederung, Breadcrumbs und Vorschläge angezeigt.",
+ "symbolIcon.colorForeground": "Die Vordergrundfarbe für Farbsymbole. Diese Symbole werden in den Widgets für Gliederung, Breadcrumbs und Vorschläge angezeigt.",
+ "symbolIcon.constantForeground": "Die Vordergrundfarbe für konstante Symbole. Diese Symbole werden in den Widgets für Gliederung, Breadcrumbs und Vorschläge angezeigt.",
+ "symbolIcon.constructorForeground": "Die Vordergrundfarbe für Konstruktorsymbole. Diese Symbole werden in den Widgets für Gliederung, Breadcrumbs und Vorschläge angezeigt.",
+ "symbolIcon.enumeratorForeground": "Die Vordergrundfarbe für Enumeratorsymbole. Diese Symbole werden in den Widgets für Gliederung, Breadcrumbs und Vorschläge angezeigt.",
+ "symbolIcon.enumeratorMemberForeground": "Die Vordergrundfarbe für Enumeratormembersymbole. Diese Symbole werden in den Widgets für Gliederung, Breadcrumbs und Vorschläge angezeigt.",
+ "symbolIcon.eventForeground": "Die Vordergrundfarbe für Ereignissymbole. Diese Symbole werden in den Widgets für Gliederung, Breadcrumbs und Vorschläge angezeigt.",
+ "symbolIcon.fieldForeground": "Die Vordergrundfarbe für Feldsymbole. Diese Symbole werden in den Widgets für Gliederung, Breadcrumbs und Vorschläge angezeigt.",
+ "symbolIcon.fileForeground": "Die Vordergrundfarbe für Dateisymbole. Diese Symbole werden in den Widgets für Gliederung, Breadcrumbs und Vorschläge angezeigt.",
+ "symbolIcon.folderForeground": "Die Vordergrundfarbe für Ordnersymbole. Diese Symbole werden in den Widgets für Gliederung, Breadcrumbs und Vorschläge angezeigt.",
+ "symbolIcon.functionForeground": "Die Vordergrundfarbe für Funktionssymbole. Diese Symbole werden in den Widgets für Gliederung, Breadcrumbs und Vorschläge angezeigt.",
+ "symbolIcon.interfaceForeground": "Die Vordergrundfarbe für Schnittstellensymbole. Diese Symbole werden in den Widgets für Gliederung, Breadcrumbs und Vorschläge angezeigt.",
+ "symbolIcon.keyForeground": "Die Vordergrundfarbe für Schlüsselsymbole. Diese Symbole werden in den Widgets für Gliederung, Breadcrumbs und Vorschläge angezeigt.",
+ "symbolIcon.keywordForeground": "Die Vordergrundfarbe für Schlüsselwortsymbole. Diese Symbole werden in den Widgets für Gliederung, Breadcrumbs und Vorschläge angezeigt.",
+ "symbolIcon.methodForeground": "Die Vordergrundfarbe für Methodensymbole. Diese Symbole werden in den Widgets für Gliederung, Breadcrumbs und Vorschläge angezeigt.",
+ "symbolIcon.moduleForeground": "Die Vordergrundfarbe für Modulsymbole. Diese Symbole werden in den Widgets für Gliederung, Breadcrumbs und Vorschläge angezeigt.",
+ "symbolIcon.namespaceForeground": "Die Vordergrundfarbe für Namespacesymbole. Diese Symbole werden in den Widgets für Gliederung, Breadcrumbs und Vorschläge angezeigt.",
+ "symbolIcon.nullForeground": "Die Vordergrundfarbe für NULL-Symbole. Diese Symbole werden in den Widgets für Gliederung, Breadcrumbs und Vorschläge angezeigt.",
+ "symbolIcon.numberForeground": "Die Vordergrundfarbe für Zahlensymbole. Diese Symbole werden in den Widgets für Gliederung, Breadcrumbs und Vorschläge angezeigt.",
+ "symbolIcon.objectForeground": "Die Vordergrundfarbe für Objektsymbole. Diese Symbole werden in den Widgets für Gliederung, Breadcrumbs und Vorschläge angezeigt.",
+ "symbolIcon.operatorForeground": "Die Vordergrundfarbe für Operatorsymbole. Diese Symbole werden in den Widgets für Gliederung, Breadcrumbs und Vorschläge angezeigt.",
+ "symbolIcon.packageForeground": "Die Vordergrundfarbe für Paketsymbole. Diese Symbole werden in den Widgets für Gliederung, Breadcrumbs und Vorschläge angezeigt.",
+ "symbolIcon.propertyForeground": "Die Vordergrundfarbe für Eigenschaftensymbole. Diese Symbole werden in den Widgets für Gliederung, Breadcrumbs und Vorschläge angezeigt.",
+ "symbolIcon.referenceForeground": "Die Vordergrundfarbe für Referenzsymbole. Diese Symbole werden in den Widgets für Gliederung, Breadcrumbs und Vorschläge angezeigt.",
+ "symbolIcon.snippetForeground": "Die Vordergrundfarbe für Codeausschnittsymbole. Diese Symbole werden in den Widgets für Gliederung, Breadcrumbs und Vorschläge angezeigt.",
+ "symbolIcon.stringForeground": "Die Vordergrundfarbe für Zeichenfolgensymbole. Diese Symbole werden in den Widgets für Gliederung, Breadcrumbs und Vorschläge angezeigt.",
+ "symbolIcon.structForeground": "Die Vordergrundfarbe für Struktursymbole. Diese Symbole werden in den Widgets für Gliederung, Breadcrumbs und Vorschläge angezeigt.",
+ "symbolIcon.textForeground": "Die Vordergrundfarbe für Textsymbole. Diese Symbole werden in den Widgets für Gliederung, Breadcrumbs und Vorschläge angezeigt.",
+ "symbolIcon.typeParameterForeground": "Die Vordergrundfarbe für Typparametersymbole. Diese Symbole werden in den Widgets für Gliederung, Breadcrumbs und Vorschläge angezeigt.",
+ "symbolIcon.unitForeground": "Die Vordergrundfarbe für Einheitensymbole. Diese Symbole werden in den Widgets für Gliederung, Breadcrumbs und Vorschläge angezeigt.",
+ "symbolIcon.variableForeground": "Die Vordergrundfarbe für variable Symbole. Diese Symbole werden in den Widgets für Gliederung, Breadcrumbs und Vorschläge angezeigt."
+ },
+ "vs/editor/contrib/gotoSymbol/peek/referencesWidget": {
+ "missingPreviewMessage": "Keine Vorschau verfügbar.",
+ "noResults": "Keine Ergebnisse",
+ "peekView.alternateTitle": "Verweise"
+ },
+ "vs/editor/contrib/suggest/suggestWidgetDetails": {
+ "details.close": "Schließen",
+ "loading": "Wird geladen..."
+ },
+ "vs/editor/contrib/suggest/suggestWidgetStatus": {
+ "ddd": "{0} ({1})"
+ },
+ "vs/editor/contrib/suggest/suggestWidgetRenderer": {
+ "suggestMoreInfoIcon": "Symbol für weitere Informationen im Vorschlags-Widget.",
+ "readMore": "Weitere Informationen"
+ },
+ "vs/editor/contrib/codeAction/lightBulbWidget": {
+ "prefferedQuickFixWithKb": "Fixes anzeigen. Bevorzugter Fix verfügbar ({0})",
+ "quickFixWithKb": "Korrekturen anzeigen ({0})",
+ "quickFix": "Korrekturen anzeigen"
+ },
+ "vs/editor/contrib/gotoSymbol/peek/referencesTree": {
+ "referencesCount": "{0} Verweise",
+ "referenceCount": "{0} Verweis",
+ "treeAriaLabel": "Verweise"
+ },
+ "vs/platform/environment/node/argvHelper": {
+ "unknownOption": "Warnung: \"{0}\" ist zwar nicht in der Liste der bekannten Optionen enthalten, wird aber trotzdem an Electron/Chromium übergeben.",
+ "multipleValues": "Option '{0}' wird mehrfach definiert. Der verwendete Wert ist '{1}.'",
+ "gotoValidation": "Argumente im Modus \"--goto\" müssen im Format \"DATEI(:ZEILE(:ZEICHEN))\" vorliegen."
+ },
+ "vs/platform/request/common/request": {
+ "httpConfigurationTitle": "HTTP",
+ "proxy": "Die zu verwendende Proxyeinstellung. Ist diese nicht festgelegt, wird sie von den Umgebungsvariablen \"http_proxy\" und \"https_proxy\" geerbt.",
+ "strictSSL": "Steuert, ob das Proxy-Server-Zertifikat mit der Liste der mitgelieferten CAs überprüft werden soll.",
+ "proxyAuthorization": "Der Wert, der für jede Netzwerkanforderung als Proxy-Authorization-Header gesendet werden soll.",
+ "proxySupportOff": "Hiermit wird die Proxyunterstützung für Erweiterungen deaktiviert.",
+ "proxySupportOn": "Hiermit wird die Proxyunterstützung für Erweiterungen aktiviert.",
+ "proxySupportOverride": "Hiermit wird die Proxyunterstützung für Erweiterungen aktiviert, und Anforderungsoptionen werden außer Kraft gesetzt.",
+ "proxySupport": "Proxyunterstützung für Erweiterungen verwenden.",
+ "systemCertificates": "Steuert, ob CA-Zertifikate über das Betriebssystem geladen werden. (Unter Windows- und macOS-Betriebssystemen muss nach dem Deaktivieren das Fenster neu geladen werden.)"
+ },
+ "vs/platform/files/common/fileService": {
+ "invalidPath": "Der Dateisystemanbieter mit relativem Dateipfad \"{0}\" konnte nicht aufgelöst werden.",
+ "noProviderFound": "Für die Ressource \"{0}\" wurde kein Dateisystemanbieter gefunden.",
+ "fileNotFoundError": "Die nicht vorhandene Datei \"{0}\" kann nicht aufgelöst werden.",
+ "fileExists": "Die bereits vorhandene Datei \"{0}\" kann nicht erstellt werden, wenn das Flag zum Überschreiben nicht festgelegt ist.",
+ "err.write": "Datei \"{0}\" kann nicht gespeichert werden ({1}).",
+ "fileIsDirectoryWriteError": "Die Datei \"{0}\", kann nicht gespeichert werden, da sie eigentlich ein Verzeichnis ist.",
+ "fileModifiedError": "Datei geändert seit",
+ "err.read": "Die Datei \"{0}\" kann nicht gelesen werden ({1}).",
+ "fileIsDirectoryReadError": "Die Datei \"{0}\" kann nicht gelesen werden, da sie eigentlich ein Verzeichnis ist.",
+ "fileNotModifiedError": "Datei nicht geändert seit",
+ "fileTooLargeError": "Lesen der Datei \"{0}\" nicht möglich, weil sie zu groß ist, um geöffnet zu werden.",
+ "unableToMoveCopyError1": "Kopieren nicht möglich, wenn die Quelle \"{0}\" mit dem Ziel \"{1}\" sich nur in der Groß-/Kleinschreibung des Pfads unterscheiden, die Groß-/Kleinschreibung im Dateisystem jedoch ignoriert wird",
+ "unableToMoveCopyError2": "Das Verschieben/Kopieren ist nicht möglich, wenn die Quelle \"{0}\" das übergeordnete Element des Ziels \"{1}\" ist.",
+ "unableToMoveCopyError3": "\"{0}\" kann nicht verschoben/kopiert werden, da das Ziel \"{1}\" bereits am Ziel existiert.",
+ "unableToMoveCopyError4": "\"{0}\" kann nicht in \"{1}\" verschoben/kopiert werden, da eine Datei den Ordner ersetzen würde, in dem sie enthalten ist.",
+ "mkdirExistsError": "Der Ordner \"{0}\" kann nicht erstellt werden, da er bereits vorhanden, aber kein Verzeichnis ist.",
+ "deleteFailedTrashUnsupported": "Die Datei \"{0}\" kann nicht über den Papierkorb gelöscht werden, da der Anbieter dies nicht unterstützt.",
+ "deleteFailedNotFound": "Die nicht vorhandene Datei \"{0}\" kann nicht gelöscht werden.",
+ "deleteFailedNonEmptyFolder": "Der nicht leere Ordner \"{0}\" konnte nicht gelöscht werden.",
+ "err.readonly": "Die schreibgeschützte Datei '{0}' kann nicht geändert werden."
+ },
+ "vs/platform/files/node/diskFileSystemProvider": {
+ "fileExists": "Die Datei ist bereits vorhanden.",
+ "fileNotExists": "Datei ist nicht vorhanden.",
+ "moveError": "Verschieben von '{0}' in '{1}' nicht möglich ({2}).",
+ "copyError": "Kopieren von '{0}' in '{1}' nicht möglich ({2}).",
+ "fileCopyErrorPathCase": "\"Datei kann nicht in denselben Pfad mit unterschiedlichem Pfadfall kopiert werden.",
+ "fileCopyErrorExists": "Die Datei am Ziel ist bereits vorhanden."
+ },
+ "vs/platform/files/common/files": {
+ "unknownError": "Unbekannter Fehler",
+ "sizeB": "{0} B",
+ "sizeKB": "{0} KB",
+ "sizeMB": "{0} MB",
+ "sizeGB": "{0} GB",
+ "sizeTB": "{0} TB"
+ },
+ "vs/platform/update/common/update.config.contribution": {
+ "updateConfigurationTitle": "Aktualisieren",
+ "updateMode": "Legen Sie fest, ob Sie automatische Updates erhalten möchten. Nach Änderungen ist ein Neustart erforderlich. Die Updates werden von einem Microsoft-Onlinedienst abgerufen.",
+ "none": "Updates deaktivieren.",
+ "manual": "Automatisches Prüfen auf Updates im Hintergrund deaktivieren. Sie können Updates durchführen, indem Sie manuell danach suchen.",
+ "start": "Hiermit wird nur beim Start auf Updates geprüft. Deaktivieren Sie die automatische Updatesuche im Hintergrund.",
+ "default": "Automatische Prüfung auf Aktualisierungen aktivieren. Der Code prüft automatisch und regelmäßig auf Aktualisierungen.",
+ "deprecated": "Diese Einstellung ist veraltet, verwendet Sie stattdessen \"{0}\".",
+ "enableWindowsBackgroundUpdatesTitle": "Hintergrundupdates in Windows aktivieren",
+ "enableWindowsBackgroundUpdates": "Aktivieren Sie diese Option, um neue VS Code-Versionen im Hintergrund unter Windows herunterzuladen und zu installieren.",
+ "showReleaseNotes": "Nach einem Update Versionshinweise anzeigen. Die Versionshinweise werden von einem Microsoft-Onlinedienst heruntergeladen."
+ },
+ "vs/platform/environment/node/argv": {
+ "optionsUpperCase": "Optionen",
+ "extensionsManagement": "Erweiterungsverwaltung",
+ "troubleshooting": "Problembehandlung",
+ "diff": "Vergleicht zwei Dateien.",
+ "add": "Fügt einen oder mehrere Ordner zum letzten aktiven Fenster hinzu.",
+ "goto": "Öffnet eine Datei im Pfad in der angegebenen Zeile und an der Zeichenposition.",
+ "newWindow": "Hiermit wird das Öffnen eines neuen Fensters erzwungen.",
+ "reuseWindow": "Erzwingen Sie das Öffnen einer Datei oder eines Ordners in einem bereits geöffneten Fenster.",
+ "wait": "Warten Sie, bis die Dateien geschlossen sind, bevor Sie zurück gehen können.",
+ "locale": "Das zu verwendende Gebietsschema (z.B. en-US oder zh-TW).",
+ "userDataDir": "Gibt das Verzeichnis an, in dem Benutzerdaten gespeichert werden. Kann zum Öffnen mehrerer verschiedener Codeinstanzen verwendet werden.",
+ "help": "Gibt die Syntax aus.",
+ "extensionHomePath": "Legen Sie den Stammpfad für Erweiterungen fest.",
+ "listExtensions": "Listet die installierten Erweiterungen auf.",
+ "showVersions": "Zeigt Versionen der installierten Erweiterungen an, wenn \"--list-extension\" verwendet wird.",
+ "category": "Filtert installierte Erweiterungen nach der angegebenen Kategorie bei Verwendung von \"--list-extension\".",
+ "installExtension": "Hiermit wird die Erweiterung installiert oder aktualisiert. Der Bezeichner einer Erweiterung lautet immer \"${publisher}.${name}\". Verwenden Sie das Argument \"--force\", um ein Update auf die neueste Version durchzuführen. Um eine bestimmte Version zu installieren, geben Sie \"@${version}\" an. Beispiel: \"vscode.csharp@1.2.3\".",
+ "uninstallExtension": "Deinstalliert eine Erweiterung.",
+ "experimentalApis": "Aktiviert vorgeschlagene API-Funktionen für Erweiterungen. Kann eine oder mehrere Erweiterungs IDs individuell aktivieren.",
+ "version": "Gibt die Version aus.",
+ "verbose": "Ausführliche Ausgabe (impliziert \"-wait\").",
+ "log": "Log-Level zu verwenden. Standardwert ist \"Info\". Zulässige Werte sind \"kritisch\", \"Fehler\", \"warnen\", \"Info\", \"debug\", \"verfolgen\", \"aus\".",
+ "status": "Prozessnutzungs- und Diagnose-Informationen ausgeben.",
+ "prof-startup": "CPU-Profiler beim Start ausführen",
+ "disableExtensions": "Deaktiviert alle installierten Erweiterungen.",
+ "disableExtension": "Deaktiviert eine Erweiterung.",
+ "turn sync": "Synchronisierung aktivieren oder deaktivieren",
+ "inspect-extensions": "Erlaubt Debuggen und Profilerstellung für Erweiterungen. Überprüfen Sie die Entwicklertools für die Verbindungs-URI.",
+ "inspect-brk-extensions": "Erlaubt Debuggen und Profilerstellung für Erweiterungen, wobei der Erweiterungshost nach dem Start angehalten wird. Überprüfen Sie die Entwicklertools für die Verbindungs-URI.",
+ "disableGPU": "Deaktiviert die GPU-Hardwarebeschleunigung.",
+ "maxMemory": "Maximale Speichergröße für ein Fenster (in Mbyte).",
+ "telemetry": "Zeigt alle Telemetrieereignisse, die von VS Code erfasst werden.",
+ "usage": "Syntax",
+ "options": "Optionen",
+ "paths": "Pfade",
+ "stdinWindows": "Zum Einlesen von Ausgaben eines anderen Programms hängen Sie \"-\" an (z.B. \"echo Hello World | {0} -\")",
+ "stdinUnix": "Zum Einlesen von stdin hängen Sie \"-\" an (z.B. \"ps aux | grep code | {0} -\")",
+ "unknownVersion": "Unbekannte Version",
+ "unknownCommit": "Unbekannter Commit"
+ },
+ "vs/platform/extensionManagement/common/extensionManagement": {
+ "extensions": "Erweiterungen",
+ "preferences": "Einstellungen"
+ },
+ "vs/platform/extensionManagement/node/extensionManagementService": {
+ "incompatible": "Die Erweiterung \"{0}\" kann nicht installiert werden, weil sie nicht mit VS Code {1} kompatibel ist.",
+ "restartCode": "Starten Sie VS Code neu, bevor Sie {0} neu installieren.",
+ "MarketPlaceDisabled": "Marketplace ist nicht aktiviert.",
+ "malicious extension": "Die Erweiterung kann nicht installiert werden, da sie als problematisch gemeldet wurde.",
+ "notFoundCompatibleDependency": "Die Erweiterung \"{0}\" kann nicht installiert werden, weil sie nicht mit der aktuellen Version von VS Code (Version {1}) kompatibel ist.",
+ "Not a Marketplace extension": "Nur Marketplace-Erweiterungen können neu installiert werden",
+ "removeError": "Fehler beim Entfernen der Erweiterung: {0}. Beenden und starten Sie VS Code neu, bevor Sie erneut versuchen, die Erweiterung zu installieren.",
+ "quitCode": "Fehler bei der Installation der Erweiterung. Beenden und starten Sie VS Code vor der erneuten Installation neu.",
+ "exitCode": "Fehler bei der Installation der Erweiterung. Beenden und starten Sie VS Code vor der erneuten Installation neu.",
+ "notInstalled": "Die Erweiterung \"{0}\" ist nicht installiert.",
+ "singleDependentError": "Die Erweiterung \"{0}\" kann nicht deinstalliert werden. Die Erweiterung \"{1}\" hängt von dieser Erweiterung ab.",
+ "twoDependentsError": "Die Erweiterung \"{0}\" kann nicht deinstalliert werden. Die Erweiterungen \"{1}\" und \"{2}\" hängen von dieser Erweiterung ab.",
+ "multipleDependentsError": "Die Erweiterung \"{0}\" kann nicht deinstalliert werden. \"{1}\" und \"{2}\" sowie weitere Erweiterungen hängen von dieser Erweiterung ab.",
+ "singleIndirectDependentError": "Die Erweiterung \"{0}\" kann nicht deinstalliert werden. Beim Deinstallieren wird auch die Erweiterung \"{1}\" entfernt, und \"{2}\" hängt von dieser Erweiterung ab.",
+ "twoIndirectDependentsError": "Die Erweiterung \"{0}\" kann nicht deinstalliert werden. Beim Deinstallieren wird auch die Erweiterung \"{1}\" entfernt, und \"{2}\" und \"{3}\" hängen von dieser Erweiterung ab.",
+ "multipleIndirectDependentsError": "Die Erweiterung \"{0}\" kann nicht deinstalliert werden. Beim Deinstallieren wird auch die Erweiterung \"{1}\" entfernt, und \"{2}\", \"{3}\" sowie weitere Erweiterungen hängen von dieser Erweiterung ab.",
+ "notExists": "Die Erweiterung wurde nicht gefunden."
+ },
+ "vs/platform/telemetry/common/telemetryService": {
+ "telemetryConfigurationTitle": "Telemetrie",
+ "telemetry.enableTelemetry": "Aktivieren Sie das Senden von Nutzungsdaten und Fehlern an Microsoft Online-Dienste.",
+ "telemetry.enableTelemetryMd": "Aktivieren Sie das Senden von Nutzungsdaten und Fehlern an Microsoft Online-Dienste. Lesen Sie [hier]({0}) unsere Datenschutzerklärung."
+ },
+ "vs/platform/extensionManagement/node/extensionManagementUtil": {
+ "invalidManifest": "VSIX ungültig: \"package.json\" ist keine JSON-Datei."
+ },
+ "vs/platform/userDataSync/common/userDataSync": {
+ "settings sync": "Einstellungssynchronisierung",
+ "settingsSync.keybindingsPerPlatform": "Synchronisieren Sie die Tastenzuordnungen für jede Plattform.",
+ "sync.keybindingsPerPlatform.deprecated": "Veraltet, verwenden Sie stattdessen \"settingsSync.keybindingsPerPlatform\".",
+ "settingsSync.ignoredExtensions": "Liste der Erweiterungen, die beim Synchronisieren ignoriert werden sollen. Der Bezeichner einer Erweiterung lautet immer \"${publisher}.${name}\". Beispiel: vscode.csharp.",
+ "app.extension.identifier.errorMessage": "Erwartetes Format: \"${publisher}.${name}\". Beispiel: \"vscode.csharp\".",
+ "sync.ignoredExtensions.deprecated": "Veraltet, verwenden Sie stattdessen \"settingsSync.ignoredExtensions\".",
+ "settingsSync.ignoredSettings": "Konfigurieren Sie die Einstellungen, die während der Synchronisierung ignoriert werden sollen.",
+ "sync.ignoredSettings.deprecated": "Veraltet, verwenden Sie stattdessen \"settingsSync.ignoredSettings\"."
+ },
+ "vs/platform/extensionManagement/electron-sandbox/extensionTipsService": {
+ "exeRecommended": "Sie haben {0} auf Ihrem System installiert. Möchten Sie die empfohlenen Erweiterungen installieren?"
+ },
+ "vs/platform/userDataSync/common/userDataSyncMachines": {
+ "error incompatible": "Die Computerdaten können nicht gelesen werden, weil die aktuelle Version nicht kompatibel ist. Aktualisieren Sie \"{0}\", und versuchen Sie es noch mal."
+ },
+ "vs/platform/userDataSync/common/userDataAutoSyncService": {
+ "default service changed": "Die Synchronisierung kann nicht durchgeführt werden, weil der Standarddienst geändert wurde.",
+ "service changed": "Die Synchronisierung kann nicht durchgeführt werden, weil der Synchronisierungsdienst geändert wurde.",
+ "turned off": "Kann nicht synchronisiert werden, da die Synchronisierung in der Cloud deaktiviert ist",
+ "session expired": "Kann nicht synchronisiert werden, da die aktuelle Sitzung abgelaufen ist",
+ "turned off machine": "Eine Synchronisierung ist nicht möglich, weil die Synchronisierung auf diesem Computer von einem anderen Computer aus deaktiviert wurde."
+ },
+ "vs/platform/workspaces/common/workspaces": {
+ "codeWorkspace": "Codearbeitsbereich"
+ },
+ "vs/platform/files/electron-browser/diskFileSystemProvider": {
+ "binFailed": "Fehler beim Verschieben von \"{0}\" in den Papierkorb.",
+ "trashFailed": "Fehler beim Verschieben von \"{0}\" in den Papierkorb."
+ },
+ "vs/platform/dialogs/common/dialogs": {
+ "moreFile": "...1 weitere Datei wird nicht angezeigt",
+ "moreFiles": "...{0} weitere Dateien werden nicht angezeigt"
+ },
+ "vs/platform/theme/common/colorRegistry": {
+ "foreground": "Allgemeine Vordergrundfarbe. Diese Farbe wird nur verwendet, wenn sie nicht durch eine Komponente überschrieben wird.",
+ "errorForeground": "Allgemeine Vordergrundfarbe für Fehlermeldungen. Diese Farbe wird nur verwendet, wenn sie nicht durch eine Komponente überschrieben wird.",
+ "descriptionForeground": "Vordergrundfarbe für Beschreibungstexte, die weitere Informationen anzeigen, z.B. für eine Beschriftung.",
+ "iconForeground": "Die für Symbole in der Workbench verwendete Standardfarbe.",
+ "focusBorder": "Allgemeine Rahmenfarbe für fokussierte Elemente. Diese Farbe wird nur verwendet, wenn sie nicht durch eine Komponente überschrieben wird.",
+ "contrastBorder": "Ein zusätzlicher Rahmen um Elemente, mit dem diese von anderen getrennt werden, um einen größeren Kontrast zu erreichen.",
+ "activeContrastBorder": "Ein zusätzlicher Rahmen um aktive Elemente, mit dem diese von anderen getrennt werden, um einen größeren Kontrast zu erreichen.",
+ "selectionBackground": "Hintergrundfarbe der Textauswahl in der Workbench (z.B. für Eingabefelder oder Textbereiche). Diese Farbe gilt nicht für die Auswahl im Editor.",
+ "textSeparatorForeground": "Farbe für Text-Trennzeichen.",
+ "textLinkForeground": "Vordergrundfarbe für Links im Text.",
+ "textLinkActiveForeground": "Vordergrundfarbe für angeklickte Links im Text und beim Zeigen darauf mit der Maus.",
+ "textPreformatForeground": "Vordergrundfarbe für vorformatierte Textsegmente.",
+ "textBlockQuoteBackground": "Hintergrundfarbe für Blockzitate im Text.",
+ "textBlockQuoteBorder": "Rahmenfarbe für blockquote-Elemente im Text.",
+ "textCodeBlockBackground": "Hintergrundfarbe für Codeblöcke im Text.",
+ "widgetShadow": "Schattenfarbe von Widgets wie zum Beispiel Suchen/Ersetzen innerhalb des Editors.",
+ "inputBoxBackground": "Hintergrund für Eingabefeld.",
+ "inputBoxForeground": "Vordergrund für Eingabefeld.",
+ "inputBoxBorder": "Rahmen für Eingabefeld.",
+ "inputBoxActiveOptionBorder": "Rahmenfarbe für aktivierte Optionen in Eingabefeldern.",
+ "inputOption.activeBackground": "Hintergrundfarbe für aktivierte Optionen in Eingabefeldern.",
+ "inputOption.activeForeground": "Vordergrundfarbe für aktivierte Optionen in Eingabefeldern.",
+ "inputPlaceholderForeground": "Eingabefeld-Vordergrundfarbe für Platzhaltertext.",
+ "inputValidationInfoBackground": "Hintergrundfarbe bei der Eingabevalidierung für den Schweregrad der Information.",
+ "inputValidationInfoForeground": "Vordergrundfarbe bei der Eingabevalidierung für den Schweregrad der Information.",
+ "inputValidationInfoBorder": "Rahmenfarbe bei der Eingabevalidierung für den Schweregrad der Information.",
+ "inputValidationWarningBackground": "Hintergrundfarbe bei der Eingabevalidierung für den Schweregrad der Warnung.",
+ "inputValidationWarningForeground": "Vordergrundfarbe bei der Eingabevalidierung für den Schweregrad der Warnung.",
+ "inputValidationWarningBorder": "Rahmenfarbe bei der Eingabevalidierung für den Schweregrad der Warnung.",
+ "inputValidationErrorBackground": "Hintergrundfarbe bei der Eingabevalidierung für den Schweregrad des Fehlers.",
+ "inputValidationErrorForeground": "Vordergrundfarbe bei der Eingabevalidierung für den Schweregrad des Fehlers.",
+ "inputValidationErrorBorder": "Rahmenfarbe bei der Eingabevalidierung für den Schweregrad des Fehlers.",
+ "dropdownBackground": "Hintergrund für Dropdown.",
+ "dropdownListBackground": "Hintergrund für Dropdownliste.",
+ "dropdownForeground": "Vordergrund für Dropdown.",
+ "dropdownBorder": "Rahmen für Dropdown.",
+ "checkbox.background": "Hintergrundfarbe von Kontrollkästchenwidget.",
+ "checkbox.foreground": "Vordergrundfarbe von Kontrollkästchenwidget.",
+ "checkbox.border": "Rahmenfarbe von Kontrollkästchenwidget.",
+ "buttonForeground": "Vordergrundfarbe der Schaltfläche.",
+ "buttonBackground": "Hintergrundfarbe der Schaltfläche.",
+ "buttonHoverBackground": "Hintergrundfarbe der Schaltfläche, wenn darauf gezeigt wird.",
+ "buttonSecondaryForeground": "Sekundäre Vordergrundfarbe der Schaltfläche.",
+ "buttonSecondaryBackground": "Hintergrundfarbe der sekundären Schaltfläche.",
+ "buttonSecondaryHoverBackground": "Hintergrundfarbe der sekundären Schaltfläche beim Daraufzeigen.",
+ "badgeBackground": "Hintergrundfarbe für Badge. Badges sind kurze Info-Texte, z.B. für Anzahl Suchergebnisse.",
+ "badgeForeground": "Vordergrundfarbe für Badge. Badges sind kurze Info-Texte, z.B. für Anzahl Suchergebnisse.",
+ "scrollbarShadow": "Schatten der Scrollleiste, um anzuzeigen, dass die Ansicht gescrollt wird.",
+ "scrollbarSliderBackground": "Hintergrundfarbe vom Scrollbar-Schieber",
+ "scrollbarSliderHoverBackground": "Hintergrundfarbe des Schiebereglers, wenn darauf gezeigt wird.",
+ "scrollbarSliderActiveBackground": "Hintergrundfarbe des Schiebereglers, wenn darauf geklickt wird.",
+ "progressBarBackground": "Hintergrundfarbe des Fortschrittbalkens, der für zeitintensive Vorgänge angezeigt werden kann.",
+ "editorError.background": "Hintergrundfarbe für Fehlertext im Editor. Die Farbe darf nicht deckend sein, weil sie sonst die zugrunde liegenden Dekorationen verdeckt.",
+ "editorError.foreground": "Vordergrundfarbe von Fehlerunterstreichungen im Editor.",
+ "errorBorder": "Randfarbe von Fehlerfeldern im Editor.",
+ "editorWarning.background": "Hintergrundfarbe für Warnungstext im Editor. Die Farbe darf nicht deckend sein, weil sie sonst die zugrunde liegenden Dekorationen verdeckt.",
+ "editorWarning.foreground": "Vordergrundfarbe von Warnungsunterstreichungen im Editor.",
+ "warningBorder": "Randfarbe der Warnfelder im Editor.",
+ "editorInfo.background": "Hintergrundfarbe für Infotext im Editor. Die Farbe darf nicht deckend sein, weil sie sonst die zugrunde liegenden Dekorationen verdeckt.",
+ "editorInfo.foreground": "Vordergrundfarbe von Informationsunterstreichungen im Editor.",
+ "infoBorder": "Randfarbe der Infofelder im Editor.",
+ "editorHint.foreground": "Vordergrundfarbe der Hinweisunterstreichungen im Editor.",
+ "hintBorder": "Randfarbe der Hinweisfelder im Editor.",
+ "sashActiveBorder": "Rahmenfarbe aktiver Trennleisten.",
+ "editorBackground": "Hintergrundfarbe des Editors.",
+ "editorForeground": "Standardvordergrundfarbe des Editors.",
+ "editorWidgetBackground": "Hintergrundfarbe von Editor-Widgets wie zum Beispiel Suchen/Ersetzen.",
+ "editorWidgetForeground": "Vordergrundfarbe für Editorwidgets wie Suchen/Ersetzen.",
+ "editorWidgetBorder": "Rahmenfarbe von Editorwigdets. Die Farbe wird nur verwendet, wenn für das Widget ein Rahmen verwendet wird und die Farbe nicht von einem Widget überschrieben wird.",
+ "editorWidgetResizeBorder": "Rahmenfarbe der Größenanpassungsleiste von Editorwigdets. Die Farbe wird nur verwendet, wenn für das Widget ein Größenanpassungsrahmen verwendet wird und die Farbe nicht von einem Widget außer Kraft gesetzt wird.",
+ "pickerBackground": "Schnellauswahl der Hintergrundfarbe. Im Widget für die Schnellauswahl sind Auswahlelemente wie die Befehlspalette enthalten.",
+ "pickerForeground": "Vordergrundfarbe der Schnellauswahl. Im Widget für die Schnellauswahl sind Auswahlelemente wie die Befehlspalette enthalten.",
+ "pickerTitleBackground": "Hintergrundfarbe für den Titel der Schnellauswahl. Im Widget für die Schnellauswahl sind Auswahlelemente wie die Befehlspalette enthalten.",
+ "pickerGroupForeground": "Schnellauswahlfarbe für das Gruppieren von Bezeichnungen.",
+ "pickerGroupBorder": "Schnellauswahlfarbe für das Gruppieren von Rahmen.",
+ "editorSelectionBackground": "Farbe der Editor-Auswahl.",
+ "editorSelectionForeground": "Farbe des gewählten Text für einen hohen Kontrast",
+ "editorInactiveSelection": "Die Farbe der Auswahl befindet sich in einem inaktiven Editor. Die Farbe darf nicht deckend sein, weil sie sonst die zugrunde liegende Dekorationen verdeckt.",
+ "editorSelectionHighlight": "Farbe für Bereiche mit dem gleichen Inhalt wie die Auswahl. Die Farbe darf nicht deckend sein, weil sie sonst die zugrunde liegenden Dekorationen verdeckt.",
+ "editorSelectionHighlightBorder": "Randfarbe für Bereiche, deren Inhalt der Auswahl entspricht.",
+ "editorFindMatch": "Farbe des aktuellen Suchergebnisses.",
+ "findMatchHighlight": "Farbe der anderen Suchergebnisse. Die Farbe darf nicht deckend sein, weil sie sonst die zugrunde liegenden Dekorationen verdeckt.",
+ "findRangeHighlight": "Farbe des Bereichs, der die Suche eingrenzt. Die Farbe darf nicht deckend sein, damit sie nicht die zugrunde liegenden Dekorationen verdeckt.",
+ "editorFindMatchBorder": "Randfarbe des aktuellen Suchergebnisses.",
+ "findMatchHighlightBorder": "Randfarbe der anderen Suchtreffer.",
+ "findRangeHighlightBorder": "Rahmenfarbe des Bereichs, der die Suche eingrenzt. Die Farbe darf nicht deckend sein, weil sie sonst die zugrunde liegenden Dekorationen verdeckt.",
+ "searchEditor.queryMatch": "Farbe der Abfrageübereinstimmungen des Such-Editors",
+ "searchEditor.editorFindMatchBorder": "Rahmenfarbe der Abfrageübereinstimmungen des Such-Editors",
+ "hoverHighlight": "Hervorhebung unterhalb des Worts, für das ein Hoverelement angezeigt wird. Die Farbe darf nicht deckend sein, weil sie sonst die zugrunde liegenden Dekorationen verdeckt.",
+ "hoverBackground": "Hintergrundfarbe des Editor-Mauszeigers.",
+ "hoverForeground": "Vordergrundfarbe des Editor-Mauszeigers",
+ "hoverBorder": "Rahmenfarbe des Editor-Mauszeigers.",
+ "statusBarBackground": "Hintergrundfarbe der Hoverstatusleiste des Editors.",
+ "activeLinkForeground": "Farbe der aktiven Links.",
+ "editorLightBulbForeground": "Die für das Aktionssymbol \"Glühbirne\" verwendete Farbe.",
+ "editorLightBulbAutoFixForeground": "Die für das Aktionssymbol \"Automatische Glühbirnenkorrektur\" verwendete Farbe.",
+ "diffEditorInserted": "Hintergrundfarbe für eingefügten Text. Die Farbe darf nicht deckend sein, weil sie sonst die zugrunde liegenden Dekorationen verdeckt.",
+ "diffEditorRemoved": "Hintergrundfarbe für Text, der entfernt wurde. Die Farbe darf nicht deckend sein, weil sie sonst die zugrunde liegenden Dekorationen verdeckt.",
+ "diffEditorInsertedOutline": "Konturfarbe für eingefügten Text.",
+ "diffEditorRemovedOutline": "Konturfarbe für entfernten Text.",
+ "diffEditorBorder": "Die Rahmenfarbe zwischen zwei Text-Editoren.",
+ "diffDiagonalFill": "Farbe der diagonalen Füllung des Vergleichs-Editors. Die diagonale Füllung wird in Ansichten mit parallelem Vergleich verwendet.",
+ "listFocusBackground": "Hintergrundfarbe der Liste/Struktur für das fokussierte Element, wenn die Liste/Struktur aktiv ist. Eine aktive Liste/Struktur hat Tastaturfokus, eine inaktive hingegen nicht.",
+ "listFocusForeground": "Vordergrundfarbe der Liste/Struktur für das fokussierte Element, wenn die Liste/Struktur aktiv ist. Eine aktive Liste/Struktur hat Tastaturfokus, eine inaktive hingegen nicht.",
+ "listActiveSelectionBackground": "Hintergrundfarbe der Liste/Struktur für das ausgewählte Element, wenn die Liste/Struktur aktiv ist. Eine aktive Liste/Struktur hat Tastaturfokus, eine inaktive hingegen nicht.",
+ "listActiveSelectionForeground": "Vordergrundfarbe der Liste/Struktur für das ausgewählte Element, wenn die Liste/Struktur aktiv ist. Eine aktive Liste/Struktur hat Tastaturfokus, eine inaktive hingegen nicht.",
+ "listInactiveSelectionBackground": "Hintergrundfarbe der Liste/Struktur für das ausgewählte Element, wenn die Liste/Struktur inaktiv ist. Eine aktive Liste/Struktur hat Tastaturfokus, eine inaktive hingegen nicht.",
+ "listInactiveSelectionForeground": "Vordergrundfarbe der Liste/Struktur für das ausgewählte Element, wenn die Liste/Baumstruktur inaktiv ist. Eine aktive Liste/Baumstruktur hat Tastaturfokus, eine inaktive hingegen nicht.",
+ "listInactiveFocusBackground": "Hintergrundfarbe der Liste/Struktur für das fokussierte Element, wenn die Liste/Struktur inaktiv ist. Eine aktive Liste/Struktur hat Tastaturfokus, eine inaktive hingegen nicht.",
+ "listHoverBackground": "Hintergrund der Liste/Struktur, wenn mit der Maus auf Elemente gezeigt wird.",
+ "listHoverForeground": "Vordergrund der Liste/Struktur, wenn mit der Maus auf Elemente gezeigt wird.",
+ "listDropBackground": "Drag & Drop-Hintergrund der Liste/Struktur, wenn Elemente mithilfe der Maus verschoben werden.",
+ "highlight": "Vordergrundfarbe der Liste/Struktur zur Trefferhervorhebung beim Suchen innerhalb der Liste/Struktur.",
+ "invalidItemForeground": "Vordergrundfarbe einer Liste/Struktur für ungültige Elemente, z.B. ein nicht ausgelöster Stamm im Explorer.",
+ "listErrorForeground": "Vordergrundfarbe für Listenelemente, die Fehler enthalten.",
+ "listWarningForeground": "Vordergrundfarbe für Listenelemente, die Warnungen enthalten.",
+ "listFilterWidgetBackground": "Hintergrundfarbe des Typfilterwidgets in Listen und Strukturen.",
+ "listFilterWidgetOutline": "Konturfarbe des Typfilterwidgets in Listen und Strukturen.",
+ "listFilterWidgetNoMatchesOutline": "Konturfarbe des Typfilterwidgets in Listen und Strukturen, wenn es keine Übereinstimmungen gibt.",
+ "listFilterMatchHighlight": "Hintergrundfarbe der gefilterten Übereinstimmung",
+ "listFilterMatchHighlightBorder": "Rahmenfarbe der gefilterten Übereinstimmung",
+ "treeIndentGuidesStroke": "Strukturstrichfarbe für die Einzugsführungslinien.",
+ "listDeemphasizedForeground": "Hintergrundfarbe für nicht hervorgehobene Listen-/Strukturelemente.",
+ "menuBorder": "Rahmenfarbe von Menüs.",
+ "menuForeground": "Vordergrundfarbe von Menüelementen.",
+ "menuBackground": "Hintergrundfarbe von Menüelementen.",
+ "menuSelectionForeground": "Vordergrundfarbe des ausgewählten Menüelements im Menü.",
+ "menuSelectionBackground": "Hintergrundfarbe des ausgewählten Menüelements im Menü.",
+ "menuSelectionBorder": "Rahmenfarbe des ausgewählten Menüelements im Menü.",
+ "menuSeparatorBackground": "Farbe eines Trenner-Menüelements in Menüs.",
+ "snippetTabstopHighlightBackground": "Hervorhebungs-Hintergrundfarbe eines Codeausschnitt-Tabstopps.",
+ "snippetTabstopHighlightBorder": "Hervorhebungs-Rahmenfarbe eines Codeausschnitt-Tabstopps.",
+ "snippetFinalTabstopHighlightBackground": "Hervorhebungs-Hintergrundfarbe des letzten Tabstopps eines Codeausschnitts.",
+ "snippetFinalTabstopHighlightBorder": "Rahmenfarbe zur Hervorhebung des letzten Tabstopps eines Codeausschnitts.",
+ "breadcrumbsFocusForeground": "Farbe der Breadcrumb-Elemente, die den Fokus haben.",
+ "breadcrumbsBackground": "Hintergrundfarbe der Breadcrumb-Elemente.",
+ "breadcrumbsSelectedForegound": "Die Farbe der ausgewählten Breadcrumb-Elemente.",
+ "breadcrumbsSelectedBackground": "Hintergrundfarbe des Breadcrumb-Auswahltools.",
+ "mergeCurrentHeaderBackground": "Hintergrund des aktuellen Headers in Inlinezusammenführungskonflikten. Die Farbe darf nicht deckend sein, weil sie sonst die zugrunde liegenden Dekorationen verdeckt.",
+ "mergeCurrentContentBackground": "Hintergrund für den aktuellen Inhalt in Inlinezusammenführungskonflikten. Die Farbe darf nicht deckend sein, weil sie sonst die zugrunde liegenden Dekorationen verdeckt.",
+ "mergeIncomingHeaderBackground": "Hintergrund für eingehende Header in Inlinezusammenführungskonflikten. Die Farbe darf nicht deckend sein, weil sie sonst die zugrunde liegenden Dekorationen verdeckt.",
+ "mergeIncomingContentBackground": "Hintergrund für eingehenden Inhalt in Inlinezusammenführungskonflikten. Die Farbe darf nicht deckend sein, weil sie sonst die zugrunde liegenden Dekorationen verdeckt.",
+ "mergeCommonHeaderBackground": "Headerhintergrund für gemeinsame Vorgängerelemente in Inlinezusammenführungskonflikten. Die Farbe darf nicht deckend sein, weil sie sonst die zugrunde liegenden Dekorationen verdeckt.",
+ "mergeCommonContentBackground": "Hintergrund des Inhalts gemeinsamer Vorgängerelemente in Inlinezusammenführungskonflikt. Die Farbe darf nicht deckend sein, weil sie sonst die zugrunde liegenden Dekorationen verdeckt.",
+ "mergeBorder": "Rahmenfarbe für Kopfzeilen und die Aufteilung in Inline-Mergingkonflikten.",
+ "overviewRulerCurrentContentForeground": "Aktueller Übersichtslineal-Vordergrund für Inline-Mergingkonflikte.",
+ "overviewRulerIncomingContentForeground": "Eingehender Übersichtslineal-Vordergrund für Inline-Mergingkonflikte.",
+ "overviewRulerCommonContentForeground": "Hintergrund des Übersichtslineals des gemeinsamen übergeordneten Elements bei Inlinezusammenführungskonflikten.",
+ "overviewRulerFindMatchForeground": "Übersichtslinealmarkerfarbe für das Suchen von Übereinstimmungen. Die Farbe darf nicht deckend sein, weil sie sonst die zugrunde liegenden Dekorationen verdeckt.",
+ "overviewRulerSelectionHighlightForeground": "Übersichtslinealmarkerfarbe für das Hervorheben der Auswahl. Die Farbe darf nicht deckend sein, weil sie sonst die zugrunde liegenden Dekorationen verdeckt.",
+ "minimapFindMatchHighlight": "Minimap-Markerfarbe für gefundene Übereinstimmungen.",
+ "minimapSelectionHighlight": "Minimap-Markerfarbe für die Editorauswahl.",
+ "minimapError": "Minimapmarkerfarbe für Fehler",
+ "overviewRuleWarning": "Minimapmarkerfarbe für Warnungen",
+ "minimapBackground": "Hintergrundfarbe der Minimap.",
+ "minimapSliderBackground": "Hintergrundfarbe des Minimap-Schiebereglers.",
+ "minimapSliderHoverBackground": "Hintergrundfarbe des Minimap-Schiebereglers beim Daraufzeigen.",
+ "minimapSliderActiveBackground": "Hintergrundfarbe des Minimap-Schiebereglers, wenn darauf geklickt wird.",
+ "problemsErrorIconForeground": "Die Farbe, die für das Problemfehlersymbol verwendet wird.",
+ "problemsWarningIconForeground": "Die Farbe, die für das Problemwarnsymbol verwendet wird.",
+ "problemsInfoIconForeground": "Die Farbe, die für das Probleminfosymbol verwendet wird.",
+ "chartsForeground": "Die in Diagrammen verwendete Vordergrundfarbe.",
+ "chartsLines": "Die für horizontale Linien in Diagrammen verwendete Farbe.",
+ "chartsRed": "Die in Diagrammvisualisierungen verwendete Farbe Rot.",
+ "chartsBlue": "Die in Diagrammvisualisierungen verwendete Farbe Blau.",
+ "chartsYellow": "Die in Diagrammvisualisierungen verwendete Farbe Gelb.",
+ "chartsOrange": "Die in Diagrammvisualisierungen verwendete Farbe Orange.",
+ "chartsGreen": "Die in Diagrammvisualisierungen verwendete Farbe Grün.",
+ "chartsPurple": "Die in Diagrammvisualisierungen verwendete Farbe Violett."
+ },
+ "vs/platform/configuration/common/configurationRegistry": {
+ "defaultLanguageConfigurationOverrides.title": "Außerkraftsetzungen für die Standardsprachkonfiguration",
+ "defaultLanguageConfiguration.description": "Hiermit wird die Außerkraftsetzung von Einstellungen für die Sprache \"{0}\" konfiguriert.",
+ "overrideSettings.defaultDescription": "Zu überschreibende Editor-Einstellungen für eine Sprache konfigurieren.",
+ "overrideSettings.errorMessage": "Diese Einstellung unterstützt keine sprachspezifische Konfiguration.",
+ "config.property.empty": "Eine leere Eigenschaft kann nicht registriert werden.",
+ "config.property.languageDefault": "\"{0}\" kann nicht registriert werden. Stimmt mit dem Eigenschaftsmuster \"\\\\[.*\\\\]$\" zum Beschreiben sprachspezifischer Editor-Einstellungen überein. Verwenden Sie den Beitrag \"configurationDefaults\".",
+ "config.property.duplicate": "{0}\" kann nicht registriert werden. Diese Eigenschaft ist bereits registriert."
+ },
+ "vs/platform/markers/common/markers": {
+ "sev.error": "Fehler",
+ "sev.warning": "Warnung",
+ "sev.info": "Info"
+ },
+ "vs/platform/windows/electron-main/windowsMainService": {
+ "pathNotExistTitle": "Der Pfad ist nicht vorhanden.",
+ "pathNotExistDetail": "Der Pfad \"{0}\" scheint auf dem Datenträger nicht mehr vorhanden zu sein.",
+ "uriInvalidTitle": "URI kann nicht geöffnet werden",
+ "uriInvalidDetail": "Der URI '{0}' ist ungültig und kann nicht geöffnet werden.",
+ "ok": "OK"
+ },
+ "vs/platform/issue/electron-main/issueMainService": {
+ "local": "LOCAL",
+ "issueReporterWriteToClipboard": "Es sind zu viele Daten vorhanden, um sie direkt an GitHub zu senden. Die Daten werden in die Zwischenablage kopiert. Fügen Sie sie bitte in die geöffnete GitHub-Seite zum Issue ein.",
+ "ok": "OK",
+ "cancel": "Abbrechen",
+ "confirmCloseIssueReporter": "Ihre Eingaben werden nicht gespeichert. Möchten Sie dieses Fenster schließen?",
+ "yes": "Ja",
+ "issueReporter": "Problembericht",
+ "processExplorer": "Prozess-Explorer"
+ },
+ "vs/platform/workspaces/electron-main/workspacesHistoryMainService": {
+ "newWindow": "Neues Fenster",
+ "newWindowDesc": "Öffnet ein neues Fenster.",
+ "recentFolders": "Aktueller Arbeitsbereich",
+ "folderDesc": "{0} {1}",
+ "workspaceDesc": "{0} {1}",
+ "untitledWorkspace": "Unbenannt (Arbeitsbereich)",
+ "workspaceName": "{0} (Arbeitsbereich)"
+ },
+ "vs/platform/workspaces/electron-main/workspacesMainService": {
+ "ok": "OK",
+ "workspaceOpenedMessage": "Der Arbeitsbereich \"{0}\" kann nicht gespeichert werden.",
+ "workspaceOpenedDetail": "Der Arbeitsbereich ist bereits in einem anderen Fenster geöffnet. Schließen Sie zuerst das andere Fenster, und versuchen Sie anschließend noch mal."
+ },
+ "vs/platform/dialogs/electron-main/dialogs": {
+ "open": "Öffnen",
+ "openFolder": "Ordner öffnen",
+ "openFile": "Datei öffnen",
+ "openWorkspaceTitle": "Arbeitsbereich öffnen",
+ "openWorkspace": "&&Öffnen"
+ },
+ "vs/platform/files/common/io": {
+ "fileTooLargeForHeapError": "Wenn Sie eine Datei dieser Größe öffnen möchten, müssen Sie einen Neustart durchführen und mehr Arbeitsspeicher gewähren.",
+ "fileTooLargeError": "Datei zu groß zum Öffnen"
+ },
+ "vs/platform/extensions/common/extensionValidator": {
+ "versionSyntax": "engines.vscode-Wert {0} konnte nicht analysiert werden. Verwenden Sie beispielsweise ^1.22.0, ^1.22.x usw.",
+ "versionSpecificity1": "Die in \"engines.vscode\" ({0}) angegebene Version ist nicht spezifisch genug. Definieren Sie für VS Code-Versionen vor Version 1.0.0 mindestens die gewünschte Haupt- und Nebenversion, z.B. ^0.10.0, 0.10.x, 0.11.0 usw.",
+ "versionSpecificity2": "Die in \"engines.vscode\" ({0}) angegebene Version ist nicht spezifisch genug. Definieren Sie für VS Code-Versionen nach Version 1.0.0 mindestens die gewünschte Hauptversion, z.B. ^1.10.0, 1.10.x, 1.x.x, 2.x.x usw.",
+ "versionMismatch": "Die Erweiterung ist nicht mit dem Code {0} kompatibel. Die Erweiterung erfordert {1}."
+ },
+ "vs/platform/extensionManagement/node/extensionsScanner": {
+ "errorDeleting": "Der vorhandene Ordner \"{0}\" konnte während der Installation der Erweiterung \"{1}\" nicht gelöscht werden. Löschen Sie den Ordner manuell, und versuchen Sie es noch mal.",
+ "cannot read": "Die Erweiterung kann nicht aus {0} gelesen werden.",
+ "renameError": "Unbekannter Fehler beim Umbenennen von {0} in {1}",
+ "invalidManifest": "Erweiterung ungültig: \"package.json\" ist keine JSON-Datei."
+ },
+ "vs/platform/userDataSync/common/keybindingsSync": {
+ "errorInvalidSettings": "Tastenzuordnungen können nicht synchronisiert werden, weil der Inhalt in der Datei ungültig ist. Öffnen Sie die Datei, und korrigieren Sie sie."
+ },
+ "vs/platform/userDataSync/common/settingsSync": {
+ "errorInvalidSettings": "Die Einstellungen können nicht synchronisiert werden, weil Fehler/Warnungen in der Einstellungsdatei vorliegen."
+ },
+ "vs/platform/list/browser/listService": {
+ "workbenchConfigurationTitle": "Workbench",
+ "multiSelectModifier.ctrlCmd": "Ist unter Windows und Linux der STRG-Taste und unter macOS der Befehlstaste zugeordnet.",
+ "multiSelectModifier.alt": "Ist unter Windows und Linux der ALT-Taste und unter macOS der Wahltaste zugeordnet.",
+ "multiSelectModifier": "Der Modifizierer zum Hinzufügen eines Elements in Bäumen und Listen zu einer Mehrfachauswahl mit der Maus (zum Beispiel im Explorer, in geöffneten Editoren und in der SCM-Ansicht). Die Mausbewegung \"Seitlich öffnen\" wird – sofern unterstützt – so angepasst, dass kein Konflikt mit dem Modifizierer für Mehrfachauswahl entsteht.",
+ "openModeModifier": "Steuert, wie Elemente in Strukturen und Listen mithilfe der Maus geöffnet werden (sofern unterstützt). Bei übergeordneten Elementen, deren untergeordnete Elemente sich in Strukturen befinden, steuert diese Einstellung, ob ein Einfachklick oder ein Doppelklick das übergeordnete Elemente erweitert. Beachten Sie, dass einige Strukturen und Listen diese Einstellung ggf. ignorieren, wenn sie nicht zutrifft.",
+ "horizontalScrolling setting": "Steuert, ob Listen und Strukturen ein horizontales Scrollen in der Workbench unterstützen. Warnung: Das Aktivieren dieser Einstellung kann sich auf die Leistung auswirken.",
+ "tree indent setting": "Steuert den Struktureinzug in Pixeln.",
+ "render tree indent guides": "Steuert, ob die Struktur Einzugsführungslinien rendern soll.",
+ "list smoothScrolling setting": "Steuert, ob Listen und Strukturen einen optimierten Bildlauf verwenden.",
+ "keyboardNavigationSettingKey.simple": "Bei der einfachen Tastaturnavigation werden Elemente in den Fokus genommen, die mit der Tastatureingabe übereinstimmen. Die Übereinstimmungen gelten nur für Präfixe.",
+ "keyboardNavigationSettingKey.highlight": "Hervorheben von Tastaturnavigationshervorgebungselemente, die mit der Tastatureingabe übereinstimmen. Beim nach oben und nach unten Navigieren werden nur die hervorgehobenen Elemente durchlaufen.",
+ "keyboardNavigationSettingKey.filter": "Durch das Filtern der Tastaturnavigation werden alle Elemente herausgefiltert und ausgeblendet, die nicht mit der Tastatureingabe übereinstimmen.",
+ "keyboardNavigationSettingKey": "Steuert die Tastaturnavigation in Listen und Strukturen in der Workbench. Kann \"simple\" (einfach), \"highlight\" (hervorheben) und \"filter\" (filtern) sein.",
+ "automatic keyboard navigation setting": "Legt fest, ob die Tastaturnavigation in Listen und Strukturen automatisch durch Eingaben ausgelöst wird. Wenn der Wert auf \"false\" festgelegt ist, wird die Tastaturnavigation nur ausgelöst, wenn der Befehl \"list.toggleKeyboardNavigation\" ausgeführt wird. Diesem Befehl können Sie eine Tastenkombination zuweisen.",
+ "expand mode": "Steuert, wie Strukturordner beim Klicken auf die Ordnernamen erweitert werden."
+ },
+ "vs/platform/undoRedo/common/undoRedoService": {
+ "externalRemoval": "Die folgenden Dateien wurden geschlossen und auf dem Datenträger geändert: {0}.",
+ "noParallelUniverses": "Die folgenden Dateien wurden auf inkompatible Weise geändert: {0}.",
+ "cannotWorkspaceUndo": "\"{0}\" konnte nicht für alle Dateien rückgängig gemacht werden. {1}",
+ "cannotWorkspaceUndoDueToChanges": "\"{0}\" konnte nicht für alle Dateien rückgängig gemacht werden, da Änderungen an {1} vorgenommen wurden.",
+ "cannotWorkspaceUndoDueToInProgressUndoRedo": "\"{0}\" konnte nicht für alle Dateien rückgängig gemacht werden, weil bereits ein Vorgang zum Rückgängigmachen oder Wiederholen für \"{1}\" durchgeführt wird.",
+ "cannotWorkspaceUndoDueToInMeantimeUndoRedo": "\"{0}\" konnte nicht für alle Dateien rückgängig gemacht werden, weil in der Zwischenzeit bereits ein Vorgang zum Rückgängigmachen oder Wiederholen durchgeführt wurde.",
+ "confirmWorkspace": "Möchten Sie \"{0}\" für alle Dateien rückgängig machen?",
+ "ok": "In {0} Dateien rückgängig machen",
+ "nok": "Datei rückgängig machen",
+ "cancel": "Abbrechen",
+ "cannotResourceUndoDueToInProgressUndoRedo": "\"{0}\" konnte nicht rückgängig gemacht werden, weil bereits ein Vorgang zum Rückgängigmachen oder Wiederholen durchgeführt wird.",
+ "confirmDifferentSource": "Möchten Sie \"{0}\" rückgängig machen?",
+ "confirmDifferentSource.ok": "Rückgängig machen",
+ "cannotWorkspaceRedo": "\"{0}\" konnte nicht in allen Dateien wiederholt werden. {1}",
+ "cannotWorkspaceRedoDueToChanges": "\"{0}\" konnte nicht in allen Dateien wiederholt werden, da Änderungen an {1} vorgenommen wurden.",
+ "cannotWorkspaceRedoDueToInProgressUndoRedo": "\"{0}\" konnte nicht für alle Dateien wiederholt werden, weil bereits ein Vorgang zum Rückgängigmachen oder Wiederholen für \"{1}\" durchgeführt wird.",
+ "cannotWorkspaceRedoDueToInMeantimeUndoRedo": "\"{0}\" konnte nicht für alle Dateien wiederholt werden, weil in der Zwischenzeit bereits ein Vorgang zum Rückgängigmachen oder Wiederholen durchgeführt wurde.",
+ "cannotResourceRedoDueToInProgressUndoRedo": "\"{0}\" konnte nicht wiederholt werden, weil bereits ein Vorgang zum Rückgängigmachen oder Wiederholen durchgeführt wird."
+ },
+ "vs/platform/actions/browser/menuEntryActionViewItem": {
+ "titleAndKb": "{0} ({1})"
+ },
+ "vs/platform/theme/common/iconRegistry": {
+ "iconDefintion.fontId": "Die ID der zu verwendenden Schriftart. Sofern nicht festgelegt, wird die zuerst definierte Schriftart verwendet.",
+ "iconDefintion.fontCharacter": "Das der Symboldefinition zugeordnete Schriftzeichen.",
+ "widgetClose": "Symbol für Aktion zum Schließen in Widgets",
+ "previousChangeIcon": "Symbol für den Wechsel zur vorherigen Editor-Position.",
+ "nextChangeIcon": "Symbol für den Wechsel zur nächsten Editor-Position."
+ },
+ "vs/platform/menubar/electron-main/menubar": {
+ "miNewWindow": "Neues &&Fenster",
+ "mFile": "&&Datei",
+ "mEdit": "&&Bearbeiten",
+ "mSelection": "Au&&swahl",
+ "mView": "&&Anzeigen",
+ "mGoto": "&&Gehe zu",
+ "mRun": "&&Ausführen",
+ "mTerminal": "&&Terminal",
+ "mWindow": "Fenster",
+ "mHelp": "&&Hilfe",
+ "mAbout": "Informationen zu {0}",
+ "miPreferences": "&&Einstellungen",
+ "mServices": "Dienste",
+ "mHide": "{0} ausblenden",
+ "mHideOthers": "Andere ausblenden",
+ "mShowAll": "Alle anzeigen",
+ "miQuit": "{0} beenden",
+ "mMinimize": "Minimieren",
+ "mZoom": "Zoom",
+ "mBringToFront": "Alle in den Vordergrund",
+ "miSwitchWindow": "Fenster &&wechseln...",
+ "mNewTab": "Neue Registerkarte",
+ "mShowPreviousTab": "Vorherige Registerkarte anzeigen",
+ "mShowNextTab": "Nächste Registerkarte anzeigen",
+ "mMoveTabToNewWindow": "Registerkarte in neues Fenster verschieben",
+ "mMergeAllWindows": "Alle Fenster zusammenführen",
+ "miCheckForUpdates": "Nach &&Updates suchen...",
+ "miCheckingForUpdates": "Es wird nach Updates gesucht...",
+ "miDownloadUpdate": "V&&erfügbares Update herunterladen",
+ "miDownloadingUpdate": "Das Update wird heruntergeladen...",
+ "miInstallUpdate": "Update &&installieren...",
+ "miInstallingUpdate": "Update wird installiert...",
+ "miRestartToUpdate": "Für &&Update neu starten"
+ },
+ "vs/platform/userDataSync/common/abstractSynchronizer": {
+ "incompatible": "\"{0}\" kann nicht synchronisiert werden, weil die zugehörige lokale Version {1} nicht mit der Remoteversion {2} kompatibel ist.",
+ "incompatible sync data": "Die Synchronisierungsdaten können nicht analysiert werden, weil sie nicht mit der aktuellen Version kompatibel sind."
+ },
+ "vs/platform/keybinding/common/abstractKeybindingService": {
+ "first.chord": "({0}) wurde gedrückt. Es wird auf die zweite Taste in der Kombination gewartet...",
+ "missing.chord": "Die Tastenkombination ({0}, {1}) ist kein Befehl."
+ },
+ "vs/platform/quickinput/browser/helpQuickAccess": {
+ "globalCommands": "Globale Befehle",
+ "editorCommands": "Editor-Befehle",
+ "helpPickAriaLabel": "{0}, {1}"
+ },
+ "vs/platform/theme/common/tokenClassificationRegistry": {
+ "schema.token.settings": "Farben und Formatvorlagen für das Token.",
+ "schema.token.foreground": "Vordergrundfarbe für das Token.",
+ "schema.token.background.warning": "Tokenhintergrundfarben werden derzeit nicht unterstützt.",
+ "schema.token.fontStyle": "Legt den Schriftschnitt der Regel fest: kursiv, fett oder unterstrichen (oder eine Kombination). Alle nicht aufgeführten Schriftschnitte werden aufgehoben. Die leere Zeichenfolge setzt alle Schnitte zurück.",
+ "schema.fontStyle.error": "Der Schriftschnitt muss kursiv, fett, unterstrichen oder eine Kombination daraus sein. Eine leere Zeichenfolge hebt alle entsprechenden Einstellungen auf.",
+ "schema.token.fontStyle.none": "Keine (geerbten Stil löschen)",
+ "schema.token.bold": "Legt den Schriftschnitt auf \"Fett\" fest oder hebt die Festlegung auf. Hinweis: Durch das Vorhandensein von \"fontStyle\" wird diese Einstellung überschrieben.",
+ "schema.token.italic": "Legt den Schriftschnitt auf \"Kursiv\" fest bzw. hebt die Festlegung auf. Hinweis: Durch das Vorhandensein von \"fontStyle\" wird diese Einstellung überschrieben.",
+ "schema.token.underline": "Legt den Schriftschnitt auf \"Unterstrichen\" fest bzw. hebt die Festlegung auf. Hinweis: Durch das Vorhandensein von \"fontStyle\" wird diese Einstellung überschrieben.",
+ "comment": "Stil für Kommentare",
+ "string": "Stil für Zeichenfolgen",
+ "keyword": "Stil für Schlüsselwörter",
+ "number": "Stil für Zahlen",
+ "regexp": "Stil für Ausdrücke",
+ "operator": "Stil für Operatoren",
+ "namespace": "Stil für Namespaces",
+ "type": "Stil für Typen",
+ "struct": "Stil für Strukturen",
+ "class": "Stil für Klassen",
+ "interface": "Stil für Schnittstellen",
+ "enum": "Stil für Enumerationen",
+ "typeParameter": "Stil für Typparameter.",
+ "function": "Stil für Funktionen",
+ "member": "Stil für Memberfunktionen",
+ "method": "Stil für Methode (Memberfunktionen)",
+ "macro": "Stil für Makros",
+ "variable": "Stil für Variablen",
+ "parameter": "Stil für Parameter.",
+ "property": "Eigenschaftenstil",
+ "enumMember": "Stil für Enumeratmember.",
+ "event": "Stil für Ereignisse.",
+ "labels": "Stil für Bezeichnungen ",
+ "declaration": "Stil für alle Symboldeklarationen",
+ "documentation": "Stil für Verweise in der Dokumentation",
+ "static": "Stil, der für statische Symbole verwendet werden soll",
+ "abstract": "Stil für abstrakte Symbole",
+ "deprecated": "Stil, der für veraltete Symbole verwendet wird.",
+ "modification": "Stil für Schreibzugriffe",
+ "async": "Stil für asynchrone Symbole",
+ "readonly": "Stil für schreibgeschützte Symbole."
+ },
+ "vs/platform/quickinput/browser/commandsQuickAccess": {
+ "commandPickAriaLabelWithKeybinding": "{0}, {1}",
+ "recentlyUsed": "zuletzt verwendet",
+ "morecCommands": "andere Befehle",
+ "canNotRun": "Der Befehl {0} hat einen Fehler ausgelöst ({1})."
+ },
+ "win32/i18n/messages": {
+ "FinishedLabel": "Das Setup hat die Installation von [Name] auf Ihrem Computer abgeschlossen. Sie können die Anwendung über die installierten Verknüpfungen starten.",
+ "ConfirmUninstall": "Möchten Sie \"%1\" und alle zugehörigen Komponenten vollständig entfernen?",
+ "AdditionalIcons": "Zusätzliche Symbole:",
+ "CreateDesktopIcon": "Desktopsymbol &erstellen",
+ "CreateQuickLaunchIcon": "Schnellstartsymbol &erstellen",
+ "AddContextMenuFiles": "Aktion \"Mit %1 öffnen\" dem Dateikontextmenü von Windows-Explorer hinzufügen",
+ "AddContextMenuFolders": "Aktion \"Mit %1 öffnen\" dem Verzeichniskontextmenü von Windows-Explorer hinzufügen",
+ "AssociateWithFiles": "%1 als Editor für unterstützte Dateitypen registrieren",
+ "AddToPath": "Zu PATH hinzufügen (Neustart der Shell erforderlich)",
+ "RunAfter": "%1 nach der Installation ausführen",
+ "Other": "Andere:",
+ "SourceFile": "%1-Quelldatei",
+ "OpenWithCodeContextMenu": "M&it %1 öffnen"
+ },
+ "vs/code/electron-main/main": {
+ "secondInstanceAdmin": "Eine zweite Instanz von {0} wird bereits als Administrator ausgeführt.",
+ "secondInstanceAdminDetail": "Schließen Sie die andere Instanz, und versuchen Sie es erneut.",
+ "secondInstanceNoResponse": "Eine andere Instanz von {0} läuft, reagiert aber nicht",
+ "secondInstanceNoResponseDetail": "Schließen Sie alle anderen Instanzen, und versuchen Sie es erneut.",
+ "startupDataDirError": "Programmbenutzerdaten können nicht geschrieben werden.",
+ "startupUserDataAndExtensionsDirErrorDetail": "Stellen Sie sicher, dass die folgenden Verzeichnisse beschreibbar sind:\r\n\r\n{0}",
+ "close": "&&Schließen"
+ },
+ "vs/code/node/cliProcessMain": {
+ "notFound": "Die Erweiterung '{0}' wurde nicht gefunden.",
+ "notInstalled": "Die Erweiterung \"{0}\" ist nicht installiert.",
+ "useId": "Stellen Sie sicher, dass Sie die vollständige Erweiterungs-ID verwenden, einschließlich des Herausgebers. Beispiel: {0}",
+ "installingExtensions": "Erweiterungen werden installiert...",
+ "alreadyInstalled-checkAndUpdate": "Die Erweiterung \"{0}\" v{1} ist bereits installiert. Verwenden Sie die Option \"--force\" für ein Update auf die neueste Version, oder geben Sie \"@\" an, um eine bestimmte Version zu installieren. Beispiel: \"{2}@1.2.3\".",
+ "alreadyInstalled": "Die Erweiterung \"{0}\" ist bereits installiert.",
+ "installation failed": "Fehler beim Installieren der Erweiterungen: {0}",
+ "successVsixInstall": "Die Erweiterung \"{0}\" wurde erfolgreich installiert.",
+ "cancelVsixInstall": "Installation der Erweiterung \"{0}\" abgebrochen.",
+ "updateMessage": "Die Erweiterung \"{0}\" wird auf Version {1} aktualisiert.",
+ "installing builtin ": "Die integrierte Erweiterung \"{0}\", Version {1}, wird installiert...",
+ "installing": "Die Erweiterung \"{0}\", Version {1}, wird installiert...",
+ "successInstall": "Die Erweiterung \"{0}\", Version {1}, wurde erfolgreich installiert.",
+ "cancelInstall": "Installation der Erweiterung \"{0}\" abgebrochen.",
+ "forceDowngrade": "Eine neuere Version der Erweiterung \"{0}\", Version {1}, ist bereits installiert. Verwenden Sie die Option \"--force\", um ein Downgrade auf die ältere Version durchzuführen.",
+ "builtin": "Die Erweiterung \"{0}\" ist eine integrierte Erweiterung und kann nicht installiert werden.",
+ "forceUninstall": "Die Erweiterung \"{0}\" wurde vom Benutzer als integrierte Erweiterung gekennzeichnet. Verwenden Sie die Option \"--force\", um sie zu deinstallieren.",
+ "uninstalling": "{0} wird deinstalliert...",
+ "successUninstall": "Die Erweiterung \"{0}\" wurde erfolgreich deinstalliert."
+ },
+ "vs/code/electron-sandbox/issue/issueReporterMain": {
+ "hide": "Ausblenden",
+ "show": "Anzeigen",
+ "previewOnGitHub": "Vorschau in GitHub",
+ "loadingData": "Daten werden geladen...",
+ "rateLimited": "GitHub-Abfragebeschränkung überschritten. Bitte warten.",
+ "similarIssues": "Ähnliche Probleme",
+ "open": "Öffnen",
+ "closed": "Geschlossen",
+ "noSimilarIssues": "Keine ähnlichen Probleme gefunden",
+ "bugReporter": "Fehlerbericht",
+ "featureRequest": "Featureanforderung",
+ "performanceIssue": "Leistungsproblem",
+ "selectSource": "Quelle auswählen",
+ "vscode": "Visual Studio Code",
+ "extension": "Eine Erweiterung",
+ "unknown": "Nicht bekannt",
+ "stepsToReproduce": "Schritte für Reproduktion",
+ "bugDescription": "Geben Sie an, welche Schritte ausgeführt werden müssen, um das Problem zuverlässig zu reproduzieren. Was sollte geschehen, und was ist stattdessen geschehen? Wir unterstützen GitHub Flavored Markdown. Sie können während der Vorschau in GitHub Ihr Problem bearbeiten und Screenshots hinzufügen.",
+ "performanceIssueDesciption": "Wann ist dieses Leistungsproblem aufgetreten? Tritt es beispielsweise beim Start oder nach einer bestimmten Reihe von Aktionen auf? Wir unterstützen GitHub Flavored Markdown. Sie können während der Vorschau in GitHub Ihr Problem bearbeiten und Screenshots hinzufügen.",
+ "description": "Beschreibung",
+ "featureRequestDescription": "Beschreiben Sie die Funktion, die Sie sehen möchten. Wir unterstützen GitHub-Markdown. Sie können in der GitHub-Preview ihr Problem bearbeiten und Screenshots hinzufügen.",
+ "pasteData": "Wir haben die erforderlichen Daten in die Zwischenablage geschrieben, da sie zu groß zum Senden waren. Fügen Sie sie ein.",
+ "disabledExtensions": "Erweiterungen sind deaktiviert.",
+ "noCurrentExperiments": "Keine aktuellen Experimente."
+ },
+ "vs/code/electron-sandbox/processExplorer/processExplorerMain": {
+ "cpu": "CPU (%)",
+ "memory": "Arbeitsspeicher (MB)",
+ "pid": "PID",
+ "name": "Name",
+ "killProcess": "Prozess beenden",
+ "forceKillProcess": "Prozessbeendigung erzwingen",
+ "copy": "Kopieren",
+ "copyAll": "Alles kopieren",
+ "debug": "Debuggen"
+ },
+ "vs/code/electron-main/app": {
+ "trace.message": "Die Ablaufverfolgung wurde erfolgreich erstellt.",
+ "trace.detail": "Erstellen Sie ein Issue, und fügen Sie die folgende Datei manuell an:\r\n{0}",
+ "trace.ok": "OK",
+ "open": "&&Ja",
+ "cancel": "&&Nein",
+ "confirmOpenMessage": "Eine externe Anwendung möchte \"{0}\" in {1} öffnen. Möchten Sie diese Datei oder diesen Ordner öffnen?",
+ "confirmOpenDetail": "Wenn Sie diese Anforderung nicht initiiert haben, handelt es sich möglicherweise um einen Angriffsversuch auf Ihr System. Wenn Sie keine explizite Aktion zum Initiieren dieser Anforderung durchgeführt haben, drücken Sie \"Nein\"."
+ },
+ "vs/code/electron-sandbox/issue/issueReporterPage": {
+ "completeInEnglish": "Füllen Sie das Formular auf Englisch aus.",
+ "issueTypeLabel": "Typ:",
+ "issueSourceLabel": "Einreichen für",
+ "issueSourceEmptyValidation": "Eine Problemquelle ist erforderlich.",
+ "disableExtensionsLabelText": "Versuchen Sie, das Problem nach {0} zu reproduzieren. Wenn das Problem nur bei aktiven Erweiterungen reproduziert werden kann, besteht wahrscheinlich ein Problem bei einer Erweiterung.",
+ "disableExtensions": "erneutem Laden des Fensters mit deaktivierten Erweiterungen",
+ "chooseExtension": "Erweiterung",
+ "extensionWithNonstandardBugsUrl": "Der Problemreporter kann keine Issues für diese Erweiterung erstellen. Bitte besuchen Sie {0}, um ein Problem zu melden.",
+ "extensionWithNoBugsUrl": "Der Issue-Reporter kann keine Issues für diese Erweiterung erstellen, da keine URL für die Meldung von Problemen angegeben ist. Bitte sehen Sie auf der Marketplace-Seite dieser Erweiterung nach, ob andere Informationen verfügbar sind.",
+ "issueTitleLabel": "Titel",
+ "issueTitleRequired": "Geben Sie einen Titel ein.",
+ "titleEmptyValidation": "Ein Titel ist erforderlich.",
+ "titleLengthValidation": "Der Titel ist zu lang.",
+ "details": "Geben Sie Details ein.",
+ "descriptionEmptyValidation": "Eine Beschreibung ist erforderlich.",
+ "sendSystemInfo": "Meine Systeminformationen einschließen ({0})",
+ "show": "Anzeigen",
+ "sendProcessInfo": "Meine derzeit ausgeführten Prozesse einschließen ({0})",
+ "sendWorkspaceInfo": "Metadaten zu meinem Arbeitsbereich einschließen ({0})",
+ "sendExtensions": "Meine aktivierten Erweiterungen einschließen ({0})",
+ "sendExperiments": "A/B-Experimentinformationen einschließen ({0})"
+ },
+ "vs/code/electron-main/auth": {
+ "authRequire": "Proxyauthentifizierung erforderlich",
+ "proxyauth": "Der Proxy {0} erfordert eine Authentifizierung."
+ },
+ "vs/code/electron-main/window": {
+ "reopen": "&&Erneut öffnen",
+ "wait": "&&Weiterhin warten",
+ "close": "&&Schließen",
+ "appStalled": "Das Fenster reagiert nicht mehr.",
+ "appStalledDetail": "Sie können das Fenster erneut öffnen oder schließen oder weiterhin warten.",
+ "appCrashedDetails": "Das Fenster ist abgestürzt (Ursache: \"{0}\").",
+ "appCrashed": "Das Fenster ist abgestürzt.",
+ "appCrashedDetail": "Entschuldigen Sie die Unannehmlichkeiten. Sie können das Fenster erneut öffnen und dort weitermachen, wo Sie aufgehört haben.",
+ "hiddenMenuBar": "Sie können über die Alt-Taste weiterhin auf die Menüleiste zugreifen."
+ },
+ "vs/workbench/electron-browser/actions/developerActions": {
+ "toggleSharedProcess": "Freigegebenen Prozess umschalten"
+ },
+ "vs/workbench/electron-sandbox/desktop.contribution": {
+ "newTab": "Registerkarte \"Neues Fenster\"",
+ "showPreviousTab": "Vorherige Fensterregisterkarte anzeigen",
+ "showNextWindowTab": "Nächste Fensterregisterkarte anzeigen",
+ "moveWindowTabToNewWindow": "Fensterregisterkarte in neues Fenster verschieben",
+ "mergeAllWindowTabs": "Alle Fenster zusammenführen",
+ "toggleWindowTabsBar": "Fensterregisterkarten-Leiste umschalten",
+ "preferences": "Einstellungen",
+ "miCloseWindow": "&&Fenster schließen",
+ "miExit": "&&Beenden",
+ "miZoomIn": "&&Vergrößern",
+ "miZoomOut": "&&Verkleinern",
+ "miZoomReset": "&&Zoom zurücksetzen",
+ "miReportIssue": "Problem &&melden",
+ "miToggleDevTools": "&&Entwicklungstools umschalten",
+ "miOpenProcessExplorerer": "Prozess-Explorer &&öffnen",
+ "windowConfigurationTitle": "Fenster",
+ "window.openWithoutArgumentsInNewWindow.on": "Neues leeres Fenster öffnen.",
+ "window.openWithoutArgumentsInNewWindow.off": "Fokus auf die zuletzt aktive ausgeführte Instanz legen.",
+ "openWithoutArgumentsInNewWindow": "Steuert, ob ein neues leeres Fenster geöffnet werden soll, wenn eine zweite Instanz ohne Argumente gestartet wird, oder ob die letzte ausgeführte Instanz den Fokus erhalten soll.\r\nBeachten Sie, dass diese Einstellung in einigen Fällen möglicherweise ignoriert wird (z. B. bei Verwendung der Befehlszeilenoption \"--new-window\" oder \"--reuse-window\").",
+ "window.reopenFolders.preserve": "Hiermit werden alle Fenster immer erneut geöffnet. Wenn ein Ordner oder Arbeitsbereich (z. B. über die Befehlszeile) geöffnet wird, erfolgt die Öffnung in einem neuen Fenster, sofern der Ordner oder Arbeitsbereich nicht bereits offen ist. Dateien werden in einem der wiederhergestellten Fenster geöffnet.",
+ "window.reopenFolders.all": "Alle Fenster werden erneut geöffnet, sofern keine Ordner, Arbeitsbereiche oder Dateien geöffnet sind (z. B. über die Befehlszeile).",
+ "window.reopenFolders.folders": "Alle Fenster mit geöffneten Ordnern oder Arbeitsbereichen werden erneut geöffnet, sofern keine Ordner, Arbeitsbereiche oder Dateien geöffnet werden (z. B. über die Befehlszeile).",
+ "window.reopenFolders.one": "Das zuletzt aktive Fenster wird erneut geöffnet, sofern keine Ordner, Arbeitsbereiche oder Dateien geöffnet werden (z. B. über die Befehlszeile).",
+ "window.reopenFolders.none": "Fenster nie erneut öffnen: Sofern kein Ordner oder Arbeitsbereich geöffnet wird (z. B. über die Befehlszeile), wird ein leeres Fenster angezeigt.",
+ "restoreWindows": "Steuert, wie Fenster nach dem ersten Start erneut geöffnet werden. Diese Einstellung hat keine Auswirkungen, wenn die Anwendung bereits ausgeführt wird.",
+ "restoreFullscreen": "Steuert, ob ein Fenster im Vollbildmodus wiederhergestellt wird, wenn es im Vollbildmodus beendet wurde.",
+ "zoomLevel": "Passen Sie den Zoomfaktor des Fensters an. Die ursprüngliche Größe ist 0. Jede Inkrementierung nach oben (z. B. 1) oder unten (z. B. -1) stellt eine Vergrößerung bzw. Verkleinerung um 20 % dar. Sie können auch Dezimalwerte eingeben, um den Zoomfaktor genauer anzupassen.",
+ "window.newWindowDimensions.default": "Öffnet neue Fenster in der Mitte des Bildschirms.",
+ "window.newWindowDimensions.inherit": "Öffnet neue Fenster mit den gleichen Abmessungen wie das letzte aktive Fenster.",
+ "window.newWindowDimensions.offset": "Öffnen Sie neue Fenster mit derselben Dimension wie das letzte aktive Fenster mit einer Offset-Position.",
+ "window.newWindowDimensions.maximized": "Öffnet neue Fenster maximiert.",
+ "window.newWindowDimensions.fullscreen": "Öffnet neue Fenster im Vollbildmodus.",
+ "newWindowDimensions": "Steuert die Abmessung beim Öffnen eines neuen Fensters, wenn mindestens ein Fenster bereits geöffnet ist. Beachten Sie, dass diese Einstellung sich nicht auf das erste geöffnete Fenster auswirkt. Für das erste Fenster werden immer die Größe und Position wiederhergestellt, die vor dem Schließen eingestellt waren.",
+ "closeWhenEmpty": "Steuert, ob das Fenster beim Schließen des letzten Editors geschlossen wird. Diese Einstellung gilt nur für Fenster, in denen keine Ordner angezeigt werden.",
+ "window.doubleClickIconToClose": "Wenn Sie diese Option aktivieren, wird das Fenster beim Doppelklick auf das Anwendungssymbol geschlossen, und das Fenster kann nicht vom Symbol gezogen werden. Diese Einstellung hat nur Auswirkungen, wenn \"#window.titleBarStyle#\" auf \"custom\" festgelegt ist.",
+ "titleBarStyle": "Passen Sie die Darstellung der Fenstertitelleiste an. Unter Linux und Windows wirkt sich diese Einstellung auch auf die Darstellung des Anwendungs- und Kontextmenüs aus. Änderungen werden erst nach einem Neustart angewendet.",
+ "dialogStyle": "Passen Sie die Darstellung von Dialogfenstern an.",
+ "window.nativeTabs": "Aktiviert macOS Sierra-Fensterregisterkarten. Beachten Sie, dass zum Übernehmen von Änderungen ein vollständiger Neustart erforderlich ist und durch ggf. konfigurierte native Registerkarten ein benutzerdefinierter Titelleistenstil deaktiviert wird.",
+ "window.nativeFullScreen": "Steuert, ob der native Vollbildmodus unter macOS verwendet werden soll. Deaktivieren Sie diese Option, damit macOS keinen neuen Bereich erstellt, wenn der Vollbildmodus aktiviert wird.",
+ "window.clickThroughInactive": "Ist dies aktiviert, wird beim Klicken auf ein inaktives Fenster das Fenster aktiviert, und das Element unter der Maus wird ausgelöst, wenn es angeklickt werden kann. Wenn es deaktiviert ist, wird durch Klicken auf eine beliebige Stelle in einem inaktiven Fenster nur das Fenster aktiviert, und Sie müssen das Element zusätzlich anklicken.",
+ "window.enableExperimentalProxyLoginDialog": "Aktiviert ein neues Anmeldedialogfeld für die Proxyauthentifizierung. Damit die Einstellung in Kraft tritt, ist ein Neustart erforderlich.",
+ "telemetryConfigurationTitle": "Telemetrie",
+ "telemetry.enableCrashReporting": "Aktiviert Absturzberichte, die an Microsoft-Onlinedienste gesendet werden.\r\nDiese Option erfordert einen Neustart, damit sie wirksam wird.",
+ "keyboardConfigurationTitle": "Tastatur",
+ "touchbar.enabled": "Aktiviert die macOS-Touchbar-Schaltflächen der Tastatur, sofern verfügbar.",
+ "touchbar.ignored": "Eine Menge von Bezeichnern für Einträge in der Touchleiste, die nicht angezeigt werden sollen (Beispiel: workbench.action.navigateBack).",
+ "argv.locale": "Die zu verwendende Anzeigesprache. Für die Auswahl einer anderen Sprache muss das zugehörige Sprachpaket installiert werden.",
+ "argv.disableHardwareAcceleration": "Deaktiviert die Hardwarebeschleunigung. Ändern Sie diese Option NUR, wenn Grafikprobleme auftreten.",
+ "argv.disableColorCorrectRendering": "Behebt Probleme bei der Farbprofilauswahl. Ändern Sie diese Option NUR, wenn Grafikprobleme auftreten.",
+ "argv.forceColorProfile": "Ermöglicht das Überschreiben des zu verwendenden Farbprofils. Legen Sie die Option auf \"srgb\" fest, wenn Farben schlecht angezeigt werden, und führen Sie einen Neustart durch.",
+ "argv.enableCrashReporter": "Ermöglicht das Deaktivieren der Absturzberichterstellung. Bei Änderung des Werts muss die App neu gestartet werden.",
+ "argv.crashReporterId": "Eindeutige ID zum Korrelieren von Absturzberichten, die von dieser App-Instanz gesendet werden.",
+ "argv.enebleProposedApi": "Aktivieren Sie vorgeschlagene APIs für eine Liste mit Erweiterungs-IDs (z. B. \"vscode.git\"). Vorgeschlagene APIs sind instabil und können jederzeit ohne Warnung unterbrochen werden. Diese Option sollte nur zum Entwickeln und Testen von Erweiterungen festgelegt werden.",
+ "argv.force-renderer-accessibility": "Erzwingt, dass der Renderer zugänglich ist. Ändern Sie diese Einstellung nur, wenn Sie eine Sprachausgabe unter Linux verwenden. Auf anderen Plattformen ist der Renderer automatisch zugänglich. Dieses Flag wird automatisch festgelegt, wenn editor.accessibilitySupport: aktiviert ist."
+ },
+ "vs/workbench/common/actions": {
+ "view": "Anzeigen",
+ "help": "Hilfe",
+ "developer": "Entwickler"
+ },
+ "vs/workbench/browser/workbench": {
+ "loaderErrorNative": "Fehler beim Laden einer erforderlichen Datei. Starten Sie die Anwendung neu, und versuchen Sie es dann erneut. Details: {0}"
+ },
+ "vs/workbench/electron-sandbox/window": {
+ "learnMode": "Weitere Informationen",
+ "shellEnvSlowWarning": "Das Auflösen Ihrer Shell-Umgebung dauert sehr lange. Überprüfen Sie Ihre Shell-Konfiguration.",
+ "shellEnvTimeoutError": "Ihre Shell-Umgebung kann nicht in einem angemessenen Zeitraum aufgelöst werden. Überprüfen Sie Ihre Shell-Konfiguration.",
+ "proxyAuthRequired": "Proxyauthentifizierung erforderlich",
+ "loginButton": "&&Anmelden",
+ "cancelButton": "&&Abbrechen",
+ "username": "Benutzername",
+ "password": "Kennwort",
+ "proxyDetail": "Für den Proxy \"{0}\" sind ein Benutzername und ein Kennwort erforderlich.",
+ "rememberCredentials": "Anmeldeinformationen speichern",
+ "runningAsRoot": "Es wird nicht empfohlen, {0} als Root-Benutzer auszuführen.",
+ "mPreferences": "Einstellungen"
+ },
+ "vs/workbench/common/theme": {
+ "tabActiveBackground": "Hintergrundfarbe der aktiven Registerkarte. Registerkarten sind die Container für Editors im Editorbereich. In einer Editorgruppe können mehrere Registerkarten geöffnet werden. Mehrere Editorgruppen können vorhanden sein.",
+ "tabUnfocusedActiveBackground": "Hintergrundfarbe für aktive Registerkarte in einer Gruppe ohne Fokus. Registerkarten sind die Container für Editoren im Editorbereich. In einer Editorgruppe können mehrere Registerkarten geöffnet werden. Es können mehrere Editorgruppen vorliegen.",
+ "tabInactiveBackground": "Hintergrundfarbe der inaktiven Registerkarte. Registerkarten sind die Container für Editors im Editorbereich. In einer Editorgruppe können mehrere Registerkarten geöffnet werden. Mehrere Editorgruppen können vorhanden sein.",
+ "tabUnfocusedInactiveBackground": "Die Hintergrundfarbe für inaktive Registerkarten in einer Gruppe ohne Fokus. Registerkarten sind die Container für Editoren im Editor-Bereich. In einer Editor-Gruppe können mehrere Registerkarten geöffnet werden. Es können mehrere Editor-Gruppen vorhanden sein.",
+ "tabActiveForeground": "Vordergrundfarbe der aktiven Registerkarte in einer aktiven Gruppe. Registerkarten sind die Container für Editors im Editorbereich. In einer Editorgruppe können mehrere Registerkarten geöffnet werden. Mehrere Editorgruppen können vorhanden sein.",
+ "tabInactiveForeground": "Vordergrundfarbe der inaktiven Registerkarte in einer aktiven Gruppe. Registerkarten sind die Container für Editors im Editorbereich. In einer Editorgruppe können mehrere Registerkarten geöffnet werden. Mehrere Editorgruppen können vorhanden sein.",
+ "tabUnfocusedActiveForeground": "Vordergrundfarbe für aktive Registerkarten in einer Gruppe ohne Fokus. Registerkarten sind die Container für Editoren im Editor-Bereich. In einer Editor-Gruppe können mehrere Registerkarten geöffnet werden. Mehrere Editor-Gruppen sind möglich.",
+ "tabUnfocusedInactiveForeground": "Vordergrundfarbe für inaktive Registerkarten in einer Gruppe ohne Fokus. Registerkarten sind die Container für Editoren im Editor-Bereich. In einer Editor-Gruppe können mehrere Registerkarten geöffnet werden. Mehrere Editor-Gruppen sind möglich.",
+ "tabHoverBackground": "Hintergrundfarbe der Registerkarte beim Daraufzeigen. Registerkarten sind die Container für Editoren im Editorbereich. In einer Editorgruppe können mehrere Registerkarten geöffnet werden. Mehrere Editorgruppen können vorhanden sein.",
+ "tabUnfocusedHoverBackground": "Hintergrundfarbe für Registerkarten in einer Gruppe ohne Fokus beim Daraufzeigen. Registerkarten sind die Container für Editoren im Editor-Bereich. In einer Editor-Gruppe können mehrere Registerkarten geöffnet werden. Mehrere Editor-Gruppen sind möglich.",
+ "tabHoverForeground": "Die Vordergrundfarbe der Registerkarte, wenn mit der Maus darauf gezeigt wird. Registerkarten sind die Container für Editoren im Editor-Bereich. In einer Editor-Gruppe können mehrere Registerkarten geöffnet werden. Es können mehrere Editor-Gruppen vorhanden sein.",
+ "tabUnfocusedHoverForeground": "Die Vordergrundfarbe in einer Gruppe ohne Fokus, wenn mit der Maus darauf gezeigt wird. Registerkarten sind die Container für Editoren im Editor-Bereich. In einer Editor-Gruppe können mehrere Registerkarten geöffnet werden. Es können mehrere Editor-Gruppen vorhanden sein.",
+ "tabBorder": "Rahmen zum Trennen von Registerkarten. Registerkarten sind die Container für Editoren im Editor-Bereich. In einer Editor-Gruppe können mehrere Registerkarten geöffnet werden. Mehrere Editor-Gruppen sind möglich.",
+ "lastPinnedTabBorder": "Dies ist ein Rahmen, mit dem angeheftete Registerkarten von anderen Registerkarten getrennt werden. Registerkarten sind die Container für Editoren im Editorbereich. In einer Editorgruppe können mehrere Registerkarten geöffnet werden. Es können mehrere Editorgruppen verwendet werden.",
+ "tabActiveBorder": "Rahmen am unteren Rand einer aktiven Registerkarte. Registerkarten sind die Container für Editoren im Editor-Bereich. In einer Editor-Gruppe können mehrere Registerkarten geöffnet werden. Mehrere Editor-Gruppen sind möglich.",
+ "tabActiveUnfocusedBorder": "Rahmen am unteren Rand einer aktiven Registerkarte in einer Gruppe ohne Fokus. Registerkarten sind die Container für Editoren im Editor-Bereich. In einer Editor-Gruppe können mehrere Registerkarten geöffnet werden. Mehrere Editor-Gruppen sind möglich.",
+ "tabActiveBorderTop": "Rahmen am oberen Rand einer aktiven Registerkarte. Registerkarten sind die Container für Editoren im Editor-Bereich. In einer Editor-Gruppe können mehrere Registerkarten geöffnet werden. Mehrere Editor-Gruppen sind möglich.",
+ "tabActiveUnfocusedBorderTop": "Rahmen am oberen Rand einer aktiven Registerkarte in einer Gruppe ohne Fokus. Registerkarten sind die Container für Editoren im Editor-Bereich. In einer Editor-Gruppe können mehrere Registerkarten geöffnet werden. Mehrere Editor-Gruppen sind möglich.",
+ "tabHoverBorder": "Rahmen zum Hervorheben von Registerkarten beim Daraufzeigen. Registerkarten sind die Container für Editoren im Editor-Bereich. In einer Editor-Gruppe können mehrere Registerkarten geöffnet werden. Mehrere Editor-Gruppen sind möglich.",
+ "tabUnfocusedHoverBorder": "Rahmen zum Hervorheben von Registerkarten in einer Gruppe ohne Fokus beim Daraufzeigen. Registerkarten sind die Container für Editoren im Editor-Bereich. In einer Editor-Gruppe können mehrere Registerkarten geöffnet werden. Mehrere Editor-Gruppen sind möglich.",
+ "tabActiveModifiedBorder": "Rahmen am oberen Rand einer geänderten aktiven Registerkarte in einer aktiven Gruppe. Registerkarten enthalten die Editoren im Editor-Bereich. In einer Editor-Gruppe können mehrere Registerkarten geöffnet werden. Mehrere Editor-Gruppen sind möglich.",
+ "tabInactiveModifiedBorder": "Rahmen am oberen Rand einer geänderten inaktiven Registerkarte in einer aktiven Gruppe. Registerkarten enthalten die Editoren im Editor-Bereich. In einer Editor-Gruppe können mehrere Registerkarten geöffnet werden. Mehrere Editor-Gruppen sind möglich.",
+ "unfocusedActiveModifiedBorder": "Rahmen am oberen Rand einer geänderten aktiven Registerkarte in einer Gruppe ohne Fokus. Registerkarten enthalten die Editoren im Editor-Bereich. In einer Editor-Gruppe können mehrere Registerkarten geöffnet werden. Mehrere Editor-Gruppen sind möglich.",
+ "unfocusedINactiveModifiedBorder": "Rahmen am oberen Rand einer geänderten inaktiven Registerkarte in einer Gruppe ohne Fokus. Registerkarten enthalten die Editoren im Editor-Bereich. In einer Editor-Gruppe können mehrere Registerkarten geöffnet werden. Mehrere Editor-Gruppen sind möglich.",
+ "editorPaneBackground": "Die Hintergrundfarbe des Editorbereichs, die links und rechts neben dem zentrierten Editorlayout sichtbar ist.",
+ "editorGroupBackground": "Veraltete Hintergrundfarbe einer Editor-Gruppe.",
+ "deprecatedEditorGroupBackground": "Veraltet: Die Hintergrundfarbe einer Editor-Gruppe wird mit Einführung des Rasterlayouts nicht mehr unterstützt. Über \"editorGroup.emptyBackground\" können Sie die Hintergrundfarbe leerer Editor-Gruppen festlegen.",
+ "editorGroupEmptyBackground": "Hintergrundfarbe einer leeren Editor-Gruppe. Editor-Gruppen sind die Container von Editoren.",
+ "editorGroupFocusedEmptyBorder": "Rahmenfarbe einer leeren Editor-Gruppe, die im Fokus liegt. Editor-Gruppen sind die Container von Editoren.",
+ "tabsContainerBackground": "Hintergrundfarbe der Titelüberschrift der Editor-Gruppe, wenn die Registerkarten deaktiviert sind. Editor-Gruppen sind die Container der Editoren.",
+ "tabsContainerBorder": "Rahmenfarbe der Titelüberschrift der Editor-Gruppe, wenn die Registerkarten deaktiviert sind. Editor-Gruppen sind die Container der Editoren.",
+ "editorGroupHeaderBackground": "Hintergrundfarbe der Editorgruppen-Titelüberschrift, wenn Registerkarten deaktiviert sind (`\"workbench.editor.showTabs\": false`). Editor-Gruppen sind die Container für Editoren.",
+ "editorTitleContainerBorder": "Die Rahmenfarbe der Titelüberschrift der Editor-Gruppe. Editor-Gruppen sind Container für Editoren.",
+ "editorGroupBorder": "Farbe zum Trennen mehrerer Editor-Gruppen. Editor-Gruppen sind die Container der Editoren.",
+ "editorDragAndDropBackground": "Hintergrundfarbe beim Ziehen von Editoren. Die Farbe muss transparent sein, damit die Editor-Inhalte noch sichtbar sind.",
+ "imagePreviewBorder": "Randfarbe für Bild in Bildvorschau.",
+ "panelBackground": "Hintergrundfarbe des Panels. Panels werden unter dem Editorbereich angezeigt und enthalten Ansichten wie die Ausgabe und das integrierte Terminal.",
+ "panelBorder": "Farbe des Panelrahmens, der das Panel vom Editor abtrennt. Panels werden unter dem Editorbereich angezeigt und enthalten Ansichten wie die Ausgabe und das integrierte Terminal.",
+ "panelActiveTitleForeground": "Titelfarbe für das aktive Panel. Panels werden unter dem Editorpanel angezeigt und enthalten Ansichten wie Ausgabe und integriertes Terminal.",
+ "panelInactiveTitleForeground": "Titelfarbe für das inaktive Panel. Panels werden unter dem Editorpanel angezeigt und enthalten Ansichten wie Ausgabe und integriertes Terminal.",
+ "panelActiveTitleBorder": "Rahmenfarbe für den Titel des aktiven Panels. Panels werden unter dem Editorpanel angezeigt und enthalten Ansichten wie Ausgabe und integriertes Terminal.",
+ "panelInputBorder": "Eingabefeldrahmen für Eingaben in das Panel.",
+ "panelDragAndDropBorder": "Drag & Drop-Feedbackfarbe für die Paneltitel. Panel werden unter dem Editorbereich angezeigt und enthalten Ansichten wie die Ausgabe und das integrierte Terminal.",
+ "panelSectionDragAndDropBackground": "Drag & Drop-Feedbackfarbe für die Panelabschnitte. Die Farbe sollte mit Transparenz festgelegt werden, damit die Panelabschnitte dahinter weiterhin sichtbar sind. Panels werden unterhalb des Editorbereichs angezeigt und enthalten Ansichten wie \"Ausgabe\" und \"Integriertes Terminal\". Panelabschnitte sind Ansichten, die innerhalb der Panels geschachtelt sind.",
+ "panelSectionHeaderBackground": "Hintergrundfarbe für Überschriften von Panelabschnitten. Panels werden unterhalb des Editorbereichs angezeigt und enthalten Ansichten wie \"Ausgabe\" und \"Integriertes Terminal\". Panelabschnitte sind Ansichten, die innerhalb der Panels geschachtelt sind.",
+ "panelSectionHeaderForeground": "Vordergrundfarbe für Überschriften von Panelabschnitten. Panels werden unterhalb des Editorbereichs angezeigt und enthalten Ansichten wie \"Ausgabe\" und \"Integriertes Terminal\". Panelabschnitte sind Ansichten, die innerhalb der Panels geschachtelt sind.",
+ "panelSectionHeaderBorder": "Rahmenfarbe der Panelabschnittsüberschrift, die verwendet wird, wenn mehrere Ansichten vertikal im Panel gestapelt werden. Panels werden unterhalb des Editorbereichs angezeigt und enthalten Ansichten wie \"Ausgabe\" und \"Integriertes Terminal\". Panelabschnitte sind Ansichten, die innerhalb der Panels geschachtelt sind.",
+ "panelSectionBorder": "Die Rahmenfarbe des Panelabschnitts, die verwendet wird, wenn mehrere Ansichten horizontal im Panel gestapelt werden. Panels werden unterhalb des Editorbereichs angezeigt und enthalten Ansichten wie \"Ausgabe\" und \"Integriertes Terminal\". Panelabschnitte sind Ansichten, die innerhalb der Panels geschachtelt sind.",
+ "statusBarForeground": "Vordergrundfarbe der Statusleiste beim Öffnen eines Arbeitsbereichs. Die Statusleiste wird unten im Fenster angezeigt.",
+ "statusBarNoFolderForeground": "Vordergrundfarbe der Statusleiste, wenn kein Ordner geöffnet ist. Die Statusleiste wird unten im Fenster angezeigt.",
+ "statusBarBackground": "Hintergrundfarbe der Statusleiste beim Öffnen eines Arbeitsbereichs. Die Statusleiste wird unten im Fenster angezeigt.",
+ "statusBarNoFolderBackground": "Hintergrundfarbe der Statusleiste, wenn kein Ordner geöffnet ist. Die Statusleiste wird unten im Fenster angezeigt.",
+ "statusBarBorder": "Rahmenfarbe der Statusleiste für die Abtrennung von der Seitenleiste und dem Editor. Die Statusleiste wird unten im Fenster angezeigt.",
+ "statusBarNoFolderBorder": "Rahmenfarbe der Statusleiste zur Abtrennung von der Randleiste und dem Editor, wenn kein Ordner geöffnet ist. Die Statusleiste wird unten im Fenster angezeigt.",
+ "statusBarItemActiveBackground": "Hintergrundfarbe für Statusleistenelemente beim Klicken. Die Statusleiste wird am unteren Rand des Fensters angezeigt.",
+ "statusBarItemHoverBackground": "Hintergrundfarbe der Statusleistenelemente beim Daraufzeigen. Die Statusleiste wird am unteren Seitenrand angezeigt.",
+ "statusBarProminentItemForeground": "Vordergrundfarbe der hervorgehobenen Elemente auf der Statusleiste. Diese Elemente werden von anderen Elementen auf der Statusleiste hervorgehoben, um deren Wichtigkeit zu signalisieren. Ändern Sie den Modus \"TAB-Umschalttaste verschiebt Fokus\" über die Befehlspalette für eine Veranschaulichung. Die Statusleiste wird am unteren Fensterrand angezeigt.",
+ "statusBarProminentItemBackground": "Hintergrundfarbe für markante Elemente der Statusleiste. Markante Elemente sind im Vergleich zu anderen Statusleisteneinträgen hervorgehoben, um auf ihre Bedeutung hinzuweisen. Ändern Sie den Modus mithilfe von \"TAB-Umschalttaste verschiebt Fokus\" auf der Befehlspalette, um ein Beispiel anzuzeigen. Die Statusleiste wird unten im Fenster angezeigt.",
+ "statusBarProminentItemHoverBackground": "Hintergrundfarbe für markante Elemente der Statusleiste, wenn auf diese gezeigt wird. Markante Elemente sind im Vergleich zu anderen Statusleisteneinträgen hervorgehoben, um auf ihre Bedeutung hinzuweisen. Ändern Sie den Modus mithilfe von \"TAB-Umschalttaste verschiebt Fokus\" auf der Befehlspalette, um ein Beispiel anzuzeigen. Die Statusleiste wird unten im Fenster angezeigt.",
+ "statusBarErrorItemBackground": "Hintergrundfarbe für Fehlerelemente der Statusleiste. Fehlerelemente sind im Vergleich zu anderen Statusleisteneinträgen hervorgehoben, um auf Fehlerbedingungen hinzuweisen. Die Statusleiste wird unten im Fenster angezeigt.",
+ "statusBarErrorItemForeground": "Vordergrundfarbe für Fehlerelemente der Statusleiste. Fehlerelemente sind im Vergleich zu anderen Statusleisteneinträgen hervorgehoben, um auf Fehlerbedingungen hinzuweisen. Die Statusleiste wird unten im Fenster angezeigt.",
+ "activityBarBackground": "Hintergrundfarbe der Aktivitätsleiste. Die Aktivitätsleiste wird ganz links oder rechts angezeigt und ermöglicht das Wechseln zwischen verschiedenen Ansichten der Seitenleiste.",
+ "activityBarForeground": "Vordergrundfarbe für aktive Elemente der Aktivitätsleiste. Die Aktivitätsleiste wird ganz links oder rechts angezeigt und ermöglicht den Wechsel zwischen den Ansichten der Seitenleiste.",
+ "activityBarInActiveForeground": "Vordergrundfarbe für inaktive Elemente der Aktivitätsleiste. Die Aktivitätsleiste wird ganz links oder rechts angezeigt und ermöglicht den Wechsel zwischen den Ansichten der Seitenleiste.",
+ "activityBarBorder": "Rahmenfarbe der Aktivitätsleiste für die Abtrennung von der Seitenleiste. Die Aktivitätsleiste wird ganz links oder rechts angezeigt und ermöglicht das Wechseln zwischen verschiedenen Ansichten der Seitenleiste.",
+ "activityBarActiveBorder": "Rahmenfarbe der Aktivitätsleiste für das aktive Element. Die Aktivitätsleiste wird ganz links oder rechts angezeigt und ermöglicht den Wechsel zwischen den Ansichten der Seitenleiste.",
+ "activityBarActiveFocusBorder": "Rahmenfarbe des Aktivitätsleistenfokus für das aktive Element – die Aktivitätsleiste wird ganz links oder ganz rechts angezeigt und ermöglicht einen Ansichtswechsel für die Seitenleiste.",
+ "activityBarActiveBackground": "Hintergrundfarbe der Aktivitätsleiste für das aktive Element. Die Aktivitätsleiste wird ganz links oder rechts angezeigt und ermöglicht den Wechsel zwischen den Ansichten der Seitenleiste.",
+ "activityBarDragAndDropBorder": "Drag & Drop-Feedbackfarbe für Elemente der Aktivitätsleiste. Die Aktivitätsleiste wird ganz links oder ganz rechts angezeigt und ermöglicht den Wechsel zwischen Ansichten der Seitenleiste.",
+ "activityBarBadgeBackground": "Hintergrundfarbe für Aktivitätsinfobadge. Die Aktivitätsleiste wird ganz links oder ganz rechts angezeigt und ermöglicht den Wechsel zwischen Ansichten der Seitenleiste.",
+ "activityBarBadgeForeground": "Vordergrundfarbe für Aktivitätsinfobadge. Die Aktivitätsleiste wird ganz links oder ganz rechts angezeigt und ermöglicht den Wechsel zwischen Ansichten der Seitenleiste.",
+ "statusBarItemHostBackground": "Hintergrundfarbe für die Remoteanzeige auf der Statusleiste",
+ "statusBarItemHostForeground": "Vordergrundfarbe für die Remoteanzeige auf der Statusleiste",
+ "extensionBadge.remoteBackground": "Hintergrundfarbe für den Remote-Badge in der Erweiterungsansicht.",
+ "extensionBadge.remoteForeground": "Vordergrundfarbe für den Remote-Badge in der Erweiterungsansicht.",
+ "sideBarBackground": "Hintergrundfarbe der Seitenleiste. Die Seitenleiste ist der Container für Ansichten wie den Explorer und die Suche.",
+ "sideBarForeground": "Vordergrundfarbe der Seitenleiste. Die Seitenleiste ist der Container für Ansichten wie den Explorer und die Suche.",
+ "sideBarBorder": "Rahmenfarbe der Seitenleiste zum Abtrennen an der Seite zum Editor. Die Seitenleiste ist der Container für Ansichten wie den Explorer und die Suche.",
+ "sideBarTitleForeground": "Vordergrundfarbe des Seitenleistentitels. Die Seitenleiste ist der Container für Ansichten wie den Explorer und die Suche.",
+ "sideBarDragAndDropBackground": "Drag & Drop-Feedbackfarbe für die Abschnitte der Randleiste. Die Farbe sollte transparent sein, damit die Abschnitte der Randleiste weiterhin sichtbar sind. Die Randleiste ist der Container für Ansichten wie den Explorer und die Suche. Randleistenabschnitte sind Ansichten, die innerhalb der Randleiste geschachtelt sind.",
+ "sideBarSectionHeaderBackground": "Hintergrundfarbe für Überschriften von Randleistenabschnitten. Die Randleiste ist der Container für Ansichten wie den Explorer und die Suche. Randleistenabschnitte sind Ansichten, die innerhalb der Randleiste geschachtelt sind.",
+ "sideBarSectionHeaderForeground": "Vordergrundfarbe für Überschriften von Randleistenabschnitten. Die Randleiste ist der Container für Ansichten wie den Explorer und die Suche. Randleistenabschnitte sind Ansichten, die innerhalb der Randleiste geschachtelt sind.",
+ "sideBarSectionHeaderBorder": "Rahmenfarbe für Überschriften von Randleistenabschnitten. Die Randleiste ist der Container für Ansichten wie den Explorer und die Suche. Randleistenabschnitte sind Ansichten, die innerhalb der Randleiste geschachtelt sind.",
+ "titleBarActiveForeground": "Vordergrund der Titelleiste bei aktivem Fenster.",
+ "titleBarInactiveForeground": "Vordergrund der Titelleiste bei inaktivem Fenster.",
+ "titleBarActiveBackground": "Hintergrund der Titelleiste bei aktivem Fenster.",
+ "titleBarInactiveBackground": "Hintergrund der Titelleiste bei inaktivem Fenster.",
+ "titleBarBorder": "Rahmenfarbe der Titelleiste.",
+ "menubarSelectionForeground": "Vordergrundfarbe des ausgewählten Menüelements in der Menüleiste.",
+ "menubarSelectionBackground": "Hintergrundfarbe des ausgewählten Menüelements in der Menüleiste.",
+ "menubarSelectionBorder": "Rahmenfarbe des ausgewählten Menüelements in der Menüleiste.",
+ "notificationCenterBorder": "Rahmenfarbe der Benachrichtigungszentrale. Benachrichtigungen werden unten rechts eingeblendet.",
+ "notificationToastBorder": "Rahmenfarbe der Popupbenachrichtigung. Benachrichtigungen werden unten rechts eingeblendet.",
+ "notificationsForeground": "Vordergrundfarbe für Benachrichtigungen. Benachrichtigungen werden unten rechts eingeblendet.",
+ "notificationsBackground": "Hintergrundfarbe für Benachrichtigungen. Benachrichtigungen werden unten rechts eingeblendet.",
+ "notificationsLink": "Vordergrundfarbe für Benachrichtigungslinks. Benachrichtigungen werden unten rechts eingeblendet.",
+ "notificationCenterHeaderForeground": "Vordergrundfarbe für Kopfzeile der Benachrichtigungszentrale. Benachrichtigungen werden unten rechts eingeblendet.",
+ "notificationCenterHeaderBackground": "Hintergrundfarbe für Kopfzeile der Benachrichtigungszentrale. Benachrichtigungen werden unten rechts eingeblendet.",
+ "notificationsBorder": "Rahmenfarbe für Benachrichtigungen zum Trennen von anderen Benachrichtigungen in der Benachrichtigungszentrale. Benachrichtigungen werden unten rechts eingeblendet.",
+ "notificationsErrorIconForeground": "Die Farbe, die für das Symbol von Fehlerbenachrichtigungen verwendet wird. Benachrichtigungen werden von der unteren rechten Seite des Fensters eingeblendet.",
+ "notificationsWarningIconForeground": "Die Farbe, die für das Symbol für Warnbenachrichtigungen verwendet wird. Benachrichtigungen werden von der unteren rechten Seite des Fensters eingeblendet.",
+ "notificationsInfoIconForeground": "Die Farbe, die für das Symbol von Infobenachrichtigungen verwendet wird. Benachrichtigungen werden von der unteren rechten Seite des Fensters eingeblendet.",
+ "windowActiveBorder": "Die Farbe, die für den Rahmen des Fensters verwendet wird, wenn es aktiv ist. Diese Option wird nur im Desktopclient unterstützt, wenn die benutzerdefinierte Titelleiste verwendet wird.",
+ "windowInactiveBorder": "Die Farbe, die für den Rahmen des Fensters verwendet wird, wenn es inaktiv ist. Diese Option wird nur im Desktopclient unterstützt, wenn die benutzerdefinierte Titelleiste verwendet wird."
+ },
+ "vs/workbench/common/editor": {
+ "sideBySideLabels": "{0} – {1}",
+ "preview": "{0}, Vorschau",
+ "pinned": "{0}, angeheftet"
+ },
+ "vs/workbench/common/views": {
+ "testViewIcon": "Ansichtssymbol der Testansicht.",
+ "defaultViewIcon": "Standardansichtssymbol.",
+ "duplicateId": "Eine Ansicht mit der ID {0} ist bereits registriert."
+ },
+ "vs/workbench/api/common/extHostExtensionService": {
+ "extensionTestError": "Der Pfad \"{0}\" verweist nicht auf einen gültigen Test Runner für eine Erweiterung."
+ },
+ "vs/workbench/api/common/extHostTerminalService": {
+ "launchFail.idMissingOnExtHost": "Das Terminal mit der ID {0} wurde auf dem Erweiterungshost nicht gefunden."
+ },
+ "vs/workbench/api/common/extHostWorkspace": {
+ "updateerror": "Die Erweiterung \"{0}\" konnte die Arbeitsbereichsordner nicht aktualisieren: {1}"
+ },
+ "vs/workbench/browser/workbench.contribution": {
+ "workbench.editor.titleScrollbarSizing.default": "Die Standardgröße.",
+ "workbench.editor.titleScrollbarSizing.large": "Vergrößert das Objekt, sodass es leichter mit der Maus erfasst werden kann",
+ "tabScrollbarHeight": "Legt die Höhe der Scrollleisten fest, die für Registerkarten und Breadcrumbs im Editor-Titelbereich verwendet werden.",
+ "showEditorTabs": "Steuert, ob geöffnete Editoren in Registerkarten angezeigt werden sollen.",
+ "scrollToSwitchTabs": "Steuert, ob Registerkarten beim Scrollen geöffnet werden oder nicht. Standardmäßig werden Registerkarten beim Scrollen nur angezeigt, aber nicht geöffnet. Sie können beim Scrollen die UMSCHALTTASTE gedrückt halten, um dieses Verhalten für die Dauer des Vorgangs zu ändern. Dieser Wert wird ignoriert, wenn \"#workbench.editor.showTabs#\" auf FALSE festgelegt ist.",
+ "highlightModifiedTabs": "Steuert, ob geänderte Registerkarten durch eine Rahmenlinie oben gekennzeichnet werden. Dieser Wert wird ignoriert, wenn \"#workbench.editor.showTabs#\" auf FALSE festgelegt ist.",
+ "workbench.editor.labelFormat.default": "Den Namen der Datei anzeigen. Wenn Registerkarten aktiviert sind und zwei Dateien in einer Gruppe den gleichen Namen haben, werden die unterscheidenden Elemente des Pfads jeder Datei hinzugefügt. Wenn Registerkarten deaktiviert sind, wird der relative Pfad zum Ordner des Arbeitsbereichs angezeigt, wenn der Editor aktiv ist.",
+ "workbench.editor.labelFormat.short": "Den Namen der Datei gefolgt vom Verzeichnisnamen anzeigen.",
+ "workbench.editor.labelFormat.medium": "Den Namen der Datei gefolgt vom relativen Pfad zum Ordner des Arbeitsbereichs anzeigen.",
+ "workbench.editor.labelFormat.long": "Den Namen der Datei gefolgt vom absoluten Pfad anzeigen.",
+ "tabDescription": "Steuert das Format der Bezeichnung für einen Editor.",
+ "workbench.editor.untitled.labelFormat.content": "Der Name der unbenannten Datei wird vom Inhalt der ersten Zeile abgeleitet, es sei denn, sie verfügt über einen zugeordneten Dateipfad. Es wird auf den Namen zurückgegriffen, falls die Zeile leer ist oder keine Wortzeichen enthält.",
+ "workbench.editor.untitled.labelFormat.name": "Der Name der unbenannten Datei wird nicht vom Inhalt der Datei abgeleitet.",
+ "untitledLabelFormat": "Steuert das Format der Bezeichnung für einen unbenannten Editor.",
+ "editorTabCloseButton": "Steuert die Position der Schaltflächen zum Schließen der Registerkarten des Editors oder deaktiviert sie, wenn die Einstellung auf \"off\" festgelegt ist. Dieser Wert wird ignoriert, wenn \"#workbench.editor.showTabs#\" auf FALSE festgelegt ist.",
+ "workbench.editor.tabSizing.fit": "Registerkarten immer so groß darstellen, dass die vollständige Editor-Bezeichnung angezeigt wird.",
+ "workbench.editor.tabSizing.shrink": "Registerkarten verkleinern, wenn der verfügbare Platz nicht ausreicht, um alle Registerkarten gleichzeitig anzuzeigen.",
+ "tabSizing": "Steuert die Größe der Registerkarten des Editors. Dieser Wert wird ignoriert, wenn \"#workbench.editor.showTabs#\" auf FALSE festgelegt ist.",
+ "workbench.editor.pinnedTabSizing.normal": "Eine angeheftete Registerkarte erbt die Darstellung nicht angehefteter Registerkarten.",
+ "workbench.editor.pinnedTabSizing.compact": "Eine angeheftete Registerkarte wird in kompakter Form nur als Symbol oder mit dem ersten Buchstaben des Editornamens angezeigt.",
+ "workbench.editor.pinnedTabSizing.shrink": "Eine angeheftete Registerkarte wird auf eine kompakte festgelegte Größe verkleinert, die Teile des Editornamens anzeigt.",
+ "pinnedTabSizing": "Steuert die Größe der angehefteten Editor-Registerkarten. Angeheftete Registerkarten werden an den Anfang aller geöffneten Registerkarten sortiert und normalerweise erst geschlossen, wenn sie wieder gelöst werden. Dieser Wert wird ignoriert, wenn \"#workbench.editor.showTabs#\" auf FALSE festgelegt ist.",
+ "workbench.editor.splitSizingDistribute": "Teilt alle Editor-Gruppen gleichmäßig auf",
+ "workbench.editor.splitSizingSplit": "Teilt die aktive Editor-Gruppe gleichmäßig auf",
+ "splitSizing": "Legt die Größe von Editor-Gruppen beim Aufteilen fest",
+ "splitOnDragAndDrop": "Steuert, ob Editor-Gruppen durch Drag & Drop-Vorgänge geteilt werden können, indem ein Editor oder eine Datei auf den Rändern des Editor-Bereichs abgelegt wird.",
+ "focusRecentEditorAfterClose": "Steuert, ob Tabs in der zuletzt verwendeten Reihenfolge oder von links nach rechts geschlossen werden.",
+ "showIcons": "Steuert, ob geöffnete Editoren mit einem Symbol angezeigt werden sollen. Dafür muss zusätzlich ein Dateisymboldesign aktiviert sein.",
+ "enablePreview": "Steuert, ob geöffnete Editoren als Vorschau angezeigt werden sollen. Vorschau-Editoren bleiben nicht geöffnet und werden wiederverwendet, bis explizit festgelegt wird, dass sie geöffnet bleiben sollen (z. B. per Doppelklick oder durch Bearbeiten). Sie werden mit kursivem Schriftschnitt angezeigt.",
+ "enablePreviewFromQuickOpen": "Steuert, ob Editoren über Quick Open als Vorschau angezeigt werden sollen. Vorschau-Editoren bleiben nicht geöffnet und werden wiederverwendet, bis explizit festgelegt wird, dass sie geöffnet bleiben sollen (z. B. per Doppelklick oder durch Bearbeiten).",
+ "closeOnFileDelete": "Steuert, ob Editoren, die eine Datei anzeigen, die während der Sitzung geöffnet war, automatisch geschlossen werden sollen, wenn diese von einem anderen Prozess umbenannt oder gelöscht wird. Wenn Sie diese Option deaktivieren, bleibt der Editor bei einem solchen Ereignis geöffnet. Bei Löschvorgängen innerhalb der Anwendung wird der Editor immer geschlossen, und geänderte Dateien werden nie geschlossen, damit Ihre Daten nicht verloren gehen.",
+ "editorOpenPositioning": "Steuert, wo Editoren geöffnet werden. Wählen Sie \"Links\" oder \"Rechts\" aus, um Editoren links oder rechts vom aktuellen aktiven Editor zu öffnen. Wählen Sie \"Erster\" oder \"Letzter\" aus, um Editoren unabhängig vom aktuell aktiven Editor zu öffnen.",
+ "sideBySideDirection": "Steuert die Standardrichtung von Editoren, die nebeneinander geöffnet werden (beispielsweise über den Explorer). Standardmäßig werden Editoren rechts neben dem derzeit aktiven Editor geöffnet. Wenn Sie diese Option in \"Unten\" ändern, werden Editoren unterhalb des derzeit aktiven Editors geöffnet.",
+ "closeEmptyGroups": "Steuert das Verhalten leerer Editor-Gruppen, wenn die letzte Registerkarte in der Gruppe geschlossen wird. Ist diese Option aktiviert, werden leere Gruppen automatisch geschlossen. Ist sie deaktiviert, bleiben leere Gruppen Teil des Rasters.",
+ "revealIfOpen": "Steuert, ob ein geöffneter Editor in einer der sichtbaren Gruppen angezeigt wird. Ist diese Option deaktiviert, wird ein Editor vorzugsweise in der aktuell aktiven Editorgruppe geöffnet. Ist diese Option aktiviert, wird ein bereits geöffneter Editor angezeigt und nicht in der aktuell aktiven Editorgruppe noch mal geöffnet. In einigen Fällen wird diese Einstellung ignoriert, z.B. wenn das Öffnen eines Editors in einer bestimmten Gruppe oder neben der aktuell aktiven Gruppe erzwungen wird.",
+ "mouseBackForwardToNavigate": "Navigieren Sie zwischen geöffneten Dateien mit der vierten und fünften Maustaste, falls vorhanden.",
+ "restoreViewState": "Hiermit wird der letzte Zustand der Ansicht (z. B. Scrollposition) wiederhergestellt, wenn Text-Editoren nach dem Schließen erneut geöffnet werden.",
+ "centeredLayoutAutoResize": "Steuert, ob das zentrierte Layout automatisch auf die maximale Breite skaliert werden soll, wenn mehr als eine Gruppe geöffnet ist. Sobald nur noch eine Gruppe geöffnet ist, wird auf die ursprüngliche zentrierte Breite zurück skaliert.",
+ "limitEditorsEnablement": "Steuert, ob die Anzahl der geöffneten Editoren begrenzt werden soll oder nicht. Wenn diese Option aktiviert ist, werden ältere Editorfenster, deren Inhalt nicht gespeichert wurde, geschlossen, um Platz für neu geöffnete Editoren zu schaffen.",
+ "limitEditorsMaximum": "Steuert die maximale Anzahl geöffneter Editoren. Verwenden Sie die Einstellung \"#workbench.editor.limit.perEditorGroup'', um diesen Grenzwert pro Editor-Gruppe oder über alle Gruppen hinweg zu steuern.",
+ "perEditorGroup": "Steuert, ob die zulässige Höchstzahl geöffneter Editoren pro Editorgruppe oder für alle gleichzeitig gilt.",
+ "commandHistory": "Steuert, ob die Anzahl zuletzt verwendeter Befehle im Verlauf für die Befehlspalette gespeichert wird. Legen Sie diese Option auf 0 fest, um den Befehlsverlauf zu deaktivieren.",
+ "preserveInput": "Steuert, ob die letzte Eingabe in die Befehlspalette beim nächsten Öffnen wiederhergestellt wird.",
+ "closeOnFocusLost": "Steuert, ob Quick Open automatisch geschlossen werden soll, sobald das Feature den Fokus verliert.",
+ "workbench.quickOpen.preserveInput": "Steuert, ob die letzte Eingabe in Quick Open beim nächsten Öffnen wiederhergestellt werden soll.",
+ "openDefaultSettings": "Steuert, ob beim Öffnen der Einstellungen auch ein Editor geöffnet wird, der alle Standardeinstellungen anzeigt.",
+ "useSplitJSON": "Steuert, ob der geteilte JSON-Editor verwendet wird, wenn Einstellungen als JSON bearbeitet werden.",
+ "openDefaultKeybindings": "Steuert, ob beim Öffnen der Einstellungen für Tastenzuordnungen auch ein Editor geöffnet wird, der alle Standardtastenzuordnungen anzeigt.",
+ "sideBarLocation": "Steuert die Position der Seitenleiste und der Aktivitätsleiste. Sie können entweder links oder rechts der Workbench angezeigt werden.",
+ "panelDefaultLocation": "Steuert die Standardposition des Panels (Terminal, Debugging-Konsole, Ausgabe, Probleme). Er kann entweder rechts, links oder unter der Workbench angezeigt werden.",
+ "panelOpensMaximized": "Steuert, ob das Panel maximiert geöffnet wird. Das Panel kann entweder immer maximiert, nie maximiert oder im letzten Zustand vor dem Schließen geöffnet werden.",
+ "workbench.panel.opensMaximized.always": "Hiermit wird das Panel beim Öffnen immer maximiert.",
+ "workbench.panel.opensMaximized.never": "Hiermit wird das Panel beim Öffnen niemals maximiert. Das Panel wird im nicht maximierten Zustand geöffnet.",
+ "workbench.panel.opensMaximized.preserve": "Hiermit wird das Panel in dem Zustand geöffnet, in dem es sich vor dem Schließen befand.",
+ "statusBarVisibility": "Steuert die Sichtbarkeit der Statusleiste im unteren Bereich der Workbench.",
+ "activityBarVisibility": "Steuert die Sichtbarkeit der Aktivitätsleiste in der Workbench.",
+ "activityBarIconClickBehavior": "Steuert das Verhalten beim Klicken auf ein Aktivitätsleistensymbol in der Workbench.",
+ "workbench.activityBar.iconClickBehavior.toggle": "Blendet die Randleiste aus, wenn das Element, auf das geklickt wird, bereits sichtbar ist.",
+ "workbench.activityBar.iconClickBehavior.focus": "Setzt den Fokus auf die Randleiste, wenn das Element, auf das geklickt wird, bereits sichtbar ist.",
+ "viewVisibility": "Steuert die Sichtbarkeit von Headeraktionen. Headeraktionen können immer sichtbar sein oder nur sichtbar sein, wenn diese Ansicht den Fokus hat oder mit der Maus darauf gezeigt wird.",
+ "fontAliasing": "Steuert die Schriftartaliasingmethode in der Workbench.",
+ "workbench.fontAliasing.default": "Subpixel-Schriftartglättung. Auf den meisten Nicht-Retina-Displays wird Text bei dieser Einstellung am schärfsten dargestellt.",
+ "workbench.fontAliasing.antialiased": "Glättet die Schriftart auf der Pixelebene (im Gegensatz zur Subpixelebene). Bei dieser Einstellung kann die Schriftart insgesamt heller wirken.",
+ "workbench.fontAliasing.none": "Deaktiviert die Schriftartglättung. Text wird mit gezackten scharfen Kanten dargestellt.",
+ "workbench.fontAliasing.auto": "Wendet ausgehend vom DPI der Anzeige automatisch \"default\" oder \"antialiased\" an.",
+ "settings.editor.ui": "Einstellungs-Editor für die Benutzeroberfläche verwenden.",
+ "settings.editor.json": "JSON-Datei-Editor verwenden",
+ "settings.editor.desc": "Legt fest, welcher Einstellungs-Editor standardmäßig verwendet wird.",
+ "windowTitle": "Steuert den Fenstertitel abhängig vom aktiven Editor. Variablen werden abhängig vom Kontext ersetzt:",
+ "activeEditorShort": "`${activeEditorShort}`: der Dateiname (z. B. myFile.txt).",
+ "activeEditorMedium": "`${activeEditorMedium}`: der Pfad der Datei, in Relation zum Arbeitsbereichsordner (z. B. myFolder/myFileFolder/myFile.txt).",
+ "activeEditorLong": "\"${activeEditorLong}\": der vollständige Pfad der Datei (z. B. /Users/Development/myFolder/myFileFolder/myFile.txt).",
+ "activeFolderShort": "`${activeFolderShort}`: der Name des Ordners, der die Datei enthält (z. B. myFileFolder).",
+ "activeFolderMedium": "\"${activeFolderMedium}\": der Pfad des Ordners, der die Datei enthält, relativ zum Arbeitsbereich (z.B. myFolder/myFileFolder).",
+ "activeFolderLong": "`${activeFolderLong}`: der vollständige Pfad des Ordners, der die Datei enthält (z. B. /Users/Development/myFolder/myFileFolder).",
+ "folderName": "\"${folderName}\": der Name des Arbeitsbereichsordners, der die Datei enthält (z.B. myFolder).",
+ "folderPath": "\"${folderPath}\": der Name des Arbeitsbereichsordners, der die Datei enthält (z.B. /Users/Development/myFolder).",
+ "rootName": "`${rootName}`: Name des Arbeitsbereichs (z. B. myFolder oder myWorkspace).",
+ "rootPath": "`${rootPath}`: Dateipfad des Arbeitsbereichs (z. B. /Users/Development/myWorkspace).",
+ "appName": "`${appName}`: z. B. VS Code.",
+ "remoteName": "`${remoteName}`: z.B. SSH",
+ "dirty": "`${dirty}`: ein geänderter Indikator, wenn der aktive Editor geändert wurde.",
+ "separator": "`${separator}`: ein bedingtes Trennzeichen(\" - \"), das nur in der Umgebung von Variablen mit Werten oder statischem Text angezeigt wird.",
+ "windowConfigurationTitle": "Fenster",
+ "window.titleSeparator": "Trennzeichen, das von \"window.title\" verwendet wird.",
+ "window.menuBarVisibility.default": "Das Menü ist nur im Vollbildmodus ausgeblendet.",
+ "window.menuBarVisibility.visible": "Das Menu wird immer angezeigt, auch im Vollbildmodus.",
+ "window.menuBarVisibility.toggle": "Das Menu ist ausgeblendet, kann aber mit der Alt-Taste angezeigt werden.",
+ "window.menuBarVisibility.hidden": "Das Menü ist immer ausgeblendet.",
+ "window.menuBarVisibility.compact": "Das Menü wird als kompakte Schaltfläche in der Seitenleiste angezeigt. Dieser Wert wird ignoriert, wenn \"window.titleBarStyle\" auf \"native\" festgelegt ist.",
+ "menuBarVisibility": "Steuert die Sichtbarkeit der Menüleiste. Die Einstellung \"Umschalten\" bedeutet, dass die Menüleiste durch einfaches Betätigen der ALT-Taste angezeigt und ausgeblendet wird. Die Menüleite wird standardmäßig angezeigt, sofern sich das Fenster nicht im Vollbildmodus befindet.",
+ "enableMenuBarMnemonics": "Steuert, ob die Hauptmenüs über ALT-Tastenkombinationen geöffnet werden können. Durch das Deaktivieren von Kürzeln können diese ALT-Tastenkombinationen stattdessen an Editorbefehle gebunden werden.",
+ "customMenuBarAltFocus": "Steuert, ob der Fokus durch Drücken der ALT-TASTE auf die Menüleiste verschoben wird. Diese Einstellung hat keinen Einfluss auf das Umschalten der Menüleiste mit der ALT-TASTE.",
+ "window.openFilesInNewWindow.on": "Dateien werden in einem neuen Fenster geöffnet.",
+ "window.openFilesInNewWindow.off": "Dateien werden im Fenster mit dem geöffneten Dateiordner oder im letzten aktiven Fenster geöffnet.",
+ "window.openFilesInNewWindow.defaultMac": "Dateien werden im Fenster mit dem geöffneten Dateiordner oder im letzten aktiven Fenster geöffnet, sofern sie nicht über das Dock oder den Finder geöffnet werden.",
+ "window.openFilesInNewWindow.default": "Dateien werden in einem neuen Fenster geöffnet, sofern sie nicht innerhalb der Anwendung ausgewählt werden (z.B. über das Dateimenü).",
+ "openFilesInNewWindowMac": "Steuert, ob Dateien in einem neuen Fenster geöffnet werden sollen. \r\nBeachten Sie, dass diese Einstellung in einigen Fällen möglicherweise ignoriert wird (z. B. bei Verwendung der Befehlszeilenoption \"--new-window\" oder \"--reuse-window\").",
+ "openFilesInNewWindow": "Steuert, ob Dateien in einem neuen Fenster geöffnet werden sollen.\r\nBeachten Sie, dass diese Einstellung in einigen Fällen möglicherweise ignoriert wird (z. B. bei Verwendung der Befehlszeilenoption \"--new-window\" oder \"--reuse-window\").",
+ "window.openFoldersInNewWindow.on": "Ordner werden in einem neuen Fenster geöffnet.",
+ "window.openFoldersInNewWindow.off": "Ordner ersetzen das letzte aktive Fenster.",
+ "window.openFoldersInNewWindow.default": "Ordner werden in einem neuen Fenster geöffnet, sofern kein Ordner innerhalb der Anwendung ausgewählt wird (z.B. über das Dateimenü).",
+ "openFoldersInNewWindow": "Steuert, ob Ordner in einem neuen Fenster geöffnet werden oder das letzte aktive Fenster ersetzen sollen.\r\nBeachten Sie, dass diese Einstellung in einigen Fällen möglicherweise ignoriert wird (z. B. bei Verwendung der Befehlszeilenoption \"--new-window\" oder \"--reuse-window\").",
+ "window.confirmBeforeClose.always": "Hiermit wird nach Möglichkeit immer eine Bestätigung angefordert. Beachten Sie, dass das Browserfenster oder eine Registerkarte möglicherweise dennoch ohne Bestätigung geschlossen wird.",
+ "window.confirmBeforeClose.keyboardOnly": "Hiermit wird nur dann eine Bestätigung angefordert, wenn eine Tastenzuordnung erkannt wurde. Beachten Sie, dass die Erkennung in einigen Fällen nicht möglich ist.",
+ "window.confirmBeforeClose.never": "Nur bei drohendem Datenverlust explizit eine Bestätigung anfordern",
+ "confirmBeforeCloseWeb": "Steuert, ob vor dem Schließen des Browserfensters oder einer Registerkarte ein Bestätigungsdialogfeld angezeigt wird. Hinweis: Selbst wenn diese Option aktiviert ist, wird das Browserfenster oder eine Registerkarte darin möglicherweise ohne Bestätigung geschlossen. Diese Einstellung ist nur ein Hinweis, der nicht in allen Fällen angewendet wird.",
+ "zenModeConfigurationTitle": "Zen-Modus",
+ "zenMode.fullScreen": "Steuert, ob die Workbench durch das Aktivieren des Zen-Modus in den Vollbildmodus wechselt.",
+ "zenMode.centerLayout": "Steuert, ob das Layout durch Aktivieren des Zen-Modus ebenfalls zentriert wird.",
+ "zenMode.hideTabs": "Steuert, ob die Workbench-Registerkarten durch Aktivieren des Zen-Modus ebenfalls ausgeblendet werden.",
+ "zenMode.hideStatusBar": "Steuert, ob die Statusleiste im unteren Bereich der Workbench durch Aktivieren des Zen-Modus ebenfalls ausgeblendet wird.",
+ "zenMode.hideActivityBar": "Hiermit wird gesteuert, ob die Aktivitätsleiste im linken oder rechten Bereich der Workbench durch Aktivieren des Zen-Modus ebenfalls ausgeblendet wird.",
+ "zenMode.hideLineNumbers": "Steuert, ob durch Aktivieren des Zen-Modus auch die Zeilennummern im Editor ausgeblendet werden.",
+ "zenMode.restore": "Steuert, ob ein Fenster im Zen-Modus wiederhergestellt werden soll, wenn es im Zen-Modus beendet wurde.",
+ "zenMode.silentNotifications": "Legt fest, ob im Zenmodus Benachrichtigungen angezeigt werden. Wenn \"true\" festgelegt ist, werden nur Fehlerbenachrichtigungen angezeigt."
+ },
+ "vs/workbench/browser/actions/textInputActions": {
+ "undo": "Rückgängig",
+ "redo": "Wiederholen",
+ "cut": "Ausschneiden",
+ "copy": "Kopieren",
+ "paste": "Einfügen",
+ "selectAll": "Alle auswählen"
+ },
+ "vs/workbench/browser/actions/developerActions": {
+ "inspect context keys": "Kontextschlüssel prüfen",
+ "toggle screencast mode": "Screencastmodus umschalten",
+ "logStorage": "Inhalt der Speicherdatenbank protokollieren",
+ "logWorkingCopies": "Arbeitskopien protokollieren",
+ "screencastModeConfigurationTitle": "Screencastmodus",
+ "screencastMode.location.verticalPosition": "Steuert den vertikalen Offset der Überlagerung des Screencast-Modus von unten als Prozentsatz der Workbenchhöhe.",
+ "screencastMode.fontSize": "Steuert die Schriftgröße (in Pixeln) der Tastatur im Screencastmodus.",
+ "screencastMode.onlyKeyboardShortcuts": "Hiermit werden Tastenkombinationen nur im Screencastmodus angezeigt.",
+ "screencastMode.keyboardOverlayTimeout": "Steuert den Zeitraum (in Millisekunden), für den die Tastaturüberlagerung im Screencastmodus angezeigt wird.",
+ "screencastMode.mouseIndicatorColor": "Steuert im Screencastmodus die Farbe des Mauszeigers im Hexadezimalformat (#RGB, #RGBA, #RRGGBB oder #RRGGBBAA).",
+ "screencastMode.mouseIndicatorSize": "Steuert die Größe der Mausanzeige im Screencastmodus (in Pixel)."
+ },
+ "vs/workbench/browser/actions/helpActions": {
+ "keybindingsReference": "Referenz für Tastenkombinationen",
+ "openDocumentationUrl": "Dokumentation",
+ "openIntroductoryVideosUrl": "Einführungsvideos",
+ "openTipsAndTricksUrl": "Tipps und Tricks",
+ "newsletterSignup": "Abonnieren Sie den VS Code-Newsletter.",
+ "openTwitterUrl": "Folgen Sie uns auf Twitter",
+ "openUserVoiceUrl": "Featureanforderungen suchen",
+ "openLicenseUrl": "Lizenz anzeigen",
+ "openPrivacyStatement": "Datenschutzbestimmungen",
+ "miDocumentation": "&&Dokumentation",
+ "miKeyboardShortcuts": "&&Referenz für Tastenkombinationen",
+ "miIntroductoryVideos": "&&Einführungsvideos",
+ "miTipsAndTricks": "Tipps und Tri&&cks",
+ "miTwitter": "&&Folgen Sie uns auf Twitter",
+ "miUserVoice": "&&Featureanforderungen suchen",
+ "miLicense": "&&Lizenz anzeigen",
+ "miPrivacyStatement": "Daten&&schutzbestimmungen"
+ },
+ "vs/workbench/browser/actions/layoutActions": {
+ "closeSidebar": "Seitenleiste schließen",
+ "toggleActivityBar": "Sichtbarkeit der Aktivitätsleiste umschalten",
+ "miShowActivityBar": "&&Aktivitätsleiste anzeigen",
+ "toggleCenteredLayout": "Zentriertes Layout umschalten",
+ "miToggleCenteredLayout": "&&Zentriertes Layout",
+ "flipLayout": "Zwischen horizontalem und vertikalem Editor-Layout umschalten",
+ "miToggleEditorLayout": "Layout &&spiegeln",
+ "toggleSidebarPosition": "Position der Seitenleiste umschalten",
+ "moveSidebarRight": "Seitenleiste nach rechts verschieben",
+ "moveSidebarLeft": "Seitenleiste nach links verschieben",
+ "miMoveSidebarRight": "&&Seitenleiste nach rechts verschieben",
+ "miMoveSidebarLeft": "&&Seitenleiste nach links verschieben",
+ "toggleEditor": "Sichtbarkeit des Editor-Bereichs umschalten",
+ "miShowEditorArea": "&&Editor-Bereich anzeigen",
+ "toggleSidebar": "Randleistensichtbarkeit umschalten",
+ "miAppearance": "&&Darstellung",
+ "miShowSidebar": "&&Seitenleiste anzeigen",
+ "toggleStatusbar": "Sichtbarkeit der Statusleiste umschalten",
+ "miShowStatusbar": "S&&tatusleiste anzeigen",
+ "toggleTabs": "Registerkartensichtbarkeit umschalten",
+ "toggleZenMode": "Zen-Modus umschalten",
+ "miToggleZenMode": "Zen-Modus",
+ "toggleMenuBar": "Menüleiste umschalten",
+ "miShowMenuBar": "Menü&&leiste anzeigen",
+ "resetViewLocations": "Ansichtspositionen zurücksetzen",
+ "moveView": "Ansicht verschieben",
+ "sidebarContainer": "Seitenleiste/{0}",
+ "panelContainer": "Panel/{0}",
+ "moveFocusedView.selectView": "Wählen Sie die zu verschiebende Ansicht aus.",
+ "moveFocusedView": "Fokussierte Ansicht verschieben",
+ "moveFocusedView.error.noFocusedView": "Derzeit ist keine Ansicht fokussiert.",
+ "moveFocusedView.error.nonMovableView": "Die derzeit fokussierte Ansicht ist nicht verschiebbar.",
+ "moveFocusedView.selectDestination": "Ziel für die Ansicht auswählen",
+ "moveFocusedView.title": "Ansicht \"{0}\" verschieben",
+ "moveFocusedView.newContainerInPanel": "Neuer Paneleintrag",
+ "moveFocusedView.newContainerInSidebar": "Neuer Seitenleisteneintrag",
+ "sidebar": "Seitenleiste",
+ "panel": "Panel",
+ "resetFocusedViewLocation": "Fokussierte Ansichtsposition zurücksetzen",
+ "resetFocusedView.error.noFocusedView": "Derzeit ist keine Ansicht fokussiert.",
+ "increaseViewSize": "Aktuelle Ansicht vergrößern",
+ "increaseEditorWidth": "Editor vergrößern (Breite)",
+ "increaseEditorHeight": "Editor vergrößern (Höhe)",
+ "decreaseViewSize": "Aktuelle Ansicht verkleinern",
+ "decreaseEditorWidth": "Editor verkleinern (Breite)",
+ "decreaseEditorHeight": "Editor verkleinern (Höhe)"
+ },
+ "vs/workbench/browser/actions/navigationActions": {
+ "navigateLeft": "Zur Ansicht auf der linken Seite navigieren",
+ "navigateRight": "Zur Ansicht auf der rechten Seite navigieren",
+ "navigateUp": "Zur Ansicht darüber navigieren",
+ "navigateDown": "Zur Ansicht darunter navigieren",
+ "focusNextPart": "Fokus auf nächsten Teil",
+ "focusPreviousPart": "Fokus auf vorherigen Teil"
+ },
+ "vs/workbench/browser/actions/windowActions": {
+ "remove": "Aus zuletzt geöffneten entfernen",
+ "dirtyRecentlyOpened": "Arbeitsbereich mit geänderten Dateien",
+ "workspaces": "Arbeitsbereiche",
+ "files": "Dateien",
+ "openRecentPlaceholderMac": "Zum Öffnen auswählen (BEFEHLSTASTE gedrückt halten, um ein neues Fenster zu erzwingen, oder ALT-Taste, um dasselbe Fenster zu verwenden)",
+ "openRecentPlaceholder": "Zum Öffnen auswählen (STRG-Taste gedrückt halten, um ein neues Fenster zu erzwingen, oder ALT-Taste, um dasselbe Fenster zu verwenden)",
+ "dirtyWorkspace": "Arbeitsbereich mit geänderten Dateien",
+ "dirtyWorkspaceConfirm": "Möchten Sie den Arbeitsbereich öffnen, um die geänderten Dateien zu überprüfen?",
+ "dirtyWorkspaceConfirmDetail": "Arbeitsbereiche mit geänderten Dateien können erst entfernt werden, wenn alle geänderten Dateien gespeichert oder oder die Änderungen rückgängig gemacht wurden.",
+ "recentDirtyAriaLabel": "{0}, geänderter Arbeitsbereich",
+ "openRecent": "Zuletzt verwendet...",
+ "quickOpenRecent": "Quick Open für zuletzt verwendete Elemente...",
+ "toggleFullScreen": "Vollbild umschalten",
+ "reloadWindow": "Fenster erneut laden",
+ "about": "Info",
+ "newWindow": "Neues Fenster",
+ "blur": "Tastaturfokus von fokussiertem Element entfernen",
+ "file": "Datei",
+ "miConfirmClose": "Vor dem Schließen bestätigen",
+ "miNewWindow": "Neues &&Fenster",
+ "miOpenRecent": "Zuletzt &&verwendete Dateien öffnen",
+ "miMore": "&&Mehr...",
+ "miToggleFullScreen": "&&Vollbild",
+ "miAbout": "&&Info"
+ },
+ "vs/workbench/browser/actions/workspaceActions": {
+ "openFile": "Datei öffnen...",
+ "openFolder": "Ordner öffnen...",
+ "openFileFolder": "Öffnen...",
+ "openWorkspaceAction": "Arbeitsbereich öffnen...",
+ "closeWorkspace": "Arbeitsbereich schließen",
+ "noWorkspaceOpened": "Zurzeit ist kein Arbeitsbereich in dieser Instanz geöffnet, der geschlossen werden kann.",
+ "openWorkspaceConfigFile": "Konfigurationsdatei des Arbeitsbereichs öffnen",
+ "globalRemoveFolderFromWorkspace": "Ordner aus dem Arbeitsbereich entfernen...",
+ "saveWorkspaceAsAction": "Arbeitsbereich speichern unter...",
+ "duplicateWorkspaceInNewWindow": "Duplikat des Arbeitsbereichs in neuem Fenster erstellen",
+ "workspaces": "Arbeitsbereiche",
+ "miAddFolderToWorkspace": "O&&rdner zu Arbeitsbereich hinzufügen...",
+ "miSaveWorkspaceAs": "Arbeitsbereich speichern unter...",
+ "miCloseFolder": "&&Ordner schließen",
+ "miCloseWorkspace": "Arbeitsbereich &&schließen"
+ },
+ "vs/workbench/browser/actions/workspaceCommands": {
+ "addFolderToWorkspace": "Ordner zum Arbeitsbereich hinzufügen...",
+ "add": "&&Hinzufügen",
+ "addFolderToWorkspaceTitle": "Ordner zum Arbeitsbereich hinzufügen",
+ "workspaceFolderPickerPlaceholder": "Arbeitsbereichsordner auswählen"
+ },
+ "vs/workbench/browser/actions/quickAccessActions": {
+ "quickOpen": "Gehe zu Datei...",
+ "quickNavigateNext": "Zum nächsten Element in Quick Open navigieren",
+ "quickNavigatePrevious": "Zum vorherigen Element in Quick Open navigieren",
+ "quickSelectNext": "Nächstes Element in Quick Open auswählen",
+ "quickSelectPrevious": "Vorheriges Element in Quick Open auswählen"
+ },
+ "vs/workbench/api/common/menusExtensionPoint": {
+ "menus.commandPalette": "Die Befehlspalette",
+ "menus.touchBar": "Die Touch Bar (nur macOS)",
+ "menus.editorTitle": "Das Editor-Titelmenü.",
+ "menus.editorContext": "Das Editor-Kontextmenü.",
+ "menus.explorerContext": "Das Kontextmenü des Datei-Explorers.",
+ "menus.editorTabContext": "Das Kontextmenü für die Editor-Registerkarten",
+ "menus.debugCallstackContext": "Das Kontextmenü für die Ansicht der Debugaufrufliste",
+ "menus.debugVariablesContext": "Das Kontextmenü für die Debugvariablenansicht",
+ "menus.debugToolBar": "Das Debug-Symbolleistenmenü",
+ "menus.file": "Das Dateimenü der obersten Ebene",
+ "menus.home": "Kontextmenü für Startseitenindikator (nur Web)",
+ "menus.scmTitle": "Das Titelmenü der Quellcodeverwaltung",
+ "menus.scmSourceControl": "Das Menü \"Quellcodeverwaltung\"",
+ "menus.resourceGroupContext": "Das Ressourcengruppen-Kontextmenü der Quellcodeverwaltung",
+ "menus.resourceStateContext": "Das Ressourcenstatus-Kontextmenü der Quellcodeverwaltung",
+ "menus.resourceFolderContext": "Kontextmenü für den Ressourcenordner der Quellcodeverwaltung",
+ "menus.changeTitle": "Menü für Inlineänderungen der Quellcodeverwaltung",
+ "menus.statusBarWindowIndicator": "Das Fensterindikatormenü in der Statusleiste",
+ "view.viewTitle": "Das beigetragene Editor-Titelmenü.",
+ "view.itemContext": "Das beigetragene Anzeigeelement-Kontextmenü.",
+ "commentThread.title": "Das Titelmenü des Kommentarthreadbeitrags",
+ "commentThread.actions": "Das beigetragene Kommentarthread-Kontextmenü, gerendert als Schaltflächen unterhalb des Kommentar-Editors",
+ "comment.title": "Das beigetragene Titelmenü für Kommentare",
+ "comment.actions": "Das Kontextmenü des Kommentarbeitrags, gerendert als Schaltflächen unter dem Kommentar-Editor",
+ "notebook.cell.title": "Das Zelltitelmenü des hinzugefügten Notebooks",
+ "menus.extensionContext": "Das Erweiterungskontextmenü",
+ "view.timelineTitle": "Das Titelmenü der Zeitleistenansicht",
+ "view.timelineContext": "Das Kontextmenü des Elements der Zeitleistenansicht",
+ "requirestring": "Die Eigenschaft \"{0}\" ist erforderlich und muss den Typ \"string\" aufweisen.",
+ "optstring": "Die Eigenschaft \"{0}\" kann ausgelassen werden oder muss den Typ \"string[]\" aufweisen.",
+ "requirearray": "Untermenüelemente müssen als Array vorliegen.",
+ "require": "Untermenüelemente müssen als Objekt vorliegen.",
+ "vscode.extension.contributes.menuItem.command": "Der Bezeichner des auszuführenden Befehls. Der Befehl muss im Abschnitt \"commands\" deklariert werden.",
+ "vscode.extension.contributes.menuItem.alt": "Der Bezeichner eines alternativ auszuführenden Befehls. Der Befehl muss im Abschnitt \"commands\" deklariert werden.",
+ "vscode.extension.contributes.menuItem.when": "Eine Bedingung, die TRUE lauten muss, damit dieses Element angezeigt wird.",
+ "vscode.extension.contributes.menuItem.group": "Die Gruppe, zu der dieses Element gehört",
+ "vscode.extension.contributes.menuItem.submenu": "Bezeichner des Untermenüs, das in diesem Element angezeigt werden soll.",
+ "vscode.extension.contributes.submenu.id": "Bezeichner des Menüs, das als Untermenü angezeigt werden soll.",
+ "vscode.extension.contributes.submenu.label": "Die Bezeichnung des Menüelements, das zu diesem Untermenü führt.",
+ "vscode.extension.contributes.submenu.icon": "(Optional) Symbol zur Darstellung des Untermenüs in der Benutzeroberfläche. Entweder ein Dateipfad, ein Objekt mit Dateipfaden für dunkle und helle Designs oder ein Designsymbolverweis wie \"\\$(zap)\".",
+ "vscode.extension.contributes.submenu.icon.light": "Symbolpfad, wenn ein helles Design verwendet wird",
+ "vscode.extension.contributes.submenu.icon.dark": "Symbolpfad, wenn ein dunkles Design verwendet wird",
+ "vscode.extension.contributes.menus": "Trägt Menüelemente zum Editor bei.",
+ "proposed": "Vorgeschlagene API",
+ "vscode.extension.contributes.submenus": "Trägt untergeordnete Menüelemente zum Editor bei.",
+ "nonempty": "Es wurde ein nicht leerer Wert erwartet.",
+ "opticon": "Die Eigenschaft \"icon\" kann ausgelassen werden oder muss eine Zeichenfolge oder ein Literal wie \"{dark, light}\" sein.",
+ "requireStringOrObject": "Die Eigenschaft \"{0}\" ist obligatorisch und muss vom Typ \"Zeichenfolge\" oder \"Objekt\" sein.",
+ "requirestrings": "Die Eigenschaften \"{0}\" und \"{1}\" sind obligatorisch und müssen vom Typ \"Zeichenfolge\" sein.",
+ "vscode.extension.contributes.commandType.command": "Der Bezeichner des auszuführenden Befehls.",
+ "vscode.extension.contributes.commandType.title": "Der Titel, durch den der Befehl in der Benutzeroberfläche dargestellt wird.",
+ "vscode.extension.contributes.commandType.category": "(Optionale) Kategoriezeichenfolge, nach der der Befehl in der Benutzeroberfläche gruppiert wird.",
+ "vscode.extension.contributes.commandType.precondition": "(Optional) Diese Bedingung muss als TRUE ausgewertet werden, um den Befehl in der Benutzeroberfläche zu aktivieren (Menü- und Tastenzuordnungen). Die Ausführung des Befehls in anderer Weise, z. B. über \"executeCommand -api\", wird nicht verhindert.",
+ "vscode.extension.contributes.commandType.icon": "(Optional) Symbol, das den Befehl in der Benutzeroberfläche darstellt. Entweder ein Dateipfad, ein Objekt mit Dateipfaden für dunkle und helle Designs oder ein Designsymbolverweis wie ''\\$(zap)\".",
+ "vscode.extension.contributes.commandType.icon.light": "Symbolpfad, wenn ein helles Design verwendet wird",
+ "vscode.extension.contributes.commandType.icon.dark": "Symbolpfad, wenn ein dunkles Design verwendet wird",
+ "vscode.extension.contributes.commands": "Trägt Befehle zur Befehlspalette bei.",
+ "dup": "Der Befehl \"{0}\" ist mehrmals im Abschnitt \"commands\" vorhanden.",
+ "submenuId.invalid.id": "\"{0}\" ist kein gültiger Untermenübezeichner.",
+ "submenuId.duplicate.id": "Das Untermenü \"{0}\" wurde zuvor bereits registriert.",
+ "submenuId.invalid.label": "\"{0}\" ist keine gültige Untermenübezeichnung.",
+ "menuId.invalid": "\"{0}\" ist kein gültiger Menübezeichner.",
+ "proposedAPI.invalid": "{0} ist ein vorgeschlagener Menübezeichner und steht nur über Dev oder den folgenden Befehlszeilenschalter zur Verfügung: --enable-proposed-api {1}",
+ "missing.command": "Das Menüelement verweist auf einen Befehl \"{0}\", der im Abschnitt \"commands\" nicht definiert ist.",
+ "missing.altCommand": "Das Menüelement verweist auf einen Alternativbefehl \"{0}\", der im Abschnitt \"commands\" nicht definiert ist.",
+ "dupe.command": "Das Menüelement verweist auf den gleichen Befehl wie der Standard- und der Alternativbefehl.",
+ "unsupported.submenureference": "Das Menüelement verweist auf ein Untermenü für ein Menü, das keine Unterstützung für Untermenüs bietet.",
+ "missing.submenu": "Das Menüelement verweist auf ein Untermenü \"{0}\", das im Abschnitt \"submenus\" nicht definiert ist.",
+ "submenuItem.duplicate": "Das Untermenü \"{0}\" wurde bereits zum Menü \"{1}\" beigetragen."
+ },
+ "vs/workbench/api/common/configurationExtensionPoint": {
+ "vscode.extension.contributes.configuration.title": "Eine Zusammenfassung der Einstellungen. Diese Bezeichnung wird in der Einstellungsdatei als trennender Kommentar verwendet.",
+ "vscode.extension.contributes.configuration.properties": "Die Beschreibung der Konfigurationseigenschaften.",
+ "vscode.extension.contributes.configuration.property.empty": "Die Eigenschaft darf nicht leer sein.",
+ "scope.application.description": "Eine Konfiguration, die nur in den Benutzereinstellungen konfiguriert werden kann.",
+ "scope.machine.description": "Konfiguration, die nur in den Benutzereinstellungen oder Remoteeinstellungen bearbeitet werden kann.",
+ "scope.window.description": "Konfiguration, die in den Benutzer-, Remote- oder Arbeitsbereichseinstellungen konfiguriert werden kann.",
+ "scope.resource.description": "Konfiguration, die in den Benutzer-, Remote-, Arbeitsbereichs- oder Ordnereinstellungen konfiguriert werden kann.",
+ "scope.language-overridable.description": "Ressourcenkonfiguration, die in den sprachspezifischen Einstellungen konfiguriert werden kann.",
+ "scope.machine-overridable.description": "Computerkonfiguration, die auch in den Arbeitsbereichs- oder Ordnereinstellungen konfiguriert werden kann.",
+ "scope.description": "Bereich, in dem die Konfiguration anwendbar ist. Verfügbare Bereiche sind \"application\" (Anwendung), \"machine\" (Computer), \"window\" (Fenster), \"resource\" (Ressource) und \"machine-overridable\" (Vom Computer überschreibbar).",
+ "scope.enumDescriptions": "Beschreibungen für Enumerationswerte",
+ "scope.markdownEnumDescriptions": "Beschreibungen für Enumerationswerte im Markdown-Format.",
+ "scope.markdownDescription": "Die Beschreibung im Markdown-Format.",
+ "scope.deprecationMessage": "Wenn dies festgelegt ist, wird die Eigenschaft als veraltet markiert, und die angegebene Meldung wird als Erklärung angezeigt.",
+ "scope.markdownDeprecationMessage": "Sofern festgelegt, wird die Eigenschaft als veraltet markiert, und die angegebene Meldung wird als Erläuterung im Markdownformat angezeigt.",
+ "vscode.extension.contributes.defaultConfiguration": "Trägt zu Konfigurationseinstellungen des Standard-Editors für die jeweilige Sprache bei.",
+ "config.property.defaultConfiguration.languageExpected": "Sprachauswahl erwartet (z. B. [\"java\"])",
+ "config.property.defaultConfiguration.warning": "Die Konfigurationsstandardwerte für \"{0}\" können nicht registriert werden. Es werden nur Standardwerte für sprachspezifische Einstellungen unterstützt.",
+ "vscode.extension.contributes.configuration": "Trägt Konfigurationseigenschaften bei.",
+ "invalid.title": "configuration.title muss eine Zeichenfolge sein.",
+ "invalid.properties": "\"configuration.properties\" muss ein Objekt sein.",
+ "invalid.property": "\"configuration.property\" muss ein Objekt sein.",
+ "invalid.allOf": "\"configuration.allOf\" ist veraltet und sollte nicht mehr verwendet werden. Übergeben Sie stattdessen mehrere Konfigurationsabschnitte als Array an den Beitragspunkt \"configuration\".",
+ "workspaceConfig.folders.description": "Liste von Ordnern, die in den Arbeitsbereich geladen werden.",
+ "workspaceConfig.path.description": "Ein Dateipfad, z. B. \"/root/folderA\" oder \"./folderA\" bei einem relativen Pfad, der in Bezug auf den Speicherort der Arbeitsbereichsdatei aufgelöst wird.",
+ "workspaceConfig.name.description": "Ein optionaler Name für den Ordner. ",
+ "workspaceConfig.uri.description": "URI des Ordners",
+ "workspaceConfig.settings.description": "Arbeitsbereichseinstellungen",
+ "workspaceConfig.launch.description": "Arbeitsbereichs-Startkonfigurationen",
+ "workspaceConfig.tasks.description": "Konfigurationen für Arbeitsbereichtasks",
+ "workspaceConfig.extensions.description": "Arbeitsbereichserweiterungen",
+ "workspaceConfig.remoteAuthority": "Der Remoteserver, auf dem sich der Arbeitsbereich befindet. Dieser wird von nicht gespeicherten Remotearbeitsbereichen verwendet.",
+ "unknownWorkspaceProperty": "Unbekannte Arbeitsbereichs-Konfigurationseigenschaft"
+ },
+ "vs/workbench/api/browser/viewsExtensionPoint": {
+ "vscode.extension.contributes.views.containers.id": "Eindeutige ID, die zum Bestimmen des Containers verwendet wird, in dem Ansichten mithilfe des Beitragspunkts \"views\" beigetragen werden können.",
+ "vscode.extension.contributes.views.containers.title": "Visuell lesbare Zeichenfolge zum Rendern des Containers",
+ "vscode.extension.contributes.views.containers.icon": "Pfad zum Containersymbol. Symbole sind 24×24 groß und in einem Rechteck (50×40) zentriert. Die Füllfarbe ist \"rgb(215, 218, 224)\" bzw. \"#d7dae0\". Zwar werden alle Bilddateitypen akzeptiert, es werden jedoch SVG-Symbole empfohlen.",
+ "vscode.extension.contributes.viewsContainers": "Trägt Ansichtencontainer zum Editor bei",
+ "views.container.activitybar": "Trägt Ansichtencontainer zur Aktivitätsleiste bei",
+ "views.container.panel": "Ansichtscontainer zu Panel hinzufügen",
+ "vscode.extension.contributes.view.type": "Dies ist der Typ der Ansicht. Dieser kann entweder \"tree\" für eine strukturbasierte Ansicht oder \"webview\" für eine webbasierte Ansicht sein. Der Standardwert lautet \"tree\".",
+ "vscode.extension.contributes.view.tree": "Die Ansicht wird durch eine mit \"createTreeView\" erstellte TreeView unterstützt.",
+ "vscode.extension.contributes.view.webview": "Die Ansicht wird durch eine WebviewView unterstützt, die über \"registerWebviewViewProvider\" registriert wurde.",
+ "vscode.extension.contributes.view.id": "Bezeichner der Ansicht. Dieser sollte für alle Ansichten eindeutig sein. Es wird empfohlen, Ihre Erweiterungs-ID als Teil der Ansichts-ID zu verwenden. Gehen Sie so vor, um einen Datenanbieter über die API \"vscode.window.registerTreeDataProviderForView\" zu registrieren. Lösen Sie darüber hinaus die Aktivierung Ihrer Erweiterung aus, indem Sie das Ereignis \"onView:${id}\" in \"activationEvents\" registrieren.",
+ "vscode.extension.contributes.view.name": "Der lesbare Name der Sicht. Dieser wird angezeigt.",
+ "vscode.extension.contributes.view.when": "Eine Bedingung, die TRUE lauten muss, damit diese Sicht angezeigt wird.",
+ "vscode.extension.contributes.view.icon": "Pfad zum Ansichtssymbol. Ansichtssymbole werden angezeigt, wenn der Name der Ansicht nicht angezeigt werden kann. Es werden Symbole im SVG-Format empfohlen, obwohl jeder Bilddateityp akzeptiert wird.",
+ "vscode.extension.contributes.view.contextualTitle": "Kontext in lesbarem Format, falls die Ansicht aus ihrem ursprünglichen Speicherort verschoben wird. Standardmäßig wird der Containername der Ansicht verwendet. Wird angezeigt.",
+ "vscode.extension.contributes.view.initialState": "Der anfängliche Zustand der Ansicht bei der ersten Installation der Erweiterung. Sobald der Benutzer den Ansichtszustand durch Zuklappen, Verschieben oder Ausblenden der Ansicht geändert hat, wird der Anfangszustand nicht mehr verwendet.",
+ "vscode.extension.contributes.view.initialState.visible": "Der anfängliche Standardzustand für die Ansicht. In den meisten Containern ist die Ansicht jedoch aufgeklappt. Für einige integrierte Container (\"explorer\", \"scm\" und \"debug\") werden alle beigetragenen Ansichten unabhängig von \"visibility\" zugeklappt angezeigt.",
+ "vscode.extension.contributes.view.initialState.hidden": "Die Ansicht wird nicht im Ansichtscontainer angezeigt, kann jedoch über das Ansichtsmenü und andere Einstiegspunkte für die Ansicht angezeigt und vom Benutzer eingeblendet werden.",
+ "vscode.extension.contributes.view.initialState.collapsed": "Die Ansicht wird im Ansichtscontainer angezeigt, wird jedoch zugeklappt.",
+ "vscode.extension.contributes.view.group": "Geschachtelte Gruppe in Viewlet",
+ "vscode.extension.contributes.view.remoteName": "Der Name des Remote-Typs, der dieser Ansicht zugeordnet ist",
+ "vscode.extension.contributes.views": "Stellt Sichten für den Editor zur Verfügung.",
+ "views.explorer": "Trägt Ansichten zum Explorer-Container in der Aktivitätsleiste bei",
+ "views.debug": "Trägt Ansichten zum Debugging-Container in der Aktivitätsleiste bei",
+ "views.scm": "Trägt Ansichten zum SCM-Container in der Aktivitätsleiste bei",
+ "views.test": "Trägt Ansichten zum Testcontainer in der Aktivitätsleiste bei",
+ "views.remote": "Trägt Ansichten zum Remotecontainer in der Aktivitätsleiste bei. Für Beiträge zu diesem Container muss \"enableProposedApi\" aktiviert sein.",
+ "views.contributed": "Stellt Sichten für den Container mit bereitgestellten Sichten zur Verfügung.",
+ "test": "Test",
+ "viewcontainer requirearray": "Ansichtencontainer müssen ein Array sein",
+ "requireidstring": "Die Eigenschaft \"{0}\" ist erforderlich. Sie muss vom Typ \"string\" sein. Nur alphanumerische Buchstaben sowie \"_\" und \"-\" sind zulässig.",
+ "requirestring": "Die Eigenschaft \"{0}\" ist erforderlich und muss den Typ \"string\" aufweisen.",
+ "showViewlet": "{0} anzeigen",
+ "ViewContainerRequiresProposedAPI": "Damit der Ansichtscontainer \"{0}\" zu \"Remote\" hinzugefügt wird, muss \"enableProposedApi\" aktiviert sein.",
+ "ViewContainerDoesnotExist": "Der Ansichtencontainer \"{0}\" ist nicht vorhanden, und alle für ihn registrierten Ansichten werden zu \"Explorer\" hinzugefügt.",
+ "duplicateView1": "Es ist nicht möglich, mehrere Ansichten mit derselben ID \"{0}\" zu registrieren.",
+ "duplicateView2": "Es ist bereits eine Ansicht mit der ID \"{0}\" registriert.",
+ "unknownViewType": "Unbekannter Ansichtstyp \"{0}\".",
+ "requirearray": "Ansichten müssen als Array vorliegen.",
+ "optstring": "Die Eigenschaft \"{0}\" kann ausgelassen werden oder muss den Typ \"string[]\" aufweisen.",
+ "optenum": "Die Eigenschaft \"{0}\" kann ausgelassen werden oder muss einen dieser Werte aufweisen: {1}"
+ },
+ "vs/workbench/browser/parts/activitybar/activitybarPart": {
+ "settingsViewBarIcon": "Einstellungssymbol in der Ansichtsleiste.",
+ "accountsViewBarIcon": "Kontosymbol in der Ansichtsleiste.",
+ "hideHomeBar": "Startschaltfläche ausblenden",
+ "showHomeBar": "Startschaltfläche anzeigen",
+ "hideMenu": "Menü ausblenden",
+ "showMenu": "Menü anzeigen",
+ "hideAccounts": "Konten ausblenden",
+ "showAccounts": "Konten anzeigen",
+ "hideActivitBar": "Aktivitätsleiste ausblenden",
+ "resetLocation": "Speicherort zurücksetzen",
+ "homeIndicator": "Start",
+ "home": "Start",
+ "manage": "Verwalten",
+ "accounts": "Konten",
+ "focusActivityBar": "Fokus auf Aktivitätsleiste"
+ },
+ "vs/workbench/browser/parts/panel/panelPart": {
+ "hidePanel": "Panel ausblenden",
+ "panel.emptyMessage": "Ziehen Sie eine Ansicht in das Panel, um sie anzuzeigen."
+ },
+ "vs/workbench/browser/parts/sidebar/sidebarPart": {
+ "focusSideBar": "Fokus auf Seitenleiste"
+ },
+ "vs/workbench/browser/parts/statusbar/statusbarPart": {
+ "hide": "\"{0}\" ausblenden",
+ "hideStatusBar": "Statusleiste ausblenden"
+ },
+ "vs/workbench/browser/parts/views/viewsService": {
+ "focus view": "Fokus auf Ansicht \"{0}\"",
+ "resetViewLocation": "Speicherort zurücksetzen"
+ },
+ "vs/workbench/browser/parts/dialogs/dialogHandler": {
+ "yesButton": "&&Ja",
+ "cancelButton": "Abbrechen",
+ "aboutDetail": "Version: {0}\r\nCommit: {1}\r\nDatum: {2}\r\nBrowser: {3}",
+ "copy": "Kopieren",
+ "ok": "OK"
+ },
+ "vs/workbench/electron-sandbox/parts/dialogs/dialogHandler": {
+ "yesButton": "&&Ja",
+ "cancelButton": "Abbrechen",
+ "aboutDetail": "Version: {0}\r\nCommit: {1}\r\nDatum: {2}\r\nElectron: {3}\r\nChrome: {4}\r\nNode.js: {5}\r\nV8: {6}\r\nBetriebssystem: {7}",
+ "okButton": "OK",
+ "copy": "&&Kopieren"
+ },
+ "vs/workbench/electron-sandbox/actions/developerActions": {
+ "toggleDevTools": "Entwicklertools umschalten",
+ "configureRuntimeArguments": "Runtimeargumente konfigurieren"
+ },
+ "vs/workbench/electron-sandbox/actions/windowActions": {
+ "closeWindow": "Fenster schließen",
+ "zoomIn": "Vergrößern",
+ "zoomOut": "Verkleinern",
+ "zoomReset": "Zoom zurücksetzen",
+ "reloadWindowWithExtensionsDisabled": "Mit deaktivierten Erweiterungen neu laden",
+ "close": "Fenster schließen",
+ "switchWindowPlaceHolder": "Fenster auswählen, zu dem Sie wechseln möchten",
+ "windowDirtyAriaLabel": "{0}, geändertes Fenster",
+ "current": "Aktuelles Fenster",
+ "switchWindow": "Fenster wechseln...",
+ "quickSwitchWindow": "Fenster schnell wechseln..."
+ },
+ "vs/workbench/browser/parts/notifications/notificationsCenter": {
+ "notificationsEmpty": "Keine neuen Benachrichtigungen",
+ "notifications": "Benachrichtigungen",
+ "notificationsToolbar": "Aktionen der Benachrichtigungszentrale"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsAlerts": {
+ "alertErrorMessage": "Fehler: {0}",
+ "alertWarningMessage": "Warnung: {0}",
+ "alertInfoMessage": "Info: {0}"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsStatus": {
+ "status.notifications": "Benachrichtigungen",
+ "hideNotifications": "Benachrichtigungen ausblenden",
+ "zeroNotifications": "Keine Benachrichtigungen",
+ "noNotifications": "Keine neuen Benachrichtigungen",
+ "oneNotification": "1 neue Benachrichtigung",
+ "notifications": "{0} neue Benachrichtigungen",
+ "noNotificationsWithProgress": "Keine neuen Benachrichtigungen ({0} in Bearbeitung)",
+ "oneNotificationWithProgress": "1 neue Benachrichtigung ({0} in Bearbeitung)",
+ "notificationsWithProgress": "{0} neue Benachrichtigungen ({1} in Bearbeitung)",
+ "status.message": "Statusmeldung"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsCommands": {
+ "notifications": "Benachrichtigungen",
+ "showNotifications": "Benachrichtigungen anzeigen",
+ "hideNotifications": "Benachrichtigungen ausblenden",
+ "clearAllNotifications": "Alle Benachrichtigungen löschen",
+ "focusNotificationToasts": "Benachrichtigungspopup fokussieren"
+ },
+ "vs/workbench/browser/parts/titlebar/menubarControl": {
+ "mFile": "&&Datei",
+ "mEdit": "&&Bearbeiten",
+ "mSelection": "Au&&swahl",
+ "mView": "&&Anzeigen",
+ "mGoto": "&&Gehe zu",
+ "mRun": "&&Ausführen",
+ "mTerminal": "&&Terminal",
+ "mHelp": "&&Hilfe",
+ "menubar.customTitlebarAccessibilityNotification": "Sie haben die Unterstützung für Barrierefreiheit aktiviert. Für eine optimale Bedienung wird empfohlen, eine benutzerdefinierte Titelleiste zu verwenden.",
+ "goToSetting": "Einstellungen öffnen",
+ "focusMenu": "Fokus auf Anwendungsmenü",
+ "checkForUpdates": "Nach &&Updates suchen...",
+ "checkingForUpdates": "Es wird nach Updates gesucht...",
+ "download now": "Update &&herunterladen",
+ "DownloadingUpdate": "Das Update wird heruntergeladen...",
+ "installUpdate...": "Update &&installieren...",
+ "installingUpdate": "Update wird installiert...",
+ "restartToUpdate": "Für &&Update neu starten"
+ },
+ "vs/workbench/api/common/extHostExtensionActivator": {
+ "failedDep1": "Die Erweiterung \"{0}\" kann nicht aktiviert werden, da sie von der Erweiterung \"{1}\" abhängt, die nicht aktiviert werden konnte.",
+ "activationError": "Fehler beim Aktivieren der Erweiterung \"{0}\": {1}."
+ },
+ "vs/workbench/api/common/extHost.api.impl": {
+ "extensionLabel": "{0} (Erweiterung)"
+ },
+ "vs/workbench/api/node/extHostDebugService": {
+ "debug.terminal.title": "Zu debuggende Komponente"
+ },
+ "vs/workbench/api/common/jsonValidationExtensionPoint": {
+ "contributes.jsonValidation": "Trägt zur JSON-Schemakonfiguration bei.",
+ "contributes.jsonValidation.fileMatch": "Das abzugleichende Dateimuster (oder ein Array von Mustern), z. B. \"package.json\" oder \"*.launch\". Ausschlussmuster beginnen mit \"!\".",
+ "contributes.jsonValidation.url": "Eine Schema-URL (\"http:\", \"Https:\") oder der relative Pfad zum Erweiterungsordner (\". /\").",
+ "invalid.jsonValidation": "configuration.jsonValidation muss ein Array sein.",
+ "invalid.fileMatch": "configuration.jsonValidation.fileMatch muss als Zeichenfolge oder Zeichenfolgenarray definiert werden.",
+ "invalid.url": "configuration.jsonValidation.url muss eine URL oder ein relativer Pfad sein.",
+ "invalid.path.1": "Es wurde erwartet, dass \"contributes.{0}.url\" ({1}) im Ordner ({2}) der Erweiterung enthalten ist. Dies führt möglicherweise dazu, dass die Erweiterung nicht portierbar ist.",
+ "invalid.url.fileschema": "configuration.jsonValidation.url ist eine ungültige relative URL: {0}",
+ "invalid.url.schema": "\"configuration.jsonValidation.url\" muss eine absolute URL sein oder mit \"./\" beginnen, um auf Schemas in der Erweiterung zu verweisen."
+ },
+ "vs/workbench/api/browser/mainThreadExtensionService": {
+ "reload window": "Erweiterung '{0}' kann nicht aktiviert werden, da sie von der nicht geladenen Erweiterung '{1}' abhängig ist. Zum Laden der Erweiterung das Fenster erneut laden?",
+ "reload": "Fenster erneut laden",
+ "disabledDep": "Erweiterung '{0}' kann nicht aktiviert werden, da sie von der deaktivierten Erweiterung '{1}' abhängig ist. Möchten Sie die Erweiterung aktivieren und das Fenster neu laden?",
+ "enable dep": "Aktivieren und erneut laden",
+ "uninstalledDep": "Erweiterung '{0}' kann nicht aktiviert werden, da sie von der nicht installierten Erweiterung '{1}' abhängig ist. Erweiterung installieren und das Fenster neu laden?",
+ "install missing dep": "Installieren und erneut laden",
+ "unknownDep": "Erweiterung '{0}' kann nicht aktiviert werden, da sie von einer unbekannten Erweiterung '{1}' abhängig ist."
+ },
+ "vs/workbench/api/browser/mainThreadFileSystemEventService": {
+ "files.participants.timeout": "Timeout in Millisekunden, nachdem Dateiteilnehmer zum Erstellen, Umbenennen und Löschen abgebrochen werden. Verwenden Sie \"0\", um Teilnehmer zu deaktivieren."
+ },
+ "vs/workbench/api/browser/mainThreadMessageService": {
+ "extensionSource": "{0} (Erweiterung)",
+ "defaultSource": "Erweiterung",
+ "manageExtension": "Erweiterung verwalten",
+ "cancel": "Abbrechen",
+ "ok": "OK"
+ },
+ "vs/workbench/api/browser/mainThreadProgress": {
+ "manageExtension": "Erweiterung verwalten"
+ },
+ "vs/workbench/api/browser/mainThreadSaveParticipant": {
+ "timeout.onWillSave": "Bei onWillSaveTextDocument-Ereignis nach 1750 ms abgebrochen"
+ },
+ "vs/workbench/api/browser/mainThreadWorkspace": {
+ "folderStatusMessageAddSingleFolder": "Die Erweiterung \"{0}\" hat 1 Ordner zum Arbeitsbereich hinzugefügt",
+ "folderStatusMessageAddMultipleFolders": "Die Erweiterung \"{0}\" hat {1} Ordner zum Arbeitsbereich hinzugefügt",
+ "folderStatusMessageRemoveSingleFolder": "Die Erweiterung \"{0}\" hat 1 Ordner aus dem Arbeitsbereich entfernt",
+ "folderStatusMessageRemoveMultipleFolders": "Die Erweiterung \"{0}\" hat {1} Ordner aus dem Arbeitsbereich entfernt",
+ "folderStatusChangeFolder": "Die Erweiterung \"{0}\" hat Ordner des Arbeitsbereichs geändert"
+ },
+ "vs/workbench/api/browser/mainThreadComments": {
+ "commentsViewIcon": "Ansichtssymbol der Kommentaransicht."
+ },
+ "vs/workbench/api/browser/mainThreadTask": {
+ "task.label": "{0}: {1}"
+ },
+ "vs/workbench/api/browser/mainThreadAuthentication": {
+ "noTrustedExtensions": "Dieses Konto wurde noch von keiner Erweiterung verwendet.",
+ "accountLastUsedDate": "Letzte Verwendung dieses Kontos: {0}",
+ "notUsed": "Hat dieses Konto nicht verwendet",
+ "manageTrustedExtensions": "Vertrauenswürdige Erweiterungen verwalten",
+ "manageExensions": "Wählen Sie die Erweiterungen aus, die auf dieses Konto zugreifen können.",
+ "signOutConfirm": "Von {0} abmelden",
+ "signOutMessagve": "Das Konto \"{0}\" wurde verwendet von: \r\n\r\n{1}\r\n\r\n Von diesen Features abmelden?",
+ "signOutMessageSimple": "Von {0} abmelden?",
+ "signedOut": "Die Abmeldung war erfolgreich.",
+ "useOtherAccount": "Mit einem anderen Konto anmelden",
+ "selectAccount": "Die Erweiterung \"{0}\" fordert Zugriff auf ein {1}-Konto an.",
+ "getSessionPlateholder": "Wählen Sie das zu verwendende Konto für \"{0}\" aus, oder drücken Sie zum Abbrechen die ESC-Taste.",
+ "confirmAuthenticationAccess": "Die Erweiterung {0} versucht, auf Authentifizierungsinformationen für das {1}-Konto \"{2}\" zuzugreifen.",
+ "allow": "Zulassen",
+ "cancel": "Abbrechen",
+ "confirmLogin": "Die Erweiterung \"{0}\" möchte sich mit {1} anmelden."
+ },
+ "vs/workbench/common/configuration": {
+ "workbenchConfigurationTitle": "Workbench"
+ },
+ "vs/workbench/browser/parts/views/treeView": {
+ "no-dataprovider": "Es ist kein Datenanbieter registriert, der Sichtdaten bereitstellen kann.",
+ "refresh": "Aktualisieren",
+ "collapseAll": "Alle zuklappen",
+ "command-error": "Fehler beim Ausführen des Befehls {1}: {0}. Dies wird vermutlich durch die Erweiterung verursacht, die {1} beiträgt."
+ },
+ "vs/workbench/browser/viewlet": {
+ "compositePart.hideSideBarLabel": "Randleiste ausblenden",
+ "views": "Ansichten",
+ "collapse": "Alle zuklappen"
+ },
+ "vs/workbench/browser/parts/views/viewPaneContainer": {
+ "viewPaneContainerExpandedIcon": "Symbol für einen aufgeklappten Ansichtsbereichscontainer.",
+ "viewPaneContainerCollapsedIcon": "Symbol für einen zugeklappten Ansichtsbereichscontainer.",
+ "viewToolbarAriaLabel": "{0} Aktionen",
+ "hideView": "Ausblenden",
+ "viewMoveUp": "Ansicht nach oben verschieben",
+ "viewMoveLeft": "Ansicht nach links verschieben",
+ "viewMoveDown": "Ansicht nach unten verschieben",
+ "viewMoveRight": "Ansicht nach rechts verschieben"
+ },
+ "vs/workbench/browser/parts/editor/editorGroupView": {
+ "ariaLabelGroupActions": "Aktionen für Editorgruppen",
+ "closeGroupAction": "Schließen",
+ "emptyEditorGroup": "{0} (leer)",
+ "groupLabel": "Gruppe {0}",
+ "groupAriaLabel": "Editor-Gruppe {0}",
+ "ok": "OK",
+ "cancel": "Abbrechen",
+ "editorOpenErrorDialog": "\"{0}\" kann nicht geöffnet werden.",
+ "editorOpenError": "{0} kann nicht geöffnet werden: {1}"
+ },
+ "vs/workbench/browser/parts/editor/editorDropTarget": {
+ "fileTooLarge": "Die Datei ist zu groß, um als unbenannter Editor geöffnet zu werden. Laden Sie sie zuerst in den Datei-Explorer hoch, und versuchen Sie es dann noch mal."
+ },
+ "vs/workbench/browser/parts/editor/editor.contribution": {
+ "textEditor": "Text-Editor",
+ "textDiffEditor": "Text-Diff-Editor",
+ "binaryDiffEditor": "Binärdiff-Editor",
+ "sideBySideEditor": "Editor mit Ansicht \"Nebeneinander\"",
+ "editorQuickAccessPlaceholder": "Geben Sie den Namen eines Editors ein, um ihn zu öffnen.",
+ "activeGroupEditorsByMostRecentlyUsedQuickAccess": "Editoren in der aktiven Gruppe anzeigen, nach letzter Verwendung sortiert",
+ "allEditorsByAppearanceQuickAccess": "Alle geöffneten Editoren nach Darstellung anzeigen",
+ "allEditorsByMostRecentlyUsedQuickAccess": "Alle geöffneten Editoren anzeigen, sortiert nach letzter Verwendung",
+ "file": "Datei",
+ "splitUp": "Oben teilen",
+ "splitDown": "Unten teilen",
+ "splitLeft": "Links teilen",
+ "splitRight": "Rechts teilen",
+ "close": "Schließen",
+ "closeOthers": "Andere schließen",
+ "closeRight": "Rechts schließen",
+ "closeAllSaved": "Gespeicherte schließen",
+ "closeAll": "Alle schließen",
+ "keepOpen": "Geöffnet lassen",
+ "pin": "Anheften",
+ "unpin": "Lösen",
+ "toggleInlineView": "Inlineansicht umschalten",
+ "showOpenedEditors": "Geöffnete Editoren anzeigen",
+ "toggleKeepEditors": "Editoren geöffnet lassen",
+ "splitEditorRight": "Editor rechts teilen",
+ "splitEditorDown": "Editor unten teilen",
+ "previousChangeIcon": "Symbol für Aktion \"Vorherige Änderung\" im Diff-Editor",
+ "nextChangeIcon": "Symbol für Aktion \"Nächste Änderung\" im Diff-Editor",
+ "toggleWhitespace": "Symbol für Aktion \"Leerzeichen umschalten\" im Diff-Editor",
+ "navigate.prev.label": "Vorherige Änderung",
+ "navigate.next.label": "Nächste Änderung",
+ "ignoreTrimWhitespace.label": "Unterschiede bei vorangestellten/nachfolgenden Leerzeichen ignorieren",
+ "showTrimWhitespace.label": "Unterschiede zwischen vorangestellten/nachfolgenden Leerzeichen anzeigen",
+ "keepEditor": "Editor beibehalten",
+ "pinEditor": "Editor anheften",
+ "unpinEditor": "Editor lösen",
+ "closeEditor": "Editor schließen",
+ "closePinnedEditor": "Angehefteten Editor schließen",
+ "closeEditorsInGroup": "Alle Editoren in der Gruppe schließen",
+ "closeSavedEditors": "Gespeicherte Editoren in Gruppe schließen",
+ "closeOtherEditors": "Andere Editoren in Gruppe schließen",
+ "closeRightEditors": "Editoren rechts in Gruppe schließen",
+ "closeEditorGroup": "Editorgruppe schließen",
+ "miReopenClosedEditor": "&&Geschlossenen Editor erneut öffnen",
+ "miClearRecentOpen": "&&Zuletzt geöffnete löschen",
+ "miEditorLayout": "Editor&&layout",
+ "miSplitEditorUp": "Oben &&trennen",
+ "miSplitEditorDown": "Trennen &&unten",
+ "miSplitEditorLeft": "Links &&teilen",
+ "miSplitEditorRight": "Rechts &&trennen",
+ "miSingleColumnEditorLayout": "&&Einzeln",
+ "miTwoColumnsEditorLayout": "&&Zwei Spalten",
+ "miThreeColumnsEditorLayout": "D&&rei Spalten",
+ "miTwoRowsEditorLayout": "Z&&wei Zeilen",
+ "miThreeRowsEditorLayout": "Drei &&Zeilen",
+ "miTwoByTwoGridEditorLayout": "&&Raster (2x2)",
+ "miTwoRowsRightEditorLayout": "Zwei Z&&eilen rechts",
+ "miTwoColumnsBottomEditorLayout": "Zwei &&Spalten unten",
+ "miBack": "&&Zurück",
+ "miForward": "&&Weiterleiten",
+ "miLastEditLocation": "&&Position der letzten Bearbeitung",
+ "miNextEditor": "&&Nächster Editor",
+ "miPreviousEditor": "&&Vorheriger Editor",
+ "miNextRecentlyUsedEditor": "Nächster verwendeter &&Editor",
+ "miPreviousRecentlyUsedEditor": "&&Vorheriger verwendeter Editor",
+ "miNextEditorInGroup": "&&Nächster Editor in der Gruppe",
+ "miPreviousEditorInGroup": "&&Vorheriger Editor in der Gruppe",
+ "miNextUsedEditorInGroup": "&&Nächster verwendeter Editor in der Gruppe",
+ "miPreviousUsedEditorInGroup": "&&Zuvor verwendeter Editor in der Gruppe",
+ "miSwitchEditor": "&&Editor wechseln",
+ "miFocusFirstGroup": "Gruppe &&1",
+ "miFocusSecondGroup": "Gruppe &&2",
+ "miFocusThirdGroup": "Gruppe &&3",
+ "miFocusFourthGroup": "Gruppe &&4",
+ "miFocusFifthGroup": "Gruppe &&5",
+ "miNextGroup": "&&Nächste Gruppe",
+ "miPreviousGroup": "&&Vorherige Gruppe",
+ "miFocusLeftGroup": "Gruppe &&Links",
+ "miFocusRightGroup": "Gruppe &&rechts",
+ "miFocusAboveGroup": "Gruppe &&oben",
+ "miFocusBelowGroup": "Gruppe &&Unten",
+ "miSwitchGroup": "&&Gruppe wechseln"
+ },
+ "vs/workbench/browser/parts/activitybar/activitybarActions": {
+ "goHome": "Zum Startmenü",
+ "hide": "Ausblenden",
+ "manageTrustedExtensions": "Vertrauenswürdige Erweiterungen verwalten",
+ "signOut": "Abmelden",
+ "authProviderUnavailable": "\"{0}\" ist momentan nicht verfügbar",
+ "previousSideBarView": "Vorherige Seitenleistenansicht",
+ "nextSideBarView": "Nächste Seitenleistenansicht"
+ },
+ "vs/workbench/browser/parts/compositeBar": {
+ "activityBarAriaLabel": "Umschaltung der aktiven Ansicht"
+ },
+ "vs/workbench/browser/parts/compositeBarActions": {
+ "badgeTitle": "{0}-{1}",
+ "additionalViews": "Zusätzliche Ansichten",
+ "numberBadge": "{0} ({1})",
+ "manageExtension": "Erweiterung verwalten",
+ "titleKeybinding": "{0} ({1})",
+ "hide": "Ausblenden",
+ "keep": "Beibehalten",
+ "toggle": "Ansichtsfixierung umschalten"
+ },
+ "vs/workbench/browser/parts/compositePart": {
+ "ariaCompositeToolbarLabel": "{0} Aktionen",
+ "viewsAndMoreActions": "Ansichten und weitere Aktionen...",
+ "titleTooltip": "{0} ({1})"
+ },
+ "vs/workbench/browser/parts/panel/panelActions": {
+ "maximizeIcon": "Symbol für das Maximieren eines Panels.",
+ "restoreIcon": "Symbol für das Wiederherstellen eines Panels.",
+ "closeIcon": "Symbol für das Schließen eines Panels.",
+ "closePanel": "Panel schließen",
+ "togglePanel": "Panel umschalten",
+ "focusPanel": "Fokus im Panel",
+ "toggleMaximizedPanel": "Maximiertes Panel umschalten",
+ "maximizePanel": "Panelgröße maximieren",
+ "minimizePanel": "Panelgröße wiederherstellen",
+ "positionPanelLeft": "Panel nach links verschieben",
+ "positionPanelRight": "Panel nach rechts verschieben",
+ "positionPanelBottom": "Panel nach unten verschieben",
+ "previousPanelView": "Vorherige Panelansicht",
+ "nextPanelView": "Nächste Panelansicht",
+ "miShowPanel": "&&Panel anzeigen"
+ },
+ "vs/workbench/common/editor/diffEditorInput": {
+ "sideBySideLabels": "{0} ↔ {1}"
+ },
+ "vs/workbench/browser/parts/editor/editorWidgets": {
+ "openWorkspace": "Arbeitsbereich öffnen"
+ },
+ "vs/workbench/browser/parts/editor/editorCommands": {
+ "editorCommand.activeEditorMove.description": "Aktiven Editor nach Tabstopps oder Gruppen verschieben",
+ "editorCommand.activeEditorMove.arg.name": "Argument zum Verschieben des aktiven Editors",
+ "editorCommand.activeEditorMove.arg.description": "Argumenteigenschaften:\r\n\t* \"to\": Ein Zeichenfolgenwert, der das Ziel des Verschiebungsvorgangs angibt.\r\n\t* \"by\": Ein Zeichenfolgenwert, der die Einheit für die Verschiebung angibt (nach Registerkarte oder nach Gruppe).\r\n\t* \"value\": Ein Zahlenwert, der angibt, um wie viele Positionen verschoben wird. Es kann auch die absolute Position für die Verschiebung angegeben werden.",
+ "toggleInlineView": "Inlineansicht umschalten",
+ "compare": "Vergleichen",
+ "enablePreview": "Vorschau-Editoren wurden in den Einstellungen aktiviert.",
+ "disablePreview": "Vorschau-Editoren wurden in den Einstellungen deaktiviert.",
+ "learnMode": "Weitere Informationen"
+ },
+ "vs/workbench/browser/parts/editor/textResourceEditor": {
+ "textEditor": "Text-Editor"
+ },
+ "vs/workbench/browser/parts/titlebar/titlebarPart": {
+ "patchedWindowTitle": "[Nicht unterstützt]",
+ "userIsAdmin": "[Administrator]",
+ "userIsSudo": "[Superuser]",
+ "devExtensionWindowTitlePrefix": "[Erweiterungsentwicklungshost]"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsList": {
+ "notificationAriaLabel": "{0}, Benachrichtigung",
+ "notificationWithSourceAriaLabel": "{0}, Quelle: {1}, Benachrichtigung",
+ "notificationsList": "Benachrichtigungsliste"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsActions": {
+ "clearIcon": "Symbol für die Aktion \"Löschen\" in Benachrichtigungen.",
+ "clearAllIcon": "Symbol für die Aktion \"Alles löschen\" in Benachrichtigungen.",
+ "hideIcon": "Symbol für die Aktion \"Ausblenden\" in Benachrichtigungen.",
+ "expandIcon": "Symbol für die Aktion \"Aufklappen\" in Benachrichtigungen.",
+ "collapseIcon": "Symbol für die Aktion \"Einklappen\" in Benachrichtigungen.",
+ "configureIcon": "Symbol für die Aktion \"Konfigurieren\" in Benachrichtigungen.",
+ "clearNotification": "Benachrichtigung löschen",
+ "clearNotifications": "Alle Benachrichtigungen löschen",
+ "hideNotificationsCenter": "Benachrichtigungen verbergen",
+ "expandNotification": "Benachrichtigung erweitern",
+ "collapseNotification": "Benachrichtigung schließen",
+ "configureNotification": "Benachrichtigung konfigurieren",
+ "copyNotification": "Text kopieren"
+ },
+ "vs/workbench/api/common/extHostDiagnostics": {
+ "limitHit": "{0} weitere Fehler und Warnungen werden nicht angezeigt."
+ },
+ "vs/workbench/api/common/extHostProgress": {
+ "extensionSource": "{0} (Erweiterung)"
+ },
+ "vs/workbench/api/common/extHostStatusBar": {
+ "status.extensionMessage": "Erweiterungsstatus"
+ },
+ "vs/workbench/api/common/extHostTreeViews": {
+ "treeView.notRegistered": "Es wurde keine Strukturansicht mit der ID \"{0}\" registriert.",
+ "treeView.duplicateElement": "Das Element mit der ID {0} ist bereits registriert"
+ },
+ "vs/workbench/browser/parts/editor/textEditor": {
+ "editor": "Editor"
+ },
+ "vs/workbench/api/browser/mainThreadCustomEditors": {
+ "defaultEditLabel": "Bearbeiten"
+ },
+ "vs/workbench/api/browser/mainThreadWebviews": {
+ "errorMessage": "Ein Fehler ist aufgetreten beim Wiederherstellen der Ansicht: {0}"
+ },
+ "vs/workbench/browser/parts/editor/tabsTitleControl": {
+ "ariaLabelTabActions": "Registerkartenaktionen"
+ },
+ "vs/workbench/browser/parts/editor/textDiffEditor": {
+ "textDiffEditor": "Text-Diff-Editor"
+ },
+ "vs/workbench/browser/parts/editor/binaryDiffEditor": {
+ "metadataDiff": "{0} ↔ {1}"
+ },
+ "vs/workbench/browser/parts/editor/editorStatus": {
+ "singleSelectionRange": "Zeile {0}, Spalte {1} ({2} ausgewählt)",
+ "singleSelection": "Zeile {0}, Spalte {1}",
+ "multiSelectionRange": "{0} Auswahlen ({1} Zeichen ausgewählt)",
+ "multiSelection": "{0} Auswahlen",
+ "endOfLineLineFeed": "LF",
+ "endOfLineCarriageReturnLineFeed": "CRLF",
+ "screenReaderDetectedExplanation.question": "Verwenden Sie eine Sprachausgabe zum Bedienen von VS Code? (Zeilenumbrüche sind bei Verwendung einer Sprachausgabe deaktiviert.)",
+ "screenReaderDetectedExplanation.answerYes": "Ja",
+ "screenReaderDetectedExplanation.answerNo": "Nein",
+ "noEditor": "Momentan ist kein Text-Editor aktiv.",
+ "noWritableCodeEditor": "Der aktive Code-Editor ist schreibgeschützt.",
+ "indentConvert": "Datei konvertieren",
+ "indentView": "Ansicht wechseln",
+ "pickAction": "Aktion auswählen",
+ "tabFocusModeEnabled": "TAB-TASTE verschiebt Fokus",
+ "disableTabMode": "Barrierefreiheitsmodus deaktivieren",
+ "status.editor.tabFocusMode": "Barrierefreiheitsmodus",
+ "columnSelectionModeEnabled": "Spaltenauswahl",
+ "disableColumnSelectionMode": "Spaltenauswahlmodus deaktivieren",
+ "status.editor.columnSelectionMode": "Spaltenauswahlmodus",
+ "screenReaderDetected": "Für Sprachausgabe optimiert",
+ "status.editor.screenReaderMode": "Sprachausgabemodus",
+ "gotoLine": "Gehe zu Zeile/Spalte",
+ "status.editor.selection": "Editorauswahl",
+ "selectIndentation": "Einzug auswählen",
+ "status.editor.indentation": "Editoreinzug",
+ "selectEncoding": "Codierung auswählen",
+ "status.editor.encoding": "Editorcodierung",
+ "selectEOL": "Zeilenendesequenz auswählen",
+ "status.editor.eol": "Zeilenende im Editor",
+ "selectLanguageMode": "Sprachmodus auswählen",
+ "status.editor.mode": "Editorsprache",
+ "fileInfo": "Dateiinformationen",
+ "status.editor.info": "Dateiinformationen",
+ "spacesSize": "Leerzeichen: {0}",
+ "tabSize": "Tabulatorgröße: {0}",
+ "currentProblem": "Aktuelles Problem",
+ "showLanguageExtensions": "Marketplace-Erweiterungen für \"{0}\" durchsuchen...",
+ "changeMode": "Sprachmodus ändern",
+ "languageDescription": "({0}): konfigurierte Sprache",
+ "languageDescriptionConfigured": "({0})",
+ "languagesPicks": "Sprachen (Bezeichner)",
+ "configureModeSettings": "\"{0}\" sprachbasierte Einstellungen konfigurieren...",
+ "configureAssociationsExt": "Dateizuordnung für \"{0}\" konfigurieren...",
+ "autoDetect": "Automatische Erkennung",
+ "pickLanguage": "Sprachmodus auswählen",
+ "currentAssociation": "Aktuelle Zuordnung",
+ "pickLanguageToConfigure": "Sprachmodus auswählen, der \"{0}\" zugeordnet werden soll",
+ "changeEndOfLine": "Zeilenendesequenz ändern",
+ "pickEndOfLine": "Zeilenendesequenz auswählen",
+ "changeEncoding": "Dateicodierung ändern",
+ "noFileEditor": "Zurzeit ist keine Datei aktiv.",
+ "saveWithEncoding": "Mit Codierung speichern",
+ "reopenWithEncoding": "Mit Codierung erneut öffnen",
+ "guessedEncoding": "Vom Inhalt abgeleitet",
+ "pickEncodingForReopen": "Dateicodierung zum erneuten Öffnen der Datei auswählen",
+ "pickEncodingForSave": "Dateicodierung auswählen, mit der gespeichert werden soll"
+ },
+ "vs/workbench/browser/parts/editor/editorActions": {
+ "splitEditor": "Editor teilen",
+ "splitEditorOrthogonal": "Editor orthogonal teilen",
+ "splitEditorGroupLeft": "Editor links teilen",
+ "splitEditorGroupRight": "Editor rechts teilen",
+ "splitEditorGroupUp": "Editor oben teilen",
+ "splitEditorGroupDown": "Editor unten teilen",
+ "joinTwoGroups": "Editor-Gruppe mit nächster Gruppe verknüpfen",
+ "joinAllGroups": "Alle Editor-Gruppen verknüpfen",
+ "navigateEditorGroups": "Zwischen Editor-Gruppen navigieren",
+ "focusActiveEditorGroup": "Fokus in aktiver Editor-Gruppe",
+ "focusFirstEditorGroup": "Fokus in erster Editor-Gruppe",
+ "focusLastEditorGroup": "Fokus in letzter Editor-Gruppe",
+ "focusNextGroup": "Fokus in nächster Editor-Gruppe",
+ "focusPreviousGroup": "Fokus in vorheriger Editor-Gruppe",
+ "focusLeftGroup": "Fokus in linker Editor-Gruppe",
+ "focusRightGroup": "Fokus in rechter Editor-Gruppe",
+ "focusAboveGroup": "Fokus in oberer Editor-Gruppe",
+ "focusBelowGroup": "Fokus in unterer Editor-Gruppe",
+ "closeEditor": "Editor schließen",
+ "unpinEditor": "Editor lösen",
+ "closeOneEditor": "Schließen",
+ "revertAndCloseActiveEditor": "Wiederherstellen und Editor schließen",
+ "closeEditorsToTheLeft": "Editoren links in der Gruppe schließen",
+ "closeAllEditors": "Alle Editoren schließen",
+ "closeAllGroups": "Alle Editor-Gruppen schließen",
+ "closeEditorsInOtherGroups": "Editoren in anderen Gruppen schließen",
+ "closeEditorInAllGroups": "Editor in allen Gruppen schließen",
+ "moveActiveGroupLeft": "Editor-Gruppe nach links verschieben",
+ "moveActiveGroupRight": "Editor-Gruppe nach rechts verschieben",
+ "moveActiveGroupUp": "Editor-Gruppe nach oben verschieben",
+ "moveActiveGroupDown": "Editor-Gruppe nach unten verschieben",
+ "minimizeOtherEditorGroups": "Editor-Gruppe maximieren",
+ "evenEditorGroups": "Größen von Editor-Gruppen zurücksetzen",
+ "toggleEditorWidths": "Editor-Gruppengrößen umschalten",
+ "maximizeEditor": "Editor-Gruppe maximieren und Randleiste ausblenden",
+ "openNextEditor": "Nächsten Editor öffnen",
+ "openPreviousEditor": "Vorherigen Editor öffnen",
+ "nextEditorInGroup": "Nächsten Editor in der Gruppe öffnen",
+ "openPreviousEditorInGroup": "Vorherigen Editor in der Gruppe öffnen",
+ "firstEditorInGroup": "Ersten Editor in Gruppe öffnen",
+ "lastEditorInGroup": "Letzten Editor in der Gruppe öffnen",
+ "navigateNext": "Weiter",
+ "navigatePrevious": "Zurück",
+ "navigateToLastEditLocation": "Gehe zum letzten Bearbeitungsort",
+ "navigateLast": "Zum Ende gehen",
+ "reopenClosedEditor": "Geschlossenen Editor erneut öffnen",
+ "clearRecentFiles": "Zuletzt geöffnete löschen",
+ "showEditorsInActiveGroup": "Editoren in der aktiven Gruppe nach der letzten Verwendung sortiert anzeigen",
+ "showAllEditors": "Alle Editoren nach Darstellung anzeigen",
+ "showAllEditorsByMostRecentlyUsed": "Alle Editoren nach letzter Verwendung anzeigen",
+ "quickOpenPreviousRecentlyUsedEditor": "Quick Open des vorherigen, kürzlich vom Benutzer verwendeten Editors",
+ "quickOpenLeastRecentlyUsedEditor": "Zuletzt verwendeten Editor per Quick Open öffnen",
+ "quickOpenPreviousRecentlyUsedEditorInGroup": "Schnelles Öffnen des zuletzt verwendeten Editors in Gruppe",
+ "quickOpenLeastRecentlyUsedEditorInGroup": "Zuletzt verwendeten Editor in der Gruppe per Quick Open öffnen",
+ "navigateEditorHistoryByInput": "Vorherigen Editor per Quick Open aus dem Verlauf öffnen",
+ "openNextRecentlyUsedEditor": "Nächsten zuletzt verwendeten Editor öffnen",
+ "openPreviousRecentlyUsedEditor": "Vorherigen zuletzt verwendeten Editor öffnen",
+ "openNextRecentlyUsedEditorInGroup": "Nächsten zuletzt verwendeten Editor in der Gruppe öffnen",
+ "openPreviousRecentlyUsedEditorInGroup": "Vorherigen zuletzt verwendeten Editor in der Gruppe öffnen",
+ "clearEditorHistory": "Editor-Verlauf löschen",
+ "moveEditorLeft": "Editor nach links verschieben",
+ "moveEditorRight": "Editor nach rechts verschieben",
+ "moveEditorToPreviousGroup": "Editor in vorherige Gruppe verschieben",
+ "moveEditorToNextGroup": "Editor in nächste Gruppe verschieben",
+ "moveEditorToAboveGroup": "Editor in obere Gruppe verschieben",
+ "moveEditorToBelowGroup": "Editor in untere Gruppe verschieben",
+ "moveEditorToLeftGroup": "Editor in linke Gruppe verschieben",
+ "moveEditorToRightGroup": "Editor in rechte Gruppe verschieben",
+ "moveEditorToFirstGroup": "Editor in die erste Gruppe verschieben",
+ "moveEditorToLastGroup": "Editor in letzte Gruppe verschieben",
+ "editorLayoutSingle": "Editorlayout mit einzelner Spalte",
+ "editorLayoutTwoColumns": "Editorlayout mit zwei Spalten",
+ "editorLayoutThreeColumns": "Editorlayout mit drei Spalten",
+ "editorLayoutTwoRows": "Editorlayout mit zwei Zeilen",
+ "editorLayoutThreeRows": "Editorlayout mit drei Zeilen",
+ "editorLayoutTwoByTwoGrid": "Editorrasterlayout (2×2)",
+ "editorLayoutTwoColumnsBottom": "Editorlayout mit zwei Spalten unten",
+ "editorLayoutTwoRowsRight": "Editor-Layout mit zwei Zeilen rechts",
+ "newEditorLeft": "Neue Editor-Gruppe links",
+ "newEditorRight": "Neue Editor-Gruppe rechts",
+ "newEditorAbove": "Neue Editor-Gruppe oben",
+ "newEditorBelow": "Neue Editor-Gruppe unten",
+ "workbench.action.reopenWithEditor": "Editor erneut öffnen mit...",
+ "workbench.action.toggleEditorType": "Editortyp umschalten"
+ },
+ "vs/workbench/browser/parts/editor/editorQuickAccess": {
+ "noViewResults": "Keine übereinstimmenden Editoren.",
+ "entryAriaLabelWithGroupDirty": "{0}, geändert, {1}",
+ "entryAriaLabelWithGroup": "{0}, {1}",
+ "entryAriaLabelDirty": "{0}, geändert",
+ "closeEditor": "Editor schließen"
+ },
+ "vs/workbench/browser/parts/editor/binaryEditor": {
+ "binaryEditor": "Binärdateien-Viewer",
+ "nativeFileTooLargeError": "Die Datei wird im Editor nicht angezeigt, weil sie zu groß ist ({0}).",
+ "nativeBinaryError": "Die Datei wird im Editor nicht angezeigt, weil sie entweder binär ist oder eine nicht unterstützte Textcodierung verwendet.",
+ "openAsText": "Dennoch öffnen?"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsViewer": {
+ "executeCommand": "Klicken, um den Befehl \"{0}\" auszuführen",
+ "notificationActions": "Benachrichtigungsaktionen",
+ "notificationSource": "Quelle: {0}"
+ },
+ "vs/workbench/browser/parts/editor/titleControl": {
+ "ariaLabelEditorActions": "Editoraktionen",
+ "draggedEditorGroup": "{0} (+{1})"
+ },
+ "vs/workbench/browser/parts/editor/breadcrumbsControl": {
+ "cmd.toggle": "Breadcrumbs umschalten",
+ "miShowBreadcrumbs": "&&Breadcrumbs anzeigen",
+ "cmd.focus": "Fokus auf Breadcrumbs"
+ },
+ "vs/workbench/browser/parts/editor/breadcrumbs": {
+ "title": "Breadcrumb-Navigation",
+ "enabled": "Breadcrumb-Leiste aktivieren/deaktivieren.",
+ "filepath": "Steuert, ob und wie Dateipfade in der Breadcrumb-Ansicht angezeigt werden.",
+ "filepath.on": "Dateipfad in der Breadcrumb-Ansicht anzeigen",
+ "filepath.off": "Dateipfad in der Breadcrumb-Ansicht nicht anzeigen",
+ "filepath.last": "Nur das letzte Element des Dateipfads in der Breadcrumb-Ansicht anzeigen",
+ "symbolpath": "Steuert, ob und wie Symbole in der Breadcrumb-Ansicht angezeigt werden.",
+ "symbolpath.on": "Alle Symbole in der Breadcrumb-Ansicht anzeigen",
+ "symbolpath.off": "Keine Symbole in der Breadcrumb-Ansicht anzeigen",
+ "symbolpath.last": "Nur das aktuelle Symbol in der Breadcrumb-Ansicht anzeigen",
+ "symbolSortOrder": "Steuert, wie Symbole in der Breadcrumb-Gliederungsansicht sortiert werden.",
+ "symbolSortOrder.position": "Symbolgliederung in der Reihenfolge der Dateiposition anzeigen.",
+ "symbolSortOrder.name": "Symbolgliederung in alphabetischer Reihenfolge anzeigen.",
+ "symbolSortOrder.type": "Symbolgliederung in der Reihenfolge der Symboltypen anzeigen.",
+ "icons": "Hiermit werden Breadcrumb-Elemente mit Symbolen gerendert.",
+ "filteredTypes.file": "Wenn aktiviert, zeigen Breadcrumbs \"file\"-Symbole an.",
+ "filteredTypes.module": "Wenn aktiviert, zeigen Breadcrumbs \"module\"-Symbole an.",
+ "filteredTypes.namespace": "Wenn aktiviert, zeigen Breadcrumbs \"namespace\"-Symbole an.",
+ "filteredTypes.package": "Wenn aktiviert, zeigen Breadcrumbs \"package\"-Symbole an.",
+ "filteredTypes.class": "Wenn aktiviert, zeigen Breadcrumbs \"class\"-Symbole an.",
+ "filteredTypes.method": "Wenn aktiviert, zeigen Breadcrumbs \"method\"-Symbole an.",
+ "filteredTypes.property": "Wenn aktiviert, zeigen Breadcrumbs \"property\"-Symbole an.",
+ "filteredTypes.field": "Wenn aktiviert, zeigen Breadcrumbs \"field\"-Symbole an.",
+ "filteredTypes.constructor": "Wenn aktiviert, zeigen Breadcrumbs \"constructor\"-Symbole an.",
+ "filteredTypes.enum": "Wenn aktiviert, zeigen Breadcrumbs \"enum\"-Symbole an.",
+ "filteredTypes.interface": "Wenn aktiviert, zeigen Breadcrumbs \"interface\"-Symbole an.",
+ "filteredTypes.function": "Wenn aktiviert, zeigen Breadcrumbs \"function\"-Symbole an.",
+ "filteredTypes.variable": "Wenn aktiviert, zeigen Breadcrumbs \"variable\"-Symbole an.",
+ "filteredTypes.constant": "Wenn aktiviert, zeigen Breadcrumbs \"constant\"-Symbole an.",
+ "filteredTypes.string": "Wenn aktiviert, zeigen Breadcrumbs \"string\"-Symbole an.",
+ "filteredTypes.number": "Wenn aktiviert, zeigen Breadcrumbs \"number\"-Symbole an.",
+ "filteredTypes.boolean": "Wenn aktiviert, zeigen Breadcrumbs \"boolean\"-Symbole an.",
+ "filteredTypes.array": "Wenn aktiviert, zeigen Breadcrumbs \"array\"-Symbole an.",
+ "filteredTypes.object": "Wenn aktiviert, zeigen Breadcrumbs \"object\"-Symbole an.",
+ "filteredTypes.key": "Wenn aktiviert, zeigen Breadcrumbs \"key\"-Symbole an.",
+ "filteredTypes.null": "Wenn aktiviert, zeigen Breadcrumbs \"null\"-Symbole an.",
+ "filteredTypes.enumMember": "Wenn aktiviert, zeigen Breadcrumbs \"enumMember\"-Symbole an.",
+ "filteredTypes.struct": "Wenn aktiviert, zeigen Breadcrumbs \"struct\"-Symbole an.",
+ "filteredTypes.event": "Wenn aktiviert, zeigen Breadcrumbs \"event\"-Symbole an.",
+ "filteredTypes.operator": "Wenn aktiviert, zeigen Breadcrumbs \"operator\"-Symbole an.",
+ "filteredTypes.typeParameter": "Wenn aktiviert, zeigen Breadcrumbs \"typeParameter\"-Symbole an."
+ },
+ "vs/workbench/browser/parts/editor/breadcrumbsPicker": {
+ "breadcrumbs": "Breadcrumbs"
+ },
+ "vs/workbench/contrib/backup/electron-sandbox/backupTracker": {
+ "backupTrackerBackupFailed": "Mindestens ein Editor mit geänderten Inhalten konnte nicht am Sicherungsspeicherort gespeichert werden.",
+ "backupTrackerConfirmFailed": "Mindestens ein Editor mit geänderten Inhalten konnte nicht gespeichert oder wiederhergestellt werden.",
+ "ok": "OK",
+ "backupErrorDetails": "Versuchen Sie zuerst, die ungespeicherten Editor-Fenster zu speichern oder zurückzusetzen, und versuchen Sie es dann erneut."
+ },
+ "vs/workbench/contrib/bulkEdit/browser/bulkEditService": {
+ "summary.0": "Keine Änderungen vorgenommen",
+ "summary.nm": "{0} Änderungen am Text in {1} Dateien vorgenommen",
+ "summary.n0": "{0} Änderungen am Text in einer Datei vorgenommen",
+ "workspaceEdit": "Arbeitsbereichsbearbeitung",
+ "nothing": "Keine Änderungen vorgenommen"
+ },
+ "vs/workbench/contrib/bulkEdit/browser/preview/bulkEdit.contribution": {
+ "overlap": "Ein weiteres Refactoring wird in der Vorschau angezeigt.",
+ "cancel": "Abbrechen",
+ "continue": "Weiter",
+ "detail": "Drücken Sie auf \"Weiter\", um das vorherige Refactoring zu verwerfen und das aktuelle Refactoring fortzusetzen.",
+ "apply": "Refactoring anwenden",
+ "cat": "Refactoringvorschau",
+ "Discard": "Refactoring verwerfen",
+ "toogleSelection": "Änderung der Umschalttaste",
+ "groupByFile": "Änderungen nach Datei gruppieren",
+ "groupByType": "Änderungen nach Typ gruppieren",
+ "refactorPreviewViewIcon": "Ansichtssymbol der Umgestaltungsvorschau.",
+ "panel": "Refactoringvorschau"
+ },
+ "vs/workbench/contrib/bulkEdit/browser/preview/bulkEditPane": {
+ "empty.msg": "Rufen Sie eine Codeaktion wie das Umbenennen auf, damit eine Vorschau der Änderungen hier angezeigt wird.",
+ "conflict.1": "Das Refactoring kann nicht angewendet werden, weil sich \"{0}\" in der Zwischenzeit geändert hat.",
+ "conflict.N": "Das Refactoring kann nicht übernommen werden, da {0} andere Dateien in der Zwischenzeit geändert wurden.",
+ "edt.title.del": "{0} (löschen, Refactoringvorschau)",
+ "rename": "umbenennen",
+ "create": "Erstellen",
+ "edt.title.2": "{0} ({1}, Refactoringvorschau)",
+ "edt.title.1": "{0} (Refactoringvorschau)"
+ },
+ "vs/workbench/contrib/bulkEdit/browser/preview/bulkEditPreview": {
+ "default": "Sonstiges"
+ },
+ "vs/workbench/contrib/bulkEdit/browser/preview/bulkEditTree": {
+ "bulkEdit": "Massenbearbeitung",
+ "aria.renameAndEdit": "{0} wird in {1} umbenannt. Dabei werden auch Textänderungen vorgenommen.",
+ "aria.createAndEdit": "{0} wird erstellt. Es werden auch Textänderungen vorgenommen.",
+ "aria.deleteAndEdit": "{0} wird gelöscht. Es werden auch Textänderungen vorgenommen.",
+ "aria.editOnly": "{0}, nimmt Änderungen am Text vor",
+ "aria.rename": "{0} wird in {1} umbenannt.",
+ "aria.create": "{0} wird erstellt",
+ "aria.delete": "{0} wird gelöscht.",
+ "aria.replace": "Zeile {0}, {1} wird durch {2} ersetzt",
+ "aria.del": "Zeile {0}, {1} wird entfernt",
+ "aria.insert": "Zeile {0}, {1} wird eingefügt",
+ "rename.label": "{0} → {1}",
+ "detail.rename": "(wird umbenannt)",
+ "detail.create": "(wird erstellt)",
+ "detail.del": "(wird gelöscht)",
+ "title": "{0}-{1}"
+ },
+ "vs/workbench/contrib/callHierarchy/browser/callHierarchy.contribution": {
+ "no.item": "Keine Ergebnisse",
+ "error": "Fehler beim Anzeigen der Aufrufhierarchie",
+ "title": "Hierarchie für Peek-Aufruf",
+ "title.incoming": "Eingehende Aufrufe anzeigen",
+ "showIncomingCallsIcons": "Symbol für eingehende Aufrufe in der Aufrufhierarchieansicht.",
+ "title.outgoing": "Ausgehende Aufrufe anzeigen",
+ "showOutgoingCallsIcon": "Symbol für ausgehende Aufrufe in der Aufrufhierarchieansicht.",
+ "title.refocus": "Aufrufhierarchie neu fokussieren",
+ "close": "Schließen"
+ },
+ "vs/workbench/contrib/callHierarchy/browser/callHierarchyPeek": {
+ "callFrom": "Aufrufe von '{0}'",
+ "callsTo": "Aufrufer von '{0}'",
+ "title.loading": "Wird geladen...",
+ "empt.callsFrom": "Keine Aufrufe von '{0}'",
+ "empt.callsTo": "Keine Aufrufer von '{0}'"
+ },
+ "vs/workbench/contrib/callHierarchy/browser/callHierarchyTree": {
+ "tree.aria": "Aufrufhierarchie",
+ "from": "Aufrufe von \"{0}\"",
+ "to": "Aufrufer von \"{0}\""
+ },
+ "vs/workbench/contrib/cli/node/cli.contribution": {
+ "shellCommand": "Shellbefehl",
+ "install": "Befehl \"{0}\" in \"PATH\" installieren",
+ "not available": "Dieser Befehl ist nicht verfügbar.",
+ "ok": "OK",
+ "cancel2": "Abbrechen",
+ "warnEscalation": "Der Code fordert nun mit \"osascript\" zur Eingabe von Administratorberechtigungen auf, um den Shellbefehl zu installieren.",
+ "cantCreateBinFolder": "/usr/local/bin kann nicht erstellt werden.",
+ "aborted": "Abgebrochen",
+ "successIn": "Der Shellbefehl \"{0}\" wurde erfolgreich in \"PATH\" installiert.",
+ "uninstall": "Befehl \"{0}\" aus \"PATH\" deinstallieren",
+ "warnEscalationUninstall": "Der Code fordert nun mit \"osascript\" zur Eingabe von Administratorberechtigungen auf, um den Shellbefehl zu deinstallieren.",
+ "cantUninstall": "Der Shellbefehl \"{0}\" konnte nicht deinstalliert werden.",
+ "successFrom": "Der Shellbefehl \"{0}\" wurde erfolgreich aus \"PATH\" deinstalliert."
+ },
+ "vs/workbench/contrib/codeActions/common/codeActionsContribution": {
+ "codeActionsOnSave.fixAll": "Legt fest, ob beim Speichern einer Datei automatische Korrekturen vorgenommen werden sollen.",
+ "codeActionsOnSave": "Arten von Codeaktionen, die beim Speichern ausgeführt werden sollen.",
+ "codeActionsOnSave.generic": "Legt fest, ob {0}-Aktionen beim Speichern von Dateien ausgeführt werden sollen"
+ },
+ "vs/workbench/contrib/codeActions/common/codeActionsExtensionPoint": {
+ "contributes.codeActions": "Konfigurieren Sie, welcher Editor für eine Ressource verwendet werden soll.",
+ "contributes.codeActions.languages": "Sprachmodi, für die die Codeaktionen aktiviert sind",
+ "contributes.codeActions.kind": "CodeActionKind der beigesteuerten Codeaktion",
+ "contributes.codeActions.title": "Bezeichnung für die auf der Benutzeroberfläche verwendete Codeaktion",
+ "contributes.codeActions.description": "Beschreibung der Codeaktion"
+ },
+ "vs/workbench/contrib/codeActions/common/documentationExtensionPoint": {
+ "contributes.documentation": "Beigesteuerte Dokumentation.",
+ "contributes.documentation.refactorings": "Beigesteuerte Dokumentation für Refactorings.",
+ "contributes.documentation.refactoring": "Beigesteuerte Dokumentation für das Refactoring.",
+ "contributes.documentation.refactoring.title": "Bezeichnung für die Dokumentation, die in der Benutzeroberfläche verwendet wird.",
+ "contributes.documentation.refactoring.when": "when-Klausel.",
+ "contributes.documentation.refactoring.command": "Befehl ausgeführt."
+ },
+ "vs/workbench/contrib/codeEditor/electron-browser/startDebugTextMate": {
+ "startDebugTextMate": "Protokollierung der TextMate-Syntax/-Grammatik starten"
+ },
+ "vs/workbench/contrib/codeEditor/electron-sandbox/selectionClipboard": {
+ "actions.pasteSelectionClipboard": "Auswahl Zwischenablage einfügen"
+ },
+ "vs/workbench/contrib/codeEditor/browser/languageConfigurationExtensionPoint": {
+ "parseErrors": "Fehler beim Analysieren von {0}: {1}",
+ "formatError": "{0}: Ungültiges Format, JSON-Objekt erwartet",
+ "schema.openBracket": "Das öffnende Klammerzeichen oder die Zeichenfolgensequenz.",
+ "schema.closeBracket": "Das schließende Klammerzeichen oder die Zeichenfolgensequenz.",
+ "schema.comments": "Definiert die Kommentarsymbole.",
+ "schema.blockComments": "Definiert, wie Blockkommentare markiert werden.",
+ "schema.blockComment.begin": "Die Zeichenfolge, mit der ein Blockkommentar beginnt.",
+ "schema.blockComment.end": "Die Zeichenfolge, die einen Blockkommentar beendet.",
+ "schema.lineComment": "Die Zeichenfolge, mit der ein Zeilenkommentar beginnt.",
+ "schema.brackets": "Definiert die Klammersymbole, die den Einzug vergrößern oder verkleinern.",
+ "schema.autoClosingPairs": "Definiert die Klammerpaare. Wenn eine öffnende Klammer eingegeben wird, wird die schließende Klammer automatisch eingefügt.",
+ "schema.autoClosingPairs.notIn": "Definiert eine Liste von Bereichen, in denen die automatischen Paare deaktiviert sind.",
+ "schema.autoCloseBefore": "Legt fest, welche Zeichen nach dem Cursor stehen müssen, damit das automatische Umschließen mit Klammern oder Anführungszeichen angewendet wird, wenn die Einstellung \"languageDefined\" für das automatische Schließen verwendet wird. Dabei handelt es sich üblicherweise um Zeichen, die nicht am Anfang eines Ausdrucks stehen können.",
+ "schema.surroundingPairs": "Definiert die Klammerpaare, in die eine ausgewählte Zeichenfolge eingeschlossen werden kann.",
+ "schema.wordPattern": "Definiert, was in der Programmiersprache als Wort betrachtet wird.",
+ "schema.wordPattern.pattern": "RegExp Muster für Wortübereinstimmungen.",
+ "schema.wordPattern.flags": "RegExp Kennzeichen für Wortübereinstimmungen",
+ "schema.wordPattern.flags.errorMessage": "Muss mit dem Muster `/^([gimuy]+)$/` übereinstimmen.",
+ "schema.indentationRules": "Die Einzugseinstellungen der Sprache.",
+ "schema.indentationRules.increaseIndentPattern": "Wenn eine Zeile diesem Muster entspricht, sollten alle Zeilen nach dieser Zeile einmal eingerückt werden (bis eine andere Regel übereinstimmt).",
+ "schema.indentationRules.increaseIndentPattern.pattern": "Das RegExp-Muster für increaseIndentPattern.",
+ "schema.indentationRules.increaseIndentPattern.flags": "Die RegExp-Flags für increaseIndentPattern.",
+ "schema.indentationRules.increaseIndentPattern.errorMessage": "Muss mit dem Muster `/^([gimuy]+)$/` übereinstimmen.",
+ "schema.indentationRules.decreaseIndentPattern": "Wenn eine Zeile diesem Muster entspricht, sollten alle Zeilen nach dieser Zeile einmal ausgerückt werden (bis eine andere Regel übereinstimmt).",
+ "schema.indentationRules.decreaseIndentPattern.pattern": "Das RegExp-Muster für decreaseIndentPattern.",
+ "schema.indentationRules.decreaseIndentPattern.flags": "Die RegExp-Flags für decreaseIndentPattern.",
+ "schema.indentationRules.decreaseIndentPattern.errorMessage": "Muss mit dem Muster `/^([gimuy]+)$/` übereinstimmen.",
+ "schema.indentationRules.indentNextLinePattern": "Wenn eine Zeile diesem Muster entspricht, sollte **nur die nächste Zeile** nach dieser Zeile einmal eingerückt werden.",
+ "schema.indentationRules.indentNextLinePattern.pattern": "Das RegExp-Muster für indentNextLinePattern.",
+ "schema.indentationRules.indentNextLinePattern.flags": "Die RegExp-Flags für indentNextLinePattern.",
+ "schema.indentationRules.indentNextLinePattern.errorMessage": "Muss mit dem Muster `/^([gimuy]+)$/` übereinstimmen.",
+ "schema.indentationRules.unIndentedLinePattern": "Wenn eine Zeile diesem Muster entspricht, sollte ihr Einzug nicht geändert und die Zeile nicht mit den anderen Regeln ausgewertet werden.",
+ "schema.indentationRules.unIndentedLinePattern.pattern": "Das RegExp-Muster für unIndentedLinePattern.",
+ "schema.indentationRules.unIndentedLinePattern.flags": "Die RegExp-Flags für unIndentedLinePattern.",
+ "schema.indentationRules.unIndentedLinePattern.errorMessage": "Muss mit dem Muster `/^([gimuy]+)$/` übereinstimmen.",
+ "schema.folding": "Die Faltungseinstellungen der Sprache.",
+ "schema.folding.offSide": "Für eine Sprache gilt die Abseitsregel, wenn Blöcke in dieser Sprache durch die Einrücktiefe ausgedrückt werden. Wenn dies festgelegt ist, gehören leere Zeilen zum nächsten Block.",
+ "schema.folding.markers": "Sprachspezifische Faltungsmarkierungen wie \"#region\" und \"#endregion\". Die regulären Anfangs- und Endausdrücke werden im Hinblick auf den Inhalt aller Zeilen getestet und müssen effizient erstellt werden.",
+ "schema.folding.markers.start": "Das RegExp-Muster für die Startmarkierung. Das Regexp muss mit \"^\" beginnen.",
+ "schema.folding.markers.end": "Das RegExp-Muster für die Endmarkierung. Das Regexp muss mit \"^\" beginnen."
+ },
+ "vs/workbench/contrib/codeEditor/browser/quickaccess/gotoSymbolQuickAccess": {
+ "empty": "Keine übereinstimmenden Einträge.",
+ "gotoSymbolQuickAccessPlaceholder": "Geben Sie den Namen eines Symbols ein, zu dem Sie wechseln möchten.",
+ "gotoSymbolQuickAccess": "Gehe zu Symbol im Editor",
+ "gotoSymbolByCategoryQuickAccess": "Gehe zu Symbol im Editor nach Kategorie",
+ "gotoSymbol": "Gehe zu Symbol im Editor..."
+ },
+ "vs/workbench/contrib/codeEditor/browser/accessibility/accessibility": {
+ "emergencyConfOn": "Die Einstellung \"editor.accessibilitySupport\" wird in \"Ein\" geändert.",
+ "openingDocs": "Die Dokumentationsseite zur Barrierefreiheit von VS Code wird jetzt geöffnet.",
+ "introMsg": "Vielen Dank, dass Sie die Optionen für Barrierefreiheit von VS Code testen.",
+ "status": "Status:",
+ "changeConfigToOnMac": "Betätigen Sie jetzt die Befehlstaste+E, um den Editor zu konfigurieren, sodass er permanent für die Verwendung mit einer Sprachausgabe optimiert wird.",
+ "changeConfigToOnWinLinux": "Drücken Sie jetzt STRG+E, um den Editor zu konfigurieren, sodass er permanent für die Verwendung mit einer Sprachausgabe optimiert wird.",
+ "auto_unknown": "Der Editor ist für die Verwendung von Plattform-APIs konfiguriert, um zu erkennen, wenn eine Sprachausgabe angefügt wird, die aktuelle Laufzeit unterstützt dies jedoch nicht.",
+ "auto_on": "Der Editor hat automatisch erkannt, dass eine Sprachausgabe angefügt wurde.",
+ "auto_off": "Der Editor ist so konfiguriert, dass er automatisch erkennt, wenn eine Sprachausgabe angefügt wird, was momentan nicht der Fall ist.",
+ "configuredOn": "Der Editor ist so konfiguriert, dass er für die Verwendung mit einer Sprachausgabe durchgehend optimiert wird – Sie können dies ändern, indem Sie die Einstellung \"editor.accessibilitySupport\" bearbeiten.",
+ "configuredOff": "Der Editor ist so konfiguriert, dass er für die Verwendung mit einer Sprachausgabe nie optimiert wird.",
+ "tabFocusModeOnMsg": "Durch Drücken der TAB-TASTE im aktuellen Editor wird der Fokus in das nächste Element verschoben, das den Fokus erhalten kann. Schalten Sie dieses Verhalten um, indem Sie {0} drücken.",
+ "tabFocusModeOnMsgNoKb": "Durch Drücken der TAB-TASTE im aktuellen Editor wird der Fokus in das nächste Element verschoben, das den Fokus erhalten kann. Der {0}-Befehl kann zurzeit nicht durch eine Tastenzuordnung ausgelöst werden.",
+ "tabFocusModeOffMsg": "Durch Drücken der TAB-TASTE im aktuellen Editor wird das Tabstoppzeichen eingefügt. Schalten Sie dieses Verhalten um, indem Sie {0} drücken.",
+ "tabFocusModeOffMsgNoKb": "Durch Drücken der TAB-TASTE im aktuellen Editor wird das Tabstoppzeichen eingefügt. Der {0}-Befehl kann zurzeit nicht durch eine Tastenzuordnung ausgelöst werden.",
+ "openDocMac": "Drücken Sie die Befehlstaste+H, um ein Browserfenster mit zusätzlichen VS Code-Informationen zur Barrierefreiheit zu öffnen.",
+ "openDocWinLinux": "Drücken Sie STRG+H, um ein Browserfenster mit zusätzlichen VS Code-Informationen zur Barrierefreiheit zu öffnen.",
+ "outroMsg": "Sie können diese QuickInfo schließen und durch Drücken von ESC oder UMSCHALT+ESC zum Editor zurückkehren.",
+ "ShowAccessibilityHelpAction": "Hilfe zur Barrierefreiheit anzeigen"
+ },
+ "vs/workbench/contrib/codeEditor/browser/diffEditorHelper": {
+ "hintTimeout": "Der Diff-Algorithmus wurde frühzeitig beendet (nach {0} ms).",
+ "removeTimeout": "Grenzwert entfernen",
+ "hintWhitespace": "Unterschiede bei Leerzeichen anzeigen"
+ },
+ "vs/workbench/contrib/codeEditor/browser/inspectKeybindings": {
+ "workbench.action.inspectKeyMap": "Entwickler: Wichtige Zuordnungen prüfen",
+ "workbench.action.inspectKeyMapJSON": "Schlüsselzuordnungen überprüfen (JSON)"
+ },
+ "vs/workbench/contrib/codeEditor/browser/largeFileOptimizations": {
+ "largeFile": "{0}: Tokenisierung, Umbruch und Faltung wurden für diese große Datei deaktiviert, um die Speicherauslastung zu verringern und ein Einfrieren oder einen Absturz zu vermeiden.",
+ "removeOptimizations": "Aktivieren von Funktionen erzwingen",
+ "reopenFilePrompt": "Öffnen Sie die Datei erneut, damit diese Einstellung wirksam wird."
+ },
+ "vs/workbench/contrib/codeEditor/browser/inspectEditorTokens/inspectEditorTokens": {
+ "inspectEditorTokens": "Entwickler: Editor-Token und -Bereiche überprüfen",
+ "inspectTMScopesWidget.loading": "Wird geladen..."
+ },
+ "vs/workbench/contrib/codeEditor/browser/quickaccess/gotoLineQuickAccess": {
+ "gotoLineQuickAccessPlaceholder": "Geben Sie die Zeilennummer und optional die Spalte ein, zu der Sie wechseln möchten (z. B. 42:5 für Zeile 42 und Spalte 5).",
+ "gotoLineQuickAccess": "Gehe zu Zeile/Spalte",
+ "gotoLine": "Gehe zu Zeile/Spalte..."
+ },
+ "vs/workbench/contrib/codeEditor/browser/saveParticipants": {
+ "formatting": "Ausführen des Formatierers \"{0}\" [konfigurieren](command:workbench.action.openSettings?%5B%22editor.formatOnSave%22%5D).",
+ "codeaction": "Schnelle Fixes",
+ "codeaction.get": "Abrufen von Codeaktionen aus \"{0}\" [konfigurieren](command:workbench.action.openSettings?%5B%22editor.codeActionsOnSave%22%5D).",
+ "codeAction.apply": "Codeaktion \"{0}\" wird angewendet."
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleColumnSelection": {
+ "toggleColumnSelection": "Spaltenauswahlmodus umschalten",
+ "miColumnSelection": "Modus für &&Spaltenauswahl"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleMinimap": {
+ "toggleMinimap": "Minimap ein-/ausschalten",
+ "miShowMinimap": "&&Minimap anzeigen"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleMultiCursorModifier": {
+ "toggleLocation": "Multi-Cursor-Modifizierer umschalten",
+ "miMultiCursorAlt": "Für Multi-Cursor zu ALT+Mausklick wechseln",
+ "miMultiCursorCmd": "Für Multi-Cursor zu Befehlstaste+Mausklick wechseln",
+ "miMultiCursorCtrl": "Für Multi-Cursor zu STRG+Mausklick wechseln"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleRenderControlCharacter": {
+ "toggleRenderControlCharacters": "Steuerzeichen umschalten",
+ "miToggleRenderControlCharacters": "&&Steuerzeichen rendern"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleRenderWhitespace": {
+ "toggleRenderWhitespace": "Rendern von Leerzeichen umschalten",
+ "miToggleRenderWhitespace": "&&Leerraumzeichen rendern"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleWordWrap": {
+ "toggle.wordwrap": "Ansicht: Zeilenumbruch umschalten",
+ "unwrapMinified": "Umbruch für diese Datei deaktivieren",
+ "wrapMinified": "Umbruch für diese Datei aktivieren",
+ "miToggleWordWrap": "&&Zeilenumbruch umschalten"
+ },
+ "vs/workbench/contrib/codeEditor/browser/find/simpleFindWidget": {
+ "label.find": "Suchen",
+ "placeholder.find": "Suchen",
+ "label.previousMatchButton": "Vorherige Übereinstimmung",
+ "label.nextMatchButton": "Nächste Übereinstimmung",
+ "label.closeButton": "Schließen"
+ },
+ "vs/workbench/contrib/codeEditor/browser/find/simpleFindReplaceWidget": {
+ "label.find": "Suchen",
+ "placeholder.find": "Suchen",
+ "label.previousMatchButton": "Vorherige Übereinstimmung",
+ "label.nextMatchButton": "Nächste Übereinstimmung",
+ "label.closeButton": "Schließen",
+ "label.toggleReplaceButton": "Ersetzen-Modus wechseln",
+ "label.replace": "Ersetzen",
+ "placeholder.replace": "Ersetzen",
+ "label.replaceButton": "Ersetzen",
+ "label.replaceAllButton": "Alle ersetzen"
+ },
+ "vs/workbench/contrib/comments/browser/comments.contribution": {
+ "commentsConfigurationTitle": "Kommentare",
+ "openComments": "Steuert, wann das Kommentarpanel geöffnet werden soll."
+ },
+ "vs/workbench/contrib/comments/browser/commentsEditorContribution": {
+ "pickCommentService": "Kommentaranbieter auswählen",
+ "nextCommentThreadAction": "Zum nächsten Kommentarthread wechseln"
+ },
+ "vs/workbench/contrib/comments/browser/commentsView": {
+ "collapseAll": "Alle zuklappen",
+ "rootCommentsLabel": "Kommentare für aktuellen Arbeitsbereich",
+ "resourceWithCommentThreadsLabel": "Kommentare in {0}, vollständiger Pfad: {1}",
+ "resourceWithCommentLabel": "Kommentar aus ${0} in Zeile {1}, Spalte {2} in {3}, Quelle: {4}"
+ },
+ "vs/workbench/contrib/comments/browser/commentsTreeViewer": {
+ "imageWithLabel": "Bild: {0}",
+ "image": "Bild"
+ },
+ "vs/workbench/contrib/comments/browser/commentGlyphWidget": {
+ "editorGutterCommentRangeForeground": "Bundsteg-Schmuckfarbe für Kommentarbereiche im Editor."
+ },
+ "vs/workbench/contrib/comments/browser/commentThreadWidget": {
+ "collapseIcon": "Symbol für das Zuklappen eines Überprüfungskommentars.",
+ "label.collapse": "Reduzieren",
+ "startThread": "Diskussion starten",
+ "reply": "Antworten...",
+ "newComment": "Neuen Kommentar eingeben"
+ },
+ "vs/workbench/contrib/comments/common/commentModel": {
+ "noComments": "Dieser Arbeitsbereich enthält noch keine Kommentare."
+ },
+ "vs/workbench/contrib/comments/browser/commentNode": {
+ "commentToggleReaction": "Umschaltreaktion",
+ "commentToggleReactionError": "Fehler beim Umschalten der Kommentarreaktion: {0}.",
+ "commentToggleReactionDefaultError": "Fehler beim Umschalten der Kommentarreaktion.",
+ "commentDeleteReactionError": "Fehler beim Löschen der Kommentarreaktion: {0}.",
+ "commentDeleteReactionDefaultError": "Fehler beim Löschen der Kommentarreaktion",
+ "commentAddReactionError": "Fehler beim Löschen der Kommentarreaktion: {0}.",
+ "commentAddReactionDefaultError": "Fehler beim Löschen der Kommentarreaktion"
+ },
+ "vs/workbench/contrib/comments/browser/reactionsAction": {
+ "pickReactions": "Reaktionen auswählen..."
+ },
+ "vs/workbench/contrib/customEditor/browser/customEditors": {
+ "openWithCurrentlyActive": "Derzeit aktiv",
+ "promptOpenWith.setDefaultTooltip": "Als Standard-Editor für {0}-Dateien festlegen",
+ "promptOpenWith.placeHolder": "Auswahl von Editor zur Verwendung mit '{0}'..."
+ },
+ "vs/workbench/contrib/customEditor/common/contributedCustomEditors": {
+ "builtinProviderDisplayName": "Integriert",
+ "promptOpenWith.defaultEditor.displayName": "Text-Editor"
+ },
+ "vs/workbench/contrib/customEditor/common/extensionPoint": {
+ "contributes.customEditors": "Beigetragene benutzerdefinierte Editoren.",
+ "contributes.viewType": "Bezeichner für den benutzerdefinierten Editor. Dieser muss für alle benutzerdefinierten Editoren eindeutig sein. Daher empfiehlt es sich, die Erweiterungs-ID als Teil von \"viewType\" einzufügen. \"viewType\" wird beim Registrieren benutzerdefinierter Editoren mit \"vscode.registerCustomEditorProvider\" und im [Aktivierungsereignis](https://code.visualstudio.com/api/references/activation-events) \"onCustomEditor:${id}\" verwendet.",
+ "contributes.displayName": "Der lesbare Name des benutzerdefinierten Editors. Dieser wird den Benutzern angezeigt, wenn sie den zu verwendenden Editor auswählen.",
+ "contributes.selector": "Gruppe von Globs, für die der benutzerdefinierte Editor aktiviert ist.",
+ "contributes.selector.filenamePattern": "Globzeichenfolge, für die der benutzerdefinierte Editor aktiviert ist.",
+ "contributes.priority": "Steuert, ob der benutzerdefinierte Editor automatisch aktiviert wird, wenn der Benutzer eine Datei öffnet. Diese Einstellung kann von Benutzern über die Einstellung \"workbench.editorAssociations\" außer Kraft gesetzt werden.",
+ "contributes.priority.default": "Der Editor wird automatisch verwendet, wenn der Benutzer eine Ressource öffnet, sofern keine anderen benutzerdefinierten Standard-Editoren für diese Ressource registriert sind.",
+ "contributes.priority.option": "Der Editor wird nicht automatisch verwendet, wenn der Benutzer eine Ressource öffnet. Ein Benutzer kann jedoch mit dem Befehl \"Erneut öffnen mit\" zum Editor wechseln."
+ },
+ "vs/workbench/contrib/debug/common/debug": {
+ "internalConsoleOptions": "Steuert, wann die interne Debugging-Konsole geöffnet werden soll."
+ },
+ "vs/workbench/contrib/debug/browser/debug.contribution": {
+ "debugCategory": "Debuggen",
+ "runCategory": "Starten",
+ "startDebugPlaceholder": "Geben Sie den Namen einer Startkonfiguration, um die Ausführung zu starten.",
+ "startDebuggingHelp": "Debuggen starten",
+ "terminateThread": "Thread beenden",
+ "debugFocusConsole": "Fokus auf der Debugging-Konsolenansicht",
+ "jumpToCursor": "Zum Cursor wechseln",
+ "SetNextStatement": "Nächste Anweisung festlegen",
+ "inlineBreakpoint": "Inlinehaltepunkt",
+ "stepBackDebug": "Schritt zurück",
+ "reverseContinue": "Umkehren",
+ "restartFrame": "Frame neu starten",
+ "copyStackTrace": "Aufrufliste kopieren",
+ "setValue": "Wert festlegen",
+ "copyValue": "Wert kopieren",
+ "copyAsExpression": "Als Ausdruck kopieren",
+ "addToWatchExpressions": "Zur Überwachung hinzufügen",
+ "breakWhenValueChanges": "Bei Wertänderungen unterbrechen",
+ "miViewRun": "&&Ausführen",
+ "miToggleDebugConsole": "De&&bugging-Konsole",
+ "miStartDebugging": "&&Debugging starten",
+ "miRun": "&&Ohne Debuggen ausführen",
+ "miStopDebugging": "&&Debugging beenden",
+ "miRestart Debugging": "&&Debugging erneut starten",
+ "miOpenConfigurations": "&&Konfigurationen öffnen",
+ "miAddConfiguration": "Konfiguration &&hinzufügen...",
+ "miStepOver": "Prozedur&&schritt",
+ "miStepInto": "Einzelschr&&itt",
+ "miStepOut": "Rückspr&&ung",
+ "miContinue": "&&Fortfahren",
+ "miToggleBreakpoint": "Haltepunkt &&umschalten",
+ "miConditionalBreakpoint": "&&Bedingter Haltepunkt...",
+ "miInlineBreakpoint": "Inlinebreakp&&oint",
+ "miFunctionBreakpoint": "&&Funktionshaltepunkt...",
+ "miLogPoint": "&&Protokollpunkt...",
+ "miNewBreakpoint": "&&Neuer Haltepunkt",
+ "miEnableAllBreakpoints": "&&Alle Haltepunkte aktivieren",
+ "miDisableAllBreakpoints": "A&&lle Haltepunkte deaktivieren",
+ "miRemoveAllBreakpoints": "&&Alle Haltepunkte entfernen",
+ "miInstallAdditionalDebuggers": "&&Zusätzliche Debugger installieren...",
+ "debugPanel": "Debugging-Konsole",
+ "run": "Ausführen",
+ "variables": "Variablen",
+ "watch": "Überwachen",
+ "callStack": "Aufrufliste",
+ "breakpoints": "Haltepunkte",
+ "loadedScripts": "Geladene Skripts",
+ "debugConfigurationTitle": "Debuggen",
+ "allowBreakpointsEverywhere": "Das Festlegen von Haltepunkten für alle Dateien ermöglichen.",
+ "openExplorerOnEnd": "Die Explorer-Ansicht wird automatisch am Ende einer Debugsitzung geöffnet.",
+ "inlineValues": "Variablenwerte beim Debuggen in den Editor eingebunden anzeigen",
+ "toolBarLocation": "Steuert die Position der Symbolleiste \"Debuggen\". Entweder \"floating\" (unverankert) in allen Ansichten, \"docked\" (angedockt) in der Debugansicht oder \"hidden\" (ausgeblendet).",
+ "never": "Debuggen nie in Statusleiste anzeigen",
+ "always": "Debuggen immer in Statusleiste anzeigen",
+ "onFirstSessionStart": "Debuggen nur in Statusleiste anzeigen, nachdem das Debuggen erstmals gestartet wurde",
+ "showInStatusBar": "Steuert, wann die Debugstatusleiste angezeigt werden soll.",
+ "debug.console.closeOnEnd": "Steuert, ob die Debugging-Konsole automatisch geschlossen werden soll, wenn die Debugsitzung endet.",
+ "openDebug": "Steuert, wann die Debugansicht geöffnet werden soll.",
+ "showSubSessionsInToolBar": "Legt fest, ob die untergeordneten Sitzungen der Debugsitzung auf der Debugsymbolleiste angezeigt werden. Wenn diese Einstellung deaktiviert ist, wird mit dem Beenden einer untergeordneten Sitzung auch die übergeordnete Sitzung beendet.",
+ "debug.console.fontSize": "Legt die Schriftgröße der Debugging-Konsole in Pixeln fest.",
+ "debug.console.fontFamily": "Legt die Schriftfamilie der Debugging-Konsole fest.",
+ "debug.console.lineHeight": "Legt die Zeilenhöhe der Debugging-Konsole in Pixeln fest. Geben Sie \"0\" ein, wenn die Zeilenhöhe aus dem Schriftgrad berechnet werden soll.",
+ "debug.console.wordWrap": "Steuert, ob die Zeilen in der Debugkonsole umbrochen werden sollen.",
+ "debug.console.historySuggestions": "Steuert, ob die Debugging-Konsole zuvor eingegebene Eingaben vorschlagen soll.",
+ "launch": "Globale Konfiguration für das Starten des Debuggens. Kann alternativ zur Datei \"launch.json\" verwendet werden, die in mehreren Arbeitsbereichen verwendet wird.",
+ "debug.focusWindowOnBreak": "Steuert, ob das Workbench-Fenster den Fokus erhalten soll, wenn der Debugger unterbrochen wird.",
+ "debugAnyway": "Hiermit werden Aufgabenfehler ignoriert und das Debuggen gestartet.",
+ "showErrors": "Hiermit wird die Problemansicht angezeigt und das Debuggen nicht gestartet.",
+ "prompt": "Benutzer auffordern",
+ "cancel": "Brechen Sie das Debuggen ab.",
+ "debug.onTaskErrors": "Steuert die erforderlichen Schritte, wenn nach Ausführung von preLaunchTask Fehler festgestellt werden.",
+ "showBreakpointsInOverviewRuler": "Legt fest, ob Breakpoints im Übersichtslineal angezeigt werden sollen.",
+ "showInlineBreakpointCandidates": "Legt fest, ob Dekorationen für Inlinebreakpointkandidaten während des Debuggens im Editor angezeigt werden sollen"
+ },
+ "vs/workbench/contrib/debug/browser/debugEditorContribution": {
+ "addConfiguration": "Konfiguration hinzufügen..."
+ },
+ "vs/workbench/contrib/debug/browser/breakpointEditorContribution": {
+ "logPoint": "Protokollpunkt",
+ "breakpoint": "Haltepunkt",
+ "breakpointHasConditionDisabled": "Diese {0} enthält eine {1}, die beim Entfernen verloren geht. Aktivieren Sie stattdessen ggf. {0}. ",
+ "message": "Nachricht",
+ "condition": "Bedingung",
+ "breakpointHasConditionEnabled": "Dieser {0} hat eine {1}, die beim Entfernen verloren geht. Deaktivieren Sie stattdessen ggf. den {0}.",
+ "removeLogPoint": "\"{0}\" entfernen",
+ "disableLogPoint": "{0} {1}",
+ "disable": "Deaktivieren",
+ "enable": "Aktivieren",
+ "cancel": "Abbrechen",
+ "removeBreakpoint": "\"{0}\" entfernen",
+ "editBreakpoint": "\"{0}\" bearbeiten...",
+ "disableBreakpoint": "{0} deaktivieren",
+ "enableBreakpoint": "{0} aktivieren",
+ "removeBreakpoints": "Haltepunkte entfernen",
+ "removeInlineBreakpointOnColumn": "Inlinehaltepunkt in Spalte {0} entfernen",
+ "removeLineBreakpoint": "Zeilenhaltepunkt entfernen",
+ "editBreakpoints": "Haltepunkte bearbeiten",
+ "editInlineBreakpointOnColumn": "Inlinehaltepunkt in Spalte {0} bearbeiten",
+ "editLineBrekapoint": "Zeilenhaltepunkt bearbeiten",
+ "enableDisableBreakpoints": "Haltepunkte aktivieren/deaktivieren",
+ "disableInlineColumnBreakpoint": "Inlinehaltepunkt in Spalte {0} deaktivieren",
+ "disableBreakpointOnLine": "Zeilenhaltepunkt deaktivieren",
+ "enableBreakpoints": "Inlinehaltepunkt in Spalte {0} aktivieren",
+ "enableBreakpointOnLine": "Zeilenhaltepunkt aktivieren",
+ "addBreakpoint": "Haltepunkt hinzufügen",
+ "addConditionalBreakpoint": "Bedingten Haltepunkt hinzufügen...",
+ "addLogPoint": "Protokollpunkt hinzufügen ...",
+ "debugIcon.breakpointForeground": "Symbolfarbe für Breakpoints",
+ "debugIcon.breakpointDisabledForeground": "Symbolfarbe für deaktivierte Breakpoints",
+ "debugIcon.breakpointUnverifiedForeground": "Symbolfarbe für nicht überprüfte Breakpoints",
+ "debugIcon.breakpointCurrentStackframeForeground": "Symbolfarbe für den Rahmen des aktuellen Breaktpointstapels",
+ "debugIcon.breakpointStackframeForeground": "Symbolfarbe für die Rahmen aller Breakpointstapel"
+ },
+ "vs/workbench/contrib/debug/browser/callStackEditorContribution": {
+ "topStackFrameLineHighlight": "Hintergrundfarbe zur Hervorhebung der Zeile an der Position des obersten Stapelrahmens.",
+ "focusedStackFrameLineHighlight": "Hintergrundfarbe zur Hervorhebung der Zeile an der Position des fokussierten Stapelrahmens."
+ },
+ "vs/workbench/contrib/debug/browser/repl": {
+ "workbench.debug.filter.placeholder": "Filtern (Beispiel: text, !exclude)",
+ "debugConsole": "Debugging-Konsole",
+ "copy": "Kopieren",
+ "copyAll": "Alles kopieren",
+ "paste": "Einfügen",
+ "collapse": "Alle zuklappen",
+ "startDebugFirst": "Starten Sie eine Debugsitzung, um Ausdrücke auszuwerten.",
+ "actions.repl.acceptInput": "REPL-Eingaben akzeptieren",
+ "repl.action.filter": "REPL Fokus auf zu filternden Inhalt",
+ "actions.repl.copyAll": "Debuggen: Konsole – alle kopieren",
+ "selectRepl": "Debugging-Konsole auswählen",
+ "clearRepl": "Konsole löschen",
+ "debugConsoleCleared": "Die Debugging-Konsole wurde bereinigt."
+ },
+ "vs/workbench/contrib/debug/browser/debugViewlet": {
+ "startAdditionalSession": "Zusätzliche Sitzung starten",
+ "toggleDebugPanel": "Debugging-Konsole",
+ "toggleDebugViewlet": "\"Ausführen und debuggen\" anzeigen"
+ },
+ "vs/workbench/contrib/debug/common/abstractDebugAdapter": {
+ "timeout": "Timeout nach {0} ms für \"{1}\""
+ },
+ "vs/workbench/contrib/debug/browser/breakpointsView": {
+ "editCondition": "Bedingung bearbeiten",
+ "Logpoint": "Protokollpunkt",
+ "Breakpoint": "Haltepunkt",
+ "editBreakpoint": "\"{0}\" bearbeiten...",
+ "removeBreakpoint": "\"{0}\" entfernen",
+ "expressionCondition": "Ausdrucksbedingung: {0}",
+ "functionBreakpointsNotSupported": "Funktionshaltepunkte werden von diesem Debugtyp nicht unterstützt.",
+ "dataBreakpointsNotSupported": "Datenhaltepunkte werden von diesem Debugtyp nicht unterstützt.",
+ "functionBreakpointPlaceholder": "Funktion mit Haltepunkt",
+ "functionBreakPointInputAriaLabel": "Geben Sie den Funktionshaltepunkt ein.",
+ "exceptionBreakpointPlaceholder": "Anhalten, wenn der Ausdruck als TRUE ausgewertet wird",
+ "exceptionBreakpointAriaLabel": "Bedingung für Typausnahme-Haltepunkt",
+ "breakpoints": "Haltepunkte",
+ "disabledLogpoint": "Deaktivierter Protokollpunkt",
+ "disabledBreakpoint": "Deaktivierter Haltepunkt",
+ "unverifiedLogpoint": "Nicht überprüfter Protokollpunkt",
+ "unverifiedBreakopint": "Nicht überprüfter Haltepunkt",
+ "functionBreakpointUnsupported": "Funktionshaltepunkte werden von diesem Debugtyp nicht unterstützt.",
+ "functionBreakpoint": "Funktionshaltepunkt",
+ "dataBreakpointUnsupported": "Datenhaltepunkte werden von diesem Debugtyp nicht unterstützt.",
+ "dataBreakpoint": "Datenhaltepunkt",
+ "breakpointUnsupported": "Haltepunkte dieses Typs werden vom Debugger nicht unterstützt",
+ "logMessage": "Protokollnachricht: {0}",
+ "expression": "Ausdrucksbedingung: {0}",
+ "hitCount": "Trefferanzahl: {0}",
+ "breakpoint": "Haltepunkt"
+ },
+ "vs/workbench/contrib/debug/browser/callStackView": {
+ "running": "Wird ausgeführt",
+ "showMoreStackFrames2": "Mehr Stapelrahmen anzeigen",
+ "session": "Sitzung",
+ "thread": "Thread",
+ "restartFrame": "Frame neu starten",
+ "loadAllStackFrames": "Alle Stapelrahmen laden",
+ "showMoreAndOrigin": "{0} weitere anzeigen: {1}",
+ "showMoreStackFrames": "{0} weitere Stapelrahmen anzeigen",
+ "callStackAriaLabel": "Aufrufliste debuggen",
+ "threadAriaLabel": "Thread \"{0}\": {1}",
+ "stackFrameAriaLabel": "Stapelrahmen \"{0}\", Zeile {1}, {2}",
+ "sessionLabel": "Sitzung \"{0}\": {1}"
+ },
+ "vs/workbench/contrib/debug/browser/debugActions": {
+ "openLaunchJson": "{0} öffnen",
+ "launchJsonNeedsConfigurtion": "Konfigurieren oder reparieren Sie \"launch.json\".",
+ "noFolderDebugConfig": "Öffnen Sie zuerst einen Ordner, um eine erweiterte Debugkonfiguration durchzuführen.",
+ "selectWorkspaceFolder": "Wählen Sie einen Arbeitsbereichsordner aus, in dem eine Datei \"launch.json\" erstellt werden soll, oder fügen Sie ihn der Datei mit der Arbeitsbereichskonfiguration hinzu.",
+ "startDebug": "Debuggen starten",
+ "startWithoutDebugging": "Ohne Debuggen starten",
+ "selectAndStartDebugging": "Debugging auswählen und starten",
+ "removeBreakpoint": "Haltepunkt entfernen",
+ "removeAllBreakpoints": "Alle Haltepunkte entfernen",
+ "enableAllBreakpoints": "Alle Haltepunkte aktivieren",
+ "disableAllBreakpoints": "Alle Haltepunkte deaktivieren",
+ "activateBreakpoints": "Haltepunkte aktivieren",
+ "deactivateBreakpoints": "Haltepunkte deaktivieren",
+ "reapplyAllBreakpoints": "Alle Haltepunkte erneut anwenden",
+ "addFunctionBreakpoint": "Funktionshaltepunkt hinzufügen",
+ "addWatchExpression": "Ausdruck hinzufügen",
+ "removeAllWatchExpressions": "Alle Ausdrücke entfernen",
+ "focusSession": "Fokus auf Sitzung",
+ "copyValue": "Wert kopieren"
+ },
+ "vs/workbench/contrib/debug/browser/debugToolBar": {
+ "debugToolBarBackground": "Hintergrundfarbe der Debug-Symbolleiste.",
+ "debugToolBarBorder": "Rahmenfarbe der Debug-Symbolleiste.",
+ "debugIcon.startForeground": "Symbol zum Starten auf der Debuggersymbolleiste",
+ "debugIcon.pauseForeground": "Symbol zum Pausieren auf der Debuggersymbolleiste",
+ "debugIcon.stopForeground": "Symbol zum Anhalten auf der Debuggersymbolleiste",
+ "debugIcon.disconnectForeground": "Symbol zum Trennen auf der Debuggersymbolleiste",
+ "debugIcon.restartForeground": "Symbol zum Neustarten auf der Debuggersymbolleiste",
+ "debugIcon.stepOverForeground": "Symbol für Prozedurschritt auf der Debuggersymbolleiste",
+ "debugIcon.stepIntoForeground": "Symbol für Einzelschritt auf der Debuggersymbolleiste",
+ "debugIcon.stepOutForeground": "Symbol für Prozedurschritt auf der Debuggersymbolleiste",
+ "debugIcon.continueForeground": "Symbol zum Fortfahren auf der Debuggersymbolleiste",
+ "debugIcon.stepBackForeground": "Symbol auf der Debugsymbolleiste für \"Schritt zurück\""
+ },
+ "vs/workbench/contrib/debug/browser/debugService": {
+ "1activeSession": "1 aktive Sitzung",
+ "nActiveSessions": "{0} aktive Sitzungen",
+ "configurationAlreadyRunning": "Es wird bereits eine Debugkonfiguration \"{0}\" ausgeführt.",
+ "compoundMustHaveConfigurations": "Für den Verbund muss das Attribut \"configurations\" festgelegt werden, damit mehrere Konfigurationen gestartet werden können.",
+ "noConfigurationNameInWorkspace": "Die Startkonfiguration \"{0}\" wurde im Arbeitsbereich nicht gefunden.",
+ "multipleConfigurationNamesInWorkspace": "Im Arbeitsbereich sind mehrere Startkonfigurationen \"{0}\" vorhanden. Verwenden Sie den Ordnernamen, um die Konfiguration zu qualifizieren.",
+ "noFolderWithName": "Der Ordner mit dem Namen \"{0}\" für die Konfiguration \"{1}\" wurde im Verbund \"{2}\" nicht gefunden.",
+ "configMissing": "Konfiguration \"{0}\" fehlt in \"launch.json\".",
+ "launchJsonDoesNotExist": "\"launch.json\" ist für den übergebenen Arbeitsbereichsordner nicht vorhanden.",
+ "debugRequestNotSupported": "Das Attribut \"{0}\" weist in der ausgewählten Debugkonfiguration den nicht unterstützten Wert \"{1}\" auf.",
+ "debugRequesMissing": "Das Attribut \"{0}\" fehlt in der ausgewählten Debugkonfiguration.",
+ "debugTypeNotSupported": "Der konfigurierte Debugtyp \"{0}\" wird nicht unterstützt.",
+ "debugTypeMissing": "Fehlende Eigenschaft \"type\" für die ausgewählte Startkonfiguration.",
+ "installAdditionalDebuggers": "Erweiterung \"{0}\" installieren",
+ "noFolderWorkspaceDebugError": "Für die aktive Datei ist kein Debuggen möglich. Stellen Sie sicher, dass sie gespeichert ist und dass Sie eine Debugerweiterung für diesen Dateityp installiert haben.",
+ "debugAdapterCrash": "Der Debugadapterprozess wurde unerwartet beendet ({0}).",
+ "cancel": "Abbrechen",
+ "debuggingPaused": "{0}:{1}, Debuggen angehalten: {2}, {3}",
+ "breakpointAdded": "Haltepunkt hinzugefügt, Zeile {0}, Datei \\\"{1}\\\"",
+ "breakpointRemoved": "Haltepunkt entfernt, Zeile {0}, Datei \\\"{1}\\\""
+ },
+ "vs/workbench/contrib/debug/browser/statusbarColorProvider": {
+ "statusBarDebuggingBackground": "Hintergrundfarbe der Statusleiste beim Debuggen eines Programms. Die Statusleiste wird unten im Fenster angezeigt.",
+ "statusBarDebuggingForeground": "Vordergrundfarbe der Statusleiste beim Debuggen eines Programms. Die Statusleiste wird unten im Fenster angezeigt.",
+ "statusBarDebuggingBorder": "Rahmenfarbe der Statusleiste zur Abtrennung von der Randleiste und dem Editor, wenn ein Programm debuggt wird. Die Statusleiste wird unten im Fenster angezeigt."
+ },
+ "vs/workbench/contrib/debug/browser/debugStatus": {
+ "status.debug": "Debuggen",
+ "debugTarget": "Debuggen: {0}",
+ "selectAndStartDebug": "Debug Konfiguration auswählen und starten"
+ },
+ "vs/workbench/contrib/debug/browser/debugCommands": {
+ "restartDebug": "Neu starten",
+ "stepOverDebug": "Prozedurschritt",
+ "stepIntoDebug": "Einzelschritt",
+ "stepOutDebug": "Ausführen bis Rücksprung",
+ "pauseDebug": "Anhalten",
+ "disconnect": "Trennen",
+ "stop": "Stopp",
+ "continueDebug": "Weiter",
+ "chooseLocation": "Spezifischen Speicherort auswählen",
+ "noExecutableCode": "Der aktuellen Cursorposition ist kein ausführbarer Code zugeordnet.",
+ "jumpToCursor": "Zum Cursor wechseln",
+ "debug": "Debuggen",
+ "noFolderDebugConfig": "Öffnen Sie zuerst einen Ordner, um eine erweiterte Debugkonfiguration durchzuführen.",
+ "addInlineBreakpoint": "Inlinehaltepunkt hinzufügen"
+ },
+ "vs/workbench/contrib/debug/browser/loadedScriptsView": {
+ "loadedScriptsSession": "Debugsitzung",
+ "loadedScriptsAriaLabel": "Geladen Skripts debuggen",
+ "loadedScriptsRootFolderAriaLabel": "Arbeitsbereichordner {0}, geladenes Skript, Debuggen",
+ "loadedScriptsSessionAriaLabel": "Sitzung {0}, geladenes Skript, Debuggen",
+ "loadedScriptsFolderAriaLabel": "Ordner {0}, geladenes Skript, Debuggen",
+ "loadedScriptsSourceAriaLabel": "{0}, geladenes Skript, Debuggen"
+ },
+ "vs/workbench/contrib/debug/browser/debugEditorActions": {
+ "toggleBreakpointAction": "Debuggen: Haltepunkt umschalten",
+ "conditionalBreakpointEditorAction": "Debuggen: Bedingten Haltepunkt hinzufügen...",
+ "logPointEditorAction": "Debuggen: Protokollpunkt hinzufügen ...",
+ "runToCursor": "Ausführen bis Cursor",
+ "evaluateInDebugConsole": "In der Debugging-Konsole auswerten",
+ "addToWatch": "Zur Überwachung hinzufügen",
+ "showDebugHover": "Debuggen: Hover anzeigen",
+ "stepIntoTargets": "Ziele für Einzelschritte...",
+ "goToNextBreakpoint": "Debuggen: Zum nächsten Haltepunkt wechseln",
+ "goToPreviousBreakpoint": "Debuggen: Zum vorherigen Haltepunkt wechseln",
+ "closeExceptionWidget": "Ausnahmewidget schließen"
+ },
+ "vs/workbench/contrib/debug/browser/watchExpressionsView": {
+ "editWatchExpression": "Ausdruck bearbeiten",
+ "removeWatchExpression": "Ausdruck entfernen",
+ "watchExpressionInputAriaLabel": "Geben Sie den Überwachungsausdruck ein.",
+ "watchExpressionPlaceholder": "Zu überwachender Ausdruck",
+ "watchAriaTreeLabel": "Überwachungsausdrücke debuggen",
+ "watchExpressionAriaLabel": "{0}, Wert \"{1}\"",
+ "watchVariableAriaLabel": "{0}, Wert \"{1}\""
+ },
+ "vs/workbench/contrib/debug/browser/variablesView": {
+ "variableValueAriaLabel": "Geben Sie einen neuen Variablenwert ein.",
+ "variablesAriaTreeLabel": "Variablen debuggen",
+ "variableScopeAriaLabel": "Bereich \"{0}\"",
+ "variableAriaLabel": "{0}, Wert \"{1}\""
+ },
+ "vs/workbench/contrib/debug/common/debugContentProvider": {
+ "unable": "Die Ressource konnte ohne eine Debugsitzung nicht aufgelöst werden.",
+ "canNotResolveSourceWithError": "Die Quelle \"{0}\" konnte nicht geladen werden: {1}.",
+ "canNotResolveSource": "Die Quelle \"{0}\" konnte nicht geladen werden."
+ },
+ "vs/workbench/contrib/debug/browser/welcomeView": {
+ "run": "Ausführen",
+ "openAFileWhichCanBeDebugged": "[Öffnen Sie eine Datei](command:{0}), die gedebuggt oder ausgeführt werden kann.",
+ "runAndDebugAction": "[Ausführen und Debuggen{0}](command:{1})",
+ "detectThenRunAndDebug": "Hier können Sie alle Konfigurationen für das automatische Debuggen [anzeigen](command:{0}).",
+ "customizeRunAndDebug": "Zum Anpassen von \"Ausführen und Debuggen\" [erstellen Sie eine launch.json-Datei](command:{0}).",
+ "customizeRunAndDebugOpenFolder": "Öffnen Sie zum Anpassen von \"Ausführen und debuggen\" [einen Ordner](command:{0}), und erstellen Sie eine launch.json-Datei."
+ },
+ "vs/workbench/contrib/debug/browser/debugQuickAccess": {
+ "noDebugResults": "Keine übereinstimmenden Startkonfigurationen.",
+ "customizeLaunchConfig": "Startkonfiguration festlegen",
+ "contributed": "Beigetragen",
+ "providerAriaLabel": "{0} beigetragene Konfigurationen",
+ "configure": "Konfigurieren",
+ "addConfigTo": "Konfiguration hinzufügen ({0})...",
+ "addConfiguration": "Konfiguration hinzufügen..."
+ },
+ "vs/workbench/contrib/debug/browser/debugIcons": {
+ "debugConsoleViewIcon": "Ansichtssymbol der Debugging-Konsolenansicht.",
+ "runViewIcon": "Ansichtssymbol der Ausführungsansicht.",
+ "variablesViewIcon": "Ansichtssymbol der Variablenansicht.",
+ "watchViewIcon": "Ansichtssymbol der Überwachungsansicht.",
+ "callStackViewIcon": "Ansichtssymbol der Aufruflistenansicht.",
+ "breakpointsViewIcon": "Ansichtssymbol für die Haltepunktansicht.",
+ "loadedScriptsViewIcon": "Ansichtssymbol der Ansicht für geladene Skripts.",
+ "debugBreakpoint": "Symbol für Haltepunkte",
+ "debugBreakpointDisabled": "Symbol für deaktivierte Haltepunkte",
+ "debugBreakpointUnverified": "Symbol für nicht überprüfte Haltepunkte",
+ "debugBreakpointHint": "Symbol für Haltepunkthinweise, die beim Zeigen auf den Editor-Glyphenrand angezeigt werden",
+ "debugBreakpointFunction": "Symbol für Funktionshaltepunkte",
+ "debugBreakpointFunctionUnverified": "Symbol für nicht überprüfte Funktionshaltepunkte",
+ "debugBreakpointFunctionDisabled": "Symbol für deaktivierte Funktionshaltepunkte",
+ "debugBreakpointUnsupported": "Symbol für nicht unterstützte Haltepunkte",
+ "debugBreakpointConditionalUnverified": "Symbol für nicht überprüfte bedingte Haltepunkte",
+ "debugBreakpointConditional": "Symbol für bedingte Haltepunkte",
+ "debugBreakpointConditionalDisabled": "Symbol für deaktivierte bedingte Haltepunkte",
+ "debugBreakpointDataUnverified": "Symbol für nicht überprüfte Datenhaltepunkte",
+ "debugBreakpointData": "Symbol für Datenhaltepunkte",
+ "debugBreakpointDataDisabled": "Symbol für deaktivierte Datenhaltepunkte",
+ "debugBreakpointLogUnverified": "Symbol für nicht überprüfte Protokollhaltepunkte",
+ "debugBreakpointLog": "Symbol für Protokollhaltepunkte",
+ "debugBreakpointLogDisabled": "Symbol für deaktivierte Protokollhaltepunkte",
+ "debugStackframe": "Symbol für einen Stapelrahmen, der im Editor-Glyphenrand angezeigt wird",
+ "debugStackframeFocused": "Symbol für einen Stapelrahmen mit Fokus, der im Editor-Glyphenrand angezeigt wird",
+ "debugGripper": "Symbol für das Ziehelement der Debugleiste",
+ "debugRestartFrame": "Symbol für die Aktion zum Frameneustart beim Debuggen",
+ "debugStop": "Symbol für die Aktion \"Beenden\" beim Debuggen",
+ "debugDisconnect": "Symbol für die Aktion zum Trennen der Debugverbindung",
+ "debugRestart": "Symbol für die Aktion zum erneuten Starten des Debuggens",
+ "debugStepOver": "Symbol für die Aktion \"Prozedurschritt\" beim Debuggen",
+ "debugStepInto": "Symbol für die Aktion \"Schrittweise ausführen\" beim Debuggen",
+ "debugStepOut": "Symbol für die Aktion \"Ausführen bis Rücksprung\" beim Debuggen",
+ "debugStepBack": "Symbol für die Aktion \"Schritt zurück\" beim Debuggen",
+ "debugPause": "Symbol für die Aktion zum Anhalten des Debuggens",
+ "debugContinue": "Symbol für die Aktion zum Fortsetzen des Debuggens",
+ "debugReverseContinue": "Symbol für die Aktion zum Fortsetzen des Debuggens in umgekehrter Richtung",
+ "debugStart": "Symbol für die Aktion zum Debugstart",
+ "debugConfigure": "Symbol für die Aktion zur Debugkonfiguration",
+ "debugConsole": "Symbol für die Aktion zum Öffnen der Debugging-Konsole",
+ "debugCollapseAll": "Symbol für die Aktion zum Zuklappen aller Elemente in den Debugansichten",
+ "callstackViewSession": "Symbol für Sitzung in der Aufruflistenansicht",
+ "debugConsoleClearAll": "Symbol für die Aktion zum Löschen aller Elemente in der Debugging-Konsole",
+ "watchExpressionsRemoveAll": "Symbol für die Aktion zum Entfernen aller Elemente in der Überwachungsansicht",
+ "watchExpressionsAdd": "Symbol für die Aktion zum Hinzufügen in der Überwachungsansicht.",
+ "watchExpressionsAddFuncBreakpoint": "Symbol für die Aktion zum Hinzufügen eines Funktionshaltepunkts in der Überwachungsansicht",
+ "breakpointsRemoveAll": "Symbol für Aktion \"Alle entfernen\" in der Haltepunktansicht.",
+ "breakpointsActivate": "Symbol für Aktion \"Aktivieren\" in der Haltepunktansicht",
+ "debugConsoleEvaluationInput": "Symbol für den Eingabemarker der Debugauswertung",
+ "debugConsoleEvaluationPrompt": "Symbol für die Eingabeaufforderung der Debugauswertung"
+ },
+ "vs/workbench/contrib/debug/browser/exceptionWidget": {
+ "debugExceptionWidgetBorder": "Widget-Rahmenfarbe bei einer Ausnahme.",
+ "debugExceptionWidgetBackground": "Widget-Hintergrundfarbe bei einer Ausnahme.",
+ "exceptionThrownWithId": "Ausnahme: {0}",
+ "exceptionThrown": "Ausnahme aufgetreten.",
+ "close": "Schließen"
+ },
+ "vs/workbench/contrib/debug/browser/debugHover": {
+ "quickTip": "Halten Sie die {0}-Taste gedrückt, um zur Editor-Sprachanzeige beim Daraufzeigen zu wechseln.",
+ "treeAriaLabel": "Debughover",
+ "variableAriaLabel": "{0}, Wert \"{1}\", Variablen, Debuggen"
+ },
+ "vs/workbench/contrib/debug/browser/breakpointWidget": {
+ "breakpointWidgetLogMessagePlaceholder": "Zu protokollierende Nachricht, wenn der Haltepunkt erreicht wird. Ausdrücke innerhalb von {} werden interpoliert. Betätigen Sie die EINGABETASTE, um dies zu akzeptieren, oder ECS, um den Vorgang abzubrechen.",
+ "breakpointWidgetHitCountPlaceholder": "Unterbrechen, wenn die Bedingung für die Trefferanzahl erfüllt ist. EINGABETASTE zum Akzeptieren, ESC-TASTE zum Abbrechen.",
+ "breakpointWidgetExpressionPlaceholder": "Unterbrechen, wenn der Ausdruck als TRUE ausgewertet wird. EINGABETASTE zum Akzeptieren, ESC-TASTE zum Abbrechen.",
+ "expression": "Ausdruck",
+ "hitCount": "Trefferanzahl",
+ "logMessage": "Protokollnachricht",
+ "breakpointType": "Art des Breakpoints"
+ },
+ "vs/workbench/contrib/debug/browser/debugActionViewItems": {
+ "debugLaunchConfigurations": "Debugstartkonfigurationen",
+ "noConfigurations": "Keine Konfigurationen",
+ "addConfigTo": "Konfiguration hinzufügen ({0})...",
+ "addConfiguration": "Konfiguration hinzufügen...",
+ "debugSession": "Debugsitzung"
+ },
+ "vs/workbench/contrib/debug/browser/linkDetector": {
+ "fileLinkMac": "BEFEHLSTASTE + Klick, um Link zu folgen",
+ "fileLink": "STRG + Klick, um Link zu folgen"
+ },
+ "vs/workbench/contrib/debug/browser/replViewer": {
+ "debugConsole": "Debugging-Konsole",
+ "replVariableAriaLabel": "Variable \"{0}\", Wert \"{1}\"",
+ "occurred": ", {0} Vorkommen",
+ "replRawObjectAriaLabel": "Konsolenvariable \"{0}\" debuggen, Wert {1}",
+ "replGroup": "Debugging-Konsolengruppe \"{0}\""
+ },
+ "vs/workbench/contrib/debug/common/replModel": {
+ "consoleCleared": "Die Konsole wurde gelöscht.",
+ "snapshotObj": "Nur primitive Werte werden für dieses Objekt angezeigt."
+ },
+ "vs/workbench/contrib/debug/browser/replFilter": {
+ "showing filtered repl lines": "{0} von {1} angezeigt"
+ },
+ "vs/workbench/contrib/debug/node/debugAdapter": {
+ "debugAdapterBinNotFound": "Die ausführbare Datei \"{0}\" des Debugadapters ist nicht vorhanden.",
+ "debugAdapterCannotDetermineExecutable": "Die ausführbare Datei \"{0}\" des Debugadapters kann nicht bestimmt werden.",
+ "unableToLaunchDebugAdapter": "Der Debugadapter kann nicht aus {0} gestartet werden.",
+ "unableToLaunchDebugAdapterNoArgs": "Debugadapter kann nicht gestartet werden."
+ },
+ "vs/workbench/contrib/debug/common/debugModel": {
+ "invalidVariableAttributes": "Ungültige Variablenattribute",
+ "startDebugFirst": "Starten Sie eine Debugsitzung, um Ausdrücke auszuwerten.",
+ "notAvailable": "Nicht verfügbar",
+ "pausedOn": "Angehalten für {0}",
+ "paused": "Angehalten",
+ "running": "Wird ausgeführt",
+ "breakpointDirtydHover": "Nicht überprüfter Haltepunkt. Die Datei wurde geändert. Starten Sie die Debugsitzung neu."
+ },
+ "vs/workbench/contrib/debug/browser/debugConfigurationManager": {
+ "selectConfiguration": "Startkonfiguration auswählen",
+ "editLaunchConfig": "Debugkonfiguration in \"launch.json\" bearbeiten",
+ "DebugConfig.failed": "Die Datei \"launch.json\" kann nicht im Ordner \".vscode\" erstellt werden ({0}).",
+ "workspace": "Arbeitsbereich",
+ "user settings": "Benutzereinstellungen"
+ },
+ "vs/workbench/contrib/debug/browser/debugSession": {
+ "noDebugAdapter": "Es ist kein Debugger verfügbar. \"{0}\" kann nicht gesendet werden.",
+ "sessionNotReadyForBreakpoints": "Die Sitzung ist für Haltepunkte nicht bereit.",
+ "debuggingStarted": "Das Debuggen wurde gestartet.",
+ "debuggingStopped": "Das Debuggen wurde beendet."
+ },
+ "vs/workbench/contrib/debug/browser/debugTaskRunner": {
+ "preLaunchTaskErrors": "Fehler nach der Ausführung von preLaunchTask \"{0}\".",
+ "preLaunchTaskError": "Fehler nach der Ausführung von preLaunchTask \"{0}\".",
+ "preLaunchTaskExitCode": "Der preLaunchTask \"{0}\" wurde mit dem Exitcode {1} beendet.",
+ "preLaunchTaskTerminated": "preLaunchTask \"{0}\" wurde beendet.",
+ "debugAnyway": "Dennoch debuggen",
+ "showErrors": "Fehler anzeigen",
+ "abort": "Abbrechen",
+ "remember": "Auswahl in den Benutzereinstellungen merken",
+ "invalidTaskReference": "Auf den Task \"{0}\" kann nicht von einer Startkonfiguration aus verwiesen werden, die sich in einem anderen Arbeitsbereichordner befindet.",
+ "DebugTaskNotFoundWithTaskId": "Der Task \"{0}\" konnte nicht gefunden werden.",
+ "DebugTaskNotFound": "Die angegebene Aufgabe wurde nicht gefunden.",
+ "taskNotTrackedWithTaskId": "Der angegebene Task kann nicht nachverfolgt werden.",
+ "taskNotTracked": "Die Aufgabe \"{0}\" kann nicht nachverfolgt werden."
+ },
+ "vs/workbench/contrib/debug/browser/debugAdapterManager": {
+ "debugNoType": "Der Debugger \"type\" darf nicht ausgelassen werden und muss den Typ \"string\" aufweisen.",
+ "more": "Weitere...",
+ "selectDebug": "Umgebung auswählen"
+ },
+ "vs/workbench/contrib/debug/common/debugSource": {
+ "unknownSource": "Unbekannte Quelle"
+ },
+ "vs/workbench/contrib/debug/common/debugSchemas": {
+ "vscode.extension.contributes.debuggers": "Trägt Debugadapter bei.",
+ "vscode.extension.contributes.debuggers.type": "Der eindeutige Bezeichner für diese Debugadapter.",
+ "vscode.extension.contributes.debuggers.label": "Der Anzeigename für diese Debugadapter.",
+ "vscode.extension.contributes.debuggers.program": "Der Pfad zum Debugadapterprogramm. Der Pfad ist absolut oder relativ zum Erweiterungsordner.",
+ "vscode.extension.contributes.debuggers.args": "Optionale Argumente, die an den Adapter übergeben werden sollen.",
+ "vscode.extension.contributes.debuggers.runtime": "Optionale Laufzeit für den Fall, dass das Programmattribut keine ausführbare Datei ist und eine Laufzeit erfordert.",
+ "vscode.extension.contributes.debuggers.runtimeArgs": "Optionale Laufzeitargumente.",
+ "vscode.extension.contributes.debuggers.variables": "Zuordnung aus interaktiven Variablen (Beispiel: ${action.pickProcess}) in \"launch.json\" zu einem Befehl.",
+ "vscode.extension.contributes.debuggers.initialConfigurations": "Konfigurationen zum Generieren der anfänglichen Datei \"launch.json\".",
+ "vscode.extension.contributes.debuggers.languages": "Liste der Sprachen, für die die Debugerweiterung als \"Standarddebugger\" angesehen werden kann",
+ "vscode.extension.contributes.debuggers.configurationSnippets": "Snippets zum Hinzufügen neuer Konfigurationen in \"launch.json\".",
+ "vscode.extension.contributes.debuggers.configurationAttributes": "JSON-Schemakonfigurationen zum Überprüfen von \"launch.json\".",
+ "vscode.extension.contributes.debuggers.windows": "Windows-spezifische Einstellungen.",
+ "vscode.extension.contributes.debuggers.windows.runtime": "Die für Windows verwendete Laufzeit.",
+ "vscode.extension.contributes.debuggers.osx": "macOS-spezifische Einstellungen.",
+ "vscode.extension.contributes.debuggers.osx.runtime": "Für macOS verwendete Laufzeit.",
+ "vscode.extension.contributes.debuggers.linux": "Linux-spezifische Einstellungen.",
+ "vscode.extension.contributes.debuggers.linux.runtime": "Die für Linux verwendete Laufzeit.",
+ "vscode.extension.contributes.breakpoints": "Trägt Haltepunkte bei.",
+ "vscode.extension.contributes.breakpoints.language": "Lässt Haltepunkte für diese Sprache zu.",
+ "presentation": "Präsentationsoptionen zum Anzeigen dieser Konfiguration in der Dropdownliste der Debugkonfiguration und in der Befehlspalette.",
+ "presentation.hidden": "Steuert, ob diese Konfiguration in der Konfiguration-Dropdownliste und der Befehlspalette angezeigt werden soll.",
+ "presentation.group": "Gruppe, zu der diese Konfiguration gehört. Wird zum Gruppieren und Sortieren in der Konfiguration-Dropdownliste und Befehlspalette verwendet.",
+ "presentation.order": "Reihenfolge dieser Konfiguration innerhalb einer Gruppe. Wird zum Gruppieren und Sortieren in der Konfigurations-Dropdownliste und Befehlspalette verwendet.",
+ "app.launch.json.title": "Starten",
+ "app.launch.json.version": "Die Version dieses Dateiformats.",
+ "app.launch.json.configurations": "Die Liste der Konfigurationen. Fügen Sie neue Konfigurationen hinzu, oder bearbeiten Sie vorhandene Konfigurationen mit IntelliSense.",
+ "app.launch.json.compounds": "Liste der Verbundelemente. Jeder Verbund verweist auf mehrere Konfigurationen, die zusammen gestartet werden.",
+ "app.launch.json.compound.name": "Name des Verbunds. Wird im Dropdownmenü der Startkonfiguration angezeigt.",
+ "useUniqueNames": "Verwenden Sie eindeutige Konfigurationsnamen.",
+ "app.launch.json.compound.folder": "Name des Ordners, in dem sich der Verbund befindet.",
+ "app.launch.json.compounds.configurations": "Namen von Konfigurationen, die als Bestandteil dieses Verbunds gestartet werden.",
+ "app.launch.json.compound.stopAll": "Steuert, ob durch das manuelle Beenden einer Sitzung alle Verbundsitzungen beendet werden.",
+ "compoundPrelaunchTask": "Task, der ausgeführt werden soll, bevor eine der zusammengesetzten Konfigurationen gestartet wird."
+ },
+ "vs/workbench/contrib/debug/browser/rawDebugSession": {
+ "noDebugAdapterStart": "Die Debugsitzung kann ohne Debugadapter nicht gestartet werden.",
+ "noDebugAdapter": "Es wurde kein verfügbarer Debugger gefunden. \"{0}\" kann nicht gesendet werden.",
+ "moreInfo": "Weitere Informationen"
+ },
+ "vs/workbench/contrib/debug/common/debugger": {
+ "cannot.find.da": "Debug-Adapter für Typ \"{0}\" wurde nicht gefunden.",
+ "launch.config.comment1": "Verwendet IntelliSense zum Ermitteln möglicher Attribute.",
+ "launch.config.comment2": "Zeigen Sie auf vorhandene Attribute, um die zugehörigen Beschreibungen anzuzeigen.",
+ "launch.config.comment3": "Weitere Informationen finden Sie unter {0}",
+ "debugType": "Der Typ der Konfiguration.",
+ "debugTypeNotRecognised": "Dieser Debugging-Typ wurde nicht erkannt. Installieren und aktivieren Sie die dazugehörige Debugging-Erweiterung.",
+ "node2NotSupported": "\"node2\" wird nicht mehr unterstützt, verwenden Sie stattdessen \"node\", und legen Sie das Attribut \"protocol\" auf \"inspector\" fest.",
+ "debugName": "Name der Konfiguration; wird im Dropdownmenü der Startkonfiguration angezeigt.",
+ "debugRequest": "Der Anforderungstyp der Konfiguration. Der Wert kann \"launch\" oder \"attach\" sein.",
+ "debugServer": "Nur für die Entwicklung von Debugerweiterungen: Wenn ein Port angegeben ist, versucht der VS-Code, eine Verbindung mit einem Debugadapter herzustellen, der im Servermodus ausgeführt wird.",
+ "debugPrelaunchTask": "Ein Task, der ausgeführt werden soll, bevor die Debugsitzung beginnt.",
+ "debugPostDebugTask": "Ein Task, der ausgeführt werden soll, nachdem die Debugsitzung endet.",
+ "debugWindowsConfiguration": "Windows-spezifische Startkonfigurationsattribute.",
+ "debugOSXConfiguration": "OS X-spezifische Startkonfigurationsattribute.",
+ "debugLinuxConfiguration": "Linux-spezifische Startkonfigurationsattribute."
+ },
+ "vs/workbench/contrib/dialogs/browser/dialogHandler": {
+ "yesButton": "&&Ja",
+ "cancelButton": "Abbrechen",
+ "aboutDetail": "Version: {0}\r\nCommit: {1}\r\nDatum: {2}\r\nBrowser: {3}",
+ "copy": "Kopieren",
+ "ok": "OK"
+ },
+ "vs/workbench/contrib/dialogs/electron-sandbox/dialogHandler": {
+ "yesButton": "&&Ja",
+ "cancelButton": "Abbrechen",
+ "aboutDetail": "Version: {0}\r\nCommit: {1}\r\nDatum: {2}\r\nElectron: {3}\r\nChrome: {4}\r\nNode.js: {5}\r\nV8: {6}\r\nBetriebssystem: {7}",
+ "okButton": "OK",
+ "copy": "&&Kopieren"
+ },
+ "vs/workbench/contrib/emmet/browser/actions/expandAbbreviation": {
+ "expandAbbreviationAction": "Emmet: Abkürzung erweitern",
+ "miEmmetExpandAbbreviation": "Emmet: Abkürzung &&erweitern"
+ },
+ "vs/workbench/contrib/experiments/browser/experiments.contribution": {
+ "workbench.enableExperiments": "Ruft Experimente ab, die über einen Microsoft-Onlinedienst ausgeführt werden sollen."
+ },
+ "vs/workbench/contrib/extensions/electron-browser/extensions.contribution": {
+ "runtimeExtension": "Ausgeführte Erweiterungen"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/runtimeExtensionsEditor": {
+ "extensionHostProfileStart": "Erweiterungshostprofil starten",
+ "stopExtensionHostProfileStart": "Erweiterungshostprofil beenden",
+ "saveExtensionHostProfile": "Erweiterungshostprofil speichern"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/debugExtensionHostAction": {
+ "debugExtensionHost": "Debuggen des Erweiterungshosts starten",
+ "restart1": "Erweiterungen profilen",
+ "restart2": "Zum Profilen von Erweiterungen ist ein Neustart erforderlich. Möchten Sie \"{0}\" jetzt neu starten?",
+ "restart3": "&&Neu starten",
+ "cancel": "&&Abbrechen",
+ "debugExtensionHost.launch.name": "Erweiterungshost anfügen"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/extensionProfileService": {
+ "profilingExtensionHost": "Erweiterungshost für die Profilerstellung",
+ "selectAndStartDebug": "Klicken Sie, um die Profilerstellung zu beenden.",
+ "profilingExtensionHostTime": "Erweiterungshost für Profilerstellung ({0} Sek.)",
+ "status.profiler": "Erweiterungsprofiler",
+ "restart1": "Erweiterungen profilen",
+ "restart2": "Zum Profilen von Erweiterungen ist ein Neustart erforderlich. Möchten Sie \"{0}\" jetzt neu starten?",
+ "restart3": "&&Neu starten",
+ "cancel": "&&Abbrechen"
+ },
+ "vs/workbench/contrib/extensions/common/runtimeExtensionsInput": {
+ "extensionsInputName": "Zurzeit ausgeführte Erweiterungen"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/extensionsAutoProfiler": {
+ "unresponsive-exthost": "Die Erweiterung \"{0}\" hat zum Abschließen des letzten Vorgangs viel Zeit beansprucht und damit die Ausführung anderer Erweiterungen verhindert.",
+ "show": "Erweiterungen anzeigen"
+ },
+ "vs/workbench/contrib/extensions/electron-sandbox/extensionsActions": {
+ "openExtensionsFolder": "Ordner mit Erweiterungen öffnen"
+ },
+ "vs/workbench/contrib/extensions/browser/extensions.contribution": {
+ "manageExtensionsQuickAccessPlaceholder": "Drücken Sie die EINGABETASTE, um Erweiterungen zu verwalten.",
+ "manageExtensionsHelp": "Erweiterungen verwalten",
+ "installVSIX": "VSIX für Erweiterungen installieren",
+ "extension": "Erweiterung",
+ "extensions": "Erweiterungen",
+ "extensionsConfigurationTitle": "Erweiterungen",
+ "extensionsAutoUpdate": "Wenn diese Option aktiviert ist, werden Updates für Erweiterungen automatisch installiert. Die Updates werden von einem Microsoft-Onlinedienst heruntergeladen.",
+ "extensionsCheckUpdates": "Wenn diese Option aktiviert ist, wird automatisch geprüft, ob Updates für Erweiterungen verfügbar sind. Liegt für eine Erweiterung ein Update vor, wird sie in der Ansicht für Erweiterungen als veraltet markiert. Die Updates werden von einem Microsoft-Onlinedienst heruntergeladen.",
+ "extensionsIgnoreRecommendations": "Wenn diese Option aktiviert ist, werden keine Empfehlungen für Erweiterungen angezeigt.",
+ "extensionsShowRecommendationsOnlyOnDemand_Deprecated": "Diese Einstellung ist veraltet. Verwenden Sie die Einstellung \"extensions.ignoreRecommendations\", um Empfehlungsbenachrichtigungen zu steuern. Verwenden Sie die Sichtbarkeitsaktionen der Erweiterungsansicht, um die Ansicht mit Empfehlungen standardmäßig auszublenden.",
+ "extensionsCloseExtensionDetailsOnViewChange": "Wenn diese Option aktiviert ist, werden Editoren mit Erweiterungsdetails beim Verlassen der Erweiterungsansicht automatisch geschlossen.",
+ "handleUriConfirmedExtensions": "Ist hier eine Erweiterung aufgeführt, wird keine Bestätigungsaufforderung angezeigt, wenn diese Erweiterung einen URI verarbeitet.",
+ "extensionsWebWorker": "Webworker-Erweiterungshost aktivieren.",
+ "workbench.extensions.installExtension.description": "Hiermit wird die angegebene Erweiterung installiert.",
+ "workbench.extensions.installExtension.arg.name": "Erweiterungs-ID oder URI der VSIX-Ressource",
+ "notFound": "Die Erweiterung '{0}' wurde nicht gefunden.",
+ "InstallVSIXAction.successReload": "Die Installation der Erweiterung \"{0}\" über VSIX wurde abgeschlossen. Laden Sie Visual Studio Code neu, um sie zu aktivieren.",
+ "InstallVSIXAction.success": "Die Installation der Erweiterung \"{0}\" über VSIX wurde abgeschlossen.",
+ "InstallVSIXAction.reloadNow": "Jetzt erneut laden",
+ "workbench.extensions.uninstallExtension.description": "Angegebene Erweiterung deinstallieren",
+ "workbench.extensions.uninstallExtension.arg.name": "Id der zu deinstallierenden Erweiterung",
+ "id required": "Erweiterungs-ID erforderlich.",
+ "notInstalled": "Die Erweiterung \"{0}\" ist nicht installiert. Stellen Sie sicher, dass Sie die vollständige Erweiterungs-ID verwenden, einschließlich des Herausgebers. Beispiel: ms-vscode.csharp.",
+ "builtin": "Die Erweiterung \"{0}\" ist eine integrierte Erweiterung und kann nicht installiert werden.",
+ "workbench.extensions.search.description": "Nach einer bestimmten Erweiterung suchen",
+ "workbench.extensions.search.arg.name": "Abfrage, die bei der Suche verwendet werden soll",
+ "miOpenKeymapExtensions": "&&Tastenzuordnungen",
+ "miOpenKeymapExtensions2": "Tastenzuordnungen",
+ "miPreferencesExtensions": "&&Erweiterungen",
+ "miViewExtensions": "&&Erweiterungen",
+ "showExtensions": "Erweiterungen",
+ "installExtensionQuickAccessPlaceholder": "Geben Sie den Namen einer Erweiterung ein, die installiert oder nach der gesucht werden soll.",
+ "installExtensionQuickAccessHelp": "Erweiterungen installieren oder suchen",
+ "workbench.extensions.action.copyExtension": "Kopieren",
+ "extensionInfoName": "Name: {0}",
+ "extensionInfoId": "ID: {0}",
+ "extensionInfoDescription": "Beschreibung: {0}",
+ "extensionInfoVersion": "Version: {0}",
+ "extensionInfoPublisher": "Herausgeber: {0}",
+ "extensionInfoVSMarketplaceLink": "Link zum Visual Studio Marketplace: {0}",
+ "workbench.extensions.action.copyExtensionId": "Erweiterungs-ID kopieren",
+ "workbench.extensions.action.configure": "Erweiterungseinstellungen",
+ "workbench.extensions.action.toggleIgnoreExtension": "Diese Erweiterung synchronisieren",
+ "workbench.extensions.action.ignoreRecommendation": "Empfehlung ignorieren",
+ "workbench.extensions.action.undoIgnoredRecommendation": "Ignorierte Empfehlung rückgängig machen",
+ "workbench.extensions.action.addExtensionToWorkspaceRecommendations": "Den Arbeitsbereichsempfehlungen hinzufügen",
+ "workbench.extensions.action.removeExtensionFromWorkspaceRecommendations": "Aus Arbeitsbereichsempfehlungen entfernen",
+ "workbench.extensions.action.addToWorkspaceRecommendations": "Erweiterung den Arbeitsbereichsempfehlungen hinzufügen",
+ "workbench.extensions.action.addToWorkspaceFolderRecommendations": "Erweiterung den Empfehlungen für den Arbeitsbereichsordner hinzufügen",
+ "workbench.extensions.action.addToWorkspaceIgnoredRecommendations": "Erweiterung den ignorierten Arbeitsbereichsempfehlungen hinzufügen",
+ "workbench.extensions.action.addToWorkspaceFolderIgnoredRecommendations": "Erweiterung den ignorierten Empfehlungen für den Arbeitsbereichsordner hinzufügen"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsViewlet": {
+ "installed": "Installiert",
+ "popularExtensions": "Beliebt",
+ "recommendedExtensions": "Empfohlen",
+ "enabledExtensions": "Aktiviert",
+ "disabledExtensions": "Deaktiviert",
+ "marketPlace": "Marketplace",
+ "enabled": "Aktiviert",
+ "disabled": "Deaktiviert",
+ "outdated": "Veraltet",
+ "builtin": "Integriert",
+ "workspaceRecommendedExtensions": "Arbeitsbereichsempfehlungen",
+ "otherRecommendedExtensions": "Weitere Empfehlungen",
+ "builtinFeatureExtensions": "Features",
+ "builtInThemesExtensions": "Designs",
+ "builtinProgrammingLanguageExtensions": "Programmiersprachen",
+ "sort by installs": "Installationsanzahl",
+ "sort by rating": "Bewertung",
+ "sort by name": "Name",
+ "sort by date": "Veröffentlichungsdatum",
+ "searchExtensions": "Nach Erweiterungen in Marketplace suchen",
+ "builtin filter": "Integriert",
+ "installed filter": "Installiert",
+ "enabled filter": "Aktiviert",
+ "disabled filter": "Deaktiviert",
+ "outdated filter": "Veraltet",
+ "featured filter": "Highlights",
+ "most popular filter": "Beliebteste",
+ "most popular recommended": "Empfohlen",
+ "recently published filter": "Kürzlich veröffentlicht",
+ "filter by category": "Kategorie",
+ "sorty by": "Sortieren nach",
+ "filterExtensions": "Erweiterungen filtern...",
+ "extensionFoundInSection": "Im Abschnitt {0} wurde 1 Erweiterung gefunden.",
+ "extensionFound": "1 Erweiterung gefunden.",
+ "extensionsFoundInSection": "Im Abschnitt {1} wurden {0} Erweiterungen gefunden.",
+ "extensionsFound": "{0} Erweiterungen gefunden.",
+ "suggestProxyError": "Marketplace hat \"ECONNREFUSED\" zurückgegeben. Überprüfen Sie die http.proxy-Einstellung.",
+ "open user settings": "Benutzereinstellungen öffnen",
+ "outdatedExtensions": "{0} veraltete Erweiterungen",
+ "malicious warning": "\"{0}\" wurde als problematisch gemeldet und wurde daher deinstalliert.",
+ "reloadNow": "Jetzt erneut laden"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/extensionsSlowActions": {
+ "cmd.reportOrShow": "Leistungsproblem",
+ "cmd.report": "Problem melden",
+ "attach.title": "Haben Sie das CPU-Profil angehängt?",
+ "ok": "OK",
+ "attach.msg": "Denken Sie daran, \"{0}\" an das gerade erstellte Problem anzufügen.",
+ "cmd.show": "Probleme anzeigen",
+ "attach.msg2": "Denken Sie daran, \"{0}\" an ein bestehendes Leistungsproblem anzufügen."
+ },
+ "vs/workbench/contrib/extensions/electron-browser/reportExtensionIssueAction": {
+ "reportExtensionIssue": "Problem melden"
+ },
+ "vs/workbench/contrib/extensions/browser/abstractRuntimeExtensionsEditor": {
+ "starActivation": "Beim Start durch {0} aktiviert.",
+ "workspaceContainsGlobActivation": "Durch {1} aktiviert, weil eine mit \"{1}\" übereinstimmende Datei in Ihrem Arbeitsbereich vorhanden ist.",
+ "workspaceContainsFileActivation": "Durch {1} aktiviert, weil die Datei \"{0}\" in Ihrem Arbeitsbereich vorhanden ist.",
+ "workspaceContainsTimeout": "Durch {1} aktiviert, weil die Suche nach \"{0}\" zu lange gedauert hat.",
+ "startupFinishedActivation": "Nach Abschluss des Starts durch \"{0}\" aktiviert",
+ "languageActivation": "Durch {1} aktiviert, weil Sie eine {0}-Datei geöffnet haben.",
+ "workspaceGenericActivation": "Durch {1} für \"{0}\" aktiviert.",
+ "unresponsive.title": "Durch die Erweiterung ist der Erweiterungshost eingefroren.",
+ "errors": "{0} nicht abgefangene Fehler",
+ "runtimeExtensions": "Runtimeerweiterungen",
+ "disable workspace": "Deaktivieren (Arbeitsbereich)",
+ "disable": "Deaktivieren",
+ "showRuntimeExtensions": "Ausgeführte Erweiterungen anzeigen"
+ },
+ "vs/workbench/contrib/extensions/common/extensionsInput": {
+ "extensionsInputName": "Erweiterung: {0}"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsActions": {
+ "noOfYearsAgo": "Vor {0} Jahren",
+ "one year ago": "Vor 1 Jahr",
+ "noOfMonthsAgo": "Vor {0} Monaten",
+ "one month ago": "Vor 1 Monat",
+ "noOfDaysAgo": "Vor {0} Tagen",
+ "one day ago": "Vor 1 Tag",
+ "noOfHoursAgo": "Vor {0} Stunden",
+ "one hour ago": "Vor 1 Stunde",
+ "just now": "Jetzt",
+ "update operation": "Fehler beim Aktualisieren der Erweiterung \"{0}\".",
+ "install operation": "Fehler beim Installieren der Erweiterung \"{0}\".",
+ "download": "Manuell herunterladen...",
+ "install vsix": "Installieren Sie nach dem Herunterladen das heruntergeladene VSIX von \"{0}\" manuell.",
+ "check logs": "Überprüfen Sie das [Protokoll]({0}), um weitere Informationen zu erhalten.",
+ "installExtensionStart": "Die Installation der Erweiterung {0} wurde gestartet. Ein Editor mit weiteren Details zu dieser Erweiterung wurde geöffnet.",
+ "installExtensionComplete": "Die Installation der Erweiterung \"{0}\" wurde abgeschlossen.",
+ "install": "Installieren",
+ "install and do no sync": "Installieren (nicht synchronisieren)",
+ "install in remote and do not sync": "Auf \"{0}\" installieren (nicht synchronisieren)",
+ "install in remote": "Auf \"{0}\" installieren",
+ "install locally and do not sync": "Lokal installieren (nicht synchronisieren)",
+ "install locally": "Lokal installieren",
+ "install everywhere tooltip": "Installieren Sie diese Erweiterung in allen synchronisierten {0}-Instanzen.",
+ "installing": "Wird installiert.",
+ "install browser": "Im Browser installieren",
+ "uninstallAction": "Deinstallieren",
+ "Uninstalling": "Wird deinstalliert",
+ "uninstallExtensionStart": "Die Deinstallation der Erweiterung {0} wurde gestartet.",
+ "uninstallExtensionComplete": "Laden Sie Visual Studio Code neu, um die Deinstallation der Erweiterung {0} abzuschließen.",
+ "updateExtensionStart": "Das Update der Erweiterung {0} auf Version {1} wurde gestartet.",
+ "updateExtensionComplete": "Das Update der Erweiterung {0} auf Version {1} ist abgeschlossen.",
+ "updateTo": "Auf \"{0}\" aktualisieren",
+ "updateAction": "Aktualisieren",
+ "manage": "Verwalten",
+ "ManageExtensionAction.uninstallingTooltip": "Wird deinstalliert",
+ "install another version": "Andere Version installieren...",
+ "selectVersion": "Zu installierende Version auswählen",
+ "current": "Aktuell",
+ "enableForWorkspaceAction": "Aktivieren (Arbeitsbereich)",
+ "enableForWorkspaceActionToolTip": "Diese Erweiterung wird nur in diesem Arbeitsbereich aktiviert.",
+ "enableGloballyAction": "Aktivieren",
+ "enableGloballyActionToolTip": "Diese Erweiterung aktivieren",
+ "disableForWorkspaceAction": "Deaktivieren (Arbeitsbereich)",
+ "disableForWorkspaceActionToolTip": "Die Erweiterung wird nur in diesem Arbeitsbereich deaktiviert.",
+ "disableGloballyAction": "Deaktivieren",
+ "disableGloballyActionToolTip": "Diese Erweiterung deaktivieren",
+ "enableAction": "Aktivieren",
+ "disableAction": "Deaktivieren",
+ "checkForUpdates": "Nach Updates für Erweiterungen suchen",
+ "noUpdatesAvailable": "Alle Erweiterungen sind auf dem aktuellen Stand.",
+ "singleUpdateAvailable": "Ein Update für eine Erweiterung ist verfügbar.",
+ "updatesAvailable": "{0} Updates für Erweiterungen sind verfügbar.",
+ "singleDisabledUpdateAvailable": "Ein Update für eine Erweiterung, die deaktiviert ist, ist verfügbar.",
+ "updatesAvailableOneDisabled": "{0} Updates für Erweiterungen sind verfügbar. Ein Update ist für eine deaktivierte Erweiterung.",
+ "updatesAvailableAllDisabled": "{0} Updates für Erweiterungen sind verfügbar. Alle sind für deaktivierte Erweiterungen.",
+ "updatesAvailableIncludingDisabled": "{0} Updates für Erweiterungen sind verfügbar. {1} davon sind für deaktivierte Erweiterungen.",
+ "enableAutoUpdate": "Automatische Aktualisierung von Erweiterungen aktivieren",
+ "disableAutoUpdate": "Automatische Aktualisierung von Erweiterungen deaktivieren",
+ "updateAll": "Alle Erweiterungen aktualisieren",
+ "reloadAction": "Neu laden",
+ "reloadRequired": "Erneutes Laden erforderlich",
+ "postUninstallTooltip": "Laden Sie Visual Studio Code erneut, um die Deinstallation dieser Erweiterung abzuschließen.",
+ "postUpdateTooltip": "Laden Sie Visual Studio Code erneut, um die Aktualisierung dieser Erweiterung abzuschließen.",
+ "enable locally": "Laden Sie Visual Studio Code neu, um diese Erweiterung lokal zu aktivieren.",
+ "enable remote": "Laden Sie Visual Studio Code neu, um diese Erweiterung in \"{0}\" lokal zu aktivieren.",
+ "postEnableTooltip": "Laden Sie Visual Studio Code neu, um diese Erweiterung zu aktivieren.",
+ "postDisableTooltip": "Laden Sie Visual Studio Code neu, um diese Erweiterung zu deaktivieren.",
+ "installExtensionCompletedAndReloadRequired": "Die Installation der Erweiterung \"{0}\" wurde abgeschlossen. Laden Sie Visual Studio Code neu, um sie zu aktivieren.",
+ "color theme": "Farbdesign festlegen",
+ "select color theme": "Farbdesign auswählen",
+ "file icon theme": "Design des Dateisymbols festlegen",
+ "select file icon theme": "Dateisymboldesign auswählen",
+ "product icon theme": "Produktsymboldesign festlegen",
+ "select product icon theme": "Produktsymboldesign auswählen",
+ "toggleExtensionsViewlet": "Erweiterungen anzeigen",
+ "installExtensions": "Erweiterungen installieren",
+ "showEnabledExtensions": "Aktivierte Erweiterungen anzeigen",
+ "showInstalledExtensions": "Installierte Erweiterungen anzeigen",
+ "showDisabledExtensions": "Deaktivierte Erweiterungen anzeigen",
+ "clearExtensionsSearchResults": "Suchergebnisse für Erweiterungen löschen",
+ "refreshExtension": "Aktualisieren",
+ "showBuiltInExtensions": "Integrierte Erweiterungen anzeigen",
+ "showOutdatedExtensions": "Veraltete Erweiterungen anzeigen",
+ "showPopularExtensions": "Beliebte Erweiterungen anzeigen",
+ "recentlyPublishedExtensions": "Kürzlich veröffentlichte Erweiterungen",
+ "showRecommendedExtensions": "Empfohlene Erweiterungen anzeigen",
+ "showRecommendedExtension": "Empfohlene Erweiterung anzeigen",
+ "installRecommendedExtension": "Empfohlene Erweiterung installieren",
+ "ignoreExtensionRecommendation": "Diese Erweiterung nicht mehr empfehlen",
+ "undo": "Rückgängig",
+ "showRecommendedKeymapExtensionsShort": "Tastenzuordnungen",
+ "showLanguageExtensionsShort": "Spracherweiterungen",
+ "search recommendations": "Nach Erweiterungen suchen",
+ "OpenExtensionsFile.failed": "Die Datei \"extensions.json\" kann nicht im Ordner \".vscode\" erstellt werden ({0}).",
+ "configureWorkspaceRecommendedExtensions": "Empfohlene Erweiterungen konfigurieren (Arbeitsbereich)",
+ "configureWorkspaceFolderRecommendedExtensions": "Empfohlene Erweiterungen konfigurieren (Arbeitsbereichsordner)",
+ "updated": "Aktualisiert",
+ "installed": "Installiert",
+ "uninstalled": "Deinstalliert",
+ "enabled": "Aktiviert",
+ "disabled": "Deaktiviert",
+ "malicious tooltip": "Die Erweiterung wurde als problematisch gemeldet.",
+ "malicious": "Schädlich",
+ "ignored": "Diese Erweiterung wird während der Synchronisierung ignoriert.",
+ "synced": "Diese Erweiterung wird synchronisiert.",
+ "sync": "Diese Erweiterung synchronisieren",
+ "do not sync": "Diese Erweiterung nicht synchronisieren",
+ "extension enabled on remote": "Erweiterung ist für \"{0}\" aktiviert.",
+ "globally enabled": "Diese Erweiterung wurde global aktiviert.",
+ "workspace enabled": "Diese Erweiterung wurde durch den Benutzer für diesen Arbeitsbereich aktiviert.",
+ "globally disabled": "Diese Erweiterung wurde durch den Benutzer global deaktiviert.",
+ "workspace disabled": "Diese Erweiterung wurde durch den Benutzer für diesen Arbeitsbereich deaktiviert.",
+ "Install language pack also in remote server": "Installieren Sie die Sprachpaketerweiterung auf \"{0}\", um sie dort ebenfalls zu aktivieren.",
+ "Install language pack also locally": "Installieren Sie die Sprachpaketerweiterung lokal, um sie dort ebenfalls zu aktivieren.",
+ "Install in other server to enable": "Installieren Sie die Erweiterung auf \"{0}\", um sie zu aktivieren.",
+ "disabled because of extension kind": "Für diese Erweiterung wurde definiert, dass sie nicht auf dem Remoteserver ausgeführt werden kann.",
+ "disabled locally": "Die Erweiterung ist auf \"{0}\" aktiviert und lokal deaktiviert.",
+ "disabled remotely": "Die Erweiterung ist lokal aktiviert und auf \"{0}\" deaktiviert.",
+ "disableAll": "Alle installierten Erweiterungen löschen",
+ "disableAllWorkspace": "Alle installierten Erweiterungen für diesen Arbeitsbereich deaktivieren",
+ "enableAll": "Alle Erweiterungen aktivieren",
+ "enableAllWorkspace": "Alle Erweiterungen für diesen Arbeitsbereich aktivieren",
+ "installVSIX": "Aus VSIX installieren...",
+ "installFromVSIX": "Aus VSIX installieren",
+ "installButton": "&&Installieren",
+ "reinstall": "Erweiterung erneut installieren...",
+ "selectExtensionToReinstall": "Erweiterung für die erneute Installation auswählen",
+ "ReinstallAction.successReload": "Laden Sie Visual Studio Code neu, um die Neuinstallation der Erweiterung {0} abzuschließen.",
+ "ReinstallAction.success": "Die erneute Installation der Erweiterung {0} ist abgeschlossen.",
+ "InstallVSIXAction.reloadNow": "Jetzt erneut laden",
+ "install previous version": "Spezielle Version der Erweiterung installieren...",
+ "selectExtension": "Erweiterung auswählen",
+ "InstallAnotherVersionExtensionAction.successReload": "Bitte laden Sie Visual Studio Code neu, um die Installation der Erweiterung {0} abzuschließen.",
+ "InstallAnotherVersionExtensionAction.success": "Die Installation der Erweiterung {0} ist abgeschlossen.",
+ "InstallAnotherVersionExtensionAction.reloadNow": "Jetzt erneut laden",
+ "select extensions to install": "Zu installierende Erweiterungen auswählen",
+ "no local extensions": "Es sind keine Erweiterungen zur Installation vorhanden.",
+ "installing extensions": "Erweiterungen werden installiert...",
+ "finished installing": "Erweiterungen wurden erfolgreich installiert.",
+ "select and install local extensions": "Lokale Erweiterungen in \"{0}\" installieren...",
+ "install local extensions title": "Lokale Erweiterungen in \"{0}\" installieren",
+ "select and install remote extensions": "Remoteerweiterungen lokal installieren...",
+ "install remote extensions": "Remoteerweiterungen lokal installieren",
+ "extensionButtonProminentBackground": "Hintergrundfarbe für markante Aktionenerweiterungen (z.B. die Schaltfläche zum Installieren).",
+ "extensionButtonProminentForeground": "Vordergrundfarbe für markante Aktionenerweiterungen (z.B. die Schaltfläche zum Installieren).",
+ "extensionButtonProminentHoverBackground": "Hoverhintergrundfarbe für markante Aktionenerweiterungen (z.B. die Schaltfläche zum Installieren)."
+ },
+ "vs/workbench/contrib/extensions/common/extensionsFileTemplate": {
+ "app.extensions.json.title": "Erweiterungen",
+ "app.extensions.json.recommendations": "Liste von Erweiterungen, die für Benutzer dieses Arbeitsbereichs zu empfehlen sind. Der Bezeichner einer Erweiterung lautet immer \"${herausgeber}.${name}\". Beispiel: \"vscode.csharp\".",
+ "app.extension.identifier.errorMessage": "Erwartetes Format: \"${publisher}.${name}\". Beispiel: \"vscode.csharp\".",
+ "app.extensions.json.unwantedRecommendations": "Liste von Erweiterungen, die für Benutzer dieses Arbeitsbereichs nicht empfohlen werden sollen. Der Bezeichner einer Erweiterung lautet immer \"${herausgeber}.${name}\". Beispiel: \"vscode.csharp\"."
+ },
+ "vs/workbench/contrib/extensions/browser/extensionEditor": {
+ "name": "Erweiterungsname",
+ "extension id": "Erweiterungsbezeichner",
+ "preview": "Vorschau",
+ "builtin": "Integriert",
+ "publisher": "Name des Herausgebers",
+ "install count": "Installationsanzahl",
+ "rating": "Bewertung",
+ "repository": "Repository",
+ "license": "Lizenz",
+ "version": "Version",
+ "details": "Details",
+ "detailstooltip": "Details zur Erweiterung, die aus der Datei \"README.md\" der Erweiterung gerendert wurden",
+ "contributions": "Featurebeiträge",
+ "contributionstooltip": "Listet Beiträge zu VS Code durch diese Erweiterung auf",
+ "changelog": "Änderungsprotokoll",
+ "changelogtooltip": "Updateverlauf der Erweiterung, der aus der Datei \"CHANGELOG.md\" der Erweiterung gerendert wurde",
+ "dependencies": "Abhängigkeiten",
+ "dependenciestooltip": "Listet Erweiterungen auf, von denen diese Erweiterung abhängig ist",
+ "recommendationHasBeenIgnored": "Sie möchten keine Empfehlungen für diese Erweiterung erhalten.",
+ "noReadme": "Keine INFODATEI verfügbar.",
+ "extension pack": "Erweiterungspaket ({0})",
+ "noChangelog": "Es ist kein Änderungsprotokoll verfügbar.",
+ "noContributions": "Keine Beiträge",
+ "noDependencies": "Keine Abhängigkeiten",
+ "settings": "Einstellungen ({0})",
+ "setting name": "Name",
+ "description": "Beschreibung",
+ "default": "Standard",
+ "debuggers": "Debugger ({0})",
+ "debugger name": "Name",
+ "debugger type": "Typ",
+ "viewContainers": "Container anzeigen ({0})",
+ "view container id": "ID",
+ "view container title": "Titel",
+ "view container location": "Wo",
+ "views": "Ansichten ({0})",
+ "view id": "ID",
+ "view name": "Name",
+ "view location": "Wo",
+ "localizations": "Lokalisierungen ({0})",
+ "localizations language id": "Sprach-ID",
+ "localizations language name": "Name der Sprache",
+ "localizations localized language name": "Name der Sprache (lokalisiert)",
+ "customEditors": "Benutzerdefinierte Editoren ({0})",
+ "customEditors view type": "Ansichtstyp",
+ "customEditors priority": "Priorität",
+ "customEditors filenamePattern": "Dateinamensmuster",
+ "codeActions": "Codeaktionen ({0})",
+ "codeActions.title": "Titel",
+ "codeActions.kind": "Art",
+ "codeActions.description": "Beschreibung",
+ "codeActions.languages": "Sprachen",
+ "authentication": "Authentifizierung ({0})",
+ "authentication.label": "Bezeichnung",
+ "authentication.id": "ID",
+ "colorThemes": "Farbdesigns ({0})",
+ "iconThemes": "Symboldesigns ({0})",
+ "colors": "Farben ({0})",
+ "colorId": "ID",
+ "defaultDark": "Standard, dunkel",
+ "defaultLight": "Standard, hell",
+ "defaultHC": "Standard, hoher Kontrast",
+ "JSON Validation": "JSON-Validierung ({0})",
+ "fileMatch": "Dateiübereinstimmung",
+ "schema": "Schema",
+ "commands": "Befehle ({0})",
+ "command name": "Name",
+ "keyboard shortcuts": "Tastenkombinationen",
+ "menuContexts": "Menükontexte",
+ "languages": "Sprachen ({0})",
+ "language id": "ID",
+ "language name": "Name",
+ "file extensions": "Dateierweiterungen",
+ "grammar": "Grammatik",
+ "snippets": "Codeausschnitte",
+ "activation events": "Aktivierungsereignisse ({0})",
+ "find": "Suchen",
+ "find next": "Weitersuchen",
+ "find previous": "Vorheriges Element suchen"
+ },
+ "vs/workbench/contrib/extensions/common/extensionsUtils": {
+ "disableOtherKeymapsConfirmation": "Andere Tastenzuordnungen ({0}) deaktivieren, um Konflikte zu vermeiden?",
+ "yes": "Ja",
+ "no": "Nein"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsActivationProgress": {
+ "activation": "Erweiterungen werden aktiviert..."
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsDependencyChecker": {
+ "extensions": "Erweiterungen",
+ "auto install missing deps": "Fehlende Abhängigkeiten installieren",
+ "finished installing missing deps": "Die fehlenden Abhängigkeiten wurden installiert. Laden Sie jetzt das Fenster neu.",
+ "reload": "Fenster neu laden",
+ "no missing deps": "Es sind keine fehlenden Abhängigkeiten zu installieren."
+ },
+ "vs/workbench/contrib/extensions/browser/remoteExtensionsInstaller": {
+ "remote": "Remote",
+ "install remote in local": "Remoteerweiterungen lokal installieren..."
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsWorkbenchService": {
+ "Manifest is not found": "Das Manifest wurde nicht gefunden.",
+ "malicious": "Diese Erweiterung wird als problematisch gemeldet.",
+ "uninstallingExtension": "Die Erweiterung wird deinstalliert ...",
+ "incompatible": "Die Erweiterung '{0}' mit Version '{1}' konnte nicht installiert werden, da sie nicht mit VS Code kompatibel ist.",
+ "installing named extension": "Die Erweiterung \"{0}\" wird installiert...",
+ "installing extension": "Die Erweiterung wird installiert...",
+ "disable all": "Alle deaktivieren",
+ "singleDependentError": "Die Erweiterung \"{0}\" kann nicht separat deaktiviert werden. Die Erweiterung \"{1}\" ist davon abhängig. Möchten Sie all diese Erweiterungen deaktivieren?",
+ "twoDependentsError": "Die Erweiterung \"{0}\" kann nicht separat deaktiviert werden. Die Erweiterungen \"{1}\" und \"{2}\" sind davon abhängig. Möchten Sie all diese Erweiterungen deaktivieren?",
+ "multipleDependentsError": "Die Erweiterung \"{0}\" kann nicht separat deaktiviert werden. \"{1}\", \"{2}\" und andere Erweiterungen sind davon abhängig. Möchten Sie all diese Erweiterungen deaktivieren?"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsQuickAccess": {
+ "type": "Geben Sie den Namen der Erweiterung ein, die installiert oder nach der gesucht werden soll.",
+ "searchFor": "Drücken Sie die EINGABETASTE, um nach der Erweiterung {0} zu suchen.",
+ "install": "Drücken Sie die EINGABETASTE, um die Erweiterung \"{0}\" zu installieren.",
+ "manage": "Drücken Sie die EINGABETASTE, um Ihre Erweiterungen zu verwalten."
+ },
+ "vs/workbench/contrib/extensions/browser/extensionRecommendationNotificationService": {
+ "neverShowAgain": "Nicht mehr anzeigen",
+ "ignoreExtensionRecommendations": "Möchten Sie alle Erweiterungsempfehlungen ignorieren?",
+ "ignoreAll": "Ja, alle ignorieren",
+ "no": "Nein",
+ "workspaceRecommended": "Möchten Sie die empfohlenen Erweiterungen für dieses Repository installieren?",
+ "install": "Installieren",
+ "install and do no sync": "Installieren (nicht synchronisieren)",
+ "show recommendations": "Empfehlungen anzeigen"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsIcons": {
+ "extensionsViewIcon": "Ansichtssymbol der Erweiterungsansicht.",
+ "manageExtensionIcon": "Symbol für Aktion \"Verwalten\" in der Erweiterungsansicht.",
+ "clearSearchResultsIcon": "Symbol für die Aktion \"Suchergebnis löschen\" in der Erweiterungsansicht.",
+ "refreshIcon": "Symbol für Aktion \"Aktualisieren\" in der Erweiterungsansicht.",
+ "filterIcon": "Symbol für die Aktion \"Filtern\" in der Erweiterungsansicht.",
+ "installLocalInRemoteIcon": "Symbol für die Aktion \"Lokale Erweiterung remote installieren\" in der Erweiterungsansicht.",
+ "installWorkspaceRecommendedIcon": "Symbol für die Aktion \"Empfohlene Arbeitsbereichserweiterungen installieren\" in der Erweiterungsansicht.",
+ "configureRecommendedIcon": "Symbol für die Aktion \"Empfohlene Erweiterungen konfigurieren\" in der Erweiterungsansicht.",
+ "syncEnabledIcon": "Symbol, das angibt, dass eine Erweiterung synchronisiert ist.",
+ "syncIgnoredIcon": "Symbol, das angibt, dass eine Erweiterung bei der Synchronisierung ignoriert wird.",
+ "remoteIcon": "Symbol, das angibt, dass die Erweiterung in der Erweiterungsansicht und im Erweiterungs-Editor eine Remoteerweiterung ist.",
+ "installCountIcon": "Symbol, das zusammen mit der Installationsanzahl in der Erweiterungsansicht und im Erweiterungs-Editor angezeigt wird.",
+ "ratingIcon": "Symbol, das zusammen mit der Bewertung in der Erweiterungs-Ansicht und im Erweiterungs-Editor angezeigt wird.",
+ "starFullIcon": "Symbol mit gefülltem Stern, das für die Bewertung im Erweiterungs-Editor verwendet wird.",
+ "starHalfIcon": "Symbol mit halb gefülltem Stern, das für die Bewertung im Erweiterungs-Editor verwendet wird.",
+ "starEmptyIcon": "Symbol mit leerem Stern, das für die Bewertung im Erweiterungs-Editor verwendet wird.",
+ "warningIcon": "Symbol, das mit einer Warnmeldung im Erweiterungs-Editor angezeigt wird.",
+ "infoIcon": "Symbol, das mit einer Infomeldung im Erweiterungs-Editor angezeigt wird."
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsViews": {
+ "extension-arialabel": "{0}, {1}, {2}, drücken Sie die EINGABETASTE, um Details zur Erweiterung anzuzeigen.",
+ "extensions": "Erweiterungen",
+ "galleryError": "Momentan kann keine Verbindung zum Marktplatz für Erweiterungen hergestellt werden. Versuchen Sie es später erneut.",
+ "error": "Fehler beim Laden von Erweiterungen. {0}",
+ "no extensions found": "Es wurden keine Erweiterungen gefunden.",
+ "suggestProxyError": "Marketplace hat \"ECONNREFUSED\" zurückgegeben. Überprüfen Sie die http.proxy-Einstellung.",
+ "open user settings": "Benutzereinstellungen öffnen",
+ "installWorkspaceRecommendedExtensions": "Installieren Sie die empfohlenen Erweiterungen für Ihren Arbeitsbereich"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsWidgets": {
+ "ratedBySingleUser": "Von 1 Benutzer bewertet",
+ "ratedByUsers": "Von {0} Benutzern bewertet",
+ "noRating": "Keine Bewertung",
+ "remote extension title": "Erweiterung in {0}",
+ "syncingore.label": "Diese Erweiterung wird während der Synchronisierung ignoriert."
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsViewer": {
+ "error": "Fehler",
+ "Unknown Extension": "Unbekannte Erweiterung:",
+ "extension-arialabel": "{0}, {1}, {2}, drücken Sie die EINGABETASTE, um Details zur Erweiterung anzuzeigen.",
+ "extensions": "Erweiterungen"
+ },
+ "vs/workbench/contrib/extensions/browser/dynamicWorkspaceRecommendations": {
+ "dynamicWorkspaceRecommendation": "Diese Erweiterung ist möglicherweise interessant für Sie, weil sie bei Benutzern des Repositorys \"{0}\" beliebt ist."
+ },
+ "vs/workbench/contrib/extensions/browser/exeBasedRecommendations": {
+ "exeBasedRecommendation": "Diese Erweiterung wird empfohlen, weil {0} installiert ist."
+ },
+ "vs/workbench/contrib/extensions/browser/workspaceRecommendations": {
+ "workspaceRecommendation": "Diese Erweiterung wird von Benutzern des aktuellen Arbeitsbereichs empfohlen."
+ },
+ "vs/workbench/contrib/extensions/browser/fileBasedRecommendations": {
+ "searchMarketplace": "Marketplace durchsuchen",
+ "fileBasedRecommendation": "Diese Erweiterung wird basierend auf den zuletzt von Ihnen geöffneten Dateien empfohlen.",
+ "reallyRecommended": "Möchten Sie die empfohlenen Erweiterungen für \"{0}\" installieren?",
+ "showLanguageExtensions": "Der Marketplace enthält Erweiterungen für {0}-Dateien.",
+ "dontShowAgainExtension": "Für Dateien mit der Dateiendung \".{0}\" nicht mehr anzeigen"
+ },
+ "vs/workbench/contrib/extensions/browser/configBasedRecommendations": {
+ "exeBasedRecommendation": "Diese Erweiterung wird aufgrund der aktuellen Arbeitsbereichskonfiguration empfohlen."
+ },
+ "vs/workbench/contrib/externalTerminal/node/externalTerminal.contribution": {
+ "globalConsoleAction": "Neues externes Terminal öffnen",
+ "terminalConfigurationTitle": "Externes Terminal",
+ "terminal.explorerKind.integrated": "Das integrierte Terminal von Visual Studio Code verwenden",
+ "terminal.explorerKind.external": "Das konfigurierte externe Terminal verwenden",
+ "explorer.openInTerminalKind": "Passt an, welches Terminal ausgeführt werden soll.",
+ "terminal.external.windowsExec": "Passt an, welches Terminal für Windows ausgeführt werden soll.",
+ "terminal.external.osxExec": "Passt an, welche Terminalanwendung unter macOS ausgeführt werden soll.",
+ "terminal.external.linuxExec": "Passt an, welches Terminal unter Linux ausgeführt werden soll."
+ },
+ "vs/workbench/contrib/externalTerminal/node/externalTerminalService": {
+ "console.title": "VS Code-Konsole",
+ "mac.terminal.script.failed": "Fehler bei Skript \"{0}\" mit Exitcode {1}.",
+ "mac.terminal.type.not.supported": "{0}\" wird nicht unterstützt.",
+ "press.any.key": "Drücken Sie eine beliebige Taste, um fortzufahren...",
+ "linux.term.failed": "Fehler bei \"{0}\" mit Exitcode {1}.",
+ "ext.term.app.not.found": "Terminalanwendung \"{0}\" konnte nicht gefunden werden."
+ },
+ "vs/workbench/contrib/externalTerminal/browser/externalTerminal.contribution": {
+ "scopedConsoleAction": "In Terminal öffnen",
+ "scopedConsoleAction.integrated": "In integriertem Terminal öffnen",
+ "scopedConsoleAction.wt": "In Windows-Terminal öffnen",
+ "scopedConsoleAction.external": "In externem Terminal öffnen"
+ },
+ "vs/workbench/contrib/feedback/browser/feedbackStatusbarItem": {
+ "status.feedback": "Feedback als Tweet senden"
+ },
+ "vs/workbench/contrib/feedback/browser/feedback": {
+ "sendFeedback": "Feedback als Tweet senden",
+ "label.sendASmile": "Senden Sie uns Ihr Feedback als Tweet.",
+ "close": "Schließen",
+ "patchedVersion1": "Ihre Installation ist beschädigt.",
+ "patchedVersion2": "Geben Sie diese Information an, wenn Sie einen Fehler melden.",
+ "sentiment": "Welche Erfahrungen haben Sie gemacht?",
+ "smileCaption": "Feedbackstimmung \"Zufrieden\"",
+ "frownCaption": "Feedbackstimmung \"Traurig\"",
+ "other ways to contact us": "Weitere Möglichkeiten der Kontaktaufnahme",
+ "submit a bug": "Fehler senden",
+ "request a missing feature": "Fehlendes Feature anfordern",
+ "tell us why": "Warum?",
+ "feedbackTextInput": "Senden Sie uns Ihr Feedback.",
+ "showFeedback": "Feedbacksymbol in der Statusleiste anzeigen",
+ "tweet": "Tweet",
+ "tweetFeedback": "Feedback als Tweet senden",
+ "character left": "verbleibendes Zeichen",
+ "characters left": "verbleibende Zeichen"
+ },
+ "vs/workbench/contrib/files/electron-sandbox/files.contribution": {
+ "textFileEditor": "Textdatei-Editor"
+ },
+ "vs/workbench/contrib/files/electron-sandbox/fileActions.contribution": {
+ "revealInWindows": "Im Datei-Explorer anzeigen",
+ "revealInMac": "Im Finder anzeigen",
+ "openContainer": "Enthaltenden Ordner öffnen",
+ "filesCategory": "Datei"
+ },
+ "vs/workbench/contrib/files/browser/explorerViewlet": {
+ "explorerViewIcon": "Ansichtssymbol der Explorer-Ansicht.",
+ "folders": "Ordner",
+ "explore": "Explorer",
+ "noWorkspaceHelp": "Sie haben dem Arbeitsbereich noch keinen Ordner hinzugefügt.\r\n[Ordner hinzufügen](command:{0})",
+ "remoteNoFolderHelp": "Mit Remoterepository verbunden.\r\n[Ordner öffnen](command:{0})",
+ "noFolderHelp": "Sie haben noch keinen Ordner geöffnet.\r\n[Ordner öffnen](command:{0})"
+ },
+ "vs/workbench/contrib/files/browser/files.contribution": {
+ "showExplorerViewlet": "Explorer anzeigen",
+ "binaryFileEditor": "Binärdatei-Editor",
+ "hotExit.off": "Hot Exit deaktivieren. Wenn Sie versuchen, ein Fenster mit geänderten Dateien zu schließen, wird eine Meldung angezeigt.",
+ "hotExit.onExit": "Hot Exit wird ausgelöst, wenn das letzte Fenster unter Windows/Linux geschlossen oder der Befehl 'workbench.action.quit' ausgelöst wird (Befehlspalette, Tastenzuordnung, Menü). Alle Fenster ohne geöffnete Ordner werden beim nächsten Start wiederhergestellt. Über \"Datei > Zuletzt geöffnet > Mehr ...\" können Sie eine Liste der Arbeitsbereiche mit nicht gespeicherten Dateien aufrufen.",
+ "hotExit.onExitAndWindowClose": "Hot Exit wird ausgelöst, wenn das letzte Fenster unter Windows/Linux geschlossen wird oder wenn der Befehl 'workbench.action.quit' ausgelöst wird (Befehlspalette, Tastenzuordnung, Menü), oder wenn ein Fenster mit einem geöffneten Ordner geschlossen wird (unabhängig davon, ob es sich um das letzte Fenster handelt). Alle Fenster ohne geöffnete Ordner werden beim nächsten Start wiederhergestellt. Über \"Datei > Zuletzt geöffnet > Mehr ...\" können Sie eine Liste der Arbeitsbereiche mit nicht gespeicherten Dateien aufrufen.",
+ "hotExit": "Steuert, ob nicht gespeicherten Dateien zwischen den Sitzungen beibehalten werden, die Aufforderung zum Speichern wird beim Beenden des Editors übersprungen.",
+ "hotExit.onExitAndWindowCloseBrowser": "Ein Hot Exit wird ausgelöst, wenn der Browser beendet oder das Fenster bzw. die Registerkarte geschlossen wird.",
+ "filesConfigurationTitle": "Dateien",
+ "exclude": "Konfigurieren Sie Globmuster zum Ausschließen von Dateien und Ordnern. Der Datei-Explorer entscheidet z. B. anhand dieser Einstellung, welche Dateien und Ordner angezeigt oder ausgeblendet werden sollen. Nutzen Sie die Einstellung \"#search.exclude\", um suchspezifische Ausschlüsse festzulegen. Weitere Informationen zu Globmustern finden Sie [hier](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options).",
+ "files.exclude.boolean": "Das Globmuster, mit dem Dateipfade verglichen werden sollen. Legen Sie diesen Wert auf \"true\" oder \"false\" fest, um das Muster zu aktivieren bzw. zu deaktivieren.",
+ "files.exclude.when": "Zusätzliche Überprüfung der gleichgeordneten Elemente einer entsprechenden Datei. Verwenden Sie \"$(basename)\" als Variable für den entsprechenden Dateinamen.",
+ "associations": "Konfigurieren Sie Dateizuordnungen zu Sprachen (beispielsweise `\"*.extension\": \"html\"`). Diese besitzen Vorrang vor den Standardzuordnungen der installierten Sprachen.",
+ "encoding": "Die Standardcodierung für Zeichensätze, die beim Lesen und Schreiben von Dateien verwendet werden soll. Diese Einstellung kann ebenfalls pro Sprache konfiguriert werden.",
+ "autoGuessEncoding": "Wenn diese Option aktiviert ist, versucht der Editor beim Öffnen von Dateien, die Zeichensatzcodierung automatisch zu ermitteln. Diese Einstellung kann ebenfalls pro Sprache konfiguriert werden.",
+ "eol.LF": "LF",
+ "eol.CRLF": "CRLF",
+ "eol.auto": "Verwendet betriebssystemspezifische Zeilenendzeichen.",
+ "eol": "Das Zeilenende-Standardzeichen.",
+ "useTrash": "Verschiebt Dateien/Ordner beim Löschen in den Papierkorb des Betriebssystems. Wenn diese Option deaktiviert wird, werden Dateien/Ordner endgültig gelöscht.",
+ "trimTrailingWhitespace": "Bei Aktivierung werden nachgestellte Leerzeichen beim Speichern einer Datei gekürzt.",
+ "insertFinalNewline": "Bei Aktivierung wird beim Speichern einer Datei eine abschließende neue Zeile am Dateiende eingefügt.",
+ "trimFinalNewlines": "Wenn diese Option aktiviert ist, werden beim Speichern alle neuen Zeilen nach der abschließenden neuen Zeile am Dateiende gekürzt.",
+ "files.autoSave.off": "Ungespeicherte Inhalte eines Editor-Fensters werden nie automatisch gespeichert.",
+ "files.autoSave.afterDelay": "Ein ungespeicherter Editor wird automatisch nach Ablauf des in der Einstellung \"#files.autoSaveDelay#\" festgelegten Zeitraums gespeichert.",
+ "files.autoSave.onFocusChange": "Die Inhalte von Editor-Fenstern werden automatisch gespeichert, wenn der Editor nicht mehr im Fokus ist.",
+ "files.autoSave.onWindowChange": "Ein Editor-Fenster mit ungespeicherten Inhalten wird automatisch gespeichert, wenn das Fenster nicht mehr im Fokus ist.",
+ "autoSave": "Steuert die automatische Speicherung ungespeicherter Editoren. Weitere Informationen zum automatischen Speichern finden Sie [hier](https://code.visualstudio.com/docs/editor/codebasics#_save-auto-save).",
+ "autoSaveDelay": "Steuert den Zeitraum in ms, nach dem ein ungespeicherter Editor automatisch gespeichert wird. Gilt nur, wenn \"#files.autoSave\" auf \"{0}\" festgelegt ist.",
+ "watcherExclude": "Konfigurieren Sie Globmuster von Dateipfaden, die von der Dateiüberwachung ausgeschlossen werden sollen. Muster müssen in absoluten Pfaden übereinstimmen (d. h. für eine korrekte Überstimmung muss das Präfix ** oder der vollständige Pfad verwendet werden). Das Ändern dieser Einstellung erfordert einen Neustart. Wenn Ihr Code beim Start viel CPU-Zeit beansprucht, können Sie große Ordner ausschließen, um die anfängliche Last zu verringern.",
+ "defaultLanguage": "Der Standardsprachmodus, der neuen Dateien zugewiesen ist. Wenn \"${activeEditorLanguage}\" dafür konfiguriert ist, wird, falls möglich, der Sprachmodus des aktuell aktiven Text-Editors verwendet.",
+ "maxMemoryForLargeFilesMB": "Steuert den für Visual Studio Code verfügbaren Arbeitsspeicher nach einem Neustart bei dem Versuch, große Dateien zu öffnen. Dies hat die gleiche Auswirkung wie das Festlegen von `--max-memory=NEWSIZE` über die Befehlszeile.",
+ "files.restoreUndoStack": "Hiermit wird der Rollbackstapel wiederhergestellt, wenn eine Datei erneut geöffnet wird.",
+ "askUser": "Weigert sich, zu speichern, und fordert zur manuellen Lösung des Speicherkonflikts auf.",
+ "overwriteFileOnDisk": "Löst den Speicherkonflikt, indem die Datei auf dem Datenträger mit den Änderungen im Editor überschrieben wird.",
+ "files.saveConflictResolution": "Ein Speicherkonflikt kann auftreten, wenn eine Datei auf einem Datenträger gespeichert wird und während des Speicherns von einem anderen Programm geändert wurde. Um Datenverlust zu vermeiden, wird der Benutzer aufgefordert, die Änderungen im Editor mit der Version auf dem Datenträger zu vergleichen. Diese Einstellung sollte nur geändert werden, wenn häufig Probleme mit Speicherkonflikten auftreten. Beim Ändern der Einstellungen sollten Sie sehr vorsichtig vorgehen, da es sonst zu Datenverlusten kommen kann.",
+ "files.simpleDialog.enable": "Aktiviert das einfache Dateidialogfeld. Ist diese Option aktiviert, wird das Systemdateidialogfeld durch das einfache Dateidialogfeld ersetzt.",
+ "formatOnSave": "Hiermit wird eine Datei beim Speichern formatiert. Dafür muss ein Formatierungsprogramm verfügbar sein, die Datei darf nicht nach Verzögerung gespeichert werden, und der Editor darf nicht heruntergefahren werden.",
+ "everything": "Hiermit wird das gesamte Dokument formatiert.",
+ "modification": "Hiermit werden Änderungen formatiert (Quellcodeverwaltung erforderlich).",
+ "formatOnSaveMode": "Hiermit wird gesteuert, ob mit der Option \"Format wird gespeichert\" die gesamte Datei oder nur Änderungen formatiert werden. Gilt nur, wenn \"#editor.formatOnSave#\" auf TRUE festgelegt ist.",
+ "explorerConfigurationTitle": "Datei-Explorer",
+ "openEditorsVisible": "Anzahl von Editoren, die im Bereich \"Geöffnete Editoren\" angezeigt werden. Durch Festlegen auf \"0\" wird der Bereich \"Geöffnete Editoren\" ausgeblendet.",
+ "openEditorsSortOrder": "Steuert die Sortierreihenfolge der Editoren im Bereich \"Geöffnete Editoren\".",
+ "sortOrder.editorOrder": "Editoren werden in der gleichen Reihenfolge angeordnet, in der die Editor-Registerkarten angezeigt werden.",
+ "sortOrder.alphabetical": "Editoren werden in jeder Editor-Gruppe in alphabetischer Reihenfolge sortiert.",
+ "autoReveal.on": "Die Dateien werden angezeigt und ausgewählt.",
+ "autoReveal.off": "Die Dateien werden nicht angezeigt und ausgewählt.",
+ "autoReveal.focusNoScroll": "Die Dateien werden nicht in den sichtbaren Bereich verschoben, erhalten aber dennoch den Fokus.",
+ "autoReveal": "Steuert, ob der Explorer Dateien beim Öffnen automatisch anzeigen und auswählen soll.",
+ "enableDragAndDrop": "Steuert, ob der Explorer das Verschieben von Dateien und Ordnern per Drag & Drop zulässt. Diese Einstellung wirkt sich nur auf Drag & Drop-Vorgänge innerhalb des Explorers aus.",
+ "confirmDragAndDrop": "Steuert, ob der Explorer eine Bestätigung einfordert, um Dateien und Ordner mithilfe von Drag & Drop zu verschieben.",
+ "confirmDelete": "Steuert, ob der Explorer eine Bestätigung einfordern soll, wenn Sie eine Datei über den Papierkorb löschen.",
+ "sortOrder.default": "Dateien und Ordner werden nach ihren Namen in alphabetischer Reihenfolge sortiert. Ordner werden vor Dateien angezeigt. ",
+ "sortOrder.mixed": "Dateien und Ordner werden nach ihren Namen in alphabetischer Reihenfolge sortiert. Dateien und Ordner werden vermischt angezeigt.",
+ "sortOrder.filesFirst": "Dateien und Ordner werden nach ihren Namen in alphabetischer Reihenfolge sortiert. Dateien werden vor Ordnern angezeigt.",
+ "sortOrder.type": "Dateien und Ordner werden nach ihren Erweiterungen in alphabetischer Reihenfolge sortiert. Ordner werden vor Dateien angezeigt.",
+ "sortOrder.modified": "Dateien und Ordner werden nach dem letzten Änderungsdatum in absteigender Reihenfolge sortiert. Ordner werden vor Dateien angezeigt.",
+ "sortOrder": "Steuert die Sortierung von Dateien und Ordnern im Explorer.",
+ "explorer.decorations.colors": "Steuert, ob Dateidekorationen Farben verwenden.",
+ "explorer.decorations.badges": "Steuert, ob Dateidekorationen Badges verwenden.",
+ "simple": "Hängt das Wort \"Kopie\" am Ende des doppelten Namens an, eventuell gefolgt von einer Nummer.",
+ "smart": "Fügt am Ende des doppelt vorhandenen Namens eine Nummer hinzu. Wenn bereits eine Nummer im Namen enthalten ist, wird versucht, diese Nummer zu erhöhen.",
+ "explorer.incrementalNaming": "Steuert, welche Benennungsstrategie verwendet werden soll, wenn beim Einfügen eines doppelten Elements im Explorer ein neuer Name vergeben wird.",
+ "compressSingleChildFolders": "Legt fest, ob der Explorer Ordner in einem kompakten Format rendern soll. In einem solchen Format werden einzelne untergeordnete Ordner in einem kombinierten Strukturelement komprimiert. Das ist beispielsweise für Java-Paketstrukturen nützlich.",
+ "miViewExplorer": "&&Explorer"
+ },
+ "vs/workbench/contrib/files/browser/fileActions.contribution": {
+ "filesCategory": "Datei",
+ "workspaces": "Arbeitsbereiche",
+ "file": "Datei",
+ "copyPath": "Pfad kopieren",
+ "copyRelativePath": "Relativen Pfad kopieren",
+ "revealInSideBar": "In Seitenleiste anzeigen",
+ "acceptLocalChanges": "Änderungen anwenden und Dateiinhalte überschreiben",
+ "revertLocalChanges": "Änderungen verwerfen und zu Dateiinhalten zurückkehren",
+ "copyPathOfActive": "Pfad der aktiven Datei kopieren",
+ "copyRelativePathOfActive": "Relativen Pfad der aktiven Datei kopieren",
+ "saveAllInGroup": "Alle in Gruppe speichern",
+ "saveFiles": "Alle Dateien speichern",
+ "revert": "Datei wiederherstellen",
+ "compareActiveWithSaved": "Aktive Datei mit gespeicherter Datei vergleichen",
+ "openToSide": "An der Seite öffnen",
+ "saveAll": "Alle speichern",
+ "compareWithSaved": "Mit gespeicherter Datei vergleichen",
+ "compareWithSelected": "Mit Auswahl vergleichen",
+ "compareSource": "Für Vergleich auswählen",
+ "compareSelected": "Auswahl vergleichen",
+ "close": "Schließen",
+ "closeOthers": "Andere schließen",
+ "closeSaved": "Gespeicherte schließen",
+ "closeAll": "Alle schließen",
+ "explorerOpenWith": "Öffnen mit...",
+ "cut": "Ausschneiden",
+ "deleteFile": "Endgültig löschen",
+ "newFile": "Neue Datei",
+ "openFile": "Datei öffnen...",
+ "miNewFile": "&&Neue Datei",
+ "miSave": "&&Speichern",
+ "miSaveAs": "Speichern &&unter...",
+ "miSaveAll": "A&&lles speichern",
+ "miOpen": "&&Öffnen...",
+ "miOpenFile": "&&Datei öffnen...",
+ "miOpenFolder": "&&Ordner öffnen...",
+ "miOpenWorkspace": "Arbeitsbereich ö&&ffnen...",
+ "miAutoSave": "A&&utomatisch speichern",
+ "miRevert": "D&&atei wiederherstellen",
+ "miCloseEditor": "Editor s&&chließen",
+ "miGotoFile": "Gehe zu &&Datei..."
+ },
+ "vs/workbench/contrib/files/electron-sandbox/fileCommands": {
+ "openFileToReveal": "Öffnen Sie zum Anzeigen zuerst eine Datei."
+ },
+ "vs/workbench/contrib/files/common/editors/fileEditorInput": {
+ "orphanedReadonlyFile": "{0} (gelöscht, schreibgeschützt)",
+ "orphanedFile": "{0} (gelöscht)",
+ "readonlyFile": "{0} (schreibgeschützt)"
+ },
+ "vs/workbench/contrib/files/electron-sandbox/textFileEditor": {
+ "fileTooLargeForHeapError": "Wenn Sie eine Datei dieser Größe öffnen möchten, müssen Sie einen Neustart durchführen und mehr Arbeitsspeicher gewähren.",
+ "relaunchWithIncreasedMemoryLimit": "Mit {0} MB neu starten",
+ "configureMemoryLimit": "Arbeitsspeicherbeschränkung konfigurieren"
+ },
+ "vs/workbench/contrib/files/browser/views/emptyView": {
+ "noWorkspace": "Es ist kein Ordner geöffnet."
+ },
+ "vs/workbench/contrib/files/browser/views/explorerView": {
+ "explorerSection": "Explorer-Abschnitt: {0}"
+ },
+ "vs/workbench/contrib/files/browser/views/openEditorsView": {
+ "openEditors": "Geöffnete Editoren",
+ "dirtyCounter": "{0} nicht gespeichert"
+ },
+ "vs/workbench/contrib/files/browser/editors/textFileSaveErrorHandler": {
+ "userGuide": "Verwenden Sie die Aktionen in der Symbolleiste des Editors, um entweder Ihre Änderungen rückgängig zu machen oder den Inhalt der Datei mit Ihren Änderungen zu überschreiben.",
+ "staleSaveError": "Fehler beim Speichern von \"{0}\": Der Inhalt der Datei ist neuer. Vergleichen Sie Ihre Version mit dem Dateiinhalt, oder überschreiben Sie den Inhalt der Datei mit Ihren Änderungen.",
+ "retry": "Erneut versuchen",
+ "discard": "Verwerfen",
+ "readonlySaveErrorAdmin": "Fehler beim Speichern von \"{0}\": Die Datei ist schreibgeschützt. Wählen Sie \"Als Administrator überschreiben\" aus, um den Vorgang als Administrator zu wiederholen.",
+ "readonlySaveErrorSudo": "Fehler beim Speichern von \"{0}\": Die Datei ist schreibgeschützt. Wählen Sie \"Als sudo überschreiben\" aus, um den Vorgang als Superuser zu wiederholen.",
+ "readonlySaveError": "Fehler beim Speichern von \"{0}\": Die Datei ist schreibgeschützt. Wählen Sie \"Überschreiben\" aus, um den Schreibschutz aufzuheben.",
+ "permissionDeniedSaveError": "Fehler beim Speichern von '{0}': Unzureichende Zugriffsrechte. Wählen Sie 'Als Admin wiederholen' aus, um den Vorgang als Administrator zu wiederholen.",
+ "permissionDeniedSaveErrorSudo": "Fehler beim Speichern von \"{0}\": Nicht genügend Berechtigungen. Wählen Sie \"Als sudo wiederholen\", um den Vorgang als Superuser zu wiederholen.",
+ "genericSaveError": "Fehler beim Speichern von \"{0}\": {1}",
+ "learnMore": "Weitere Informationen",
+ "dontShowAgain": "Nicht mehr anzeigen",
+ "compareChanges": "Vergleichen",
+ "saveConflictDiffLabel": "{0} (in Datei) ↔ {1} (in {2}) – Konflikt beim Speichern lösen",
+ "overwriteElevated": "Als Admin überschreiben...",
+ "overwriteElevatedSudo": "Als sudo überschreiben...",
+ "saveElevated": "Als Admin wiederholen...",
+ "saveElevatedSudo": "Als sudo wiederholen...",
+ "overwrite": "Überschreiben",
+ "configure": "Konfigurieren"
+ },
+ "vs/workbench/contrib/files/browser/editors/binaryFileEditor": {
+ "binaryFileEditor": "Binärdatei-Viewer"
+ },
+ "vs/workbench/contrib/files/common/workspaceWatcher": {
+ "netVersionError": "Microsoft .NET Framework 4.5 ist erforderlich. Klicken Sie auf den Link, um die Anwendung zu installieren.",
+ "installNet": ".NET Framework 4.5 herunterladen",
+ "enospcError": "Dateiänderungen können in einem Arbeitsbereich dieser Größe nicht überwacht werden. Befolgen Sie die Anweisungen auf der verlinkten Seite, um das Problem zu beheben.",
+ "learnMore": "Anweisungen"
+ },
+ "vs/workbench/contrib/files/common/dirtyFilesIndicator": {
+ "dirtyFile": "1 nicht gespeicherte Datei",
+ "dirtyFiles": "{0} ungespeicherte Dateien"
+ },
+ "vs/workbench/contrib/files/browser/fileActions": {
+ "newFile": "Neue Datei",
+ "newFolder": "Neuer Ordner",
+ "rename": "Umbenennen",
+ "delete": "Löschen",
+ "copyFile": "Kopieren",
+ "pasteFile": "Einfügen",
+ "download": "Herunterladen...",
+ "createNewFile": "Neue Datei",
+ "createNewFolder": "Neuer Ordner",
+ "deleteButtonLabelRecycleBin": "&&In Papierkorb verschieben",
+ "deleteButtonLabelTrash": "&&In Papierkorb verschieben",
+ "deleteButtonLabel": "&&Löschen",
+ "dirtyMessageFilesDelete": "Sie löschen Dateien mit nicht gespeicherten Änderungen. Möchten Sie den Vorgang fortsetzen?",
+ "dirtyMessageFolderOneDelete": "Sie löschen einen Ordner \"{0}\", der nicht gespeicherte Änderungen in 1 Datei enthält. Möchten Sie fortfahren?",
+ "dirtyMessageFolderDelete": "Sie sind dabei, einen Ordner \"{0}\" zu löschen, der {1} Dateien mit nicht gespeicherten Änderungen enthält. Möchten Sie fortfahren?",
+ "dirtyMessageFileDelete": "Sie sind dabei, {0} trotz nicht gespeicherter Änderungen zu löschen. Möchten Sie fortfahren?",
+ "dirtyWarning": "Ihre Änderungen gehen verloren, wenn Sie sie nicht speichern.",
+ "undoBinFiles": "Sie können diese Dateien aus dem Papierkorb wiederherstellen.",
+ "undoBin": "Sie können diese Datei aus dem Papierkorb wiederherstellen.",
+ "undoTrashFiles": "Sie können diese Dateien aus dem Papierkorb wiederherstellen.",
+ "undoTrash": "Sie können diese Datei aus dem Papierkorb wiederherstellen.",
+ "doNotAskAgain": "Nicht erneut fragen",
+ "irreversible": "Diese Aktion kann nicht rückgängig gemacht werden.",
+ "deleteBulkEdit": "{0} Dateien löschen",
+ "deleteFileBulkEdit": "\"{0}\" löschen",
+ "deletingBulkEdit": "{0} Dateien werden gelöscht.",
+ "deletingFileBulkEdit": "\"{0}\" wird gelöscht.",
+ "binFailed": "Fehler beim Löschen über den Papierkorb. Möchten Sie den Löschvorgang stattdessen dauerhaft ausführen?",
+ "trashFailed": "Fehler beim Löschen über den Papierkorb. Möchten Sie den Löschvorgang stattdessen dauerhaft ausführen?",
+ "deletePermanentlyButtonLabel": "&&Endgültig löschen",
+ "retryButtonLabel": "&&Wiederholen",
+ "confirmMoveTrashMessageFilesAndDirectories": "Möchten Sie die folgenden {0} Dateien/Verzeichnisse und ihren Inhalt löschen?",
+ "confirmMoveTrashMessageMultipleDirectories": "Möchten Sie die folgenden {0} Verzeichnisse und ihren Inhalt löschen?",
+ "confirmMoveTrashMessageMultiple": "Möchten Sie die folgenden {0} Dateien löschen?",
+ "confirmMoveTrashMessageFolder": "Möchten Sie \"{0}\" samt Inhalt wirklich löschen?",
+ "confirmMoveTrashMessageFile": "Möchten Sie \"{0}\" löschen?",
+ "confirmDeleteMessageFilesAndDirectories": "Möchten Sie die folgenden {0} Dateien/Verzeichnisse und ihren Inhalt dauerhaft löschen?",
+ "confirmDeleteMessageMultipleDirectories": "Möchten Sie die folgenden {0} Verzeichnisse und ihren Inhalt dauerhaft löschen?",
+ "confirmDeleteMessageMultiple": "Möchten Sie die folgenden {0} Dateien endgültig löschen?",
+ "confirmDeleteMessageFolder": "Möchten Sie \"{0}\" samt Inhalt wirklich endgültig löschen?",
+ "confirmDeleteMessageFile": "Möchten Sie \"{0}\" wirklich endgültig löschen?",
+ "globalCompareFile": "Aktive Datei vergleichen mit...",
+ "fileToCompareNoFile": "Wählen Sie eine Datei für den Vergleich aus.",
+ "openFileToCompare": "Zuerst eine Datei öffnen, um diese mit einer anderen Datei zu vergleichen",
+ "toggleAutoSave": "Automatisches Speichern ein-/ausschalten",
+ "saveAllInGroup": "Alle in Gruppe speichern",
+ "closeGroup": "Gruppe schließen",
+ "focusFilesExplorer": "Fokus auf Datei-Explorer",
+ "showInExplorer": "Aktive Datei in Seitenleiste anzeigen",
+ "openFileToShow": "Öffnet zuerst eine Datei, um sie im Explorer anzuzeigen.",
+ "collapseExplorerFolders": "Ordner im Explorer zuklappen",
+ "refreshExplorer": "Explorer aktualisieren",
+ "openFileInNewWindow": "Aktive Datei in neuem Fenster öffnen",
+ "openFileToShowInNewWindow.unsupportedschema": "Die aktive Editor muss eine öffenbare Ressource enthalten.",
+ "openFileToShowInNewWindow.nofile": "Datei zuerst öffnen, um sie in einem neuen Fenster zu öffnen",
+ "emptyFileNameError": "Es muss ein Datei- oder Ordnername angegeben werden.",
+ "fileNameStartsWithSlashError": "Ein Datei- oder Ordnername darf nicht mit einem Schrägstrich beginnen.",
+ "fileNameExistsError": "Eine Datei oder ein Ordner **{0}** ist an diesem Ort bereits vorhanden. Wählen Sie einen anderen Namen.",
+ "invalidFileNameError": "Der Name **{0}** ist als Datei- oder Ordnername ungültig. Wählen Sie einen anderen Namen aus.",
+ "fileNameWhitespaceWarning": "Datei oder Ordnername beginnt mit oder endet auf Leerzeichen.",
+ "compareWithClipboard": "Aktive Datei mit Zwischenablage vergleichen",
+ "clipboardComparisonLabel": "Zwischenablage ↔ {0}",
+ "retry": "Erneut versuchen",
+ "createBulkEdit": "\"{0}\" erstellen",
+ "creatingBulkEdit": "\"{0}\" wird erstellt",
+ "renameBulkEdit": "\"{0}\" in \"{1}\" umbenennen",
+ "renamingBulkEdit": "{0} wird in {1} umbenannt.",
+ "downloadingFiles": "Download wird ausgeführt.",
+ "downloadProgressSmallMany": "{0} von {1} Dateien ({2}/s)",
+ "downloadProgressLarge": "{0} ({1} von {2}, {3}/s)",
+ "downloadButton": "Herunterladen",
+ "downloadFolder": "Ordner herunterladen",
+ "downloadFile": "Datei herunterladen",
+ "downloadBulkEdit": "\"{0}\" herunterladen",
+ "downloadingBulkEdit": "\"{0}\" wird heruntergeladen.",
+ "fileIsAncestor": "Die einzufügende Datei ist ein Vorgänger des Zielordners",
+ "movingBulkEdit": "{0} Dateien werden verschoben.",
+ "movingFileBulkEdit": "\"{0}\" wird verschoben.",
+ "moveBulkEdit": "{0} Dateien verschieben",
+ "moveFileBulkEdit": "\"{0}\" verschieben",
+ "copyingBulkEdit": "{0} Dateien werden kopiert.",
+ "copyingFileBulkEdit": "\"{0}\" wird kopiert.",
+ "copyBulkEdit": "{0} Dateien kopieren",
+ "copyFileBulkEdit": "\"{0}\" kopieren",
+ "fileDeleted": "Die einzufügenden Dateien wurden gelöscht oder verschoben, nachdem Sie sie kopiert haben. {0}"
+ },
+ "vs/workbench/contrib/files/browser/fileCommands": {
+ "saveAs": "Speichern unter...",
+ "save": "Speichern",
+ "saveWithoutFormatting": "Speichern ohne Formatierung",
+ "saveAll": "Alle speichern",
+ "removeFolderFromWorkspace": "Ordner aus dem Arbeitsbereich entfernen",
+ "newUntitledFile": "Neue unbenannte Datei",
+ "modifiedLabel": "{0} (in Datei) ↔ {1}",
+ "openFileToCopy": "Datei zuerst öffnen, um ihren Pfad zu kopieren",
+ "genericSaveError": "Fehler beim Speichern von \"{0}\": {1}",
+ "genericRevertError": "Fehler beim Zurücksetzen von '{0}': {1}"
+ },
+ "vs/workbench/contrib/files/browser/editors/textFileEditor": {
+ "textFileEditor": "Textdatei-Editor",
+ "openFolderError": "Die Datei ist ein Verzeichnis",
+ "createFile": "Datei erstellen"
+ },
+ "vs/workbench/contrib/files/browser/views/explorerDecorationsProvider": {
+ "canNotResolve": "Arbeitsbereichsordner kann nicht aufgelöst werden",
+ "symbolicLlink": "Symbolischer Link",
+ "unknown": "Unbekannter Dateityp",
+ "label": "Explorer"
+ },
+ "vs/workbench/contrib/files/browser/views/explorerViewer": {
+ "treeAriaLabel": "Datei-Explorer",
+ "fileInputAriaLabel": "Geben Sie den Dateinamen ein. Drücken Sie zur Bestätigung die EINGABETASTE oder ESC, um den Vorgang abzubrechen.",
+ "confirmOverwrite": "Eine Datei oder ein Ordner mit dem Namen \"{0}\" ist bereits im Zielordner vorhanden. Möchten Sie diese bzw. diesen ersetzen?",
+ "irreversible": "Diese Aktion kann nicht rückgängig gemacht werden.",
+ "replaceButtonLabel": "&&Ersetzen",
+ "confirmManyOverwrites": "Die folgenden {0} Dateien und/oder Ordner sind im Zielordner bereits vorhanden. Möchten Sie sie ersetzen?",
+ "uploadingFiles": "Wird hochgeladen",
+ "overwrite": "\"{0}\" überschreiben",
+ "overwriting": "\"{0}\" wird überschrieben.",
+ "uploadProgressSmallMany": "{0} von {1} Dateien ({2}/s)",
+ "uploadProgressLarge": "{0} ({1} von {2}, {3}/s)",
+ "copyFolders": "&&Ordner kopieren",
+ "copyFolder": "&&Ordner kopieren",
+ "cancel": "Abbrechen",
+ "copyfolders": "Möchten Sie die Ordner kopieren?",
+ "copyfolder": "Möchten Sie \"{0}\" kopieren?",
+ "addFolders": "&&Ordner zum Arbeitsbereich hinzufügen",
+ "addFolder": "&&Ordner zum Arbeitsbereich hinzufügen",
+ "dropFolders": "Möchten Sie die Ordner kopieren oder dem Arbeitsbereich hinzufügen?",
+ "dropFolder": "Möchten Sie \"{0}\" kopieren, oder soll \"{0}\" dem Arbeitsbereich als Ordner hinzugefügt werden?",
+ "copyFile": "\"{0}\" kopieren",
+ "copynFile": "{0} Ressourcen kopieren",
+ "copyingFile": "\"{0}\" wird kopiert.",
+ "copyingnFile": "{0} Ressourcen werden kopiert",
+ "confirmRootsMove": "Möchten Sie die Reihenfolge mehrerer Stammordner in Ihrem Arbeitsbereich ändern?",
+ "confirmMultiMove": "Möchten Sie die folgenden {0} Dateien wirklich in \"{1}\" verschieben?",
+ "confirmRootMove": "Möchten Sie die Reihenfolge des Stammordners \"{0}\" in Ihrem Arbeitsbereich ändern?",
+ "confirmMove": "Sind Sie sicher, dass Sie \"{0}\" in \"{1}\" verschieben möchten?",
+ "doNotAskAgain": "Nicht erneut fragen",
+ "moveButtonLabel": "&&Verschieben",
+ "copy": "\"{0}\" kopieren",
+ "copying": "\"{0}\" wird kopiert",
+ "move": "\"{0}\" verschieben",
+ "moving": "\"{0}\" wird verschoben"
+ },
+ "vs/workbench/contrib/format/browser/formatActionsMultiple": {
+ "nullFormatterDescription": "NONE",
+ "miss": "Erweiterung '{0}' kann '{1}' nicht formatieren",
+ "config.needed": "Es gibt mehrere Formatierer für {0}-Dateien. Wählen Sie einen Standardformatierer aus, um fortzufahren.",
+ "config.bad": "Die Erweiterung \"{0}\" ist als Formatierer konfiguriert, aber nicht verfügbar. Wählen Sie einen anderen Standardformatierer aus.",
+ "do.config": "Konfigurieren ...",
+ "select": "Standardformatierer für {0}-Dateien auswählen",
+ "formatter.default": "Definiert einen Standardformatierer, der Vorrang gegenüber allen anderen Formatierereinstellungen hat. Muss der Bezeichner einer Erweiterung sein, die zu einem Formatierer gehört.",
+ "def": "(Standard)",
+ "config": "Standardformatierer konfigurieren ...",
+ "format.placeHolder": "Formatierer auswählen",
+ "formatDocument.label.multiple": "Dokument formatieren mit...",
+ "formatSelection.label.multiple": "Auswahl formatieren mit ..."
+ },
+ "vs/workbench/contrib/format/browser/formatActionsNone": {
+ "formatDocument.label.multiple": "Dokument formatieren",
+ "too.large": "Diese Datei ist zu groß und kann daher nicht formatiert werden.",
+ "no.provider": "Es ist kein Formatierer für {0}-Dateien installiert.",
+ "install.formatter": "Formatierer installieren..."
+ },
+ "vs/workbench/contrib/format/browser/formatModified": {
+ "formatChanges": "Geänderte Zeilen formatieren"
+ },
+ "vs/workbench/contrib/issue/electron-sandbox/issue.contribution": {
+ "reportIssueInEnglish": "Problem melden..."
+ },
+ "vs/workbench/contrib/issue/electron-sandbox/issueActions": {
+ "openProcessExplorer": "Prozess-Explorer öffnen",
+ "reportPerformanceIssue": "Leistungsproblem melden"
+ },
+ "vs/workbench/contrib/keybindings/browser/keybindings.contribution": {
+ "toggleKeybindingsLog": "Problembehandlung für das Umschalten von Tastenkombinationen"
+ },
+ "vs/workbench/contrib/localizations/browser/localizations.contribution": {
+ "updateLocale": "Möchten Sie die Sprache der Benutzeroberfläche von VS Code in {0} ändern und einen Neustart durchführen?",
+ "activateLanguagePack": "Zur Verwendung von VS Code in {0} muss VS Code neu gestartet werden.",
+ "yes": "Ja",
+ "restart now": "Jetzt neu starten",
+ "neverAgain": "Nicht mehr anzeigen",
+ "vscode.extension.contributes.localizations": "Trägt Lokalisierungen zum Editor bei",
+ "vscode.extension.contributes.localizations.languageId": "ID der Sprache, in die Anzeigezeichenfolgen übersetzt werden.",
+ "vscode.extension.contributes.localizations.languageName": "Englischer Name der Sprache.",
+ "vscode.extension.contributes.localizations.languageNameLocalized": "Name der Sprache in beigetragener Sprache.",
+ "vscode.extension.contributes.localizations.translations": "Liste der Übersetzungen, die der Sprache zugeordnet sind.",
+ "vscode.extension.contributes.localizations.translations.id": "ID von VS Code oder der Erweiterung, für die diese Übersetzung beigetragen wird. Die ID von VS Code ist immer \"vscode\", und die ID einer Erweiterung muss im Format \"publisherId.extensionName\" vorliegen.",
+ "vscode.extension.contributes.localizations.translations.id.pattern": "Die ID muss \"vscode\" sein oder im Format \"publisherId.extensionName\" vorliegen, um VS Code bzw. eine Erweiterung zu übersetzen.",
+ "vscode.extension.contributes.localizations.translations.path": "Ein relativer Pfad zu einer Datei mit Übersetzungen für die Sprache."
+ },
+ "vs/workbench/contrib/localizations/browser/localizationsActions": {
+ "configureLocale": "Anzeigesprache konfigurieren",
+ "installAdditionalLanguages": "Zusätzliche Sprachen installieren ...",
+ "chooseDisplayLanguage": "Anzeige-Sprache auswählen",
+ "relaunchDisplayLanguageMessage": "Ein Neustart ist erforderlich, damit die Änderung der Anzeigesprache übernommen wird.",
+ "relaunchDisplayLanguageDetail": "Drücken Sie die Schaltfläche für den Neustart, um {0} neu zu starten und die Anzeigesprache zu ändern.",
+ "restart": "&&Neu starten"
+ },
+ "vs/workbench/contrib/localizations/browser/minimalTranslations": {
+ "showLanguagePackExtensions": "Suchen Sie im Marketplace nach Sprachpaketen, um die Anzeigesprache in {0} zu ändern.",
+ "searchMarketplace": "Marketplace durchsuchen",
+ "installAndRestartMessage": "Installieren Sie das Sprachpaket, um die Anzeigesprache in {0} zu ändern.",
+ "installAndRestart": "Installieren und neu starten"
+ },
+ "vs/workbench/contrib/logs/common/logs.contribution": {
+ "userDataSyncLog": "Einstellungssynchronisierung",
+ "rendererLog": "Fenster",
+ "telemetryLog": "Telemetrie",
+ "show window log": "Fensterprotokoll anzeigen",
+ "mainLog": "Haupt",
+ "sharedLog": "Gemeinsame Sperre"
+ },
+ "vs/workbench/contrib/logs/electron-sandbox/logsActions": {
+ "openLogsFolder": "Protokollordner öffnen",
+ "openExtensionLogsFolder": "Ordner mit den Erweiterungsprotokollen öffnen"
+ },
+ "vs/workbench/contrib/logs/common/logsActions": {
+ "setLogLevel": "Protokollstufe festlegen...",
+ "trace": "Ablaufverfolgung",
+ "debug": "Debuggen",
+ "info": "Info",
+ "warn": "Warnung",
+ "err": "Fehler",
+ "critical": "Kritisch",
+ "off": "Aus",
+ "selectLogLevel": "Protokollstufe auswählen",
+ "default and current": "Standard und aktuell",
+ "default": "Standard",
+ "current": "Aktuell",
+ "openSessionLogFile": "Fensterprotokolldatei öffnen (Sitzung)...",
+ "sessions placeholder": "Sitzung auswählen",
+ "log placeholder": "Protokolldatei auswählen"
+ },
+ "vs/workbench/contrib/markers/browser/markers.contribution": {
+ "markersViewIcon": "Ansichtssymbol der Markeransicht.",
+ "copyMarker": "Kopieren",
+ "copyMessage": "Nachricht kopieren",
+ "focusProblemsList": "Ansicht \"Probleme\" fokussieren",
+ "focusProblemsFilter": "Problemfilter fokussieren",
+ "show multiline": "Nachricht in mehreren Zeilen anzeigen",
+ "problems": "Probleme",
+ "show singleline": "Meldung in einer Zeile anzeigen",
+ "clearFiltersText": "Filtertext löschen",
+ "miMarker": "&&Probleme",
+ "status.problems": "Probleme",
+ "totalErrors": "{0} Fehler",
+ "totalWarnings": "{0} Warnungen",
+ "totalInfos": "{0}-Informationen",
+ "noProblems": "Keine Probleme",
+ "manyProblems": "Über 10.000"
+ },
+ "vs/workbench/contrib/markers/browser/markersView": {
+ "collapseAll": "Alle zuklappen",
+ "filter": "Filter",
+ "No problems filtered": "{0} Probleme werden angezeigt.",
+ "problems filtered": "{0} von {1} Problemen werden angezeigt.",
+ "clearFilter": "Filter löschen"
+ },
+ "vs/workbench/contrib/markers/browser/markersViewActions": {
+ "filterIcon": "Symbol für die Filterkonfiguration in der Markeransicht.",
+ "showing filtered problems": "{0} von {1} angezeigt"
+ },
+ "vs/workbench/contrib/markers/browser/messages": {
+ "problems.view.toggle.label": "Probleme umschalten (Fehler, Warnungen, Informationen)",
+ "problems.view.focus.label": "Probleme fokussieren (Fehler, Warnungen, Informationen)",
+ "problems.panel.configuration.title": "Ansicht \"Probleme\"",
+ "problems.panel.configuration.autoreveal": "Steuert, ob die Ansicht \"Probleme\" Dateien automatisch anzeigen soll, wenn diese geöffnet werden.",
+ "problems.panel.configuration.showCurrentInStatus": "Wenn aktiviert, wird das aktuelle Problem in der Statusleiste angezeigt",
+ "markers.panel.title.problems": "Probleme",
+ "markers.panel.no.problems.build": "Es wurden bisher keine Probleme im Arbeitsbereich erkannt.",
+ "markers.panel.no.problems.activeFile.build": "In der aktuellen Datei wurden bisher keine Probleme erkannt.",
+ "markers.panel.no.problems.filters": "Es wurden keine Ergebnisse mit den angegebenen Filterkriterien gefunden.",
+ "markers.panel.action.moreFilters": "Weitere Filter...",
+ "markers.panel.filter.showErrors": "Fehler anzeigen",
+ "markers.panel.filter.showWarnings": "Warnungen anzeigen",
+ "markers.panel.filter.showInfos": "Informationen anzeigen",
+ "markers.panel.filter.useFilesExclude": "Ausgeschlossene Dateien ausblenden",
+ "markers.panel.filter.activeFile": "Nur die aktive Datei anzeigen",
+ "markers.panel.action.filter": "Probleme filtern",
+ "markers.panel.action.quickfix": "Korrekturen anzeigen",
+ "markers.panel.filter.ariaLabel": "Probleme filtern",
+ "markers.panel.filter.placeholder": "Filtern (Beispiel: text, **/*.ts, !**/node_modules/**)",
+ "markers.panel.filter.errors": "Fehler",
+ "markers.panel.filter.warnings": "Warnungen",
+ "markers.panel.filter.infos": "Informationen",
+ "markers.panel.single.error.label": "1 Fehler",
+ "markers.panel.multiple.errors.label": "{0} Fehler",
+ "markers.panel.single.warning.label": "1 Warnung",
+ "markers.panel.multiple.warnings.label": "{0} Warnungen",
+ "markers.panel.single.info.label": "1 Information",
+ "markers.panel.multiple.infos.label": "{0}-Informationen",
+ "markers.panel.single.unknown.label": "1 Unbekannte",
+ "markers.panel.multiple.unknowns.label": "{0} Unbekannte",
+ "markers.panel.at.ln.col.number": "[{0}, {1}]",
+ "problems.tree.aria.label.resource": "{0} Probleme in der Datei {1} im Ordner {2}",
+ "problems.tree.aria.label.marker.relatedInformation": "Dieses Problem verweist auf {0} Speicherorte.",
+ "problems.tree.aria.label.error.marker": "Von {0} generierter Fehler: {1} in Zeile {2} bei Zeichen {3}.{4}",
+ "problems.tree.aria.label.error.marker.nosource": "Fehler: {0} in Zeile {1} bei Zeichen {2}.{3}",
+ "problems.tree.aria.label.warning.marker": "Von {0} generierte Warnung: {1} in Zeile {2} bei Zeichen {3}.{4}",
+ "problems.tree.aria.label.warning.marker.nosource": "Warnung: {0} in Zeile {1} bei Zeichen {2}.{3}",
+ "problems.tree.aria.label.info.marker": "Von {0} generierte Informationen: {1} in Zeile {2} bei Zeichen {3}.{4}",
+ "problems.tree.aria.label.info.marker.nosource": "Informationen: {0} in Zeile {1} bei Zeichen {2}.{3}",
+ "problems.tree.aria.label.marker": "Von {0} generiertes Problem: {1} in Zeile {2} bei Zeichen {3}.{4}",
+ "problems.tree.aria.label.marker.nosource": "Problem: {0} in Zeile {1} bei Zeichen {2}.{3}",
+ "problems.tree.aria.label.relatedinfo.message": "{0} in Zeile {1} bei Zeichen {2} in {3}",
+ "errors.warnings.show.label": "Fehler und Warnungen anzeigen"
+ },
+ "vs/workbench/contrib/markers/browser/markers": {
+ "totalProblems": "Insgesamt {0} Probleme"
+ },
+ "vs/workbench/contrib/markers/browser/markersFileDecorations": {
+ "label": "Probleme",
+ "tooltip.1": "1 Problem in dieser Datei",
+ "tooltip.N": "{0} Probleme in dieser Datei",
+ "markers.showOnFile": "Fehler und Warnungen in Dateien und Ordnern anzeigen."
+ },
+ "vs/workbench/contrib/markers/browser/markersTreeViewer": {
+ "problemsView": "Problemansicht",
+ "expandedIcon": "Symbol, das angibt, dass in der Markeransicht mehrere Zeilen angezeigt werden.",
+ "collapsedIcon": "Symbol, das angibt, dass in der Markeransicht mehrere Zeilen nicht angezeigt werden.",
+ "single line": "Meldung in einer Zeile anzeigen",
+ "multi line": "Nachricht in mehreren Zeilen anzeigen",
+ "links.navigate.follow": "Link folgen",
+ "links.navigate.kb.meta": "STRG + Klicken",
+ "links.navigate.kb.meta.mac": "BEFEHL + Klicken",
+ "links.navigate.kb.alt.mac": "OPTION + Klicken",
+ "links.navigate.kb.alt": "alt + klicken"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/coreActions": {
+ "notebookActions.category": "Notebook",
+ "notebookActions.execute": "Zelle ausführen",
+ "notebookActions.cancel": "Zellenausführung beenden",
+ "notebookActions.executeCell": "Zelle ausführen",
+ "notebookActions.CancelCell": "Ausführung abbrechen",
+ "notebookActions.deleteCell": "Zelle löschen",
+ "notebookActions.executeAndSelectBelow": "Notebook-Zelle ausführen und unten auswählen",
+ "notebookActions.executeAndInsertBelow": "Notebook-Zelle ausführen und unten einfügen",
+ "notebookActions.renderMarkdown": "Alle Markdownzellen rendern",
+ "notebookActions.executeNotebook": "Notebook ausführen",
+ "notebookActions.cancelNotebook": "Notebook-Ausführung abbrechen",
+ "notebookMenu.insertCell": "Zelle einfügen",
+ "notebookMenu.cellTitle": "Notebook-Zelle",
+ "notebookActions.menu.executeNotebook": "Notebook ausführen (alle Zellen ausführen)",
+ "notebookActions.menu.cancelNotebook": "Notebook-Ausführung beenden",
+ "notebookActions.changeCellToCode": "Zelle in Code ändern",
+ "notebookActions.changeCellToMarkdown": "Zelle in Markdown ändern",
+ "notebookActions.insertCodeCellAbove": "Codezelle oben einfügen",
+ "notebookActions.insertCodeCellBelow": "Codezelle unten einfügen",
+ "notebookActions.insertCodeCellAtTop": "Codezelle oben hinzufügen",
+ "notebookActions.insertMarkdownCellAtTop": "Markdownzelle oben hinzufügen",
+ "notebookActions.menu.insertCode": "$(add)-Code",
+ "notebookActions.menu.insertCode.tooltip": "Codezelle hinzufügen",
+ "notebookActions.insertMarkdownCellAbove": "Markdownzelle oben einfügen",
+ "notebookActions.insertMarkdownCellBelow": "Markdownzelle unten einfügen",
+ "notebookActions.menu.insertMarkdown": "$(add)-Markdown",
+ "notebookActions.menu.insertMarkdown.tooltip": "Markdownzelle hinzufügen",
+ "notebookActions.editCell": "Zelle bearbeiten",
+ "notebookActions.quitEdit": "Bearbeitung der Zelle beenden",
+ "notebookActions.moveCellUp": "Zelle nach oben verschieben",
+ "notebookActions.moveCellDown": "Zelle nach unten verschieben",
+ "notebookActions.copy": "Zelle kopieren",
+ "notebookActions.cut": "Zelle ausschneiden",
+ "notebookActions.paste": "Zelle einfügen",
+ "notebookActions.pasteAbove": "Zelle oben einfügen",
+ "notebookActions.copyCellUp": "Zelle nach oben kopieren",
+ "notebookActions.copyCellDown": "Zelle nach unten kopieren",
+ "cursorMoveDown": "Fokus auf nächsten Zellen-Editor",
+ "cursorMoveUp": "Fokus auf vorherigen Zellen-Editor",
+ "focusOutput": "Fokus in Ausgabe der aktiven Zelle",
+ "focusOutputOut": "Fokus aus Ausgabe der aktiven Zelle",
+ "focusFirstCell": "Fokus auf erste Zelle",
+ "focusLastCell": "Fokus auf letzte Zelle",
+ "clearCellOutputs": "Zellenausgaben löschen",
+ "changeLanguage": "Zellsprache ändern",
+ "languageDescription": "({0}) – aktuelle Sprache",
+ "languageDescriptionConfigured": "({0})",
+ "pickLanguageToConfigure": "Sprachmodus auswählen",
+ "clearAllCellsOutputs": "Ausgaben aller Zellen löschen",
+ "notebookActions.splitCell": "Zelle teilen",
+ "notebookActions.joinCellAbove": "Mit vorheriger Zelle verknüpfen",
+ "notebookActions.joinCellBelow": "Mit nächster Zelle verknüpfen",
+ "notebookActions.centerActiveCell": "Aktive Zelle zentrieren",
+ "notebookActions.collapseCellInput": "Zelleneingabe reduzieren",
+ "notebookActions.expandCellContent": "Zelleninhalt aufklappen",
+ "notebookActions.collapseCellOutput": "Zellenausgabe zuklappen",
+ "notebookActions.expandCellOutput": "Zellenausgabe aufklappen",
+ "notebookActions.inspectLayout": "Notebook-Layout überprüfen"
+ },
+ "vs/workbench/contrib/notebook/browser/notebook.contribution": {
+ "diffLeftRightLabel": "{0} ⟷ {1}",
+ "notebookConfigurationTitle": "Notebook",
+ "notebook.displayOrder.description": "Prioritätsliste für MIME-Ausgabetypen",
+ "notebook.cellToolbarLocation.description": "Hiermit wird angegeben, wo die Zellensymbolleiste angezeigt bzw. ob sie ausgeblendet werden soll.",
+ "notebook.showCellStatusbar.description": "Gibt an, ob die Zellenstatusleiste angezeigt werden soll.",
+ "notebook.diff.enablePreview.description": "Gibt an, ob der erweiterte Text-Diff-Editor für Notebook verwendet werden soll."
+ },
+ "vs/workbench/contrib/notebook/browser/notebookIcons": {
+ "configureKernel": "Hiermit wird das Symbol im Kernelkonfigurations-Widget in Notebook-Editoren konfiguriert.",
+ "selectKernelIcon": "Hiermit wird das Symbol zum Auswählen eines Kernels in Notebook-Editoren konfiguriert.",
+ "executeIcon": "Symbol zur Ausführung in Notebook-Editoren.",
+ "stopIcon": "Symbol zum Beenden einer Ausführung in Notebook-Editoren.",
+ "deleteCellIcon": "Symbol zum Löschen einer Zelle in Notebook-Editoren.",
+ "executeAllIcon": "Symbol zum Ausführen aller Zellen in Notebook-Editoren.",
+ "editIcon": "Symbol zum Bearbeiten einer Zelle in Notebook-Editoren.",
+ "stopEditIcon": "Symbol zum Beenden der Bearbeitung einer Zelle in Notebook-Editoren.",
+ "moveUpIcon": "Symbol zum Verschieben einer Zelle nach oben in Notebook-Editoren.",
+ "moveDownIcon": "Symbol zum Verschieben einer Zelle nach unten in Notebook-Editoren.",
+ "clearIcon": "Symbol zum Löschen von Zellausgaben in Notebook-Editoren.",
+ "splitCellIcon": "Symbol zum Teilen einer Zelle in Notebook-Editoren.",
+ "unfoldIcon": "Symbol zum Aufklappen einer Zelle in Notebook-Editoren.",
+ "successStateIcon": "Symbol zum Verweis auf einen Erfolgsstatus in Notebook-Editoren.",
+ "errorStateIcon": "Symbol zum Verweis auf einen Fehlerstatus in Notebook-Editoren.",
+ "collapsedIcon": "Symbol zum Kommentieren eines zugeklappten Abschnitts in Notebook-Editoren.",
+ "expandedIcon": "Symbol zum Kommentieren eines aufgeklappten Abschnitts in Notebook-Editoren.",
+ "openAsTextIcon": "Symbol zum Öffnen des Notebooks in einem Text-Editor.",
+ "revertIcon": "Symbol zum Zurücksetzen in Notebook-Editoren.",
+ "mimetypeIcon": "Symbol für einen MIME-Typ in Notebook-Editoren."
+ },
+ "vs/workbench/contrib/notebook/browser/notebookEditor": {
+ "fail.noEditor": "Die Ressource kann mit dem Notebook-Editor-Typ \"{0}\" nicht geöffnet werden. Überprüfen Sie, ob die richtige Erweiterung installiert oder aktiviert wurde.",
+ "fail.reOpen": "Datei mit VS Code-Standard-Text-Editor erneut öffnen"
+ },
+ "vs/workbench/contrib/notebook/browser/notebookServiceImpl": {
+ "builtinProviderDisplayName": "Integriert"
+ },
+ "vs/workbench/contrib/notebook/browser/diff/notebookTextDiffEditor": {
+ "notebookTreeAriaLabel": "Notebook-Textdiff"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/find/findController": {
+ "notebookActions.hideFind": "Suche in Notebook ausblenden",
+ "notebookActions.findInNotebook": "In Notebook suchen"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/fold/folding": {
+ "fold.cell": "Zelle falten",
+ "unfold.cell": "Zelle auffalten"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/format/formatting": {
+ "format.title": "Notebook formatieren",
+ "label": "Notebook formatieren",
+ "formatCell.label": "Zelle formatieren"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/status/editorStatus": {
+ "notebookActions.selectKernel": "Kernel für Notebook auswählen",
+ "notebook.runCell.selectKernel": "Wählen Sie einen Notebook-Kernel zum Ausführen dieses Notebooks aus.",
+ "currentActiveKernel": " (Aktuell aktiv)",
+ "notebook.promptKernel.setDefaultTooltip": "Als Standardkernelanbieter für \"{0}\" festlegen",
+ "chooseActiveKernel": "Kernel für aktuelles Notebook auswählen",
+ "notebook.selectKernel": "Kernel für aktuelles Notebook auswählen"
+ },
+ "vs/workbench/contrib/notebook/browser/diff/notebookDiffActions": {
+ "notebook.diff.switchToText": "Text-Diff-Editor öffnen",
+ "notebook.diff.cell.revertMetadata": "Metadaten wiederherstellen",
+ "notebook.diff.cell.revertOutputs": "Ausgaben wiederherstellen",
+ "notebook.diff.cell.revertInput": "Eingabe wiederherstellen"
+ },
+ "vs/workbench/contrib/notebook/browser/extensionPoint": {
+ "contributes.notebook.provider": "Fügt Notebook-Dokumentanbieter hinzu.",
+ "contributes.notebook.provider.viewType": "Eindeutiger Bezeichner des Notebooks.",
+ "contributes.notebook.provider.displayName": "Menschlich lesbarer Name des Notebooks.",
+ "contributes.notebook.provider.selector": "Globs, für die das Notebook vorgesehen ist.",
+ "contributes.notebook.provider.selector.filenamePattern": "Glob, für den das Notizbuch aktiviert ist.",
+ "contributes.notebook.selector.provider.excludeFileNamePattern": "Globmuster, für das das Notizbuch deaktiviert ist.",
+ "contributes.priority": "Steuert, ob der benutzerdefinierte Editor automatisch aktiviert wird, wenn der Benutzer eine Datei öffnet. Diese Einstellung kann von Benutzern über die Einstellung \"workbench.editorAssociations\" außer Kraft gesetzt werden.",
+ "contributes.priority.default": "Der Editor wird automatisch verwendet, wenn der Benutzer eine Ressource öffnet, sofern keine anderen benutzerdefinierten Standard-Editoren für diese Ressource registriert sind.",
+ "contributes.priority.option": "Der Editor wird nicht automatisch verwendet, wenn der Benutzer eine Ressource öffnet. Ein Benutzer kann jedoch mit dem Befehl \"Erneut öffnen mit\" zum Editor wechseln.",
+ "contributes.notebook.renderer": "Fügt Anbieter für das Rendern der Notebook-Ausgabe hinzu.",
+ "contributes.notebook.renderer.viewType": "Eindeutiger Bezeichner des Notebook-Ausgaberenderers.",
+ "contributes.notebook.provider.viewType.deprecated": "Hiermit wird \"viewType\" in \"id\" umbenannt.",
+ "contributes.notebook.renderer.displayName": "Menschlich lesbarer Name des Notebook-Ausgaberenderers.",
+ "contributes.notebook.selector": "Globs, für die das Notebook vorgesehen ist.",
+ "contributes.notebook.renderer.entrypoint": "Datei, die in der Webansicht geladen werden soll, um die Erweiterung zu rendern."
+ },
+ "vs/workbench/contrib/notebook/browser/notebookKernelAssociation": {
+ "notebook.kernelProviderAssociations": "Definiert einen Standardkernelanbieter, der Vorrang gegenüber allen anderen Kernelanbietereinstellungen hat. Muss der Bezeichner einer Erweiterung sein, die zu einem Kernelanbieter gehört."
+ },
+ "vs/workbench/contrib/notebook/common/model/notebookTextModel": {
+ "defaultEditLabel": "Bearbeiten"
+ },
+ "vs/workbench/contrib/notebook/common/notebookEditorModel": {
+ "notebook.staleSaveError": "Der Inhalt der Datei wurde auf dem Datenträger geändert. Möchten Sie die aktualisierte Version öffnen oder die Datei mit Ihren Änderungen überschreiben?",
+ "notebook.staleSaveError.revert": "Zurücksetzen",
+ "notebook.staleSaveError.overwrite.": "Überschreiben"
+ },
+ "vs/workbench/contrib/notebook/browser/notebookEditorWidget": {
+ "notebookTreeAriaLabel": "Notebook",
+ "notebook.runCell.selectKernel": "Wählen Sie einen Notebook-Kernel zum Ausführen dieses Notebooks aus.",
+ "notebook.promptKernel.setDefaultTooltip": "Als Standardkernelanbieter für \"{0}\" festlegen",
+ "notebook.cellBorderColor": "Die Rahmenfarbe für Notebook-Zellen.",
+ "notebook.focusedEditorBorder": "Die Farbe des Rahmens für den Notebook-Zellen-Editor.",
+ "notebookStatusSuccessIcon.foreground": "Die Farbe des Fehlersymbols von Notebook-Zellen in der Zellenstatusleiste.",
+ "notebookStatusErrorIcon.foreground": "Die Farbe des Fehlersymbols von Notebook-Zellen in der Zellenstatusleiste.",
+ "notebookStatusRunningIcon.foreground": "Die Farbe des Symbols ausgeführter Notebook-Zellen in der Zellenstatusleiste.",
+ "notebook.outputContainerBackgroundColor": "Die Hintergrundfarbe für den Notebook-Ausgabecontainer.",
+ "notebook.cellToolbarSeparator": "Die Farbe der Trennlinie in der unteren Zellensymbolleiste.",
+ "focusedCellBackground": "Die Hintergrundfarbe einer Zelle, wenn der Fokus auf der Zelle liegt.",
+ "notebook.cellHoverBackground": "Die Hintergrundfarbe einer Zelle, wenn mit dem Mauszeiger auf die Zelle gezeigt wird.",
+ "notebook.selectedCellBorder": "Die Farbe des oberen und unteren Rahmens der Zelle, wenn die Zelle zwar ausgewählt ist, aber nicht im Fokus liegt.",
+ "notebook.focusedCellBorder": "Die Farbe des oberen und unteren Rahmens der Zelle, wenn der Fokus auf der Zelle liegt.",
+ "notebook.cellStatusBarItemHoverBackground": "Die Hintergrundfarbe der Statusleistenelemente für Notebook-Zellen.",
+ "notebook.cellInsertionIndicator": "Die Farbe des Indikators für das Einfügen von Notebook-Zellen.",
+ "notebookScrollbarSliderBackground": "Hintergrundfarbe des Schiebereglers für die Notebook-Scrollleiste.",
+ "notebookScrollbarSliderHoverBackground": "Hintergrundfarbe des Schiebereglers für die Notebook-Scrollleiste beim Daraufzeigen.",
+ "notebookScrollbarSliderActiveBackground": "Hintergrundfarbe des Schiebereglers für die Notebook-Scrollleiste, wenn darauf geklickt wird.",
+ "notebook.symbolHighlightBackground": "Hintergrundfarbe der markierten Zelle"
+ },
+ "vs/workbench/contrib/notebook/browser/view/renderers/cellRenderer": {
+ "cellExpandButtonLabel": "Erweitern"
+ },
+ "vs/workbench/contrib/notebook/browser/viewModel/markdownCellViewModel": {
+ "notebook.emptyMarkdownPlaceholder": "Leere Markdownzelle. Um diese zu bearbeiten, doppelklicken Sie, oder drücken Sie die EINGABETASTE."
+ },
+ "vs/workbench/contrib/notebook/browser/view/renderers/cellWidgets": {
+ "notebook.cell.status.language": "Zellensprachmodus auswählen"
+ },
+ "vs/workbench/contrib/notebook/browser/view/renderers/cellOutput": {
+ "mimeTypePicker": "Wählen Sie einen anderen Mimetyp für die Ausgabe aus. Verfügbare Mimetypen: {0}",
+ "curruentActiveMimeType": "Zurzeit aktiv",
+ "promptChooseMimeTypeInSecure.placeHolder": "Wählen Sie den MIME-Typ aus, der für die aktuelle Ausgabe gerendert werden soll. RTF-MIME-Typen sind nur verfügbar, wenn das Notebook vertrauenswürdig ist.",
+ "promptChooseMimeType.placeHolder": "Wählen Sie den MIME-Typ aus, der für die aktuelle Ausgabe gerendert werden soll.",
+ "builtinRenderInfo": "Integriert"
+ },
+ "vs/workbench/contrib/outline/browser/outline.contribution": {
+ "outlineViewIcon": "Ansichtssymbol der Gliederungsansicht.",
+ "name": "Gliederung",
+ "outlineConfigurationTitle": "Gliederung",
+ "outline.showIcons": "Hiermit werden Gliederungselemente mit Symbolen gerendert.",
+ "outline.showProblem": "Hiermit werden Fehler und Warnungen für Gliederungselemente angezeigt.",
+ "outline.problem.colors": "Hiermit werden Farben für Fehler und Warnungen verwendet.",
+ "outline.problems.badges": "Hiermit werden Badges für Fehler und Warnungen verwendet.",
+ "filteredTypes.file": "Wenn aktiviert, zeigt die Gliederung \"file\"-Symbole an.",
+ "filteredTypes.module": "Wenn aktiviert, zeigt die Gliederung \"module\"-Symbole an.",
+ "filteredTypes.namespace": "Wenn aktiviert, zeigt die Gliederung \"namespace\"-Symbole an.",
+ "filteredTypes.package": "Wenn aktiviert, zeigt die Gliederung \"package\"-Symbole an.",
+ "filteredTypes.class": "Wenn aktiviert, zeigt die Gliederung \"class\"-Symbole an",
+ "filteredTypes.method": "Wenn aktiviert, zeigt die Gliederung \"method\"-Symbole an.",
+ "filteredTypes.property": "Wenn aktiviert, zeigt die Gliederung \"property\"-Symbole an.",
+ "filteredTypes.field": "Wenn aktiviert, zeigt die Gliederung \"field\"-Symbole an.",
+ "filteredTypes.constructor": "Wenn aktiviert, zeigt die Gliederung \"constructor\"-Symbole an.",
+ "filteredTypes.enum": "Wenn aktiviert, zeigt die Gliederung \"enum\"-Symbole an.",
+ "filteredTypes.interface": "Wenn aktiviert, zeigt die Gliederung \"interface\"-Symbole an.",
+ "filteredTypes.function": "Wenn aktiviert, zeigt die Gliederung \"function\"-Symbole an.",
+ "filteredTypes.variable": "Wenn aktiviert, zeigt die Gliederung \"variable\"-Symbole an.",
+ "filteredTypes.constant": "Wenn aktiviert, zeigt die Gliederung \"constant\"-Symbole an.",
+ "filteredTypes.string": "Wenn aktiviert, zeigt die Gliederung \"string\"-Symbole an.",
+ "filteredTypes.number": "Wenn aktiviert, zeigt die Gliederung \"number\"-Symbole an.",
+ "filteredTypes.boolean": "Wenn aktiviert, zeigt die Gliederung \"boolean\"-Symbole an.",
+ "filteredTypes.array": "Wenn aktiviert, zeigt die Gliederung \"array\"-Symbole an.",
+ "filteredTypes.object": "Wenn aktiviert, zeigt die Gliederung \"object\"-Symbole an.",
+ "filteredTypes.key": "Wenn aktiviert, zeigt die Gliederung \"key\"-Symbole an.",
+ "filteredTypes.null": "Wenn aktiviert, zeigt die Gliederung \"null\"-Symbole an.",
+ "filteredTypes.enumMember": "Wenn aktiviert, zeigt die Gliederung \"enumMember\"-Symbole an.",
+ "filteredTypes.struct": "Wenn aktiviert, zeigt die Gliederung \"struct\"-Symbole an",
+ "filteredTypes.event": "Wenn aktiviert, zeigt die Gliederung \"event\"-Symbole an.",
+ "filteredTypes.operator": "Wenn aktiviert, zeigt die Gliederung \"operator\"-Symbole an.",
+ "filteredTypes.typeParameter": "Wenn aktiviert, zeigt die Gliederung \"typeParameter\"-Symbole an."
+ },
+ "vs/workbench/contrib/outline/browser/outlinePane": {
+ "outline": "Gliederung",
+ "sortByPosition": "Sortieren nach: Position",
+ "sortByName": "Sortieren nach: Name",
+ "sortByKind": "Sortieren nach: Kategorie",
+ "followCur": "Cursor folgen",
+ "filterOnType": "Typfilter",
+ "no-editor": "Der aktive Editor kann keine Gliederungsinformationen angeben.",
+ "loading": "Dokumentsymbole für \"{0}\" werden geladen...",
+ "no-symbols": "Keine Symbole im Dokument \"{0}\" gefunden."
+ },
+ "vs/workbench/contrib/output/browser/output.contribution": {
+ "outputViewIcon": "Ansichtssymbol der Ausgabeansicht.",
+ "output": "Ausgabe",
+ "logViewer": "Protokollanzeige",
+ "switchToOutput.label": "Zur Ausgabe wechseln",
+ "clearOutput.label": "Ausgabe löschen",
+ "outputCleared": "Die Ausgabe wurde gelöscht.",
+ "toggleAutoScroll": "Automatisches Scrollen umschalten",
+ "outputScrollOff": "Automatisches Scrollen deaktivieren",
+ "outputScrollOn": "Automatisches Scrollen aktivieren",
+ "openActiveLogOutputFile": "Protokollausgabedatei öffnen",
+ "toggleOutput": "Ausgabe umschalten",
+ "showLogs": "Protokolle anzeigen...",
+ "selectlog": "Protokoll auswählen",
+ "openLogFile": "Protokolldatei öffnen ...",
+ "selectlogFile": "Protokolldatei auswählen",
+ "miToggleOutput": "&&Ausgabe",
+ "output.smartScroll.enabled": "Intelligentes Scrollen in der Ausgabeansicht aktivieren oder deaktivieren. Durch das intelligente Scrollen kann der Scrollvorgang automatisch gesperrt werden, wenn Sie in die Ausgabeansicht klicken, oder entsperrt werden, wenn Sie auf die letzte Zeile klicken."
+ },
+ "vs/workbench/contrib/output/browser/outputView": {
+ "output model title": "{0} - Ausgabe",
+ "channel": "Ausgabekanal für '{0}'",
+ "output": "Ausgabe",
+ "outputViewWithInputAriaLabel": "{0}, Ausgabepanel",
+ "outputViewAriaLabel": "Ausgabepanel",
+ "outputChannels": "Ausgabekanäle.",
+ "logChannel": "Protokoll ({0})"
+ },
+ "vs/workbench/contrib/output/browser/logViewer": {
+ "logViewerAriaLabel": "Protokollanzeige"
+ },
+ "vs/workbench/contrib/performance/electron-browser/startupProfiler": {
+ "prof.message": "Profile wurden erfolgreich erstellt.",
+ "prof.detail": "Erstellen Sie ein Issue, und fügen Sie die folgenden Dateien manuell an:\r\n{0}",
+ "prof.restartAndFileIssue": "&&Issue erstellen und neu starten",
+ "prof.restart": "&&Neu starten",
+ "prof.thanks": "Vielen Dank für Ihre Mithilfe!",
+ "prof.detail.restart": "Ein abschließender Neustart ist erforderlich, um \"{0}\" verwenden zu können. Vielen Dank für Ihre Mithilfe!",
+ "prof.restart.button": "&&Neu starten"
+ },
+ "vs/workbench/contrib/performance/browser/performance.contribution": {
+ "show.label": "Startleistung"
+ },
+ "vs/workbench/contrib/performance/browser/perfviewEditor": {
+ "name": "Startleistung"
+ },
+ "vs/workbench/contrib/preferences/browser/keybindingsEditorContribution": {
+ "defineKeybinding.start": "Tastenzuordnung definieren",
+ "defineKeybinding.kbLayoutErrorMessage": "Sie können diese Tastenkombination mit Ihrem aktuellen Tastaturlayout nicht generieren.",
+ "defineKeybinding.kbLayoutLocalAndUSMessage": "**{0}** für Ihr aktuelles Tastaturlayout (**{1}** für USA, Standard).",
+ "defineKeybinding.kbLayoutLocalMessage": "**{0}** für Ihr aktuelles Tastaturlayout."
+ },
+ "vs/workbench/contrib/preferences/browser/preferences.contribution": {
+ "defaultPreferencesEditor": "Standardeditor für Einstellungen",
+ "settingsEditor2": "Einstellungs-Editor 2",
+ "keybindingsEditor": "Editor für Tastenzuordnungen",
+ "openSettings2": "Einstellungen öffnen (Benutzeroberfläche)",
+ "preferences": "Einstellungen",
+ "settings": "Einstellungen",
+ "miOpenSettings": "&&Einstellungen",
+ "openSettingsJson": "Einstellungen öffnen (JSON)",
+ "openGlobalSettings": "Benutzereinstellungen öffnen",
+ "openRawDefaultSettings": "Standardeinstellungen öffnen (JSON)",
+ "openWorkspaceSettings": "Arbeitsbereichseinstellungen öffnen",
+ "openWorkspaceSettingsFile": "Arbeitsbereichseinstellungen öffnen (JSON)",
+ "openFolderSettings": "Ordnereinstellungen öffnen",
+ "openFolderSettingsFile": "Einstellungen für \"Ordner öffnen\" (JSON)",
+ "filterModifiedLabel": "Geänderte Einstellungen anzeigen",
+ "filterOnlineServicesLabel": "Einstellungen für Onlinedienste anzeigen",
+ "miOpenOnlineSettings": "&&Einstellungen für Onlinedienste",
+ "onlineServices": "Einstellungen für Onlinedienste",
+ "openRemoteSettings": "Remoteeinstellungen öffnen ({0})",
+ "settings.focusSearch": "Fokus auf Einstellungssuche",
+ "settings.clearResults": "Ergebnisse der Einstellungssuche löschen",
+ "settings.focusFile": "Einstellungsdatei fokussieren",
+ "settings.focusNextSetting": "Nächste Einstellung fokussieren",
+ "settings.focusPreviousSetting": "Vorherige Einstellung fokussieren",
+ "settings.editFocusedSetting": "Fokussierte Einstellung bearbeiten",
+ "settings.focusSettingsList": "Einstellungsliste fokussieren",
+ "settings.focusSettingsTOC": "Fokus auf Inhaltsverzeichnis der Einstellungen",
+ "settings.focusSettingControl": "Fokus auf Einstellungssteuerung",
+ "settings.showContextMenu": "Kontextmenü für Einstellung anzeigen",
+ "settings.focusLevelUp": "Fokus um eine Ebene nach oben verschieben",
+ "openGlobalKeybindings": "Tastaturkurzbefehle öffnen",
+ "Keyboard Shortcuts": "Tastenkombinationen",
+ "openDefaultKeybindingsFile": "Standardtastenkombinationen öffnen (JSON)",
+ "openGlobalKeybindingsFile": "Tastenkombinationen öffnen (JSON)",
+ "showDefaultKeybindings": "Standard-Tastaturbelegungen anzeigen",
+ "showUserKeybindings": "Benutzer-Tastaturbelegungen anzeigen",
+ "clear": "Suchergebnisse löschen",
+ "miPreferences": "&&Einstellungen"
+ },
+ "vs/workbench/contrib/preferences/browser/keybindingWidgets": {
+ "defineKeybinding.initial": "Drücken Sie die gewünschte Tastenkombination, und betätigen Sie anschließend die EINGABETASTE.",
+ "defineKeybinding.oneExists": "Diese Tastenzuordnung ist 1 vorhandenen Befehl zugewiesen",
+ "defineKeybinding.existing": "Diese Tastenzuordnung ist {0} vorhandenen Befehlen zugewiesen",
+ "defineKeybinding.chordsTo": "Tastenkombination zu"
+ },
+ "vs/workbench/contrib/preferences/browser/keybindingsEditor": {
+ "recordKeysLabel": "Tasten aufzeichnen",
+ "recordKeysLabelWithKeybinding": "{0} ({1})",
+ "sortByPrecedeneLabel": "Nach Priorität sortieren",
+ "sortByPrecedeneLabelWithKeybinding": "{0} ({1})",
+ "SearchKeybindings.FullTextSearchPlaceholder": "Nehmen Sie eine Eingabe vor, um die Tastenzuordnungen zu durchsuchen.",
+ "SearchKeybindings.KeybindingsSearchPlaceholder": "Tasten werden aufgezeichnet. Drücken Sie die ESC-TASTE, um den Vorgang zu beenden.",
+ "clearInput": "Sucheingabe für Tastenzuordnungen löschen",
+ "recording": "Tasten werden aufgezeichnet",
+ "command": "Befehl",
+ "keybinding": "Tastenzuordnung",
+ "when": "Zeitpunkt",
+ "source": "Quelle",
+ "show sorted keybindings": "{0}-Tastaturbelegungen werden in Rangfolge angezeigt.",
+ "show keybindings": "{0} Tastaturbelegungen werden in alphabetischer Reihenfolge angezeigt.",
+ "changeLabel": "Tastenzuordnung ändern...",
+ "addLabel": "Tastenzuordnung hinzufügen...",
+ "editWhen": "when-Ausdruck ändern",
+ "removeLabel": "Tastenzuordnung entfernen",
+ "resetLabel": "Tastenbindung zurücksetzen",
+ "showSameKeybindings": "Die gleichen Tastenzuordnung anzeigen",
+ "copyLabel": "Kopieren",
+ "copyCommandLabel": "Befehls-ID kopieren",
+ "error": "Fehler \"{0}\" beim Bearbeiten der Tastenzuordnung. Überprüfen Sie die Datei \"keybindings.json\" auf Fehler.",
+ "editKeybindingLabelWithKey": "Tastenbindung ändern {0}",
+ "editKeybindingLabel": "Tastenzuordnung ändern",
+ "addKeybindingLabelWithKey": "Tastenzuordnung {0} hinzufügen",
+ "addKeybindingLabel": "Tastenzuordnung hinzufügen",
+ "title": "{0} ({1})",
+ "whenContextInputAriaLabel": "when-Kontext eingeben. Drücken Sie die EINGABETASTE, um die Eingabe zu bestätigen, oder die ESC-Taste, um den Vorgang abzubrechen.",
+ "keybindingsLabel": "Tastenzuordnungen",
+ "noKeybinding": "Keine Tastenzuordnung zugewiesen.",
+ "noWhen": "Kein when-Kontext."
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesActions": {
+ "configureLanguageBasedSettings": "Sprachspezifische Einstellungen konfigurieren...",
+ "languageDescriptionConfigured": "({0})",
+ "pickLanguage": "Sprache auswählen"
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesEditor": {
+ "SearchSettingsWidget.AriaLabel": "Einstellungen suchen",
+ "SearchSettingsWidget.Placeholder": "Einstellungen suchen",
+ "noSettingsFound": "Keine Einstellungen gefunden",
+ "oneSettingFound": "1 Einstellung gefunden",
+ "settingsFound": "{0} Einstellungen gefunden",
+ "totalSettingsMessage": "Insgesamt {0} Einstellungen",
+ "nlpResult": "Ergebnisse in natürlicher Sprache",
+ "filterResult": "Gefilterte Ergebnisse",
+ "defaultSettings": "Standardeinstellungen",
+ "defaultUserSettings": "Standardbenutzereinstellungen",
+ "defaultWorkspaceSettings": "Standard-Arbeitsbereichseinstellungen",
+ "defaultFolderSettings": "Standardordnereinstellungen",
+ "defaultEditorReadonly": "Nehmen Sie im Editor auf der rechten Seite Änderungen vor, um Standardwerte zu überschreiben.",
+ "preferencesAriaLabel": "Standardeinstellungen. Schreibgeschützter Editor."
+ },
+ "vs/workbench/contrib/preferences/browser/settingsEditor2": {
+ "SearchSettings.AriaLabel": "Einstellungen suchen",
+ "clearInput": "Sucheingabe für Einstellungen löschen",
+ "noResults": "Es wurden keine Einstellungen gefunden.",
+ "clearSearchFilters": "Filter löschen",
+ "settings": "Einstellungen",
+ "settingsNoSaveNeeded": "Änderungen an Einstellungen werden automatisch gespeichert.",
+ "oneResult": "1 Einstellung gefunden",
+ "moreThanOneResult": "{0} Einstellungen gefunden",
+ "turnOnSyncButton": "Einstellungssynchronisierung aktivieren",
+ "lastSyncedLabel": "Letzte Synchronisierung: {0}"
+ },
+ "vs/workbench/contrib/preferences/common/preferencesContribution": {
+ "enableNaturalLanguageSettingsSearch": "Steuert, ob der Suchmodus für natürliche Sprache für die Einstellungen aktiviert ist. Die Suche mit natürlicher Sprache wird von einem Microsoft-Onlinedienst bereitgestellt.",
+ "settingsSearchTocBehavior.hide": "Inhaltsverzeichnis bei der Suche ausblenden.",
+ "settingsSearchTocBehavior.filter": "Inhaltsverzeichnis nur nach Kategorien filtern, die passende Einstellungen enthalten. Klicken Sie auf eine Kategorie, um die Ergebnisse entsprechend zu filtern.",
+ "settingsSearchTocBehavior": "Steuert das Verhalten des Inhaltsverzeichnisses im Einstellungs-Editor während der Suche."
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesIcons": {
+ "settingsGroupExpandedIcon": "Symbol für einen aufgeklappten Abschnitt im JSON-Einstellungs-Editor mit geteilter Ansicht.",
+ "settingsGroupCollapsedIcon": "Symbol für einen zugeklappten Abschnitt im JSON-Einstellungs-Editor mit geteilter Ansicht.",
+ "settingsScopeDropDownIcon": "Symbol für die Dropdownschaltfläche \"Ordner\" im JSON-Einstellungs-Editor mit geteilter Ansicht.",
+ "settingsMoreActionIcon": "Symbol für die Aktion \"Weitere Aktionen\" auf der Benutzeroberfläche für Einstellungen.",
+ "keybindingsRecordKeysIcon": "Symbol für die Aktion \"Tasten aufzeichnen\" auf der Benutzeroberfläche für Tastenzuordnungen.",
+ "keybindingsSortIcon": "Symbol für den Umschalter \"Nach Rangfolge sortieren\" auf der Benutzeroberfläche für Tastenzuordnungen.",
+ "keybindingsEditIcon": "Symbol für die Aktion \"Bearbeiten\" auf der Benutzeroberfläche für Tastenzuordnungen.",
+ "keybindingsAddIcon": "Symbol für die Aktion \"Hinzufügen\" auf der Benutzeroberfläche für Tastenzuordnungen.",
+ "settingsEditIcon": "Symbol für die Aktion \"Bearbeiten\" auf der Benutzeroberfläche für Einstellungen.",
+ "settingsAddIcon": "Symbol für die Aktion \"Hinzufügen\" auf der Benutzeroberfläche für Einstellungen.",
+ "settingsRemoveIcon": "Symbol für die Aktion \"Entfernen\" auf der Benutzeroberfläche für Einstellungen.",
+ "preferencesDiscardIcon": "Symbol für die Aktion \"Verwerfen\" auf der Benutzeroberfläche für Einstellungen.",
+ "preferencesClearInput": "Symbol für das Löschen von Eingaben auf der Benutzeroberfläche für Einstellungen und Tastenzuordnungen.",
+ "preferencesOpenSettings": "Symbol für Befehle zum Öffnen von Einstellungen."
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesWidgets": {
+ "defaultSettings": "Platzieren Sie Ihre Einstellungen zum Überschreiben im Editor auf der rechten Seite.",
+ "noSettingsFound": "Es wurden keine Einstellungen gefunden.",
+ "settingsSwitcherBarAriaLabel": "Einstellungsumschaltung",
+ "userSettings": "Benutzer",
+ "userSettingsRemote": "Remote",
+ "workspaceSettings": "Arbeitsbereich",
+ "folderSettings": "Ordner"
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesRenderers": {
+ "emptyUserSettingsHeader": "Legen Sie Ihre Einstellungen hier ab, um die Standardeinstellungen außer Kraft zu setzen.",
+ "emptyWorkspaceSettingsHeader": "Legen Sie Ihre Einstellungen hier ab, um die Benutzereinstellungen außer Kraft zu setzen.",
+ "emptyFolderSettingsHeader": "Legen Sie Ihre Ordnereinstellungen hier ab, um die aus den Arbeitsbereichseinstellungen außer Kraft zu setzen.",
+ "editTtile": "Bearbeiten",
+ "replaceDefaultValue": "In Einstellungen ersetzen",
+ "copyDefaultValue": "In Einstellungen kopieren",
+ "unknown configuration setting": "Unbekannte Konfigurationseinstellung",
+ "unsupportedRemoteMachineSetting": "Diese Einstellung kann in diesem Fenster nicht angewendet werden. Sie wird angewendet, wenn Sie das lokale Fenster öffnen.",
+ "unsupportedWindowSetting": "Diese Einstellung kann in diesem Arbeitsbereich nicht angewendet werden. Sie wird angewendet, wenn Sie den enthaltenden Arbeitsbereichordner direkt öffnen.",
+ "unsupportedApplicationSetting": "Diese Einstellungen kann nur über die Benutzereinstellungen in der Anwendung angewendet werden.",
+ "unsupportedMachineSetting": "Diese Einstellung kann nur in den Benutzereinstellungen im lokalen Fenster oder in den Remoteeinstellungen im Remotefenster angewendet werden.",
+ "unsupportedProperty": "Nicht unterstützte Eigenschaft"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsLayout": {
+ "commonlyUsed": "Am häufigsten verwendet",
+ "textEditor": "Text-Editor",
+ "cursor": "Cursor",
+ "find": "Suchen",
+ "font": "Schriftart",
+ "formatting": "Formatierung",
+ "diffEditor": "Diff-Editor",
+ "minimap": "Minimap",
+ "suggestions": "Vorschläge",
+ "files": "Dateien",
+ "workbench": "Workbench",
+ "appearance": "Darstellung",
+ "breadcrumbs": "Breadcrumbs",
+ "editorManagement": "Editorverwaltung",
+ "settings": "Einstellungs-Editor",
+ "zenMode": "Zen-Modus",
+ "screencastMode": "Screencastmodus",
+ "window": "Fenster",
+ "newWindow": "Neues Fenster",
+ "features": "Features",
+ "fileExplorer": "Explorer",
+ "search": "Suchen",
+ "debug": "Debuggen",
+ "scm": "SCM",
+ "extensions": "Erweiterungen",
+ "terminal": "Terminal",
+ "task": "Aufgabe",
+ "problems": "Probleme",
+ "output": "Ausgabe",
+ "comments": "Kommentare",
+ "remote": "Remote",
+ "timeline": "Zeitachse",
+ "notebook": "Notebook",
+ "application": "Anwendung",
+ "proxy": "Proxy",
+ "keyboard": "Tastatur",
+ "update": "Aktualisieren",
+ "telemetry": "Telemetrie",
+ "settingsSync": "Einstellungssynchronisierung"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsTree": {
+ "extensions": "Erweiterungen",
+ "extensionSyncIgnoredLabel": "Synchronisierung: Ignoriert",
+ "modified": "Geändert",
+ "settingsContextMenuTitle": "Weitere Aktionen...",
+ "alsoConfiguredIn": "Auch geändert in",
+ "configuredIn": "Geändert in",
+ "newExtensionsButtonLabel": "Übereinstimmende Erweiterungen anzeigen",
+ "editInSettingsJson": "In \"settings.json\" bearbeiten",
+ "settings.Default": "Standard",
+ "resetSettingLabel": "Einstellung zurücksetzen",
+ "validationError": "Validierungsfehler.",
+ "settings.Modified": "Geändert",
+ "settings": "Einstellungen",
+ "copySettingIdLabel": "Einstellungs-ID kopieren",
+ "copySettingAsJSONLabel": "Einstellung als JSON kopieren",
+ "stopSyncingSetting": "Diese Einstellung synchronisieren"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsTreeModels": {
+ "workspace": "Arbeitsbereich",
+ "remote": "Remote",
+ "user": "Benutzer"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsWidgets": {
+ "headerForeground": "Die Vordergrundfarbe für einen Abschnittsheader oder einen aktiven Titel",
+ "modifiedItemForeground": "Die Farbe des geänderten Einstellungsindikators",
+ "settingsDropdownBackground": "Hintergrund des Dropdownmenüs im Einstellungs-Editor",
+ "settingsDropdownForeground": "Vordergrund des Dropdownmenüs im Einstellungs-Editor",
+ "settingsDropdownBorder": "Rahmen des Dropdownmenüs im Einstellungs-Editor",
+ "settingsDropdownListBorder": "Rahmen für Dropdownliste des Einstellungs-Editors, der die Optionen umgibt und von der Beschreibung abtrennt",
+ "settingsCheckboxBackground": "Hintergrund des Kontrollkästchens im Einstellungs-Editor",
+ "settingsCheckboxForeground": "Vordergrund des Kontrollkästchens im Einstellungs-Editor",
+ "settingsCheckboxBorder": "Rahmen des Kontrollkästchens im Einstellungs-Editor",
+ "textInputBoxBackground": "Hintergrund des Texteingabefelds für den Einstellungs-Editor",
+ "textInputBoxForeground": "Vordergrund des Texteingabefelds für den Einstellungs-Editor",
+ "textInputBoxBorder": "Rahmen des Texteingabefelds für den Einstellungs-Editor",
+ "numberInputBoxBackground": "Hintergrund des Zahleneingabefelds im Einstellungs-Editor",
+ "numberInputBoxForeground": "Vordergrund des Zahleneingabefelds im Einstellungs-Editor",
+ "numberInputBoxBorder": "Rahmen des Zahleneingabefelds im Einstellungs-Editor",
+ "focusedRowBackground": "Die Hintergrundfarbe einer Einstellungszeile, wenn diese den Fokus hat.",
+ "notebook.rowHoverBackground": "Die Hintergrundfarbe einer Einstellungszeile, wenn mit der Maus darauf gezeigt wird.",
+ "notebook.focusedRowBorder": "Die Farbe des oberen und unteren Rahmens der Zeile, wenn der Fokus auf der Zeile liegt.",
+ "okButton": "OK",
+ "cancelButton": "Abbrechen",
+ "listValueHintLabel": "Listenelement \"{0}\"",
+ "listSiblingHintLabel": "Listenelement \"{0}\" mit gleichgeordnetem Element \"${1}\"",
+ "removeItem": "Element entfernen",
+ "editItem": "Element bearbeiten",
+ "addItem": "Element hinzufügen",
+ "itemInputPlaceholder": "Zeichenfolgenelement...",
+ "listSiblingInputPlaceholder": "Gleichgeordnetes Element...",
+ "excludePatternHintLabel": "Dateien ausschließen, die mit `{0}` übereinstimmen",
+ "excludeSiblingHintLabel": "Mit `{0}` übereinstimmende Dateien nur ausschließen, wenn eine Datei vorhanden ist, die mit `{1}` übereinstimmt",
+ "removeExcludeItem": "Ausschlusselement entfernen",
+ "editExcludeItem": "Ausschlusselement bearbeiten",
+ "addPattern": "Muster hinzufügen",
+ "excludePatternInputPlaceholder": "Muster ausschließen...",
+ "excludeSiblingInputPlaceholder": "Wenn ein Muster vorhanden ist...",
+ "objectKeyInputPlaceholder": "Schlüssel",
+ "objectValueInputPlaceholder": "Wert",
+ "objectPairHintLabel": "Die Eigenschaft \"{0}\" ist auf \"{1}\" festgelegt.",
+ "resetItem": "Element zurücksetzen",
+ "objectKeyHeader": "Element",
+ "objectValueHeader": "Wert"
+ },
+ "vs/workbench/contrib/preferences/browser/tocTree": {
+ "settingsTOC": "Inhaltsverzeichnis der Einstellungen",
+ "groupRowAriaLabel": "{0}, Gruppe"
+ },
+ "vs/workbench/contrib/quickaccess/browser/quickAccess.contribution": {
+ "helpQuickAccessPlaceholder": "Geben Sie {0} ein, um Hilfe zu den Aktionen zu erhalten, die Sie von hier aus durchführen können.",
+ "helpQuickAccess": "Alle Anbieter für Schnellzugriff anzeigen",
+ "viewQuickAccessPlaceholder": "Geben Sie den Namen einer Ansicht, eines Ausgabekanals oder eines Terminals ein, die/der/das geöffnet werden soll.",
+ "viewQuickAccess": "Ansicht öffnen",
+ "commandsQuickAccessPlaceholder": "Geben Sie den Namen eines auszuführenden Befehls ein.",
+ "commandsQuickAccess": "Befehle anzeigen und ausführen",
+ "miCommandPalette": "&&Befehlspalette...",
+ "miOpenView": "&&Ansicht öffnen...",
+ "miGotoSymbolInEditor": "Zu &&Symbol im Editor wechseln...",
+ "miGotoLine": "Gehe zu &&Zeile/Spalte...",
+ "commandPalette": "Befehlspalette..."
+ },
+ "vs/workbench/contrib/quickaccess/browser/viewQuickAccess": {
+ "noViewResults": "Keine übereinstimmenden Ansichten.",
+ "views": "Seitenleiste",
+ "panels": "Panel",
+ "terminalTitle": "{0}: {1}",
+ "terminals": "Terminal",
+ "logChannel": "Protokoll ({0})",
+ "channels": "Ausgabe",
+ "openView": "Ansicht öffnen",
+ "quickOpenView": "Schnellansicht öffnen"
+ },
+ "vs/workbench/contrib/quickaccess/browser/commandsQuickAccess": {
+ "noCommandResults": "Keine übereinstimmenden Befehle.",
+ "configure keybinding": "Tastenzuordnung konfigurieren",
+ "commandWithCategory": "{0}: {1}",
+ "showTriggerActions": "Alle Befehle anzeigen",
+ "clearCommandHistory": "Befehlsverlauf löschen"
+ },
+ "vs/workbench/contrib/relauncher/browser/relauncher.contribution": {
+ "relaunchSettingMessage": "Eine Einstellung wurde geändert, welche einen Neustart benötigt.",
+ "relaunchSettingMessageWeb": "Es wurde eine Einstellung geändert, für die ein Vorgang zum erneuten Laden erforderlich ist.",
+ "relaunchSettingDetail": "Klicken Sie auf die Schaltfläche für den Neustart, um {0} neu zu starten und die Einstellung zu aktivieren.",
+ "relaunchSettingDetailWeb": "Klicken Sie auf die Schaltfläche zum erneuten Laden von \"{0}\", und aktivieren Sie die Einstellung.",
+ "restart": "&&Neu starten",
+ "restartWeb": "&&Neu laden"
+ },
+ "vs/workbench/contrib/remote/electron-sandbox/remote.contribution": {
+ "remote": "Remote",
+ "remote.downloadExtensionsLocally": "Wenn aktiviert, werden Erweiterungen lokal heruntergeladen und auf dem Remotecomputer installiert"
+ },
+ "vs/workbench/contrib/remote/common/remote.contribution": {
+ "remoteExtensionLog": "Remoteserver",
+ "ui": "Art der Benutzeroberflächenerweiterung. In einem Remotefenster werden solche Erweiterungen nur aktiviert, wenn sie auf dem lokalen Computer verfügbar sind.",
+ "workspace": "Art der Arbeitsbereichserweiterung. In einem Remotefenster werden solche Erweiterungen nur aktiviert, wenn sie auf dem Remotecomputer verfügbar sind.",
+ "web": "Art der Webworkererweiterung. Eine solche Erweiterung kann auf einem Webworkererweiterungshost ausgeführt werden.",
+ "remote": "Remote",
+ "remote.extensionKind": "Setzen Sie die Art einer Erweiterung außer Kraft. ui-Erweiterungen werden auf dem lokalen Computer installiert und ausgeführt, während workspace-Erweiterungen auf dem Remotecomputer ausgeführt werden. Wenn Sie die Standardart einer Erweiterung mit dieser Einstellung außer Kraft setzen, legen Sie fest, ob diese Erweiterung lokal oder remote installiert und aktiviert werden soll.",
+ "remote.restoreForwardedPorts": "Stellt die Ports wieder her, die Sie in einem Arbeitsbereich weitergeleitet haben.",
+ "remote.autoForwardPorts": "Wenn diese Option aktiviert ist, werden neu ausgeführte Prozesse erkannt, und die Lauschports der Prozesse werden automatisch weitergeleitet."
+ },
+ "vs/workbench/contrib/remote/browser/remote": {
+ "RemoteHelpInformationExtPoint": "Trägt Hilfeinformationen für Remoteelement bei.",
+ "RemoteHelpInformationExtPoint.getStarted": "Die URL zur Seite \"Erste Schritte\" Ihres Projekts bzw. ein Befehl, der diese URL zurückgibt.",
+ "RemoteHelpInformationExtPoint.documentation": "Die URL zur Dokumentationsseite Ihres Projekts bzw. ein Befehl, der diese URL zurückgibt.",
+ "RemoteHelpInformationExtPoint.feedback": "Die URL zum Feedback-Reporter Ihres Projekts bzw. ein Befehl, der diese URL zurückgibt.",
+ "RemoteHelpInformationExtPoint.issues": "Die URL zur Issueliste Ihres Projekts bzw. ein Befehl, der diese URL zurückgibt.",
+ "getStartedIcon": "Symbol für \"Erste Schritte\" in der Remote-Explorer-Ansicht.",
+ "documentationIcon": "Dokumentationssymbol in der Remote-Explorer-Ansicht.",
+ "feedbackIcon": "Feedbacksymbol in der Remote-Explorer-Ansicht.",
+ "reviewIssuesIcon": "Symbol für \"Issue überprüfen\" in der Remote-Explorer-Ansicht.",
+ "reportIssuesIcon": "Symbol für \"Issue melden\" in der Remote-Explorer-Ansicht.",
+ "remoteExplorerViewIcon": "Ansichtssymbol der Remote-Explorer-Ansicht.",
+ "remote.help.getStarted": "Erste Schritte",
+ "remote.help.documentation": "Dokumentation lesen",
+ "remote.help.feedback": "Feedback geben",
+ "remote.help.issues": "Issues prüfen",
+ "remote.help.report": "Problem melden",
+ "pickRemoteExtension": "Zu öffnende URL auswählen",
+ "remote.help": "Hilfe und Feedback",
+ "remotehelp": "Remotehilfe",
+ "remote.explorer": "Remote-Explorer",
+ "toggleRemoteViewlet": "Remote-Explorer anzeigen",
+ "reconnectionWaitOne": "In {0} Sekunde wird erneut versucht, eine Verbindung herzustellen...",
+ "reconnectionWaitMany": "In {0} Sekunden wird versucht, erneut eine Verbindung herzustellen...",
+ "reconnectNow": "Jetzt erneut verbinden",
+ "reloadWindow": "Fenster erneut laden",
+ "connectionLost": "Verbindung verloren",
+ "reconnectionRunning": "Es wird versucht, erneut eine Verbindung herzustellen...",
+ "reconnectionPermanentFailure": "Die Verbindung kann nicht wiederhergestellt werden. Laden Sie das Fenster neu.",
+ "cancel": "Abbrechen"
+ },
+ "vs/workbench/contrib/remote/browser/remoteExplorer": {
+ "ports": "Ports",
+ "1forwardedPort": "1 weitergeleiteter Port",
+ "nForwardedPorts": "{0} weitergeleitete Ports",
+ "status.forwardedPorts": "Weitergeleitete Ports",
+ "remote.forwardedPorts.statusbarTextNone": "Keine Ports weitergeleitet",
+ "remote.forwardedPorts.statusbarTooltip": "Weitergeleitete Ports: {0}",
+ "remote.tunnelsView.automaticForward": "Ihr an Port {0} ausgeführter Dienst ist verfügbar. [Alle weitergeleiteten Ports anzeigen](command:{1}.focus)"
+ },
+ "vs/workbench/contrib/remote/browser/explorerViewItems": {
+ "remotes": "Remotesitzung wechseln",
+ "remote.explorer.switch": "Remotesitzung wechseln"
+ },
+ "vs/workbench/contrib/remote/browser/remoteIndicator": {
+ "remote.category": "Remote",
+ "remote.showMenu": "Remote-Menü anzeigen",
+ "remote.close": "Remoteverbindung schließen",
+ "miCloseRemote": "&&Remoteverbindung schließen",
+ "host.open": "Remotesitzung wird geöffnet...",
+ "disconnectedFrom": "Von \"{0}\" getrennt",
+ "host.tooltipDisconnected": "Von \"{0}\" getrennt",
+ "host.tooltip": "Bearbeitung auf \"{0}\"",
+ "noHost.tooltip": "Remotefenster öffnen",
+ "remoteHost": "Remotehost",
+ "cat.title": "{0}: {1}",
+ "closeRemote.title": "Remoteverbindung schließen"
+ },
+ "vs/workbench/contrib/remote/browser/tunnelView": {
+ "remote.tunnelsView.add": "Einen Port weiterleiten...",
+ "remote.tunnelsView.detected": "Bestehende Tunnel",
+ "remote.tunnelsView.candidates": "Nicht weitergeleitet",
+ "remote.tunnelsView.input": "Drücken Sie die EINGABETASTE, um zu bestätigen, oder ESC, um den Vorgang abzubrechen.",
+ "remote.tunnelsView.forwardedPortLabel0": "{0}",
+ "remote.tunnelsView.forwardedPortLabel1": "{0} → {1}",
+ "remote.tunnelsView.forwardedPortLabel2": "{0}",
+ "remote.tunnelsView.forwardedPortDescription0": "{0} → {1}",
+ "remote.tunnel": "Ports",
+ "remote.tunnel.ariaLabelForwarded": "Remoteport {0}:{1} an lokale Adresse {2} weitergeleitet",
+ "remote.tunnel.ariaLabelCandidate": "Remoteport {0}:{1} nicht weitergeleitet",
+ "tunnelView": "Tunnelansicht",
+ "remote.tunnel.label": "Bezeichnung festlegen",
+ "remote.tunnelsView.labelPlaceholder": "Portbezeichnung",
+ "remote.tunnelsView.portNumberValid": "Der weitergeleitete Port ist ungültig.",
+ "remote.tunnelsView.portNumberToHigh": "Die Portnummer muss ≥ 0 und < {0} sein.",
+ "remote.tunnel.forward": "Port weiterleiten",
+ "remote.tunnel.forwardItem": "Port weiterleiten",
+ "remote.tunnel.forwardPrompt": "Portnummer oder Adresse (z. B. 3000 oder 10.10.10.10:2000).",
+ "remote.tunnel.forwardError": "{0}:{1} konnte nicht weitergeleitet werden. Der Host ist möglicherweise nicht verfügbar, oder der Remoteport wurde möglicherweise bereits weitergeleitet.",
+ "remote.tunnel.closeNoPorts": "Derzeit werden keine Ports weitergeleitet. Versuchen Sie es mit dem Befehl {0}.",
+ "remote.tunnel.close": "Weiterleitungsport beenden",
+ "remote.tunnel.closePlaceholder": "Wählen Sie einen Port aus, um die Weiterleitung zu beenden.",
+ "remote.tunnel.open": "In Browser öffnen",
+ "remote.tunnel.openCommandPalette": "Port in Browser öffnen",
+ "remote.tunnel.openCommandPaletteNone": "Aktuell wurden keine Ports weitergeleitet. Öffnen Sie die Ansicht \"Ports\", um zu beginnen.",
+ "remote.tunnel.openCommandPaletteView": "Ansicht \"Ports\" öffnen...",
+ "remote.tunnel.openCommandPalettePick": "Zu öffnenden Port auswählen",
+ "remote.tunnel.copyAddressInline": "Adresse kopieren",
+ "remote.tunnel.copyAddressCommandPalette": "Adresse des weitergeleiteten Ports kopieren",
+ "remote.tunnel.copyAddressPlaceholdter": "Weitergeleiteten Port auswählen",
+ "remote.tunnel.changeLocalPort": "Lokalen Port ändern",
+ "remote.tunnel.changeLocalPortNumber": "Der lokale Port {0} ist bereits belegt, stattdessen wurde der Port {1} verwendet.",
+ "remote.tunnelsView.changePort": "Neuer lokaler Port"
+ },
+ "vs/workbench/contrib/sash/browser/sash.contribution": {
+ "sashSize": "Steuert die Reaktionsbereichsgröße für den Ziehbereich zwischen Ansichten/Editoren (in Pixeln). Legen Sie einen höheren Wert fest, wenn Sie es schwierig finden, die Größe von Ansichten mithilfe der Maus zu ändern."
+ },
+ "vs/workbench/contrib/scm/browser/scm.contribution": {
+ "sourceControlViewIcon": "Ansichtssymbol Quellcodeverwaltungsansicht.",
+ "source control": "Quellcodeverwaltung",
+ "no open repo": "Es sind keine Quellcodeanbieter registriert.",
+ "source control repositories": "Repositorys der Quellcodeverwaltung",
+ "toggleSCMViewlet": "SCM anzeigen",
+ "scmConfigurationTitle": "SCM",
+ "scm.diffDecorations.all": "Diff-Dekorationen an allen verfügbaren Speicherorten anzeigen",
+ "scm.diffDecorations.gutter": "Diff-Dekorationen nur im Editor-Bundsteg anzeigen",
+ "scm.diffDecorations.overviewRuler": "Diff-Dekorationen nur im Übersichtslineal anzeigen",
+ "scm.diffDecorations.minimap": "Diff-Dekorationen nur auf der Minimap anzeigen",
+ "scm.diffDecorations.none": "Diff-Dekorationen nicht anzeigen",
+ "diffDecorations": "Steuert die Diff-Dekorationen im Editor.",
+ "diffGutterWidth": "Steuert die Breite (px) von Diff-Kennzeichnungen im Bundsteg (hinzugefügt und geändert).",
+ "scm.diffDecorationsGutterVisibility.always": "Diff-Decorator dauerhaft im Bundsteg anzeigen",
+ "scm.diffDecorationsGutterVisibility.hover": "Diff-Decorator im Bundsteg nur beim Daraufzeigen anzeigen",
+ "scm.diffDecorationsGutterVisibility": "Legt die Sichtbarkeit des Diff-Decorators für die Quellcodeverwaltung im Bundsteg fest",
+ "scm.diffDecorationsGutterAction.diff": "Zeigt die Inlinevorschauansicht für Unterschiede per Mausklick an.",
+ "scm.diffDecorationsGutterAction.none": "Führt keine Aktion durch.",
+ "scm.diffDecorationsGutterAction": "Steuert das Verhalten der Bundstegdekorationen für Unterschiede in der Quellcodeverwaltung.",
+ "alwaysShowActions": "Steuert, ob Inlineaktionen in der Ansicht für die Quellcodeverwaltung immer sichtbar sind.",
+ "scm.countBadge.all": "Hiermit wird die Summe aller Anzahlbadges für Quellcodeverwaltungsanbieter angezeigt.",
+ "scm.countBadge.focused": "Hiermit zeigen Sie den Anzahlbadge für den ausgewählten Anbieter der Quellcodeverwaltung an.",
+ "scm.countBadge.off": "Hiermit wird der Anzahlbadge der Quellcodeverwaltung deaktiviert.",
+ "scm.countBadge": "Steuert den Anzahlbadge auf dem Symbol für die Quellcodeverwaltung in der Aktivitätsleiste.",
+ "scm.providerCountBadge.hidden": "Hiermit werden Badges für die Anzahl von Quellcodeverwaltungsanbietern ausgeblendet.",
+ "scm.providerCountBadge.auto": "Hiermit wird der Anzahlbadge für Quellcodeverwaltungsanbieter nur angezeigt, wenn die Anzahl ungleich Null ist.",
+ "scm.providerCountBadge.visible": "Hiermit werden Badges für die Anzahl von Quellcodeverwaltungsanbietern angezeigt.",
+ "scm.providerCountBadge": "Steuert die Anzahlbadges in den Headern für Quellcodeverwaltungsanbieter. Diese Header werden nur angezeigt, wenn mehr als ein Anbieter vorhanden ist.",
+ "scm.defaultViewMode.tree": "Repository-Änderungen als Baumstruktur anzeigen.",
+ "scm.defaultViewMode.list": "Zeigt die Repository-Änderungen als Liste an.",
+ "scm.defaultViewMode": "Steuert den Standardansichtsmodus für das Repository der Quellcodeverwaltung.",
+ "autoReveal": "Legt fest, ob die SCM-Ansicht beim Öffnen automatisch Dateien anzeigen und auswählen soll",
+ "inputFontFamily": "Steuert die Schriftart für die Eingabenachricht. Verwenden Sie \"default\" für die Schriftfamilie der Workbench-Benutzeroberfläche, \"editor\" für den Wert von \"#editor.fontFamily\" oder eine benutzerdefinierte Schriftfamilie.",
+ "alwaysShowRepository": "Steuert, ob Repositorys immer in der SCM-Sicht sichtbar sein sollen.",
+ "providersVisible": "Steuert, wie viele Repositorys im Abschnitt \"Repositorys der Quellcodeverwaltung\" sichtbar sind. Setzen Sie diese Option auf \"0\", um die Größe der Ansicht manuell anzupassen.",
+ "miViewSCM": "S&&CM",
+ "scm accept": "SCM: Eingaben akzeptieren",
+ "scm view next commit": "SCM: Nächsten Commit anzeigen",
+ "scm view previous commit": "SCM: Vorherigen Commit anzeigen",
+ "open in terminal": "In Terminal öffnen"
+ },
+ "vs/workbench/contrib/scm/browser/activity": {
+ "status.scm": "Quellcodeverwaltung",
+ "scmPendingChangesBadge": "{0} ausstehende Änderungen"
+ },
+ "vs/workbench/contrib/scm/browser/dirtydiffDecorator": {
+ "changes": "{0} von {1} Änderungen",
+ "change": "{0} von {1} Änderung",
+ "show previous change": "Vorherige Änderung anzeigen",
+ "show next change": "Nächste Änderung anzeigen",
+ "miGotoNextChange": "Nächste &&Änderung",
+ "miGotoPreviousChange": "Vorherige &&Änderung",
+ "move to previous change": "Zur vorherigen Änderung",
+ "move to next change": "Zur nächsten Änderung",
+ "editorGutterModifiedBackground": "Hintergrundfarbe für die Editor-Leiste für Zeilen, die geändert wurden.",
+ "editorGutterAddedBackground": "Hintergrundfarbe für die Editor-Leiste für Zeilen, die hinzugefügt wurden.",
+ "editorGutterDeletedBackground": "Hintergrundfarbe für die Editor-Leiste für Zeilen, die gelöscht wurden.",
+ "minimapGutterModifiedBackground": "Hintergrundfarbe für geänderte Zeilen im Minimapbundsteg",
+ "minimapGutterAddedBackground": "Hintergrundfarbe für hinzugefügte Zeilen im Minimapbundsteg",
+ "minimapGutterDeletedBackground": "Hintergrundfarbe für gelöschte Zeilen im Minimapbundsteg",
+ "overviewRulerModifiedForeground": "Übersichtslineal-Markierungsfarbe für geänderte Inhalte.",
+ "overviewRulerAddedForeground": "Übersichtslineal-Markierungsfarbe für hinzugefügte Inhalte.",
+ "overviewRulerDeletedForeground": "Übersichtslineal-Markierungsfarbe für gelöschte Inhalte."
+ },
+ "vs/workbench/contrib/scm/browser/scmViewPaneContainer": {
+ "source control": "Quellcodeverwaltung"
+ },
+ "vs/workbench/contrib/scm/browser/scmRepositoriesViewPane": {
+ "scm": "Repositorys der Quellcodeverwaltung"
+ },
+ "vs/workbench/contrib/scm/browser/scmViewPane": {
+ "scm": "Quellcodeverwaltung",
+ "input": "Quellcodeverwaltungseingabe",
+ "repositories": "Repositorys",
+ "sortAction": "Anzeigen und sortieren",
+ "toggleViewMode": "Ansichtsmodus umschalten",
+ "viewModeList": "Als Liste anzeigen",
+ "viewModeTree": "Als Struktur anzeigen",
+ "sortByName": "Nach Namen sortieren",
+ "sortByPath": "Nach Pfad sortieren",
+ "sortByStatus": "Nach Status sortieren",
+ "expand all": "Alle Repositorys aufklappen",
+ "collapse all": "Alle Repositorys zuklappen",
+ "scm.providerBorder": "Trennlinienrahmen für SCM-Anbieter."
+ },
+ "vs/workbench/contrib/search/browser/search.contribution": {
+ "search": "Suchen",
+ "copyMatchLabel": "Kopieren",
+ "copyPathLabel": "Pfad kopieren",
+ "copyAllLabel": "Alles kopieren",
+ "revealInSideBar": "In Seitenleiste anzeigen",
+ "clearSearchHistoryLabel": "Suchverlauf löschen",
+ "focusSearchListCommandLabel": "Liste fokussieren",
+ "findInFolder": "In Ordner suchen...",
+ "findInWorkspace": "In Arbeitsbereich suchen...",
+ "showTriggerActions": "Zu Symbol im Arbeitsbereich wechseln...",
+ "name": "Suchen",
+ "findInFiles.description": "Such-Viewlet öffnen",
+ "findInFiles.args": "Eine Reihe von Optionen für das Such-Viewlet",
+ "findInFiles": "In Dateien suchen",
+ "miFindInFiles": "&&In Dateien suchen",
+ "miReplaceInFiles": "&&In Dateien ersetzen",
+ "anythingQuickAccessPlaceholder": "Dateien nach Namen durchsuchen ({0} anfügen, um zur Zeile zu wechseln, {1} anfügen, um zum Symbol zu wechseln)",
+ "anythingQuickAccess": "Zu Datei wechseln",
+ "symbolsQuickAccessPlaceholder": "Geben Sie den Namen eines zu öffnenden Symbols ein.",
+ "symbolsQuickAccess": "Zu Symbol im Arbeitsbereich wechseln",
+ "searchConfigurationTitle": "Suchen",
+ "exclude": "Konfigurieren Sie Globmuster für das Ausschließen von Dateien und Ordnern aus Volltextsuchen und Quick Open. Alle Globmuster werden von der Einstellung #files.exclude# geerbt. Weitere Informationen zu Globmustern finden Sie [hier](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options).",
+ "exclude.boolean": "Das Globmuster, mit dem Dateipfade verglichen werden sollen. Legen Sie diesen Wert auf \"true\" oder \"false\" fest, um das Muster zu aktivieren bzw. zu deaktivieren.",
+ "exclude.when": "Zusätzliche Überprüfung der gleichgeordneten Elemente einer entsprechenden Datei. Verwenden Sie \"$(basename)\" als Variable für den entsprechenden Dateinamen.",
+ "useRipgrep": "Diese Einstellung ist veraltet und greift jetzt auf \"search.usePCRE2\" zurück.",
+ "useRipgrepDeprecated": "Veraltet. Verwenden Sie \"search.usePCRE2\" für die erweiterte Unterstützung von RegEx-Features.",
+ "search.maintainFileSearchCache": "Wenn diese Option aktiviert ist, bleibt der SearchService-Prozess aktiv, anstatt nach einer Stunde Inaktivität beendet zu werden. Dadurch wird der Cache für Dateisuchen im Arbeitsspeicher beibehalten.",
+ "useIgnoreFiles": "Steuert, ob bei der Dateisuche GITIGNORE- und IGNORE-Dateien verwendet werden.",
+ "useGlobalIgnoreFiles": "Steuert, ob bei der Dateisuche globale GITIGNORE- und IGNORE-Dateien verwendet werden.",
+ "search.quickOpen.includeSymbols": "Konfiguriert, ob Ergebnisse aus einer globalen Symbolsuche in die Dateiergebnisse für Quick Open eingeschlossen werden sollen.",
+ "search.quickOpen.includeHistory": "Gibt an, ob Ergebnisse aus zuletzt geöffneten Dateien in den Dateiergebnissen für Quick Open aufgeführt werden.",
+ "filterSortOrder.default": "Verlaufseinträge werden anhand des verwendeten Filterwerts nach Relevanz sortiert. Relevantere Einträge werden zuerst angezeigt.",
+ "filterSortOrder.recency": "Verlaufseinträge werden absteigend nach Datum sortiert. Zuletzt geöffnete Einträge werden zuerst angezeigt.",
+ "filterSortOrder": "Legt die Sortierreihenfolge des Editor-Verlaufs beim Filtern in Quick Open fest.",
+ "search.followSymlinks": "Steuert, ob Symlinks während der Suche gefolgt werden.",
+ "search.smartCase": "Sucht ohne Berücksichtigung von Groß-/Kleinschreibung, wenn das Muster kleingeschrieben ist, andernfalls wird mit Berücksichtigung von Groß-/Kleinschreibung gesucht.",
+ "search.globalFindClipboard": "Steuert, ob die Suchansicht die freigegebene Suchzwischenablage unter macOS lesen oder verändern soll.",
+ "search.location": "Steuert, ob die Suche als Ansicht in der Seitenleiste oder als Panel angezeigt wird, damit horizontal mehr Platz verfügbar ist.",
+ "search.location.deprecationMessage": "Diese Einstellung ist veraltet. Verwenden Sie stattdessen Drag & Drop, indem Sie das Suchsymbol ziehen.",
+ "search.collapseResults.auto": "Dateien mit weniger als 10 Ergebnissen werden erweitert. Andere bleiben reduziert.",
+ "search.collapseAllResults": "Steuert, ob die Suchergebnisse zu- oder aufgeklappt werden.",
+ "search.useReplacePreview": "Steuert, ob die Vorschau für das Ersetzen geöffnet werden soll, wenn eine Übereinstimmung ausgewählt oder ersetzt wird.",
+ "search.showLineNumbers": "Steuert, ob Zeilennummern für Suchergebnisse angezeigt werden.",
+ "search.usePCRE2": "Gibt an, ob die PCRE2-RegEx-Engine bei der Textsuche verwendet werden soll. Dadurch wird die Verwendung einiger erweiterter RegEx-Features wie Lookahead und Rückverweise ermöglicht. Allerdings werden nicht alle PCRE2-Features unterstützt, sondern nur solche, die auch von JavaScript unterstützt werden.",
+ "usePCRE2Deprecated": "Veraltet. PCRE2 wird beim Einsatz von Features für reguläre Ausdrücke, die nur von PCRE2 unterstützt werden, automatisch verwendet.",
+ "search.actionsPositionAuto": "Hiermit wird die Aktionsleiste auf der rechten Seite positioniert, wenn die Suchansicht schmal ist, und gleich hinter dem Inhalt, wenn die Suchansicht breit ist.",
+ "search.actionsPositionRight": "Hiermit wird die Aktionsleiste immer auf der rechten Seite positioniert.",
+ "search.actionsPosition": "Steuert die Positionierung der Aktionsleiste auf Zeilen in der Suchansicht.",
+ "search.searchOnType": "Alle Dateien während der Eingabe durchsuchen",
+ "search.seedWithNearestWord": "Aktivieren Sie das Starten der Suche mit dem Wort, das dem Cursor am nächsten liegt, wenn der aktive Editor keine Auswahl aufweist.",
+ "search.seedOnFocus": "Hiermit wird die Suchabfrage für den Arbeitsbereich auf den ausgewählten Editor-Text aktualisiert, wenn die Suchansicht den Fokus hat. Dies geschieht entweder per Klick oder durch Auslösen des Befehls \"workbench.views.search.focus\".",
+ "search.searchOnTypeDebouncePeriod": "Wenn #search.searchOnType aktiviert ist, wird dadurch das Timeout in Millisekunden zwischen einem eingegebenen Zeichen und dem Start der Suche festgelegt. Diese Einstellung keine Auswirkung, wenn search.searchOnType deaktiviert ist.",
+ "search.searchEditor.doubleClickBehaviour.selectWord": "Durch Doppelklicken wird das Wort unter dem Cursor ausgewählt.",
+ "search.searchEditor.doubleClickBehaviour.goToLocation": "Durch Doppelklicken wird das Ergebnis in der aktiven Editor-Gruppe geöffnet.",
+ "search.searchEditor.doubleClickBehaviour.openLocationToSide": "Durch Doppelklicken wird das Ergebnis in der Editorgruppe an der Seite geöffnet, wodurch ein Ergebnis erstellt wird, wenn noch keines vorhanden ist.",
+ "search.searchEditor.doubleClickBehaviour": "Konfiguriert den Effekt des Doppelklickens auf ein Ergebnis in einem Such-Editor.",
+ "search.searchEditor.reusePriorSearchConfiguration": "Sofern aktiviert, verwenden neue Such-Editoren die Einschlüsse, Ausschlüsse und Flags der zuvor geöffneten Such-Editoren.",
+ "search.searchEditor.defaultNumberOfContextLines": "Die Standardanzahl der umgebenden Kontextzeilen, die beim Erstellen neuer Such-Editoren verwendet werden sollen. Bei Verwendung von \"#search.searchEditor.reusePriorSearchConfiguration#\" kann dies auf \"NULL\" (leer) festgelegt werden, damit die Konfiguration des vorherigen Such-Editors verwendet wird.",
+ "searchSortOrder.default": "Ergebnisse werden nach Ordner- und Dateinamen in alphabetischer Reihenfolge sortiert.",
+ "searchSortOrder.filesOnly": "Die Ergebnisse werden nach Dateinamen in alphabetischer Reihenfolge sortiert. Die Ordnerreihenfolge wird ignoriert.",
+ "searchSortOrder.type": "Die Ergebnisse werden nach Dateiendungen in alphabetischer Reihenfolge sortiert.",
+ "searchSortOrder.modified": "Die Ergebnisse werden nach dem Datum der letzten Dateiänderung in absteigender Reihenfolge sortiert.",
+ "searchSortOrder.countDescending": "Ergebnisse werden nach Anzahl pro Datei und in absteigender Reihenfolge sortiert.",
+ "searchSortOrder.countAscending": "Die Ergebnisse werden nach Anzahl pro Datei in aufsteigender Reihenfolge sortiert.",
+ "search.sortOrder": "Steuert die Sortierreihenfolge der Suchergebnisse.",
+ "miViewSearch": "&&Suchen",
+ "miGotoSymbolInWorkspace": "Zu Symbol in &&Arbeitsbereich wechseln..."
+ },
+ "vs/workbench/contrib/search/browser/searchView": {
+ "searchCanceled": "Die Suche wurde abgebrochen, bevor Ergebnisse gefunden werden konnten – ",
+ "moreSearch": "Suchdetails umschalten",
+ "searchScope.includes": "Einzuschließende Dateien",
+ "label.includes": "Sucheinschlussmuster",
+ "searchScope.excludes": "Auszuschließende Dateien",
+ "label.excludes": "Suchausschlussmuster",
+ "replaceAll.confirmation.title": "Alle ersetzen",
+ "replaceAll.confirm.button": "&&Ersetzen",
+ "replaceAll.occurrence.file.message": "{0} Vorkommen in {1} Datei durch \"{2}\" ersetzt.",
+ "removeAll.occurrence.file.message": "{0} Vorkommen in {1} Datei ersetzt.",
+ "replaceAll.occurrence.files.message": "{0} Vorkommen in {1} Dateien durch \"{2}\" ersetzt.",
+ "removeAll.occurrence.files.message": "{0} Vorkommen in {1} Dateien ersetzt.",
+ "replaceAll.occurrences.file.message": "{0} Vorkommen in {1} Datei durch \"{2}\" ersetzt.",
+ "removeAll.occurrences.file.message": "{0} Vorkommen in {1} Datei ersetzt.",
+ "replaceAll.occurrences.files.message": "{0} Vorkommen in {1} Dateien wurden durch \"{2}\" ersetzt.",
+ "removeAll.occurrences.files.message": "{0} Vorkommen in {1} Dateien ersetzt.",
+ "removeAll.occurrence.file.confirmation.message": "{0} Vorkommen in {1} Datei durch \"{2}\" ersetzen?",
+ "replaceAll.occurrence.file.confirmation.message": "{0} Vorkommen in {1} Datei ersetzen?",
+ "removeAll.occurrence.files.confirmation.message": "{0} Vorkommen in {1} Dateien durch \"{2}\" ersetzen?",
+ "replaceAll.occurrence.files.confirmation.message": "{0} Vorkommen in {1} Dateien ersetzen?",
+ "removeAll.occurrences.file.confirmation.message": "{0} Vorkommen in {1} Datei durch \"{2}\" ersetzen?",
+ "replaceAll.occurrences.file.confirmation.message": "{0} Vorkommen in {1} Datei ersetzen?",
+ "removeAll.occurrences.files.confirmation.message": "{0} Vorkommen in {1} Dateien durch \"{2}\" ersetzen?",
+ "replaceAll.occurrences.files.confirmation.message": "{0} Vorkommen in {1} Dateien ersetzen?",
+ "emptySearch": "Leere Suche",
+ "ariaSearchResultsClearStatus": "Die Suchergebnisse wurden gelöscht.",
+ "searchPathNotFoundError": "Der Suchpfad wurde nicht gefunden: {0}.",
+ "searchMaxResultsWarning": "Das Resultset enthält nur eine Teilmenge aller Übereinstimmungen. Verfeinern Sie Ihre Suche, um die Ergebnisse einzugrenzen.",
+ "noResultsIncludesExcludes": "Keine Ergebnisse in \"{0}\" unter Ausschluss von \"{1}\" gefunden – ",
+ "noResultsIncludes": "Keine Ergebnisse in \"{0}\" gefunden – ",
+ "noResultsExcludes": "Keine Ergebnisse gefunden, die \"{0}\" ausschließen – ",
+ "noResultsFound": "Es wurden keine Ergebnisse gefunden. Überprüfen Sie die Einstellungen für konfigurierte Ausschlüsse, und überprüfen Sie Ihre gitignore-Dateien - ",
+ "rerunSearch.message": "Erneut suchen",
+ "rerunSearchInAll.message": "Erneut in allen Dateien suchen",
+ "openSettings.message": "Einstellungen öffnen",
+ "openSettings.learnMore": "Weitere Informationen",
+ "ariaSearchResultsStatus": "Die Suche hat {0} Ergebnisse in {1} Dateien zurückgegeben.",
+ "forTerm": " – Suche: {0}",
+ "useIgnoresAndExcludesDisabled": "– Das Ausschließen von Einstellungen und das Ignorieren von Dateien sind deaktiviert.",
+ "openInEditor.message": "Im Editor öffnen",
+ "openInEditor.tooltip": "Aktuelle Suchergebnisse in einen Editor kopieren",
+ "search.file.result": "{0} Ergebnis in {1} Datei",
+ "search.files.result": "{0} Ergebnis in {1} Dateien",
+ "search.file.results": "{0} Ergebnisse in {1} Datei",
+ "search.files.results": "{0} Ergebnisse in {1} Dateien",
+ "searchWithoutFolder": "Sie haben keinen Ordner geöffnet oder angegeben. Derzeit werden nur geöffnete Dateien durchsucht - ",
+ "openFolder": "Ordner öffnen"
+ },
+ "vs/workbench/contrib/search/browser/searchActions": {
+ "showSearch": "Suche anzeigen",
+ "replaceInFiles": "In Dateien ersetzen",
+ "toggleTabs": "Suche umschalten (nach Typ)",
+ "RefreshAction.label": "Aktualisieren",
+ "CollapseDeepestExpandedLevelAction.label": "Alle zuklappen",
+ "ExpandAllAction.label": "Alle aufklappen",
+ "ToggleCollapseAndExpandAction.label": "Zu- und Aufklappen umschalten",
+ "ClearSearchResultsAction.label": "Suchergebnisse löschen",
+ "CancelSearchAction.label": "Suche abbrechen",
+ "FocusNextSearchResult.label": "Fokus auf nächstes Suchergebnis",
+ "FocusPreviousSearchResult.label": "Fokus auf vorheriges Suchergebnis",
+ "RemoveAction.label": "Schließen",
+ "file.replaceAll.label": "Alle ersetzen",
+ "match.replace.label": "Ersetzen"
+ },
+ "vs/workbench/contrib/search/browser/symbolsQuickAccess": {
+ "noSymbolResults": "Keine übereinstimmenden Arbeitsbereichssymbole.",
+ "openToSide": "An der Seite öffnen",
+ "openToBottom": "Unten öffnen"
+ },
+ "vs/workbench/contrib/search/browser/anythingQuickAccess": {
+ "noAnythingResults": "Keine übereinstimmenden Ergebnisse.",
+ "recentlyOpenedSeparator": "zuletzt geöffnet",
+ "fileAndSymbolResultsSeparator": "Datei- und Symbolergebnisse",
+ "fileResultsSeparator": "Dateiergebnisse",
+ "filePickAriaLabelDirty": "{0}, geändert",
+ "openToSide": "An der Seite öffnen",
+ "openToBottom": "Unten öffnen",
+ "closeEditor": "Aus zuletzt geöffneten entfernen"
+ },
+ "vs/workbench/contrib/search/browser/searchWidget": {
+ "search.action.replaceAll.disabled.label": "Alle ersetzen (Suche zum Aktivieren übermitteln)",
+ "search.action.replaceAll.enabled.label": "Alle ersetzen",
+ "search.replace.toggle.button.title": "Ersetzung umschalten",
+ "label.Search": "Suchen: Geben Sie den Suchbegriff ein, und drücken Sie die EINGABETASTE, um nach dem Begriff zu suchen.",
+ "search.placeHolder": "Suchen",
+ "showContext": "\"Kontextzeilen\" umschalten",
+ "label.Replace": "Ersetzen: Geben Sie den Begriff ein, der zum Ersetzen verwendet werden soll, und drücken Sie die EINGABETASTE, um eine Vorschau anzuzeigen.",
+ "search.replace.placeHolder": "Ersetzen"
+ },
+ "vs/workbench/contrib/search/browser/searchIcons": {
+ "searchDetailsIcon": "Symbol für die Anzeige von Suchdetails.",
+ "searchShowContextIcon": "Symbol für das Umschalten des Kontexts im Such-Editor.",
+ "searchHideReplaceIcon": "Symbol für das Zuklappen des Ersetzungsabschnitts in der Suchansicht.",
+ "searchShowReplaceIcon": "Symbol für das Aufklappen des Abschnitts \"Ersetzen\" in der Suchansicht.",
+ "searchReplaceAllIcon": "Symbol für \"Alle ersetzen\" in der Suchansicht.",
+ "searchReplaceIcon": "Symbol für \"Ersetzen\" in der Suchansicht.",
+ "searchRemoveIcon": "Symbol für das Entfernen eines Suchergebnisses.",
+ "searchRefreshIcon": "Symbol für die Aktualisierung in der Suchansicht.",
+ "searchCollapseAllIcon": "Symbol für \"Ergebnisse zuklappen\" in der Suchansicht.",
+ "searchExpandAllIcon": "Symbol für \"Ergebnisse aufklappen\" in der Suchansicht.",
+ "searchClearIcon": "Symbol für \"Ergebnisse löschen\" in der Suchansicht.",
+ "searchStopIcon": "Symbol für \"Beenden\" in der Suchansicht.",
+ "searchViewIcon": "Ansichtssymbol der Suchansicht.",
+ "searchNewEditorIcon": "Symbol für die Aktion zum Öffnen eines neuen Such-Editors."
+ },
+ "vs/workbench/contrib/search/browser/patternInputWidget": {
+ "defaultLabel": "Eingabe",
+ "useExcludesAndIgnoreFilesDescription": "Ausschlusseinstellungen und Ignorieren von Dateien verwenden"
+ },
+ "vs/workbench/contrib/search/browser/searchResultsView": {
+ "searchFolderMatch.other.label": "Andere Dateien",
+ "searchFileMatches": "{0} Dateien gefunden",
+ "searchFileMatch": "{0} Datei gefunden",
+ "searchMatches": "{0} Übereinstimmungen gefunden",
+ "searchMatch": "{0} Übereinstimmung gefunden",
+ "lineNumStr": "Aus Zeile {0}",
+ "numLinesStr": "{0} weitere Zeilen",
+ "search": "Suchen",
+ "folderMatchAriaLabel": "{0} Übereinstimmungen im Ordnerstamm {1}, Suchergebnis",
+ "otherFilesAriaLabel": "{0} Übereinstimmungen außerhalb des Arbeitsbereichs, Suchergebnis",
+ "fileMatchAriaLabel": "{0} Übereinstimmungen in der Datei \"{1}\" des Ordners \"{2}\", Suchergebnis",
+ "replacePreviewResultAria": "Ersetze Term {0} mit {1} an Spaltenposition {2} in Zeile mit Text {3}",
+ "searchResultAria": "Term {0} an Spaltenposition {1} in Zeile mit Text {2} gefunden"
+ },
+ "vs/workbench/contrib/search/common/queryBuilder": {
+ "search.noWorkspaceWithName": "Kein Ordner im Arbeitsbereich mit Namen: {0}"
+ },
+ "vs/workbench/contrib/search/browser/replaceService": {
+ "fileReplaceChanges": "{0} ↔ {1} (Vorschau ersetzen)"
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditor.contribution": {
+ "searchEditor": "Such-Editor",
+ "search": "Such-Editor",
+ "searchEditor.deleteResultBlock": "Dateiergebnisse löschen",
+ "search.openNewSearchEditor": "Neuer Such-Editor",
+ "search.openSearchEditor": "Such-Editor öffnen",
+ "search.openNewEditorToSide": "Neuen Such-Editor an der Seite öffnen",
+ "search.openResultsInEditor": "Ergebnisse in Editor öffnen",
+ "search.rerunSearchInEditor": "Erneut suchen",
+ "search.action.focusQueryEditorWidget": "Fokus auf Eingabe des Such-Editors",
+ "searchEditor.action.toggleSearchEditorCaseSensitive": "\"Groß-/Kleinschreibung beachten\" umschalten",
+ "searchEditor.action.toggleSearchEditorWholeWord": "\"Nur ganzes Wort suchen\" umschalten",
+ "searchEditor.action.toggleSearchEditorRegex": "\"Reguläre Ausdrücke verwenden\" umschalten",
+ "searchEditor.action.toggleSearchEditorContextLines": "\"Kontextzeilen\" umschalten",
+ "searchEditor.action.increaseSearchEditorContextLines": "Anzahl von Kontextzeilen erhöhen",
+ "searchEditor.action.decreaseSearchEditorContextLines": "Anzahl von Kontextzeilen verringern",
+ "searchEditor.action.selectAllSearchEditorMatches": "Alle Übereinstimmungen auswählen"
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditorActions": {
+ "search.openNewEditor": "Neuen Sucheditor öffnen"
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditor": {
+ "moreSearch": "Suchdetails umschalten",
+ "searchScope.includes": "Einzuschließende Dateien",
+ "label.includes": "Sucheinschlussmuster",
+ "searchScope.excludes": "Auszuschließende Dateien",
+ "label.excludes": "Suchausschlussmuster",
+ "runSearch": "Suche ausführen",
+ "searchResultItem": "{0} bei {1} in der Datei {2} abgeglichen",
+ "searchEditor": "Suchen",
+ "textInputBoxBorder": "Rand des Texteingabefelds des Sucheditors."
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditorInput": {
+ "searchTitle.withQuery": "Suche: {0}",
+ "searchTitle": "Suchen"
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditorSerialization": {
+ "invalidQueryStringError": "Alle umgekehrten Schrägstriche in der Abfragezeichenfolge müssen mit Escapezeichen (\\\\) versehen werden.",
+ "numFiles": "{0}-Dateien",
+ "oneFile": "1 Datei",
+ "numResults": "{0} Ergebnisse",
+ "oneResult": "1 Ergebnis",
+ "noResults": "Keine Ergebnisse",
+ "searchMaxResultsWarning": "Das Resultset enthält nur eine Teilmenge aller Übereinstimmungen. Verfeinern Sie Ihre Suche, um die Ergebnisse einzugrenzen."
+ },
+ "vs/workbench/contrib/snippets/browser/snippets.contribution": {
+ "snippetSchema.json.prefix": "Das Präfix, das beim Auswählen des Codeausschnitts in IntelliSense verwendet werden soll.",
+ "snippetSchema.json.body": "Der Inhalt des Codeausschnitts. Verwenden Sie \"$1\", \"${1:defaultText}\" zum Definieren der Cursorpositionen, und legen Sie die endgültige Cursorposition mit \"$0\" fest. Fügen Sie Variablenwerte mit \"${varName}\" und \"${varName:defaultText}\" ein, z. B. \"Dateiname: $TM_FILENAME\".",
+ "snippetSchema.json.description": "Die Beschreibung des Codeausschnitts.",
+ "snippetSchema.json.default": "Leerer Codeausschnitt",
+ "snippetSchema.json": "Benutzerkonfiguration des Codeausschnitts",
+ "snippetSchema.json.scope": "Eine Liste mit Sprachnamen, für die dieser Codeausschnitt gilt. Beispiel: typescript,javascript."
+ },
+ "vs/workbench/contrib/snippets/browser/insertSnippet": {
+ "snippet.suggestions.label": "Ausschnitt einfügen",
+ "sep.userSnippet": "Benutzercodeausschnitte",
+ "sep.extSnippet": "Erweiterungscodeausschnitte",
+ "sep.workspaceSnippet": "Arbeitsbereich-Codeausschnitte",
+ "disableSnippet": "Aus IntelliSense ausblenden",
+ "isDisabled": "(aus IntelliSense ausgeblendet)",
+ "enable.snippet": "In IntelliSense anzeigen",
+ "pick.placeholder": "Ausschnitt auswählen"
+ },
+ "vs/workbench/contrib/snippets/browser/snippetsService": {
+ "invalid.path.0": "In \"contributes.{0}.path\" wurde eine Zeichenfolge erwartet. Angegebener Wert: {1}",
+ "invalid.language.0": "Beim Auslassen der Sprache muss der Wert von \"contributes.{0}.path\" eine \".code-snippets\"-Datei sein. Angegebener Wert: {1}",
+ "invalid.language": "Unbekannte Sprache in \"contributes.{0}.language\". Angegebener Wert: {1}",
+ "invalid.path.1": "Es wurde erwartet, dass \"contributes.{0}.path\" ({1}) in den Ordner der Erweiterung ({2}) aufgenommen wird. Dies könnte dazu führen, dass die Erweiterung nicht mehr portierbar ist.",
+ "vscode.extension.contributes.snippets": "Trägt Codeausschnitte bei.",
+ "vscode.extension.contributes.snippets-language": "Der Sprachbezeichner, für den dieser Codeausschnitt beigetragen wird.",
+ "vscode.extension.contributes.snippets-path": "Der Pfad der Codeausschnittdatei. Der Pfad ist relativ zum Erweiterungsordner und beginnt normalerweise mit \". /snippets/\".",
+ "badVariableUse": "Bei mindestens einem Ausschnitt von der Erweiterung \"{0}\" sind Ausschnittsvariablen und Ausschnittsplatzhalter vertauscht (weitere Informationen finden Sie unter https://code.visualstudio.com/docs/editor/userdefinedsnippets#_snippet-syntax).",
+ "badFile": "Die Ausschnittsdatei \"{0}\" konnte nicht gelesen werden."
+ },
+ "vs/workbench/contrib/snippets/browser/configureSnippets": {
+ "global.scope": "(global)",
+ "global.1": "({0})",
+ "name": "Namen für Codeausschnitt eingeben",
+ "bad_name1": "Ungültiger Dateiname",
+ "bad_name2": "\"{0}\" ist kein gültiger Dateiname.",
+ "bad_name3": "\"{0}\" ist bereits vorhanden.",
+ "new.global_scope": "global",
+ "new.global": "Neue globale Codeausschnittsdatei ...",
+ "new.workspace_scope": "{0}-Arbeitsbereich",
+ "new.folder": "Neue Codeausschnittdatei für \"{0}\"...",
+ "group.global": "Vorhandene Codeausschnitte",
+ "new.global.sep": "Neue Codeausschnitte",
+ "openSnippet.pickLanguage": "Codeausschnittsdatei auswählen oder Codeausschnitte erstellen",
+ "openSnippet.label": "Benutzercodeausschnitte konfigurieren",
+ "preferences": "Einstellungen",
+ "miOpenSnippets": "Benutzer&&ausschnitte",
+ "userSnippets": "Benutzercodeausschnitte"
+ },
+ "vs/workbench/contrib/snippets/browser/snippetsFile": {
+ "source.workspaceSnippetGlobal": "Arbeitsbereich-Codeausschnitt",
+ "source.userSnippetGlobal": "Globaler Benutzercodeausschnitt",
+ "source.userSnippet": "Benutzercodeausschnitt"
+ },
+ "vs/workbench/contrib/snippets/browser/snippetCompletionProvider": {
+ "detail.snippet": "{0} ({1})",
+ "snippetSuggest.longLabel": "{0}, {1}"
+ },
+ "vs/workbench/contrib/surveys/browser/nps.contribution": {
+ "surveyQuestion": "Wir würden uns freuen, wenn Sie an einer schnellen Umfrage teilnehmen.",
+ "takeSurvey": "An Umfrage teilnehmen",
+ "remindLater": "Später erinnern",
+ "neverAgain": "Nicht mehr anzeigen"
+ },
+ "vs/workbench/contrib/surveys/browser/languageSurveys.contribution": {
+ "helpUs": "Helfen Sie uns, die Unterstützung für {0} zu verbessern",
+ "takeShortSurvey": "An kurzer Umfrage teilnehmen",
+ "remindLater": "Später erinnern",
+ "neverAgain": "Nicht mehr anzeigen"
+ },
+ "vs/workbench/contrib/tags/electron-browser/workspaceTagsService": {
+ "workspaceFound": "Dieser Ordner enthält die Arbeitsbereichsdatei \"{0}\". Möchten Sie diese öffnen? [Weitere Informationen]({1}) zu Arbeitsbereichsdateien.",
+ "openWorkspace": "Arbeitsbereich öffnen",
+ "workspacesFound": "Dieser Ordner enthält mehrere Arbeitsbereichsdateien. Möchten Sie eine dieser Dateien öffnen? [Weitere Informationen]({0}) zu Arbeitsbereichsdateien.",
+ "selectWorkspace": "Arbeitsbereich auswählen",
+ "selectToOpen": "Zu öffnenden Arbeitsbereich auswählen"
+ },
+ "vs/workbench/contrib/tasks/electron-browser/taskService": {
+ "TaskSystem.runningTask": "Es wird ein Task ausgeführt wird. Möchten Sie ihn beenden?",
+ "TaskSystem.terminateTask": "&&Aufgabe beenden",
+ "TaskSystem.noProcess": "Der gestartete Task ist nicht mehr vorhanden. Wenn der Task Hintergrundprozesse erzeugt hat, kann das Beenden von VS Code ggf. zu verwaisten Prozessen führen. Starten Sie den letzten Hintergrundprozess mit einer wait-Kennzeichnung, um dies zu vermeiden.",
+ "TaskSystem.exitAnyways": "&&Trotzdem beenden"
+ },
+ "vs/workbench/contrib/tasks/common/tasks": {
+ "tasksCategory": "Tasks",
+ "TaskDefinition.missingRequiredProperty": "Fehler: Im Aufgabenbezeichner {0} fehlt die erforderliche Eigenschaft \"{1}\". Der Aufgabenbezeichner wird ignoriert."
+ },
+ "vs/workbench/contrib/tasks/common/taskConfiguration": {
+ "ConfigurationParser.invalidCWD": "Warnung: \"options.cwd\" muss den Typ \"string\" aufweisen. Der Wert \"{0}\" wird ignoriert.\r\n",
+ "ConfigurationParser.inValidArg": "Fehler: Das Befehlsargument muss entweder eine Zeichenfolge oder eine in Klammern eingeschlossene Zeichenfolge sein. Angegebener Wert:\r\n{0}",
+ "ConfigurationParser.noShell": "Warnung: Die Shell-Konfiguration wird nur beim Ausführen von Tasks im Terminal unterstützt.",
+ "ConfigurationParser.noName": "Fehler: Der Problemabgleicher im Deklarationsbereich muss einen Namen aufweisen:\r\n{0}\r\n",
+ "ConfigurationParser.unknownMatcherKind": "Warnung: Der definierte Problemabgleicher ist unbekannt. Unterstützte Typen: string | ProblemMatcher | Array.\r\n{0}\r\n",
+ "ConfigurationParser.invalidVariableReference": "Fehler: Ungültiger problemMatcher-Verweis: {0}\r\n",
+ "ConfigurationParser.noTaskType": "Fehler: Die Aufgabenkonfiguration muss eine type-Eigenschaft aufweisen. Die Konfiguration wird ignoriert.\r\n{0}\r\n",
+ "ConfigurationParser.noTypeDefinition": "Fehler: Der registrierte Aufgabentyp \"{0}\" ist nicht vorhanden. Wurde möglicherweise eine Erweiterung nicht installiert, die den entsprechenden Aufgabenanbieter bereitstellt?",
+ "ConfigurationParser.missingType": "Fehler: In der Aufgabenkonfiguration \"{0}\" ist die erforderliche Eigenschaft \"type\" nicht vorhanden. Die Aufgabenkonfiguration wird ignoriert.",
+ "ConfigurationParser.incorrectType": "Fehler: Die Aufgabenkonfiguration \"{0}\" verwendet einen unbekannten Typ. Die Aufgabenkonfiguration wird ignoriert.",
+ "ConfigurationParser.notCustom": "Fehler: Aufgaben sind nicht als benutzerdefinierte Aufgabe deklariert. Die Konfiguration wird ignoriert.\r\n{0}\r\n",
+ "ConfigurationParser.noTaskName": "Fehler: Eine Aufgabe muss eine label-Eigenschaft angeben. Die Aufgabe wird ignoriert.\r\n{0}\r\n",
+ "taskConfiguration.providerUnavailable": "Warnung: {0} Aufgaben sind in der aktuellen Umgebung nicht verfügbar.\r\n",
+ "taskConfiguration.noCommandOrDependsOn": "Fehler: Die Aufgabe \"{0}\" gibt weder einen Befehl noch eine dependsOn-Eigenschaft an. Die Aufgabe wird ignoriert. Zugehörige Definition:\r\n{1}",
+ "taskConfiguration.noCommand": "Fehler: Die Aufgabe \"{0}\" definiert keinen Befehl. Die Aufgabe wird ignoriert. Zugehörige Definition:\r\n{1}",
+ "TaskParse.noOsSpecificGlobalTasks": "Version 2.0.0 des Aufgabensystems unterstützt keine globalen betriebssystemspezifischen Aufgaben. Führen Sie eine Konvertierung in eine Aufgabe mit betriebssystemspezifischem Befehl durch. Betroffene Aufgaben:\r\n{0}"
+ },
+ "vs/workbench/contrib/tasks/node/processTaskSystem": {
+ "version1_0": "Das Tasksystem ist für Version 0.1.0 konfiguriert (siehe tasks.json-Datei), mit der nur benutzerdefinierte Tasks ausgeführt werden können. Führen Sie ein Upgrade auf Version 2.0.0 durch, um die folgenden Task auszuführen: {0}",
+ "TaskRunnerSystem.unknownError": "Unbekannter Fehler beim Ausführen eines Tasks. Details finden Sie im Taskausgabeprotokoll.",
+ "TaskRunnerSystem.watchingBuildTaskFinished": "\r\nDie Überwachung von Buildaufgaben wurde abgeschlossen.",
+ "TaskRunnerSystem.childProcessError": "Fehler beim Laden des externen Programms {0} {1}.",
+ "TaskRunnerSystem.cancelRequested": "\r\nDie Aufgabe \"{0}\" wurde gemäß Benutzeranforderung beendet.",
+ "unknownProblemMatcher": "Der Problemabgleicher \"{0}\" kann nicht aufgelöst werden. Der Abgleicher wird ignoriert."
+ },
+ "vs/workbench/contrib/tasks/node/processRunnerDetector": {
+ "TaskSystemDetector.noGulpTasks": "Die Ausführung von \"gulp -tasks-simple\" hat keine Tasks aufgelistet. Haben Sie \"npm install\" ausgeführt?",
+ "TaskSystemDetector.noJakeTasks": "Die Ausführung von \"jake -tasks\" hat keine Tasks aufgelistet. Haben Sie \"npm install\" ausgeführt?",
+ "TaskSystemDetector.noGulpProgram": "Gulp ist auf Ihrem System nicht installiert. Führen Sie \"npm install -g gulp\" aus, um die Anwendung zu installieren.",
+ "TaskSystemDetector.noJakeProgram": "Jake ist auf Ihrem System nicht installiert. Führen Sie \"npm install -g jake\" aus, um die Anwendung zu installieren.",
+ "TaskSystemDetector.noGruntProgram": "Grunt ist auf Ihrem System nicht installiert. Führen Sie \"npm install -g grunt\" aus, um die Anwendung zu installieren.",
+ "TaskSystemDetector.noProgram": "Das Programm {0} wurde nicht gefunden. Die Meldung lautet: {1}",
+ "TaskSystemDetector.buildTaskDetected": "Ein Buildtask namens \"{0}\" wurde erkannt.",
+ "TaskSystemDetector.testTaskDetected": "Ein Testtask namens \"{0}\" wurde erkannt."
+ },
+ "vs/workbench/contrib/tasks/browser/abstractTaskService": {
+ "ConfigureTaskRunnerAction.label": "Aufgabe konfigurieren",
+ "tasks": "Tasks",
+ "TaskSystem.noHotSwap": "Zum Ändern des Aufgabenausführungsmoduls mit einem aktiven Task muss das Fenster erneut geladen werden.",
+ "reloadWindow": "Fenster erneut laden",
+ "TaskService.pickBuildTaskForLabel": "Buildtask auswählen (kein Standardbuildtask festgelegt)",
+ "taskServiceOutputPrompt": "Es sind Taskfehler aufgetreten. In der Ausgabe finden Sie weitere Informationen.",
+ "showOutput": "Ausgabe anzeigen",
+ "TaskServer.folderIgnored": "Der Ordner {0} wird ignoriert, da er Aufgabenversion 0.1.0 verwendet",
+ "TaskService.providerUnavailable": "Warnung: {0} Aufgaben sind in der aktuellen Umgebung nicht verfügbar.\r\n",
+ "TaskService.noBuildTask1": "Keine Buildaufgabe definiert. Markieren Sie eine Aufgabe mit \"isBuildCommand\" in der tasks.json-Datei.",
+ "TaskService.noBuildTask2": "Es ist keine Buildaufgabe definiert. Markieren Sie eine Aufgabe in der Datei \"tasks.json\" als \"Buildgruppe\".",
+ "TaskService.noTestTask1": "Keine Testaufgabe definiert. Markieren Sie eine Aufgabe mit \"isTestCommand\" in der tasks.json-Datei.",
+ "TaskService.noTestTask2": "Es ist keine Testaufgabe definiert. Markieren Sie eine Aufgabe in der Datei \"tasks.json\" als \"Testgruppe\".",
+ "TaskServer.noTask": "Auszuführender Task ist nicht definiert",
+ "TaskService.associate": "Zuordnen",
+ "TaskService.attachProblemMatcher.continueWithout": "Ohne Überprüfung der Aufgabenausgabe fortsetzen",
+ "TaskService.attachProblemMatcher.never": "Taskausgabe für diesen Task niemals scannen",
+ "TaskService.attachProblemMatcher.neverType": "Taskausgabe für {0}-Tasks niemals scannen",
+ "TaskService.attachProblemMatcher.learnMoreAbout": "Weitere Informationen zur Überprüfung der Aufgabenausgabe",
+ "selectProblemMatcher": "Fehler- und Warnungsarten auswählen, auf die die Aufgabenausgabe überprüft werden soll",
+ "customizeParseErrors": "Die aktuelle Aufgabenkonfiguration weist Fehler auf. Beheben Sie die Fehler, bevor Sie eine Aufgabe anpassen.",
+ "tasksJsonComment": "\t// Die Dokumentation zum Format von \"tasks.json\" finden Sie unter \r\n\t// https://go.microsoft.com/fwlink/?LinkId=733558.",
+ "moreThanOneBuildTask": "In \"tasks.json\" sind zahlreiche Buildaufgaben definiert. Die erste Aufgabe wird ausgeführt.\r\n",
+ "TaskSystem.saveBeforeRun.prompt.title": "Alle Editoren speichern?",
+ "saveBeforeRun.save": "Speichern",
+ "saveBeforeRun.dontSave": "Nicht speichern",
+ "detail": "Möchten Sie alle Editoren speichern, bevor Sie die Aufgabe ausführen?",
+ "TaskSystem.activeSame.noBackground": "Die Aufgabe \"{0}\" ist bereits aktiv.",
+ "terminateTask": "Aufgabe beenden",
+ "restartTask": "Aufgabe neu starten",
+ "TaskSystem.active": "Eine aktive Aufgabe wird bereits ausgeführt. Beenden Sie diese, bevor Sie eine andere Aufgabe ausführen.",
+ "TaskSystem.restartFailed": "Fehler beim Beenden und Neustarten der Aufgabe \"{0}\".",
+ "unexpectedTaskType": "Der Aufgabenanbieter für {0}-Aufgaben hat unerwartet eine Aufgabe vom Typ \"{1}\" bereitgestellt.\r\n",
+ "TaskService.noConfiguration": "Fehler: Die {0}-Aufgabenerkennung hat für die folgende Konfiguration keine Aufgabe beigetragen:\r\n{1}\r\nDie Aufgabe wird ignoriert.\r\n",
+ "TaskSystem.configurationErrors": "Fehler: Die angegebene Aufgabenkonfiguration weist Validierungsfehler auf und kann nicht verwendet werden. Beheben Sie zuerst die Fehler.",
+ "TaskSystem.invalidTaskJsonOther": "Fehler: Der Inhalt der Datei \"tasks.json\" in \"{0}\" weist Syntaxfehler auf. Korrigieren Sie diese, bevor Sie eine Aufgabe ausführen.\r\n",
+ "TasksSystem.locationWorkspaceConfig": "Arbeitsbereichsdatei",
+ "TaskSystem.versionWorkspaceFile": "In .codeworkspace sind nur Aufgaben Version 2.0.0 zulässig.",
+ "TasksSystem.locationUserConfig": "Benutzereinstellungen",
+ "TaskSystem.versionSettings": "In den Benutzereinstellungen sind nur Aufgaben der Version 2.0.0 zulässig.",
+ "taskService.ignoreingFolder": "Die Aufgabenkonfigurationen für den Arbeitsbereichsordner \"{0}\" werden ignoriert. Für die Unterstützung von Aufgaben für Arbeitsbereiche mit mehreren Ordnern muss für alle Ordner Aufgabenversion 2.0.0 verwendet werden.\r\n",
+ "TaskSystem.invalidTaskJson": "Fehler: Der Inhalt der Datei \"tasks.json\" weist Syntaxfehler auf. Korrigieren Sie diese, bevor Sie eine Aufgabe ausführen.\r\n",
+ "TerminateAction.label": "Aufgabe beenden",
+ "TaskSystem.unknownError": "Fehler beim Ausführen eines Tasks. Details finden Sie im Taskprotokoll.",
+ "configureTask": "Aufgabe konfigurieren",
+ "recentlyUsed": "zuletzt verwendete Aufgaben",
+ "configured": "konfigurierte Aufgaben",
+ "detected": "erkannte Aufgaben",
+ "TaskService.ignoredFolder": "Die folgenden Arbeitsbereichsordner werden ignoriert, da sie Aufgabenversion 0.1.0 verwenden: {0}",
+ "TaskService.notAgain": "Nicht mehr anzeigen",
+ "TaskService.pickRunTask": "Wählen Sie die auszuführende Aufgabe aus.",
+ "TaskService.noEntryToRunSlow": "$(plus) Aufgabe konfigurieren",
+ "TaskService.noEntryToRun": "$(plus) Aufgabe konfigurieren",
+ "TaskService.fetchingBuildTasks": "Buildaufgaben werden abgerufen...",
+ "TaskService.pickBuildTask": "Auszuführende Buildaufgabe auswählen",
+ "TaskService.noBuildTask": "Keine auszuführende Buildaufgabe gefunden. Buildaufgabe konfigurieren...",
+ "TaskService.fetchingTestTasks": "Testaufgaben werden abgerufen...",
+ "TaskService.pickTestTask": "Auszuführende Testaufgabe auswählen",
+ "TaskService.noTestTaskTerminal": "Es wurde keine auszuführende Testaufgabe gefunden. Aufgaben konfigurieren...",
+ "TaskService.taskToTerminate": "Zu beendende Aufgabe auswählen",
+ "TaskService.noTaskRunning": "Zurzeit wird keine Aufgabe ausgeführt.",
+ "TaskService.terminateAllRunningTasks": "Alle ausgeführten Tasks",
+ "TerminateAction.noProcess": "Der gestartete Prozess ist nicht mehr vorhanden. Wenn der Task Hintergrundtasks erzeugt hat, kann das Beenden von VS Code ggf. zu verwaisten Prozessen führen.",
+ "TerminateAction.failed": "Fehler beim Beenden des ausgeführten Tasks.",
+ "TaskService.taskToRestart": "Neu zu startende Aufgabe auswählen",
+ "TaskService.noTaskToRestart": "Es ist keine neu zu startende Aufgabe vorhanden.",
+ "TaskService.template": "Aufgabenvorlage auswählen",
+ "taskQuickPick.userSettings": "Benutzereinstellungen",
+ "TaskService.createJsonFile": "Datei \"tasks.json\" aus Vorlage erstellen",
+ "TaskService.openJsonFile": "Datei \"tasks.json\" öffnen",
+ "TaskService.pickTask": "Zu konfigurierende Aufgabe auswählen",
+ "TaskService.defaultBuildTaskExists": "{0} ist bereits als Standardbuildaufgabe markiert.",
+ "TaskService.pickDefaultBuildTask": "Als Standardbuildaufgabe zu verwendende Aufgabe auswählen",
+ "TaskService.defaultTestTaskExists": "{0} ist bereits als Standardtestaufgabe markiert.",
+ "TaskService.pickDefaultTestTask": "Als Standardtestaufgabe zu verwendende Aufgabe auswählen",
+ "TaskService.pickShowTask": "Aufgabe zum Anzeigen der Ausgabe auswählen",
+ "TaskService.noTaskIsRunning": "Es wird keine Aufgabe ausgeführt."
+ },
+ "vs/workbench/contrib/tasks/browser/terminalTaskSystem": {
+ "TerminalTaskSystem.unknownError": "Unbekannter Fehler beim Ausführen eines Tasks. Details finden Sie im Taskausgabeprotokoll.",
+ "dependencyCycle": "Es liegt ein Abhängigkeitszyklus vor. Siehe Aufgabe \"{0}\".",
+ "dependencyFailed": "Die abhängige Aufgabe \"{0}\" im Arbeitsbereichsordner \"{1}\" konnte nicht aufgelöst werden.",
+ "TerminalTaskSystem.nonWatchingMatcher": "Task {0} ist ein Hintergrundtask, nutzt aber eine Problemabfrage ohne Hintergrundstruktur",
+ "TerminalTaskSystem.terminalName": "Aufgabe - {0}",
+ "closeTerminal": "Betätigen Sie eine beliebige Taste, um das Terminal zu schließen.",
+ "reuseTerminal": "Das Terminal wird von Aufgaben wiederverwendet, drücken Sie zum Schließen eine beliebige Taste.",
+ "TerminalTaskSystem": "Ein Shell-Befehl kann nicht mithilfe von cmd.exe auf einem UNC-Laufwerk ausgeführt werden.",
+ "unknownProblemMatcher": "Der Problemabgleicher \"{0}\" kann nicht aufgelöst werden. Der Abgleicher wird ignoriert."
+ },
+ "vs/workbench/contrib/tasks/browser/task.contribution": {
+ "building": "Buildvorgang wird ausgeführt...",
+ "numberOfRunningTasks": "{0} ausgeführte Aufgaben",
+ "runningTasks": "Aktive Aufgaben anzeigen",
+ "status.runningTasks": "Zurzeit ausgeführte Aufgaben",
+ "miRunTask": "&&Aufgabe ausführen...",
+ "miBuildTask": "&&Buildaufgabe ausführen...",
+ "miRunningTask": "&&Zurzeit ausgeführte Aufgaben anzeigen...",
+ "miRestartTask": "&&Ausgeführte Aufgabe neu starten...",
+ "miTerminateTask": "&&Aufgabe beenden...",
+ "miConfigureTask": "&&Aufgaben konfigurieren...",
+ "miConfigureBuildTask": "&&Standardbuildaufgabe konfigurieren...",
+ "workbench.action.tasks.openWorkspaceFileTasks": "Arbeitsbereichsaufgaben öffnen",
+ "ShowLogAction.label": "Taskprotokoll anzeigen",
+ "RunTaskAction.label": "Task ausführen",
+ "ReRunTaskAction.label": "Letzten Task erneut ausführen",
+ "RestartTaskAction.label": "Ausgeführte Aufgabe neu starten",
+ "ShowTasksAction.label": "Aktive Aufgaben anzeigen",
+ "TerminateAction.label": "Aufgabe beenden",
+ "BuildAction.label": "Buildtask ausführen",
+ "TestAction.label": "Testtask ausführen",
+ "ConfigureDefaultBuildTask.label": "Standardbuildaufgabe konfigurieren ",
+ "ConfigureDefaultTestTask.label": "Standardtestaufgabe konfigurieren",
+ "workbench.action.tasks.openUserTasks": "Benutzeraufgaben öffnen",
+ "tasksQuickAccessPlaceholder": "Geben Sie den Namen eines auszuführenden Tasks ein.",
+ "tasksQuickAccessHelp": "Task ausführen",
+ "tasksConfigurationTitle": "Tasks",
+ "task.problemMatchers.neverPrompt": "Konfiguriert, ob die Aufforderung zur Problemübereinstimmung beim Ausführen einer Aufgabe angezeigt werden soll. Legen Sie \"true\" fest, um diese nie anzuzeigen, oder verwenden Sie ein Wörterbuch mit Aufgabentypen, um die Eingabeaufforderung nur für bestimmte Aufgabentypen zu deaktivieren.",
+ "task.problemMatchers.neverPrompt.boolean": "Legt das Verhalten des Problemabgleichs für alle Tasks fest.",
+ "task.problemMatchers.neverPrompt.array": "Ein Objekt, das dem Tasktyp entsprechende boolesche Paare enthält, damit niemals die Aufforderung angezeigt wird, den Problemabgleich zu aktivieren.",
+ "task.autoDetect": "Steuert die Aktivierung von 'provideTasks' für die gesamte Aufgabenanbietererweiterung. Wenn der Befehl \"Aufgaben: Aufgabe ausführen\" langsam ist, kann das Deaktivieren der automatischen Erkennung für Aufgabenanbieter hilfreich sein. Einzelne Erweiterungen können auch Einstellungen bereitstellen, mit denen sich die automatische Erkennung deaktivieren lässt.",
+ "task.slowProviderWarning": "Konfiguriert, ob eine Warnung angezeigt wird, wenn ein Anbieter langsam ist",
+ "task.slowProviderWarning.boolean": "Legt die langsame Anbieterwarnung für alle Tasks fest",
+ "task.slowProviderWarning.array": "Ein Array von Tasktypen, damit die Warnung \"Langsamer Anbieter\" niemals angezeigt wird.",
+ "task.quickOpen.history": "Legt die Anzahl der kürzlich nachverfolgten Elemente im Quick Open-Dialogfeld des Tasks fest",
+ "task.quickOpen.detail": "Steuert, ob Details zu Aufgaben angezeigt werden, für die in der Schnellauswahl für Aufgaben Detailinformationen vorhanden sind, z. B. \"Aufgabe ausführen\".",
+ "task.quickOpen.skip": "Legt fest, ob die Schnellauswahl für Tasks übersprungen wird, wenn nur ein Task vorhanden ist",
+ "task.quickOpen.showAll": "Führt dazu, dass der Befehl \"Aufgaben: Aufgabe ausführen\" das langsamere Verhalten \"Alle anzeigen\" anstelle der schnelleren 2-Ebenen-Auswahl verwendet, bei der Aufgaben nach Anbieter gruppiert werden.",
+ "task.saveBeforeRun": "Hiermit werden alle geänderten Editoren vor dem Ausführen einer Aufgabe gespeichert.",
+ "task.saveBeforeRun.always": "Hiermit werden alle Editoren vor dem Ausführen gespeichert.",
+ "task.saveBeforeRun.never": "Hiermit werden Editoren vor dem Ausführen niemals gespeichert.",
+ "task.SaveBeforeRun.prompt": "Fragt in einer Benutzeraufforderung ab, ob Editoren vor der Ausführung gespeichert werden sollen."
+ },
+ "vs/workbench/contrib/tasks/common/taskDefinitionRegistry": {
+ "TaskDefinition.description": "Der tatsächliche Aufgabentyp. Typen, die mit \"$\" beginnen, sind für den internen Gebrauch reserviert.",
+ "TaskDefinition.properties": "Zusätzliche Eigenschaften des Aufgabentyps",
+ "TaskDefinition.when": "Bedingung, die TRUE sein muss, damit dieser Aufgabentyp aktiviert wird. Ziehen Sie die für diese Aufgabendefinition passende Verwendung von \"shellExecutionSupported\", \"processExecutionSupported\" und \"customExecutionSupported\" in Betracht.",
+ "TaskTypeConfiguration.noType": "In der Konfiguration des Aufgabentyps fehlt die erforderliche taskType-Eigenschaft.",
+ "TaskDefinitionExtPoint": "Trägt Aufgabenarten bei"
+ },
+ "vs/workbench/contrib/tasks/common/problemMatcher": {
+ "ProblemPatternParser.problemPattern.missingRegExp": "Im Problemmuster fehlt ein regulärer Ausdruck.",
+ "ProblemPatternParser.loopProperty.notLast": "Die loop-Eigenschaft wird nur für Matcher für die letzte Zeile unterstützt.",
+ "ProblemPatternParser.problemPattern.kindProperty.notFirst": "Das Problemmuster ist ungültig. Die Eigenschaft darf nur im ersten Element angegeben werden.",
+ "ProblemPatternParser.problemPattern.missingProperty": "Das Problemmuster ist ungültig. Es muss mindestens eine Datei und eine Nachricht aufweisen.",
+ "ProblemPatternParser.problemPattern.missingLocation": "Das Problemmuster ist ungültig. Es muss die Art \"Datei\" oder eine Zeile oder eine Speicherort-Übereinstimmungsgruppe aufweisen.",
+ "ProblemPatternParser.invalidRegexp": "Fehler: Die Zeichenfolge \"{0}\" ist kein gültiger regulärer Ausdruck.\r\n",
+ "ProblemPatternSchema.regexp": "Der reguläre Ausdruck zum Ermitteln eines Fehlers, einer Warnung oder von Informationen in der Ausgabe.",
+ "ProblemPatternSchema.kind": "Ob das Muster einen Speicherort (Datei und Zeile) oder nur eine Datei enthält.",
+ "ProblemPatternSchema.file": "Der Übereinstimmungsgruppenindex des Dateinamens. Wenn keine Angabe erfolgt, wird 1 verwendet.",
+ "ProblemPatternSchema.location": "Der Übereinstimmungsgruppenindex der Position des Problems. Gültige Positionsmuster: (line), (line,column) und (startLine,startColumn,endLine,endColumn). Wenn keine Angabe erfolgt, wird (line,column) angenommen.",
+ "ProblemPatternSchema.line": "Der Übereinstimmungsgruppenindex der Zeile des Problems. Der Standardwert ist 2.",
+ "ProblemPatternSchema.column": "Der Übereinstimmungsgruppenindex des Zeilenzeichens des Problems. Der Standardwert ist 3.",
+ "ProblemPatternSchema.endLine": "Der Übereinstimmungsgruppenindex der Endzeile des Problems. Der Standardwert ist undefiniert.",
+ "ProblemPatternSchema.endColumn": "Der Übereinstimmungsgruppenindex des Zeilenendezeichens des Problems. Der Standardwert ist undefiniert.",
+ "ProblemPatternSchema.severity": "Der Übereinstimmungsgruppenindex des Schweregrads des Problems. Der Standardwert ist undefiniert.",
+ "ProblemPatternSchema.code": "Der Übereinstimmungsgruppenindex des Codes des Problems. Der Standardwert ist undefiniert.",
+ "ProblemPatternSchema.message": "Der Übereinstimmungsgruppenindex der Nachricht. Wenn keine Angabe erfolgt, ist der Standardwert 4, wenn die Position angegeben wird. Andernfalls ist der Standardwert 5.",
+ "ProblemPatternSchema.loop": "Gibt in einer mehrzeiligen Abgleichschleife an, ob dieses Muster in einer Schleife ausgeführt wird, wenn es übereinstimmt. Kann nur für ein letztes Muster in einem mehrzeiligen Muster angegeben werden.",
+ "NamedProblemPatternSchema.name": "Der Name des Problemmusters.",
+ "NamedMultiLineProblemPatternSchema.name": "Der Name des mehrzeiligen Problemmusters.",
+ "NamedMultiLineProblemPatternSchema.patterns": "Die aktuellen Muster.",
+ "ProblemPatternExtPoint": "Trägt Problemmuster bei",
+ "ProblemPatternRegistry.error": "Ungültiges Problemmuster. Das Muster wird ignoriert.",
+ "ProblemMatcherParser.noProblemMatcher": "Fehler: Die Beschreibung kann nicht in einen Problemabgleicher konvertiert werden:\r\n{0}\r\n",
+ "ProblemMatcherParser.noProblemPattern": "Fehler: Die Beschreibung definiert kein gültiges Problemmuster:\r\n{0}\r\n",
+ "ProblemMatcherParser.noOwner": "Fehler: Die Beschreibung definiert keinen Besitzer:\r\n{0}\r\n",
+ "ProblemMatcherParser.noFileLocation": "Fehler: Die Beschreibung definiert keinen Dateispeicherort:\r\n{0}\r\n",
+ "ProblemMatcherParser.unknownSeverity": "Information: Unbekannter Schweregrad \"{0}\". Gültige Werte sind: \"Fehler\", \"Warnung\" und \"Information\".\r\n",
+ "ProblemMatcherParser.noDefinedPatter": "Fehler: Das Muster mit dem Bezeichner {0} ist nicht vorhanden.",
+ "ProblemMatcherParser.noIdentifier": "Fehler: Die Mustereigenschaft verweist auf einen leeren Bezeichner.",
+ "ProblemMatcherParser.noValidIdentifier": "Fehler: Die Mustereigenschaft {0} ist kein gültiger Name für eine Mustervariable.",
+ "ProblemMatcherParser.problemPattern.watchingMatcher": "Ein Problemmatcher muss ein Anfangsmuster und ein Endmuster für die Überwachung definieren.",
+ "ProblemMatcherParser.invalidRegexp": "Fehler: Die Zeichenfolge \"{0}\" ist kein gültiger regulärer Ausdruck.\r\n",
+ "WatchingPatternSchema.regexp": "Der reguläre Ausdruck zum Erkennen des Anfangs oder Endes eines Hintergrundtasks.",
+ "WatchingPatternSchema.file": "Der Übereinstimmungsgruppenindex des Dateinamens. Kann ausgelassen werden.",
+ "PatternTypeSchema.name": "Der Name eines beigetragenen oder vordefinierten Musters",
+ "PatternTypeSchema.description": "Ein Problemmuster oder der Name eines beigetragenen oder vordefinierten Problemmusters. Kann ausgelassen werden, wenn die Basis angegeben ist.",
+ "ProblemMatcherSchema.base": "Der Name eines zu verwendenden Basisproblemabgleichers.",
+ "ProblemMatcherSchema.owner": "Der Besitzer des Problems im Code. Kann ausgelassen werden, wenn \"base\" angegeben wird. Der Standardwert ist \"external\", wenn keine Angabe erfolgt und \"base\" nicht angegeben wird.",
+ "ProblemMatcherSchema.source": "Eine visuell lesbare Zeichenfolge, die die Quelle dieser Diagnose beschreibt, z. B. \"typescript\" oder \"super lint\".",
+ "ProblemMatcherSchema.severity": "Der Standardschweregrad für Erfassungsprobleme. Dieser wird verwendet, wenn das Muster keine Übereinstimmungsgruppe für den Schweregrad definiert.",
+ "ProblemMatcherSchema.applyTo": "Steuert, ob ein für ein Textdokument gemeldetes Problem nur auf geöffnete, geschlossene oder alle Dokumente angewendet wird.",
+ "ProblemMatcherSchema.fileLocation": "Definiert die Interpretation von Dateinamen, die in einem Problemmuster gemeldet werden. Ein relativer Dateispeicherort ist möglicherweise ein Array, wobei das zweite Element des Arrays den Pfad für den relativen Dateispeicherort darstellt.",
+ "ProblemMatcherSchema.background": "Muster zum Nachverfolgen des Beginns und Endes eines Abgleichers, der für eine Hintergrundaufgabe aktiv ist.",
+ "ProblemMatcherSchema.background.activeOnStart": "Bei Festlegung auf TRUE befindet sich der Hintergrundmonitor beim Start des Tasks im aktiven Modus. Dies entspricht der Ausgabe einer Zeile, die mit dem beginsPattern übereinstimmt.",
+ "ProblemMatcherSchema.background.beginsPattern": "Wenn eine Übereinstimmung mit der Ausgabe vorliegt, wird der Start einer Hintergrundaufgabe signalisiert.",
+ "ProblemMatcherSchema.background.endsPattern": "Wenn eine Übereinstimmung mit der Ausgabe vorliegt, wird das Ende einer Hintergrundaufgabe signalisiert.",
+ "ProblemMatcherSchema.watching.deprecated": "Die Überwachungseigenschaft ist veraltet. Verwenden Sie stattdessen den Hintergrund.",
+ "ProblemMatcherSchema.watching": "Muster zum Nachverfolgen des Beginns und Endes eines Problemabgleicher.",
+ "ProblemMatcherSchema.watching.activeOnStart": "Wenn dieser Wert auf \"true\" festgelegt wird, befindet sich die Überwachung im aktiven Modus, wenn der Task gestartet wird. Dies entspricht dem Ausgeben einer Zeile, die mit dem \"beginPattern\" übereinstimmt.",
+ "ProblemMatcherSchema.watching.beginsPattern": "Wenn eine Übereinstimmung mit der Ausgabe vorliegt, wird der Start eines Überwachungstasks signalisiert.",
+ "ProblemMatcherSchema.watching.endsPattern": "Wenn eine Übereinstimmung mit der Ausgabe vorliegt, wird das Ende eines Überwachungstasks signalisiert.",
+ "LegacyProblemMatcherSchema.watchedBegin.deprecated": "Diese Eigenschaft ist veraltet. Verwenden Sie stattdessen die Überwachungseigenschaft.",
+ "LegacyProblemMatcherSchema.watchedBegin": "Ein regulärer Ausdruck, der signalisiert, dass die Ausführung eines überwachten Tasks (ausgelöst durch die Dateiüberwachung) beginnt.",
+ "LegacyProblemMatcherSchema.watchedEnd.deprecated": "Diese Eigenschaft ist veraltet. Verwenden Sie stattdessen die Überwachungseigenschaft.",
+ "LegacyProblemMatcherSchema.watchedEnd": "Ein regulärer Ausdruck, der signalisiert, dass die Ausführung eines überwachten Tasks beendet wird.",
+ "NamedProblemMatcherSchema.name": "Der Name des Problemabgleichers, anhand dessen auf ihn verwiesen wird.",
+ "NamedProblemMatcherSchema.label": "Eine lesbare Bezeichnung für den Problemabgleicher.",
+ "ProblemMatcherExtPoint": "Trägt Problemabgleicher bei",
+ "msCompile": "Microsoft-Compilerprobleme",
+ "lessCompile": "Less-Probleme",
+ "gulp-tsc": "Gulp-TSC-Probleme",
+ "jshint": "JSHint-Probleme",
+ "jshint-stylish": "JSHint-Stilprobleme",
+ "eslint-compact": "ESLint-Komprimierungsprobleme",
+ "eslint-stylish": "ESLint-Stilprobleme",
+ "go": "Go Probleme"
+ },
+ "vs/workbench/contrib/tasks/common/taskTemplates": {
+ "dotnetCore": "Führt den .NET Core-Buildbefehl aus.",
+ "msbuild": "Führt das Buildziel aus.",
+ "externalCommand": "Ein Beispiel für das Ausführen eines beliebigen externen Befehls.",
+ "Maven": "Führt allgemeine Maven-Befehle aus."
+ },
+ "vs/workbench/contrib/tasks/browser/runAutomaticTasks": {
+ "tasks.run.allowAutomatic": "In diesem Ordner sind Tasks ({0}) in \"tasks.json\" definiert, die automatisch ausgeführt werden, wenn Sie den Ordner öffnen. Zulassen, dass automatische Tasks ausgeführt werden, wenn Sie den Ordner öffnen?",
+ "allow": "Zulassen und ausführen",
+ "disallow": "Nicht zulassen",
+ "openTasks": "\"tasks.json\" öffnen",
+ "workbench.action.tasks.manageAutomaticRunning": "Automatische Tasks in Ordner verwalten",
+ "workbench.action.tasks.allowAutomaticTasks": "Automatische Tasks im Ordner zulassen",
+ "workbench.action.tasks.disallowAutomaticTasks": "Automatische Tasks im Ordner nicht zulassen"
+ },
+ "vs/workbench/contrib/tasks/browser/taskQuickPick": {
+ "taskQuickPick.showAll": "Alle Tasks anzeigen...",
+ "configureTaskIcon": "Konfigurationssymbol in der Aufgabenauswahlliste.",
+ "removeTaskIcon": "Symbol für das Entfernen in der Aufgabenauswahlliste.",
+ "configureTask": "Aufgabe konfigurieren",
+ "contributedTasks": "Beigetragen",
+ "taskType": "Alle {0} Aufgaben",
+ "removeRecent": "Zuletzt verwendete Aufgabe entfernen",
+ "recentlyUsed": "zuletzt verwendet",
+ "configured": "konfiguriert",
+ "TaskQuickPick.goBack": "Zurück ↩",
+ "TaskQuickPick.noTasksForType": "Es wurden keine {0}-Tasks gefunden. Zurück ↩",
+ "noProviderForTask": "Für Aufgaben vom Typ \"{0}\" ist kein Aufgabenanbieter registriert."
+ },
+ "vs/workbench/contrib/tasks/common/jsonSchema_v1": {
+ "JsonSchema.version.deprecated": "Taskversion 0.1.0 ist veraltet. Verwenden Sie Version 2.0.0.",
+ "JsonSchema.version": "Die Versionsnummer der Konfiguration",
+ "JsonSchema._runner": "Der Runner ist abgestuft. Verwenden Sie die offizielle Runnereigenschaft.",
+ "JsonSchema.runner": "Definiert, ob die Aufgabe als Prozess ausgeführt wird, und die Ausgabe wird im Ausgabefenster oder innerhalb des Terminals angezeigt.",
+ "JsonSchema.windows": "Windows-spezifische Befehlskonfiguration",
+ "JsonSchema.mac": "Mac-spezifische Befehlskonfiguration",
+ "JsonSchema.linux": "Linux-spezifische Befehlskonfiguration",
+ "JsonSchema.shell": "Gibt an, ob es sich bei dem Befehl um einen Shellbefehl oder um ein externes Programm handelt. Wenn keine Angabe vorliegt, wird der Standardwert FALSE verwendet."
+ },
+ "vs/workbench/contrib/tasks/common/jsonSchema_v2": {
+ "JsonSchema.shell": "Gibt an, ob es sich bei dem Befehl um einen Shellbefehl oder um ein externes Programm handelt. Wenn keine Angabe vorliegt, wird der Standardwert FALSE verwendet.",
+ "JsonSchema.tasks.isShellCommand.deprecated": "Die isShellCommand-Eigenschaft ist veraltet. Verwenden Sie stattdessen die type-Eigenschaft der Aufgabe und die Shell-Eigenschaft in den Optionen. Weitere Informationen finden Sie auch in den Anmerkungen zur Version 1.14.",
+ "JsonSchema.tasks.dependsOn.identifier": "Der Aufgabenbezeichner.",
+ "JsonSchema.tasks.dependsOn.string": "Eine weitere Aufgabe, von der diese Aufgabe abhängt.",
+ "JsonSchema.tasks.dependsOn.array": "Die anderen Aufgaben, von denen diese Aufgabe abhängt.",
+ "JsonSchema.tasks.dependsOn": "Entweder eine Zeichenfolge, die eine weitere Aufgabe darstellt, oder ein Array weiterer Aufgaben, von dem diese Aufgabe abhängt.",
+ "JsonSchema.tasks.dependsOrder.parallel": "Hiermit führen Sie alle dependsOn-Aufgaben parallel aus.",
+ "JsonSchema.tasks.dependsOrder.sequence": "Hiermit führen Sie alle dependsOn-Aufgaben nacheinander aus.",
+ "JsonSchema.tasks.dependsOrder": "Legt die Reihenfolge der dependsOn-Aufgaben für diese Aufgabe fest. Beachten Sie, dass diese Eigenschaft nicht rekursiv ist.",
+ "JsonSchema.tasks.detail": "Eine optionale Beschreibung eines Tasks, die in der Schnellauswahl \"Task ausführen\" als Detail angezeigt wird",
+ "JsonSchema.tasks.presentation": "Konfiguriert das Panel, das zum Darstellen der Taskausgabe verwendet wird, und liest dessen Eingabe.",
+ "JsonSchema.tasks.presentation.echo": "Steuert, ob der ausgeführte Befehl im Panel angezeigt wird. Der Standardwert ist \"true\".",
+ "JsonSchema.tasks.presentation.focus": "Steuert, ob das Panel den Fokus hat. der Standardwert ist \"false\". Bei Einstellung auf \"true\" wird das Panel ebenfalls angezeigt.",
+ "JsonSchema.tasks.presentation.revealProblems.always": "Zeigt das Panel \"Probleme\" immer an, wenn dieser Task ausgeführt wird.",
+ "JsonSchema.tasks.presentation.revealProblems.onProblem": "Zeigt das Panel \"Probleme\" nur an, wenn ein Problem ermittelt wird.",
+ "JsonSchema.tasks.presentation.revealProblems.never": "Zeigt das Panel \"Probleme\" nie an, wenn dieser Task ausgeführt wird.",
+ "JsonSchema.tasks.presentation.revealProblems": "Legt fest, ob der Panel \"Probleme\" angezeigt wird, wenn dieser Task ausgeführt wird. Hat Vorrang vor der Option \"reveal\". Der Standardwert ist \"never\".",
+ "JsonSchema.tasks.presentation.reveal.always": "Zeigt immer das Terminal an, wenn diese Aufgabe ausgeführt wird.",
+ "JsonSchema.tasks.presentation.reveal.silent": "Zeigt das Terminal nur an, wenn der Task mit einem Fehler beendet wird oder beim Problemabgleich ein Fehler ermittelt wird",
+ "JsonSchema.tasks.presentation.reveal.never": "Zeigt das Terminal beim Ausführen dieser Aufgabe nie an.",
+ "JsonSchema.tasks.presentation.reveal": "Legt fest, ob das Terminal angezeigt wird, in dem der Task ausgeführt wird. Kann von der Option \"revealProblems\" überschrieben werden. Der Standardwert ist \"always\".",
+ "JsonSchema.tasks.presentation.instance": "Steuert, ob das Panel von Aufgaben gemeinsam genutzt wird, ob es dieser Aufgabe zugewiesen wird oder ob bei jeder Ausführung ein neues Panel erstellt wird.",
+ "JsonSchema.tasks.presentation.showReuseMessage": "Steuert, ob die Meldung \"Das Terminal wird von Aufgaben wiederverwendet, drücken Sie zum Schließen eine beliebige Taste\" angezeigt wird.",
+ "JsonSchema.tasks.presentation.clear": "Steuert, ob der Inhalt des Terminals gelöscht wird, bevor der Task ausgeführt wird.",
+ "JsonSchema.tasks.presentation.group": "Steuert, ob der Task in einer bestimmten Terminalgruppe mit Teilbereichen ausgeführt wird.",
+ "JsonSchema.tasks.terminal": "Die terminal-Eigenschaft ist veraltet. Verwenden Sie stattdessen \"presentation\".",
+ "JsonSchema.tasks.group.kind": "Die Ausführungsgruppe der Aufgabe.",
+ "JsonSchema.tasks.group.isDefault": "Definiert, ob diese Aufgabe die Standardaufgabe in der Gruppe ist.",
+ "JsonSchema.tasks.group.defaultBuild": "Markiert die Aufgabe als Standardbuildaufgabe.",
+ "JsonSchema.tasks.group.defaultTest": "Markiert die Aufgabe als Standardtestaufgabe.",
+ "JsonSchema.tasks.group.build": "Kennzeichnet den Task als Buildtask, auf den mit dem Befehl \"Buildtask ausführen\" zugegriffen wird.",
+ "JsonSchema.tasks.group.test": "Kennzeichnet den Task als Testtask, auf den mit dem Befehl \"Testtask ausführen\" zugegriffen wird.",
+ "JsonSchema.tasks.group.none": "Weist die Aufgabe keiner Gruppe zu.",
+ "JsonSchema.tasks.group": "Definiert die Ausführungsgruppe, zu der diese Aufgabe gehört. Zum Hinzufügen der Aufgabe zur Buildgruppe wird \"build\" unterstützt und zum Hinzufügen zur Testgruppe \"test\".",
+ "JsonSchema.tasks.type": "Definiert, ob die Aufgabe als Prozess oder als Befehl innerhalb einer Shell ausgeführt wird.",
+ "JsonSchema.commandArray": "Der auszuführende Shell-Befehl. Arrayelemente werden mit einem Leerzeichen verknüpft.",
+ "JsonSchema.command.quotedString.value": "Der tatsächliche Sollwert",
+ "JsonSchema.tasks.quoting.escape": "Fügt mithilfe des Escapezeichens der Shell vor Zeichen Escapezeichen ein (z. B. ` bei PowerShell und \\ bei Bash).",
+ "JsonSchema.tasks.quoting.strong": "Setzt das Argument mithilfe des starken Anführungszeichens der Shell in Anführungszeichen (z. B. ' bei PowerShell und Bash).",
+ "JsonSchema.tasks.quoting.weak": "Setzt das Argument mithilfe des schwachen Anführungszeichens der Shell in Anführungszeichen (z. B. \" bei PowerShell und Bash).",
+ "JsonSchema.command.quotesString.quote": "In welche Anführungszeichen der Befehlswert gesetzt wird.",
+ "JsonSchema.command": "Der auszuführende Befehl. Hierbei kann es sich um ein externes Programm oder einen Shellbefehl handeln.",
+ "JsonSchema.args.quotedString.value": "Der tatsächliche Argumentwert",
+ "JsonSchema.args.quotesString.quote": "In welche Anführungszeichen der Argumentwert gesetzt wird.",
+ "JsonSchema.tasks.args": "Argumente, die bei Aufruf dieser Aufgabe an den Befehl übergeben werden.",
+ "JsonSchema.tasks.label": "Die Bezeichnung der Aufgabe der Benutzerschnittstelle",
+ "JsonSchema.version": "Die Versionsnummer der Konfiguration.",
+ "JsonSchema.tasks.identifier": "Ein vom Benutzer definierter Bezeichner, mit dem in \"launch.json\" oder in einer dependsOn-Klausel auf die Aufgabe verwiesen wird.",
+ "JsonSchema.tasks.identifier.deprecated": "Benutzerdefinierte Bezeichner sind veraltet. Verwenden Sie für benutzerdefinierte Tasks den Namen als Referenz und für Tasks, die von Erweiterungen bereitgestellt werden, deren definierten Taskbezeichner.",
+ "JsonSchema.tasks.reevaluateOnRerun": "Gibt an, ob Aufgabenvariablen bei erneuter Ausführung erneut bewertet werden sollen.",
+ "JsonSchema.tasks.runOn": "Konfiguriert den Ausführungszeitpunkt der Aufgabe. Wenn dieser auf \"folderOpen\" festgelegt ist, wird die Aufgabe beim Öffnen des Ordners automatisch ausgeführt.",
+ "JsonSchema.tasks.instanceLimit": "Die Anzahl der Instanzen der Aufgabe, die gleichzeitig ausgeführt werden dürfen.",
+ "JsonSchema.tasks.runOptions": "Die zur Ausführung der Aufgabe zugehörigen Optionen.",
+ "JsonSchema.tasks.taskLabel": "Die Bezeichnung der Aufgabe",
+ "JsonSchema.tasks.taskName": "Der Name der Aufgabe",
+ "JsonSchema.tasks.taskName.deprecated": "Die name-Eigenschaft der Aufgabe ist veraltet. Verwenden Sie stattdessen die label-Eigenschaft.",
+ "JsonSchema.tasks.background": "Gibt an, ob die ausgeführte Aufgabe aktiv bleibt und im Hintergrund ausgeführt wird.",
+ "JsonSchema.tasks.promptOnClose": "Gibt an, ob eine Benutzeraufforderung angezeigt wird, wenn VS Code mit einer aktuell ausgeführten Aufgabe geschlossen wird.",
+ "JsonSchema.tasks.matchers": "Die zu verwendenden Problemabgleicher. Kann entweder eine Zeichenfolge oder eine Problemabgleicherdefinition oder ein Array aus Zeichenfolgen und Problemabgleichern sein.",
+ "JsonSchema.customizations.customizes.type": "Der anzupassende Aufgabentyp",
+ "JsonSchema.tasks.customize.deprecated": "Die customize-Eigenschaft ist veraltet. Informationen zur Migration zum neuen Ansatz für die Aufgabenanpassung finden Sie in den Anmerkungen zur Version 1.14.",
+ "JsonSchema.tasks.showOutput.deprecated": "Die showOutput-Eigenschaft ist veraltet. Verwenden Sie stattdessen die reveal-Eigenschaft innerhalb der presentation-Eigenschaft. Weitere Informationen finden Sie auch in den Anmerkungen zur Version 1.14.",
+ "JsonSchema.tasks.echoCommand.deprecated": "Die echoCommand-Eigenschaft ist veraltet. Verwenden Sie stattdessen die echo-Eigenschaft innerhalb der presentation-Eigenschaft. Weitere Informationen finden Sie auch in den Anmerkungen zur Version 1.14.",
+ "JsonSchema.tasks.suppressTaskName.deprecated": "Die suppressTaskName-Eigenschaft ist veraltet. Binden Sie den Befehl mit den zugehörigen Argumenten stattdessen in die Aufgabe ein. Weitere Informationen finden Sie auch in den Anmerkungen zur Version 1.14.",
+ "JsonSchema.tasks.isBuildCommand.deprecated": "Die isBuildCommand-Eigenschaft ist veraltet. Verwenden Sie stattdessen die group-Eigenschaft. Weitere Informationen finden Sie auch in den Anmerkungen zur Version 1.14.",
+ "JsonSchema.tasks.isTestCommand.deprecated": "Die isTestCommand-Eigenschaft ist veraltet. Verwenden Sie stattdessen die group-Eigenschaft. Weitere Informationen finden Sie auch in den Anmerkungen zur Version 1.14.",
+ "JsonSchema.tasks.taskSelector.deprecated": "Die taskSelector-Eigenschaft ist veraltet. Binden Sie den Befehl mit den zugehörigen Argumenten stattdessen in die Aufgabe ein. Weitere Informationen finden Sie auch in den Anmerkungen zur Version 1.14.",
+ "JsonSchema.windows": "Windows-spezifische Befehlskonfiguration",
+ "JsonSchema.mac": "Mac-spezifische Befehlskonfiguration",
+ "JsonSchema.linux": "Linux-spezifische Befehlskonfiguration"
+ },
+ "vs/workbench/contrib/tasks/browser/tasksQuickAccess": {
+ "noTaskResults": "Keine übereinstimmenden Aufgaben.",
+ "TaskService.pickRunTask": "Wählen Sie die auszuführende Aufgabe aus."
+ },
+ "vs/workbench/contrib/tasks/common/jsonSchemaCommon": {
+ "JsonSchema.options": "Weitere Befehlsoptionen",
+ "JsonSchema.options.cwd": "Das aktuelle Arbeitsverzeichnis des ausgeführten Programms oder Skripts. Wenn keine Angabe erfolgt, wird das aktuelle Arbeitsbereich-Stammverzeichnis des Codes verwendet.",
+ "JsonSchema.options.env": "Die Umgebung des ausgeführten Programms oder der Shell. Wenn keine Angabe erfolgt, wird Umgebung des übergeordneten Prozesses verwendet.",
+ "JsonSchema.tasks.matcherError": "Unbekannter Problemabgleicher. Ist die Erweiterung installiert, die diesen Problemabgleicher bereitstellt?",
+ "JsonSchema.shellConfiguration": "Konfiguriert die zu verwendende Shell.",
+ "JsonSchema.shell.executable": "Die zu verwendende Shell.",
+ "JsonSchema.shell.args": "Die Shell-Argumente.",
+ "JsonSchema.command": "Der auszuführende Befehl. Hierbei kann es sich um ein externes Programm oder einen Shellbefehl handeln.",
+ "JsonSchema.tasks.args": "Argumente, die bei Aufruf dieser Aufgabe an den Befehl übergeben werden.",
+ "JsonSchema.tasks.taskName": "Der Name der Aufgabe",
+ "JsonSchema.tasks.windows": "Windows-spezifische Befehlskonfiguration",
+ "JsonSchema.tasks.matchers": "Die zu verwendenden Problemabgleicher. Kann entweder eine Zeichenfolge oder eine Problemabgleicherdefinition oder ein Array aus Zeichenfolgen und Problemabgleichern sein.",
+ "JsonSchema.tasks.mac": "Mac-spezifische Befehlskonfiguration",
+ "JsonSchema.tasks.linux": "Linux-spezifische Befehlskonfiguration",
+ "JsonSchema.tasks.suppressTaskName": "Steuert, ob der Taskname dem Befehl als Argument hinzugefügt wird. Wenn keine Angabe erfolgt, wird der global definierte Wert verwendet.",
+ "JsonSchema.tasks.showOutput": "Steuert, ob die Ausgabe des aktuell ausgeführten Tasks angezeigt wird. Wenn keine Angabe erfolgt, wird der global definierte Wert verwendet.",
+ "JsonSchema.echoCommand": "Steuert, ob der ausgeführte Befehl in der Ausgabe angezeigt wird. Der Standardwert ist \"false\".",
+ "JsonSchema.tasks.watching.deprecation": "Veraltet. Verwenden Sie stattdessen \"isBackground\".",
+ "JsonSchema.tasks.watching": "Gibt an, ob der ausgeführte Task aktiv bleibt, und überwacht das Dateisystem.",
+ "JsonSchema.tasks.background": "Gibt an, ob die ausgeführte Aufgabe aktiv bleibt und im Hintergrund ausgeführt wird.",
+ "JsonSchema.tasks.promptOnClose": "Gibt an, ob eine Benutzeraufforderung angezeigt wird, wenn VS Code mit einer aktuell ausgeführten Aufgabe geschlossen wird.",
+ "JsonSchema.tasks.build": "Ordnet diesen Task dem Standardbuildbefehl des Codes zu.",
+ "JsonSchema.tasks.test": "Ordnet diesen Task dem Standardtestbefehl des Codes zu.",
+ "JsonSchema.args": "Weitere Argumente, die an den Befehl übergeben werden.",
+ "JsonSchema.showOutput": "Steuert, ob die Ausgabe des aktuell ausgeführten Tasks angezeigt wird. Wenn keine Angabe erfolgt, wird \"always\" verwendet.",
+ "JsonSchema.watching.deprecation": "Veraltet. Verwenden Sie stattdessen \"isBackground\".",
+ "JsonSchema.watching": "Gibt an, ob der ausgeführte Task aktiv bleibt, und überwacht das Dateisystem.",
+ "JsonSchema.background": "Ob die ausgeführte Aufgabe weiterhin besteht und im Hintergrund ausgeführt wird.",
+ "JsonSchema.promptOnClose": "Gibt an, ob dem Benutzer eine Eingabeaufforderung angezeigt wird, wenn VS Code mit einem aktuell ausgeführten Hintergrundtask geschlossen wird.",
+ "JsonSchema.suppressTaskName": "Steuert, ob der Taskname dem Befehl als Argument hinzugefügt wird. Der Standardwert ist \"false\".",
+ "JsonSchema.taskSelector": "Ein Präfix zum Angeben, dass ein Argument ein Task ist.",
+ "JsonSchema.matchers": "Die zu verwendenden Problemabgleicher. Es kann sich um eine Zeichenfolge, eine Problemabgleicherdefinition oder ein Array aus Zeichenfolgen und Problemabgleichern handeln.",
+ "JsonSchema.tasks": "Die Taskkonfigurationen. Normalerweise sind dies Anreicherungen der bereits in der externen Taskausführung definierten Tasks."
+ },
+ "vs/workbench/contrib/terminal/common/terminalConfiguration": {
+ "terminalIntegratedConfigurationTitle": "Integriertes Terminal",
+ "terminal.integrated.sendKeybindingsToShell": "Sendet die meisten Tastenzuordnungen nicht an die Workbench, sondern an das Terminal, und überschreibt \"#terminal.integrated.commandsToSkipShell#\". Dies kann als Alternative zur Feinabstimmung verwendet werden. ",
+ "terminal.integrated.automationShell.linux": "Ein Pfad, der bei Festlegung \"{0}\" überschreibt und {1}-Werte für die automatisierungsbezogene Terminalnutzung ignoriert, z. B. Aufgaben und Debuggen.",
+ "terminal.integrated.automationShell.osx": "Ein Pfad, der bei Festlegung \"{0}\" überschreibt und {1}-Werte für die automatisierungsbezogene Terminalnutzung ignoriert, z. B. Aufgaben und Debuggen.",
+ "terminal.integrated.automationShell.windows": "Ein Pfad, der bei Festlegung \"{0}\" überschreibt und {1}-Werte für die automatisierungsbezogene Terminalnutzung ignoriert, z. B. Aufgaben und Debuggen.",
+ "terminal.integrated.shellArgs.linux": "Die Befehlszeilenargumente, die im Linux-Terminal verwendet werden sollen. [Erfahren Sie mehr über das Konfigurieren der Shell](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shellArgs.osx": "Die Befehlszeilenargumente, die im macOS-Terminal verwendet werden sollen. [Erfahren Sie mehr über das Konfigurieren der Shell](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shellArgs.windows": "Die Befehlszeilenargumente, die im Windows-Terminal verwendet werden sollen. [Weitere Informationen über das Konfigurieren der Shell](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration)",
+ "terminal.integrated.shellArgs.windows.string": "Die Befehlszeilenargumente im [Befehlszeilenformat](https://msdn.microsoft.com/en-au/08dfcab2-eb6e-49a4-80eb-87d4076c98c6), die im Windows-Terminal verwendet werden sollen. [Weitere Informationen über das Konfigurieren der Shell](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration)",
+ "terminal.integrated.macOptionIsMeta": "Steuert, ob die WAHLTASTE im Terminal unter macOS als Meta-Taste betrachtet wird.",
+ "terminal.integrated.macOptionClickForcesSelection": "Steuert, ob eine Auswahl erzwungen werden soll, wenn unter macOS die Tastenkombination WAHLTASTE+Klick verwendet wird. Hiermit wird eine reguläre (Zeilen-) Auswahl erzwungen und die Verwendung des Modus zur Spaltenauswahl unterbunden. Dies ermöglicht das Kopieren und Einfügen über die reguläre Terminalauswahl, wenn beispielsweise der Mausmodus in tmux aktiviert ist.",
+ "terminal.integrated.copyOnSelection": "Steuert, ob im Terminal ausgewählter Text in die Zwischenablage kopiert wird.",
+ "terminal.integrated.drawBoldTextInBrightColors": "Steuert, ob fett formatierter Text im Terminal immer die ANSI-Farbvariante \"bright\" verwendet.",
+ "terminal.integrated.fontFamily": "Steuert die Schriftfamilie des Terminals, der Standardwert lautet \"#editor.fontFamily#\".",
+ "terminal.integrated.fontSize": "Steuert den Schriftgrad in Pixeln für das Terminal.",
+ "terminal.integrated.letterSpacing": "Steuert den Buchstabenabstand für das Terminal. Es handelt sich um einen ganzzahligen Wert, der die Menge zusätzlicher Pixel repräsentiert, die zwischen Zeichen hinzugefügt werden sollen.",
+ "terminal.integrated.lineHeight": "Steuert die Zeilenhöhe für das Terminal. Diese Zahl wird mit dem Schriftgrad für das Terminal multipliziert, um die tatsächliche Zeilenhöhe in Pixeln zu erhalten.",
+ "terminal.integrated.minimumContrastRatio": "Bei Festlegung dieser Einstellung ändert sich die Vordergrundfarbe jeder Zelle, um das angegebene Kontrastverhältnis zu erreichen. Beispielwerte:\r\n\r\n– 1: Die Standardeinstellung, keine Änderung.\r\n– 4.5: [WCAG AA-Konformität (Mindestwert)](https://www.w3.org/TR/UNDERSTANDING-WCAG20/visual-audio-contrast-contrast.html).\r\n– 7: [WCAG AAA-Konformität (erweitert)](https://www.w3.org/TR/UNDERSTANDING-WCAG20/visual-audio-contrast7.html).\r\n– 21: Weiß auf Schwarz oder Schwarz auf Weiß.",
+ "terminal.integrated.fastScrollSensitivity": "Multiplikator für die Scrollgeschwindigkeit beim Drücken von ALT.",
+ "terminal.integrated.mouseWheelScrollSensitivity": "Ein Multiplikator, der für den Wert \"deltaY\" für Mausrad-Scrollereignisse verwendet werden soll.",
+ "terminal.integrated.fontWeightError": "Es sind nur die Schlüsselwörter \"normal\" und \"bold\" sowie Zahlen zwischen 1 und 1000 zulässig.",
+ "terminal.integrated.fontWeight": "Dies ist die Schriftbreite, die im Terminal für nicht fett formatierten Text verwendet werden soll. Akzeptiert werden die Schlüsselwörter \"normal\" und \"bold\" oder Zahlen zwischen 1 und 1000.",
+ "terminal.integrated.fontWeightBold": "Dies ist die Schriftbreite, die im Terminal für fett formatierten Text verwendet werden soll. Akzeptiert werden die Schlüsselwörter \"normal\" und \"bold\" oder Zahlen zwischen 1 und 1000.",
+ "terminal.integrated.cursorBlinking": "Steuert, ob der Terminalcursor blinkt.",
+ "terminal.integrated.cursorStyle": "Steuert den Stil des Terminalcursors.",
+ "terminal.integrated.cursorWidth": "Steuert die Breite des Cursors, wenn \"#terminal.integrated.cursorStyle#\" auf \"line\" festgelegt ist.",
+ "terminal.integrated.scrollback": "Steuert die maximale Anzahl von Zeilen, die das Terminal im Puffer beibehält.",
+ "terminal.integrated.detectLocale": "Steuert, ob die Umgebungsvariable \"$LANG\" ermittelt und auf eine UTF-8-konforme Option festgelegt wird, weil das VS Code-Terminal nur UTF-8-codierte Daten aus der Shell unterstützt.",
+ "terminal.integrated.detectLocale.auto": "Hiermit wird die Umgebungsvariable \"$LANG\" festgelegt, wenn die angegebene Variable nicht vorhanden ist oder nicht auf \".UTF-8\" endet.",
+ "terminal.integrated.detectLocale.off": "Hiermit wird die Umgebungsvariable \"$LANG\" nicht festgelegt.",
+ "terminal.integrated.detectLocale.on": "Hiermit wird die Umgebungsvariable \"$LANG\" immer festgelegt.",
+ "terminal.integrated.rendererType.auto": "Hiermit wird der zu verwendende Renderer über VS Code festgelegt.",
+ "terminal.integrated.rendererType.canvas": "Hiermit wird der standardmäßige CPU/Canvas-basierte Renderer verwendet.",
+ "terminal.integrated.rendererType.dom": "Hiermit wird der DOM-basierte Fallbackrenderer verwendet.",
+ "terminal.integrated.rendererType.experimentalWebgl": "Verwenden Sie den experimentellen WebGL-basierten Renderer. Beachten Sie, dass dieser [bekannte Probleme](https://github.com/xtermjs/xterm.js/issues?q=is%3Aopen+is%3Aissue+label%3Aarea%2Faddon%2Fwebgl) aufweist.",
+ "terminal.integrated.rendererType": "Steuert, wie das Terminal gerendert wird.",
+ "terminal.integrated.rightClickBehavior.default": "Hiermit wird das Kontextmenü angezeigt.",
+ "terminal.integrated.rightClickBehavior.copyPaste": "Bei Auswahl kopieren, andernfalls einfügen.",
+ "terminal.integrated.rightClickBehavior.paste": "Einfügen erfolgt über die rechte Maustaste.",
+ "terminal.integrated.rightClickBehavior.selectWord": "Hiermit wird das Wort unter dem Cursor ausgewählt und das Kontextmenü angezeigt.",
+ "terminal.integrated.rightClickBehavior": "Steuert, wie das Terminal auf einen Klick mit der rechten Maustaste reagiert.",
+ "terminal.integrated.cwd": "Ein expliziter Startpfad, in dem das Terminal gestartet wird. Dieser wird als aktuelles Arbeitsverzeichnis (cwd) für den Shellprozess verwendet. Dies kann insbesondere in den Arbeitsbereichseinstellungen nützlich sein, wenn das Stammverzeichnis als cwd nicht geeignet ist.",
+ "terminal.integrated.confirmOnExit": "Steuert, ob beim Beenden eine Bestätigung erfolgen soll, wenn aktive Terminalsitzungen vorhanden sind.",
+ "terminal.integrated.enableBell": "Steuert, ob die Terminalglocke aktiviert ist.",
+ "terminal.integrated.commandsToSkipShell": "Eine Gruppe von Befehls-IDs, deren Tastenkombinationen nicht an die Shell gesendet, sondern immer durch VS Code verarbeitet werden. Auf diese Weise funktionieren Tastenkombinationen, die normalerweise von der Shell verarbeitet werden, genauso wie in einem Terminal ohne Fokus, beispielsweise STRG+P zum Starten von Quick Open.\r\n\r\n \r\n\r\nViele Befehle werden standardmäßig übersprungen. Um eine Voreinstellung außer Kraft zu setzen und stattdessen die Tastenkombination dieses Befehls an die Shell zu übergeben, fügen Sie dem Befehl das Zeichen \"-\" als Präfix hinzu. Verwenden Sie beispielsweise \"-workbench.action.quickOpen\", damit STRG+P an die Shell gesendet wird.\r\n\r\n \r\n\r\nDie folgende Liste der standardmäßig übersprungenen Befehle wird bei der Anzeige im Einstellungs-Editor abgeschnitten. Um die vollständige Liste zu sehen, [öffnen Sie die JSON-Datei mit den Standardeinstellungen](command:workbench.action.openRawDefaultSettings 'Standardeinstellungen öffnen (JSON)'), und suchen Sie nach dem ersten Befehl aus der Liste unten.\r\n\r\n \r\n\r\nStandardmäßig übersprungene Befehle:\r\n\r\n{0}",
+ "terminal.integrated.allowChords": "Gibt an, ob Tastenzuordnungen aus zwei separaten Tastenkombinationen im Terminal zugelassen werden sollen. Hinweis: Wenn bei Festlegung auf TRUE die Tastatureingabe eine Tastenzuordnung aus zwei separaten Tastenkombinationen ergibt, wird \"#terminal.integrated.commandsToSkipShell#\" umgangen. Eine Festlegung auf FALSE ist insbesondere dann sinnvoll, wenn Sie mit STRG+K zur Shell wechseln möchten (nicht zu VS Code).",
+ "terminal.integrated.allowMnemonics": "Gibt an, ob mnemonische Codes in der Menüleiste (z. B. ALT+F) zum Öffnen der Menüleiste zugelassen werden. Beachten Sie, dass dies dazu führt, dass bei einer Festlegung auf TRUE alle ALT-Tastenkombinationen die Shell überspringen. Diese Einstellung hat unter macOS keinerlei Auswirkungen.",
+ "terminal.integrated.inheritEnv": "Gibt an, ob neue Shells ihre Umgebung aus VS Code erben sollten. Diese Einstellung wird unter Windows nicht unterstützt.",
+ "terminal.integrated.env.osx": "Objekt mit Umgebungsvariablen, die dem VS Code-Prozess zur Verwendung durch das Terminal unter macOS hinzugefügt werden sollen. Legen Sie \"null\" fest, um die Umgebungsvariable zu löschen.",
+ "terminal.integrated.env.linux": "Objekt mit Umgebungsvariablen, die dem VS Code-Prozess zur Verwendung durch das Terminal unter Linux hinzugefügt werden sollen. Legen Sie \"null\" fest, um die Umgebungsvariable zu löschen.",
+ "terminal.integrated.env.windows": "Objekt mit Umgebungsvariablen, die dem VS Code-Prozess zur Verwendung durch das Terminal unter Windows hinzugefügt werden sollen. Legen Sie \"null\" fest, um die Umgebungsvariable zu löschen.",
+ "terminal.integrated.environmentChangesIndicator": "Gibt an, ob auf jedem Terminal die Anzeige von Umgebungsänderungen aktiviert werden soll. Diese zeigt an, ob Erweiterungen Änderungen an der Terminalumgebung vorgenommen haben oder vornehmen möchten.",
+ "terminal.integrated.environmentChangesIndicator.off": "Hiermit wird die Anzeige deaktiviert.",
+ "terminal.integrated.environmentChangesIndicator.on": "Hiermit wird die Anzeige aktiviert.",
+ "terminal.integrated.environmentChangesIndicator.warnonly": "Hiermit wird nur eine Warnung angezeigt, wenn die Umgebung eines Terminals veraltet ist. Die Information, die auf Umgebungsänderungen durch eine Erweiterung hinweist, wird nicht angezeigt.",
+ "terminal.integrated.showExitAlert": "Steuert, ob die Warnung \"Der Terminalprozess wurde mit einem Exitcode beendet\" angezeigt wird, wenn der Exitcode nicht 0 lautet.",
+ "terminal.integrated.splitCwd": "Steuert das Arbeitsverzeichnis, mit dem ein geteiltes Terminal gestartet wird.",
+ "terminal.integrated.splitCwd.workspaceRoot": "Ein neues geteiltes Terminal verwendet den Arbeitsbereichsstamm als Arbeitsverzeichnis. In einem Arbeitsbereich mit mehreren Stämmen können Sie auswählen, welcher Stamm als Arbeitsverzeichnis verwendet werden soll.",
+ "terminal.integrated.splitCwd.initial": "Ein neues geteiltes Terminal verwendet das Arbeitsverzeichnis, mit dem das übergeordnete Terminal gestartet wurde.",
+ "terminal.integrated.splitCwd.inherited": "Unter macOS und Linux verwendet ein neues geteiltes Terminal das Arbeitsverzeichnis des übergeordneten Terminals. Unter Windows wird dasselbe Arbeitsverzeichnis verwendet wie zu Beginn.",
+ "terminal.integrated.windowsEnableConpty": "Gibt an, ob ConPTY für die Terminalprozesskommunikation unter Windows verwendet werden soll (erfordert Windows 10, Build 18309 und höher). Sofern FALSE, wird Winpty verwendet.",
+ "terminal.integrated.wordSeparators": "Eine Zeichenfolge mit allen Zeichen, die vom Feature \"Doppelklick zur Wortauswahl\" als Worttrennzeichen betrachtet werden sollen.",
+ "terminal.integrated.experimentalUseTitleEvent": "Eine experimentelle Einstellung, bei der das Titelereignis des Terminals für den Dropdowntitel verwendet wird. Diese Einstellung gilt nur für neue Terminals.",
+ "terminal.integrated.enableFileLinks": "Gibt an, ob Dateiverknüpfungen im Terminal aktiviert werden sollen. Verknüpfungen können insbesondere bei der Arbeit auf einem Netzlaufwerk langsam sein, weil jede Dateiverknüpfung anhand des Dateisystems überprüft wird. Eine Änderung dieser Einstellung wirkt sich nur auf neue Terminals aus.",
+ "terminal.integrated.unicodeVersion.six": "Version 6 von Unicode. Dies ist eine ältere Version, die auf älteren Systemen besser funktionieren sollte.",
+ "terminal.integrated.unicodeVersion.eleven": "Version 11 von Unicode. Diese Version bietet bessere Unterstützung für moderne Systeme, die moderne Versionen von Unicode verwenden.",
+ "terminal.integrated.unicodeVersion": "Steuert, welche Version von Unicode beim Auswerten der Zeichenbreite im Terminal verwendet werden soll. Wenn Emojis oder andere breite Zeichen nicht die richtige Abstände vor oder nach dem Zeichen beanspruchen (entweder zu viel oder zu wenig), können Sie eine Feineinstellung durchführen.",
+ "terminal.integrated.experimentalLinkProvider": "Eine experimentelle Einstellung, die die Linkerkennung im Terminal verbessert und die Erkennung freigegebener Links mit dem Editor ermöglicht. Aktuell werden nur Weblinks unterstützt.",
+ "terminal.integrated.localEchoLatencyThreshold": "Experimentell: Länge der Netzwerkverzögerung in Millisekunden, mit der lokale Bearbeitungen auf dem Terminal ausgegeben werden, ohne auf Serverbestätigung zu warten. Bei \"0\" ist die lokale Ausgabe immer aktiviert, bei \"-1\" wird sie deaktiviert.",
+ "terminal.integrated.localEchoExcludePrograms": "Experimentell: Lokales Echo wird deaktiviert, wenn mindestens einer dieser Programmnamen im Terminaltitel gefunden wird.",
+ "terminal.integrated.localEchoStyle": "Experimentell: Endstil von lokal ausgegebenem Text, entweder ein Schriftschnitt oder eine RGB-Farbe.",
+ "terminal.integrated.serverSpawn": "Experimentell: Remoteterminals statt über den Remoteerweiterungshost über den Remote-Agent-Prozess erzeugen",
+ "terminal.integrated.enablePersistentSessions": "Experimentell: Persistente Speicherung von Terminalsitzungen für den Arbeitsbereich über das erneute Laden von Fenstern hinaus. Wird derzeit nur in VS Code-Remotearbeitsbereichen unterstützt.",
+ "terminal.integrated.shell.linux": "Der Shell-Pfad, den das Terminal unter Linux verwendet (Standardwert: {0}). [Weitere Informationen über das Konfigurieren der Shell](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration)",
+ "terminal.integrated.shell.linux.noDefault": "Der Shell-Pfad, den das Terminal unter Linux verwendet. [Erfahren Sie mehr über das Konfigurieren der Shell](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shell.osx": "Der Shell-Pfad, den das Terminal unter macOS verwendet (Standardwert: {0}). [Erfahren Sie mehr über das Konfigurieren der Shell](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shell.osx.noDefault": "Der Shell-Pfad, den das Terminal unter macOS verwendet. [Erfahren Sie mehr über das Konfigurieren der Shell](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shell.windows": "Der Shell-Pfad, den das Terminal unter Windows verwendet (Standardwert: {0}). [Erfahren Sie mehr über das Konfigurieren der Shell](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shell.windows.noDefault": "Der Shell-Pfad, den das Terminal unter Windows verwendet. [Erfahren Sie mehr über das Konfigurieren der Shell](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration)."
+ },
+ "vs/workbench/contrib/terminal/common/terminal": {
+ "terminalCategory": "Terminal",
+ "vscode.extension.contributes.terminal": "Trägt Terminalfunktionalität bei.",
+ "vscode.extension.contributes.terminal.types": "Definiert zusätzliche Terminaltypen, die der Benutzer erstellen kann.",
+ "vscode.extension.contributes.terminal.types.command": "Befehl, der ausgeführt werden soll, wenn der Benutzer diesen Terminaltyp erstellt.",
+ "vscode.extension.contributes.terminal.types.title": "Titel für diesen Terminaltyp."
+ },
+ "vs/workbench/contrib/terminal/browser/terminal.contribution": {
+ "tasksQuickAccessPlaceholder": "Geben Sie den Namen eines zu öffnenden Terminals ein.",
+ "tasksQuickAccessHelp": "Alle geöffneten Terminals anzeigen",
+ "terminal": "Terminal"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalView": {
+ "terminal.useMonospace": "\"monospace\" verwenden",
+ "terminal.monospaceOnly": "Das Terminal unterstützt nur Festbreitenschriftarten. Stellen Sie sicher, dass VS Code neu gestartet wird, wenn es sich um eine neu installierte Schriftart handelt."
+ },
+ "vs/workbench/contrib/terminal/browser/remoteTerminalService": {
+ "terminal.integrated.starting": "Wird gestartet..."
+ },
+ "vs/workbench/contrib/terminal/node/terminalProcess": {
+ "launchFail.cwdNotDirectory": "Das Startverzeichnis (CWD) \"{0}\" ist kein Verzeichnis.",
+ "launchFail.cwdDoesNotExist": "Das Startverzeichnis (CWD) \"{0}\" ist nicht vorhanden.",
+ "launchFail.executableIsNotFileOrSymlink": "Der Pfad zur ausführbaren Shelldatei \"{0}\" ist keine Datei eines Symlinks.",
+ "launchFail.executableDoesNotExist": "Der Pfad zur ausführbaren Shelldatei \"{0}\" ist nicht vorhanden."
+ },
+ "vs/workbench/contrib/terminal/electron-browser/terminalRemote": {
+ "workbench.action.terminal.newLocal": "Neues integriertes Terminal erstellen (lokal)"
+ },
+ "vs/workbench/contrib/terminal/common/terminalColorRegistry": {
+ "terminal.background": "Die Hintergrundfarbe des Terminals, dies ermöglicht eine unterschiedliche Färbung des Terminals im Panel.",
+ "terminal.foreground": "Die Vordergrundfarbe des Terminal.",
+ "terminalCursor.foreground": "Die Vordergrundfarbe des Terminalcursors.",
+ "terminalCursor.background": "Die Hintergrundfarbe des Terminalcursors. Ermöglicht das Anpassen der Farbe eines Zeichens, das von einem Blockcursor überdeckt wird.",
+ "terminal.selectionBackground": "Die Auswahlvordergrundfarbe des Terminals.",
+ "terminal.border": "Die Farbe des Rahmens, der Panels innerhalb des Terminals teilt. Der Standardwert ist panel.border.",
+ "terminal.ansiColor": "\"{0}\" ANSI-Farbe im Terminal"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalActions": {
+ "workbench.action.terminal.newWorkspacePlaceholder": "Aktuelles Arbeitsverzeichnis für neues Terminal auswählen",
+ "workbench.action.terminal.toggleTerminal": "Integriertes Terminal umschalten",
+ "workbench.action.terminal.kill": "Aktive Terminalinstanz beenden",
+ "workbench.action.terminal.kill.short": "Terminal beenden",
+ "workbench.action.terminal.copySelection": "Auswahl kopieren",
+ "workbench.action.terminal.copySelection.short": "Kopieren",
+ "workbench.action.terminal.selectAll": "Alle auswählen",
+ "workbench.action.terminal.new": "Neues integriertes Terminal erstellen",
+ "workbench.action.terminal.new.short": "Neues Terminal",
+ "workbench.action.terminal.split": "Terminal verdoppeln",
+ "workbench.action.terminal.split.short": "Split",
+ "workbench.action.terminal.splitInActiveWorkspace": "Terminal teilen (in aktivem Arbeitsbereich)",
+ "workbench.action.terminal.paste": "In aktives Terminal einfügen",
+ "workbench.action.terminal.paste.short": "Einfügen",
+ "workbench.action.terminal.selectDefaultShell": "Standardshell auswählen",
+ "workbench.action.terminal.openSettings": "Terminaleinstellungen konfigurieren",
+ "workbench.action.terminal.switchTerminal": "Terminal wechseln",
+ "terminals": "Öffnet die Terminals.",
+ "terminalConnectingLabel": "Wird gestartet...",
+ "workbench.action.terminal.clear": "Löschen",
+ "terminalLaunchHelp": "Hilfe öffnen",
+ "workbench.action.terminal.newInActiveWorkspace": "Neues integriertes Terminal erstellen (in aktivem Arbeitsbereich)",
+ "workbench.action.terminal.focusPreviousPane": "Fokus in vorherigem Bereich",
+ "workbench.action.terminal.focusNextPane": "Fokus in nächstem Bereich",
+ "workbench.action.terminal.resizePaneLeft": "Größe des linken Bereichs ändern",
+ "workbench.action.terminal.resizePaneRight": "Größe des rechten Bereichs ändern",
+ "workbench.action.terminal.resizePaneUp": "Größe des oberen Bereichs ändern",
+ "workbench.action.terminal.resizePaneDown": "Größe des unteren Bereichs ändern",
+ "workbench.action.terminal.focus": "Fokus im Terminal",
+ "workbench.action.terminal.focusNext": "Fokus im nächsten Terminal",
+ "workbench.action.terminal.focusPrevious": "Fokus im vorherigen Terminal",
+ "workbench.action.terminal.runSelectedText": "Ausgewählten Text im aktiven Terminal ausführen",
+ "workbench.action.terminal.runActiveFile": "Aktive Datei im aktiven Terminal ausführen",
+ "workbench.action.terminal.runActiveFile.noFile": "Nur Dateien auf der Festplatte können im Terminal ausgeführt werden.",
+ "workbench.action.terminal.scrollDown": "Nach unten scrollen (Zeile)",
+ "workbench.action.terminal.scrollDownPage": "Nach unten scrollen (Seite)",
+ "workbench.action.terminal.scrollToBottom": "Bildlauf nach unten",
+ "workbench.action.terminal.scrollUp": "Nach oben scrollen (Zeile)",
+ "workbench.action.terminal.scrollUpPage": "Nach oben scrollen (Seite)",
+ "workbench.action.terminal.scrollToTop": "Bildlauf nach oben",
+ "workbench.action.terminal.navigationModeExit": "Navigationsmodus beenden",
+ "workbench.action.terminal.navigationModeFocusPrevious": "Fokus auf vorherige Zeile (Navigationsmodus)",
+ "workbench.action.terminal.navigationModeFocusNext": "Fokus auf nächste Zeile (Navigationsmodus)",
+ "workbench.action.terminal.clearSelection": "Auswahl löschen",
+ "workbench.action.terminal.manageWorkspaceShellPermissions": "Berechtigungen für Arbeitsbereichsshell verwalten",
+ "workbench.action.terminal.rename": "Umbenennen",
+ "workbench.action.terminal.rename.prompt": "Terminalnamen eingeben",
+ "workbench.action.terminal.focusFind": "Fokus auf Suche",
+ "workbench.action.terminal.hideFind": "Suche ausblenden",
+ "workbench.action.terminal.attachToRemote": "An Sitzung anfügen",
+ "quickAccessTerminal": "Aktives Terminal wechseln",
+ "workbench.action.terminal.scrollToPreviousCommand": "Zu vorherigem Befehl scrollen",
+ "workbench.action.terminal.scrollToNextCommand": "Zu nächstem Befehl scrollen",
+ "workbench.action.terminal.selectToPreviousCommand": "Auswählen bis zu vorherigem Befehl",
+ "workbench.action.terminal.selectToNextCommand": "Auswählen bis zu nächstem Befehl",
+ "workbench.action.terminal.selectToPreviousLine": "Auswählen bis zur vorherigen Zeile",
+ "workbench.action.terminal.selectToNextLine": "Auswählen bis zur nächsten Zeile",
+ "workbench.action.terminal.toggleEscapeSequenceLogging": "Protokollierung der Escapesequenz umschalten",
+ "workbench.action.terminal.sendSequence": "Benutzerdefinierte Sequenz an Terminal senden",
+ "workbench.action.terminal.newWithCwd": "Erstellen Sie ein neues integriertes Terminal, das in einem benutzerdefinierten Arbeitsverzeichnis gestartet wird",
+ "workbench.action.terminal.newWithCwd.cwd": "Das Verzeichnis zum Starten des Terminals um",
+ "workbench.action.terminal.renameWithArg": "Derzeit aktives Terminal umbenennen",
+ "workbench.action.terminal.renameWithArg.name": "Der neue Terminalname",
+ "workbench.action.terminal.renameWithArg.noName": "Kein Namensargument angegeben",
+ "workbench.action.terminal.toggleFindRegex": "RegEx für Suche aktivieren/deaktivieren",
+ "workbench.action.terminal.toggleFindWholeWord": "Ganze Wörter für Suche aktivieren/deaktivieren",
+ "workbench.action.terminal.toggleFindCaseSensitive": "Groß-/Kleinschreibung für Suche aktivieren/deaktivieren",
+ "workbench.action.terminal.findNext": "Weitersuchen",
+ "workbench.action.terminal.findPrevious": "Vorheriges Element suchen",
+ "workbench.action.terminal.searchWorkspace": "Arbeitsbereich durchsuchen",
+ "workbench.action.terminal.relaunch": "Aktives Terminal neu starten",
+ "workbench.action.terminal.showEnvironmentInformation": "Umgebungsinformationen anzeigen"
+ },
+ "vs/workbench/contrib/terminal/common/terminalMenu": {
+ "miToggleIntegratedTerminal": "&&Terminal",
+ "miNewTerminal": "&&Neues Terminal",
+ "miSplitTerminal": "&&Geteiltes Terminal",
+ "miRunActiveFile": "&&Aktive Datei ausführen",
+ "miRunSelectedText": "&&Ausgewählten Text ausführen"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalService": {
+ "workbench.action.terminal.allowWorkspaceShell": "Shell-Konfiguration des Arbeitsbereichs zulassen",
+ "workbench.action.terminal.disallowWorkspaceShell": "Shell-Konfiguration des Arbeitsbereichs verbieten",
+ "terminalService.terminalCloseConfirmationSingular": "Eine aktive Terminalsitzung ist vorhanden. Möchten Sie sie beenden?",
+ "terminalService.terminalCloseConfirmationPlural": "{0} aktive Terminalsitzungen sind vorhanden. Möchten Sie sie beenden?",
+ "terminal.integrated.chooseWindowsShell": "Wählen Sie Ihre bevorzugte Terminalshell. Sie können diese später in Ihren Einstellungen ändern."
+ },
+ "vs/workbench/contrib/terminal/browser/terminalQuickAccess": {
+ "renameTerminal": "Terminal umbenennen",
+ "killTerminal": "Terminalinstanz beenden",
+ "workbench.action.terminal.newplus": "Neues integriertes Terminal erstellen"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalIcons": {
+ "terminalViewIcon": "Ansichtssymbol der Terminalansicht.",
+ "renameTerminalIcon": "Symbol für das Umbenennen im Schnellmenü des Terminals.",
+ "killTerminalIcon": "Symbol für das Beenden einer Terminalinstanz.",
+ "newTerminalIcon": "Symbol für das Erstellen einer neuen Terminalinstanz."
+ },
+ "vs/workbench/contrib/terminal/browser/terminalConfigHelper": {
+ "terminal.integrated.allowWorkspaceShell": "Möchten Sie zulassen, dass dieser Arbeitsbereich Änderungen an Ihrer Terminalshell vornimmt? {0}",
+ "allow": "Zulassen",
+ "disallow": "Nicht zulassen",
+ "useWslExtension.title": "Die Erweiterung \"{0}\" wird zum Öffnen eines Terminals in WSL empfohlen.",
+ "install": "Installieren"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalInstance": {
+ "terminal.integrated.a11yPromptLabel": "Terminaleingabe",
+ "terminal.integrated.a11yTooMuchOutput": "Zu viele Ausgaben zum Anzeigen, navigieren Sie manuell zu den Zeilen, um sie zu lesen",
+ "terminalTextBoxAriaLabelNumberAndTitle": "Terminal \"{0}\", {1}",
+ "terminalTextBoxAriaLabel": "Terminal \"{0}\"",
+ "configure terminal settings": "Einige Tastenzuordnungen werden standardmäßig an die Workbench gesendet.",
+ "configureTerminalSettings": "Terminaleinstellungen konfigurieren",
+ "yes": "Ja",
+ "no": "Nein",
+ "dontShowAgain": "Nicht mehr anzeigen",
+ "terminal.slowRendering": "Der Standardrenderer für das integrierte Terminal ist auf Ihrem Computer offenbar langsam. Möchten Sie zum alternativen DOM-basierten Renderer wechseln? Hierdurch kann die Leistung verbessert werden. [Weitere Informationen zu Terminaleinstellungen](https://code.visualstudio.com/docs/editor/integrated-terminal#_changing-how-the-terminal-is-rendered)",
+ "terminal.integrated.copySelection.noSelection": "Das Terminal enthält keine Auswahl zum Kopieren.",
+ "launchFailed.exitCodeAndCommandLine": "Der Terminalprozess \"{0}\" konnte nicht gestartet werden (Exitcode: {1}).",
+ "launchFailed.exitCodeOnly": "Der Terminalprozess konnte nicht gestartet werden (Exitcode: {0}).",
+ "terminated.exitCodeAndCommandLine": "Der Terminalprozess \"{0}\" wurde mit folgendem Exitcode beendet: {1}.",
+ "terminated.exitCodeOnly": "Der Terminalprozess wurde mit folgendem Exitcode beendet: {0}.",
+ "launchFailed.errorMessage": "Der Terminalprozess konnte nicht gestartet werden: {0}.",
+ "terminalStaleTextBoxAriaLabel": "Die Umgebung für Terminal \"{0}\" ist veraltet, führen Sie den Befehl \"Umgebungsinformationen anzeigen\" aus, um weitere Informationen zu erhalten."
+ },
+ "vs/workbench/contrib/terminal/browser/links/terminalLinkManager": {
+ "terminalLinkHandler.followLinkAlt.mac": "WAHLTASTE + Klick",
+ "terminalLinkHandler.followLinkAlt": "ALT + Klick",
+ "terminalLinkHandler.followLinkCmd": "BEFEHLSTASTE + Klick",
+ "terminalLinkHandler.followLinkCtrl": "STRG + Klick",
+ "followLink": "Link folgen"
+ },
+ "vs/workbench/contrib/terminal/browser/links/terminalWordLinkProvider": {
+ "searchWorkspace": "Arbeitsbereich suchen"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalProcessExtHostProxy": {
+ "terminal.integrated.starting": "Wird gestartet..."
+ },
+ "vs/workbench/contrib/terminal/browser/environmentVariableInfo": {
+ "extensionEnvironmentContributionChanges": "Erweiterungen möchten die folgenden Änderungen an der Umgebung des Terminals vornehmen:",
+ "extensionEnvironmentContributionRemoval": "Erweiterungen möchten diese vorhandenen Änderungen aus der Umgebung des Terminals entfernen:",
+ "relaunchTerminalLabel": "Terminal neu starten",
+ "extensionEnvironmentContributionInfo": "Erweiterungen haben Änderungen an der Umgebung dieses Terminals vorgenommen."
+ },
+ "vs/workbench/contrib/terminal/browser/links/terminalLink": {
+ "openFile": "Datei im Editor öffnen",
+ "focusFolder": "Fokus auf Ordner im Explorer",
+ "openFolder": "Ordner in neuem Fenster öffnen"
+ },
+ "vs/workbench/contrib/themes/browser/themes.contribution": {
+ "selectTheme.label": "Farbdesign",
+ "themes.category.light": "Helle Designs",
+ "themes.category.dark": "Dunkle Themen",
+ "themes.category.hc": "Hohe Kontrast Themen",
+ "installColorThemes": "Zusätzliche Farbschemas installieren...",
+ "themes.selectTheme": "Farbdesign auswählen (eine Vorschau wird mit den Tasten NACH OBEN/NACH UNTEN angezeigt)",
+ "selectIconTheme.label": "Dateisymboldesign",
+ "noIconThemeLabel": "NONE",
+ "noIconThemeDesc": "Dateisymbole deaktivieren",
+ "installIconThemes": "Zusätzliche Dateisymbolschemas installieren...",
+ "themes.selectIconTheme": "Dateisymboldesign auswählen",
+ "selectProductIconTheme.label": "Produktsymboldesign",
+ "defaultProductIconThemeLabel": "Standard",
+ "themes.selectProductIconTheme": "Produktsymboldesign auswählen",
+ "generateColorTheme.label": "Farbdesign aus aktuellen Einstellungen erstellen",
+ "preferences": "Einstellungen",
+ "miSelectColorTheme": "&&Farbschema",
+ "miSelectIconTheme": "&&Dateisymboldesign",
+ "themes.selectIconTheme.label": "Dateisymboldesign"
+ },
+ "vs/workbench/contrib/timeline/browser/timeline.contribution": {
+ "timelineViewIcon": "Ansichtssymbol der Zeitachsenansicht.",
+ "timelineOpenIcon": "Symbol für die Aktion zum Öffnen der Zeitachse",
+ "timelineConfigurationTitle": "Zeitachse",
+ "timeline.excludeSources": "Experimentell: Ein Array von Zeitachsenquellen, die aus der Zeitleistenansicht ausgeschlossen werden sollen",
+ "timeline.pageSize": "Die Anzahl von Elementen, die standardmäßig in der Zeitachsenansicht und beim Laden weiterer Elemente angezeigt werden sollen. Bei einer Festlegung auf \"null\" (Standardwert) wird basierend auf dem sichtbaren Bereich der Zeitachsenansicht automatisch eine Seitengröße ausgewählt.",
+ "timeline.pageOnScroll": "Experimentell. Steuert, ob die Zeitachsenansicht die nächste Seite mit Elementen lädt, wenn Sie an das Ende der Liste scrollen.",
+ "files.openTimeline": "Zeitleiste öffnen"
+ },
+ "vs/workbench/contrib/timeline/browser/timelinePane": {
+ "timeline.loadingMore": "Wird geladen...",
+ "timeline.loadMore": "Mehr laden",
+ "timeline": "Zeitachse",
+ "timeline.editorCannotProvideTimeline": "Der aktive Editor kann keine Zeitachseninformationen bereitstellen.",
+ "timeline.noTimelineInfo": "Es wurden keine Zeitachseninformationen bereitgestellt.",
+ "timeline.aria.item": "{0}: {1}",
+ "timeline.loading": "Zeitplan für {0} wird geladen...",
+ "timelineRefresh": "Symbol für die Aktion zum Aktualisieren der Zeitachse",
+ "timelinePin": "Symbol für die Aktion zum Anheften der Zeitachse",
+ "timelineUnpin": "Symbol für die Aktion zum Lösen der Zeitachse",
+ "refresh": "Aktualisieren",
+ "timeline.toggleFollowActiveEditorCommand.follow": "Aktuelle Zeitachse anheften",
+ "timeline.toggleFollowActiveEditorCommand.unfollow": "Aktuelle Zeitachse lösen",
+ "timeline.filterSource": "Einschließen: {0}"
+ },
+ "vs/workbench/contrib/update/browser/update.contribution": {
+ "miReleaseNotes": "&&Anmerkungen zu dieser Version"
+ },
+ "vs/workbench/contrib/update/browser/update": {
+ "releaseNotes": "Anmerkungen zu dieser Version",
+ "update.noReleaseNotesOnline": "Für diese Version von {0} gibt es keine Onlineversionshinweise.",
+ "showReleaseNotes": "Anmerkungen zu dieser Version anzeigen",
+ "read the release notes": "Willkommen bei {0} v{1}! Möchten Sie die Hinweise zu dieser Version lesen?",
+ "licenseChanged": "Unsere Lizenzbedingungen haben sich geändert. Bitte klicken Sie [hier]({0}), um die neuen Bedingungen zu lesen.",
+ "updateIsReady": "Neues {0}-Update verfügbar.",
+ "checkingForUpdates": "Es wird nach Updates gesucht...",
+ "update service": "Dienst aktualisieren",
+ "noUpdatesAvailable": "Zurzeit sind keine Updates verfügbar.",
+ "ok": "OK",
+ "thereIsUpdateAvailable": "Ein Update ist verfügbar.",
+ "download update": "Update herunterladen",
+ "later": "Später",
+ "updateAvailable": "Ein Update ist verfügbar: {0} {1}",
+ "installUpdate": "Update installieren",
+ "updateInstalling": "{0} {1} wird im Hintergrund installiert. Wir informieren Sie, wenn der Vorgang abgeschlossen ist.",
+ "updateNow": "Jetzt aktualisieren",
+ "updateAvailableAfterRestart": "Starten Sie {0} neu, um das neueste Update zu installieren.",
+ "checkForUpdates": "Nach Aktualisierungen suchen...",
+ "download update_1": "Update herunterladen (1)",
+ "DownloadingUpdate": "Das Update wird heruntergeladen...",
+ "installUpdate...": "Update installieren... (1)",
+ "installingUpdate": "Update wird installiert...",
+ "good luck": "'Restart to Update' is not working properly on macOS Big Sur. Click 'Quit to Update' to quit {0} and update it. Then, relaunch it from Finder.",
+ "quit": "Quit to Update",
+ "learn more": "Learn More",
+ "cancel": "Cancel",
+ "restartToUpdate": "Neustart zum Updaten (1)",
+ "relaunchMessage": "Damit die Versionsänderung wirksam wird, ist ein erneuter Ladevorgang erforderlich.",
+ "relaunchDetailInsiders": "Klicken Sie auf die Schaltfläche \"Neu laden\", um zur nächtlichen Präproduktionsversion von VSCode zu wechseln.",
+ "relaunchDetailStable": "Klicken Sie auf die Schaltfläche \"Neu laden\", um zur monatlich veröffentlichten stabilen Version von VSCode zu wechseln.",
+ "reload": "&&Neu laden",
+ "switchToInsiders": "Zu Insider-Version wechseln...",
+ "switchToStable": "Zu stabiler Version wechseln..."
+ },
+ "vs/workbench/contrib/update/browser/releaseNotesEditor": {
+ "releaseNotesInputName": "Anmerkungen zu dieser Version: {0}",
+ "unassigned": "Nicht zugewiesen"
+ },
+ "vs/workbench/contrib/url/browser/url.contribution": {
+ "openUrl": "URL öffnen",
+ "urlToOpen": "Zu öffnende URL"
+ },
+ "vs/workbench/contrib/url/browser/trustedDomains": {
+ "trustedDomain.manageTrustedDomain": "Vertrauenswürdige Domänen verwalten",
+ "trustedDomain.trustDomain": "\"{0}\" als vertrauenswürdig einstufen",
+ "trustedDomain.trustAllPorts": "\"{0}\" an allen Ports vertrauen",
+ "trustedDomain.trustSubDomain": "\"{0}\" und alle Unterdomänen als vertrauenswürdig einstufen",
+ "trustedDomain.trustAllDomains": "Alle Domänen als vertrauenswürdig einstufen (deaktiviert den Linkschutz)",
+ "trustedDomain.manageTrustedDomains": "Vertrauenswürdige Domänen verwalten",
+ "configuringURL": "Vertrauensstellung wird konfiguriert für: {0}"
+ },
+ "vs/workbench/contrib/url/browser/trustedDomainsValidator": {
+ "openExternalLinkAt": "Möchten Sie, dass \"{0}\" die externe Website öffnet?",
+ "open": "Öffnen",
+ "copy": "Kopieren",
+ "cancel": "Abbrechen",
+ "configureTrustedDomains": "Vertrauenswürdige Domänen konfigurieren"
+ },
+ "vs/workbench/contrib/userDataSync/electron-browser/userDataSync.contribution": {
+ "operationId": "Vorgangs-ID: {0}",
+ "too many requests": "Die Einstellungssynchronisierung ist deaktiviert, weil das aktuelle Gerät zu viele Anforderungen sendet. Melden Sie ein Problem, indem Sie die Synchronisierungsprotokolle bereitstellen.",
+ "settings sync": "Einstellungssynchronisierung. Vorgangs-ID: {0}",
+ "show sync logs": "Protokoll anzeigen",
+ "report issue": "Problem melden",
+ "Open Backup folder": "Lokalen Sicherungsordner öffnen",
+ "no backups": "Der Ordner für lokale Sicherungen ist nicht vorhanden."
+ },
+ "vs/workbench/contrib/userDataSync/browser/userDataSync.contribution": {
+ "operationId": "Vorgangs-ID: {0}",
+ "too many requests": "Die Einstellungssynchronisierung wurde auf diesem Gerät deaktiviert, weil zu viele Anforderungen generiert wurden."
+ },
+ "vs/workbench/contrib/userDataSync/browser/userDataSync": {
+ "turn on sync with category": "{0}: Aktivieren...",
+ "stop sync": "{0}: Deaktivieren",
+ "configure sync": "{0}: Konfigurieren...",
+ "showConflicts": "{0}: Einstellungskonflikte anzeigen",
+ "showKeybindingsConflicts": "{0}: Konflikte mit Tastenzuordnungen anzeigen",
+ "showSnippetsConflicts": "{0}: Konflikte mit Benutzercodeausschnitten anzeigen",
+ "sync now": "{0}: Jetzt synchronisieren",
+ "syncing": "Synchronisierung wird durchgeführt",
+ "synced with time": "Synchronisiert: {0}",
+ "sync settings": "{0}: Einstellungen anzeigen",
+ "show synced data": "{0}: Synchronisierte Daten anzeigen",
+ "conflicts detected": "Fehler bei der Synchronisierung aufgrund von Konflikten in {0}. Bitte beheben Sie die Konflikte, um fortzufahren.",
+ "accept remote": "Remote akzeptieren",
+ "accept local": "Lokal akzeptieren",
+ "show conflicts": "Konflikte anzeigen",
+ "accept failed": "Fehler beim Annehmen von Änderungen. Überprüfen Sie die [Protokolle]({0}), um weitere Informationen zu erhalten.",
+ "session expired": "Die Einstellungssynchronisierung wurde deaktiviert, weil die aktuelle Sitzung abgelaufen ist. Melden Sie sich erneut an, um die Synchronisierung zu aktivieren.",
+ "turn on sync": "Einstellungssynchronisierung aktivieren...",
+ "turned off": "Die Einstellungssynchronisierung wurde von einem anderen Gerät deaktiviert. Melden Sie sich erneut an, um die Synchronisierung zu aktivieren.",
+ "too large": "Die Synchronisierung von {0} ist deaktiviert, da die zu synchronisierende {1}-Datei größer als {2} ist. Öffnen Sie die Datei, reduzieren Sie die Größe, und aktivieren Sie die Synchronisierung.",
+ "error upgrade required": "Die Einstellungssynchronisierung ist deaktiviert, weil die aktuelle Version ({0}, {1}) nicht mit dem Synchronisierungsdienst kompatibel ist. Führen Sie ein Update durch, bevor Sie die Synchronisierung aktivieren.",
+ "operationId": "Vorgangs-ID: {0}",
+ "error reset required": "Die Einstellungssynchronisierung wurde deaktiviert, weil Ihre Daten in der Cloud älter sind als die Daten auf dem Client. Löschen Sie Ihre Daten in der Cloud, bevor Sie die Synchronisierung aktivieren.",
+ "reset": "Daten in der Cloud löschen...",
+ "show synced data action": "Synchronisierte Daten anzeigen",
+ "switched to insiders": "Die Einstellungssynchronisierung verwendet jetzt einen separaten Dienst. Weitere Informationen finden Sie in den [Versionshinweisen](https://code.visualstudio.com/updates/v1_48#_settings-sync).",
+ "open file": "{0}-Datei öffnen",
+ "errorInvalidConfiguration": "Synchronisierung von {0} ist nicht möglich, weil der Inhalt in der Datei ungültig ist. Öffnen Sie die Datei, und korrigieren Sie sie.",
+ "has conflicts": "{0}: Konflikte erkannt",
+ "turning on syncing": "Einstellungssynchronisierung wird aktiviert...",
+ "sign in to sync": "Bei Einstellungssynchronisierung anmelden",
+ "no authentication providers": "Es sind keine Authentifizierungsanbieter verfügbar.",
+ "too large while starting sync": "Die Einstellungssynchronisierung kann nicht aktiviert werden, weil die zu synchronisierende Datei \"{0}\" die Größe von {1} übersteigt. Öffnen Sie die Datei, und verringern Sie die Größe. Aktivieren Sie dann die Synchronisierung.",
+ "error upgrade required while starting sync": "Die Einstellungssynchronisierung kann nicht aktiviert werden, weil die aktuelle Version ({0}, {1}) mit dem Synchronisierungsdienst nicht kompatibel ist. Führen Sie ein Update durch, bevor Sie die Synchronisierung aktivieren.",
+ "error reset required while starting sync": "Die Einstellungssynchronisierung kann nicht aktiviert werden, weil Ihre Daten in der Cloud älter sind als die Daten auf dem Client. Löschen Sie Ihre Daten in der Cloud, bevor Sie die Synchronisierung aktivieren.",
+ "auth failed": "Fehler beim Aktivieren der Einstellungssynchronisierung: Fehler bei der Authentifizierung.",
+ "turn on failed": "Fehler beim Aktivieren der Einstellungssynchronisierung. Überprüfen Sie die [Protokolle]({0}), um weitere Informationen zu erhalten.",
+ "sync preview message": "Die Einstellungssynchronisierung ist ein Vorschaufeature. Lesen Sie die Dokumentation, bevor Sie sie aktivieren.",
+ "turn on": "Aktivieren",
+ "open doc": "Dokumentation öffnen",
+ "cancel": "Abbrechen",
+ "sign in and turn on": "Anmelden und aktivieren",
+ "configure and turn on sync detail": "Melden Sie sich an, um Ihre Daten geräteübergreifend zu synchronisieren.",
+ "per platform": "für jede Plattform",
+ "configure sync placeholder": "Zu Synchronisierendes auswählen",
+ "turn off sync confirmation": "Möchten Sie die Synchronisierung deaktivieren?",
+ "turn off sync detail": "Ihre Einstellungen, Tastenzuordnungen, Erweiterungen, Codeausschnitte und Benutzeroberflächenzustände werden nicht mehr synchronisiert.",
+ "turn off": "&&Deaktivieren",
+ "turn off sync everywhere": "Deaktivieren Sie die Synchronisierung auf allen Ihren Geräten, und löschen Sie die Daten aus der Cloud.",
+ "leftResourceName": "{0} (Remote)",
+ "merges": "{0} (Merges)",
+ "sideBySideLabels": "{0} ↔ {1}",
+ "sideBySideDescription": "Einstellungssynchronisierung",
+ "switchSyncService.title": "{0}: Dienst auswählen",
+ "switchSyncService.description": "Stellen Sie sicher, dass Sie beim Synchronisieren mit mehreren Umgebungen den gleichen Einstellungssynchronisierungsdienst verwenden.",
+ "default": "Standard",
+ "insiders": "Insider",
+ "stable": "Stabil",
+ "global activity turn on sync": "Einstellungssynchronisierung aktivieren...",
+ "turnin on sync": "Einstellungssynchronisierung wird aktiviert...",
+ "sign in global": "Bei Einstellungssynchronisierung anmelden",
+ "sign in accounts": "Bei Einstellungssynchronisierung anmelden (1)",
+ "resolveConflicts_global": "{0}: Einstellungskonflikte anzeigen (1)",
+ "resolveKeybindingsConflicts_global": "{0}: Konflikte mit Tastenzuordnungen anzeigen (1)",
+ "resolveSnippetsConflicts_global": "{0}: Konflikte mit Benutzercodeausschnitten anzeigen ({1})",
+ "sync is on": "Die Einstellungssynchronisierung ist aktiviert.",
+ "workbench.action.showSyncRemoteBackup": "Synchronisierte Daten anzeigen",
+ "turn off failed": "Fehler beim Deaktivieren der Einstellungssynchronisierung. Überprüfen Sie die [Protokolle]({0}), um weitere Informationen zu erhalten.",
+ "show sync log title": "{0}: Protokoll anzeigen",
+ "accept merges": "Merges akzeptieren",
+ "accept remote button": "&&Remote akzeptieren",
+ "accept merges button": "&&Merges akzeptieren",
+ "Sync accept remote": "{0}: {1}",
+ "Sync accept merges": "{0}: {1}",
+ "confirm replace and overwrite local": "Möchten Sie {0} (remote) akzeptieren und {1} (lokal) ersetzen?",
+ "confirm replace and overwrite remote": "Möchten Sie Merges akzeptieren und \"{0}\" (remote) ersetzen?",
+ "update conflicts": "Die Konflikte konnten nicht behoben werden, da eine neue lokale Version verfügbar ist. Bitte versuchen Sie es noch einmal."
+ },
+ "vs/workbench/contrib/userDataSync/browser/userDataSyncViews": {
+ "showLog": "Protokoll anzeigen",
+ "configure": "Konfigurieren...",
+ "workbench.actions.syncData.reset": "Daten in der Cloud löschen...",
+ "merges": "Merges",
+ "synced machines": "Synchronisierte Computer",
+ "workbench.actions.sync.editMachineName": "Name bearbeiten",
+ "workbench.actions.sync.turnOffSyncOnMachine": "Einstellungssynchronisierung deaktivieren",
+ "remote sync activity title": "Synchronisierungsaktivität (remote)",
+ "local sync activity title": "Synchronisierungsaktivität (lokal)",
+ "workbench.actions.sync.resolveResourceRef": "JSON-Rohdaten für Synchronisierung anzeigen",
+ "workbench.actions.sync.replaceCurrent": "Wiederherstellen",
+ "confirm replace": "Möchten Sie die aktuellen Daten \"{0}\" durch die ausgewählten Daten ersetzen?",
+ "workbench.actions.sync.compareWithLocal": "Änderungen öffnen",
+ "leftResourceName": "{0} (remote)",
+ "rightResourceName": "{0} (lokal)",
+ "sideBySideLabels": "{0} ↔ {1}",
+ "sideBySideDescription": "Einstellungssynchronisierung",
+ "reset": "Synchronisierte Daten zurücksetzen",
+ "current": "Aktuell",
+ "no machines": "Keine Computer",
+ "not found": "Der Computer mit der ID \"{0}\" wurde nicht gefunden.",
+ "turn off sync on machine": "Möchten Sie die Synchronisierung für \"{0}\" deaktivieren?",
+ "turn off": "&&Deaktivieren",
+ "placeholder": "Geben Sie den Namen des Computers ein.",
+ "valid message": "Der Computername muss eindeutig und darf nicht leer sein."
+ },
+ "vs/workbench/contrib/userDataSync/browser/userDataSyncMergesView": {
+ "explanation": "Gehen Sie die einzelnen Einträge durch, und mergen Sie sie, um die Synchronisierung zu aktivieren.",
+ "turn on sync": "Einstellungssynchronisierung aktivieren",
+ "cancel": "Abbrechen",
+ "workbench.actions.sync.acceptRemote": "Remote akzeptieren",
+ "workbench.actions.sync.acceptLocal": "Lokal akzeptieren",
+ "workbench.actions.sync.merge": "Mergen",
+ "workbench.actions.sync.discard": "Verwerfen",
+ "workbench.actions.sync.showChanges": "Änderungen öffnen",
+ "conflicts detected": "Konflikte erkannt",
+ "resolve": "Fehler beim Mergen aufgrund von Konflikten. Beheben Sie die Konflikte, um fortzufahren.",
+ "turning on": "Wird aktiviert...",
+ "preview": "{0} (Vorschau)",
+ "leftResourceName": "{0} (Remote)",
+ "merges": "{0} (Merges)",
+ "rightResourceName": "{0} (Lokal)",
+ "sideBySideLabels": "{0} ↔ {1}",
+ "sideBySideDescription": "Einstellungssynchronisierung",
+ "label": "UserDataSyncResources",
+ "conflict": "Konflikte erkannt",
+ "accepted": "Akzeptiert",
+ "accept remote": "Remote akzeptieren",
+ "accept local": "Lokal akzeptieren",
+ "accept merges": "Merges akzeptieren"
+ },
+ "vs/workbench/contrib/views/browser/treeView": {
+ "no-dataprovider": "Es ist kein Datenanbieter registriert, der Sichtdaten bereitstellen kann.",
+ "refresh": "Aktualisieren",
+ "collapseAll": "Alle zuklappen",
+ "command-error": "Fehler beim Ausführen des Befehls {1}: {0}. Dies wird vermutlich durch die Erweiterung verursacht, die {1} beiträgt."
+ },
+ "vs/workbench/contrib/watermark/browser/watermark": {
+ "watermark.showCommands": "Alle Befehle anzeigen",
+ "watermark.quickAccess": "Zu Datei wechseln",
+ "watermark.openFile": "Datei öffnen",
+ "watermark.openFolder": "Ordner öffnen",
+ "watermark.openFileFolder": "Datei oder Ordner öffnen",
+ "watermark.openRecent": "Zuletzt verwendete öffnen",
+ "watermark.newUntitledFile": "Neue unbenannte Datei",
+ "watermark.toggleTerminal": "Terminal umschalten",
+ "watermark.findInFiles": "In Dateien suchen",
+ "watermark.startDebugging": "Debuggen starten",
+ "tips.enabled": "Wenn diese Option aktiviert ist, werden Tipps zu Wasserzeichen angezeigt, wenn kein Editor geöffnet ist."
+ },
+ "vs/workbench/contrib/webview/electron-browser/webviewCommands": {
+ "openToolsLabel": "Webview-Entwicklertools öffnen"
+ },
+ "vs/workbench/contrib/webview/browser/baseWebviewElement": {
+ "fatalErrorMessage": "Fehler beim Laden der Webansicht: {0}"
+ },
+ "vs/workbench/contrib/webviewPanel/browser/webviewPanel.contribution": {
+ "webview.editor.label": "Webansichten-Editor"
+ },
+ "vs/workbench/contrib/webviewPanel/browser/webviewCommands": {
+ "editor.action.webvieweditor.showFind": "Suche anzeigen",
+ "editor.action.webvieweditor.hideFind": "Suche beenden",
+ "editor.action.webvieweditor.findNext": "Weitersuchen",
+ "editor.action.webvieweditor.findPrevious": "Vorherige suchen",
+ "refreshWebviewLabel": "Webansichten neu laden"
+ },
+ "vs/workbench/contrib/welcome/overlay/browser/welcomeOverlay": {
+ "welcomeOverlay.explorer": "Datei-Explorer",
+ "welcomeOverlay.search": "Dateiübergreifend suchen",
+ "welcomeOverlay.git": "Quellcodeverwaltung",
+ "welcomeOverlay.debug": "Starten und debuggen",
+ "welcomeOverlay.extensions": "Erweiterungen verwalten",
+ "welcomeOverlay.problems": "Fehler und Warnungen anzeigen",
+ "welcomeOverlay.terminal": "Integriertes Terminal umschalten",
+ "welcomeOverlay.commandPalette": "Alle Befehle suchen und ausführen",
+ "welcomeOverlay.notifications": "Benachrichtigungen anzeigen",
+ "welcomeOverlay": "Benutzeroberflächenüberblick",
+ "hideWelcomeOverlay": "Schnittstellenüberblick ausblenden"
+ },
+ "vs/workbench/contrib/welcome/page/browser/welcomePage.contribution": {
+ "workbench.startupEditor.none": "Ohne Editor starten.",
+ "workbench.startupEditor.welcomePage": "Willkommensseite öffnen (Standard).",
+ "workbench.startupEditor.readme": "Hiermit wird die Infodatei geöffnet, sofern im geöffneten Ordner eine enthalten ist. Andernfalls erfolgt ein Fallback auf \"welcomePage\".",
+ "workbench.startupEditor.newUntitledFile": "Eine neue unbenannte Datei öffnen (gilt nur, wenn Sie einen leeren Arbeitsbereich öffnen).",
+ "workbench.startupEditor.welcomePageInEmptyWorkbench": "Willkommensseite öffnen, wenn eine leere Workbench geöffnet wird.",
+ "workbench.startupEditor.gettingStarted": "Öffnen Sie die Seite \"Erste Schritte\" (experimentell).",
+ "workbench.startupEditor": "Steuert, welcher Editor beim Start angezeigt wird, wenn keiner aus der vorherigen Sitzung wiederhergestellt wird.",
+ "miWelcome": "&&Willkommen"
+ },
+ "vs/workbench/contrib/welcome/gettingStarted/browser/gettingStarted.contribution": {
+ "Getting Started": "Erste Schritte",
+ "help": "Hilfe",
+ "gettingStartedDescription": "Aktiviert eine experimentelle Seite \"Erste Schritte\", auf die über das Hilfemenü zugegriffen werden kann."
+ },
+ "vs/workbench/contrib/welcome/walkThrough/browser/walkThrough.contribution": {
+ "walkThrough.editor.label": "Interaktiver Playground",
+ "miInteractivePlayground": "I&&nteraktiver Playground"
+ },
+ "vs/workbench/contrib/welcome/page/browser/welcomePage": {
+ "welcomePage": "Willkommen",
+ "welcomePage.javaScript": "JavaScript",
+ "welcomePage.python": "Python",
+ "welcomePage.java": "Java",
+ "welcomePage.php": "PHP",
+ "welcomePage.azure": "Azure",
+ "welcomePage.showAzureExtensions": "Azure-Erweiterungen anzeigen",
+ "welcomePage.docker": "Docker",
+ "welcomePage.vim": "Vim",
+ "welcomePage.sublime": "Sublime",
+ "welcomePage.atom": "Atom",
+ "welcomePage.extensionPackAlreadyInstalled": "Unterstützung für {0} ist bereits installiert.",
+ "welcomePage.willReloadAfterInstallingExtensionPack": "Nach dem Installieren zusätzlicher Unterstützung für {0} wird das Fenster neu geladen.",
+ "welcomePage.installingExtensionPack": "Zusätzliche Unterstützung für {0} wird installiert...",
+ "welcomePage.extensionPackNotFound": "Unterstützung für {0} mit der ID {1} wurde nicht gefunden.",
+ "welcomePage.keymapAlreadyInstalled": "Die {0} Tastenkombinationen sind bereits installiert.",
+ "welcomePage.willReloadAfterInstallingKeymap": "Das Fenster wird nach der Installation der {0}-Tastaturbefehle neu geladen.",
+ "welcomePage.installingKeymap": "Die {0}-Tastenkombinationen werden installiert...",
+ "welcomePage.keymapNotFound": "Die {0} Tastenkombinationen mit der ID {1} wurden nicht gefunden.",
+ "welcome.title": "Willkommen",
+ "welcomePage.openFolderWithPath": "Ordner {0} mit Pfad {1} öffnen",
+ "welcomePage.extensionListSeparator": ", ",
+ "welcomePage.installKeymap": "Tastenzuordnung {0} öffnen",
+ "welcomePage.installExtensionPack": "Zusätzliche Unterstützung für {0} installieren",
+ "welcomePage.installedKeymap": "Die Tastaturzuordnung {0} ist bereits installiert.",
+ "welcomePage.installedExtensionPack": "Unterstützung für {0} ist bereits installiert.",
+ "ok": "OK",
+ "details": "Details"
+ },
+ "vs/workbench/contrib/welcome/gettingStarted/browser/gettingStarted": {
+ "editorGettingStarted.title": "Erste Schritte",
+ "next": "Weiter"
+ },
+ "vs/workbench/contrib/welcome/walkThrough/browser/walkThroughPart": {
+ "walkThrough.unboundCommand": "Ungebunden",
+ "walkThrough.gitNotFound": "Git scheint auf Ihrem System nicht installiert zu sein.",
+ "walkThrough.embeddedEditorBackground": "Hintergrundfarbe für die eingebetteten Editoren im interaktiven Playground."
+ },
+ "vs/workbench/contrib/welcome/walkThrough/browser/editor/editorWalkThrough": {
+ "editorWalkThrough.title": "Interaktiver Playground",
+ "editorWalkThrough": "Interaktiver Playground"
+ },
+ "vs/workbench/contrib/welcome/common/viewsWelcomeContribution": {
+ "ViewsWelcomeExtensionPoint.proposedAPI": "Der viewsWelcome-Beitrag in \"{0}\" erfordert die Aktivierung von \"enableProposedApi\"."
+ },
+ "vs/workbench/contrib/welcome/common/viewsWelcomeExtensionPoint": {
+ "contributes.viewsWelcome": "Willkommensinhalte in beigetragenen Ansichten. Willkommensinhalte werden in Strukturansichten gerendert, wenn sie keine aussagekräftigen Inhalte enthalten (Beispiel: Datei-Explorer, wenn kein Ordner geöffnet ist). Solche Inhalte sind als produktinterne Dokumentation nützlich, um Benutzer zur Verwendung bestimmter Features zu motivieren, bevor diese verfügbar sind. Ein gutes Beispiel hierfür ist eine Schaltfläche \"Repository klonen\" in der Willkommensansicht des Datei-Explorers.",
+ "contributes.viewsWelcome.view": "Beigetragene Begrüßungsinhalte für eine bestimmte Ansicht.",
+ "contributes.viewsWelcome.view.view": "Der Zielansichtsbezeichner für diesen Willkommensinhalt. Es werden nur Strukturansichten unterstützt.",
+ "contributes.viewsWelcome.view.contents": "Willkommensinhalte, die angezeigt werden sollen. Das Format des Inhalts ist eine Teilmenge von Markdown. Nur Links werden unterstützt.",
+ "contributes.viewsWelcome.view.when": "Bedingung, wann der Willkommensinhalt angezeigt werden soll.",
+ "contributes.viewsWelcome.view.group": "Die Gruppe, zu der diese Willkommensinhalte gehören.",
+ "contributes.viewsWelcome.view.enablement": "Bedingung für die Aktivierung der Schaltflächen mit Willkommensinhalten"
+ },
+ "vs/workbench/contrib/welcome/telemetryOptOut/browser/telemetryOptOut": {
+ "telemetryOptOut.optOutNotice": "Tragen Sie zur Verbesserung von VS Code bei, und lassen Sie zu, dass Microsoft Nutzungsdaten erfasst. Lesen Sie unsere [Datenschutzvereinbarung]({0}), und erfahren Sie, wie Sie dies [deaktivieren]({1}).",
+ "telemetryOptOut.optInNotice": "Tragen Sie zur Verbesserung von VS Code bei, und lassen Sie zu, dass Microsoft Nutzungsdaten erfasst. Lesen Sie unsere [Datenschutzvereinbarung]({0}), und erfahren Sie, wie Sie dies [aktivieren]({1}).",
+ "telemetryOptOut.readMore": "Weitere Informationen",
+ "telemetryOptOut.optOutOption": "Tragen Sie zur Verbesserung von Visual Studio Code bei, indem Sie Microsoft gewähren, Nutzungsdaten zu erfassen. Weitere Informationen finden Sie in unserer [Datenschutzerklärung]({0}).",
+ "telemetryOptOut.OptIn": "Ja, ich möchte helfen.",
+ "telemetryOptOut.OptOut": "Nein, danke."
+ },
+ "vs/workbench/contrib/welcome/page/browser/welcomePageColors": {
+ "welcomePage.buttonBackground": "Hintergrundfarbe für die Schaltflächen auf der Willkommensseite.",
+ "welcomePage.buttonHoverBackground": "Hoverhintergrundfarbe für die Schaltflächen auf der Willkommensseite.",
+ "welcomePage.background": "Hintergrundfarbe für die Startseite."
+ },
+ "vs/workbench/contrib/welcome/page/browser/vs_code_welcome_page": {
+ "welcomePage.vscode": "Visual Studio Code",
+ "welcomePage.editingEvolved": "Fortschrittliche Bearbeitung",
+ "welcomePage.start": "Start",
+ "welcomePage.newFile": "Neue Datei",
+ "welcomePage.openFolder": "Ordner öffnen...",
+ "welcomePage.gitClone": "Repository klonen...",
+ "welcomePage.recent": "Zuletzt verwendet",
+ "welcomePage.moreRecent": "Weitere...",
+ "welcomePage.noRecentFolders": "Keine kürzlich verwendeten Ordner",
+ "welcomePage.help": "Hilfe",
+ "welcomePage.keybindingsCheatsheet": "Druckbare Tastaturübersicht",
+ "welcomePage.introductoryVideos": "Einführungsvideos",
+ "welcomePage.tipsAndTricks": "Tipps und Tricks",
+ "welcomePage.productDocumentation": "Produktdokumentation",
+ "welcomePage.gitHubRepository": "GitHub-Repository",
+ "welcomePage.stackOverflow": "Stack Overflow",
+ "welcomePage.newsletterSignup": "Abonnieren Sie unseren Newsletter",
+ "welcomePage.showOnStartup": "Willkommensseite beim Start anzeigen",
+ "welcomePage.customize": "Anpassen",
+ "welcomePage.installExtensionPacks": "Tools und Sprachen",
+ "welcomePage.installExtensionPacksDescription": "Unterstützung für {0} und {1} installieren",
+ "welcomePage.showLanguageExtensions": "Weitere Spracherweiterungen anzeigen",
+ "welcomePage.moreExtensions": "mehr",
+ "welcomePage.installKeymapDescription": "Einstellungen und Tastenzuordnungen",
+ "welcomePage.installKeymapExtension": "Installieren Sie die Einstellungen und Tastenkombinationen von {0} und {1}.",
+ "welcomePage.showKeymapExtensions": "Andere Erweiterungen für Tastenzuordnungen anzeigen",
+ "welcomePage.others": "Andere",
+ "welcomePage.colorTheme": "Farbdesign",
+ "welcomePage.colorThemeDescription": "Passen Sie das Aussehen von Editor und Code an Ihre Wünsche an.",
+ "welcomePage.learn": "Lernen",
+ "welcomePage.showCommands": "Alle Befehle suchen und ausführen",
+ "welcomePage.showCommandsDescription": "Über die Befehlspalette ({0}) können Sie schnell auf Befehle zugreifen und nach Befehlen suchen.",
+ "welcomePage.interfaceOverview": "Überblick über die Benutzeroberfläche",
+ "welcomePage.interfaceOverviewDescription": "Erhalten Sie eine visuelle Überlagerung, die die wichtigsten Komponenten der Benutzeroberfläche hervorhebt.",
+ "welcomePage.interactivePlayground": "Interaktiver Playground",
+ "welcomePage.interactivePlaygroundDescription": "In einer exemplarischen Vorgehensweise können Sie die Hauptfeatures des Editors ausprobieren."
+ },
+ "vs/workbench/contrib/welcome/gettingStarted/browser/vs_code_editor_getting_started": {
+ "gettingStarted.vscode": "Visual Studio Code",
+ "gettingStarted.editingRedefined": "Codebearbeitung, neu definiert"
+ },
+ "vs/workbench/contrib/workspaces/browser/workspaces.contribution": {
+ "workspaceFound": "Dieser Ordner enthält die Arbeitsbereichsdatei \"{0}\". Möchten Sie diese öffnen? [Weitere Informationen]({1}) zu Arbeitsbereichsdateien.",
+ "openWorkspace": "Arbeitsbereich öffnen",
+ "workspacesFound": "Dieser Ordner enthält mehrere Arbeitsbereichsdateien. Möchten Sie eine dieser Dateien öffnen? [Weitere Informationen]({0}) zu Arbeitsbereichsdateien.",
+ "selectWorkspace": "Arbeitsbereich auswählen",
+ "selectToOpen": "Zu öffnenden Arbeitsbereich auswählen"
+ },
+ "vs/workbench/services/authentication/browser/authenticationService": {
+ "authentication.id": "Die ID des Authentifizierungsanbieters.",
+ "authentication.label": "Der lesbare Name des Authentifizierungsanbieters.",
+ "authenticationExtensionPoint": "Trägt die Authentifizierung bei.",
+ "loading": "Wird geladen...",
+ "authentication.missingId": "In einem Authentifizierungsbeitrag muss eine ID angegeben werden.",
+ "authentication.missingLabel": "In einem Authentifizierungsbeitrag muss eine Bezeichnung angegeben werden.",
+ "authentication.idConflict": "Diese Authentifizierungs-ID \"{0}\" wurde bereits registriert.",
+ "noAccounts": "Sie sind bei keinem Konto angemeldet.",
+ "sign in": "Anmeldung angefordert",
+ "signInRequest": "Melden Sie sich an, um \"{0}\" (1) zu verwenden."
+ },
+ "vs/workbench/services/bulkEdit/browser/bulkEditService": {
+ "summary.0": "Keine Änderungen vorgenommen",
+ "summary.nm": "{0} Änderungen am Text in {1} Dateien vorgenommen",
+ "summary.n0": "{0} Änderungen am Text in einer Datei vorgenommen",
+ "workspaceEdit": "Arbeitsbereichsbearbeitung",
+ "nothing": "Keine Änderungen vorgenommen"
+ },
+ "vs/workbench/services/configuration/common/jsonEditingService": {
+ "errorInvalidFile": "In die Datei kann nicht geschrieben werden. Öffnen Sie die Datei, um Fehler/Warnungen in der Datei zu beheben, und versuchen Sie es noch mal.",
+ "errorFileDirty": "In die Datei kann nicht geschrieben werden, weil sie geändert wurde. Speichern Sie die Datei, und versuchen Sie es noch mal."
+ },
+ "vs/workbench/services/configuration/common/configurationEditingService": {
+ "openTasksConfiguration": "Aufgabenkonfiguration öffnen",
+ "openLaunchConfiguration": "Startkonfiguration öffnen",
+ "open": "Einstellungen öffnen",
+ "saveAndRetry": "Speichern und wiederholen",
+ "errorUnknownKey": "In {0} kann nicht geschrieben werden, weil {1} keine registrierte Konfiguration ist.",
+ "errorInvalidWorkspaceConfigurationApplication": "{0} kann nicht in die Arbeitsbereichseinstellungen geschrieben werden. Diese Einstellung kann nur in den Benutzereinstellungen geschrieben werden.",
+ "errorInvalidWorkspaceConfigurationMachine": "{0} kann nicht in die Arbeitsbereichseinstellungen geschrieben werden. Diese Einstellung kann nur in den Benutzereinstellungen geschrieben werden.",
+ "errorInvalidFolderConfiguration": "In die Ordnereinstellungen kann nicht geschrieben werden, weil {0} den Gültigkeitsbereich für Ordnerressourcen nicht unterstützt.",
+ "errorInvalidUserTarget": "In die Benutzereinstellungen kann nicht geschrieben werden, weil {0} den globalen Gültigkeitsbereich nicht unterstützt.",
+ "errorInvalidWorkspaceTarget": "In die Arbeitsbereichseinstellungen kann nicht geschrieben werden, da {0} den Arbeitsbereichsumfang in einem Arbeitsbereich mit mehreren Ordnern nicht unterstützt.",
+ "errorInvalidFolderTarget": "In die Ordnereinstellungen kann nicht geschrieben werden, weil keine Ressource angegeben ist.",
+ "errorInvalidResourceLanguageConfiguraiton": "Die Spracheinstellungen können nicht geändert werden, da {0} keine Ressourcenspracheinstellung ist.",
+ "errorNoWorkspaceOpened": "In {0} kann nicht geschrieben werden, weil kein Arbeitsbereich geöffnet ist. Öffnen Sie zuerst einen Arbeitsbereich, und versuchen Sie es noch mal.",
+ "errorInvalidTaskConfiguration": "In die Konfigurationsdatei der Aufgabe kann nicht geschrieben werden. Öffnen Sie die Datei, um Fehler/Warnungen darin zu beheben, und versuchen Sie es noch mal.",
+ "errorInvalidLaunchConfiguration": "In die Startkonfigurationsdatei kann nicht geschrieben werden. Öffnen Sie die Datei, um Fehler/Warnungen darin zu beheben, und versuchen Sie es noch mal.",
+ "errorInvalidConfiguration": "In die Benutzereinstellungen kann nicht geschrieben werden. Öffnen Sie die Benutzereinstellungen, um Fehler/Warnungen in der Datei zu korrigieren, und versuchen Sie es noch mal.",
+ "errorInvalidRemoteConfiguration": "In den Remotebenutzereinstellungen sind keine Schreibvorgänge möglich. Öffnen Sie die Remotebenutzereinstellungen, um die Fehler und Warnungen dort zu korrigieren, und versuchen Sie es erneut.",
+ "errorInvalidConfigurationWorkspace": "In die Konfigurationseinstellungen kann nicht geschrieben werden. Öffnen Sie die Arbeitsbereichseinstellungen, um Fehler/Warnungen in der Datei zu korrigieren, und versuchen Sie es noch mal.",
+ "errorInvalidConfigurationFolder": "In die Ordnereinstellungen kann nicht geschrieben werden. Öffnen Sie die Ordnereinstellungen \"{0}\", um Fehler/Warnungen in der Datei zu korrigieren, und versuchen Sie es noch mal.",
+ "errorTasksConfigurationFileDirty": "In die Konfigurationsdatei der Aufgabe kann nicht geschrieben werden, weil sie geändert wurde. Speichern Sie die Datei, und versuchen Sie es noch mal.",
+ "errorLaunchConfigurationFileDirty": "In die Startkonfigurationsdatei kann nicht geschrieben werden, weil sie geändert wurde. Speichern Sie die Datei, und versuchen Sie es noch mal.",
+ "errorConfigurationFileDirty": "In die Benutzereinstellungen kann nicht geschrieben werden, weil die Datei geändert wurde. Speichern Sie die Datei mit den Benutzereinstellungen, und versuchen Sie es noch mal.",
+ "errorRemoteConfigurationFileDirty": "In den Remotebenutzereinstellungen sind keine Schreibvorgänge möglich, da die Datei geändert wurde. Speichern Sie die Datei für die Remotebenutzereinstellungen, und versuchen Sie es dann erneut.",
+ "errorConfigurationFileDirtyWorkspace": "In die Arbeitsbereichseinstellungen kann nicht geschrieben werden, weil die Datei geändert wurde. Speichern Sie die Datei mit den Arbeitsbereichseinstellungen, und versuchen Sie es noch mal.",
+ "errorConfigurationFileDirtyFolder": "In die Ordnereinstellungen kann nicht geschrieben werden, da die Datei geändert wurde. Speichern Sie die Datei mit den Ordnereinstellungen \"{0}\" und versuchen Sie es noch mal.",
+ "errorTasksConfigurationFileModifiedSince": "Fehler beim Schreiben in die Aufgabenkonfigurationsdatei, da der Inhalt der Datei neuer ist.",
+ "errorLaunchConfigurationFileModifiedSince": "Beim Schreiben in die Startkonfigurationsdatei ist ein Fehler aufgetreten, da der Inhalt der Datei neuer ist.",
+ "errorConfigurationFileModifiedSince": "Beim Schreiben in die Benutzereinstellungen ist ein Problem aufgetreten, da der Inhalt der Datei neuer ist.",
+ "errorRemoteConfigurationFileModifiedSince": "Beim Schreiben in die Remotebenutzereinstellungen ist ein Fehler aufgetreten, da der Inhalt der Datei neuer ist.",
+ "errorConfigurationFileModifiedSinceWorkspace": "Fehler beim Schreiben in die Einstellungen des Arbeits, da der Inhalt der Datei neuer ist.",
+ "errorConfigurationFileModifiedSinceFolder": "Beim Schreiben in die Ordnereinstellungen ist ein Fehler aufgetreten, da der Inhalt der Datei neuer ist.",
+ "userTarget": "Benutzereinstellungen",
+ "remoteUserTarget": "Remotebenutzereinstellungen",
+ "workspaceTarget": "Arbeitsbereichseinstellungen",
+ "folderTarget": "Ordnereinstellungen"
+ },
+ "vs/workbench/services/configurationResolver/browser/configurationResolverService": {
+ "commandVariable.noStringType": "Die Befehlsvariable \"{0}\" kann nicht ersetzt werden, weil der Befehl kein Ergebnis mit dem Typ \"string\" zurückgegeben hat.",
+ "inputVariable.noInputSection": "Die Variable \"{0}\" muss in einem Abschnitt \"{1}\" der Debug- oder Taskkonfiguration definiert werden.",
+ "inputVariable.missingAttribute": "Die Eingabevariable '{0}' ist vom Typ '{1}' und muss '{2}' beinhalten.",
+ "inputVariable.defaultInputValue": "(Standard)",
+ "inputVariable.command.noStringType": "Die Eingabevariable \"{0}\" kann nicht ersetzt werden, weil der Befehl \"{1}\" kein Ergebnis vom Typ \"string\" zurückgegeben hat.",
+ "inputVariable.unknownType": "Die Eingabevariable \"{0}\" kann nur vom Typ \"promptString\", \"pickString\" oder \"command\" sein.",
+ "inputVariable.undefinedVariable": "Die undefinierte Eingabevariable \"{0}\" wurde gefunden. Entfernen oder definieren Sie \"{0}\", um fortzufahren."
+ },
+ "vs/workbench/services/configurationResolver/common/variableResolver": {
+ "canNotResolveFile": "Die Variable \"{0}\" kann nicht aufgelöst werden. Öffnen Sie einen Editor.",
+ "canNotResolveFolderForFile": "Variable \"{0}\": Der Arbeitsbereichsordner \"{1}\" wurde nicht gefunden.",
+ "canNotFindFolder": "Die Variable \"{0}\" kann nicht aufgelöst werden. Es ist kein Ordner \"{1}\" vorhanden.",
+ "canNotResolveWorkspaceFolderMultiRoot": "Die Variable \"{0}\" kann nicht in einem Arbeitsbereich mit mehreren Ordnern aufgelöst werden. Legen Sie mithilfe von \":\" und einem Arbeitsbereichsordnernamen einen Bereich für diese Variable fest.",
+ "canNotResolveWorkspaceFolder": "Die Variable \"{0}\" kann nicht aufgelöst werden. Öffnen Sie einen Ordner.",
+ "missingEnvVarName": "Die Variable \"{0}\" kann nicht aufgelöst werden, weil kein Umgebungsvariablenname angegeben wurde.",
+ "configNotFound": "Die Variable \"{0}\" kann nicht aufgelöst werden, weil die Einstellung \"{1}\" nicht gefunden wurde.",
+ "configNoString": "Die Variable \"{0}\" kann nicht aufgelöst werden, weil \"{1}\" ein strukturierter Wert ist.",
+ "missingConfigName": "Die Variable \"{0}\" kann nicht aufgelöst werden, weil kein Einstellungsname angegeben wurde.",
+ "canNotResolveLineNumber": "Die Variable \"{0}\" kann nicht aufgelöst werden. Im aktiven Editor muss eine Zeile ausgewählt sein.",
+ "canNotResolveSelectedText": "Die Variable \"{0}\" kann nicht aufgelöst werden. Im aktiven Editor muss Text ausgewählt sein.",
+ "noValueForCommand": "Die Variable \"{0}\" kann nicht aufgelöst werden, weil der Befehl keinen Wert aufweist."
+ },
+ "vs/workbench/services/configurationResolver/common/configurationResolverUtils": {
+ "deprecatedVariables": "env.\", \"config.\" und \"command.\" sind veraltet, verwenden Sie stattdessen \"env:\", \"config:\" und \"command:\"."
+ },
+ "vs/workbench/services/configurationResolver/common/configurationResolverSchema": {
+ "JsonSchema.input.id": "Die Eingabe-ID wird verwendet, um eine Eingabe mit einer Variablen der Form ${input:id} zu verknüpfen.",
+ "JsonSchema.input.type": "Der zu verwendende Typ der Benutzereingabeaufforderung.",
+ "JsonSchema.input.description": "Die Beschreibung wird angezeigt, wenn der Benutzer zur Eingabe aufgefordert wird.",
+ "JsonSchema.input.default": "Der Standardwert für die Eingabe.",
+ "JsonSchema.inputs": "Benutzereingaben. Wird zur Definition von Benutzereingabeaufforderungen verwendet, beispielsweise eine frei formulierte Zeichenfolgeneingabe oder eine Auswahl aus mehreren Optionen.",
+ "JsonSchema.input.type.promptString": "Der Typ \"PromptString\" öffnet ein Eingabefeld, in das der Benutzer etwas eingeben soll.",
+ "JsonSchema.input.password": "Steuert, ob eine Kennworteingabe angezeigt wird. Durch eine Kennworteingabe wird der eingegebene Text ausgeblendet.",
+ "JsonSchema.input.type.pickString": "Der Typ \"PickString\" zeigt einer Auswahlliste an.",
+ "JsonSchema.input.options": "Ein Array von Zeichenfolgen, das die Optionen für eine Schnellauswahl definiert.",
+ "JsonSchema.input.pickString.optionLabel": "Bezeichnung für die Option.",
+ "JsonSchema.input.pickString.optionValue": "Wert für die Option.",
+ "JsonSchema.input.type.command": "Der Typ \"command\" führt einen Befehl aus.",
+ "JsonSchema.input.command.command": "Der Befehl, der für diese Eingabevariable ausgeführt werden soll.",
+ "JsonSchema.input.command.args": "Optionale Argumente, die an den Befehl übergeben werden."
+ },
+ "vs/workbench/services/decorations/browser/decorationsService": {
+ "bubbleTitle": "Enthält hervorgehobene Elemente"
+ },
+ "vs/workbench/services/dialogs/browser/abstractFileDialogService": {
+ "saveChangesDetail": "Ihre Änderungen gehen verloren, wenn Sie sie nicht speichern.",
+ "saveChangesMessage": "Möchten Sie die Änderungen speichern, die Sie an \"{0}\" vorgenommen haben?",
+ "saveChangesMessages": "Möchten Sie die an den folgenden {0}-Dateien vorgenommenen Änderungen speichern?",
+ "saveAll": "&&Alle speichern",
+ "save": "&&Speichern",
+ "dontSave": "&&Nicht speichern",
+ "cancel": "Abbrechen",
+ "openFileOrFolder.title": "Datei oder Ordner öffnen",
+ "openFile.title": "Datei öffnen",
+ "openFolder.title": "Ordner öffnen",
+ "openWorkspace.title": "Arbeitsbereich öffnen",
+ "filterName.workspace": "Arbeitsbereich",
+ "saveFileAs.title": "Speichern unter",
+ "saveAsTitle": "Speichern unter",
+ "allFiles": "Alle Dateien",
+ "noExt": "Keine Erweiterung"
+ },
+ "vs/workbench/services/dialogs/browser/simpleFileDialog": {
+ "openLocalFile": "Lokale Datei öffnen ...",
+ "saveLocalFile": "Lokale Datei speichern...",
+ "openLocalFolder": "Lokalen Ordner öffnen ...",
+ "openLocalFileFolder": "Lokal öffnen ...",
+ "remoteFileDialog.notConnectedToRemote": "Der Dateisystemanbieter für {0} ist nicht verfügbar.",
+ "remoteFileDialog.local": "Lokal anzeigen",
+ "remoteFileDialog.badPath": "Der Pfad ist nicht vorhanden.",
+ "remoteFileDialog.cancel": "Abbrechen",
+ "remoteFileDialog.invalidPath": "Geben Sie einen gültigen Pfad ein.",
+ "remoteFileDialog.validateFolder": "Der Ordner ist bereits vorhanden. Verwenden Sie einen neuen Dateinamen.",
+ "remoteFileDialog.validateExisting": "Die Datei \"{0}\" ist bereits vorhanden. Möchten Sie sie wirklich überschreiben?",
+ "remoteFileDialog.validateBadFilename": "Geben Sie einen gültigen Dateinamen ein.",
+ "remoteFileDialog.validateNonexistentDir": "Geben Sie einen vorhandenen Pfad ein.",
+ "remoteFileDialog.windowsDriveLetter": "Beginnen Sie den Pfad mit einem Laufwerkbuchstaben.",
+ "remoteFileDialog.validateFileOnly": "Wählen Sie eine Datei aus.",
+ "remoteFileDialog.validateFolderOnly": "Wählen Sie einen Ordner aus."
+ },
+ "vs/workbench/services/editor/browser/editorService": {
+ "editorAssociations.viewType.sourceDescription": "Quelle: {0}"
+ },
+ "vs/workbench/services/editor/common/editorOpenWith": {
+ "promptOpenWith.currentlyActive": "Aktuell aktiv",
+ "promptOpenWith.setDefaultTooltip": "Als Standard-Editor für {0}-Dateien festlegen",
+ "promptOpenWith.placeHolder": "Editor für \"{0}\" auswählen",
+ "builtinProviderDisplayName": "Integriert",
+ "promptOpenWith.defaultEditor.displayName": "Text-Editor",
+ "editor.editorAssociations": "Konfigurieren Sie, welcher Editor für bestimmte Dateitypen verwendet werden soll.",
+ "editor.editorAssociations.viewType": "Die eindeutige ID des zu verwendenden Editors.",
+ "editor.editorAssociations.filenamePattern": "Ein Globmuster, das angibt, für welche Dateien der Editor verwendet werden soll."
+ },
+ "vs/workbench/services/extensionManagement/electron-browser/extensionManagementServerService": {
+ "local": "LOCAL",
+ "remote": "Remote"
+ },
+ "vs/workbench/services/extensionManagement/electron-sandbox/remoteExtensionManagementService": {
+ "incompatible": "Die Erweiterung \"{0}\" kann nicht installiert werden, weil sie mit VS Code \"{1}\" nicht kompatibel ist."
+ },
+ "vs/workbench/services/extensionManagement/common/webExtensionsScannerService": {
+ "cannot be installed": "\"{0}\" kann nicht installiert werden, weil es sich bei dieser Erweiterung nicht um eine Weberweiterung handelt."
+ },
+ "vs/workbench/services/extensionManagement/browser/extensionEnablementService": {
+ "extensionsDisabled": "Alle installierten Erweiterungen sind vorübergehend deaktiviert.",
+ "Reload": "Erweiterungen erneut laden und aktivieren",
+ "cannot disable language pack extension": "Die Aktivierung der Erweiterung \"{0}\" kann nicht geändert werden, weil sie Sprachpakete beiträgt.",
+ "cannot disable auth extension": "Die Aktivierung der Erweiterung \"{0}\" kann nicht geändert werden, weil die Einstellungssynchronisierung davon abhängig ist.",
+ "noWorkspace": "Kein Arbeitsbereich.",
+ "cannot disable auth extension in workspace": "Die Aktivierung der Erweiterung \"{0}\" kann im Arbeitsbereich nicht geändert werden, weil sie Authentifizierungsanbieter beiträgt."
+ },
+ "vs/workbench/services/extensionManagement/common/extensionManagementService": {
+ "singleDependentError": "Die Erweiterung \"{0}\" kann nicht deinstalliert werden. Die Erweiterung \"{1}\" hängt von dieser Erweiterung ab.",
+ "twoDependentsError": "Die Erweiterung \"{0}\" kann nicht deinstalliert werden. Die Erweiterungen \"{1}\" und \"{2}\" hängen von dieser Erweiterung ab.",
+ "multipleDependentsError": "Die Erweiterung \"{0}\" kann nicht deinstalliert werden. Die Erweiterungen \"{1}\" und \"{2}\" sowie weitere hängen von dieser Erweiterung ab.",
+ "Manifest is not found": "Fehler beim Installieren der Erweiterung {0}: Manifest konnte nicht gefunden werden.",
+ "cannot be installed": "\"{0}\" kann nicht installiert werden, da für diese Erweiterung definiert wurde, dass sie nicht auf dem Remoteserver ausgeführt werden kann.",
+ "cannot be installed on web": "\"{0}\" kann nicht installiert werden, weil für diese Erweiterung definiert wurde, dass sie auf dem Webserver nicht ausgeführt werden kann.",
+ "install extension": "Erweiterung installieren",
+ "install extensions": "Erweiterungen installieren",
+ "install": "Installieren",
+ "install and do no sync": "Installieren (nicht synchronisieren)",
+ "cancel": "Abbrechen",
+ "install single extension": "Möchten Sie die Erweiterung \"{0}\" geräteübergreifend installieren und synchronisieren?",
+ "install multiple extensions": "Möchten Sie Erweiterungen geräteübergreifend installieren und synchronisieren?"
+ },
+ "vs/workbench/services/extensionManagement/browser/extensionBisect": {
+ "bisect": "Die Zweiteilung von Erweiterungen ist aktiv und hat {0} Erweiterungen deaktiviert. Überprüfen Sie, ob Sie das Problem weiterhin reproduzieren können, und setzen Sie den Vorgang fort, indem Sie aus diesen Optionen auswählen.",
+ "title.start": "Zweiteilung von Erweiterungen starten",
+ "help": "Hilfe",
+ "msg.start": "Zweiteilung von Erweiterungen",
+ "detail.start": "Bei der Zweiteilung von Erweiterungen wird die Binärsuche verwendet, um eine Erweiterung zu ermitteln, die ein Problem verursacht. Während des Vorgangs wird das Fenster wiederholt geladen (etwa {0}-mal). Sie müssen jedes Mal angeben, ob die Probleme weiterhin auftreten.",
+ "msg2": "Zweiteilung von Erweiterungen starten",
+ "title.isBad": "Zweiteilung von Erweiterungen fortsetzen",
+ "done.msg": "Zweiteilung von Erweiterungen",
+ "done.detail2": "Die Zweiteilung von Erweiterungen wurde abgeschlossen, aber es wurde keine Erweiterung identifiziert. Mögliche Ursache des Problems: {0}.",
+ "report": "Problem melden und fortfahren",
+ "done": "Weiter",
+ "done.detail": "Die Zweiteilung von Erweiterungen wurde abgeschlossen. \"{0}\" wurde als die Erweiterung identifiziert, die das Problem verursacht.",
+ "done.disbale": "Diese Erweiterung deaktiviert lassen",
+ "msg.next": "Zweiteilung von Erweiterungen",
+ "next.good": "Jetzt fehlerfrei",
+ "next.bad": "Fehlerhaft",
+ "next.stop": "Zweiteilung beenden",
+ "next.cancel": "Abbrechen",
+ "title.stop": "Zweiteilung von Erweiterungen beenden"
+ },
+ "vs/workbench/services/extensionRecommendations/common/workspaceExtensionsConfig": {
+ "select for remove": "Erweiterungsempfehlung entfernen aus",
+ "select for add": "Erweiterungsempfehlung hinzufügen zu",
+ "workspace folder": "Arbeitsbereichsordner",
+ "workspace": "Arbeitsbereich"
+ },
+ "vs/workbench/services/extensions/electron-browser/extensionService": {
+ "extensionService.versionMismatchCrash": "Erweiterungshost kann nicht gestartet werden: Versionskonflikt.",
+ "relaunch": "VS Code neu starten",
+ "extensionService.crash": "Der Erweiterungshost wurde unerwartet beendet.",
+ "devTools": "Entwicklertools öffnen",
+ "restart": "Erweiterungshost neu starten",
+ "getEnvironmentFailure": "Die Remoteumgebung konnte nicht abgerufen werden.",
+ "looping": "Folgende Erweiterungen enthalten Abhängigkeitsschleifen und wurden deaktiviert: {0}",
+ "enableResolver": "Die Erweiterung \"{0}\" ist erforderlich, um das Remotefenster zu öffnen.\r\nMöchten Sie die Erweiterung aktivieren?",
+ "enable": "Aktivieren und erneut laden",
+ "installResolver": "Die Erweiterung \"{0}\" ist erforderlich, um das Remotefenster zu öffnen.\r\nMöchten Sie die Erweiterung installieren?",
+ "install": "Installieren und neu laden",
+ "resolverExtensionNotFound": "\"{0}\" nicht im Marketplace gefunden",
+ "restartExtensionHost": "Erweiterungshost neu starten"
+ },
+ "vs/workbench/services/extensions/electron-browser/cachedExtensionScanner": {
+ "overwritingExtension": "Die Erweiterung \"{0}\" wird mit \"{1}\" überschrieben.",
+ "extensionUnderDevelopment": "Die Entwicklungserweiterung unter \"{0}\" wird geladen.",
+ "extensionCache.invalid": "Erweiterungen wurden auf der Festplatte geändert. Laden Sie das Fenster neu.",
+ "reloadWindow": "Fenster neu laden"
+ },
+ "vs/workbench/services/extensions/electron-browser/localProcessExtensionHost": {
+ "extensionHost.startupFailDebug": "Der Erweiterungshost wurde nicht innerhalb von 10 Sekunden gestartet. Möglicherweise wurde er in der ersten Zeile beendet und benötigt einen Debugger, um die Ausführung fortzusetzen.",
+ "extensionHost.startupFail": "Der Erweiterungshost wurde nicht innerhalb von 10 Sekunden gestartet. Dies stellt ggf. ein Problem dar.",
+ "reloadWindow": "Fenster neu laden",
+ "extension host Log": "Erweiterungshost",
+ "extensionHost.error": "Fehler vom Erweiterungshost: {0}"
+ },
+ "vs/workbench/services/extensions/common/abstractExtensionService": {
+ "looping": "Folgende Erweiterungen enthalten Abhängigkeitsschleifen und wurden deaktiviert: {0}"
+ },
+ "vs/workbench/services/extensions/common/remoteExtensionHost": {
+ "remote extension host Log": "Remoteerweiterungshost"
+ },
+ "vs/workbench/services/extensions/browser/webWorkerExtensionHost": {
+ "name": "Workererweiterungshost"
+ },
+ "vs/workbench/services/extensions/browser/extensionUrlHandler": {
+ "confirmUrl": "Öffnen dieser URI durch eine Erweiterung zulassen?",
+ "rememberConfirmUrl": "Nicht mehr nach dieser Erweiterung fragen",
+ "open": "&&Öffnen",
+ "reloadAndHandle": "Die Erweiterung \"{0}\" ist nicht geladen. Möchten Sie das Fenster erneut laden, um die Erweiterung zu laden und die URL zu öffnen?",
+ "reloadAndOpen": "&&Fenster neu laden und öffnen",
+ "enableAndHandle": "Die Erweiterung \"{0}\" ist deaktiviert. Möchten Sie die Erweiterung aktivieren und das Fenster erneut laden, um die URL zu öffnen?",
+ "enableAndReload": "&&Aktivieren und öffnen",
+ "installAndHandle": "Die Erweiterung \"{0}\" ist nicht installiert. Möchten Sie sie installieren und das Fenster erneut laden, um diese URL zu öffnen?",
+ "install": "&&Installieren",
+ "Installing": "Die Erweiterung \"{0}\" wird installiert...",
+ "reload": "Möchten Sie das Fenster neu laden und die URL {0} öffnen?",
+ "Reload": "Fenster neu laden und öffnen",
+ "manage": "Autorisierte Erweiterungs-URIs verwalten...",
+ "extensions": "Erweiterungen",
+ "no": "Zurzeit sind keine URIs für autorisierte Erweiterungen vorhanden."
+ },
+ "vs/workbench/services/extensions/common/extensionsRegistry": {
+ "ui": "Art der Benutzeroberflächenerweiterung. In einem Remotefenster werden solche Erweiterungen nur aktiviert, wenn sie auf dem lokalen Rechner verfügbar sind.",
+ "workspace": "Arbeitsbereichserweiterungsart. In einem Remotefenster werden solche Erweiterungen nur aktiviert, wenn sie auf dem Remotecomputer verfügbar sind.",
+ "web": "Art der Webworkererweiterung. Eine solche Erweiterung kann auf einem Webworkererweiterungshost ausgeführt werden.",
+ "vscode.extension.engines": "Modulkompatibilität.",
+ "vscode.extension.engines.vscode": "Gibt für VS Code-Erweiterungen die VS Code-Version an, mit der die Erweiterung kompatibel ist. Darf nicht \"*\" sein. Beispiel: ^0.10.5 gibt die Kompatibilität mit mindestens VS Code-Version 0.10.5 an.",
+ "vscode.extension.publisher": "Der Herausgeber der VS Code-Erweiterung.",
+ "vscode.extension.displayName": "Der Anzeigename für die Erweiterung, der im VS Code-Katalog verwendet wird.",
+ "vscode.extension.categories": "Die vom VS Code-Katalog zum Kategorisieren der Erweiterung verwendeten Kategorien.",
+ "vscode.extension.category.languages.deprecated": "Stattdessen \"Programmiersprachen\" verwenden",
+ "vscode.extension.galleryBanner": "Das in VS Code Marketplace verwendete Banner.",
+ "vscode.extension.galleryBanner.color": "Die Bannerfarbe für die Kopfzeile der VS Code Marketplace-Seite.",
+ "vscode.extension.galleryBanner.theme": "Das Farbdesign für die Schriftart, die im Banner verwendet wird.",
+ "vscode.extension.contributes": "Alle Beiträge der VS Code-Erweiterung, die durch dieses Paket dargestellt werden.",
+ "vscode.extension.preview": "Legt die Erweiterung fest, die im Marketplace als Vorschau gekennzeichnet werden soll.",
+ "vscode.extension.activationEvents": "Aktivierungsereignisse für die VS Code-Erweiterung.",
+ "vscode.extension.activationEvents.onLanguage": "Ein Aktivierungsereignis wird beim Öffnen einer Datei ausgegeben, die in die angegebene Sprache aufgelöst wird.",
+ "vscode.extension.activationEvents.onCommand": "Ein Aktivierungsereignis wird beim Aufrufen des angegebenen Befehls ausgegeben.",
+ "vscode.extension.activationEvents.onDebug": "Ein Aktivierungsereignis wird ausgesandt, wenn ein Benutzer eine Debugging startet, oder eine Debug-Konfiguration erstellt.",
+ "vscode.extension.activationEvents.onDebugInitialConfigurations": "Ein Aktivierungsereignis ausgegeben, wenn ein \"launch.json\" erstellt werden muss (und alle provideDebugConfigurations Methoden aufgerufen werden müssen).",
+ "vscode.extension.activationEvents.onDebugDynamicConfigurations": "Ein Aktivierungsereignis, das immer dann ausgegeben wird, wenn eine Liste aller Debugkonfigurationen erstellt werden muss (und alle provideDebugConfigurations-Methoden für den Bereich \"dynamic\" aufgerufen werden müssen).",
+ "vscode.extension.activationEvents.onDebugResolve": "Ein Aktivierungsereignis ausgegeben, wenn eine Debug-Sitzung mit dem spezifischen Typ gestartet wird (und eine entsprechende resolveDebugConfiguration-Methode aufgerufen werden muss).",
+ "vscode.extension.activationEvents.onDebugAdapterProtocolTracker": "Ein Aktivierungsereignis wurde immer dann ausgegeben, wenn eine Debugsitzung mit dem spezifischen Typ gestartet werden sollte. Möglicherweise ist ein Debugprotokoll-Tracker erforderlich.",
+ "vscode.extension.activationEvents.workspaceContains": "Ein Aktivierungsereignis wird beim Öffnen eines Ordners ausgegeben, der mindestens eine Datei enthält, die mit dem angegebenen Globmuster übereinstimmt.",
+ "vscode.extension.activationEvents.onStartupFinished": "Ein Aktivierungsereignis, das nach dem Abschluss des Starts ausgegeben wird (nachdem alle Erweiterungen mit \"*\" die Aktivierung abgeschlossen haben).",
+ "vscode.extension.activationEvents.onFileSystem": "Ein Aktivierungsereignis wird ausgegeben, wenn auf eine Datei oder einen Ordner mit dem angegebenen Schema zugegriffen wird.",
+ "vscode.extension.activationEvents.onSearch": "Ein Aktivierungsereignis wird ausgegeben, wenn eine Suche im Ordner mit dem angegebenen Schema gestartet wird.",
+ "vscode.extension.activationEvents.onView": "Ein Aktivierungsereignis wird beim Erweitern der angegebenen Ansicht ausgegeben.",
+ "vscode.extension.activationEvents.onIdentity": "Ein Aktivierungsereignis, das bei jeder angegebenen Benutzeridentität ausgegeben wird.",
+ "vscode.extension.activationEvents.onUri": "Ein Aktivierungsereignis wird ausgegeben, wenn ein systemweiter URI, der auf diese Erweiterung ausgerichtet ist, geöffnet ist.",
+ "vscode.extension.activationEvents.onCustomEditor": "Ein Aktivierungsereignis, das immer dann ausgelöst wird, wenn der angegebene benutzerdefinierte Editor sichtbar wird.",
+ "vscode.extension.activationEvents.star": "Ein Aktivierungsereignis wird beim Start von VS Code ausgegeben. Damit für die Endbenutzer eine bestmögliche Benutzerfreundlichkeit sichergestellt ist, verwenden Sie dieses Aktivierungsereignis in Ihrer Erweiterung nur dann, wenn in Ihrem Anwendungsfall keine andere Kombination an Aktivierungsereignissen funktioniert.",
+ "vscode.extension.badges": "Array aus Badges, die im Marketplace in der Seitenleiste auf der Seite mit den Erweiterungen angezeigt werden.",
+ "vscode.extension.badges.url": "Die Bild-URL für den Badge.",
+ "vscode.extension.badges.href": "Der Link für den Badge.",
+ "vscode.extension.badges.description": "Eine Beschreibung für den Badge.",
+ "vscode.extension.markdown": "Steuert das im Marketplace verwendete Markdown-Renderingmodul. Entweder GitHub (Standardeinstellung) oder Standard",
+ "vscode.extension.qna": "Steuert den Q&A-Link im Marketplace. Auf \"marketplace\" festlegen, um die standardmäßige Marketplace-Q&A-Website festzulegen. Auf \"string\" festlegen, um die URL einer benutzerdefinierten Q&A-Website anzugeben. Auf \"false\" festlegen, um Q&A zu deaktivieren.",
+ "vscode.extension.extensionDependencies": "Abhängigkeiten von anderen Erweiterungen. Der Bezeichner einer Erweiterung ist immer ${publisher}.${name}, beispielsweise \"vscode.csharp\".",
+ "vscode.extension.contributes.extensionPack": "Es können mehrere Erweiterungen zusammen installiert werden. Der Bezeichner einer Erweiterung ist immer ${publisher}.${name}, z.B. vscode.csharp.",
+ "extensionKind": "Definieren Sie die Art der Erweiterung. \"ui\"-Erweiterungen werden auf dem lokalen Computer installiert und ausgeführt, während \"workspace\"-Erweiterungen auf dem Remotecomputer ausgeführt werden.",
+ "extensionKind.ui": "Definieren Sie eine Erweiterung, die nur auf dem lokalen Computer ausgeführt werden kann, wenn sie mit dem Remotefenster verbunden ist.",
+ "extensionKind.workspace": "Definieren Sie eine Erweiterung, die nur auf dem Remotecomputer ausgeführt werden kann, wenn das Remotefenster verbunden ist.",
+ "extensionKind.ui-workspace": "Definieren Sie eine Erweiterung, die auf beiden Seiten ausgeführt werden kann, wobei die Ausführung auf dem lokalen Computer bevorzugt wird.",
+ "extensionKind.workspace-ui": "Definieren Sie eine Erweiterung, die auf beiden Seiten ausgeführt werden kann, wobei die Ausführung auf dem Remotecomputer bevorzugt wird.",
+ "extensionKind.empty": "Definieren Sie eine Erweiterung, die weder auf dem lokalen Computer noch auf dem Remotecomputer in einem Remotekontext ausgeführt werden kann.",
+ "vscode.extension.scripts.prepublish": "Ein Skript, das ausgeführt wird, bevor das Paket als VS Code-Erweiterung veröffentlicht wird.",
+ "vscode.extension.scripts.uninstall": "Uninstall-Hook für VS Code-Erweiterung: Skript, das ausgeführt wird, wenn die Erweiterung vollständig aus VS Code deinstalliert wurde. Dies ist der Fall, wenn VS Code nach der Deinstallation der Erweiterung neu gestartet wurde (Herunterfahren und Starten). Nur Node-Skripts werden unterstützt.",
+ "vscode.extension.icon": "Der Pfad zu einem 128x128-Pixel-Symbol."
+ },
+ "vs/workbench/services/extensions/node/extensionPoints": {
+ "jsonParseInvalidType": "Ungültige Manifestdatei \"{0}\": kein JSON-Objekt.",
+ "jsonParseFail": "Fehler beim Analysieren von {0}: [{1}, {2}] {3}.",
+ "fileReadFail": "Die Datei \"{0}\" kann nicht gelesen werden: {1}",
+ "jsonsParseReportErrors": "Fehler beim Analysieren von {0}: {1}.",
+ "jsonInvalidFormat": "Ungültiges Format {0}: JSON-Objekt erwartet",
+ "missingNLSKey": "Die Nachricht für den Schlüssel {0} wurde nicht gefunden.",
+ "notSemver": "Die Version der Erweiterung ist nicht mit \"semver\" kompatibel.",
+ "extensionDescription.empty": "Es wurde eine leere Erweiterungsbeschreibung abgerufen.",
+ "extensionDescription.publisher": "Die Verlegereigenschaft muss den Typ \"string\" aufweisen.",
+ "extensionDescription.name": "Die Eigenschaft \"{0}\" ist erforderlich und muss vom Typ \"string\" sein.",
+ "extensionDescription.version": "Die Eigenschaft \"{0}\" ist erforderlich und muss vom Typ \"string\" sein.",
+ "extensionDescription.engines": "Die Eigenschaft \"{0}\" ist erforderlich und muss vom Typ \"object\" sein.",
+ "extensionDescription.engines.vscode": "Die Eigenschaft \"{0}\" ist erforderlich und muss vom Typ \"string\" sein.",
+ "extensionDescription.extensionDependencies": "Die Eigenschaft \"{0}\" kann ausgelassen werden oder muss vom Typ \"string[]\" sein.",
+ "extensionDescription.activationEvents1": "Die Eigenschaft \"{0}\" kann ausgelassen werden oder muss vom Typ \"string[]\" sein.",
+ "extensionDescription.activationEvents2": "Die Eigenschaften \"{0}\" und \"{1}\" müssen beide angegeben oder beide ausgelassen werden.",
+ "extensionDescription.main1": "Die Eigenschaft \"{0}\" kann ausgelassen werden oder muss vom Typ \"string\" sein.",
+ "extensionDescription.main2": "Es wurde erwartet, dass \"main\" ({0}) im Ordner ({1}) der Erweiterung enthalten ist. Dies führt ggf. dazu, dass die Erweiterung nicht portierbar ist.",
+ "extensionDescription.main3": "Die Eigenschaften \"{0}\" und \"{1}\" müssen beide angegeben oder beide ausgelassen werden.",
+ "extensionDescription.browser1": "Die Eigenschaft \"{0}\" kann ausgelassen werden oder muss den Typ \"string[]\" aufweisen.",
+ "extensionDescription.browser2": "\"browser\" ({0}) wurde im Ordner ({1}) der Erweiterung erwartet. So kann die Erweiterung möglicherweise nicht portiert werden.",
+ "extensionDescription.browser3": "Die Eigenschaften \"{0}\" und \"{1}\" müssen beide angegeben oder beide ausgelassen werden."
+ },
+ "vs/workbench/services/extensions/common/extensionHostManager": {
+ "measureExtHostLatency": "Latenz des Hosts der Measureerweiterung"
+ },
+ "vs/workbench/services/gettingStarted/common/gettingStartedContent": {
+ "gettingStarted.beginner.title": "Erste Schritte",
+ "gettingStarted.beginner.description": "Lernen Sie Ihren neuen Editor kennen.",
+ "pickColorTask.description": "Ändern Sie die Farben in der Benutzeroberfläche nach Ihren Vorlieben und Ihrer Arbeitsumgebung.",
+ "pickColorTask.title": "Farbdesign",
+ "pickColorTask.button": "Design suchen",
+ "findKeybindingsTask.description": "Suchen Sie nach Tastenkombinationen für Vim, Sublime, Atom und weitere.",
+ "findKeybindingsTask.title": "Tastenzuordnungen konfigurieren",
+ "findKeybindingsTask.button": "Nach Tastenzuordnungen suchen",
+ "findLanguageExtsTask.description": "Erhalten Sie Unterstützung für Ihre Sprachen wie z. B. JavaScript, Python, Java, Azure, Docker und viele weitere.",
+ "findLanguageExtsTask.title": "Sprachen und Tools",
+ "findLanguageExtsTask.button": "Sprachunterstützung installieren",
+ "gettingStartedOpenFolder.description": "Öffnen Sie einen Projektordner, um loszulegen.",
+ "gettingStartedOpenFolder.title": "Ordner öffnen",
+ "gettingStartedOpenFolder.button": "Ordner auswählen",
+ "gettingStarted.intermediate.title": "Grundlegende Features",
+ "gettingStarted.intermediate.description": "Features, die Sie nicht mehr missen möchten",
+ "commandPaletteTask.description": "Die einfachste Möglichkeit, sämtliche Aktionen zu finden, die VS Code ausführen kann. Wenn Sie nach einer Funktion suchen, lesen Sie zuerst diese Inhalte!",
+ "commandPaletteTask.title": "Befehlspalette",
+ "commandPaletteTask.button": "Alle Befehle anzeigen",
+ "gettingStarted.advanced.title": "Tipps & Tricks",
+ "gettingStarted.advanced.description": "Favoriten von VS Code-Experten",
+ "gettingStarted.openFolder.title": "Ordner öffnen",
+ "gettingStarted.openFolder.description": "Öffnen Sie einfach ein Projekt, und beginnen Sie mit der Arbeit.",
+ "gettingStarted.playground.title": "Interaktiver Playground",
+ "gettingStarted.interactivePlayground.description": "Lernen Sie die wichtigsten Editor-Features kennen."
+ },
+ "vs/workbench/services/integrity/node/integrityService": {
+ "integrity.prompt": "Ihre {0}-Installation ist offenbar beschädigt. Führen Sie eine Neuinstallation durch.",
+ "integrity.moreInformation": "Weitere Informationen",
+ "integrity.dontShowAgain": "Nicht mehr anzeigen"
+ },
+ "vs/workbench/services/keybinding/common/keybindingEditing": {
+ "errorKeybindingsFileDirty": "Schreiben nicht möglich, da die Tastenbindungskonfiguration geändert wurde. Speichern Sie die Datei, und versuchen Sie es noch mal.",
+ "parseErrors": "In die Tastenbindungskonfigurationsdatei kann nicht geschrieben werden. Öffnen Sie die Datei, um Fehler/Warnungen darin zu beheben, und versuchen Sie es noch mal.",
+ "errorInvalidConfiguration": "In die Tastenbindungskonfigurationsdatei kann nicht geschrieben werden. Sie enthält ein Objekt, bei dem es sich nicht um ein Array handelt. Öffnen Sie die Datei, um das Problem zu beheben, und versuchen Sie es dann nochmal.",
+ "emptyKeybindingsHeader": "Geben Sie Ihre Tastenzuordnungen in dieser Datei ein, um die Standardwerte außer Kraft zu setzen."
+ },
+ "vs/workbench/services/keybinding/browser/keybindingService": {
+ "nonempty": "Es wurde ein nicht leerer Wert erwartet.",
+ "requirestring": "Die Eigenschaft \"{0}\" ist erforderlich und muss vom Typ \"string\" sein.",
+ "optstring": "Die Eigenschaft \"{0}\" kann ausgelassen werden oder muss vom Typ \"string\" sein.",
+ "vscode.extension.contributes.keybindings.command": "Der Bezeichner des Befehls, der ausgeführt werden soll, wenn die Tastenbindung ausgelöst wird.",
+ "vscode.extension.contributes.keybindings.args": "Argumente, die an den auszuführenden Befehl übergeben werden sollen.",
+ "vscode.extension.contributes.keybindings.key": "Taste oder Tastenfolge (separate Tasten mit Pluszeichen und Sequenzen mit Leerzeichen, z. B. STRG+O und STRG+L L für eine Kombination).",
+ "vscode.extension.contributes.keybindings.mac": "Der Mac-spezifische Schlüssel oder die Schlüsselsequenz.",
+ "vscode.extension.contributes.keybindings.linux": "Der Linux-spezifische Schlüssel oder die Schlüsselsequenz.",
+ "vscode.extension.contributes.keybindings.win": "Der Windows-spezifische Schlüssel oder die Schlüsselsequenz.",
+ "vscode.extension.contributes.keybindings.when": "Die Bedingung, wann der Schlüssel aktiv ist.",
+ "vscode.extension.contributes.keybindings": "Trägt Tastenbindungen bei.",
+ "invalid.keybindings": "Ungültige Angabe \"contributes.{0}\": {1}",
+ "unboundCommands": "Die folgenden weiteren Befehle sind verfügbar: ",
+ "keybindings.json.title": "Tastenbindungskonfiguration",
+ "keybindings.json.key": "Der Schlüssel oder die Schlüsselsequenz (durch Leerzeichen getrennt)",
+ "keybindings.json.command": "Der Name des auszuführenden Befehls.",
+ "keybindings.json.when": "Die Bedingung, wann der Schlüssel aktiv ist.",
+ "keybindings.json.args": "Argumente, die an den auszuführenden Befehl übergeben werden sollen.",
+ "keyboardConfigurationTitle": "Tastatur",
+ "dispatch": "Steuert die Abgangslogik, sodass bei einem Tastendruck entweder \"code\" (empfohlen) oder \"keyCode\" verwendet wird."
+ },
+ "vs/workbench/services/label/common/labelService": {
+ "vscode.extension.contributes.resourceLabelFormatters": "Fügt Regeln für das Formatieren von Ressourcenbezeichnungen hinzu.",
+ "vscode.extension.contributes.resourceLabelFormatters.scheme": "URI-Schema, mit dem der Formatierer übereinstimmen soll, z.B. \"file\". Einfache Globmuster werden unterstützt.",
+ "vscode.extension.contributes.resourceLabelFormatters.authority": "URI-Autorität, mit der der Formatierer übereinstimmen soll. Einfache Globmuster werden unterstützt.",
+ "vscode.extension.contributes.resourceLabelFormatters.formatting": "Regeln für das Formatieren von URI-Ressourcenbezeichnungen.",
+ "vscode.extension.contributes.resourceLabelFormatters.label": "Bezeichnungsregeln, die angezeigt werden sollen. myLabel:/${path}. ${path}, ${scheme} und ${authority} werden z.B. als Variablen unterstützt.",
+ "vscode.extension.contributes.resourceLabelFormatters.separator": "Trennzeichen, das bei der Anzeige der URI-Bezeichnung verwendet werden soll, z.B. \"/\" oder \".",
+ "vscode.extension.contributes.resourceLabelFormatters.stripPathStartingSeparator": "Steuert, ob bei Ersetzungen von \"${path}\" die Trennzeichen am Anfang entfernt werden sollen.",
+ "vscode.extension.contributes.resourceLabelFormatters.tildify": "Steuert, ob \"tildify\" wenn möglich auf den Beginn der URI-Bezeichnung angewendet werden soll.",
+ "vscode.extension.contributes.resourceLabelFormatters.formatting.workspaceSuffix": "Suffix, das an die Arbeitsbereichsbezeichnung angehängt wird.",
+ "untitledWorkspace": "Unbenannt (Arbeitsbereich)",
+ "workspaceNameVerbose": "{0} (Arbeitsbereich)",
+ "workspaceName": "{0} (Arbeitsbereich)"
+ },
+ "vs/workbench/services/lifecycle/electron-sandbox/lifecycleService": {
+ "errorClose": "Unerwarteter Fehler beim Schließen des Fensters ({0}).",
+ "errorQuit": "Unerwarteter Fehler beim Beenden der Anwendung ({0}).",
+ "errorReload": "Unerwarteter Fehler beim Neuladen des Fensters ({0}).",
+ "errorLoad": "Unerwarteter Fehler beim Ändern des Arbeitsbereichs im Fenster ({0})."
+ },
+ "vs/workbench/services/mode/common/workbenchModeService": {
+ "vscode.extension.contributes.languages": "Contributes-Sprachdeklarationen",
+ "vscode.extension.contributes.languages.id": "Die ID der Sprache.",
+ "vscode.extension.contributes.languages.aliases": "Namensaliase für die Sprache.",
+ "vscode.extension.contributes.languages.extensions": "Dateierweiterungen, die der Sprache zugeordnet sind.",
+ "vscode.extension.contributes.languages.filenames": "Dateinamen, die der Sprache zugeordnet sind.",
+ "vscode.extension.contributes.languages.filenamePatterns": "Dateinamen-Globmuster, die Sprache zugeordnet sind.",
+ "vscode.extension.contributes.languages.mimetypes": "MIME-Typen, die der Sprache zugeordnet sind.",
+ "vscode.extension.contributes.languages.firstLine": "Ein regulärer Ausdruck, der mit der ersten Zeile einer Datei der Sprache übereinstimmt.",
+ "vscode.extension.contributes.languages.configuration": "Ein relativer Pfad zu einer Datei mit Konfigurationsoptionen für die Sprache.",
+ "invalid": "Ungültige Angabe \"contributes.{0}\". Es wurde ein Array erwartet.",
+ "invalid.empty": "Leerer Wert für \"contributes.{0}\".",
+ "require.id": "Die Eigenschaft \"{0}\" ist erforderlich und muss vom Typ \"string\" sein.",
+ "opt.extensions": "Die Eigenschaft \"{0}\" kann ausgelassen werden. Sie muss vom Typ \"string[]\" sein.",
+ "opt.filenames": "Die Eigenschaft \"{0}\" kann ausgelassen werden. Sie muss vom Typ \"string[]\" sein.",
+ "opt.firstLine": "Die Eigenschaft \"{0}\" kann ausgelassen werden. Sie muss vom Typ \"string\" sein.",
+ "opt.configuration": "Die Eigenschaft \"{0}\" kann ausgelassen werden. Sie muss vom Typ \"string\" sein.",
+ "opt.aliases": "Die Eigenschaft \"{0}\" kann ausgelassen werden. Sie muss vom Typ \"string[]\" sein.",
+ "opt.mimetypes": "Die Eigenschaft \"{0}\" kann ausgelassen werden. Sie muss vom Typ \"string[]\" sein."
+ },
+ "vs/workbench/services/notification/common/notificationService": {
+ "neverShowAgain": "Nicht mehr anzeigen"
+ },
+ "vs/workbench/services/preferences/common/preferences": {
+ "userSettingsTarget": "Benutzereinstellungen",
+ "workspaceSettingsTarget": "Arbeitsbereichseinstellungen"
+ },
+ "vs/workbench/services/preferences/browser/preferencesService": {
+ "openFolderFirst": "Öffnen Sie zuerst einen Ordner, um Arbeitsbereichseinstellungen zu erstellen.",
+ "emptyKeybindingsHeader": "Geben Sie Ihre Tastenzuordnungen in dieser Datei ein, um die Standardwerte außer Kraft zu setzen.",
+ "defaultKeybindings": "Standardtastenzuordnungen",
+ "defaultSettings": "Standardeinstellungen",
+ "folderSettingsName": "{0} (Ordnereinstellungen)",
+ "fail.createSettings": "{0} ({1}) kann nicht erstellt werden."
+ },
+ "vs/workbench/services/preferences/common/preferencesEditorInput": {
+ "settingsEditorName": "Standardeinstellungen",
+ "keybindingsInputName": "Tastenkombinationen",
+ "settingsEditor2InputName": "Einstellungen"
+ },
+ "vs/workbench/services/preferences/common/preferencesModels": {
+ "commonlyUsed": "Am häufigsten verwendet",
+ "defaultKeybindingsHeader": "Setzen Sie Tastenzuordnungen außer Kraft, indem Sie sie in ihre Tastenzuordnungsdatei eingeben."
+ },
+ "vs/workbench/services/preferences/common/keybindingsEditorModel": {
+ "default": "Standard",
+ "extension": "Erweiterung",
+ "user": "Benutzer",
+ "cat.title": "{0}: {1}",
+ "option": "Option",
+ "meta": "meta"
+ },
+ "vs/workbench/services/preferences/common/preferencesValidation": {
+ "validations.expectedNumeric": "Der Wert muss eine Zahl sein.",
+ "invalidTypeError": "Die Einstellung weist einen ungültigen Typ auf, erwartet wurde \"{0}\". Führen Sie eine Korrektur in JSON durch.",
+ "validations.maxLength": "Der Wert muss {0} oder weniger Zeichen umfassen.",
+ "validations.minLength": "Der Wert muss {0} oder mehr Zeichen umfassen.",
+ "validations.regex": "Der Wert muss mit RegEx \"{0}\" übereinstimmen.",
+ "validations.colorFormat": "Ungültiges Farbformat. Verwenden Sie #RGB, #RGBA, #RRGGBB oder #RRGGBBAA.",
+ "validations.uriEmpty": "URI erwartet.",
+ "validations.uriMissing": "Es wird ein URI erwartet.",
+ "validations.uriSchemeMissing": "Ein URI mit einem Schema wird erwartet.",
+ "validations.exclusiveMax": "Der Wert muss unter {0} liegen.",
+ "validations.exclusiveMin": "Der Wert muss über {0} liegen.",
+ "validations.max": "Der Wert muss kleiner oder gleich {0} sein.",
+ "validations.min": "Der Wert muss größer oder gleich {0} sein.",
+ "validations.multipleOf": "Der Wert muss ein Vielfaches von {0} sein.",
+ "validations.expectedInteger": "Der Wert muss eine ganze Zahl sein.",
+ "validations.stringArrayUniqueItems": "Das Array weist doppelte Elemente auf.",
+ "validations.stringArrayMinItem": "Das Array muss mindestens {0} Elemente enthalten.",
+ "validations.stringArrayMaxItem": "Das Array darf höchstens {0} Elemente enthalten.",
+ "validations.stringArrayItemPattern": "Der Wert \"{0}\" muss mit RegEx \"{1}\" übereinstimmen.",
+ "validations.stringArrayItemEnum": "Der Wert \"{0}\" ist nicht in \"{1}\" enthalten."
+ },
+ "vs/workbench/services/progress/browser/progressService": {
+ "progress.text2": "{0}: {1}",
+ "progress.title3": "[{0}] {1}: {2}",
+ "progress.title2": "[{0}]: {1}",
+ "status.progress": "Fortschrittsmeldung",
+ "cancel": "Abbrechen",
+ "dismiss": "Schließen"
+ },
+ "vs/workbench/services/remote/common/abstractRemoteAgentService": {
+ "connectionError": "Fehler beim Verbinden mit dem Hostserver der Remoteerweiterung (Fehler: {0})"
+ },
+ "vs/workbench/services/textfile/electron-browser/nativeTextFileService": {
+ "fileReadOnlyError": "Die Datei ist schreibgeschützt."
+ },
+ "vs/workbench/services/textfile/browser/textFileService": {
+ "fileBinaryError": "Die Datei ist offenbar eine Binärdatei und kann nicht als Text geöffnet werden.",
+ "confirmOverwrite": "'{0}' ist bereits vorhanden. Möchten Sie die Datei ersetzen?",
+ "irreversible": "Im Ordner \"{1}\" ist bereits eine Datei oder ein Ordner mit dem Namen \"{0}\" vorhanden. Durch das Ersetzen wird der aktuelle Inhalt überschrieben.",
+ "replaceButtonLabel": "&&Ersetzen"
+ },
+ "vs/workbench/services/textfile/common/textFileEditorModelManager": {
+ "genericSaveError": "Fehler beim Speichern von \"{0}\": {1}"
+ },
+ "vs/workbench/services/textfile/common/textFileEditorModel": {
+ "saveFileFirst": "Die Datei wurde geändert. Speichern Sie sie zuerst, bevor Sie sie mit einer anderen Codierung erneut öffnen."
+ },
+ "vs/workbench/services/textfile/common/textFileSaveParticipant": {
+ "saveParticipants": "\"{0}\" wird gespeichert"
+ },
+ "vs/workbench/services/textMate/browser/abstractTextMateService": {
+ "alreadyDebugging": "Es wird bereits eine Protokollierung durchgeführt.",
+ "stop": "Beenden",
+ "progress1": "Die Protokollierung der TM-Grammatikanalyse wird vorbereitet. Drücken Sie auf \"Beenden\", wenn Sie fertig sind.",
+ "progress2": "Die TM-Grammatikanalyse wird jetzt protokolliert. Drücken Sie auf \"Beenden\", wenn Sie fertig sind.",
+ "invalid.language": "Unbekannte Sprache in \"contributes.{0}.language\". Angegebener Wert: {1}",
+ "invalid.scopeName": "In \"contributes.{0}.scopeName\" wurde eine Zeichenfolge erwartet. Bereitgestellter Wert: {1}",
+ "invalid.path.0": "In \"contributes.{0}.path\" wurde eine Zeichenfolge erwartet. Angegebener Wert: {1}",
+ "invalid.injectTo": "Ungültiger Wert in \"contributes.{0}.injectTo\". Es muss sich um ein Array von Sprachbereichsnamen handeln. Bereitgestellter Wert: {1}",
+ "invalid.embeddedLanguages": "Ungültiger Wert in \"contributes.{0}.embeddedLanguages\". Muss eine Objektzuordnung von Bereichsname zu Sprache sein. Angegebener Wert: {1}",
+ "invalid.tokenTypes": "Ungültiger Wert in \"contributes.{0}.tokenTypes\". Muss eine Objektzuordnung von Bereichsname zu Tokentyp sein. Angegebener Wert: {1}",
+ "invalid.path.1": "Es wurde erwartet, dass \"contributes.{0}.path \"({1}) in den Ordner der Erweiterung ({2}) aufgenommen wird. Dies könnte dazu führen, dass die Erweiterung nicht mehr portierbar ist.",
+ "too many characters": "Die Tokenisierung wird bei langen Zeilen aus Leistungsgründen übersprungen. Die Länge einer langen Zeile kann über \"editor.maxTokenizationLineLength\" konfiguriert werden.",
+ "neverAgain": "Nicht mehr anzeigen"
+ },
+ "vs/workbench/services/textMate/common/TMGrammars": {
+ "vscode.extension.contributes.grammars": "Trägt TextMate-Tokenizer bei.",
+ "vscode.extension.contributes.grammars.language": "Der Sprachbezeichner, für den diese Syntax beigetragen wird.",
+ "vscode.extension.contributes.grammars.scopeName": "Der TextMate-Bereichsname, der von der tmLanguage-Datei verwendet wird.",
+ "vscode.extension.contributes.grammars.path": "Der Pfad der tmLanguage-Datei. Der Pfad ist relativ zum Extensionordner und beginnt normalerweise mit \". /syntaxes/\".",
+ "vscode.extension.contributes.grammars.embeddedLanguages": "Eine Zuordnung zwischen Bereichsname und Sprach-ID, wenn diese Grammatik eingebettete Sprachen enthält.",
+ "vscode.extension.contributes.grammars.tokenTypes": "Eine Zuordnung von Bereichsnamen zu Tokentypen.",
+ "vscode.extension.contributes.grammars.injectTo": "Die Liste der Sprachbereichsnamen, in die diese Grammatik injiziert wird."
+ },
+ "vs/workbench/services/textMate/common/TMGrammarFactory": {
+ "no-tm-grammar": "Keine TM-Grammatik für diese Sprache registriert."
+ },
+ "vs/workbench/services/themes/browser/workbenchThemeService": {
+ "error.cannotloadtheme": "{0} kann nicht geladen werden: {1}"
+ },
+ "vs/workbench/services/themes/common/colorExtensionPoint": {
+ "contributes.color": "Fügt in Erweiterung definierte verwendbare Farben hinzu",
+ "contributes.color.id": "Der Bezeichner der verwendbaren Farbe",
+ "contributes.color.id.format": "Bezeichner dürfen nur Buchstaben, Ziffern und Punkte enthalten und können nicht mit einem Punkt beginnen.",
+ "contributes.color.description": "Die Beschreibung der designfähigen Farbe",
+ "contributes.defaults.light": "Die Standardfarbe für helle Themen. Entweder eine Farbe als Hex-Code (#RRGGBB[AA]) oder der Bezeichner einer verwendbaren Farbe, der eine Standardeinstellung bereitstellt.",
+ "contributes.defaults.dark": "Die Standardfarbe für dunkle Themen. Entweder eine Farbe als Hex-Code (#RRGGBB[AA]) oder der Bezeichner einer verwendbaren Farbe, der eine Standardeinstellung bereitstellt.",
+ "contributes.defaults.highContrast": "Die Standardfarbe für Themen mit hohem Kontrast. Entweder eine Farbe als Hex-Code (#RRGGBB[AA]) oder der Bezeichner einer verwendbaren Farbe, der eine Standardeinstellung bereitstellt.",
+ "invalid.colorConfiguration": "\"configuration.colors\" muss ein Array sein.",
+ "invalid.default.colorType": "{0} muss entweder eine Farbe als Hex-Code (#RRGGBB[AA] oder #RGB[A]) sein oder der Bezeichner einer verwendbaren Farbe, der eine Standardeinstellung bereitstellt.",
+ "invalid.id": "\"configuration.colors.id\" muss definiert werden und darf nicht leer sein.",
+ "invalid.id.format": "\"configuration.colors.id\" darf nur Buchstaben, Ziffern und Punkte enthalten und kann nicht mit einem Punkt beginnen.",
+ "invalid.description": "\"configuration.colors.description\" muss definiert werden und darf nicht leer sein.",
+ "invalid.defaults": "\"configuration.colors.defaults\" muss definiert sein, und \"light\", \"dark\" und \"highContrast\" enthalten"
+ },
+ "vs/workbench/services/themes/common/tokenClassificationExtensionPoint": {
+ "contributes.semanticTokenTypes": "Steuert semantische Tokentypen bei",
+ "contributes.semanticTokenTypes.id": "Der Bezeichner des semantischen Tokentyps",
+ "contributes.semanticTokenTypes.id.format": "Bezeichner sollten im Format buchstabeOderZahl[_-buchstabeOderZahl]* vorliegen",
+ "contributes.semanticTokenTypes.superType": "Der Supertyp des semantischen Tokentyps",
+ "contributes.semanticTokenTypes.superType.format": "Supertypen sollten das Format letterOrDigit[_-letterOrDigit]* aufweisen",
+ "contributes.color.description": "Die Beschreibung des semantischen Tokentyps",
+ "contributes.semanticTokenModifiers": "Steuert semantische Tokenmodifizierer bei.",
+ "contributes.semanticTokenModifiers.id": "Der Bezeichner des semantischen Tokenmodifizierers",
+ "contributes.semanticTokenModifiers.id.format": "Bezeichner sollten im Format buchstabeOderZahl[_-buchstabeOderZahl]* vorliegen",
+ "contributes.semanticTokenModifiers.description": "Die Beschreibung des semantischen Tokenmodifizierers",
+ "contributes.semanticTokenScopes": "Steuert semantische Tokenbereichzuordnungen bei.",
+ "contributes.semanticTokenScopes.languages": "Listet die Sprache(n) auf, für die die Standardwerte gelten.",
+ "contributes.semanticTokenScopes.scopes": "Ordnet ein durch die Auswahl für semantische Token beschriebenes semantisches Token einem oder mehreren textMate-Bereichen zu, die zur Darstellung dieses Tokens verwendet werden.",
+ "invalid.id": "\"configuration.{0}.id\" muss definiert werden und darf nicht leer sein.",
+ "invalid.id.format": "\"configuration.{0}.id\" muss folgendem Muster entsprechen: letterOrDigit[-_letterOrDigit]*",
+ "invalid.superType.format": "\"configuration.{0}.superType\" muss dem Muster BuchstabeOderZahl[-_BuchstabeOderZahl]* folgen.",
+ "invalid.description": "\"configuration.{0}.description\" muss definiert werden und darf nicht leer sein.",
+ "invalid.semanticTokenTypeConfiguration": "\"configuration.semanticTokenType\" muss ein Array sein.",
+ "invalid.semanticTokenModifierConfiguration": "\"configuration.semanticTokenModifier\" muss ein Array sein",
+ "invalid.semanticTokenScopes.configuration": "configuration.semanticTokenScopes muss ein Array sein.",
+ "invalid.semanticTokenScopes.language": "configuration.semanticTokenScopes.language muss eine Zeichenfolge sein.",
+ "invalid.semanticTokenScopes.scopes": "configuration.semanticTokenScopes.scopes muss als Objekt definiert werden.",
+ "invalid.semanticTokenScopes.scopes.value": "configuration.semanticTokenScopes.scopes-Werte müssen ein Zeichenfolgenarray sein.",
+ "invalid.semanticTokenScopes.scopes.selector": "configuration.semanticTokenScopes.scopes: Probleme bei der Analyse der Auswahl {0}."
+ },
+ "vs/workbench/services/themes/common/colorThemeData": {
+ "error.cannotparsejson": "Probleme beim Analysieren der JSON-Designdatei: {0}",
+ "error.invalidformat": "Ungültiges Format für JSON-Designdatei: Objekt erwartet.",
+ "error.invalidformat.colors": "Probleme beim Analysieren der Farbdesigndatei: {0}. Die Eigenschaft \"colors\" ist nicht vom Typ \"object\".",
+ "error.invalidformat.tokenColors": "Problem beim Analysieren der Farbdesigndatei: {0}. Die Eigenschaft \"tokenColors\" muss entweder ein Array sein, das Farben festlegt, oder ein Pfad zu einer TextMate-Designdatei.",
+ "error.invalidformat.semanticTokenColors": "Problem beim Analysieren von Farbdesigndateien: {0}. Die Eigenschaft \"semanticTokenColors\" enthält einen ungültigen Selektor.",
+ "error.plist.invalidformat": "Probleme beim Analysieren der tmTheme-Designdatei: {0}. \"settings\" ist kein Array",
+ "error.cannotparse": "Probleme beim Analysieren der tmTheme-Designdatei: {0}",
+ "error.cannotload": "Probleme beim Laden der tmTheme-Designdatei {0}: {1}"
+ },
+ "vs/workbench/services/themes/common/fileIconThemeSchema": {
+ "schema.folderExpanded": "Das Ordnersymbol für aufgeklappte Ordner. Das Symbol für aufgeklappte Ordner ist optional. Wenn diese Angabe nicht festgelegt wird, wird das für Ordner definierte Symbol angezeigt.",
+ "schema.folder": "Das Ordnersymbol für zugeklappte Ordner und, wenn FolderExpanded nicht festgelegt ist, auch für aufgeklappte Ordner.",
+ "schema.file": "Das Standarddateisymbol, das für alle Dateien angezeigt wird, die nicht mit keiner Erweiterung, keinem Dateinamen und keiner Sprach-ID übereinstimmen.",
+ "schema.folderNames": "Ordnet Ordnernamen Symbolen zu. Der Objektschlüssel ist der Ordnername ohne Pfadsegmente. Muster oder Platzhalter sind unzulässig. Bei der Zuordnung von Ordnernamen wird die Groß-/Kleinschreibung nicht berücksichtigt.",
+ "schema.folderName": "Die ID der Symboldefinition für die Zuordnung.",
+ "schema.folderNamesExpanded": "Ordnet Ordnernamen Symbolen für aufgeklappte Ordner zu. Der Objektschlüssel ist der Ordnername ohne Pfadsegmente. Muster oder Platzhalter sind unzulässig. Bei der Zuordnung von Ordnernamen wird die Groß-/Kleinschreibung nicht berücksichtigt.",
+ "schema.folderNameExpanded": "Die ID der Symboldefinition für die Zuordnung.",
+ "schema.fileExtensions": "Ordnet Erweiterungen Symbolen zu. Der Objektschlüssel ist der Name der Erweiterung. Der Erweiterungsname ist der letzte Teil eines Dateinamens nach dem letzten Punkt (ohne den Punkt). Erweiterungen werden ohne Berücksichtigung von Groß-/Kleinschreibung verglichen.",
+ "schema.fileExtension": "Die ID der Symboldefinition für die Zuordnung.",
+ "schema.fileNames": "Ordnet Dateinamen Symbolen zu. Der Objektschlüssel ist der vollständige Dateiname ohne Pfadsegmente. Der Dateiname kann Punkte und eine mögliche Erweiterung enthalten. Muster oder Platzhalter sind unzulässig. Bei der Zuordnung von Dateinamen wird die Groß-/Kleinschreibung nicht berücksichtigt.",
+ "schema.fileName": "Die ID der Symboldefinition für die Zuordnung.",
+ "schema.languageIds": "Ordnet Sprachen Symbolen zu. Der Objektschlüssel ist die Sprach-ID wie im Sprachbeitragspunkt definiert.",
+ "schema.languageId": "Die ID der Symboldefinition für die Zuordnung.",
+ "schema.fonts": "Schriftarten, die in den Symboldefinitionen verwendet werden.",
+ "schema.id": "Die ID der Schriftart.",
+ "schema.id.formatError": "Die ID darf nur Buchstaben, Ziffern, Unterstriche und Bindestriche enthalten.",
+ "schema.src": "Der Speicherort der Schriftart.",
+ "schema.font-path": "Der Schriftartpfad relativ zur aktuellen Dateisymbol-Designdatei.",
+ "schema.font-format": "Das Format der Schriftart.",
+ "schema.font-weight": "Die Schriftbreite. Gültige Werte finden Sie unter https://developer.mozilla.org/de-DE/docs/Web/CSS/font-weight.",
+ "schema.font-style": "Der Stil der Schriftart. Gültige Werte finden Sie unter https://developer.mozilla.org/de-DE/docs/Web/CSS/font-style.",
+ "schema.font-size": "Die Standardgröße der Schriftart. Gültige Werte finden Sie unter https://developer.mozilla.org/de-de/docs/Web/CSS/font-size.",
+ "schema.iconDefinitions": "Beschreibung aller Symbole, die beim Zuordnen von Dateien zu Symbolen verwendet werden können.",
+ "schema.iconDefinition": "Eine Symboldefinition. Der Objektschlüssel ist die ID der Definition.",
+ "schema.iconPath": "Bei Verwendung eines SVG- oder PNG-Datei: der Pfad zum Bild. Der Pfad ist relativ zur Symbolsammlungsdatei.",
+ "schema.fontCharacter": "Bei Verwendung einer Glyphenschriftart: das zu verwendende Zeichen in der Schriftart.",
+ "schema.fontColor": "Bei Verwendung einer Glyphenschriftart: die zu verwendende Farbe.",
+ "schema.fontSize": "Wenn eine Schriftart verwendet wird: der Schriftgrad als Prozentsatz der Textschriftart. Wenn diese Angabe nicht festgelegt wird, wird standardmäßig die Größe in der Schriftartdefinition verwendet.",
+ "schema.fontId": "Wenn Sie eine Schriftart verwenden: die ID der Schriftart. Falls nicht festgelegt, wird standardmäßig die erste definierte Schriftart verwendet.",
+ "schema.light": "Optionale Zuordnungen für Dateisymbole in hellen Farbdesigns.",
+ "schema.highContrast": "Optionale Zuordnungen für Dateisymbole in Farbdesigns mit hohem Kontrast.",
+ "schema.hidesExplorerArrows": "Konfiguriert, ob die Datei-Explorer Pfeile ausgeblendet werden sollen, wenn dieses Motiv aktiv ist."
+ },
+ "vs/workbench/services/themes/browser/fileIconThemeData": {
+ "error.cannotparseicontheme": "Probleme beim Analysieren der Dateisymboldatei: {0}",
+ "error.invalidformat": "Ungültiges Format für Dateisymbol-Designdatei: Objekt erwartet."
+ },
+ "vs/workbench/services/themes/common/colorThemeSchema": {
+ "schema.token.settings": "Farben und Formatvorlagen für das Token.",
+ "schema.token.foreground": "Vordergrundfarbe für das Token.",
+ "schema.token.background.warning": "Tokenhintergrundfarben werden derzeit nicht unterstützt.",
+ "schema.token.fontStyle": "Schriftschnitt der Regel: kursiv, fett und unterstrichen (einzeln oder in Kombination). Die leere Zeichenfolge setzt geerbte Einstellungen zurück.",
+ "schema.fontStyle.error": "Die Schriftart muss \"kursiv\", \"fett\" oder \"unterstrichen\", eine Kombination daraus oder eine leere Zeichenfolge sein.",
+ "schema.token.fontStyle.none": "Keine (geerbten Stil löschen)",
+ "schema.properties.name": "Beschreibung der Regel.",
+ "schema.properties.scope": "Bereichsauswahl, mit der diese Regel einen Abgleich ausführt.",
+ "schema.workbenchColors": "Farben in der Workbench",
+ "schema.tokenColors.path": "Pfad zu einer tmTheme-Designdatei (relativ zur aktuellen Datei).",
+ "schema.colors": "Farben für die Syntaxhervorhebung",
+ "schema.supportsSemanticHighlighting": "Gibt an, ob semantische Hervorhebungen für dieses Design aktiviert werden sollen.",
+ "schema.semanticTokenColors": "Farben für semantische Token"
+ },
+ "vs/workbench/services/themes/common/themeExtensionPoints": {
+ "vscode.extension.contributes.themes": "Trägt TextMate-Farbdesigns bei.",
+ "vscode.extension.contributes.themes.id": "ID des Farbdesigns, das in den Benutzereinstellungen verwendet wird.",
+ "vscode.extension.contributes.themes.label": "Die Bezeichnung des Farbdesigns wie in der Benutzeroberfläche angezeigt.",
+ "vscode.extension.contributes.themes.uiTheme": "Das Basisdesign, das die Farben um den Editor definiert: \"vs\" ist das helle Farbdesign, \"vs-dark\" das dunkle Farbdesign. \"hc-black\" ist das dunkle Design mit hohem Kontrast.",
+ "vscode.extension.contributes.themes.path": "Pfad der tmTheme-Datei. Der Pfad ist relativ zum Erweiterungsordner und lautet in der Regel ./colorthemes/awesome-color-theme.json.",
+ "vscode.extension.contributes.iconThemes": "Trägt Dateisymboldesigns bei.",
+ "vscode.extension.contributes.iconThemes.id": "ID des Dateisymbolsdesigns, das in den Benutzereinstellungen verwendet wird.",
+ "vscode.extension.contributes.iconThemes.label": "Bezeichnung des Dateisymboldesigns, die auf der Benutzeroberfläche angezeigt wird.",
+ "vscode.extension.contributes.iconThemes.path": "Pfad der Definitionsdatei für das Produktsymboldesign. Der Pfad ist relativ zum Erweiterungsordner und lautet in der Regel ./fileicons/awesome-icon-theme.json.",
+ "vscode.extension.contributes.productIconThemes": "Fügt Produktsymboldesigns hinzu.",
+ "vscode.extension.contributes.productIconThemes.id": "ID des Produktsymboldesigns, das in den Benutzereinstellungen verwendet wird.",
+ "vscode.extension.contributes.productIconThemes.label": "Bezeichnung des Produktsymboldesigns, die auf der Benutzeroberfläche angezeigt wird.",
+ "vscode.extension.contributes.productIconThemes.path": "Pfad der Definitionsdatei für das Produktsymboldesign. Der Pfad ist relativ zum Erweiterungsordner und lautet in der Regel ./producticons/awesome-product-icon-theme.json.",
+ "reqarray": "Der Erweiterungspunkt \"{0}\" muss ein Array sein.",
+ "reqpath": "In \"contributes.{0}.path\" wurde eine Zeichenfolge erwartet. Angegebener Wert: {1}",
+ "reqid": "In \"contributes.{0}.id\" wurde eine Zeichenfolge erwartet. Bereitgestellter Wert: {1}",
+ "invalid.path.1": "Es wurde eine Einbindung von \"contributes.{0}.path\" ({1}) in den Erweiterungsordner ({2}) erwartet. Möglicherweise ist die Erweiterung nicht portierbar."
+ },
+ "vs/workbench/services/themes/common/themeConfiguration": {
+ "colorTheme": "Gibt das in der Workbench verwendete Farbdesign an.",
+ "colorThemeError": "Das Design ist unbekannt oder nicht installiert.",
+ "preferredDarkColorTheme": "Gibt das bevorzugte Farbdesign für den dunklen Modus des Betriebssystems an, wenn \"#{0}#\" aktiviert ist.",
+ "preferredLightColorTheme": "Gibt das bevorzugte Farbdesign für den hellen Modus des Betriebssystems an, wenn \"#{0}#\" aktiviert ist.",
+ "preferredHCColorTheme": "Gibt das bevorzugte Farbdesign an, das im Modus für hohen Kontrast verwendet wird, wenn \"#{0}#\" aktiviert ist.",
+ "detectColorScheme": "Falls festgelegt, auf Grundlage der Betriebssystemdarstellung automatisch zum bevorzugten Farbdesign wechseln.",
+ "workbenchColors": "Überschreibt Farben aus dem derzeit ausgewählte Farbdesign.",
+ "iconTheme": "Gibt das Dateisymboldesign an, das in der Workbench verwendet wird, oder \"null\", damit keine Dateisymbole angezeigt werden.",
+ "noIconThemeLabel": "Keine",
+ "noIconThemeDesc": "Keine Dateisymbole",
+ "iconThemeError": "Dateisymboldesign ist unbekannt oder nicht installiert.",
+ "productIconTheme": "Gibt das verwendete Produktsymboldesign an.",
+ "defaultProductIconThemeLabel": "Standard",
+ "defaultProductIconThemeDesc": "Standard",
+ "productIconThemeError": "Das Produktsymboldesign ist unbekannt oder nicht installiert.",
+ "autoDetectHighContrast": "Wenn diese Option aktiviert ist, wird automatisch zu einem Design mit hohem Kontrast gewechselt, wenn das Betriebssystem ein Design mit hohem Kontrast verwendet.",
+ "editorColors.comments": "Legt die Farben und Stile für Kommentare fest.",
+ "editorColors.strings": "Legt die Farben und Stile für Zeichenfolgenliterale fest.",
+ "editorColors.keywords": "Legt die Farben und Stile für Schlüsselwörter fest.",
+ "editorColors.numbers": "Legt die Farben und Stile für Nummernliterale fest.",
+ "editorColors.types": "Legt die Farben und Stile für Typdeklarationen und Verweise fest.",
+ "editorColors.functions": "Legt die Farben und Stile für Funktionsdeklarationen und Verweise fest.",
+ "editorColors.variables": "Legt die Farben und Stile für Variablendeklarationen und Verweise fest.",
+ "editorColors.textMateRules": "Legt Farben und Stile mithilfe von Textmate-Designregeln fest (erweitert).",
+ "editorColors.semanticHighlighting": "Gibt an, ob für semantische Hervorhebungen für dieses Design aktiviert werden sollen.",
+ "editorColors.semanticHighlighting.deprecationMessage": "Verwenden Sie stattdessen \"enabled\" in der Einstellung \"editor.semanticTokenColorCustomizations\".",
+ "editorColors.semanticHighlighting.deprecationMessageMarkdown": "Verwenden Sie stattdessen \"enabled\" in der Einstellung \"#editor.semanticTokenColorCustomizations#\".",
+ "editorColors": "Überschreibt die Farben und den Schriftschnitt für die Editor-Syntax aus dem aktuell ausgewählten Farbdesign.",
+ "editorColors.semanticHighlighting.enabled": "Gibt an, ob die semantische Hervorhebung für dieses Design aktiviert oder deaktiviert ist.",
+ "editorColors.semanticHighlighting.rules": "Formatregeln für Semantiktoken für dieses Design.",
+ "semanticTokenColors": "Überschreibt die Farben und Stile für Semantiktoken im Editor aus dem aktuell ausgewählten Farbdesign.",
+ "editorColors.experimentalTokenStyling.deprecationMessage": "Verwenden Sie stattdessen \"editor.semanticTokenColorCustomizations\".",
+ "editorColors.experimentalTokenStyling.deprecationMessageMarkdown": "Verwenden Sie stattdessen \"#editor.semanticTokenColorCustomizations#\"."
+ },
+ "vs/workbench/services/themes/browser/productIconThemeData": {
+ "error.parseicondefs": "Probleme beim Verarbeiten der Produktsymboldefinitionen in \"{0}\":\r\n{1}",
+ "defaultTheme": "Standard",
+ "error.cannotparseicontheme": "Probleme beim Analysieren der Produktsymboldatei: {0}",
+ "error.invalidformat": "Ungültiges Format für Produktsymbol-Designdatei: Objekt erwartet.",
+ "error.missingProperties": "Ungültiges Format für Produktsymboldesigndatei: Muss iconDefinitions und Schriftarten enthalten.",
+ "error.fontWeight": "Ungültige Schriftbreite in Schriftart \"{0}\". Die Einstellung wird ignoriert.",
+ "error.fontStyle": "Ungültiger Schriftschnitt in Schriftart \"{0}\". Die Einstellung wird ignoriert.",
+ "error.fontId": "Die Schriftart-ID \"{0}\" fehlt oder ist ungültig. Die Schriftartdefinition wird übersprungen.",
+ "error.icon.fontId": "Die Symboldefinition \"{0}\" wird übersprungen. Unbekannte Schriftart.",
+ "error.icon.fontCharacter": "Die Symboldefinition \"{0}\" wird übersprungen. Unbekannter fontCharacter-Wert."
+ },
+ "vs/workbench/services/themes/common/productIconThemeSchema": {
+ "schema.id": "Die ID der Schriftart.",
+ "schema.id.formatError": "Die ID darf nur Buchstaben, Ziffern, Unterstriche und Bindestriche enthalten.",
+ "schema.src": "Der Speicherort der Schriftart.",
+ "schema.font-path": "Der Schriftartpfad relativ zur aktuellen Produktsymbol-Designdatei.",
+ "schema.font-format": "Das Format der Schriftart.",
+ "schema.font-weight": "Die Schriftbreite. Gültige Werte finden Sie unter https://developer.mozilla.org/de-DE/docs/Web/CSS/font-weight.",
+ "schema.font-style": "Der Stil der Schriftart. Gültige Werte finden Sie unter https://developer.mozilla.org/de-DE/docs/Web/CSS/font-style.",
+ "schema.iconDefinitions": "Zuordnung des Symbolnamens zu einem Schriftartzeichen."
+ },
+ "vs/workbench/services/userDataSync/common/userDataSync": {
+ "settings": "Einstellungen",
+ "keybindings": "Tastenkombinationen",
+ "snippets": "Benutzercodeausschnitte",
+ "extensions": "Erweiterungen",
+ "ui state label": "Benutzeroberflächenzustand",
+ "sync category": "Einstellungssynchronisierung",
+ "syncViewIcon": "Ansichtssymbol der Einstellungssynchronisierungsansicht."
+ },
+ "vs/workbench/services/userDataSync/browser/userDataSyncWorkbenchService": {
+ "no authentication providers": "Die Einstellungssynchronisierung kann nicht aktiviert werden, weil keine Authentifizierungsanbieter verfügbar sind.",
+ "no account": "Kein Konto verfügbar.",
+ "show log": "Protokoll anzeigen",
+ "sync turned on": "\"{0}\" ist aktiviert.",
+ "sync in progress": "Die Einstellungssynchronisierung wird gerade aktiviert. Möchten Sie den Vorgang abbrechen?",
+ "settings sync": "Einstellungssynchronisierung",
+ "yes": "&&Ja",
+ "no": "&&Nein",
+ "turning on": "Wird aktiviert...",
+ "syncing resource": "\"{0}\" wird synchronisiert...",
+ "conflicts detected": "Konflikte erkannt",
+ "merge Manually": "Manuell mergen...",
+ "resolve": "Fehler beim Mergen aufgrund von Konflikten. Führen Sie den Mergevorgang manuell durch, um fortzufahren...",
+ "merge or replace": "Mergen oder ersetzen",
+ "merge": "Mergereplikation",
+ "replace local": "Lokal ersetzen",
+ "cancel": "Abbrechen",
+ "first time sync detail": "Offenbar wurde die letzte Synchronisierung von einem anderen Computer aus ausgeführt.\r\nMöchten Sie die Daten mit den Daten in der Cloud mergen, oder möchten Sie sie ersetzen?",
+ "reset": "Hierdurch werden Ihre Daten in der Cloud gelöscht, und die Synchronisierung wird auf all Ihren Geräten beendet.",
+ "reset title": "Löschen",
+ "resetButton": "&&Zurücksetzen",
+ "choose account placeholder": "Konto für die Anmeldung auswählen",
+ "signed in": "Angemeldet",
+ "last used": "Letzte Verwendung mit Synchronisierung",
+ "others": "Sonstige",
+ "sign in using account": "Anmelden mit \"{0}\"",
+ "successive auth failures": "Die Einstellungssynchronisierung wurde aufgrund von aufeinanderfolgenden Autorisierungsfehlern angehalten. Melden Sie sich erneut an, um die Synchronisierung fortzusetzen.",
+ "sign in": "Anmelden"
+ },
+ "vs/workbench/services/views/browser/viewDescriptorService": {
+ "resetViewLocation": "Speicherort zurücksetzen"
+ },
+ "vs/workbench/services/workingCopy/common/workingCopyFileOperationParticipant": {
+ "msg-create": "Teilnehmer für Dateierstellung werden ausgeführt...",
+ "msg-rename": "Teilnehmer für die Dateiumbenennung werden ausgeführt...",
+ "msg-copy": "Teilnehmer des Dateikopiervorgangs werden ausgeführt...",
+ "msg-delete": "Teilnehmer für Dateilöschung werden ausgeführt..."
+ },
+ "vs/workbench/services/workspaces/electron-sandbox/workspaceEditingService": {
+ "save": "Speichern",
+ "doNotSave": "Nicht speichern",
+ "cancel": "Abbrechen",
+ "saveWorkspaceMessage": "Möchten Sie Ihre Arbeitsbereichskonfiguration als Datei speichern?",
+ "saveWorkspaceDetail": "Speichern Sie Ihren Arbeitsbereich, wenn Sie ihn erneut öffnen möchten.",
+ "workspaceOpenedMessage": "Der Arbeitsbereich \"{0}\" kann nicht gespeichert werden.",
+ "ok": "OK",
+ "workspaceOpenedDetail": "Der Arbeitsbereich ist bereits in einem anderen Fenster geöffnet. Schließen Sie zuerst das andere Fenster, und versuchen Sie anschließend noch mal."
+ },
+ "vs/workbench/services/workspaces/browser/abstractWorkspaceEditingService": {
+ "save": "Speichern",
+ "saveWorkspace": "Arbeitsbereich speichern",
+ "errorInvalidTaskConfiguration": "In die Konfigurationsdatei des Arbeitsbereichs kann nicht geschrieben werden. Öffnen Sie die Datei, um Fehler/Warnungen darin zu beheben, und versuchen Sie es noch mal.",
+ "errorWorkspaceConfigurationFileDirty": "In die Konfigurationsdatei des Arbeitsbereichs kann nicht geschrieben werden, weil sie geändert wurde. Speichern Sie die Datei, und versuchen Sie es noch mal.",
+ "openWorkspaceConfigurationFile": "Konfiguration des Arbeitsbereichs öffnen"
+ },
+ "win32/i18n/Default": {
+ "SetupAppTitle": "Setup",
+ "SetupWindowTitle": "Setup – %1",
+ "UninstallAppTitle": "Deinstallieren",
+ "UninstallAppFullTitle": "%1 deinstallieren",
+ "InformationTitle": "Informationen",
+ "ConfirmTitle": "Bestätigen",
+ "ErrorTitle": "Fehler",
+ "SetupLdrStartupMessage": "Hiermit wird %1 installiert. Möchten Sie den Vorgang fortsetzen?",
+ "LdrCannotCreateTemp": "Eine temporäre Datei konnte nicht erstellt werden. Die Installation wurde abgebrochen.",
+ "LdrCannotExecTemp": "Eine Datei im temporären Verzeichnis kann nicht ausgeführt werden. Die Installation wurde abgebrochen.",
+ "LastErrorMessage": "%1.%n%nFehler %2: %3",
+ "SetupFileMissing": "Die Datei %1 fehlt im Installationsverzeichnis. Beheben Sie das Problem, oder beziehen Sie eine neue Kopie des Programms.",
+ "SetupFileCorrupt": "Die Setupdateien sind beschädigt. Beziehen Sie eine neue Kopie des Programms.",
+ "SetupFileCorruptOrWrongVer": "Die Setupdateien sind beschädigt oder nicht kompatibel mit dieser Version von Setup. Beheben Sie das Problem, oder beziehen Sie eine neue Kopie des Programms.",
+ "InvalidParameter": "Ein ungültiger Parameter wurde in der Befehlszeile übergeben:%n%n%1",
+ "SetupAlreadyRunning": "Setup wird bereits ausgeführt.",
+ "WindowsVersionNotSupported": "Dieses Programm unterstützt nicht die Version von Windows, die auf Ihrem Computer ausgeführt wird.",
+ "WindowsServicePackRequired": "Dieses Programm erfordert %1 Service Pack %2 oder höher.",
+ "NotOnThisPlatform": "Dieses Programm kann unter %1 nicht ausgeführt werden.",
+ "OnlyOnThisPlatform": "Dieses Programm muss unter %1 ausgeführt werden.",
+ "OnlyOnTheseArchitectures": "Dieses Programm kann nur unter Versionen von Windows installiert werden, die für die folgenden Prozessorarchitekturen konzipiert wurden:%n%n%1",
+ "MissingWOW64APIs": "Die Version von Windows, die Sie ausführen, enthält nicht die Funktionen, die von Setup zum Ausführen einer 64-Bit-Installation benötigt werden. Installieren Sie Service Pack %1, um dieses Problem zu beheben.",
+ "WinVersionTooLowError": "Dieses Programm erfordert %1 Version %2 oder höher.",
+ "WinVersionTooHighError": "Das Programm kann nicht unter %1 Version %2 oder höher installiert werde.",
+ "AdminPrivilegesRequired": "Sie müssen als Administrator angemeldet sein, wenn Sie dieses Programm installieren.",
+ "PowerUserPrivilegesRequired": "Sie müssen als Administrator oder als Mitglied der Gruppe \"Poweruser\" angemeldet sein, wenn Sie dieses Programm installieren.",
+ "SetupAppRunningError": "Setup hat festgestellt, dass %1 zurzeit ausgeführt wird.%n%nSchließen Sie jetzt alle Instanzen, und klicken Sie dann auf \"OK\", um fortzufahren, oder auf \"Abbrechen\", um die Installation zu beenden.",
+ "UninstallAppRunningError": "Die Deinstallation hat festgestellt, dass %1 zurzeit ausgeführt wird.%n%nSchließen Sie jetzt alle Instanzen, und klicken Sie dann auf \"OK\", um fortzufahren, oder auf \"Abbrechen\", um die Installation zu beenden.",
+ "ErrorCreatingDir": "Setup konnte das Verzeichnis \"%1\" nicht erstellen.",
+ "ErrorTooManyFilesInDir": "Eine Datei kann im Verzeichnis \"%1\" nicht erstellt werden, weil es zu viele Dateien enthält.",
+ "ExitSetupTitle": "Setup beenden",
+ "ExitSetupMessage": "Setup wurde nicht abgeschlossen. Wenn Sie die Installation jetzt beenden, wird das Programm nicht installiert.%n%nSie können Setup zu einem späteren Zeitpunkt erneut ausführen, um die Installation abzuschließen.%n%nSetup beenden?",
+ "AboutSetupMenuItem": "&Info zum Setup...",
+ "AboutSetupTitle": "Info zum Setup",
+ "AboutSetupMessage": "%1 Version %2%n%3%n%n%1 Startseite:%n%4",
+ "ButtonBack": "< &Zurück",
+ "ButtonNext": "&Weiter >",
+ "ButtonInstall": "&Installieren",
+ "ButtonOK": "OK",
+ "ButtonCancel": "Abbrechen",
+ "ButtonYes": "&Ja",
+ "ButtonYesToAll": "Ja für &alle",
+ "ButtonNo": "&Nein",
+ "ButtonNoToAll": "N&ein für alle",
+ "ButtonFinish": "&Fertig stellen",
+ "ButtonBrowse": "&Durchsuchen...",
+ "ButtonWizardBrowse": "D&urchsuchen...",
+ "ButtonNewFolder": "&Neuen Ordner erstellen",
+ "SelectLanguageTitle": "Setupsprache auswählen",
+ "SelectLanguageLabel": "Sprache auswählen, die während der Installation verwendet wird:",
+ "ClickNext": "Klicken Sie auf \"Weiter\", um den Vorgang fortzusetzen, oder auf \"Abbrechen\", um Setup zu beenden.",
+ "BrowseDialogTitle": "Ordner suchen",
+ "BrowseDialogLabel": "Wählen Sie einen Ordner in der Liste unten aus, und klicken Sie dann auf \"OK\".",
+ "NewFolderName": "Neuer Ordner",
+ "WelcomeLabel1": "Willkommen beim Setup-Assistenten von [name]",
+ "WelcomeLabel2": "Hiermit wird [name/ver] auf Ihrem Computer installiert.%n%nEs wird empfohlen, alle anderen Anwendungen zu schließen, bevor Sie fortfahren.",
+ "WizardPassword": "Kennwort",
+ "PasswordLabel1": "Die Installation ist durch ein Kennwort geschützt.",
+ "PasswordLabel3": "Geben Sie das Kennwort an, und klicken Sie dann auf \"Weiter\", um fortzufahren. Für Kennwörter wird zwischen Groß-und Kleinschreibung unterschieden.",
+ "PasswordEditLabel": "&Kennwort:",
+ "IncorrectPassword": "Das eingegebene Kennwort ist falsch. Versuchen Sie es noch mal.",
+ "WizardLicense": "Lizenzvereinbarung",
+ "LicenseLabel": "Lesen Sie die folgenden wichtigen Informationen, bevor Sie fortfahren.",
+ "LicenseLabel3": "Lesen Sie die folgenden Lizenzbedingungen. Sie müssen den Bedingungen dieser Vereinbarung zustimmen, bevor Sie die Installation fortsetzen können.",
+ "LicenseAccepted": "Ich stimme der Vereinb&arung zu",
+ "LicenseNotAccepted": "Ich &stimme der Vereinbarung nicht zu",
+ "WizardInfoBefore": "Informationen",
+ "InfoBeforeLabel": "Lesen Sie die folgenden wichtigen Informationen, bevor Sie fortfahren.",
+ "InfoBeforeClickLabel": "Klicken Sie auf \"Weiter\", um mit der Installation fortzufahren.",
+ "WizardInfoAfter": "Informationen",
+ "InfoAfterLabel": "Lesen Sie die folgenden wichtigen Informationen, bevor Sie fortfahren.",
+ "InfoAfterClickLabel": "Klicken Sie auf \"Weiter\", um mit der Installation fortzufahren.",
+ "WizardUserInfo": "Benutzerinformationen",
+ "UserInfoDesc": "Geben Sie Ihre Informationen ein.",
+ "UserInfoName": "&Benutzername:",
+ "UserInfoOrg": "&Organisation:",
+ "UserInfoSerial": "&Seriennummer:",
+ "UserInfoNameRequired": "Sie müssen einen Namen eingeben.",
+ "WizardSelectDir": "Zielspeicherort auswählen",
+ "SelectDirDesc": "Wo soll [name] installiert werden?",
+ "SelectDirLabel3": "Setup installiert [name] im folgenden Ordner.",
+ "SelectDirBrowseLabel": "Klicken Sie auf \"Weiter\", um fortzufahren. Wenn Sie einen anderen Ordner auswählen möchten, klicken Sie auf \"Durchsuchen\".",
+ "DiskSpaceMBLabel": "Mindestens [mb] MB freier Speicherplatz ist auf dem Datenträger erforderlich.",
+ "CannotInstallToNetworkDrive": "Setup kann die Installation nicht auf einem Netzlaufwerk ausführen.",
+ "CannotInstallToUNCPath": "Setup kann die Installation nicht in einem UNC-Pfad ausführen.",
+ "InvalidPath": "Sie müssen einen vollständigen Pfad mit Laufwerkbuchstaben eingeben; z.B. %n%nC:\\APP%n%n oder einen UNC-Pfad im Format %n%n\\\\server\\share",
+ "InvalidDrive": "Das ausgewählte Laufwerk oder die UNC-Freigabe ist nicht vorhanden oder es kann kein Zugriff darauf erfolgen. Wählen Sie ein anderes Laufwerk oder eine andere UNC-Freigabe aus.",
+ "DiskSpaceWarningTitle": "Nicht genügend Speicherplatz auf dem Datenträger.",
+ "DiskSpaceWarning": "Setup benötigt mindestens %1 KB freien Speicherplatz für die Installation. Auf dem ausgewählten Laufwerk sind aber nur %2 KB verfügbar.%n%nMöchten Sie trotzdem fortfahren?",
+ "DirNameTooLong": "Der Ordnername oder -pfad ist zu lang.",
+ "InvalidDirName": "Der Ordnername ist ungültig.",
+ "BadDirName32": "Ordnernamen dürfen keines der folgenden Zeichen enthalten: %n%n%1",
+ "DirExistsTitle": "Der Ordner ist vorhanden.",
+ "DirExists": "Der Ordner%n%n%1%n%nist bereits vorhanden. Möchten Sie trotzdem in diesem Ordner installieren?",
+ "DirDoesntExistTitle": "Der Ordner ist nicht vorhanden.",
+ "DirDoesntExist": "Der Ordner%n%n%1%n%nist nicht vorhanden. Soll der Ordner erstellt werden?",
+ "WizardSelectComponents": "Komponenten auswählen",
+ "SelectComponentsDesc": "Welche Komponenten sollen installiert werden?",
+ "SelectComponentsLabel2": "Wählen Sie die zu installierenden Komponenten aus. Deaktivieren Sie die Komponenten, die Sie nicht installieren möchten. Klicken Sie auf \"Weiter\", wenn Sie zum Fortfahren bereit sind.",
+ "FullInstallation": "Vollständige Installation",
+ "CompactInstallation": "Kompakte Installation",
+ "CustomInstallation": "Benutzerdefinierte Installation",
+ "NoUninstallWarningTitle": "Komponenten sind vorhanden.",
+ "NoUninstallWarning": "Setup hat festgestellt, dass die folgenden Komponenten bereits auf Ihrem Computer installiert sind:%n%n%1%n%nDurch das Deaktivieren dieser Komponenten werden diese nicht deinstalliert.%n%nMöchten Sie trotzdem fortfahren?",
+ "ComponentSize1": "%1 KB",
+ "ComponentSize2": "%1 MB",
+ "ComponentsDiskSpaceMBLabel": "Für die aktuelle Auswahl sind mindestens [mb] MB Speicherplatz auf dem Datenträger erforderlich.",
+ "WizardSelectTasks": "Weitere Aufgaben auswählen",
+ "SelectTasksDesc": "Welche weiteren Aufgaben sollen ausgeführt werden?",
+ "SelectTasksLabel2": "Wählen Sie die zusätzlichen Aufgaben aus, die Setup während der Installation von [name] ausführen soll, und klicken Sie dann auf \"Weiter\".",
+ "WizardSelectProgramGroup": "Startmenüordner auswählen",
+ "SelectStartMenuFolderDesc": "Wo soll Setup die Verknüpfungen des Programms platzieren?",
+ "SelectStartMenuFolderLabel3": "Setup erstellt die Verknüpfungen des Programms im folgenden Startmenüordner.",
+ "SelectStartMenuFolderBrowseLabel": "Klicken Sie auf \"Weiter\", um fortzufahren. Wenn Sie einen anderen Ordner auswählen möchten, klicken Sie auf \"Durchsuchen\".",
+ "MustEnterGroupName": "Sie müssen einen Ordnernamen eingeben.",
+ "GroupNameTooLong": "Der Ordnername oder -pfad ist zu lang.",
+ "InvalidGroupName": "Der Ordnername ist ungültig.",
+ "BadGroupName": "Der Ordnername darf keines der folgenden Zeichen enthalten: %n%n%1",
+ "NoProgramGroupCheck2": "&Keinen Startmenüordner erstellen",
+ "WizardReady": "Bereit für die Installation",
+ "ReadyLabel1": "Setup ist nun bereitet, mit der Installation von [name] auf Ihrem Computer zu beginnen.",
+ "ReadyLabel2a": "Klicken Sie auf \"Installieren\", um die Installation fortzusetzen, oder klicken Sie auf \"Zurück\", wenn Sie Einstellungen überprüfen oder ändern möchten.",
+ "ReadyLabel2b": "Klicken Sie auf \"Installieren\", um die Installation fortzusetzen.",
+ "ReadyMemoUserInfo": "Benutzerinformationen:",
+ "ReadyMemoDir": "Zielspeicherort:",
+ "ReadyMemoType": "Installationsart:",
+ "ReadyMemoComponents": "Ausgewählte Komponenten:",
+ "ReadyMemoGroup": "Startmenüordner:",
+ "ReadyMemoTasks": "Weitere Aufgaben:",
+ "WizardPreparing": "Die Installation wird vorbereitet.",
+ "PreparingDesc": "Setup bereitet die Installation von [name] auf Ihrem Computer vor.",
+ "PreviousInstallNotCompleted": "Die Installation/Entfernung eines vorherigen Programms wurde nicht abgeschlossen. Sie müssen den Computer zum Abschließen dieser Installation neu starten.%n%nNach dem Neustart des Computers führen Sie Setup erneut aus, um die Installation von [name] abzuschließen.",
+ "CannotContinue": "Setup kann nicht fortgesetzt werden. Klicken Sie auf \"Abbrechen\", um Setup zu beenden.",
+ "ApplicationsFound": "Die folgenden Anwendungen verwenden Dateien, die von Setup aktualisiert werden müssen. Es wird empfohlen, Setup das automatische Schließen dieser Anwendungen zu erlauben.",
+ "ApplicationsFound2": "Die folgenden Anwendungen verwenden Dateien, die von Setup aktualisiert werden müssen. Es wird empfohlen, Setup das automatische Schließen dieser Anwendungen zu erlauben. Nach Abschluss der Installation versucht Setup, die Anwendungen neu zu starten.",
+ "CloseApplications": "&Anwendungen automatisch schließen",
+ "DontCloseApplications": "A&nwendungen nicht schließen",
+ "ErrorCloseApplications": "Setup konnte nicht alle Programme automatisch schließen. Es wird empfohlen, alle Anwendungen zu schließen, die Dateien verwenden, die von Setup aktualisiert werden, bevor Sie den Vorgang fortsetzen.",
+ "WizardInstalling": "Wird installiert.",
+ "InstallingLabel": "Warten Sie, während Setup [name] auf Ihrem Computer installiert.",
+ "FinishedHeadingLabel": "Der Setup-Assistent für [name] wird abgeschlossen.",
+ "FinishedLabelNoIcons": "Setup hat die Installation von [name] auf Ihrem Computer abgeschlossen.",
+ "FinishedLabel": "Das Setup hat die Installation von [Name] auf Ihrem Computer abgeschlossen. Sie können die Anwendung über das installierte Symbol starten.",
+ "ClickFinish": "Klicken Sie auf \"Fertig stellen\", um Setup zu beenden.",
+ "FinishedRestartLabel": "Setup muss den Computer neu starten, damit die Installation von [name] abgeschlossen werden kann. Soll der Computer jetzt neu gestartet werden?",
+ "FinishedRestartMessage": "Setup muss den Computer neu starten, damit die Installation von [name] abgeschlossen werden kann.%n%nSoll der Computer jetzt neu gestartet werden?",
+ "ShowReadmeCheck": "Ja, ich möchte die Infodatei anzeigen",
+ "YesRadio": "&Ja, den Computer jetzt neu starten",
+ "NoRadio": "&Nein, ich starte den Computer später neu",
+ "RunEntryExec": "%1 ausführen",
+ "RunEntryShellExec": "%1 anzeigen",
+ "ChangeDiskTitle": "Setup benötigt den nächsten Datenträger.",
+ "SelectDiskLabel2": "Legen Sie den Datenträger %1 ein, und klicken Sie auf \"OK\".%n%nWenn sich die Dateien auf diesem Datenträger in einem anderen als dem unten angezeigten Ordner befinden, geben Sie den richtigen Pfad ein, oder klicken Sie auf \"Durchsuchen\".",
+ "PathLabel": "&Pfad:",
+ "FileNotInDir2": "Die Datei \"%1\" wurde in \"%2\" nicht gefunden. Legen Sie den richtigen Datenträger ein, oder wählen Sie einen anderen Ordner aus.",
+ "SelectDirectoryLabel": "Geben Sie den Speicherort des nächsten Datenträgers an.",
+ "SetupAborted": "Setup wurde nicht abgeschlossen.%n%nBeheben Sie das Problem, und führen Sie Setup erneut aus.",
+ "EntryAbortRetryIgnore": "Klicken Sie auf \"Wiederholen\", um es erneut zu versuchen, auf \"Ignorieren\", um den Vorgang trotzdem fortzusetzen, oder auf \"Abbrechen\", um die Installation abzubrechen.",
+ "StatusClosingApplications": "Anwendungen werden geschlossen...",
+ "StatusCreateDirs": "Verzeichnisse werden erstellt...",
+ "StatusExtractFiles": "Dateien werden extrahiert...",
+ "StatusCreateIcons": "Verknüpfungen werden erstellt...",
+ "StatusCreateIniEntries": "INI-Einträge werden erstellt...",
+ "StatusCreateRegistryEntries": "Registrierungseinträge werden erstellt...",
+ "StatusRegisterFiles": "Dateien werden registriert...",
+ "StatusSavingUninstall": "Die Deinstallationsinformationen werden gespeichert...",
+ "StatusRunProgram": "Die Installation wird abgeschlossen...",
+ "StatusRestartingApplications": "Anwendung werden erneut gestartet...",
+ "StatusRollback": "Rollback der Änderungen...",
+ "ErrorInternal2": "Interner Fehler: %1",
+ "ErrorFunctionFailedNoCode": "Fehler von %1.",
+ "ErrorFunctionFailed": "Fehler von %1. Code %2",
+ "ErrorFunctionFailedWithMessage": "Fehler von %1. Code %2.%n%3",
+ "ErrorExecutingProgram": "Die Datei kann nicht ausgeführt werden:%n%1",
+ "ErrorRegOpenKey": "Fehler beim Öffnen des Registrierungsschlüssels:%n%1\\%2",
+ "ErrorRegCreateKey": "Fehler beim Erstellen des Registrierungsschlüssels:%n%1\\%2",
+ "ErrorRegWriteKey": "Fehler beim Schreiben in den Registrierungsschlüssel:%n%1\\%2",
+ "ErrorIniEntry": "Fehler beim Erstellen des INI-Eintrags in der Datei \"%1\".",
+ "FileAbortRetryIgnore": "Klicken Sie auf \"Wiederholen\", um es erneut zu versuchen, auf \"Ignorieren\", um diese Datei zu überspringen (nicht empfohlen), oder auf \"Abbrechen\", um die Installation abzubrechen.",
+ "FileAbortRetryIgnore2": "Klicken Sie auf \"Wiederholen\", um es erneut zu versuchen, auf \"Ignorieren\", um den Vorgang trotzdem fortzusetzen (nicht empfohlen), oder auf \"Abbrechen\", um die Installation abzubrechen.",
+ "SourceIsCorrupted": "Die Quelldatei ist fehlerhaft.",
+ "SourceDoesntExist": "Die Quelldatei \"%1\" ist nicht vorhanden.",
+ "ExistingFileReadOnly": "Die vorhandene Datei ist als schreibgeschützt markiert.%n%nKlicken Sie auf \"Wiederholen\", um das Schreibschutzattribut zu entfernen und es erneut zu versuchen, auf \"Ignorieren\", um diese Datei zu überspringen, oder auf \"Abbrechen\", um die Installation abzubrechen.",
+ "ErrorReadingExistingDest": "Fehler beim Versuch, die vorhandene Datei zu lesen:",
+ "FileExists": "Die Datei ist bereits vorhanden.%n%nSoll Sie von Setup überschrieben werden?",
+ "ExistingFileNewer": "Die vorhandene Datei ist neuer als die Datei, die Setup installieren möchte. Es wird empfohlen, die vorhandene Datei beizubehalten.%n%nMöchten Sie die vorhandene Datei beibehalten?",
+ "ErrorChangingAttr": "Fehler beim Versuch, die Attribute der vorhandenen Datei zu ändern:",
+ "ErrorCreatingTemp": "Fehler beim Versuch, eine Datei im Zielverzeichnis zu erstellen:",
+ "ErrorReadingSource": "Fehler beim Versuch, die Quelldatei zu lesen:",
+ "ErrorCopying": "Fehler beim Versuch, eine Datei zu kopieren:",
+ "ErrorReplacingExistingFile": "Fehler beim Versuch, die vorhandene Datei zu ersetzen:",
+ "ErrorRestartReplace": "Fehler von \"RestartReplace\":",
+ "ErrorRenamingTemp": "Fehler beim Versuch, eine Datei im Zielverzeichnis umzubenennen:",
+ "ErrorRegisterServer": "Die DLL-/OCX-Datei kann nicht registriert werden: %1",
+ "ErrorRegSvr32Failed": "Fehler von RegSvr32 mit dem Exitcode %1.",
+ "ErrorRegisterTypeLib": "Die Typbibliothek kann nicht registriert werden: %1",
+ "ErrorOpeningReadme": "Fehler beim Versuch, die Infodatei zu öffnen.",
+ "ErrorRestartingComputer": "Setup konnte den Computer nicht neu starten. Führen Sie den Neustart manuell aus.",
+ "UninstallNotFound": "Die Datei \"%1\" ist nicht vorhanden. Die Deinstallation kann nicht ausgeführt werden.",
+ "UninstallOpenError": "Die Datei \"%1\" konnte nicht geöffnet werden. Die Deinstallation kann nicht ausgeführt werden.",
+ "UninstallUnsupportedVer": "Die Deinstallationsprotokolldatei \"%1\" liegt in einem Format vor, das von dieser Version des Deinstallationsprogramms nicht erkannt wird. Die Deinstallation kann nicht ausgeführt werden.",
+ "UninstallUnknownEntry": "Unbekannter Eintrag (%1) im Deinstallationsprotokoll.",
+ "ConfirmUninstall": "Sind Sie sicher, dass Sie %1 vollständig löschen möchten? Erweiterungen und Einstellungen werden nicht gelöscht.",
+ "UninstallOnlyOnWin64": "Diese Installation kann nur unter 64-Bit-Windows deinstalliert werden.",
+ "OnlyAdminCanUninstall": "Diese Installation kann nur von einem Benutzer mit Administratorberechtigungen deinstalliert werden.",
+ "UninstallStatusLabel": "Warten Sie, während %1 von Ihrem Computer entfernt wird.",
+ "UninstalledAll": "%1 wurde erfolgreich von Ihrem Computer entfernt.",
+ "UninstalledMost": "Die Deinstallation von %1 wurde abgeschlossen.%n%nEinige Elemente konnten nicht entfernt werden. Diese können manuell entfernt werden.",
+ "UninstalledAndNeedsRestart": "Ihr Computer muss neu gestartet werden, damit die Deinstallation von %1 abgeschlossen werden kann.%n%nSoll der Computer jetzt neu gestartet werden?",
+ "UninstallDataCorrupted": "Die Datei \"%1\" ist beschädigt. Kann nicht deinstalliert werden",
+ "ConfirmDeleteSharedFileTitle": "Freigegebene Datei entfernen?",
+ "ConfirmDeleteSharedFile2": "Das System zeigt an, dass die folgende freigegebene Datei nicht mehr von Programmen verwendet wird. Soll die Deinstallation diese freigegebene Datei entfernen?%n%nWenn Programme diese Datei noch verwenden und die Datei entfernt wird, funktionieren diese Programme ggf. nicht mehr ordnungsgemäß. Wenn Sie nicht sicher sind, wählen Sie \"Nein\" aus. Sie können die Datei problemlos im System belassen.",
+ "SharedFileNameLabel": "Dateiname:",
+ "SharedFileLocationLabel": "Speicherort:",
+ "WizardUninstalling": "Deinstallationsstatus",
+ "StatusUninstalling": "%1 wird deinstalliert...",
+ "ShutdownBlockReasonInstallingApp": "%1 wird installiert.",
+ "ShutdownBlockReasonUninstallingApp": "%1 wird deinstalliert.",
+ "NameAndVersion": "%1 Version %2",
+ "AdditionalIcons": "Zusätzliche Symbole:",
+ "CreateDesktopIcon": "Desktopsymbol &erstellen",
+ "CreateQuickLaunchIcon": "Schnellstartsymbol &erstellen",
+ "ProgramOnTheWeb": "%1 im Web",
+ "UninstallProgram": "%1 deinstallieren",
+ "LaunchProgram": "%1 starten",
+ "AssocFileExtension": "%1 der &Dateierweiterung \"%2\" zuordnen",
+ "AssocingFileExtension": "%1 wird der Dateierweiterung \"%2\" zugeordnet...",
+ "AutoStartProgramGroupDescription": "Start:",
+ "AutoStartProgram": "%1 automatisch starten",
+ "AddonHostProgramNotFound": "%1 wurde im von Ihnen ausgewählten Ordner nicht gefunden.%n%nMöchten Sie trotzdem fortfahren?"
+ }
+}
diff --git a/internal/vite-plugin-monaco-editor-nls/src/locale/en-gb.json b/internal/vite-plugin-monaco-editor-nls/src/locale/en-gb.json
new file mode 100644
index 0000000..d619ee2
--- /dev/null
+++ b/internal/vite-plugin-monaco-editor-nls/src/locale/en-gb.json
@@ -0,0 +1,7291 @@
+{
+ "win32/i18n/Default": {
+ "SetupAppTitle": "Setup",
+ "SetupWindowTitle": "Setup - %1",
+ "UninstallAppTitle": "Uninstall",
+ "UninstallAppFullTitle": "%1 Uninstall",
+ "InformationTitle": "Information",
+ "ConfirmTitle": "Confirm",
+ "ErrorTitle": "Error",
+ "SetupLdrStartupMessage": "This will install %1. Do you wish to continue?",
+ "LdrCannotCreateTemp": "Unable to create a temporary file. Setup aborted",
+ "LdrCannotExecTemp": "Unable to execute file in the temporary directory. Setup aborted",
+ "LastErrorMessage": "%1.%n%nError %2: %3",
+ "SetupFileMissing": "The file %1 is missing from the installation directory. Please correct the problem or obtain a new copy of the program.",
+ "SetupFileCorrupt": "The setup files are corrupted. Please obtain a new copy of the program.",
+ "SetupFileCorruptOrWrongVer": "The setup files are corrupted, or are incompatible with this version of Setup. Please correct the problem or obtain a new copy of the program.",
+ "InvalidParameter": "An invalid parameter was passed on the command line:%n%n%1",
+ "SetupAlreadyRunning": "Setup is already running.",
+ "WindowsVersionNotSupported": "This program does not support the version of Windows your computer is running.",
+ "WindowsServicePackRequired": "This program requires %1 Service Pack %2 or later.",
+ "NotOnThisPlatform": "This program will not run on %1.",
+ "OnlyOnThisPlatform": "This program must be run on %1.",
+ "OnlyOnTheseArchitectures": "This program can only be installed on versions of Windows designed for the following processor architectures:%n%n%1",
+ "MissingWOW64APIs": "The version of Windows you are running does not include functionality required by Setup to perform a 64-bit installation. To correct this problem, please install Service Pack %1.",
+ "WinVersionTooLowError": "This program requires %1 version %2 or later.",
+ "WinVersionTooHighError": "This program cannot be installed on %1 version %2 or later.",
+ "AdminPrivilegesRequired": "You must be logged in as an administrator when installing this program.",
+ "PowerUserPrivilegesRequired": "You must be logged in as an administrator or as a member of the Power Users group when installing this program.",
+ "SetupAppRunningError": "Setup has detected that %1 is currently running.%n%nPlease close all instances of it now, then click OK to continue, or Cancel to exit.",
+ "UninstallAppRunningError": "Uninstall has detected that %1 is currently running.%n%nPlease close all instances of it now, then click OK to continue, or Cancel to exit.",
+ "ErrorCreatingDir": "Setup was unable to create the directory \"%1\"",
+ "ErrorTooManyFilesInDir": "Unable to create a file in the directory \"%1\" because it contains too many files",
+ "ExitSetupTitle": "Exit Setup",
+ "ExitSetupMessage": "Setup is not complete. If you exit now, the program will not be installed.%n%nYou may run Setup again at another time to complete the installation.%n%nExit Setup?",
+ "AboutSetupMenuItem": "&About Setup...",
+ "AboutSetupTitle": "About Setup",
+ "AboutSetupMessage": "%1 version %2%n%3%n%n%1 home page:%n%4",
+ "ButtonBack": "< &Back",
+ "ButtonNext": "&Next >",
+ "ButtonInstall": "&Install",
+ "ButtonOK": "OK",
+ "ButtonCancel": "Cancel",
+ "ButtonYes": "&Yes",
+ "ButtonYesToAll": "Yes to &All",
+ "ButtonNo": "&No",
+ "ButtonNoToAll": "N&o to All",
+ "ButtonFinish": "&Finish",
+ "ButtonBrowse": "&Browse...",
+ "ButtonWizardBrowse": "B&rowse...",
+ "ButtonNewFolder": "&Make New Folder",
+ "SelectLanguageTitle": "Select Setup Language",
+ "SelectLanguageLabel": "Select the language to use during the installation:",
+ "ClickNext": "Click Next to continue, or Cancel to exit Setup.",
+ "BrowseDialogTitle": "Browse For Folder",
+ "BrowseDialogLabel": "Select a folder in the list below, then click OK.",
+ "NewFolderName": "New Folder",
+ "WelcomeLabel1": "Welcome to the [name] Setup Wizard",
+ "WelcomeLabel2": "This will install [name/ver] on your computer.%n%nIt is recommended that you close all other applications before continuing.",
+ "WizardPassword": "Password",
+ "PasswordLabel1": "This installation is password protected.",
+ "PasswordLabel3": "Please provide the password, then click Next to continue. Passwords are case-sensitive.",
+ "PasswordEditLabel": "&Password:",
+ "IncorrectPassword": "The password you entered is not correct. Please try again.",
+ "WizardLicense": "License Agreement",
+ "LicenseLabel": "Please read the following important information before continuing.",
+ "LicenseLabel3": "Please read the following License Agreement. You must accept the terms of this agreement before continuing with the installation.",
+ "LicenseAccepted": "I &accept the agreement",
+ "LicenseNotAccepted": "I &do not accept the agreement",
+ "WizardInfoBefore": "Information",
+ "InfoBeforeLabel": "Please read the following important information before continuing.",
+ "InfoBeforeClickLabel": "When you are ready to continue with Setup, click Next.",
+ "WizardInfoAfter": "Information",
+ "InfoAfterLabel": "Please read the following important information before continuing.",
+ "InfoAfterClickLabel": "When you are ready to continue with Setup, click Next.",
+ "WizardUserInfo": "User Information",
+ "UserInfoDesc": "Please enter your information.",
+ "UserInfoName": "&User Name:",
+ "UserInfoOrg": "&Organization:",
+ "UserInfoSerial": "&Serial Number:",
+ "UserInfoNameRequired": "You must enter a name.",
+ "WizardSelectDir": "Select Destination Location",
+ "SelectDirDesc": "Where should [name] be installed?",
+ "SelectDirLabel3": "Setup will install [name] into the following folder.",
+ "SelectDirBrowseLabel": "To continue, click Next. If you would like to select a different folder, click Browse.",
+ "DiskSpaceMBLabel": "At least [mb] MB of free disk space is required.",
+ "CannotInstallToNetworkDrive": "Setup cannot install to a network drive.",
+ "CannotInstallToUNCPath": "Setup cannot install to a UNC path.",
+ "InvalidPath": "You must enter a full path with drive letter; for example:%n%nC:\\APP%n%nor a UNC path in the form:%n%n\\\\server\\share",
+ "InvalidDrive": "The drive or UNC share you selected does not exist or is not accessible. Please select another.",
+ "DiskSpaceWarningTitle": "Not Enough Disk Space",
+ "DiskSpaceWarning": "Setup requires at least %1 KB of free space to install, but the selected drive only has %2 KB available.%n%nDo you want to continue anyway?",
+ "DirNameTooLong": "The folder name or path is too long.",
+ "InvalidDirName": "The folder name is not valid.",
+ "BadDirName32": "Folder names cannot include any of the following characters:%n%n%1",
+ "DirExistsTitle": "Folder Exists",
+ "DirExists": "The folder:%n%n%1%n%nalready exists. Would you like to install to that folder anyway?",
+ "DirDoesntExistTitle": "Folder Does Not Exist",
+ "DirDoesntExist": "The folder:%n%n%1%n%ndoes not exist. Would you like the folder to be created?",
+ "WizardSelectComponents": "Select Components",
+ "SelectComponentsDesc": "Which components should be installed?",
+ "SelectComponentsLabel2": "Select the components you want to install; clear the components you do not want to install. Click Next when you are ready to continue.",
+ "FullInstallation": "Full installation",
+ "CompactInstallation": "Compact installation",
+ "CustomInstallation": "Custom installation",
+ "NoUninstallWarningTitle": "Components Exist",
+ "NoUninstallWarning": "Setup has detected that the following components are already installed on your computer:%n%n%1%n%nDeselecting these components will not uninstall them.%n%nWould you like to continue anyway?",
+ "ComponentSize1": "%1 KB",
+ "ComponentSize2": "%1 MB",
+ "ComponentsDiskSpaceMBLabel": "Current selection requires at least [mb] MB of disk space.",
+ "WizardSelectTasks": "Select Additional Tasks",
+ "SelectTasksDesc": "Which additional tasks should be performed?",
+ "SelectTasksLabel2": "Select the additional tasks you would like Setup to perform while installing [name], then click Next.",
+ "WizardSelectProgramGroup": "Select Start Menu Folder",
+ "SelectStartMenuFolderDesc": "Where should Setup place the program's shortcuts?",
+ "SelectStartMenuFolderLabel3": "Setup will create the program's shortcuts in the following Start Menu folder.",
+ "SelectStartMenuFolderBrowseLabel": "To continue, click Next. If you would like to select a different folder, click Browse.",
+ "MustEnterGroupName": "You must enter a folder name.",
+ "GroupNameTooLong": "The folder name or path is too long.",
+ "InvalidGroupName": "The folder name is not valid.",
+ "BadGroupName": "The folder name cannot include any of the following characters:%n%n%1",
+ "NoProgramGroupCheck2": "&Don't create a Start Menu folder",
+ "WizardReady": "Ready to Install",
+ "ReadyLabel1": "Setup is now ready to begin installing [name] on your computer.",
+ "ReadyLabel2a": "Click Install to continue with the installation, or click Back if you want to review or change any settings.",
+ "ReadyLabel2b": "Click Install to continue with the installation.",
+ "ReadyMemoUserInfo": "User information:",
+ "ReadyMemoDir": "Destination location:",
+ "ReadyMemoType": "Setup type:",
+ "ReadyMemoComponents": "Selected components:",
+ "ReadyMemoGroup": "Start Menu folder:",
+ "ReadyMemoTasks": "Additional tasks:",
+ "WizardPreparing": "Preparing to Install",
+ "PreparingDesc": "Setup is preparing to install [name] on your computer.",
+ "PreviousInstallNotCompleted": "The installation/removal of a previous program was not completed. You will need to restart your computer to complete that installation.%n%nAfter restarting your computer, run Setup again to complete the installation of [name].",
+ "CannotContinue": "Setup cannot continue. Please click Cancel to exit.",
+ "ApplicationsFound": "The following applications are using files that need to be updated by Setup. It is recommended that you allow Setup to automatically close these applications.",
+ "ApplicationsFound2": "The following applications are using files that need to be updated by Setup. It is recommended that you allow Setup to automatically close these applications. After the installation has completed, Setup will attempt to restart the applications.",
+ "CloseApplications": "&Automatically close the applications",
+ "DontCloseApplications": "&Do not close the applications",
+ "ErrorCloseApplications": "Setup was unable to automatically close all applications. It is recommended that you close all applications using files that need to be updated by Setup before continuing.",
+ "WizardInstalling": "Installing",
+ "InstallingLabel": "Please wait while Setup installs [name] on your computer.",
+ "FinishedHeadingLabel": "Completing the [name] Setup Wizard",
+ "FinishedLabelNoIcons": "Setup has finished installing [name] on your computer.",
+ "FinishedLabel": "Setup has finished installing [name] on your computer. The application may be launched by selecting the installed icons.",
+ "ClickFinish": "Click Finish to exit Setup.",
+ "FinishedRestartLabel": "To complete the installation of [name], Setup must restart your computer. Would you like to restart now?",
+ "FinishedRestartMessage": "To complete the installation of [name], Setup must restart your computer.%n%nWould you like to restart now?",
+ "ShowReadmeCheck": "Yes, I would like to view the README file",
+ "YesRadio": "&Yes, restart the computer now",
+ "NoRadio": "&No, I will restart the computer later",
+ "RunEntryExec": "Run %1",
+ "RunEntryShellExec": "View %1",
+ "ChangeDiskTitle": "Setup Needs the Next Disk",
+ "SelectDiskLabel2": "Please insert Disk %1 and click OK.%n%nIf the files on this disk can be found in a folder other than the one displayed below, enter the correct path or click Browse.",
+ "PathLabel": "&Path:",
+ "FileNotInDir2": "The file \"%1\" could not be located in \"%2\". Please insert the correct disk or select another folder.",
+ "SelectDirectoryLabel": "Please specify the location of the next disk.",
+ "SetupAborted": "Setup was not completed.%n%nPlease correct the problem and run Setup again.",
+ "EntryAbortRetryIgnore": "Click Retry to try again, Ignore to proceed anyway, or Abort to cancel installation.",
+ "StatusClosingApplications": "Closing applications...",
+ "StatusCreateDirs": "Creating directories...",
+ "StatusExtractFiles": "Extracting files...",
+ "StatusCreateIcons": "Creating shortcuts...",
+ "StatusCreateIniEntries": "Creating INI entries...",
+ "StatusCreateRegistryEntries": "Creating registry entries...",
+ "StatusRegisterFiles": "Registering files...",
+ "StatusSavingUninstall": "Saving uninstall information...",
+ "StatusRunProgram": "Finishing installation...",
+ "StatusRestartingApplications": "Restarting applications...",
+ "StatusRollback": "Rolling back changes...",
+ "ErrorInternal2": "Internal error: %1",
+ "ErrorFunctionFailedNoCode": "%1 failed",
+ "ErrorFunctionFailed": "%1 failed; code %2",
+ "ErrorFunctionFailedWithMessage": "%1 failed; code %2.%n%3",
+ "ErrorExecutingProgram": "Unable to execute file:%n%1",
+ "ErrorRegOpenKey": "Error opening registry key:%n%1\\%2",
+ "ErrorRegCreateKey": "Error creating registry key:%n%1\\%2",
+ "ErrorRegWriteKey": "Error writing to registry key:%n%1\\%2",
+ "ErrorIniEntry": "Error creating INI entry in file \"%1\".",
+ "FileAbortRetryIgnore": "Click Retry to try again, Ignore to skip this file (not recommended), or Abort to cancel installation.",
+ "FileAbortRetryIgnore2": "Click Retry to try again, Ignore to proceed anyway (not recommended), or Abort to cancel installation.",
+ "SourceIsCorrupted": "The source file is corrupted",
+ "SourceDoesntExist": "The source file \"%1\" does not exist",
+ "ExistingFileReadOnly": "The existing file is marked as read-only.%n%nClick Retry to remove the read-only attribute and try again, Ignore to skip this file, or Abort to cancel installation.",
+ "ErrorReadingExistingDest": "An error occurred while trying to read the existing file:",
+ "FileExists": "The file already exists.%n%nWould you like Setup to overwrite it?",
+ "ExistingFileNewer": "The existing file is newer than the one Setup is trying to install. It is recommended that you keep the existing file.%n%nDo you want to keep the existing file?",
+ "ErrorChangingAttr": "An error occurred while trying to change the attributes of the existing file:",
+ "ErrorCreatingTemp": "An error occurred while trying to create a file in the destination directory:",
+ "ErrorReadingSource": "An error occurred while trying to read the source file:",
+ "ErrorCopying": "An error occurred while trying to copy a file:",
+ "ErrorReplacingExistingFile": "An error occurred while trying to replace the existing file:",
+ "ErrorRestartReplace": "RestartReplace failed:",
+ "ErrorRenamingTemp": "An error occurred while trying to rename a file in the destination directory:",
+ "ErrorRegisterServer": "Unable to register the DLL/OCX: %1",
+ "ErrorRegSvr32Failed": "RegSvr32 failed with exit code %1",
+ "ErrorRegisterTypeLib": "Unable to register the type library: %1",
+ "ErrorOpeningReadme": "An error occurred while trying to open the README file.",
+ "ErrorRestartingComputer": "Setup was unable to restart the computer. Please do this manually.",
+ "UninstallNotFound": "File \"%1\" does not exist. Cannot uninstall.",
+ "UninstallOpenError": "File \"%1\" could not be opened. Cannot uninstall",
+ "UninstallUnsupportedVer": "The uninstall log file \"%1\" is in a format not recognized by this version of the uninstaller. Cannot uninstall",
+ "UninstallUnknownEntry": "An unknown entry (%1) was encountered in the uninstall log",
+ "ConfirmUninstall": "Are you sure you want to completely remove %1? Extensions and settings will not be removed.",
+ "UninstallOnlyOnWin64": "This installation can only be uninstalled on 64-bit Windows.",
+ "OnlyAdminCanUninstall": "This installation can only be uninstalled by a user with administrative privileges.",
+ "UninstallStatusLabel": "Please wait while %1 is removed from your computer.",
+ "UninstalledAll": "%1 was successfully removed from your computer.",
+ "UninstalledMost": "%1 uninstall complete.%n%nSome elements could not be removed. These can be removed manually.",
+ "UninstalledAndNeedsRestart": "To complete the uninstallation of %1, your computer must be restarted.%n%nWould you like to restart now?",
+ "UninstallDataCorrupted": "\"%1\" file is corrupted. Cannot uninstall",
+ "ConfirmDeleteSharedFileTitle": "Remove Shared File?",
+ "ConfirmDeleteSharedFile2": "The system indicates that the following shared file is no longer in use by any programs. Would you like for Uninstall to remove this shared file?%n%nIf any programs are still using this file and it is removed, those programs may not function properly. If you are unsure, choose No. Leaving the file on your system will not cause any harm.",
+ "SharedFileNameLabel": "File name:",
+ "SharedFileLocationLabel": "Location:",
+ "WizardUninstalling": "Uninstall Status",
+ "StatusUninstalling": "Uninstalling %1...",
+ "ShutdownBlockReasonInstallingApp": "Installing %1.",
+ "ShutdownBlockReasonUninstallingApp": "Uninstalling %1.",
+ "NameAndVersion": "%1 version %2",
+ "AdditionalIcons": "Additional icons:",
+ "CreateDesktopIcon": "Create a &desktop icon",
+ "CreateQuickLaunchIcon": "Create a &Quick Launch icon",
+ "ProgramOnTheWeb": "%1 on the Web",
+ "UninstallProgram": "Uninstall %1",
+ "LaunchProgram": "Launch %1",
+ "AssocFileExtension": "&Associate %1 with the %2 file extension",
+ "AssocingFileExtension": "Associating %1 with the %2 file extension...",
+ "AutoStartProgramGroupDescription": "Startup:",
+ "AutoStartProgram": "Automatically start %1",
+ "AddonHostProgramNotFound": "%1 could not be located in the folder you selected.%n%nDo you want to continue anyway?"
+ },
+ "vs/base/common/severity": {
+ "sev.error": "Error",
+ "sev.warning": "Warning",
+ "sev.info": "Info"
+ },
+ "vs/base/common/date": {
+ "date.fromNow.now": "now",
+ "date.fromNow.seconds.singular.ago": "{0} sec ago",
+ "date.fromNow.seconds.plural.ago": "{0} secs ago",
+ "date.fromNow.seconds.singular": "{0} sec",
+ "date.fromNow.seconds.plural": "{0} secs",
+ "date.fromNow.minutes.singular.ago": "{0} min ago",
+ "date.fromNow.minutes.plural.ago": "{0} mins ago",
+ "date.fromNow.minutes.singular": "{0} min",
+ "date.fromNow.minutes.plural": "{0} mins",
+ "date.fromNow.hours.singular.ago": "{0} hr ago",
+ "date.fromNow.hours.plural.ago": "{0} hrs ago",
+ "date.fromNow.hours.singular": "{0} hr",
+ "date.fromNow.hours.plural": "{0} hrs",
+ "date.fromNow.days.singular.ago": "{0} day ago",
+ "date.fromNow.days.plural.ago": "{0} days ago",
+ "date.fromNow.days.singular": "{0} day",
+ "date.fromNow.days.plural": "{0} days",
+ "date.fromNow.weeks.singular.ago": "{0} wk ago",
+ "date.fromNow.weeks.plural.ago": "{0} wks ago",
+ "date.fromNow.weeks.singular": "{0} wk",
+ "date.fromNow.weeks.plural": "{0} wks",
+ "date.fromNow.months.singular.ago": "{0} mo ago",
+ "date.fromNow.months.plural.ago": "{0} mos ago",
+ "date.fromNow.months.singular": "{0} mo",
+ "date.fromNow.months.plural": "{0} mos",
+ "date.fromNow.years.singular.ago": "{0} yr ago",
+ "date.fromNow.years.plural.ago": "{0} yrs ago",
+ "date.fromNow.years.singular": "{0} yr",
+ "date.fromNow.years.plural": "{0} yrs"
+ },
+ "vs/base/common/errorMessage": {
+ "stackTrace.format": "{0}: {1}",
+ "nodeExceptionMessage": "A system error occurred ({0})",
+ "error.defaultMessage": "An unknown error occurred. Please consult the log for more details.",
+ "error.moreErrors": "{0} ({1} errors in total)"
+ },
+ "vs/base/node/zip": {
+ "invalid file": "Error extracting {0}. Invalid file.",
+ "incompleteExtract": "Incomplete. Found {0} of {1} entries",
+ "notFound": "{0} not found inside zip."
+ },
+ "vs/base/browser/ui/actionbar/actionbar": {
+ "titleLabel": "{0} ({1})"
+ },
+ "vs/base/node/processes": {
+ "TaskRunner.UNC": "Can't execute a shell command on a UNC drive."
+ },
+ "vs/base/browser/ui/aria/aria": {
+ "repeated": "{0} (occurred again)",
+ "repeatedNtimes": "{0} (occurred {1} times)"
+ },
+ "vs/base/browser/ui/keybindingLabel/keybindingLabel": {
+ "unbound": "unbound"
+ },
+ "vs/base/browser/ui/dialog/dialog": {
+ "ok": "OK",
+ "dialogClose": "Close Dialog"
+ },
+ "vs/base/common/keybindingLabels": {
+ "ctrlKey": "Ctrl",
+ "shiftKey": "Shift",
+ "altKey": "Alt",
+ "windowsKey": "Windows",
+ "superKey": "Super",
+ "ctrlKey.long": "Control",
+ "shiftKey.long": "Shift",
+ "altKey.long": "Alt",
+ "cmdKey.long": "Command",
+ "windowsKey.long": "Windows",
+ "superKey.long": "Super"
+ },
+ "vs/base/browser/ui/menu/menu": {
+ "titleLabel": "{0} ({1})"
+ },
+ "vs/base/browser/ui/list/listWidget": {
+ "aria list": "{0}. Use the navigation keys to navigate."
+ },
+ "vs/base/common/jsonErrorMessages": {
+ "error.invalidSymbol": "Invalid symbol",
+ "error.invalidNumberFormat": "Invalid number format",
+ "error.propertyNameExpected": "Property name expected",
+ "error.valueExpected": "Value expected",
+ "error.colonExpected": "Colon expected",
+ "error.commaExpected": "Comma expected",
+ "error.closeBraceExpected": "Closing brace expected",
+ "error.closeBracketExpected": "Closing bracket expected",
+ "error.endOfFileExpected": "End of file expected"
+ },
+ "vs/base/browser/ui/toolbar/toolbar": {
+ "moreActions": "More Actions..."
+ },
+ "vs/base/browser/ui/findinput/replaceInput": {
+ "defaultLabel": "input",
+ "label.preserveCaseCheckbox": "Preserve Case"
+ },
+ "vs/base/browser/ui/inputbox/inputBox": {
+ "alertErrorMessage": "Error: {0}",
+ "alertWarningMessage": "Warning: {0}",
+ "alertInfoMessage": "Info: {0}"
+ },
+ "vs/base/browser/ui/findinput/findInput": {
+ "defaultLabel": "input"
+ },
+ "vs/base/browser/ui/tree/treeDefaults": {
+ "collapse all": "Collapse All"
+ },
+ "vs/base/browser/ui/findinput/findInputCheckboxes": {
+ "caseDescription": "Match Case",
+ "wordsDescription": "Match Whole Word",
+ "regexDescription": "Use Regular Expression"
+ },
+ "vs/base/parts/quickinput/browser/quickInput": {
+ "quickInput.back": "Back",
+ "quickInput.steps": "{0}/{1}",
+ "quickInputBox.ariaLabel": "Type to narrow down results.",
+ "inputModeEntry": "Press 'Enter' to confirm your input or 'Escape' to cancel",
+ "inputModeEntryDescription": "{0} (Press 'Enter' to confirm or 'Escape' to cancel)",
+ "quickInput.visibleCount": "{0} Results",
+ "quickInput.countSelected": "{0} Selected",
+ "ok": "OK",
+ "custom": "Custom",
+ "quickInput.backWithKeybinding": "Back ({0})"
+ },
+ "vs/base/browser/ui/tree/abstractTree": {
+ "clear": "Clear",
+ "disable filter on type": "Disable Filter on Type",
+ "enable filter on type": "Enable Filter on Type",
+ "empty": "No elements found",
+ "found": "Matched {0} out of {1} elements"
+ },
+ "vs/base/browser/ui/splitview/paneview": {
+ "viewSection": "{0} Section"
+ },
+ "vs/base/browser/ui/menu/menubar": {
+ "mAppMenu": "Application Menu",
+ "mMore": "more"
+ },
+ "vs/editor/common/services/modelServiceImpl": {
+ "undoRedoConfirm": "Keep the undo-redo stack for {0} in memory ({1} MB)?",
+ "nok": "Discard",
+ "ok": "Keep"
+ },
+ "vs/editor/common/standaloneStrings": {
+ "noSelection": "No selection",
+ "singleSelectionRange": "Line {0}, Column {1} ({2} selected)",
+ "singleSelection": "Line {0}, Column {1}",
+ "multiSelectionRange": "{0} selections ({1} characters selected)",
+ "multiSelection": "{0} selections",
+ "emergencyConfOn": "Now changing the setting `accessibilitySupport` to 'on'.",
+ "openingDocs": "Now opening the Editor Accessibility documentation page.",
+ "readonlyDiffEditor": " in a read-only pane of a diff editor.",
+ "editableDiffEditor": " in a pane of a diff editor.",
+ "readonlyEditor": " in a read-only code editor",
+ "editableEditor": " in a code editor",
+ "changeConfigToOnMac": "To configure the editor to be optimized for usage with a Screen Reader press Command+E now.",
+ "changeConfigToOnWinLinux": "To configure the editor to be optimized for usage with a Screen Reader press Control+E now.",
+ "auto_on": "The editor is configured to be optimised for usage with a Screen Reader.",
+ "auto_off": "The editor is configured to never be optimized for usage with a Screen Reader, which is not the case at this time.",
+ "tabFocusModeOnMsg": "Pressing Tab in the current editor will move focus to the next focusable element. Toggle this behavior by pressing {0}.",
+ "tabFocusModeOnMsgNoKb": "Pressing Tab in the current editor will move focus to the next focusable element. The command {0} is currently not triggerable by a keybinding.",
+ "tabFocusModeOffMsg": "Pressing Tab in the current editor will insert the tab character. Toggle this behavior by pressing {0}.",
+ "tabFocusModeOffMsgNoKb": "Pressing Tab in the current editor will insert the tab character. The command {0} is currently not triggerable by a keybinding.",
+ "openDocMac": "Press Command+H now to open a browser window with more information related to editor accessibility.",
+ "openDocWinLinux": "Press Control+H now to open a browser window with more information related to editor accessibility.",
+ "outroMsg": "You can dismiss this tooltip and return to the editor by pressing Escape or Shift+Escape.",
+ "showAccessibilityHelpAction": "Show Accessibility Help",
+ "inspectTokens": "Developer: Inspect Tokens",
+ "gotoLineActionLabel": "Go to Line/Column...",
+ "helpQuickAccess": "Show all Quick Access Providers",
+ "quickCommandActionLabel": "Command Palette",
+ "quickCommandActionHelp": "Show and Run Commands",
+ "quickOutlineActionLabel": "Go to Symbol...",
+ "quickOutlineByCategoryActionLabel": "Go to Symbol by Category...",
+ "editorViewAccessibleLabel": "Editor content",
+ "accessibilityHelpMessage": "Press Alt+F1 for Accessibility Options.",
+ "toggleHighContrast": "Toggle High Contrast Theme",
+ "bulkEditServiceSummary": "Made {0} edits in {1} files"
+ },
+ "vs/editor/common/modes/modesRegistry": {
+ "plainText.alias": "Plain Text"
+ },
+ "vs/editor/common/view/editorColorRegistry": {
+ "lineHighlight": "Background colour for the highlight of line at the cursor position.",
+ "lineHighlightBorderBox": "Background colour for the border around the line at the cursor position.",
+ "rangeHighlight": "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.",
+ "rangeHighlightBorder": "Background colour of the border around highlighted ranges.",
+ "symbolHighlight": "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.",
+ "symbolHighlightBorder": "Background color of the border around highlighted symbols.",
+ "caret": "Colour of the editor cursor.",
+ "editorCursorBackground": "The background colour of the editor cursor. Allows customising the colour of a character overlapped by a block cursor.",
+ "editorWhitespaces": "Colour of whitespace characters in the editor.",
+ "editorIndentGuides": "Colour of the editor indentation guides.",
+ "editorActiveIndentGuide": "Colour of the active editor indentation guides.",
+ "editorLineNumbers": "Colour of the editor line numbers.",
+ "editorActiveLineNumber": "Colour of editor active line number.",
+ "deprecatedEditorActiveLineNumber": "Id is deprecated. Use 'editorLineNumber.activeForeground' instead.",
+ "editorRuler": "Colour of the editor rulers.",
+ "editorCodeLensForeground": "Foreground colour of editor code lenses",
+ "editorBracketMatchBackground": "Background colour behind matching brackets",
+ "editorBracketMatchBorder": "Colour for matching brackets boxes",
+ "editorOverviewRulerBorder": "Colour of the overview ruler border.",
+ "editorGutter": "Background colour of the editor gutter. The gutter contains the glyph margins and the line numbers.",
+ "unnecessaryCodeBorder": "Border color of unnecessary (unused) source code in the editor.",
+ "unnecessaryCodeOpacity": "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.",
+ "overviewRulerRangeHighlight": "Overview ruler marker color for range highlights. The color must not be opaque so as not to hide underlying decorations.",
+ "overviewRuleError": "Overview ruler marker colour for errors.",
+ "overviewRuleWarning": "Overview ruler marker colour for warnings.",
+ "overviewRuleInfo": "Overview ruler marker colour for infos."
+ },
+ "vs/editor/common/model/editStack": {
+ "edit": "Typing"
+ },
+ "vs/editor/common/config/commonEditorConfig": {
+ "editorConfigurationTitle": "Editor",
+ "tabSize": "The number of spaces a tab is equal to. This setting is overridden based on the file contents when `#editor.detectIndentation#` is on.",
+ "insertSpaces": "Insert spaces when pressing `Tab`. This setting is overridden based on the file contents when `#editor.detectIndentation#` is on.",
+ "detectIndentation": "Controls whether `#editor.tabSize#` and `#editor.insertSpaces#` will be automatically detected when a file is opened based on the file contents.",
+ "trimAutoWhitespace": "Remove trailing auto inserted whitespace.",
+ "largeFileOptimizations": "Special handling for large files to disable certain memory intensive features.",
+ "wordBasedSuggestions": "Controls whether completions should be computed based on words in the document.",
+ "semanticHighlighting.enabled": "Controls whether the semanticHighlighting is shown for the languages that support it.",
+ "stablePeek": "Keep peek editors open even when double clicking their content or when hitting `Escape`.",
+ "maxTokenizationLineLength": "Lines above this length will not be tokenised for performance reasons",
+ "maxComputationTime": "Timeout in milliseconds after which diff computation is cancelled. Use 0 for no timeout.",
+ "sideBySide": "Controls whether the diff editor shows the diff side by side or inline.",
+ "ignoreTrimWhitespace": "When enabled, the diff editor ignores changes in leading or trailing whitespace.",
+ "renderIndicators": "Controls whether the diff editor shows +/- indicators for added/removed changes."
+ },
+ "vs/editor/browser/controller/coreCommands": {
+ "miSelectAll": "&&Select All",
+ "selectAll": "Select All",
+ "miUndo": "&&Undo",
+ "undo": "Undo",
+ "miRedo": "&&Redo",
+ "redo": "Redo"
+ },
+ "vs/editor/browser/widget/codeEditorWidget": {
+ "cursors.maximum": "The number of cursors has been limited to {0}."
+ },
+ "vs/editor/browser/widget/diffEditorWidget": {
+ "diff.tooLarge": "Cannot compare files because one file is too large."
+ },
+ "vs/editor/browser/widget/inlineDiffMargin": {
+ "diff.clipboard.copyDeletedLinesContent.label": "Copy deleted lines",
+ "diff.clipboard.copyDeletedLinesContent.single.label": "Copy deleted line",
+ "diff.clipboard.copyDeletedLineContent.label": "Copy deleted line ({0})",
+ "diff.inline.revertChange.label": "Revert this change"
+ },
+ "vs/editor/common/config/editorOptions": {
+ "accessibilitySupport.auto": "The editor will use platform APIs to detect when a Screen Reader is attached.",
+ "accessibilitySupport.on": "The editor will be permanently optimised for usage with a Screen Reader.",
+ "accessibilitySupport.off": "The editor will never be optimised for usage with a Screen Reader.",
+ "accessibilitySupport": "Controls whether the editor should run in a mode where it is optimised for screen readers.",
+ "comments.insertSpace": "Controls whether a space character is inserted when commenting.",
+ "emptySelectionClipboard": "Controls whether copying without a selection copies the current line.",
+ "find.seedSearchStringFromSelection": "Controls whether the search string in the Find Widget is seeded from the editor selection.",
+ "editor.find.autoFindInSelection.never": "Never turn on Find in selection automatically (default)",
+ "editor.find.autoFindInSelection.always": "Always turn on Find in selection automatically",
+ "editor.find.autoFindInSelection.multiline": "Turn on Find in selection automatically when multiple lines of content are selected.",
+ "find.autoFindInSelection": "Controls whether the find operation is carried out on selected text or the entire file in the editor.",
+ "find.globalFindClipboard": "Controls whether the Find Widget should read or modify the shared find clipboard on macOS.",
+ "find.addExtraSpaceOnTop": "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.",
+ "fontLigatures": "Enables/Disables font ligatures.",
+ "fontFeatureSettings": "Explicit font-feature-settings.",
+ "fontLigaturesGeneral": "Configures font ligatures or font features.",
+ "fontSize": "Controls the font size in pixels.",
+ "editor.gotoLocation.multiple.peek": "Show peek view of the results (default)",
+ "editor.gotoLocation.multiple.gotoAndPeek": "Go to the primary result and show a peek view",
+ "editor.gotoLocation.multiple.goto": "Go to the primary result and enable peek-less navigation to others",
+ "editor.gotoLocation.multiple.deprecated": "This setting is deprecated, please use separate settings like 'editor.editor.gotoLocation.multipleDefinitions' or 'editor.editor.gotoLocation.multipleImplementations' instead.",
+ "editor.editor.gotoLocation.multipleDefinitions": "Controls the behavior the 'Go to Definition'-command when multiple target locations exist.",
+ "editor.editor.gotoLocation.multipleTypeDefinitions": "Controls the behavior the 'Go to Type Definition'-command when multiple target locations exist.",
+ "editor.editor.gotoLocation.multipleDeclarations": "Controls the behavior the 'Go to Declaration'-command when multiple target locations exist.",
+ "editor.editor.gotoLocation.multipleImplemenattions": "Controls the behavior the 'Go to Implementations'-command when multiple target locations exist.",
+ "editor.editor.gotoLocation.multipleReferences": "Controls the behavior the 'Go to References'-command when multiple target locations exist.",
+ "alternativeDefinitionCommand": "Alternative command id that is being executed when the result of 'Go to Definition' is the current location.",
+ "alternativeTypeDefinitionCommand": "Alternative command id that is being executed when the result of 'Go to Type Definition' is the current location.",
+ "alternativeDeclarationCommand": "Alternative command id that is being executed when the result of 'Go to Declaration' is the current location.",
+ "alternativeImplementationCommand": "Alternative command id that is being executed when the result of 'Go to Implementation' is the current location.",
+ "alternativeReferenceCommand": "Alternative command id that is being executed when the result of 'Go to Reference' is the current location.",
+ "hover.enabled": "Controls whether the hover is shown.",
+ "hover.delay": "Controls the delay in milliseconds after which the hover is shown.",
+ "hover.sticky": "Controls whether the hover should remain visible when mouse is moved over it.",
+ "codeActions": "Enables the code action lightbulb in the editor.",
+ "lineHeight": "Controls the line height. Use 0 to compute the line height from the font size.",
+ "minimap.enabled": "Controls whether the minimap is shown.",
+ "minimap.size.proportional": "The minimap has the same size as the editor contents (and might scroll).",
+ "minimap.size.fill": "The minimap will stretch or shrink as necessary to fill the height of the editor (no scrolling).",
+ "minimap.size.fit": "The minimap will shrink as necessary to never be larger than the editor (no scrolling).",
+ "minimap.size": "Controls the size of the minimap.",
+ "minimap.side": "Controls the side where to render the minimap.",
+ "minimap.showSlider": "Controls when the minimap slider is shown.",
+ "minimap.scale": "Scale of content drawn in the minimap: 1, 2 or 3.",
+ "minimap.renderCharacters": "Render the actual characters on a line as opposed to colour blocks.",
+ "minimap.maxColumn": "Limit the width of the minimap to render at most a certain number of columns.",
+ "padding.top": "Controls the amount of space between the top edge of the editor and the first line.",
+ "padding.bottom": "Controls the amount of space between the bottom edge of the editor and the last line.",
+ "parameterHints.enabled": "Enables a pop-up that shows parameter documentation and type information as you type.",
+ "parameterHints.cycle": "Controls whether the parameter hints menu cycles or closes when reaching the end of the list.",
+ "quickSuggestions.strings": "Enable quick suggestions inside strings.",
+ "quickSuggestions.comments": "Enable quick suggestions inside comments.",
+ "quickSuggestions.other": "Enable quick suggestions outside of strings and comments.",
+ "quickSuggestions": "Controls whether suggestions should automatically show up while typing.",
+ "lineNumbers.off": "Line numbers are not rendered.",
+ "lineNumbers.on": "Line numbers are rendered as absolute number.",
+ "lineNumbers.relative": "Line numbers are rendered as distance in lines to cursor position.",
+ "lineNumbers.interval": "Line numbers are rendered every 10 lines.",
+ "lineNumbers": "Controls the display of line numbers.",
+ "rulers.size": "Number of monospace characters at which this editor ruler will render.",
+ "rulers.color": "Color of this editor ruler.",
+ "rulers": "Render vertical rulers after a certain number of monospace characters. Use multiple values for multiple rulers. No rulers are drawn if array is empty.",
+ "suggest.insertMode.insert": "Insert suggestion without overwriting text right of the cursor.",
+ "suggest.insertMode.replace": "Insert suggestion and overwrite text right of the cursor.",
+ "suggest.insertMode": "Controls whether words are overwritten when accepting completions. Note that this depends on extensions opting into this feature.",
+ "suggest.filterGraceful": "Controls whether filtering and sorting suggestions accounts for small typos.",
+ "suggest.localityBonus": "Controls whether sorting favours words that appear close to the cursor.",
+ "suggest.shareSuggestSelections": "Controls whether remembered suggestion selections are shared between multiple workspaces and windows (needs `#editor.suggestSelection#`).",
+ "suggest.snippetsPreventQuickSuggestions": "Controls whether an active snippet prevents quick suggestions.",
+ "suggest.showIcons": "Controls whether to show or hide icons in suggestions.",
+ "suggest.maxVisibleSuggestions": "Controls how many suggestions IntelliSense will show before showing a scrollbar (maximum 15).",
+ "deprecated": "This setting is deprecated, please use separate settings like 'editor.suggest.showKeywords' or 'editor.suggest.showSnippets' instead.",
+ "editor.suggest.showMethods": "When enabled IntelliSense shows `method`-suggestions.",
+ "editor.suggest.showFunctions": "When enabled IntelliSense shows `function`-suggestions.",
+ "editor.suggest.showConstructors": "When enabled IntelliSense shows `constructor`-suggestions.",
+ "editor.suggest.showFields": "When enabled IntelliSense shows `field`-suggestions.",
+ "editor.suggest.showVariables": "When enabled IntelliSense shows `variable`-suggestions.",
+ "editor.suggest.showClasss": "When enabled IntelliSense shows `class`-suggestions.",
+ "editor.suggest.showStructs": "When enabled IntelliSense shows `struct`-suggestions.",
+ "editor.suggest.showInterfaces": "When enabled IntelliSense shows `interface`-suggestions.",
+ "editor.suggest.showModules": "When enabled IntelliSense shows `module`-suggestions.",
+ "editor.suggest.showPropertys": "When enabled IntelliSense shows `property`-suggestions.",
+ "editor.suggest.showEvents": "When enabled IntelliSense shows `event`-suggestions.",
+ "editor.suggest.showOperators": "When enabled IntelliSense shows `operator`-suggestions.",
+ "editor.suggest.showUnits": "When enabled IntelliSense shows `unit`-suggestions.",
+ "editor.suggest.showValues": "When enabled IntelliSense shows `value`-suggestions.",
+ "editor.suggest.showConstants": "When enabled IntelliSense shows `constant`-suggestions.",
+ "editor.suggest.showEnums": "When enabled IntelliSense shows `enum`-suggestions.",
+ "editor.suggest.showEnumMembers": "When enabled IntelliSense shows `enumMember`-suggestions.",
+ "editor.suggest.showKeywords": "When enabled IntelliSense shows `keyword`-suggestions.",
+ "editor.suggest.showTexts": "When enabled IntelliSense shows `text`-suggestions.",
+ "editor.suggest.showColors": "When enabled IntelliSense shows `color`-suggestions.",
+ "editor.suggest.showFiles": "When enabled IntelliSense shows `file`-suggestions.",
+ "editor.suggest.showReferences": "When enabled IntelliSense shows `reference`-suggestions.",
+ "editor.suggest.showCustomcolors": "When enabled IntelliSense shows `customcolor`-suggestions.",
+ "editor.suggest.showFolders": "When enabled IntelliSense shows `folder`-suggestions.",
+ "editor.suggest.showTypeParameters": "When enabled IntelliSense shows `typeParameter`-suggestions.",
+ "editor.suggest.showSnippets": "When enabled IntelliSense shows `snippet`-suggestions.",
+ "editor.suggest.showUsers": "When enabled IntelliSense shows `user`-suggestions.",
+ "editor.suggest.showIssues": "When enabled IntelliSense shows `issues`-suggestions.",
+ "editor.suggest.statusBar.visible": "Controls the visibility of the status bar at the bottom of the suggest widget.",
+ "acceptSuggestionOnCommitCharacter": "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.",
+ "acceptSuggestionOnEnterSmart": "Only accept a suggestion with `Enter` when it makes a textual change.",
+ "acceptSuggestionOnEnter": "Controls whether suggestions should be accepted on `Enter`, in addition to `Tab`. Helps to avoid ambiguity between inserting new lines or accepting suggestions.",
+ "accessibilityPageSize": "Controls the number of lines in the editor that can be read out by a screen reader. Warning: this has a performance implication for numbers larger than the default.",
+ "editorViewAccessibleLabel": "Editor content",
+ "editor.autoClosingBrackets.languageDefined": "Use language configurations to determine when to autoclose brackets.",
+ "editor.autoClosingBrackets.beforeWhitespace": "Autoclose brackets only when the cursor is to the left of whitespace.",
+ "autoClosingBrackets": "Controls whether the editor should automatically close brackets after the user adds an opening bracket.",
+ "editor.autoClosingOvertype.auto": "Type over closing quotes or brackets only if they were automatically inserted.",
+ "autoClosingOvertype": "Controls whether the editor should type over closing quotes or brackets.",
+ "editor.autoClosingQuotes.languageDefined": "Use language configurations to determine when to autoclose quotes.",
+ "editor.autoClosingQuotes.beforeWhitespace": "Autoclose quotes only when the cursor is to the left of whitespace.",
+ "autoClosingQuotes": "Controls whether the editor should automatically close quotes after the user adds an opening quote.",
+ "editor.autoIndent.none": "The editor will not insert indentation automatically.",
+ "editor.autoIndent.keep": "The editor will keep the current line's indentation.",
+ "editor.autoIndent.brackets": "The editor will keep the current line's indentation and honor language defined brackets.",
+ "editor.autoIndent.advanced": "The editor will keep the current line's indentation, honor language defined brackets and invoke special onEnterRules defined by languages.",
+ "editor.autoIndent.full": "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.",
+ "autoIndent": "Controls whether the editor should automatically adjust the indentation when users type, paste, move or indent lines.",
+ "editor.autoSurround.languageDefined": "Use language configurations to determine when to automatically surround selections.",
+ "editor.autoSurround.quotes": "Surround with quotes but not brackets.",
+ "editor.autoSurround.brackets": "Surround with brackets but not quotes.",
+ "autoSurround": "Controls whether the editor should automatically surround selections.",
+ "codeLens": "Controls whether the editor shows CodeLens.",
+ "colorDecorators": "Controls whether the editor should render the inline colour decorators and colour picker.",
+ "columnSelection": "Enable that the selection with the mouse and keys is doing column selection.",
+ "copyWithSyntaxHighlighting": "Controls whether syntax highlighting should be copied into the clipboard.",
+ "cursorBlinking": "Control the cursor animation style.",
+ "cursorSmoothCaretAnimation": "Controls whether the smooth caret animation should be enabled.",
+ "cursorStyle": "Controls the cursor style.",
+ "cursorSurroundingLines": "Controls the minimal number of visible leading and trailing lines surrounding the cursor. Known as 'scrollOff' or `scrollOffset` in some other editors.",
+ "cursorSurroundingLinesStyle.default": "`cursorSurroundingLines` is enforced only when triggered via the keyboard or API.",
+ "cursorSurroundingLinesStyle.all": "`cursorSurroundingLines` is enforced always.",
+ "cursorSurroundingLinesStyle": "Controls when `cursorSurroundingLines` should be enforced.",
+ "cursorWidth": "Controls the width of the cursor when `#editor.cursorStyle#` is set to `line`.",
+ "dragAndDrop": "Controls whether the editor should allow moving selections via drag and drop.",
+ "fastScrollSensitivity": "Scrolling speed multiplier when pressing `Alt`.",
+ "folding": "Controls whether the editor has code folding enabled.",
+ "foldingStrategy.auto": "Use a language-specific folding strategy if available, else the indentation-based one.",
+ "foldingStrategy.indentation": "Use the indentation-based folding strategy.",
+ "foldingStrategy": "Controls the strategy for computing folding ranges.",
+ "foldingHighlight": "Controls whether the editor should highlight folded ranges.",
+ "unfoldOnClickAfterEndOfLine": "Controls whether clicking on the empty content after a folded line will unfold the line.",
+ "fontFamily": "Controls the font family.",
+ "fontWeight": "Controls the font weight.",
+ "formatOnPaste": "Controls whether the editor should automatically format the pasted content. A formatter must be available and should be able to format a range in a document.",
+ "formatOnType": "Controls whether the editor should automatically format the line after typing.",
+ "glyphMargin": "Controls whether the editor should render the vertical glyph margin. Glyph margin is mostly used for debugging.",
+ "hideCursorInOverviewRuler": "Controls whether the cursor should be hidden in the overview ruler.",
+ "highlightActiveIndentGuide": "Controls whether the editor should highlight the active indent guide.",
+ "letterSpacing": "Controls the letter spacing in pixels.",
+ "links": "Controls whether the editor should detect links and make them clickable.",
+ "matchBrackets": "Highlight matching brackets.",
+ "mouseWheelScrollSensitivity": "A multiplier to be used on the `deltaX` and `deltaY` of mouse wheel scroll events.",
+ "mouseWheelZoom": "Zoom the font of the editor when using mouse wheel and holding `Ctrl`.",
+ "multiCursorMergeOverlapping": "Merge multiple cursors when they are overlapping.",
+ "multiCursorModifier.ctrlCmd": "Maps to `Control` on Windows and Linux and to `Command` on macOS.",
+ "multiCursorModifier.alt": "Maps to `Alt` on Windows and Linux and to `Option` on macOS.",
+ "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. [Read more](https://code.visualstudio.com/docs/editor/codebasics#_multicursor-modifier).",
+ "multiCursorPaste.spread": "Each cursor pastes a single line of the text.",
+ "multiCursorPaste.full": "Each cursor pastes the full text.",
+ "multiCursorPaste": "Controls pasting when the line count of the pasted text matches the cursor count.",
+ "occurrencesHighlight": "Controls whether the editor should highlight semantic symbol occurrences.",
+ "overviewRulerBorder": "Controls whether a border should be drawn around the overview ruler.",
+ "peekWidgetDefaultFocus.tree": "Focus the tree when opening peek",
+ "peekWidgetDefaultFocus.editor": "Focus the editor when opening peek",
+ "peekWidgetDefaultFocus": "Controls whether to focus the inline editor or the tree in the peek widget.",
+ "definitionLinkOpensInPeek": "Controls whether the Go to Definition mouse gesture always opens the peek widget.",
+ "quickSuggestionsDelay": "Controls the delay in milliseconds after which quick suggestions will show up.",
+ "renameOnType": "Controls whether the editor auto renames on type.",
+ "renderControlCharacters": "Controls whether the editor should render control characters.",
+ "renderIndentGuides": "Controls whether the editor should render indent guides.",
+ "renderFinalNewline": "Render last line number when the file ends with a newline.",
+ "renderLineHighlight.all": "Highlights both the gutter and the current line.",
+ "renderLineHighlight": "Controls how the editor should render the current line highlight.",
+ "renderLineHighlightOnlyWhenFocus": "Controls if the editor should render the current line highlight only when the editor is focused",
+ "renderWhitespace.selection": "Render whitespace characters only on selected text.",
+ "renderWhitespace": "Controls how the editor should render whitespace characters.",
+ "roundedSelection": "Controls whether selections should have rounded corners.",
+ "scrollBeyondLastColumn": "Controls the number of extra characters beyond which the editor will scroll horizontally.",
+ "scrollBeyondLastLine": "Controls whether the editor will scroll beyond the last line.",
+ "scrollPredominantAxis": "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.",
+ "selectionClipboard": "Controls whether the Linux primary clipboard should be supported.",
+ "selectionHighlight": "Controls whether the editor should highlight matches similar to the selection.",
+ "showFoldingControls.always": "Always show the folding controls.",
+ "showFoldingControls.mouseover": "Only show the folding controls when the mouse is over the gutter.",
+ "showFoldingControls": "Controls when the folding controls on the gutter are shown.",
+ "showUnused": "Controls fading out of unused code.",
+ "snippetSuggestions.top": "Show snippet suggestions on top of other suggestions.",
+ "snippetSuggestions.bottom": "Show snippet suggestions below other suggestions.",
+ "snippetSuggestions.inline": "Show snippets suggestions with other suggestions.",
+ "snippetSuggestions.none": "Do not show snippet suggestions.",
+ "snippetSuggestions": "Controls whether snippets are shown with other suggestions and how they are sorted.",
+ "smoothScrolling": "Controls whether the editor will scroll using an animation.",
+ "suggestFontSize": "Font size for the suggest widget. When set to `0`, the value of `#editor.fontSize#` is used.",
+ "suggestLineHeight": "Line height for the suggest widget. When set to `0`, the value of `#editor.lineHeight#` is used.",
+ "suggestOnTriggerCharacters": "Controls whether suggestions should automatically show up when typing trigger characters.",
+ "suggestSelection.first": "Always select the first suggestion.",
+ "suggestSelection.recentlyUsed": "Select recent suggestions unless further typing selects one, e.g. `console.| -> console.log` because `log` has been completed recently.",
+ "suggestSelection.recentlyUsedByPrefix": "Select suggestions based on previous prefixes that have completed those suggestions, e.g. `co -> console` and `con -> const`.",
+ "suggestSelection": "Controls how suggestions are pre-selected when showing the suggest list.",
+ "tabCompletion.on": "Tab complete will insert the best matching suggestion when pressing tab.",
+ "tabCompletion.off": "Disable tab completions.",
+ "tabCompletion.onlySnippets": "Tab complete snippets when their prefix match. Works best when 'quickSuggestions' aren't enabled.",
+ "tabCompletion": "Enables tab completions.",
+ "useTabStops": "Inserting and deleting whitespace follows tab stops.",
+ "wordSeparators": "Characters that will be used as word separators when doing word related navigations or operations.",
+ "wordWrap.off": "Lines will never wrap.",
+ "wordWrap.on": "Lines will wrap at the viewport width.",
+ "wordWrap.wordWrapColumn": "Lines will wrap at `#editor.wordWrapColumn#`.",
+ "wordWrap.bounded": "Lines will wrap at the minimum of viewport and `#editor.wordWrapColumn#`.",
+ "wordWrap": "Controls how lines should wrap.",
+ "wordWrapColumn": "Controls the wrapping column of the editor when `#editor.wordWrap#` is `wordWrapColumn` or `bounded`.",
+ "wrappingIndent.none": "No indentation. Wrapped lines begin at column 1.",
+ "wrappingIndent.same": "Wrapped lines get the same indentation as the parent.",
+ "wrappingIndent.indent": "Wrapped lines get +1 indentation toward the parent.",
+ "wrappingIndent.deepIndent": "Wrapped lines get +2 indentation toward the parent.",
+ "wrappingIndent": "Controls the indentation of wrapped lines.",
+ "wrappingStrategy.simple": "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.",
+ "wrappingStrategy.advanced": "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.",
+ "wrappingStrategy": "Controls the algorithm that computes wrapping points."
+ },
+ "vs/editor/browser/widget/diffReview": {
+ "label.close": "Close",
+ "no_lines_changed": "no lines changed",
+ "one_line_changed": "1 line changed",
+ "more_lines_changed": "{0} lines changed",
+ "header": "Difference {0} of {1}: original line {2}, {3}, modified line {4}, {5}",
+ "blankLine": "blank",
+ "equalLine": "{0} original line {1} modified line {2}",
+ "insertLine": "+ {0} modified line {1}",
+ "deleteLine": "- {0} original line {1}",
+ "editor.action.diffReview.next": "Go to Next Difference",
+ "editor.action.diffReview.prev": "Go to Previous Difference"
+ },
+ "vs/editor/browser/controller/textAreaHandler": {
+ "accessibilityOffAriaLabel": "The editor is not accessible at this time. Press {0} for options."
+ },
+ "vs/editor/contrib/caretOperations/transpose": {
+ "transposeLetters.label": "Transpose Letters"
+ },
+ "vs/editor/contrib/cursorUndo/cursorUndo": {
+ "cursor.undo": "Cursor Undo",
+ "cursor.redo": "Cursor Redo"
+ },
+ "vs/editor/contrib/comment/comment": {
+ "comment.line": "Toggle Line Comment",
+ "miToggleLineComment": "&&Toggle Line Comment",
+ "comment.line.add": "Add Line Comment",
+ "comment.line.remove": "Remove Line Comment",
+ "comment.block": "Toggle Block Comment",
+ "miToggleBlockComment": "Toggle &&Block Comment"
+ },
+ "vs/editor/contrib/caretOperations/caretOperations": {
+ "caret.moveLeft": "Move Selected Text Left",
+ "caret.moveRight": "Move Selected Text Right"
+ },
+ "vs/editor/contrib/fontZoom/fontZoom": {
+ "EditorFontZoomIn.label": "Editor Font Zoom In",
+ "EditorFontZoomOut.label": "Editor Font Zoom Out",
+ "EditorFontZoomReset.label": "Editor Font Zoom Reset"
+ },
+ "vs/editor/contrib/parameterHints/parameterHints": {
+ "parameterHints.trigger.label": "Trigger Parameter Hints"
+ },
+ "vs/editor/contrib/tokenization/tokenization": {
+ "forceRetokenize": "Developer: Force Retokenize"
+ },
+ "vs/editor/contrib/toggleTabFocusMode/toggleTabFocusMode": {
+ "toggle.tabMovesFocus": "Toggle Tab Key Moves Focus",
+ "toggle.tabMovesFocus.on": "Pressing Tab will now move focus to the next focusable element",
+ "toggle.tabMovesFocus.off": "Pressing Tab will now insert the tab character"
+ },
+ "vs/editor/contrib/clipboard/clipboard": {
+ "actions.clipboard.cutLabel": "Cut",
+ "miCut": "Cu&&t",
+ "actions.clipboard.copyLabel": "Copy",
+ "miCopy": "&&Copy",
+ "actions.clipboard.pasteLabel": "Paste",
+ "miPaste": "&&Paste",
+ "actions.clipboard.copyWithSyntaxHighlightingLabel": "Copy With Syntax Highlighting"
+ },
+ "vs/editor/contrib/format/formatActions": {
+ "formatDocument.label": "Format Document",
+ "formatSelection.label": "Format Selection"
+ },
+ "vs/editor/contrib/contextmenu/contextmenu": {
+ "action.showContextMenu.label": "Show Editor Context Menu"
+ },
+ "vs/editor/contrib/hover/hover": {
+ "showHover": "Show Hover",
+ "showDefinitionPreviewHover": "Show Definition Preview Hover"
+ },
+ "vs/editor/contrib/inPlaceReplace/inPlaceReplace": {
+ "InPlaceReplaceAction.previous.label": "Replace with Previous Value",
+ "InPlaceReplaceAction.next.label": "Replace with Next Value"
+ },
+ "vs/editor/contrib/rename/rename": {
+ "no result": "No result.",
+ "resolveRenameLocationFailed": "An unknown error occurred while resolving rename location",
+ "label": "Renaming '{0}'",
+ "quotableLabel": "Renaming {0}",
+ "aria": "Successfully renamed '{0}' to '{1}'. Summary: {2}",
+ "rename.failedApply": "Rename failed to apply edits",
+ "rename.failed": "Rename failed to compute edits",
+ "rename.label": "Rename Symbol",
+ "enablePreview": "Enable/disable the ability to preview changes before renaming"
+ },
+ "vs/editor/contrib/smartSelect/smartSelect": {
+ "smartSelect.expand": "Expand Selection",
+ "miSmartSelectGrow": "&&Expand Selection",
+ "smartSelect.shrink": "Shrink Selection",
+ "miSmartSelectShrink": "&&Shrink Selection"
+ },
+ "vs/editor/contrib/bracketMatching/bracketMatching": {
+ "overviewRulerBracketMatchForeground": "Overview ruler marker colour for matching brackets.",
+ "smartSelect.jumpBracket": "Go to Bracket",
+ "smartSelect.selectToBracket": "Select to Bracket",
+ "miGoToBracket": "Go to &&Bracket"
+ },
+ "vs/editor/contrib/codelens/codelensController": {
+ "showLensOnLine": "Show Code Lens Commands For Current Line"
+ },
+ "vs/editor/contrib/gotoSymbol/link/goToDefinitionAtPosition": {
+ "multipleResults": "Click to show {0} definitions."
+ },
+ "vs/editor/contrib/links/links": {
+ "links.navigate.executeCmd": "Execute command",
+ "links.navigate.follow": "Follow link",
+ "links.navigate.kb.meta.mac": "cmd + click",
+ "links.navigate.kb.meta": "ctrl + click",
+ "links.navigate.kb.alt.mac": "option + click",
+ "links.navigate.kb.alt": "alt + click",
+ "invalid.url": "Failed to open this link because it is not well-formed: {0}",
+ "missing.url": "Failed to open this link because its target is missing.",
+ "label": "Open Link"
+ },
+ "vs/editor/contrib/gotoError/gotoError": {
+ "markerAction.next.label": "Go to Next Problem (Error, Warning, Info)",
+ "markerAction.previous.label": "Go to Previous Problem (Error, Warning, Info)",
+ "markerAction.nextInFiles.label": "Go to Next Problem in Files (Error, Warning, Info)",
+ "markerAction.previousInFiles.label": "Go to Previous Problem in Files (Error, Warning, Info)",
+ "miGotoNextProblem": "Next &&Problem",
+ "miGotoPreviousProblem": "Previous &&Problem"
+ },
+ "vs/editor/contrib/rename/onTypeRename": {
+ "onTypeRename.label": "On Type Rename Symbol"
+ },
+ "vs/editor/contrib/peekView/peekView": {
+ "label.close": "Close",
+ "peekViewTitleBackground": "Background colour of the peek view title area.",
+ "peekViewTitleForeground": "Colour of the peek view title.",
+ "peekViewTitleInfoForeground": "Colour of the peek view title info.",
+ "peekViewBorder": "Colour of the peek view borders and arrow.",
+ "peekViewResultsBackground": "Background colour of the peek view result list.",
+ "peekViewResultsMatchForeground": "Foreground colour for line nodes in the peek view result list.",
+ "peekViewResultsFileForeground": "Foreground colour for file nodes in the peek view result list.",
+ "peekViewResultsSelectionBackground": "Background colour of the selected entry in the peek view result list.",
+ "peekViewResultsSelectionForeground": "Foreground colour of the selected entry in the peek view result list.",
+ "peekViewEditorBackground": "Background colour of the peek view editor.",
+ "peekViewEditorGutterBackground": "Background colour of the gutter in the peek view editor.",
+ "peekViewResultsMatchHighlight": "Match highlight colour in the peek view result list.",
+ "peekViewEditorMatchHighlight": "Match highlight colour in the peek view editor.",
+ "peekViewEditorMatchHighlightBorder": "Match highlight border in the peek view editor."
+ },
+ "vs/editor/contrib/gotoSymbol/goToCommands": {
+ "peek.submenu": "Peek",
+ "def.title": "Definitions",
+ "noResultWord": "No definition found for '{0}'",
+ "generic.noResults": "No definition found",
+ "actions.goToDecl.label": "Go to Definition",
+ "miGotoDefinition": "Go to &&Definition",
+ "actions.goToDeclToSide.label": "Open Definition to the Side",
+ "actions.previewDecl.label": "Peek Definition",
+ "decl.title": "Declarations",
+ "decl.noResultWord": "No declaration found for '{0}'",
+ "decl.generic.noResults": "No declaration found",
+ "actions.goToDeclaration.label": "Go to Declaration",
+ "miGotoDeclaration": "Go to &&Declaration",
+ "actions.peekDecl.label": "Peek Declaration",
+ "typedef.title": "Type Definitions",
+ "goToTypeDefinition.noResultWord": "No type definition found for '{0}'",
+ "goToTypeDefinition.generic.noResults": "No type definition found",
+ "actions.goToTypeDefinition.label": "Go to Type Definition",
+ "miGotoTypeDefinition": "Go to &&Type Definition",
+ "actions.peekTypeDefinition.label": "Peek Type Definition",
+ "impl.title": "Implementations",
+ "goToImplementation.noResultWord": "No implementation found for '{0}'",
+ "goToImplementation.generic.noResults": "No implementation found",
+ "actions.goToImplementation.label": "Go to Implementations",
+ "miGotoImplementation": "Go to &&Implementations",
+ "actions.peekImplementation.label": "Peek Implementations",
+ "references.no": "No references found for '{0}'",
+ "references.noGeneric": "No references found",
+ "goToReferences.label": "Go to References",
+ "miGotoReference": "Go to &&References",
+ "ref.title": "References",
+ "references.action.label": "Peek References",
+ "label.generic": "Go To Any Symbol",
+ "generic.title": "Locations",
+ "generic.noResult": "No results for '{0}'"
+ },
+ "vs/editor/contrib/indentation/indentation": {
+ "indentationToSpaces": "Convert Indentation to Spaces",
+ "indentationToTabs": "Convert Indentation to Tabs",
+ "configuredTabSize": "Configured Tab Size",
+ "selectTabWidth": "Select Tab Size for Current File",
+ "indentUsingTabs": "Indent Using Tabs",
+ "indentUsingSpaces": "Indent Using Spaces",
+ "detectIndentation": "Detect Indentation from Content",
+ "editor.reindentlines": "Reindent Lines",
+ "editor.reindentselectedlines": "Reindent Selected Lines"
+ },
+ "vs/editor/contrib/wordHighlighter/wordHighlighter": {
+ "wordHighlight": "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.",
+ "wordHighlightStrong": "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.",
+ "wordHighlightBorder": "Border colour of a symbol during read-access, like reading a variable.",
+ "wordHighlightStrongBorder": "Border colour of a symbol during write-access, like writing to a variable.",
+ "overviewRulerWordHighlightForeground": "Overview ruler marker color for symbol highlights. The color must not be opaque so as not to hide underlying decorations.",
+ "overviewRulerWordHighlightStrongForeground": "Overview ruler marker color for write-access symbol highlights. The color must not be opaque so as not to hide underlying decorations.",
+ "wordHighlight.next.label": "Go to Next Symbol Highlight",
+ "wordHighlight.previous.label": "Go to Previous Symbol Highlight",
+ "wordHighlight.trigger.label": "Trigger Symbol Highlight"
+ },
+ "vs/editor/contrib/find/findController": {
+ "startFindAction": "Find",
+ "miFind": "&&Find",
+ "startFindWithSelectionAction": "Find With Selection",
+ "findNextMatchAction": "Find Next",
+ "findPreviousMatchAction": "Find Previous",
+ "nextSelectionMatchFindAction": "Find Next Selection",
+ "previousSelectionMatchFindAction": "Find Previous Selection",
+ "startReplace": "Replace",
+ "miReplace": "&&Replace"
+ },
+ "vs/editor/contrib/suggest/suggestController": {
+ "arai.alert.snippet": "Accepting '{0}' made {1} additional edits",
+ "suggest.trigger.label": "Trigger Suggest",
+ "accept.accept": "{0} to insert",
+ "accept.insert": "{0} to insert",
+ "accept.replace": "{0} to replace",
+ "detail.more": "show less",
+ "detail.less": "show more"
+ },
+ "vs/editor/contrib/quickAccess/gotoLineQuickAccess": {
+ "cannotRunGotoLine": "Open a text editor first to go to a line.",
+ "gotoLineColumnLabel": "Go to line {0} and column {1}.",
+ "gotoLineLabel": "Go to line {0}.",
+ "gotoLineLabelEmptyWithLimit": "Current Line: {0}, Character: {1}. Type a line number between 1 and {2} to navigate to.",
+ "gotoLineLabelEmpty": "Current Line: {0}, Character: {1}. Type a line number to navigate to."
+ },
+ "vs/editor/contrib/folding/folding": {
+ "unfoldAction.label": "Unfold",
+ "unFoldRecursivelyAction.label": "Unfold Recursively",
+ "foldAction.label": "Fold",
+ "toggleFoldAction.label": "Toggle Fold",
+ "foldRecursivelyAction.label": "Fold Recursively",
+ "foldAllBlockComments.label": "Fold All Block Comments",
+ "foldAllMarkerRegions.label": "Fold All Regions",
+ "unfoldAllMarkerRegions.label": "Unfold All Regions",
+ "foldAllAction.label": "Fold All",
+ "unfoldAllAction.label": "Unfold All",
+ "foldLevelAction.label": "Fold Level {0}",
+ "foldBackgroundBackground": "Background color behind folded ranges. The color must not be opaque so as not to hide underlying decorations."
+ },
+ "vs/editor/contrib/linesOperations/linesOperations": {
+ "lines.copyUp": "Copy Line Up",
+ "miCopyLinesUp": "&&Copy Line Up",
+ "lines.copyDown": "Copy Line Down",
+ "miCopyLinesDown": "Co&&py Line Down",
+ "duplicateSelection": "Duplicate Selection",
+ "miDuplicateSelection": "&&Duplicate Selection",
+ "lines.moveUp": "Move Line Up",
+ "miMoveLinesUp": "Mo&&ve Line Up",
+ "lines.moveDown": "Move Line Down",
+ "miMoveLinesDown": "Move &&Line Down",
+ "lines.sortAscending": "Sort Lines Ascending",
+ "lines.sortDescending": "Sort Lines Descending",
+ "lines.trimTrailingWhitespace": "Trim Trailing Whitespace",
+ "lines.delete": "Delete Line",
+ "lines.indent": "Indent Line",
+ "lines.outdent": "Outdent Line",
+ "lines.insertBefore": "Insert Line Above",
+ "lines.insertAfter": "Insert Line Below",
+ "lines.deleteAllLeft": "Delete All Left",
+ "lines.deleteAllRight": "Delete All Right",
+ "lines.joinLines": "Join Lines",
+ "editor.transpose": "Transpose characters around the cursor",
+ "editor.transformToUppercase": "Transform to Uppercase",
+ "editor.transformToLowercase": "Transform to Lowercase",
+ "editor.transformToTitlecase": "Transform to Title Case"
+ },
+ "vs/editor/contrib/multicursor/multicursor": {
+ "mutlicursor.insertAbove": "Add Cursor Above",
+ "miInsertCursorAbove": "&&Add Cursor Above",
+ "mutlicursor.insertBelow": "Add Cursor Below",
+ "miInsertCursorBelow": "A&&dd Cursor Below",
+ "mutlicursor.insertAtEndOfEachLineSelected": "Add Cursors to Line Ends",
+ "miInsertCursorAtEndOfEachLineSelected": "Add C&&ursors to Line Ends",
+ "mutlicursor.addCursorsToBottom": "Add Cursors To Bottom",
+ "mutlicursor.addCursorsToTop": "Add Cursors To Top",
+ "addSelectionToNextFindMatch": "Add Selection To Next Find Match",
+ "miAddSelectionToNextFindMatch": "Add &&Next Occurrence",
+ "addSelectionToPreviousFindMatch": "Add Selection To Previous Find Match",
+ "miAddSelectionToPreviousFindMatch": "Add P&&revious Occurrence",
+ "moveSelectionToNextFindMatch": "Move Last Selection To Next Find Match",
+ "moveSelectionToPreviousFindMatch": "Move Last Selection To Previous Find Match",
+ "selectAllOccurrencesOfFindMatch": "Select All Occurrences of Find Match",
+ "miSelectHighlights": "Select All &&Occurrences",
+ "changeAll.label": "Change All Occurrences"
+ },
+ "vs/editor/contrib/codeAction/codeActionCommands": {
+ "args.schema.kind": "Kind of the code action to run.",
+ "args.schema.apply": "Controls when the returned actions are applied.",
+ "args.schema.apply.first": "Always apply the first returned code action.",
+ "args.schema.apply.ifSingle": "Apply the first returned code action if it is the only one.",
+ "args.schema.apply.never": "Do not apply the returned code actions.",
+ "args.schema.preferred": "Controls if only preferred code actions should be returned.",
+ "applyCodeActionFailed": "An unknown error occurred while applying the code action",
+ "quickfix.trigger.label": "Quick Fix...",
+ "editor.action.quickFix.noneMessage": "No code actions available",
+ "editor.action.codeAction.noneMessage.preferred.kind": "No preferred code actions for '{0}' available",
+ "editor.action.codeAction.noneMessage.kind": "No code actions for '{0}' available",
+ "editor.action.codeAction.noneMessage.preferred": "No preferred code actions available",
+ "editor.action.codeAction.noneMessage": "No code actions available",
+ "refactor.label": "Refactor...",
+ "editor.action.refactor.noneMessage.preferred.kind": "No preferred refactorings for '{0}' available",
+ "editor.action.refactor.noneMessage.kind": "No refactorings for '{0}' available",
+ "editor.action.refactor.noneMessage.preferred": "No preferred refactorings available",
+ "editor.action.refactor.noneMessage": "No refactorings available",
+ "source.label": "Source Action...",
+ "editor.action.source.noneMessage.preferred.kind": "No preferred source actions for '{0}' available",
+ "editor.action.source.noneMessage.kind": "No source actions for '{0}' available",
+ "editor.action.source.noneMessage.preferred": "No preferred source actions available",
+ "editor.action.source.noneMessage": "No source actions available",
+ "organizeImports.label": "Organise Imports",
+ "editor.action.organize.noneMessage": "No organise imports action available",
+ "fixAll.label": "Fix All",
+ "fixAll.noneMessage": "No fix all action available",
+ "autoFix.label": "Auto Fix...",
+ "editor.action.autoFix.noneMessage": "No auto fixes available"
+ },
+ "vs/editor/contrib/rename/renameInputField": {
+ "renameAriaLabel": "Rename input. Type new name and press Enter to commit.",
+ "label": "{0} to Rename, {1} to Preview"
+ },
+ "vs/editor/contrib/parameterHints/parameterHintsWidget": {
+ "hint": "{0}, hint"
+ },
+ "vs/editor/contrib/message/messageController": {
+ "editor.readonly": "Cannot edit in read-only editor"
+ },
+ "vs/editor/contrib/quickAccess/gotoSymbolQuickAccess": {
+ "cannotRunGotoSymbolWithoutEditor": "To go to a symbol, first open a text editor with symbol information.",
+ "cannotRunGotoSymbolWithoutSymbolProvider": "The active text editor does not provide symbol information.",
+ "openToSide": "Open to the Side",
+ "openToBottom": "Open to the Bottom",
+ "symbols": "symbols ({0})",
+ "property": "properties ({0})",
+ "method": "methods ({0})",
+ "function": "functions ({0})",
+ "_constructor": "constructors ({0})",
+ "variable": "variables ({0})",
+ "class": "classes ({0})",
+ "struct": "structs ({0})",
+ "event": "events ({0})",
+ "operator": "operators ({0})",
+ "interface": "interfaces ({0})",
+ "namespace": "namespaces ({0})",
+ "package": "packages ({0})",
+ "typeParameter": "type parameters ({0})",
+ "modules": "modules ({0})",
+ "enum": "enumerations ({0})",
+ "enumMember": "enumeration members ({0})",
+ "string": "strings ({0})",
+ "file": "files ({0})",
+ "array": "arrays ({0})",
+ "number": "numbers ({0})",
+ "boolean": "booleans ({0})",
+ "object": "objects ({0})",
+ "key": "keys ({0})",
+ "field": "fields ({0})",
+ "constant": "constants ({0})"
+ },
+ "vs/editor/contrib/snippet/snippetVariables": {
+ "Sunday": "Sunday",
+ "Monday": "Monday",
+ "Tuesday": "Tuesday",
+ "Wednesday": "Wednesday",
+ "Thursday": "Thursday",
+ "Friday": "Friday",
+ "Saturday": "Saturday",
+ "SundayShort": "Sun",
+ "MondayShort": "Mon",
+ "TuesdayShort": "Tue",
+ "WednesdayShort": "Wed",
+ "ThursdayShort": "Thu",
+ "FridayShort": "Fri",
+ "SaturdayShort": "Sat",
+ "January": "January",
+ "February": "February",
+ "March": "March",
+ "April": "April",
+ "May": "May",
+ "June": "June",
+ "July": "July",
+ "August": "August",
+ "September": "September",
+ "October": "October",
+ "November": "November",
+ "December": "December",
+ "JanuaryShort": "Jan",
+ "FebruaryShort": "Feb",
+ "MarchShort": "Mar",
+ "AprilShort": "Apr",
+ "MayShort": "May",
+ "JuneShort": "Jun",
+ "JulyShort": "Jul",
+ "AugustShort": "Aug",
+ "SeptemberShort": "Sep",
+ "OctoberShort": "Oct",
+ "NovemberShort": "Nov",
+ "DecemberShort": "Dec"
+ },
+ "vs/editor/contrib/gotoSymbol/peek/referencesController": {
+ "labelLoading": "Loading...",
+ "metaTitle.N": "{0} ({1})"
+ },
+ "vs/editor/contrib/format/format": {
+ "hint11": "Made 1 formatting edit on line {0}",
+ "hintn1": "Made {0} formatting edits on line {1}",
+ "hint1n": "Made 1 formatting edit between lines {0} and {1}",
+ "hintnn": "Made {0} formatting edits between lines {1} and {2}"
+ },
+ "vs/editor/contrib/gotoSymbol/referencesModel": {
+ "aria.oneReference": "symbol in {0} on line {1} at column {2}",
+ "aria.fileReferences.1": "1 symbol in {0}, full path {1}",
+ "aria.fileReferences.N": "{0} symbols in {1}, full path {2}",
+ "aria.result.0": "No results found",
+ "aria.result.1": "Found 1 symbol in {0}",
+ "aria.result.n1": "Found {0} symbols in {1}",
+ "aria.result.nm": "Found {0} symbols in {1} files"
+ },
+ "vs/editor/contrib/gotoSymbol/symbolNavigation": {
+ "location.kb": "Symbol {0} of {1}, {2} for next",
+ "location": "Symbol {0} of {1}"
+ },
+ "vs/editor/contrib/gotoError/gotoErrorWidget": {
+ "Error": "Error",
+ "Warning": "Warning",
+ "Info": "Info",
+ "Hint": "Hint",
+ "marker aria": "{0} at {1}. ",
+ "problems": "{0} of {1} problems",
+ "change": "{0} of {1} problem",
+ "editorMarkerNavigationError": "Editor marker navigation widget error colour.",
+ "editorMarkerNavigationWarning": "Editor marker navigation widget warning colour.",
+ "editorMarkerNavigationInfo": "Editor marker navigation widget info colour.",
+ "editorMarkerNavigationBackground": "Editor marker navigation widget background."
+ },
+ "vs/editor/contrib/hover/modesContentHover": {
+ "modesContentHover.loading": "Loading...",
+ "peek problem": "Peek Problem",
+ "titleAndKb": "{0} ({1})",
+ "checkingForQuickFixes": "Checking for quick fixes...",
+ "noQuickFixes": "No quick fixes available",
+ "quick fixes": "Quick Fix..."
+ },
+ "vs/editor/contrib/documentSymbols/outlineTree": {
+ "provider": "Outline Provider",
+ "title.template": "{0} ({1})",
+ "1.problem": "1 problem in this element",
+ "N.problem": "{0} problems in this element",
+ "deep.problem": "Contains elements with problems",
+ "Array": "array",
+ "Boolean": "boolean",
+ "Class": "class",
+ "Constant": "constant",
+ "Constructor": "constructor",
+ "Enum": "enumeration",
+ "EnumMember": "enumeration member",
+ "Event": "event",
+ "Field": "field",
+ "File": "File",
+ "Function": "function",
+ "Interface": "interface",
+ "Key": "key",
+ "Method": "method",
+ "Module": "module",
+ "Namespace": "namespace",
+ "Null": "null",
+ "Number": "number",
+ "Object": "object",
+ "Operator": "operator",
+ "Package": "package",
+ "Property": "property",
+ "String": "string",
+ "Struct": "struct",
+ "TypeParameter": "type parameter",
+ "Variable": "variable",
+ "symbolIcon.arrayForeground": "The foreground color for array symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.booleanForeground": "The foreground color for boolean symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.classForeground": "The foreground color for class symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.colorForeground": "The foreground color for color symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.constantForeground": "The foreground color for constant symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.constructorForeground": "The foreground color for constructor symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.enumeratorForeground": "The foreground color for enumerator symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.enumeratorMemberForeground": "The foreground color for enumerator member symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.eventForeground": "The foreground color for event symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.fieldForeground": "The foreground color for field symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.fileForeground": "The foreground color for file symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.folderForeground": "The foreground color for folder symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.functionForeground": "The foreground color for function symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.interfaceForeground": "The foreground color for interface symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.keyForeground": "The foreground color for key symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.keywordForeground": "The foreground color for keyword symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.methodForeground": "The foreground color for method symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.moduleForeground": "The foreground colour for module symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.namespaceForeground": "The foreground color for namespace symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.nullForeground": "The foreground color for null symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.numberForeground": "The foreground color for number symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.objectForeground": "The foreground color for object symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.operatorForeground": "The foreground color for operator symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.packageForeground": "The foreground color for package symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.propertyForeground": "The foreground color for property symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.referenceForeground": "The foreground color for reference symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.snippetForeground": "The foreground color for snippet symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.stringForeground": "The foreground color for string symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.structForeground": "The foreground color for struct symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.textForeground": "The foreground color for text symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.typeParameterForeground": "The foreground color for type parameter symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.unitForeground": "The foreground color for unit symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.variableForeground": "The foreground color for variable symbols. These symbols appear in the outline, breadcrumb, and suggest widget."
+ },
+ "vs/editor/contrib/gotoSymbol/peek/referencesWidget": {
+ "missingPreviewMessage": "no preview available",
+ "treeAriaLabel": "References",
+ "noResults": "No results",
+ "peekView.alternateTitle": "References"
+ },
+ "vs/editor/contrib/find/findWidget": {
+ "label.find": "Find",
+ "placeholder.find": "Find",
+ "label.previousMatchButton": "Previous match",
+ "label.nextMatchButton": "Next match",
+ "label.toggleSelectionFind": "Find in selection",
+ "label.closeButton": "Close",
+ "label.replace": "Replace",
+ "placeholder.replace": "Replace",
+ "label.replaceButton": "Replace",
+ "label.replaceAllButton": "Replace All",
+ "label.toggleReplaceButton": "Toggle Replace mode",
+ "title.matchesCountLimit": "Only the first {0} results are highlighted, but all find operations work on the entire text.",
+ "label.matchesLocation": "{0} of {1}",
+ "label.noResults": "No results",
+ "ariaSearchNoResultEmpty": "{0} found",
+ "ariaSearchNoResult": "{0} found for '{1}'",
+ "ariaSearchNoResultWithLineNum": "{0} found for '{1}', at {2}",
+ "ariaSearchNoResultWithLineNumNoCurrentMatch": "{0} found for '{1}'",
+ "ctrlEnter.keybindingChanged": "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/suggest/suggestWidget": {
+ "editorSuggestWidgetBackground": "Background colour of the suggest widget.",
+ "editorSuggestWidgetBorder": "Border colour of the suggest widget.",
+ "editorSuggestWidgetForeground": "Foreground colour of the suggest widget.",
+ "editorSuggestWidgetSelectedBackground": "Background colour of the selected entry in the suggest widget.",
+ "editorSuggestWidgetHighlightForeground": "Colour of the match highlights in the suggest widget.",
+ "readMore": "Read More...{0}",
+ "readLess": "Read less...{0}",
+ "loading": "Loading...",
+ "suggestWidget.loading": "Loading...",
+ "suggestWidget.noSuggestions": "No suggestions.",
+ "ariaCurrenttSuggestionReadDetails": "Item {0}, docs: {1}"
+ },
+ "vs/editor/contrib/codeAction/lightBulbWidget": {
+ "prefferedQuickFixWithKb": "Show Fixes. Preferred Fix Available ({0})",
+ "quickFixWithKb": "Show Fixes ({0})",
+ "quickFix": "Show Fixes"
+ },
+ "vs/editor/contrib/gotoSymbol/peek/referencesTree": {
+ "referencesFailre": "Failed to resolve file.",
+ "referencesCount": "{0} references",
+ "referenceCount": "{0} reference"
+ },
+ "vs/platform/extensionManagement/common/extensionManagement": {
+ "extensions": "Extensions",
+ "preferences": "Preferences"
+ },
+ "vs/platform/environment/node/argvHelper": {
+ "unknownOption": "Warning: '{0}' is not in the list of known options, but still passed to Electron/Chromium.",
+ "multipleValues": "Option '{0}' is defined more than once. Using value '{1}.'",
+ "gotoValidation": "Arguments in `--goto` mode should be in the format of `FILE(:LINE(:CHARACTER))`."
+ },
+ "vs/platform/extensionManagement/node/extensionManagementUtil": {
+ "invalidManifest": "VSIX invalid: package.json is not a JSON file."
+ },
+ "vs/platform/request/common/request": {
+ "httpConfigurationTitle": "HTTP",
+ "proxy": "The proxy setting to use. If not set, will be inherited from the `http_proxy` and `https_proxy` environment variables.",
+ "strictSSL": "Controls whether the proxy server certificate should be verified against the list of supplied CAs.",
+ "proxyAuthorization": "The value to send as the `Proxy-Authorization` header for every network request.",
+ "proxySupportOff": "Disable proxy support for extensions.",
+ "proxySupportOn": "Enable proxy support for extensions.",
+ "proxySupportOverride": "Enable proxy support for extensions, override request options.",
+ "proxySupport": "Use the proxy support for extensions.",
+ "systemCertificates": "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/platform/update/common/update.config.contribution": {
+ "updateConfigurationTitle": "Update",
+ "updateMode": "Configure whether you receive automatic updates. Requires a restart after change. The updates are fetched from a Microsoft online service.",
+ "none": "Disable updates.",
+ "manual": "Disable automatic background update checks. Updates will be available if you manually check for updates.",
+ "start": "Check for updates only on startup. Disable automatic background update checks.",
+ "default": "Enable automatic update checks. Code will check for updates automatically and periodically.",
+ "deprecated": "This setting is deprecated, please use '{0}' instead.",
+ "enableWindowsBackgroundUpdatesTitle": "Enable Background Updates on Windows",
+ "enableWindowsBackgroundUpdates": "Enable to download and install new VS Code Versions in the background on Windows",
+ "showReleaseNotes": "Show Release Notes after an update. The Release Notes are fetched from a Microsoft online service."
+ },
+ "vs/platform/telemetry/common/telemetryService": {
+ "telemetryConfigurationTitle": "Telemetry",
+ "telemetry.enableTelemetry": "Enable usage data and errors to be sent to a Microsoft online service."
+ },
+ "vs/platform/label/common/label": {
+ "untitledWorkspace": "Untitled (Workspace)",
+ "workspaceName": "{0} (Workspace)"
+ },
+ "vs/platform/files/electron-browser/diskFileSystemProvider": {
+ "binFailed": "Failed to move '{0}' to the recycle bin",
+ "trashFailed": "Failed to move '{0}' to the trash"
+ },
+ "vs/platform/files/common/files": {
+ "unknownError": "Unknown Error"
+ },
+ "vs/platform/environment/node/argv": {
+ "optionsUpperCase": "Options",
+ "extensionsManagement": "Extensions Management",
+ "troubleshooting": "Troubleshooting",
+ "diff": "Compare two files with each other.",
+ "add": "Add folder(s) to the last active window.",
+ "goto": "Open a file at the path on the specified line and character position.",
+ "newWindow": "Force to open a new window.",
+ "reuseWindow": "Force to open a file or folder in an already opened window.",
+ "folderUri": "Opens a window with given folder URI(s)",
+ "fileUri": "Opens a window with given file uri(s)",
+ "wait": "Wait for the files to be closed before returning.",
+ "locale": "The locale to use (e.g. en-US or zh-TW).",
+ "userDataDir": "Specifies the directory that user data is kept in. Can be used to open multiple distinct instances of Code.",
+ "help": "Print usage.",
+ "extensionHomePath": "Set the root path for extensions.",
+ "listExtensions": "List the installed extensions.",
+ "showVersions": "Show versions of installed extensions, when using --list-extension.",
+ "category": "Filters installed extensions by provided category, when using --list-extension.",
+ "installExtension": "Installs or updates the extension. Use `--force` argument to avoid prompts.",
+ "uninstallExtension": "Uninstalls an extension.",
+ "experimentalApis": "Enables proposed API features for extensions. Can receive one or more extension IDs to enable individually.",
+ "version": "Print version.",
+ "verbose": "Print verbose output (implies --wait).",
+ "log": "Log level to use. Default is 'info'. Allowed values are 'critical', 'error', 'warn', 'info', 'debug', 'trace', 'off'.",
+ "status": "Print process usage and diagnostics information.",
+ "prof-startup": "Run CPU profiler during startup",
+ "disableExtensions": "Disable all installed extensions.",
+ "disableExtension": "Disable an extension.",
+ "turn sync": "Turn sync on or off",
+ "inspect-extensions": "Allow debugging and profiling of extensions. Check the developer tools for the connection URI.",
+ "inspect-brk-extensions": "Allow debugging and profiling of extensions with the extension host being paused after start. Check the developer tools for the connection URI.",
+ "disableGPU": "Disable GPU hardware acceleration.",
+ "maxMemory": "Max memory size for a window (in Mbytes).",
+ "telemetry": "Shows all telemetry events which VS code collects.",
+ "usage": "Usage",
+ "options": "options",
+ "paths": "paths",
+ "stdinWindows": "To read output from another program, append '-' (e.g. 'echo Hello World | {0} -')",
+ "stdinUnix": "To read from stdin, append '-' (e.g. 'ps aux | grep code | {0} -')",
+ "unknownVersion": "Unknown version",
+ "unknownCommit": "Unknown commit"
+ },
+ "vs/platform/markers/common/markers": {
+ "sev.error": "Error",
+ "sev.warning": "Warning",
+ "sev.info": "Info"
+ },
+ "vs/platform/dialogs/common/dialogs": {
+ "moreFile": "...1 additional file not shown",
+ "moreFiles": "...{0} additional files not shown"
+ },
+ "vs/platform/userDataSync/common/userDataSync": {
+ "sync": "Sync",
+ "sync.keybindingsPerPlatform": "Synchronize keybindings per platform.",
+ "sync.ignoredExtensions": "List of extensions to be ignored while synchronizing. The identifier of an extension is always ${publisher}.${name}. For example: vscode.csharp.",
+ "sync.ignoredSettings": "Configure settings to be ignored while synchronizing.",
+ "app.extension.identifier.errorMessage": "Expected format '${publisher}.${name}'. Example: 'vscode.csharp'."
+ },
+ "vs/platform/files/node/diskFileSystemProvider": {
+ "fileExists": "File already exists",
+ "fileNotExists": "File does not exist",
+ "moveError": "Unable to move '{0}' into '{1}' ({2}).",
+ "copyError": "Unable to copy '{0}' into '{1}' ({2}).",
+ "fileCopyErrorPathCase": "'File cannot be copied to same path with different path case",
+ "fileCopyErrorExists": "File at target already exists"
+ },
+ "vs/platform/configuration/common/configurationRegistry": {
+ "defaultConfigurations.title": "Default Configuration Overrides",
+ "overrideSettings.description": "Configure editor settings to be overridden for {0} language.",
+ "overrideSettings.defaultDescription": "Configure editor settings to be overridden for a language.",
+ "overrideSettings.errorMessage": "This setting does not support per-language configuration.",
+ "config.property.languageDefault": "Cannot register '{0}'. This matches property pattern '\\\\[.*\\\\]$' for describing language specific editor settings. Use 'configurationDefaults' contribution.",
+ "config.property.duplicate": "Cannot register '{0}'. This property is already registered."
+ },
+ "vs/platform/workspaces/common/workspaces": {
+ "codeWorkspace": "Code Workspace"
+ },
+ "vs/platform/userDataSync/common/userDataSyncService": {
+ "turned off": "Cannot sync because syncing is turned off in the cloud",
+ "session expired": "Cannot sync because current session is expired"
+ },
+ "vs/platform/undoRedo/common/undoRedoService": {
+ "externalRemoval": "The following files have been closed: {0}.",
+ "noParallelUniverses": "The following files have been modified in an incompatible way: {0}.",
+ "cannotWorkspaceUndo": "Could not undo '{0}' across all files. {1}",
+ "cannotWorkspaceUndoDueToChanges": "Could not undo '{0}' across all files because changes were made to {1}",
+ "confirmWorkspace": "Would you like to undo '{0}' across all files?",
+ "ok": "Undo in {0} Files",
+ "nok": "Undo this File",
+ "cancel": "Cancel",
+ "cannotWorkspaceRedo": "Could not redo '{0}' across all files. {1}",
+ "cannotWorkspaceRedoDueToChanges": "Could not redo '{0}' across all files because changes were made to {1}"
+ },
+ "vs/platform/files/common/fileService": {
+ "invalidPath": "Unable to resolve filesystem provider with relative file path '{0}'",
+ "noProviderFound": "No file system provider found for resource '{0}'",
+ "fileNotFoundError": "Unable to resolve non-existing file '{0}'",
+ "fileExists": "Unable to create file '{0}' that already exists when overwrite flag is not set",
+ "err.write": "Unable to write file '{0}' ({1})",
+ "fileIsDirectoryWriteError": "Unable to write file '{0}' that is actually a directory",
+ "fileModifiedError": "File Modified Since",
+ "err.read": "Unable to read file '{0}' ({1})",
+ "fileIsDirectoryReadError": "Unable to read file '{0}' that is actually a directory",
+ "fileNotModifiedError": "File not modified since",
+ "fileTooLargeError": "Unable to read file '{0}' that is too large to open",
+ "unableToMoveCopyError1": "Unable to copy when source '{0}' is same as target '{1}' with different path case on a case insensitive file system",
+ "unableToMoveCopyError2": "Unable to move/copy when source '{0}' is parent of target '{1}'.",
+ "unableToMoveCopyError3": "Unable to move/copy '{0}' because target '{1}' already exists at destination.",
+ "unableToMoveCopyError4": "Unable to move/copy '{0}' into '{1}' since a file would replace the folder it is contained in.",
+ "mkdirExistsError": "Unable to create folder '{0}' that already exists but is not a directory",
+ "deleteFailedTrashUnsupported": "Unable to delete file '{0}' via trash because provider does not support it.",
+ "deleteFailedNotFound": "Unable to delete non-existing file '{0}'",
+ "deleteFailedNonEmptyFolder": "Unable to delete non-empty folder '{0}'.",
+ "err.readonly": "Unable to modify readonly file '{0}'"
+ },
+ "vs/platform/quickinput/browser/helpQuickAccess": {
+ "globalCommands": "global commands",
+ "editorCommands": "editor commands",
+ "helpPickAriaLabel": "{0}, {1}"
+ },
+ "vs/platform/list/browser/listService": {
+ "workbenchConfigurationTitle": "Workbench",
+ "multiSelectModifier.ctrlCmd": "Maps to `Control` on Windows and Linux and to `Command` on macOS.",
+ "multiSelectModifier.alt": "Maps to `Alt` on Windows and Linux and to `Option` on macOS.",
+ "multiSelectModifier": "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.",
+ "openModeModifier": "Controls how to open items in trees and lists using the mouse (if supported). For parents with children in trees, this setting will control if a single click expands the parent or a double click. Note that some trees and lists might choose to ignore this setting if it is not applicable. ",
+ "horizontalScrolling setting": "Controls whether lists and trees support horizontal scrolling in the workbench. Warning: turning on this setting has a performance implication.",
+ "tree horizontalScrolling setting": "Controls whether trees support horizontal scrolling in the workbench.",
+ "deprecated": "This setting is deprecated, please use '{0}' instead.",
+ "tree indent setting": "Controls tree indentation in pixels.",
+ "render tree indent guides": "Controls whether the tree should render indent guides.",
+ "keyboardNavigationSettingKey.simple": "Simple keyboard navigation focuses elements which match the keyboard input. Matching is done only on prefixes.",
+ "keyboardNavigationSettingKey.highlight": "Highlight keyboard navigation highlights elements which match the keyboard input. Further up and down navigation will traverse only the highlighted elements.",
+ "keyboardNavigationSettingKey.filter": "Filter keyboard navigation will filter out and hide all the elements which do not match the keyboard input.",
+ "keyboardNavigationSettingKey": "Controls the keyboard navigation style for lists and trees in the workbench. Can be simple, highlight and filter.",
+ "automatic keyboard navigation setting": "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."
+ },
+ "vs/platform/files/common/io": {
+ "fileTooLargeForHeapError": "To open a file of this size, you need to restart and allow it to use more memory",
+ "fileTooLargeError": "File is too large to open"
+ },
+ "vs/platform/extensionManagement/node/extensionManagementService": {
+ "invalidManifest": "Extension invalid: package.json is not a JSON file.",
+ "incompatible": "Unable to install extension '{0}' as it is not compatible with VS Code '{1}'.",
+ "restartCode": "Please restart VS Code before reinstalling {0}.",
+ "MarketPlaceDisabled": "Marketplace is not enabled",
+ "malicious extension": "Can't install extension since it was reported to be problematic.",
+ "notFoundCompatibleDependency": "Unable to install '{0}' extension because it is not compatible with the current version of VS Code (version {1}).",
+ "removeError": "Error while removing the extension: {0}. Please Quit and Start VS Code before trying again.",
+ "Not a Marketplace extension": "Only Marketplace Extensions can be reinstalled",
+ "quitCode": "Unable to install the extension. Please Quit and Start VS Code before reinstalling.",
+ "exitCode": "Unable to install the extension. Please Exit and Start VS Code before reinstalling.",
+ "errorDeleting": "Unable to delete the existing folder '{0}' while installing the extension '{1}'. Please delete the folder manually and try again",
+ "cannot read": "Cannot read the extension from {0}",
+ "renameError": "Unknown error while renaming {0} to {1}",
+ "notInstalled": "Extension '{0}' is not installed.",
+ "singleDependentError": "Cannot uninstall extension '{0}'. Extension '{1}' depends on this.",
+ "twoDependentsError": "Cannot uninstall extension '{0}'. Extensions '{1}' and '{2}' depend on this.",
+ "multipleDependentsError": "Cannot uninstall extension '{0}'. Extensions '{1}', '{2}' and others depend on this.",
+ "notExists": "Could not find extension"
+ },
+ "vs/platform/actions/browser/menuEntryActionViewItem": {
+ "titleAndKb": "{0} ({1})"
+ },
+ "vs/platform/theme/common/colorRegistry": {
+ "foreground": "Overall foreground color. This color is only used if not overridden by a component.",
+ "errorForeground": "Overall foreground color for error messages. This color is only used if not overridden by a component.",
+ "descriptionForeground": "Foreground colour for description text providing additional information, for example for a label.",
+ "iconForeground": "The default color for icons in the workbench.",
+ "focusBorder": "Overall border color for focused elements. This color is only used if not overridden by a component.",
+ "contrastBorder": "An extra border around elements to separate them from others for greater contrast.",
+ "activeContrastBorder": "An extra border around active elements to separate them from others for greater contrast.",
+ "selectionBackground": "The background color of text selections in the workbench (e.g. for input fields or text areas). Note that this does not apply to selections within the editor.",
+ "textSeparatorForeground": "Color for text separators.",
+ "textLinkForeground": "Foreground color for links in text.",
+ "textLinkActiveForeground": "Foreground color for links in text when clicked on and on mouse hover.",
+ "textPreformatForeground": "Foreground color for preformatted text segments.",
+ "textBlockQuoteBackground": "Background colour for block quotes in text.",
+ "textBlockQuoteBorder": "Border color for block quotes in text.",
+ "textCodeBlockBackground": "Background color for code blocks in text.",
+ "widgetShadow": "Shadow color of widgets such as find/replace inside the editor.",
+ "inputBoxBackground": "Input box background.",
+ "inputBoxForeground": "Input box foreground.",
+ "inputBoxBorder": "Input box border.",
+ "inputBoxActiveOptionBorder": "Border color of activated options in input fields.",
+ "inputOption.activeBackground": "Background color of activated options in input fields.",
+ "inputPlaceholderForeground": "Input box foreground colour for placeholder text.",
+ "inputValidationInfoBackground": "Input validation background color for information severity.",
+ "inputValidationInfoForeground": "Input validation foreground colour for information severity.",
+ "inputValidationInfoBorder": "Input validation border color for information severity.",
+ "inputValidationWarningBackground": "Input validation background color for warning severity.",
+ "inputValidationWarningForeground": "Input validation foreground colour for warning severity.",
+ "inputValidationWarningBorder": "Input validation border color for warning severity.",
+ "inputValidationErrorBackground": "Input validation background colour for error severity.",
+ "inputValidationErrorForeground": "Input validation foreground colour for error severity.",
+ "inputValidationErrorBorder": "Input validation border color for error severity.",
+ "dropdownBackground": "Dropdown background.",
+ "dropdownListBackground": "Dropdown list background.",
+ "dropdownForeground": "Dropdown foreground.",
+ "dropdownBorder": "Dropdown border.",
+ "checkbox.background": "Background color of checkbox widget.",
+ "checkbox.foreground": "Foreground color of checkbox widget.",
+ "checkbox.border": "Border color of checkbox widget.",
+ "buttonForeground": "Button foreground color.",
+ "buttonBackground": "Button background color.",
+ "buttonHoverBackground": "Button background colour when hovering.",
+ "badgeBackground": "Badge background colour. Badges are small information labels, e.g. for search results count.",
+ "badgeForeground": "Badge foreground colour. Badges are small information labels, e.g. for search results count.",
+ "scrollbarShadow": "Scrollbar shadow to indicate that the view is scrolled.",
+ "scrollbarSliderBackground": "Scrollbar slider background color.",
+ "scrollbarSliderHoverBackground": "Scrollbar slider background color when hovering.",
+ "scrollbarSliderActiveBackground": "Scrollbar slider background color when clicked on.",
+ "progressBarBackground": "Background color of the progress bar that can show for long running operations.",
+ "editorError.foreground": "Foreground colour of error squigglies in the editor.",
+ "errorBorder": "Border color of error boxes in the editor.",
+ "editorWarning.foreground": "Foreground colour of warning squigglies in the editor.",
+ "warningBorder": "Border color of warning boxes in the editor.",
+ "editorInfo.foreground": "Foreground colour of info squigglies in the editor.",
+ "infoBorder": "Border color of info boxes in the editor.",
+ "editorHint.foreground": "Foreground colour of hint squigglies in the editor.",
+ "hintBorder": "Border color of hint boxes in the editor.",
+ "editorBackground": "Editor background color.",
+ "editorForeground": "Editor default foreground color.",
+ "editorWidgetBackground": "Background colour of editor widgets, such as find/replace.",
+ "editorWidgetForeground": "Foreground color of editor widgets, such as find/replace.",
+ "editorWidgetBorder": "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.",
+ "editorWidgetResizeBorder": "Border colour of the resize bar of editor widgets. The colour is only used if the widget chooses to have a resize border and if the colour is not overridden by a widget.",
+ "pickerBackground": "Quick picker background color. The quick picker widget is the container for pickers like the command palette.",
+ "pickerForeground": "Quick picker foreground color. The quick picker widget is the container for pickers like the command palette.",
+ "pickerTitleBackground": "Quick picker title background color. The quick picker widget is the container for pickers like the command palette.",
+ "pickerGroupForeground": "Quick picker color for grouping labels.",
+ "pickerGroupBorder": "Quick picker color for grouping borders.",
+ "editorSelectionBackground": "Color of the editor selection.",
+ "editorSelectionForeground": "Colour of the selected text for high contrast.",
+ "editorInactiveSelection": "Color of the selection in an inactive editor. The color must not be opaque so as not to hide underlying decorations.",
+ "editorSelectionHighlight": "Color for regions with the same content as the selection. The color must not be opaque so as not to hide underlying decorations.",
+ "editorSelectionHighlightBorder": "Border color for regions with the same content as the selection.",
+ "editorFindMatch": "Colour of the current search match.",
+ "findMatchHighlight": "Color of the other search matches. The color must not be opaque so as not to hide underlying decorations.",
+ "findRangeHighlight": "Color of the range limiting the search. The color must not be opaque so as not to hide underlying decorations.",
+ "editorFindMatchBorder": "Border colour of the current search match.",
+ "findMatchHighlightBorder": "Border color of the other search matches.",
+ "findRangeHighlightBorder": "Border colour of the range limiting the search. The colour must not be opaque to ensure underlying decorations will not be hidden.",
+ "searchEditor.queryMatch": "Color of the Search Editor query matches.",
+ "searchEditor.editorFindMatchBorder": "Border color of the Search Editor query matches.",
+ "hoverHighlight": "Highlight below the word for which a hover is shown. The color must not be opaque so as not to hide underlying decorations.",
+ "hoverBackground": "Background color of the editor hover.",
+ "hoverForeground": "Foreground color of the editor hover.",
+ "hoverBorder": "Border colour of the editor hover.",
+ "statusBarBackground": "Background color of the editor hover status bar.",
+ "activeLinkForeground": "Colour of active links.",
+ "editorLightBulbForeground": "The color used for the lightbulb actions icon.",
+ "editorLightBulbAutoFixForeground": "The color used for the lightbulb auto fix actions icon.",
+ "diffEditorInserted": "Background color for text that got inserted. The color must not be opaque so as not to hide underlying decorations.",
+ "diffEditorRemoved": "Background color for text that got removed. The color must not be opaque so as not to hide underlying decorations.",
+ "diffEditorInsertedOutline": "Outline color for the text that got inserted.",
+ "diffEditorRemovedOutline": "Outline color for text that got removed.",
+ "diffEditorBorder": "Border colour between the two text editors.",
+ "listFocusBackground": "List/Tree background colour for the focused item when the list/tree is active. An active list/tree has keyboard focus, an inactive does not.",
+ "listFocusForeground": "List/Tree foreground colour for the focused item when the list/tree is active. An active list/tree has keyboard focus, an inactive does not.",
+ "listActiveSelectionBackground": "List/Tree background colour for the selected item when the list/tree is active. An active list/tree has keyboard focus, an inactive does not.",
+ "listActiveSelectionForeground": "List/Tree foreground colour for the selected item when the list/tree is active. An active list/tree has keyboard focus, an inactive does not.",
+ "listInactiveSelectionBackground": "List/Tree background colour for the selected item when the list/tree is inactive. An active list/tree has keyboard focus, an inactive does not.",
+ "listInactiveSelectionForeground": "List/Tree foreground colour for the selected item when the list/tree is inactive. An active list/tree has keyboard focus, an inactive does not.",
+ "listInactiveFocusBackground": "List/Tree background colour for the focused item when the list/tree is inactive. An active list/tree has keyboard focus, an inactive does not.",
+ "listHoverBackground": "List/Tree background when hovering over items using the mouse.",
+ "listHoverForeground": "List/Tree foreground when hovering over items using the mouse.",
+ "listDropBackground": "List/Tree drag and drop background when moving items around using the mouse.",
+ "highlight": "List/Tree foreground color of the match highlights when searching inside the list/tree.",
+ "invalidItemForeground": "List/Tree foreground colour for invalid items, for example an unresolved root in explorer.",
+ "listErrorForeground": "Foreground color of list items containing errors.",
+ "listWarningForeground": "Foreground color of list items containing warnings.",
+ "listFilterWidgetBackground": "Background color of the type filter widget in lists and trees.",
+ "listFilterWidgetOutline": "Outline color of the type filter widget in lists and trees.",
+ "listFilterWidgetNoMatchesOutline": "Outline colour of the type filter widget in lists and trees, when there are no matches.",
+ "listFilterMatchHighlight": "Background color of the filtered match.",
+ "listFilterMatchHighlightBorder": "Border color of the filtered match.",
+ "treeIndentGuidesStroke": "Tree stroke colour for the indentation guides.",
+ "listDeemphasizedForeground": "List/Tree foreground color for items that are deemphasized. ",
+ "menuBorder": "Border colour of menus.",
+ "menuForeground": "Foreground colour of menu items.",
+ "menuBackground": "Background colour of menu items.",
+ "menuSelectionForeground": "Foreground colour of the selected menu item in menus.",
+ "menuSelectionBackground": "Background colour of the selected menu item in menus.",
+ "menuSelectionBorder": "Border colour of the selected menu item in menus.",
+ "menuSeparatorBackground": "Colour of a separator menu item in menus.",
+ "snippetTabstopHighlightBackground": "Highlight background colour of a snippet tabstop.",
+ "snippetTabstopHighlightBorder": "Highlight border colour of a snippet tabstop.",
+ "snippetFinalTabstopHighlightBackground": "Highlight background colour of the final tabstop of a snippet.",
+ "snippetFinalTabstopHighlightBorder": "Highlight border colour of the final stabstop of a snippet.",
+ "breadcrumbsFocusForeground": "Colour of focused breadcrumb items.",
+ "breadcrumbsBackground": "Background colour of breadcrumb items.",
+ "breadcrumbsSelectedForegound": "Colour of selected breadcrumb items.",
+ "breadcrumbsSelectedBackground": "Background colour of breadcrumb item picker.",
+ "mergeCurrentHeaderBackground": "Current header background in inline merge-conflicts. The color must not be opaque so as not to hide underlying decorations.",
+ "mergeCurrentContentBackground": "Current content background in inline merge-conflicts. The color must not be opaque so as not to hide underlying decorations.",
+ "mergeIncomingHeaderBackground": "Incoming header background in inline merge-conflicts. The colour must not be opaque so as not to hide underlying decorations.",
+ "mergeIncomingContentBackground": "Incoming content background in inline merge-conflicts. The color must not be opaque so as not to hide underlying decorations.",
+ "mergeCommonHeaderBackground": "Common ancestor header background in inline merge-conflicts. The color must not be opaque so as not to hide underlying decorations.",
+ "mergeCommonContentBackground": "Common ancestor content background in inline merge-conflicts. The color must not be opaque so as not to hide underlying decorations.",
+ "mergeBorder": "Border color on headers and the splitter in inline merge-conflicts.",
+ "overviewRulerCurrentContentForeground": "Current overview ruler foreground for inline merge-conflicts.",
+ "overviewRulerIncomingContentForeground": "Incoming overview ruler foreground for inline merge-conflicts.",
+ "overviewRulerCommonContentForeground": "Common ancestor overview ruler foreground for inline merge-conflicts.",
+ "overviewRulerFindMatchForeground": "Overview ruler marker color for find matches. The color must not be opaque so as not to hide underlying decorations.",
+ "overviewRulerSelectionHighlightForeground": "Overview ruler marker color for selection highlights. The color must not be opaque so as not to hide underlying decorations.",
+ "minimapFindMatchHighlight": "Minimap marker colour for find matches.",
+ "minimapSelectionHighlight": "Minimap marker color for the editor selection.",
+ "minimapError": "Minimap marker color for errors.",
+ "overviewRuleWarning": "Minimap marker color for warnings.",
+ "minimapBackground": "Minimap background color.",
+ "minimapSliderBackground": "Minimap slider background color.",
+ "minimapSliderHoverBackground": "Minimap slider background color when hovering.",
+ "minimapSliderActiveBackground": "Minimap slider background color when clicked on.",
+ "problemsErrorIconForeground": "The color used for the problems error icon.",
+ "problemsWarningIconForeground": "The color used for the problems warning icon.",
+ "problemsInfoIconForeground": "The color used for the problems info icon."
+ },
+ "vs/platform/extensions/common/extensionValidator": {
+ "versionSyntax": "Could not parse `engines.vscode` value {0}. Please use, for example: ^1.22.0, ^1.22.x, etc.",
+ "versionSpecificity1": "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.",
+ "versionSpecificity2": "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.",
+ "versionMismatch": "Extension is not compatible with Code {0}. Extension requires: {1}."
+ },
+ "vs/platform/userDataSync/common/settingsSync": {
+ "errorInvalidSettings": "Unable to sync settings as there are errors/warning in settings file."
+ },
+ "vs/platform/userDataSync/common/keybindingsSync": {
+ "errorInvalidSettings": "Unable to sync keybindings as there are errors/warning in keybindings file."
+ },
+ "vs/platform/workspaces/electron-main/workspacesMainService": {
+ "ok": "OK",
+ "workspaceOpenedMessage": "Unable to save workspace '{0}'",
+ "workspaceOpenedDetail": "The workspace is already opened in another window. Please close that window first and then try again."
+ },
+ "vs/platform/dialogs/electron-main/dialogs": {
+ "open": "Open",
+ "openFolder": "Open Folder",
+ "openFile": "Open File",
+ "openWorkspaceTitle": "Open Workspace",
+ "openWorkspace": "&&Open"
+ },
+ "vs/platform/keybinding/common/abstractKeybindingService": {
+ "first.chord": "({0}) was pressed. Waiting for second key of chord...",
+ "missing.chord": "The key combination ({0}, {1}) is not a command."
+ },
+ "vs/platform/issue/electron-main/issueMainService": {
+ "local": "Local",
+ "issueReporterWriteToClipboard": "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": "OK",
+ "cancel": "Cancel",
+ "confirmCloseIssueReporter": "Your input will not be saved. Are you sure you want to close this window?",
+ "yes": "Yes",
+ "issueReporter": "Issue Reporter",
+ "processExplorer": "Process Explorer"
+ },
+ "vs/platform/workspaces/electron-main/workspacesHistoryMainService": {
+ "newWindow": "New Window",
+ "newWindowDesc": "Opens a new window",
+ "recentFolders": "Recent Workspaces",
+ "folderDesc": "{0} {1}",
+ "workspaceDesc": "{0} {1}"
+ },
+ "vs/platform/quickinput/browser/commandsQuickAccess": {
+ "commandPickAriaLabelWithKeybinding": "{0}, {1}",
+ "recentlyUsed": "recently used",
+ "morecCommands": "other commands",
+ "canNotRun": "Command '{0}' resulted in an error ({1})"
+ },
+ "vs/platform/theme/common/tokenClassificationRegistry": {
+ "schema.token.settings": "Colors and styles for the token.",
+ "schema.token.foreground": "Foreground colour for the token.",
+ "schema.token.background.warning": "Token background colors are currently not supported.",
+ "schema.token.fontStyle": "Font style of the rule: 'italic', 'bold' or 'underline' or a combination. The empty string unsets inherited settings.",
+ "schema.fontStyle.error": "Font style must be 'italic', 'bold' or 'underline' or a combination. The empty string unsets all styles.",
+ "schema.token.fontStyle.none": "None (clear inherited style)",
+ "comment": "Style for comments.",
+ "string": "Style for strings.",
+ "keyword": "Style for keywords.",
+ "number": "Style for numbers.",
+ "regexp": "Style for expressions.",
+ "operator": "Style for operators.",
+ "namespace": "Style for namespaces.",
+ "type": "Style for types.",
+ "struct": "Style for structs.",
+ "class": "Style for classes.",
+ "interface": "Style for interfaces.",
+ "enum": "Style for enums.",
+ "typeParameter": "Style for type parameters.",
+ "function": "Style for functions",
+ "member": "Style for member",
+ "macro": "Style for macros.",
+ "variable": "Style for variables.",
+ "parameter": "Style for parameters.",
+ "property": "Style for properties.",
+ "enumMember": "Style for enum members.",
+ "event": "Style for events.",
+ "labels": "Style for labels. ",
+ "declaration": "Style for all symbol declarations.",
+ "documentation": "Style to use for references in documentation.",
+ "static": "Style to use for symbols that are static.",
+ "abstract": "Style to use for symbols that are abstract.",
+ "deprecated": "Style to use for symbols that are deprecated.",
+ "modification": "Style to use for write accesses.",
+ "async": "Style to use for symbols that are async.",
+ "readonly": "Style to use for symbols that are readonly."
+ },
+ "vs/platform/userDataSync/common/abstractSynchronizer": {
+ "incompatible": "Cannot sync {0} as its version {1} is not compatible with cloud {2}"
+ },
+ "vs/platform/menubar/electron-main/menubar": {
+ "miNewWindow": "New &&Window",
+ "mFile": "&&File",
+ "mEdit": "&&Edit",
+ "mSelection": "&&Selection",
+ "mView": "&&View",
+ "mGoto": "&&Go",
+ "mRun": "&&Run",
+ "mTerminal": "&&Terminal",
+ "mWindow": "Window",
+ "mHelp": "&&Help",
+ "mAbout": "About {0}",
+ "miPreferences": "&&Preferences",
+ "mServices": "Services",
+ "mHide": "Hide {0}",
+ "mHideOthers": "Hide Others",
+ "mShowAll": "Show All",
+ "miQuit": "Quit {0}",
+ "mMinimize": "Minimise",
+ "mZoom": "Zoom",
+ "mBringToFront": "Bring All to Front",
+ "miSwitchWindow": "Switch &&Window...",
+ "mNewTab": "New Tab",
+ "mShowPreviousTab": "Show Previous Tab",
+ "mShowNextTab": "Show Next Tab",
+ "mMoveTabToNewWindow": "Move Tab to New Window",
+ "mMergeAllWindows": "Merge All Windows",
+ "miCheckForUpdates": "Check for &&Updates...",
+ "miCheckingForUpdates": "Checking For Updates...",
+ "miDownloadUpdate": "D&&ownload Available Update",
+ "miDownloadingUpdate": "Downloading Update...",
+ "miInstallUpdate": "Install &&Update...",
+ "miInstallingUpdate": "Installing Update...",
+ "miRestartToUpdate": "Restart to &&Update"
+ },
+ "vs/platform/theme/common/iconRegistry": {},
+ "vs/platform/windows/electron-main/windowsMainService": {
+ "pathNotExistTitle": "Path does not exist",
+ "pathNotExistDetail": "The path '{0}' does not seem to exist anymore on disk.",
+ "uriInvalidTitle": "URI can not be opened",
+ "uriInvalidDetail": "The URI '{0}' is not valid and can not be opened.",
+ "ok": "OK"
+ },
+ "win32/i18n/messages": {
+ "AddContextMenuFiles": "Add \"Open with %1\" action to Windows Explorer file context menu",
+ "AddContextMenuFolders": "Add \"Open with %1\" action to Windows Explorer directory context menu",
+ "AssociateWithFiles": "Register %1 as an editor for supported file types",
+ "AddToPath": "Add to PATH (requires shell restart)",
+ "RunAfter": "Run %1 after installation",
+ "Other": "Other:",
+ "SourceFile": "%1 Source File",
+ "OpenWithCodeContextMenu": "Open w&ith %1"
+ },
+ "vs/code/electron-browser/processExplorer/processExplorerMain": {
+ "cpu": "CPU %",
+ "memory": "Memory (MB)",
+ "pid": "pid",
+ "name": "Name",
+ "killProcess": "Kill Process",
+ "forceKillProcess": "Force Kill Process",
+ "copy": "Copy",
+ "copyAll": "Copy All",
+ "debug": "Debug"
+ },
+ "vs/code/node/cliProcessMain": {
+ "notFound": "Extension '{0}' not found.",
+ "notInstalled": "Extension '{0}' is not installed.",
+ "useId": "Make sure you use the full extension ID, including the publisher, e.g.: {0}",
+ "installingExtensions": "Installing extensions...",
+ "installation failed": "Failed Installing Extensions: {0}",
+ "successVsixInstall": "Extension '{0}' was successfully installed.",
+ "cancelVsixInstall": "Cancelled installing Extension '{0}'.",
+ "alreadyInstalled": "Extension '{0}' is already installed.",
+ "forceUpdate": "Extension '{0}' v{1} is already installed, but a newer version {2} is available in the marketplace. Use '--force' option to update to newer version.",
+ "updateMessage": "Updating the Extension '{0}' to the version {1}",
+ "forceDowngrade": "A newer version of extension '{0}' v{1} is already installed. Use '--force' option to downgrade to older version.",
+ "installing": "Installing extension '{0}' v{1}...",
+ "successInstall": "Extension '{0}' v{1} was successfully installed.",
+ "uninstalling": "Uninstalling {0}...",
+ "successUninstall": "Extension '{0}' was successfully uninstalled!"
+ },
+ "vs/code/electron-main/main": {
+ "secondInstanceAdmin": "A second instance of {0} is already running as administrator.",
+ "secondInstanceAdminDetail": "Please close the other instance and try again.",
+ "secondInstanceNoResponse": "Another instance of {0} is running but not responding",
+ "secondInstanceNoResponseDetail": "Please close all other instances and try again.",
+ "startupDataDirError": "Unable to write program user data.",
+ "startupUserDataAndExtensionsDirErrorDetail": "Please make sure the following directories are writeable:\n\n{0}",
+ "close": "&&Close"
+ },
+ "vs/code/electron-browser/issue/issueReporterMain": {
+ "hide": "hide",
+ "show": "show",
+ "previewOnGitHub": "Preview on GitHub",
+ "loadingData": "Loading data...",
+ "rateLimited": "GitHub query limit exceeded. Please wait.",
+ "similarIssues": "Similar issues",
+ "open": "Open",
+ "closed": "Closed",
+ "noSimilarIssues": "No similar issues found",
+ "settingsSearchIssue": "Settings Search Issue",
+ "bugReporter": "Bug Report",
+ "featureRequest": "Feature Request",
+ "performanceIssue": "Performance Issue",
+ "selectSource": "Select source",
+ "vscode": "Visual Studio Code",
+ "extension": "An Extension",
+ "unknown": "Don't Know",
+ "stepsToReproduce": "Steps to Reproduce",
+ "bugDescription": "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.",
+ "performanceIssueDesciption": "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": "Description",
+ "featureRequestDescription": "Please describe the feature you would like to see. We support GitHub-flavoured Markdown. You will be able to edit your issue and add screenshots when we preview it on GitHub.",
+ "expectedResults": "Expected Results",
+ "settingsSearchResultsDescription": "Please list the results that you were expecting to see when you searched with this query. We support GitHub-flavored Markdown. You will be able to edit your issue and add screenshots when we preview it on GitHub.",
+ "pasteData": "We have written the needed data into your clipboard because it was too large to send. Please paste.",
+ "disabledExtensions": "Extensions are disabled"
+ },
+ "vs/code/electron-main/app": {
+ "trace.message": "Successfully created trace.",
+ "trace.detail": "Please create an issue and manually attach the following file:\n{0}",
+ "trace.ok": "OK"
+ },
+ "vs/code/electron-browser/issue/issueReporterPage": {
+ "completeInEnglish": "Please complete the form in English.",
+ "issueTypeLabel": "This is a",
+ "issueSourceLabel": "File on",
+ "disableExtensionsLabelText": "Try to reproduce the problem after {0}. If the problem only reproduces when extensions are active, it is likely an issue with an extension.",
+ "disableExtensions": "disabling all extensions and reloading the window",
+ "chooseExtension": "Extension",
+ "extensionWithNonstandardBugsUrl": "The issue reporter is unable to create issues for this extension. Please visit {0} to report an issue.",
+ "extensionWithNoBugsUrl": "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.",
+ "issueTitleLabel": "Title",
+ "issueTitleRequired": "Please enter a title.",
+ "titleLengthValidation": "The title is too long.",
+ "details": "Please enter details.",
+ "sendSystemInfo": "Include my system information ({0})",
+ "show": "show",
+ "sendProcessInfo": "Include my currently running processes ({0})",
+ "sendWorkspaceInfo": "Include my workspace metadata ({0})",
+ "sendExtensions": "Include my enabled extensions ({0})",
+ "sendSearchedExtensions": "Send searched extensions ({0})",
+ "sendSettingsSearchDetails": "Send settings search details ({0})"
+ },
+ "vs/code/electron-main/auth": {
+ "authRequire": "Proxy Authentication Required",
+ "proxyauth": "The proxy {0} requires authentication."
+ },
+ "vs/code/electron-main/window": {
+ "reopen": "&&Reopen",
+ "wait": "&&Keep Waiting",
+ "close": "&&Close",
+ "appStalled": "The window is no longer responding",
+ "appStalledDetail": "You can reopen or close the window or keep waiting.",
+ "appCrashed": "The window has crashed",
+ "appCrashedDetail": "We are sorry for the inconvenience! You can reopen the window to continue where you left off.",
+ "hiddenMenuBar": "You can still access the menu bar by pressing the Alt-key."
+ },
+ "vs/workbench/electron-browser/desktop.contribution": {
+ "view": "View",
+ "newTab": "New Window Tab",
+ "showPreviousTab": "Show Previous Window Tab",
+ "showNextWindowTab": "Show Next Window Tab",
+ "moveWindowTabToNewWindow": "Move Window Tab to New Window",
+ "mergeAllWindowTabs": "Merge All Windows",
+ "toggleWindowTabsBar": "Toggle Window Tabs Bar",
+ "developer": "Developer",
+ "preferences": "Preferences",
+ "miCloseWindow": "Clos&&e Window",
+ "miExit": "E&&xit",
+ "miZoomIn": "&&Zoom In",
+ "miZoomOut": "&&Zoom Out",
+ "miZoomReset": "&&Reset Zoom",
+ "miReportIssue": "Report &&Issue",
+ "miToggleDevTools": "&&Toggle Developer Tools",
+ "miOpenProcessExplorerer": "Open &&Process Explorer",
+ "windowConfigurationTitle": "Window",
+ "window.openWithoutArgumentsInNewWindow.on": "Open a new empty window.",
+ "window.openWithoutArgumentsInNewWindow.off": "Focus the last active running instance.",
+ "openWithoutArgumentsInNewWindow": "Controls whether a new empty window should open when starting a second instance without arguments or if the last running instance should get focus.\nNote that there can still be cases where this setting is ignored (e.g. when using the `--new-window` or `--reuse-window` command line option).",
+ "window.reopenFolders.all": "Reopen all windows.",
+ "window.reopenFolders.folders": "Reopen all folders. Empty workspaces will not be restored.",
+ "window.reopenFolders.one": "Reopen the last active window.",
+ "window.reopenFolders.none": "Never reopen a window. Always start with an empty one.",
+ "restoreWindows": "Controls how windows are being reopened after a restart.",
+ "restoreFullscreen": "Controls whether a window should restore to full screen mode if it was exited in full screen mode.",
+ "zoomLevel": "Adjust the zoom level of the window. The original size is 0 and each increment above (e.g. 1) or below (e.g. -1) represents zooming 20% larger or smaller. You can also enter decimals to adjust the zoom level with a finer granularity.",
+ "window.newWindowDimensions.default": "Open new windows in the center of the screen.",
+ "window.newWindowDimensions.inherit": "Open new windows with same dimension as last active one.",
+ "window.newWindowDimensions.offset": "Open new windows with same dimension as last active one with an offset position.",
+ "window.newWindowDimensions.maximized": "Open new windows maximized.",
+ "window.newWindowDimensions.fullscreen": "Open new windows in full screen mode.",
+ "newWindowDimensions": "Controls the dimensions of opening a new window when at least one window is already opened. Note that this setting does not have an impact on the first window that is opened. The first window will always restore the size and location as you left it before closing.",
+ "closeWhenEmpty": "Controls whether closing the last editor should also close the window. This setting only applies for windows that do not show folders.",
+ "autoDetectHighContrast": "If enabled, will automatically change to high contrast theme if Windows is using a high contrast theme, and to dark theme when switching away from a Windows high contrast theme.",
+ "window.doubleClickIconToClose": "If enabled, double clicking the application icon in the title bar will close the window and the window cannot be dragged by the icon. This setting only has an effect when `#window.titleBarStyle#` is set to `custom`.",
+ "titleBarStyle": "Adjust the appearance of the window title bar. On Linux and Windows, this setting also affects the application and context menu appearances. Changes require a full restart to apply.",
+ "window.nativeTabs": "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.",
+ "window.nativeFullScreen": "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.",
+ "window.clickThroughInactive": "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.",
+ "telemetryConfigurationTitle": "Telemetry",
+ "telemetry.enableCrashReporting": "Enable crash reports to be sent to a Microsoft online service. \nThis option requires restart to take effect.",
+ "argv.locale": "The display Language to use. Picking a different language requires the associated language pack to be installed.",
+ "argv.disableHardwareAcceleration": "Disables hardware acceleration. ONLY change this option if you encounter graphic issues.",
+ "argv.disableColorCorrectRendering": "Resolves issues around colour profile selection. ONLY change this option if you encounter graphic issues.",
+ "argv.forceColorProfile": "Allows to override the color profile to use. If you experience colors appear badly, try to set this to `srgb` and restart.",
+ "argv.force-renderer-accessibility": "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/browser/actions/textInputActions": {
+ "undo": "Undo",
+ "redo": "Redo",
+ "cut": "Cut",
+ "copy": "Copy",
+ "paste": "Paste",
+ "selectAll": "Select All"
+ },
+ "vs/workbench/browser/actions/workspaceCommands": {
+ "addFolderToWorkspace": "Add Folder to Workspace...",
+ "add": "&&Add",
+ "addFolderToWorkspaceTitle": "Add Folder to Workspace",
+ "workspaceFolderPickerPlaceholder": "Select workspace folder"
+ },
+ "vs/workbench/browser/actions/developerActions": {
+ "inspect context keys": "Inspect Context Keys",
+ "toggle screencast mode": "Toggle Screencast Mode",
+ "logStorage": "Log Storage Database Contents",
+ "logWorkingCopies": "Log Working Copies",
+ "developer": "Developer",
+ "screencastModeConfigurationTitle": "Screencast Mode",
+ "screencastMode.location.verticalPosition": "Controls the vertical offset of the screencast mode overlay from the bottom as a percentage of the workbench height.",
+ "screencastMode.onlyKeyboardShortcuts": "Only show keyboard shortcuts in Screencast Mode."
+ },
+ "vs/workbench/browser/actions/navigationActions": {
+ "navigateLeft": "Navigate to the View on the Left",
+ "navigateRight": "Navigate to the View on the Right",
+ "navigateUp": "Navigate to the View Above",
+ "navigateDown": "Navigate to the View Below",
+ "view": "View"
+ },
+ "vs/workbench/browser/actions/quickAccessActions": {
+ "quickOpen": "Go to File...",
+ "quickNavigateNext": "Navigate Next in Quick Open",
+ "quickNavigatePrevious": "Navigate Previous in Quick Open",
+ "quickSelectNext": "Select Next in Quick Open",
+ "quickSelectPrevious": "Select Previous in Quick Open"
+ },
+ "vs/workbench/api/common/configurationExtensionPoint": {
+ "vscode.extension.contributes.configuration.title": "A summary of the settings. This label will be used in the settings file as separating comment.",
+ "vscode.extension.contributes.configuration.properties": "Description of the configuration properties.",
+ "scope.application.description": "Configuration that can be configured only in the user settings.",
+ "scope.machine.description": "Configuration that can be configured only in the user settings or only in the remote settings.",
+ "scope.window.description": "Configuration that can be configured in the user, remote or workspace settings.",
+ "scope.resource.description": "Configuration that can be configured in the user, remote, workspace or folder settings.",
+ "scope.language-overridable.description": "Resource configuration that can be configured in language specific settings.",
+ "scope.machine-overridable.description": "Machine configuration that can be configured also in workspace or folder settings.",
+ "scope.description": "Scope in which the configuration is applicable. Available scopes are `application`, `machine`, `window`, `resource`, and `machine-overridable`.",
+ "scope.enumDescriptions": "Descriptions for enum values",
+ "scope.markdownEnumDescriptions": "Descriptions for enum values in the markdown format.",
+ "scope.markdownDescription": "The description in the markdown format.",
+ "scope.deprecationMessage": "If set, the property is marked as deprecated and the given message is shown as an explanation.",
+ "vscode.extension.contributes.defaultConfiguration": "Contributes default editor configuration settings by language.",
+ "vscode.extension.contributes.configuration": "Contributes configuration settings.",
+ "invalid.title": "'configuration.title' must be a string",
+ "invalid.properties": "'configuration.properties' must be an object",
+ "invalid.property": "'configuration.property' must be an object",
+ "invalid.allOf": "'configuration.allOf' is deprecated and should no longer be used. Instead, pass multiple configuration sections as an array to the 'configuration' contribution point.",
+ "workspaceConfig.folders.description": "List of folders to be loaded in the workspace.",
+ "workspaceConfig.path.description": "A file path. e.g. `/root/folderA` or `./folderA` for a relative path that will be resolved against the location of the workspace file.",
+ "workspaceConfig.name.description": "An optional name for the folder. ",
+ "workspaceConfig.uri.description": "URI of the folder",
+ "workspaceConfig.settings.description": "Workspace settings",
+ "workspaceConfig.launch.description": "Workspace launch configurations",
+ "workspaceConfig.tasks.description": "Workspace task configurations",
+ "workspaceConfig.extensions.description": "Workspace extensions",
+ "workspaceConfig.remoteAuthority": "The remote server where the workspace is located. Only used by unsaved remote workspaces.",
+ "unknownWorkspaceProperty": "Unknown workspace configuration property"
+ },
+ "vs/workbench/browser/parts/sidebar/sidebarPart": {
+ "focusSideBar": "Focus into Side Bar",
+ "viewCategory": "View"
+ },
+ "vs/workbench/electron-browser/actions/developerActions": {
+ "toggleDevTools": "Toggle Developer Tools",
+ "toggleSharedProcess": "Toggle Shared Process",
+ "configureRuntimeArguments": "Configure Runtime Arguments"
+ },
+ "vs/workbench/browser/actions/helpActions": {
+ "keybindingsReference": "Keyboard Shortcuts Reference",
+ "openDocumentationUrl": "Documentation",
+ "openIntroductoryVideosUrl": "Introductory Videos",
+ "openTipsAndTricksUrl": "Tips and Tricks",
+ "newsletterSignup": "Sign up for the VS Code Newsletter",
+ "openTwitterUrl": "Join Us on Twitter",
+ "openUserVoiceUrl": "Search Feature Requests",
+ "openLicenseUrl": "View Licence",
+ "openPrivacyStatement": "Privacy Statement",
+ "help": "Help",
+ "miDocumentation": "&&Documentation",
+ "miKeyboardShortcuts": "&&Keyboard Shortcuts Reference",
+ "miIntroductoryVideos": "Introductory &&Videos",
+ "miTipsAndTricks": "Tips and Tri&&cks",
+ "miTwitter": "&&Join Us on Twitter",
+ "miUserVoice": "&&Search Feature Requests",
+ "miLicense": "View &&License",
+ "miPrivacyStatement": "Privac&&y Statement"
+ },
+ "vs/workbench/api/browser/viewsExtensionPoint": {
+ "vscode.extension.contributes.views.containers.id": "Unique id used to identify the container in which views can be contributed using 'views' contribution point",
+ "vscode.extension.contributes.views.containers.title": "Human readable string used to render the container",
+ "vscode.extension.contributes.views.containers.icon": "Path to the container icon. Icons are 24x24 centred on a 50x40 block and have a fill colour of 'rgb(215, 218, 224)' or '#d7dae0'. It is recommended that icons be in SVG, though any image file type is accepted.",
+ "vscode.extension.contributes.viewsContainers": "Contributes views containers to the editor",
+ "views.container.activitybar": "Contribute views containers to Activity Bar",
+ "views.container.panel": "Contribute views containers to Panel",
+ "vscode.extension.contributes.view.id": "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`.",
+ "vscode.extension.contributes.view.name": "The human-readable name of the view. Will be shown",
+ "vscode.extension.contributes.view.when": "Condition which must be true to show this view",
+ "vscode.extension.contributes.view.group": "Nested group in the viewlet",
+ "vscode.extension.contributes.view.remoteName": "The name of the remote type associated with this view",
+ "vscode.extension.contributes.views": "Contributes views to the editor",
+ "views.explorer": "Contributes views to Explorer container in the Activity bar",
+ "views.debug": "Contributes views to Debug container in the Activity bar",
+ "views.scm": "Contributes views to SCM container in the Activity bar",
+ "views.test": "Contributes views to Test container in the Activity bar",
+ "views.remote": "Contributes views to Remote container in the Activity bar. To contribute to this container, enableProposedApi needs to be turned on",
+ "views.contributed": "Contributes views to contributed views container",
+ "test": "Test",
+ "viewcontainer requirearray": "views containers must be an array",
+ "requireidstring": "property `{0}` is mandatory and must be of type `string`. Only alphanumeric characters, '_', and '-' are allowed.",
+ "requirestring": "property `{0}` is mandatory and must be of type `string`",
+ "showViewlet": "Show {0}",
+ "view": "View",
+ "ViewContainerRequiresProposedAPI": "View container '{0}' requires 'enableProposedApi' turned on to be added to 'Remote'.",
+ "ViewContainerDoesnotExist": "View container '{0}' does not exist and all views registered to it will be added to 'Explorer'.",
+ "duplicateView1": "Cannot register multiple views with same id `{0}`",
+ "duplicateView2": "A view with id `{0}` is already registered.",
+ "requirearray": "views must be an array",
+ "optstring": "property `{0}` can be omitted or must be of type `string`"
+ },
+ "vs/workbench/browser/actions/workspaceActions": {
+ "openFile": "Open File...",
+ "openFolder": "Open folder...",
+ "openFileFolder": "Open...",
+ "openWorkspaceAction": "Open Workspace...",
+ "closeWorkspace": "Close Workspace",
+ "noWorkspaceOpened": "There is currently no workspace opened in this instance to close.",
+ "openWorkspaceConfigFile": "Open Workspace Configuration File",
+ "globalRemoveFolderFromWorkspace": "Remove Folder from Workspace...",
+ "saveWorkspaceAsAction": "Save Workspace As...",
+ "duplicateWorkspaceInNewWindow": "Duplicate Workspace in New Window",
+ "workspaces": "Workspaces",
+ "miAddFolderToWorkspace": "A&&dd Folder to Workspace...",
+ "miSaveWorkspaceAs": "Save Workspace As...",
+ "miCloseFolder": "Close &&Folder",
+ "miCloseWorkspace": "Close &&Workspace"
+ },
+ "vs/workbench/browser/actions/windowActions": {
+ "remove": "Remove from Recently Opened",
+ "dirtyRecentlyOpened": "Workspace With Dirty Files",
+ "workspaces": "Workspaces",
+ "files": "files",
+ "dirtyWorkspace": "Workspace with Dirty Files",
+ "dirtyWorkspaceConfirm": "Do you want to open the workspace to review the dirty files?",
+ "dirtyWorkspaceConfirmDetail": "Workspaces with dirty files cannot be removed until all dirty files have been saved or reverted.",
+ "recentDirtyAriaLabel": "{0}, dirty workspace",
+ "openRecent": "Open Recent...",
+ "quickOpenRecent": "Quick Open Recent...",
+ "toggleFullScreen": "Toggle Full Screen",
+ "reloadWindow": "Reload Window",
+ "about": "About",
+ "newWindow": "New Window",
+ "file": "File",
+ "view": "View",
+ "developer": "Developer",
+ "help": "Help",
+ "miNewWindow": "New &&Window",
+ "miOpenRecent": "Open &&Recent",
+ "miMore": "&&More...",
+ "miToggleFullScreen": "&&Full Screen",
+ "miAbout": "&&About"
+ },
+ "vs/workbench/api/common/menusExtensionPoint": {
+ "requirearray": "menu items must be an array",
+ "requirestring": "property `{0}` is mandatory and must be of type `string`",
+ "optstring": "property `{0}` can be omitted or must be of type `string`",
+ "vscode.extension.contributes.menuItem.command": "Identifier of the command to execute. The command must be declared in the 'commands'-section",
+ "vscode.extension.contributes.menuItem.alt": "Identifier of an alternative command to execute. The command must be declared in the 'commands'-section",
+ "vscode.extension.contributes.menuItem.when": "Condition which must be true to show this item",
+ "vscode.extension.contributes.menuItem.group": "Group into which this command belongs",
+ "vscode.extension.contributes.menus": "Contributes menu items to the editor",
+ "menus.commandPalette": "The Command Palette",
+ "menus.touchBar": "The touch bar (macOS only)",
+ "menus.editorTitle": "The editor title menu",
+ "menus.editorContext": "The editor context menu",
+ "menus.explorerContext": "The file explorer context menu",
+ "menus.editorTabContext": "The editor tabs context menu",
+ "menus.debugCallstackContext": "The debug callstack context menu",
+ "menus.webNavigation": "The top level navigational menu (web only)",
+ "menus.scmTitle": "The Source Control title menu",
+ "menus.scmSourceControl": "The Source Control menu",
+ "menus.resourceGroupContext": "The Source Control resource group context menu",
+ "menus.resourceStateContext": "The Source Control resource state context menu",
+ "menus.resourceFolderContext": "The Source Control resource folder context menu",
+ "menus.changeTitle": "The Source Control inline change menu",
+ "view.viewTitle": "The contributed view title menu",
+ "view.itemContext": "The contributed view item context menu",
+ "commentThread.title": "The contributed comment thread title menu",
+ "commentThread.actions": "The contributed comment thread context menu, rendered as buttons below the comment editor",
+ "comment.title": "The contributed comment title menu",
+ "comment.actions": "The contributed comment context menu, rendered as buttons below the comment editor",
+ "notebook.cell.title": "The contributed notebook cell title menu",
+ "menus.extensionContext": "The extension context menu",
+ "view.timelineTitle": "The Timeline view title menu",
+ "view.timelineContext": "The Timeline view item context menu",
+ "nonempty": "expected non-empty value.",
+ "opticon": "property `icon` can be omitted or must be either a string or a literal like `{dark, light}`",
+ "requireStringOrObject": "property `{0}` is mandatory and must be of type `string` or `object`",
+ "requirestrings": "properties `{0}` and `{1}` are mandatory and must be of type `string`",
+ "vscode.extension.contributes.commandType.command": "Identifier of the command to execute",
+ "vscode.extension.contributes.commandType.title": "Title by which the command is represented in the UI",
+ "vscode.extension.contributes.commandType.category": "(Optional) Category string by the command is grouped in the UI",
+ "vscode.extension.contributes.commandType.precondition": "(Optional) Condition which must be true to enable the command",
+ "vscode.extension.contributes.commandType.icon": "(Optional) Icon which is used to represent the command in the UI. Either a file path, an object with file paths for dark and light themes, or a theme icon references, like `$(zap)`",
+ "vscode.extension.contributes.commandType.icon.light": "Icon path when a light theme is used",
+ "vscode.extension.contributes.commandType.icon.dark": "Icon path when a dark theme is used",
+ "vscode.extension.contributes.commands": "Contributes commands to the command palette.",
+ "dup": "Command `{0}` appears multiple times in the `commands` section.",
+ "menuId.invalid": "`{0}` is not a valid menu identifier",
+ "proposedAPI.invalid": "{0} is a proposed menu identifier and is only available when running out of dev or with the following command line switch: --enable-proposed-api {1}",
+ "missing.command": "Menu item references a command `{0}` which is not defined in the 'commands' section.",
+ "missing.altCommand": "Menu item references an alt-command `{0}` which is not defined in the 'commands' section.",
+ "dupe.command": "Menu item references the same command as default and alt-command"
+ },
+ "vs/workbench/electron-browser/actions/windowActions": {
+ "closeWindow": "Close Window",
+ "zoomIn": "Zoom In",
+ "zoomOut": "Zoom Out",
+ "zoomReset": "Reset Zoom",
+ "reloadWindowWithExtensionsDisabled": "Reload With Extensions Disabled",
+ "close": "Close Window",
+ "switchWindowPlaceHolder": "Select a window to switch to",
+ "windowDirtyAriaLabel": "{0}, dirty window",
+ "current": "Current Window",
+ "switchWindow": "Switch Window...",
+ "quickSwitchWindow": "Quick Switch Window..."
+ },
+ "vs/workbench/browser/workbench.contribution": {
+ "workbench.editor.titleScrollbarSizing.default": "The default size.",
+ "workbench.editor.titleScrollbarSizing.large": "Increases the size, so it can be grabed more easily with the mouse",
+ "tabScrollbarHeight": "Controls the height of the scrollbars used for tabs and breadcrumbs in the editor title area.",
+ "showEditorTabs": "Controls whether opened editors should show in tabs or not.",
+ "highlightModifiedTabs": "Controls whether a top border is drawn on modified (dirty) editor tabs or not.",
+ "workbench.editor.labelFormat.default": "Show the name of the file. When tabs are enabled and two files have the same name in one group the distinguishing sections of each file's path are added. When tabs are disabled, the path relative to the workspace folder is shown if the editor is active.",
+ "workbench.editor.labelFormat.short": "Show the name of the file followed by its directory name.",
+ "workbench.editor.labelFormat.medium": "Show the name of the file followed by its path relative to the workspace folder.",
+ "workbench.editor.labelFormat.long": "Show the name of the file followed by its absolute path.",
+ "tabDescription": "Controls the format of the label for an editor.",
+ "workbench.editor.untitled.labelFormat.content": "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.",
+ "workbench.editor.untitled.labelFormat.name": "The name of the untitled file is not derived from the contents of the file.",
+ "untitledLabelFormat": "Controls the format of the label for an untitled editor.",
+ "editorTabCloseButton": "Controls the position of the editor's tabs close buttons, or disables them when set to 'off'.",
+ "workbench.editor.tabSizing.fit": "Always keep tabs large enough to show the full editor label.",
+ "workbench.editor.tabSizing.shrink": "Allow tabs to get smaller when the available space is not enough to show all tabs at once.",
+ "tabSizing": "Controls the sizing of editor tabs.",
+ "workbench.editor.splitSizingDistribute": "Splits all the editor groups to equal parts.",
+ "workbench.editor.splitSizingSplit": "Splits the active editor group to equal parts.",
+ "splitSizing": "Controls the sizing of editor groups when splitting them.",
+ "focusRecentEditorAfterClose": "Controls whether tabs are closed in most recently used order or from left to right.",
+ "showIcons": "Controls whether opened editors should show with an icon or not. This requires an icon theme to be enabled as well.",
+ "enablePreview": "Controls whether opened editors show as preview. Preview editors are reused until they are pinned (e.g. via double click or editing) and show up with an italic font style.",
+ "enablePreviewFromQuickOpen": "Controls whether editors opened from Quick Open show as preview. Preview editors are reused until they are pinned (e.g. via double click or editing).",
+ "closeOnFileDelete": "Controls whether editors showing a file that was opened during the session should close automatically when getting deleted or renamed by some other process. Disabling this will keep the editor open on such an event. Note that deleting from within the application will always close the editor and that dirty files will never close to preserve your data.",
+ "editorOpenPositioning": "Controls where editors open. Select `left` or `right` to open editors to the left or right of the currently active one. Select `first` or `last` to open editors independently from the currently active one.",
+ "sideBySideDirection": "Controls the default direction of editors that are opened side by side (e.g. from the explorer). By default, editors will open on the right hand side of the currently active one. If changed to `down`, the editors will open below the currently active one.",
+ "closeEmptyGroups": "Controls the behaviour of empty editor groups when the last tab in the group is closed. When enabled, empty groups will automatically close. When disabled, empty groups will remain part of the grid.",
+ "revealIfOpen": "Controls whether an editor is revealed in any of the visible groups if opened. If disabled, an editor will prefer to open in the currently active editor group. If enabled, an existing editor will be displayed instead of opened again in the currently active editor group. Note that there are some cases where this setting is ignored (e.g. when forcing an editor to open in a specific group or to the side of the currently active group).",
+ "mouseBackForwardToNavigate": "Navigate between open files using mouse buttons four and five if provided.",
+ "restoreViewState": "Restores the last view state (e.g. scroll position) when re-opening files after they have been closed.",
+ "centeredLayoutAutoResize": "Controls if the centred 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 centred width.",
+ "limitEditorsEnablement": "Controls if the number of opened editors should be limited or not. When enabled, less recently used editors that are not dirty will close to make space for newly opening editors.",
+ "limitEditorsMaximum": "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.",
+ "perEditorGroup": "Controls if the limit of maximum opened editors should apply per editor group or across all editor groups.",
+ "commandHistory": "Controls the number of recently used commands to keep in history for the command palette. Set to 0 to disable command history.",
+ "preserveInput": "Controls whether the last typed input to the command palette should be restored when opening it the next time.",
+ "closeOnFocusLost": "Controls whether Quick Open should close automatically once it loses focus.",
+ "workbench.quickOpen.preserveInput": "Controls whether the last typed input to Quick Open should be restored when opening it the next time.",
+ "openDefaultSettings": "Controls whether opening settings also opens an editor showing all default settings.",
+ "useSplitJSON": "Controls whether to use the split JSON editor when editing settings as JSON.",
+ "openDefaultKeybindings": "Controls whether opening keybinding settings also opens an editor showing all default keybindings.",
+ "sideBarLocation": "Controls the location of the sidebar and activity bar. They can either show on the left or right of the workbench.",
+ "panelDefaultLocation": "Controls the default location of the panel (terminal, debug console, output, problems). It can either show at the bottom, right, or left of the workbench.",
+ "statusBarVisibility": "Controls the visibility of the status bar at the bottom of the workbench.",
+ "activityBarVisibility": "Controls the visibility of the activity bar in the workbench.",
+ "viewVisibility": "Controls the visibility of view header actions. View header actions may either be always visible, or only visible when that view is focused or hovered over.",
+ "fontAliasing": "Controls font aliasing method in the workbench.",
+ "workbench.fontAliasing.default": "Sub-pixel font smoothing. On most non-retina displays this will give the sharpest text.",
+ "workbench.fontAliasing.antialiased": "Smooth the font on the level of the pixel, as opposed to the subpixel. Can make the font appear lighter overall.",
+ "workbench.fontAliasing.none": "Disables font smoothing. Text will show with jagged sharp edges.",
+ "workbench.fontAliasing.auto": "Applies `default` or `antialiased` automatically based on the DPI of displays.",
+ "settings.editor.ui": "Use the settings UI editor.",
+ "settings.editor.json": "Use the JSON file editor.",
+ "settings.editor.desc": "Determines which settings editor to use by default.",
+ "windowTitle": "Controls the window title based on the active editor. Variables are substituted based on the context:",
+ "activeEditorShort": "`${activeEditorShort}`: the file name (e.g. myFile.txt).",
+ "activeEditorMedium": "`${activeEditorMedium}`: the path of the file relative to the workspace folder (e.g. myFolder/myFileFolder/myFile.txt).",
+ "activeEditorLong": "`${activeEditorLong}`: the full path of the file (e.g. /Users/Development/myFolder/myFileFolder/myFile.txt).",
+ "activeFolderShort": "`${activeFolderShort}`: the name of the folder the file is contained in (e.g. myFileFolder).",
+ "activeFolderMedium": "`${activeFolderMedium}`: the path of the folder the file is contained in, relative to the workspace folder (e.g. myFolder/myFileFolder).",
+ "activeFolderLong": "`${activeFolderLong}`: the full path of the folder the file is contained in (e.g. /Users/Development/myFolder/myFileFolder).",
+ "folderName": "`${folderName}`: name of the workspace folder the file is contained in (e.g. myFolder).",
+ "folderPath": "`${folderPath}`: file path of the workspace folder the file is contained in (e.g. /Users/Development/myFolder).",
+ "rootName": "`${rootName}`: name of the workspace (e.g. myFolder or myWorkspace).",
+ "rootPath": "`${rootPath}`: file path of the workspace (e.g. /Users/Development/myWorkspace).",
+ "appName": "`${appName}`: e.g. VS Code.",
+ "remoteName": "`${remoteName}`: e.g. SSH",
+ "dirty": "`${dirty}`: a dirty indicator if the active editor is dirty.",
+ "separator": "`${separator}`: a conditional separator (\" - \") that only shows when surrounded by variables with values or static text.",
+ "windowConfigurationTitle": "Window",
+ "window.menuBarVisibility.default": "Menu is only hidden in full screen mode.",
+ "window.menuBarVisibility.visible": "Menu is always visible even in full screen mode.",
+ "window.menuBarVisibility.toggle": "Menu is hidden but can be displayed via Alt key.",
+ "window.menuBarVisibility.hidden": "Menu is always hidden.",
+ "window.menuBarVisibility.compact": "Menu is displayed as a compact button in the sidebar. This value is ignored when 'window.titleBarStyle' is 'native'.",
+ "menuBarVisibility": "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. By default, the menu bar will be visible, unless the window is full screen.",
+ "enableMenuBarMnemonics": "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.",
+ "customMenuBarAltFocus": "Controls whether the menu bar will be focused by pressing the Alt-key. This setting has no effect on toggling the menu bar with the Alt-key.",
+ "window.openFilesInNewWindow.on": "Files will open in a new window.",
+ "window.openFilesInNewWindow.off": "Files will open in the window with the files' folder open or the last active window.",
+ "window.openFilesInNewWindow.defaultMac": "Files will open in the window with the files' folder open or the last active window unless opened via the Dock or from Finder.",
+ "window.openFilesInNewWindow.default": "Files will open in a new window unless picked from within the application (e.g. via the File menu).",
+ "openFilesInNewWindowMac": "Controls whether files should open in a new window. \nNote that there can still be cases where this setting is ignored (e.g. when using the `--new-window` or `--reuse-window` command line option).",
+ "openFilesInNewWindow": "Controls whether files should open in a new window.\nNote that there can still be cases where this setting is ignored (e.g. when using the `--new-window` or `--reuse-window` command line option).",
+ "window.openFoldersInNewWindow.on": "Folders will open in a new window.",
+ "window.openFoldersInNewWindow.off": "Folders will replace the last active window.",
+ "window.openFoldersInNewWindow.default": "Folders will open in a new window unless a folder is picked from within the application (e.g. via the File menu).",
+ "openFoldersInNewWindow": "Controls whether folders should open in a new window or replace the last active window.\nNote that there can still be cases where this setting is ignored (e.g. when using the `--new-window` or `--reuse-window` command line option).",
+ "zenModeConfigurationTitle": "Zen Mode",
+ "zenMode.fullScreen": "Controls whether turning on Zen Mode also puts the workbench into full screen mode.",
+ "zenMode.centerLayout": "Controls whether turning on Zen Mode also centres the layout.",
+ "zenMode.hideTabs": "Controls whether turning on Zen Mode also hides workbench tabs.",
+ "zenMode.hideStatusBar": "Controls whether turning on Zen Mode also hides the status bar at the bottom of the workbench.",
+ "zenMode.hideActivityBar": "Controls whether turning on Zen Mode also hides the activity bar at the left of the workbench.",
+ "zenMode.hideLineNumbers": "Controls whether turning on Zen Mode also hides the editor line numbers.",
+ "zenMode.restore": "Controls whether a window should restore to zen mode if it was exited in zen mode.",
+ "zenMode.silentNotifications": "Controls whether notifications are shown while in zen mode. If true, only error notifications will pop out."
+ },
+ "vs/workbench/browser/parts/titlebar/titlebarPart": {
+ "patchedWindowTitle": "[Unsupported]",
+ "userIsAdmin": "[Administrator]",
+ "userIsSudo": "[Superuser]",
+ "devExtensionWindowTitlePrefix": "[Extension Development Host]"
+ },
+ "vs/workbench/browser/workbench": {
+ "loaderErrorNative": "Failed to load a required file. Please restart the application to try again. Details: {0}"
+ },
+ "vs/workbench/common/editor": {
+ "sideBySideLabels": "{0} - {1}"
+ },
+ "vs/workbench/api/common/jsonValidationExtensionPoint": {
+ "contributes.jsonValidation": "Contributes json schema configuration.",
+ "contributes.jsonValidation.fileMatch": "The file pattern (or an array of patterns) to match, for example \"package.json\" or \"*.launch\". Exclusion patterns start with '!'",
+ "contributes.jsonValidation.url": "A schema URL ('http:', 'https:') or relative path to the extension folder ('./').",
+ "invalid.jsonValidation": "'configuration.jsonValidation' must be a array",
+ "invalid.fileMatch": "'configuration.jsonValidation.fileMatch' must be defined as a string or an array of strings.",
+ "invalid.url": "'configuration.jsonValidation.url' must be a URL or relative path",
+ "invalid.path.1": "Expected `contributes. {0}.url` ({1}) to be included inside extension's folder ({2}). This might make the extension non-portable.",
+ "invalid.url.fileschema": "'configuration.jsonValidation.url' is an invalid relative URL: {0}",
+ "invalid.url.schema": "'configuration.jsonValidation.url' must be an absolute URL or start with './' to reference schemas located in the extension."
+ },
+ "vs/workbench/api/browser/mainThreadMessageService": {
+ "extensionSource": "{0} (Extension)",
+ "defaultSource": "Extension",
+ "manageExtension": "Manage Extension",
+ "cancel": "Cancel",
+ "ok": "OK"
+ },
+ "vs/workbench/api/browser/mainThreadFileSystemEventService": {
+ "files.participants.timeout": "Timeout in milliseconds after which file participants for create, rename, and delete are cancelled. Use `0` to disable participants."
+ },
+ "vs/workbench/api/browser/mainThreadProgress": {
+ "manageExtension": "Manage Extension"
+ },
+ "vs/workbench/api/browser/mainThreadSaveParticipant": {
+ "timeout.onWillSave": "Aborted onWillSaveTextDocument-event after 1750ms"
+ },
+ "vs/workbench/browser/actions/layoutActions": {
+ "view": "View",
+ "closeSidebar": "Close Side Bar",
+ "toggleActivityBar": "Toggle Activity Bar Visibility",
+ "miShowActivityBar": "Show &&Activity Bar",
+ "toggleCenteredLayout": "Toggle Centered Layout",
+ "miToggleCenteredLayout": "Centered Layout",
+ "flipLayout": "Toggle Vertical/Horizontal Editor Layout",
+ "miToggleEditorLayout": "Flip &&Layout",
+ "toggleSidebarPosition": "Toggle Side Bar Position",
+ "moveSidebarRight": "Move Side Bar Right",
+ "moveSidebarLeft": "Move Side Bar Left",
+ "miMoveSidebarRight": "&&Move Side Bar Right",
+ "miMoveSidebarLeft": "&&Move Side Bar Left",
+ "toggleEditor": "Toggle Editor Area Visibility",
+ "miShowEditorArea": "Show &&Editor Area",
+ "toggleSidebar": "Toggle Side Bar Visibility",
+ "miAppearance": "&&Appearance",
+ "miShowSidebar": "Show &&Side Bar",
+ "toggleStatusbar": "Toggle Status Bar Visibility",
+ "miShowStatusbar": "Show S&&tatus Bar",
+ "toggleTabs": "Toggle Tab Visibility",
+ "toggleZenMode": "Toggle Zen Mode",
+ "miToggleZenMode": "Zen Mode",
+ "toggleMenuBar": "Toggle Menu Bar",
+ "miShowMenuBar": "Show Menu &&Bar",
+ "resetViewLocations": "Reset View Locations",
+ "moveFocusedView": "Move Focused View",
+ "moveFocusedView.error.noFocusedView": "There is no view currently focused.",
+ "moveFocusedView.error.nonMovableView": "The currently focused view is not movable.",
+ "moveFocusedView.selectDestination": "Select a Destination for the View",
+ "sidebar": "Side Bar",
+ "moveFocusedView.newContainerInSidebar": "New Container in Side Bar",
+ "panel": "Panel",
+ "moveFocusedView.newContainerInPanel": "New Container in Panel",
+ "resetFocusedViewLocation": "Reset Focused View Location",
+ "resetFocusedView.error.noFocusedView": "There is no view currently focused.",
+ "increaseViewSize": "Increase Current View Size",
+ "decreaseViewSize": "Decrease Current View Size"
+ },
+ "vs/workbench/browser/parts/panel/panelPart": {
+ "hidePanel": "Hide Panel"
+ },
+ "vs/workbench/browser/parts/activitybar/activitybarPart": {
+ "hideMenu": "Hide Menu",
+ "showMenu": "Show Menu",
+ "hideActivitBar": "Hide Activity Bar",
+ "manage": "Manage",
+ "accounts": "Accounts"
+ },
+ "vs/workbench/browser/parts/statusbar/statusbarPart": {
+ "hide": "Hide '{0}'",
+ "hideStatusBar": "Hide Status Bar"
+ },
+ "vs/workbench/common/configuration": {
+ "workbenchConfigurationTitle": "Workbench"
+ },
+ "vs/workbench/common/theme": {
+ "tabActiveBackground": "Active tab background color. 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.",
+ "tabUnfocusedActiveBackground": "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.",
+ "tabInactiveBackground": "Inactive tab background color. 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.",
+ "tabHoverBackground": "Tab background color when hovering. 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.",
+ "tabUnfocusedHoverBackground": "Tab background color in an unfocused group when hovering. 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.",
+ "tabBorder": "Border to separate tabs from each other. 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.",
+ "tabActiveBorder": "Border on the bottom of an active tab. 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.",
+ "tabActiveUnfocusedBorder": "Border on the bottom of an active tab 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.",
+ "tabActiveBorderTop": "Border to the top of an active tab. 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.",
+ "tabActiveUnfocusedBorderTop": "Border to the top of an active tab 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.",
+ "tabActiveModifiedBorder": "Border on the top of modified (dirty) active tabs 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.",
+ "tabInactiveModifiedBorder": "Border on the top of modified (dirty) inactive tabs 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.",
+ "unfocusedActiveModifiedBorder": "Border on the top of modified (dirty) active tabs 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.",
+ "unfocusedINactiveModifiedBorder": "Border on the top of modified (dirty) inactive tabs 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.",
+ "tabHoverBorder": "Border to highlight tabs when hovering. 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.",
+ "tabUnfocusedHoverBorder": "Border to highlight tabs in an unfocused group when hovering. 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.",
+ "tabActiveForeground": "Active tab foreground 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.",
+ "tabInactiveForeground": "Inactive tab foreground 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.",
+ "tabUnfocusedActiveForeground": "Active tab foreground 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.",
+ "tabUnfocusedInactiveForeground": "Inactive tab foreground 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.",
+ "editorPaneBackground": "Background colour of the editor pane visible on the left and right side of the centred editor layout.",
+ "editorGroupBackground": "Deprecated background colour of an editor group.",
+ "deprecatedEditorGroupBackground": "Deprecated: Background colour of an editor group is no longer being supported with the introduction of the grid editor layout. You can use editorGroup.emptyBackground to set the background colour of empty editor groups.",
+ "editorGroupEmptyBackground": "Background colour of an empty editor group. Editor groups are the containers of editors.",
+ "editorGroupFocusedEmptyBorder": "Border colour of an empty editor group that is focused. Editor groups are the containers of editors.",
+ "tabsContainerBackground": "Background color of the editor group title header when tabs are enabled. Editor groups are the containers of editors.",
+ "tabsContainerBorder": "Border color of the editor group title header when tabs are enabled. Editor groups are the containers of editors.",
+ "editorGroupHeaderBackground": "Background colour of the editor group title header when tabs are disabled (`\"workbench.editor.showTabs\": false`). Editor groups are the containers of editors.",
+ "editorGroupBorder": "Color to separate multiple editor groups from each other. Editor groups are the containers of editors.",
+ "editorDragAndDropBackground": "Background color when dragging editors around. The color should have transparency so that the editor contents can still shine through.",
+ "imagePreviewBorder": "Border color for image in image preview.",
+ "panelBackground": "Panel background color. Panels are shown below the editor area and contain views like output and integrated terminal.",
+ "panelBorder": "Panel border colour to separate the panel from the editor. Panels are shown below the editor area and contain views like output and integrated terminal.",
+ "panelActiveTitleForeground": "Title color for the active panel. Panels are shown below the editor area and contain views like output and integrated terminal.",
+ "panelInactiveTitleForeground": "Title colour for the inactive panel. Panels are shown below the editor area and contain views like output and integrated terminal.",
+ "panelActiveTitleBorder": "Border color for the active panel title. Panels are shown below the editor area and contain views like output and integrated terminal.",
+ "panelDragAndDropBackground": "Drag and drop feedback color for the panel title items. The color should have transparency so that the panel entries can still shine through. Panels are shown below the editor area and contain views like output and integrated terminal.",
+ "panelInputBorder": "Input box border for inputs in the panel.",
+ "statusBarForeground": "Status bar foreground color when a workspace is opened. The status bar is shown in the bottom of the window.",
+ "statusBarNoFolderForeground": "Status bar foreground colour when no folder is opened. The status bar is shown in the bottom of the window.",
+ "statusBarBackground": "Status bar background color when a workspace is opened. The status bar is shown in the bottom of the window.",
+ "statusBarNoFolderBackground": "Status bar background colour when no folder is opened. The status bar is shown in the bottom of the window.",
+ "statusBarBorder": "Status bar border color separating to the sidebar and editor. The status bar is shown in the bottom of the window.",
+ "statusBarNoFolderBorder": "Status bar border color separating to the sidebar and editor when no folder is opened. The status bar is shown in the bottom of the window.",
+ "statusBarItemActiveBackground": "Status bar item background color when clicking. The status bar is shown in the bottom of the window.",
+ "statusBarItemHoverBackground": "Status bar item background color when hovering. The status bar is shown in the bottom of the window.",
+ "statusBarProminentItemForeground": "Status bar prominent items foreground color. Prominent items stand out from other status bar entries to indicate importance. Change mode `Toggle Tab Key Moves Focus` from command palette to see an example. The status bar is shown in the bottom of the window.",
+ "statusBarProminentItemBackground": "Status bar prominent items background color. Prominent items stand out from other status bar entries to indicate importance. Change mode `Toggle Tab Key Moves Focus` from command palette to see an example. The status bar is shown in the bottom of the window.",
+ "statusBarProminentItemHoverBackground": "Status bar prominent items background color when hovering. Prominent items stand out from other status bar entries to indicate importance. Change mode `Toggle Tab Key Moves Focus` from command palette to see an example. The status bar is shown in the bottom of the window.",
+ "activityBarBackground": "Activity bar background colour. The activity bar is showing on the far left or right and allows to switch between views of the side bar.",
+ "activityBarForeground": "Activity bar item foreground colour when it is active. The activity bar is showing on the far left or right and allows to switch between views of the side bar.",
+ "activityBarInActiveForeground": "Activity bar item foreground colour when it is inactive. The activity bar is showing on the far left or right and allows to switch between views of the side bar.",
+ "activityBarBorder": "Activity bar border color separating to the side bar. The activity bar is showing on the far left or right and allows to switch between views of the side bar.",
+ "activityBarActiveBorder": "Activity bar border color for the active item. The activity bar is showing on the far left or right and allows to switch between views of the side bar.",
+ "activityBarActiveFocusBorder": "Activity bar focus border color for the active item. The activity bar is showing on the far left or right and allows to switch between views of the side bar.",
+ "activityBarActiveBackground": "Activity bar background color for the active item. The activity bar is showing on the far left or right and allows to switch between views of the side bar.",
+ "activityBarDragAndDropBackground": "Drag and drop feedback colour for the activity bar items. The colour should have transparency so that the activity bar entries can still shine through. The activity bar is showing on the far left or right and allows to switch between views of the side bar.",
+ "activityBarBadgeBackground": "Activity notification badge background colour. The activity bar is showing on the far left or right and allows to switch between views of the side bar.",
+ "activityBarBadgeForeground": "Activity notification badge foreground colour. The activity bar is showing on the far left or right and allows to switch between views of the side bar.",
+ "statusBarItemHostBackground": "Background color for the remote indicator on the status bar.",
+ "statusBarItemHostForeground": "Foreground color for the remote indicator on the status bar.",
+ "extensionBadge.remoteBackground": "Background colour for the remote badge in the extensions view.",
+ "extensionBadge.remoteForeground": "Foreground color for the remote badge in the extensions view.",
+ "sideBarBackground": "Side bar background color. The side bar is the container for views like explorer and search.",
+ "sideBarForeground": "Side bar foreground colour. The side bar is the container for views like explorer and search.",
+ "sideBarBorder": "Side bar border color on the side separating to the editor. The side bar is the container for views like explorer and search.",
+ "sideBarTitleForeground": "Side bar title foreground color. The side bar is the container for views like explorer and search.",
+ "sideBarDragAndDropBackground": "Drag and drop feedback color for the side bar sections. The color should have transparency so that the side bar sections can still shine through. The side bar is the container for views like explorer and search.",
+ "sideBarSectionHeaderBackground": "Side bar section header background color. The side bar is the container for views like explorer and search.",
+ "sideBarSectionHeaderForeground": "Side bar section header foreground colour. The side bar is the container for views like explorer and search.",
+ "sideBarSectionHeaderBorder": "Side bar section header border colour. The side bar is the container for views like explorer and search.",
+ "titleBarActiveForeground": "Title bar foreground when the window is active. Note that this color is currently only supported on macOS.",
+ "titleBarInactiveForeground": "Title bar foreground when the window is inactive. Note that this colour is currently only supported on macOS.",
+ "titleBarActiveBackground": "Title bar background when the window is active. Note that this color is currently only supported on macOS.",
+ "titleBarInactiveBackground": "Title bar background when the window is inactive. Note that this color is currently only supported on macOS.",
+ "titleBarBorder": "Title bar border color. Note that this color is currently only supported on macOS.",
+ "menubarSelectionForeground": "Foreground colour of the selected menu item in the menubar.",
+ "menubarSelectionBackground": "Background colour of the selected menu item in the menubar.",
+ "menubarSelectionBorder": "Border colour of the selected menu item in the menubar.",
+ "notificationCenterBorder": "Notifications centre border colour. Notifications slide in from the bottom right of the window.",
+ "notificationToastBorder": "Notification toast border color. Notifications slide in from the bottom right of the window.",
+ "notificationsForeground": "Notifications foreground colour. Notifications slide in from the bottom right of the window.",
+ "notificationsBackground": "Notifications background color. Notifications slide in from the bottom right of the window.",
+ "notificationsLink": "Notification links foreground color. Notifications slide in from the bottom right of the window.",
+ "notificationCenterHeaderForeground": "Notifications center header foreground color. Notifications slide in from the bottom right of the window.",
+ "notificationCenterHeaderBackground": "Notifications center header background color. Notifications slide in from the bottom right of the window.",
+ "notificationsBorder": "Notifications border color separating from other notifications in the notifications center. Notifications slide in from the bottom right of the window.",
+ "notificationsErrorIconForeground": "The color used for the icon of error notifications. Notifications slide in from the bottom right of the window.",
+ "notificationsWarningIconForeground": "The color used for the icon of warning notifications. Notifications slide in from the bottom right of the window.",
+ "notificationsInfoIconForeground": "The color used for the icon of info notifications. Notifications slide in from the bottom right of the window.",
+ "windowActiveBorder": "The color used for the border of the window when it is active. Only supported in the desktop client when using the custom title bar.",
+ "windowInactiveBorder": "The color used for the border of the window when it is inactive. Only supported in the desktop client when using the custom title bar."
+ },
+ "vs/workbench/api/node/extHostDebugService": {
+ "debug.terminal.title": "debuggee"
+ },
+ "vs/workbench/api/browser/mainThreadEditors": {
+ "diffLeftRightLabel": "{0} ⟷ {1}"
+ },
+ "vs/workbench/api/browser/mainThreadExtensionService": {
+ "reload window": "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": "Reload Window",
+ "disabledDep": "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 dep": "Enable and Reload",
+ "uninstalledDep": "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 missing dep": "Install and Reload",
+ "unknownDep": "Cannot activate the '{0}' extension because it depends on an unknown '{1}' extension ."
+ },
+ "vs/workbench/api/browser/mainThreadWorkspace": {
+ "folderStatusMessageAddSingleFolder": "Extension '{0}' added 1 folder to the workspace",
+ "folderStatusMessageAddMultipleFolders": "Extension '{0}' added {1} folders to the workspace",
+ "folderStatusMessageRemoveSingleFolder": "Extension '{0}' removed 1 folder from the workspace",
+ "folderStatusMessageRemoveMultipleFolders": "Extension '{0}' removed {1} folders from the workspace",
+ "folderStatusChangeFolder": "Extension '{0}' changed folders of the workspace"
+ },
+ "vs/workbench/browser/parts/views/views": {
+ "focus view": "Focus on {0} View",
+ "view category": "View",
+ "resetViewLocation": "Reset View Location"
+ },
+ "vs/workbench/api/browser/mainThreadAuthentication": {
+ "manageTrustedExtensions": "Manage Trusted Extensions",
+ "manageExensions": "Choose which extensions can access this account",
+ "addAnotherAccount": "Sign in to another {0} account",
+ "addAccount": "Sign in to {0}",
+ "signOut": "Sign Out",
+ "confirmAuthenticationAccess": "The extension '{0}' is trying to access authentication information for the {1} account '{2}'.",
+ "cancel": "Cancel",
+ "allow": "Allow",
+ "confirmLogin": "The extension '{0}' wants to sign in using {1}."
+ },
+ "vs/workbench/common/views": {
+ "duplicateId": "A view with id '{0}' is already registered"
+ },
+ "vs/workbench/common/editor/diffEditorInput": {
+ "sideBySideLabels": "{0} ↔ {1}"
+ },
+ "vs/workbench/electron-browser/window": {
+ "runningAsRoot": "It is not recommended to run {0} as root user.",
+ "mPreferences": "Preferences"
+ },
+ "vs/workbench/browser/viewlet": {
+ "compositePart.hideSideBarLabel": "Hide Side Bar",
+ "collapse": "Collapse All"
+ },
+ "vs/workbench/api/browser/mainThreadTask": {
+ "task.label": "{0}: {1}"
+ },
+ "vs/workbench/browser/parts/compositePart": {
+ "ariaCompositeToolbarLabel": "{0} actions",
+ "titleTooltip": "{0} ({1})"
+ },
+ "vs/workbench/browser/parts/editor/editorWidgets": {
+ "openWorkspace": "Open Workspace"
+ },
+ "vs/workbench/browser/parts/editor/textResourceEditor": {
+ "textEditor": "Text Editor",
+ "readonlyEditorWithInputAriaLabel": "{0} readonly editor",
+ "readonlyEditorAriaLabel": "Readonly editor",
+ "writeableEditorWithInputAriaLabel": "{0} editor",
+ "writeableEditorAriaLabel": "Editor"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsAlerts": {
+ "alertErrorMessage": "Error: {0}",
+ "alertWarningMessage": "Warning: {0}",
+ "alertInfoMessage": "Info: {0}"
+ },
+ "vs/workbench/api/common/extHostWorkspace": {
+ "updateerror": "Extension '{0}' failed to update workspace folders: {1}"
+ },
+ "vs/workbench/api/browser/mainThreadWebview": {
+ "errorMessage": "An error occurred while restoring view:{0}",
+ "defaultEditLabel": "Edit"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsStatus": {
+ "status.notifications": "Notifications",
+ "hideNotifications": "Hide Notifications",
+ "zeroNotifications": "No Notifications",
+ "noNotifications": "No New Notifications",
+ "oneNotification": "1 New Notification",
+ "notifications": "{0} New Notifications",
+ "noNotificationsWithProgress": "No New Notifications ({0} in progress)",
+ "oneNotificationWithProgress": "1 New Notification ({0} in progress)",
+ "notificationsWithProgress": "{0} New Notifications ({0} in progress)",
+ "status.message": "Status Message"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsCommands": {
+ "notifications": "Notifications",
+ "showNotifications": "Show notifications",
+ "hideNotifications": "Hide Notifications",
+ "clearAllNotifications": "Clear All Notifications",
+ "focusNotificationToasts": "Focus Notification Toast"
+ },
+ "vs/workbench/api/common/extHostExtensionService": {
+ "extensionTestError": "Path {0} does not point to a valid extension test runner."
+ },
+ "vs/workbench/browser/parts/panel/panelActions": {
+ "closePanel": "Close Panel",
+ "togglePanel": "Toggle Panel",
+ "focusPanel": "Focus into Panel",
+ "toggleMaximizedPanel": "Toggle Maximised Panel",
+ "maximizePanel": "Maximize Panel Size",
+ "minimizePanel": "Restore Panel Size",
+ "positionPanelLeft": "Move Panel Left",
+ "positionPanelRight": "Move Panel Right",
+ "positionPanelBottom": "Move Panel To Bottom",
+ "previousPanelView": "Previous Panel View",
+ "nextPanelView": "Next Panel View",
+ "view": "View",
+ "miShowPanel": "Show &&Panel"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsCenter": {
+ "notificationsEmpty": "No New Notifications",
+ "notifications": "Notifications",
+ "notificationsToolbar": "Notification Center Actions",
+ "notificationsList": "Notifications List"
+ },
+ "vs/workbench/browser/parts/editor/textEditor": {
+ "editorLabelWithGroup": "{0}, {1}"
+ },
+ "vs/workbench/browser/parts/activitybar/activitybarActions": {
+ "previousSideBarView": "Previous Side Bar View",
+ "nextSideBarView": "Next Side Bar View",
+ "view": "View"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsToasts": {
+ "notificationsToast": "Notification Toast"
+ },
+ "vs/workbench/browser/parts/views/treeView": {
+ "no-dataprovider": "There is no data provider registered that can provide view data.",
+ "refresh": "Refresh",
+ "collapseAll": "Collapse All",
+ "command-error": "Error running command {1}: {0}. This is likely caused by the extension that contributes {1}."
+ },
+ "vs/workbench/browser/parts/compositeBarActions": {
+ "badgeTitle": "{0} - {1}",
+ "additionalViews": "Additional Views",
+ "numberBadge": "{0} ({1})",
+ "manageExtension": "Manage Extension",
+ "titleKeybinding": "{0} ({1})",
+ "hide": "hide",
+ "keep": "Keep",
+ "compositeActive": "{0} active",
+ "toggle": "Toggle View Pinned"
+ },
+ "vs/workbench/browser/parts/editor/binaryEditor": {
+ "binaryEditor": "Binary Viewer",
+ "sizeB": "{0}B",
+ "sizeKB": "{0}KB",
+ "sizeMB": "{0}MB",
+ "sizeGB": "{0}GB",
+ "sizeTB": "{0}TB",
+ "nativeFileTooLargeError": "The file is not displayed in the editor because it is too large ({0}).",
+ "nativeBinaryError": "The file is not displayed in the editor because it is either binary or uses an unsupported text encoding.",
+ "openAsText": "Do you want to open it anyway?"
+ },
+ "vs/workbench/browser/parts/editor/editorCommands": {
+ "editorCommand.activeEditorMove.description": "Move the active editor by tabs or groups",
+ "editorCommand.activeEditorMove.arg.name": "Active editor move argument",
+ "editorCommand.activeEditorMove.arg.description": "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.",
+ "toggleInlineView": "Toggle Inline View",
+ "compare": "Compare"
+ },
+ "vs/workbench/browser/parts/titlebar/menubarControl": {
+ "mFile": "&&File",
+ "mEdit": "&&Edit",
+ "mSelection": "&&Selection",
+ "mView": "&&View",
+ "mGoto": "&&Go",
+ "mRun": "&&Run",
+ "mTerminal": "&&Terminal",
+ "mHelp": "&&Help",
+ "menubar.customTitlebarAccessibilityNotification": "Accessibility support is enabled for you. For the most accessible experience, we recommend the custom title bar style.",
+ "goToSetting": "Open Settings",
+ "checkForUpdates": "Check for &&Updates...",
+ "checkingForUpdates": "Checking For Updates...",
+ "download now": "D&&ownload Update",
+ "DownloadingUpdate": "Downloading Update...",
+ "installUpdate...": "Install &&Update...",
+ "installingUpdate": "Installing Update...",
+ "restartToUpdate": "Restart to &&Update"
+ },
+ "vs/workbench/browser/parts/compositeBar": {
+ "activityBarAriaLabel": "Active View Switcher"
+ },
+ "vs/workbench/browser/parts/views/viewPaneContainer": {
+ "viewToolbarAriaLabel": "{0} actions",
+ "hideView": "hide"
+ },
+ "vs/workbench/api/common/extHostExtensionActivator": {
+ "failedDep1": "Cannot activate extension '{0}' because it depends on extension '{1}', which failed to activate.",
+ "activationError": "Activating extension '{0}' failed: {1}."
+ },
+ "vs/workbench/browser/parts/notifications/notificationsActions": {
+ "clearNotification": "Clear Notification",
+ "clearNotifications": "Clear All Notifications",
+ "hideNotificationsCenter": "Hide Notifications",
+ "expandNotification": "Expand Notification",
+ "collapseNotification": "Collapse Notification",
+ "configureNotification": "Configure Notification",
+ "copyNotification": "Copy Text"
+ },
+ "vs/workbench/api/common/extHost.api.impl": {
+ "extensionLabel": "{0} (Extension)"
+ },
+ "vs/workbench/browser/parts/editor/editor.contribution": {
+ "textEditor": "Text Editor",
+ "textDiffEditor": "Text Diff Editor",
+ "binaryDiffEditor": "Binary Diff Editor",
+ "sideBySideEditor": "Side by Side Editor",
+ "editorQuickAccessPlaceholder": "Type the name of an editor to open it.",
+ "activeGroupEditorsByMostRecentlyUsedQuickAccess": "Show Editors in Active Group by Most Recently Used",
+ "allEditorsByAppearanceQuickAccess": "Show All Opened Editors By Appearance",
+ "allEditorsByMostRecentlyUsedQuickAccess": "Show All Opened Editors By Most Recently Used",
+ "view": "View",
+ "file": "File",
+ "splitUp": "Split Up",
+ "splitDown": "Split Down",
+ "splitLeft": "Split Left",
+ "splitRight": "Split Right",
+ "close": "Close",
+ "closeOthers": "Close Others",
+ "closeRight": "Close to the Right",
+ "closeAllSaved": "Close Saved",
+ "closeAll": "Close All",
+ "keepOpen": "Keep Open",
+ "toggleInlineView": "Toggle Inline View",
+ "showOpenedEditors": "Show Opened Editors",
+ "splitEditorRight": "Split Editor Right",
+ "splitEditorDown": "Split Editor Down",
+ "navigate.prev.label": "Previous Change",
+ "navigate.next.label": "Next Change",
+ "ignoreTrimWhitespace.label": "Ignore Leading/Trailing Whitespace Differences",
+ "showTrimWhitespace.label": "Show Leading/Trailing Whitespace Differences",
+ "keepEditor": "Keep Editor",
+ "closeEditorsInGroup": "Close All Editors in Group",
+ "closeSavedEditors": "Close Saved Editors in Group",
+ "closeOtherEditors": "Close Other Editors in Group",
+ "closeRightEditors": "Close Editors to the Right in Group",
+ "miReopenClosedEditor": "&&Reopen Closed Editor",
+ "miClearRecentOpen": "&&Clear Recently Opened",
+ "miEditorLayout": "Editor &&Layout",
+ "miSplitEditorUp": "Split &&Up",
+ "miSplitEditorDown": "Split &&Down",
+ "miSplitEditorLeft": "Split &&Left",
+ "miSplitEditorRight": "Split &&Right",
+ "miSingleColumnEditorLayout": "&&Single",
+ "miTwoColumnsEditorLayout": "&&Two Columns",
+ "miThreeColumnsEditorLayout": "Three Columns",
+ "miTwoRowsEditorLayout": "T&&wo Rows",
+ "miThreeRowsEditorLayout": "Three &&Rows",
+ "miTwoByTwoGridEditorLayout": "&&Grid (2x2)",
+ "miTwoRowsRightEditorLayout": "Two R&&ows Right",
+ "miTwoColumnsBottomEditorLayout": "Two &&Columns Bottom",
+ "miBack": "&&Back",
+ "miForward": "&&Forward",
+ "miLastEditLocation": "&&Last Edit Location",
+ "miNextEditor": "&&Next Editor",
+ "miPreviousEditor": "&&Previous Editor",
+ "miNextRecentlyUsedEditor": "&&Next Used Editor",
+ "miPreviousRecentlyUsedEditor": "&&Previous Used Editor",
+ "miNextEditorInGroup": "&&Next Editor in Group",
+ "miPreviousEditorInGroup": "&&Previous Editor in Group",
+ "miNextUsedEditorInGroup": "&&Next Used Editor in Group",
+ "miPreviousUsedEditorInGroup": "&&Previously Used Editor in Group",
+ "miSwitchEditor": "Switch &&Editor",
+ "miFocusFirstGroup": "Group &&1",
+ "miFocusSecondGroup": "Group &&2",
+ "miFocusThirdGroup": "Group &&3",
+ "miFocusFourthGroup": "Group &&4",
+ "miFocusFifthGroup": "Group &&5",
+ "miNextGroup": "&&Next Group",
+ "miPreviousGroup": "&&Previous Group",
+ "miFocusLeftGroup": "Group &&Left",
+ "miFocusRightGroup": "Group &&Right",
+ "miFocusAboveGroup": "Group &&Above",
+ "miFocusBelowGroup": "Group &&Below",
+ "miSwitchGroup": "Switch &&Group"
+ },
+ "vs/workbench/browser/parts/editor/editorQuickAccess": {
+ "entryAriaLabelWithGroupDirty": "{0}, dirty, {1}",
+ "entryAriaLabelWithGroup": "{0}, {1}",
+ "entryAriaLabelDirty": "{0}, dirty",
+ "closeEditor": "Close Editor"
+ },
+ "vs/workbench/browser/parts/editor/textDiffEditor": {
+ "textDiffEditor": "Text Diff Editor",
+ "readonlyEditorWithInputAriaLabel": "{0} readonly compare editor",
+ "readonlyEditorAriaLabel": "Readonly compare editor",
+ "editableEditorWithInputAriaLabel": "{0} compare editor",
+ "editableEditorAriaLabel": "Compare editor"
+ },
+ "vs/workbench/browser/parts/editor/editorGroupView": {
+ "araLabelGroupActions": "Editor group actions",
+ "closeGroupAction": "Close",
+ "emptyEditorGroup": "{0} (empty)",
+ "groupLabel": "Group {0}",
+ "groupAriaLabel": "Editor Group {0}",
+ "ok": "OK",
+ "cancel": "Cancel",
+ "editorOpenErrorDialog": "Unable to open '{0}'",
+ "editorOpenError": "Unable to open '{0}': {1}."
+ },
+ "vs/workbench/api/common/extHostStatusBar": {
+ "status.extensionMessage": "Extension Status"
+ },
+ "vs/workbench/api/common/extHostProgress": {
+ "extensionSource": "{0} (Extension)"
+ },
+ "vs/workbench/browser/parts/editor/binaryDiffEditor": {
+ "metadataDiff": "{0} ↔ {1}"
+ },
+ "vs/workbench/api/common/extHostDiagnostics": {
+ "limitHit": "Not showing {0} further errors and warnings."
+ },
+ "vs/workbench/browser/parts/notifications/notificationsViewer": {
+ "executeCommand": "Click to execute command '{0}'",
+ "notificationActions": "Notification Actions",
+ "notificationSource": "Source: {0}"
+ },
+ "vs/workbench/api/common/extHostTreeViews": {
+ "treeView.notRegistered": "No tree view with id '{0}' registered.",
+ "treeView.duplicateElement": "Element with id {0} is already registered"
+ },
+ "vs/workbench/browser/parts/editor/editorActions": {
+ "splitEditor": "Split Editor",
+ "splitEditorOrthogonal": "Split Editor Orthogonal",
+ "splitEditorGroupLeft": "Split Editor Left",
+ "splitEditorGroupRight": "Split Editor Right",
+ "splitEditorGroupUp": "Split Editor Up",
+ "splitEditorGroupDown": "Split Editor Down",
+ "joinTwoGroups": "Join Editor Group with Next Group",
+ "joinAllGroups": "Join All Editor Groups",
+ "navigateEditorGroups": "Navigate Between Editor Groups",
+ "focusActiveEditorGroup": "Focus Active Editor Group",
+ "focusFirstEditorGroup": "Focus First Editor Group",
+ "focusLastEditorGroup": "Focus Last Editor Group",
+ "focusNextGroup": "Focus Next Editor Group",
+ "focusPreviousGroup": "Focus Previous Editor Group",
+ "focusLeftGroup": "Focus Left Editor Group",
+ "focusRightGroup": "Focus Right Editor Group",
+ "focusAboveGroup": "Focus Above Editor Group",
+ "focusBelowGroup": "Focus Below Editor Group",
+ "closeEditor": "Close Editor",
+ "closeOneEditor": "Close",
+ "revertAndCloseActiveEditor": "Revert and Close Editor",
+ "closeEditorsToTheLeft": "Close Editors to the Left in Group",
+ "closeAllEditors": "Close All Editors",
+ "closeAllGroups": "Close All Editor Groups",
+ "closeEditorsInOtherGroups": "Close Editors in Other Groups",
+ "closeEditorInAllGroups": "Close Editor in All Groups",
+ "moveActiveGroupLeft": "Move Editor Group Left",
+ "moveActiveGroupRight": "Move Editor Group Right",
+ "moveActiveGroupUp": "Move Editor Group Up",
+ "moveActiveGroupDown": "Move Editor Group Down",
+ "minimizeOtherEditorGroups": "Maximise Editor Group",
+ "evenEditorGroups": "Reset Editor Group Sizes",
+ "toggleEditorWidths": "Toggle Editor Group Sizes",
+ "maximizeEditor": "Maximize Editor Group and Hide Side Bar",
+ "openNextEditor": "Open Next Editor",
+ "openPreviousEditor": "Open Previous Editor",
+ "nextEditorInGroup": "Open Next Editor in Group",
+ "openPreviousEditorInGroup": "Open Previous Editor in Group",
+ "firstEditorInGroup": "Open First Editor in Group",
+ "lastEditorInGroup": "Open Last Editor in Group",
+ "navigateNext": "Go Forward",
+ "navigatePrevious": "Go Back",
+ "navigateToLastEditLocation": "Go to Last Edit Location",
+ "navigateLast": "Go Last",
+ "reopenClosedEditor": "Reopen Closed Editor",
+ "clearRecentFiles": "Clear Recently Opened",
+ "showEditorsInActiveGroup": "Show Editors in Active Group By Most Recently Used",
+ "showAllEditors": "Show All Editors By Appearance",
+ "showAllEditorsByMostRecentlyUsed": "Show All Editors By Most Recently Used",
+ "quickOpenPreviousRecentlyUsedEditor": "Quick Open Previous Recently Used Editor",
+ "quickOpenLeastRecentlyUsedEditor": "Quick Open Least Recently Used Editor",
+ "quickOpenPreviousRecentlyUsedEditorInGroup": "Quick Open Previous Recently Used Editor in Group",
+ "quickOpenLeastRecentlyUsedEditorInGroup": "Quick Open Least Recently Used Editor in Group",
+ "navigateEditorHistoryByInput": "Quick Open Previous Editor from History",
+ "openNextRecentlyUsedEditor": "Open Next Recently Used Editor",
+ "openPreviousRecentlyUsedEditor": "Open Previous Recently Used Editor",
+ "openNextRecentlyUsedEditorInGroup": "Open Next Recently Used Editor in Group",
+ "openPreviousRecentlyUsedEditorInGroup": "Open Previous Recently Used Editor in Group",
+ "clearEditorHistory": "Clear Editor History",
+ "moveEditorLeft": "Move Editor Left",
+ "moveEditorRight": "Move Editor Right",
+ "moveEditorToPreviousGroup": "Move Editor into Previous Group",
+ "moveEditorToNextGroup": "Move Editor into Next Group",
+ "moveEditorToAboveGroup": "Move Editor into Above Group",
+ "moveEditorToBelowGroup": "Move Editor into Below Group",
+ "moveEditorToLeftGroup": "Move Editor into Left Group",
+ "moveEditorToRightGroup": "Move Editor into Right Group",
+ "moveEditorToFirstGroup": "Move Editor into First Group",
+ "moveEditorToLastGroup": "Move Editor into Last Group",
+ "editorLayoutSingle": "Single Column Editor Layout",
+ "editorLayoutTwoColumns": "Two Columns Editor Layout",
+ "editorLayoutThreeColumns": "Three Columns Editor Layout",
+ "editorLayoutTwoRows": "Two Rows Editor Layout",
+ "editorLayoutThreeRows": "Three Rows Editor Layout",
+ "editorLayoutTwoByTwoGrid": "Grid Editor Layout (2x2)",
+ "editorLayoutTwoColumnsBottom": "Two Columns Bottom Editor Layout",
+ "editorLayoutTwoRowsRight": "Two Rows Right Editor Layout",
+ "newEditorLeft": "New Editor Group to the Left",
+ "newEditorRight": "New Editor Group to the Right",
+ "newEditorAbove": "New Editor Group Above",
+ "newEditorBelow": "New Editor Group Below"
+ },
+ "vs/workbench/browser/parts/editor/titleControl": {
+ "araLabelEditorActions": "Editor actions",
+ "draggedEditorGroup": "{0} (+{1})"
+ },
+ "vs/workbench/browser/parts/editor/editorStatus": {
+ "singleSelectionRange": "Ln {0}, Col {1} ({2} selected)",
+ "singleSelection": "Ln {0}, Col {1}",
+ "multiSelectionRange": "{0} selections ({1} characters selected)",
+ "multiSelection": "{0} selections",
+ "endOfLineLineFeed": "LF",
+ "endOfLineCarriageReturnLineFeed": "CRLF",
+ "screenReaderDetectedExplanation.question": "Are you using a screen reader to operate VS Code? (Certain features like word wrap are disabled when using a screen reader)",
+ "screenReaderDetectedExplanation.answerYes": "Yes",
+ "screenReaderDetectedExplanation.answerNo": "No",
+ "noEditor": "No text editor active at this time",
+ "noWritableCodeEditor": "The active code editor is read-only.",
+ "indentConvert": "convert file",
+ "indentView": "change view",
+ "pickAction": "Select Action",
+ "tabFocusModeEnabled": "Tab Moves Focus",
+ "disableTabMode": "Disable Accessibility Mode",
+ "status.editor.tabFocusMode": "Accessibility Mode",
+ "columnSelectionModeEnabled": "Column Selection",
+ "disableColumnSelectionMode": "Disable Column Selection Mode",
+ "status.editor.columnSelectionMode": "Column Selection Mode",
+ "screenReaderDetected": "Screen Reader Optimized",
+ "screenReaderDetectedExtra": "If you are not using a Screen Reader, please change the setting `editor.accessibilitySupport` to \"off\".",
+ "status.editor.screenReaderMode": "Screen Reader Mode",
+ "gotoLine": "Go to Line/Column",
+ "status.editor.selection": "Editor Selection",
+ "selectIndentation": "Select Indentation",
+ "status.editor.indentation": "Editor Indentation",
+ "selectEncoding": "Select Encoding",
+ "status.editor.encoding": "Editor Encoding",
+ "selectEOL": "Select End of Line Sequence",
+ "status.editor.eol": "Editor End of Line",
+ "selectLanguageMode": "Select Language Mode",
+ "status.editor.mode": "Editor Language",
+ "fileInfo": "File Information",
+ "status.editor.info": "File Information",
+ "spacesSize": "Spaces: {0}",
+ "tabSize": "Tab Size: {0}",
+ "currentProblem": "Current Problem",
+ "showLanguageExtensions": "Search Marketplace Extensions for '{0}'...",
+ "changeMode": "Change Language Mode",
+ "languageDescription": "({0}) - Configured Language",
+ "languageDescriptionConfigured": "({0})",
+ "languagesPicks": "languages (identifier)",
+ "configureModeSettings": "Configure '{0}' language based settings...",
+ "configureAssociationsExt": "Configure File Association for '{0}'...",
+ "autoDetect": "Auto Detect",
+ "pickLanguage": "Select Language Mode",
+ "currentAssociation": "Current Association",
+ "pickLanguageToConfigure": "Select Language Mode to Associate with '{0}'",
+ "changeEndOfLine": "Change End of Line Sequence",
+ "pickEndOfLine": "Select End of Line Sequence",
+ "changeEncoding": "Change File Encoding",
+ "noFileEditor": "No file active at this time",
+ "saveWithEncoding": "Save with Encoding",
+ "reopenWithEncoding": "Reopen with Encoding",
+ "guessedEncoding": "Guessed from content",
+ "pickEncodingForReopen": "Select File Encoding to Reopen File",
+ "pickEncodingForSave": "Select File Encoding to Save with"
+ },
+ "vs/workbench/browser/parts/editor/tabsTitleControl": {
+ "araLabelTabActions": "Tab actions"
+ },
+ "vs/workbench/browser/parts/editor/breadcrumbs": {
+ "title": "Breadcrumb Navigation",
+ "enabled": "Enable/disable navigation breadcrumbs.",
+ "filepath": "Controls whether and how file paths are shown in the breadcrumbs view.",
+ "filepath.on": "Show the file path in the breadcrumbs view.",
+ "filepath.off": "Do not show the file path in the breadcrumbs view.",
+ "filepath.last": "Only show the last element of the file path in the breadcrumbs view.",
+ "symbolpath": "Controls whether and how symbols are shown in the breadcrumbs view.",
+ "symbolpath.on": "Show all symbols in the breadcrumbs view.",
+ "symbolpath.off": "Do not show symbols in the breadcrumbs view.",
+ "symbolpath.last": "Only show the current symbol in the breadcrumbs view.",
+ "symbolSortOrder": "Controls how symbols are sorted in the breadcrumbs outline view.",
+ "symbolSortOrder.position": "Show symbol outline in file position order.",
+ "symbolSortOrder.name": "Show symbol outline in alphabetical order.",
+ "symbolSortOrder.type": "Show symbol outline in symbol type order.",
+ "icons": "Render breadcrumb items with icons.",
+ "filteredTypes.file": "When enabled breadcrumbs show `file`-symbols.",
+ "filteredTypes.module": "When enabled breadcrumbs show `module`-symbols.",
+ "filteredTypes.namespace": "When enabled breadcrumbs show `namespace`-symbols.",
+ "filteredTypes.package": "When enabled breadcrumbs show `package`-symbols.",
+ "filteredTypes.class": "When enabled breadcrumbs show `class`-symbols.",
+ "filteredTypes.method": "When enabled breadcrumbs show `method`-symbols.",
+ "filteredTypes.property": "When enabled breadcrumbs show `property`-symbols.",
+ "filteredTypes.field": "When enabled breadcrumbs show `field`-symbols.",
+ "filteredTypes.constructor": "When enabled breadcrumbs show `constructor`-symbols.",
+ "filteredTypes.enum": "When enabled, breadcrumbs show `enum`-symbols.",
+ "filteredTypes.interface": "When enabled breadcrumbs show `interface`-symbols.",
+ "filteredTypes.function": "When enabled breadcrumbs show `function`-symbols.",
+ "filteredTypes.variable": "When enabled breadcrumbs show `variable`-symbols.",
+ "filteredTypes.constant": "When enabled breadcrumbs show `constant`-symbols.",
+ "filteredTypes.string": "When enabled breadcrumbs show `string`-symbols.",
+ "filteredTypes.number": "When enabled breadcrumbs show `number`-symbols.",
+ "filteredTypes.boolean": "When enabled breadcrumbs show `boolean`-symbols.",
+ "filteredTypes.array": "When enabled breadcrumbs show `array`-symbols.",
+ "filteredTypes.object": "When enabled breadcrumbs show `object`-symbols.",
+ "filteredTypes.key": "When enabled breadcrumbs show `key`-symbols.",
+ "filteredTypes.null": "When enabled breadcrumbs show `null`-symbols.",
+ "filteredTypes.enumMember": "When enabled breadcrumbs show `enumMember`-symbols.",
+ "filteredTypes.struct": "When enabled breadcrumbs show `struct`-symbols.",
+ "filteredTypes.event": "When enabled breadcrumbs show `event`-symbols.",
+ "filteredTypes.operator": "When enabled breadcrumbs show `operator`-symbols.",
+ "filteredTypes.typeParameter": "When enabled breadcrumbs show `typeParameter`-symbols."
+ },
+ "vs/workbench/browser/parts/editor/breadcrumbsControl": {
+ "cmd.toggle": "Toggle Breadcrumbs",
+ "cmd.category": "View",
+ "miShowBreadcrumbs": "Show &&Breadcrumbs",
+ "cmd.focus": "Focus Breadcrumbs"
+ },
+ "vs/workbench/contrib/backup/electron-browser/backupTracker": {
+ "backupTrackerBackupFailed": "One or many editors that are dirty could not be saved to the backup location.",
+ "backupTrackerConfirmFailed": "One or many editors that are dirty could not be saved or reverted.",
+ "ok": "OK",
+ "backupErrorDetails": "Try saving or reverting the dirty editors first and then try again."
+ },
+ "vs/workbench/contrib/bulkEdit/browser/bulkEdit.contribution": {
+ "overlap": "Another refactoring is being previewed.",
+ "cancel": "Cancel",
+ "continue": "Continue",
+ "detail": "Press 'Continue' to discard the previous refactoring and continue with the current refactoring.",
+ "apply": "Apply Refactoring",
+ "cat": "Refactor Preview",
+ "Discard": "Discard Refactoring",
+ "toogleSelection": "Toggle Change",
+ "groupByFile": "Group Changes By File",
+ "groupByType": "Group Changes By Type",
+ "panel": "Refactor Preview"
+ },
+ "vs/workbench/contrib/bulkEdit/browser/bulkEditPane": {
+ "empty.msg": "Invoke a code action, like rename, to see a preview of its changes here.",
+ "conflict.1": "Cannot apply refactoring because '{0}' has changed in the meantime.",
+ "conflict.N": "Cannot apply refactoring because {0} other files have changed in the meantime.",
+ "edt.title.del": "{0} (delete, refactor preview)",
+ "rename": "Rename",
+ "create": "create",
+ "edt.title.2": "{0} ({1}, refactor preview)",
+ "edt.title.1": "{0} (refactor preview)"
+ },
+ "vs/workbench/contrib/bulkEdit/browser/bulkEditPreview": {
+ "default": "Other"
+ },
+ "vs/workbench/contrib/bulkEdit/browser/bulkEditTree": {
+ "aria.renameAndEdit": "Renaming {0} to {1}, also making text edits",
+ "aria.createAndEdit": "Creating {0}, also making text edits",
+ "aria.deleteAndEdit": "Deleting {0}, also making text edits",
+ "aria.editOnly": "{0}, making text edits",
+ "aria.rename": "Renaming {0} to {1}",
+ "aria.create": "Creating {0}",
+ "aria.delete": "Deleting {0}",
+ "aria.replace": "line {0}, replacing {1} with {2}",
+ "aria.del": "line {0}, removing {1}",
+ "aria.insert": "line {0}, inserting {1}",
+ "rename.label": "{0} → {1}",
+ "detail.rename": "(renaming)",
+ "detail.create": "(creating)",
+ "detail.del": "(deleting)",
+ "title": "{0} - {1}"
+ },
+ "vs/workbench/contrib/callHierarchy/browser/callHierarchy.contribution": {
+ "no.item": "No results",
+ "error": "Failed to show call hierarchy",
+ "title": "Peek Call Hierarchy",
+ "title.toggle": "Toggle Call Hierarchy",
+ "title.refocus": "Refocus Call Hierarchy"
+ },
+ "vs/workbench/contrib/callHierarchy/browser/callHierarchyPeek": {
+ "toggle.from": "Show Incoming Calls",
+ "toggle.to": "Showing Outgoing Calls",
+ "tree.aria": "Call Hierarchy",
+ "callFrom": "Calls from '{0}'",
+ "callsTo": "Callers of '{0}'",
+ "title.loading": "Loading...",
+ "empt.callsFrom": "No calls from '{0}'",
+ "empt.callsTo": "No callers of '{0}'"
+ },
+ "vs/workbench/contrib/cli/node/cli.contribution": {
+ "install": "Install '{0}' command in PATH",
+ "not available": "This command is not available",
+ "successIn": "Shell command '{0}' successfully installed in PATH.",
+ "ok": "OK",
+ "cancel2": "Cancel",
+ "warnEscalation": "Code will now prompt with 'osascript' for Administrator privileges to install the shell command.",
+ "cantCreateBinFolder": "Unable to create '/usr/local/bin'.",
+ "aborted": "Aborted",
+ "uninstall": "Uninstall '{0}' command from PATH",
+ "successFrom": "Shell command '{0}' successfully uninstalled from PATH.",
+ "warnEscalationUninstall": "Code will now prompt with 'osascript' for Administrator privileges to uninstall the shell command.",
+ "cantUninstall": "Unable to uninstall the shell command '{0}'.",
+ "shellCommand": "Shell Command"
+ },
+ "vs/workbench/contrib/codeActions/common/codeActionsContribution": {
+ "codeActionsOnSave.fixAll": "Controls whether auto fix action should be run on file save.",
+ "codeActionsOnSave": "Code action kinds to be run on save.",
+ "codeActionsOnSave.generic": "Controls whether '{0}' actions should be run on file save."
+ },
+ "vs/workbench/contrib/codeActions/common/documentationExtensionPoint": {
+ "contributes.documentation": "Contributed documentation.",
+ "contributes.documentation.refactorings": "Contributed documentation for refactorings.",
+ "contributes.documentation.refactoring": "Contributed documentation for refactoring.",
+ "contributes.documentation.refactoring.title": "Label for the documentation used in the UI.",
+ "contributes.documentation.refactoring.when": "When clause.",
+ "contributes.documentation.refactoring.command": "Command executed."
+ },
+ "vs/workbench/contrib/codeActions/common/codeActionsExtensionPoint": {
+ "contributes.codeActions": "Configure which editor to use for a resource.",
+ "contributes.codeActions.languages": "Language modes that the code actions are enabled for.",
+ "contributes.codeActions.kind": "`CodeActionKind` of the contributed code action.",
+ "contributes.codeActions.title": "Label for the code action used in the UI.",
+ "contributes.codeActions.description": "Description of what the code action does."
+ },
+ "vs/workbench/contrib/codeEditor/electron-browser/selectionClipboard": {
+ "actions.pasteSelectionClipboard": "Paste Selection Clipboard"
+ },
+ "vs/workbench/contrib/codeEditor/browser/largeFileOptimizations": {
+ "largeFile": "{0}: tokenization, wrapping and folding have been turned off for this large file in order to reduce memory usage and avoid freezing or crashing.",
+ "removeOptimizations": "Forcefully enable features",
+ "reopenFilePrompt": "Please reopen file in order for this setting to take effect."
+ },
+ "vs/workbench/contrib/codeEditor/browser/diffEditorHelper": {
+ "hintTimeout": "The diff algorithm was stopped early (after {0} ms.)",
+ "removeTimeout": "Remove limit",
+ "hintWhitespace": "Show Whitespace Differences"
+ },
+ "vs/workbench/contrib/codeEditor/browser/inspectKeybindings": {
+ "workbench.action.inspectKeyMap": "Developer: Inspect Key Mappings",
+ "workbench.action.inspectKeyMapJSON": "Inspect Key Mappings (JSON)",
+ "developer": "Developer"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleColumnSelection": {
+ "toggleColumnSelection": "Toggle Column Selection Mode",
+ "miColumnSelection": "Column &&Selection Mode"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleMinimap": {
+ "toggleMinimap": "Toggle Minimap",
+ "view": "View",
+ "miShowMinimap": "Show &&Minimap"
+ },
+ "vs/workbench/contrib/codeEditor/browser/semanticTokensHelp": {
+ "semanticTokensHelp": "Code coloring of '{0}' has been updated as the theme '{1}' has [semantic highlighting](https://go.microsoft.com/fwlink/?linkid=2122588) enabled.",
+ "learnMoreButton": "Learn More"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleMultiCursorModifier": {
+ "toggleLocation": "Toggle Multi-Cursor Modifier",
+ "miMultiCursorAlt": "Switch to Alt+Click for Multi-Cursor",
+ "miMultiCursorCmd": "Switch to Cmd+Click for Multi-Cursor",
+ "miMultiCursorCtrl": "Switch to Ctrl+Click for Multi-Cursor"
+ },
+ "vs/workbench/contrib/codeEditor/browser/quickaccess/gotoLineQuickAccess": {
+ "gotoLineQuickAccessPlaceholder": "Type the line number and optional column to go to (e.g. 42:5 for line 42 and column 5).",
+ "gotoLineQuickAccess": "Go to Line/Column",
+ "gotoLine": "Go to Line/Column..."
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleRenderControlCharacter": {
+ "toggleRenderControlCharacters": "Toggle Control Characters",
+ "view": "View",
+ "miToggleRenderControlCharacters": "Render &&Control Characters"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleRenderWhitespace": {
+ "toggleRenderWhitespace": "Toggle Render Whitespace",
+ "view": "View",
+ "miToggleRenderWhitespace": "&&Render Whitespace"
+ },
+ "vs/workbench/contrib/codeEditor/browser/quickaccess/gotoSymbolQuickAccess": {
+ "gotoSymbolQuickAccessPlaceholder": "Type the name of a symbol to go to.",
+ "gotoSymbolQuickAccess": "Go to Symbol in Editor",
+ "gotoSymbolByCategoryQuickAccess": "Go to Symbol in Editor by Category",
+ "gotoSymbol": "Go to Symbol in Editor..."
+ },
+ "vs/workbench/contrib/codeEditor/browser/accessibility/accessibility": {
+ "emergencyConfOn": "Now changing the setting `editor.accessibilitySupport` to 'on'.",
+ "openingDocs": "Now opening the VS Code Accessibility documentation page.",
+ "introMsg": "Thank you for trying out VS Code's accessibility options.",
+ "status": "Status:",
+ "changeConfigToOnMac": "To configure the editor to be permanently optimized for usage with a Screen Reader press Command+E now.",
+ "changeConfigToOnWinLinux": "To configure the editor to be permanently optimised for usage with a Screen Reader press Control+E now.",
+ "auto_unknown": "The editor is configured to use platform APIs to detect when a Screen Reader is attached, but the current runtime does not support this.",
+ "auto_on": "The editor has automatically detected a Screen Reader is attached.",
+ "auto_off": "The editor is configured to automatically detect when a Screen Reader is attached, which is not the case at this time.",
+ "configuredOn": "The editor is configured to be permanently optimized for usage with a Screen Reader - you can change this by editing the setting `editor.accessibilitySupport`.",
+ "configuredOff": "The editor is configured to never be optimised for usage with a Screen Reader.",
+ "tabFocusModeOnMsg": "Pressing Tab in the current editor will move focus to the next focusable element. Toggle this behavior by pressing {0}.",
+ "tabFocusModeOnMsgNoKb": "Pressing Tab in the current editor will move focus to the next focusable element. The command {0} is currently not triggerable by a keybinding.",
+ "tabFocusModeOffMsg": "Pressing Tab in the current editor will insert the tab character. Toggle this behavior by pressing {0}.",
+ "tabFocusModeOffMsgNoKb": "Pressing Tab in the current editor will insert the tab character. The command {0} is currently not triggerable by a keybinding.",
+ "openDocMac": "Press Command+H now to open a browser window with more VS Code information related to Accessibility.",
+ "openDocWinLinux": "Press Control+H now to open a browser window with more VS Code information related to Accessibility.",
+ "outroMsg": "You can dismiss this tooltip and return to the editor by pressing Escape or Shift+Escape.",
+ "ShowAccessibilityHelpAction": "Show Accessibility Help"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleWordWrap": {
+ "toggle.wordwrap": "View: Toggle Word Wrap",
+ "wordWrap.notInDiffEditor": "Cannot toggle word wrap in a diff editor.",
+ "unwrapMinified": "Disable wrapping for this file",
+ "wrapMinified": "Enable wrapping for this file",
+ "miToggleWordWrap": "Toggle &&Word Wrap"
+ },
+ "vs/workbench/contrib/codeEditor/browser/saveParticipants": {
+ "formatting": "Running '{0}' Formatter ([configure](command:workbench.action.openSettings?%5B%22editor.formatOnSave%22%5D)).",
+ "codeaction": "Quick Fixes",
+ "codeaction.get": "Getting code actions from '{0}' ([configure](command:workbench.action.openSettings?%5B%22editor.codeActionsOnSave%22%5D)).",
+ "codeAction.apply": "Applying code action '{0}'."
+ },
+ "vs/workbench/contrib/codeEditor/browser/languageConfigurationExtensionPoint": {
+ "parseErrors": "Errors parsing {0}: {1}",
+ "formatError": "{0}: Invalid format, JSON object expected.",
+ "schema.openBracket": "The opening bracket character or string sequence.",
+ "schema.closeBracket": "The closing bracket character or string sequence.",
+ "schema.comments": "Defines the comment symbols",
+ "schema.blockComments": "Defines how block comments are marked.",
+ "schema.blockComment.begin": "The character sequence that starts a block comment.",
+ "schema.blockComment.end": "The character sequence that ends a block comment.",
+ "schema.lineComment": "The character sequence that starts a line comment.",
+ "schema.brackets": "Defines the bracket symbols that increase or decrease the indentation.",
+ "schema.autoClosingPairs": "Defines the bracket pairs. When a opening bracket is entered, the closing bracket is inserted automatically.",
+ "schema.autoClosingPairs.notIn": "Defines a list of scopes where the auto pairs are disabled.",
+ "schema.autoCloseBefore": "Defines what characters must be after the cursor in order for bracket or quote autoclosing to occur when using the 'languageDefined' autoclosing setting. This is typically the set of characters which can not start an expression.",
+ "schema.surroundingPairs": "Defines the bracket pairs that can be used to surround a selected string.",
+ "schema.wordPattern": "Defines what is considered to be a word in the programming language.",
+ "schema.wordPattern.pattern": "The RegExp pattern used to match words.",
+ "schema.wordPattern.flags": "The RegExp flags used to match words.",
+ "schema.wordPattern.flags.errorMessage": "Must match the pattern `/^([gimuy]+)$/`.",
+ "schema.indentationRules": "The language's indentation settings.",
+ "schema.indentationRules.increaseIndentPattern": "If a line matches this pattern, then all the lines after it should be indented once (until another rule matches).",
+ "schema.indentationRules.increaseIndentPattern.pattern": "The RegExp pattern for increaseIndentPattern.",
+ "schema.indentationRules.increaseIndentPattern.flags": "The RegExp flags for increaseIndentPattern.",
+ "schema.indentationRules.increaseIndentPattern.errorMessage": "Must match the pattern `/^([gimuy]+)$/`.",
+ "schema.indentationRules.decreaseIndentPattern": "If a line matches this pattern, then all the lines after it should be unindented once (until another rule matches).",
+ "schema.indentationRules.decreaseIndentPattern.pattern": "The RegExp pattern for decreaseIndentPattern.",
+ "schema.indentationRules.decreaseIndentPattern.flags": "The RegExp flags for decreaseIndentPattern.",
+ "schema.indentationRules.decreaseIndentPattern.errorMessage": "Must match the pattern `/^([gimuy]+)$/`.",
+ "schema.indentationRules.indentNextLinePattern": "If a line matches this pattern, then **only the next line** after it should be indented once.",
+ "schema.indentationRules.indentNextLinePattern.pattern": "The RegExp pattern for indentNextLinePattern.",
+ "schema.indentationRules.indentNextLinePattern.flags": "The RegExp flags for indentNextLinePattern.",
+ "schema.indentationRules.indentNextLinePattern.errorMessage": "Must match the pattern `/^([gimuy]+)$/`.",
+ "schema.indentationRules.unIndentedLinePattern": "If a line matches this pattern, then its indentation should not be changed and it should not be evaluated against the other rules.",
+ "schema.indentationRules.unIndentedLinePattern.pattern": "The RegExp pattern for unIndentedLinePattern.",
+ "schema.indentationRules.unIndentedLinePattern.flags": "The RegExp flags for unIndentedLinePattern.",
+ "schema.indentationRules.unIndentedLinePattern.errorMessage": "Must match the pattern `/^([gimuy]+)$/`.",
+ "schema.folding": "The language's folding settings.",
+ "schema.folding.offSide": "A language adheres to the off-side rule if blocks in that language are expressed by their indentation. If set, empty lines belong to the subsequent block.",
+ "schema.folding.markers": "Language specific folding markers such as '#region' and '#endregion'. The start and end regexes will be tested against the contents of all lines and must be designed efficiently",
+ "schema.folding.markers.start": "The RegExp pattern for the start marker. The regexp must start with '^'.",
+ "schema.folding.markers.end": "The RegExp pattern for the end marker. The regexp must start with '^'."
+ },
+ "vs/workbench/contrib/codeEditor/browser/inspectEditorTokens/inspectEditorTokens": {
+ "inspectEditorTokens": "Developer: Inspect Editor Tokens and Scopes",
+ "inspectTMScopesWidget.loading": "Loading..."
+ },
+ "vs/workbench/contrib/codeEditor/browser/find/simpleFindWidget": {
+ "label.find": "Find",
+ "placeholder.find": "Find",
+ "label.previousMatchButton": "Previous match",
+ "label.nextMatchButton": "Next match",
+ "label.closeButton": "Close"
+ },
+ "vs/workbench/contrib/codeEditor/browser/find/simpleFindReplaceWidget": {
+ "label.find": "Find",
+ "placeholder.find": "Find",
+ "label.previousMatchButton": "Previous match",
+ "label.nextMatchButton": "Next match",
+ "label.closeButton": "Close",
+ "label.toggleReplaceButton": "Toggle Replace mode",
+ "label.replace": "Replace",
+ "placeholder.replace": "Replace",
+ "label.replaceButton": "Replace",
+ "label.replaceAllButton": "Replace All"
+ },
+ "vs/workbench/contrib/comments/browser/comments.contribution": {
+ "commentsConfigurationTitle": "Comments",
+ "openComments": "Controls when the comments panel should open."
+ },
+ "vs/workbench/contrib/comments/browser/commentsEditorContribution": {
+ "pickCommentService": "Select Comment Provider",
+ "nextCommentThreadAction": "Go to Next Comment Thread"
+ },
+ "vs/workbench/contrib/comments/browser/commentsView": {
+ "collapseAll": "Collapse All"
+ },
+ "vs/workbench/contrib/comments/browser/commentsTreeViewer": {
+ "imageWithLabel": "Image: {0}",
+ "image": "Image"
+ },
+ "vs/workbench/contrib/comments/browser/commentGlyphWidget": {
+ "editorGutterCommentRangeForeground": "Editor gutter decoration colour for commenting ranges."
+ },
+ "vs/workbench/contrib/comments/common/commentModel": {
+ "noComments": "There are no comments on this review."
+ },
+ "vs/workbench/contrib/comments/browser/commentThreadWidget": {
+ "label.collapse": "Collapse",
+ "commentThreadParticipants": "Participants: {0}",
+ "startThread": "Start discussion",
+ "reply": "Reply...",
+ "newComment": "Type a new comment"
+ },
+ "vs/workbench/contrib/comments/browser/commentNode": {
+ "commentToggleReaction": "Toggle Reaction",
+ "commentToggleReactionError": "Toggling the comment reaction failed: {0}.",
+ "commentToggleReactionDefaultError": "Toggling the comment reaction failed",
+ "commentDeleteReactionError": "Deleting the comment reaction failed: {0}.",
+ "commentDeleteReactionDefaultError": "Deleting the comment reaction failed",
+ "commentAddReactionError": "Deleting the comment reaction failed: {0}.",
+ "commentAddReactionDefaultError": "Deleting the comment reaction failed"
+ },
+ "vs/workbench/contrib/comments/browser/reactionsAction": {
+ "pickReactions": "Pick Reactions..."
+ },
+ "vs/workbench/contrib/customEditor/browser/webviewEditor.contribution": {
+ "editor.editorAssociations": "Configure which editor to use for a resource.",
+ "editor.editorAssociations.viewType": "Editor view type.",
+ "editor.editorAssociations.mime": "Mime type the editor should be used for. This is used for binary files.",
+ "editor.editorAssociations.filenamePattern": "Glob pattern the editor should be used for."
+ },
+ "vs/workbench/contrib/customEditor/browser/commands": {
+ "viewCategory": "View",
+ "reopenWith.title": "Reopen With..."
+ },
+ "vs/workbench/contrib/customEditor/browser/customEditors": {
+ "promptOpenWith.defaultEditor": "VS Code's standard text editor",
+ "openWithCurrentlyActive": "Currently Active",
+ "promptOpenWith.setDefaultTooltip": "Set as default editor for '{0}' files",
+ "promptOpenWith.placeHolder": "Select editor to use for '{0}'..."
+ },
+ "vs/workbench/contrib/customEditor/browser/extensionPoint": {
+ "contributes.customEditors": "Contributed custom editors.",
+ "contributes.viewType": "Unique identifier of the custom editor.",
+ "contributes.displayName": "Human readable name of the custom editor. This is displayed to users when selecting which editor to use.",
+ "contributes.selector": "Set of globs that the custom editor is enabled for.",
+ "contributes.selector.filenamePattern": "Glob that the custom editor is enabled for.",
+ "contributes.priority": "Controls when the custom editor is used. May be overridden by users.",
+ "contributes.priority.default": "Editor is automatically used for a resource if no other default custom editors are registered for it.",
+ "contributes.priority.option": "Editor is not automatically used but can be selected by a user.",
+ "contributes.priority.builtin": "Editor automatically used if no other `default` or `builtin` editors are registered for the resource."
+ },
+ "vs/workbench/contrib/debug/common/debug": {
+ "internalConsoleOptions": "Controls when the internal debug console should open."
+ },
+ "vs/workbench/contrib/debug/browser/callStackEditorContribution": {
+ "topStackFrameLineHighlight": "Background colour for the highlight of line at the top stack frame position.",
+ "focusedStackFrameLineHighlight": "Background colour for the highlight of line at focused stack frame position."
+ },
+ "vs/workbench/contrib/debug/browser/debugViewlet": {
+ "startAdditionalSession": "Start Additional Session",
+ "toggleDebugPanel": "Debug Console"
+ },
+ "vs/workbench/contrib/debug/browser/debugEditorContribution": {
+ "addConfiguration": "Add Configuration..."
+ },
+ "vs/workbench/contrib/debug/browser/breakpointEditorContribution": {
+ "logPoint": "Logpoint",
+ "breakpoint": "Breakpoint",
+ "breakpointHasConditionDisabled": "This {0} has a {1} that will get lost on remove. Consider enabling the {0} instead.",
+ "message": "Message",
+ "condition": "condition",
+ "breakpointHasConditionEnabled": "This {0} has a {1} that will get lost on remove. Consider disabling the {0} instead.",
+ "removeLogPoint": "Remove {0}",
+ "disableLogPoint": "{0} {1}",
+ "disable": "Disable",
+ "enable": "Enable",
+ "cancel": "Cancel",
+ "removeBreakpoint": "Remove {0}",
+ "editBreakpoint": "Edit {0}...",
+ "disableBreakpoint": "Disable {0}",
+ "enableBreakpoint": "Enable {0}",
+ "removeBreakpoints": "Remove Breakpoints",
+ "removeInlineBreakpointOnColumn": "Remove Inline Breakpoint on Column {0}",
+ "removeLineBreakpoint": "Remove Line Breakpoint",
+ "editBreakpoints": "Edit Breakpoints",
+ "editInlineBreakpointOnColumn": "Edit Inline Breakpoint on Column {0}",
+ "editLineBrekapoint": "Edit Line Breakpoint",
+ "enableDisableBreakpoints": "Enable/Disable Breakpoints",
+ "disableInlineColumnBreakpoint": "Disable Inline Breakpoint on Column {0}",
+ "disableBreakpointOnLine": "Disable Line Breakpoint",
+ "enableBreakpoints": "Enable Inline Breakpoint on Column {0}",
+ "enableBreakpointOnLine": "Enable Line Breakpoint",
+ "addBreakpoint": "Add Breakpoint",
+ "addConditionalBreakpoint": "Add Conditional Breakpoint...",
+ "addLogPoint": "Add Logpoint...",
+ "debugIcon.breakpointForeground": "Icon color for breakpoints.",
+ "debugIcon.breakpointDisabledForeground": "Icon colour for disabled breakpoints.",
+ "debugIcon.breakpointUnverifiedForeground": "Icon color for unverified breakpoints.",
+ "debugIcon.breakpointCurrentStackframeForeground": "Icon color for the current breakpoint stack frame.",
+ "debugIcon.breakpointStackframeForeground": "Icon color for all breakpoint stack frames."
+ },
+ "vs/workbench/contrib/debug/browser/debug.contribution": {
+ "toggleDebugViewlet": "Show Run and Debug",
+ "run": "Run",
+ "debugPanel": "Debug Console",
+ "variables": "Variables",
+ "watch": "Watch",
+ "callStack": "Call Stack",
+ "breakpoints": "Breakpoints",
+ "loadedScripts": "Loaded Scripts",
+ "view": "View",
+ "debugCategory": "Debug",
+ "runCategory": "Run",
+ "terminateThread": "Terminate Thread",
+ "debugFocusConsole": "Focus on Debug Console View",
+ "jumpToCursor": "Jump to Cursor",
+ "inlineBreakpoint": "Inline Breakpoint",
+ "startDebugPlaceholder": "Type the name of a launch configuration to run.",
+ "startDebuggingHelp": "Start Debugging",
+ "debugConfigurationTitle": "Debug",
+ "allowBreakpointsEverywhere": "Allow setting breakpoints in any file.",
+ "openExplorerOnEnd": "Automatically open the explorer view at the end of a debug session.",
+ "inlineValues": "Show variable values inline in editor while debugging.",
+ "toolBarLocation": "Controls the location of the debug toolbar. Either `floating` in all views, `docked` in the debug view, or `hidden`.",
+ "never": "Never show debug in status bar",
+ "always": "Always show debug in status bar",
+ "onFirstSessionStart": "Show debug in status bar only after debug was started for the first time",
+ "showInStatusBar": "Controls when the debug status bar should be visible.",
+ "debug.console.closeOnEnd": "Controls if the debug console should be automatically closed when the debug session ends.",
+ "openDebug": "Controls when the debug view should open.",
+ "enableAllHovers": "Controls whether the non-debug hovers should be enabled while debugging. When enabled the hover providers will be called to provide a hover. Regular hovers will not be shown even if this setting is enabled.",
+ "showSubSessionsInToolBar": "Controls whether the debug sub-sessions are shown in the debug tool bar. When this setting is false the stop command on a sub-session will also stop the parent session.",
+ "debug.console.fontSize": "Controls the font size in pixels in the debug console.",
+ "debug.console.fontFamily": "Controls the font family in the debug console.",
+ "debug.console.lineHeight": "Controls the line height in pixels in the debug console. Use 0 to compute the line height from the font size.",
+ "debug.console.wordWrap": "Controls if the lines should wrap in the debug console.",
+ "debug.console.historySuggestions": "Controls if the debug console should suggest previously typed input.",
+ "launch": "Global debug launch configuration. Should be used as an alternative to 'launch.json' that is shared across workspaces.",
+ "debug.focusWindowOnBreak": "Controls whether the workbench window should be focused when the debugger breaks.",
+ "debugAnyway": "Ignore task errors and start debugging.",
+ "showErrors": "Show the Problems view and do not start debugging.",
+ "prompt": "Prompt user.",
+ "cancel": "Cancel debugging.",
+ "debug.onTaskErrors": "Controls what to do when errors are encountered after running a preLaunchTask.",
+ "showBreakpointsInOverviewRuler": "Controls whether breakpoints should be shown in the overview ruler.",
+ "showInlineBreakpointCandidates": "Controls whether inline breakpoints candidate decorations should be shown in the editor while debugging.",
+ "stepBackDebug": "Step Back",
+ "reverseContinue": "Reverse",
+ "restartFrame": "Restart Frame",
+ "copyStackTrace": "Copy Call Stack",
+ "miViewRun": "&&Run",
+ "miToggleDebugConsole": "De&&bug Console",
+ "miStartDebugging": "&&Start Debugging",
+ "miRun": "Run &&Without Debugging",
+ "miStopDebugging": "&&Stop Debugging",
+ "miRestart Debugging": "&&Restart Debugging",
+ "miOpenConfigurations": "Open &&Configurations",
+ "miAddConfiguration": "A&&dd Configuration...",
+ "miStepOver": "Step &&Over",
+ "miStepInto": "Step &&Into",
+ "miStepOut": "Step O&&ut",
+ "miContinue": "&&Continue",
+ "miToggleBreakpoint": "Toggle &&Breakpoint",
+ "miConditionalBreakpoint": "&&Conditional Breakpoint…",
+ "miInlineBreakpoint": "Inline Breakp&&oint",
+ "miFunctionBreakpoint": "&&Function Breakpoint...",
+ "miLogPoint": "&&Logpoint...",
+ "miNewBreakpoint": "&&New Breakpoint",
+ "miEnableAllBreakpoints": "&&Enable All Breakpoints",
+ "miDisableAllBreakpoints": "Disable A&&ll Breakpoints",
+ "miRemoveAllBreakpoints": "Remove &&All Breakpoints",
+ "miInstallAdditionalDebuggers": "&&Install Additional Debuggers..."
+ },
+ "vs/workbench/contrib/debug/browser/repl": {
+ "replAriaLabel": "Read Eval Print Loop Panel",
+ "debugConsole": "Debug Console",
+ "copy": "Copy",
+ "copyAll": "Copy All",
+ "collapse": "Collapse All",
+ "startDebugFirst": "Please start a debug session to evaluate expressions",
+ "actions.repl.acceptInput": "REPL Accept Input",
+ "repl.action.filter": "REPL Focus Content to Filter",
+ "actions.repl.copyAll": "Debug: Console Copy All",
+ "selectRepl": "Select Debug Console",
+ "clearRepl": "Clear Console",
+ "debugConsoleCleared": "Debug console was cleared"
+ },
+ "vs/workbench/contrib/debug/browser/welcomeView": {
+ "run": "Run",
+ "openAFileWhichCanBeDebugged": "[Open a file](command:{0}) which can be debugged or run.",
+ "runAndDebugAction": "[Run and Debug{0}](command:{1})",
+ "customizeRunAndDebug": "To customize Run and Debug [create a launch.json file](command:{0}).",
+ "customizeRunAndDebugOpenFolder": "To customize Run and Debug, [open a folder](command:{0}) and create a launch.json file."
+ },
+ "vs/workbench/contrib/debug/browser/debugActionViewItems": {
+ "debugLaunchConfigurations": "Debug Launch Configurations",
+ "noConfigurations": "No Configurations",
+ "addConfigTo": "Add Config ({0})...",
+ "addConfiguration": "Add Configuration...",
+ "debugSession": "Debug Session"
+ },
+ "vs/workbench/contrib/debug/browser/exceptionWidget": {
+ "debugExceptionWidgetBorder": "Exception widget border colour.",
+ "debugExceptionWidgetBackground": "Exception widget background color.",
+ "exceptionThrownWithId": "Exception has occurred: {0}",
+ "exceptionThrown": "Exception has occurred."
+ },
+ "vs/workbench/contrib/debug/browser/debugToolBar": {
+ "debugToolBarBackground": "Debug toolbar background colour.",
+ "debugToolBarBorder": "Debug toolbar border colour.",
+ "debugIcon.startForeground": "Debug toolbar icon for start debugging.",
+ "debugIcon.pauseForeground": "Debug toolbar icon for pause.",
+ "debugIcon.stopForeground": "Debug toolbar icon for stop.",
+ "debugIcon.disconnectForeground": "Debug toolbar icon for disconnect.",
+ "debugIcon.restartForeground": "Debug toolbar icon for restart.",
+ "debugIcon.stepOverForeground": "Debug toolbar icon for step over.",
+ "debugIcon.stepIntoForeground": "Debug toolbar icon for step into.",
+ "debugIcon.stepOutForeground": "Debug toolbar icon for step over.",
+ "debugIcon.continueForeground": "Debug toolbar icon for continue.",
+ "debugIcon.stepBackForeground": "Debug toolbar icon for step back."
+ },
+ "vs/workbench/contrib/debug/browser/statusbarColorProvider": {
+ "statusBarDebuggingBackground": "Status bar background color when a program is being debugged. The status bar is shown in the bottom of the window",
+ "statusBarDebuggingForeground": "Status bar foreground color when a program is being debugged. The status bar is shown in the bottom of the window",
+ "statusBarDebuggingBorder": "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/common/debugContentProvider": {
+ "unable": "Unable to resolve the resource without a debug session",
+ "canNotResolveSourceWithError": "Could not load source '{0}': {1}.",
+ "canNotResolveSource": "Could not load source '{0}'."
+ },
+ "vs/workbench/contrib/debug/browser/debugStatus": {
+ "status.debug": "Debug",
+ "selectAndStartDebug": "Select and start debug configuration"
+ },
+ "vs/workbench/contrib/debug/browser/debugQuickAccess": {
+ "customizeLaunchConfig": "Configure Launch Configuration",
+ "addConfigTo": "Add Config ({0})...",
+ "addConfiguration": "Add Configuration..."
+ },
+ "vs/workbench/contrib/debug/browser/debugHover": {
+ "treeAriaLabel": "Debug Hover",
+ "variableAriaLabel": "{0} value {1}, variables, debug"
+ },
+ "vs/workbench/contrib/debug/browser/debugActions": {
+ "openLaunchJson": "Open {0}",
+ "launchJsonNeedsConfigurtion": "Configure or Fix 'launch.json'",
+ "noFolderDebugConfig": "Please first open a folder in order to do advanced debug configuration.",
+ "selectWorkspaceFolder": "Select a workspace folder to create a launch.json file in",
+ "startDebug": "Start Debugging",
+ "startWithoutDebugging": "Start Without Debugging",
+ "selectAndStartDebugging": "Select and Start Debugging",
+ "removeBreakpoint": "Remove Breakpoint",
+ "removeAllBreakpoints": "Remove All Breakpoints",
+ "enableAllBreakpoints": "Enable All Breakpoints",
+ "disableAllBreakpoints": "Disable All Breakpoints",
+ "activateBreakpoints": "Activate Breakpoints",
+ "deactivateBreakpoints": "Deactivate Breakpoints",
+ "reapplyAllBreakpoints": "Reapply All Breakpoints",
+ "addFunctionBreakpoint": "Add Function Breakpoint",
+ "addWatchExpression": "Add Expression",
+ "removeAllWatchExpressions": "Remove All Expressions",
+ "focusSession": "Focus Session",
+ "copyValue": "Copy Value"
+ },
+ "vs/workbench/contrib/debug/browser/debugEditorActions": {
+ "toggleBreakpointAction": "Debug: Toggle Breakpoint",
+ "conditionalBreakpointEditorAction": "Debug: Add Conditional Breakpoint...",
+ "logPointEditorAction": "Debug: Add Logpoint...",
+ "runToCursor": "Run to Cursor",
+ "evaluateInDebugConsole": "Evaluate in Debug Console",
+ "addToWatch": "Add to Watch",
+ "showDebugHover": "Debug: Show Hover",
+ "goToNextBreakpoint": "Debug: Go To Next Breakpoint",
+ "goToPreviousBreakpoint": "Debug: Go To Previous Breakpoint"
+ },
+ "vs/workbench/contrib/debug/browser/linkDetector": {
+ "fileLinkMac": "Cmd + click to follow link",
+ "fileLink": "Ctrl + click to follow link"
+ },
+ "vs/workbench/contrib/debug/common/replModel": {
+ "consoleCleared": "Console was cleared",
+ "snapshotObj": "Only primitive values are shown for this object."
+ },
+ "vs/workbench/contrib/debug/browser/breakpointWidget": {
+ "breakpointWidgetLogMessagePlaceholder": "Message to log when breakpoint is hit. Expressions within {} are interpolated. 'Enter' to accept, 'esc' to cancel.",
+ "breakpointWidgetHitCountPlaceholder": "Break when hit count condition is met. 'Enter' to accept, 'Esc' to cancel.",
+ "breakpointWidgetExpressionPlaceholder": "Break when expression evaluates to true. 'Enter' to accept, 'esc' to cancel.",
+ "expression": "Expression",
+ "hitCount": "Hit Count",
+ "logMessage": "Log Message",
+ "breakpointType": "Breakpoint Type"
+ },
+ "vs/workbench/contrib/debug/browser/watchExpressionsView": {
+ "watchAriaTreeLabel": "Debug Watch Expressions",
+ "editWatchExpression": "Edit Expression",
+ "removeWatchExpression": "Remove Expression",
+ "watchExpressionInputAriaLabel": "Type watch expression",
+ "watchExpressionPlaceholder": "Expression to watch",
+ "watchExpressionAriaLabel": "{0} value {1}, watch, debug",
+ "watchVariableAriaLabel": "{0} value {1}, watch, debug"
+ },
+ "vs/workbench/contrib/debug/browser/variablesView": {
+ "variablesAriaTreeLabel": "Debug Variables",
+ "setValue": "Set Value",
+ "copyAsExpression": "Copy as Expression",
+ "addToWatchExpressions": "Add to Watch",
+ "breakWhenValueChanges": "Break When Value Changes",
+ "variableValueAriaLabel": "Type new variable value",
+ "variableScopeAriaLabel": "Scope {0}, variables, debug",
+ "variableAriaLabel": "{0} value {1}, variables, debug"
+ },
+ "vs/workbench/contrib/debug/browser/replViewer": {
+ "stateCapture": "Object state is captured from first evaluation",
+ "replVariableAriaLabel": "Variable {0} has value {1}, read eval print loop, debug",
+ "replValueOutputAriaLabel": "{0}, read eval print loop, debug",
+ "replRawObjectAriaLabel": "Repl variable {0} has value {1}, read eval print loop, debug",
+ "replGroup": "Repl group {0}, read eval print loop, debug"
+ },
+ "vs/workbench/contrib/debug/node/debugAdapter": {
+ "debugAdapterBinNotFound": "Debug adapter executable '{0}' does not exist.",
+ "debugAdapterCannotDetermineExecutable": "Cannot determine executable for debug adapter '{0}'.",
+ "unableToLaunchDebugAdapter": "Unable to launch debug adapter from '{0}'.",
+ "unableToLaunchDebugAdapterNoArgs": "Unable to launch debug adapter."
+ },
+ "vs/workbench/contrib/debug/browser/loadedScriptsView": {
+ "loadedScriptsAriaLabel": "Debug Loaded Scripts",
+ "loadedScriptsSession": "Debug Session",
+ "loadedScriptsRootFolderAriaLabel": "Workspace folder {0}, loaded script, debug",
+ "loadedScriptsSessionAriaLabel": "Session {0}, loaded script, debug",
+ "loadedScriptsFolderAriaLabel": "Folder {0}, loaded script, debug",
+ "loadedScriptsSourceAriaLabel": "{0}, loaded script, debug"
+ },
+ "vs/workbench/contrib/debug/browser/debugCommands": {
+ "restartDebug": "Restart",
+ "stepOverDebug": "Step Over",
+ "stepIntoDebug": "Step Into",
+ "stepOutDebug": "Step Out",
+ "pauseDebug": "Pause",
+ "disconnect": "Disconnect",
+ "stop": "Stop",
+ "continueDebug": "Continue",
+ "chooseLocation": "Choose the specific location",
+ "noExecutableCode": "No executable code is associated at the current cursor position.",
+ "jumpToCursor": "Jump to Cursor",
+ "debug": "Debug",
+ "noFolderDebugConfig": "Please first open a folder in order to do advanced debug configuration.",
+ "addInlineBreakpoint": "Add Inline Breakpoint"
+ },
+ "vs/workbench/contrib/debug/browser/breakpointsView": {
+ "Logpoint": "Logpoint",
+ "Breakpoint": "Breakpoint",
+ "editBreakpoint": "Edit {0}...",
+ "removeBreakpoint": "Remove {0}",
+ "functionBreakpointsNotSupported": "Function breakpoints are not supported by this debug type",
+ "dataBreakpointsNotSupported": "Data breakpoints are not supported by this debug type",
+ "functionBreakpointPlaceholder": "Function to break on",
+ "functionBreakPointInputAriaLabel": "Type function breakpoint",
+ "disabledLogpoint": "Disabled Logpoint",
+ "disabledBreakpoint": "Disabled breakpoint",
+ "unverifiedLogpoint": "Unverified Logpoint",
+ "unverifiedBreakopint": "Unverified breakpoint",
+ "functionBreakpointUnsupported": "Function breakpoints not supported by this debug type",
+ "functionBreakpoint": "Function Breakpoint",
+ "dataBreakpointUnsupported": "Data breakpoints not supported by this debug type",
+ "dataBreakpoint": "Data Breakpoint",
+ "breakpointUnsupported": "Breakpoints of this type are not supported by the debugger",
+ "logMessage": "Log Message: {0}",
+ "expression": "Expression: {0}",
+ "hitCount": "Hit Count: {0}",
+ "breakpoint": "Breakpoint"
+ },
+ "vs/workbench/contrib/debug/common/debugSource": {
+ "unknownSource": "Unknown Source"
+ },
+ "vs/workbench/contrib/debug/browser/callStackView": {
+ "debugStopped": "Paused on {0}",
+ "callStackAriaLabel": "Debug Call Stack",
+ "showMoreStackFrames2": "Show More Stack Frames",
+ "session": "Session",
+ "running": "Running",
+ "thread": "Thread",
+ "restartFrame": "Restart Frame",
+ "loadMoreStackFrames": "Load More Stack Frames",
+ "showMoreAndOrigin": "Show {0} More: {1}",
+ "showMoreStackFrames": "Show {0} More Stack Frames",
+ "threadAriaLabel": "Thread {0}, callstack, debug",
+ "stackFrameAriaLabel": "Stack Frame {0} line {1} {2}, callstack, debug",
+ "sessionLabel": "Debug Session {0}"
+ },
+ "vs/workbench/contrib/debug/browser/debugService": {
+ "1activeSession": "1 active session",
+ "nActiveSessions": "{0} active sessions",
+ "configurationAlreadyRunning": "There is already a debug configuration \"{0}\" running.",
+ "compoundMustHaveConfigurations": "Compound must have \"configurations\" attribute set in order to start multiple configurations.",
+ "noConfigurationNameInWorkspace": "Could not find launch configuration '{0}' in the workspace.",
+ "multipleConfigurationNamesInWorkspace": "There are multiple launch configurations '{0}' in the workspace. Use folder name to qualify the configuration.",
+ "noFolderWithName": "Can not find folder with name '{0}' for configuration '{1}' in compound '{2}'.",
+ "configMissing": "Configuration '{0}' is missing in 'launch.json'.",
+ "launchJsonDoesNotExist": "'launch.json' does not exist.",
+ "debugRequestNotSupported": "Attribute '{0}' has an unsupported value '{1}' in the chosen debug configuration.",
+ "debugRequesMissing": "Attribute '{0}' is missing from the chosen debug configuration.",
+ "debugTypeNotSupported": "Configured debug type '{0}' is not supported.",
+ "debugTypeMissing": "Missing property 'type' for the chosen launch configuration.",
+ "noFolderWorkspaceDebugError": "The active file can not be debugged. Make sure it is saved and that you have a debug extension installed for that file type.",
+ "debugAdapterCrash": "Debug adapter process has terminated unexpectedly ({0})",
+ "cancel": "Cancel",
+ "debuggingPaused": "Debugging paused {0}, {1} {2} {3}",
+ "breakpointAdded": "Added breakpoint, line {0}, file {1}",
+ "breakpointRemoved": "Removed breakpoint, line {0}, file {1}"
+ },
+ "vs/workbench/contrib/debug/common/debugModel": {
+ "invalidVariableAttributes": "Invalid variable attributes",
+ "startDebugFirst": "Please start a debug session to evaluate expressions",
+ "notAvailable": "not available",
+ "pausedOn": "Paused on {0}",
+ "paused": "Paused",
+ "running": "Running",
+ "breakpointDirtydHover": "Unverified breakpoint. File is modified, please restart debug session."
+ },
+ "vs/workbench/contrib/debug/browser/debugTaskRunner": {
+ "preLaunchTaskErrors": "Errors exist after running preLaunchTask '{0}'.",
+ "preLaunchTaskError": "Error exists after running preLaunchTask '{0}'.",
+ "preLaunchTaskExitCode": "The preLaunchTask '{0}' terminated with exit code {1}.",
+ "preLaunchTaskTerminated": "The preLaunchTask '{0}' terminated.",
+ "debugAnyway": "Debug Anyway",
+ "showErrors": "Show Errors",
+ "abort": "Abort",
+ "remember": "Remember my choice in user settings",
+ "invalidTaskReference": "Task '{0}' can not be referenced from a launch configuration that is in a different workspace folder.",
+ "DebugTaskNotFoundWithTaskId": "Could not find the task '{0}'.",
+ "DebugTaskNotFound": "Could not find the specified task.",
+ "taskNotTrackedWithTaskId": "The specified task cannot be tracked.",
+ "taskNotTracked": "The task '{0}' cannot be tracked."
+ },
+ "vs/workbench/contrib/debug/browser/debugConfigurationManager": {
+ "debugNoType": "Debugger 'type' can not be omitted and must be of type 'string'.",
+ "more": "More...",
+ "selectDebug": "Select Environment",
+ "DebugConfig.failed": "Unable to create 'launch.json' file inside the '.vscode' folder ({0}).",
+ "workspace": "workspace",
+ "user settings": "User Settings"
+ },
+ "vs/workbench/contrib/debug/browser/debugSession": {
+ "noDebugAdapter": "No debug adapter, can not send '{0}'",
+ "sessionNotReadyForBreakpoints": "Session is not ready for breakpoints",
+ "debuggingStarted": "Debugging started.",
+ "debuggingStopped": "Debugging stopped."
+ },
+ "vs/workbench/contrib/debug/common/debugger": {
+ "cannot.find.da": "Cannot find debug adapter for type '{0}'.",
+ "launch.config.comment1": "Use IntelliSense to learn about possible attributes.",
+ "launch.config.comment2": "Hover to view descriptions of existing attributes.",
+ "launch.config.comment3": "For more information, visit: {0}",
+ "debugType": "Type of configuration.",
+ "debugTypeNotRecognised": "The debug type is not recognized. Make sure that you have a corresponding debug extension installed and that it is enabled.",
+ "node2NotSupported": "\"node2\" is no longer supported, use \"node\" instead and set the \"protocol\" attribute to \"inspector\".",
+ "debugName": "Name of configuration; appears in the launch configuration dropdown menu.",
+ "debugRequest": "Request type of configuration. Can be \"launch\" or \"attach\".",
+ "debugServer": "For debug extension development only: if a port is specified VS Code tries to connect to a debug adapter running in server mode",
+ "debugPrelaunchTask": "Task to run before debug session starts.",
+ "debugPostDebugTask": "Task to run after debug session ends.",
+ "debugWindowsConfiguration": "Windows specific launch configuration attributes.",
+ "debugOSXConfiguration": "OS X specific launch configuration attributes.",
+ "debugLinuxConfiguration": "Linux specific launch configuration attributes."
+ },
+ "vs/workbench/contrib/debug/browser/rawDebugSession": {
+ "noDebugAdapterStart": "No debug adapter, can not start debug session.",
+ "noDebugAdapter": "No debug adapter found. Can not send '{0}'.",
+ "moreInfo": "More Info"
+ },
+ "vs/workbench/contrib/debug/common/debugSchemas": {
+ "vscode.extension.contributes.debuggers": "Contributes debug adapters.",
+ "vscode.extension.contributes.debuggers.type": "Unique identifier for this debug adapter.",
+ "vscode.extension.contributes.debuggers.label": "Display name for this debug adapter.",
+ "vscode.extension.contributes.debuggers.program": "Path to the debug adapter program. Path is either absolute or relative to the extension folder.",
+ "vscode.extension.contributes.debuggers.args": "Optional arguments to pass to the adapter.",
+ "vscode.extension.contributes.debuggers.runtime": "Optional runtime in case the program attribute is not an executable but requires a runtime.",
+ "vscode.extension.contributes.debuggers.runtimeArgs": "Optional runtime arguments.",
+ "vscode.extension.contributes.debuggers.variables": "Mapping from interactive variables (e.g. ${action.pickProcess}) in `launch.json` to a command.",
+ "vscode.extension.contributes.debuggers.initialConfigurations": "Configurations for generating the initial 'launch.json'.",
+ "vscode.extension.contributes.debuggers.languages": "List of languages for which the debug extension could be considered the \"default debugger\".",
+ "vscode.extension.contributes.debuggers.configurationSnippets": "Snippets for adding new configurations in 'launch.json'.",
+ "vscode.extension.contributes.debuggers.configurationAttributes": "JSON schema configurations for validating 'launch.json'.",
+ "vscode.extension.contributes.debuggers.windows": "Windows specific settings.",
+ "vscode.extension.contributes.debuggers.windows.runtime": "Runtime used for Windows.",
+ "vscode.extension.contributes.debuggers.osx": "macOS specific settings.",
+ "vscode.extension.contributes.debuggers.osx.runtime": "Runtime used for macOS.",
+ "vscode.extension.contributes.debuggers.linux": "Linux specific settings.",
+ "vscode.extension.contributes.debuggers.linux.runtime": "Runtime used for Linux.",
+ "vscode.extension.contributes.breakpoints": "Contributes breakpoints.",
+ "vscode.extension.contributes.breakpoints.language": "Allow breakpoints for this language.",
+ "presentation": "Presentation options on how to show this configuration in the debug configuration dropdown and the command palette.",
+ "presentation.hidden": "Controls if this configuration should be shown in the configuration dropdown and the command palette.",
+ "presentation.group": "Group that this configuration belongs to. Used for grouping and sorting in the configuration dropdown and the command palette.",
+ "presentation.order": "Order of this configuration within a group. Used for grouping and sorting in the configuration dropdown and the command palette.",
+ "app.launch.json.title": "Launch",
+ "app.launch.json.version": "Version of this file format.",
+ "app.launch.json.configurations": "List of configurations. Add new configurations or edit existing ones by using IntelliSense.",
+ "app.launch.json.compounds": "List of compounds. Each compound references multiple configurations which will get launched together.",
+ "app.launch.json.compound.name": "Name of compound. Appears in the launch configuration drop down menu.",
+ "useUniqueNames": "Please use unique configuration names.",
+ "app.launch.json.compound.folder": "Name of folder in which the compound is located.",
+ "app.launch.json.compounds.configurations": "Names of configurations that will be started as part of this compound.",
+ "compoundPrelaunchTask": "Task to run before any of the compound configurations start."
+ },
+ "vs/workbench/contrib/emmet/browser/actions/showEmmetCommands": {
+ "showEmmetCommands": "Show Emmet Commands",
+ "miShowEmmetCommands": "E&&mmet..."
+ },
+ "vs/workbench/contrib/emmet/browser/actions/expandAbbreviation": {
+ "expandAbbreviationAction": "Emmet: Expand Abbreviation",
+ "miEmmetExpandAbbreviation": "Emmet: E&&xpand Abbreviation"
+ },
+ "vs/workbench/contrib/experiments/browser/experiments.contribution": {
+ "workbench.enableExperiments": "Fetches experiments to run from a Microsoft online service."
+ },
+ "vs/workbench/contrib/extensions/electron-browser/extensions.contribution": {
+ "runtimeExtension": "Running Extensions"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/runtimeExtensionsInput": {
+ "extensionsInputName": "Running Extensions"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/extensionsActions": {
+ "openExtensionsFolder": "Open Extensions Folder"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/extensionProfileService": {
+ "profilingExtensionHost": "Profiling Extension Host",
+ "selectAndStartDebug": "Click to stop profiling.",
+ "profilingExtensionHostTime": "Profiling Extension Host ({0} sec)",
+ "status.profiler": "Extension Profiler",
+ "restart1": "Profile Extensions",
+ "restart2": "In order to profile extensions a restart is required. Do you want to restart '{0}' now?",
+ "restart3": "Restart",
+ "cancel": "Cancel"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/extensionsAutoProfiler": {
+ "unresponsive-exthost": "The extension '{0}' took a very long time to complete its last operation and it has prevented other extensions from running.",
+ "show": "Show Extensions"
+ },
+ "vs/workbench/contrib/extensions/browser/extensions.contribution": {
+ "extension": "Extension",
+ "extensions": "Extensions",
+ "view": "View",
+ "extensionsConfigurationTitle": "Extensions",
+ "extensionsAutoUpdate": "When enabled, automatically installs updates for extensions. The updates are fetched from a Microsoft online service.",
+ "extensionsCheckUpdates": "When enabled, automatically checks extensions for updates. If an extension has an update, it is marked as outdated in the Extensions view. The updates are fetched from a Microsoft online service.",
+ "extensionsIgnoreRecommendations": "When enabled, the notifications for extension recommendations will not be shown.",
+ "extensionsShowRecommendationsOnlyOnDemand": "When enabled, recommendations will not be fetched or shown unless specifically requested by the user. Some recommendations are fetched from a Microsoft online service.",
+ "extensionsCloseExtensionDetailsOnViewChange": "When enabled, editors with extension details will be automatically closed upon navigating away from the Extensions View.",
+ "handleUriConfirmedExtensions": "When an extension is listed here, a confirmation prompt will not be shown when that extension handles a URI.",
+ "notFound": "Extension '{0}' not found.",
+ "workbench.extensions.uninstallExtension.description": "Uninstall the given extension",
+ "workbench.extensions.uninstallExtension.arg.name": "Id of the extension to uninstall",
+ "id required": "Extension id required.",
+ "notInstalled": "Extension '{0}' is not installed. Make sure you use the full extension ID, including the publisher, e.g.: ms-vscode.csharp.",
+ "workbench.extensions.search.description": "Search for a specific extension",
+ "workbench.extensions.search.arg.name": "Query to use in search",
+ "miOpenKeymapExtensions": "&&Keymaps",
+ "miOpenKeymapExtensions2": "Keymaps",
+ "miPreferencesExtensions": "&&Extensions",
+ "miViewExtensions": "E&&xtensions",
+ "showExtensions": "Extensions",
+ "extensionInfoName": "Name: {0}",
+ "extensionInfoId": "Id: {0}",
+ "extensionInfoDescription": "Description: {0}",
+ "extensionInfoVersion": "Version: {0}",
+ "extensionInfoPublisher": "Publisher: {0}",
+ "extensionInfoVSMarketplaceLink": "VS Marketplace Link: {0}",
+ "workbench.extensions.action.configure": "Extension Settings",
+ "workbench.extensions.action.toggleIgnoreExtension": "Sync This Extension"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/runtimeExtensionsEditor": {
+ "languageActivation": "Activated because you opened a {0} file",
+ "workspaceGenericActivation": "Activated on {0}",
+ "unresponsive.title": "Extension has caused the extension host to freeze.",
+ "errors": "{0} uncaught errors",
+ "disable workspace": "Disable (Workspace)",
+ "disable": "Disable",
+ "showRuntimeExtensions": "Show Running Extensions",
+ "reportExtensionIssue": "Report Issue",
+ "debugExtensionHost": "Start Debugging Extension Host",
+ "restart1": "Profile Extensions",
+ "restart2": "In order to profile extensions a restart is required. Do you want to restart '{0}' now?",
+ "restart3": "Restart",
+ "cancel": "Cancel",
+ "debugExtensionHost.launch.name": "Attach Extension Host",
+ "extensionHostProfileStart": "Start Extension Host Profile",
+ "stopExtensionHostProfileStart": "Stop Extension Host Profile",
+ "saveExtensionHostProfile": "Save Extension Host Profile"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsViewlet": {
+ "marketPlace": "Marketplace",
+ "enabledExtensions": "Enabled",
+ "disabledExtensions": "Disabled",
+ "popularExtensions": "Popular",
+ "recommendedExtensions": "Recommended",
+ "otherRecommendedExtensions": "Other Recommendations",
+ "workspaceRecommendedExtensions": "Workspace Recommendations",
+ "builtInExtensions": "Features",
+ "builtInThemesExtensions": "Themes",
+ "builtInBasicsExtensions": "Programming Languages",
+ "installed": "Installed",
+ "searchExtensions": "Search Extensions in Marketplace",
+ "sort by installs": "Sort By: Install Count",
+ "sort by rating": "Sort By: Rating",
+ "sort by name": "Sort By: Name",
+ "extensionFoundInSection": "1 extension found in the {0} section.",
+ "extensionFound": "1 extension found.",
+ "extensionsFoundInSection": "{0} extensions found in the {1} section.",
+ "extensionsFound": "{0} extensions found.",
+ "suggestProxyError": "Marketplace returned 'ECONNREFUSED'. Please check the 'http.proxy' setting.",
+ "open user settings": "Open User Settings",
+ "outdatedExtensions": "{0} Outdated Extensions",
+ "malicious warning": "We have uninstalled '{0}' which was reported to be problematic.",
+ "reloadNow": "Reload Now"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/extensionsSlowActions": {
+ "cmd.reportOrShow": "Performance Issue",
+ "cmd.report": "Report Issue",
+ "attach.title": "Did you attach the CPU-Profile?",
+ "ok": "OK",
+ "attach.msg": "This is a reminder to make sure that you have not forgotten to attach '{0}' to the issue you have just created.",
+ "cmd.show": "Show Issues",
+ "attach.msg2": "This is a reminder to make sure that you have not forgotten to attach '{0}' to an existing performance issue."
+ },
+ "vs/workbench/contrib/extensions/common/extensionsFileTemplate": {
+ "app.extensions.json.title": "Extensions",
+ "app.extensions.json.recommendations": "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'.",
+ "app.extension.identifier.errorMessage": "Expected format '${publisher}.${name}'. Example: 'vscode.csharp'.",
+ "app.extensions.json.unwantedRecommendations": "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'."
+ },
+ "vs/workbench/contrib/extensions/browser/remoteExtensionsInstaller": {},
+ "vs/workbench/contrib/extensions/common/extensionsInput": {
+ "extensionsInputName": "Extension: {0}"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsQuickAccess": {
+ "searchFor": "Press Enter to search for extension '{0}'.",
+ "install": "Press Enter to install extension '{0}'.",
+ "manage": "Press Enter to manage your extensions."
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsDependencyChecker": {
+ "extensions": "Extensions",
+ "reload": "Reload Window"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsActivationProgress": {
+ "activation": "Activating Extensions..."
+ },
+ "vs/workbench/contrib/extensions/common/extensionsUtils": {
+ "disableOtherKeymapsConfirmation": "Disable other keymaps ({0}) to avoid conflicts between keybindings?",
+ "yes": "Yes",
+ "no": "No"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsWorkbenchService": {
+ "Manifest is not found": "Manifest is not found",
+ "malicious": "This extension is reported to be problematic.",
+ "uninstallingExtension": "Uninstalling extension....",
+ "incompatible": "Unable to install extension '{0}' as it is not compatible with VS Code '{1}'.",
+ "installing named extension": "Installing '{0}' extension....",
+ "installing extension": "Installing extension....",
+ "singleDependentError": "Cannot disable extension '{0}'. Extension '{1}' depends on this.",
+ "twoDependentsError": "Cannot disable extension '{0}'. Extensions '{1}' and '{2}' depend on this.",
+ "multipleDependentsError": "Cannot disable extension '{0}'. Extensions '{1}', '{2}' and others depend on this."
+ },
+ "vs/workbench/contrib/extensions/browser/extensionEditor": {
+ "name": "Extension name",
+ "extension id": "Extension identifier",
+ "preview": "Preview",
+ "builtin": "Built-in",
+ "publisher": "Publisher name",
+ "install count": "Install count",
+ "rating": "Rating",
+ "repository": "Repository",
+ "license": "Licence",
+ "details": "Details",
+ "detailstooltip": "Extension details, rendered from the extension's 'README.md' file",
+ "contributions": "Feature Contributions",
+ "contributionstooltip": "Lists contributions to VS Code by this extension",
+ "changelog": "Changelog",
+ "changelogtooltip": "Extension update history, rendered from the extension's 'CHANGELOG.md' file",
+ "dependencies": "Dependencies",
+ "dependenciestooltip": "Lists extensions this extension depends on",
+ "recommendationHasBeenIgnored": "You have chosen not to receive recommendations for this extension.",
+ "noReadme": "No README available.",
+ "noChangelog": "No Changelog available.",
+ "noContributions": "No Contributions",
+ "noDependencies": "No Dependencies",
+ "settings": "Settings ({0})",
+ "setting name": "Name",
+ "description": "Description",
+ "default": "Default",
+ "debuggers": "Debuggers ({0})",
+ "debugger name": "Name",
+ "debugger type": "Type",
+ "viewContainers": "View Containers ({0})",
+ "view container id": "ID",
+ "view container title": "Title",
+ "view container location": "Where",
+ "views": "Views ({0})",
+ "view id": "ID",
+ "view name": "Name",
+ "view location": "Where",
+ "localizations": "Localizations ({0})",
+ "localizations language id": "Language Id",
+ "localizations language name": "Language Name",
+ "localizations localized language name": "Language Name (Localized)",
+ "codeActions": "Code Actions ({0})",
+ "codeActions.title": "Title",
+ "codeActions.kind": "Kind",
+ "codeActions.description": "Description",
+ "codeActions.languages": "Languages",
+ "colorThemes": "Color Themes ({0})",
+ "iconThemes": "Icon Themes ({0})",
+ "colors": "Colours ({0})",
+ "colorId": "ID",
+ "defaultDark": "Dark Default",
+ "defaultLight": "Light Default",
+ "defaultHC": "High Contrast Default",
+ "JSON Validation": "JSON Validation ({0})",
+ "fileMatch": "File Match",
+ "schema": "Schema",
+ "commands": "Commands ({0})",
+ "command name": "Name",
+ "keyboard shortcuts": "Keyboard Shortcuts",
+ "menuContexts": "Menu Contexts",
+ "languages": "Languages ({0})",
+ "language id": "ID",
+ "language name": "Name",
+ "file extensions": "File Extensions",
+ "grammar": "Grammar",
+ "snippets": "Snippets",
+ "find": "Find",
+ "find next": "Find Next",
+ "find previous": "Find Previous"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionTipsService": {
+ "neverShowAgain": "Don't Show Again",
+ "searchMarketplace": "Search Marketplace",
+ "dynamicWorkspaceRecommendation": "This extension may interest you because it's popular among users of the {0} repository.",
+ "exeBasedRecommendation": "This extension is recommended because you have {0} installed.",
+ "fileBasedRecommendation": "This extension is recommended based on the files you recently opened.",
+ "workspaceRecommendation": "This extension is recommended by users of the current workspace.",
+ "workspaceRecommended": "This workspace has extension recommendations.",
+ "installAll": "Install All",
+ "showRecommendations": "Show Recommendations",
+ "exeRecommended": "The '{0}' extension is recommended as you have {1} installed on your system.",
+ "install": "Install",
+ "ignoreExtensionRecommendations": "Do you want to ignore all extension recommendations?",
+ "ignoreAll": "Yes, Ignore All",
+ "no": "No",
+ "reallyRecommended2": "The '{0}' extension is recommended for this file type.",
+ "reallyRecommendedExtensionPack": "The '{0}' extension pack is recommended for this file type.",
+ "showLanguageExtensions": "The Marketplace has extensions that can help with '.{0}' files",
+ "dontShowAgainExtension": "Don't Show Again for '.{0}' files"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsViews": {
+ "extensions": "Extensions",
+ "galleryError": "We cannot connect to the Extensions Marketplace at this time, please try again later.",
+ "error": "Error while loading extensions. {0}",
+ "no extensions found": "No extensions found.",
+ "suggestProxyError": "Marketplace returned 'ECONNREFUSED'. Please check the 'http.proxy' setting.",
+ "open user settings": "Open User Settings"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsViewer": {
+ "error": "Error",
+ "Unknown Extension": "Unknown Extension:"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsWidgets": {
+ "ratedBySingleUser": "Rated by 1 user",
+ "ratedByUsers": "Rated by {0} users",
+ "noRating": "No rating",
+ "extension-arialabel": "{0}. Press enter for extension details.",
+ "viewExtensionDetailsAria": "{0}. Press enter for extension details.",
+ "remote extension title": "Extension in {0}"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsActions": {
+ "download": "Download Manually",
+ "install vsix": "Once downloaded, please manually install the downloaded VSIX of '{0}'.",
+ "noOfYearsAgo": "{0} years ago",
+ "one year ago": "1 year ago",
+ "noOfMonthsAgo": "{0} months ago",
+ "one month ago": "1 month ago",
+ "noOfDaysAgo": "{0} days ago",
+ "one day ago": "1 day ago",
+ "noOfHoursAgo": "{0} hours ago",
+ "one hour ago": "1 hour ago",
+ "just now": "Just now",
+ "install": "Install",
+ "installing": "Installing",
+ "installExtensionStart": "Installing extension {0} started. An editor is now open with more details on this extension",
+ "installExtensionComplete": "Installing extension {0} is completed. Please reload Visual Studio Code to enable it.",
+ "failedToInstall": "Failed to install '{0}'.",
+ "install locally": "Install Locally",
+ "uninstallAction": "Uninstall",
+ "Uninstalling": "Uninstalling",
+ "uninstallExtensionStart": "Uninstalling extension {0} started.",
+ "uninstallExtensionComplete": "Please reload Visual Studio Code to complete the uninstallation of the extension {0}.",
+ "updateExtensionStart": "Updating extension {0} to version {1} started.",
+ "updateExtensionComplete": "Updating extension {0} to version {1} completed.",
+ "failedToUpdate": "Failed to update '{0}'.",
+ "updateTo": "Update to {0}",
+ "updateAction": "Update",
+ "manage": "Manage",
+ "ManageExtensionAction.uninstallingTooltip": "Uninstalling",
+ "install another version": "Install Another Version...",
+ "selectVersion": "Select Version to Install",
+ "current": "Current",
+ "enableForWorkspaceAction": "Enable (Workspace)",
+ "enableGloballyAction": "Enable",
+ "disableForWorkspaceAction": "Disable (Workspace)",
+ "disableGloballyAction": "Disable",
+ "enableAction": "Enable",
+ "disableAction": "Disable",
+ "checkForUpdates": "Check for Extension Updates",
+ "noUpdatesAvailable": "All extensions are up to date.",
+ "ok": "OK",
+ "singleUpdateAvailable": "An extension update is available.",
+ "updatesAvailable": "{0} extension updates are available.",
+ "singleDisabledUpdateAvailable": "An update to an extension which is disabled is available.",
+ "updatesAvailableOneDisabled": "{0} extension updates are available. One of them is for a disabled extension.",
+ "updatesAvailableAllDisabled": "{0} extension updates are available. All of them are for disabled extensions.",
+ "updatesAvailableIncludingDisabled": "{0} extension updates are available. {1} of them are for disabled extensions.",
+ "enableAutoUpdate": "Enable Auto Updating Extensions",
+ "disableAutoUpdate": "Disable Auto Updating Extensions",
+ "updateAll": "Update All Extensions",
+ "reloadAction": "Reload",
+ "reloadRequired": "Reload Required",
+ "postUninstallTooltip": "Please reload Visual Studio Code to complete the uninstallation of this extension.",
+ "postUpdateTooltip": "Please reload Visual Studio Code to complete the updating of this extension.",
+ "postEnableTooltip": "Please reload Visual Studio Code to complete the enabling of this extension.",
+ "color theme": "Set Color Theme",
+ "select color theme": "Select Color Theme",
+ "file icon theme": "Set File Icon Theme",
+ "select file icon theme": "Select File Icon Theme",
+ "product icon theme": "Set Product Icon Theme",
+ "select product icon theme": "Select Product Icon Theme",
+ "toggleExtensionsViewlet": "Show Extensions",
+ "installExtensions": "Install Extensions",
+ "showEnabledExtensions": "Show Enabled Extensions",
+ "showInstalledExtensions": "Show Installed Extensions",
+ "showDisabledExtensions": "Show Disabled Extensions",
+ "clearExtensionsInput": "Clear Extensions Input",
+ "showBuiltInExtensions": "Show Built-in Extensions",
+ "showOutdatedExtensions": "Show Outdated Extensions",
+ "showPopularExtensions": "Show Popular Extensions",
+ "showRecommendedExtensions": "Show Recommended Extensions",
+ "installWorkspaceRecommendedExtensions": "Install All Workspace Recommended Extensions",
+ "installRecommendedExtension": "Install Recommended Extension",
+ "ignoreExtensionRecommendation": "Do not recommend this extension again",
+ "undo": "Undo",
+ "showRecommendedKeymapExtensionsShort": "Keymaps",
+ "showLanguageExtensionsShort": "Language Extensions",
+ "showAzureExtensionsShort": "Azure Extensions",
+ "extensions": "Extensions",
+ "OpenExtensionsFile.failed": "Unable to create 'extensions.json' file inside the '.vscode' folder ({0}).",
+ "configureWorkspaceRecommendedExtensions": "Configure Recommended Extensions (Workspace)",
+ "configureWorkspaceFolderRecommendedExtensions": "Configure Recommended Extensions (Workspace Folder)",
+ "addToWorkspaceFolderRecommendations": "Add to Recommended Extensions (Workspace Folder)",
+ "addToWorkspaceFolderIgnoredRecommendations": "Ignore Recommended Extension (Workspace Folder)",
+ "AddToWorkspaceFolderRecommendations.noWorkspace": "There are no workspace folders open to add recommendations.",
+ "AddToWorkspaceFolderRecommendations.alreadyExists": "This extension is already present in this workspace folder's recommendations.",
+ "AddToWorkspaceFolderRecommendations.success": "The extension was successfully added to this workspace folder's recommendations.",
+ "viewChanges": "View Changes",
+ "AddToWorkspaceFolderRecommendations.failure": "Failed to write to extensions.json. {0}",
+ "AddToWorkspaceFolderIgnoredRecommendations.alreadyExists": "This extension is already present in this workspace folder's unwanted recommendations.",
+ "AddToWorkspaceFolderIgnoredRecommendations.success": "The extension was successfully added to this workspace folder's unwanted recommendations.",
+ "addToWorkspaceRecommendations": "Add to Recommended Extensions (Workspace)",
+ "addToWorkspaceIgnoredRecommendations": "Ignore Recommended Extension (Workspace)",
+ "AddToWorkspaceRecommendations.alreadyExists": "This extension is already present in workspace recommendations.",
+ "AddToWorkspaceRecommendations.success": "The extension was successfully added to this workspace's recommendations.",
+ "AddToWorkspaceRecommendations.failure": "Failed to write. {0}",
+ "AddToWorkspaceUnwantedRecommendations.alreadyExists": "This extension is already present in workspace unwanted recommendations.",
+ "AddToWorkspaceUnwantedRecommendations.success": "The extension was successfully added to this workspace's unwanted recommendations.",
+ "updated": "Updated",
+ "installed": "Installed",
+ "uninstalled": "Uninstalled",
+ "enabled": "Enabled",
+ "disabled": "Disabled",
+ "malicious tooltip": "This extension was reported to be problematic.",
+ "malicious": "Malicious",
+ "syncingore.label": "This extension is ignored during sync.",
+ "extension enabled on remote": "Extension is enabled on '{0}'",
+ "disabled because of extension kind": "This extension has defined that it cannot run on the remote server",
+ "disableAll": "Disable All Installed Extensions",
+ "disableAllWorkspace": "Disable All Installed Extensions for this Workspace",
+ "enableAll": "Enable All Extensions",
+ "enableAllWorkspace": "Enable All Extensions for this Workspace",
+ "installVSIX": "Install from VSIX...",
+ "installFromVSIX": "Install from VSIX",
+ "installButton": "&&Install",
+ "InstallVSIXAction.successReload": "Please reload Visual Studio Code to complete installing the extension {0}.",
+ "InstallVSIXAction.success": "Installing the extension {0} is completed.",
+ "InstallVSIXAction.reloadNow": "Reload Now",
+ "reinstall": "Reinstall Extension...",
+ "selectExtensionToReinstall": "Select Extension to Reinstall",
+ "ReinstallAction.successReload": "Please reload Visual Studio Code to complete reinstalling the extension {0}.",
+ "ReinstallAction.success": "Reinstalling the extension {0} is completed.",
+ "install previous version": "Install Specific Version of Extension...",
+ "selectExtension": "Select Extension",
+ "InstallAnotherVersionExtensionAction.successReload": "Please reload Visual Studio Code to complete installing the extension {0}.",
+ "InstallAnotherVersionExtensionAction.success": "Installing the extension {0} is completed.",
+ "InstallAnotherVersionExtensionAction.reloadNow": "Reload Now",
+ "select extensions to install": "Select extensions to install",
+ "no local extensions": "There are no extensions to install.",
+ "installing extensions": "Installing Extensions...",
+ "reload": "Reload Window",
+ "extensionButtonProminentBackground": "Button background color for actions extension that stand out (e.g. install button).",
+ "extensionButtonProminentForeground": "Button foreground color for actions extension that stand out (e.g. install button).",
+ "extensionButtonProminentHoverBackground": "Button background hover colour for actions extension that stand out (e.g. install button)."
+ },
+ "vs/workbench/contrib/externalTerminal/node/externalTerminalService": {
+ "console.title": "VS Code Console",
+ "mac.terminal.script.failed": "Script '{0}' failed with exit code {1}",
+ "mac.terminal.type.not.supported": "'{0}' not supported",
+ "press.any.key": "Press any key to continue...",
+ "linux.term.failed": "'{0}' failed with exit code {1}",
+ "ext.term.app.not.found": "can't find terminal application '{0}'",
+ "terminalConfigurationTitle": "External Terminal",
+ "terminal.explorerKind.integrated": "Use VS Code's integrated terminal.",
+ "terminal.explorerKind.external": "Use the configured external terminal.",
+ "explorer.openInTerminalKind": "Customises what kind of terminal to launch.",
+ "terminal.external.windowsExec": "Customizes which terminal to run on Windows.",
+ "terminal.external.osxExec": "Customises which terminal application to run on macOS.",
+ "terminal.external.linuxExec": "Customizes which terminal to run on Linux."
+ },
+ "vs/workbench/contrib/externalTerminal/browser/externalTerminal.contribution": {
+ "globalConsoleAction": "Open New External Terminal",
+ "scopedConsoleAction": "Open in Terminal"
+ },
+ "vs/workbench/contrib/feedback/browser/feedbackStatusbarItem": {
+ "status.feedback": "Tweet Feedback",
+ "help": "Help"
+ },
+ "vs/workbench/contrib/feedback/browser/feedback": {
+ "sendFeedback": "Tweet Feedback",
+ "label.sendASmile": "Tweet us your feedback.",
+ "close": "Close",
+ "patchedVersion1": "Your installation is corrupt.",
+ "patchedVersion2": "Please specify this if you submit a bug.",
+ "sentiment": "How was your experience?",
+ "smileCaption": "Happy Feedback Sentiment",
+ "frownCaption": "Sad Feedback Sentiment",
+ "other ways to contact us": "Other ways to contact us",
+ "submit a bug": "Submit a bug",
+ "request a missing feature": "Request a missing feature",
+ "tell us why": "Tell us why?",
+ "feedbackTextInput": "Tell us your feedback",
+ "showFeedback": "Show Feedback Smiley in Status Bar",
+ "tweet": "Tweet",
+ "tweetFeedback": "Tweet Feedback",
+ "character left": "character left",
+ "characters left": "characters left"
+ },
+ "vs/workbench/contrib/files/electron-browser/fileActions.contribution": {
+ "revealInWindows": "Reveal in File Explorer",
+ "revealInMac": "Reveal in Finder",
+ "openContainer": "Open Containing Folder",
+ "filesCategory": "File"
+ },
+ "vs/workbench/contrib/files/electron-browser/files.contribution": {
+ "textFileEditor": "Text File Editor"
+ },
+ "vs/workbench/contrib/files/electron-browser/fileCommands": {
+ "openFileToReveal": "Open a file first to reveal"
+ },
+ "vs/workbench/contrib/files/electron-browser/textFileEditor": {
+ "fileTooLargeForHeapError": "To open a file of this size, you need to restart and allow it to use more memory",
+ "relaunchWithIncreasedMemoryLimit": "Restart with {0} MB",
+ "configureMemoryLimit": "Configure Memory Limit"
+ },
+ "vs/workbench/contrib/files/common/editors/fileEditorInput": {
+ "orphanedReadonlyFile": "{0} (deleted, read-only)",
+ "orphanedFile": "{0} (deleted)",
+ "readonlyFile": "{0} (read-only)"
+ },
+ "vs/workbench/contrib/files/browser/files.contribution": {
+ "showExplorerViewlet": "Show Explorer",
+ "view": "View",
+ "binaryFileEditor": "Binary File Editor",
+ "hotExit.off": "Disable hot exit. A prompt will show when attempting to close a window with dirty files.",
+ "hotExit.onExit": "Hot exit will be triggered when the last window is closed on Windows/Linux or when the `workbench.action.quit` command is triggered (command palette, keybinding, menu). All windows without folders opened will be restored upon next launch. A list of workspaces with unsaved files can be accessed via `File > Open Recent > More...`",
+ "hotExit.onExitAndWindowClose": "Hot exit will be triggered when the last window is closed on Windows/Linux or when the `workbench.action.quit` command is triggered (command palette, keybinding, menu), and also for any window with a folder opened regardless of whether it's the last window. All windows without folders opened will be restored upon next launch. A list of workspaces with unsaved files can be accessed via `File > Open Recent > More...`",
+ "hotExit": "Controls whether unsaved files are remembered between sessions, allowing the save prompt when exiting the editor to be skipped.",
+ "hotExit.onExitAndWindowCloseBrowser": "Hot exit will be triggered when the browser quits or the window or tab is closed.",
+ "filesConfigurationTitle": "files",
+ "exclude": "Configure glob patterns for excluding files and folders. For example, the files 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. Read more about glob patterns [here](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options).",
+ "files.exclude.boolean": "The glob pattern to match file paths against. Set to true or false to enable or disable the pattern.",
+ "files.exclude.when": "Additional check on the siblings of a matching file. Use $(basename) as variable for the matching file name.",
+ "associations": "Configure file associations to languages (e.g. `\"*.extension\": \"html\"`). These have precedence over the default associations of the languages installed.",
+ "encoding": "The default character set encoding to use when reading and writing files. This setting can also be configured per language.",
+ "autoGuessEncoding": "When enabled, the editor will attempt to guess the character set encoding when opening files. This setting can also be configured per language.",
+ "eol.LF": "LF",
+ "eol.CRLF": "CRLF",
+ "eol.auto": "Uses operating system specific end of line character.",
+ "eol": "The default end of line character.",
+ "useTrash": "Moves files/folders to the OS trash (recycle bin on Windows) when deleting. Disabling this will delete files/folders permanently.",
+ "trimTrailingWhitespace": "When enabled, will trim trailing whitespace when saving a file.",
+ "insertFinalNewline": "When enabled, insert a final new line at the end of the file when saving it.",
+ "trimFinalNewlines": "When enabled, will trim all new lines after the final new line at the end of the file when saving it.",
+ "files.autoSave.off": "A dirty editor is never automatically saved.",
+ "files.autoSave.afterDelay": "A dirty editor is automatically saved after the configured `#files.autoSaveDelay#`.",
+ "files.autoSave.onFocusChange": "A dirty editor is automatically saved when the editor loses focus.",
+ "files.autoSave.onWindowChange": "A dirty editor is automatically saved when the window loses focus.",
+ "autoSave": "Controls auto save of dirty editors. Read more about autosave [here](https://code.visualstudio.com/docs/editor/codebasics#_save-auto-save).",
+ "autoSaveDelay": "Controls the delay in ms after which a dirty editor is saved automatically. Only applies when `#files.autoSave#` is set to `{0}`.",
+ "watcherExclude": "Configure glob patterns of file paths to exclude from file watching. Patterns must match on absolute paths (i.e. prefix with ** or the full path to match properly). Changing this setting requires a restart. When you experience Code consuming lots of CPU time on startup, you can exclude large folders to reduce the initial load.",
+ "defaultLanguage": "The default language mode that is assigned to new files. If configured to `${activeEditorLanguage}`, will use the language mode of the currently active text editor if any.",
+ "maxMemoryForLargeFilesMB": "Controls the memory available to VS Code after restart when trying to open large files. Has the same effect as specifying `--max-memory=NEWSIZE` on the command line.",
+ "askUser": "Will refuse to save and ask for resolving the save conflict manually.",
+ "overwriteFileOnDisk": "Will resolve the save conflict by overwriting the file on disk with the changes in the editor.",
+ "files.saveConflictResolution": "A save conflict can occur when a file is saved to disk that was changed by another program in the meantime. To prevent data loss, the user is asked to compare the changes in the editor with the version on disk. This setting should only be changed if you frequently encounter save conflict errors and may result in data loss if used without caution.",
+ "files.simpleDialog.enable": "Enables the simple file dialog. The simple file dialog replaces the system file dialog when enabled.",
+ "formatOnSave": "Format a file on save. A formatter must be available, the file must not be saved after delay, and the editor must not be shutting down.",
+ "explorerConfigurationTitle": "File Explorer",
+ "openEditorsVisible": "Number of editors shown in the Open Editors pane.",
+ "autoReveal": "Controls whether the explorer should automatically reveal and select files when opening them.",
+ "enableDragAndDrop": "Controls whether the explorer should allow to move files and folders via drag and drop.",
+ "confirmDragAndDrop": "Controls whether the explorer should ask for confirmation to move files and folders via drag and drop.",
+ "confirmDelete": "Controls whether the explorer should ask for confirmation when deleting a file via the trash.",
+ "sortOrder.default": "Files and folders are sorted by their names, in alphabetical order. Folders are displayed before files.",
+ "sortOrder.mixed": "Files and folders are sorted by their names, in alphabetical order. Files are interwoven with folders.",
+ "sortOrder.filesFirst": "Files and folders are sorted by their names, in alphabetical order. Files are displayed before folders.",
+ "sortOrder.type": "Files and folders are sorted by their extensions, in alphabetical order. Folders are displayed before files.",
+ "sortOrder.modified": "Files and folders are sorted by last modified date, in descending order. Folders are displayed before files.",
+ "sortOrder": "Controls sorting order of files and folders in the explorer.",
+ "explorer.decorations.colors": "Controls whether file decorations should use colours.",
+ "explorer.decorations.badges": "Controls whether file decorations should use badges.",
+ "simple": "Appends the word \"copy\" at the end of the duplicated name potentially followed by a number",
+ "smart": "Adds a number at the end of the duplicated name. If some number is already part of the name, tries to increase that number",
+ "explorer.incrementalNaming": "Controls what naming strategy to use when a giving a new name to a duplicated explorer item on paste.",
+ "compressSingleChildFolders": "Controls whether the explorer should render folders in a compact form. In such a form, single child folders will be compressed in a combined tree element. Useful for Java package structures, for example.",
+ "miViewExplorer": "&&Explorer"
+ },
+ "vs/workbench/contrib/files/browser/explorerViewlet": {
+ "folders": "Folders",
+ "explore": "Explorer",
+ "noWorkspaceHelp": "You have not yet added a folder to the workspace.\n[Add Folder](command:{0})",
+ "remoteNoFolderHelp": "Connected to remote.\n[Open Folder](command:{0})",
+ "noFolderHelp": "You have not yet opened a folder.\n[Open Folder](command:{0})"
+ },
+ "vs/workbench/contrib/files/browser/fileActions.contribution": {
+ "filesCategory": "File",
+ "workspaces": "Workspaces",
+ "file": "File",
+ "copyPath": "Copy Path",
+ "copyRelativePath": "Copy Relative Path",
+ "revealInSideBar": "Reveal in Side Bar",
+ "acceptLocalChanges": "Use your changes and overwrite file contents",
+ "revertLocalChanges": "Discard your changes and revert to file contents",
+ "copyPathOfActive": "Copy Path of Active File",
+ "copyRelativePathOfActive": "Copy Relative Path of Active File",
+ "saveAllInGroup": "Save All in Group",
+ "saveFiles": "Save All Files",
+ "revert": "Revert File",
+ "compareActiveWithSaved": "Compare Active File with Saved",
+ "closeEditor": "Close Editor",
+ "view": "View",
+ "openToSide": "Open to the Side",
+ "saveAll": "Save All",
+ "compareWithSaved": "Compare with Saved",
+ "compareWithSelected": "Compare with Selected",
+ "compareSource": "Select for Compare",
+ "compareSelected": "Compare Selected",
+ "close": "Close",
+ "closeOthers": "Close Others",
+ "closeSaved": "Close Saved",
+ "closeAll": "Close All",
+ "cut": "Cut",
+ "deleteFile": "Delete Permanently",
+ "newFile": "New File",
+ "openFile": "Open File...",
+ "miNewFile": "&&New File",
+ "miSave": "&&Save",
+ "miSaveAs": "Save &&As...",
+ "miSaveAll": "Save A&&ll",
+ "miOpen": "&&Open...",
+ "miOpenFile": "&&Open File...",
+ "miOpenFolder": "Open &&Folder...",
+ "miOpenWorkspace": "Open Wor&&kspace...",
+ "miAutoSave": "A&&uto Save",
+ "miRevert": "Re&&vert File",
+ "miCloseEditor": "&&Close Editor",
+ "miGotoFile": "Go to &&File..."
+ },
+ "vs/workbench/contrib/files/browser/editors/textFileEditor": {
+ "textFileEditor": "Text File Editor",
+ "openFolderError": "File is a directory",
+ "createFile": "Create File",
+ "readonlyFileEditorWithInputAriaLabel": "{0} readonly editor",
+ "readonlyFileEditorAriaLabel": "Readonly editor",
+ "fileEditorWithInputAriaLabel": "{0} editor",
+ "fileEditorAriaLabel": "Editor"
+ },
+ "vs/workbench/contrib/files/common/workspaceWatcher": {
+ "netVersionError": "The Microsoft .NET Framework 4.5 is required. Please follow the link to install it.",
+ "installNet": "Download .NET Framework 4.5",
+ "enospcError": "Unable to watch for file changes in this large workspace. Please follow the instructions link to resolve this issue.",
+ "learnMore": "Instructions"
+ },
+ "vs/workbench/contrib/files/browser/editors/binaryFileEditor": {
+ "binaryFileEditor": "Binary File Viewer"
+ },
+ "vs/workbench/contrib/files/common/dirtyFilesIndicator": {
+ "dirtyFile": "1 unsaved file",
+ "dirtyFiles": "{0} unsaved files"
+ },
+ "vs/workbench/contrib/files/browser/views/emptyView": {
+ "noWorkspace": "No Folder Opened"
+ },
+ "vs/workbench/contrib/files/browser/editors/textFileSaveErrorHandler": {
+ "userGuide": "Use the actions in the editor tool bar to either undo your changes or overwrite the content of the file with your changes.",
+ "staleSaveError": "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.",
+ "retry": "Retry",
+ "discard": "Discard",
+ "readonlySaveErrorAdmin": "Failed to save '{0}': File is read-only. Select 'Overwrite as Admin' to retry as administrator.",
+ "readonlySaveErrorSudo": "Failed to save '{0}': File is read-only. Select 'Overwrite as Sudo' to retry as superuser.",
+ "readonlySaveError": "Failed to save '{0}': File is read-only. Select 'Overwrite' to attempt to make it writeable.",
+ "permissionDeniedSaveError": "Failed to save '{0}': Insufficient permissions. Select 'Retry as Admin' to retry as administrator.",
+ "permissionDeniedSaveErrorSudo": "Failed to save '{0}': Insufficient permissions. Select 'Retry as Sudo' to retry as superuser.",
+ "genericSaveError": "Failed to save '{0}': {1}",
+ "learnMore": "Learn More",
+ "dontShowAgain": "Don't Show Again",
+ "compareChanges": "Compare",
+ "saveConflictDiffLabel": "{0} (in file) ↔ {1} (in {2}) - Resolve save conflict",
+ "overwriteElevated": "Overwrite as Admin...",
+ "overwriteElevatedSudo": "Overwrite as Sudo...",
+ "saveElevated": "Retry as Admin...",
+ "saveElevatedSudo": "Retry as Sudo...",
+ "overwrite": "Overwrite",
+ "configure": "Configure"
+ },
+ "vs/workbench/contrib/files/browser/views/explorerView": {
+ "explorerSection": "Explorer Section: {0}",
+ "treeAriaLabel": "Files Explorer"
+ },
+ "vs/workbench/contrib/files/browser/views/openEditorsView": {
+ "openEditors": "Open Editors",
+ "dirtyCounter": "{0} unsaved"
+ },
+ "vs/workbench/contrib/files/browser/fileCommands": {
+ "saveAs": "Save As...",
+ "save": "Save",
+ "saveWithoutFormatting": "Save without Formatting",
+ "saveAll": "Save All",
+ "removeFolderFromWorkspace": "Remove Folder from Workspace",
+ "modifiedLabel": "{0} (in file) ↔ {1}",
+ "openFileToCopy": "Open a file first to copy its path",
+ "genericSaveError": "Failed to save '{0}': {1}",
+ "genericRevertError": "Failed to revert '{0}': {1}"
+ },
+ "vs/workbench/contrib/files/browser/fileActions": {
+ "newFile": "New File",
+ "newFolder": "New Folder",
+ "rename": "Rename",
+ "delete": "Delete",
+ "copyFile": "Copy",
+ "pasteFile": "Paste",
+ "download": "Download",
+ "createNewFile": "New File",
+ "createNewFolder": "New Folder",
+ "newUntitledFile": "New Untitled File",
+ "deleteButtonLabelRecycleBin": "&&Move to Recycle Bin",
+ "deleteButtonLabelTrash": "&&Move to Trash",
+ "deleteButtonLabel": "&&Delete",
+ "dirtyMessageFilesDelete": "You are deleting files with unsaved changes. Do you want to continue?",
+ "dirtyMessageFolderOneDelete": "You are deleting a folder {0} with unsaved changes in 1 file. Do you want to continue?",
+ "dirtyMessageFolderDelete": "You are deleting a folder {0} with unsaved changes in {1} files. Do you want to continue?",
+ "dirtyMessageFileDelete": "You are deleting {0} with unsaved changes. Do you want to continue?",
+ "dirtyWarning": "Your changes will be lost if you don't save them.",
+ "undoBinFiles": "You can restore these files from the Recycle Bin.",
+ "undoBin": "You can restore this file from the Recycle Bin.",
+ "undoTrashFiles": "You can restore these files from the Trash.",
+ "undoTrash": "You can restore this file from the Trash.",
+ "doNotAskAgain": "Do not ask me again",
+ "irreversible": "This action is irreversible!",
+ "binFailed": "Failed to delete using the Recycle Bin. Do you want to permanently delete instead?",
+ "trashFailed": "Failed to delete using the Trash. Do you want to permanently delete instead?",
+ "deletePermanentlyButtonLabel": "&&Delete Permanently",
+ "retryButtonLabel": "&&Retry",
+ "confirmMoveTrashMessageFilesAndDirectories": "Are you sure you want to delete the following {0} files/directories and their contents?",
+ "confirmMoveTrashMessageMultipleDirectories": "Are you sure you want to delete the following {0} directories and their contents?",
+ "confirmMoveTrashMessageMultiple": "Are you sure you want to delete the following {0} files?",
+ "confirmMoveTrashMessageFolder": "Are you sure you want to delete '{0}' and its contents?",
+ "confirmMoveTrashMessageFile": "Are you sure you want to delete '{0}'?",
+ "confirmDeleteMessageFilesAndDirectories": "Are you sure you want to permanently delete the following {0} files/directories and their contents?",
+ "confirmDeleteMessageMultipleDirectories": "Are you sure you want to permanently delete the following {0} directories and their contents?",
+ "confirmDeleteMessageMultiple": "Are you sure you want to permanently delete the following {0} files?",
+ "confirmDeleteMessageFolder": "Are you sure you want to permanently delete '{0}' and its contents?",
+ "confirmDeleteMessageFile": "Are you sure you want to permanently delete '{0}'?",
+ "globalCompareFile": "Compare Active File With...",
+ "openFileToCompare": "Open a file first to compare it with another file.",
+ "toggleAutoSave": "Toggle Auto Save",
+ "saveAllInGroup": "Save All in Group",
+ "closeGroup": "Close Group",
+ "focusFilesExplorer": "Focus on Files Explorer",
+ "showInExplorer": "Reveal Active File in Side Bar",
+ "openFileToShow": "Open a file first to show it in the explorer",
+ "collapseExplorerFolders": "Collapse Folders in Explorer",
+ "refreshExplorer": "Refresh Explorer",
+ "openFileInNewWindow": "Open Active File in New Window",
+ "openFileToShowInNewWindow.unsupportedschema": "The active editor must contain an openable resource.",
+ "openFileToShowInNewWindow.nofile": "Open a file first to open in new window",
+ "emptyFileNameError": "A file or folder name must be provided.",
+ "fileNameStartsWithSlashError": "A file or folder name cannot start with a slash.",
+ "fileNameExistsError": "A file or folder **{0}** already exists at this location. Please choose a different name.",
+ "invalidFileNameError": "The name **{0}** is not valid as a file or folder name. Please choose a different name.",
+ "fileNameWhitespaceWarning": "Leading or trailing whitespace detected in file or folder name.",
+ "compareWithClipboard": "Compare Active File with Clipboard",
+ "clipboardComparisonLabel": "Clipboard ↔ {0}",
+ "retry": "Retry",
+ "downloadFolder": "Download Folder",
+ "downloadFile": "Download File",
+ "fileIsAncestor": "File to paste is an ancestor of the destination folder",
+ "fileDeleted": "The file to paste has been deleted or moved since you copied it. {0}"
+ },
+ "vs/workbench/contrib/files/browser/views/explorerDecorationsProvider": {
+ "canNotResolve": "Unable to resolve workspace folder",
+ "symbolicLlink": "Symbolic Link",
+ "unknown": "Unknown File Type",
+ "label": "Explorer"
+ },
+ "vs/workbench/contrib/files/browser/views/explorerViewer": {
+ "fileInputAriaLabel": "Type file name. Press Enter to confirm or Escape to cancel.",
+ "confirmOverwrite": "A file or folder with the name '{0}' already exists in the destination folder. Do you want to replace it?",
+ "irreversible": "This action is irreversible!",
+ "replaceButtonLabel": "&&Replace",
+ "copyFolders": "&&Copy Folders",
+ "copyFolder": "&&Copy Folder",
+ "cancel": "Cancel",
+ "copyfolders": "Are you sure to want to copy folders?",
+ "copyfolder": "Are you sure to want to copy '{0}'?",
+ "addFolders": "&&Add Folders to Workspace",
+ "addFolder": "&&Add Folder to Workspace",
+ "dropFolders": "Do you want to copy, or add, the folders to the workspace?",
+ "dropFolder": "Do you want to copy '{0}' or add '{0}' as a folder to the workspace?",
+ "confirmRootsMove": "Are you sure you want to change the order of multiple root folders in your workspace?",
+ "confirmMultiMove": "Are you sure you want to move the following {0} files into '{1}'?",
+ "confirmRootMove": "Are you sure you want to change the order of root folder '{0}' in your workspace?",
+ "confirmMove": "Are you sure you want to move '{0}' into '{1}'?",
+ "doNotAskAgain": "Do not ask me again",
+ "moveButtonLabel": "&&Move"
+ },
+ "vs/workbench/contrib/format/browser/formatActionsNone": {
+ "formatDocument.label.multiple": "Format Document",
+ "no.provider": "There is no formatter for '{0}' files installed.",
+ "install.formatter": "Install Formatter..."
+ },
+ "vs/workbench/contrib/format/browser/formatActionsMultiple": {
+ "nullFormatterDescription": "None",
+ "miss": "Extension '{0}' cannot format '{1}'",
+ "config.needed": "There are multiple formatters for '{0}' files. Select a default formatter to continue.",
+ "config.bad": "Extension '{0}' is configured as formatter but not available. Select a different default formatter to continue.",
+ "do.config": "Configure...",
+ "select": "Select a default formatter for '{0}' files",
+ "formatter.default": "Defines a default formatter which takes precedence over all other formatter settings. Must be the identifier of an extension contributing a formatter.",
+ "def": "(default)",
+ "config": "Configure Default Formatter...",
+ "format.placeHolder": "Select a formatter",
+ "formatDocument.label.multiple": "Format Document With...",
+ "formatSelection.label.multiple": "Format Selection With..."
+ },
+ "vs/workbench/contrib/issue/electron-browser/issue.contribution": {
+ "help": "Help",
+ "reportIssueInEnglish": "Report Issue",
+ "developer": "Developer"
+ },
+ "vs/workbench/contrib/issue/electron-browser/issueActions": {
+ "openProcessExplorer": "Open Process Explorer",
+ "reportPerformanceIssue": "Report Performance Issue"
+ },
+ "vs/workbench/contrib/localizations/browser/localizations.contribution": {
+ "updateLocale": "Would you like to change VS Code's UI language to {0} and restart?",
+ "activateLanguagePack": "In order to use VS Code in {0}, VS Code needs to restart.",
+ "yes": "Yes",
+ "restart now": "Restart Now",
+ "neverAgain": "Don't Show Again",
+ "vscode.extension.contributes.localizations": "Contributes localizations to the editor",
+ "vscode.extension.contributes.localizations.languageId": "Id of the language into which the display strings are translated.",
+ "vscode.extension.contributes.localizations.languageName": "Name of the language in English.",
+ "vscode.extension.contributes.localizations.languageNameLocalized": "Name of the language in contributed language.",
+ "vscode.extension.contributes.localizations.translations": "List of translations associated to the language.",
+ "vscode.extension.contributes.localizations.translations.id": "Id of VS Code or Extension for which this translation is contributed to. Id of VS Code is always `vscode` and of extension should be in format `publisherId.extensionName`.",
+ "vscode.extension.contributes.localizations.translations.id.pattern": "Id should be `vscode` or in format `publisherId.extensionName` for translating VS code or an extension respectively.",
+ "vscode.extension.contributes.localizations.translations.path": "A relative path to a file containing translations for the language."
+ },
+ "vs/workbench/contrib/localizations/browser/localizationsActions": {
+ "configureLocale": "Configure Display Language",
+ "installAdditionalLanguages": "Install additional languages...",
+ "chooseDisplayLanguage": "Select Display Language",
+ "relaunchDisplayLanguageMessage": "A restart is required for the change in display language to take effect.",
+ "relaunchDisplayLanguageDetail": "Press the restart button to restart {0} and change the display language.",
+ "restart": "&&Restart"
+ },
+ "vs/workbench/contrib/localizations/browser/minimalTranslations": {
+ "showLanguagePackExtensions": "Search language packs in the Marketplace to change the display language to {0}.",
+ "searchMarketplace": "Search Marketplace",
+ "installAndRestartMessage": "Install language pack to change the display language to {0}.",
+ "installAndRestart": "Install and Restart"
+ },
+ "vs/workbench/contrib/logs/electron-browser/logs.contribution": {
+ "developer": "Developer"
+ },
+ "vs/workbench/contrib/logs/electron-browser/logsActions": {
+ "openLogsFolder": "Open Logs Folder",
+ "openExtensionLogsFolder": "Open Extension Logs Folder"
+ },
+ "vs/workbench/contrib/logs/common/logs.contribution": {
+ "developer": "Developer",
+ "userDataSyncLog": "Preferences Sync",
+ "rendererLog": "Window",
+ "mainLog": "Main",
+ "sharedLog": "Shared",
+ "telemetryLog": "Telemetry"
+ },
+ "vs/workbench/contrib/logs/common/logsActions": {
+ "setLogLevel": "Set Log Level...",
+ "trace": "Trace",
+ "debug": "Debug",
+ "info": "Info",
+ "warn": "Warning",
+ "err": "Error",
+ "critical": "Critical",
+ "off": "Off",
+ "selectLogLevel": "Select log level",
+ "default and current": "Default & Current",
+ "default": "Default",
+ "current": "Current",
+ "openSessionLogFile": "Open Window Log File (Session)...",
+ "sessions placeholder": "Select Session",
+ "log placeholder": "Select Log file"
+ },
+ "vs/workbench/contrib/markers/browser/markers.contribution": {
+ "copyMarker": "Copy",
+ "copyMessage": "Copy Message",
+ "focusProblemsList": "Focus problems view",
+ "focusProblemsFilter": "Focus problems filter",
+ "show multiline": "Show message in multiple lines",
+ "problems": "Problems",
+ "show singleline": "Show message in single line",
+ "clearFiltersText": "Clear filters text",
+ "miMarker": "&&Problems",
+ "status.problems": "Problems",
+ "totalErrors": "{0} Errors",
+ "totalWarnings": "{0} Warnings",
+ "totalInfos": "{0} Infos",
+ "noProblems": "No Problems",
+ "manyProblems": "10K+"
+ },
+ "vs/workbench/contrib/markers/browser/markers": {
+ "totalProblems": "Total {0} Problems"
+ },
+ "vs/workbench/contrib/markers/browser/messages": {
+ "viewCategory": "View",
+ "problems.view.toggle.label": "Toggle Problems (Errors, Warnings, Infos)",
+ "problems.view.focus.label": "Focus Problems (Errors, Warnings, Infos)",
+ "problems.panel.configuration.title": "Problems View",
+ "problems.panel.configuration.autoreveal": "Controls whether Problems view should automatically reveal files when opening them.",
+ "problems.panel.configuration.showCurrentInStatus": "When enabled shows the current problem in the status bar.",
+ "markers.panel.title.problems": "Problems",
+ "markers.panel.no.problems.build": "No problems have been detected in the workspace so far.",
+ "markers.panel.no.problems.activeFile.build": "No problems have been detected in the current file so far.",
+ "markers.panel.no.problems.filters": "No results found with provided filter criteria.",
+ "markers.panel.action.moreFilters": "More Filters...",
+ "markers.panel.filter.showErrors": "Show Errors",
+ "markers.panel.filter.showWarnings": "Show Warnings",
+ "markers.panel.filter.showInfos": "Show Information",
+ "markers.panel.filter.useFilesExclude": "Hide Excluded Files",
+ "markers.panel.filter.activeFile": "Show Active File Only",
+ "markers.panel.action.filter": "Filter Problems",
+ "markers.panel.action.quickfix": "Show Fixes",
+ "markers.panel.filter.ariaLabel": "Filter Problems",
+ "markers.panel.filter.placeholder": "Filter. E.g.: text, **/*.ts, !**/node_modules/**",
+ "markers.panel.filter.errors": "errors",
+ "markers.panel.filter.warnings": "warnings",
+ "markers.panel.filter.infos": "infos",
+ "markers.panel.single.error.label": "1 Error",
+ "markers.panel.multiple.errors.label": "{0} Errors",
+ "markers.panel.single.warning.label": "1 Warning",
+ "markers.panel.multiple.warnings.label": "{0} Warnings",
+ "markers.panel.single.info.label": "1 Info",
+ "markers.panel.multiple.infos.label": "{0} Infos",
+ "markers.panel.single.unknown.label": "1 Unknown",
+ "markers.panel.multiple.unknowns.label": "{0} Unknowns",
+ "markers.panel.at.ln.col.number": "[{0}, {1}]",
+ "problems.tree.aria.label.resource": "{0} problems in file {1} of folder {2}",
+ "problems.tree.aria.label.marker.relatedInformation": " This problem has references to {0} locations.",
+ "problems.tree.aria.label.error.marker": "Error generated by {0}: {1} at line {2} and character {3}.{4}",
+ "problems.tree.aria.label.error.marker.nosource": "Error: {0} at line {1} and character {2}.{3}",
+ "problems.tree.aria.label.warning.marker": "Warning generated by {0}: {1} at line {2} and character {3}.{4}",
+ "problems.tree.aria.label.warning.marker.nosource": "Warning: {0} at line {1} and character {2}.{3}",
+ "problems.tree.aria.label.info.marker": "Info generated by {0}: {1} at line {2} and character {3}.{4}",
+ "problems.tree.aria.label.info.marker.nosource": "Info: {0} at line {1} and character {2}.{3}",
+ "problems.tree.aria.label.marker": "Problem generated by {0}: {1} at line {2} and character {3}.{4}",
+ "problems.tree.aria.label.marker.nosource": "Problem: {0} at line {1} and character {2}.{3}",
+ "problems.tree.aria.label.relatedinfo.message": "{0} at line {1} and character {2} in {3}",
+ "errors.warnings.show.label": "Show Errors and Warnings"
+ },
+ "vs/workbench/contrib/markers/browser/markersFileDecorations": {
+ "label": "Problems",
+ "tooltip.1": "1 problem in this file",
+ "tooltip.N": "{0} problems in this file",
+ "markers.showOnFile": "Show Errors & Warnings on files and folder."
+ },
+ "vs/workbench/contrib/markers/browser/markersViewActions": {
+ "showing filtered problems": "Showing {0} of {1}"
+ },
+ "vs/workbench/contrib/markers/browser/markersView": {
+ "collapseAll": "Collapse All",
+ "filter": "Filter",
+ "No problems filtered": "Showing {0} problems",
+ "problems filtered": "Showing {0} of {1} problems",
+ "clearFilter": "Clear Filters"
+ },
+ "vs/workbench/contrib/markers/browser/markersTreeViewer": {
+ "single line": "Show message in single line",
+ "multi line": "Show message in multiple lines",
+ "links.navigate.follow": "Follow link",
+ "links.navigate.kb.meta": "ctrl + click",
+ "links.navigate.kb.meta.mac": "cmd + click",
+ "links.navigate.kb.alt.mac": "option + click",
+ "links.navigate.kb.alt": "alt + click"
+ },
+ "vs/workbench/contrib/notebook/browser/notebook.contribution": {
+ "notebookConfigurationTitle": "Notebook",
+ "notebook.displayOrder.description": "Priority list for output mime types"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/notebookActions": {
+ "notebookActions.category": "Notebook",
+ "notebookActions.execute": "Execute Cell",
+ "notebookActions.cancel": "Stop Execution",
+ "notebookActions.executeCell": "Execute Cell",
+ "notebookActions.CancelCell": "Cancel Execution",
+ "notebookActions.executeAndSelectBelow": "Execute Notebook Cell and Select Below",
+ "notebookActions.executeAndInsertBelow": "Execute Notebook Cell and Insert Below",
+ "notebookActions.executeNotebook": "Execute Notebook",
+ "notebookActions.cancelNotebook": "Cancel Notebook Execution",
+ "notebookActions.executeNotebookCell": "Execute Notebook Active Cell",
+ "notebookActions.quitEditing": "Quit Notebook Cell Editing",
+ "notebookActions.hideFind": "Hide Find in Notebook",
+ "notebookActions.findInNotebook": "Find in Notebook",
+ "notebookActions.menu.executeNotebook": "Execute Notebook (Run all cells)",
+ "notebookActions.menu.cancelNotebook": "Stop Notebook Execution",
+ "notebookActions.menu.execute": "Execute Notebook Cell",
+ "notebookActions.changeCellToCode": "Change Cell to Code",
+ "notebookActions.changeCellToMarkdown": "Change Cell to Markdown",
+ "notebookActions.insertCodeCellAbove": "Insert Code Cell Above",
+ "notebookActions.insertCodeCellBelow": "Insert Code Cell Below",
+ "notebookActions.insertMarkdownCellBelow": "Insert Markdown Cell Below",
+ "notebookActions.insertMarkdownCellAbove": "Insert Markdown Cell Above",
+ "notebookActions.editCell": "Edit Cell",
+ "notebookActions.saveCell": "Save Cell",
+ "notebookActions.deleteCell": "Delete Cell",
+ "notebookActions.moveCellUp": "Move Cell Up",
+ "notebookActions.copyCellUp": "Copy Cell Up",
+ "notebookActions.moveCellDown": "Move Cell Down",
+ "notebookActions.copyCellDown": "Copy Cell Down"
+ },
+ "vs/workbench/contrib/notebook/browser/notebookEditor": {
+ "notebook.focusedCellIndicator": "The color of the focused notebook cell indicator.",
+ "notebook.outputContainerBackgroundColor": "The Color of the notebook output container background.",
+ "cellToolbarSeperator": "The color of seperator in Cell bottom toolbar"
+ },
+ "vs/workbench/contrib/notebook/browser/extensionPoint": {
+ "contributes.notebook.provider": "Contributes notebook document provider.",
+ "contributes.notebook.provider.viewType": "Unique identifier of the notebook.",
+ "contributes.notebook.provider.displayName": "Human readable name of the notebook.",
+ "contributes.notebook.provider.selector": "Set of globs that the notebook is for.",
+ "contributes.notebook.provider.selector.filenamePattern": "Glob that the notebook is enabled for.",
+ "contributes.notebook.selector.provider.excludeFileNamePattern": "Glob that the notebook is disabled for.",
+ "contributes.notebook.renderer": "Contributes notebook output renderer provider.",
+ "contributes.notebook.renderer.viewType": "Unique identifier of the notebook output renderer.",
+ "contributes.notebook.renderer.displayName": "Human readable name of the notebook output renderer.",
+ "contributes.notebook.selector": "Set of globs that the notebook is for."
+ },
+ "vs/workbench/contrib/notebook/browser/view/renderers/codeCell": {
+ "curruentActiveMimeType": " (Currently Active)",
+ "promptChooseMimeType.placeHolder": "Select output mimetype to render for current output"
+ },
+ "vs/workbench/contrib/outline/browser/outline.contribution": {
+ "name": "Outline",
+ "outlineConfigurationTitle": "Outline",
+ "outline.showIcons": "Render Outline Elements with Icons.",
+ "outline.showProblem": "Show Errors & Warnings on Outline Elements.",
+ "outline.problem.colors": "Use colors for Errors & Warnings.",
+ "outline.problems.badges": "Use badges for Errors & Warnings.",
+ "filteredTypes.file": "When enabled outline shows `file`-symbols.",
+ "filteredTypes.module": "When enabled outline shows `module`-symbols.",
+ "filteredTypes.namespace": "When enabled outline shows `namespace`-symbols.",
+ "filteredTypes.package": "When enabled outline shows `package`-symbols.",
+ "filteredTypes.class": "When enabled outline shows `class`-symbols.",
+ "filteredTypes.method": "When enabled outline shows `method`-symbols.",
+ "filteredTypes.property": "When enabled outline shows `property`-symbols.",
+ "filteredTypes.field": "When enabled outline shows `field`-symbols.",
+ "filteredTypes.constructor": "When enabled outline shows `constructor`-symbols.",
+ "filteredTypes.enum": "When enabled outline shows `enum`-symbols.",
+ "filteredTypes.interface": "When enabled outline shows `interface`-symbols.",
+ "filteredTypes.function": "When enabled outline shows `function`-symbols.",
+ "filteredTypes.variable": "When enabled outline shows `variable`-symbols.",
+ "filteredTypes.constant": "When enabled outline shows `constant`-symbols.",
+ "filteredTypes.string": "When enabled outline shows `string`-symbols.",
+ "filteredTypes.number": "When enabled outline shows `number`-symbols.",
+ "filteredTypes.boolean": "When enabled outline shows `boolean`-symbols.",
+ "filteredTypes.array": "When enabled outline shows `array`-symbols.",
+ "filteredTypes.object": "When enabled outline shows `object`-symbols.",
+ "filteredTypes.key": "When enabled outline shows `key`-symbols.",
+ "filteredTypes.null": "When enabled outline shows `null`-symbols.",
+ "filteredTypes.enumMember": "When enabled outline shows `enumMember`-symbols.",
+ "filteredTypes.struct": "When enabled outline shows `struct`-symbols.",
+ "filteredTypes.event": "When enabled outline shows `event`-symbols.",
+ "filteredTypes.operator": "When enabled outline shows `operator`-symbols.",
+ "filteredTypes.typeParameter": "When enabled outline shows `typeParameter`-symbols."
+ },
+ "vs/workbench/contrib/outline/browser/outlinePane": {
+ "collapse": "Collapse All",
+ "sortByPosition": "Sort By: Position",
+ "sortByName": "Sort By: Name",
+ "sortByKind": "Sort By: Category",
+ "followCur": "Follow Cursor",
+ "filterOnType": "Filter on Type",
+ "no-editor": "The active editor cannot provide outline information.",
+ "loading": "Loading document symbols for '{0}'...",
+ "no-symbols": "No symbols found in document '{0}'"
+ },
+ "vs/workbench/contrib/output/browser/output.contribution": {
+ "output": "Output",
+ "logViewer": "Log Viewer",
+ "switchToOutput.label": "Switch to Output",
+ "clearOutput.label": "Clear Output",
+ "viewCategory": "View",
+ "outputCleared": "Output was cleared",
+ "toggleAutoScroll": "Toggle Auto Scrolling",
+ "outputScrollOff": "Turn Auto Scrolling Off",
+ "outputScrollOn": "Turn Auto Scrolling On",
+ "openActiveLogOutputFile": "Open Log Output File",
+ "toggleOutput": "Toggle Output",
+ "developer": "Developer",
+ "showLogs": "Show Logs...",
+ "selectlog": "Select Log",
+ "openLogFile": "Open Log File...",
+ "selectlogFile": "Select Log file",
+ "miToggleOutput": "&&Output",
+ "output.smartScroll.enabled": "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/output/browser/outputView": {
+ "output model title": "{0} - Output",
+ "channel": "Output channel for '{0}'",
+ "output": "Output",
+ "outputViewWithInputAriaLabel": "{0}, Output panel",
+ "outputViewAriaLabel": "Output panel",
+ "outputChannels": "Output Channels.",
+ "logChannel": "Log ({0})"
+ },
+ "vs/workbench/contrib/output/browser/logViewer": {
+ "logViewerAriaLabel": "Log Viewer"
+ },
+ "vs/workbench/contrib/performance/electron-browser/performance.contribution": {
+ "show.cat": "Developer",
+ "show.label": "Startup Performance"
+ },
+ "vs/workbench/contrib/performance/electron-browser/startupProfiler": {
+ "prof.message": "Successfully created profiles.",
+ "prof.detail": "Please create an issue and manually attach the following files:\n{0}",
+ "prof.restartAndFileIssue": "Create Issue and Restart",
+ "prof.restart": "Restart",
+ "prof.thanks": "Thanks for helping us.",
+ "prof.detail.restart": "A final restart is required to continue to use '{0}'. Again, thank you for your contribution."
+ },
+ "vs/workbench/contrib/performance/electron-browser/perfviewEditor": {
+ "name": "Startup Performance"
+ },
+ "vs/workbench/contrib/preferences/browser/keybindingsEditorContribution": {
+ "defineKeybinding.start": "Define Keybinding",
+ "defineKeybinding.kbLayoutErrorMessage": "You won't be able to produce this key combination under your current keyboard layout.",
+ "defineKeybinding.kbLayoutLocalAndUSMessage": "**{0}** for your current keyboard layout (**{1}** for US standard).",
+ "defineKeybinding.kbLayoutLocalMessage": "**{0}** for your current keyboard layout."
+ },
+ "vs/workbench/contrib/preferences/browser/preferences.contribution": {
+ "defaultPreferencesEditor": "Default Preferences Editor",
+ "settingsEditor2": "Settings Editor 2",
+ "keybindingsEditor": "Keybindings Editor",
+ "openSettings2": "Open Settings (UI)",
+ "preferences": "Preferences",
+ "settings": "Settings",
+ "miOpenSettings": "&&Settings",
+ "openSettingsJson": "Open Settings (JSON)",
+ "openGlobalSettings": "Open User Settings",
+ "openRawDefaultSettings": "Open Default Settings (JSON)",
+ "openWorkspaceSettings": "Open Workspace Settings",
+ "openWorkspaceSettingsFile": "Open Workspace Settings (JSON)",
+ "openFolderSettings": "Open Folder Settings",
+ "openFolderSettingsFile": "Open Folder Settings (JSON)",
+ "filterModifiedLabel": "Show modified settings",
+ "filterOnlineServicesLabel": "Show settings for online services",
+ "miOpenOnlineSettings": "&&Online Services Settings",
+ "onlineServices": "Online Services Settings",
+ "openRemoteSettings": "Open Remote Settings ({0})",
+ "settings.focusSearch": "Focus settings search",
+ "settings.clearResults": "Clear settings search results",
+ "settings.focusFile": "Focus settings file",
+ "settings.focusNextSetting": "Focus next setting",
+ "settings.focusPreviousSetting": "Focus previous setting",
+ "settings.editFocusedSetting": "Edit focused setting",
+ "settings.focusSettingsList": "Focus settings list",
+ "settings.focusSettingsTOC": "Focus settings TOC tree",
+ "settings.showContextMenu": "Show context menu",
+ "openGlobalKeybindings": "Open Keyboard Shortcuts",
+ "Keyboard Shortcuts": "Keyboard Shortcuts",
+ "openDefaultKeybindingsFile": "Open Default Keyboard Shortcuts (JSON)",
+ "openGlobalKeybindingsFile": "Open Keyboard Shortcuts (JSON)",
+ "showDefaultKeybindings": "Show Default Keybindings",
+ "showUserKeybindings": "Show User Keybindings",
+ "clear": "Clear Search Results",
+ "miPreferences": "&&Preferences"
+ },
+ "vs/workbench/contrib/preferences/browser/keybindingWidgets": {
+ "defineKeybinding.initial": "Press desired key combination and then press ENTER.",
+ "defineKeybinding.oneExists": "1 existing command has this keybinding",
+ "defineKeybinding.existing": "{0} existing commands have this keybinding",
+ "defineKeybinding.chordsTo": "chord to"
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesActions": {
+ "configureLanguageBasedSettings": "Configure Language Specific Settings...",
+ "languageDescriptionConfigured": "({0})",
+ "pickLanguage": "Select Language"
+ },
+ "vs/workbench/contrib/preferences/common/preferencesContribution": {
+ "enableNaturalLanguageSettingsSearch": "Controls whether to enable the natural language search mode for settings. The natural language search is provided by a Microsoft online service.",
+ "settingsSearchTocBehavior.hide": "Hide the Table of Contents while searching.",
+ "settingsSearchTocBehavior.filter": "Filter the Table of Contents to just categories that have matching settings. Clicking a category will filter the results to that category.",
+ "settingsSearchTocBehavior": "Controls the behaviour of the settings editor Table of Contents while searching."
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesWidgets": {
+ "defaultSettings": "Place your settings in the right hand side editor to override.",
+ "noSettingsFound": "No Settings Found.",
+ "settingsSwitcherBarAriaLabel": "Settings Switcher",
+ "userSettings": "User",
+ "userSettingsRemote": "Remote",
+ "workspaceSettings": "workspace",
+ "folderSettings": "Folder"
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesEditor": {
+ "SearchSettingsWidget.AriaLabel": "Search settings",
+ "SearchSettingsWidget.Placeholder": "Search settings",
+ "noSettingsFound": "No Settings Found",
+ "oneSettingFound": "1 Setting Found",
+ "settingsFound": "{0} Settings Found",
+ "totalSettingsMessage": "Total {0} Settings",
+ "nlpResult": "Natural Language Results",
+ "filterResult": "Filtered Results",
+ "defaultSettings": "Default Settings",
+ "defaultUserSettings": "Default User Settings",
+ "defaultWorkspaceSettings": "Default Workspace Settings",
+ "defaultFolderSettings": "Default Folder Settings",
+ "defaultEditorReadonly": "Edit in the right hand side editor to override defaults.",
+ "preferencesAriaLabel": "Default preferences. Readonly editor."
+ },
+ "vs/workbench/contrib/preferences/browser/keybindingsEditor": {
+ "recordKeysLabel": "Record Keys",
+ "recordKeysLabelWithKeybinding": "{0} ({1})",
+ "sortByPrecedeneLabel": "Sort by Precedence",
+ "sortByPrecedeneLabelWithKeybinding": "{0} ({1})",
+ "SearchKeybindings.FullTextSearchPlaceholder": "Type to search in keybindings",
+ "SearchKeybindings.KeybindingsSearchPlaceholder": "Recording Keys. Press Escape to exit",
+ "clearInput": "Clear Keybindings Search Input",
+ "recording": "Recording Keys",
+ "command": "Command",
+ "keybinding": "Keybinding",
+ "when": "When",
+ "source": "Source",
+ "keybindingsLabel": "Keybindings",
+ "show sorted keybindings": "Showing {0} Keybindings in precedence order",
+ "show keybindings": "Showing {0} Keybindings in alphabetical order",
+ "changeLabel": "Change Keybinding",
+ "addLabel": "Add Keybinding",
+ "editWhen": "Change When Expression",
+ "removeLabel": "Remove Keybinding",
+ "resetLabel": "Reset Keybinding",
+ "showSameKeybindings": "Show Same Keybindings",
+ "copyLabel": "Copy",
+ "copyCommandLabel": "Copy Command ID",
+ "error": "Error '{0}' while editing the keybinding. Please open 'keybindings.json' file and check for errors.",
+ "editKeybindingLabelWithKey": "Change Keybinding {0}",
+ "editKeybindingLabel": "Change Keybinding",
+ "addKeybindingLabelWithKey": "Add Keybinding {0}",
+ "addKeybindingLabel": "Add Keybinding",
+ "title": "{0} ({1})",
+ "keybindingAriaLabel": "Keybinding is {0}.",
+ "noKeybinding": "No Keybinding assigned.",
+ "sourceAriaLabel": "Source is {0}.",
+ "whenContextInputAriaLabel": "Type when context. Press Enter to confirm or Escape to cancel.",
+ "whenAriaLabel": "When is {0}.",
+ "noWhen": "No when context."
+ },
+ "vs/workbench/contrib/preferences/browser/settingsEditor2": {
+ "settingsContextMenuAriaShortcut": "For more actions, Press {0}.",
+ "clearInput": "Clear Settings Search Input",
+ "SearchSettings.AriaLabel": "Search settings",
+ "noResults": "No Settings Found",
+ "clearSearchFilters": "Clear Filters",
+ "settingsNoSaveNeeded": "Your changes are automatically saved as you edit.",
+ "oneResult": "1 Setting Found",
+ "moreThanOneResult": "{0} Settings Found",
+ "turnOnSyncButton": "Turn on Preferences Sync",
+ "lastSyncedLabel": "Last synced: {0}"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsLayout": {
+ "commonlyUsed": "Commonly Used",
+ "textEditor": "Text Editor",
+ "cursor": "Cursor",
+ "find": "Find",
+ "font": "Font",
+ "formatting": "Formatting",
+ "diffEditor": "Diff Editor",
+ "minimap": "Minimap",
+ "suggestions": "Suggestions",
+ "files": "files",
+ "workbench": "Workbench",
+ "appearance": "Appearance",
+ "breadcrumbs": "Breadcrumbs",
+ "editorManagement": "Editor Management",
+ "settings": "Settings Editor",
+ "zenMode": "Zen Mode",
+ "screencastMode": "Screencast Mode",
+ "window": "Window",
+ "newWindow": "New Window",
+ "features": "Features",
+ "fileExplorer": "Explorer",
+ "search": "Search",
+ "debug": "Debug",
+ "scm": "SCM",
+ "extensions": "Extensions",
+ "terminal": "Terminal",
+ "task": "Task",
+ "problems": "Problems",
+ "output": "Output",
+ "comments": "Comments",
+ "remote": "Remote",
+ "timeline": "Timeline",
+ "application": "Application",
+ "proxy": "Proxy",
+ "keyboard": "Keyboard",
+ "update": "Update",
+ "telemetry": "Telemetry",
+ "sync": "Sync"
+ },
+ "vs/workbench/contrib/preferences/browser/tocTree": {
+ "groupRowAriaLabel": "{0}, group"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsTreeModels": {
+ "workspace": "workspace",
+ "remote": "Remote",
+ "user": "User"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsWidgets": {
+ "headerForeground": "The foreground color for a section header or active title.",
+ "modifiedItemForeground": "The color of the modified setting indicator.",
+ "settingsDropdownBackground": "Settings editor dropdown background.",
+ "settingsDropdownForeground": "Settings editor dropdown foreground.",
+ "settingsDropdownBorder": "Settings editor dropdown border.",
+ "settingsDropdownListBorder": "Settings editor dropdown list border. This surrounds the options and separates the options from the description.",
+ "settingsCheckboxBackground": "Settings editor checkbox background.",
+ "settingsCheckboxForeground": "Settings editor checkbox foreground.",
+ "settingsCheckboxBorder": "Settings editor checkbox border.",
+ "textInputBoxBackground": "Settings editor text input box background.",
+ "textInputBoxForeground": "Settings editor text input box foreground.",
+ "textInputBoxBorder": "Settings editor text input box border.",
+ "numberInputBoxBackground": "Settings editor number input box background.",
+ "numberInputBoxForeground": "Settings editor number input box foreground.",
+ "numberInputBoxBorder": "Settings editor number input box border.",
+ "removeItem": "Remove Item",
+ "editItem": "Edit Item",
+ "editItemInSettingsJson": "Edit Item in settings.json",
+ "addItem": "Add Item",
+ "itemInputPlaceholder": "String Item...",
+ "listSiblingInputPlaceholder": "Sibling...",
+ "listValueHintLabel": "List item `{0}`",
+ "listSiblingHintLabel": "List item `{0}` with sibling `${1}`",
+ "okButton": "OK",
+ "cancelButton": "Cancel",
+ "removeExcludeItem": "Remove Exclude Item",
+ "editExcludeItem": "Edit Exclude Item",
+ "editExcludeItemInSettingsJson": "Edit Exclude Item in settings.json",
+ "addPattern": "Add Pattern",
+ "excludePatternInputPlaceholder": "Exclude Pattern...",
+ "excludeSiblingInputPlaceholder": "When Pattern Is Present...",
+ "excludePatternHintLabel": "Exclude files matching `{0}`",
+ "excludeSiblingHintLabel": "Exclude files matching `{0}`, only when a file matching `{1}` is present"
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesRenderers": {
+ "emptyUserSettingsHeader": "Place your settings here to override the Default Settings.",
+ "emptyWorkspaceSettingsHeader": "Place your settings here to override the User Settings.",
+ "emptyFolderSettingsHeader": "Place your folder settings here to override those from the Workspace Settings.",
+ "editTtile": "Edit",
+ "replaceDefaultValue": "Replace in Settings",
+ "copyDefaultValue": "Copy to Settings",
+ "unknown configuration setting": "Unknown Configuration Setting",
+ "unsupportedRemoteMachineSetting": "This setting cannot be applied in this window. It will be applied when you open local window.",
+ "unsupportedWindowSetting": "This setting cannot be applied in this workspace. It will be applied when you open the containing workspace folder directly.",
+ "unsupportedApplicationSetting": "This setting can be applied only in application user settings",
+ "unsupportedMachineSetting": "This setting can only be applied in user settings in local window or in remote settings in remote window.",
+ "unsupportedProperty": "Unsupported Property"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsTree": {
+ "extensions": "Extensions",
+ "extensionSyncIgnoredLabel": "Sync: Ignored",
+ "modified": "Modified",
+ "settingsContextMenuTitle": "More Actions... ",
+ "alsoConfiguredIn": "Also modified in",
+ "configuredIn": "Modified in",
+ "settings.Modified": " Modified. ",
+ "newExtensionsButtonLabel": "Show matching extensions",
+ "editInSettingsJson": "Edit in settings.json",
+ "settings.Default": "{0}",
+ "resetSettingLabel": "Reset Setting",
+ "validationError": "Validation Error.",
+ "treeAriaLabel": "Settings",
+ "copySettingIdLabel": "Copy Setting ID",
+ "copySettingAsJSONLabel": "Copy Setting as JSON",
+ "stopSyncingSetting": "Sync This Setting"
+ },
+ "vs/workbench/contrib/quickaccess/browser/quickAccess.contribution": {
+ "helpQuickAccessPlaceholder": "Type '{0}' to get help on the actions you can take from here.",
+ "helpQuickAccess": "Show all Quick Access Providers",
+ "viewQuickAccessPlaceholder": "Type the name of a view, output channel or terminal to open.",
+ "viewQuickAccess": "Open View",
+ "commandsQuickAccessPlaceholder": "Type the name of a command to run.",
+ "commandsQuickAccess": "Show and Run Commands",
+ "miCommandPalette": "&&Command Palette...",
+ "miOpenView": "&&Open View...",
+ "miGotoSymbolInEditor": "Go to &&Symbol in Editor...",
+ "miGotoLine": "Go to &&Line/Column...",
+ "commandPalette": "Command Palette...",
+ "view": "View"
+ },
+ "vs/workbench/contrib/quickaccess/browser/commandsQuickAccess": {
+ "commandWithCategory": "{0}: {1}",
+ "showTriggerActions": "Show All Commands",
+ "clearCommandHistory": "Clear Command History"
+ },
+ "vs/workbench/contrib/quickaccess/browser/viewQuickAccess": {
+ "views": "Side Bar",
+ "panels": "Panel",
+ "terminalTitle": "{0}: {1}",
+ "terminals": "Terminal",
+ "logChannel": "Log ({0})",
+ "channels": "Output",
+ "openView": "Open View",
+ "quickOpenView": "Quick Open View"
+ },
+ "vs/workbench/contrib/quickopen/browser/quickopen.contribution": {
+ "view": "View",
+ "commandsHandlerDescriptionDefault": "Show and Run Commands",
+ "gotoLineDescriptionMac": "Go to Line/Column",
+ "gotoLineDescriptionWin": "Go to Line/Column",
+ "gotoSymbolDescription": "Go to Symbol in Editor",
+ "gotoSymbolDescriptionScoped": "Go to Symbol in Editor by Category",
+ "helpDescription": "Show Help",
+ "viewPickerDescription": "Open View",
+ "miCommandPalette": "&&Command Palette...",
+ "miOpenView": "&&Open View...",
+ "miGotoSymbolInEditor": "Go to &&Symbol in Editor...",
+ "miGotoLine": "Go to &&Line/Column...",
+ "commandPalette": "Command Palette..."
+ },
+ "vs/workbench/contrib/quickopen/browser/helpHandler": {
+ "entryAriaLabel": "{0}, picker help",
+ "globalCommands": "global commands",
+ "editorCommands": "editor commands"
+ },
+ "vs/workbench/contrib/quickopen/browser/gotoLineHandler": {
+ "gotoLine": "Go to Line/Column...",
+ "gotoLineLabelEmptyWithLimit": "Current Line: {0}, Column: {1}. Type a line number between 1 and {2} to navigate to.",
+ "gotoLineLabelEmpty": "Current Line: {0}, Column: {1}. Type a line number to navigate to.",
+ "gotoLineColumnLabel": "Go to line {0} and column {1}.",
+ "gotoLineLabel": "Go to line {0}.",
+ "cannotRunGotoLine": "Open a text file first to go to a line."
+ },
+ "vs/workbench/contrib/quickopen/browser/viewPickerHandler": {
+ "entryAriaLabel": "{0}, view picker",
+ "views": "Side Bar",
+ "panels": "Panel",
+ "terminals": "Terminal",
+ "terminalTitle": "{0}: {1}",
+ "channels": "Output",
+ "logChannel": "Log ({0})",
+ "openView": "Open View",
+ "quickOpenView": "Quick Open View"
+ },
+ "vs/workbench/contrib/quickopen/browser/gotoSymbolHandler": {
+ "property": "properties ({0})",
+ "method": "methods ({0})",
+ "function": "functions ({0})",
+ "_constructor": "constructors ({0})",
+ "variable": "variables ({0})",
+ "class": "classes ({0})",
+ "struct": "structs ({0})",
+ "event": "events ({0})",
+ "operator": "operators ({0})",
+ "interface": "interfaces ({0})",
+ "namespace": "namespaces ({0})",
+ "package": "packages ({0})",
+ "typeParameter": "type parameters ({0})",
+ "modules": "modules ({0})",
+ "enum": "enumerations ({0})",
+ "enumMember": "enumeration members ({0})",
+ "string": "strings ({0})",
+ "file": "files ({0})",
+ "array": "arrays ({0})",
+ "number": "numbers ({0})",
+ "boolean": "booleans ({0})",
+ "object": "objects ({0})",
+ "key": "keys ({0})",
+ "field": "fields ({0})",
+ "constant": "constants ({0})",
+ "gotoSymbol": "Go to Symbol in Editor...",
+ "symbols": "symbols ({0})",
+ "entryAriaLabel": "{0}, symbols",
+ "noSymbolsMatching": "No symbols matching",
+ "noSymbolsFound": "No symbols found",
+ "gotoSymbolHandlerAriaLabel": "Type to narrow down symbols of the currently active editor.",
+ "cannotRunGotoSymbolInFile": "No symbol information for the file",
+ "cannotRunGotoSymbol": "Open a text file first to go to a symbol"
+ },
+ "vs/workbench/contrib/quickopen/browser/commandsHandler": {
+ "showTriggerActions": "Show All Commands",
+ "clearCommandHistory": "Clear Command History",
+ "showCommands.label": "Command Palette...",
+ "entryAriaLabelWithKey": "{0}, {1}, commands",
+ "entryAriaLabel": "{0}, commands",
+ "actionNotEnabled": "Command '{0}' is not enabled in the current context.",
+ "canNotRun": "Command '{0}' resulted in an error.",
+ "recentlyUsed": "recently used",
+ "morecCommands": "other commands",
+ "cat.title": "{0}: {1}",
+ "noCommandsMatching": "No commands matching"
+ },
+ "vs/workbench/contrib/relauncher/browser/relauncher.contribution": {
+ "relaunchSettingMessage": "A setting has changed that requires a restart to take effect.",
+ "relaunchSettingMessageWeb": "A setting has changed that requires a reload to take effect.",
+ "relaunchSettingDetail": "Press the restart button to restart {0} and enable the setting.",
+ "relaunchSettingDetailWeb": "Press the reload button to reload {0} and enable the setting.",
+ "restart": "&&Restart",
+ "restartWeb": "&&Reload"
+ },
+ "vs/workbench/contrib/remote/electron-browser/remote.contribution": {
+ "remote": "Remote",
+ "remote.downloadExtensionsLocally": "When enabled extensions are downloaded locally and installed on remote.",
+ "remote.restoreForwardedPorts": "Restores the ports you forwarded in a workspace."
+ },
+ "vs/workbench/contrib/remote/common/remote.contribution": {
+ "remoteExtensionLog": "Remote Server",
+ "ui": "UI extension kind. In a remote window, such extensions are enabled only when available on the local machine.",
+ "workspace": "Workspace extension kind. In a remote window, such extensions are enabled only when available on the remote.",
+ "remote": "Remote",
+ "remote.extensionKind": "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."
+ },
+ "vs/workbench/contrib/remote/browser/remote": {
+ "RemoteHelpInformationExtPoint": "Contributes help information for Remote",
+ "RemoteHelpInformationExtPoint.getStarted": "The url to your project's Getting Started page",
+ "RemoteHelpInformationExtPoint.documentation": "The url to your project's documentation page",
+ "RemoteHelpInformationExtPoint.feedback": "The url to your project's feedback reporter",
+ "RemoteHelpInformationExtPoint.issues": "The url to your project's issues list",
+ "remote.help.getStarted": "Get Started",
+ "remote.help.documentation": "Read Documentation",
+ "remote.help.feedback": "Provide Feedback",
+ "remote.help.issues": "Review Issues",
+ "remote.help.report": "Report Issue",
+ "pickRemoteExtension": "Select url to open",
+ "remote.help": "Help and feedback",
+ "remote.explorer": "Remote Explorer",
+ "toggleRemoteViewlet": "Show Remote Explorer",
+ "view": "View",
+ "reconnectionWaitOne": "Attempting to reconnect in {0} second...",
+ "reconnectionWaitMany": "Attempting to reconnect in {0} seconds...",
+ "reconnectNow": "Reconnect Now",
+ "reloadWindow": "Reload Window",
+ "connectionLost": "Connection Lost",
+ "reconnectionRunning": "Attempting to reconnect...",
+ "reconnectionPermanentFailure": "Cannot reconnect. Please reload the window.",
+ "cancel": "Cancel"
+ },
+ "vs/workbench/contrib/remote/browser/explorerViewItems": {
+ "remotes": "Switch Remote",
+ "remote.explorer.switch": "Switch Remote"
+ },
+ "vs/workbench/contrib/remote/browser/remoteIndicator": {
+ "remote.category": "Remote",
+ "remote.showMenu": "Show Remote Menu",
+ "remote.close": "Close Remote Connection",
+ "miCloseRemote": "Close Re&&mote Connection",
+ "host.open": "Opening Remote...",
+ "host.tooltip": "Editing on {0}",
+ "disconnectedFrom": "Disconnected from",
+ "host.tooltipDisconnected": "Disconnected from {0}",
+ "noHost.tooltip": "Open a remote window",
+ "status.host": "Remote Host",
+ "cat.title": "{0}: {1}",
+ "closeRemote.title": "Close Remote Connection"
+ },
+ "vs/workbench/contrib/remote/browser/tunnelView": {
+ "remote.tunnelsView.add": "Forward a Port...",
+ "remote.tunnelsView.forwarded": "Forwarded",
+ "remote.tunnelsView.detected": "Existing Tunnels",
+ "remote.tunnelsView.candidates": "Not Forwarded",
+ "remote.tunnelsView.input": "Press Enter to confirm or Escape to cancel.",
+ "remote.tunnelsView.forwardedPortLabel0": "{0}",
+ "remote.tunnelsView.forwardedPortLabel2": "{0}:{1} → {2}",
+ "remote.tunnelsView.forwardedPortLabel3": "{0} → {1}",
+ "remote.tunnelsView.forwardedPortLabel4": "{0}:{1}",
+ "remote.tunnelsView.forwardedPortLabel5": "{0}",
+ "remote.tunnelsView.forwardedPortDescription0": "{0} to {1}",
+ "remote.tunnel": "Forwarded Ports",
+ "remote.tunnel.label": "Set Label",
+ "remote.tunnelsView.labelPlaceholder": "Port label",
+ "remote.tunnelsView.portNumberValid": "Forwarded port is invalid.",
+ "remote.tunnelsView.portNumberToHigh": "Port number must be ≥ 0 and < {0}.",
+ "remote.tunnel.forward": "Forward a Port",
+ "remote.tunnel.forwardItem": "Forward Port",
+ "remote.tunnel.forwardPrompt": "Port number or address (eg. 3000 or 10.10.10.10:2000).",
+ "remote.tunnel.forwardError": "Unable to forward {0}:{1}. The host may not be available or that remote port may already be forwarded",
+ "remote.tunnel.closeNoPorts": "No ports currently forwarded. Try running the {0} command",
+ "remote.tunnel.close": "Stop Forwarding Port",
+ "remote.tunnel.closePlaceholder": "Choose a port to stop forwarding",
+ "remote.tunnel.open": "Open in Browser",
+ "remote.tunnel.copyAddressInline": "Copy Address",
+ "remote.tunnel.copyAddressCommandPalette": "Copy Forwarded Port Address",
+ "remote.tunnel.copyAddressPlaceholdter": "Choose a forwarded port",
+ "remote.tunnel.refreshView": "Refresh",
+ "remote.tunnel.changeLocalPort": "Change Local Port",
+ "remote.tunnel.changeLocalPortNumber": "The local port {0} is not available. Port number {1} has been used instead",
+ "remote.tunnelsView.changePort": "New local port"
+ },
+ "vs/workbench/contrib/scm/browser/scm.contribution": {
+ "toggleGitViewlet": "Show Git",
+ "source control": "Source Control",
+ "toggleSCMViewlet": "Show SCM",
+ "view": "View",
+ "scmConfigurationTitle": "SCM",
+ "alwaysShowProviders": "Controls whether to show the Source Control Provider section even when there's only one Provider registered.",
+ "providersVisible": "Controls how many providers are visible in the Source Control Provider section. Set to `0` to be able to manually resize the view.",
+ "scm.diffDecorations.all": "Show the diff decorations in all available locations.",
+ "scm.diffDecorations.gutter": "Show the diff decorations only in the editor gutter.",
+ "scm.diffDecorations.overviewRuler": "Show the diff decorations only in the overview ruler.",
+ "scm.diffDecorations.minimap": "Show the diff decorations only in the minimap.",
+ "scm.diffDecorations.none": "Do not show the diff decorations.",
+ "diffDecorations": "Controls diff decorations in the editor.",
+ "diffGutterWidth": "Controls the width(px) of diff decorations in gutter (added & modified).",
+ "scm.diffDecorationsGutterVisibility.always": "Show the diff decorator in the gutter at all times.",
+ "scm.diffDecorationsGutterVisibility.hover": "Show the diff decorator in the gutter only on hover.",
+ "scm.diffDecorationsGutterVisibility": "Controls the visibility of the Source Control diff decorator in the gutter.",
+ "alwaysShowActions": "Controls whether inline actions are always visible in the Source Control view.",
+ "scm.countBadge.all": "Show the sum of all Source Control Providers count badges.",
+ "scm.countBadge.focused": "Show the count badge of the focused Source Control Provider.",
+ "scm.countBadge.off": "Disable the Source Control count badge.",
+ "scm.countBadge": "Controls the Source Control count badge.",
+ "scm.defaultViewMode.tree": "Show the repository changes as a tree.",
+ "scm.defaultViewMode.list": "Show the repository changes as a list.",
+ "scm.defaultViewMode": "Controls the default Source Control repository view mode.",
+ "autoReveal": "Controls whether the SCM view should automatically reveal and select files when opening them.",
+ "miViewSCM": "S&&CM",
+ "scm accept": "SCM: Accept Input"
+ },
+ "vs/workbench/contrib/scm/browser/scmViewlet": {
+ "scm": "Source Control",
+ "no open repo": "No source control providers registered.",
+ "source control": "Source Control",
+ "viewletTitle": "{0}: {1}"
+ },
+ "vs/workbench/contrib/scm/browser/activity": {
+ "status.scm": "Source Control",
+ "scmPendingChangesBadge": "{0} pending changes"
+ },
+ "vs/workbench/contrib/scm/browser/mainPane": {
+ "scm providers": "Source Control Providers"
+ },
+ "vs/workbench/contrib/scm/browser/repositoryPane": {
+ "toggleViewMode": "Toggle View Mode"
+ },
+ "vs/workbench/contrib/scm/browser/dirtydiffDecorator": {
+ "changes": "{0} of {1} changes",
+ "change": "{0} of {1} change",
+ "show previous change": "Show Previous Change",
+ "show next change": "Show Next Change",
+ "miGotoNextChange": "Next &&Change",
+ "miGotoPreviousChange": "Previous &&Change",
+ "move to previous change": "Move to Previous Change",
+ "move to next change": "Move to Next Change",
+ "editorGutterModifiedBackground": "Editor gutter background colour for lines that are modified.",
+ "editorGutterAddedBackground": "Editor gutter background color for lines that are added.",
+ "editorGutterDeletedBackground": "Editor gutter background color for lines that are deleted.",
+ "minimapGutterModifiedBackground": "Minimap gutter background color for lines that are modified.",
+ "minimapGutterAddedBackground": "Minimap gutter background color for lines that are added.",
+ "minimapGutterDeletedBackground": "Minimap gutter background color for lines that are deleted.",
+ "overviewRulerModifiedForeground": "Overview ruler marker colour for modified content.",
+ "overviewRulerAddedForeground": "Overview ruler marker colour for added content.",
+ "overviewRulerDeletedForeground": "Overview ruler marker color for deleted content."
+ },
+ "vs/workbench/contrib/search/browser/search.contribution": {
+ "search": "Search",
+ "copyMatchLabel": "Copy",
+ "copyPathLabel": "Copy Path",
+ "copyAllLabel": "Copy All",
+ "revealInSideBar": "Reveal in Side Bar",
+ "clearSearchHistoryLabel": "Clear Search History",
+ "focusSearchListCommandLabel": "Focus List",
+ "findInFolder": "Find in Folder...",
+ "findInWorkspace": "Find in Workspace...",
+ "showTriggerActions": "Go to Symbol in Workspace...",
+ "name": "Search",
+ "view": "View",
+ "findInFiles": "Find in Files",
+ "miFindInFiles": "Find &&in Files",
+ "miReplaceInFiles": "Replace &&in Files",
+ "anythingQuickAccessPlaceholder": "Search files by name (append {0} to go to line or {1} to go to symbol)",
+ "anythingQuickAccess": "Go to File",
+ "symbolsQuickAccessPlaceholder": "Type the name of a symbol to open.",
+ "symbolsQuickAccess": "Go to Symbol in Workspace",
+ "searchConfigurationTitle": "Search",
+ "exclude": "Configure glob patterns for excluding files and folders in fulltext searches and quick open. Inherits all glob patterns from the `#files.exclude#` setting. Read more about glob patterns [here](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options).",
+ "exclude.boolean": "The glob pattern to match file paths against. Set to true or false to enable or disable the pattern.",
+ "exclude.when": "Additional check on the siblings of a matching file. Use $(basename) as variable for the matching file name.",
+ "useRipgrep": "This setting is deprecated and now falls back on \"search.usePCRE2\".",
+ "useRipgrepDeprecated": "Deprecated. Consider \"search.usePCRE2\" for advanced regex feature support.",
+ "search.maintainFileSearchCache": "When enabled, the searchService process will be kept alive instead of being shut down after an hour of inactivity. This will keep the file search cache in memory.",
+ "useIgnoreFiles": "Controls whether to use `.gitignore` and `.ignore` files when searching for files.",
+ "useGlobalIgnoreFiles": "Controls whether to use global `.gitignore` and `.ignore` files when searching for files.",
+ "search.quickOpen.includeSymbols": "Whether to include results from a global symbol search in the file results for Quick Open.",
+ "search.quickOpen.includeHistory": "Whether to include results from recently opened files in the file results for Quick Open.",
+ "filterSortOrder.default": "History entries are sorted by relevance based on the filter value used. More relevant entries appear first.",
+ "filterSortOrder.recency": "History entries are sorted by recency. More recently opened entries appear first.",
+ "filterSortOrder": "Controls sorting order of editor history in quick open when filtering.",
+ "search.followSymlinks": "Controls whether to follow symlinks while searching.",
+ "search.smartCase": "Search case-insensitively if the pattern is all lowercase, otherwise, search case-sensitively.",
+ "search.globalFindClipboard": "Controls whether the search view should read or modify the shared find clipboard on macOS.",
+ "search.location": "Controls whether the search will be shown as a view in the sidebar or as a panel in the panel area for more horizontal space.",
+ "search.location.deprecationMessage": "This setting is deprecated. Please use the search view's context menu instead.",
+ "search.collapseResults.auto": "Files with less than 10 results are expanded. Others are collapsed.",
+ "search.collapseAllResults": "Controls whether the search results will be collapsed or expanded.",
+ "search.useReplacePreview": "Controls whether to open Replace Preview when selecting or replacing a match.",
+ "search.showLineNumbers": "Controls whether to show line numbers for search results.",
+ "search.usePCRE2": "Whether to use the PCRE2 regex engine in text search. This enables using some advanced regex features like lookahead and backreferences. However, not all PCRE2 features are supported - only features that are also supported by JavaScript.",
+ "usePCRE2Deprecated": "Deprecated. PCRE2 will be used automatically when using regex features that are only supported by PCRE2.",
+ "search.actionsPositionAuto": "Position the actionbar to the right when the search view is narrow, and immediately after the content when the search view is wide.",
+ "search.actionsPositionRight": "Always position the actionbar to the right.",
+ "search.actionsPosition": "Controls the positioning of the actionbar on rows in the search view.",
+ "search.searchOnType": "Search all files as you type.",
+ "search.searchOnTypeDebouncePeriod": "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.",
+ "search.searchEditor.doubleClickBehaviour.selectWord": "Double clicking selects the word under the cursor.",
+ "search.searchEditor.doubleClickBehaviour.goToLocation": "Double clicking opens the result in the active editor group.",
+ "search.searchEditor.doubleClickBehaviour.openLocationToSide": "Double clicking opens the result in the editor group to the side, creating one if it does not yet exist.",
+ "search.searchEditor.doubleClickBehaviour": "Configure effect of double clicking a result in a search editor.",
+ "searchSortOrder.default": "Results are sorted by folder and file names, in alphabetical order.",
+ "searchSortOrder.filesOnly": "Results are sorted by file names ignoring folder order, in alphabetical order.",
+ "searchSortOrder.type": "Results are sorted by file extensions, in alphabetical order.",
+ "searchSortOrder.modified": "Results are sorted by file last modified date, in descending order.",
+ "searchSortOrder.countDescending": "Results are sorted by count per file, in descending order.",
+ "searchSortOrder.countAscending": "Results are sorted by count per file, in ascending order.",
+ "search.sortOrder": "Controls sorting order of search results.",
+ "miViewSearch": "&&Search",
+ "miGotoSymbolInWorkspace": "Go to Symbol in &&Workspace..."
+ },
+ "vs/workbench/contrib/search/browser/symbolsQuickAccess": {
+ "openToSide": "Open to the Side",
+ "openToBottom": "Open to the Bottom"
+ },
+ "vs/workbench/contrib/search/common/queryBuilder": {
+ "search.noWorkspaceWithName": "No folder in workspace with name: {0}"
+ },
+ "vs/workbench/contrib/search/browser/searchView": {
+ "searchCanceled": "Search was cancelled before any results could be found - ",
+ "moreSearch": "Toggle Search Details",
+ "searchScope.includes": "files to include",
+ "label.includes": "Search Include Patterns",
+ "searchScope.excludes": "files to exclude",
+ "label.excludes": "Search Exclude Patterns",
+ "replaceAll.confirmation.title": "Replace All",
+ "replaceAll.confirm.button": "&&Replace",
+ "replaceAll.occurrence.file.message": "Replaced {0} occurrence across {1} file with '{2}'.",
+ "removeAll.occurrence.file.message": "Replaced {0} occurrence across {1} file.",
+ "replaceAll.occurrence.files.message": "Replaced {0} occurrence across {1} files with '{2}'.",
+ "removeAll.occurrence.files.message": "Replaced {0} occurrence across {1} files.",
+ "replaceAll.occurrences.file.message": "Replaced {0} occurrences across {1} file with '{2}'.",
+ "removeAll.occurrences.file.message": "Replaced {0} occurrences across {1} file.",
+ "replaceAll.occurrences.files.message": "Replaced {0} occurrences across {1} files with '{2}'.",
+ "removeAll.occurrences.files.message": "Replaced {0} occurrences across {1} files.",
+ "removeAll.occurrence.file.confirmation.message": "Replace {0} occurrence across {1} file with '{2}'?",
+ "replaceAll.occurrence.file.confirmation.message": "Replace {0} occurrence across {1} file?",
+ "removeAll.occurrence.files.confirmation.message": "Replace {0} occurrence across {1} files with '{2}'?",
+ "replaceAll.occurrence.files.confirmation.message": "Replace {0} occurrence across {1} files?",
+ "removeAll.occurrences.file.confirmation.message": "Replace {0} occurrences across {1} file with '{2}'?",
+ "replaceAll.occurrences.file.confirmation.message": "Replace {0} occurrences across {1} file?",
+ "removeAll.occurrences.files.confirmation.message": "Replace {0} occurrences across {1} files with '{2}'?",
+ "replaceAll.occurrences.files.confirmation.message": "Replace {0} occurrences across {1} files?",
+ "ariaSearchResultsClearStatus": "The search results have been cleared",
+ "searchPathNotFoundError": "Search path not found: {0}",
+ "searchMaxResultsWarning": "The result set only contains a subset of all matches. Please be more specific in your search to narrow down the results.",
+ "noResultsIncludesExcludes": "No results found in '{0}' excluding '{1}' - ",
+ "noResultsIncludes": "No results found in '{0}' - ",
+ "noResultsExcludes": "No results found excluding '{0}' - ",
+ "noResultsFound": "No results found. Review your settings for configured exclusions and check your gitignore files - ",
+ "rerunSearch.message": "Search again",
+ "rerunSearchInAll.message": "Search again in all files",
+ "openSettings.message": "Open Settings",
+ "openSettings.learnMore": "Learn More",
+ "ariaSearchResultsStatus": "Search returned {0} results in {1} files",
+ "useIgnoresAndExcludesDisabled": " - exclude settings and ignore files are disabled",
+ "openInEditor.message": "Open in editor",
+ "openInEditor.tooltip": "Copy current search results to an editor",
+ "search.file.result": "{0} result in {1} file",
+ "search.files.result": "{0} result in {1} files",
+ "search.file.results": "{0} results in {1} file",
+ "search.files.results": "{0} results in {1} files",
+ "searchWithoutFolder": "You have not opened or specified a folder. Only open files are currently searched - ",
+ "openFolder": "Open Folder"
+ },
+ "vs/workbench/contrib/search/browser/searchWidget": {
+ "search.action.replaceAll.disabled.label": "Replace All (Submit Search to Enable)",
+ "search.action.replaceAll.enabled.label": "Replace All",
+ "search.replace.toggle.button.title": "Toggle Replace",
+ "label.Search": "Search: Type Search Term and press Enter to search or Escape to cancel",
+ "search.placeHolder": "Search",
+ "showContext": "Show Context",
+ "label.Replace": "Replace: Type replace term and press Enter to preview or Escape to cancel",
+ "search.replace.placeHolder": "Replace"
+ },
+ "vs/workbench/contrib/search/browser/searchActions": {
+ "showSearch": "Show Search",
+ "replaceInFiles": "Replace in Files",
+ "toggleTabs": "Toggle Search on Type",
+ "RefreshAction.label": "Refresh",
+ "CollapseDeepestExpandedLevelAction.label": "Collapse All",
+ "ExpandAllAction.label": "Expand All",
+ "ToggleCollapseAndExpandAction.label": "Toggle Collapse and Expand",
+ "ClearSearchResultsAction.label": "Clear Search Results",
+ "CancelSearchAction.label": "Cancel Search",
+ "FocusNextSearchResult.label": "Focus Next Search Result",
+ "FocusPreviousSearchResult.label": "Focus Previous Search Result",
+ "RemoveAction.label": "Dismiss",
+ "file.replaceAll.label": "Replace All",
+ "match.replace.label": "Replace"
+ },
+ "vs/workbench/contrib/search/browser/replaceService": {
+ "fileReplaceChanges": "{0} ↔ {1} (Replace Preview)"
+ },
+ "vs/workbench/contrib/search/browser/patternInputWidget": {
+ "defaultLabel": "input",
+ "useExcludesAndIgnoreFilesDescription": "Use Exclude Settings and Ignore Files"
+ },
+ "vs/workbench/contrib/search/browser/anythingQuickAccess": {
+ "recentlyOpenedSeparator": "recently opened",
+ "fileAndSymbolResultsSeparator": "file and symbol results",
+ "fileResultsSeparator": "file results",
+ "filePickAriaLabelDirty": "{0}, dirty",
+ "openToSide": "Open to the Side",
+ "openToBottom": "Open to the Bottom",
+ "closeEditor": "Remove from Recently Opened"
+ },
+ "vs/workbench/contrib/search/browser/searchResultsView": {
+ "searchFolderMatch.other.label": "Other files",
+ "searchFileMatches": "{0} files found",
+ "searchFileMatch": "{0} file found",
+ "searchMatches": "{0} matches found",
+ "searchMatch": "{0} match found",
+ "lineNumStr": "From line {0}",
+ "numLinesStr": "{0} more lines",
+ "folderMatchAriaLabel": "{0} matches in folder root {1}, Search result",
+ "otherFilesAriaLabel": "{0} matches outside of the workspace, Search result",
+ "fileMatchAriaLabel": "{0} matches in file {1} of folder {2}, Search result",
+ "replacePreviewResultAria": "Replace term {0} with {1} at column position {2} in line with text {3}",
+ "searchResultAria": "Found term {0} at column position {1} in line with text {2}"
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditor.contribution": {
+ "searchEditor": "Search Editor",
+ "search": "Search Editor"
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditorActions": {
+ "search.openNewEditor": "Open New Search Editor",
+ "search.openNewEditorToSide": "Open New Search Editor to Side",
+ "search.openResultsInEditor": "Open Results in Editor",
+ "search.rerunSearchInEditor": "Search again"
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditorInput": {
+ "searchTitle.withQuery": "Search: {0}",
+ "searchTitle": "Search"
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditor": {
+ "moreSearch": "Toggle Search Details",
+ "searchScope.includes": "files to include",
+ "label.includes": "Search Include Patterns",
+ "searchScope.excludes": "files to exclude",
+ "label.excludes": "Search Exclude Patterns",
+ "runSearch": "Run Search",
+ "searchResultItem": "Matched {0} at {1} in file {2}",
+ "searchEditor": "Search Editor",
+ "textInputBoxBorder": "Search editor text input box border."
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditorSerialization": {
+ "invalidQueryStringError": "All backslashes in Query string must be escaped (\\\\)",
+ "numFiles": "{0} files",
+ "oneFile": "1 file",
+ "numResults": "{0} results",
+ "oneResult": "1 result",
+ "noResults": "No results"
+ },
+ "vs/workbench/contrib/snippets/browser/snippets.contribution": {
+ "snippetSchema.json.default": "Empty snippet",
+ "snippetSchema.json": "User snippet configuration",
+ "snippetSchema.json.prefix": "The prefix to used when selecting the snippet in intellisense",
+ "snippetSchema.json.body": "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'.",
+ "snippetSchema.json.description": "The snippet description.",
+ "snippetSchema.json.scope": "A list of language names to which this snippet applies, e.g. 'typescript,javascript'."
+ },
+ "vs/workbench/contrib/snippets/browser/insertSnippet": {
+ "snippet.suggestions.label": "Insert Snippet",
+ "sep.userSnippet": "User Snippets",
+ "sep.extSnippet": "Extension Snippets",
+ "sep.workspaceSnippet": "Workspace Snippets"
+ },
+ "vs/workbench/contrib/snippets/browser/configureSnippets": {
+ "global.scope": "(global)",
+ "global.1": "({0})",
+ "name": "Type snippet file name",
+ "bad_name1": "Invalid file name",
+ "bad_name2": "'{0}' is not a valid file name",
+ "bad_name3": "'{0}' already exists",
+ "new.global_scope": "global",
+ "new.global": "New Global Snippets file...",
+ "new.workspace_scope": "{0} workspace",
+ "new.folder": "New Snippets file for '{0}'...",
+ "group.global": "Existing Snippets",
+ "new.global.sep": "New Snippets",
+ "openSnippet.pickLanguage": "Select Snippets File or Create Snippets",
+ "openSnippet.label": "Configure User Snippets",
+ "preferences": "Preferences",
+ "miOpenSnippets": "User &&Snippets",
+ "userSnippets": "User Snippets"
+ },
+ "vs/workbench/contrib/snippets/browser/snippetsService": {
+ "invalid.path.0": "Expected string in `contributes.{0}.path`. Provided value: {1}",
+ "invalid.language.0": "When omitting the language, the value of `contributes.{0}.path` must be a `.code-snippets`-file. Provided value: {1}",
+ "invalid.language": "Unknown language in `contributes.{0}.language`. Provided value: {1}",
+ "invalid.path.1": "Expected `contributes.{0}.path` ({1}) to be included inside extension's folder ({2}). This might make the extension non-portable.",
+ "vscode.extension.contributes.snippets": "Contributes snippets.",
+ "vscode.extension.contributes.snippets-language": "Language identifier for which this snippet is contributed to.",
+ "vscode.extension.contributes.snippets-path": "Path of the snippets file. The path is relative to the extension folder and typically starts with './snippets/'.",
+ "badVariableUse": "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)",
+ "badFile": "The snippet file \"{0}\" could not be read."
+ },
+ "vs/workbench/contrib/snippets/browser/snippetCompletionProvider": {
+ "detail.snippet": "{0} ({1})",
+ "snippetSuggest.longLabel": "{0}, {1}"
+ },
+ "vs/workbench/contrib/snippets/browser/snippetsFile": {
+ "source.workspaceSnippetGlobal": "Workspace Snippet",
+ "source.userSnippetGlobal": "Global User Snippet",
+ "source.userSnippet": "User Snippet"
+ },
+ "vs/workbench/contrib/stats/electron-browser/workspaceStatsService": {
+ "workspaceFound": "This folder contains a workspace file '{0}'. Do you want to open it? [Learn more]({1}) about workspace files.",
+ "openWorkspace": "Open Workspace",
+ "workspacesFound": "This folder contains multiple workspace files. Do you want to open one? [Learn more]({0}) about workspace files.",
+ "selectWorkspace": "Select Workspace",
+ "selectToOpen": "Select a workspace to open"
+ },
+ "vs/workbench/contrib/surveys/browser/nps.contribution": {
+ "surveyQuestion": "Do you mind taking a quick feedback survey?",
+ "takeSurvey": "Take Survey",
+ "remindLater": "Remind Me later",
+ "neverAgain": "Don't Show Again"
+ },
+ "vs/workbench/contrib/surveys/browser/languageSurveys.contribution": {
+ "helpUs": "Help us improve our support for {0}",
+ "takeShortSurvey": "Take Short Survey",
+ "remindLater": "Remind Me later",
+ "neverAgain": "Don't Show Again"
+ },
+ "vs/workbench/contrib/tags/electron-browser/workspaceTagsService": {
+ "workspaceFound": "This folder contains a workspace file '{0}'. Do you want to open it? [Learn more]({1}) about workspace files.",
+ "openWorkspace": "Open Workspace",
+ "workspacesFound": "This folder contains multiple workspace files. Do you want to open one? [Learn more]({0}) about workspace files.",
+ "selectWorkspace": "Select Workspace",
+ "selectToOpen": "Select a workspace to open"
+ },
+ "vs/workbench/contrib/tasks/node/processRunnerDetector": {
+ "TaskSystemDetector.noGulpTasks": "Running gulp --tasks-simple didn't list any tasks. Did you run npm install?",
+ "TaskSystemDetector.noJakeTasks": "Running jake --tasks didn't list any tasks. Did you run npm install?",
+ "TaskSystemDetector.noGulpProgram": "Gulp is not installed on your system. Run npm install -g gulp to install it.",
+ "TaskSystemDetector.noJakeProgram": "Jake is not installed on your system. Run npm install -g jake to install it.",
+ "TaskSystemDetector.noGruntProgram": "Grunt is not installed on your system. Run npm install -g grunt to install it.",
+ "TaskSystemDetector.noProgram": "Program {0} was not found. Message is {1}",
+ "TaskSystemDetector.buildTaskDetected": "Build task named '{0}' detected.",
+ "TaskSystemDetector.testTaskDetected": "Test task named '{0}' detected."
+ },
+ "vs/workbench/contrib/tasks/node/processTaskSystem": {
+ "version1_0": "The task system is configured for version 0.1.0 (see tasks.json file), which can only execute custom tasks. Upgrade to version 2.0.0 to run the task: {0}",
+ "TaskRunnerSystem.unknownError": "A unknown error has occurred while executing a task. See task output log for details.",
+ "TaskRunnerSystem.watchingBuildTaskFinished": "\nWatching build tasks has finished.",
+ "TaskRunnerSystem.childProcessError": "Failed to launch external program {0} {1}.",
+ "TaskRunnerSystem.cancelRequested": "\nThe task '{0}' was terminated per user request.",
+ "unknownProblemMatcher": "Problem matcher {0} can't be resolved. The matcher will be ignored"
+ },
+ "vs/workbench/contrib/tasks/browser/task.contribution": {
+ "tasksCategory": "Tasks",
+ "building": "Building...",
+ "runningTasks": "Show Running Tasks",
+ "status.runningTasks": "Running Tasks",
+ "miRunTask": "&&Run Task...",
+ "miBuildTask": "Run &&Build Task...",
+ "miRunningTask": "Show Runnin&&g Tasks...",
+ "miRestartTask": "R&&estart Running Task...",
+ "miTerminateTask": "&&Terminate Task...",
+ "miConfigureTask": "&&Configure Tasks...",
+ "miConfigureBuildTask": "Configure De&&fault Build Task...",
+ "workbench.action.tasks.openWorkspaceFileTasks": "Open Workspace Tasks",
+ "ShowLogAction.label": "Show Task Log",
+ "RunTaskAction.label": "Run Task",
+ "ReRunTaskAction.label": "Rerun Last Task",
+ "RestartTaskAction.label": "Restart Running Task",
+ "ShowTasksAction.label": "Show Running Tasks",
+ "TerminateAction.label": "Terminate Task",
+ "BuildAction.label": "Run Build Task",
+ "TestAction.label": "Run Test Task",
+ "ConfigureDefaultBuildTask.label": "Configure Default Build Task",
+ "ConfigureDefaultTestTask.label": "Configure Default Test Task",
+ "workbench.action.tasks.openUserTasks": "Open User Tasks",
+ "tasksQuickAccessPlaceholder": "Type the name of a task to run.",
+ "tasksQuickAccessHelp": "Run Task",
+ "tasksConfigurationTitle": "Tasks",
+ "task.problemMatchers.neverPrompt": "Configures whether to show the problem matcher prompt when running a task. Set to `true` to never prompt, or use a dictionary of task types to turn off prompting only for specific task types.",
+ "task.problemMatchers.neverPrompt.boolean": "Sets problem matcher prompting behavior for all tasks.",
+ "task.problemMatchers.neverPrompt.array": "An object containing task type-boolean pairs to never prompt for problem matchers on.",
+ "task.autoDetect": "Controls enablement of `provideTasks` for all task provider extension. If the Tasks: Run Task command is slow, disabling auto detect for task providers may help. Individual extensions may also provide settings that disable auto detection.",
+ "task.slowProviderWarning": "Configures whether a warning is shown when a provider is slow",
+ "task.slowProviderWarning.boolean": "Sets the slow provider warning for all tasks.",
+ "task.slowProviderWarning.array": "An array of task types to never show the slow provider warning.",
+ "task.quickOpen.history": "Controls the number of recent items tracked in task quick open dialog.",
+ "task.quickOpen.detail": "Controls whether to show the task detail for task that have a detail in the Run Task quick pick.",
+ "task.quickOpen.skip": "Controls whether the task quick pick is skipped when there is only one task to pick from."
+ },
+ "vs/workbench/contrib/tasks/common/tasks": {
+ "TaskDefinition.missingRequiredProperty": "Error: the task identifier '{0}' is missing the required property '{1}'. The task identifier will be ignored."
+ },
+ "vs/workbench/contrib/tasks/common/jsonSchema_v1": {
+ "JsonSchema.version.deprecated": "Task version 0.1.0 is deprecated. Please use 2.0.0",
+ "JsonSchema.version": "The config's version number",
+ "JsonSchema._runner": "The runner has graduated. Use the offical runner property",
+ "JsonSchema.runner": "Defines whether the task is executed as a process and the output is shown in the output window or inside the terminal.",
+ "JsonSchema.windows": "Windows specific command configuration",
+ "JsonSchema.mac": "Mac specific command configuration",
+ "JsonSchema.linux": "Linux specific command configuration",
+ "JsonSchema.shell": "Specifies whether the command is a shell command or an external program. Defaults to false if omitted."
+ },
+ "vs/workbench/contrib/tasks/browser/tasksQuickAccess": {
+ "TaskService.pickRunTask": "Select the task to run"
+ },
+ "vs/workbench/contrib/tasks/common/taskDefinitionRegistry": {
+ "TaskDefinition.description": "The actual task type. Please note that types starting with a '$' are reserved for internal usage.",
+ "TaskDefinition.properties": "Additional properties of the task type",
+ "TaskTypeConfiguration.noType": "The task type configuration is missing the required 'taskType' property",
+ "TaskDefinitionExtPoint": "Contributes task kinds"
+ },
+ "vs/workbench/contrib/tasks/browser/runAutomaticTasks": {
+ "tasks.run.allowAutomatic": "This folder has tasks ({0}) defined in 'tasks.json' that run automatically when you open this folder. Do you allow automatic tasks to run when you open this folder?",
+ "allow": "Allow and run",
+ "disallow": "Disallow",
+ "openTasks": "Open tasks.json",
+ "workbench.action.tasks.manageAutomaticRunning": "Manage Automatic Tasks in Folder",
+ "workbench.action.tasks.allowAutomaticTasks": "Allow Automatic Tasks in Folder",
+ "workbench.action.tasks.disallowAutomaticTasks": "Disallow Automatic Tasks in Folder"
+ },
+ "vs/workbench/contrib/tasks/common/taskConfiguration": {
+ "ConfigurationParser.invalidCWD": "Warning: options.cwd must be of type string. Ignoring value {0}\n",
+ "ConfigurationParser.inValidArg": "Error: command argument must either be a string or a quoted string. Provided value is:\n{0}",
+ "ConfigurationParser.noShell": "Warning: shell configuration is only supported when executing tasks in the terminal.",
+ "ConfigurationParser.noName": "Error: Problem Matcher in declare scope must have a name:\n{0}\n",
+ "ConfigurationParser.unknownMatcherKind": "Warning: the defined problem matcher is unknown. Supported types are string | ProblemMatcher | Array.\n{0}\n",
+ "ConfigurationParser.invalidVariableReference": "Error: Invalid problemMatcher reference: {0}\n",
+ "ConfigurationParser.noTaskType": "Error: tasks configuration must have a type property. The configuration will be ignored.\n{0}\n",
+ "ConfigurationParser.noTypeDefinition": "Error: there is no registered task type '{0}'. Did you miss to install an extension that provides a corresponding task provider?",
+ "ConfigurationParser.missingType": "Error: the task configuration '{0}' is missing the required property 'type'. The task configuration will be ignored.",
+ "ConfigurationParser.incorrectType": "Error: the task configuration '{0}' is using an unknown type. The task configuration will be ignored.",
+ "ConfigurationParser.notCustom": "Error: tasks is not declared as a custom task. The configuration will be ignored.\n{0}\n",
+ "ConfigurationParser.noTaskName": "Error: a task must provide a label property. The task will be ignored.\n{0}\n",
+ "taskConfiguration.noCommandOrDependsOn": "Error: the task '{0}' neither specifies a command nor a dependsOn property. The task will be ignored. Its definition is:\n{1}",
+ "taskConfiguration.noCommand": "Error: the task '{0}' doesn't define a command. The task will be ignored. Its definition is:\n{1}",
+ "TaskParse.noOsSpecificGlobalTasks": "Task version 2.0.0 doesn't support global OS specific tasks. Convert them to a task with a OS specific command. Affected tasks are:\n{0}"
+ },
+ "vs/workbench/contrib/tasks/common/jsonSchema_v2": {
+ "JsonSchema.shell": "Specifies whether the command is a shell command or an external program. Defaults to false if omitted.",
+ "JsonSchema.tasks.isShellCommand.deprecated": "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.",
+ "JsonSchema.tasks.dependsOn.identifier": "The task identifier.",
+ "JsonSchema.tasks.dependsOn.string": "Another task this task depends on.",
+ "JsonSchema.tasks.dependsOn.array": "The other tasks this task depends on.",
+ "JsonSchema.tasks.dependsOn": "Either a string representing another task or an array of other tasks that this task depends on.",
+ "JsonSchema.tasks.dependsOrder.parallel": "Run all dependsOn tasks in parallel.",
+ "JsonSchema.tasks.dependsOrder.sequence": "Run all dependsOn tasks in sequence.",
+ "JsonSchema.tasks.dependsOrder": "Determines the order of the dependsOn tasks for this task. Note that this property is not recursive.",
+ "JsonSchema.tasks.detail": "An optional description of a task that shows in the Run Task quick pick as a detail.",
+ "JsonSchema.tasks.presentation": "Configures the panel that is used to present the task's output and reads its input.",
+ "JsonSchema.tasks.presentation.echo": "Controls whether the executed command is echoed to the panel. Default is true.",
+ "JsonSchema.tasks.presentation.focus": "Controls whether the panel takes focus. Default is false. If set to true the panel is revealed as well.",
+ "JsonSchema.tasks.presentation.revealProblems.always": "Always reveals the problems panel when this task is executed.",
+ "JsonSchema.tasks.presentation.revealProblems.onProblem": "Only reveals the problems panel if a problem is found.",
+ "JsonSchema.tasks.presentation.revealProblems.never": "Never reveals the problems panel when this task is executed.",
+ "JsonSchema.tasks.presentation.revealProblems": "Controls whether the problems panel is revealed when running this task or not. Takes precedence over option \"reveal\". Default is \"never\".",
+ "JsonSchema.tasks.presentation.reveal.always": "Always reveals the terminal when this task is executed.",
+ "JsonSchema.tasks.presentation.reveal.silent": "Only reveals the terminal if the task exits with an error or the problem matcher finds an error.",
+ "JsonSchema.tasks.presentation.reveal.never": "Never reveals the terminal when this task is executed.",
+ "JsonSchema.tasks.presentation.reveal": "Controls whether the terminal running the task is revealed or not. May be overridden by option \"revealProblems\". Default is \"always\".",
+ "JsonSchema.tasks.presentation.instance": "Controls whether the panel is shared between tasks, dedicated to this task or a new one is created on every run.",
+ "JsonSchema.tasks.presentation.showReuseMessage": "Controls whether to show the `Terminal will be reused by tasks, press any key to close it` message.",
+ "JsonSchema.tasks.presentation.clear": "Controls whether the terminal is cleared before executing the task.",
+ "JsonSchema.tasks.presentation.group": "Controls whether the task is executed in a specific terminal group using split panes.",
+ "JsonSchema.tasks.terminal": "The terminal property is deprecated. Use presentation instead",
+ "JsonSchema.tasks.group.kind": "The task's execution group.",
+ "JsonSchema.tasks.group.isDefault": "Defines if this task is the default task in the group.",
+ "JsonSchema.tasks.group.defaultBuild": "Marks the task as the default build task.",
+ "JsonSchema.tasks.group.defaultTest": "Marks the task as the default test task.",
+ "JsonSchema.tasks.group.build": "Marks the task as a build task accessible through the 'Run Build Task' command.",
+ "JsonSchema.tasks.group.test": "Marks the task as a test task accessible through the 'Run Test Task' command.",
+ "JsonSchema.tasks.group.none": "Assigns the task to no group",
+ "JsonSchema.tasks.group": "Defines to which execution group this task belongs to. It supports \"build\" to add it to the build group and \"test\" to add it to the test group.",
+ "JsonSchema.tasks.type": "Defines whether the task is run as a process or as a command inside a shell.",
+ "JsonSchema.commandArray": "The shell command to be executed. Array items will be joined using a space character",
+ "JsonSchema.command.quotedString.value": "The actual command value",
+ "JsonSchema.tasks.quoting.escape": "Escapes characters using the shell's escape character (e.g. ` under PowerShell and \\ under bash).",
+ "JsonSchema.tasks.quoting.strong": "Quotes the argument using the shell's strong quote character (e.g. \" under PowerShell and bash).",
+ "JsonSchema.tasks.quoting.weak": "Quotes the argument using the shell's weak quote character (e.g. ' under PowerShell and bash).",
+ "JsonSchema.command.quotesString.quote": "How the command value should be quoted.",
+ "JsonSchema.command": "The command to be executed. Can be an external program or a shell command.",
+ "JsonSchema.args.quotedString.value": "The actual argument value",
+ "JsonSchema.args.quotesString.quote": "How the argument value should be quoted.",
+ "JsonSchema.tasks.args": "Arguments passed to the command when this task is invoked.",
+ "JsonSchema.tasks.label": "The task's user interface label",
+ "JsonSchema.version": "The config's version number.",
+ "JsonSchema.tasks.identifier": "A user defined identifier to reference the task in launch.json or a dependsOn clause.",
+ "JsonSchema.tasks.identifier.deprecated": "User defined identifiers are deprecated. For custom task use the name as a reference and for tasks provided by extensions use their defined task identifier.",
+ "JsonSchema.tasks.reevaluateOnRerun": "Whether to reevaluate task variables on rerun.",
+ "JsonSchema.tasks.runOn": "Configures when the task should be run. If set to folderOpen, then the task will be run automatically when the folder is opened.",
+ "JsonSchema.tasks.instanceLimit": "The number of instances of the task that are allowed to run simultaneously.",
+ "JsonSchema.tasks.runOptions": "The task's run related options",
+ "JsonSchema.tasks.taskLabel": "The task's label",
+ "JsonSchema.tasks.taskName": "The task's name",
+ "JsonSchema.tasks.taskName.deprecated": "The task's name property is deprecated. Use the label property instead.",
+ "JsonSchema.tasks.background": "Whether the executed task is kept alive and is running in the background.",
+ "JsonSchema.tasks.promptOnClose": "Whether the user is prompted when VS Code closes with a running task.",
+ "JsonSchema.tasks.matchers": "The problem matcher(s) to use. Can either be a string or a problem matcher definition or an array of strings and problem matchers.",
+ "JsonSchema.customizations.customizes.type": "The task type to customise",
+ "JsonSchema.tasks.customize.deprecated": "The customise property is deprecated. See the 1.14 release notes on how to migrate to the new task customisation approach",
+ "JsonSchema.tasks.showOutput.deprecated": "The property showOutput is deprecated. Use the reveal property inside the presentation property instead. See also the 1.14 release notes.",
+ "JsonSchema.tasks.echoCommand.deprecated": "The property echoCommand is deprecated. Use the echo property inside the presentation property instead. See also the 1.14 release notes.",
+ "JsonSchema.tasks.suppressTaskName.deprecated": "The property suppressTaskName is deprecated. Inline the command with its arguments into the task instead. See also the 1.14 release notes.",
+ "JsonSchema.tasks.isBuildCommand.deprecated": "The property isBuildCommand is deprecated. Use the group property instead. See also the 1.14 release notes.",
+ "JsonSchema.tasks.isTestCommand.deprecated": "The property isTestCommand is deprecated. Use the group property instead. See also the 1.14 release notes.",
+ "JsonSchema.tasks.taskSelector.deprecated": "The property taskSelector is deprecated. Inline the command with its arguments into the task instead. See also the 1.14 release notes.",
+ "JsonSchema.windows": "Windows specific command configuration",
+ "JsonSchema.mac": "Mac specific command configuration",
+ "JsonSchema.linux": "Linux specific command configuration"
+ },
+ "vs/workbench/contrib/tasks/common/jsonSchemaCommon": {
+ "JsonSchema.options": "Additional command options",
+ "JsonSchema.options.cwd": "The current working directory of the executed program or script. If omitted Code's current workspace root is used.",
+ "JsonSchema.options.env": "The environment of the executed program or shell. If omitted the parent process' environment is used.",
+ "JsonSchema.shellConfiguration": "Configures the shell to be used.",
+ "JsonSchema.shell.executable": "The shell to be used.",
+ "JsonSchema.shell.args": "The shell arguments.",
+ "JsonSchema.command": "The command to be executed. Can be an external program or a shell command.",
+ "JsonSchema.tasks.args": "Arguments passed to the command when this task is invoked.",
+ "JsonSchema.tasks.taskName": "The task's name",
+ "JsonSchema.tasks.windows": "Windows specific command configuration",
+ "JsonSchema.tasks.matchers": "The problem matcher(s) to use. Can either be a string or a problem matcher definition or an array of strings and problem matchers.",
+ "JsonSchema.tasks.mac": "Mac specific command configuration",
+ "JsonSchema.tasks.linux": "Linux specific command configuration",
+ "JsonSchema.tasks.suppressTaskName": "Controls whether the task name is added as an argument to the command. If omitted the globally defined value is used.",
+ "JsonSchema.tasks.showOutput": "Controls whether the output of the running task is shown or not. If omitted the globally defined value is used.",
+ "JsonSchema.echoCommand": "Controls whether the executed command is echoed to the output. Default is false.",
+ "JsonSchema.tasks.watching.deprecation": "Deprecated. Use isBackground instead.",
+ "JsonSchema.tasks.watching": "Whether the executed task is kept alive and is watching the file system.",
+ "JsonSchema.tasks.background": "Whether the executed task is kept alive and is running in the background.",
+ "JsonSchema.tasks.promptOnClose": "Whether the user is prompted when VS Code closes with a running task.",
+ "JsonSchema.tasks.build": "Maps this task to Code's default build command.",
+ "JsonSchema.tasks.test": "Maps this task to Code's default test command.",
+ "JsonSchema.args": "Additional arguments passed to the command.",
+ "JsonSchema.showOutput": "Controls whether the output of the running task is shown or not. If omitted 'always' is used.",
+ "JsonSchema.watching.deprecation": "Deprecated. Use isBackground instead.",
+ "JsonSchema.watching": "Whether the executed task is kept alive and is watching the file system.",
+ "JsonSchema.background": "Whether the executed task is kept alive and is running in the background.",
+ "JsonSchema.promptOnClose": "Whether the user is prompted when VS Code closes with a running background task.",
+ "JsonSchema.suppressTaskName": "Controls whether the task name is added as an argument to the command. Default is false.",
+ "JsonSchema.taskSelector": "Prefix to indicate that an argument is task.",
+ "JsonSchema.matchers": "The problem matcher(s) to use. Can either be a string or a problem matcher definition or an array of strings and problem matchers.",
+ "JsonSchema.tasks": "The task configurations. Usually these are enrichments of task already defined in the external task runner."
+ },
+ "vs/workbench/contrib/tasks/browser/taskQuickPick": {
+ "taskQuickPick.showAll": "Show All Tasks...",
+ "configureTask": "Configure Task",
+ "contributedTasks": "contributed",
+ "recentlyUsed": "recently used",
+ "configured": "configured",
+ "TaskQuickPick.goBack": "Go back ↩",
+ "TaskQuickPick.noTasksForType": "No {0} tasks found. Go back ↩"
+ },
+ "vs/workbench/contrib/tasks/common/problemMatcher": {
+ "ProblemPatternParser.problemPattern.missingRegExp": "The problem pattern is missing a regular expression.",
+ "ProblemPatternParser.loopProperty.notLast": "The loop property is only supported on the last line matcher.",
+ "ProblemPatternParser.problemPattern.kindProperty.notFirst": "The problem pattern is invalid. The kind property must be provided only in the first element",
+ "ProblemPatternParser.problemPattern.missingProperty": "The problem pattern is invalid. It must have at least have a file and a message.",
+ "ProblemPatternParser.problemPattern.missingLocation": "The problem pattern is invalid. It must either have kind: \"file\" or have a line or location match group.",
+ "ProblemPatternParser.invalidRegexp": "Error: The string {0} is not a valid regular expression.\n",
+ "ProblemPatternSchema.regexp": "The regular expression to find an error, warning or info in the output.",
+ "ProblemPatternSchema.kind": "whether the pattern matches a location (file and line) or only a file.",
+ "ProblemPatternSchema.file": "The match group index of the filename. If omitted 1 is used.",
+ "ProblemPatternSchema.location": "The match group index of the problem's location. Valid location patterns are: (line), (line,column) and (startLine,startColumn,endLine,endColumn). If omitted (line,column) is assumed.",
+ "ProblemPatternSchema.line": "The match group index of the problem's line. Defaults to 2",
+ "ProblemPatternSchema.column": "The match group index of the problem's line character. Defaults to 3",
+ "ProblemPatternSchema.endLine": "The match group index of the problem's end line. Defaults to undefined",
+ "ProblemPatternSchema.endColumn": "The match group index of the problem's end line character. Defaults to undefined",
+ "ProblemPatternSchema.severity": "The match group index of the problem's severity. Defaults to undefined",
+ "ProblemPatternSchema.code": "The match group index of the problem's code. Defaults to undefined",
+ "ProblemPatternSchema.message": "The match group index of the message. If omitted it defaults to 4 if location is specified. Otherwise it defaults to 5.",
+ "ProblemPatternSchema.loop": "In a multi line matcher loop indicated whether this pattern is executed in a loop as long as it matches. Can only specified on a last pattern in a multi line pattern.",
+ "NamedProblemPatternSchema.name": "The name of the problem pattern.",
+ "NamedMultiLineProblemPatternSchema.name": "The name of the problem multi line problem pattern.",
+ "NamedMultiLineProblemPatternSchema.patterns": "The actual patterns.",
+ "ProblemPatternExtPoint": "Contributes problem patterns",
+ "ProblemPatternRegistry.error": "Invalid problem pattern. The pattern will be ignored.",
+ "ProblemMatcherParser.noProblemMatcher": "Error: the description can't be converted into a problem matcher:\n{0}\n",
+ "ProblemMatcherParser.noProblemPattern": "Error: the description doesn't define a valid problem pattern:\n{0}\n",
+ "ProblemMatcherParser.noOwner": "Error: the description doesn't define an owner:\n{0}\n",
+ "ProblemMatcherParser.noFileLocation": "Error: the description doesn't define a file location:\n{0}\n",
+ "ProblemMatcherParser.unknownSeverity": "Info: unknown severity {0}. Valid values are error, warning and info.\n",
+ "ProblemMatcherParser.noDefinedPatter": "Error: the pattern with the identifier {0} doesn't exist.",
+ "ProblemMatcherParser.noIdentifier": "Error: the pattern property refers to an empty identifier.",
+ "ProblemMatcherParser.noValidIdentifier": "Error: the pattern property {0} is not a valid pattern variable name.",
+ "ProblemMatcherParser.problemPattern.watchingMatcher": "A problem matcher must define both a begin pattern and an end pattern for watching.",
+ "ProblemMatcherParser.invalidRegexp": "Error: The string {0} is not a valid regular expression.\n",
+ "WatchingPatternSchema.regexp": "The regular expression to detect the begin or end of a background task.",
+ "WatchingPatternSchema.file": "The match group index of the filename. Can be omitted.",
+ "PatternTypeSchema.name": "The name of a contributed or predefined pattern",
+ "PatternTypeSchema.description": "A problem pattern or the name of a contributed or predefined problem pattern. Can be omitted if base is specified.",
+ "ProblemMatcherSchema.base": "The name of a base problem matcher to use.",
+ "ProblemMatcherSchema.owner": "The owner of the problem inside Code. Can be omitted if base is specified. Defaults to 'external' if omitted and base is not specified.",
+ "ProblemMatcherSchema.source": "A human-readable string describing the source of this diagnostic, e.g. 'typescript' or 'super lint'.",
+ "ProblemMatcherSchema.severity": "The default severity for captures problems. Is used if the pattern doesn't define a match group for severity.",
+ "ProblemMatcherSchema.applyTo": "Controls if a problem reported on a text document is applied only to open, closed or all documents.",
+ "ProblemMatcherSchema.fileLocation": "Defines how file names reported in a problem pattern should be interpreted.",
+ "ProblemMatcherSchema.background": "Patterns to track the begin and end of a matcher active on a background task.",
+ "ProblemMatcherSchema.background.activeOnStart": "If set to true the background monitor is in active mode when the task starts. This is equals of issuing a line that matches the beginsPattern",
+ "ProblemMatcherSchema.background.beginsPattern": "If matched in the output the start of a background task is signaled.",
+ "ProblemMatcherSchema.background.endsPattern": "If matched in the output the end of a background task is signaled.",
+ "ProblemMatcherSchema.watching.deprecated": "The watching property is deprecated. Use background instead.",
+ "ProblemMatcherSchema.watching": "Patterns to track the begin and end of a watching matcher.",
+ "ProblemMatcherSchema.watching.activeOnStart": "If set to true the watcher is in active mode when the task starts. This is equals of issuing a line that matches the beginPattern",
+ "ProblemMatcherSchema.watching.beginsPattern": "If matched in the output the start of a watching task is signaled.",
+ "ProblemMatcherSchema.watching.endsPattern": "If matched in the output the end of a watching task is signaled.",
+ "LegacyProblemMatcherSchema.watchedBegin.deprecated": "This property is deprecated. Use the watching property instead.",
+ "LegacyProblemMatcherSchema.watchedBegin": "A regular expression signaling that a watched tasks begins executing triggered through file watching.",
+ "LegacyProblemMatcherSchema.watchedEnd.deprecated": "This property is deprecated. Use the watching property instead.",
+ "LegacyProblemMatcherSchema.watchedEnd": "A regular expression signaling that a watched tasks ends executing.",
+ "NamedProblemMatcherSchema.name": "The name of the problem matcher used to refer to it.",
+ "NamedProblemMatcherSchema.label": "A human readable label of the problem matcher.",
+ "ProblemMatcherExtPoint": "Contributes problem matchers",
+ "msCompile": "Microsoft compiler problems",
+ "lessCompile": "Less problems",
+ "gulp-tsc": "Gulp TSC Problems",
+ "jshint": "JSHint problems",
+ "jshint-stylish": "JSHint stylish problems",
+ "eslint-compact": "ESLint compact problems",
+ "eslint-stylish": "ESLint stylish problems",
+ "go": "Go problems"
+ },
+ "vs/workbench/contrib/tasks/browser/abstractTaskService": {
+ "ConfigureTaskRunnerAction.label": "Configure Task",
+ "tasks": "Tasks",
+ "TaskSystem.noHotSwap": "Changing the task execution engine with an active task running requires to reload the Window",
+ "reloadWindow": "Reload Window",
+ "TaskService.pickBuildTaskForLabel": "Select the build task (there is no default build task defined)",
+ "taskServiceOutputPrompt": "There are task errors. See the output for details.",
+ "showOutput": "Show output",
+ "TaskServer.folderIgnored": "The folder {0} is ignored since it uses task version 0.1.0",
+ "TaskService.noBuildTask1": "No build task defined. Mark a task with 'isBuildCommand' in the tasks.json file.",
+ "TaskService.noBuildTask2": "No build task defined. Mark a task with as a 'build' group in the tasks.json file.",
+ "TaskService.noTestTask1": "No test task defined. Mark a task with 'isTestCommand' in the tasks.json file.",
+ "TaskService.noTestTask2": "No test task defined. Mark a task with as a 'test' group in the tasks.json file.",
+ "TaskServer.noTask": "Task to execute is undefined",
+ "TaskService.associate": "associate",
+ "TaskService.attachProblemMatcher.continueWithout": "Continue without scanning the task output",
+ "TaskService.attachProblemMatcher.never": "Never scan the task output for this task",
+ "TaskService.attachProblemMatcher.neverType": "Never scan the task output for {0} tasks",
+ "TaskService.attachProblemMatcher.learnMoreAbout": "Learn more about scanning the task output",
+ "selectProblemMatcher": "Select for which kind of errors and warnings to scan the task output",
+ "customizeParseErrors": "The current task configuration has errors. Please fix the errors first before customizing a task.",
+ "tasksJsonComment": "\t// See https://go.microsoft.com/fwlink/?LinkId=733558 \n\t// for the documentation about the tasks.json format",
+ "moreThanOneBuildTask": "There are many build tasks defined in the tasks.json. Executing the first one.\n",
+ "TaskSystem.activeSame.noBackground": "The task '{0}' is already active.",
+ "terminateTask": "Terminate Task",
+ "restartTask": "Restart Task",
+ "TaskSystem.active": "There is already a task running. Terminate it first before executing another task.",
+ "TaskSystem.restartFailed": "Failed to terminate and restart task {0}",
+ "TaskService.noConfiguration": "Error: The {0} task detection didn't contribute a task for the following configuration:\n{1}\nThe task will be ignored.\n",
+ "TaskSystem.configurationErrors": "Error: the provided task configuration has validation errors and can't not be used. Please correct the errors first.",
+ "TaskSystem.invalidTaskJsonOther": "Error: The content of the tasks json in {0} has syntax errors. Please correct them before executing a task.\n",
+ "TasksSystem.locationWorkspaceConfig": "workspace file",
+ "TaskSystem.versionWorkspaceFile": "Only tasks version 2.0.0 permitted in .codeworkspace.",
+ "TasksSystem.locationUserConfig": "User Settings",
+ "TaskSystem.versionSettings": "Only tasks version 2.0.0 permitted in user settings.",
+ "taskService.ignoreingFolder": "Ignoring task configurations for workspace folder {0}. Multi folder workspace task support requires that all folders use task version 2.0.0\n",
+ "TaskSystem.invalidTaskJson": "Error: The content of the tasks.json file has syntax errors. Please correct them before executing a task.\n",
+ "TaskSystem.runningTask": "There is a task running. Do you want to terminate it?",
+ "TaskSystem.terminateTask": "&&Terminate Task",
+ "TaskSystem.noProcess": "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.",
+ "TaskSystem.exitAnyways": "&&Exit Anyways",
+ "TerminateAction.label": "Terminate Task",
+ "TaskSystem.unknownError": "An error has occurred while running a task. See task log for details.",
+ "TaskService.noWorkspace": "Tasks are only available on a workspace folder.",
+ "TaskService.learnMore": "Learn More",
+ "configureTask": "Configure Task",
+ "recentlyUsed": "recently used tasks",
+ "configured": "configured tasks",
+ "detected": "detected tasks",
+ "TaskService.ignoredFolder": "The following workspace folders are ignored since they use task version 0.1.0: {0}",
+ "TaskService.notAgain": "Don't Show Again",
+ "TaskService.pickRunTask": "Select the task to run",
+ "TaskService.noEntryToRun": "No configured tasks. Configure Tasks...",
+ "TaskService.fetchingBuildTasks": "Fetching build tasks...",
+ "TaskService.pickBuildTask": "Select the build task to run",
+ "TaskService.noBuildTask": "No build task to run found. Configure Build Task...",
+ "TaskService.fetchingTestTasks": "Fetching test tasks...",
+ "TaskService.pickTestTask": "Select the test task to run",
+ "TaskService.noTestTaskTerminal": "No test task to run found. Configure Tasks...",
+ "TaskService.taskToTerminate": "Select a task to terminate",
+ "TaskService.noTaskRunning": "No task is currently running",
+ "TaskService.terminateAllRunningTasks": "All Running Tasks",
+ "TerminateAction.noProcess": "The launched process doesn't exist anymore. If the task spawned background tasks exiting VS Code might result in orphaned processes.",
+ "TerminateAction.failed": "Failed to terminate running task",
+ "TaskService.taskToRestart": "Select the task to restart",
+ "TaskService.noTaskToRestart": "No task to restart",
+ "TaskService.template": "Select a Task Template",
+ "taskQuickPick.userSettings": "User Settings",
+ "TaskService.createJsonFile": "Create tasks.json file from template",
+ "TaskService.openJsonFile": "Open tasks.json file",
+ "TaskService.pickTask": "Select a task to configure",
+ "TaskService.defaultBuildTaskExists": "{0} is already marked as the default build task",
+ "TaskService.pickDefaultBuildTask": "Select the task to be used as the default build task",
+ "TaskService.defaultTestTaskExists": "{0} is already marked as the default test task.",
+ "TaskService.pickDefaultTestTask": "Select the task to be used as the default test task",
+ "TaskService.pickShowTask": "Select the task to show its output",
+ "TaskService.noTaskIsRunning": "No task is running"
+ },
+ "vs/workbench/contrib/tasks/common/taskTemplates": {
+ "dotnetCore": "Executes .NET Core build command",
+ "msbuild": "Executes the build target",
+ "externalCommand": "Example to run an arbitrary external command",
+ "Maven": "Executes common maven commands"
+ },
+ "vs/workbench/contrib/tasks/browser/terminalTaskSystem": {
+ "TerminalTaskSystem.unknownError": "A unknown error has occurred while executing a task. See task output log for details.",
+ "dependencyFailed": "Couldn't resolve dependent task '{0}' in workspace folder '{1}'",
+ "TerminalTaskSystem.nonWatchingMatcher": "Task {0} is a background task but uses a problem matcher without a background pattern",
+ "TerminalTaskSystem.terminalName": "Task - {0}",
+ "closeTerminal": "Press any key to close the terminal.",
+ "reuseTerminal": "Terminal will be reused by tasks, press any key to close it.",
+ "TerminalTaskSystem": "Can't execute a shell command on an UNC drive using cmd.exe.",
+ "unknownProblemMatcher": "Problem matcher {0} can't be resolved. The matcher will be ignored"
+ },
+ "vs/workbench/contrib/terminal/common/terminalShellConfig": {
+ "terminalIntegratedConfigurationTitle": "Integrated Terminal",
+ "terminal.integrated.shell.linux": "The path of the shell that the terminal uses on Linux (default: {0}). [Read more about configuring the shell](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shell.linux.noDefault": "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#_configuration).",
+ "terminal.integrated.shell.osx": "The path of the shell that the terminal uses on macOS (default: {0}). [Read more about configuring the shell](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shell.osx.noDefault": "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#_configuration).",
+ "terminal.integrated.shell.windows": "The path of the shell that the terminal uses on Windows (default: {0}). [Read more about configuring the shell](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shell.windows.noDefault": "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#_configuration)."
+ },
+ "vs/workbench/contrib/terminal/common/terminal": {
+ "terminalCategory": "Terminal"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalView": {
+ "terminal.useMonospace": "Use 'monospace'",
+ "terminal.monospaceOnly": "The terminal only supports monospace fonts. Be sure to restart VS Code if this is a newly installed font."
+ },
+ "vs/workbench/contrib/terminal/electron-browser/terminalRemote": {
+ "workbench.action.terminal.newLocal": "Create New Integrated Terminal (Local)"
+ },
+ "vs/workbench/contrib/terminal/browser/terminal.contribution": {
+ "tasksQuickAccessPlaceholder": "Type the name of a terminal to open.",
+ "tasksQuickAccessHelp": "Show All Opened Terminals",
+ "terminalIntegratedConfigurationTitle": "Integrated Terminal",
+ "terminal.integrated.automationShell.linux": "A path that when set will override {0} and ignore {1} values for automation-related terminal usage like tasks and debug.",
+ "terminal.integrated.automationShell.osx": "A path that when set will override {0} and ignore {1} values for automation-related terminal usage like tasks and debug.",
+ "terminal.integrated.automationShell.windows": "A path that when set will override {0} and ignore {1} values for automation-related terminal usage like tasks and debug.",
+ "terminal.integrated.shellArgs.linux": "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#_configuration).",
+ "terminal.integrated.shellArgs.osx": "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#_configuration).",
+ "terminal.integrated.shellArgs.windows": "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#_configuration).",
+ "terminal.integrated.shellArgs.windows.string": "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#_configuration).",
+ "terminal.integrated.macOptionIsMeta": "Controls whether to treat the option key as the meta key in the terminal on macOS.",
+ "terminal.integrated.macOptionClickForcesSelection": "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.",
+ "terminal.integrated.copyOnSelection": "Controls whether text selected in the terminal will be copied to the clipboard.",
+ "terminal.integrated.drawBoldTextInBrightColors": "Controls whether bold text in the terminal will always use the \"bright\" ANSI colour variant.",
+ "terminal.integrated.fontFamily": "Controls the font family of the terminal, this defaults to `#editor.fontFamily#`'s value.",
+ "terminal.integrated.fontSize": "Controls the font size in pixels of the terminal.",
+ "terminal.integrated.letterSpacing": "Controls the letter spacing of the terminal, this is an integer value which represents the amount of additional pixels to add between characters.",
+ "terminal.integrated.lineHeight": "Controls the line height of the terminal, this number is multiplied by the terminal font size to get the actual line-height in pixels.",
+ "terminal.integrated.minimumContrastRatio": "When set the foreground color of each cell will change to try meet the contrast ratio specified. Example values:\n\n- 1: The default, do nothing.\n- 4.5: [WCAG AA compliance (minimum)](https://www.w3.org/TR/UNDERSTANDING-WCAG20/visual-audio-contrast-contrast.html).\n- 7: [WCAG AAA compliance (enhanced)](https://www.w3.org/TR/UNDERSTANDING-WCAG20/visual-audio-contrast7.html).\n- 21: White on black or black on white.",
+ "terminal.integrated.fastScrollSensitivity": "Scrolling speed multiplier when pressing `Alt`.",
+ "terminal.integrated.mouseWheelScrollSensitivity": "A multiplier to be used on the `deltaY` of mouse wheel scroll events.",
+ "terminal.integrated.fontWeight": "The font weight to use within the terminal for non-bold text.",
+ "terminal.integrated.fontWeightBold": "The font weight to use within the terminal for bold text.",
+ "terminal.integrated.cursorBlinking": "Controls whether the terminal cursor blinks.",
+ "terminal.integrated.cursorStyle": "Controls the style of terminal cursor.",
+ "terminal.integrated.cursorWidth": "Controls the width of the cursor when `#terminal.integrated.cursorStyle#` is set to `line`.",
+ "terminal.integrated.scrollback": "Controls the maximum amount of lines the terminal keeps in its buffer.",
+ "terminal.integrated.detectLocale": "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.",
+ "terminal.integrated.detectLocale.auto": "Set the `$LANG` environment variable if the existing variable does not exist or it does not end in `'.UTF-8'`.",
+ "terminal.integrated.detectLocale.off": "Do not set the `$LANG` environment variable.",
+ "terminal.integrated.detectLocale.on": "Always set the `$LANG` environment variable.",
+ "terminal.integrated.rendererType.auto": "Let VS Code choose which renderer to use.",
+ "terminal.integrated.rendererType.canvas": "Use the standard GPU/canvas-based renderer.",
+ "terminal.integrated.rendererType.dom": "Use the fallback DOM-based renderer.",
+ "terminal.integrated.rendererType.experimentalWebgl": "Use the experimental webgl-based renderer. Note that this has some [known issues](https://github.com/xtermjs/xterm.js/issues?q=is%3Aopen+is%3Aissue+label%3Aarea%2Faddon%2Fwebgl) and this will only be enabled for new terminals (not hot swappable like the other renderers).",
+ "terminal.integrated.rendererType": "Controls how the terminal is rendered.",
+ "terminal.integrated.rightClickBehavior.default": "Show the context menu.",
+ "terminal.integrated.rightClickBehavior.copyPaste": "Copy when there is a selection, otherwise paste.",
+ "terminal.integrated.rightClickBehavior.paste": "Paste on right click.",
+ "terminal.integrated.rightClickBehavior.selectWord": "Select the word under the cursor and show the context menu.",
+ "terminal.integrated.rightClickBehavior": "Controls how terminal reacts to right click.",
+ "terminal.integrated.cwd": "An explicit start path where the terminal will be launched, this is used as the current working directory (cwd) for the shell process. This may be particularly useful in workspace settings if the root directory is not a convenient cwd.",
+ "terminal.integrated.confirmOnExit": "Controls whether to confirm on exit if there are active terminal sessions.",
+ "terminal.integrated.enableBell": "Controls whether the terminal bell is enabled.",
+ "terminal.integrated.commandsToSkipShell": "A set of command IDs whose keybindings will not be sent to the shell and instead always be handled by Code. This allows the use of keybindings that would normally be consumed by the shell to act the same as when the terminal is not focused, for example ctrl+p to launch Quick Open.\nDefault Skipped Commands:\n\n{0}",
+ "terminal.integrated.allowChords": "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).",
+ "terminal.integrated.allowMnemonics": "Whether to allow menubar mnemonics (eg. alt+f) to trigger the open the menubar. Note that this will cause all alt keystrokes will skip the shell when true. This does nothing on macOS.",
+ "terminal.integrated.inheritEnv": "Whether new shells should inherit their environment from VS Code. This is not supported on Windows.",
+ "terminal.integrated.env.osx": "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.",
+ "terminal.integrated.env.linux": "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.",
+ "terminal.integrated.env.windows": "Object with environment variables that will be added to the VS Code process to be used by the terminal on Windows. Set to `null` to delete the environment variable.",
+ "terminal.integrated.showExitAlert": "Controls whether to show the alert \"The terminal process terminated with exit code\" when exit code is non-zero.",
+ "terminal.integrated.splitCwd": "Controls the working directory a split terminal starts with.",
+ "terminal.integrated.splitCwd.workspaceRoot": "A new split terminal will use the workspace root as the working directory. In a multi-root workspace a choice for which root folder to use is offered.",
+ "terminal.integrated.splitCwd.initial": "A new split terminal will use the working directory that the parent terminal started with.",
+ "terminal.integrated.splitCwd.inherited": "On macOS and Linux, a new split terminal will use the working directory of the parent terminal. On Windows, this behaves the same as initial.",
+ "terminal.integrated.windowsEnableConpty": "Whether to use ConPTY for Windows terminal process communication (requires Windows 10 build number 18309+). Winpty will be used if this is false.",
+ "terminal.integrated.experimentalUseTitleEvent": "An experimental setting that will use the terminal title event for the dropdown title. This setting will only apply to new terminals.",
+ "terminal.integrated.enableFileLinks": "Whether to enable file links in the terminal. Links can be slow when working on a network drive in particular because each file link is verified against the file system.",
+ "terminal.integrated.unicodeVersion.six": "Version 6 of unicode, this is an older version which should work better on older systems.",
+ "terminal.integrated.unicodeVersion.eleven": "Version 11 of unicode, this version provides better support on modern systems that use modern versions of unicode.",
+ "terminal.integrated.unicodeVersion": "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.",
+ "terminal": "Terminal",
+ "viewCategory": "View"
+ },
+ "vs/workbench/contrib/terminal/common/terminalColorRegistry": {
+ "terminal.background": "The background colour of the terminal, this allows colouring the terminal differently to the panel.",
+ "terminal.foreground": "The foreground color of the terminal.",
+ "terminalCursor.foreground": "The foreground color of the terminal cursor.",
+ "terminalCursor.background": "The background color of the terminal cursor. Allows customizing the color of a character overlapped by a block cursor.",
+ "terminal.selectionBackground": "The selection background colour of the terminal.",
+ "terminal.border": "The colour of the border that separates split panes within the terminal. This defaults to panel.border.",
+ "terminal.ansiColor": "'{0}' ANSI color in the terminal."
+ },
+ "vs/workbench/contrib/terminal/common/terminalMenu": {
+ "miToggleIntegratedTerminal": "&&Terminal",
+ "miNewTerminal": "&&New Terminal",
+ "miSplitTerminal": "&&Split Terminal",
+ "miRunActiveFile": "Run &&Active File",
+ "miRunSelectedText": "Run &&Selected Text"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalsQuickAccess": {
+ "renameTerminal": "Rename Terminal",
+ "killTerminal": "Kill Terminal Instance",
+ "workbench.action.terminal.newplus": "Create New Integrated Terminal"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalService": {
+ "workbench.action.terminal.allowWorkspaceShell": "Allow Workspace Shell Configuration",
+ "workbench.action.terminal.disallowWorkspaceShell": "Disallow Workspace Shell Configuration",
+ "terminalService.terminalCloseConfirmationSingular": "There is an active terminal session, do you want to kill it?",
+ "terminalService.terminalCloseConfirmationPlural": "There are {0} active terminal sessions, do you want to kill them?",
+ "terminal.integrated.chooseWindowsShell": "Select your preferred terminal shell, you can change this later in your settings"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalActions": {
+ "workbench.action.terminal.newWorkspacePlaceholder": "Select current working directory for new terminal",
+ "workbench.action.terminal.toggleTerminal": "Toggle Integrated Terminal",
+ "workbench.action.terminal.kill": "Kill the Active Terminal Instance",
+ "workbench.action.terminal.kill.short": "Kill Terminal",
+ "workbench.action.terminal.copySelection": "Copy Selection",
+ "workbench.action.terminal.copySelection.short": "Copy",
+ "workbench.action.terminal.selectAll": "Select All",
+ "workbench.action.terminal.deleteWordLeft": "Delete Word Left",
+ "workbench.action.terminal.deleteWordRight": "Delete Word Right",
+ "workbench.action.terminal.deleteToLineStart": "Delete to Line Start",
+ "workbench.action.terminal.moveToLineStart": "Move To Line Start",
+ "workbench.action.terminal.moveToLineEnd": "Move To Line End",
+ "workbench.action.terminal.sendSequence": "Send Custom Sequence To Terminal",
+ "workbench.action.terminal.newWithCwd": "Create New Integrated Terminal Starting in a Custom Working Directory",
+ "workbench.action.terminal.newWithCwd.cwd": "The directory to start the terminal at",
+ "workbench.action.terminal.new": "Create New Integrated Terminal",
+ "workbench.action.terminal.new.short": "New Terminal",
+ "workbench.action.terminal.newInActiveWorkspace": "Create New Integrated Terminal (In Active Workspace)",
+ "workbench.action.terminal.split": "Split Terminal",
+ "workbench.action.terminal.split.short": "Split",
+ "workbench.action.terminal.splitInActiveWorkspace": "Split Terminal (In Active Workspace)",
+ "workbench.action.terminal.focusPreviousPane": "Focus Previous Pane",
+ "workbench.action.terminal.focusNextPane": "Focus Next Pane",
+ "workbench.action.terminal.resizePaneLeft": "Resize Pane Left",
+ "workbench.action.terminal.resizePaneRight": "Resize Pane Right",
+ "workbench.action.terminal.resizePaneUp": "Resize Pane Up",
+ "workbench.action.terminal.resizePaneDown": "Resize Pane Down",
+ "workbench.action.terminal.focus": "Focus Terminal",
+ "workbench.action.terminal.focusNext": "Focus Next Terminal",
+ "workbench.action.terminal.focusPrevious": "Focus Previous Terminal",
+ "workbench.action.terminal.paste": "Paste into Active Terminal",
+ "workbench.action.terminal.paste.short": "Paste",
+ "workbench.action.terminal.selectDefaultShell": "Select Default Shell",
+ "workbench.action.terminal.runSelectedText": "Run Selected Text In Active Terminal",
+ "workbench.action.terminal.runActiveFile": "Run Active File In Active Terminal",
+ "workbench.action.terminal.runActiveFile.noFile": "Only files on disk can be run in the terminal",
+ "workbench.action.terminal.switchTerminal": "Switch Terminal",
+ "terminals": "Open Terminals.",
+ "workbench.action.terminal.scrollDown": "Scroll Down (Line)",
+ "workbench.action.terminal.scrollDownPage": "Scroll Down (Page)",
+ "workbench.action.terminal.scrollToBottom": "Scroll to Bottom",
+ "workbench.action.terminal.scrollUp": "Scroll Up (Line)",
+ "workbench.action.terminal.scrollUpPage": "Scroll Up (Page)",
+ "workbench.action.terminal.scrollToTop": "Scroll to Top",
+ "workbench.action.terminal.navigationModeExit": "Exit Navigation Mode",
+ "workbench.action.terminal.navigationModeFocusPrevious": "Focus Previous Line (Navigation Mode)",
+ "workbench.action.terminal.navigationModeFocusNext": "Focus Next Line (Navigation Mode)",
+ "workbench.action.terminal.clear": "Clear",
+ "workbench.action.terminal.clearSelection": "Clear Selection",
+ "workbench.action.terminal.manageWorkspaceShellPermissions": "Manage Workspace Shell Permissions",
+ "workbench.action.terminal.rename": "Rename",
+ "workbench.action.terminal.rename.prompt": "Enter terminal name",
+ "workbench.action.terminal.renameWithArg": "Rename the Currently Active Terminal",
+ "workbench.action.terminal.renameWithArg.name": "The new name for the terminal",
+ "workbench.action.terminal.renameWithArg.noTerminal": "No active terminal to rename",
+ "workbench.action.terminal.renameWithArg.noName": "No name argument provided",
+ "workbench.action.terminal.focusFindWidget": "Focus Find Widget",
+ "workbench.action.terminal.hideFindWidget": "Hide Find Widget",
+ "quickAccessTerminal": "Switch Active Terminal",
+ "workbench.action.terminal.scrollToPreviousCommand": "Scroll To Previous Command",
+ "workbench.action.terminal.scrollToNextCommand": "Scroll To Next Command",
+ "workbench.action.terminal.selectToPreviousCommand": "Select To Previous Command",
+ "workbench.action.terminal.selectToNextCommand": "Select To Next Command",
+ "workbench.action.terminal.selectToPreviousLine": "Select To Previous Line",
+ "workbench.action.terminal.selectToNextLine": "Select To Next Line",
+ "workbench.action.terminal.toggleEscapeSequenceLogging": "Toggle Escape Sequence Logging",
+ "workbench.action.terminal.toggleFindRegex": "Toggle find using regex",
+ "workbench.action.terminal.toggleFindWholeWord": "Toggle find using whole word",
+ "workbench.action.terminal.toggleFindCaseSensitive": "Toggle find using case sensitive",
+ "workbench.action.terminal.findNext": "Find Next",
+ "workbench.action.terminal.findPrevious": "Find Previous"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalInstance": {
+ "terminal.integrated.a11yPromptLabel": "Terminal input",
+ "terminal.integrated.a11yTooMuchOutput": "Too much output to announce, navigate to rows manually to read",
+ "yes": "Yes",
+ "no": "No",
+ "dontShowAgain": "Don't Show Again",
+ "terminal.slowRendering": "The standard renderer for the integrated terminal appears to be slow on your computer. Would you like to switch to the alternative DOM-based renderer which may improve performance? [Read more about terminal settings](https://code.visualstudio.com/docs/editor/integrated-terminal#_changing-how-the-terminal-is-rendered).",
+ "terminal.integrated.copySelection.noSelection": "The terminal has no selection to copy",
+ "terminal.integrated.exitedWithInvalidPath": "The terminal shell path \"{0}\" does not exist",
+ "terminal.integrated.exitedWithInvalidPathDirectory": "The terminal shell path \"{0}\" is a directory",
+ "terminal.integrated.exitedWithInvalidCWD": "The terminal shell CWD \"{0}\" does not exist",
+ "terminal.integrated.legacyConsoleModeError": "The terminal failed to launch properly because your system has legacy console mode enabled, uncheck \"Use legacy console\" cmd.exe's properties to fix this.",
+ "terminal.integrated.launchFailed": "The terminal process command '{0}{1}' failed to launch (exit code: {2})",
+ "terminal.integrated.launchFailedExtHost": "The terminal process failed to launch (exit code: {0})",
+ "terminal.integrated.exitedWithCode": "The terminal process terminated with exit code: {0}"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalConfigHelper": {
+ "terminal.integrated.allowWorkspaceShell": "Do you allow this workspace to modify your terminal shell? {0}",
+ "allow": "Allow",
+ "disallow": "Disallow",
+ "useWslExtension.title": "The '{0}' extension is recommended for opening a terminal in WSL.",
+ "install": "Install"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalTab": {
+ "terminalFocus": "Terminal {0}"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalLinkHandler": {
+ "terminalLinkHandler.followLinkAlt.mac": "Option + click",
+ "terminalLinkHandler.followLinkAlt": "Alt + click",
+ "terminalLinkHandler.followLinkCmd": "Cmd + click",
+ "terminalLinkHandler.followLinkCtrl": "Ctrl + click"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalProcessExtHostProxy": {
+ "terminal.integrated.starting": "Starting..."
+ },
+ "vs/workbench/contrib/testCustomEditors/browser/testCustomEditors": {
+ "openCustomEditor": "Test Open Custom Editor",
+ "testCustomEditor": "Test Custom Editor"
+ },
+ "vs/workbench/contrib/themes/browser/themes.contribution": {
+ "selectTheme.label": "Colour Theme",
+ "themes.category.light": "light themes",
+ "themes.category.dark": "dark themes",
+ "themes.category.hc": "high contrast themes",
+ "installColorThemes": "Install Additional Color Themes...",
+ "themes.selectTheme": "Select Colour Theme (Up/Down Keys to Preview)",
+ "selectIconTheme.label": "File Icon Theme",
+ "noIconThemeLabel": "None",
+ "noIconThemeDesc": "Disable file icons",
+ "installIconThemes": "Install Additional File Icon Themes...",
+ "themes.selectIconTheme": "Select File Icon Theme",
+ "selectProductIconTheme.label": "Product Icon Theme",
+ "defaultProductIconThemeLabel": "Default",
+ "themes.selectProductIconTheme": "Select Product Icon Theme",
+ "generateColorTheme.label": "Generate Colour Theme From Current Settings",
+ "preferences": "Preferences",
+ "developer": "Developer",
+ "miSelectColorTheme": "&&Colour Theme",
+ "miSelectIconTheme": "File &&Icon Theme",
+ "themes.selectIconTheme.label": "File Icon Theme"
+ },
+ "vs/workbench/contrib/timeline/browser/timeline.contribution": {
+ "timelineConfigurationTitle": "Timeline",
+ "timeline.excludeSources": "Experimental: An array of Timeline sources that should be excluded from the Timeline view",
+ "files.openTimeline": "Open Timeline"
+ },
+ "vs/workbench/contrib/timeline/browser/timelinePane": {
+ "timeline": "Timeline",
+ "timeline.loadMore": "Load more",
+ "timeline.editorCannotProvideTimeline": "The active editor cannot provide timeline information.",
+ "timeline.noTimelineInfo": "No timeline information was provided.",
+ "timeline.loading": "Loading timeline for {0}...",
+ "refresh": "Refresh",
+ "timeline.toggleFollowActiveEditorCommand": "Toggle Active Editor Following",
+ "timeline.filterSource": "Include: {0}"
+ },
+ "vs/workbench/contrib/update/browser/update.contribution": {
+ "miReleaseNotes": "&&Release Notes"
+ },
+ "vs/workbench/contrib/update/browser/update": {
+ "releaseNotes": "Release Notes",
+ "showReleaseNotes": "Show Release Notes",
+ "read the release notes": "Welcome to {0} v{1}! Would you like to read the Release Notes?",
+ "licenseChanged": "Our licence terms have changed, please click [here]({0}) to go through them.",
+ "updateIsReady": "New {0} update available.",
+ "checkingForUpdates": "Checking For Updates...",
+ "update service": "Update Service",
+ "noUpdatesAvailable": "There are currently no updates available.",
+ "ok": "OK",
+ "thereIsUpdateAvailable": "There is an available update.",
+ "download update": "Download Update",
+ "later": "Later",
+ "updateAvailable": "There's an update available: {0} {1}",
+ "installUpdate": "Install Update",
+ "updateInstalling": "{0} {1} is being installed in the background; we'll let you know when it's done.",
+ "updateNow": "Update Now",
+ "updateAvailableAfterRestart": "Restart {0} to apply the latest update.",
+ "checkForUpdates": "Check for Updates...",
+ "DownloadingUpdate": "Downloading Update...",
+ "installUpdate...": "Install Update...",
+ "installingUpdate": "Installing Update...",
+ "restartToUpdate": "Restart to Update (1)"
+ },
+ "vs/workbench/contrib/update/browser/releaseNotesEditor": {
+ "releaseNotesInputName": "Release Notes: {0}",
+ "unassigned": "unassigned"
+ },
+ "vs/workbench/contrib/url/common/url.contribution": {
+ "openUrl": "Open URL",
+ "developer": "Developer"
+ },
+ "vs/workbench/contrib/url/common/trustedDomains": {
+ "trustedDomain.manageTrustedDomain": "Manage Trusted Domains",
+ "trustedDomain.trustDomain": "Trust {0}",
+ "trustedDomain.trustSubDomain": "Trust {0} and all its subdomains",
+ "trustedDomain.trustAllDomains": "Trust all domains (disables link protection)",
+ "trustedDomain.manageTrustedDomains": "Manage Trusted Domains"
+ },
+ "vs/workbench/contrib/url/common/trustedDomainsValidator": {
+ "openExternalLinkAt": "Do you want {0} to open the external website?",
+ "open": "Open",
+ "copy": "Copy",
+ "cancel": "Cancel",
+ "configureTrustedDomains": "Configure Trusted Domains"
+ },
+ "vs/workbench/contrib/userData/browser/userData.contribution": {
+ "userConfiguration": "User Configuration",
+ "userConfiguration.enableSync": "When enabled, synchronises User Configuration: Settings, Keybindings, Extensions & Snippets.",
+ "resolve conflicts": "Resolve Conflicts",
+ "syncing": "Synchronising User Configuration...",
+ "conflicts detected": "Unable to sync due to conflicts. Please resolve them to continue.",
+ "resolve": "Resolve Conflicts",
+ "start sync": "Sync: Start",
+ "stop sync": "Sync: Stop",
+ "resolveConflicts": "Sync: Resolve Conflicts",
+ "continue sync": "Sync: Continue"
+ },
+ "vs/workbench/contrib/userDataSync/electron-browser/userDataSync.contribution": {
+ "Open Backup folder": "Open Local Backups Folder",
+ "sync preferences": "Preferences Sync"
+ },
+ "vs/workbench/contrib/userDataSync/browser/userDataSyncView": {
+ "sync preferences": "Preferences Sync",
+ "remote title": "Remote Backup",
+ "local title": "Local Backup",
+ "workbench.action.showSyncRemoteBackup": "Show Remote Backup",
+ "workbench.action.showSyncLocalBackup": "Show Local Backup",
+ "workbench.actions.sync.resolveResourceRef": "Show full content",
+ "workbench.actions.sync.commpareWithLocal": "Open Changes"
+ },
+ "vs/workbench/contrib/userDataSync/browser/userDataSync": {
+ "settings": "Settings",
+ "keybindings": "Keyboard Shortcuts",
+ "snippets": "User Snippets",
+ "extensions": "Extensions",
+ "ui state label": "UI State",
+ "sync is on with syncing": "{0} (syncing)",
+ "sync is on with time": "{0} (synced {1})",
+ "turn on sync with category": "Preferences Sync: Turn on...",
+ "sign in": "Preferences Sync: Sign in to sync",
+ "stop sync": "Preferences Sync: Turn Off",
+ "showConflicts": "Preferences Sync: Show Settings Conflicts",
+ "showKeybindingsConflicts": "Preferences Sync: Show Keybindings Conflicts",
+ "showSnippetsConflicts": "Preferences Sync: Show User Snippets Conflicts",
+ "configure sync": "Preferences Sync: Configure...",
+ "show sync log": "Preferences Sync: Show Log",
+ "sync settings": "Preferences Sync: Show Settings",
+ "chooseAccountTitle": "Preferences Sync: Choose Account",
+ "chooseAccount": "Choose an account you would like to use for preferences sync",
+ "conflicts detected": "Unable to sync due to conflicts in {0}. Please resolve them to continue.",
+ "accept remote": "Accept Remote",
+ "accept local": "Accept Local",
+ "show conflicts": "Show Conflicts",
+ "sign in message": "Please sign in with your {0} account to continue sync",
+ "Sign in": "Sign in",
+ "turned off": "Sync was turned off from another device.",
+ "turn on sync": "Turn on Sync",
+ "too large": "Disabled syncing {0} because size of the {1} file to sync is larger than {2}. Please open the file and reduce the size and enable sync",
+ "open file": "Open {0} File",
+ "error incompatible": "Turned off sync because local data is incompatible with the data in the cloud. Please update {0} and turn on sync to continue syncing.",
+ "errorInvalidConfiguration": "Unable to sync {0} because there are some errors/warnings in the file. Please open the file to correct errors/warnings in it.",
+ "sign in to sync": "Sign in to Sync",
+ "has conflicts": "Preferences Sync: Conflicts Detected",
+ "sync preview message": "Synchronizing your preferences is a preview feature, please read the documentation before turning it on.",
+ "open doc": "Open Documentation",
+ "cancel": "Cancel",
+ "turn on sync confirmation": "Do you want to turn on preferences sync?",
+ "turn on": "Turn On",
+ "turn on title": "Preferences Sync: Turn On",
+ "sign in and turn on sync detail": "Sign in with your {0} account to synchronize your data across devices.",
+ "sign in and turn on sync": "Sign in & Turn on",
+ "configure sync placeholder": "Choose what to sync",
+ "pick account": "{0}: Pick an account",
+ "choose account placeholder": "Pick an account for syncing",
+ "existing": "{0}",
+ "signed in": "Signed in",
+ "choose another": "Use another account",
+ "sync turned on": "Preferences sync is turned on",
+ "firs time sync": "Sync",
+ "merge": "Merge",
+ "replace": "Replace Local",
+ "first time sync detail": "It looks like this is the first time sync is set up.\nWould you like to merge or replace with the data from the cloud?",
+ "turn off sync confirmation": "Do you want to turn off sync?",
+ "turn off sync detail": "Your settings, keybindings, extensions and UI State will no longer be synced.",
+ "turn off": "Turn Off",
+ "turn off sync everywhere": "Turn off sync on all your devices and clear the data from the cloud.",
+ "loginFailed": "Logging in failed: {0}",
+ "settings conflicts preview": "Settings Conflicts (Remote ↔ Local)",
+ "keybindings conflicts preview": "Keybindings Conflicts (Remote ↔ Local)",
+ "snippets conflicts preview": "User Snippet Conflicts (Remote ↔ Local) - {0}",
+ "turn on failed": "Error while starting Sync: {0}",
+ "global activity turn on sync": "Turn on Preferences Sync...",
+ "sign in 2": "Preferences Sync: Sign in to sync (1)",
+ "resolveConflicts_global": "Preferences Sync: Show Settings Conflicts (1)",
+ "resolveKeybindingsConflicts_global": "Preferences Sync: Show Keybindings Conflicts (1)",
+ "resolveSnippetsConflicts_global": "Preferences Sync: Show User Snippets Conflicts ({0})",
+ "sync is on": "Preferences Sync is On",
+ "turn off failed": "Error while turning off sync: {0}",
+ "Sync accept remote": "Preferences Sync: {0}",
+ "Sync accept local": "Preferences Sync: {0}",
+ "confirm replace and overwrite local": "Would you like to accept remote {0} and replace local {1}?",
+ "confirm replace and overwrite remote": "Would you like to accept local {0} and replace remote {1}?",
+ "update conflicts": "Could not resolve conflicts as there is new local version available. Please try again."
+ },
+ "vs/workbench/contrib/watermark/browser/watermark": {
+ "watermark.showCommands": "Show All Commands",
+ "watermark.quickAccess": "Go to File",
+ "watermark.openFile": "Open File",
+ "watermark.openFolder": "Open Folder",
+ "watermark.openFileFolder": "Open File or Folder",
+ "watermark.openRecent": "Open Recent",
+ "watermark.newUntitledFile": "New Untitled File",
+ "watermark.toggleTerminal": "Toggle Terminal",
+ "watermark.findInFiles": "Find in Files",
+ "watermark.startDebugging": "Start Debugging",
+ "tips.enabled": "When enabled, will show the watermark tips when no editor is open."
+ },
+ "vs/workbench/contrib/webview/browser/webview": {
+ "developer": "Developer"
+ },
+ "vs/workbench/contrib/webview/browser/webview.contribution": {
+ "webview.editor.label": "webview editor"
+ },
+ "vs/workbench/contrib/webview/electron-browser/webviewCommands": {
+ "openToolsLabel": "Open Webview Developer Tools",
+ "editor.action.webvieweditor.copy": "Copy2",
+ "editor.action.webvieweditor.paste": "Paste",
+ "editor.action.webvieweditor.cut": "Cut",
+ "editor.action.webvieweditor.undo": "Undo",
+ "editor.action.webvieweditor.redo": "Redo"
+ },
+ "vs/workbench/contrib/webview/browser/webviewCommands": {
+ "editor.action.webvieweditor.showFind": "Show find",
+ "editor.action.webvieweditor.hideFind": "Stop find",
+ "editor.action.webvieweditor.findNext": "Find Next",
+ "editor.action.webvieweditor.findPrevious": "Find Previous",
+ "editor.action.webvieweditor.selectAll": "Select All",
+ "refreshWebviewLabel": "Reload Webviews"
+ },
+ "vs/workbench/contrib/welcome/walkThrough/browser/walkThrough.contribution": {
+ "walkThrough.editor.label": "Interactive Playground",
+ "help": "Help",
+ "miInteractivePlayground": "I&&nteractive Playground"
+ },
+ "vs/workbench/contrib/welcome/page/browser/welcomePage.contribution": {
+ "workbench.startupEditor.none": "Start without an editor.",
+ "workbench.startupEditor.welcomePage": "Open the Welcome page (default).",
+ "workbench.startupEditor.readme": "Open the README when opening a folder that contains one, fallback to 'welcomePage' otherwise.",
+ "workbench.startupEditor.newUntitledFile": "Open a new untitled file (only applies when opening an empty workspace).",
+ "workbench.startupEditor.welcomePageInEmptyWorkbench": "Open the Welcome page when opening an empty workbench.",
+ "workbench.startupEditor": "Controls which editor is shown at startup, if none are restored from the previous session.",
+ "help": "Help",
+ "miWelcome": "&&Welcome"
+ },
+ "vs/workbench/contrib/welcome/overlay/browser/welcomeOverlay": {
+ "welcomeOverlay.explorer": "File Explorer",
+ "welcomeOverlay.search": "Search across files",
+ "welcomeOverlay.git": "Source code management",
+ "welcomeOverlay.debug": "Launch and debug",
+ "welcomeOverlay.extensions": "Manage Extensions",
+ "welcomeOverlay.problems": "View errors and warnings",
+ "welcomeOverlay.terminal": "Toggle Integrated Terminal",
+ "welcomeOverlay.commandPalette": "Find and run all commands",
+ "welcomeOverlay.notifications": "Show notifications",
+ "welcomeOverlay": "User Interface Overview",
+ "hideWelcomeOverlay": "Hide Interface Overview",
+ "help": "Help"
+ },
+ "vs/workbench/contrib/welcome/walkThrough/browser/editor/editorWalkThrough": {
+ "editorWalkThrough.title": "Interactive Playground",
+ "editorWalkThrough": "Interactive Playground"
+ },
+ "vs/workbench/contrib/welcome/common/viewsWelcomeExtensionPoint": {
+ "contributes.viewsWelcome": "Contributed views welcome content. Welcome content will be rendered in 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.",
+ "contributes.viewsWelcome.view": "Contributed welcome content for a specific view.",
+ "contributes.viewsWelcome.view.view": "Target view identifier for this welcome content.",
+ "contributes.viewsWelcome.view.contents": "Welcome content to be displayed. The format of the contents is a subset of Markdown, with support for links only.",
+ "contributes.viewsWelcome.view.when": "Condition when the welcome content should be displayed."
+ },
+ "vs/workbench/contrib/welcome/telemetryOptOut/browser/telemetryOptOut": {
+ "telemetryOptOut.optOutNotice": "Help improve VS Code by allowing Microsoft to collect usage data. Read our [privacy statement]({0}) and learn how to [opt out]({1}).",
+ "telemetryOptOut.optInNotice": "Help improve VS Code by allowing Microsoft to collect usage data. Read our [privacy statement]({0}) and learn how to [opt in]({1}).",
+ "telemetryOptOut.readMore": "Read More",
+ "telemetryOptOut.optOutOption": "Please help Microsoft improve Visual Studio Code by allowing the collection of usage data. Read our [privacy statement]({0}) for more details.",
+ "telemetryOptOut.OptIn": "Yes, glad to help",
+ "telemetryOptOut.OptOut": "No, thanks"
+ },
+ "vs/workbench/contrib/welcome/walkThrough/browser/walkThroughPart": {
+ "walkThrough.unboundCommand": "unbound",
+ "walkThrough.gitNotFound": "It looks like Git is not installed on your system.",
+ "walkThrough.embeddedEditorBackground": "Background colour for the embedded editors on the Interactive Playground."
+ },
+ "vs/workbench/contrib/welcome/page/browser/welcomePage": {
+ "welcomePage": "Welcome",
+ "welcomePage.javaScript": "JavaScript",
+ "welcomePage.python": "Python",
+ "welcomePage.php": "PHP",
+ "welcomePage.azure": "Azure",
+ "welcomePage.showAzureExtensions": "Show Azure extensions",
+ "welcomePage.docker": "Docker",
+ "welcomePage.vim": "Vim",
+ "welcomePage.sublime": "Sublime",
+ "welcomePage.atom": "Atom",
+ "welcomePage.extensionPackAlreadyInstalled": "Support for {0} is already installed.",
+ "welcomePage.willReloadAfterInstallingExtensionPack": "The window will reload after installing additional support for {0}.",
+ "welcomePage.installingExtensionPack": "Installing additional support for {0}...",
+ "welcomePage.extensionPackNotFound": "Support for {0} with id {1} could not be found.",
+ "welcomePage.keymapAlreadyInstalled": "The {0} keyboard shortcuts are already installed.",
+ "welcomePage.willReloadAfterInstallingKeymap": "The window will reload after installing the {0} keyboard shortcuts.",
+ "welcomePage.installingKeymap": "Installing the {0} keyboard shortcuts...",
+ "welcomePage.keymapNotFound": "The {0} keyboard shortcuts with id {1} could not be found.",
+ "welcome.title": "Welcome",
+ "welcomePage.openFolderWithPath": "Open folder {0} with path {1}",
+ "welcomePage.extensionListSeparator": ", ",
+ "welcomePage.installKeymap": "Install {0} keymap",
+ "welcomePage.installExtensionPack": "Install additional support for {0}",
+ "welcomePage.installedKeymap": "{0} keymap is already installed",
+ "welcomePage.installedExtensionPack": "{0} support is already installed",
+ "ok": "OK",
+ "details": "Details",
+ "welcomePage.buttonBackground": "Background color for the buttons on the Welcome page.",
+ "welcomePage.buttonHoverBackground": "Hover background colour for the buttons on the Welcome page.",
+ "welcomePage.background": "Background colour for the Welcome page."
+ },
+ "vs/workbench/contrib/welcome/page/browser/vs_code_welcome_page": {
+ "welcomePage.vscode": "Visual Studio Code",
+ "welcomePage.editingEvolved": "Editing evolved",
+ "welcomePage.start": "Start",
+ "welcomePage.newFile": "New File",
+ "welcomePage.openFolder": "Open folder...",
+ "welcomePage.addWorkspaceFolder": "Add workspace folder...",
+ "welcomePage.recent": "Recent",
+ "welcomePage.moreRecent": "More...",
+ "welcomePage.noRecentFolders": "No recent folders",
+ "welcomePage.help": "Help",
+ "welcomePage.keybindingsCheatsheet": "Printable keyboard cheatsheet",
+ "welcomePage.introductoryVideos": "Introductory Videos",
+ "welcomePage.tipsAndTricks": "Tips and Tricks",
+ "welcomePage.productDocumentation": "Product documentation",
+ "welcomePage.gitHubRepository": "GitHub repository",
+ "welcomePage.stackOverflow": "Stack Overflow",
+ "welcomePage.newsletterSignup": "Join our Newsletter",
+ "welcomePage.showOnStartup": "Show welcome page on startup",
+ "welcomePage.customize": "Customize",
+ "welcomePage.installExtensionPacks": "Tools and languages",
+ "welcomePage.installExtensionPacksDescription": "Install support for {0} and {1}",
+ "welcomePage.showLanguageExtensions": "Show more language extensions",
+ "welcomePage.moreExtensions": "more",
+ "welcomePage.installKeymapDescription": "Settings and keybindings",
+ "welcomePage.installKeymapExtension": "Install the settings and keyboard shortcuts of {0} and {1}",
+ "welcomePage.showKeymapExtensions": "Show other keymap extensions",
+ "welcomePage.others": "others",
+ "welcomePage.colorTheme": "Colour Theme",
+ "welcomePage.colorThemeDescription": "Make the editor and your code look the way you love",
+ "welcomePage.learn": "Learn",
+ "welcomePage.showCommands": "Find and run all commands",
+ "welcomePage.showCommandsDescription": "Rapidly access and search commands from the Command Palette ({0})",
+ "welcomePage.interfaceOverview": "Interface overview",
+ "welcomePage.interfaceOverviewDescription": "Get a visual overlay highlighting the major components of the UI",
+ "welcomePage.interactivePlayground": "Interactive Playground",
+ "welcomePage.interactivePlaygroundDescription": "Try out essential editor features in a short walkthrough"
+ },
+ "vs/workbench/services/authentication/browser/authenticationService": {
+ "noAuthenticationProviders": "No authentication providers registered"
+ },
+ "vs/workbench/services/bulkEdit/browser/bulkEditService": {
+ "workspaceEdit": "Workspace Edit",
+ "summary.0": "Made no edits",
+ "summary.nm": "Made {0} text edits in {1} files",
+ "summary.n0": "Made {0} text edits in one file",
+ "nothing": "Made no edits"
+ },
+ "vs/workbench/services/configuration/common/jsonEditingService": {
+ "errorInvalidFile": "Unable to write into the file. Please open the file to correct errors/warnings in the file and try again.",
+ "errorFileDirty": "Unable to write into the file because the file is dirty. Please save the file and try again."
+ },
+ "vs/workbench/services/configuration/common/configurationEditingService": {
+ "openTasksConfiguration": "Open Tasks Configuration",
+ "openLaunchConfiguration": "Open Launch Configuration",
+ "open": "Open Settings",
+ "saveAndRetry": "Save and Retry",
+ "errorUnknownKey": "Unable to write to {0} because {1} is not a registered configuration.",
+ "errorInvalidWorkspaceConfigurationApplication": "Unable to write {0} to Workspace Settings. This setting can be written only into User settings.",
+ "errorInvalidWorkspaceConfigurationMachine": "Unable to write {0} to Workspace Settings. This setting can be written only into User settings.",
+ "errorInvalidFolderConfiguration": "Unable to write to Folder Settings because {0} does not support the folder resource scope.",
+ "errorInvalidUserTarget": "Unable to write to User Settings because {0} does not support for global scope.",
+ "errorInvalidWorkspaceTarget": "Unable to write to Workspace Settings because {0} does not support for workspace scope in a multi folder workspace.",
+ "errorInvalidFolderTarget": "Unable to write to Folder Settings because no resource is provided.",
+ "errorInvalidResourceLanguageConfiguraiton": "Unable to write to Language Settings because {0} is not a resource language setting.",
+ "errorNoWorkspaceOpened": "Unable to write to {0} because no workspace is opened. Please open a workspace first and try again.",
+ "errorInvalidTaskConfiguration": "Unable to write into the tasks configuration file. Please open it to correct errors/warnings in it and try again.",
+ "errorInvalidLaunchConfiguration": "Unable to write into the launch configuration file. Please open it to correct errors/warnings in it and try again.",
+ "errorInvalidConfiguration": "Unable to write into user settings. Please open the user settings to correct errors/warnings in it and try again.",
+ "errorInvalidRemoteConfiguration": "Unable to write into remote user settings. Please open the remote user settings to correct errors/warnings in it and try again.",
+ "errorInvalidConfigurationWorkspace": "Unable to write into workspace settings. Please open the workspace settings to correct errors/warnings in the file and try again.",
+ "errorInvalidConfigurationFolder": "Unable to write into folder settings. Please open the '{0}' folder settings to correct errors/warnings in it and try again.",
+ "errorTasksConfigurationFileDirty": "Unable to write into tasks configuration file because the file is dirty. Please save it first and then try again.",
+ "errorLaunchConfigurationFileDirty": "Unable to write into launch configuration file because the file is dirty. Please save it first and then try again.",
+ "errorConfigurationFileDirty": "Unable to write into user settings because the file is dirty. Please save the user settings file first and then try again.",
+ "errorRemoteConfigurationFileDirty": "Unable to write into remote user settings because the file is dirty. Please save the remote user settings file first and then try again.",
+ "errorConfigurationFileDirtyWorkspace": "Unable to write into workspace settings because the file is dirty. Please save the workspace settings file first and then try again.",
+ "errorConfigurationFileDirtyFolder": "Unable to write into folder settings because the file is dirty. Please save the '{0}' folder settings file first and then try again.",
+ "errorTasksConfigurationFileModifiedSince": "Unable to write into tasks configuration file because the content of the file is newer.",
+ "errorLaunchConfigurationFileModifiedSince": "Unable to write into launch configuration file because the content of the file is newer.",
+ "errorConfigurationFileModifiedSince": "Unable to write into user settings because the content of the file is newer.",
+ "errorRemoteConfigurationFileModifiedSince": "Unable to write into remote user settings because the content of the file is newer.",
+ "errorConfigurationFileModifiedSinceWorkspace": "Unable to write into workspace settings because the content of the file is newer.",
+ "errorConfigurationFileModifiedSinceFolder": "Unable to write into folder settings because the content of the file is newer.",
+ "userTarget": "User Settings",
+ "remoteUserTarget": "Remote User Settings",
+ "workspaceTarget": "Workspace Settings",
+ "folderTarget": "Folder Settings"
+ },
+ "vs/workbench/services/configurationResolver/browser/configurationResolverService": {
+ "commandVariable.noStringType": "Cannot substitute command variable '{0}' because command did not return a result of type string.",
+ "inputVariable.noInputSection": "Variable '{0}' must be defined in an '{1}' section of the debug or task configuration.",
+ "inputVariable.missingAttribute": "Input variable '{0}' is of type '{1}' and must include '{2}'.",
+ "inputVariable.defaultInputValue": "(Default)",
+ "inputVariable.command.noStringType": "Cannot substitute input variable '{0}' because command '{1}' did not return a result of type string.",
+ "inputVariable.unknownType": "Input variable '{0}' can only be of type 'promptString', 'pickString', or 'command'.",
+ "inputVariable.undefinedVariable": "Undefined input variable '{0}' encountered. Remove or define '{0}' to continue."
+ },
+ "vs/workbench/services/configurationResolver/common/variableResolver": {
+ "canNotResolveFile": "'{0}' can not be resolved. Please open an editor.",
+ "canNotFindFolder": "'{0}' can not be resolved. No such folder '{1}'.",
+ "canNotResolveWorkspaceFolderMultiRoot": "'{0}' can not be resolved in a multi folder workspace. Scope this variable using ':' and a workspace folder name.",
+ "canNotResolveWorkspaceFolder": "'{0}' can not be resolved. Please open a folder.",
+ "missingEnvVarName": "'{0}' can not be resolved because no environment variable name is given.",
+ "configNotFound": "'{0}' can not be resolved because setting '{1}' not found.",
+ "configNoString": "'{0}' can not be resolved because '{1}' is a structured value.",
+ "missingConfigName": "'{0}' can not be resolved because no settings name is given.",
+ "canNotResolveLineNumber": "'{0}' can not be resolved. Make sure to have a line selected in the active editor.",
+ "canNotResolveSelectedText": "'{0}' can not be resolved. Make sure to have some text selected in the active editor.",
+ "noValueForCommand": "'{0}' can not be resolved because the command has no value."
+ },
+ "vs/workbench/services/configurationResolver/common/configurationResolverUtils": {
+ "deprecatedVariables": "'env.', 'config.' and 'command.' are deprecated, use 'env:', 'config:' and 'command:' instead."
+ },
+ "vs/workbench/services/configurationResolver/common/configurationResolverSchema": {
+ "JsonSchema.input.id": "The input's id is used to associate an input with a variable of the form ${input:id}.",
+ "JsonSchema.input.type": "The type of user input prompt to use.",
+ "JsonSchema.input.description": "The description is shown when the user is prompted for input.",
+ "JsonSchema.input.default": "The default value for the input.",
+ "JsonSchema.inputs": "User inputs. Used for defining user input prompts, such as free string input or a choice from several options.",
+ "JsonSchema.input.type.promptString": "The 'promptString' type opens an input box to ask the user for input.",
+ "JsonSchema.input.password": "Controls if a password input is shown. Password input hides the typed text.",
+ "JsonSchema.input.type.pickString": "The 'pickString' type shows a selection list.",
+ "JsonSchema.input.options": "An array of strings that defines the options for a quick pick.",
+ "JsonSchema.input.pickString.optionLabel": "Label for the option.",
+ "JsonSchema.input.pickString.optionValue": "Value for the option.",
+ "JsonSchema.input.type.command": "The 'command' type executes a command.",
+ "JsonSchema.input.command.command": "The command to execute for this input variable.",
+ "JsonSchema.input.command.args": "Optional arguments passed to the command."
+ },
+ "vs/workbench/services/decorations/browser/decorationsService": {
+ "bubbleTitle": "Contains emphasized items"
+ },
+ "vs/workbench/services/dialogs/electron-browser/dialogService": {
+ "yesButton": "&&Yes",
+ "cancelButton": "Cancel",
+ "aboutDetail": "Version: {0}\nCommit: {1}\nDate: {2}\nElectron: {3}\nChrome: {4}\nNode.js: {5}\nV8: {6}\nOS: {7}",
+ "okButton": "OK",
+ "copy": "&&Copy"
+ },
+ "vs/workbench/services/dialogs/browser/dialogService": {
+ "yesButton": "&&Yes",
+ "cancelButton": "Cancel",
+ "aboutDetail": "Version: {0}\nCommit: {1}\nDate: {2}\nBrowser: {3}",
+ "copy": "Copy",
+ "ok": "OK"
+ },
+ "vs/workbench/services/dialogs/browser/abstractFileDialogService": {
+ "saveChangesDetail": "Your changes will be lost if you don't save them.",
+ "saveChangesMessage": "Do you want to save the changes you made to {0}?",
+ "saveChangesMessages": "Do you want to save the changes to the following {0} files?",
+ "saveAll": "&&Save All",
+ "save": "&&Save",
+ "dontSave": "Do&&n't Save",
+ "cancel": "Cancel",
+ "openFileOrFolder.title": "Open File or Folder",
+ "openFile.title": "Open File",
+ "openFolder.title": "Open Folder",
+ "openWorkspace.title": "Open Workspace",
+ "filterName.workspace": "workspace",
+ "saveFileAs.title": "Save As",
+ "saveAsTitle": "Save As",
+ "allFiles": "All Files",
+ "noExt": "No Extension"
+ },
+ "vs/workbench/services/dialogs/browser/simpleFileDialog": {
+ "openLocalFile": "Open Local File...",
+ "saveLocalFile": "Save Local File...",
+ "openLocalFolder": "Open Local Folder...",
+ "openLocalFileFolder": "Open Local...",
+ "remoteFileDialog.notConnectedToRemote": "File system provider for {0} is not available.",
+ "remoteFileDialog.local": "Show Local",
+ "remoteFileDialog.badPath": "The path does not exist.",
+ "remoteFileDialog.cancel": "Cancel",
+ "remoteFileDialog.invalidPath": "Please enter a valid path.",
+ "remoteFileDialog.validateFolder": "The folder already exists. Please use a new file name.",
+ "remoteFileDialog.validateExisting": "{0} already exists. Are you sure you want to overwrite it?",
+ "remoteFileDialog.validateBadFilename": "Please enter a valid file name.",
+ "remoteFileDialog.validateNonexistentDir": "Please enter a path that exists.",
+ "remoteFileDialog.validateFileOnly": "Please select a file.",
+ "remoteFileDialog.validateFolderOnly": "Please select a folder."
+ },
+ "vs/workbench/services/editor/browser/editorService": {
+ "sideBySideLabels": "{0} - {1}",
+ "compareLabels": "{0} ↔ {1}"
+ },
+ "vs/workbench/services/extensionManagement/electron-browser/extensionManagementServerService": {
+ "local": "Local",
+ "remote": "Remote"
+ },
+ "vs/workbench/services/extensionManagement/common/extensionManagementService": {
+ "singleDependentError": "Cannot uninstall extension '{0}'. Extension '{1}' depends on this.",
+ "twoDependentsError": "Cannot uninstall extension '{0}'. Extensions '{1}' and '{2}' depend on this.",
+ "multipleDependentsError": "Cannot uninstall extension '{0}'. Extensions '{1}', '{2}' and others depend on this.",
+ "Manifest is not found": "Installing Extension {0} failed: Manifest is not found.",
+ "cannot be installed": "Cannot install '{0}' because this extension has defined that it cannot run on the remote server."
+ },
+ "vs/workbench/services/extensionManagement/common/extensionEnablementService": {
+ "noWorkspace": "No workspace."
+ },
+ "vs/workbench/services/extensions/electron-browser/extensionService": {
+ "extensionsDisabled": "All installed extensions are temporarily disabled. Reload the window to return to the previous state.",
+ "Reload": "Reload",
+ "looping": "The following extensions contain dependency loops and have been disabled: {0}",
+ "extensionService.versionMismatchCrash": "Extension host cannot start: version mismatch.",
+ "relaunch": "Relaunch VS Code",
+ "extensionService.crash": "Extension host terminated unexpectedly.",
+ "devTools": "Open Developer Tools",
+ "restart": "Restart Extension Host",
+ "getEnvironmentFailure": "Could not fetch remote environment",
+ "enableResolver": "Extension '{0}' is required to open the remote window.\nOK to enable?",
+ "enable": "Enable and Reload",
+ "installResolver": "Extension '{0}' is required to open the remote window.\nnOK to install?",
+ "install": "Install and Reload",
+ "resolverExtensionNotFound": "`{0}` not found on marketplace",
+ "restartExtensionHost": "Restart Extension Host",
+ "developer": "Developer"
+ },
+ "vs/workbench/services/extensions/electron-browser/remoteExtensionManagementIpc": {
+ "incompatible": "Unable to install extension '{0}' as it is not compatible with VS Code '{1}'."
+ },
+ "vs/workbench/services/extensions/browser/extensionUrlHandler": {
+ "confirmUrl": "Allow an extension to open this URI?",
+ "rememberConfirmUrl": "Don't ask again for this extension.",
+ "open": "&&Open",
+ "reloadAndHandle": "Extension '{0}' is not loaded. Would you like to reload the window to load the extension and open the URL?",
+ "reloadAndOpen": "&&Reload Window and Open",
+ "enableAndHandle": "Extension '{0}' is disabled. Would you like to enable the extension and reload the window to open the URL?",
+ "enableAndReload": "&&Enable and Open",
+ "installAndHandle": "Extension '{0}' is not installed. Would you like to install the extension and reload the window to open this URL?",
+ "install": "&&Install",
+ "Installing": "Installing Extension '{0}'...",
+ "reload": "Would you like to reload the window and open the URL '{0}'?",
+ "Reload": "Reload Window and Open",
+ "manage": "Manage Authorized Extension URIs..."
+ },
+ "vs/workbench/services/extensions/common/extensionsRegistry": {
+ "ui": "UI extension kind. In a remote window, such extensions are enabled only when available on the local machine.",
+ "workspace": "Workspace extension kind. In a remote window, such extensions are enabled only when available on the remote.",
+ "vscode.extension.engines": "Engine compatibility.",
+ "vscode.extension.engines.vscode": "For VS Code extensions, specifies the VS Code version that the extension is compatible with. Cannot be *. For example: ^0.10.5 indicates compatibility with a minimum VS Code version of 0.10.5.",
+ "vscode.extension.publisher": "The publisher of the VS Code extension.",
+ "vscode.extension.displayName": "The display name for the extension used in the VS Code gallery.",
+ "vscode.extension.categories": "The categories used by the VS Code gallery to categorize the extension.",
+ "vscode.extension.category.languages.deprecated": "Use 'Programming Languages' instead",
+ "vscode.extension.galleryBanner": "Banner used in the VS Code marketplace.",
+ "vscode.extension.galleryBanner.color": "The banner colour on the VS Code marketplace page header.",
+ "vscode.extension.galleryBanner.theme": "The colour theme for the font used in the banner.",
+ "vscode.extension.contributes": "All contributions of the VS Code extension represented by this package.",
+ "vscode.extension.preview": "Sets the extension to be flagged as a Preview in the Marketplace.",
+ "vscode.extension.activationEvents": "Activation events for the VS Code extension.",
+ "vscode.extension.activationEvents.onLanguage": "An activation event emitted whenever a file that resolves to the specified language gets opened.",
+ "vscode.extension.activationEvents.onCommand": "An activation event emitted whenever the specified command gets invoked.",
+ "vscode.extension.activationEvents.onDebug": "An activation event emitted whenever a user is about to start debugging or about to setup debug configurations.",
+ "vscode.extension.activationEvents.onDebugInitialConfigurations": "An activation event emitted whenever a \"launch.json\" needs to be created (and all provideDebugConfigurations methods need to be called).",
+ "vscode.extension.activationEvents.onDebugResolve": "An activation event emitted whenever a debug session with the specific type is about to be launched (and a corresponding resolveDebugConfiguration method needs to be called).",
+ "vscode.extension.activationEvents.onDebugAdapterProtocolTracker": "An activation event emitted whenever a debug session with the specific type is about to be launched and a debug protocol tracker might be needed.",
+ "vscode.extension.activationEvents.workspaceContains": "An activation event emitted whenever a folder is opened that contains at least a file matching the specified glob pattern.",
+ "vscode.extension.activationEvents.onFileSystem": "An activation event emitted whenever a file or folder is accessed with the given scheme.",
+ "vscode.extension.activationEvents.onSearch": "An activation event emitted whenever a search is started in the folder with the given scheme.",
+ "vscode.extension.activationEvents.onView": "An activation event emitted whenever the specified view is expanded.",
+ "vscode.extension.activationEvents.onIdentity": "An activation event emitted whenever the specified user identity.",
+ "vscode.extension.activationEvents.onUri": "An activation event emitted whenever a system-wide Uri directed towards this extension is open.",
+ "vscode.extension.activationEvents.onCustomEditor": "An activation event emitted whenever the specified custom editor becomes visible.",
+ "vscode.extension.activationEvents.star": "An activation event emitted on VS Code startup. To ensure a great end user experience, please use this activation event in your extension only when no other activation events combination works in your use-case.",
+ "vscode.extension.badges": "Array of badges to display in the sidebar of the Marketplace's extension page.",
+ "vscode.extension.badges.url": "Badge image URL.",
+ "vscode.extension.badges.href": "Badge link.",
+ "vscode.extension.badges.description": "Badge description.",
+ "vscode.extension.markdown": "Controls the Markdown rendering engine used in the Marketplace. Either github (default) or standard.",
+ "vscode.extension.qna": "Controls the Q&A link in the Marketplace. Set to marketplace to enable the default Marketplace Q & A site. Set to a string to provide the URL of a custom Q & A site. Set to false to disable Q & A altogether.",
+ "vscode.extension.extensionDependencies": "Dependencies to other extensions. The identifier of an extension is always ${publisher}.${name}. For example: vscode.csharp.",
+ "vscode.extension.contributes.extensionPack": "A set of extensions that can be installed together. The identifier of an extension is always ${publisher}.${name}. For example: vscode.csharp.",
+ "extensionKind": "Define the kind of an extension. `ui` extensions are installed and run on the local machine while `workspace` extensions run on the remote.",
+ "extensionKind.ui": "Define an extension which can run only on the local machine when connected to remote window.",
+ "extensionKind.workspace": "Define an extension which can run only on the remote machine when connected remote window.",
+ "extensionKind.ui-workspace": "Define an extension which can run on either side, with a preference towards running on the local machine.",
+ "extensionKind.workspace-ui": "Define an extension which can run on either side, with a preference towards running on the remote machine.",
+ "extensionKind.empty": "Define an extension which cannot run in a remote context, neither on the local, nor on the remote machine.",
+ "vscode.extension.scripts.prepublish": "Script executed before the package is published as a VS Code extension.",
+ "vscode.extension.scripts.uninstall": "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.",
+ "vscode.extension.icon": "The path to a 128x128 pixel icon."
+ },
+ "vs/workbench/services/extensions/common/remoteExtensionHostClient": {
+ "remote extension host Log": "Remote Extension Host"
+ },
+ "vs/workbench/services/extensions/common/extensionHostProcessManager": {
+ "measureExtHostLatency": "Measure Extension Host Latency",
+ "developer": "Developer"
+ },
+ "vs/workbench/services/extensions/electron-browser/cachedExtensionScanner": {
+ "overwritingExtension": "Overwriting extension {0} with {1}.",
+ "extensionUnderDevelopment": "Loading development extension at {0}",
+ "extensionCache.invalid": "Extensions have been modified on disk. Please reload the window.",
+ "reloadWindow": "Reload Window"
+ },
+ "vs/workbench/services/extensions/electron-browser/extensionHost": {
+ "extensionHost.startupFailDebug": "Extension host did not start in 10 seconds, it might be stopped on the first line and needs a debugger to continue.",
+ "extensionHost.startupFail": "Extension host did not start in 10 seconds, that might be a problem.",
+ "reloadWindow": "Reload Window",
+ "extension host Log": "Extension Host",
+ "extensionHost.error": "Error from the extension host: {0}"
+ },
+ "vs/workbench/services/extensions/node/extensionPoints": {
+ "jsonParseFail": "Failed to parse {0}: [{1}, {2}] {3}.",
+ "fileReadFail": "Cannot read file {0}: {1}.",
+ "jsonsParseReportErrors": "Failed to parse {0}: {1}.",
+ "jsonInvalidFormat": "Invalid format {0}: JSON object expected.",
+ "missingNLSKey": "Couldn't find message for key {0}.",
+ "notSemver": "Extension version is not semver compatible.",
+ "extensionDescription.empty": "Got empty extension description",
+ "extensionDescription.publisher": "property publisher must be of type `string`.",
+ "extensionDescription.name": "property `{0}` is mandatory and must be of type `string`",
+ "extensionDescription.version": "property `{0}` is mandatory and must be of type `string`",
+ "extensionDescription.engines": "property `{0}` is mandatory and must be of type `object`",
+ "extensionDescription.engines.vscode": "property `{0}` is mandatory and must be of type `string`",
+ "extensionDescription.extensionDependencies": "property `{0}` can be omitted or must be of type `string[]`",
+ "extensionDescription.activationEvents1": "property `{0}` can be omitted or must be of type `string[]`",
+ "extensionDescription.activationEvents2": "properties `{0}` and `{1}` must both be specified or must both be omitted",
+ "extensionDescription.main1": "property `{0}` can be omitted or must be of type `string`",
+ "extensionDescription.main2": "Expected `main` ({0}) to be included inside extension's folder ({1}). This might make the extension non-portable.",
+ "extensionDescription.main3": "properties `{0}` and `{1}` must both be specified or must both be omitted"
+ },
+ "vs/workbench/services/files/common/workspaceWatcher": {
+ "netVersionError": "The Microsoft .NET Framework 4.5 is required. Please follow the link to install it.",
+ "installNet": "Download .NET Framework 4.5",
+ "enospcError": "Unable to watch for file changes in this large workspace. Please follow the instructions link to resolve this issue.",
+ "learnMore": "Instructions"
+ },
+ "vs/workbench/services/integrity/node/integrityService": {
+ "integrity.prompt": "Your {0} installation appears to be corrupt. Please reinstall.",
+ "integrity.moreInformation": "More Information",
+ "integrity.dontShowAgain": "Don't Show Again"
+ },
+ "vs/workbench/services/keybinding/electron-browser/keybinding.contribution": {
+ "keyboardConfigurationTitle": "Keyboard",
+ "touchbar.enabled": "Enables the macOS touchbar buttons on the keyboard if available.",
+ "touchbar.ignored": "A set of identifiers for entries in the touchbar that should not show up (for example `workbench.action.navigateBack`."
+ },
+ "vs/workbench/services/keybinding/common/keybindingEditing": {
+ "errorKeybindingsFileDirty": "Unable to write because the keybindings configuration file is dirty. Please save it first and then try again.",
+ "parseErrors": "Unable to write to the keybindings configuration file. Please open it to correct errors/warnings in the file and try again.",
+ "errorInvalidConfiguration": "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.",
+ "emptyKeybindingsHeader": "Place your key bindings in this file to override the defaults"
+ },
+ "vs/workbench/services/keybinding/browser/keybindingService": {
+ "nonempty": "expected non-empty value.",
+ "requirestring": "property `{0}` is mandatory and must be of type `string`",
+ "optstring": "property `{0}` can be omitted or must be of type `string`",
+ "vscode.extension.contributes.keybindings.command": "Identifier of the command to run when keybinding is triggered.",
+ "vscode.extension.contributes.keybindings.args": "Arguments to pass to the command to execute.",
+ "vscode.extension.contributes.keybindings.key": "Key or key sequence (separate keys with plus-sign and sequences with space, e.g. Ctrl+O and Ctrl+L L for a chord).",
+ "vscode.extension.contributes.keybindings.mac": "Mac specific key or key sequence.",
+ "vscode.extension.contributes.keybindings.linux": "Linux specific key or key sequence.",
+ "vscode.extension.contributes.keybindings.win": "Windows specific key or key sequence.",
+ "vscode.extension.contributes.keybindings.when": "Condition when the key is active.",
+ "vscode.extension.contributes.keybindings": "Contributes keybindings.",
+ "invalid.keybindings": "Invalid `contributes.{0}`: {1}",
+ "unboundCommands": "Here are other available commands: ",
+ "keybindings.json.title": "Keybindings configuration",
+ "keybindings.json.key": "Key or key sequence (separated by space)",
+ "keybindings.json.command": "Name of the command to execute",
+ "keybindings.json.when": "Condition when the key is active.",
+ "keybindings.json.args": "Arguments to pass to the command to execute.",
+ "keyboardConfigurationTitle": "Keyboard",
+ "dispatch": "Controls the dispatching logic for key presses to use either `code` (recommended) or `keyCode`."
+ },
+ "vs/workbench/services/label/common/labelService": {
+ "vscode.extension.contributes.resourceLabelFormatters": "Contributes resource label formatting rules.",
+ "vscode.extension.contributes.resourceLabelFormatters.scheme": "URI scheme on which to match the formatter on. For example \"file\". Simple glob patterns are supported.",
+ "vscode.extension.contributes.resourceLabelFormatters.authority": "URI authority on which to match the formatter on. Simple glob patterns are supported.",
+ "vscode.extension.contributes.resourceLabelFormatters.formatting": "Rules for formatting uri resource labels.",
+ "vscode.extension.contributes.resourceLabelFormatters.label": "Label rules to display. For example: myLabel:/${path}. ${path}, ${scheme} and ${authority} are supported as variables.",
+ "vscode.extension.contributes.resourceLabelFormatters.separator": "Separator to be used in the uri label display. '/' or '' as an example.",
+ "vscode.extension.contributes.resourceLabelFormatters.tildify": "Controls if the start of the uri label should be tildified when possible.",
+ "vscode.extension.contributes.resourceLabelFormatters.formatting.workspaceSuffix": "Suffix appended to the workspace label.",
+ "untitledWorkspace": "Untitled (Workspace)",
+ "workspaceNameVerbose": "{0} (Workspace)",
+ "workspaceName": "{0} (Workspace)"
+ },
+ "vs/workbench/services/lifecycle/electron-browser/lifecycleService": {
+ "errorClose": "An unexpected error prevented the window from closing ({0}).",
+ "errorQuit": "An unexpected error prevented the application from closing ({0}).",
+ "errorReload": "An unexpected error prevented the window from reloading ({0}).",
+ "errorLoad": "An unexpected error prevented the window from changing it's workspace ({0})."
+ },
+ "vs/workbench/services/mode/common/workbenchModeService": {
+ "vscode.extension.contributes.languages": "Contributes language declarations.",
+ "vscode.extension.contributes.languages.id": "ID of the language.",
+ "vscode.extension.contributes.languages.aliases": "Name aliases for the language.",
+ "vscode.extension.contributes.languages.extensions": "File extensions associated to the language.",
+ "vscode.extension.contributes.languages.filenames": "File names associated to the language.",
+ "vscode.extension.contributes.languages.filenamePatterns": "File name glob patterns associated to the language.",
+ "vscode.extension.contributes.languages.mimetypes": "Mime types associated to the language.",
+ "vscode.extension.contributes.languages.firstLine": "A regular expression matching the first line of a file of the language.",
+ "vscode.extension.contributes.languages.configuration": "A relative path to a file containing configuration options for the language.",
+ "invalid": "Invalid `contributes.{0}`. Expected an array.",
+ "invalid.empty": "Empty value for `contributes.{0}`",
+ "require.id": "property `{0}` is mandatory and must be of type `string`",
+ "opt.extensions": "property `{0}` can be omitted and must be of type `string[]`",
+ "opt.filenames": "property `{0}` can be omitted and must be of type `string[]`",
+ "opt.firstLine": "property `{0}` can be omitted and must be of type `string`",
+ "opt.configuration": "property `{0}` can be omitted and must be of type `string`",
+ "opt.aliases": "property `{0}` can be omitted and must be of type `string[]`",
+ "opt.mimetypes": "property `{0}` can be omitted and must be of type `string[]`"
+ },
+ "vs/workbench/services/notification/common/notificationService": {
+ "neverShowAgain": "Don't Show Again"
+ },
+ "vs/workbench/services/preferences/common/preferences": {
+ "userSettingsTarget": "User Settings",
+ "workspaceSettingsTarget": "Workspace Settings"
+ },
+ "vs/workbench/services/preferences/browser/preferencesService": {
+ "openFolderFirst": "Open a folder first to create workspace settings",
+ "emptyKeybindingsHeader": "Place your key bindings in this file to override the defaults",
+ "defaultKeybindings": "Default Keybindings",
+ "defaultSettings": "Default Settings",
+ "folderSettingsName": "{0} (Folder Settings)",
+ "fail.createSettings": "Unable to create '{0}' ({1})."
+ },
+ "vs/workbench/services/preferences/common/preferencesEditorInput": {
+ "settingsEditorName": "Default Settings",
+ "keybindingsInputName": "Keyboard Shortcuts",
+ "settingsEditor2InputName": "Settings"
+ },
+ "vs/workbench/services/preferences/common/preferencesModels": {
+ "commonlyUsed": "Commonly Used",
+ "validations.stringArrayUniqueItems": "Array has duplicate items",
+ "validations.stringArrayMinItem": "Array must have at least {0} items",
+ "validations.stringArrayMaxItem": "Array must have at most {0} items",
+ "validations.stringArrayItemPattern": "Value {0} must match regex {1}.",
+ "validations.stringArrayItemEnum": "Value {0} is not one of {1}",
+ "validations.exclusiveMax": "Value must be strictly less than {0}.",
+ "validations.exclusiveMin": "Value must be strictly greater than {0}.",
+ "validations.max": "Value must be less than or equal to {0}.",
+ "validations.min": "Value must be greater than or equal to {0}.",
+ "validations.multipleOf": "Value must be a multiple of {0}.",
+ "validations.expectedInteger": "Value must be an integer.",
+ "validations.maxLength": "Value must be {0} or fewer characters long.",
+ "validations.minLength": "Value must be {0} or more characters long.",
+ "validations.regex": "Value must match regex `{0}`.",
+ "validations.expectedNumeric": "Value must be a number.",
+ "defaultKeybindingsHeader": "Override key bindings by placing them into your key bindings file."
+ },
+ "vs/workbench/services/preferences/common/keybindingsEditorModel": {
+ "default": "Default",
+ "user": "User",
+ "cat.title": "{0}: {1}",
+ "meta": "meta",
+ "option": "option"
+ },
+ "vs/workbench/services/progress/browser/progressService": {
+ "progress.text2": "{0}: {1}",
+ "progress.title3": "[{0}] {1}: {2}",
+ "progress.title2": "[{0}]: {1}",
+ "status.progress": "Progress Message",
+ "cancel": "Cancel",
+ "dismiss": "Dismiss"
+ },
+ "vs/workbench/services/remote/common/abstractRemoteAgentService": {
+ "connectionError": "Failed to connect to the remote extension host server (Error: {0})"
+ },
+ "vs/workbench/services/textfile/electron-browser/nativeTextFileService": {
+ "fileBinaryError": "File seems to be binary and cannot be opened as text",
+ "fileReadOnlyError": "File is Read Only"
+ },
+ "vs/workbench/services/textfile/browser/textFileService": {
+ "fileBinaryError": "File seems to be binary and cannot be opened as text",
+ "confirmOverwrite": "'{0}' already exists. Do you want to replace it?",
+ "irreversible": "A file or folder with the name '{0}' already exists in the folder '{1}'. Replacing it will overwrite its current contents.",
+ "replaceButtonLabel": "&&Replace"
+ },
+ "vs/workbench/services/textfile/common/textFileEditorModelManager": {
+ "genericSaveError": "Failed to save '{0}': {1}"
+ },
+ "vs/workbench/services/textfile/common/textFileEditorModel": {
+ "saveFileFirst": "The file is dirty. Please save it first before reopening it with another encoding."
+ },
+ "vs/workbench/services/textfile/common/textFileSaveParticipant": {
+ "saveParticipants": "Saving '{0}'"
+ },
+ "vs/workbench/services/textMate/browser/abstractTextMateService": {
+ "invalid.language": "Unknown language in `contributes.{0}.language`. Provided value: {1}",
+ "invalid.scopeName": "Expected string in `contributes.{0}.scopeName`. Provided value: {1}",
+ "invalid.path.0": "Expected string in `contributes.{0}.path`. Provided value: {1}",
+ "invalid.injectTo": "Invalid value in `contributes.{0}.injectTo`. Must be an array of language scope names. Provided value: {1}",
+ "invalid.embeddedLanguages": "Invalid value in `contributes.{0}.embeddedLanguages`. Must be an object map from scope name to language. Provided value: {1}",
+ "invalid.tokenTypes": "Invalid value in `contributes.{0}.tokenTypes`. Must be an object map from scope name to token type. Provided value: {1}",
+ "invalid.path.1": "Expected `contributes.{0}.path` ({1}) to be included inside extension's folder ({2}). This might make the extension non-portable.",
+ "too many characters": "Tokenization is skipped for long lines for performance reasons. The length of a long line can be configured via `editor.maxTokenizationLineLength`.",
+ "neverAgain": "Don't Show Again"
+ },
+ "vs/workbench/services/textMate/common/TMGrammarFactory": {
+ "no-tm-grammar": "No TM Grammar registered for this language."
+ },
+ "vs/workbench/services/textMate/common/TMGrammars": {
+ "vscode.extension.contributes.grammars": "Contributes textmate tokenizers.",
+ "vscode.extension.contributes.grammars.language": "Language identifier for which this syntax is contributed to.",
+ "vscode.extension.contributes.grammars.scopeName": "Textmate scope name used by the tmLanguage file.",
+ "vscode.extension.contributes.grammars.path": "Path of the tmLanguage file. The path is relative to the extension folder and typically starts with './syntaxes/'.",
+ "vscode.extension.contributes.grammars.embeddedLanguages": "A map of scope name to language id if this grammar contains embedded languages.",
+ "vscode.extension.contributes.grammars.tokenTypes": "A map of scope name to token types.",
+ "vscode.extension.contributes.grammars.injectTo": "List of language scope names to which this grammar is injected to."
+ },
+ "vs/workbench/services/themes/common/colorExtensionPoint": {
+ "contributes.color": "Contributes extension defined themable colors",
+ "contributes.color.id": "The identifier of the themable color",
+ "contributes.color.id.format": "Identifiers should be in the form aa[.bb]*",
+ "contributes.color.description": "The description of the themable colour",
+ "contributes.defaults.light": "The default color for light themes. Either a color value in hex (#RRGGBB[AA]) or the identifier of a themable color which provides the default.",
+ "contributes.defaults.dark": "The default colour for dark themes. Either a colour value in hex (#RRGGBB[AA]) or the identifier of a themable colour which provides the default.",
+ "contributes.defaults.highContrast": "The default color for high contrast themes. Either a color value in hex (#RRGGBB[AA]) or the identifier of a themable color which provides the default.",
+ "invalid.colorConfiguration": "'configuration.colors' must be a array",
+ "invalid.default.colorType": "{0} must be either a colour value in hex (#RRGGBB[AA] or #RGB[A]) or the identifier of a themable colour which provides the default.",
+ "invalid.id": "'configuration.colors.id' must be defined and can not be empty",
+ "invalid.id.format": "'configuration.colors.id' must follow the word[.word]*",
+ "invalid.description": "'configuration.colors.description' must be defined and can not be empty",
+ "invalid.defaults": "'configuration.colors.defaults' must be defined and must contain 'light', 'dark' and 'highContrast'"
+ },
+ "vs/workbench/services/themes/browser/workbenchThemeService": {
+ "error.cannotloadtheme": "Unable to load {0}: {1}"
+ },
+ "vs/workbench/services/themes/common/tokenClassificationExtensionPoint": {
+ "contributes.semanticTokenTypes": "Contributes semantic token types.",
+ "contributes.semanticTokenTypes.id": "The identifier of the semantic token type",
+ "contributes.semanticTokenTypes.id.format": "Identifiers should be in the form letterOrDigit[_-letterOrDigit]*",
+ "contributes.semanticTokenTypes.superType": "The super type of the semantic token type",
+ "contributes.semanticTokenTypes.superType.format": "Super types should be in the form letterOrDigit[_-letterOrDigit]*",
+ "contributes.color.description": "The description of the semantic token type",
+ "contributes.semanticTokenModifiers": "Contributes semantic token modifiers.",
+ "contributes.semanticTokenModifiers.id": "The identifier of the semantic token modifier",
+ "contributes.semanticTokenModifiers.id.format": "Identifiers should be in the form letterOrDigit[_-letterOrDigit]*",
+ "contributes.semanticTokenModifiers.description": "The description of the semantic token modifier",
+ "contributes.semanticTokenScopes": "Contributes semantic token scope maps.",
+ "contributes.semanticTokenScopes.languages": "Lists the languge for which the defaults are.",
+ "contributes.semanticTokenScopes.scopes": "Maps a semantic token (described by semantic token selector) to one or more textMate scopes used to represent that token.",
+ "invalid.id": "'configuration.{0}.id' must be defined and can not be empty",
+ "invalid.id.format": "'configuration.{0}.id' must follow the pattern letterOrDigit[-_letterOrDigit]*",
+ "invalid.superType.format": "'configuration.{0}.superType' must follow the pattern letterOrDigit[-_letterOrDigit]*",
+ "invalid.description": "'configuration.{0}.description' must be defined and can not be empty",
+ "invalid.semanticTokenTypeConfiguration": "'configuration.semanticTokenType' must be an array",
+ "invalid.semanticTokenModifierConfiguration": "'configuration.semanticTokenModifier' must be an array",
+ "invalid.semanticTokenScopes.configuration": "'configuration.semanticTokenScopes' must be an array",
+ "invalid.semanticTokenScopes.language": "'configuration.semanticTokenScopes.language' must be a string",
+ "invalid.semanticTokenScopes.scopes": "'configuration.semanticTokenScopes.scopes' must be defined as an object",
+ "invalid.semanticTokenScopes.scopes.value": "'configuration.semanticTokenScopes.scopes' values must be an array of strings",
+ "invalid.semanticTokenScopes.scopes.selector": "configuration.semanticTokenScopes.scopes': Problems parsing selector {0}."
+ },
+ "vs/workbench/services/themes/browser/productIconThemeData": {
+ "defaultTheme": "Default",
+ "error.cannotparseicontheme": "Problems parsing product icons file: {0}",
+ "error.invalidformat": "Invalid format for product icons theme file: Object expected.",
+ "error.missingProperties": "Invalid format for product icons theme file: Must contain iconDefinitions and fonts."
+ },
+ "vs/workbench/services/themes/common/colorThemeSchema": {
+ "schema.token.settings": "Colors and styles for the token.",
+ "schema.token.foreground": "Foreground colour for the token.",
+ "schema.token.background.warning": "Token background colors are currently not supported.",
+ "schema.token.fontStyle": "Font style of the rule: 'italic', 'bold' or 'underline' or a combination. The empty string unsets inherited settings.",
+ "schema.fontStyle.error": "Font style must be 'italic', 'bold' or 'underline' or a combination or the empty string.",
+ "schema.token.fontStyle.none": "None (clear inherited style)",
+ "schema.properties.name": "Description of the rule.",
+ "schema.properties.scope": "Scope selector against which this rule matches.",
+ "schema.workbenchColors": "Colors in the workbench",
+ "schema.tokenColors.path": "Path to a tmTheme file (relative to the current file).",
+ "schema.colors": "Colors for syntax highlighting",
+ "schema.supportsSemanticHighlighting": "Whether semantic highlighting should be enabled for this theme.",
+ "schema.semanticTokenColors": "Colors for semantic tokens"
+ },
+ "vs/workbench/services/themes/common/productIconThemeSchema": {
+ "schema.fonts": "Fonts that are used in the icon definitions.",
+ "schema.id": "The ID of the font.",
+ "schema.src": "The location of the font.",
+ "schema.font-path": "The font path, relative to the current workbench icon theme file.",
+ "schema.font-format": "The format of the font.",
+ "schema.font-weight": "The weight of the font.",
+ "schema.font-sstyle": "The style of the font.",
+ "schema.font-size": "The default size of the font.",
+ "schema.iconDefinitions": "Assocation of icon name to a font character."
+ },
+ "vs/workbench/services/themes/common/fileIconThemeSchema": {
+ "schema.folderExpanded": "The folder icon for expanded folders. The expanded folder icon is optional. If not set, the icon defined for folder will be shown.",
+ "schema.folder": "The folder icon for collapsed folders, and if folderExpanded is not set, also for expanded folders.",
+ "schema.file": "The default file icon, shown for all files that don't match any extension, filename or language ID.",
+ "schema.folderNames": "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.",
+ "schema.folderName": "The ID of the icon definition for the association.",
+ "schema.folderNamesExpanded": "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.",
+ "schema.folderNameExpanded": "The ID of the icon definition for the association.",
+ "schema.fileExtensions": "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.",
+ "schema.fileExtension": "The ID of the icon definition for the association.",
+ "schema.fileNames": "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.",
+ "schema.fileName": "The ID of the icon definition for the association.",
+ "schema.languageIds": "Associates languages to icons. The object key is the language id as defined in the language contribution point.",
+ "schema.languageId": "The ID of the icon definition for the association.",
+ "schema.fonts": "Fonts that are used in the icon definitions.",
+ "schema.id": "The ID of the font.",
+ "schema.src": "The location of the font.",
+ "schema.font-path": "The font path, relative to the current icon theme file.",
+ "schema.font-format": "The format of the font.",
+ "schema.font-weight": "The weight of the font.",
+ "schema.font-sstyle": "The style of the font.",
+ "schema.font-size": "The default size of the font.",
+ "schema.iconDefinitions": "Description of all icons that can be used when associating files to icons.",
+ "schema.iconDefinition": "An icon definition. The object key is the ID of the definition.",
+ "schema.iconPath": "When using a SVG or PNG: The path to the image. The path is relative to the icon set file.",
+ "schema.fontCharacter": "When using a glyph font: The character in the font to use.",
+ "schema.fontColor": "When using a glyph font: The color to use.",
+ "schema.fontSize": "When using a font: The font size in percentage to the text font. If not set, defaults to the size in the font definition.",
+ "schema.fontId": "When using a font: The id of the font. If not set, defaults to the first font definition.",
+ "schema.light": "Optional associations for file icons in light color themes.",
+ "schema.highContrast": "Optional associations for file icons in high contrast color themes.",
+ "schema.hidesExplorerArrows": "Configures whether the file explorer's arrows should be hidden when this theme is active."
+ },
+ "vs/workbench/services/themes/browser/fileIconThemeData": {
+ "error.cannotparseicontheme": "Problems parsing file icons file: {0}",
+ "error.invalidformat": "Invalid format for file icons theme file: Object expected."
+ },
+ "vs/workbench/services/themes/common/themeConfiguration": {
+ "colorTheme": "Specifies the color theme used in the workbench.",
+ "colorThemeError": "Theme is unknown or not installed.",
+ "preferredDarkColorTheme": "Specifies the preferred color theme for dark OS appearance when '{0}' is enabled.",
+ "preferredLightColorTheme": "Specifies the preferred color theme for light OS appearance when '{0}' is enabled.",
+ "preferredHCColorTheme": "Specifies the preferred color theme used in high contrast mode when '{0}' is enabled.",
+ "detectColorScheme": "If set, automatically switch to the preferred color theme based on the OS appearance.",
+ "workbenchColors": "Overrides colours from the currently selected colour theme.",
+ "iconTheme": "Specifies the file icon theme used in the workbench or 'null' to not show any file icons.",
+ "noIconThemeDesc": "No file icons",
+ "iconThemeError": "File icon theme is unknown or not installed.",
+ "workbenchIconTheme": "Specifies the workbench icon theme used.",
+ "defaultWorkbenchIconThemeDesc": "Default",
+ "workbenchIconThemeError": "Workbench icon theme is unknown or not installed.",
+ "editorColors.comments": "Sets the colours and styles for comments",
+ "editorColors.strings": "Sets the colors and styles for strings literals.",
+ "editorColors.keywords": "Sets the colors and styles for keywords.",
+ "editorColors.numbers": "Sets the colors and styles for number literals.",
+ "editorColors.types": "Sets the colors and styles for type declarations and references.",
+ "editorColors.functions": "Sets the colors and styles for functions declarations and references.",
+ "editorColors.variables": "Sets the colors and styles for variables declarations and references.",
+ "editorColors.textMateRules": "Sets colors and styles using textmate theming rules (advanced).",
+ "editorColors.semanticHighlighting": "Whether semantic highlighting should be enabled for this theme.",
+ "editorColors": "Overrides editor colors and font style from the currently selected color theme.",
+ "editorColorsTokenStyles": "Overrides token colour and styles from the currently selected colour theme."
+ },
+ "vs/workbench/services/themes/common/themeExtensionPoints": {
+ "vscode.extension.contributes.themes": "Contributes textmate color themes.",
+ "vscode.extension.contributes.themes.id": "Id of the color theme as used in the user settings.",
+ "vscode.extension.contributes.themes.label": "Label of the color theme as shown in the UI.",
+ "vscode.extension.contributes.themes.uiTheme": "Base theme defining the colours around the editor: 'vs' is the light colour theme, 'vs-dark' is the dark colour theme. 'hc-black' is the dark high contrast theme.",
+ "vscode.extension.contributes.themes.path": "Path of the tmTheme file. The path is relative to the extension folder and is typically './colorthemes/awesome-color-theme.json'.",
+ "vscode.extension.contributes.iconThemes": "Contributes file icon themes.",
+ "vscode.extension.contributes.iconThemes.id": "Id of the file icon theme as used in the user settings.",
+ "vscode.extension.contributes.iconThemes.label": "Label of the file icon theme as shown in the UI.",
+ "vscode.extension.contributes.iconThemes.path": "Path of the file icon theme definition file. The path is relative to the extension folder and is typically './fileicons/awesome-icon-theme.json'.",
+ "vscode.extension.contributes.productIconThemes": "Contributes product icon themes.",
+ "vscode.extension.contributes.productIconThemes.id": "Id of the product icon theme as used in the user settings.",
+ "vscode.extension.contributes.productIconThemes.label": "Label of the product icon theme as shown in the UI.",
+ "vscode.extension.contributes.productIconThemes.path": "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'.",
+ "reqarray": "Extension point `{0}` must be an array.",
+ "reqpath": "Expected string in `contributes.{0}.path`. Provided value: {1}",
+ "reqid": "Expected string in `contributes.{0}.id`. Provided value: {1}",
+ "invalid.path.1": "Expected `contributes.{0}.path` ({1}) to be included inside extension's folder ({2}). This might make the extension non-portable."
+ },
+ "vs/workbench/services/themes/common/colorThemeData": {
+ "error.cannotparsejson": "Problems parsing JSON theme file: {0}",
+ "error.invalidformat": "Invalid format for JSON theme file: Object expected.",
+ "error.invalidformat.colors": "Problem parsing colour theme file: {0}. Property 'colors' is not of type 'object'.",
+ "error.invalidformat.tokenColors": "Problem parsing colour theme file: {0}. Property 'tokenColors' should be either an array specifying colours or a path to a TextMate theme file",
+ "error.invalidformat.semanticTokenColors": "Problem parsing color theme file: {0}. Property 'semanticTokenColors' conatains a invalid selector",
+ "error.plist.invalidformat": "Problem parsing tmTheme file: {0}. 'settings' is not array.",
+ "error.cannotparse": "Problems parsing tmTheme file: {0}",
+ "error.cannotload": "Problems loading tmTheme file {0}: {1}"
+ },
+ "vs/workbench/services/userData/common/settingsSync": {
+ "Settings Conflicts": "Local ↔ Remote (Settings Conflicts)",
+ "errorInvalidSettings": "Unable to sync settings. Please resolve conflicts without any errors/warnings and try again."
+ },
+ "vs/workbench/services/userDataSync/common/userDataSyncUtil": {
+ "select extensions": "Sync: Select Extensions to Sync",
+ "choose extensions to sync": "Choose extensions to sync"
+ },
+ "vs/workbench/services/workingCopy/common/workingCopyFileOperationParticipant": {
+ "msg-create": "Running 'File Create' participants...",
+ "msg-rename": "Running 'File Rename' participants...",
+ "msg-copy": "Running 'File Copy' participants...",
+ "msg-delete": "Running 'File Delete' participants..."
+ },
+ "vs/workbench/services/workspace/electron-browser/workspaceEditingService": {
+ "workspaceOpenedMessage": "Unable to save workspace '{0}'",
+ "ok": "OK",
+ "workspaceOpenedDetail": "The workspace is already opened in another window. Please close that window first and then try again."
+ },
+ "vs/workbench/services/workspace/browser/workspaceEditingService": {
+ "save": "Save",
+ "doNotSave": "Don't Save",
+ "cancel": "Cancel",
+ "saveWorkspaceMessage": "Do you want to save your workspace configuration as a file?",
+ "saveWorkspaceDetail": "Save your workspace if you plan to open it again.",
+ "saveWorkspace": "Save Workspace",
+ "differentSchemeRoots": "Workspace folders from different providers are not allowed in the same workspace.",
+ "errorInvalidTaskConfiguration": "Unable to write into workspace configuration file. Please open the file to correct errors/warnings in it and try again.",
+ "errorWorkspaceConfigurationFileDirty": "Unable to write into workspace configuration file because the file is dirty. Please save it and try again.",
+ "openWorkspaceConfigurationFile": "Open Workspace Configuration"
+ },
+ "vs/workbench/services/workspaces/electron-browser/workspaceEditingService": {
+ "save": "Save",
+ "doNotSave": "Don't Save",
+ "cancel": "Cancel",
+ "saveWorkspaceMessage": "Do you want to save your workspace configuration as a file?",
+ "saveWorkspaceDetail": "Save your workspace if you plan to open it again.",
+ "workspaceOpenedMessage": "Unable to save workspace '{0}'",
+ "ok": "OK",
+ "workspaceOpenedDetail": "The workspace is already opened in another window. Please close that window first and then try again."
+ },
+ "vs/workbench/services/workspaces/browser/abstractWorkspaceEditingService": {
+ "save": "Save",
+ "saveWorkspace": "Save Workspace",
+ "differentSchemeRoots": "Workspace folders from different providers are not allowed in the same workspace.",
+ "errorInvalidTaskConfiguration": "Unable to write into workspace configuration file. Please open the file to correct errors/warnings in it and try again.",
+ "errorWorkspaceConfigurationFileDirty": "Unable to write into workspace configuration file because the file is dirty. Please save it and try again.",
+ "openWorkspaceConfigurationFile": "Open Workspace Configuration"
+ }
+}
diff --git a/internal/vite-plugin-monaco-editor-nls/src/locale/es.json b/internal/vite-plugin-monaco-editor-nls/src/locale/es.json
new file mode 100644
index 0000000..4079487
--- /dev/null
+++ b/internal/vite-plugin-monaco-editor-nls/src/locale/es.json
@@ -0,0 +1,8306 @@
+{
+ "vs/base/common/date": {
+ "date.fromNow.in": "en {0}",
+ "date.fromNow.now": "Ahora",
+ "date.fromNow.seconds.singular.ago": "hace {0} seg",
+ "date.fromNow.seconds.plural.ago": "hace {0} segundos",
+ "date.fromNow.seconds.singular": "{0} seg",
+ "date.fromNow.seconds.plural": "{0} segundos",
+ "date.fromNow.minutes.singular.ago": "hace {0} minutos",
+ "date.fromNow.minutes.plural.ago": "hace {0} minutos",
+ "date.fromNow.minutes.singular": "{0} min",
+ "date.fromNow.minutes.plural": "{0} minutos",
+ "date.fromNow.hours.singular.ago": "hace {0} hora",
+ "date.fromNow.hours.plural.ago": "hace {0} horas",
+ "date.fromNow.hours.singular": "{0} h",
+ "date.fromNow.hours.plural": "{0} h",
+ "date.fromNow.days.singular.ago": "hace {0} día",
+ "date.fromNow.days.plural.ago": "hace {0} días",
+ "date.fromNow.days.singular": "{0} día",
+ "date.fromNow.days.plural": "{0} días",
+ "date.fromNow.weeks.singular.ago": "hace {0} semana",
+ "date.fromNow.weeks.plural.ago": "hace {0} semanas",
+ "date.fromNow.weeks.singular": "{0} semana",
+ "date.fromNow.weeks.plural": "{0} semanas",
+ "date.fromNow.months.singular.ago": "hace {0} mo",
+ "date.fromNow.months.plural.ago": "hace {0} meses",
+ "date.fromNow.months.singular": "{0} mes",
+ "date.fromNow.months.plural": "{0} mos",
+ "date.fromNow.years.singular.ago": "hace {0} año",
+ "date.fromNow.years.plural.ago": "hace {0} años",
+ "date.fromNow.years.singular": "{0} año",
+ "date.fromNow.years.plural": "{0} años"
+ },
+ "vs/base/common/codicons": {
+ "dropDownButton": "Icono para los botones desplegables."
+ },
+ "vs/base/common/actions": {
+ "submenu.empty": "(vacío)"
+ },
+ "vs/base/node/processes": {
+ "TaskRunner.UNC": "No se puede ejecutar un comando shell en una unidad UNC. "
+ },
+ "vs/base/common/errorMessage": {
+ "stackTrace.format": "{0}: {1}",
+ "nodeExceptionMessage": "Error del sistema ({0})",
+ "error.defaultMessage": "Se ha producido un error desconocido. Consulte el registro para obtener más detalles.",
+ "error.moreErrors": "{0} ({1} errores en total)"
+ },
+ "vs/base/node/zip": {
+ "invalid file": "Error al extraer {0}. Archivo no válido.",
+ "incompleteExtract": "Incompleta. Se encontró {0} de {1} entradas",
+ "notFound": "{0} no se encontró dentro del archivo zip."
+ },
+ "vs/base/browser/ui/dialog/dialog": {
+ "ok": "Aceptar",
+ "dialogInfoMessage": "Información",
+ "dialogErrorMessage": "Error",
+ "dialogWarningMessage": "Advertencia",
+ "dialogPendingMessage": "En curso",
+ "dialogClose": "Cerrar cuadro de diálogo"
+ },
+ "vs/base/browser/ui/actionbar/actionViewItems": {
+ "titleLabel": "{0} ({1})"
+ },
+ "vs/base/browser/ui/keybindingLabel/keybindingLabel": {
+ "unbound": "Sin enlazar"
+ },
+ "vs/base/browser/ui/menu/menubar": {
+ "mAppMenu": "Menú de aplicaciones",
+ "mMore": "más"
+ },
+ "vs/base/browser/ui/menu/menu": {
+ "titleLabel": "{0} ({1})"
+ },
+ "vs/base/common/jsonErrorMessages": {
+ "error.invalidSymbol": "Símbolo no válido",
+ "error.invalidNumberFormat": "Formato numérico inválido",
+ "error.propertyNameExpected": "Se esperaba el nombre de la propiedad",
+ "error.valueExpected": "Se esperaba un valor",
+ "error.colonExpected": "Se esperaban dos puntos",
+ "error.commaExpected": "Se esperaba una coma",
+ "error.closeBraceExpected": "Se esperaba una llave de cierre",
+ "error.closeBracketExpected": "Se esperaba un corchete de cierre",
+ "error.endOfFileExpected": "Se esperaba el final del archivo."
+ },
+ "vs/base/common/keybindingLabels": {
+ "ctrlKey": "Ctrl",
+ "shiftKey": "Mayús",
+ "altKey": "Alt",
+ "windowsKey": "Windows",
+ "superKey": "Super",
+ "ctrlKey.long": "Control",
+ "shiftKey.long": "Mayús",
+ "altKey.long": "Alt",
+ "cmdKey.long": "Comando",
+ "windowsKey.long": "Windows",
+ "superKey.long": "Super"
+ },
+ "vs/base/browser/ui/tree/abstractTree": {
+ "clear": "Borrar",
+ "disable filter on type": "Desactivar filtro en tipo",
+ "enable filter on type": "Activar filtro en el tipo",
+ "empty": "No se encontraron elementos",
+ "found": "{0} de {1} elementos coincidentes"
+ },
+ "vs/base/browser/ui/tree/treeDefaults": {
+ "collapse all": "Contraer todo"
+ },
+ "vs/base/browser/ui/toolbar/toolbar": {
+ "moreActions": "Más Acciones..."
+ },
+ "vs/base/browser/ui/splitview/paneview": {
+ "viewSection": "Sección {0}"
+ },
+ "vs/base/browser/ui/inputbox/inputBox": {
+ "alertErrorMessage": "Error: {0}",
+ "alertWarningMessage": "Advertencia: {0}",
+ "alertInfoMessage": "Información: {0}"
+ },
+ "vs/base/parts/quickinput/browser/quickInput": {
+ "backButtonIcon": "Icono del botón Atrás en el cuadro de diálogo de entrada rápida.",
+ "quickInput.back": "Atrás",
+ "quickInput.steps": "{0}/{1}",
+ "quickInputBox.ariaLabel": "Escriba para restringir los resultados.",
+ "inputModeEntry": "Presione \"Entrar\" para confirmar su entrada o \"Esc\" para cancelar",
+ "inputModeEntryDescription": "{0} (Presione \"Entrar\" para confirmar o \"Esc\" para cancelar)",
+ "quickInput.visibleCount": "{0} resultados",
+ "quickInput.countSelected": "{0} seleccionados",
+ "ok": "Aceptar",
+ "custom": "Personalizado",
+ "quickInput.backWithKeybinding": "Atrás ({0})"
+ },
+ "vs/base/browser/ui/findinput/findInput": {
+ "defaultLabel": "entrada"
+ },
+ "vs/base/browser/ui/findinput/replaceInput": {
+ "defaultLabel": "entrada",
+ "label.preserveCaseCheckbox": "Conservar may/min"
+ },
+ "vs/base/browser/ui/findinput/findInputCheckboxes": {
+ "caseDescription": "Coincidir mayúsculas y minúsculas",
+ "wordsDescription": "Solo palabras completas",
+ "regexDescription": "Usar expresión regular"
+ },
+ "vs/base/parts/quickinput/browser/quickInputList": {
+ "quickInput": "Entrada rápida"
+ },
+ "vs/base/browser/ui/selectBox/selectBoxCustom": {
+ "selectBox": "Seleccionar cuadro"
+ },
+ "vs/editor/browser/editorExtensions": {
+ "miUndo": "&&Deshacer",
+ "undo": "Deshacer",
+ "miRedo": "&&Rehacer",
+ "redo": "Rehacer",
+ "miSelectAll": "&&Seleccionar todo",
+ "selectAll": "Seleccionar todo"
+ },
+ "vs/editor/common/modes/modesRegistry": {
+ "plainText.alias": "Texto sin formato"
+ },
+ "vs/editor/common/config/editorOptions": {
+ "accessibilitySupport.auto": "El editor usará API de plataforma para detectar cuándo está conectado un lector de pantalla.",
+ "accessibilitySupport.on": "El editor se optimizará de forma permanente para su uso con un lector de pantalla. El ajuste de líneas se deshabilitará.",
+ "accessibilitySupport.off": "El editor nunca se optimizará para su uso con un lector de pantalla.",
+ "accessibilitySupport": "Controla si el editor se debe ejecutar en un modo optimizado para lectores de pantalla. Si se activa, se deshabilitará el ajuste de líneas.",
+ "comments.insertSpace": "Controla si se inserta un carácter de espacio al comentar.",
+ "comments.ignoreEmptyLines": "Controla si las líneas vacías deben ignorarse con la opción de alternar, agregar o quitar acciones para los comentarios de línea.",
+ "emptySelectionClipboard": "Controla si al copiar sin selección se copia la línea actual.",
+ "find.cursorMoveOnType": "Controla si el cursor debe saltar para buscar coincidencias mientras se escribe.",
+ "find.seedSearchStringFromSelection": "Controla si la cadena de búsqueda del widget de búsqueda se inicializa desde la selección del editor.",
+ "editor.find.autoFindInSelection.never": "No activar nunca Buscar en la selección automáticamente (predeterminado)",
+ "editor.find.autoFindInSelection.always": "Activar siempre automáticamente Buscar en la selección",
+ "editor.find.autoFindInSelection.multiline": "Active Buscar en la selección automáticamente cuando se seleccionen varias líneas de contenido.",
+ "find.autoFindInSelection": "Controla la condición para activar la búsqueda en la selección de forma automática.",
+ "find.globalFindClipboard": "Controla si el widget de búsqueda debe leer o modificar el Portapapeles de búsqueda compartido en macOS.",
+ "find.addExtraSpaceOnTop": "Controla si Encontrar widget debe agregar más líneas en la parte superior del editor. Si es true, puede desplazarse más allá de la primera línea cuando Encontrar widget está visible.",
+ "find.loop": "Controla si la búsqueda se reinicia automáticamente desde el principio (o el final) cuando no se encuentran más coincidencias.",
+ "fontLigatures": "Habilita o deshabilita las ligaduras tipográficas (características de fuente \"calt\" y \"liga\"). Cámbielo a una cadena para el control específico de la propiedad de CSS \"font-feature-settings\".",
+ "fontFeatureSettings": "Propiedad de CSS \"font-feature-settings\" explícita. En su lugar, puede pasarse un valor booleano si solo es necesario activar o desactivar las ligaduras.",
+ "fontLigaturesGeneral": "Configura las ligaduras tipográficas o las características de fuente. Puede ser un valor booleano para habilitar o deshabilitar las ligaduras o bien una cadena para el valor de la propiedad \"font-feature-settings\" de CSS.",
+ "fontSize": "Controla el tamaño de fuente en píxeles.",
+ "fontWeightErrorMessage": "Solo se permiten las palabras clave \"normal\" y \"negrita\" o los números entre 1 y 1000.",
+ "fontWeight": "Controla el grosor de la fuente. Acepta las palabras clave \"normal\" y \"negrita\" o los números entre 1 y 1000.",
+ "editor.gotoLocation.multiple.peek": "Mostrar vista de inspección de los resultados (predeterminado)",
+ "editor.gotoLocation.multiple.gotoAndPeek": "Ir al resultado principal y mostrar una vista de inspección",
+ "editor.gotoLocation.multiple.goto": "Vaya al resultado principal y habilite la navegación sin peek para otros",
+ "editor.gotoLocation.multiple.deprecated": "Esta configuración está en desuso. Use configuraciones separadas como \"editor.editor.gotoLocation.multipleDefinitions\" o \"editor.editor.gotoLocation.multipleImplementations\" en su lugar.",
+ "editor.editor.gotoLocation.multipleDefinitions": "Controla el comportamiento del comando \"Ir a definición\" cuando existen varias ubicaciones de destino.",
+ "editor.editor.gotoLocation.multipleTypeDefinitions": "Controla el comportamiento del comando \"Ir a definición de tipo\" cuando existen varias ubicaciones de destino.",
+ "editor.editor.gotoLocation.multipleDeclarations": "Controla el comportamiento del comando \"Ir a declaración\" cuando existen varias ubicaciones de destino.",
+ "editor.editor.gotoLocation.multipleImplemenattions": "Controla el comportamiento del comando \"Ir a implementaciones\" cuando existen varias ubicaciones de destino.",
+ "editor.editor.gotoLocation.multipleReferences": "Controla el comportamiento del comando \"Ir a referencias\" cuando existen varias ubicaciones de destino.",
+ "alternativeDefinitionCommand": "Identificador de comando alternativo que se ejecuta cuando el resultado de \"Ir a definición\" es la ubicación actual.",
+ "alternativeTypeDefinitionCommand": "Id. de comando alternativo que se está ejecutando cuando el resultado de \"Ir a definición de tipo\" es la ubicación actual.",
+ "alternativeDeclarationCommand": "Id. de comando alternativo que se está ejecutando cuando el resultado de \"Ir a declaración\" es la ubicación actual.",
+ "alternativeImplementationCommand": "Id. de comando alternativo que se está ejecutando cuando el resultado de \"Ir a implementación\" es la ubicación actual.",
+ "alternativeReferenceCommand": "Identificador de comando alternativo que se ejecuta cuando el resultado de \"Ir a referencia\" es la ubicación actual.",
+ "hover.enabled": "Controla si se muestra la información al mantener el puntero sobre un elemento.",
+ "hover.delay": "Controla el retardo en milisegundos después del cual se muestra la información al mantener el puntero sobre un elemento.",
+ "hover.sticky": "Controla si la información que aparece al mantener el puntero sobre un elemento permanece visible al mover el mouse sobre este.",
+ "codeActions": "Habilita la bombilla de acción de código en el editor.",
+ "lineHeight": "Controla la altura de línea. Usa 0 para utilizar la altura del tamaño de fuente.",
+ "minimap.enabled": "Controla si se muestra el minimapa.",
+ "minimap.size.proportional": "El minimapa tiene el mismo tamaño que el contenido del editor (y podría desplazarse).",
+ "minimap.size.fill": "El minimapa se estirará o reducirá según sea necesario para ocupar la altura del editor (sin desplazamiento).",
+ "minimap.size.fit": "El minimapa se reducirá según sea necesario para no ser nunca más grande que el editor (sin desplazamiento).",
+ "minimap.size": "Controla el tamaño del minimapa.",
+ "minimap.side": "Controla en qué lado se muestra el minimapa.",
+ "minimap.showSlider": "Controla cuándo se muestra el control deslizante del minimapa.",
+ "minimap.scale": "Escala del contenido dibujado en el minimapa: 1, 2 o 3.",
+ "minimap.renderCharacters": "Represente los caracteres reales en una línea, por oposición a los bloques de color.",
+ "minimap.maxColumn": "Limite el ancho del minimapa para representar como mucho un número de columnas determinado.",
+ "padding.top": "Controla la cantidad de espacio entre el borde superior del editor y la primera línea.",
+ "padding.bottom": "Controla el espacio entre el borde inferior del editor y la última línea.",
+ "parameterHints.enabled": "Habilita un elemento emergente que muestra documentación de los parámetros e información de los tipos mientras escribe.",
+ "parameterHints.cycle": "Controla si el menú de sugerencias de parámetros se cicla o se cierra al llegar al final de la lista.",
+ "quickSuggestions.strings": "Habilita sugerencias rápidas en las cadenas.",
+ "quickSuggestions.comments": "Habilita sugerencias rápidas en los comentarios.",
+ "quickSuggestions.other": "Habilita sugerencias rápidas fuera de las cadenas y los comentarios.",
+ "quickSuggestions": "Controla si deben mostrarse sugerencias automáticamente mientras se escribe.",
+ "lineNumbers.off": "Los números de línea no se muestran.",
+ "lineNumbers.on": "Los números de línea se muestran como un número absoluto.",
+ "lineNumbers.relative": "Los números de línea se muestran como distancia en líneas a la posición del cursor.",
+ "lineNumbers.interval": "Los números de línea se muestran cada 10 líneas.",
+ "lineNumbers": "Controla la visualización de los números de línea.",
+ "rulers.size": "Número de caracteres monoespaciales en los que se representará esta regla del editor.",
+ "rulers.color": "Color de esta regla del editor.",
+ "rulers": "Muestra reglas verticales después de un cierto número de caracteres monoespaciados. Usa múltiples valores para mostrar múltiples reglas. Si la matriz está vacía, no se muestran reglas.",
+ "suggest.insertMode.insert": "Inserte la sugerencia sin sobrescribir el texto a la derecha del cursor.",
+ "suggest.insertMode.replace": "Inserte la sugerencia y sobrescriba el texto a la derecha del cursor.",
+ "suggest.insertMode": "Controla si las palabras se sobrescriben al aceptar la finalización. Tenga en cuenta que esto depende de las extensiones que participan en esta característica.",
+ "suggest.filterGraceful": "Controla si el filtrado y la ordenación de sugerencias se tienen en cuenta para los errores ortográficos pequeños.",
+ "suggest.localityBonus": "Controla si la ordenación de palabras mejora lo que aparece cerca del cursor.",
+ "suggest.shareSuggestSelections": "Controla si las selecciones de sugerencias recordadas se comparten entre múltiples áreas de trabajo y ventanas (necesita \"#editor.suggestSelection#\").",
+ "suggest.snippetsPreventQuickSuggestions": "Controla si un fragmento de código activo impide sugerencias rápidas.",
+ "suggest.showIcons": "Controla si mostrar u ocultar iconos en sugerencias.",
+ "suggest.showStatusBar": "Controla la visibilidad de la barra de estado en la parte inferior del widget de sugerencias.",
+ "suggest.showInlineDetails": "Controla si los detalles de sugerencia se muestran incorporados con la etiqueta o solo en el widget de detalles.",
+ "suggest.maxVisibleSuggestions.dep": "La configuración está en desuso. Ahora puede cambiarse el tamaño del widget de sugerencias.",
+ "deprecated": "Esta configuración está en desuso. Use configuraciones separadas como \"editor.suggest.showKeyword\" o \"editor.suggest.showSnippets\" en su lugar.",
+ "editor.suggest.showMethods": "Cuando está habilitado, IntelliSense muestra sugerencias de tipo \"method\".",
+ "editor.suggest.showFunctions": "Cuando está habilitado, IntelliSense muestra sugerencias de \"función\".",
+ "editor.suggest.showConstructors": "Cuando está habilitado, IntelliSense muestra sugerencias de tipo \"constructor\".",
+ "editor.suggest.showFields": "Cuando está habilitado, IntelliSense muestra sugerencias de tipo \"field\".",
+ "editor.suggest.showVariables": "Cuando está habilitado, IntelliSense muestra sugerencias de tipo \"variable\".",
+ "editor.suggest.showClasss": "Cuando está habilitado, IntelliSense muestra sugerencias de tipo \"class\".",
+ "editor.suggest.showStructs": "Cuando está habilitado, IntelliSense muestra sugerencias de tipo \"struct\".",
+ "editor.suggest.showInterfaces": "Cuando está habilitado, IntelliSense muestra sugerencias de tipo \"interface\".",
+ "editor.suggest.showModules": "Cuando está habilitado, IntelliSense muestra sugerencias de tipo \"module\".",
+ "editor.suggest.showPropertys": "Cuando está habilitado, IntelliSense muestra sugerencias de tipo \"property\".",
+ "editor.suggest.showEvents": "Cuando está habilitado, IntelliSense muestra sugerencias de tipo \"event\".",
+ "editor.suggest.showOperators": "Cuando está habilitado, IntelliSense muestra sugerencias de tipo \"operator\".",
+ "editor.suggest.showUnits": "Cuando está habilitado, IntelliSense muestra sugerencias de tipo \"unit\".",
+ "editor.suggest.showValues": "Cuando está habilitado, IntelliSense muestra sugerencias de \"value\".",
+ "editor.suggest.showConstants": "Cuando está habilitado, IntelliSense muestra sugerencias de tipo \"constant\".",
+ "editor.suggest.showEnums": "Cuando está habilitado, IntelliSense muestra sugerencias de tipo \"enum\".",
+ "editor.suggest.showEnumMembers": "Cuando está habilitado, IntelliSense muestra sugerencias de tipo \"enumMember\".",
+ "editor.suggest.showKeywords": "Cuando está habilitado, IntelliSense muestra sugerencias de tipo \"keyword\".",
+ "editor.suggest.showTexts": "Si está habilitado, IntelliSense muestra sugerencias de tipo \"text\".",
+ "editor.suggest.showColors": "Cuando está habilitado, IntelliSense muestra sugerencias de \"color\".",
+ "editor.suggest.showFiles": "Cuando está habilitado, IntelliSense muestra sugerencias de tipo \"file\".",
+ "editor.suggest.showReferences": "Cuando está habilitado, IntelliSense muestra sugerencias de tipo \"reference\".",
+ "editor.suggest.showCustomcolors": "Cuando está habilitado, IntelliSense muestra sugerencias de tipo \"customcolor\".",
+ "editor.suggest.showFolders": "Si está habilitado, IntelliSense muestra sugerencias de tipo \"folder\".",
+ "editor.suggest.showTypeParameters": "Cuando está habilitado, IntelliSense muestra sugerencias de tipo \"typeParameter\".",
+ "editor.suggest.showSnippets": "Cuando está habilitado, IntelliSense muestra sugerencias de tipo \"snippet\".",
+ "editor.suggest.showUsers": "Cuando está habilitado, IntelliSense muestra sugerencias del usuario.",
+ "editor.suggest.showIssues": "Cuando está habilitado IntelliSense muestra sugerencias para problemas.",
+ "selectLeadingAndTrailingWhitespace": "Indica si los espacios en blanco iniciales y finales deben seleccionarse siempre.",
+ "acceptSuggestionOnCommitCharacter": "Controla si se deben aceptar sugerencias en los caracteres de confirmación. Por ejemplo, en Javascript, el punto y coma (\";\") puede ser un carácter de confirmación que acepta una sugerencia y escribe ese carácter.",
+ "acceptSuggestionOnEnterSmart": "Aceptar solo una sugerencia con \"Entrar\" cuando realiza un cambio textual.",
+ "acceptSuggestionOnEnter": "Controla si las sugerencias deben aceptarse con \"Entrar\", además de \"TAB\". Ayuda a evitar la ambigüedad entre insertar nuevas líneas o aceptar sugerencias.",
+ "accessibilityPageSize": "Controla el número de líneas en el editor que puede leer un lector de pantalla. Advertencia: Esto puede afectar al rendimiento de números superiores al predeterminado.",
+ "editorViewAccessibleLabel": "Contenido del editor",
+ "editor.autoClosingBrackets.languageDefined": "Utilizar las configuraciones del lenguaje para determinar cuándo cerrar los corchetes automáticamente.",
+ "editor.autoClosingBrackets.beforeWhitespace": "Cerrar automáticamente los corchetes cuando el cursor esté a la izquierda de un espacio en blanco.",
+ "autoClosingBrackets": "Controla si el editor debe cerrar automáticamente los corchetes después de que el usuario agregue un corchete de apertura.",
+ "editor.autoClosingOvertype.auto": "Escriba en las comillas o los corchetes solo si se insertaron automáticamente.",
+ "autoClosingOvertype": "Controla si el editor debe escribir entre comillas o corchetes.",
+ "editor.autoClosingQuotes.languageDefined": "Utilizar las configuraciones del lenguaje para determinar cuándo cerrar las comillas automáticamente. ",
+ "editor.autoClosingQuotes.beforeWhitespace": "Cerrar automáticamente las comillas cuando el cursor esté a la izquierda de un espacio en blanco. ",
+ "autoClosingQuotes": "Controla si el editor debe cerrar automáticamente las comillas después de que el usuario agrega uma comilla de apertura.",
+ "editor.autoIndent.none": "El editor no insertará la sangría automáticamente.",
+ "editor.autoIndent.keep": "El editor mantendrá la sangría de la línea actual.",
+ "editor.autoIndent.brackets": "El editor respetará la sangría de la línea actual y los corchetes definidos por el idioma.",
+ "editor.autoIndent.advanced": "El editor mantendrá la sangría de la línea actual, respetará los corchetes definidos por el idioma e invocará onEnterRules especiales definidos por idiomas.",
+ "editor.autoIndent.full": "El editor respetará la sangría de la línea actual, los corchetes definidos por idiomas y las reglas indentationRules definidas por idiomas, además de invocar reglas onEnterRules especiales.",
+ "autoIndent": "Controla si el editor debe ajustar automáticamente la sangría mientras los usuarios escriben, pegan, mueven o sangran líneas.",
+ "editor.autoSurround.languageDefined": "Use las configuraciones de idioma para determinar cuándo delimitar las selecciones automáticamente.",
+ "editor.autoSurround.quotes": "Envolver con comillas, pero no con corchetes.",
+ "editor.autoSurround.brackets": "Envolver con corchetes, pero no con comillas.",
+ "autoSurround": "Controla si el editor debe rodear automáticamente las selecciones al escribir comillas o corchetes.",
+ "stickyTabStops": "Emule el comportamiento de selección de los caracteres de tabulación al usar espacios para la sangría. La selección se aplicará a las tabulaciones.",
+ "codeLens": "Controla si el editor muestra CodeLens.",
+ "codeLensFontFamily": "Controla la familia de fuentes para CodeLens.",
+ "codeLensFontSize": "Controla el tamaño de fuente de CodeLens en píxeles. Cuando se establece en \"0\", se usa el 90 % de \"#editor.fontSize#\".",
+ "colorDecorators": "Controla si el editor debe representar el Selector de colores y los elementos Decorator de color en línea.",
+ "columnSelection": "Habilite que la selección con el mouse y las teclas esté realizando la selección de columnas.",
+ "copyWithSyntaxHighlighting": "Controla si el resaltado de sintaxis debe ser copiado al portapapeles.",
+ "cursorBlinking": "Controla el estilo de animación del cursor.",
+ "cursorSmoothCaretAnimation": "Controla si la animación suave del cursor debe estar habilitada.",
+ "cursorStyle": "Controla el estilo del cursor.",
+ "cursorSurroundingLines": "Controla el número mínimo de líneas iniciales y finales visibles que rodean al cursor. En algunos otros editores, se conoce como \"scrollOff\" o \"scrollOffset\".",
+ "cursorSurroundingLinesStyle.default": "Solo se aplica \"cursorSurroundingLines\" cuando se desencadena mediante el teclado o la API.",
+ "cursorSurroundingLinesStyle.all": "\"cursorSurroundingLines\" se aplica siempre.",
+ "cursorSurroundingLinesStyle": "Controla cuando se debe aplicar \"cursorSurroundingLines\".",
+ "cursorWidth": "Controla el ancho del cursor cuando \"#editor.cursorStyle#\" se establece en \"line\".",
+ "dragAndDrop": "Controla si el editor debe permitir mover las selecciones mediante arrastrar y colocar.",
+ "fastScrollSensitivity": "Multiplicador de la velocidad de desplazamiento al presionar \"Alt\".",
+ "folding": "Controla si el editor tiene el plegado de código habilitado.",
+ "foldingStrategy.auto": "Utilice una estrategia de plegado específica del idioma, si está disponible, de lo contrario la basada en sangría.",
+ "foldingStrategy.indentation": "Utilice la estrategia de plegado basada en sangría.",
+ "foldingStrategy": "Controla la estrategia para calcular rangos de plegado.",
+ "foldingHighlight": "Controla si el editor debe destacar los rangos plegados.",
+ "unfoldOnClickAfterEndOfLine": "Controla si al hacer clic en el contenido vacío después de una línea plegada se desplegará la línea.",
+ "fontFamily": "Controla la familia de fuentes.",
+ "formatOnPaste": "Controla si el editor debe dar formato automáticamente al contenido pegado. Debe haber disponible un formateador capaz de aplicar formato a un rango dentro de un documento. ",
+ "formatOnType": "Controla si el editor debe dar formato a la línea automáticamente después de escribirla.",
+ "glyphMargin": "Controla si el editor debe representar el margen de glifo vertical. El margen de glifo se usa, principalmente, para depuración.",
+ "hideCursorInOverviewRuler": "Controla si el cursor debe ocultarse en la regla de información general.",
+ "highlightActiveIndentGuide": "Controla si el editor debe resaltar la guía de sangría activa.",
+ "letterSpacing": "Controla el espacio entre letras en píxeles.",
+ "linkedEditing": "Controla si el editor tiene habilitada la edición vinculada. Dependiendo del lenguaje, los símbolos relacionados (por ejemplo, las etiquetas HTML) se actualizan durante la edición.",
+ "links": "Controla si el editor debe detectar vínculos y hacerlos interactivos.",
+ "matchBrackets": "Resaltar paréntesis coincidentes.",
+ "mouseWheelScrollSensitivity": "Se usará un multiplicador en los eventos de desplazamiento de la rueda del mouse \"deltaX\" y \"deltaY\". ",
+ "mouseWheelZoom": "Ampliar la fuente del editor cuando se use la rueda del mouse mientras se presiona \"Ctrl\".",
+ "multiCursorMergeOverlapping": "Combinar varios cursores cuando se solapan.",
+ "multiCursorModifier.ctrlCmd": "Se asigna a \"Control\" en Windows y Linux y a \"Comando\" en macOS.",
+ "multiCursorModifier.alt": "Se asigna a \"Alt\" en Windows y Linux y a \"Opción\" en macOS.",
+ "multiCursorModifier": "El modificador que se usará para agregar varios cursores con el mouse. Los gestos del mouse Ir a definición y Abrir vínculo se adaptarán de modo que no entren en conflicto con el modificador multicursor. [Más información](https://code.visualstudio.com/docs/editor/codebasics#_multicursor-modifier).",
+ "multiCursorPaste.spread": "Cada cursor pega una única línea del texto.",
+ "multiCursorPaste.full": "Cada cursor pega el texto completo.",
+ "multiCursorPaste": "Controla el pegado cuando el recuento de líneas del texto pegado coincide con el recuento de cursores.",
+ "occurrencesHighlight": "Controla si el editor debe resaltar las apariciones de símbolos semánticos.",
+ "overviewRulerBorder": "Controla si debe dibujarse un borde alrededor de la regla de información general.",
+ "peekWidgetDefaultFocus.tree": "Enfocar el árbol al abrir la inspección",
+ "peekWidgetDefaultFocus.editor": "Enfocar el editor al abrir la inspección",
+ "peekWidgetDefaultFocus": "Controla si se debe enfocar el editor en línea o el árbol en el widget de vista.",
+ "definitionLinkOpensInPeek": "Controla si el gesto del mouse Ir a definición siempre abre el widget interactivo.",
+ "quickSuggestionsDelay": "Controla el retraso, en milisegundos, tras el cual aparecerán sugerencias rápidas.",
+ "renameOnType": "Controla si el editor cambia el nombre automáticamente en el tipo.",
+ "renameOnTypeDeprecate": "En desuso. Utilice \"editor.linkedEditing\" en su lugar.",
+ "renderControlCharacters": "Controla si el editor debe representar caracteres de control.",
+ "renderIndentGuides": "Controla si el editor debe representar guías de sangría.",
+ "renderFinalNewline": "Representar el número de la última línea cuando el archivo termina con un salto de línea.",
+ "renderLineHighlight.all": "Resalta el medianil y la línea actual.",
+ "renderLineHighlight": "Controla cómo debe representar el editor el resaltado de línea actual.",
+ "renderLineHighlightOnlyWhenFocus": "Controla si el editor debe representar el resaltado de la línea actual solo cuando el editor está enfocado",
+ "renderWhitespace.boundary": "Representa caracteres de espacio en blanco, excepto los espacios individuales entre palabras.",
+ "renderWhitespace.selection": "Represente los caracteres de espacio en blanco solo en el texto seleccionado.",
+ "renderWhitespace.trailing": "Representar solo los caracteres de espacio en blanco al final",
+ "renderWhitespace": "Controla la forma en que el editor debe representar los caracteres de espacio en blanco.",
+ "roundedSelection": "Controla si las selecciones deberían tener las esquinas redondeadas.",
+ "scrollBeyondLastColumn": "Controla el número de caracteres adicionales a partir del cual el editor se desplazará horizontalmente.",
+ "scrollBeyondLastLine": "Controla si el editor seguirá haciendo scroll después de la última línea.",
+ "scrollPredominantAxis": "Desplácese solo a lo largo del eje predominante cuando se desplace vertical y horizontalmente al mismo tiempo. Evita la deriva horizontal cuando se desplaza verticalmente en un trackpad.",
+ "selectionClipboard": "Controla si el portapapeles principal de Linux debe admitirse.",
+ "selectionHighlight": "Controla si el editor debe destacar las coincidencias similares a la selección.",
+ "showFoldingControls.always": "Mostrar siempre los controles de plegado.",
+ "showFoldingControls.mouseover": "Mostrar solo los controles de plegado cuando el mouse está sobre el medianil.",
+ "showFoldingControls": "Controla cuándo se muestran los controles de plegado en el medianil.",
+ "showUnused": "Controla el fundido de salida del código no usado.",
+ "showDeprecated": "Controla las variables en desuso tachadas.",
+ "snippetSuggestions.top": "Mostrar sugerencias de fragmentos de código por encima de otras sugerencias.",
+ "snippetSuggestions.bottom": "Mostrar sugerencias de fragmentos de código por debajo de otras sugerencias.",
+ "snippetSuggestions.inline": "Mostrar sugerencias de fragmentos de código con otras sugerencias.",
+ "snippetSuggestions.none": "No mostrar sugerencias de fragmentos de código.",
+ "snippetSuggestions": "Controla si se muestran los fragmentos de código con otras sugerencias y cómo se ordenan.",
+ "smoothScrolling": "Controla si el editor se desplazará con una animación.",
+ "suggestFontSize": "Tamaño de la fuente para el widget de sugerencias. Cuando se establece a `0`, se utilizará el valor `#editor.fontSize#`.",
+ "suggestLineHeight": "Altura de la línea del widget de sugerencias. Cuando se establece en \"0\", se usa el valor \"#editor.lineHeight#\". El valor mínimo es 8.",
+ "suggestOnTriggerCharacters": "Controla si deben aparecer sugerencias de forma automática al escribir caracteres desencadenadores.",
+ "suggestSelection.first": "Seleccionar siempre la primera sugerencia.",
+ "suggestSelection.recentlyUsed": "Seleccione sugerencias recientes a menos que al escribir más se seleccione una, por ejemplo, \"console.| -> console.log\" porque \"log\" se ha completado recientemente.",
+ "suggestSelection.recentlyUsedByPrefix": "Seleccione sugerencias basadas en prefijos anteriores que han completado esas sugerencias, por ejemplo, \"co -> console\" y \"con -> const\".",
+ "suggestSelection": "Controla cómo se preseleccionan las sugerencias cuando se muestra la lista,",
+ "tabCompletion.on": "La pestaña se completará insertando la mejor sugerencia de coincidencia encontrada al presionar la pestaña",
+ "tabCompletion.off": "Deshabilitar los complementos para pestañas.",
+ "tabCompletion.onlySnippets": "La pestaña se completa con fragmentos de código cuando su prefijo coincide. Funciona mejor cuando las 'quickSuggestions' no están habilitadas.",
+ "tabCompletion": "Habilita completar pestañas.",
+ "unusualLineTerminators.auto": "Los terminadores de línea no habituales se quitan automáticamente.",
+ "unusualLineTerminators.off": "Los terminadores de línea no habituales se omiten.",
+ "unusualLineTerminators.prompt": "Advertencia de terminadores de línea inusuales que se quitarán.",
+ "unusualLineTerminators": "Quite los terminadores de línea inusuales que podrían provocar problemas.",
+ "useTabStops": "La inserción y eliminación del espacio en blanco sigue a las tabulaciones.",
+ "wordSeparators": "Caracteres que se usarán como separadores de palabras al realizar operaciones o navegaciones relacionadas con palabras.",
+ "wordWrap.off": "Las líneas no se ajustarán nunca.",
+ "wordWrap.on": "Las líneas se ajustarán en el ancho de la ventanilla.",
+ "wordWrap.wordWrapColumn": "Las líneas se ajustarán al valor de \"#editor.wordWrapColumn#\". ",
+ "wordWrap.bounded": "Las líneas se ajustarán al valor que sea inferior: el tamaño de la ventanilla o el valor de \"#editor.wordWrapColumn#\".",
+ "wordWrap": "Controla cómo deben ajustarse las líneas.",
+ "wordWrapColumn": "Controla la columna de ajuste del editor cuando \"#editor.wordWrap#\" es \"wordWrapColumn\" o \"bounded\".",
+ "wrappingIndent.none": "No hay sangría. Las líneas ajustadas comienzan en la columna 1.",
+ "wrappingIndent.same": "A las líneas ajustadas se les aplica la misma sangría que al elemento primario.",
+ "wrappingIndent.indent": "A las líneas ajustadas se les aplica una sangría de +1 respecto al elemento primario.",
+ "wrappingIndent.deepIndent": "A las líneas ajustadas se les aplica una sangría de +2 respecto al elemento primario.",
+ "wrappingIndent": "Controla la sangría de las líneas ajustadas.",
+ "wrappingStrategy.simple": "Se supone que todos los caracteres son del mismo ancho. Este es un algoritmo rápido que funciona correctamente para fuentes monoespaciales y ciertos scripts (como caracteres latinos) donde los glifos tienen el mismo ancho.",
+ "wrappingStrategy.advanced": "Delega el cálculo de puntos de ajuste en el explorador. Es un algoritmo lento, que podría causar bloqueos para archivos grandes, pero funciona correctamente en todos los casos.",
+ "wrappingStrategy": "Controla el algoritmo que calcula los puntos de ajuste."
+ },
+ "vs/editor/common/view/editorColorRegistry": {
+ "lineHighlight": "Color de fondo para la línea resaltada en la posición del cursor.",
+ "lineHighlightBorderBox": "Color de fondo del borde alrededor de la línea en la posición del cursor.",
+ "rangeHighlight": "Color de fondo de rangos resaltados, como en abrir rápido y encontrar características. El color no debe ser opaco para no ocultar decoraciones subyacentes.",
+ "rangeHighlightBorder": "Color de fondo del borde alrededor de los intervalos resaltados.",
+ "symbolHighlight": "Color de fondo del símbolo destacado, como Ir a definición o Ir al siguiente/anterior símbolo. El color no debe ser opaco para no ocultar la decoración subyacente.",
+ "symbolHighlightBorder": "Color de fondo del borde alrededor de los símbolos resaltados.",
+ "caret": "Color del cursor del editor.",
+ "editorCursorBackground": "Color de fondo del cursor de edición. Permite personalizar el color del caracter solapado por el bloque del cursor.",
+ "editorWhitespaces": "Color de los caracteres de espacio en blanco del editor.",
+ "editorIndentGuides": "Color de las guías de sangría del editor.",
+ "editorActiveIndentGuide": "Color de las guías de sangría activas del editor.",
+ "editorLineNumbers": "Color de números de línea del editor.",
+ "editorActiveLineNumber": "Color del número de línea activa en el editor",
+ "deprecatedEditorActiveLineNumber": "ID es obsoleto. Usar en lugar 'editorLineNumber.activeForeground'. ",
+ "editorRuler": "Color de las reglas del editor",
+ "editorCodeLensForeground": "Color principal de lentes de código en el editor",
+ "editorBracketMatchBackground": "Color de fondo tras corchetes coincidentes",
+ "editorBracketMatchBorder": "Color de bloques con corchetes coincidentes",
+ "editorOverviewRulerBorder": "Color del borde de la regla de visión general.",
+ "editorOverviewRulerBackground": "Color de fondo de la regla de información general del editor. Solo se usa cuando el minimapa está habilitado y está ubicado en el lado derecho del editor.",
+ "editorGutter": "Color de fondo del margen del editor. Este espacio contiene los márgenes de glifos y los números de línea.",
+ "unnecessaryCodeBorder": "Color del borde de código fuente innecesario (sin usar) en el editor.",
+ "unnecessaryCodeOpacity": "Opacidad de código fuente innecesario (sin usar) en el editor. Por ejemplo, \"#000000c0\" representará el código con un 75 % de opacidad. Para temas de alto contraste, utilice el color del tema 'editorUnnecessaryCode.border' para resaltar el código innecesario en vez de atenuarlo.",
+ "overviewRulerRangeHighlight": "Color de marcador de regla general para los destacados de rango. El color no debe ser opaco para no ocultar las decoraciones subyacentes.",
+ "overviewRuleError": "Color de marcador de regla de información general para errores. ",
+ "overviewRuleWarning": "Color de marcador de regla de información general para advertencias.",
+ "overviewRuleInfo": "Color de marcador de regla de información general para mensajes informativos. "
+ },
+ "vs/editor/common/model/editStack": {
+ "edit": "Escribiendo"
+ },
+ "vs/editor/browser/controller/coreCommands": {
+ "stickydesc": "Anclar al final incluso cuando se vayan a líneas más largas"
+ },
+ "vs/editor/browser/widget/codeEditorWidget": {
+ "cursors.maximum": "El número de cursores se ha limitado a {0}."
+ },
+ "vs/editor/browser/widget/diffEditorWidget": {
+ "diffInsertIcon": "Decoración de línea para las inserciones en el editor de diferencias.",
+ "diffRemoveIcon": "Decoración de línea para las eliminaciones en el editor de diferencias.",
+ "diff.tooLarge": "Los archivos no se pueden comparar porque uno de ellos es demasiado grande."
+ },
+ "vs/editor/common/standaloneStrings": {
+ "noSelection": "Sin selección",
+ "singleSelectionRange": "Línea {0}, columna {1} ({2} seleccionadas)",
+ "singleSelection": "Línea {0}, columna {1}",
+ "multiSelectionRange": "{0} selecciones ({1} caracteres seleccionados)",
+ "multiSelection": "{0} selecciones",
+ "emergencyConfOn": "Se cambiará ahora el valor \"accessibilitySupport\" a \"activado\".",
+ "openingDocs": "Se abrirá ahora la página de documentación de accesibilidad del editor.",
+ "readonlyDiffEditor": "en un panel de solo lectura de un editor de diferencias.",
+ "editableDiffEditor": "en un panel de un editor de diferencias.",
+ "readonlyEditor": "en un editor de código de solo lectura",
+ "editableEditor": " en un editor de código",
+ "changeConfigToOnMac": "Para configurar el editor de forma que se optimice su uso con un lector de pantalla, presione ahora Comando+E.",
+ "changeConfigToOnWinLinux": "Para configurar el editor de forma que se optimice su uso con un lector de pantalla, presione ahora Control+E.",
+ "auto_on": "El editor está configurado para optimizarse para su uso con un lector de pantalla.",
+ "auto_off": "El editor está configurado para que no se optimice nunca su uso con un lector de pantalla, que en este momento no es el caso.",
+ "tabFocusModeOnMsg": "Al presionar TAB en el editor actual, el foco se mueve al siguiente elemento activable. Presione {0} para activar o desactivar este comportamiento.",
+ "tabFocusModeOnMsgNoKb": "Al presionar TAB en el editor actual, el foco se mueve al siguiente elemento activable. El comando {0} no se puede desencadenar actualmente mediante un enlace de teclado.",
+ "tabFocusModeOffMsg": "Al presionar TAB en el editor actual, se insertará el carácter de tabulación. Presione {0} para activar o desactivar este comportamiento.",
+ "tabFocusModeOffMsgNoKb": "Al presionar TAB en el editor actual, se insertará el carácter de tabulación. El comando {0} no se puede desencadenar actualmente mediante un enlace de teclado.",
+ "openDocMac": "Presione ahora Comando+H para abrir una ventana del explorador con más información relacionada con la accesibilidad del editor.",
+ "openDocWinLinux": "Presione ahora Control+H para abrir una ventana del explorador con más información relacionada con la accesibilidad del editor.",
+ "outroMsg": "Para descartar esta información sobre herramientas y volver al editor, presione Esc o Mayús+Escape.",
+ "showAccessibilityHelpAction": "Mostrar ayuda de accesibilidad",
+ "inspectTokens": "Desarrollador: inspeccionar tokens",
+ "gotoLineActionLabel": "Vaya a Línea/Columna...",
+ "helpQuickAccess": "Mostrar todos los proveedores de acceso rápido",
+ "quickCommandActionLabel": "Paleta de comandos",
+ "quickCommandActionHelp": "Mostrar y ejecutar comandos",
+ "quickOutlineActionLabel": "Ir a símbolo...",
+ "quickOutlineByCategoryActionLabel": "Ir a símbolo por categoría...",
+ "editorViewAccessibleLabel": "Contenido del editor",
+ "accessibilityHelpMessage": "Presione Alt+F1 para ver las opciones de accesibilidad.",
+ "toggleHighContrast": "Alternar tema de contraste alto",
+ "bulkEditServiceSummary": "{0} ediciones realizadas en {1} archivos"
+ },
+ "vs/editor/common/config/commonEditorConfig": {
+ "editorConfigurationTitle": "Editor",
+ "tabSize": "El número de espacios a los que equivale una tabulación. Este valor se invalida en función del contenido del archivo cuando \"#editor.detectIndentation#\" está activado.",
+ "insertSpaces": "Insertar espacios al presionar \"TAB\". Este valor se invalida en función del contenido del archivo cuando \"#editor.detectIndentation#\" está activado. ",
+ "detectIndentation": "Controla si \"#editor.tabSize#\" y \"#editor.insertSpaces#\" se detectarán automáticamente al abrir un archivo en función del contenido de este.",
+ "trimAutoWhitespace": "Quitar el espacio en blanco final autoinsertado.",
+ "largeFileOptimizations": "Manejo especial para archivos grandes para desactivar ciertas funciones de memoria intensiva.",
+ "wordBasedSuggestions": "Habilita sugerencias basadas en palabras.",
+ "wordBasedSuggestionsMode.currentDocument": "Sugerir palabras solo del documento activo.",
+ "wordBasedSuggestionsMode.matchingDocuments": "Sugerir palabras de todos los documentos abiertos del mismo idioma.",
+ "wordBasedSuggestionsMode.allDocuments": "Sugerir palabras de todos los documentos abiertos.",
+ "wordBasedSuggestionsMode": "Los controles forman las finalizaciones basadas en palabras de los documentos que se calculan.",
+ "semanticHighlighting.true": "El resaltado semántico está habilitado para todos los temas de color.",
+ "semanticHighlighting.false": "El resaltado semántico está deshabilitado para todos los temas de color.",
+ "semanticHighlighting.configuredByTheme": "El resaltado semántico está configurado con el valor \"semanticHighlighting\" del tema de color actual.",
+ "semanticHighlighting.enabled": "Controla si se muestra semanticHighlighting para los idiomas que lo admiten.",
+ "stablePeek": "Mantiene abiertos los editores interactivos, incluso al hacer doble clic en su contenido o presionar \"Escape\".",
+ "maxTokenizationLineLength": "Las lineas por encima de esta longitud no se tokenizarán por razones de rendimiento.",
+ "maxComputationTime": "Tiempo de espera en milisegundos después del cual se cancela el cálculo de diferencias. Utilice 0 para no usar tiempo de espera.",
+ "sideBySide": "Controla si el editor de diferencias muestra las diferencias en paralelo o alineadas.",
+ "ignoreTrimWhitespace": "Cuando está habilitado, el editor de diferencias omite los cambios en los espacios en blanco iniciales o finales.",
+ "renderIndicators": "Controla si el editor de diferencias muestra los indicadores +/- para los cambios agregados o quitados.",
+ "codeLens": "Controla si el editor muestra CodeLens.",
+ "wordWrap.off": "Las líneas no se ajustarán nunca.",
+ "wordWrap.on": "Las líneas se ajustarán en el ancho de la ventanilla.",
+ "wordWrap.inherit": "Las líneas se ajustarán en función de la configuración de \"#editor.wordWrap#\"."
+ },
+ "vs/editor/browser/widget/diffReview": {
+ "diffReviewInsertIcon": "Icono para \"Insertar\" en la revisión de diferencias.",
+ "diffReviewRemoveIcon": "Icono para \"Quitar\" en la revisión de diferencias.",
+ "diffReviewCloseIcon": "Icono para \"Cerrar\" en la revisión de diferencias.",
+ "label.close": "Cerrar",
+ "no_lines_changed": "no se han cambiado líneas",
+ "one_line_changed": "1 línea cambiada",
+ "more_lines_changed": "{0} líneas cambiadas",
+ "header": "Diferencia {0} de {1}: línea original {2}, {3}, línea modificada {4}, {5}",
+ "blankLine": "vacío",
+ "unchangedLine": "{0} línea sin cambios {1}",
+ "equalLine": "{0} línea original {1} línea modificada {2}",
+ "insertLine": "+ {0} línea modificada {1}",
+ "deleteLine": "- {0} línea original {1}",
+ "editor.action.diffReview.next": "Ir a la siguiente diferencia",
+ "editor.action.diffReview.prev": "Ir a la diferencia anterior"
+ },
+ "vs/editor/browser/widget/inlineDiffMargin": {
+ "diff.clipboard.copyDeletedLinesContent.label": "Copiar líneas eliminadas",
+ "diff.clipboard.copyDeletedLinesContent.single.label": "Copiar línea eliminada",
+ "diff.clipboard.copyDeletedLineContent.label": "Copiar la línea eliminada ({0})",
+ "diff.inline.revertChange.label": "Revertir este cambio"
+ },
+ "vs/editor/browser/controller/textAreaHandler": {
+ "editor": "editor",
+ "accessibilityOffAriaLabel": "El editor no es accesible en este momento. Pulse {0} para ver las opciones."
+ },
+ "vs/editor/contrib/clipboard/clipboard": {
+ "miCut": "Cor&&tar",
+ "actions.clipboard.cutLabel": "Cortar",
+ "miCopy": "&&Copiar",
+ "actions.clipboard.copyLabel": "Copiar",
+ "miPaste": "&&Pegar",
+ "actions.clipboard.pasteLabel": "Pegar",
+ "actions.clipboard.copyWithSyntaxHighlightingLabel": "Copiar con resaltado de sintaxis"
+ },
+ "vs/editor/contrib/anchorSelect/anchorSelect": {
+ "selectionAnchor": "Delimitador de la selección",
+ "anchorSet": "Delimitador establecido en {0}:{1}",
+ "setSelectionAnchor": "Establecer el delimitador de la selección",
+ "goToSelectionAnchor": "Ir al delimitador de la selección",
+ "selectFromAnchorToCursor": "Seleccionar desde el delimitador hasta el cursor",
+ "cancelSelectionAnchor": "Cancelar el delimitador de la selección"
+ },
+ "vs/editor/contrib/bracketMatching/bracketMatching": {
+ "overviewRulerBracketMatchForeground": "Resumen color de marcador de regla para corchetes.",
+ "smartSelect.jumpBracket": "Ir al corchete",
+ "smartSelect.selectToBracket": "Seleccionar para corchete",
+ "miGoToBracket": "Ir al &&corchete"
+ },
+ "vs/editor/contrib/caretOperations/caretOperations": {
+ "caret.moveLeft": "Mover el texto seleccionado a la izquierda",
+ "caret.moveRight": "Mover el texto seleccionado a la derecha"
+ },
+ "vs/editor/contrib/caretOperations/transpose": {
+ "transposeLetters.label": "Transponer letras"
+ },
+ "vs/editor/contrib/codelens/codelensController": {
+ "showLensOnLine": "Mostrar comandos de lente de código para la línea actual"
+ },
+ "vs/editor/contrib/comment/comment": {
+ "comment.line": "Alternar comentario de línea",
+ "miToggleLineComment": "&&Alternar comentario de línea",
+ "comment.line.add": "Agregar comentario de línea",
+ "comment.line.remove": "Quitar comentario de línea",
+ "comment.block": "Alternar comentario de bloque",
+ "miToggleBlockComment": "Alternar &&bloque de comentario"
+ },
+ "vs/editor/contrib/contextmenu/contextmenu": {
+ "action.showContextMenu.label": "Mostrar menú contextual del editor"
+ },
+ "vs/editor/contrib/cursorUndo/cursorUndo": {
+ "cursor.undo": "Cursor Deshacer",
+ "cursor.redo": "Cursor Rehacer"
+ },
+ "vs/editor/contrib/find/findController": {
+ "startFindAction": "Buscar",
+ "miFind": "&&Buscar",
+ "startFindWithSelectionAction": "Buscar con selección",
+ "findNextMatchAction": "Buscar siguiente",
+ "findPreviousMatchAction": "Buscar anterior",
+ "nextSelectionMatchFindAction": "Buscar selección siguiente",
+ "previousSelectionMatchFindAction": "Buscar selección anterior",
+ "startReplace": "Reemplazar",
+ "miReplace": "&&Reemplazar"
+ },
+ "vs/editor/contrib/folding/folding": {
+ "unfoldAction.label": "Desplegar",
+ "unFoldRecursivelyAction.label": "Desplegar de forma recursiva",
+ "foldAction.label": "Plegar",
+ "toggleFoldAction.label": "Alternar plegado",
+ "foldRecursivelyAction.label": "Plegar de forma recursiva",
+ "foldAllBlockComments.label": "Cerrar todos los comentarios de bloque",
+ "foldAllMarkerRegions.label": "Plegar todas las regiones",
+ "unfoldAllMarkerRegions.label": "Desplegar Todas las Regiones",
+ "foldAllAction.label": "Plegar todo",
+ "unfoldAllAction.label": "Desplegar todo",
+ "foldLevelAction.label": "Nivel de plegamiento {0}",
+ "foldBackgroundBackground": "Color de fondo detrás de los rangos plegados. El color no debe ser opaco para no ocultar las decoraciones subyacentes.",
+ "editorGutter.foldingControlForeground": "Color del control plegable en el medianil del editor."
+ },
+ "vs/editor/contrib/fontZoom/fontZoom": {
+ "EditorFontZoomIn.label": "Acercarse a la tipografía del editor",
+ "EditorFontZoomOut.label": "Alejarse de la tipografía del editor",
+ "EditorFontZoomReset.label": "Restablecer alejamiento de la tipografía del editor"
+ },
+ "vs/editor/contrib/format/formatActions": {
+ "formatDocument.label": "Dar formato al documento",
+ "formatSelection.label": "Dar formato a la selección"
+ },
+ "vs/editor/contrib/gotoSymbol/goToCommands": {
+ "peek.submenu": "Ver",
+ "def.title": "Definiciones",
+ "noResultWord": "No se encontró ninguna definición para \"{0}\"",
+ "generic.noResults": "No se encontró ninguna definición",
+ "actions.goToDecl.label": "Ir a definición",
+ "miGotoDefinition": "Ir a &&definición",
+ "actions.goToDeclToSide.label": "Abrir definición en el lateral",
+ "actions.previewDecl.label": "Ver la definición sin salir",
+ "decl.title": "Declaraciones",
+ "decl.noResultWord": "No se encontró ninguna definición para '{0}'",
+ "decl.generic.noResults": "No se encontró ninguna declaración",
+ "actions.goToDeclaration.label": "Ir a Definición",
+ "miGotoDeclaration": "Ir a &&Declaración",
+ "actions.peekDecl.label": "Inspeccionar Definición",
+ "typedef.title": "Definiciones de tipo",
+ "goToTypeDefinition.noResultWord": "No se encontró ninguna definición de tipo para \"{0}\"",
+ "goToTypeDefinition.generic.noResults": "No se encontró ninguna definición de tipo",
+ "actions.goToTypeDefinition.label": "Ir a la definición de tipo",
+ "miGotoTypeDefinition": "Ir a la definición de &&tipo",
+ "actions.peekTypeDefinition.label": "Inspeccionar definición de tipo",
+ "impl.title": "Implementaciones",
+ "goToImplementation.noResultWord": "No se encontró ninguna implementación para \"{0}\"",
+ "goToImplementation.generic.noResults": "No se encontró ninguna implementación",
+ "actions.goToImplementation.label": "Ir a Implementaciones",
+ "miGotoImplementation": "Ir a &&Implementaciones",
+ "actions.peekImplementation.label": "Inspeccionar implementaciones",
+ "references.no": "No se ha encontrado ninguna referencia para \"{0}\".",
+ "references.noGeneric": "No se encontraron referencias",
+ "goToReferences.label": "Ir a Referencias",
+ "miGotoReference": "Ir a &&Referencias",
+ "ref.title": "Referencias",
+ "references.action.label": "Inspeccionar Referencias",
+ "label.generic": "Ir a cualquier símbolo",
+ "generic.title": "Ubicaciones",
+ "generic.noResult": "No hay resultados para \"{0}\""
+ },
+ "vs/editor/contrib/hover/hover": {
+ "showHover": "Mostrar al mantener el puntero",
+ "showDefinitionPreviewHover": "Mostrar vista previa de la definición que aparece al mover el puntero"
+ },
+ "vs/editor/contrib/gotoSymbol/link/goToDefinitionAtPosition": {
+ "multipleResults": "Haga clic para mostrar {0} definiciones."
+ },
+ "vs/editor/contrib/gotoError/gotoError": {
+ "markerAction.next.label": "Ir al siguiente problema (Error, Advertencia, Información)",
+ "nextMarkerIcon": "Icono para ir al marcador siguiente.",
+ "markerAction.previous.label": "Ir al problema anterior (Error, Advertencia, Información)",
+ "previousMarkerIcon": "Icono para ir al marcador anterior.",
+ "markerAction.nextInFiles.label": "Ir al siguiente problema en Archivos (Error, Advertencia, Información)",
+ "miGotoNextProblem": "Siguiente &&problema",
+ "markerAction.previousInFiles.label": "Ir al problema anterior en Archivos (Error, Advertencia, Información)",
+ "miGotoPreviousProblem": "Anterior &&problema"
+ },
+ "vs/editor/contrib/indentation/indentation": {
+ "indentationToSpaces": "Convertir sangría en espacios",
+ "indentationToTabs": "Convertir sangría en tabulaciones",
+ "configuredTabSize": "Tamaño de tabulación configurado",
+ "selectTabWidth": "Seleccionar tamaño de tabulación para el archivo actual",
+ "indentUsingTabs": "Aplicar sangría con tabulaciones",
+ "indentUsingSpaces": "Aplicar sangría con espacios",
+ "detectIndentation": "Detectar sangría del contenido",
+ "editor.reindentlines": "Volver a aplicar sangría a líneas",
+ "editor.reindentselectedlines": "Volver a aplicar sangría a líneas seleccionadas"
+ },
+ "vs/editor/contrib/inPlaceReplace/inPlaceReplace": {
+ "InPlaceReplaceAction.previous.label": "Reemplazar con el valor anterior",
+ "InPlaceReplaceAction.next.label": "Reemplazar con el valor siguiente"
+ },
+ "vs/editor/contrib/linesOperations/linesOperations": {
+ "lines.copyUp": "Copiar línea arriba",
+ "miCopyLinesUp": "&&Copiar línea arriba",
+ "lines.copyDown": "Copiar línea abajo",
+ "miCopyLinesDown": "Co&&piar línea abajo",
+ "duplicateSelection": "Selección duplicada",
+ "miDuplicateSelection": "&&Duplicar selección",
+ "lines.moveUp": "Mover línea hacia arriba",
+ "miMoveLinesUp": "Mo&&ver línea arriba",
+ "lines.moveDown": "Mover línea hacia abajo",
+ "miMoveLinesDown": "Mover &&línea abajo",
+ "lines.sortAscending": "Ordenar líneas en orden ascendente",
+ "lines.sortDescending": "Ordenar líneas en orden descendente",
+ "lines.trimTrailingWhitespace": "Recortar espacio final",
+ "lines.delete": "Eliminar línea",
+ "lines.indent": "Sangría de línea",
+ "lines.outdent": "Anular sangría de línea",
+ "lines.insertBefore": "Insertar línea arriba",
+ "lines.insertAfter": "Insertar línea debajo",
+ "lines.deleteAllLeft": "Eliminar todo a la izquierda",
+ "lines.deleteAllRight": "Eliminar todo lo que está a la derecha",
+ "lines.joinLines": "Unir líneas",
+ "editor.transpose": "Transponer caracteres alrededor del cursor",
+ "editor.transformToUppercase": "Transformar a mayúsculas",
+ "editor.transformToLowercase": "Transformar a minúsculas",
+ "editor.transformToTitlecase": "Transformar en Title Case"
+ },
+ "vs/editor/contrib/linkedEditing/linkedEditing": {
+ "linkedEditing.label": "Iniciar edición vinculada",
+ "editorLinkedEditingBackground": "Color de fondo cuando el editor cambia el nombre automáticamente al escribir."
+ },
+ "vs/editor/contrib/links/links": {
+ "links.navigate.executeCmd": "Ejecutar comando",
+ "links.navigate.follow": "Seguir vínculo",
+ "links.navigate.kb.meta.mac": "cmd + clic",
+ "links.navigate.kb.meta": "ctrl + clic",
+ "links.navigate.kb.alt.mac": "opción + clic",
+ "links.navigate.kb.alt": "alt + clic",
+ "tooltip.explanation": "Ejecutar el comando {0}",
+ "invalid.url": "No se pudo abrir este vínculo porque no tiene un formato correcto: {0}",
+ "missing.url": "No se pudo abrir este vínculo porque falta el destino.",
+ "label": "Abrir vínculo"
+ },
+ "vs/editor/contrib/multicursor/multicursor": {
+ "mutlicursor.insertAbove": "Agregar cursor arriba",
+ "miInsertCursorAbove": "&&Agregar cursor arriba",
+ "mutlicursor.insertBelow": "Agregar cursor debajo",
+ "miInsertCursorBelow": "A&&gregar cursor abajo",
+ "mutlicursor.insertAtEndOfEachLineSelected": "Añadir cursores a finales de línea",
+ "miInsertCursorAtEndOfEachLineSelected": "Agregar c&&ursores a extremos de línea",
+ "mutlicursor.addCursorsToBottom": "Añadir cursores a la parte inferior",
+ "mutlicursor.addCursorsToTop": "Añadir cursores a la parte superior",
+ "addSelectionToNextFindMatch": "Agregar selección hasta la siguiente coincidencia de búsqueda",
+ "miAddSelectionToNextFindMatch": "Agregar &&siguiente repetición",
+ "addSelectionToPreviousFindMatch": "Agregar selección hasta la anterior coincidencia de búsqueda",
+ "miAddSelectionToPreviousFindMatch": "Agregar r&&epetición anterior",
+ "moveSelectionToNextFindMatch": "Mover última selección hasta la siguiente coincidencia de búsqueda",
+ "moveSelectionToPreviousFindMatch": "Mover última selección hasta la anterior coincidencia de búsqueda",
+ "selectAllOccurrencesOfFindMatch": "Seleccionar todas las repeticiones de coincidencia de búsqueda",
+ "miSelectHighlights": "Seleccionar todas las &&repeticiones",
+ "changeAll.label": "Cambiar todas las ocurrencias"
+ },
+ "vs/editor/contrib/parameterHints/parameterHints": {
+ "parameterHints.trigger.label": "Sugerencias para parámetros Trigger"
+ },
+ "vs/editor/contrib/rename/rename": {
+ "no result": "No hay ningún resultado.",
+ "resolveRenameLocationFailed": "Error desconocido al resolver el cambio de nombre de la ubicación",
+ "label": "Cambiando el nombre de \"{0}\"",
+ "quotableLabel": "Cambiar el nombre de {0}",
+ "aria": "Nombre cambiado correctamente de '{0}' a '{1}'. Resumen: {2}",
+ "rename.failedApply": "No se pudo cambiar el nombre a las ediciones de aplicación",
+ "rename.failed": "No se pudo cambiar el nombre de las ediciones de cálculo",
+ "rename.label": "Cambiar el nombre del símbolo",
+ "enablePreview": "Activar/desactivar la capacidad de previsualizar los cambios antes de cambiar el nombre"
+ },
+ "vs/editor/contrib/smartSelect/smartSelect": {
+ "smartSelect.expand": "Expandir selección",
+ "miSmartSelectGrow": "&&Expandir selección",
+ "smartSelect.shrink": "Reducir la selección",
+ "miSmartSelectShrink": "&&Reducir selección"
+ },
+ "vs/editor/contrib/suggest/suggestController": {
+ "aria.alert.snippet": "Aceptando \"{0}\" ediciones adicionales de {1} realizadas",
+ "suggest.trigger.label": "Sugerencias para Trigger",
+ "accept.insert": "Insertar",
+ "accept.replace": "Reemplazar",
+ "detail.more": "mostrar menos",
+ "detail.less": "mostrar más",
+ "suggest.reset.label": "Restablecer tamaño del widget de sugerencias"
+ },
+ "vs/editor/contrib/tokenization/tokenization": {
+ "forceRetokenize": "Desarrollador: forzar nueva aplicación de token"
+ },
+ "vs/editor/contrib/toggleTabFocusMode/toggleTabFocusMode": {
+ "toggle.tabMovesFocus": "Alternar tecla de tabulación para mover el punto de atención",
+ "toggle.tabMovesFocus.on": "Presionando la pestaña ahora moverá el foco al siguiente elemento enfocable.",
+ "toggle.tabMovesFocus.off": "Presionando la pestaña ahora insertará el carácter de tabulación"
+ },
+ "vs/editor/contrib/unusualLineTerminators/unusualLineTerminators": {
+ "unusualLineTerminators.title": "Terminadores de línea inusuales",
+ "unusualLineTerminators.message": "Se han detectado terminadores de línea inusuales",
+ "unusualLineTerminators.detail": "Este archivo contiene uno o varios caracteres de terminador de línea inusuales, como Separador de líneas (LS) o Separador de párrafos (PS).\r\n\r\nSe recomienda quitarlos del archivo. Se puede configurar a través de \"editor.unusualLineTerminators\".",
+ "unusualLineTerminators.fix": "Corregir este archivo",
+ "unusualLineTerminators.ignore": "Ignorar problema para este archivo"
+ },
+ "vs/editor/contrib/wordHighlighter/wordHighlighter": {
+ "wordHighlight": "Color de fondo de un símbolo durante el acceso de lectura, como la lectura de una variable. El color no debe ser opaco para no ocultar decoraciones subyacentes.",
+ "wordHighlightStrong": "Color de fondo de un símbolo durante el acceso de escritura, como escribir en una variable. El color no debe ser opaco para no ocultar las decoraciones subyacentes.",
+ "wordHighlightBorder": "Color de fondo de un símbolo durante el acceso de lectura; por ejemplo, cuando se lee una variable.",
+ "wordHighlightStrongBorder": "Color de fondo de un símbolo durante el acceso de escritura; por ejemplo, cuando se escribe una variable.",
+ "overviewRulerWordHighlightForeground": "Color del marcador de regla general para destacados de símbolos. El color no debe ser opaco para no ocultar decoraciones subyacentes.",
+ "overviewRulerWordHighlightStrongForeground": "Color de marcador de regla general para destacados de símbolos de acceso de escritura. El color no debe ser opaco para no ocultar las decoraciones subyacentes.",
+ "wordHighlight.next.label": "Ir al siguiente símbolo destacado",
+ "wordHighlight.previous.label": "Ir al símbolo destacado anterior",
+ "wordHighlight.trigger.label": "Desencadenar los símbolos destacados"
+ },
+ "vs/editor/contrib/wordOperations/wordOperations": {
+ "deleteInsideWord": "Eliminar palabra"
+ },
+ "vs/editor/contrib/quickAccess/gotoLineQuickAccess": {
+ "cannotRunGotoLine": "Abra primero un editor de texto para ir a una línea.",
+ "gotoLineColumnLabel": "Vaya a la línea {0} y a la columna {1}.",
+ "gotoLineLabel": "Ir a la línea {0}.",
+ "gotoLineLabelEmptyWithLimit": "Línea actual: {0}, Carácter: {1}. Escriba un número de línea entre 1 y {2} a los que navegar.",
+ "gotoLineLabelEmpty": "Línea actual: {0}, Carácter: {1}. Escriba un número de línea al que navegar."
+ },
+ "vs/editor/contrib/peekView/peekView": {
+ "label.close": "Cerrar",
+ "peekViewTitleBackground": "Color de fondo del área de título de la vista de inspección.",
+ "peekViewTitleForeground": "Color del título de la vista de inpección.",
+ "peekViewTitleInfoForeground": "Color de la información del título de la vista de inspección.",
+ "peekViewBorder": "Color de los bordes y la flecha de la vista de inspección.",
+ "peekViewResultsBackground": "Color de fondo de la lista de resultados de vista de inspección.",
+ "peekViewResultsMatchForeground": "Color de primer plano de los nodos de inspección en la lista de resultados.",
+ "peekViewResultsFileForeground": "Color de primer plano de los archivos de inspección en la lista de resultados.",
+ "peekViewResultsSelectionBackground": "Color de fondo de la entrada seleccionada en la lista de resultados de vista de inspección.",
+ "peekViewResultsSelectionForeground": "Color de primer plano de la entrada seleccionada en la lista de resultados de vista de inspección.",
+ "peekViewEditorBackground": "Color de fondo del editor de vista de inspección.",
+ "peekViewEditorGutterBackground": "Color de fondo del margen en el editor de vista de inspección.",
+ "peekViewResultsMatchHighlight": "Buscar coincidencia con el color de resaltado de la lista de resultados de vista de inspección.",
+ "peekViewEditorMatchHighlight": "Buscar coincidencia del color de resultado del editor de vista de inspección.",
+ "peekViewEditorMatchHighlightBorder": "Hacer coincidir el borde resaltado en el editor de vista previa."
+ },
+ "vs/editor/contrib/codeAction/codeActionCommands": {
+ "args.schema.kind": "Tipo de la acción de código que se va a ejecutar.",
+ "args.schema.apply": "Controla cuándo se aplican las acciones devueltas.",
+ "args.schema.apply.first": "Aplicar siempre la primera acción de código devuelto.",
+ "args.schema.apply.ifSingle": "Aplicar la primera acción de código devuelta si solo hay una.",
+ "args.schema.apply.never": "No aplique las acciones de código devuelto.",
+ "args.schema.preferred": "Controla si solo se deben devolver las acciones de código preferidas.",
+ "applyCodeActionFailed": "Se ha producido un error desconocido al aplicar la acción de código",
+ "quickfix.trigger.label": "Corrección Rápida",
+ "editor.action.quickFix.noneMessage": "No hay acciones de código disponibles",
+ "editor.action.codeAction.noneMessage.preferred.kind": "No hay acciones de código preferidas para \"{0}\" disponibles",
+ "editor.action.codeAction.noneMessage.kind": "No hay ninguna acción de código para \"{0}\" disponible.",
+ "editor.action.codeAction.noneMessage.preferred": "No hay acciones de código preferidas disponibles",
+ "editor.action.codeAction.noneMessage": "No hay acciones de código disponibles",
+ "refactor.label": "Refactorizar...",
+ "editor.action.refactor.noneMessage.preferred.kind": "No hay refactorizaciones preferidas de \"{0}\" disponibles",
+ "editor.action.refactor.noneMessage.kind": "No hay refactorizaciones de \"{0}\" disponibles",
+ "editor.action.refactor.noneMessage.preferred": "No hay ninguna refactorización favorita disponible.",
+ "editor.action.refactor.noneMessage": "No hay refactorizaciones disponibles",
+ "source.label": "Acción de Origen...",
+ "editor.action.source.noneMessage.preferred.kind": "No hay acciones de origen preferidas para \"{0}\" disponibles",
+ "editor.action.source.noneMessage.kind": "No hay ninguna acción de origen para \"{0}\" disponible.",
+ "editor.action.source.noneMessage.preferred": "No hay ninguna acción de origen favorita disponible.",
+ "editor.action.source.noneMessage": "No hay acciones de origen disponibles",
+ "organizeImports.label": "Organizar Importaciones",
+ "editor.action.organize.noneMessage": "No hay acciones de importación disponibles",
+ "fixAll.label": "Corregir todo",
+ "fixAll.noneMessage": "No está disponible la acción de corregir todo",
+ "autoFix.label": "Corregir automáticamente...",
+ "editor.action.autoFix.noneMessage": "No hay autocorrecciones disponibles"
+ },
+ "vs/editor/contrib/find/findWidget": {
+ "findSelectionIcon": "Icono para \"Buscar en selección\" en el widget de búsqueda del editor.",
+ "findCollapsedIcon": "Icono para indicar que el widget de búsqueda del editor está contraído.",
+ "findExpandedIcon": "Icono para indicar que el widget de búsqueda del editor está expandido.",
+ "findReplaceIcon": "Icono para \"Reemplazar\" en el widget de búsqueda del editor.",
+ "findReplaceAllIcon": "Icono para \"Reemplazar todo\" en el widget de búsqueda del editor.",
+ "findPreviousMatchIcon": "Icono para \"Buscar anterior\" en el widget de búsqueda del editor.",
+ "findNextMatchIcon": "Icono para \"Buscar siguiente\" en el widget de búsqueda del editor.",
+ "label.find": "Buscar",
+ "placeholder.find": "Buscar",
+ "label.previousMatchButton": "Coincidencia anterior",
+ "label.nextMatchButton": "Próxima coincidencia",
+ "label.toggleSelectionFind": "Buscar en selección",
+ "label.closeButton": "Cerrar",
+ "label.replace": "Reemplazar",
+ "placeholder.replace": "Reemplazar",
+ "label.replaceButton": "Reemplazar",
+ "label.replaceAllButton": "Reemplazar todo",
+ "label.toggleReplaceButton": "Alternar modo de reemplazar",
+ "title.matchesCountLimit": "Sólo los primeros {0} resultados son resaltados, pero todas las operaciones de búsqueda trabajan en todo el texto.",
+ "label.matchesLocation": "{0} de {1}",
+ "label.noResults": "No hay resultados",
+ "ariaSearchNoResultEmpty": "Encontrados: {0}",
+ "ariaSearchNoResult": "{0} encontrado para \"{1}\"",
+ "ariaSearchNoResultWithLineNum": "{0} encontrado para \"{1}\", en {2}",
+ "ariaSearchNoResultWithLineNumNoCurrentMatch": "{0} encontrado para \"{1}\"",
+ "ctrlEnter.keybindingChanged": "Ctrl+Entrar ahora inserta un salto de línea en lugar de reemplazar todo. Puede modificar el enlace de claves para editor.action.replaceAll para invalidar este comportamiento."
+ },
+ "vs/editor/contrib/folding/foldingDecorations": {
+ "foldingExpandedIcon": "Icono de rangos expandidos en el margen de glifo del editor.",
+ "foldingCollapsedIcon": "Icono de rangos contraídos en el margen de glifo del editor."
+ },
+ "vs/editor/contrib/format/format": {
+ "hint11": "1 edición de formato en la línea {0}",
+ "hintn1": "{0} ediciones de formato en la línea {1}",
+ "hint1n": "1 edición de formato entre las líneas {0} y {1}",
+ "hintnn": "{0} ediciones de formato entre las líneas {1} y {2}"
+ },
+ "vs/editor/contrib/message/messageController": {
+ "editor.readonly": "No se puede editar en un editor de sólo lectura"
+ },
+ "vs/editor/contrib/gotoSymbol/peek/referencesController": {
+ "labelLoading": "Cargando...",
+ "metaTitle.N": "{0} ({1})"
+ },
+ "vs/editor/contrib/gotoSymbol/referencesModel": {
+ "aria.oneReference": "símbolo en {0} linea {1} en la columna {2}",
+ "aria.oneReference.preview": "símbolo en {0} línea {1} en la columna {2}, {3}",
+ "aria.fileReferences.1": "1 símbolo en {0}, ruta de acceso completa {1}",
+ "aria.fileReferences.N": "{0} símbolos en {1}, ruta de acceso completa {2}",
+ "aria.result.0": "No se encontraron resultados",
+ "aria.result.1": "Encontró 1 símbolo en {0}",
+ "aria.result.n1": "Encontró {0} símbolos en {1}",
+ "aria.result.nm": "Encontró {0} símbolos en {1} archivos"
+ },
+ "vs/editor/contrib/gotoSymbol/symbolNavigation": {
+ "location.kb": "Símbolo {0} de {1}, {2} para el siguiente",
+ "location": "Símbolo {0} de {1}"
+ },
+ "vs/editor/contrib/hover/modesContentHover": {
+ "modesContentHover.loading": "Cargando...",
+ "peek problem": "Ver problema",
+ "noQuickFixes": "No hay correcciones rápidas disponibles",
+ "checkingForQuickFixes": "Buscando correcciones rápidas...",
+ "quick fixes": "Corrección Rápida"
+ },
+ "vs/editor/contrib/gotoError/gotoErrorWidget": {
+ "Error": "Error",
+ "Warning": "Advertencia",
+ "Info": "Información",
+ "Hint": "Sugerencia",
+ "marker aria": "{0} en {1}. ",
+ "problems": "{0} de {1} problemas",
+ "change": "{0} de {1} problema",
+ "editorMarkerNavigationError": "Color de los errores del widget de navegación de marcadores del editor.",
+ "editorMarkerNavigationWarning": "Color de las advertencias del widget de navegación de marcadores del editor.",
+ "editorMarkerNavigationInfo": "Color del widget informativo marcador de navegación en el editor.",
+ "editorMarkerNavigationBackground": "Fondo del widget de navegación de marcadores del editor."
+ },
+ "vs/editor/contrib/parameterHints/parameterHintsWidget": {
+ "parameterHintsNextIcon": "Icono para mostrar la sugerencia de parámetro siguiente.",
+ "parameterHintsPreviousIcon": "Icono para mostrar la sugerencia de parámetro anterior.",
+ "hint": "{0}, sugerencia"
+ },
+ "vs/editor/contrib/rename/renameInputField": {
+ "renameAriaLabel": "Cambie el nombre de la entrada. Escriba el nuevo nombre y presione Entrar para confirmar.",
+ "label": "{0} para cambiar de nombre, {1} para obtener una vista previa"
+ },
+ "vs/editor/contrib/suggest/suggestWidget": {
+ "editorSuggestWidgetBackground": "Color de fondo del widget sugerido.",
+ "editorSuggestWidgetBorder": "Color de borde del widget sugerido.",
+ "editorSuggestWidgetForeground": "Color de primer plano del widget sugerido.",
+ "editorSuggestWidgetSelectedBackground": "Color de fondo de la entrada seleccionada del widget sugerido.",
+ "editorSuggestWidgetHighlightForeground": "Color del resaltado coincidido en el widget sugerido.",
+ "suggestWidget.loading": "Cargando...",
+ "suggestWidget.noSuggestions": "No hay sugerencias.",
+ "ariaCurrenttSuggestionReadDetails": "{0}, documentos: {1}",
+ "suggest": "Sugerir"
+ },
+ "vs/editor/contrib/quickAccess/gotoSymbolQuickAccess": {
+ "cannotRunGotoSymbolWithoutEditor": "Para ir a un símbolo, primero abra un editor de texto con información de símbolo.",
+ "cannotRunGotoSymbolWithoutSymbolProvider": "El editor de texto activo no proporciona información de símbolos.",
+ "noMatchingSymbolResults": "No hay ningún símbolo del editor coincidente.",
+ "noSymbolResults": "No hay símbolos del editor.",
+ "openToSide": "Abrir en el lateral",
+ "openToBottom": "Abrir en la parte inferior",
+ "symbols": "símbolos ({0})",
+ "property": "propiedades ({0})",
+ "method": "métodos ({0})",
+ "function": "funciones ({0})",
+ "_constructor": "constructores ({0})",
+ "variable": "variables ({0})",
+ "class": "clases ({0})",
+ "struct": "estructuras ({0})",
+ "event": "eventos ({0})",
+ "operator": "operadores ({0})",
+ "interface": "interfaces ({0})",
+ "namespace": "espacios de nombres ({0})",
+ "package": "paquetes ({0})",
+ "typeParameter": "parámetros de tipo ({0})",
+ "modules": "módulos ({0})",
+ "enum": "enumeraciones ({0})",
+ "enumMember": "miembros de enumeración ({0})",
+ "string": "cadenas ({0})",
+ "file": "archivos ({0})",
+ "array": "matrices ({0})",
+ "number": "números ({0})",
+ "boolean": "booleanos ({0})",
+ "object": "objetos ({0})",
+ "key": "claves ({0})",
+ "field": "campos ({0})",
+ "constant": "constantes ({0})"
+ },
+ "vs/editor/contrib/snippet/snippetVariables": {
+ "Sunday": "Domingo",
+ "Monday": "Lunes",
+ "Tuesday": "Martes",
+ "Wednesday": "Miércoles",
+ "Thursday": "Jueves",
+ "Friday": "Viernes",
+ "Saturday": "Sábado",
+ "SundayShort": "Dom",
+ "MondayShort": "Lun",
+ "TuesdayShort": "Mar",
+ "WednesdayShort": "Mié",
+ "ThursdayShort": "Jue",
+ "FridayShort": "Vie",
+ "SaturdayShort": "Sáb",
+ "January": "Enero",
+ "February": "Febrero",
+ "March": "Marzo",
+ "April": "Abril",
+ "May": "May",
+ "June": "Junio",
+ "July": "Julio",
+ "August": "Agosto",
+ "September": "Septiembre",
+ "October": "Octubre",
+ "November": "Noviembre",
+ "December": "Diciembre",
+ "JanuaryShort": "Ene",
+ "FebruaryShort": "Feb",
+ "MarchShort": "Mar",
+ "AprilShort": "Abr",
+ "MayShort": "May",
+ "JuneShort": "Jun",
+ "JulyShort": "Jul",
+ "AugustShort": "Ago",
+ "SeptemberShort": "Sep",
+ "OctoberShort": "Oct",
+ "NovemberShort": "Nov",
+ "DecemberShort": "Dic"
+ },
+ "vs/editor/contrib/documentSymbols/outlineTree": {
+ "title.template": "{0} ({1})",
+ "1.problem": "1 problema en este elemento",
+ "N.problem": "{0} problemas en este elemento",
+ "deep.problem": "Contiene elementos con problemas",
+ "Array": "matriz",
+ "Boolean": "booleano",
+ "Class": "clase",
+ "Constant": "constante",
+ "Constructor": "constructor",
+ "Enum": "enumeración",
+ "EnumMember": "miembro de la enumeración",
+ "Event": "evento",
+ "Field": "campo",
+ "File": "archivo",
+ "Function": "función",
+ "Interface": "interfaz",
+ "Key": "clave",
+ "Method": "método",
+ "Module": "módulo",
+ "Namespace": "espacio de nombres",
+ "Null": "NULL",
+ "Number": "número",
+ "Object": "objeto",
+ "Operator": "operador",
+ "Package": "paquete",
+ "Property": "propiedad",
+ "String": "cadena",
+ "Struct": "estructura",
+ "TypeParameter": "parámetro de tipo",
+ "Variable": "variable",
+ "symbolIcon.arrayForeground": "Color de primer plano de los símbolos de matriz. Estos símbolos aparecen en el contorno, la ruta de navegación y el widget de sugerencias.",
+ "symbolIcon.booleanForeground": "Color de primer plano de los símbolos booleanos. Estos símbolos aparecen en el contorno, la ruta de navegación y el widget de sugerencias.",
+ "symbolIcon.classForeground": "Color de primer plano de los símbolos de clase. Estos símbolos aparecen en el contorno, la ruta de navegación y el widget de sugerencias.",
+ "symbolIcon.colorForeground": "Color de primer plano de los símbolos de color. Estos símbolos aparecen en el contorno, la ruta de navegación y el widget de sugerencias.",
+ "symbolIcon.constantForeground": "Color de primer plano de los símbolos constantes. Estos símbolos aparecen en el contorno, la ruta de navegación y el widget de sugerencias.",
+ "symbolIcon.constructorForeground": "Color de primer plano de los símbolos de constructor. Estos símbolos aparecen en el contorno, la ruta de navegación y el widget de sugerencias.",
+ "symbolIcon.enumeratorForeground": "Color de primer plano de los símbolos de enumerador. Estos símbolos aparecen en el contorno, la ruta de navegación y el widget de sugerencias.",
+ "symbolIcon.enumeratorMemberForeground": "Color de primer plano de los símbolos de miembro del enumerador. Estos símbolos aparecen en el contorno, la ruta de navegación y el widget de sugerencias.",
+ "symbolIcon.eventForeground": "Color de primer plano de los símbolos de evento. Estos símbolos aparecen en el contorno, la ruta de navegación y el widget de sugerencias.",
+ "symbolIcon.fieldForeground": "Color de primer plano de los símbolos de campo. Estos símbolos aparecen en el contorno, la ruta de navegación y el widget de sugerencias.",
+ "symbolIcon.fileForeground": "Color de primer plano de los símbolos de archivo. Estos símbolos aparecen en el contorno, la ruta de navegación y el widget de sugerencias.",
+ "symbolIcon.folderForeground": "Color de primer plano de los símbolos de carpeta. Estos símbolos aparecen en el contorno, la ruta de navegación y el widget de sugerencias.",
+ "symbolIcon.functionForeground": "Color de primer plano de los símbolos de función. Estos símbolos aparecen en el contorno, la ruta de navegación y el widget de sugerencias.",
+ "symbolIcon.interfaceForeground": "Color de primer plano de los símbolos de interfaz. Estos símbolos aparecen en el contorno, la ruta de navegación y el widget de sugerencias.",
+ "symbolIcon.keyForeground": "Color de primer plano de los símbolos de claves. Estos símbolos aparecen en el contorno, la ruta de navegación y el widget de sugerencias.",
+ "symbolIcon.keywordForeground": "Color de primer plano de los símbolos de palabra clave. Estos símbolos aparecen en el contorno, la ruta de navegación y el widget de sugerencias.",
+ "symbolIcon.methodForeground": "Color de primer plano de los símbolos de método. Estos símbolos aparecen en el contorno, la ruta de navegación y el widget de sugerencias.",
+ "symbolIcon.moduleForeground": "Color de primer plano de los símbolos de módulo. Estos símbolos aparecen en el contorno, la ruta de navegación y el widget de sugerencias.",
+ "symbolIcon.namespaceForeground": "Color de primer plano de los símbolos de espacio de nombres. Estos símbolos aparecen en el contorno, la ruta de navegación y el widget de sugerencias.",
+ "symbolIcon.nullForeground": "Color de primer plano de los símbolos nulos. Estos símbolos aparecen en el contorno, la ruta de navegación y el widget de sugerencias.",
+ "symbolIcon.numberForeground": "Color de primer plano para los símbolos numéricos. Estos símbolos aparecen en el contorno, la ruta de navegación y el widget de sugerencias.",
+ "symbolIcon.objectForeground": "Color de primer plano de los símbolos de objeto. Estos símbolos aparecen en el contorno, la ruta de navegación y el widget de sugerencias.",
+ "symbolIcon.operatorForeground": "Color de primer plano para los símbolos del operador. Estos símbolos aparecen en el contorno, la ruta de navegación y el widget de sugerencias.",
+ "symbolIcon.packageForeground": "Color de primer plano de los símbolos de paquete. Estos símbolos aparecen en el contorno, la ruta de navegación y el widget de sugerencias.",
+ "symbolIcon.propertyForeground": "Color de primer plano de los símbolos de propiedad. Estos símbolos aparecen en el contorno, la ruta de navegación y el widget de sugerencias.",
+ "symbolIcon.referenceForeground": "Color de primer plano de los símbolos de referencia. Estos símbolos aparecen en el contorno, la ruta de navegación y el widget de sugerencias.",
+ "symbolIcon.snippetForeground": "Color de primer plano de los símbolos de fragmento de código. Estos símbolos aparecen en el contorno, la ruta de navegación y el widget de sugerencias.",
+ "symbolIcon.stringForeground": "Color de primer plano de los símbolos de cadena. Estos símbolos aparecen en el contorno, la ruta de navegación y el widget de sugerencias.",
+ "symbolIcon.structForeground": "Color de primer plano de los símbolos de estructura. Estos símbolos aparecen en el contorno, la ruta de navegación y el widget de sugerencias.",
+ "symbolIcon.textForeground": "Color de primer plano de los símbolos de texto. Estos símbolos aparecen en el contorno, la ruta de navegación y el widget de sugerencias.",
+ "symbolIcon.typeParameterForeground": "Color de primer plano para los símbolos de parámetro de tipo. Estos símbolos aparecen en el contorno, la ruta de navegación y el widget de sugerencias.",
+ "symbolIcon.unitForeground": "Color de primer plano de los símbolos de unidad. Estos símbolos aparecen en el contorno, la ruta de navegación y el widget de sugerencias.",
+ "symbolIcon.variableForeground": "Color de primer plano de los símbolos variables. Estos símbolos aparecen en el contorno, la ruta de navegación y el widget de sugerencias."
+ },
+ "vs/editor/contrib/gotoSymbol/peek/referencesWidget": {
+ "missingPreviewMessage": "vista previa no disponible",
+ "noResults": "No hay resultados",
+ "peekView.alternateTitle": "Referencias"
+ },
+ "vs/editor/contrib/suggest/suggestWidgetDetails": {
+ "details.close": "Cerrar",
+ "loading": "Cargando..."
+ },
+ "vs/editor/contrib/suggest/suggestWidgetStatus": {
+ "ddd": "{0} ({1})"
+ },
+ "vs/editor/contrib/suggest/suggestWidgetRenderer": {
+ "suggestMoreInfoIcon": "Icono para obtener más información en el widget de sugerencias.",
+ "readMore": "Leer más"
+ },
+ "vs/editor/contrib/codeAction/lightBulbWidget": {
+ "prefferedQuickFixWithKb": "Mostrar correcciones. Solución preferida disponible ({0})",
+ "quickFixWithKb": "Mostrar correcciones ({0})",
+ "quickFix": "Mostrar correcciones"
+ },
+ "vs/editor/contrib/gotoSymbol/peek/referencesTree": {
+ "referencesCount": "{0} referencias",
+ "referenceCount": "{0} referencia",
+ "treeAriaLabel": "Referencias"
+ },
+ "vs/platform/environment/node/argvHelper": {
+ "unknownOption": "Advertencia: \"{0}\" no está en la lista de opciones conocidas, pero todavía pasa a Electron/Chromium.",
+ "multipleValues": "La opción \"{0}\" se ha definido más de una vez. Usando el valor \"{1}\".",
+ "gotoValidation": "Los argumentos del modo \"--goto\" deben tener el formato \"ARCHIVO(:LÍNEA(:CARÁCTER))\"."
+ },
+ "vs/platform/request/common/request": {
+ "httpConfigurationTitle": "HTTP",
+ "proxy": "La configuración de proxy que se usará. Si no se establece, se heredará de las variables de entorno \"http_proxy\" y \"https_proxy\".",
+ "strictSSL": "Controla si el certificado del servidor proxy debe comprobarse en la lista de entidades de certificación proporcionada.",
+ "proxyAuthorization": "El valor para enviar como el encabezado \"Autenticación de proxy\" para cada solicitud de red.",
+ "proxySupportOff": "Deshabilite la compatibilidad de proxy para las extensiones.",
+ "proxySupportOn": "Habilite la compatibilidad de proxy para extensiones.",
+ "proxySupportOverride": "Habilite la compatibilidad de proxy para las extensiones, invalide las opciones de solicitud.",
+ "proxySupport": "Utilice el soporte de proxy para extensiones.",
+ "systemCertificates": "Controla si los certificados de CA se deben cargar desde el SO. (En Windows y macOS se requiere una recarga de la ventana después de desactivar esta opción)."
+ },
+ "vs/platform/files/common/fileService": {
+ "invalidPath": "No se puede resolver el proveedor del sistema de archivos con la ruta de acceso de archivo relativa \"{0}\"",
+ "noProviderFound": "No se ha encontrado ningún proveedor de sistema de archivos para el recurso \"{0}\"",
+ "fileNotFoundError": "No se puede resolver el archivo \"{0}\" no existente",
+ "fileExists": "No se puede crear el archivo \"{0}\" que ya existe cuando no se establece la marca de sobrescritura",
+ "err.write": "No se puede escribir el archivo \"{0}\" ({1})",
+ "fileIsDirectoryWriteError": "No se puede escribir el archivo \"{0}\" que en realidad es un directorio",
+ "fileModifiedError": "Archivo Modificado Desde",
+ "err.read": "No se puede leer el archivo \"{0}\" ({1})",
+ "fileIsDirectoryReadError": "No se puede leer el archivo \"{0}\" que es en realidad un directorio",
+ "fileNotModifiedError": "Archivo no modificado desde",
+ "fileTooLargeError": "No se puede leer el archivo \"{0}\", que es demasiado grande para abrirse",
+ "unableToMoveCopyError1": "No se puede copiar cuando el origen \"{0}\" es el mismo que el destino \"{1}\" con mayúsculas y minúsculas diferentes en un sistema de archivos que no distingue mayúsculas de minúsculas",
+ "unableToMoveCopyError2": "No se puede mover/copiar cuando el origen \"{0}\" es el elemento principal del destino \"{1}\".",
+ "unableToMoveCopyError3": "No se puede mover/copiar \"{0}\" porque el destino \"{1}\" ya existe en el punto final.",
+ "unableToMoveCopyError4": "No se puede mover/copiar \"{0}\" en \"{1}\" ya que un archivo reemplazaría la carpeta en la que está contenido.",
+ "mkdirExistsError": "No se puede crear la carpeta \"{0}\" que ya existe pero no es un directorio",
+ "deleteFailedTrashUnsupported": "No se puede eliminar el archivo \"{0}\" a través de la papelera porque el proveedor no lo admite.",
+ "deleteFailedNotFound": "No se puede eliminar el archivo no existente \"{0}\"",
+ "deleteFailedNonEmptyFolder": "No se puede eliminar la carpeta no vacía \"{0}\".",
+ "err.readonly": "No se puede modificar el archivo de solo lectura \"{0}\""
+ },
+ "vs/platform/files/node/diskFileSystemProvider": {
+ "fileExists": "El archivo ya existe",
+ "fileNotExists": "El archivo no existe",
+ "moveError": "No se puede mover \"{0}\" a \"{1}\" ({2}).",
+ "copyError": "No se puede copiar \"{0}\" en \"{1}\" ({2}).",
+ "fileCopyErrorPathCase": "\"El archivo no se puede copiar en la misma ruta de acceso con distinto uso de mayúsculas y minúsculas en la ruta",
+ "fileCopyErrorExists": "El archivo del destino ya existe"
+ },
+ "vs/platform/files/common/files": {
+ "unknownError": "Error desconocido",
+ "sizeB": "{0} B",
+ "sizeKB": "{0} KB",
+ "sizeMB": "{0} MB",
+ "sizeGB": "{0} GB",
+ "sizeTB": "{0} TB"
+ },
+ "vs/platform/update/common/update.config.contribution": {
+ "updateConfigurationTitle": "Actualizar",
+ "updateMode": "Configure si desea recibir actualizaciones automáticas. Requiere un reinicio después del cambio. Las actualizaciones se obtienen de un servicio en línea de Microsoft.",
+ "none": "Desactivar las actualizaciones.",
+ "manual": "Desactivar las comprobaciones automáticas de actualizaciones en segundo plano. Las actualizaciones estarán disponibles si comprueba manualmente las actualizaciones.",
+ "start": "Comprobar si hay actualizaciones solo al iniciarse. Deshabilitar las comprobaciones automáticas de actualización en segundo plano.",
+ "default": "Habilitar la comprobación automática de actualizaciones. El código comprobará las actualizaciones automática y periódicamente.",
+ "deprecated": "Este valor está en desuso, use \"{0}\" en su lugar.",
+ "enableWindowsBackgroundUpdatesTitle": "Habilitar actualizaciones en segundo plano en Windows",
+ "enableWindowsBackgroundUpdates": "Habilitar para descargar e instalar nuevas versiones de VS Code en segundo plano en Windows",
+ "showReleaseNotes": "Mostrar notas de la revisión tras actualizar. Las notas de la revisión son obtenidas desde un servicio en línea de Microsoft."
+ },
+ "vs/platform/environment/node/argv": {
+ "optionsUpperCase": "Opciones",
+ "extensionsManagement": "Administración de extensiones",
+ "troubleshooting": "Solución de problemas",
+ "diff": "Comparar dos archivos entre sí.",
+ "add": "Agregar carpetas a la última ventana activa.",
+ "goto": "Abrir un archivo en la ruta de acceso de la línea y posición de carácter especificadas.",
+ "newWindow": "Fuerce para abrir una ventana nueva.",
+ "reuseWindow": "Fuerza la apertura de un archivo o una carpeta en una ventana ya abierta.",
+ "wait": "Espere a que los archivos sean cerrados antes de volver.",
+ "locale": "La configuración regional que se usará (por ejemplo, en-US o zh-TW).",
+ "userDataDir": "Especifica el directorio donde se guardan los datos del usuario. Se puede utilizar para abrir varias instancias de código distintas.",
+ "help": "Imprima el uso.",
+ "extensionHomePath": "Establezca la ruta de acceso raíz para las extensiones.",
+ "listExtensions": "Enumere las extensiones instaladas.",
+ "showVersions": "Muestra las versiones de las extensiones instaladas cuando se usa --list-extension.",
+ "category": "Filtra las extensiones instaladas por categoría proporcionada, cuando se usa --list-extension.",
+ "installExtension": "Instala o actualiza la extensión. El identificador de una extensión es siempre \"${publisher}.${name}\". Use el argumento \"--force\" para actualizar a la última versión. Para instalar una versión específica, proporcione \"@${version}\". Por ejemplo: \"vscode.csharp@1.2.3\".",
+ "uninstallExtension": "Desinstala una extensión.",
+ "experimentalApis": "Habilita las características de API propuestas para las extensiones. Puede recibir uno o más identificadores de extensión para habilitar individualmente.",
+ "version": "Versión de impresión.",
+ "verbose": "Imprima salidas detalladas (implica --wait).",
+ "log": "Nivel de registro a utilizar. Por defecto es 'info'. Los valores permitidos son 'critical', 'error', 'warn', 'info', 'debug', 'trace', 'off'.",
+ "status": "Imprimir el uso del proceso y la información de diagnóstico.",
+ "prof-startup": "Ejecutar generador de perfiles de CPU durante el inicio",
+ "disableExtensions": "Deshabilite todas las extensiones instaladas.",
+ "disableExtension": "Deshabilitar una extensión.",
+ "turn sync": "Activar o desactivar la sincronización",
+ "inspect-extensions": "Permite perfilar y depurar las extensiones. Revise las herramientas de desarrollador para la conexión URI.",
+ "inspect-brk-extensions": "Permite perfilar y depurar las extensiones con el host de la extensión pausado después de iniciar. Revise las herramientas de desarrollador para la conexión URI.",
+ "disableGPU": "Deshabilita la aceleración de hardware de GPU.",
+ "maxMemory": "Tamaño máximo de memoria para una ventana (en Mbytes).",
+ "telemetry": "Muestra todos los eventos de telemetría que recopila VS Code.",
+ "usage": "Uso",
+ "options": "Opciones",
+ "paths": "rutas de acceso",
+ "stdinWindows": "Para leer la salida de otro programa, añada \"-\" (p. ej. \"echo Hello World | {0} -\")",
+ "stdinUnix": "Para leer desde stdin, añada \"-\" (por ejemplo, \"ps aux | grep code | {0} -\")",
+ "unknownVersion": "Versión desconocida",
+ "unknownCommit": "Confirmación desconocida"
+ },
+ "vs/platform/extensionManagement/common/extensionManagement": {
+ "extensions": "Extensiones",
+ "preferences": "Preferencias"
+ },
+ "vs/platform/extensionManagement/node/extensionManagementService": {
+ "incompatible": "No se puede instalar la extensión \"{0}\" porque no es compatible con VS Code \"{1}\".",
+ "restartCode": "Por favor reinicia VS Code antes de reinstalar {0}.",
+ "MarketPlaceDisabled": "Marketplace no está habilitado",
+ "malicious extension": "No se puede instalar la extensión ya que se informó que era problemático.",
+ "notFoundCompatibleDependency": "No se puede instalar la extensión \"{0}\" porque no es compatible con la versión actual de VS Code (versión {1}).",
+ "Not a Marketplace extension": "Sólo se pueden reinstalar Extensiones del Marketplace",
+ "removeError": "Error al quitar la extensión: {0}. Salga e inicie VS Code antes de intentarlo de nuevo.",
+ "quitCode": "No se puede instalar la extensión. Por favor, cierre e inicie VS Code antes de reinstalarlo.",
+ "exitCode": "No se puede instalar la extensión. Por favor, salga e inicie VS Code antes de reinstalarlo. ",
+ "notInstalled": "La extensión '{0}' no está instalada.",
+ "singleDependentError": "No se puede desinstalar la extensión \"{0}\". La extensión \"{1}\" depende de esta.",
+ "twoDependentsError": "No se puede desinstalar la extensión \"{0}\". Las extensiones \"{1}\" y \"{2}\" dependen de esta.",
+ "multipleDependentsError": "No se puede desinstalar la extensión \"{0}\". Las extensiones \"{1}\" y \"{2}\", entre otras, dependen de esta.",
+ "singleIndirectDependentError": "No se puede desinstalar la extensión \"{0}\". Incluye la desinstalación de la extensión \"{1}\" y la extensión \"{2}\" depende de esta.",
+ "twoIndirectDependentsError": "No se puede desinstalar la extensión \"{0}\". Incluye la desinstalación de la extensión \"{1}\" y las extensiones \"{2}\" y \"{3}\" dependen de esta.",
+ "multipleIndirectDependentsError": "No se puede desinstalar la extensión \"{0}\". Incluye la desinstalación de la extensión \"{1}\" y las extensiones \"{2}\" y \"{3}\", entre otras, dependen de esta.",
+ "notExists": "No se encontró la extensión."
+ },
+ "vs/platform/telemetry/common/telemetryService": {
+ "telemetryConfigurationTitle": "Telemetría",
+ "telemetry.enableTelemetry": "Habilita el envío de datos de uso y errores a un servicio en línea de Microsoft.",
+ "telemetry.enableTelemetryMd": "Habilita el envío de datos de uso y errores a un servicio en línea de Microsoft. Lea nuestra declaración de privacidad [aquí]({0})."
+ },
+ "vs/platform/extensionManagement/node/extensionManagementUtil": {
+ "invalidManifest": "VSIX no válido: package.json no es un archivo JSON."
+ },
+ "vs/platform/userDataSync/common/userDataSync": {
+ "settings sync": "Sincronización de configuración",
+ "settingsSync.keybindingsPerPlatform": "Sincronice los enlaces de teclado para cada plataforma.",
+ "sync.keybindingsPerPlatform.deprecated": "En desuso, use settingsSync.keybindingsPerPlatform en su lugar.",
+ "settingsSync.ignoredExtensions": "Lista de extensiones que se omitirán durante la sincronización. El identificador de una extensión es siempre \"${publisher}.${name}\". Por ejemplo: \"vscode.csharp\".",
+ "app.extension.identifier.errorMessage": "Se esperaba el formato '${publisher}.${name}'. Ejemplo: 'vscode.csharp'.",
+ "sync.ignoredExtensions.deprecated": "En desuso, use settingsSync.ignoredExtensions en su lugar.",
+ "settingsSync.ignoredSettings": "Configure los ajustes que se omitirán durante la sincronización.",
+ "sync.ignoredSettings.deprecated": "En desuso, use settingsSync.ignoredSettings en su lugar."
+ },
+ "vs/platform/extensionManagement/electron-sandbox/extensionTipsService": {
+ "exeRecommended": "Tiene {0} instalado en el sistema. ¿Quiere instalar las extensiones recomendadas para este?"
+ },
+ "vs/platform/userDataSync/common/userDataSyncMachines": {
+ "error incompatible": "No se pueden leer los datos de las máquinas, ya que la versión actual no es compatible. Actualice {0} e inténtelo de nuevo."
+ },
+ "vs/platform/userDataSync/common/userDataAutoSyncService": {
+ "default service changed": "No se puede sincronizar porque el servicio predeterminado ha cambiado.",
+ "service changed": "No se puede sincronizar porque el servicio de sincronización ha cambiado.",
+ "turned off": "No se puede sincronizar porque la sincronización está desactivada en la nube",
+ "session expired": "No se puede sincronizar porque la sesión actual ha caducado",
+ "turned off machine": "No se puede sincronizar porque la sincronización se ha desactivado en esta máquina desde otra máquina."
+ },
+ "vs/platform/workspaces/common/workspaces": {
+ "codeWorkspace": "Área de trabajo de código"
+ },
+ "vs/platform/files/electron-browser/diskFileSystemProvider": {
+ "binFailed": "No se pudo mover \"{0}\" a la papelera de reciclaje",
+ "trashFailed": "No se pudo mover '{0}' a la papelera"
+ },
+ "vs/platform/dialogs/common/dialogs": {
+ "moreFile": "...1 archivo más que no se muestra",
+ "moreFiles": "...{0} archivos más que no se muestran"
+ },
+ "vs/platform/theme/common/colorRegistry": {
+ "foreground": "Color de primer plano general. Este color solo se usa si un componente no lo invalida.",
+ "errorForeground": "Color de primer plano general para los mensajes de erroe. Este color solo se usa si un componente no lo invalida.",
+ "descriptionForeground": "Color de primer plano para el texto descriptivo que proporciona información adicional, por ejemplo para una etiqueta.",
+ "iconForeground": "El color predeterminado para los iconos en el área de trabajo.",
+ "focusBorder": "Color de borde de los elementos con foco. Este color solo se usa si un componente no lo invalida.",
+ "contrastBorder": "Un borde adicional alrededor de los elementos para separarlos unos de otros y así mejorar el contraste.",
+ "activeContrastBorder": "Un borde adicional alrededor de los elementos activos para separarlos unos de otros y así mejorar el contraste.",
+ "selectionBackground": "El color de fondo del texto seleccionado en el área de trabajo (por ejemplo, campos de entrada o áreas de texto). Esto no se aplica a las selecciones dentro del editor.",
+ "textSeparatorForeground": "Color para los separadores de texto.",
+ "textLinkForeground": "Color de primer plano para los vínculos en el texto.",
+ "textLinkActiveForeground": "Color de primer plano para los enlaces de texto, al hacer clic o pasar el mouse sobre ellos.",
+ "textPreformatForeground": "Color de primer plano para los segmentos de texto con formato previo.",
+ "textBlockQuoteBackground": "Color de fondo para los bloques en texto.",
+ "textBlockQuoteBorder": "Color de borde para los bloques en texto.",
+ "textCodeBlockBackground": "Color de fondo para los bloques de código en el texto.",
+ "widgetShadow": "Color de sombra de los widgets dentro del editor, como buscar/reemplazar",
+ "inputBoxBackground": "Fondo de cuadro de entrada.",
+ "inputBoxForeground": "Primer plano de cuadro de entrada.",
+ "inputBoxBorder": "Borde de cuadro de entrada.",
+ "inputBoxActiveOptionBorder": "Color de borde de opciones activadas en campos de entrada.",
+ "inputOption.activeBackground": "Color de fondo de las opciones activadas en los campos de entrada.",
+ "inputOption.activeForeground": "Color de primer plano de las opciones activadas en los campos de entrada.",
+ "inputPlaceholderForeground": "Color de primer plano para el marcador de posición de texto",
+ "inputValidationInfoBackground": "Color de fondo de validación de entrada para gravedad de información.",
+ "inputValidationInfoForeground": "Color de primer plano de validación de entrada para información de gravedad.",
+ "inputValidationInfoBorder": "Color de borde de validación de entrada para gravedad de información.",
+ "inputValidationWarningBackground": "Color de fondo de validación de entrada para gravedad de advertencia.",
+ "inputValidationWarningForeground": "Color de primer plano de validación de entrada para información de advertencia.",
+ "inputValidationWarningBorder": "Color de borde de validación de entrada para gravedad de advertencia.",
+ "inputValidationErrorBackground": "Color de fondo de validación de entrada para gravedad de error.",
+ "inputValidationErrorForeground": "Color de primer plano de validación de entrada para información de error.",
+ "inputValidationErrorBorder": "Color de borde de valdación de entrada para gravedad de error.",
+ "dropdownBackground": "Fondo de lista desplegable.",
+ "dropdownListBackground": "Fondo de la lista desplegable.",
+ "dropdownForeground": "Primer plano de lista desplegable.",
+ "dropdownBorder": "Borde de lista desplegable.",
+ "checkbox.background": "Color de fondo de la casilla de verificación del widget.",
+ "checkbox.foreground": "Color de primer plano del widget de la casilla de verificación.",
+ "checkbox.border": "Color del borde del widget de la casilla de verificación.",
+ "buttonForeground": "Color de primer plano del botón.",
+ "buttonBackground": "Color de fondo del botón.",
+ "buttonHoverBackground": "Color de fondo del botón al mantener el puntero.",
+ "buttonSecondaryForeground": "Color de primer plano del botón secundario.",
+ "buttonSecondaryBackground": "Color de fondo del botón secundario.",
+ "buttonSecondaryHoverBackground": "Color de fondo del botón secundario al mantener el mouse.",
+ "badgeBackground": "Color de fondo de la insignia. Las insignias son pequeñas etiquetas de información, por ejemplo los resultados de un número de resultados.",
+ "badgeForeground": "Color de primer plano de la insignia. Las insignias son pequeñas etiquetas de información, por ejemplo los resultados de un número de resultados.",
+ "scrollbarShadow": "Sombra de la barra de desplazamiento indica que la vista se ha despazado.",
+ "scrollbarSliderBackground": "Color de fondo de control deslizante de barra de desplazamiento.",
+ "scrollbarSliderHoverBackground": "Color de fondo de barra de desplazamiento cursor cuando se pasar sobre el control.",
+ "scrollbarSliderActiveBackground": "Color de fondo de la barra de desplazamiento al hacer clic.",
+ "progressBarBackground": "Color de fondo para la barra de progreso que se puede mostrar para las operaciones de larga duración.",
+ "editorError.background": "Color de fondo del texto de error del editor. El color no debe ser opaco para no ocultar las decoraciones subyacentes.",
+ "editorError.foreground": "Color de primer plano de squigglies de error en el editor.",
+ "errorBorder": "Color del borde de los cuadros de error en el editor.",
+ "editorWarning.background": "Color de fondo del texto de advertencia del editor. El color no debe ser opaco para no ocultar las decoraciones subyacentes.",
+ "editorWarning.foreground": "Color de primer plano de squigglies de advertencia en el editor.",
+ "warningBorder": "Color del borde de los cuadros de advertencia en el editor.",
+ "editorInfo.background": "Color de fondo del texto de información del editor. El color no debe ser opaco para no ocultar las decoraciones subyacentes.",
+ "editorInfo.foreground": "Color de primer plano de los subrayados ondulados informativos en el editor.",
+ "infoBorder": "Color del borde de los cuadros de información en el editor.",
+ "editorHint.foreground": "Color de primer plano de pista squigglies en el editor.",
+ "hintBorder": "Color del borde de los cuadros de sugerencia en el editor.",
+ "sashActiveBorder": "Color de borde de los marcos activos.",
+ "editorBackground": "Color de fondo del editor.",
+ "editorForeground": "Color de primer plano predeterminado del editor.",
+ "editorWidgetBackground": "Color de fondo del editor de widgets como buscar/reemplazar",
+ "editorWidgetForeground": "Color de primer plano de los widgets del editor, como buscar y reemplazar.",
+ "editorWidgetBorder": "Color de borde de los widgets del editor. El color solo se usa si el widget elige tener un borde y no invalida el color.",
+ "editorWidgetResizeBorder": "Color del borde de la barra de cambio de tamaño de los widgets del editor. El color se utiliza solo si el widget elige tener un borde de cambio de tamaño y si un widget no invalida el color.",
+ "pickerBackground": "Color de fondo del selector rápido. El widget del selector rápido es el contenedor para selectores como la paleta de comandos.",
+ "pickerForeground": "Color de primer plano del selector rápido. El widget del selector rápido es el contenedor para selectores como la paleta de comandos.",
+ "pickerTitleBackground": "Color de fondo del título del selector rápido. El widget del selector rápido es el contenedor para selectores como la paleta de comandos.",
+ "pickerGroupForeground": "Selector de color rápido para la agrupación de etiquetas.",
+ "pickerGroupBorder": "Selector de color rápido para la agrupación de bordes.",
+ "editorSelectionBackground": "Color de la selección del editor.",
+ "editorSelectionForeground": "Color del texto seleccionado para alto contraste.",
+ "editorInactiveSelection": "Color de la selección en un editor inactivo. El color no debe ser opaco para no ocultar decoraciones subyacentes.",
+ "editorSelectionHighlight": "Color en las regiones con el mismo contenido que la selección. El color no debe ser opaco para no ocultar decoraciones subyacentes.",
+ "editorSelectionHighlightBorder": "Color de borde de las regiones con el mismo contenido que la selección.",
+ "editorFindMatch": "Color de la coincidencia de búsqueda actual.",
+ "findMatchHighlight": "Color de los otros resultados de la búsqueda. El color no debe ser opaco para no ocultar las decoraciones subyacentes.",
+ "findRangeHighlight": "Color de la gama que limita la búsqueda. El color no debe ser opaco para no ocultar decoraciones subyacentes.",
+ "editorFindMatchBorder": "Color de borde de la coincidencia de búsqueda actual.",
+ "findMatchHighlightBorder": "Color de borde de otra búsqueda que coincide.",
+ "findRangeHighlightBorder": "Color del borde de la gama que limita la búsqueda. El color no debe ser opaco para no ocultar las decoraciones subyacentes.",
+ "searchEditor.queryMatch": "Color de las consultas coincidentes del Editor de búsqueda.",
+ "searchEditor.editorFindMatchBorder": "Color de borde de las consultas coincidentes del Editor de búsqueda.",
+ "hoverHighlight": "Destacar debajo de la palabra para la que se muestra un mensaje al mantener el mouse. El color no debe ser opaco para no ocultar decoraciones subyacentes.",
+ "hoverBackground": "Color de fondo al mantener el puntero en el editor.",
+ "hoverForeground": "Color de primer plano al mantener el puntero en el editor.",
+ "hoverBorder": "Color del borde al mantener el puntero en el editor.",
+ "statusBarBackground": "Color de fondo de la barra de estado al mantener el puntero en el editor.",
+ "activeLinkForeground": "Color de los vínculos activos.",
+ "editorLightBulbForeground": "El color utilizado para el icono de bombilla de acciones.",
+ "editorLightBulbAutoFixForeground": "El color utilizado para el icono de la bombilla de acciones de corrección automática.",
+ "diffEditorInserted": "Color de fondo para el texto que se insertó. El color no debe ser opaco para no ocultar las decoraciones subyacentes.",
+ "diffEditorRemoved": "Color de fondo para el texto que se eliminó. El color no debe ser opaco para no ocultar decoraciones subyacentes.",
+ "diffEditorInsertedOutline": "Color de contorno para el texto insertado.",
+ "diffEditorRemovedOutline": "Color de contorno para el texto quitado.",
+ "diffEditorBorder": "Color del borde entre ambos editores de texto.",
+ "diffDiagonalFill": "Color de relleno diagonal del editor de diferencias. El relleno diagonal se usa en las vistas de diferencias en paralelo.",
+ "listFocusBackground": "Color de fondo de la lista o el árbol del elemento con el foco cuando la lista o el árbol están activos. Una lista o un árbol tienen el foco del teclado cuando están activos, cuando están inactivos no.",
+ "listFocusForeground": "Color de primer plano de la lista o el árbol del elemento con el foco cuando la lista o el árbol están activos. Una lista o un árbol tienen el foco del teclado cuando están activos, cuando están inactivos no.",
+ "listActiveSelectionBackground": "Color de fondo de la lista o el árbol del elemento seleccionado cuando la lista o el árbol están activos. Una lista o un árbol tienen el foco del teclado cuando están activos, cuando están inactivos no.",
+ "listActiveSelectionForeground": "Color de primer plano de la lista o el árbol del elemento seleccionado cuando la lista o el árbol están activos. Una lista o un árbol tienen el foco del teclado cuando están activos, cuando están inactivos no.",
+ "listInactiveSelectionBackground": "Color de fondo de la lista o el árbol del elemento seleccionado cuando la lista o el árbol están inactivos. Una lista o un árbol tienen el foco del teclado cuando están activos, cuando están inactivos no.",
+ "listInactiveSelectionForeground": "Color de primer plano de la lista o el árbol del elemento con el foco cuando la lista o el árbol esta inactiva. Una lista o un árbol tiene el foco del teclado cuando está activo, cuando esta inactiva no.",
+ "listInactiveFocusBackground": "Color de fondo de la lista o el árbol del elemento con el foco cuando la lista o el árbol están inactivos. Una lista o un árbol tienen el foco del teclado cuando están activos, pero no cuando están inactivos.",
+ "listHoverBackground": "Fondo de la lista o el árbol al mantener el mouse sobre los elementos.",
+ "listHoverForeground": "Color de primer plano de la lista o el árbol al pasar por encima de los elementos con el ratón.",
+ "listDropBackground": "Fondo de arrastrar y colocar la lista o el árbol al mover los elementos con el mouse.",
+ "highlight": "Color de primer plano de la lista o el árbol de las coincidencias resaltadas al buscar dentro de la lista o el ábol.",
+ "invalidItemForeground": "Color de primer plano de una lista o árbol para los elementos inválidos, por ejemplo una raiz sin resolver en el explorador.",
+ "listErrorForeground": "Color del primer plano de elementos de lista que contienen errores.",
+ "listWarningForeground": "Color del primer plano de elementos de lista que contienen advertencias.",
+ "listFilterWidgetBackground": "Color de fondo del widget de filtro de tipo en listas y árboles.",
+ "listFilterWidgetOutline": "Color de contorno del widget de filtro de tipo en listas y árboles.",
+ "listFilterWidgetNoMatchesOutline": "Color de contorno del widget de filtro de tipo en listas y árboles, cuando no hay coincidencias.",
+ "listFilterMatchHighlight": "Color de fondo de la coincidencia filtrada.",
+ "listFilterMatchHighlightBorder": "Color de borde de la coincidencia filtrada.",
+ "treeIndentGuidesStroke": "Color de trazo de árbol para las guías de sangría.",
+ "listDeemphasizedForeground": "Color de primer plano de lista/árbol para los elementos no enfatizados.",
+ "menuBorder": "Color del borde de los menús.",
+ "menuForeground": "Color de primer plano de los elementos de menú.",
+ "menuBackground": "Color de fondo de los elementos de menú.",
+ "menuSelectionForeground": "Color de primer plano del menu para el elemento del menú seleccionado.",
+ "menuSelectionBackground": "Color de fondo del menu para el elemento del menú seleccionado.",
+ "menuSelectionBorder": "Color del borde del elemento seleccionado en los menús.",
+ "menuSeparatorBackground": "Color del separador del menu para un elemento del menú.",
+ "snippetTabstopHighlightBackground": "Resaltado del color de fondo para una ficha de un fragmento de código.",
+ "snippetTabstopHighlightBorder": "Resaltado del color del borde para una ficha de un fragmento de código.",
+ "snippetFinalTabstopHighlightBackground": "Resaltado del color de fondo para la última ficha de un fragmento de código.",
+ "snippetFinalTabstopHighlightBorder": "Resaltado del color del borde para la última tabulación de un fragmento de código.",
+ "breadcrumbsFocusForeground": "Color de los elementos de ruta de navegación que reciben el foco.",
+ "breadcrumbsBackground": "Color de fondo de los elementos de ruta de navegación",
+ "breadcrumbsSelectedForegound": "Color de los elementos de ruta de navegación seleccionados.",
+ "breadcrumbsSelectedBackground": "Color de fondo del selector de elementos de ruta de navegación.",
+ "mergeCurrentHeaderBackground": "Fondo del encabezado actual en los conflictos de combinación en línea. El color no debe ser opaco para no ocultar las decoraciones subyacentes.",
+ "mergeCurrentContentBackground": "Fondo de contenido actual en los conflictos de combinación en línea. El color no debe ser opaco para no ocultar las decoraciones subyacentes.",
+ "mergeIncomingHeaderBackground": "Fondo de encabezado entrante en los conflictos de combinación en línea. El color no debe ser opaco para no ocultar las decoraciones subyacentes.",
+ "mergeIncomingContentBackground": "Fondo de contenido entrante en los conflictos de combinación en línea. El color no debe ser opaco para no ocultar las decoraciones subyacentes.",
+ "mergeCommonHeaderBackground": "Fondo de cabecera de elemento antecesor común en conflictos de fusión en línea. El color no debe ser opaco para no ocultar decoraciones subyacentes.",
+ "mergeCommonContentBackground": "Fondo de contenido antecesor común en conflictos de combinación en línea. El color no debe ser opaco para no ocultar las decoraciones subyacentes.",
+ "mergeBorder": "Color del borde en los encabezados y el divisor en conflictos de combinación alineados.",
+ "overviewRulerCurrentContentForeground": "Primer plano de la regla de visión general actual para conflictos de combinación alineados.",
+ "overviewRulerIncomingContentForeground": "Primer plano de regla de visión general de entrada para conflictos de combinación alineados.",
+ "overviewRulerCommonContentForeground": "Primer plano de la regla de visión general de ancestros comunes para conflictos de combinación alineados.",
+ "overviewRulerFindMatchForeground": "Color del marcador de regla general para buscar actualizaciones. El color no debe ser opaco para no ocultar las decoraciones subyacentes.",
+ "overviewRulerSelectionHighlightForeground": "Color del marcador de la regla general para los destacados de la selección. El color no debe ser opaco para no ocultar las decoraciones subyacentes.",
+ "minimapFindMatchHighlight": "Color de marcador de minimapa para coincidencias de búsqueda.",
+ "minimapSelectionHighlight": "Color del marcador de minimapa para la selección del editor.",
+ "minimapError": "Color del marcador de minimapa para errores.",
+ "overviewRuleWarning": "Color del marcador de minimapa para advertencias.",
+ "minimapBackground": "Color de fondo del minimapa.",
+ "minimapSliderBackground": "Color de fondo del deslizador del minimapa.",
+ "minimapSliderHoverBackground": "Color de fondo del deslizador del minimapa al pasar el puntero.",
+ "minimapSliderActiveBackground": "Color de fondo del deslizador de minimapa al hacer clic en él.",
+ "problemsErrorIconForeground": "Color utilizado para el icono de error de problemas.",
+ "problemsWarningIconForeground": "Color utilizado para el icono de advertencia de problemas.",
+ "problemsInfoIconForeground": "Color utilizado para el icono de información de problemas.",
+ "chartsForeground": "Color de primer plano que se usa en los gráficos.",
+ "chartsLines": "Color que se usa para las líneas horizontales en los gráficos.",
+ "chartsRed": "Color rojo que se usa en las visualizaciones de gráficos.",
+ "chartsBlue": "Color azul que se usa en las visualizaciones de gráficos.",
+ "chartsYellow": "Color amarillo que se usa en las visualizaciones de gráficos.",
+ "chartsOrange": "Color naranja que se usa en las visualizaciones de gráficos.",
+ "chartsGreen": "Color verde que se usa en las visualizaciones de gráficos.",
+ "chartsPurple": "Color púrpura que se usa en las visualizaciones de gráficos."
+ },
+ "vs/platform/configuration/common/configurationRegistry": {
+ "defaultLanguageConfigurationOverrides.title": "La configuración del lenguaje predeterminada se reemplaza",
+ "defaultLanguageConfiguration.description": "Establece los valores de configuración que se reemplazarán para el lenguaje {0}.",
+ "overrideSettings.defaultDescription": "Establecer los valores de configuración que se reemplazarán para un lenguaje.",
+ "overrideSettings.errorMessage": "Esta configuración no admite la configuración por idioma.",
+ "config.property.empty": "No se puede registrar una propiedad vacía.",
+ "config.property.languageDefault": "No se puede registrar \"{0}\". Coincide con el patrón de propiedad '\\\\[.*\\\\]$' para describir la configuración del editor específica del lenguaje. Utilice la contribución \"configurationDefaults\".",
+ "config.property.duplicate": "No se puede registrar \"{0}\". Esta propiedad ya está registrada."
+ },
+ "vs/platform/markers/common/markers": {
+ "sev.error": "Error",
+ "sev.warning": "Advertencia",
+ "sev.info": "Información"
+ },
+ "vs/platform/windows/electron-main/windowsMainService": {
+ "pathNotExistTitle": "La ruta no existe",
+ "pathNotExistDetail": "Parece que la ruta '{0}' ya no existe en el disco.",
+ "uriInvalidTitle": "La URI no se puede abrir",
+ "uriInvalidDetail": "La URI '{0}' no es válida y no se puede abrir.",
+ "ok": "Aceptar"
+ },
+ "vs/platform/issue/electron-main/issueMainService": {
+ "local": "LOCAL",
+ "issueReporterWriteToClipboard": "Los datos son demasiados para enviarlos a GitHub directamente. Los datos se copiarán en el portapapeles, péguelos en la página de problemas de GitHub que se abre.",
+ "ok": "Aceptar",
+ "cancel": "Cancelar",
+ "confirmCloseIssueReporter": "Su entrada no se guardará. ¿Está seguro de que desea cerrar esta ventana?",
+ "yes": "Sí",
+ "issueReporter": "Notificador de problemas",
+ "processExplorer": "Explorador de Procesos"
+ },
+ "vs/platform/workspaces/electron-main/workspacesHistoryMainService": {
+ "newWindow": "Nueva ventana",
+ "newWindowDesc": "Abre una ventana nueva",
+ "recentFolders": "Áreas de trabajo recientes",
+ "folderDesc": "{0} {1}",
+ "workspaceDesc": "{0} {1}",
+ "untitledWorkspace": "Sin título (área de trabajo)",
+ "workspaceName": "{0} (área de trabajo)"
+ },
+ "vs/platform/workspaces/electron-main/workspacesMainService": {
+ "ok": "Aceptar",
+ "workspaceOpenedMessage": "No se puede guardar el área de trabajo '{0}'",
+ "workspaceOpenedDetail": "El área de trabajo ya está abierta en otra ventana. Por favor, cierre primero la ventana y vuelta a intentarlo de nuevo."
+ },
+ "vs/platform/dialogs/electron-main/dialogs": {
+ "open": "Abrir",
+ "openFolder": "Abrir carpeta",
+ "openFile": "Abrir archivo",
+ "openWorkspaceTitle": "Abrir área de trabajo",
+ "openWorkspace": "&&Abrir"
+ },
+ "vs/platform/files/common/io": {
+ "fileTooLargeForHeapError": "Para abrir un archivo de este tamaño, tiene que reiniciar y permitirle utilizar más memoria",
+ "fileTooLargeError": "El archivo es demasiado grande para abrirse"
+ },
+ "vs/platform/extensions/common/extensionValidator": {
+ "versionSyntax": "No se pudo analizar el valor de ' engines.vscode ' {0}. Utilice, por ejemplo: ^ 1.22.0, ^ 1.22. x, etc.",
+ "versionSpecificity1": "La versión indicada en \"engines.vscode\" ({0}) no es suficientemente específica. Para las versiones de vscode anteriores a la 1.0.0, defina como mínimo la versión principal y secundaria deseadas. Por ejemplo: ^0.10.0, 0.10.x, 0.11.0, etc.",
+ "versionSpecificity2": "La versión indicada en \"engines.vscode\" ({0}) no es suficientemente específica. Para las versiones de vscode posteriores a la 1.0.0, defina como mínimo la versión principal deseada. Por ejemplo: ^1.10.0, 1.10.x, 1.x.x, 2.x.x, etc.",
+ "versionMismatch": "La extensión no es compatible con {0} de Code y requiere: {1}."
+ },
+ "vs/platform/extensionManagement/node/extensionsScanner": {
+ "errorDeleting": "No se puede eliminar la carpeta \"{0}\" mientras se instala la extensión \"{1}\". Elimine la carpeta manualmente y vuelva a intentarlo.",
+ "cannot read": "No se puede leer la extensión desde {0}",
+ "renameError": "Error desconocido al cambiar el nombre de {0} a {1}",
+ "invalidManifest": "Extensión no válida: package.json no es un archivo JSON."
+ },
+ "vs/platform/userDataSync/common/keybindingsSync": {
+ "errorInvalidSettings": "No se pueden sincronizar los enlaces de teclado porque el contenido del archivo no es válido. Abra el archivo y corríjalo."
+ },
+ "vs/platform/userDataSync/common/settingsSync": {
+ "errorInvalidSettings": "No se puede sincronizar la configuración porque hay errores o advertencias en el archivo correspondiente."
+ },
+ "vs/platform/list/browser/listService": {
+ "workbenchConfigurationTitle": "Área de trabajo",
+ "multiSelectModifier.ctrlCmd": "Se asigna a \"Control\" en Windows y Linux y a \"Comando\" en macOS.",
+ "multiSelectModifier.alt": "Se asigna a \"Alt\" en Windows y Linux y a \"Opción\" en macOS.",
+ "multiSelectModifier": "El modificador que se utilizará para agregar un elemento en los árboles y listas para una selección múltiple con el ratón (por ejemplo en el explorador, abiertos editores y vista de scm). Los gestos de ratón 'Abrir hacia' - si están soportados - se adaptarán de forma tal que no tenga conflicto con el modificador múltiple.",
+ "openModeModifier": "Controla cómo abrir elementos en árboles y listas usando el ratón (si está soportado). Para elementos padres con hijos en los árboles, esta configuración controlará si de un solo click o un doble click expande al elemento padre. Tenga en cuenta que algunos árboles y listas pueden optar por ignorar esta configuración si no se aplica.",
+ "horizontalScrolling setting": "Controla si las listas y los árboles admiten el desplazamiento horizontal en el área de trabajo. Advertencia: La activación de esta configuración repercute en el rendimiento.",
+ "tree indent setting": "Controla la sangría de árbol en píxeles.",
+ "render tree indent guides": "Controla si el árbol debe representar guías de sangría.",
+ "list smoothScrolling setting": "Controla si las listas y los árboles tienen un desplazamiento suave.",
+ "keyboardNavigationSettingKey.simple": "La navegación simple del teclado se centra en elementos que coinciden con la entrada del teclado. El emparejamiento se hace solo en prefijos.",
+ "keyboardNavigationSettingKey.highlight": "Destacar la navegación del teclado resalta los elementos que coinciden con la entrada del teclado. Más arriba y abajo la navegación atravesará solo los elementos destacados.",
+ "keyboardNavigationSettingKey.filter": "La navegación mediante el teclado de filtro filtrará y ocultará todos los elementos que no coincidan con la entrada del teclado.",
+ "keyboardNavigationSettingKey": "Controla el estilo de navegación del teclado para listas y árboles en el área de trabajo. Puede ser simple, resaltar y filtrar.",
+ "automatic keyboard navigation setting": "Controla si la navegación del teclado en listas y árboles se activa automáticamente simplemente escribiendo. Si se establece en \"false\", la navegación con el teclado solo se activa al ejecutar el comando \"list.toggleKeyboardNavigation\", para el cual puede asignar un método abreviado de teclado.",
+ "expand mode": "Controla cómo se expanden las carpetas del árbol al hacer clic en los nombres de carpeta."
+ },
+ "vs/platform/undoRedo/common/undoRedoService": {
+ "externalRemoval": "Se han cerrado los siguientes archivos y se han modificado en el disco: {0}.",
+ "noParallelUniverses": "Los siguientes archivos se han modificado de forma incompatible: {0}.",
+ "cannotWorkspaceUndo": "No se pudo deshacer \"{0}\" en todos los archivos. {1}",
+ "cannotWorkspaceUndoDueToChanges": "No se pudo deshacer \"{0}\" en todos los archivos porque se realizaron cambios en {1}",
+ "cannotWorkspaceUndoDueToInProgressUndoRedo": "No se pudo deshacer \"{0}\" en todos los archivos porque ya hay una operación de deshacer o rehacer en ejecución en {1}",
+ "cannotWorkspaceUndoDueToInMeantimeUndoRedo": "No se pudo deshacer \"{0}\" en todos los archivos porque se produjo una operación de deshacer o rehacer mientras tanto",
+ "confirmWorkspace": "¿Desea deshacer \"{0}\" en todos los archivos?",
+ "ok": "Deshacer en {0} archivos",
+ "nok": "Deshacer este archivo",
+ "cancel": "Cancelar",
+ "cannotResourceUndoDueToInProgressUndoRedo": "No se pudo deshacer \"{0}\" porque ya hay una operación de deshacer o rehacer en ejecución.",
+ "confirmDifferentSource": "¿Quiere deshacer \"{0}\"?",
+ "confirmDifferentSource.ok": "Deshacer",
+ "cannotWorkspaceRedo": "No se pudo rehacer \"{0}\" en todos los archivos. {1}",
+ "cannotWorkspaceRedoDueToChanges": "No se pudo volver a hacer \"{0}\" en todos los archivos porque se realizaron cambios en {1}",
+ "cannotWorkspaceRedoDueToInProgressUndoRedo": "No se pudo rehacer \"{0}\" en todos los archivos porque ya hay una operación de deshacer o rehacer en ejecución en {1}",
+ "cannotWorkspaceRedoDueToInMeantimeUndoRedo": "No se pudo rehacer \"{0}\" en todos los archivos porque se produjo una operación de deshacer o rehacer mientras tanto",
+ "cannotResourceRedoDueToInProgressUndoRedo": "No se pudo rehacer \"{0}\" porque ya hay una operación de deshacer o rehacer en ejecución."
+ },
+ "vs/platform/actions/browser/menuEntryActionViewItem": {
+ "titleAndKb": "{0} ({1})"
+ },
+ "vs/platform/theme/common/iconRegistry": {
+ "iconDefintion.fontId": "Identificador de la fuente que se va a usar. Si no se establece, se usa la fuente definida en primer lugar.",
+ "iconDefintion.fontCharacter": "Carácter de fuente asociado a la definición del icono.",
+ "widgetClose": "Icono de la acción de cierre en los widgets.",
+ "previousChangeIcon": "Icono para ir a la ubicación del editor anterior.",
+ "nextChangeIcon": "Icono para ir a la ubicación del editor siguiente."
+ },
+ "vs/platform/menubar/electron-main/menubar": {
+ "miNewWindow": "&&Nueva ventana",
+ "mFile": "&&Archivo",
+ "mEdit": "&&Editar",
+ "mSelection": "&&Selección",
+ "mView": "&&Ver",
+ "mGoto": "&&Ir",
+ "mRun": "&&Ejecutar",
+ "mTerminal": "&&Terminal",
+ "mWindow": "Ventana",
+ "mHelp": "&&Ayuda",
+ "mAbout": "Acerca de {0}",
+ "miPreferences": "&&Preferencias",
+ "mServices": "Servicios",
+ "mHide": "Ocultar {0}",
+ "mHideOthers": "Ocultar otros",
+ "mShowAll": "Mostrar todo",
+ "miQuit": "Salir de {0}",
+ "mMinimize": "Minimizar",
+ "mZoom": "Zoom",
+ "mBringToFront": "Traer todo al frente",
+ "miSwitchWindow": "Cambiar &&ventana...",
+ "mNewTab": "Nueva pestaña",
+ "mShowPreviousTab": "Mostrar pestaña anterior",
+ "mShowNextTab": "Mostrar siguiente pestaña",
+ "mMoveTabToNewWindow": "Mover pestaña a una nueva ventana",
+ "mMergeAllWindows": "Combinar todas las ventanas",
+ "miCheckForUpdates": "Buscar &&actualizaciones...",
+ "miCheckingForUpdates": "Buscando actualizaciones...",
+ "miDownloadUpdate": "D&&escargar actualización disponible",
+ "miDownloadingUpdate": "Descargando actualización...",
+ "miInstallUpdate": "Instalar &&actualización...",
+ "miInstallingUpdate": "Instalando actualización...",
+ "miRestartToUpdate": "Reiniciar para &&actualizar"
+ },
+ "vs/platform/userDataSync/common/abstractSynchronizer": {
+ "incompatible": "No se puede sincronizar {0} porque su versión local {1} no es compatible con la versión remota {2}",
+ "incompatible sync data": "No se pueden analizar los datos de la sincronización porque no son compatibles con la versión actual."
+ },
+ "vs/platform/keybinding/common/abstractKeybindingService": {
+ "first.chord": "Se presionó ({0}). Esperando la siguiente tecla...",
+ "missing.chord": "La combinación de claves ({0}, {1}) no es un comando."
+ },
+ "vs/platform/quickinput/browser/helpQuickAccess": {
+ "globalCommands": "comandos globales",
+ "editorCommands": "comandos del editor",
+ "helpPickAriaLabel": "{0}, {1}"
+ },
+ "vs/platform/theme/common/tokenClassificationRegistry": {
+ "schema.token.settings": "Colores y estilos para el token.",
+ "schema.token.foreground": "Color de primer plano para el token.",
+ "schema.token.background.warning": "En este momento los colores de fondo para Token no están soportados.",
+ "schema.token.fontStyle": "Establece todos los estilos de fuente de la regla: \"cursiva\", \"negrita\", \"subrayado\" o una combinación de estos. Todos los estilos no incluidos se anulan. La cadena vacía anula todos los estilos.",
+ "schema.fontStyle.error": "El estilo de fuente debe ser cursiva, negrita o sobrayado o una combinación de ellos. La cadena vacía anula la configuración de todos los estilos.",
+ "schema.token.fontStyle.none": "Ninguno (borrar el estilo heredado)",
+ "schema.token.bold": "Establece o anula el estilo de fuente como negrita. Tenga en cuenta que la presencia de \"fontStyle\" invalida esta configuración.",
+ "schema.token.italic": "Establece o anula el estilo de fuente como cursiva. Tenga en cuenta que la presencia de \"fontStyle\" invalida esta configuración.",
+ "schema.token.underline": "Establece o anula el estilo de fuente como subrayado. Tenga en cuenta que la presencia de \"fontStyle\" invalida esta configuración.",
+ "comment": "Estilo para comentarios.",
+ "string": "Estilo de cadenas.",
+ "keyword": "Estilo para palabras clave.",
+ "number": "Estilo para números.",
+ "regexp": "Estilo para expresiones.",
+ "operator": "Estilo para operadores.",
+ "namespace": "Estilo para espacios de nombres.",
+ "type": "Estilo de tipos.",
+ "struct": "Estilo de estructuras.",
+ "class": "Estilo para clases.",
+ "interface": "Estilo de interfaces.",
+ "enum": "Estilo de enumeraciones.",
+ "typeParameter": "Estilo para los parámetros de tipo.",
+ "function": "Estilo para funciones",
+ "member": "Estilo de las funciones miembro",
+ "method": "Estilo del método (funciones miembro)",
+ "macro": "Estilo para macros.",
+ "variable": "Estilo de variables.",
+ "parameter": "Estilo de parámetros.",
+ "property": "Estilo de propiedades.",
+ "enumMember": "Estilo para los miembros de enum.",
+ "event": "Estilo para eventos.",
+ "labels": "Estilo para etiquetas. ",
+ "declaration": "Estilo de todas las declaraciones de símbolos.",
+ "documentation": "Estilo que se usará para las referencias en la documentación.",
+ "static": "Estilo que se usará para los símbolos estáticos.",
+ "abstract": "Estilo que se usará para los símbolos que son abstractos.",
+ "deprecated": "Estilo para usar con los símbolos en desuso.",
+ "modification": "Estilo que se usará con los descriptores de acceso de escritura.",
+ "async": "Estilo que se usará para los símbolos que no estén sincronizados.",
+ "readonly": "Estilo que se usará para los símbolos que son de solo lectura."
+ },
+ "vs/platform/quickinput/browser/commandsQuickAccess": {
+ "commandPickAriaLabelWithKeybinding": "{0}, {1}",
+ "recentlyUsed": "usado recientemente",
+ "morecCommands": "otros comandos",
+ "canNotRun": "El comando \"{0}\" dio lugar a un error ({1})"
+ },
+ "win32/i18n/messages": {
+ "FinishedLabel": "El programa de instalación ha terminado de instalar [nombre] en el equipo. La aplicación puede iniciarse mediante la selección de los accesos directos instalados.",
+ "ConfirmUninstall": "¿Seguro que quiere quitar %1 y todos sus componentes por completo?",
+ "AdditionalIcons": "Iconos adicionales:",
+ "CreateDesktopIcon": "Crear un icono de &escritorio",
+ "CreateQuickLaunchIcon": "Crear un &icono de inicio rápido",
+ "AddContextMenuFiles": "Agregar la acción \"Abrir con %1\" al menú contextual de archivo del Explorador de Windows",
+ "AddContextMenuFolders": "Agregar la acción \"Abrir con %1\" al menú contextual de directorio del Explorador de Windows",
+ "AssociateWithFiles": "Registrar %1 como editor para tipos de archivo admitidos",
+ "AddToPath": "Agregar a PATH (requiere reinicio del shell)",
+ "RunAfter": "Ejecutar %1 después de la instalación",
+ "Other": "Otros:",
+ "SourceFile": "Archivo de origen %1",
+ "OpenWithCodeContextMenu": "Abrir &con %1"
+ },
+ "vs/code/electron-main/main": {
+ "secondInstanceAdmin": "Ya se está ejecutando una segunda instancia de {0} como administrador.",
+ "secondInstanceAdminDetail": "Cierre la otra instancia y vuelva a intentarlo.",
+ "secondInstanceNoResponse": "Se está ejecutando otra instancia de {0} pero no responde",
+ "secondInstanceNoResponseDetail": "Cierre todas las demás instancias y vuelva a intentarlo.",
+ "startupDataDirError": "No se pueden escribir datos de usuario de programa.",
+ "startupUserDataAndExtensionsDirErrorDetail": "Asegúrese de que se puede escribir en los directorios siguientes:\r\n\r\n{0}",
+ "close": "&&Cerrar"
+ },
+ "vs/code/node/cliProcessMain": {
+ "notFound": "La extensión '{0}' no se encontró.",
+ "notInstalled": "La extensión '{0}' no está instalada.",
+ "useId": "Asegúrese de utilizar el identificador de extensión completo, incluido el publicador, por ejemplo: {0}",
+ "installingExtensions": "Instalando extensiones...",
+ "alreadyInstalled-checkAndUpdate": "La extensión \"{0}\" v{1} ya está instalada. Use la opción \"--force\" para actualizar a la última versión o proporcione \"@\" para instalar una versión específica, por ejemplo: \"{2}@1.2.3\".",
+ "alreadyInstalled": "La extensión '{0}' ya está instalada.",
+ "installation failed": "Error al instalar extensiones: {0}",
+ "successVsixInstall": "La extensión \"{0}\" se instaló correctamente.",
+ "cancelVsixInstall": "Se canceló la instalación de la Extensión '{0}'.",
+ "updateMessage": "Actualizando la extensión '{0}' a la versión {1}",
+ "installing builtin ": "Instalando la extensión integrada \"{0}\" v{1}...",
+ "installing": "Instalando extensión \"{0}\" v {1}...",
+ "successInstall": "La extensión \"{0}\" v{1} se instaló correctamente.",
+ "cancelInstall": "Se canceló la instalación de la Extensión '{0}'.",
+ "forceDowngrade": "Ya está instalada una versión más reciente de la extensión \"{0}\" v{1}. Utilice la opción \"--force\" para volver a la versión anterior.",
+ "builtin": "\"{0}\" es una extensión integrada y no se puede instalar.",
+ "forceUninstall": "El usuario ha marcado la extensión \"{0}\" como extensión integrada. Use la opción \"--force\" para desinstalarla.",
+ "uninstalling": "Desinstalando {0}...",
+ "successUninstall": "La extensión '{0}' se desinstaló correctamente."
+ },
+ "vs/code/electron-sandbox/issue/issueReporterMain": {
+ "hide": "ocultar",
+ "show": "mostrar",
+ "previewOnGitHub": "Vista previa en GitHub",
+ "loadingData": "Cargando datos...",
+ "rateLimited": "Se superó el límite de consulta de GitHub. Espere.",
+ "similarIssues": "Problemas similares",
+ "open": "Abrir",
+ "closed": "Cerrado",
+ "noSimilarIssues": "No se han encontrado problemas similares",
+ "bugReporter": "Informe de errores",
+ "featureRequest": "Solicitud de característica",
+ "performanceIssue": "Problema de rendimiento",
+ "selectSource": "Seleccionar origen",
+ "vscode": "Visual Studio Code",
+ "extension": "Una extensión",
+ "unknown": "No sé",
+ "stepsToReproduce": "Pasos para reproducir",
+ "bugDescription": "Indique los pasos necesarios para reproducir el problema. Debe incluir el resultado real y el resultado esperado. Admitimos Markdown al estilo de GitHub. Podrá editar el problema y agregar capturas de pantalla cuando veamos una vista previa en GitHub.",
+ "performanceIssueDesciption": "¿Cuándo ocurrió este problema de rendimiento? ¿Se produce al inicio o después de realizar una serie específica de acciones? Admitimos Markdown al estilo de GitHub. Podrá editar el problema y agregar capturas de pantalla cuando veamos una vista previa en GitHub.",
+ "description": "Descripción",
+ "featureRequestDescription": "Describa la característica que le gustaría ver. Admitimos Markdown al estilo de GitHub. Podrá editar esta información y agregar capturas de pantalla cuando veamos una vista previa en GitHub.",
+ "pasteData": "Hemos escrito los datos necesarios en su Portapapeles porque eran demasiado grandes para enviarlos. Ahora debe pegarlos.",
+ "disabledExtensions": "Las extensiones están deshabilitadas",
+ "noCurrentExperiments": "No hay experimentos en curso."
+ },
+ "vs/code/electron-sandbox/processExplorer/processExplorerMain": {
+ "cpu": "% de CPU",
+ "memory": "Memoria (MB)",
+ "pid": "PID",
+ "name": "Nombre",
+ "killProcess": "Terminar proceso",
+ "forceKillProcess": "Forzar la terminación del proceso",
+ "copy": "Copiar",
+ "copyAll": "Copiar todo",
+ "debug": "Depurar"
+ },
+ "vs/code/electron-main/app": {
+ "trace.message": "Rastro creado correctamente.",
+ "trace.detail": "Cree una incidencia y adjunte manualmente el archivo siguiente:\r\n{0}",
+ "trace.ok": "Aceptar",
+ "open": "&&SÍ",
+ "cancel": "&&No",
+ "confirmOpenMessage": "Una aplicación externa quiere abrir \"{0}\" en {1}. ¿Quiere abrir este archivo o carpeta?",
+ "confirmOpenDetail": "Si no ha iniciado esta solicitud, puede tratarse de un intento de ataque a su sistema. A menos que haya realizado una acción explícita para iniciar esta solicitud, debe presionar \"No\"."
+ },
+ "vs/code/electron-sandbox/issue/issueReporterPage": {
+ "completeInEnglish": "Complete el formulario en inglés.",
+ "issueTypeLabel": "Esto es un",
+ "issueSourceLabel": "Archivo en",
+ "issueSourceEmptyValidation": "Se requiere un origen del problema.",
+ "disableExtensionsLabelText": "Intente reproducir el problema después de {0}. Si el problema sólo se reproduce cuando las extensiones están activas, puede que haya un problema con una extensión.",
+ "disableExtensions": "Deshabilitar todas las extensiones y volver a cargar la ventana",
+ "chooseExtension": "Extensión",
+ "extensionWithNonstandardBugsUrl": "El notificador del problema no puede crear problemas para esta extensión. Visite {0} para informar de un problema.",
+ "extensionWithNoBugsUrl": "El notificador de problemas no puede crear un informe para esta extensión, ya que no especifica una dirección URL para notificar problemas. Consulte la página del catálogo de esta extensión para ver si hay otras instrucciones disponibles.",
+ "issueTitleLabel": "Título",
+ "issueTitleRequired": "Por favor, introduzca un título.",
+ "titleEmptyValidation": "Se requiere un título.",
+ "titleLengthValidation": "El título es demasiado largo.",
+ "details": "Especifique los detalles.",
+ "descriptionEmptyValidation": "Se requiere una descripción.",
+ "sendSystemInfo": "Incluir la información de mi sistema ({0})",
+ "show": "mostrar",
+ "sendProcessInfo": "Incluir mis procesos actualmente en ejecución ({0})",
+ "sendWorkspaceInfo": "Incluir los metadatos de mi área de trabajo ({0})",
+ "sendExtensions": "Incluir mis extensiones habilitadas ({0})",
+ "sendExperiments": "Incluir información del experimento A/B ({0})"
+ },
+ "vs/code/electron-main/auth": {
+ "authRequire": "Autenticación de proxy requerida",
+ "proxyauth": "El proxy {0} requiere autenticación."
+ },
+ "vs/code/electron-main/window": {
+ "reopen": "&&Volver a abrir",
+ "wait": "&&Continuar esperando",
+ "close": "&&Cerrar",
+ "appStalled": "La ventana ha dejado de responder.",
+ "appStalledDetail": "Puede volver a abrir la ventana, cerrarla o seguir esperando.",
+ "appCrashedDetails": "La ventana se ha bloqueado (motivo: \"{0}\")",
+ "appCrashed": "La ventana se bloqueó",
+ "appCrashedDetail": "Sentimos las molestias. Puede volver a abrir la ventana para continuar donde se detuvo.",
+ "hiddenMenuBar": "Aún puede acceder a la barra de menús presionando la tecla Alt."
+ },
+ "vs/workbench/electron-browser/actions/developerActions": {
+ "toggleSharedProcess": "Alternar proceso compartido"
+ },
+ "vs/workbench/electron-sandbox/desktop.contribution": {
+ "newTab": "Pestaña Nueva ventana",
+ "showPreviousTab": "Mostrar pestaña de ventana anterior",
+ "showNextWindowTab": "Mostrar siguiente pestaña de ventana",
+ "moveWindowTabToNewWindow": "Mover pestaña de ventana a una nueva ventana",
+ "mergeAllWindowTabs": "Combinar todas las ventanas",
+ "toggleWindowTabsBar": "Alternar barra de pestañas de ventana",
+ "preferences": "Preferencias",
+ "miCloseWindow": "C&&errar ventana",
+ "miExit": "S&&alir",
+ "miZoomIn": "&&Ampliar",
+ "miZoomOut": "&&Alejar",
+ "miZoomReset": "&&Restablecer zoom",
+ "miReportIssue": "Reportar &&problema en inglés",
+ "miToggleDevTools": "&&Alternar herramientas de desarrollo",
+ "miOpenProcessExplorerer": "Abrir &&explorador de procesos",
+ "windowConfigurationTitle": "Ventana",
+ "window.openWithoutArgumentsInNewWindow.on": "Abra una ventana nueva vacía.",
+ "window.openWithoutArgumentsInNewWindow.off": "Aplique el foco a la última instancia en ejecución activa.",
+ "openWithoutArgumentsInNewWindow": "Controla si debe abrirse una ventana nueva vacía cuando se inicia una segunda instancia sin argumentos o si debe obtener el foco la última instancia en ejecución.\r\nTenga en cuenta que aún puede haber casos en los que este valor se ignore (por ejemplo, al usar la opción de la línea de comandos \"--new-window\" o \"--reuse-window\").",
+ "window.reopenFolders.preserve": "Vuelva a abrir siempre todas las ventanas. Si se abre una carpeta o un área de trabajo (por ejemplo, desde la línea de comandos), se abre como ventana nueva, a menos que se hubiera abierto antes. Si los archivos se abren, se abrirán en una de las ventanas restauradas.",
+ "window.reopenFolders.all": "Volver a abrir todas las ventanas, a menos que se abra una carpeta, un área de trabajo o un archivo (por ejemplo, desde la línea de comandos).",
+ "window.reopenFolders.folders": "Volver a abrir todas las ventanas que tuvieran carpetas o áreas de trabajo abiertas, a menos que se abra una carpeta, un área de trabajo o un archivo (por ejemplo, desde la línea de comandos).",
+ "window.reopenFolders.one": "Volver a abrir la última ventana activa, a menos que se abra una carpeta, un área de trabajo o un archivo (por ejemplo, desde la línea de comandos).",
+ "window.reopenFolders.none": "No volver a abrir nunca una ventana. Si no se abre una carpeta o un área de trabajo (por ejemplo, desde la línea de comandos), aparecerá una ventana vacía.",
+ "restoreWindows": "Controla el modo en que se vuelven a abrir las ventanas después de iniciar por primera vez. Esta configuración no tiene efecto cuando la aplicación ya se está ejecutando.",
+ "restoreFullscreen": "Controla si una ventana se debe restaurar al modo de pantalla completa si se salió de ella en dicho modo.",
+ "zoomLevel": "Ajuste el nivel de zoom de la ventana. El tamaño original es 0 y cada incremento (por ejemplo, 1) o disminución (por ejemplo, -1) representa una aplicación de zoom un 20 % más grande o más pequeño. También puede especificar decimales para ajustar el nivel de zoom con una granularidad más precisa.",
+ "window.newWindowDimensions.default": "Abrir las nuevas ventanas en el centro de la pantalla.",
+ "window.newWindowDimensions.inherit": "Abrir las nuevas ventanas con la misma dimensión que la última activa.",
+ "window.newWindowDimensions.offset": "Abra nuevas ventanas con la misma dimensión que la última activa con una posición de desfase.",
+ "window.newWindowDimensions.maximized": "Abrir las nuevas ventanas maximizadas.",
+ "window.newWindowDimensions.fullscreen": "Abrir las nuevas ventanas en modo de pantalla completa.",
+ "newWindowDimensions": "Controla las dimensiones de apertura de una nueva ventana cuando ya existe al menos una ventana abierta. Tenga en cuenta que esta configuración no afecta a la primera ventana abierta, que siempre se restaurará al tamaño y ubicación en las que se dejó antes de cerrarla",
+ "closeWhenEmpty": "Controla si, al cerrar el último editor, debe cerrarse también la ventana. Esta configuración se aplica solo a ventanas que no muestran carpetas.",
+ "window.doubleClickIconToClose": "Si está habilitado, al hacer doble clic en el icono de la aplicación en la barra de título, se cerrará la ventana y el icono no podrá arrastrarla. Esta configuración solo tiene efecto cuando \"#window.titleBarStyle#\" se establece en \"custom\".",
+ "titleBarStyle": "Ajuste el aspecto de la barra de título de la ventana. En Linux y Windows, esta configuración también afecta a la aplicación y los aspectos del menú contextual. Los cambios requieren un reinicio completo para aplicarse.",
+ "dialogStyle": "Ajustar la apariencia de las ventanas de cuadro de diálogo.",
+ "window.nativeTabs": "Habilita las fichas de ventana en macOS Sierra. Note que los cambios requieren que reinicie el equipo y las fichas nativas deshabilitan cualquier estilo personalizado que haya configurado.",
+ "window.nativeFullScreen": "Controla si debe usarse el modo nativo de pantalla completa en macOS. Deshabilite esta opción para evitar que macOS cree un espacio nuevo cuando cambie a pantalla completa.",
+ "window.clickThroughInactive": "Si está habilitado, haciendo clic en una ventana inactiva, activará dicha ventana y disparará el elemento bajo el cursor del ratón si éste es clicable. Si está deshabilitado, haciendo clic en cualquier lugar en una ventana inactiva, solo activará la misma y será necesario un segundo clic en el elemento.",
+ "window.enableExperimentalProxyLoginDialog": "Habilita un nuevo cuadro de diálogo de inicio de sesión para la autenticación proxy. Es necesario reiniciar para que surta efecto.",
+ "telemetryConfigurationTitle": "Telemetría",
+ "telemetry.enableCrashReporting": "Habilite los informes de bloqueo para enviarlos a un servicio en línea de Microsoft.\r\nEsta opción requiere un reinicio para que surta efecto.",
+ "keyboardConfigurationTitle": "Teclado",
+ "touchbar.enabled": "Habilita los botones de macOS Touchbar en el teclado si están disponibles.",
+ "touchbar.ignored": "Conjunto de identificadores para las entradas de la barra táctil que no deben aparecer (por ejemplo, \"workbench.action.navigateBack\").",
+ "argv.locale": "Idioma de visualización que se va a utilizar. La elección de un idioma diferente requiere la instalación del paquete de idioma asociado.",
+ "argv.disableHardwareAcceleration": "Deshabilita la aceleración de hardware. Solo cambie esta opción si encuentra problemas gráficos.",
+ "argv.disableColorCorrectRendering": "Resuelve problemas relacionados con la selección de perfiles de color. Cambie esta opción SOLO si encuentra problemas gráficos.",
+ "argv.forceColorProfile": "Permite anular el perfil de color que se va a utilizar. Si le parece que los colores están mal, intente establecer esto en \"srgb\" y reinicie.",
+ "argv.enableCrashReporter": "Permite deshabilitar el informe de bloqueo; debe reiniciar la aplicación si se cambia el valor.",
+ "argv.crashReporterId": "Identificador único que se usa para correlacionar los informes de bloqueo enviados desde esta instancia de la aplicación.",
+ "argv.enebleProposedApi": "Habilite las API propuestas para una lista de identificadores de extensiones (como \"vscode. git\"). Las API propuestas son inestables y están sujetas a interrupciones sin advertencia en cualquier momento. Esta operación solo debe establecerse para el desarrollo de extensiones y para pruebas.",
+ "argv.force-renderer-accessibility": "Fuerza el acceso al renderizador. Solo cambie esto si está utilizando un lector de pantalla en Linux. En otras plataformas, el renderizador será accesible automáticamente. Esta marca se establece automáticamente si tiene editor.accessibilitySupport: on."
+ },
+ "vs/workbench/common/actions": {
+ "view": "Ver",
+ "help": "Ayuda",
+ "developer": "Desarrollador"
+ },
+ "vs/workbench/browser/workbench": {
+ "loaderErrorNative": "No se pudo cargar un archivo requerido. Reinicie la aplicación para intentarlo de nuevo. Detalles: {0}"
+ },
+ "vs/workbench/electron-sandbox/window": {
+ "learnMode": "Más información",
+ "shellEnvSlowWarning": "La resolución del entorno de shell está tardando mucho. Revise la configuración del shell.",
+ "shellEnvTimeoutError": "No se puede resolver el entorno de shell en un tiempo razonable. Revise la configuración del shell.",
+ "proxyAuthRequired": "Autenticación proxy requerida",
+ "loginButton": "&&Iniciar sesión",
+ "cancelButton": "&&Cancelar",
+ "username": "Nombre de usuario",
+ "password": "Contraseña",
+ "proxyDetail": "El proxy {0} requiere un nombre de usuario y una contraseña.",
+ "rememberCredentials": "Recordar mis credenciales",
+ "runningAsRoot": "No se recomienda ejecutar {0} como usuario raíz.",
+ "mPreferences": "Preferencias"
+ },
+ "vs/workbench/common/theme": {
+ "tabActiveBackground": "Color de fondo de la pestaña activa. Las pestañas son los contenedores de los editores en el área de editores. Se pueden abrir varias pestañas en un grupo de editores. Puede haber varios grupos de editores.",
+ "tabUnfocusedActiveBackground": "Color de fondo de la pestaña activa en un grupo no enfocado. Las pestañas son los contenedores para los editores en el área del editor. Se pueden abrir varias pestañas en un grupo de editor. Puede haber varios grupos de editor.",
+ "tabInactiveBackground": "Color de fondo de la pestaña inactiva. Las pestañas son los contenedores de los editores en el área de editores. Se pueden abrir varias pestañas en un grupo de editores. Puede haber varios grupos de editores.",
+ "tabUnfocusedInactiveBackground": "Color de fondo de la pestaña inactiva en un grupo sin foco. Las pestañas son los contenedores de los editores en el área del editor. Se pueden abrir varias pestañas en un grupo de editores y puede haber varios grupos de este tipo.",
+ "tabActiveForeground": "Color de primer plano de la pestaña activa en un grupo activo. Las pestañas son los contenedores de los editores en el área de editores. Se pueden abrir varias pestañas en un grupo de editores. Puede haber varios grupos de editores.",
+ "tabInactiveForeground": "Color de primer plano de la pestaña inactiva en un grupo activo. Las pestañas son los contenedores de los editores en el área de editores. Se pueden abrir varias pestañas en un grupo de editores. Puede haber varios grupos de editores.",
+ "tabUnfocusedActiveForeground": "Color de primer plano de la ficha activa en un grupo que no tiene el foco. Las fichas son los contenedores de los editores en el área de editores. Se pueden abrir varias fichas en un grupo de editores. Puede haber varios grupos de editores. ",
+ "tabUnfocusedInactiveForeground": "Color de primer plano de las fichas inactivas en un grupo que no tiene el foco. Las fichas son los contenedores de los editores en el área de editores. Se pueden abrir varias fichas en un grupo de editores. Puede haber varios grupos de editores. ",
+ "tabHoverBackground": "Color de fondo de la pestaña activa al mantener el puntero. Las pestañas son los contenedores de los editores en el área de editores. Se pueden abrir varias pestañas en un grupo de editores. Puede haber varios grupos de editores.",
+ "tabUnfocusedHoverBackground": "Color de fondo de tabulación en un grupo no enfocado cuando se pasa. Las fichas son los contenedores para los editores en el área del editor. Se pueden abrir varias fichas en un grupo de editores. Puede haber varios grupos de editores.",
+ "tabHoverForeground": "Color de primer plano de la pestaña al mantener el puntero. Las pestañas son los contenedores de los editores en el área del editor. Se pueden abrir varias pestañas en un grupo de editores y puede haber varios grupos de este tipo.",
+ "tabUnfocusedHoverForeground": "Color de primer plano de la pestaña en un grupo sin foco al mantener el puntero. Las pestañas son los contenedores de los editores en el área del editor. Se pueden abrir varias pestañas en un grupo de editores y puede haber varios grupos de este tipo.",
+ "tabBorder": "Borde para separar las pestañas entre sí. Las pestañas son contenedores de editores en el área de editores. Se pueden abrir varias pestañas en un grupo de editores. Puede haber varios grupos de editores.",
+ "lastPinnedTabBorder": "Borde para separar las pestañas entre sí. Las pestañas son contenedores de editores en el área de editores. Se pueden abrir varias pestañas en un grupo de editores. Puede haber varios grupos de editores.",
+ "tabActiveBorder": "Borde en la parte inferior de una ficha activa. Las fichas son los contenedores para los editores en el área de edición. Múltiple pestañas pueden abrirse en un grupo de editor. Puede haber múltiples grupos de editor. ",
+ "tabActiveUnfocusedBorder": "Borde en la parte inferior de una pestaña activa para un grupo no seleccionado. Las pestañas son los contenedores para los editores en el área del editor. Se pueden abrir múltiples pestañas en un grupo de editores. Puede haber múltiples grupos de editores.",
+ "tabActiveBorderTop": "Borde a la parte superior de una pestaña activa. Las pestañas son los contenedores para los editores en el área del editor. Se pueden abrir múltiples pestañas en un grupo de editores. Puede haber múltiples grupos de editores.",
+ "tabActiveUnfocusedBorderTop": "Borde en la parte superior de una pestaña activa para un grupo no seleccionado. Las pestañas son los contenedores para los editores en el área del editor. Se pueden abrir múltiples pestañas en un grupo de editores. Puede haber múltiples grupos de editores.",
+ "tabHoverBorder": "Borde para resaltar tabulaciones cuando se activan. Las fichas son los contenedores para los editores en el área del editor. Se pueden abrir varias fichas en un grupo de editores. Puede haber varios grupos de editores. ",
+ "tabUnfocusedHoverBorder": "Borde para resaltar tabulaciones en un grupo no enfocado cuando se activan. Las pestañas son los contenedores para los editores en el área del editor. Se pueden abrir varias pestañas en un grupo de editores. Puede haber varios grupos de editores.",
+ "tabActiveModifiedBorder": "Borde superior de las fichas activas modificadas en un grupo activo. Las fichas son los contenedores de los editores en el área de editores. Se pueden abrir varias fichas en un grupo de editores. Puede haber varios grupos de editores.",
+ "tabInactiveModifiedBorder": "Borde superior de las fichas inactivas modificadas en un grupo activo. Las fichas son los contenedores de los editores en el área de editores. Se pueden abrir varias fichas en un grupo de editores. Puede haber varios grupos de editores.",
+ "unfocusedActiveModifiedBorder": "Borde superior de las fichas activas modificadas en un grupo que no tiene el foco. Las fichas son los contenedores de los editores en el área de editores. Se pueden abrir varias fichas en un grupo de editores. Puede haber varios grupos de editores.",
+ "unfocusedINactiveModifiedBorder": "Borde superior de las fichas inactivas modificadas en un grupo que no tiene el foco. Las fichas son los contenedores de los editores en el área de editores. Se pueden abrir varias fichas en un grupo de editores. Puede haber varios grupos de editores.",
+ "editorPaneBackground": "Color de fondo del panel del editor visible a la izquierda y a la derecha del diseño de editor centrado.",
+ "editorGroupBackground": "Color de fondo en desuso de un grupo editor.",
+ "deprecatedEditorGroupBackground": "En desuso: con la introducción del diseño del editor, ya no se proporciona la opción de color de fondo de un grupo de editores. Utilice editorGroup.emptyBackground para establecer el color de fondo de los grupos de editores vacíos.",
+ "editorGroupEmptyBackground": "Color de fondo de un grupo de editores vacío. Los grupos de editores son los contenedores de los editores.",
+ "editorGroupFocusedEmptyBorder": "Color del borde de un grupo de editores vacío que tiene el foco. Los grupos de editores son los contenedores de los editores.",
+ "tabsContainerBackground": "Color de fondo del encabezado del título del grupo de editores cuando las fichas están habilitadas. Los grupos de editores son contenedores de editores.",
+ "tabsContainerBorder": "Color de borde del encabezado del título del grupo de editores cuando las fichas están habilitadas. Los grupos de editores son contenedores de editores.",
+ "editorGroupHeaderBackground": "Color de fondo del encabezado de título del grupo editor cuando las tabulaciones están deshabilitadas (' \"Workbench. Editor. showTabs \": false '). Los grupos editor son los contenedores de los editores.",
+ "editorTitleContainerBorder": "Color de borde del encabezado de título del grupo de editores. Los grupos de editores son los contenedores de los editores.",
+ "editorGroupBorder": "Color para separar varios grupos de editores entre sí. Los grupos de editores son los contenedores de los editores.",
+ "editorDragAndDropBackground": "Color de fondo cuando se arrastran los editores. El color debería tener transparencia para que el contenido del editor pueda brillar a su través.",
+ "imagePreviewBorder": "Color de borde de la imagen en la vista previa de la imagen.",
+ "panelBackground": "Color de fondo del panel. Los paneles se muestran debajo del área de editores y contienen vistas, como Salida y Terminal integrado.",
+ "panelBorder": "El color del borde superior del panel que lo separa del editor. Los paneles se muestran debajo del área de editores y contienen vistas, como la salida y la terminal integrada.",
+ "panelActiveTitleForeground": "Color del título del panel activo. Los paneles se muestran debajo del área del editor y contienen vistas como Salida y Terminal integrado.",
+ "panelInactiveTitleForeground": "Color del título del panel inactivo. Los paneles se muestran debajo del área del editor y contienen vistas como Salida y Terminal integrado.",
+ "panelActiveTitleBorder": "Color de borde del título del panel activo. Los paneles se muestran debajo del área del editor y contienen vistas como Salida y Terminal integrado.",
+ "panelInputBorder": "Límite de cuadro de entrada para entradas del panel.",
+ "panelDragAndDropBorder": "Color de arrastrar y colocar comentarios para los títulos del panel. Los paneles se muestran debajo del área del editor y contienen vistas como salida y terminal integrado.",
+ "panelSectionDragAndDropBackground": "Color de arrastrar y colocar comentarios para las secciones del panel. El color debe tener transparencia de modo que las secciones del panel puedan brillar a través de él. Los paneles se muestran debajo del área del editor y contienen vistas como salida y terminal integrado. Las secciones de panel son vistas anidadas en los paneles.",
+ "panelSectionHeaderBackground": "Color de fondo del encabezado de la sección del panel. Los paneles se muestran debajo del área del editor y contienen vistas como salida y terminal integrado. Las secciones de panel son vistas anidadas en los paneles.",
+ "panelSectionHeaderForeground": "Color de primer plano del encabezado de la sección del panel. Los paneles se muestran debajo del área del editor y contienen vistas como la salida y el terminal integrado. Las secciones de panel son vistas anidadas en los paneles.",
+ "panelSectionHeaderBorder": "Color de borde del encabezado de la sección del panel que se usa cuando varias vistas se apilan verticalmente en el panel. Los paneles se muestran debajo del área del editor y contienen vistas como la salida y el terminal integrado. Las secciones de panel son vistas anidadas en los paneles.",
+ "panelSectionBorder": "Color de borde de la sección del panel que se usa cuando varias vistas se apilan horizontalmente en el panel. Los paneles se muestran debajo del área del editor y contienen vistas como la salida y el terminal integrado. Las secciones de panel son vistas anidadas en los paneles.",
+ "statusBarForeground": "Color de primer plano de la barra de estado cuando se abre un área de trabajo. La barra de estado se muestra en la parte inferior de la ventana.",
+ "statusBarNoFolderForeground": "Color de primer plano de la barra de estado cuando no hay ninguna carpeta abierta. La barra de estado se muestra en la parte inferior de la ventana.",
+ "statusBarBackground": "Color de fondo de la barra de estado cuando se abre un área de trabajo. La barra de estado se muestra en la parte inferior de la ventana.",
+ "statusBarNoFolderBackground": "Color de fondo de la barra de estado cuando no hay ninguna carpeta abierta. La barra de estado se muestra en la parte inferior de la ventana.",
+ "statusBarBorder": "Color de borde de la barra de estado que separa la barra lateral y el editor. La barra de estado se muestra en la parte inferior de la ventana.",
+ "statusBarNoFolderBorder": "Color de borde de la barra de estado que separa la barra lateral y el editor cuando no hay ninguna carpeta abierta. La barra de estado se muestra en la parte inferior de la ventana.",
+ "statusBarItemActiveBackground": "Color de fondo de un elemento de la barra de estado al hacer clic. La barra de estado se muestra en la parte inferior de la ventana.",
+ "statusBarItemHoverBackground": "Color de fondo de un elemento de la barra de estado al mantener el puntero. La barra de estado se muestra en la parte inferior de la ventana.",
+ "statusBarProminentItemForeground": "Color de primer plano de elementos destacados de la barra de estado. Los elementos destacados resaltan entre el resto de entradas de la barra de estado para indicar la importancia. Cambie el modo \"Alternar tecla de tabulación para mover el punto de atención\" de la paleta de comandos para ver un ejemplo. La barra de estado está en la parte inferior de la ventana.",
+ "statusBarProminentItemBackground": "Barra de estado elementos prominentes color de fondo. Los artículos prominentes se destacan de otras entradas de la barra de estado para indicar importancia, Cambiar el modo de 'Toggle Tab Key Moves Focus' de la paleta de comandos para ver un ejemplo. La barra de estado se muestra en la parte inferior de la ventana.",
+ "statusBarProminentItemHoverBackground": "Barra de estado elementos prominentes color de fondo cuando se activa. Los artículos prominentes se destacan de otras entradas de la barra de estado para indicar importancia. Cambiar el modo de 'Toggle Tab Key Moves Focus' de la paleta de comandos para ver un ejemplo. La barra de estado se muestra en la parte inferior de la ventana.",
+ "statusBarErrorItemBackground": "Color de fondo de los elementos de error en la barra de estado. Los elementos de error se destacan de otras entradas de la barra de estado para indicar condiciones de error. La barra de estado se muestra en la parte inferior de la ventana.",
+ "statusBarErrorItemForeground": "Color de primer plano de los elementos de error en la barra de estado. Los elementos de error se destacan de otras entradas de la barra de estado para indicar condiciones de error. La barra de estado se muestra en la parte inferior de la ventana.",
+ "activityBarBackground": "Color de fondo de la barra de actividad, que se muestra en el lado izquierdo o derecho y que permite cambiar entre diferentes vistas de la barra lateral.",
+ "activityBarForeground": "Color de primer plano del elemento de barra de actividad cuando está activo. La barra de actividad se muestra en el lado izquierdo o derecho y permite cambiar entre diferentes vistas de la barra lateral.",
+ "activityBarInActiveForeground": "Color de primer plano del elemento de barra de actividad cuando está inactivo. La barra de actividad se muestra en el lado izquierdo o derecho y permite cambiar entre diferentes vistas de la barra lateral.",
+ "activityBarBorder": "Color de borde de la barra de actividad que separa la barra lateral. La barra de actividad se muestra en el extremo derecho o izquierdo y permite cambiar entre las vistas de la barra lateral.",
+ "activityBarActiveBorder": "Color del borde de la barra de actividad para el elemento activo. La barra de actividad aparece en el extremo izquierdo o derecho y permite alternar entre las vistas de la barra lateral.",
+ "activityBarActiveFocusBorder": "Color de borde de foco de la barra de actividad para el elemento activo. La barra de actividad se muestra en el extremo izquierdo o derecho y permite cambiar entre las vistas de la barra lateral.",
+ "activityBarActiveBackground": "Color de fondo de la barra de actividad para el elemento activo. La barra de actividad aparece en el extremo izquierdo o derecho y permite cambiar entre las vistas de la barra lateral.",
+ "activityBarDragAndDropBorder": "Color de arrastrar y colocar comentarios de la barra de actividad. La barra de actividad se muestra en el extremo izquierdo o derecho y permite cambiar entre vistas de la barra lateral.",
+ "activityBarBadgeBackground": "Color de fondo de distintivo de notificación de actividad. La barra de actividad se muestra en el extremo izquierdo o derecho y permite cambiar entre vistas de la barra lateral.",
+ "activityBarBadgeForeground": "Color de primer plano de distintivo de notificación de actividad. La barra de actividad se muestra en el extremo izquierdo o derecho y permite cambiar entre vistas de la barra lateral.",
+ "statusBarItemHostBackground": "Color de fondo para el indicador remoto en la barra de estado.",
+ "statusBarItemHostForeground": "Color de primer plano para el indicador remoto en la barra de estado.",
+ "extensionBadge.remoteBackground": "Color de fondo de la insignia remota en la vista de extensiones.",
+ "extensionBadge.remoteForeground": "Color de primer plano de la insignia remota en la vista de extensiones.",
+ "sideBarBackground": "Color de fondo de la barra lateral, que es el contenedor de vistas como Explorador y Búsqueda.",
+ "sideBarForeground": "Color de primer plano de la barra lateral, que es el contenedor de vistas como Explorador y Búsqueda.",
+ "sideBarBorder": "Color de borde de la barra lateral en el lado que separa el editor. La barra lateral es el contenedor de vistas como Explorador y Búsqueda.",
+ "sideBarTitleForeground": "Color de primer plano del título de la barra lateral, que es el contenedor de vistas como Explorador y Búsqueda.",
+ "sideBarDragAndDropBackground": "Color de arrastrar y colocar comentarios para las secciones de la barra lateral. El color debe tener transparencia para permitir que se vean las secciones de la barra lateral, que es el contenedor para vistas como la del explorador o la de búsqueda. Las secciones de la barra lateral son vistas anidadas en la barra lateral.",
+ "sideBarSectionHeaderBackground": "Color de fondo del encabezado de sección de la barra lateral. La barra lateral es el contenedor de vistas, como el explorador y la búsqueda. Las secciones de la barra lateral son vistas anidadas en la barra lateral.",
+ "sideBarSectionHeaderForeground": "Color de primer plano del encabezado de sección de la barra lateral. La barra lateral es el contenedor de vistas, como el explorador y la búsqueda. Las secciones de la barra lateral son vistas anidadas en la barra lateral.",
+ "sideBarSectionHeaderBorder": "Color de borde del encabezado de sección de la barra lateral. La barra lateral es el contenedor de vistas, como el explorador y la búsqueda. Las secciones de la barra lateral son vistas anidadas en la barra lateral.",
+ "titleBarActiveForeground": "Primer plano de la barra de título cuando la ventana está activa.",
+ "titleBarInactiveForeground": "Primer plano de la barra de título cuando la ventana está inactiva.",
+ "titleBarActiveBackground": "Fondo de la barra de título cuando la ventana está activa.",
+ "titleBarInactiveBackground": "Fondo de la barra de título cuando la ventana está inactiva.",
+ "titleBarBorder": "Color de borde de la barra de título.",
+ "menubarSelectionForeground": "Color de primer plano del elemento de menú seleccionado en la barra de menús.",
+ "menubarSelectionBackground": "Color de fondo del elemento de menú seleccionado en la barra de menús.",
+ "menubarSelectionBorder": "Color del borde del elemento de menú seleccionado en la barra de menús.",
+ "notificationCenterBorder": "Color del borde del centro de notificaciones. Las notificaciones se deslizan desde la parte inferior derecha de la ventana.",
+ "notificationToastBorder": "Color del borde de las notificaciones del sistema. Las notificaciones se deslizan desde la parte inferior derecha de la ventana.",
+ "notificationsForeground": "Color de primer plano de las notificaciones. Las notificaciones se deslizan desde la parte inferior derecha de la ventana.",
+ "notificationsBackground": "Color de fondo de las notificaciones. Las notificaciones se deslizan desde la parte inferior derecha de la ventana.",
+ "notificationsLink": "Color de primer plano de los vínculos de las notificaciones. Las notificaciones se deslizan desde la parte inferior derecha de la ventana.",
+ "notificationCenterHeaderForeground": "Color de primer plano del encabezado del centro de notificaciones. Las notificaciones se deslizan desde la parte inferior derecha de la ventana.",
+ "notificationCenterHeaderBackground": "Color de fondo del encabezado del centro de notificaciones. Las notificaciones se deslizan desde la parte inferior derecha de la ventana.",
+ "notificationsBorder": "Color de borde que separa las notificaciones en el centro de notificaciones. Las notificaciones se deslizan desde la parte inferior derecha de la ventana.",
+ "notificationsErrorIconForeground": "Color utilizado para el icono de las notificaciones de error. Las notificaciones se muestran desde la parte inferior derecha de la ventana.",
+ "notificationsWarningIconForeground": "Color utilizado para el icono de las notificaciones de advertencia. Las notificaciones se deslizan desde la parte inferior derecha de la ventana.",
+ "notificationsInfoIconForeground": "Color utilizado para el icono de las notificaciones de información. Las notificaciones se muestran desde la parte inferior derecha de la ventana.",
+ "windowActiveBorder": "El color usado para el borde de la ventana cuando está activa. Solo es compatible con el cliente para equipo de escritorio al usar la barra de título personalizada.",
+ "windowInactiveBorder": "El color usado para el borde de la ventana cuando está inactiva. Solo es compatible con el cliente para equipo de escritorio al usar la barra de título personalizada."
+ },
+ "vs/workbench/common/editor": {
+ "sideBySideLabels": "{0} - {1}",
+ "preview": "{0}, vista previa",
+ "pinned": "{0}, anclado"
+ },
+ "vs/workbench/common/views": {
+ "testViewIcon": "Vea el icono de la vista de pruebas.",
+ "defaultViewIcon": "Icono de vista predeterminado.",
+ "duplicateId": "Una vista con id \"{0}\" ya está registrada"
+ },
+ "vs/workbench/api/common/extHostExtensionService": {
+ "extensionTestError": "La ruta de acceso {0} no apunta a un ejecutor de pruebas de extensión."
+ },
+ "vs/workbench/api/common/extHostTerminalService": {
+ "launchFail.idMissingOnExtHost": "No se encontró el terminal con el identificador {0} en el host de extensiones"
+ },
+ "vs/workbench/api/common/extHostWorkspace": {
+ "updateerror": "La extensión ' {0} ' no pudo actualizar las carpetas del área de trabajo: {1}"
+ },
+ "vs/workbench/browser/workbench.contribution": {
+ "workbench.editor.titleScrollbarSizing.default": "El tamaño predeterminado.",
+ "workbench.editor.titleScrollbarSizing.large": "Aumenta el tamaño, por lo que se puede capturar más fácilmente con el mouse",
+ "tabScrollbarHeight": "Controla la altura de las barras de desplazamiento utilizadas para las pestañas y las rutas de navegación en el área de título del editor.",
+ "showEditorTabs": "Controla si los editores abiertos se deben mostrar o no en pestañas.",
+ "scrollToSwitchTabs": "Controla si las pestañas se abrirán o no al desplazarse sobre ellas. De forma predeterminada, las pestañas solo se muestran cuando se desplaza sobre ellas, pero no se abren. Puede mantener presionada la tecla Mayús mientras se desplaza para cambiar el comportamiento en esa duración. Este valor se omite cuando \"#workbench.editor.showTabs#\" es \"false\".",
+ "highlightModifiedTabs": "Controla si un borde superior se dibuja en las fichas del editor modificado o no. Este valor se omite cuando \"#workbench.editor.showTabs#\" es \"false\".",
+ "workbench.editor.labelFormat.default": "Mostrar el nombre del archivo. Cuando las pestañas están habilitadas y dos archivos tienen el mismo nombre en un grupo, se agregan las secciones distintivas de la ruta de acceso de cada archivo. Cuando las pestañas están deshabilitadas, se muestra la carpeta del área de trabajo si el editor está activo.",
+ "workbench.editor.labelFormat.short": "Muestre el nombre del archivo seguido de su nombre de directorio.",
+ "workbench.editor.labelFormat.medium": "Muestre el nombre del archivo seguido de su ruta de acceso relativa a la carpeta del área de trabajo.",
+ "workbench.editor.labelFormat.long": "Mostrar el nombre del archivo seguido de la ruta de acceso absoluta.",
+ "tabDescription": "Controla el formato de etiqueta de un editor.",
+ "workbench.editor.untitled.labelFormat.content": "El nombre del archivo sin título se deriva del contenido de su primera línea a menos que tenga una ruta de acceso de archivo asociada. Se recurrirá al nombre en caso de que la línea esté vacía o no contenga caracteres de palabra.",
+ "workbench.editor.untitled.labelFormat.name": "El nombre del archivo sin título no se deriva del contenido del archivo.",
+ "untitledLabelFormat": "Controla el formato de la etiqueta para un editor sin título.",
+ "editorTabCloseButton": "Controla la posición de los botones de cierre de pestañas del editor, o los deshabilita cuando se establece en \"off\". Este valor se omite cuando \"#workbench.editor.showTabs#\" es \"false\".",
+ "workbench.editor.tabSizing.fit": "Mantenga siempre un tamaño de pestaña suficientemente grande para mostrar la etiqueta del editor completa.",
+ "workbench.editor.tabSizing.shrink": "Permita que se reduzca el tamaño de las pestañas cuando el espacio disponible no es suficiente para mostrarlas todas a la vez.",
+ "tabSizing": "Controla el dimensionamiento de las pestañas del editor. Este valor se omite cuando \"#workbench.editor.showTabs#\" es \"false\".",
+ "workbench.editor.pinnedTabSizing.normal": "Una pestaña anclada hereda la apariencia de pestañas no ancladas.",
+ "workbench.editor.pinnedTabSizing.compact": "Una pestaña anclada se mostrará en un formato compacto con solo un icono o una primera letra del nombre del editor.",
+ "workbench.editor.pinnedTabSizing.shrink": "Una pestaña fijada se reduce a un tamaño fijo compacto que muestra partes del nombre del editor.",
+ "pinnedTabSizing": "Controla el dimensionamiento de las pestañas del editor ancladas. Las pestañas ancladas se ordenan al principio de todas las pestañas abiertas y normalmente no se cierran hasta que se liberan. Este valor se omite cuando \"#workbench.editor.showTabs#\" es \"false\".",
+ "workbench.editor.splitSizingDistribute": "Divide todos los grupos de editores en partes iguales.",
+ "workbench.editor.splitSizingSplit": "Divide el grupo de editor activo en partes iguales.",
+ "splitSizing": "Controla el tamaño de los grupos de editores al dividirlos.",
+ "splitOnDragAndDrop": "Controla si los grupos de editores pueden dividirse a partir de las operaciones de arrastrar y colocar al colocar un editor o archivo en los bordes del área del editor.",
+ "focusRecentEditorAfterClose": "Controla si las pestañas se cierran en el orden de uso más reciente o de izquierda a derecha.",
+ "showIcons": "Controla si los editores abiertos deben mostrarse o no con un icono. Requiere que también se habilite un tema de icono de archivo.",
+ "enablePreview": "Controla si los editores abiertos se muestran como vista previa. Los editores en vista previa no se mantienen abiertos y se reutilizan hasta que se establece explícitamente que se mantengan abiertos (por ejemplo, mediante doble clic o edición) y se muestran en cursiva.",
+ "enablePreviewFromQuickOpen": "Controla si los editores abiertos con Quick Open se muestran en vista previa. Los editores en vista previa no se mantienen abiertos y se reutilizan hasta que se establece explícitamente que se mantengan abiertos (por ejemplo, mediante doble clic o edición).",
+ "closeOnFileDelete": "Controla si los editores que muestran un archivo que se abrió durante la sesión deben cerrarse automáticamente cuando otro proceso elimina el archivo o lo cambia de nombre. Si se deshabilita esta opción y se da alguna de estas circunstancias, el editor abierto se mantiene. Tenga en cuenta que, al eliminar desde la aplicación, siempre se cierra el editor y los archivos con modificaciones no se cierran nunca para preservar los datos.",
+ "editorOpenPositioning": "Controla dónde se abren los editores. Seleccione \"left\" o \"right\" para abrir los editores a la izquierda o la derecha del que está activo actualmente. Seleccione \"first\" o \"last\" para abrir los editores con independencia del que está activo.",
+ "sideBySideDirection": "Controla la dirección predeterminada de los editores que se abren en paralelo (por ejemplo, desde el explorador). De forma predeterminada, los editores se abren a la derecha del que está activo. Si se cambia a \"down\", los editores se abren debajo del que está activo.",
+ "closeEmptyGroups": "Controla el comportamiento de los grupos de editores vacíos cuando se cierra la última pestaña del grupo. Si esta opción está habilitada, los grupos vacíos se cierran automáticamente. Si está deshabilitada, los grupos vacíos siguen formando parte de la cuadrícula.",
+ "revealIfOpen": "Controla si un editor se muestra en alguno de los grupos visibles cuando se abre. Si se deshabilita esta opción, un editor preferirá abrirse en el grupo de editores activo en ese momento. Si se habilita, se mostrará un editor ya abierto en lugar de volver a abrirse en el grupo de editores activo. Tenga en cuenta que hay casos en los que esta opción se omite, por ejemplo, cuando se fuerza la apertura de un editor en un grupo específico o junto al grupo activo actual.",
+ "mouseBackForwardToNavigate": "Desplácese entre los archivos abiertos mediante los botones del mouse cuatro y cinco si se proporcionan.",
+ "restoreViewState": "Restaura el último estado de visualización (p. ej. la posición de desplazamiento) al volver a abrir los editores de texto después de que se hayan cerrado.",
+ "centeredLayoutAutoResize": "Controla si el diseño centrado debe cambiar de tamaño automáticamente al ancho máximo cuando se abre más de un grupo. Cuando solo haya un grupo abierto, volverá al ancho original centrado.",
+ "limitEditorsEnablement": "Controla si el número de editores abiertos debe estar limitado o no. Cuando está habilitado, los editores sin modificaciones abiertos menos recientemente se cerrarán para hacer sitio a los editores recién abiertos.",
+ "limitEditorsMaximum": "Controla el número máximo de editores abiertos. Use la configuración \"#workbench.editor.limit.perEditorGroup\" para controlar este límite por grupo de editores o en todos los grupos.",
+ "perEditorGroup": "Controla si el límite del máximo de editores abiertos debe aplicarse por grupo de editores o en todos los grupos de editores.",
+ "commandHistory": "Controla el número de comandos utilizados recientemente que se mantendrán en el historial de la paleta de comandos. Establezca el valor a 0 para desactivar el historial de comandos.",
+ "preserveInput": "Controla si la última entrada especificada en la paleta de comandos debe restaurarse al abrir la próxima vez.",
+ "closeOnFocusLost": "Controla si Quick Open debe cerrarse automáticamente cuando pierde el foco.",
+ "workbench.quickOpen.preserveInput": "Controla si debe restaurarse la última entrada escrita en Quick Open al abrirlo la próxima vez.",
+ "openDefaultSettings": "Controla si la configuración de apertura también abre un editor que muestra todos los valores predeterminados.",
+ "useSplitJSON": "Controla si se utiliza el editor de JSON de división al editar la configuración como JSON.",
+ "openDefaultKeybindings": "Controla si la configuración de apertura de enlaces de teclado también abre un editor que muestra todos los enlaces de teclado predeterminados.",
+ "sideBarLocation": "Controla la ubicación de la barra lateral y la barra de actividad. Pueden mostrarse a la izquierda o a la derecha del área de trabajo.",
+ "panelDefaultLocation": "Controla la ubicación predeterminada del panel (terminal, consola de depuración, salida, problemas). Puede mostrarse en la parte inferior, derecha o izquierda del área de trabajo.",
+ "panelOpensMaximized": "Controla si el panel se abre maximizado. Puede abrirse maximizado siempre, nunca o abrirse en el último estado en el que se encontraba antes de cerrarse.",
+ "workbench.panel.opensMaximized.always": "Maximice siempre el panel al abrirlo.",
+ "workbench.panel.opensMaximized.never": "No maximice nunca el panel al abrirlo. El panel se abrirá sin maximizar.",
+ "workbench.panel.opensMaximized.preserve": "Abra el panel en el estado en el que se encontraba antes de cerrarlo.",
+ "statusBarVisibility": "Controla la visibilidad de la barra de estado en la parte inferior del área de trabajo.",
+ "activityBarVisibility": "Controla la visibilidad de la barra de actividades en el área de trabajo.",
+ "activityBarIconClickBehavior": "Controla el comportamiento de clics de un icono de la barra de actividades en el área de trabajo.",
+ "workbench.activityBar.iconClickBehavior.toggle": "Oculta la barra lateral si el elemento en el que se hace clic ya está visible.",
+ "workbench.activityBar.iconClickBehavior.focus": "Enfoca la barra lateral si el elemento en el que se hace clic ya está visible.",
+ "viewVisibility": "Controla la visibilidad de las acciones en el encabezado de la vista. Las acciones en el encabezado de la vista pueden ser siempre visibles, o solo cuando la vista es enfocada o apuntada.",
+ "fontAliasing": "Controla el método de alias (aliasing) de la fuente en el área de trabajo.",
+ "workbench.fontAliasing.default": "Suavizado de fuentes en subpíxeles. En la mayoría de las pantallas que no son Retina, esta opción muestra el texto más nítido.",
+ "workbench.fontAliasing.antialiased": "Suaviza las fuentes en píxeles, en lugar de subpíxeles. Puede hacer que las fuentes se vean más claras en general.",
+ "workbench.fontAliasing.none": "Deshabilita el suavizado de fuentes. El texto se muestra con bordes nítidos irregulares.",
+ "workbench.fontAliasing.auto": "Aplica ' default ' o ' antialiased ' automáticamente basándose en la DPI de las pantallas.",
+ "settings.editor.ui": "Use el editor de la interfaz de usuario de configuración.",
+ "settings.editor.json": "Use el editor de archivos JSON.",
+ "settings.editor.desc": "Determina el editor de configuración que se va a usar de forma predeterminada.",
+ "windowTitle": "Controla el icono de ventana según el editor activo. Las variables se sustituyen según el contexto:",
+ "activeEditorShort": "`${activeEditorShort}`: el nombre de archivo (p. ej., myFile.txt).",
+ "activeEditorMedium": "`${activeEditorMedium}`: la ruta de acceso de archivo relativa a la carpeta de área de trabajo (p. ej. myFolder/myFileFolder/myFile.txt)",
+ "activeEditorLong": "\"${activeEditorLong}\": la ruta de acceso completa del archivo (p. ej., /Users/Development/myFolder/myFileFolder/myFile.txt).",
+ "activeFolderShort": "`${activeFolderShort}`: el nombre de la carpeta que contiene el archivo (p. ej., myFileFolder).",
+ "activeFolderMedium": "`${activeFolderMedium}`: la ruta de acceso de la carpeta que contiene el archivo, relativa a la carpeta del área de trabajo (p. ej., myFolder/myFileFolder).",
+ "activeFolderLong": "`${activeFolderLong}`: la ruta de acceso completa de la carpeta que contiene el archivo (p. ej., /Users/Development/myFolder/myFileFolder).",
+ "folderName": "`${folderName}`: nombre de la carpeta del área de trabajo que contiene el archivo (p. ej., myFolder).",
+ "folderPath": "`${folderPath}`: ruta de acceso de archivo de la carpeta del área de trabajo que contiene el archivo (p. ej., /Users/Development/myFolder).",
+ "rootName": "`${rootName}`: nombre del área de trabajo (p. ej., myFolder o myWorkspace).",
+ "rootPath": "\"${rootPath}\": ruta de acceso de archivo del área de trabajo (p. ej., /Users/Development/myWorkspace).",
+ "appName": "\"${appName}\": por ejemplo, VS Code.",
+ "remoteName": "\"${remoteName}\": por ejemplo, SSH",
+ "dirty": "`${dirty}`: un indicador con modificaciones si el editor activo tiene modificaciones.",
+ "separator": "`${separator}`: un separador condicional (\" - \") que solo se muestra cuando está rodeado por variables con valores o texto estático.",
+ "windowConfigurationTitle": "Ventana",
+ "window.titleSeparator": "Separador que usa \"ventana.título\".",
+ "window.menuBarVisibility.default": "El menú solo está oculto en modo de pantalla completa.",
+ "window.menuBarVisibility.visible": "El menú está siempre visible incluso en modo de pantalla completa.",
+ "window.menuBarVisibility.toggle": "El menú está oculto pero se puede mostrar mediante la tecla Alt.",
+ "window.menuBarVisibility.hidden": "El menú está siempre oculto.",
+ "window.menuBarVisibility.compact": "El menú se muestra como un botón compacto en la barra lateral. Este valor se ignora cuando \"#window.titleBarStyle#\" es \"native\".",
+ "menuBarVisibility": "Controla la visibilidad de la barra de menús. El valor \"alternar\" significa que la barra de menús está oculta y que se mostrará al presionar una sola vez la tecla Alt. La barra de menús estará visible de forma predeterminada, a menos que se use el modo de pantalla completa para la ventana.",
+ "enableMenuBarMnemonics": "Controla si los menús principales se pueden abrir a través de los accesos directos de la tecla Alt. La desactivación de las teclas de acceso permite vincular estos accesos directos de tecla Alt a los comandos del editor en su lugar.",
+ "customMenuBarAltFocus": "Controla si la barra de menús se enfocará pulsando la tecla Alt. Esta configuración no tiene ningún efecto para alternar la barra de menús con la tecla Alt.",
+ "window.openFilesInNewWindow.on": "Los archivos se abrirán en una nueva ventana.",
+ "window.openFilesInNewWindow.off": "Los archivos se abrirán en la ventana con la carpeta de archivos abierta o en la última ventana activa.",
+ "window.openFilesInNewWindow.defaultMac": "Los archivos se abrirán en la ventana con la carpeta de archivos abierta o en la última ventana activa, a menos que se abran con Dock o desde Finder.",
+ "window.openFilesInNewWindow.default": "Los archivos se abrirán en una ventana nueva, a menos que se seleccionen desde la aplicación (por ejemplo, mediante el menú Archivo)",
+ "openFilesInNewWindowMac": "Controla si los archivos deben abrirse en una ventana nueva. \r\nTenga en cuenta que aún puede haber casos en los que este valor se ignore (por ejemplo, al usar la opción de la línea de comandos \"--new-window\" o \"--reuse-window\").",
+ "openFilesInNewWindow": "Controla si los archivos deben abrirse en una ventana nueva.\r\nTenga en cuenta que aún puede haber casos en los que este valor se ignore (por ejemplo, al usar la opción de la línea de comandos \"--new-window\" o \"--reuse-window\").",
+ "window.openFoldersInNewWindow.on": "Las carpetas se abrirán en una ventana nueva.",
+ "window.openFoldersInNewWindow.off": "Las carpetas reemplazarán la última ventana activa.",
+ "window.openFoldersInNewWindow.default": "Las carpetas se abrirán en una ventana nueva, a menos que se seleccione una carpeta desde la aplicación (por ejemplo, mediante el menú Archivo)",
+ "openFoldersInNewWindow": "Controla si las carpetas deben abrirse en una ventana nueva o reemplazar la última ventana activa.\r\nTenga en cuenta que aún puede haber casos en los que este valor se ignore (por ejemplo, al usar la opción de la línea de comandos \"--new-window\" o \"--reuse-window\").",
+ "window.confirmBeforeClose.always": "Intente pedir confirmación siempre. Tenga en cuenta que los exploradores aún pueden decidir cerrar una pestaña o una ventana sin confirmación.",
+ "window.confirmBeforeClose.keyboardOnly": "Pedir confirmación solo si se ha detectado un enlace de teclado. Tenga en cuenta que puede que la detección no sea posible en algunos casos.",
+ "window.confirmBeforeClose.never": "No solicitar nunca confirmación explícitamente, a menos que la pérdida de datos sea inminente.",
+ "confirmBeforeCloseWeb": "Controla si debe mostrarse un cuadro de diálogo de confirmación antes de cerrar la ventana o la pestaña del explorador. Tenga en cuenta que, aunque se habilite, los exploradores pueden decidir cerrar una pestaña o una ventana sin confirmación y que esta configuración es solo una sugerencia que puede no funcionar en todos los casos.",
+ "zenModeConfigurationTitle": "Modo zen",
+ "zenMode.fullScreen": "Controla si al activar el modo zen se pone también el área de trabajo en modo de pantalla completa.",
+ "zenMode.centerLayout": "Controla si al activar el modo zen se centra también el diseño.",
+ "zenMode.hideTabs": "Controla si la activación del modo zen también oculta las pestañas del área de trabajo.",
+ "zenMode.hideStatusBar": "Controla si la activación del modo zen también oculta la barra de estado en la parte inferior del área de trabajo.",
+ "zenMode.hideActivityBar": "Controla si al activar el modo zen se oculta también la barra de actividades en la parte izquierda o derecha del área de trabajo.",
+ "zenMode.hideLineNumbers": "Controla si encender modo Zen esconde también los números de línea del editor.",
+ "zenMode.restore": "Controla si una ventana debe restaurarse a modo zen si se cerró en modo zen.",
+ "zenMode.silentNotifications": "Controla si las notificaciones se muestran en modo zen. Si es true, solo aparecerán las notificaciones de error."
+ },
+ "vs/workbench/browser/actions/textInputActions": {
+ "undo": "Deshacer",
+ "redo": "Rehacer",
+ "cut": "Cortar",
+ "copy": "Copiar",
+ "paste": "Pegar",
+ "selectAll": "Seleccionar todo"
+ },
+ "vs/workbench/browser/actions/developerActions": {
+ "inspect context keys": "Inspeccionar claves de contexto",
+ "toggle screencast mode": "Alternar el modo de presentación en pantalla",
+ "logStorage": "Registrar el contenido de la base de datos de almacenamiento",
+ "logWorkingCopies": "Registrar copias de trabajo",
+ "screencastModeConfigurationTitle": "Modo de presentación en pantalla",
+ "screencastMode.location.verticalPosition": "Controla el desplazamiento vertical de la superposición del modo de presentación en pantalla desde la parte inferior como un porcentaje de la altura del área de trabajo.",
+ "screencastMode.fontSize": "Controla el tamaño de fuente (en píxeles) del teclado de modo de presentación de pantalla.",
+ "screencastMode.onlyKeyboardShortcuts": "Solo muestra los métodos abreviados de teclado en el modo de presentación de pantalla.",
+ "screencastMode.keyboardOverlayTimeout": "Controla el tiempo (en milisegundos) que se muestra la superposición del teclado en el modo de presentación de pantalla.",
+ "screencastMode.mouseIndicatorColor": "Controla el color en notación hexadecimal (#RGB, #RGBA, #RRGGBB o #RRGGBBAA) del indicador del mouse en el modo de presentación en pantalla.",
+ "screencastMode.mouseIndicatorSize": "Controla el tamaño (en píxeles) del indicador de mouse en el modo de presentación de pantalla."
+ },
+ "vs/workbench/browser/actions/helpActions": {
+ "keybindingsReference": "Referencia de métodos abreviados de teclado",
+ "openDocumentationUrl": "Documentación",
+ "openIntroductoryVideosUrl": "Vídeos de introducción",
+ "openTipsAndTricksUrl": "Sugerencias y trucos",
+ "newsletterSignup": "Regístrese para recibir el boletín de VS Code",
+ "openTwitterUrl": "Únase a nosotros en Twitter",
+ "openUserVoiceUrl": "Buscar solicitudes de características",
+ "openLicenseUrl": "Ver licencia",
+ "openPrivacyStatement": "Declaración de privacidad",
+ "miDocumentation": "&&Documentación",
+ "miKeyboardShortcuts": "&&Referencia de métodos abreviados de teclado",
+ "miIntroductoryVideos": "&&Vídeos de introducción",
+ "miTipsAndTricks": "Consejos y tru&&cos",
+ "miTwitter": "&&Únase a nosotros en Twitter",
+ "miUserVoice": "&&Buscar solicitudes de características",
+ "miLicense": "Ver &&licencia",
+ "miPrivacyStatement": "Declaración de privaci&&dad"
+ },
+ "vs/workbench/browser/actions/layoutActions": {
+ "closeSidebar": "Cerrar barra lateral",
+ "toggleActivityBar": "Alternar visibilidad de la barra de actividades",
+ "miShowActivityBar": "Mostrar &&barra de actividades",
+ "toggleCenteredLayout": "Alternar diseño centrado",
+ "miToggleCenteredLayout": "&&Diseño centrado",
+ "flipLayout": "Alternar diseño vertical/horizontal del editor",
+ "miToggleEditorLayout": "Invertir &&diseño",
+ "toggleSidebarPosition": "Alternar posición de la barra lateral",
+ "moveSidebarRight": "Mover la barra lateral a la derecha",
+ "moveSidebarLeft": "Mover la barra lateral a la izquierda",
+ "miMoveSidebarRight": "&&Mover barra lateral a la derecha",
+ "miMoveSidebarLeft": "&&Mover barra lateral a la izquierda",
+ "toggleEditor": "Cambiar la visibilidad del área de edición",
+ "miShowEditorArea": "Mostrar &&área de editor",
+ "toggleSidebar": "Alternar visibilidad de la barra lateral",
+ "miAppearance": "&&Apariencia",
+ "miShowSidebar": "Mostrar barra &&lateral",
+ "toggleStatusbar": "Alternar visibilidad de la barra de estado",
+ "miShowStatusbar": "Mostrar barra de e&&stado",
+ "toggleTabs": "Alternar visibilidad de la pestaña",
+ "toggleZenMode": "Alternar modo zen",
+ "miToggleZenMode": "Modo zen",
+ "toggleMenuBar": "Alternar barra de menús",
+ "miShowMenuBar": "Mostrar barra de &&menús",
+ "resetViewLocations": "Restablecer ubicaciones de vista",
+ "moveView": "Mover vista",
+ "sidebarContainer": "Barra lateral / {0}",
+ "panelContainer": "Panel / {0}",
+ "moveFocusedView.selectView": "Seleccione una vista para mover",
+ "moveFocusedView": "Mover vista enfocada",
+ "moveFocusedView.error.noFocusedView": "No hay ninguna vista enfocada actualmente.",
+ "moveFocusedView.error.nonMovableView": "La vista enfocada actualmente no es móvil.",
+ "moveFocusedView.selectDestination": "Seleccionar un Destino para la Vista",
+ "moveFocusedView.title": "Vista: mover {0}",
+ "moveFocusedView.newContainerInPanel": "Nueva entrada de panel",
+ "moveFocusedView.newContainerInSidebar": "Nueva entrada en la barra lateral",
+ "sidebar": "Barra lateral",
+ "panel": "Panel",
+ "resetFocusedViewLocation": "Restablecer la ubicación de la vista enfocada",
+ "resetFocusedView.error.noFocusedView": "No hay ninguna vista enfocada actualmente.",
+ "increaseViewSize": "Aumentar tamaño de vista actual",
+ "increaseEditorWidth": "Aumentar el ancho del editor",
+ "increaseEditorHeight": "Aumentar el alto del editor",
+ "decreaseViewSize": "Reducir tamaño de vista actual",
+ "decreaseEditorWidth": "Reducir el ancho del editor",
+ "decreaseEditorHeight": "Reducir el alto del editor"
+ },
+ "vs/workbench/browser/actions/navigationActions": {
+ "navigateLeft": "Navegar a la Vista de la Izquierda",
+ "navigateRight": "Navegar a la Vista de la Derecha",
+ "navigateUp": "Navegar a la Vista Superior",
+ "navigateDown": "Navegar a la Vista Inferior",
+ "focusNextPart": "Enfocar la parte siguiente",
+ "focusPreviousPart": "Enfocar la parte anterior"
+ },
+ "vs/workbench/browser/actions/windowActions": {
+ "remove": "Quitar de abiertos recientemente",
+ "dirtyRecentlyOpened": "Área de trabajo con archivos modificados",
+ "workspaces": "áreas de trabajo",
+ "files": "archivos",
+ "openRecentPlaceholderMac": "Seleccionar para abrir (mantenga presionada la tecla Cmd para forzar la apertura de una nueva ventana o la tecla Alt para abrir la misma ventana)",
+ "openRecentPlaceholder": "Seleccionar para abrir (mantenga presionada la tecla Ctrl para forzar la apertura de una nueva ventana o la tecla Alt para abrir la misma ventana)",
+ "dirtyWorkspace": "Área de trabajo con archivos modificados",
+ "dirtyWorkspaceConfirm": "¿Desea abrir el área de trabajo para revisar los archivos con modificaciones?",
+ "dirtyWorkspaceConfirmDetail": "Las áreas de trabajo con archivos modificados no se pueden eliminar hasta que se hayan guardado o revertido todos los archivos modificados.",
+ "recentDirtyAriaLabel": "{0}, área de trabajo con modificaciones",
+ "openRecent": "Abrir Reciente...",
+ "quickOpenRecent": "Abrir Reciente Rapidamente...",
+ "toggleFullScreen": "Alternar pantalla completa",
+ "reloadWindow": "Recargar ventana",
+ "about": "Acerca de",
+ "newWindow": "Nueva ventana",
+ "blur": "Quitar el foco del teclado del elemento con foco",
+ "file": "Archivo",
+ "miConfirmClose": "Confirmar antes de cerrar",
+ "miNewWindow": "&&Nueva ventana",
+ "miOpenRecent": "Abrir &&reciente",
+ "miMore": "&&Más...",
+ "miToggleFullScreen": "&&Pantalla completa",
+ "miAbout": "&&Acerca de"
+ },
+ "vs/workbench/browser/actions/workspaceActions": {
+ "openFile": "Abrir archivo...",
+ "openFolder": "Abrir carpeta...",
+ "openFileFolder": "Abrir...",
+ "openWorkspaceAction": "Abrir área de trabajo...",
+ "closeWorkspace": "Cerrar área de trabajo",
+ "noWorkspaceOpened": "No hay ninguna área de trabajo abierta en esta instancia para cerrarla.",
+ "openWorkspaceConfigFile": "Abrir archivo de configuración del área de trabajo",
+ "globalRemoveFolderFromWorkspace": "Quitar carpeta del Área de trabajo...",
+ "saveWorkspaceAsAction": "Guardar área de trabajo como...",
+ "duplicateWorkspaceInNewWindow": "Duplicar el área de trabajo en una ventana nueva",
+ "workspaces": "Áreas de trabajo",
+ "miAddFolderToWorkspace": "A&&gregar carpeta al área de trabajo...",
+ "miSaveWorkspaceAs": "Guardar área de trabajo como...",
+ "miCloseFolder": "Cerrar &&carpeta",
+ "miCloseWorkspace": "Cerrar &&área de trabajo"
+ },
+ "vs/workbench/browser/actions/workspaceCommands": {
+ "addFolderToWorkspace": "Agregar carpeta al área de trabajo...",
+ "add": "&&Agregar",
+ "addFolderToWorkspaceTitle": "Agregar carpeta al área de trabajo",
+ "workspaceFolderPickerPlaceholder": "Seleccionar la carpeta del área de trabajo"
+ },
+ "vs/workbench/browser/actions/quickAccessActions": {
+ "quickOpen": "Ir al archivo...",
+ "quickNavigateNext": "Navegar a siguiente en Quick Open",
+ "quickNavigatePrevious": "Navegar a anterior en Quick Open",
+ "quickSelectNext": "Seleccionar Siguiente en Quick Open",
+ "quickSelectPrevious": "Seleccionar Anterior en Quick Open"
+ },
+ "vs/workbench/api/common/menusExtensionPoint": {
+ "menus.commandPalette": "La paleta de comandos",
+ "menus.touchBar": "Barra táctil (sólo macOS)",
+ "menus.editorTitle": "El menú de título del editor",
+ "menus.editorContext": "El menú conextual del editor",
+ "menus.explorerContext": "El menú contextual del explorador de archivos",
+ "menus.editorTabContext": "Menú contextual de pestañas del editor",
+ "menus.debugCallstackContext": "El menú contextual de la vista de la pila de llamadas de depuración",
+ "menus.debugVariablesContext": "El menú contextual de la vista de variables de depuración",
+ "menus.debugToolBar": "Menú de la barra de herramientas de depuración",
+ "menus.file": "Menú Archivo de nivel superior",
+ "menus.home": "Menú contextual del indicador de inicio (solo web)",
+ "menus.scmTitle": "El menú del título Control de código fuente",
+ "menus.scmSourceControl": "El menú de control de código fuente",
+ "menus.resourceGroupContext": "El menú contextual del grupo de recursos de Control de código fuente",
+ "menus.resourceStateContext": "El menú contextual de estado de recursos de Control de código fuente",
+ "menus.resourceFolderContext": "El menú contextual de la carpeta de recursos del control de código fuente",
+ "menus.changeTitle": "El menú de cambio en línea del control de código fuente",
+ "menus.statusBarWindowIndicator": "Menú indicador de ventana en la barra de estado",
+ "view.viewTitle": "El menú de título de vista contribuida",
+ "view.itemContext": "El menú contextual del elemento de vista contribuida",
+ "commentThread.title": "El menú del título del subproceso de comentarios aportado",
+ "commentThread.actions": "El menú contextual del subproceso de comentario aportado, representado como botones debajo del editor de comentarios",
+ "comment.title": "El menú de título de comentario aportado",
+ "comment.actions": "El menú contextual de comentarios aportados, representado como botones debajo del editor de comentarios",
+ "notebook.cell.title": "El menú de título de la celda del cuaderno aportado",
+ "menus.extensionContext": "Menú contextual de la extensión",
+ "view.timelineTitle": "El menú de título de la vista de línea de tiempo",
+ "view.timelineContext": "El menú contextual del elemento de vista de línea de tiempo",
+ "requirestring": "la propiedad \"{0}\" es obligatoria y debe ser de tipo \"string\"",
+ "optstring": "la propiedad \"{0}\" se puede omitir o debe ser de tipo \"string\"",
+ "requirearray": "los elementos de submenú deben ser una matriz",
+ "require": "los elementos de submenú deben ser un objeto",
+ "vscode.extension.contributes.menuItem.command": "El identificador del comando que se ejecutará. El comando se debe declarar en la sección 'commands'",
+ "vscode.extension.contributes.menuItem.alt": "El identificador de un comando alternativo que se usará. El comando se debe declarar en la sección 'commands'",
+ "vscode.extension.contributes.menuItem.when": "Condición que se debe cumplir para mostrar este elemento",
+ "vscode.extension.contributes.menuItem.group": "Grupo al que pertenece este elemento",
+ "vscode.extension.contributes.menuItem.submenu": "Identificador del submenú que se mostrará en este elemento.",
+ "vscode.extension.contributes.submenu.id": "Identificador del menú que se va a mostrar como submenú.",
+ "vscode.extension.contributes.submenu.label": "Etiqueta del elemento de menú que conduce a este submenú.",
+ "vscode.extension.contributes.submenu.icon": "(Opcional) Icono que se utiliza para representar el submenú en la interfaz de usuario. Una ruta de archivo, un objeto con rutas de archivo para temas oscuros y claros o referencias a un icono de tema, como \"\\$(zap)\"",
+ "vscode.extension.contributes.submenu.icon.light": "Ruta del icono cuando se usa un tema ligero",
+ "vscode.extension.contributes.submenu.icon.dark": "Ruta de icono cuando se usa un tema oscuro",
+ "vscode.extension.contributes.menus": "Contribuye con elementos de menú al editor",
+ "proposed": "API propuesta",
+ "vscode.extension.contributes.submenus": "Aporta elementos del submenú al editor.",
+ "nonempty": "se esperaba un valor no vacío.",
+ "opticon": "la propiedad \"icon\" puede omitirse o debe ser una cadena o un literal como \"{dark, light}\"",
+ "requireStringOrObject": "La propiedad \"{0}\" es obligatoria y debe ser de tipo \"string\" u \"object\"",
+ "requirestrings": "Las propiedades \"{0}\" y \"{1}\" son obligatorias y deben ser de tipo \"string\"",
+ "vscode.extension.contributes.commandType.command": "Identificador del comando que se va a ejecutar",
+ "vscode.extension.contributes.commandType.title": "Título con el que se representa el comando en la interfaz de usuario",
+ "vscode.extension.contributes.commandType.category": "(Opcional) la cadena de categoría se agrupa por el comando en la interfaz de usuario",
+ "vscode.extension.contributes.commandType.precondition": "(Opcional) Condición que se debe cumplir para habilitar el comando en la interfaz de usuario (menú y enlaces de teclado). No impide ejecutar el comando por otros medios, como \"executeCommand\" de la API.",
+ "vscode.extension.contributes.commandType.icon": "(Opcional) Icono que se utiliza para representar el comando en la interfaz de usuario. Una ruta de archivo, un objeto con rutas de archivo para temas oscuros y claros o referencias a un icono de tema, como \"$(zap)\"",
+ "vscode.extension.contributes.commandType.icon.light": "Ruta del icono cuando se usa un tema ligero",
+ "vscode.extension.contributes.commandType.icon.dark": "Ruta de icono cuando se usa un tema oscuro",
+ "vscode.extension.contributes.commands": "Aporta comandos a la paleta de comandos.",
+ "dup": "El comando `{0}` aparece varias veces en la sección 'commands'.",
+ "submenuId.invalid.id": "\"{0}\" no es un identificador de submenú válido",
+ "submenuId.duplicate.id": "El submenú \"{0}\" ya estaba registrado previamente.",
+ "submenuId.invalid.label": "\"{0}\" no es una etiqueta de submenú válida",
+ "menuId.invalid": "`{0}` no es un identificador de menú válido",
+ "proposedAPI.invalid": "{0} es un identificador de menú propuesto y solo está disponible al ejecutarlo fuera del entorno de desarrollo o con el siguiente modificador de la línea de comandos: --enable-proposed-api {1}",
+ "missing.command": "El elemento de menú hace referencia a un comando `{0}` que no está definido en la sección 'commands'.",
+ "missing.altCommand": "El elemento de menú hace referencia a un comando alternativo `{0}` que no está definido en la sección 'commands'.",
+ "dupe.command": "El elemento de menú hace referencia al mismo comando que el comando predeterminado y el comando alternativo",
+ "unsupported.submenureference": "El elemento de menú hace referencia a un submenú para un menú que no es compatible con los submenús.",
+ "missing.submenu": "El elemento de menú hace referencia a un submenú \"{0}\" que no está definido en la sección \"submenus\".",
+ "submenuItem.duplicate": "El submenú \"{0}\" ya se ha aportado al menú \"{1}\"."
+ },
+ "vs/workbench/api/common/configurationExtensionPoint": {
+ "vscode.extension.contributes.configuration.title": "Resumen de la configuración. Esta etiqueta se usará en el archivo de configuración como comentario divisor.",
+ "vscode.extension.contributes.configuration.properties": "Descripción de las propiedades de configuración.",
+ "vscode.extension.contributes.configuration.property.empty": "La propiedad no debe estar vacía.",
+ "scope.application.description": "Configuración que solo se puede establecer en los valores del usuario.",
+ "scope.machine.description": "Configuración que solo se puede establecer en la configuración de usuario o solo en la configuración remota.",
+ "scope.window.description": "Configuración que se puede establecer en la configuración remota, de usuario o de área de trabajo.",
+ "scope.resource.description": "Configuración que se puede establecer en la configuración de usuario, remoto, área de trabajo o carpeta.",
+ "scope.language-overridable.description": "Configuración de recursos que puede establecerse en la configuración específica del idioma.",
+ "scope.machine-overridable.description": "Configuración del equipo que se puede realizar también en la configuración del área de trabajo o de la carpeta.",
+ "scope.description": "Ámbito en el que se aplica la configuración. Los ámbitos disponibles son \"application\", \"machine\", \"window\", \"resource\" y \"machine-overridable\".",
+ "scope.enumDescriptions": "Descripciones de los valores de enumeración",
+ "scope.markdownEnumDescriptions": "Descripciones de los valores de enumeración en formato de Markdown.",
+ "scope.markdownDescription": "La descripción en formato de Markdown.",
+ "scope.deprecationMessage": "Si se establece, la propiedad se marca como \"en desuso\" y se muestra el mensaje dado como explicación.",
+ "scope.markdownDeprecationMessage": "Si se establece, la propiedad se marca como en desuso y se muestra el mensaje dado como explicación en formato Markdown.",
+ "vscode.extension.contributes.defaultConfiguration": "Contribuye a la configuración de los parámetros del editor predeterminados por lenguaje.",
+ "config.property.defaultConfiguration.languageExpected": "Se esperaba un selector de lenguaje (por ejemplo, [\"Java\"])",
+ "config.property.defaultConfiguration.warning": "No se pueden registrar los valores predeterminados de configuración para \"{0}\". Solo se admiten los valores predeterminados para la configuración específica del lenguaje.",
+ "vscode.extension.contributes.configuration": "Aporta opciones de configuración.",
+ "invalid.title": "configuration.title debe ser una cadena",
+ "invalid.properties": "configuration.properties debe ser un objeto",
+ "invalid.property": "\"configuration.property\" debe ser un objeto",
+ "invalid.allOf": "\"configuration.allOf\" está en desuso y ya no debe utilizarse. En su lugar, pase varias secciones de configuración como una matriz al punto de contribución \"configuration\".",
+ "workspaceConfig.folders.description": "Lista de carpetas para cargar en el área de trabajo. ",
+ "workspaceConfig.path.description": "Ruta de acceso de archivo; por ejemplo, \"/raíz/carpetaA\" o \"./carpetaA\" para una ruta de acceso de archivo que se resolverá respecto a la ubicación del archivo del área de trabajo.",
+ "workspaceConfig.name.description": "Un nombre opcional para la carpeta. ",
+ "workspaceConfig.uri.description": "URI de la carpeta",
+ "workspaceConfig.settings.description": "Configuración de área de trabajo",
+ "workspaceConfig.launch.description": "Configuraciones de inicio del área de trabajo",
+ "workspaceConfig.tasks.description": "Configuraciones de tareas del espacio de trabajo",
+ "workspaceConfig.extensions.description": "Extensiones del área de trabajo",
+ "workspaceConfig.remoteAuthority": "El servidor remoto donde se encuentra el área de trabajo. Solo utilizado por áreas de trabajo remotas sin guardar.",
+ "unknownWorkspaceProperty": "Propiedad de configuración de área de trabajo desconocida"
+ },
+ "vs/workbench/api/browser/viewsExtensionPoint": {
+ "vscode.extension.contributes.views.containers.id": "Identificador único utilizado para identificar el contenedor en el que se pueden aportar vistas mediante el punto de contribución \"vistas\"",
+ "vscode.extension.contributes.views.containers.title": "Cadena de texto en lenguaje natural usada para mostrar el contenedor. ",
+ "vscode.extension.contributes.views.containers.icon": "Ruta para el icono del contenedor. Los iconos son de 24 x 24 centrados en un bloque de 50 x 40 y tienen un color de relleno de 'rgb (215, 218, 224)' o '#d7dae0'. Se recomienda que los iconos sean en SVG, aunque se acepta cualquier tipo de archivo de imagen. ",
+ "vscode.extension.contributes.viewsContainers": "Contribuye con vistas de contenedores al editor ",
+ "views.container.activitybar": "Contribuir vistas de contenedores a la barra de actividades",
+ "views.container.panel": "Aportar contenedores de vistas al Panel",
+ "vscode.extension.contributes.view.type": "Tipo de la vista. Puede ser \"tree\" para una vista basada en una vista de árbol o \"webview\" para una vista basada en la vista web. El valor predeterminado es \"tree\".",
+ "vscode.extension.contributes.view.tree": "La vista está respaldada por un elemento \"TreeView\" creado por \"createTreeView\".",
+ "vscode.extension.contributes.view.webview": "La vista está respaldada por un elemento \"WebviewView\" registrado por \"registerWebviewViewProvider\".",
+ "vscode.extension.contributes.view.id": "Identificador de la vista. Esto debe ser único en todas las vistas. Se recomienda incluir el identificador de extensión como parte del identificador de vista. Utilícelo para registrar un proveedor de datos a través de la API 'vscode.window.registerTreeDataProviderForView'. También para desencadenar la activación de la extensión mediante el registro de 'onView:${id}' evento a 'activationEvents'.",
+ "vscode.extension.contributes.view.name": "Nombre de la vista en lenguaje natural. Se mostrará",
+ "vscode.extension.contributes.view.when": "Condición que se debe cumplir para mostrar esta vista",
+ "vscode.extension.contributes.view.icon": "Ruta de acceso al icono de vista. Los iconos de vista se muestran cuando no se puede mostrar el nombre de la vista. Se recomienda que los iconos estén en SVG, aunque se acepta cualquier tipo de archivo de imagen.",
+ "vscode.extension.contributes.view.contextualTitle": "Contexto legible para cuando la vista se mueve fuera de su ubicación original. De forma predeterminada, se usará el nombre del contenedor de la vista. Aparecerá",
+ "vscode.extension.contributes.view.initialState": "Estado inicial de la vista la primera vez que se instala la extensión. Una vez que el usuario ha cambiado el estado de la vista al contraer, mover u ocultar la vista, el estado inicial no se volverá a usar.",
+ "vscode.extension.contributes.view.initialState.visible": "Estado inicial predeterminado de la vista. Sin embargo, en la mayoría de los contenedores, la vista se expandirá; algunos contenedores integrados (explorer, scm y debug) muestran todas las vistas aportadas contraídas, independientemente del valor de \"visibilidad\".",
+ "vscode.extension.contributes.view.initialState.hidden": "La vista no se mostrará en el contenedor de vistas, pero se podrá detectar mediante el menú de vistas y otros puntos de entrada de vista, y el usuario puede ocultarla.",
+ "vscode.extension.contributes.view.initialState.collapsed": "La vista se mostrará en el contenedor de vistas, pero se contraerá.",
+ "vscode.extension.contributes.view.group": "Grupo anidado en el viewlet",
+ "vscode.extension.contributes.view.remoteName": "El nombre del tipo remoto asociado a esta vista",
+ "vscode.extension.contributes.views": "Aporta vistas al editor",
+ "views.explorer": "Aporta vistas al contenedor del explorador en la barra de actividades",
+ "views.debug": "Contribuye vistas al contenedor de depuración en la barra de actividades",
+ "views.scm": "Contribuye vistas al contenedor SCM en la barra de actividades",
+ "views.test": "Contribuye vistas al contenedor de pruebas en la barra de actividades",
+ "views.remote": "Aporta las vistas al contenedor remoto en la barra de actividad. Para contribuir a este contenedor, enableProposedApi debe estar activado",
+ "views.contributed": "Contribuye vistas al contenedor de vistas aportadas",
+ "test": "Prueba",
+ "viewcontainer requirearray": "los contenedores de vistas deben ser una matriz",
+ "requireidstring": "la propiedad `{0}` is mandatoria y debe ser del tipo `cadena`. Solo son permitidos carácteres alfanuméricos, '_' y '-'.",
+ "requirestring": "la propiedad \"{0}\" es obligatoria y debe ser de tipo \"string\"",
+ "showViewlet": "Mostrar {0}",
+ "ViewContainerRequiresProposedAPI": "El contenedor de la vista \"{0}\" requiere que \"enableProposedApi\" esté activado para que se agregue a \"Remote\".",
+ "ViewContainerDoesnotExist": "Contenedor de vistas ' {0} ' no existe y todas las vistas registradas se agregarán al 'Explorer'.",
+ "duplicateView1": "No se pueden registrar varias vistas con el mismo identificador \"{0}\"",
+ "duplicateView2": "Una vista con id \"{0}\" ya está registrada.",
+ "unknownViewType": "Tipo de vista \"{0}\" desconocido.",
+ "requirearray": "las vistas deben ser una matriz",
+ "optstring": "la propiedad \"{0}\" se puede omitir o debe ser de tipo \"string\"",
+ "optenum": "la propiedad \"{0}\" se puede omitir o debe ser de tipo {1}"
+ },
+ "vs/workbench/browser/parts/activitybar/activitybarPart": {
+ "settingsViewBarIcon": "Icono de configuración en la barra de vistas.",
+ "accountsViewBarIcon": "Icono de cuentas en la barra de vistas.",
+ "hideHomeBar": "Ocultar botón Inicio",
+ "showHomeBar": "Mostrar botón Inicio",
+ "hideMenu": "Ocultar menú",
+ "showMenu": "Mostrar menú",
+ "hideAccounts": "Ocultar cuentas",
+ "showAccounts": "Mostrar cuentas",
+ "hideActivitBar": "Ocultar barra de actividades",
+ "resetLocation": "Restablecer ubicación",
+ "homeIndicator": "Inicio",
+ "home": "Inicio",
+ "manage": "Administrar",
+ "accounts": "Cuentas",
+ "focusActivityBar": "Enfocar la barra de actividades"
+ },
+ "vs/workbench/browser/parts/panel/panelPart": {
+ "hidePanel": "Ocultar panel",
+ "panel.emptyMessage": "Arrastre una vista al panel para mostrarla."
+ },
+ "vs/workbench/browser/parts/sidebar/sidebarPart": {
+ "focusSideBar": "Enfocar la barra lateral"
+ },
+ "vs/workbench/browser/parts/statusbar/statusbarPart": {
+ "hide": "Ocultar \"{0}\"",
+ "hideStatusBar": "Ocultar barra de estado"
+ },
+ "vs/workbench/browser/parts/views/viewsService": {
+ "focus view": "Foco en vista {0}",
+ "resetViewLocation": "Restablecer ubicación"
+ },
+ "vs/workbench/browser/parts/dialogs/dialogHandler": {
+ "yesButton": "&&Sí",
+ "cancelButton": "Cancelar",
+ "aboutDetail": "Versión: {0}\r\nConfirmación: {1}\r\nFecha: {2}\r\nExplorador: {3}",
+ "copy": "Copiar",
+ "ok": "Aceptar"
+ },
+ "vs/workbench/electron-sandbox/parts/dialogs/dialogHandler": {
+ "yesButton": "&&Sí",
+ "cancelButton": "Cancelar",
+ "aboutDetail": "Versión: {0}\r\nConfirmación: {1}\r\nFecha: {2}\r\nElectron: {3}\r\nChrome: {4}\r\nNode.js: {5}\r\nV8: {6}\r\nSistema Operativo: {7}",
+ "okButton": "Aceptar",
+ "copy": "&&Copiar"
+ },
+ "vs/workbench/electron-sandbox/actions/developerActions": {
+ "toggleDevTools": "Alternar herramientas de desarrollo",
+ "configureRuntimeArguments": "Configurar argumentos en tiempo de ejecución"
+ },
+ "vs/workbench/electron-sandbox/actions/windowActions": {
+ "closeWindow": "Cerrar ventana",
+ "zoomIn": "Acercar",
+ "zoomOut": "Alejar",
+ "zoomReset": "Restablecer zoom",
+ "reloadWindowWithExtensionsDisabled": "Recargar con extensiones desactivadas",
+ "close": "Cerrar ventana",
+ "switchWindowPlaceHolder": "Seleccionar una ventana a la que cambiar",
+ "windowDirtyAriaLabel": "{0}, ventana con modificaciones",
+ "current": "Ventana actual",
+ "switchWindow": "Cambiar de Ventana...",
+ "quickSwitchWindow": "Cambio Rápido de Ventana..."
+ },
+ "vs/workbench/browser/parts/notifications/notificationsCenter": {
+ "notificationsEmpty": "No hay notificaciones nuevas",
+ "notifications": "Notificaciones",
+ "notificationsToolbar": "Acciones del centro de notificaciones"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsAlerts": {
+ "alertErrorMessage": "Error: {0}",
+ "alertWarningMessage": "Advertencia: {0}",
+ "alertInfoMessage": "Información: {0}"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsStatus": {
+ "status.notifications": "Notificaciones",
+ "hideNotifications": "Ocultar notificaciones",
+ "zeroNotifications": "No hay notificaciones",
+ "noNotifications": "No hay notificaciones nuevas",
+ "oneNotification": "1 notificación nueva",
+ "notifications": "{0} nuevas notificaciones",
+ "noNotificationsWithProgress": "Sin notificaciones nuevas ({0} en curso)",
+ "oneNotificationWithProgress": "1 Nueva notificación ({0} en curso)",
+ "notificationsWithProgress": "{0} nuevas notificaciones ({1} en curso)",
+ "status.message": "Mensaje de estado"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsCommands": {
+ "notifications": "Notificaciones",
+ "showNotifications": "Mostrar notificaciones",
+ "hideNotifications": "Ocultar notificaciones",
+ "clearAllNotifications": "Limpiar todas las notificaciones",
+ "focusNotificationToasts": "Centrarse en la notificación del sistema"
+ },
+ "vs/workbench/browser/parts/titlebar/menubarControl": {
+ "mFile": "&&Archivo",
+ "mEdit": "&&Editar",
+ "mSelection": "&&Selección",
+ "mView": "&&Ver",
+ "mGoto": "&&Ir",
+ "mRun": "&&Ejecutar",
+ "mTerminal": "&&Terminal",
+ "mHelp": "&&Ayuda",
+ "menubar.customTitlebarAccessibilityNotification": "El soporte de accesibilidad está habilitado para usted. Para que la experiencia sea más accesible, se recomienda el estilo de la barra de título personalizado.",
+ "goToSetting": "Abrir configuración",
+ "focusMenu": "Situar el foco sobre Menú de aplicaciones",
+ "checkForUpdates": "Buscar &&actualizaciones...",
+ "checkingForUpdates": "Buscando actualizaciones...",
+ "download now": "D&&escargar actualización",
+ "DownloadingUpdate": "Descargando actualización...",
+ "installUpdate...": "Instalar &&actualización...",
+ "installingUpdate": "Instalando actualización...",
+ "restartToUpdate": "Reiniciar para &&actualizar"
+ },
+ "vs/workbench/api/common/extHostExtensionActivator": {
+ "failedDep1": "No puede activar la extensión \"{0}\" porque depende de extensión \"{1}\", que no se pudo activar.",
+ "activationError": "No se pudo activar la extensión \"{0}\": {1}."
+ },
+ "vs/workbench/api/common/extHost.api.impl": {
+ "extensionLabel": "{0} (Extensión)"
+ },
+ "vs/workbench/api/node/extHostDebugService": {
+ "debug.terminal.title": "depurado"
+ },
+ "vs/workbench/api/common/jsonValidationExtensionPoint": {
+ "contributes.jsonValidation": "Aporta la configuración del esquema JSON.",
+ "contributes.jsonValidation.fileMatch": "El patrón de archivo (o una matriz de patrones) para que coincida con, por ejemplo, \"package.json\" o \"*.launch\". Los patrones de exclusión comienzan con \"!\".",
+ "contributes.jsonValidation.url": "Dirección URL de esquema ('http:', 'https:') o ruta de acceso relativa a la carpeta de extensión ('./').",
+ "invalid.jsonValidation": "configuration.jsonValidation debe ser una matriz",
+ "invalid.fileMatch": "\"configuration.jsonValidation.fileMatch\" debe definirse como una cadena o una matriz de cadenas.",
+ "invalid.url": "configuration.jsonValidation.url debe ser una dirección URL o una ruta de acceso relativa",
+ "invalid.path.1": "Se esperaba que \"contributes.{0}.url\" ({1}) estuviera incluido en la carpeta de la extensión ({2}). Esto puede hacer que la extensión no sea portátil.",
+ "invalid.url.fileschema": "configuration.jsonValidation.url es una dirección URL relativa no válida: {0}",
+ "invalid.url.schema": "\"configuration.jsonValidation.url\" debe ser una dirección URL absoluta o empezar con \"./\" para hacer referencia a esquemas ubicados en la extensión."
+ },
+ "vs/workbench/api/browser/mainThreadExtensionService": {
+ "reload window": "No se puede activar la extensión \"{0}\" porque depende de la extensión \"{1}\", que no está cargada. ¿Le gustaría recargar la ventana para cargar la extensión?",
+ "reload": "Recargar ventana",
+ "disabledDep": "No se puede activar la extensión '{0}' porque depende de la '{1}' extensión, que está deshabilitada. ¿Quieres activar la extensión y volver a cargar la ventana?",
+ "enable dep": "Habilitar y cargar",
+ "uninstalledDep": "No se puede activar la extensión \"{0}\" porque depende de la extensión \"{1}\", que no está instalada. ¿Le gustaría instalar la extensión y recargar la ventana?",
+ "install missing dep": "Instalar y recargar",
+ "unknownDep": "No se puede activar la extensión '{0}' porque depende de una extensión desconocida '{1}'."
+ },
+ "vs/workbench/api/browser/mainThreadFileSystemEventService": {
+ "files.participants.timeout": "Tiempo de espera en milisegundos tras el cual se cancelan los participantes para crear, cambiar el nombre y borrar archivos. Use `0` para deshabilitar a los participantes."
+ },
+ "vs/workbench/api/browser/mainThreadMessageService": {
+ "extensionSource": "{0} (extensión)",
+ "defaultSource": "Extensión",
+ "manageExtension": "Administrar extensión",
+ "cancel": "Cancelar",
+ "ok": "Aceptar"
+ },
+ "vs/workbench/api/browser/mainThreadProgress": {
+ "manageExtension": "Administrar extensión"
+ },
+ "vs/workbench/api/browser/mainThreadSaveParticipant": {
+ "timeout.onWillSave": "Se anuló onWillSaveTextDocument-event después de 1750 ms"
+ },
+ "vs/workbench/api/browser/mainThreadWorkspace": {
+ "folderStatusMessageAddSingleFolder": "La extensión ' {0} ' agregó 1 carpeta al área de trabajo",
+ "folderStatusMessageAddMultipleFolders": "La extensión ' {0} ' agregó {1} carpetas al área de trabajo",
+ "folderStatusMessageRemoveSingleFolder": "Extensión ' {0} ' eliminó 1 carpeta del área de trabajo",
+ "folderStatusMessageRemoveMultipleFolders": "La extensión ' {0} ' eliminó las carpetas {1} del área de trabajo",
+ "folderStatusChangeFolder": "La extensión ' {0} ' cambió las carpetas del área de trabajo"
+ },
+ "vs/workbench/api/browser/mainThreadComments": {
+ "commentsViewIcon": "Vea el icono de la vista de comentarios."
+ },
+ "vs/workbench/api/browser/mainThreadTask": {
+ "task.label": "{0}: {1}"
+ },
+ "vs/workbench/api/browser/mainThreadAuthentication": {
+ "noTrustedExtensions": "Esta cuenta no se ha usado en ninguna extensión.",
+ "accountLastUsedDate": "Último uso de esta cuenta {0}",
+ "notUsed": "No ha usado esta cuenta",
+ "manageTrustedExtensions": "Administrar extensiones de confianza",
+ "manageExensions": "Elija qué extensiones pueden acceder a esta cuenta",
+ "signOutConfirm": "Cerrar la sesión de {0}",
+ "signOutMessagve": "La cuenta {0} la ha usado \r\n\r\n{1}\r\n\r\n ¿Quiere cerrar la sesión de estas características?",
+ "signOutMessageSimple": "¿Cerrar la sesión de {0}?",
+ "signedOut": "La sesión se ha cerrado correctamente.",
+ "useOtherAccount": "Iniciar sesión en otra cuenta",
+ "selectAccount": "La extensión \"{0}\" quiere acceder a una cuenta de {1}",
+ "getSessionPlateholder": "Seleccione una cuenta para que la use \"{0}\" o Esc para cancelar",
+ "confirmAuthenticationAccess": "La extensión \"{0}\" está intentando acceder a la información de autenticación de la cuenta de {1} \"{2}\".",
+ "allow": "Permitir",
+ "cancel": "Cancelar",
+ "confirmLogin": "La extensión \"{0}\" desea iniciar sesión con {1}."
+ },
+ "vs/workbench/common/configuration": {
+ "workbenchConfigurationTitle": "Workbench"
+ },
+ "vs/workbench/browser/parts/views/treeView": {
+ "no-dataprovider": "No hay ningún proveedor de datos registrado que pueda proporcionar datos de la vista.",
+ "refresh": "Actualizar",
+ "collapseAll": "Contraer todo",
+ "command-error": "Error al ejecutar el comando {1}: {0}. Probablemente esté provocado por la extensión que contribuye a {1}."
+ },
+ "vs/workbench/browser/viewlet": {
+ "compositePart.hideSideBarLabel": "Ocultar barra lateral",
+ "views": "Vistas",
+ "collapse": "Contraer todo"
+ },
+ "vs/workbench/browser/parts/views/viewPaneContainer": {
+ "viewPaneContainerExpandedIcon": "Icono de un contenedor de panel de vista expandido.",
+ "viewPaneContainerCollapsedIcon": "Icono de un contenedor de panel de vista contraído.",
+ "viewToolbarAriaLabel": "acciones de {0}",
+ "hideView": "Ocultar",
+ "viewMoveUp": "Mover vista hacia arriba",
+ "viewMoveLeft": "Mover vista a la izquierda",
+ "viewMoveDown": "Mover vista hacia abajo",
+ "viewMoveRight": "Mover vista a la derecha"
+ },
+ "vs/workbench/browser/parts/editor/editorGroupView": {
+ "ariaLabelGroupActions": "Acciones de grupo de editores",
+ "closeGroupAction": "Cerrar",
+ "emptyEditorGroup": "{0} (vacío) ",
+ "groupLabel": "Grupo {0}",
+ "groupAriaLabel": "Grupo de editores {0}",
+ "ok": "Aceptar",
+ "cancel": "Cancelar",
+ "editorOpenErrorDialog": "No se puede abrir \"{0}\"",
+ "editorOpenError": "No se puede abrir '{0}': {1}."
+ },
+ "vs/workbench/browser/parts/editor/editorDropTarget": {
+ "fileTooLarge": "El archivo es demasiado grande para abrirlo como editor sin título. Cárguelo primero en el explorador de archivos e inténtelo de nuevo."
+ },
+ "vs/workbench/browser/parts/editor/editor.contribution": {
+ "textEditor": "Editor de texto",
+ "textDiffEditor": "Editor de diferencias de texto",
+ "binaryDiffEditor": "Editor de diferencias binario",
+ "sideBySideEditor": "Editor de lado a lado",
+ "editorQuickAccessPlaceholder": "Escriba el nombre de un editor para abrirlo.",
+ "activeGroupEditorsByMostRecentlyUsedQuickAccess": "Mostrar editores en grupo activo por el más reciente utilizado",
+ "allEditorsByAppearanceQuickAccess": "Mostrar todos los editores abiertos por apariencia",
+ "allEditorsByMostRecentlyUsedQuickAccess": "Mostrar todos los editores abiertos por el más reciente utilizado",
+ "file": "Archivo",
+ "splitUp": "Dividir Arriba",
+ "splitDown": "Dividir Abajo",
+ "splitLeft": "Dividir Izquierda",
+ "splitRight": "Dividir Derecha",
+ "close": "Cerrar",
+ "closeOthers": "Cerrar otros",
+ "closeRight": "Cerrar a la derecha",
+ "closeAllSaved": "Cerrar guardados",
+ "closeAll": "Cerrar todo",
+ "keepOpen": "Mantener abierto",
+ "pin": "Anclar",
+ "unpin": "Desanclar",
+ "toggleInlineView": "Alternar la vista alineada",
+ "showOpenedEditors": "Mostrar editores abiertos",
+ "toggleKeepEditors": "Mantener los editores abiertos",
+ "splitEditorRight": "Dividir Editor Derecho",
+ "splitEditorDown": "Dividir Editor Abajo",
+ "previousChangeIcon": "Icono de la acción de cambio anterior en el editor de diferencias.",
+ "nextChangeIcon": "Icono de la acción de cambio siguiente en el editor de diferencias.",
+ "toggleWhitespace": "Icono de la acción de alternar espacio en blanco en el editor de diferencias.",
+ "navigate.prev.label": "Cambio anterior",
+ "navigate.next.label": "Cambio siguiente",
+ "ignoreTrimWhitespace.label": "Ignorar las diferencias de espacios en blanco iniciales/finales",
+ "showTrimWhitespace.label": "Mostrar las diferencias de espacios en blanco iniciales/finales",
+ "keepEditor": "Mantener editor",
+ "pinEditor": "Anclar editor",
+ "unpinEditor": "Desanclar editor",
+ "closeEditor": "Cerrar editor",
+ "closePinnedEditor": "Cerrar editor anclado",
+ "closeEditorsInGroup": "Cerrar todos los editores del grupo",
+ "closeSavedEditors": "Cerrar los editores guardados del grupo",
+ "closeOtherEditors": "Cerrar Otros Editores del Grupo",
+ "closeRightEditors": "Cerrar Editores a la Derecha en el Grupo",
+ "closeEditorGroup": "Cerrar grupo de editores",
+ "miReopenClosedEditor": "&&Volver a abrir el editor cerrado",
+ "miClearRecentOpen": "&&Borrar abierto recientemente",
+ "miEditorLayout": "Diseño del &&editor",
+ "miSplitEditorUp": "Dividir &&hacia arriba",
+ "miSplitEditorDown": "Dividir hacia a&&bajo",
+ "miSplitEditorLeft": "Dividir &&a la izquierda",
+ "miSplitEditorRight": "Dividir a la &&derecha",
+ "miSingleColumnEditorLayout": "&&Sencillo",
+ "miTwoColumnsEditorLayout": "&&Dos columnas",
+ "miThreeColumnsEditorLayout": "T&&res columnas",
+ "miTwoRowsEditorLayout": "D&&os filas",
+ "miThreeRowsEditorLayout": "Tres &&filas",
+ "miTwoByTwoGridEditorLayout": "&&Cuadrícula (2x2)",
+ "miTwoRowsRightEditorLayout": "Dos fil&&as a la derecha",
+ "miTwoColumnsBottomEditorLayout": "Botón de dos &&columnas",
+ "miBack": "&&Atrás",
+ "miForward": "&&Reenviar",
+ "miLastEditLocation": "&&Última ubicación de edición",
+ "miNextEditor": "&&Editor siguiente",
+ "miPreviousEditor": "&&Editor anterior",
+ "miNextRecentlyUsedEditor": "&&Siguiente Editor usado",
+ "miPreviousRecentlyUsedEditor": "&&Editor usado anterior",
+ "miNextEditorInGroup": "&&Próximo editor en grupo",
+ "miPreviousEditorInGroup": "&&Editor anterior en el grupo",
+ "miNextUsedEditorInGroup": "&&Editor siguiente usado del grupo",
+ "miPreviousUsedEditorInGroup": "&&Editor anterior usado del grupo",
+ "miSwitchEditor": "Cambiar &&editor",
+ "miFocusFirstGroup": "Grupo &&1",
+ "miFocusSecondGroup": "Grupo &&2",
+ "miFocusThirdGroup": "Agrupar &&3",
+ "miFocusFourthGroup": "Grupo &&4",
+ "miFocusFifthGroup": "Grupo &&5",
+ "miNextGroup": "&&Grupo siguiente",
+ "miPreviousGroup": "&&Grupo anterior",
+ "miFocusLeftGroup": "Agrupar a la &&izquierda",
+ "miFocusRightGroup": "Agrupar a la &&derecha",
+ "miFocusAboveGroup": "Agrupar &&arriba",
+ "miFocusBelowGroup": "Agrupar &&debajo",
+ "miSwitchGroup": "Cambiar &&grupo"
+ },
+ "vs/workbench/browser/parts/activitybar/activitybarActions": {
+ "goHome": "Ir a Inicio",
+ "hide": "Ocultar",
+ "manageTrustedExtensions": "Administrar extensiones de confianza",
+ "signOut": "Cerrar sesión",
+ "authProviderUnavailable": "{0} no está disponible",
+ "previousSideBarView": "Vista de barra lateral anterior",
+ "nextSideBarView": "Siguiente vista de barra lateral"
+ },
+ "vs/workbench/browser/parts/compositeBar": {
+ "activityBarAriaLabel": "Modificador de vista activa"
+ },
+ "vs/workbench/browser/parts/compositeBarActions": {
+ "badgeTitle": "{0} - {1}",
+ "additionalViews": "Vistas adicionales",
+ "numberBadge": "{0} ({1})",
+ "manageExtension": "Administrar extensión",
+ "titleKeybinding": "{0} ({1})",
+ "hide": "Ocultar",
+ "keep": "Mantener",
+ "toggle": "Alternar vista fijada"
+ },
+ "vs/workbench/browser/parts/compositePart": {
+ "ariaCompositeToolbarLabel": "acciones de {0}",
+ "viewsAndMoreActions": "Vistas y más acciones...",
+ "titleTooltip": "{0} ({1})"
+ },
+ "vs/workbench/browser/parts/panel/panelActions": {
+ "maximizeIcon": "Icono para maximizar un panel.",
+ "restoreIcon": "Icono para restaurar un panel.",
+ "closeIcon": "Icono para cerrar un panel.",
+ "closePanel": "Cerrar panel",
+ "togglePanel": "Alternar panel",
+ "focusPanel": "Centrarse en el panel",
+ "toggleMaximizedPanel": "Alternar el panel maximizado",
+ "maximizePanel": "Maximizar el tamaño del panel",
+ "minimizePanel": "Restaurar el tamaño del panel",
+ "positionPanelLeft": "Mover panel a la izquierda",
+ "positionPanelRight": "Mover el panel a la derecha",
+ "positionPanelBottom": "Mover el panel hacia abajo",
+ "previousPanelView": "Vista del panel anterior",
+ "nextPanelView": "Siguiente vista de panel",
+ "miShowPanel": "Mostrar &&panel"
+ },
+ "vs/workbench/common/editor/diffEditorInput": {
+ "sideBySideLabels": "{0} ↔ {1}"
+ },
+ "vs/workbench/browser/parts/editor/editorWidgets": {
+ "openWorkspace": "Abrir área de trabajo"
+ },
+ "vs/workbench/browser/parts/editor/editorCommands": {
+ "editorCommand.activeEditorMove.description": "Mover el editor activo por tabulaciones o grupos",
+ "editorCommand.activeEditorMove.arg.name": "Argumento para mover el editor activo",
+ "editorCommand.activeEditorMove.arg.description": "Propiedades de argumento:\r\n\t* \"to\": valor de cadena que indica hacia dónde se realiza el movimiento.\r\n\t* \"by\": valor de cadena que indica la unidad del movimiento (por pestaña o por grupo).\r\n\t* \"value\": valor numérico que indica cuántas posiciones o una posición absoluta para mover.",
+ "toggleInlineView": "Alternar la vista alineada",
+ "compare": "Comparar",
+ "enablePreview": "Los editores en vista previa se han habilitado en la configuración.",
+ "disablePreview": "Los editores en vista previa se han deshabilitado en la configuración.",
+ "learnMode": "Más información"
+ },
+ "vs/workbench/browser/parts/editor/textResourceEditor": {
+ "textEditor": "Editor de texto"
+ },
+ "vs/workbench/browser/parts/titlebar/titlebarPart": {
+ "patchedWindowTitle": "[No se admite]",
+ "userIsAdmin": "[Administrador]",
+ "userIsSudo": "[Superusuario]",
+ "devExtensionWindowTitlePrefix": "[Host de desarrollo de la extensión]"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsList": {
+ "notificationAriaLabel": "{0}, notificación",
+ "notificationWithSourceAriaLabel": "{0}, origen: {1}, notificación",
+ "notificationsList": "Lista de notificaciones"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsActions": {
+ "clearIcon": "Icono de la acción de borrado en las notificaciones.",
+ "clearAllIcon": "Icono de la acción de borrar todo en las notificaciones.",
+ "hideIcon": "Icono de la acción de ocultar en las notificaciones.",
+ "expandIcon": "Icono de la acción de expandir en las notificaciones.",
+ "collapseIcon": "Icono de la acción de contraer en las notificaciones.",
+ "configureIcon": "Icono de la acción de configuración en las notificaciones.",
+ "clearNotification": "Borrar notificación",
+ "clearNotifications": "Limpiar todas las notificaciones",
+ "hideNotificationsCenter": "Ocultar notificaciones",
+ "expandNotification": "Expandir notificación",
+ "collapseNotification": "Contraer notificación",
+ "configureNotification": "Configurar la Notificación",
+ "copyNotification": "Copiar texto"
+ },
+ "vs/workbench/api/common/extHostDiagnostics": {
+ "limitHit": "No se mostrarán {0} errores y advertencias adicionales."
+ },
+ "vs/workbench/api/common/extHostProgress": {
+ "extensionSource": "{0} (extensión)"
+ },
+ "vs/workbench/api/common/extHostStatusBar": {
+ "status.extensionMessage": "Estado de la extensión"
+ },
+ "vs/workbench/api/common/extHostTreeViews": {
+ "treeView.notRegistered": "No se ha registrado ninguna vista del árbol con el id. \"{0}\".",
+ "treeView.duplicateElement": "El elemento con id {0} está ya registrado"
+ },
+ "vs/workbench/browser/parts/editor/textEditor": {
+ "editor": "Editor"
+ },
+ "vs/workbench/api/browser/mainThreadCustomEditors": {
+ "defaultEditLabel": "Editar"
+ },
+ "vs/workbench/api/browser/mainThreadWebviews": {
+ "errorMessage": "Ha ocurrido un error mientras se restauraba la vista: {0}"
+ },
+ "vs/workbench/browser/parts/editor/tabsTitleControl": {
+ "ariaLabelTabActions": "Acciones de pestaña"
+ },
+ "vs/workbench/browser/parts/editor/textDiffEditor": {
+ "textDiffEditor": "Editor de diferencias de texto"
+ },
+ "vs/workbench/browser/parts/editor/binaryDiffEditor": {
+ "metadataDiff": "{0} ↔ {1}"
+ },
+ "vs/workbench/browser/parts/editor/editorStatus": {
+ "singleSelectionRange": "Lín. {0}, Col. {1} ({2} seleccionada)",
+ "singleSelection": "Lín. {0}, col. {1}",
+ "multiSelectionRange": "{0} selecciones ({1} caracteres seleccionados)",
+ "multiSelection": "{0} selecciones",
+ "endOfLineLineFeed": "LF",
+ "endOfLineCarriageReturnLineFeed": "CRLF",
+ "screenReaderDetectedExplanation.question": "¿Está utilizando un lector de pantalla para trabajar con VS Code? (el ajuste de líneas se deshabilita cuando se utiliza un lector de pantalla)",
+ "screenReaderDetectedExplanation.answerYes": "Sí",
+ "screenReaderDetectedExplanation.answerNo": "No",
+ "noEditor": "Ningún editor de texto activo en este momento",
+ "noWritableCodeEditor": "El editor de código activo es de solo lectura.",
+ "indentConvert": "convertir archivo",
+ "indentView": "cambiar vista",
+ "pickAction": "Seleccionar acción",
+ "tabFocusModeEnabled": "Tabulación Mueve el Foco",
+ "disableTabMode": "Deshabilitar modo de accesibilidad",
+ "status.editor.tabFocusMode": "Modo de accesibilidad",
+ "columnSelectionModeEnabled": "Selección de columnas",
+ "disableColumnSelectionMode": "Desactivar el modo de selección de columnas",
+ "status.editor.columnSelectionMode": "Modo selección de columnas",
+ "screenReaderDetected": "Lector de pantalla optimizado",
+ "status.editor.screenReaderMode": "Modo lector de pantalla",
+ "gotoLine": "Ir a línea/columna",
+ "status.editor.selection": "Selección de editor",
+ "selectIndentation": "Seleccione la sangría",
+ "status.editor.indentation": "Sangría del editor",
+ "selectEncoding": "Seleccionar Encoding",
+ "status.editor.encoding": "Codificación del editor",
+ "selectEOL": "Seleccionar secuencia de fin de línea",
+ "status.editor.eol": "Editor final de línea",
+ "selectLanguageMode": "Seleccionar modo de lenguaje",
+ "status.editor.mode": "Lenguaje del editor",
+ "fileInfo": "Información del archivo",
+ "status.editor.info": "Información del archivo",
+ "spacesSize": "Espacios: {0}",
+ "tabSize": "Tamaño de tabulación: {0}",
+ "currentProblem": "Problema actual",
+ "showLanguageExtensions": "Buscar extensiones de Marketplace para '{0}'...",
+ "changeMode": "Cambiar modo de lenguaje",
+ "languageDescription": "({0}): lenguaje configurado",
+ "languageDescriptionConfigured": "({0})",
+ "languagesPicks": "lenguajes (identificador)",
+ "configureModeSettings": "Configurar los parámetros basados en el lenguaje \"{0}\"...",
+ "configureAssociationsExt": "Configurar asociación de archivos para '{0}'...",
+ "autoDetect": "Detectar automáticamente",
+ "pickLanguage": "Seleccionar modo de lenguaje",
+ "currentAssociation": "Asociación actual",
+ "pickLanguageToConfigure": "Seleccionar modo de lenguaje para asociar con '{0}'",
+ "changeEndOfLine": "Cambiar secuencia de fin de línea",
+ "pickEndOfLine": "Seleccionar secuencia de fin de línea",
+ "changeEncoding": "Cambiar codificación de archivo",
+ "noFileEditor": "No hay ningún archivo activo en este momento.",
+ "saveWithEncoding": "Guardar con Encoding",
+ "reopenWithEncoding": "Volver a abrir con Encoding",
+ "guessedEncoding": "Adivinado por el contenido",
+ "pickEncodingForReopen": "Seleccionar codificación de archivo para reabrir archivo",
+ "pickEncodingForSave": "Seleccionar codificación de archivo para guardar"
+ },
+ "vs/workbench/browser/parts/editor/editorActions": {
+ "splitEditor": "Dividir editor",
+ "splitEditorOrthogonal": "Dividir Editor Ortogonal",
+ "splitEditorGroupLeft": "Dividir Editor a Izquierda",
+ "splitEditorGroupRight": "Dividir Editor Derecho",
+ "splitEditorGroupUp": "Dividir Editor Arriba",
+ "splitEditorGroupDown": "Dividir Editor Abajo",
+ "joinTwoGroups": "Unir grupo de editores con el siguiente grupo",
+ "joinAllGroups": "Combinar todos los grupos de Editor",
+ "navigateEditorGroups": "Navegar entre los grupos de editores",
+ "focusActiveEditorGroup": "Enfocar grupo de editores activo",
+ "focusFirstEditorGroup": "Enfocar primer grupo de editores",
+ "focusLastEditorGroup": "Focalizar Último grupo Editor",
+ "focusNextGroup": "Focalizar Siguiente grupo Editor ",
+ "focusPreviousGroup": "Focalizar Anterior Grupo Editor",
+ "focusLeftGroup": "Focalizar Grupo Editor Izquierdo",
+ "focusRightGroup": "Focalizar Grupo Editor Derecho",
+ "focusAboveGroup": "Foco encima del grupo de editores",
+ "focusBelowGroup": "Foco debajo del grupo de editores",
+ "closeEditor": "Cerrar editor",
+ "unpinEditor": "Desanclar editor",
+ "closeOneEditor": "Cerrar",
+ "revertAndCloseActiveEditor": "Revertir y cerrar el editor",
+ "closeEditorsToTheLeft": "Cerrar Editores a la Izquierda en el Grupo",
+ "closeAllEditors": "Cerrar todos los editores",
+ "closeAllGroups": "Cerrar Todos los Grupos Editores",
+ "closeEditorsInOtherGroups": "Cerrar los editores de otros grupos",
+ "closeEditorInAllGroups": "Cerrar el editor en todos los grupos",
+ "moveActiveGroupLeft": "Mover el grupo de editores a la izquierda",
+ "moveActiveGroupRight": "Mover el grupo de editores a la derecha",
+ "moveActiveGroupUp": "Mover Grupo Editor Arriba",
+ "moveActiveGroupDown": "Mover Grupo Editor Abajo",
+ "minimizeOtherEditorGroups": "Maximizar Grupo Editor",
+ "evenEditorGroups": "Restablecer Tamaños de Grupo Editor",
+ "toggleEditorWidths": "Alternar tamaños de grupo de editor",
+ "maximizeEditor": "Maximizar grupo de editores y ocultar barra de tareas",
+ "openNextEditor": "Abrir el editor siguiente",
+ "openPreviousEditor": "Abrir el editor anterior",
+ "nextEditorInGroup": "Abrir el siguiente editor del grupo",
+ "openPreviousEditorInGroup": "Abrir el editor anterior en el grupo",
+ "firstEditorInGroup": "Abrir el Primer Editor en el Grupo",
+ "lastEditorInGroup": "Abrir el último editor del grupo",
+ "navigateNext": "Hacia delante",
+ "navigatePrevious": "Hacia atrás",
+ "navigateToLastEditLocation": "Ir a la última ubicación de edición",
+ "navigateLast": "Vaya al último",
+ "reopenClosedEditor": "Volver a abrir el editor cerrado",
+ "clearRecentFiles": "Borrar abiertos recientemente",
+ "showEditorsInActiveGroup": "Mostrar editores en grupo activo por el más reciente utilizado",
+ "showAllEditors": "Mostrar todos los editores por apariencia",
+ "showAllEditorsByMostRecentlyUsed": "Mostrar todos los editores desde el más reciente utilizado",
+ "quickOpenPreviousRecentlyUsedEditor": "Quick Open del editor anterior usado recientemente",
+ "quickOpenLeastRecentlyUsedEditor": "Quick Open editor usado menos recientemente",
+ "quickOpenPreviousRecentlyUsedEditorInGroup": "Quick Open del editor anterior usado recientemente en el grupo",
+ "quickOpenLeastRecentlyUsedEditorInGroup": "Quick Open el editor usado menos recientemente en el grupo",
+ "navigateEditorHistoryByInput": "Quick Open del editor anterior desde el historial",
+ "openNextRecentlyUsedEditor": "Abrir el siguiente editor recientemente usado",
+ "openPreviousRecentlyUsedEditor": "Abrir el anterior editor recientemente usado",
+ "openNextRecentlyUsedEditorInGroup": "Abrir el siguiente editor recientemente usado en el grupo",
+ "openPreviousRecentlyUsedEditorInGroup": "Abrir el editor recientemente usado anterior en el grupo",
+ "clearEditorHistory": "Borrar historial del editor",
+ "moveEditorLeft": "Mover el editor a la izquierda",
+ "moveEditorRight": "Mover el editor a la derecha",
+ "moveEditorToPreviousGroup": "Mover editor al grupo anterior",
+ "moveEditorToNextGroup": "Mover editor al grupo siguiente",
+ "moveEditorToAboveGroup": "Mudar el Editor al Grupo Superior",
+ "moveEditorToBelowGroup": "Mudar el Editor al Grupo Inferior",
+ "moveEditorToLeftGroup": "Mudar el Editor al Grupo Izquierdo",
+ "moveEditorToRightGroup": "Mudar el Editor al Grupo Derecho",
+ "moveEditorToFirstGroup": "Mover el Editor al Primer Grupo",
+ "moveEditorToLastGroup": "Mudar el Editor al Último Grupo ",
+ "editorLayoutSingle": "Diseño de Editor de Columna Simple",
+ "editorLayoutTwoColumns": "Diseño de Editor de Doble Columna",
+ "editorLayoutThreeColumns": "Diseño de Editor de Triple Columna ",
+ "editorLayoutTwoRows": "Diseño de Editor de Doble Fila",
+ "editorLayoutThreeRows": "Diseño de Editor de Triple Fila",
+ "editorLayoutTwoByTwoGrid": "Diseño de Grilla de Editor (2x2)",
+ "editorLayoutTwoColumnsBottom": "Diseño de editor de dos columnas abajo",
+ "editorLayoutTwoRowsRight": "Diseño del editor Dos filas a la derecha",
+ "newEditorLeft": "Nuevo Grupo Editor a Izquierda",
+ "newEditorRight": "Nuevo Grupo Editor a Derecha",
+ "newEditorAbove": "Nuevo Grupo Editor Arriba",
+ "newEditorBelow": "Nuevo Grupo Editor Abajo",
+ "workbench.action.reopenWithEditor": "Volver a abrir el editor con...",
+ "workbench.action.toggleEditorType": "Alternar tipo de editor"
+ },
+ "vs/workbench/browser/parts/editor/editorQuickAccess": {
+ "noViewResults": "No hay ningún editor coincidente.",
+ "entryAriaLabelWithGroupDirty": "{0}, con modificaciones, {1}",
+ "entryAriaLabelWithGroup": "{0}, {1}",
+ "entryAriaLabelDirty": "{0}, con modificaciones",
+ "closeEditor": "Cerrar editor"
+ },
+ "vs/workbench/browser/parts/editor/binaryEditor": {
+ "binaryEditor": "Visor binario",
+ "nativeFileTooLargeError": "El archivo no se muestra en el editor porque es demasiado grande ({0}). ",
+ "nativeBinaryError": "El archivo no se muestra en el editor porque es binario o utiliza una codificación de texto no soportada. ",
+ "openAsText": "¿Desea abrirlo de todas formas?"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsViewer": {
+ "executeCommand": "Haga clic en para ejecutar el comando \"{0}\"",
+ "notificationActions": "Acciones de notificaciones",
+ "notificationSource": "Origen: {0}."
+ },
+ "vs/workbench/browser/parts/editor/titleControl": {
+ "ariaLabelEditorActions": "Acciones de editor",
+ "draggedEditorGroup": "{0} (+ {1})"
+ },
+ "vs/workbench/browser/parts/editor/breadcrumbsControl": {
+ "cmd.toggle": "Alternar rutas de navegación",
+ "miShowBreadcrumbs": "Mostrar rutas de &&navegación",
+ "cmd.focus": "Enfocar rutas de navegación"
+ },
+ "vs/workbench/browser/parts/editor/breadcrumbs": {
+ "title": "Exploración de rutas de navegación",
+ "enabled": "Activar/desactivar rutas de navegación.",
+ "filepath": "Controla si las rutas de acceso de archivo se muestran en la vista de rutas de navegación y la forma en que aparecen.",
+ "filepath.on": "Mostrar la ruta de acceso de archivo en la vista de rutas de navegación.",
+ "filepath.off": "No mostrar la ruta de acceso de archivo en la vista de rutas de navegación.",
+ "filepath.last": "Mostrar solo el último elemento de la ruta de acceso de archivo en la vista de rutas de navegación.",
+ "symbolpath": "Controla si los símbolos se muestran en la vista de rutas de navegación y la forma en que aparecen.",
+ "symbolpath.on": "Mostrar todos los símbolos en la vista de rutas de navegación.",
+ "symbolpath.off": "No mostrar símbolos en la vista de rutas de navegación.",
+ "symbolpath.last": "Mostrar solo el símbolo actual en la vista de rutas de navegación.",
+ "symbolSortOrder": "Controla el modo en el que se ordenan los símbolos en la vista de esquema de rutas de navegación.",
+ "symbolSortOrder.position": "Muestra el esquema de símbolos en el orden de los archivos.",
+ "symbolSortOrder.name": "Muestra el esquema de símbolos en orden alfabético.",
+ "symbolSortOrder.type": "Muestra el esquema de símbolos ordenados por tipo.",
+ "icons": "Represente los elementos de la ruta de navegación con iconos.",
+ "filteredTypes.file": "Cuando está habilitado, las rutas de navegación muestran símbolos de tipo \"file\".",
+ "filteredTypes.module": "Cuando está habilitado, las rutas de navegación muestran símbolos de tipo \"module\".",
+ "filteredTypes.namespace": "Cuando está habilitado, las rutas de navegación muestran símbolos de tipo \"namespace\".",
+ "filteredTypes.package": "Cuando está habilitado, las rutas de navegación muestran símbolos de tipo \"package\".",
+ "filteredTypes.class": "Cuando está habilitado, las rutas de navegación muestran símbolos \"class\".",
+ "filteredTypes.method": "Cuando está habilitado, las rutas de navegación muestran símbolos de tipo \"method\".",
+ "filteredTypes.property": "Cuando está habilitado, las rutas de navegación muestran símbolos de tipo \"property\".",
+ "filteredTypes.field": "Cuando está habilitado, las rutas de navegación muestran los símbolos de tipo \"field\".",
+ "filteredTypes.constructor": "Cuando está habilitado, las rutas de navegación muestran los símbolos de tipo \"constructor\".",
+ "filteredTypes.enum": "Si está habilitado, las rutas de navegación muestran símbolos de tipo \"enum\".",
+ "filteredTypes.interface": "Cuando está habilitado, las rutas de navegación muestran símbolos de tipo \"interface\".",
+ "filteredTypes.function": "Si está habilitado, las rutas de navegación muestran símbolos de tipo \"function\".",
+ "filteredTypes.variable": "Cuando está habilitado, las rutas de navegación muestran símbolos de tipo \"variable\".",
+ "filteredTypes.constant": "Cuando está habilitado, las rutas de navegación muestran símbolos de tipo \"constant\".",
+ "filteredTypes.string": "Cuando está habilitado, las rutas de navegación muestran símbolos de tipo \"string\".",
+ "filteredTypes.number": "Cuando está habilitado, las rutas de navegación muestran símbolos de tipo \"number\".",
+ "filteredTypes.boolean": "Cuando está habilitado, las rutas de navegación muestran símbolos de tipo \"boolean\".",
+ "filteredTypes.array": "Cuando está habilitado, las rutas de navegación muestran símbolos de tipo \"array\".",
+ "filteredTypes.object": "Cuando está habilitado, las rutas de navegación muestran símbolos de tipo \"object\".",
+ "filteredTypes.key": "Cuando está habilitado, las rutas de navegación muestran símbolos de tipo \"key\".",
+ "filteredTypes.null": "Si está habilitado, las rutas de navegación muestran símbolos de tipo \"null\".",
+ "filteredTypes.enumMember": "Cuando está habilitado, las rutas de navegación muestran símbolos de tipo \"enumMember\".",
+ "filteredTypes.struct": "Si está habilitado, las rutas de navegación muestran símbolos de tipo \"struct\".",
+ "filteredTypes.event": "Cuando está habilitado, las rutas de navegación muestran símbolos de tipo \"event\".",
+ "filteredTypes.operator": "Cuando está habilitado, las rutas de navegación muestran símbolos de tipo \"operator\".",
+ "filteredTypes.typeParameter": "Cuando está habilitado, las rutas de navegación muestran símbolos \"typeParameter\"."
+ },
+ "vs/workbench/browser/parts/editor/breadcrumbsPicker": {
+ "breadcrumbs": "Rutas de navegación"
+ },
+ "vs/workbench/contrib/backup/electron-sandbox/backupTracker": {
+ "backupTrackerBackupFailed": "No se han podido guardar uno o varios editores con modificaciones en la ubicación de copia de seguridad.",
+ "backupTrackerConfirmFailed": "No se pudo guardar ni revertir uno o varios editores con modificaciones.",
+ "ok": "Aceptar",
+ "backupErrorDetails": "Pruebe a guardar o revertir primero las ediciones incompletas y luego inténtelo de nuevo."
+ },
+ "vs/workbench/contrib/bulkEdit/browser/bulkEditService": {
+ "summary.0": "No se realizaron ediciones",
+ "summary.nm": "{0} ediciones de texto en {1} archivos",
+ "summary.n0": "{0} ediciones de texto en un archivo",
+ "workspaceEdit": "Edición del área de trabajo",
+ "nothing": "No se realizaron ediciones"
+ },
+ "vs/workbench/contrib/bulkEdit/browser/preview/bulkEdit.contribution": {
+ "overlap": "Se está previsualizando otra refactorización.",
+ "cancel": "Cancelar",
+ "continue": "Continuar",
+ "detail": "Pulse \"Continuar\" para descartar la refactorización anterior y continuar con la refactorización actual.",
+ "apply": "Aplicar refactorización",
+ "cat": "Vista previa de refactorización",
+ "Discard": "Descartar refactorización",
+ "toogleSelection": "Alternar cambio",
+ "groupByFile": "Agrupar cambios por archivo",
+ "groupByType": "Agrupar cambios por tipo",
+ "refactorPreviewViewIcon": "Vea el icono de vista previa de refactorización.",
+ "panel": "Vista previa de refactorización"
+ },
+ "vs/workbench/contrib/bulkEdit/browser/preview/bulkEditPane": {
+ "empty.msg": "Invoque una acción de código, como cambiar el nombre, para ver aquí una vista previa de sus cambios.",
+ "conflict.1": "No se puede aplicar la refactorización porque \"{0}\" ha cambiado mientras tanto.",
+ "conflict.N": "No se puede aplicar la refactorización porque {0} otros archivos han cambiado mientras tanto.",
+ "edt.title.del": "{0} (eliminar, refactorizar la vista previa)",
+ "rename": "Cambiar nombre",
+ "create": "Crear",
+ "edt.title.2": "{0} ({1}, vista previa de refactorización)",
+ "edt.title.1": "{0} (previsualización de refactorización)"
+ },
+ "vs/workbench/contrib/bulkEdit/browser/preview/bulkEditPreview": {
+ "default": "Otro"
+ },
+ "vs/workbench/contrib/bulkEdit/browser/preview/bulkEditTree": {
+ "bulkEdit": "Edición en masa",
+ "aria.renameAndEdit": "Cambiando el nombre de {0} a {1}, también haciendo ediciones de texto",
+ "aria.createAndEdit": "Creando {0}, también editando texto",
+ "aria.deleteAndEdit": "Eliminando {0}, también realizando ediciones de texto",
+ "aria.editOnly": "{0}, editando el texto",
+ "aria.rename": "Cambiar el nombre de {0} a {1}",
+ "aria.create": "Creando {0}",
+ "aria.delete": "Eliminando {0}",
+ "aria.replace": "Línea {0}, reemplazando {1} por {2}",
+ "aria.del": "línea {0}, quitando {1}",
+ "aria.insert": "línea {0}, insertando {1}",
+ "rename.label": "{0} → {1}",
+ "detail.rename": "(cambio de nombre)",
+ "detail.create": "(creando)",
+ "detail.del": "(eliminando)",
+ "title": "{0} - {1}"
+ },
+ "vs/workbench/contrib/callHierarchy/browser/callHierarchy.contribution": {
+ "no.item": "No hay resultados",
+ "error": "No se pudo mostrar la jerarquía de llamadas",
+ "title": "Jerarquía de llamadas de inspección",
+ "title.incoming": "Mostrar llamadas entrantes",
+ "showIncomingCallsIcons": "Icono de llamadas entrantes en la vista de la jerarquía de llamadas.",
+ "title.outgoing": "Mostrar llamadas salientes",
+ "showOutgoingCallsIcon": "Icono de llamadas salientes en la vista de la jerarquía de llamadas.",
+ "title.refocus": "Reenfocar jerarquía de llamadas",
+ "close": "Cerrar"
+ },
+ "vs/workbench/contrib/callHierarchy/browser/callHierarchyPeek": {
+ "callFrom": "Llamadas desde \"{0}\"",
+ "callsTo": "Llamadas de \"{0}\"",
+ "title.loading": "Cargando...",
+ "empt.callsFrom": "No hay llamadas de \"{0}\"",
+ "empt.callsTo": "No hay personas que llamen de \"{0}\""
+ },
+ "vs/workbench/contrib/callHierarchy/browser/callHierarchyTree": {
+ "tree.aria": "Jerarquía de llamadas",
+ "from": "llamadas desde {0}",
+ "to": "autores de llamada de {0}"
+ },
+ "vs/workbench/contrib/cli/node/cli.contribution": {
+ "shellCommand": "Comando shell",
+ "install": "Instalar el comando '{0}' en PATH",
+ "not available": "Este comando no está disponible",
+ "ok": "Aceptar",
+ "cancel2": "Cancelar",
+ "warnEscalation": "Ahora el código solicitará privilegios de administrador con \"osascript\" para instalar el comando shell.",
+ "cantCreateBinFolder": "No se puede crear \"/usr/local/bin\".",
+ "aborted": "Anulado",
+ "successIn": "El comando shell '{0}' se instaló correctamente en PATH.",
+ "uninstall": "Desinstalar el comando '{0}' de PATH",
+ "warnEscalationUninstall": "Ahora el código solicitará privilegios de administrador con \"osascript\" para desinstalar el comando shell.",
+ "cantUninstall": "No se puede desinstalar el comando shell \"{0}\".",
+ "successFrom": "El comando shell '{0}' se desinstaló correctamente de PATH."
+ },
+ "vs/workbench/contrib/codeActions/common/codeActionsContribution": {
+ "codeActionsOnSave.fixAll": "Controla si la acción de reparación automática se debe ejecutar al guardar el archivo.",
+ "codeActionsOnSave": "Tipos de acción de código que se ejecutarán en guardar.",
+ "codeActionsOnSave.generic": "Controla si se deben ejecutar acciones de \"{0}\" en el archivo guardado."
+ },
+ "vs/workbench/contrib/codeActions/common/codeActionsExtensionPoint": {
+ "contributes.codeActions": "Configure el editor que se usará para un recurso.",
+ "contributes.codeActions.languages": "Modos de idioma para los que están habilitadas las acciones de código.",
+ "contributes.codeActions.kind": "\"CodeActionKind\" de la acción de código de contribución.",
+ "contributes.codeActions.title": "Etiqueta para la acción de código utilizada en la interfaz de usuario.",
+ "contributes.codeActions.description": "Descripción de lo que hace la acción de código."
+ },
+ "vs/workbench/contrib/codeActions/common/documentationExtensionPoint": {
+ "contributes.documentation": "Documentación aportada.",
+ "contributes.documentation.refactorings": "Documentación aportada para refactorizaciones.",
+ "contributes.documentation.refactoring": "Documentación aportada para la refactorización.",
+ "contributes.documentation.refactoring.title": "Etiqueta para la documentación utilizada en la interfaz de usuario.",
+ "contributes.documentation.refactoring.when": "Cuando la cláusula.",
+ "contributes.documentation.refactoring.command": "Comando ejecutado."
+ },
+ "vs/workbench/contrib/codeEditor/electron-browser/startDebugTextMate": {
+ "startDebugTextMate": "Iniciar el registro gramatical de la sintaxis Mate de texto"
+ },
+ "vs/workbench/contrib/codeEditor/electron-sandbox/selectionClipboard": {
+ "actions.pasteSelectionClipboard": "Pegar Portapapeles de selección"
+ },
+ "vs/workbench/contrib/codeEditor/browser/languageConfigurationExtensionPoint": {
+ "parseErrors": "Errores al analizar {0}: {1}",
+ "formatError": "{0}: formato no válido, se esperaba un objeto JSON.",
+ "schema.openBracket": "Secuencia de cadena o corchete de apertura.",
+ "schema.closeBracket": "Secuencia de cadena o corchete de cierre.",
+ "schema.comments": "Define los símbolos de comentario",
+ "schema.blockComments": "Define cómo se marcan los comentarios de bloque.",
+ "schema.blockComment.begin": "Secuencia de caracteres que inicia un comentario de bloque.",
+ "schema.blockComment.end": "Secuencia de caracteres que finaliza un comentario de bloque.",
+ "schema.lineComment": "Secuencia de caracteres que inicia un comentario de línea.",
+ "schema.brackets": "Define los corchetes que aumentan o reducen la sangría.",
+ "schema.autoClosingPairs": "Define el par de corchetes. Cuando se escribe un corchete de apertura, se inserta automáticamente el corchete de cierre.",
+ "schema.autoClosingPairs.notIn": "Define una lista de ámbitos donde los pares automáticos están deshabilitados.",
+ "schema.autoCloseBefore": "Define qué caracteres deben aparecer después del cursor para que se aplique el cierre automático de corchetes o comillas al usar la configuración de autocierre \"languageDefined\". Suele ser el juego de caracteres que no pueden iniciar una expresión.",
+ "schema.surroundingPairs": "Define los pares de corchetes que se pueden usar para encerrar una cadena seleccionada.",
+ "schema.wordPattern": "Define qué se considera como una palabra en el lenguaje de programación.",
+ "schema.wordPattern.pattern": "El patrón de expresión regular utilizado para localizar palabras.",
+ "schema.wordPattern.flags": "Los flags de expresión regular utilizados para localizar palabras.",
+ "schema.wordPattern.flags.errorMessage": "Debe coincidir con el patrón `/^([gimuy]+)$/`.",
+ "schema.indentationRules": "Configuración de sangría del idioma.",
+ "schema.indentationRules.increaseIndentPattern": "Si una línea coincide con este patrón, todas las líneas después de ella deben sangrarse una vez (hasta que otra regla coincida). ",
+ "schema.indentationRules.increaseIndentPattern.pattern": "El patrón de RegExp para increaseIndentPattern.",
+ "schema.indentationRules.increaseIndentPattern.flags": "Las marcas de RegExp para increaseIndentPattern.",
+ "schema.indentationRules.increaseIndentPattern.errorMessage": "Debe coincidir con el patrón `/^([gimuy]+)$/`.",
+ "schema.indentationRules.decreaseIndentPattern": "Si una línea coincide con este patrón, se debe quitar sangría una vez en todas las líneas que le siguen (hasta que se cumpla otra regla).",
+ "schema.indentationRules.decreaseIndentPattern.pattern": "El patrón de RegExp para decreaseIndentPattern.",
+ "schema.indentationRules.decreaseIndentPattern.flags": "Las marcas de RegExp para decreaseIndentPattern.",
+ "schema.indentationRules.decreaseIndentPattern.errorMessage": "Debe coincidir con el patrón `/^([gimuy]+)$/`.",
+ "schema.indentationRules.indentNextLinePattern": "Si una línea coincide con este patrón **solo la línea siguiente** después de ella se debe sangrar una vez.",
+ "schema.indentationRules.indentNextLinePattern.pattern": "El patrón de RegExp para indentNextLinePattern.",
+ "schema.indentationRules.indentNextLinePattern.flags": "Las marcas de RegExp para indentNextLinePattern.",
+ "schema.indentationRules.indentNextLinePattern.errorMessage": "Debe coincidir con el patrón `/^([gimuy]+)$/`.",
+ "schema.indentationRules.unIndentedLinePattern": "Si una línea coincide con este patrón, su sangría no se debe cambiar y no se debe evaluar utilizando las otras reglas.",
+ "schema.indentationRules.unIndentedLinePattern.pattern": "El patrón de RegExp para unIndentedLinePattern.",
+ "schema.indentationRules.unIndentedLinePattern.flags": "Las marcas de RegExp para unIndentedLinePattern.",
+ "schema.indentationRules.unIndentedLinePattern.errorMessage": "Debe coincidir con el patrón `/^([gimuy]+)$/`.",
+ "schema.folding": "Configuración del plegamiento de idioma.",
+ "schema.folding.offSide": "Un idioma se adhiere a la regla del fuera de juego si los bloques en ese idioma se expresan por su sangría. Si se establece, las líneas vacías pertenecen al bloque posterior.",
+ "schema.folding.markers": "Marcadores de plegado específicos de un idioma, como \"'#region\" o \"#endregion\". Se probarán los valores regex en relación con el contenido de todas las líneas, y deben estar diseñados de manera eficiente.",
+ "schema.folding.markers.start": "El patrón de expresión regular para el marcador de inicio. La expresión regular debe comenzar con '^'.",
+ "schema.folding.markers.end": "El patrón de expresión regular para el marcador de fin. La expresión regular debe comenzar con '^'."
+ },
+ "vs/workbench/contrib/codeEditor/browser/quickaccess/gotoSymbolQuickAccess": {
+ "empty": "No hay ninguna entrada coincidente.",
+ "gotoSymbolQuickAccessPlaceholder": "Escriba el nombre de un símbolo al que ir.",
+ "gotoSymbolQuickAccess": "Ir a símbolo en el editor",
+ "gotoSymbolByCategoryQuickAccess": "Ir a símbolo en el editor por categoría",
+ "gotoSymbol": "Ir al símbolo en el editor..."
+ },
+ "vs/workbench/contrib/codeEditor/browser/accessibility/accessibility": {
+ "emergencyConfOn": "Se cambiará ahora el valor de configuración \"editor.accessibilitySupport\" a \"activado\".",
+ "openingDocs": "Se abrirá ahora la página de documentación de accesibilidad de VS Code.",
+ "introMsg": "Gracias por probar las opciones de accesibilidad de VS Code.",
+ "status": "Estado:",
+ "changeConfigToOnMac": "Para configurar el editor de forma que esté optimizado de permanentemente para su uso con un lector de pantalla, presione ahora Comando+E.",
+ "changeConfigToOnWinLinux": "Para configurar el editor de forma que esté optimizado permanentemente para su uso con un lector de pantalla, presione ahora Control+E.",
+ "auto_unknown": "El editor está configurado para usar API de plataforma para detectar cuándo está conectado un lector de pantalla, pero el entorno actual de tiempo de ejecución no admite esta característica.",
+ "auto_on": "El editor ha detectado automáticamente un lector de pantalla conectado.",
+ "auto_off": "El editor está configurado para detectar automáticamente cuándo está conectado un lector de pantalla, lo que no es el caso en este momento.",
+ "configuredOn": "El editor está configurado para optimizarse permanentemente para su uso con un lector de pantalla; para cambiar este comportamiento, edite el valor de configuración \"editor.accessibilitySupport\".",
+ "configuredOff": "El editor está configurado de forma que no esté nunca optimizado para su uso con un lector de pantalla.",
+ "tabFocusModeOnMsg": "Al presionar TAB en el editor actual, el foco se mueve al siguiente elemento activable. Presione {0} para activar o desactivar este comportamiento.",
+ "tabFocusModeOnMsgNoKb": "Al presionar TAB en el editor actual, el foco se mueve al siguiente elemento activable. El comando {0} no se puede desencadenar actualmente mediante un enlace de teclado.",
+ "tabFocusModeOffMsg": "Al presionar TAB en el editor actual, se insertará el carácter de tabulación. Presione {0} para activar o desactivar este comportamiento.",
+ "tabFocusModeOffMsgNoKb": "Al presionar TAB en el editor actual, se insertará el carácter de tabulación. El comando {0} no se puede desencadenar actualmente mediante un enlace de teclado.",
+ "openDocMac": "Presione Comando+H ahora para abrir una ventana de explorador con más información de VS Code relacionada con la accesibilidad.",
+ "openDocWinLinux": "Presione Control+H ahora para abrir una ventana de explorador con más información de VS Code relacionada con la accesibilidad.",
+ "outroMsg": "Para descartar esta información sobre herramientas y volver al editor, presione Esc o Mayús+Escape.",
+ "ShowAccessibilityHelpAction": "Mostrar ayuda de accesibilidad"
+ },
+ "vs/workbench/contrib/codeEditor/browser/diffEditorHelper": {
+ "hintTimeout": "El algoritmo de comparación se detuvo pronto (después de {0} ms).",
+ "removeTimeout": "Quitar límite",
+ "hintWhitespace": "Mostrar diferencias de espacios en blanco"
+ },
+ "vs/workbench/contrib/codeEditor/browser/inspectKeybindings": {
+ "workbench.action.inspectKeyMap": "Desarrollador: inspeccionar asignaciones de teclas ",
+ "workbench.action.inspectKeyMapJSON": "Inspeccionar asignaciones de claves (JSON)"
+ },
+ "vs/workbench/contrib/codeEditor/browser/largeFileOptimizations": {
+ "largeFile": "{0}: la tokenización, ajuste y plegado han sido desactivadas para este archivo de gran tamaño con el fin de reducir el uso de memoria y evitar su cierre o bloqueo.",
+ "removeOptimizations": "Forzar la activación de características",
+ "reopenFilePrompt": "Vuelva a abrir el archivo para que esta configuración surta efecto."
+ },
+ "vs/workbench/contrib/codeEditor/browser/inspectEditorTokens/inspectEditorTokens": {
+ "inspectEditorTokens": "Desarrollador: Inspeccionar los tokens y ámbitos del editor",
+ "inspectTMScopesWidget.loading": "Cargando..."
+ },
+ "vs/workbench/contrib/codeEditor/browser/quickaccess/gotoLineQuickAccess": {
+ "gotoLineQuickAccessPlaceholder": "Escriba el número de línea y la columna opcional a la que ir (por ejemplo, 42:5 para la línea 42 y la columna 5).",
+ "gotoLineQuickAccess": "Ir a Línea/Columna",
+ "gotoLine": "Vaya a Línea/Columna..."
+ },
+ "vs/workbench/contrib/codeEditor/browser/saveParticipants": {
+ "formatting": "Ejecución del formateador \"{0}\" ([configure](command:workbench.action.openSettings?%5B%22editor.formatOnSave%22%5D)).",
+ "codeaction": "Correcciones rápidas",
+ "codeaction.get": "Obtener acciones de código de \"{0}\" ([configure](command:workbench.action.openSettings?%5B%22editor.codeActionsOnSave%22%5D)).",
+ "codeAction.apply": "Aplicando la acción de código \"{0}\"."
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleColumnSelection": {
+ "toggleColumnSelection": "Alternar el modo de selección de columnas",
+ "miColumnSelection": "Modo de &&selección de columna"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleMinimap": {
+ "toggleMinimap": "Alternar minimapa",
+ "miShowMinimap": "Mostrar &&Minimapa"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleMultiCursorModifier": {
+ "toggleLocation": "Alternar modificador multicursor",
+ "miMultiCursorAlt": "Cambiar a Alt+Clic para cursor múltiple",
+ "miMultiCursorCmd": "Cambiar a Cmd+Clic para cursor múltiple",
+ "miMultiCursorCtrl": "Cambiar a Ctrl+Clic para cursor múltiple"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleRenderControlCharacter": {
+ "toggleRenderControlCharacters": "Alternar caracteres de control",
+ "miToggleRenderControlCharacters": "Representar &&caracteres de control"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleRenderWhitespace": {
+ "toggleRenderWhitespace": "Alternar representación de espacio en blanco",
+ "miToggleRenderWhitespace": "&&Representar espacio en blanco"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleWordWrap": {
+ "toggle.wordwrap": "Ver: Alternar ajuste de línea",
+ "unwrapMinified": "Deshabilitar ajuste para este archivo",
+ "wrapMinified": "Habilitar ajuste para este archivo",
+ "miToggleWordWrap": "Alter&&nar ajuste de línea"
+ },
+ "vs/workbench/contrib/codeEditor/browser/find/simpleFindWidget": {
+ "label.find": "Buscar",
+ "placeholder.find": "Buscar",
+ "label.previousMatchButton": "Coincidencia anterior",
+ "label.nextMatchButton": "Coincidencia siguiente",
+ "label.closeButton": "Cerrar"
+ },
+ "vs/workbench/contrib/codeEditor/browser/find/simpleFindReplaceWidget": {
+ "label.find": "Buscar",
+ "placeholder.find": "Buscar",
+ "label.previousMatchButton": "Coincidencia anterior",
+ "label.nextMatchButton": "Coincidencia siguiente",
+ "label.closeButton": "Cerrar",
+ "label.toggleReplaceButton": "Alternar modo de reemplazar",
+ "label.replace": "Reemplazar",
+ "placeholder.replace": "Reemplazar",
+ "label.replaceButton": "Reemplazar",
+ "label.replaceAllButton": "Reemplazar todo"
+ },
+ "vs/workbench/contrib/comments/browser/comments.contribution": {
+ "commentsConfigurationTitle": "Comentarios",
+ "openComments": "Controles cuándo se debe abrir el panel de comentarios."
+ },
+ "vs/workbench/contrib/comments/browser/commentsEditorContribution": {
+ "pickCommentService": "Seleccione Proveedor de Comentario",
+ "nextCommentThreadAction": "Ir al hilo de comentarios siguiente "
+ },
+ "vs/workbench/contrib/comments/browser/commentsView": {
+ "collapseAll": "Contraer todo",
+ "rootCommentsLabel": "Comentarios para el área de trabajo actual",
+ "resourceWithCommentThreadsLabel": "Comentarios en {0}, ruta de acceso completa {1}",
+ "resourceWithCommentLabel": "Comentario de ${0} en la línea {1}, columna {2} en {3}, origen: {4}"
+ },
+ "vs/workbench/contrib/comments/browser/commentsTreeViewer": {
+ "imageWithLabel": "Imagen: {0}",
+ "image": "Imagen"
+ },
+ "vs/workbench/contrib/comments/browser/commentGlyphWidget": {
+ "editorGutterCommentRangeForeground": "Color de decoración del margen del editor para intervalos de comentarios."
+ },
+ "vs/workbench/contrib/comments/browser/commentThreadWidget": {
+ "collapseIcon": "Icono para contraer un comentario de revisión.",
+ "label.collapse": "Contraer",
+ "startThread": "Iniciar discusión",
+ "reply": "Responder...",
+ "newComment": "Escriba un nuevo comentario"
+ },
+ "vs/workbench/contrib/comments/common/commentModel": {
+ "noComments": "Aún no hay ningún comentario en esta área de trabajo."
+ },
+ "vs/workbench/contrib/comments/browser/commentNode": {
+ "commentToggleReaction": "Alternar reacción",
+ "commentToggleReactionError": "Error al alternar la reacción del comentario: {0}.",
+ "commentToggleReactionDefaultError": "Error al alternar la reacción del comentario",
+ "commentDeleteReactionError": "Error al eliminar la reacción del comentario: {0}.",
+ "commentDeleteReactionDefaultError": "Error al eliminar la reacción del comentario",
+ "commentAddReactionError": "Error al eliminar la reacción del comentario: {0}.",
+ "commentAddReactionDefaultError": "Error al eliminar la reacción del comentario"
+ },
+ "vs/workbench/contrib/comments/browser/reactionsAction": {
+ "pickReactions": "Recoger las reacciones..."
+ },
+ "vs/workbench/contrib/customEditor/browser/customEditors": {
+ "openWithCurrentlyActive": "Actualmente Activo",
+ "promptOpenWith.setDefaultTooltip": "Establecer como editor predeterminado para archivos \"{0}\"",
+ "promptOpenWith.placeHolder": "Seleccione el editor que se va a utilizar para \"{0}\"..."
+ },
+ "vs/workbench/contrib/customEditor/common/contributedCustomEditors": {
+ "builtinProviderDisplayName": "Integrado",
+ "promptOpenWith.defaultEditor.displayName": "Editor de texto"
+ },
+ "vs/workbench/contrib/customEditor/common/extensionPoint": {
+ "contributes.customEditors": "Editores personalizados aportados.",
+ "contributes.viewType": "Identificador para el editor personalizado. Debe ser único en todos los editores personalizados, por lo que se recomienda incluir el id. de extensión como parte de \"viewType\". \"viewType\" se utiliza al registrar editores personalizados con \"vscode. registerCustomEditorProvider\" y en \"onCustomEditor:${id}\" [evento de activación](https://code.visualstudio.com/api/references/activation-events).",
+ "contributes.displayName": "Nombre en lenguaje natural del editor personalizado. Se muestra a los usuarios cuando se selecciona el editor que se va a usar.",
+ "contributes.selector": "Conjunto de patrones globales para los que está habilitado el editor personalizado.",
+ "contributes.selector.filenamePattern": "Patrones globales para los que está habilitado el editor personalizado.",
+ "contributes.priority": "Controla si el editor personalizado se habilita automáticamente cuando el usuario abre un archivo. Los usuarios pueden invalidar esto con el valor \"workbench.editorAssociations\".",
+ "contributes.priority.default": "El editor se usa automáticamente cuando el usuario abre un recurso, siempre que no se hayan registrado otros editores personalizados predeterminados para dicho recurso.",
+ "contributes.priority.option": "El editor no se usa automáticamente cuando el usuario abre un recurso, pero un usuario puede cambiar al editor mediante el comando \"Reopen With\"."
+ },
+ "vs/workbench/contrib/debug/common/debug": {
+ "internalConsoleOptions": "Controla cuándo debe abrirse la consola de depuración interna."
+ },
+ "vs/workbench/contrib/debug/browser/debug.contribution": {
+ "debugCategory": "Depurar",
+ "runCategory": "Ejecutar",
+ "startDebugPlaceholder": "Escriba el nombre de la configuración de lanzamiento que se ejecutará.",
+ "startDebuggingHelp": "Iniciar depuración",
+ "terminateThread": "Terminar hilo de ejecución",
+ "debugFocusConsole": "Centrarse en la vista de consola de depuración",
+ "jumpToCursor": "Saltar al cursor",
+ "SetNextStatement": "Establecer la instrucción siguiente",
+ "inlineBreakpoint": "Punto de interrupción insertado",
+ "stepBackDebug": "Retroceder",
+ "reverseContinue": "Invertir",
+ "restartFrame": "Reiniciar marco",
+ "copyStackTrace": "Copiar pila de llamadas",
+ "setValue": "Establecer valor",
+ "copyValue": "Copiar valor",
+ "copyAsExpression": "Copiar como expresión",
+ "addToWatchExpressions": "Agregar a inspección",
+ "breakWhenValueChanges": "Interrumpir cuando cambia el valor",
+ "miViewRun": "&&Ejecutar",
+ "miToggleDebugConsole": "Consola de de&&puración",
+ "miStartDebugging": "I&&niciar depuración",
+ "miRun": "Ejecutar &&Sin depuración",
+ "miStopDebugging": "&&Detener depuración",
+ "miRestart Debugging": "&&Reiniciar depuración",
+ "miOpenConfigurations": "Abrir &&configuraciones",
+ "miAddConfiguration": "A&&gregar configuración...",
+ "miStepOver": "Depurar paso a paso por proce&&dimientos",
+ "miStepInto": "&&Depurar paso a paso por instrucciones",
+ "miStepOut": "Depurar paso a paso para &&salir",
+ "miContinue": "&&Continuar",
+ "miToggleBreakpoint": "Alter&&nar punto de interrupción",
+ "miConditionalBreakpoint": "Punto de interrupción &&condicional...",
+ "miInlineBreakpoint": "O&&unto de interrupción en línea",
+ "miFunctionBreakpoint": "Punto de interrupción de &&función...",
+ "miLogPoint": "&&Punto de registro...",
+ "miNewBreakpoint": "&&Nuevo punto de interrupción",
+ "miEnableAllBreakpoints": "&&Habilitar todos los puntos de interrupción",
+ "miDisableAllBreakpoints": "&&Deshabilitar todos los puntos de interrupción",
+ "miRemoveAllBreakpoints": "Quitar &&todos los puntos de interrupción",
+ "miInstallAdditionalDebuggers": "&&Instalar los depuradores adicionales...",
+ "debugPanel": "Consola de depuración",
+ "run": "Ejecutar",
+ "variables": "Variables",
+ "watch": "Inspección",
+ "callStack": "Pila de llamadas",
+ "breakpoints": "Puntos de interrupción",
+ "loadedScripts": "Scripts Cargados",
+ "debugConfigurationTitle": "Depurar",
+ "allowBreakpointsEverywhere": "Permite establecer puntos de interrupción en cualquier archivo.",
+ "openExplorerOnEnd": "Abra automáticamente la vista de explorador al final de una sesión de depuración.",
+ "inlineValues": "Muestre valores de variable en línea en el editor durante la depuración.",
+ "toolBarLocation": "Controla la ubicación de la barra de herramientas de depuración. \"floating\" en todas las vistas, \"docked\" en la vista de depuración o \"hidden\".",
+ "never": "Nunca mostrar debug en la barra de estado",
+ "always": "Mostrar siempre la depuración en la barra de estado",
+ "onFirstSessionStart": "Mostrar debug en la barra de estado solamente después del primero uso de debug",
+ "showInStatusBar": "Controla cuándo debe estar visible la barra de estado de depuración.",
+ "debug.console.closeOnEnd": "Controla si la consola de depuración debe cerrarse automáticamente cuando finaliza la sesión de depuración.",
+ "openDebug": "Controla cuándo debe abrirse la vista de depuración.",
+ "showSubSessionsInToolBar": "Controla si las subsesiones de depuración se muestran en la barra de herramientas de depuración. Cuando esta opción es false, el comando de parada de una subsesión detendrá también la sesión principal.",
+ "debug.console.fontSize": "Controla el tamaño de fuente en píxeles en la consola de depuración.",
+ "debug.console.fontFamily": "Controla la familia de fuentes en la consola de depuración.",
+ "debug.console.lineHeight": "Controla la altura de la línea en píxeles en la consola de depuración. Use 0 para calcular la altura de la línea del tamaño de fuente.",
+ "debug.console.wordWrap": "Controla si las líneas deben ajustarse en la consola de depuración.",
+ "debug.console.historySuggestions": "Controla si la consola de depuración debe sugerir la entrada escrita previamente.",
+ "launch": "Configuración de lanzamiento de depuración global. Puede usarse como alternativa a \"launch.json\" que se comparte a través de áreas de trabajo.",
+ "debug.focusWindowOnBreak": "Controla si la ventana del área de trabajo debe centrarse cuando se interrumpe el depurador.",
+ "debugAnyway": "Ignore los errores de la tarea e inicie la depuración.",
+ "showErrors": "Muestre la vista Problemas y no inicie la depuración.",
+ "prompt": "Preguntar al usuario.",
+ "cancel": "Cancele la depuración.",
+ "debug.onTaskErrors": "Controla qué hacer cuando se encuentran errores después de ejecutar preLaunchTask.",
+ "showBreakpointsInOverviewRuler": "Controla si los puntos de interrupción deben mostrarse en la regla de información general.",
+ "showInlineBreakpointCandidates": "Controla si se deben mostrar las decoraciones de candidatos de puntos de interrupción de líneas en el editor mientras se realiza la depuración."
+ },
+ "vs/workbench/contrib/debug/browser/debugEditorContribution": {
+ "addConfiguration": "Agregar configuración..."
+ },
+ "vs/workbench/contrib/debug/browser/breakpointEditorContribution": {
+ "logPoint": "Punto de registro",
+ "breakpoint": "Punto de interrupción",
+ "breakpointHasConditionDisabled": "Este {0} tiene {1} que se perderá al quitarse. Considere habilitar {0} en su lugar.",
+ "message": "Mensaje",
+ "condition": "Condición",
+ "breakpointHasConditionEnabled": "Este {0} tiene una {1} que se perderá al quitarla. Considere la posibilidad de desactivar el {0} en su lugar.",
+ "removeLogPoint": "Quitar {0}",
+ "disableLogPoint": "{0} {1}",
+ "disable": "Deshabilitar",
+ "enable": "Habilitar",
+ "cancel": "Cancelar",
+ "removeBreakpoint": "Quitar {0}",
+ "editBreakpoint": "Editar {0}...",
+ "disableBreakpoint": "Deshabilitar {0}",
+ "enableBreakpoint": "Activar {0}",
+ "removeBreakpoints": "Quitar puntos de interrupción",
+ "removeInlineBreakpointOnColumn": "Quitar el punto de interrupción insertado en la columna {0}",
+ "removeLineBreakpoint": "Quitar punto de interrupción de línea",
+ "editBreakpoints": "Editar puntos de interrupción",
+ "editInlineBreakpointOnColumn": "Editar el punto de interrupción insertado en la columna {0}",
+ "editLineBrekapoint": "Editar punto de interrupción de línea",
+ "enableDisableBreakpoints": "Habilitar o deshabilitar puntos de interrupción",
+ "disableInlineColumnBreakpoint": "Deshabilitar el punto de interrupción insertado en la columna {0}",
+ "disableBreakpointOnLine": "Deshabilitar punto de interrupción de línea",
+ "enableBreakpoints": "Habilitar el punto de interrupción insertado en la columna {0}",
+ "enableBreakpointOnLine": "Habilitar punto de interrupción de línea",
+ "addBreakpoint": "Agregar punto de interrupción",
+ "addConditionalBreakpoint": "Agregar punto de interrupción condicional...",
+ "addLogPoint": "Agregar punto de registro",
+ "debugIcon.breakpointForeground": "Color de icono de los puntos de interrupción.",
+ "debugIcon.breakpointDisabledForeground": "Color de icono para puntos de interrupción deshabilitados.",
+ "debugIcon.breakpointUnverifiedForeground": "Color de icono de los puntos de interrupción sin verificar.",
+ "debugIcon.breakpointCurrentStackframeForeground": "Color de icono del marco de pila del punto de interrupción actual.",
+ "debugIcon.breakpointStackframeForeground": "Color de icono de los marcos de pila de todos los puntos de interrupción."
+ },
+ "vs/workbench/contrib/debug/browser/callStackEditorContribution": {
+ "topStackFrameLineHighlight": "Color de fondo para el resaltado de línea en la posición superior del marco de pila. ",
+ "focusedStackFrameLineHighlight": "Color de fondo para el resaltado de línea en la posición enfocada del marco de pila."
+ },
+ "vs/workbench/contrib/debug/browser/repl": {
+ "workbench.debug.filter.placeholder": "Filtro (por ejemplo, text, !exclude)",
+ "debugConsole": "Consola de depuración",
+ "copy": "Copiar",
+ "copyAll": "Copiar todo",
+ "paste": "Pegar",
+ "collapse": "Contraer todo",
+ "startDebugFirst": "Inicie una sesión de depuración para evaluar las expresiones",
+ "actions.repl.acceptInput": "REPL - Aceptar entrada",
+ "repl.action.filter": "REPL Centrar en el contenido para filtrar",
+ "actions.repl.copyAll": "Depuración: Consola Copiar Todo",
+ "selectRepl": "Seleccionar la consola de depuración",
+ "clearRepl": "Borrar consola",
+ "debugConsoleCleared": "Se borró la consola de depuración"
+ },
+ "vs/workbench/contrib/debug/browser/debugViewlet": {
+ "startAdditionalSession": "Iniciar otra sesión",
+ "toggleDebugPanel": "Consola de depuración",
+ "toggleDebugViewlet": "Mostrar ejecución y depuración"
+ },
+ "vs/workbench/contrib/debug/common/abstractDebugAdapter": {
+ "timeout": "Tiempo de espera de {0} ms para \"{1}\""
+ },
+ "vs/workbench/contrib/debug/browser/breakpointsView": {
+ "editCondition": "Editar condición",
+ "Logpoint": "Punto de registro",
+ "Breakpoint": "Punto de interrupción",
+ "editBreakpoint": "Editar {0}...",
+ "removeBreakpoint": "Quitar {0}",
+ "expressionCondition": "Condición de expresión: {0}",
+ "functionBreakpointsNotSupported": "Este tipo de depuración no admite puntos de interrupción en funciones",
+ "dataBreakpointsNotSupported": "Los puntos de interrupción de datos no son compatibles con este tipo de depuración",
+ "functionBreakpointPlaceholder": "Función donde interrumpir",
+ "functionBreakPointInputAriaLabel": "Escribir punto de interrupción de función",
+ "exceptionBreakpointPlaceholder": "Interrumpir cuando la expresión se evalúe como true",
+ "exceptionBreakpointAriaLabel": "Condición del punto de interrupción de excepción de tipo",
+ "breakpoints": "Puntos de interrupción",
+ "disabledLogpoint": "Punto de registro deshabilitado",
+ "disabledBreakpoint": "Punto de interrupción deshabilitado",
+ "unverifiedLogpoint": "Punto de registro no comprobado",
+ "unverifiedBreakopint": "Punto de interrupción no comprobado",
+ "functionBreakpointUnsupported": "Este tipo de depuración no admite puntos de interrupción en funciones",
+ "functionBreakpoint": "Punto de interrupción de la función",
+ "dataBreakpointUnsupported": "Puntos de interrupción de datos no admitidos por este tipo de depuración",
+ "dataBreakpoint": "Punto de interrupción de datos",
+ "breakpointUnsupported": "Los puntos de interrupción de este tipo no son compatibles con el depurador",
+ "logMessage": "Mensaje de registro: {0}",
+ "expression": "Condición de expresión: {0}",
+ "hitCount": "Número de llamadas: {0}",
+ "breakpoint": "Punto de interrupción"
+ },
+ "vs/workbench/contrib/debug/browser/callStackView": {
+ "running": "En ejecución",
+ "showMoreStackFrames2": "Ver más marcos de pila",
+ "session": "Sesión",
+ "thread": "Subproceso",
+ "restartFrame": "Reiniciar marco",
+ "loadAllStackFrames": "Cargar todos los marcos de pila",
+ "showMoreAndOrigin": "Mostrar {0} más: {1}",
+ "showMoreStackFrames": "Mostrar {0} marcos de pila más",
+ "callStackAriaLabel": "Pila de llamadas de la depuración",
+ "threadAriaLabel": "Subproceso {0} {1}",
+ "stackFrameAriaLabel": "Marco de pila {0}, línea {1}, {2}",
+ "sessionLabel": "Sesión {0} {1}"
+ },
+ "vs/workbench/contrib/debug/browser/debugActions": {
+ "openLaunchJson": "Abrir {0}",
+ "launchJsonNeedsConfigurtion": "Configurar o reparar 'launch.json'",
+ "noFolderDebugConfig": "Para poder realizar una configuración de depuración avanzada, primero abra una carpeta.",
+ "selectWorkspaceFolder": "Seleccione una carpeta de área de trabajo para crear un archivo launch.json o agregarlo al archivo de configuración del área de trabajo",
+ "startDebug": "Iniciar depuración",
+ "startWithoutDebugging": "Iniciar sin depurar",
+ "selectAndStartDebugging": "Seleccionar e iniciar la depuración",
+ "removeBreakpoint": "Quitar punto de interrupción",
+ "removeAllBreakpoints": "Quitar todos los puntos de interrupción",
+ "enableAllBreakpoints": "Habilitar todos los puntos de interrupción",
+ "disableAllBreakpoints": "Deshabilitar todos los puntos de interrupción",
+ "activateBreakpoints": "Activar puntos de interrupción",
+ "deactivateBreakpoints": "Desactivar puntos de interrupción",
+ "reapplyAllBreakpoints": "Volver a aplicar todos los puntos de interrupción",
+ "addFunctionBreakpoint": "Agregar punto de interrupción de función",
+ "addWatchExpression": "Agregar expresión",
+ "removeAllWatchExpressions": "Quitar todas las expresiones",
+ "focusSession": "Sesión de foco",
+ "copyValue": "Copiar valor"
+ },
+ "vs/workbench/contrib/debug/browser/debugToolBar": {
+ "debugToolBarBackground": "Color de fondo de la barra de herramientas de depuración",
+ "debugToolBarBorder": "Color de borde de la barra de herramientas de depuración ",
+ "debugIcon.startForeground": "Icono de la barra de herramientas de depuración para iniciar la depuración.",
+ "debugIcon.pauseForeground": "Icono de la barra de herramientas de depuración para pausar.",
+ "debugIcon.stopForeground": "Icono de la barra de tareas de depuración para la detención.",
+ "debugIcon.disconnectForeground": "Icono de la barra de herramientas de depuración para desconectar.",
+ "debugIcon.restartForeground": "Icono de la barra de herramientas de depuración para reiniciar.",
+ "debugIcon.stepOverForeground": "Icono de la barra de herramientas de depuración paso a paso.",
+ "debugIcon.stepIntoForeground": "Icono de la barra de depuración para iniciar paso a paso.",
+ "debugIcon.stepOutForeground": "Icono de la barra de herramientas de depuración paso a paso.",
+ "debugIcon.continueForeground": "Icono de la barra herramientas de depuración para continuar.",
+ "debugIcon.stepBackForeground": "Depurar el icono de la barra de herramientas para retroceder."
+ },
+ "vs/workbench/contrib/debug/browser/debugService": {
+ "1activeSession": "1 sesión activa",
+ "nActiveSessions": "{0} sesiones activas",
+ "configurationAlreadyRunning": "Ya hay una configuración de depuración en ejecución, \"{0}\".",
+ "compoundMustHaveConfigurations": "El compuesto debe tener configurado el atributo \"configurations\" a fin de iniciar varias configuraciones.",
+ "noConfigurationNameInWorkspace": "No se pudo encontrar la configuración de inicio ' {0} ' en el área de trabajo.",
+ "multipleConfigurationNamesInWorkspace": "Hay varias configuraciones de inicio \"{0}\" en el área de trabajo. Use el nombre de la carpeta para calificar la configuración.",
+ "noFolderWithName": "No se puede encontrar la carpeta con el nombre ' {0} ' para la configuración ' {1} ' en el compuesto ' {2} '.",
+ "configMissing": "La configuración \"{0}\" falta en \"launch.json\".",
+ "launchJsonDoesNotExist": "No existe \"launch.json\" para la carpeta del área de trabajo que se ha pasado.",
+ "debugRequestNotSupported": "El atributo \"{0}\" tiene un valor no admitido ({1}) en la configuración de depuración elegida.",
+ "debugRequesMissing": "El atributo '{0}' está ausente en la configuración de depuración elegida. ",
+ "debugTypeNotSupported": "El tipo de depuración '{0}' configurado no es compatible.",
+ "debugTypeMissing": "Falta la propiedad \"type\" en la configuración de inicio seleccionada.",
+ "installAdditionalDebuggers": "Instalar la extensión {0}",
+ "noFolderWorkspaceDebugError": "No se puede depurar el archivo activo. Asegúrese de que se guarda y de que tiene una extensión de depuración instalada para ese tipo de archivo.",
+ "debugAdapterCrash": "El proceso de adaptación del depurador finalizó inesperadamente ({0})",
+ "cancel": "Cancelar",
+ "debuggingPaused": "{0}:{1}, depuración en pausa: {2}, {3}",
+ "breakpointAdded": "Se ha agregado el punto de interrupción: línea {0}, archivo {1}",
+ "breakpointRemoved": "Se ha quitado el punto de interrupción: línea {0}, archivo {1}"
+ },
+ "vs/workbench/contrib/debug/browser/statusbarColorProvider": {
+ "statusBarDebuggingBackground": "Color de fondo de la barra de estado cuando se está depurando un programa. La barra de estado se muestra en la parte inferior de la ventana",
+ "statusBarDebuggingForeground": "Color de primer plano de la barra de estado cuando se está depurando un programa. La barra de estado se muestra en la parte inferior de la ventana",
+ "statusBarDebuggingBorder": "Color de borde de la barra de estado que separa la barra lateral y el editor cuando se está depurando un programa. La barra de estado se muestra en la parte inferior de la ventana."
+ },
+ "vs/workbench/contrib/debug/browser/debugStatus": {
+ "status.debug": "Depurar",
+ "debugTarget": "Depurar: {0}",
+ "selectAndStartDebug": "Seleccionar e iniciar la configuración de depuración"
+ },
+ "vs/workbench/contrib/debug/browser/debugCommands": {
+ "restartDebug": "Reiniciar",
+ "stepOverDebug": "Depurar paso a paso por procedimientos",
+ "stepIntoDebug": "Depurar paso a paso por instrucciones",
+ "stepOutDebug": "Salir de la depuración",
+ "pauseDebug": "Pausa",
+ "disconnect": "Desconectar",
+ "stop": "Detener",
+ "continueDebug": "Continuar",
+ "chooseLocation": "Elija la ubicación específica",
+ "noExecutableCode": "No hay ningún código ejecutable asociado en la posición actual del cursor.",
+ "jumpToCursor": "Saltar al cursor",
+ "debug": "Depurar",
+ "noFolderDebugConfig": "Para poder realizar una configuración de depuración avanzada, primero abra una carpeta.",
+ "addInlineBreakpoint": "Agregar punto de interrupción insertado"
+ },
+ "vs/workbench/contrib/debug/browser/loadedScriptsView": {
+ "loadedScriptsSession": "Sesión de depuración",
+ "loadedScriptsAriaLabel": "Depurar scripts cargados",
+ "loadedScriptsRootFolderAriaLabel": "Carpeta del área de trabajo {0}, script cargado, depuración",
+ "loadedScriptsSessionAriaLabel": "Sesión {0}, script cargado, depuración ",
+ "loadedScriptsFolderAriaLabel": "Carpeta {0}, script cargado, depuración",
+ "loadedScriptsSourceAriaLabel": "{0}, script cargado, depuración"
+ },
+ "vs/workbench/contrib/debug/browser/debugEditorActions": {
+ "toggleBreakpointAction": "Depuración: Alternar punto de interrupción",
+ "conditionalBreakpointEditorAction": "Depuración: agregar punto de interrupción condicional...",
+ "logPointEditorAction": "Depuración: Agregar punto de registro...",
+ "runToCursor": "Ejecutar hasta el cursor",
+ "evaluateInDebugConsole": "Evaluar en la consola de depuración",
+ "addToWatch": "Agregar a inspección",
+ "showDebugHover": "Depuración: Mostrar al mantener el puntero",
+ "stepIntoTargets": "Depurar paso a paso por instrucciones los objetivos...",
+ "goToNextBreakpoint": "Depuración: Ir al siguiente punto de interrupción",
+ "goToPreviousBreakpoint": "Depuración: Ir al punto de interrupción anterior",
+ "closeExceptionWidget": "Cerrar el widget de excepciones"
+ },
+ "vs/workbench/contrib/debug/browser/watchExpressionsView": {
+ "editWatchExpression": "Editar expresión",
+ "removeWatchExpression": "Quitar expresión",
+ "watchExpressionInputAriaLabel": "Escribir expresión de inspección",
+ "watchExpressionPlaceholder": "Expresión para inspeccionar",
+ "watchAriaTreeLabel": "Expresiones de inspección de la depuración",
+ "watchExpressionAriaLabel": "{0}, valor {1}",
+ "watchVariableAriaLabel": "{0}, valor {1}"
+ },
+ "vs/workbench/contrib/debug/browser/variablesView": {
+ "variableValueAriaLabel": "Escribir un nuevo valor de variable",
+ "variablesAriaTreeLabel": "Variables de depuración",
+ "variableScopeAriaLabel": "Ámbito {0}",
+ "variableAriaLabel": "{0}, valor {1}"
+ },
+ "vs/workbench/contrib/debug/common/debugContentProvider": {
+ "unable": "No se puede resolver el recurso sin una sesión de depuración",
+ "canNotResolveSourceWithError": "No se puede cargar el origen \"{0}\": {1}.",
+ "canNotResolveSource": "No se puede cargar el origen \"{0}\"."
+ },
+ "vs/workbench/contrib/debug/browser/welcomeView": {
+ "run": "Ejecutar",
+ "openAFileWhichCanBeDebugged": "[Abrir un archivo](command:{0}) que se puede depurar o ejecutar.",
+ "runAndDebugAction": "[Ejecutar y depurar{0}](command:{1})",
+ "detectThenRunAndDebug": "[Muestre](command:{0}) todas las configuraciones de depuración automáticas.",
+ "customizeRunAndDebug": "Para personalizar Ejecutar y depurar [cree un archivo launch.json](command:{0}).",
+ "customizeRunAndDebugOpenFolder": "Para personalizar Ejecutar y depurar, [abra una carpeta](command:{0}) y cree un archivo launch.json."
+ },
+ "vs/workbench/contrib/debug/browser/debugQuickAccess": {
+ "noDebugResults": "No hay ninguna configuración de inicio coincidente.",
+ "customizeLaunchConfig": "Configurar las opciones de lanzamiento",
+ "contributed": "aportadas",
+ "providerAriaLabel": "Configuraciones de {0} aportadas",
+ "configure": "configurar",
+ "addConfigTo": "Agregar configuración ({0})...",
+ "addConfiguration": "Agregar configuración..."
+ },
+ "vs/workbench/contrib/debug/browser/debugIcons": {
+ "debugConsoleViewIcon": "Vea el icono de la vista de la consola de depuración.",
+ "runViewIcon": "Vea el icono de la vista de ejecución.",
+ "variablesViewIcon": "Vea el icono de la vista de variables.",
+ "watchViewIcon": "Vea el icono de la vista de inspección.",
+ "callStackViewIcon": "Vea el icono de la vista de pila de llamadas.",
+ "breakpointsViewIcon": "Vea el icono de la vista de puntos de interrupción.",
+ "loadedScriptsViewIcon": "Vea el icono de la vista de scripts cargados.",
+ "debugBreakpoint": "Ιcono de los puntos de interrupción.",
+ "debugBreakpointDisabled": "Icono de los puntos de interrupción deshabilitados.",
+ "debugBreakpointUnverified": "Icono de los puntos de interrupción no comprobados.",
+ "debugBreakpointHint": "Icono de sugerencias de los puntos de interrupción que se muestran al mantener el puntero en el margen del glifo del editor.",
+ "debugBreakpointFunction": "Icono de los puntos de interrupción de función.",
+ "debugBreakpointFunctionUnverified": "Icono de los puntos de interrupción de función no comprobados.",
+ "debugBreakpointFunctionDisabled": "Icono de los puntos de interrupción de función deshabilitados.",
+ "debugBreakpointUnsupported": "Icono de los puntos de interrupción no admitidos.",
+ "debugBreakpointConditionalUnverified": "Icono de los puntos de interrupción condicionales no comprobados.",
+ "debugBreakpointConditional": "Icono de los puntos de interrupción condicionales.",
+ "debugBreakpointConditionalDisabled": "Icono de los puntos de interrupción condicionales deshabilitados.",
+ "debugBreakpointDataUnverified": "Icono de los puntos de interrupción de datos no comprobados.",
+ "debugBreakpointData": "Icono de los puntos de interrupción de datos.",
+ "debugBreakpointDataDisabled": "Icono de los puntos de interrupción de datos deshabilitados.",
+ "debugBreakpointLogUnverified": "Icono de los puntos de interrupción de registro no comprobados.",
+ "debugBreakpointLog": "Icono de los puntos de interrupción de registro.",
+ "debugBreakpointLogDisabled": "Icono de un punto de interrupción de registro deshabilitado.",
+ "debugStackframe": "Icono de un marco de pila que se muestra en el margen del glifo del editor.",
+ "debugStackframeFocused": "Icono de un marco de pila prioritario que se muestra en el margen del glifo del editor.",
+ "debugGripper": "Icono de la barra de redimensionamiento de la barra de depuración.",
+ "debugRestartFrame": "Icono de la acción de reinicio del marco de la depuración.",
+ "debugStop": "Icono de la acción de detención de la depuración.",
+ "debugDisconnect": "Icono de la acción de desconexión de la depuración.",
+ "debugRestart": "Icono de la acción de reinicio de la depuración.",
+ "debugStepOver": "Icono de la acción de depurar paso a paso por procedimientos.",
+ "debugStepInto": "Icono de la acción de depurar paso a paso por instrucciones.",
+ "debugStepOut": "Icono de la acción de salir de la depuración paso a paso.",
+ "debugStepBack": "Icono de la acción de retroceso de la depuración.",
+ "debugPause": "Icono de la acción de pausa de la depuración.",
+ "debugContinue": "Icono de la acción de continuación de la depuración.",
+ "debugReverseContinue": "Icono de la acción de continuar la depuración hacia atrás.",
+ "debugStart": "Icono de la acción de inicio de la depuración.",
+ "debugConfigure": "Icono de la acción de configuración de la depuración.",
+ "debugConsole": "Icono de la acción de apertura de la consola de depuración.",
+ "debugCollapseAll": "Icono de la acción de contraer todo en las vistas de depuración.",
+ "callstackViewSession": "Icono de sesión en la vista de la pila de llamadas.",
+ "debugConsoleClearAll": "Icono de la acción de borrar todo en la consola de depuración.",
+ "watchExpressionsRemoveAll": "Icono de la acción de quitar todo en la vista de inspección.",
+ "watchExpressionsAdd": "Icono de la acción de agregar en la vista de inspección.",
+ "watchExpressionsAddFuncBreakpoint": "Icono de la acción de agregar un punto de interrupción de función en la vista de inspección.",
+ "breakpointsRemoveAll": "Icono de la acción de quitar todo en la vista de puntos de interrupción.",
+ "breakpointsActivate": "Icono de la acción de activación en la vista de puntos de interrupción.",
+ "debugConsoleEvaluationInput": "Icono del marcador de entrada de evaluación de la depuración.",
+ "debugConsoleEvaluationPrompt": "Icono de la solicitud de evaluación de la depuración."
+ },
+ "vs/workbench/contrib/debug/browser/exceptionWidget": {
+ "debugExceptionWidgetBorder": "Color de borde del widget de excepciones.",
+ "debugExceptionWidgetBackground": "Color de fondo del widget de excepciones.",
+ "exceptionThrownWithId": "Se produjo una excepción: {0}",
+ "exceptionThrown": "Se produjo una excepción.",
+ "close": "Cerrar"
+ },
+ "vs/workbench/contrib/debug/browser/debugHover": {
+ "quickTip": "Mantener presionada la tecla {0} para cambiar al movimiento del mouse del lenguaje del editor",
+ "treeAriaLabel": "Mantener puntero durante depuración",
+ "variableAriaLabel": "{0}, valor {1}, variables, depurar"
+ },
+ "vs/workbench/contrib/debug/browser/breakpointWidget": {
+ "breakpointWidgetLogMessagePlaceholder": "Mensaje para registrar cuando se alcanza el punto de interrupción. Las expresiones entre {} son interpoladas. 'Enter' para aceptar, 'esc' para cancelar. ",
+ "breakpointWidgetHitCountPlaceholder": "Interrumpir cuando se alcance el número de llamadas. Presione \"ENTRAR\" para aceptar o \"Esc\" para cancelar.",
+ "breakpointWidgetExpressionPlaceholder": "Interrumpir cuando la expresión se evalúa como true. Presione \"ENTRAR\" para aceptar o \"Esc\" para cancelar.",
+ "expression": "Expresión",
+ "hitCount": "Número de llamadas",
+ "logMessage": "Mensaje de registro",
+ "breakpointType": "Tipo de punto de interrupción"
+ },
+ "vs/workbench/contrib/debug/browser/debugActionViewItems": {
+ "debugLaunchConfigurations": "Configuraciones de inicio de depuración",
+ "noConfigurations": "No hay configuraciones",
+ "addConfigTo": "Agregar configuración ({0})...",
+ "addConfiguration": "Agregar configuración...",
+ "debugSession": "Sesión de depuración"
+ },
+ "vs/workbench/contrib/debug/browser/linkDetector": {
+ "fileLinkMac": "Cmd + clic para abrir el vínculo",
+ "fileLink": "Ctrl + clic para abrir el vínculo"
+ },
+ "vs/workbench/contrib/debug/browser/replViewer": {
+ "debugConsole": "Consola de depuración",
+ "replVariableAriaLabel": "Variable {0}, valor {1}",
+ "occurred": ", se produjo {0} veces",
+ "replRawObjectAriaLabel": "Depurar la variable de consola {0}, valor {1}",
+ "replGroup": "Depurar grupo de consolas {0}"
+ },
+ "vs/workbench/contrib/debug/common/replModel": {
+ "consoleCleared": "Se ha borrado la consola",
+ "snapshotObj": "Solo se muestran valores primitivos para este objeto."
+ },
+ "vs/workbench/contrib/debug/browser/replFilter": {
+ "showing filtered repl lines": "Se muestran {0} de {1}"
+ },
+ "vs/workbench/contrib/debug/node/debugAdapter": {
+ "debugAdapterBinNotFound": "El ejecutable del adaptador de depuración \"{0}\" no existe.",
+ "debugAdapterCannotDetermineExecutable": "No se puede determinar el ejecutable para el adaptador de depuración \"{0}\".",
+ "unableToLaunchDebugAdapter": "No se puede iniciar el adaptador de depuración desde '{0}'.",
+ "unableToLaunchDebugAdapterNoArgs": "No se puede iniciar el adaptador de depuración."
+ },
+ "vs/workbench/contrib/debug/common/debugModel": {
+ "invalidVariableAttributes": "Atributos de variable no válidos",
+ "startDebugFirst": "Inicie una sesión de depuración para evaluar las expresiones",
+ "notAvailable": "No disponible",
+ "pausedOn": "En pausa en {0}",
+ "paused": "En pausa",
+ "running": "En ejecución",
+ "breakpointDirtydHover": "Punto de interrupción no comprobado. El archivo se ha modificado, reinicie la sesión de depuración."
+ },
+ "vs/workbench/contrib/debug/browser/debugConfigurationManager": {
+ "selectConfiguration": "Seleccionar la configuración de inicio",
+ "editLaunchConfig": "Editar configuración de depuración en launch.json",
+ "DebugConfig.failed": "No se puede crear el archivo \"launch.json\" dentro de la carpeta \".vscode\" ({0}).",
+ "workspace": "área de trabajo",
+ "user settings": "Configuración de usuario"
+ },
+ "vs/workbench/contrib/debug/browser/debugSession": {
+ "noDebugAdapter": "No hay ningún depurador disponible; no se puede enviar \"{0}\".",
+ "sessionNotReadyForBreakpoints": "La sesión no está lista para los puntos de interrupción",
+ "debuggingStarted": "La depuración se ha iniciado.",
+ "debuggingStopped": "La depuración se ha detenido."
+ },
+ "vs/workbench/contrib/debug/browser/debugTaskRunner": {
+ "preLaunchTaskErrors": "Hay errores después de ejecutar preLaunchTask \"{0}\".",
+ "preLaunchTaskError": "Hay un error después de ejecutar preLaunchTask \"{0}\". ",
+ "preLaunchTaskExitCode": "La tarea preLaunchTask '{0}' finalizó con el código de salida {1}.",
+ "preLaunchTaskTerminated": "\"{0}\" de preLaunchTask terminado.",
+ "debugAnyway": "Depurar de todos modos",
+ "showErrors": "Mostrar errores",
+ "abort": "Anular",
+ "remember": "Recordar mi elección en la configuración del usuario",
+ "invalidTaskReference": "No se puede hacer referencia a la tarea \"{0}\" desde una configuración de inicio que está en una carpeta de área de trabajo diferente.",
+ "DebugTaskNotFoundWithTaskId": "No se encuentra la tarea \"{0}\".",
+ "DebugTaskNotFound": "No se encuentra la tarea especificada.",
+ "taskNotTrackedWithTaskId": "No se puede hacer un seguimiento de la tarea especificada.",
+ "taskNotTracked": "No se puede hacer un seguimiento de la tarea \"{0}\"."
+ },
+ "vs/workbench/contrib/debug/browser/debugAdapterManager": {
+ "debugNoType": "El 'tipo' de depurador no se puede omitir y debe ser de tipo 'cadena'. ",
+ "more": "Más...",
+ "selectDebug": "Seleccionar entorno"
+ },
+ "vs/workbench/contrib/debug/common/debugSource": {
+ "unknownSource": "Origen desconocido"
+ },
+ "vs/workbench/contrib/debug/common/debugSchemas": {
+ "vscode.extension.contributes.debuggers": "Aporta adaptadores de depuración.",
+ "vscode.extension.contributes.debuggers.type": "Identificador único de este adaptador de depuración.",
+ "vscode.extension.contributes.debuggers.label": "Nombre para mostrar del adaptador de depuración.",
+ "vscode.extension.contributes.debuggers.program": "Ruta de acceso al programa de adaptadores de depuración, que puede ser absoluta o relativa respecto a la carpeta de extensión.",
+ "vscode.extension.contributes.debuggers.args": "Argumentos opcionales que se pasarán al adaptador.",
+ "vscode.extension.contributes.debuggers.runtime": "Entorno de ejecución opcional en caso de que el atributo del programa no sea un ejecutable pero requiera un entorno de ejecución.",
+ "vscode.extension.contributes.debuggers.runtimeArgs": "Argumentos de entorno de ejecución opcionales.",
+ "vscode.extension.contributes.debuggers.variables": "Asignación de variables interactivas (p. ej., ${action.pickProcess}) en \"launch.json\" a un comando.",
+ "vscode.extension.contributes.debuggers.initialConfigurations": "Configuraciones para generar el archivo \"launch.json\" inicial.",
+ "vscode.extension.contributes.debuggers.languages": "Lista de lenguajes para los que la extensión de depuración podría considerarse el \"depurador predeterminado\".",
+ "vscode.extension.contributes.debuggers.configurationSnippets": "Fragmentos de código para agregar nuevas configuraciones a \"launch.json\".",
+ "vscode.extension.contributes.debuggers.configurationAttributes": "Configuraciones de esquema JSON para validar \"launch.json\".",
+ "vscode.extension.contributes.debuggers.windows": "Configuración específica de Windows.",
+ "vscode.extension.contributes.debuggers.windows.runtime": "Entorno de ejecución que se usa para Windows.",
+ "vscode.extension.contributes.debuggers.osx": "Configuración específica de macOS",
+ "vscode.extension.contributes.debuggers.osx.runtime": "Entorno de ejecución utilizado para macOS.",
+ "vscode.extension.contributes.debuggers.linux": "Configuración específica de Linux.",
+ "vscode.extension.contributes.debuggers.linux.runtime": "Entorno de ejecución que se usa para Linux.",
+ "vscode.extension.contributes.breakpoints": "Aporta puntos de interrupción.",
+ "vscode.extension.contributes.breakpoints.language": "Permite puntos de interrupción para este lenguaje.",
+ "presentation": "Opciones de presentación de cómo mostrar esta configuración en la lista desplegable de configuración de depuración y en la paleta de comandos.",
+ "presentation.hidden": "Controla si esta configuración debe mostrarse en el menú desplegable de configuración y en la paleta de comandos.",
+ "presentation.group": "Grupo al que pertenece esta configuración. Se utiliza para agrupar y ordenar en el menú desplegable de configuración y en la paleta de comandos.",
+ "presentation.order": "Orden de esta configuración dentro de un grupo. Se utiliza para agrupar y ordenar en el menú desplegable de configuración y en la paleta de comandos.",
+ "app.launch.json.title": "Lanzamiento",
+ "app.launch.json.version": "Versión de este formato de archivo.",
+ "app.launch.json.configurations": "Lista de configuraciones. Agregue configuraciones nuevas o edite las ya existentes con IntelliSense.",
+ "app.launch.json.compounds": "Lista de elementos compuestos. Cada elemento compuesto hace referencia a varias configuraciones, que se iniciarán conjuntamente.",
+ "app.launch.json.compound.name": "Nombre del elemento compuesto. Aparece en el menú desplegable de la configuración de inicio.",
+ "useUniqueNames": "Por favor utilice nombres de configuración exclusivos.",
+ "app.launch.json.compound.folder": "Nombre de la carpeta en la que se encuentra el compuesto.",
+ "app.launch.json.compounds.configurations": "Nombres de las configuraciones que se iniciarán como parte de este elemento compuesto.",
+ "app.launch.json.compound.stopAll": "Controla si la terminación manual de una sesión detendrá todas las sesiones compuestas.",
+ "compoundPrelaunchTask": "Tarea que se ejecuta antes de que se inicie cualquiera de las configuraciones compuestas."
+ },
+ "vs/workbench/contrib/debug/browser/rawDebugSession": {
+ "noDebugAdapterStart": "No hay adaptador de depuración, no se puede iniciar la sesión de depuración.",
+ "noDebugAdapter": "No se encontró ningún depurador disponible. No se puede enviar \"{0}\".",
+ "moreInfo": "Más información"
+ },
+ "vs/workbench/contrib/debug/common/debugger": {
+ "cannot.find.da": "No puede encontrar el adaptador de depuración de tipo \"{0}\".",
+ "launch.config.comment1": "Use IntelliSense para saber los atributos posibles.",
+ "launch.config.comment2": "Mantenga el puntero para ver las descripciones de los existentes atributos.",
+ "launch.config.comment3": "Para más información, visite: {0}",
+ "debugType": "Tipo de configuración.",
+ "debugTypeNotRecognised": "Este tipo de depuración no se reconoce. Compruebe que tiene instalada la correspondiente extensión de depuración y que está habilitada.",
+ "node2NotSupported": "\"node2\" ya no se admite; use \"node\" en su lugar y establezca el atributo \"protocol\" en \"inspector\".",
+ "debugName": "Nombre de la configuración; aparece en el menú desplegable de la configuración de inicio.",
+ "debugRequest": "Tipo de solicitud de la configuración. Puede ser \"launch\" o \"attach\".",
+ "debugServer": "Solo para el desarrollo de extensiones de depuración: si se especifica un puerto, VS Code intenta conectarse a un adaptador de depuración que se ejecuta en modo servidor",
+ "debugPrelaunchTask": "Tarea que se va a ejecutar antes de iniciarse la sesión de depuración.",
+ "debugPostDebugTask": "Tarea que se ejecutará después de terminar la sesión de depuración.",
+ "debugWindowsConfiguration": "Atributos de configuración de inicio específicos de Windows.",
+ "debugOSXConfiguration": "Atributos de configuración de inicio específicos de OS X.",
+ "debugLinuxConfiguration": "Atributos de configuración de inicio específicos de Linux."
+ },
+ "vs/workbench/contrib/dialogs/browser/dialogHandler": {
+ "yesButton": "&&Sí",
+ "cancelButton": "Cancelar",
+ "aboutDetail": "Versión: {0}\r\nConfirmación: {1}\r\nFecha: {2}\r\nExplorador: {3}",
+ "copy": "Copiar",
+ "ok": "Aceptar"
+ },
+ "vs/workbench/contrib/dialogs/electron-sandbox/dialogHandler": {
+ "yesButton": "&&Sí",
+ "cancelButton": "Cancelar",
+ "aboutDetail": "Versión: {0}\r\nConfirmación: {1}\r\nFecha: {2}\r\nElectron: {3}\r\nChrome: {4}\r\nNode.js: {5}\r\nV8: {6}\r\nSistema Operativo: {7}",
+ "okButton": "Aceptar",
+ "copy": "&&Copiar"
+ },
+ "vs/workbench/contrib/emmet/browser/actions/expandAbbreviation": {
+ "expandAbbreviationAction": "Emmet: Expandir abreviatura",
+ "miEmmetExpandAbbreviation": "Emmet: E&&xpandir abreviación"
+ },
+ "vs/workbench/contrib/experiments/browser/experiments.contribution": {
+ "workbench.enableExperiments": "Captura experimentos que se van a ejecutar desde un servicio en línea de Microsoft."
+ },
+ "vs/workbench/contrib/extensions/electron-browser/extensions.contribution": {
+ "runtimeExtension": "Extensiones en ejecución"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/runtimeExtensionsEditor": {
+ "extensionHostProfileStart": "Iniciar perfil del host de extensiones",
+ "stopExtensionHostProfileStart": "Detener perfil del host de extensiones",
+ "saveExtensionHostProfile": "Guardar perfil del host de extensiones"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/debugExtensionHostAction": {
+ "debugExtensionHost": "Iniciar depuración del host de extensiones",
+ "restart1": "Generar perfiles de extensiones",
+ "restart2": "Para generar un perfil para las extensiones, es necesario reiniciar. ¿Quiere reiniciar \"{0}\" ahora?",
+ "restart3": "&&Reiniciar",
+ "cancel": "&&Cancelar",
+ "debugExtensionHost.launch.name": "Conectar Host de Extensión"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/extensionProfileService": {
+ "profilingExtensionHost": "Creando perfil del host de extensiones",
+ "selectAndStartDebug": "Haga clic aquí para detener la generación de perfiles.",
+ "profilingExtensionHostTime": "Host de extensión de generación de perfiles ({0} seg)",
+ "status.profiler": "Extensión Profiler",
+ "restart1": "Generar perfiles de extensiones",
+ "restart2": "Para generar un perfil para las extensiones, es necesario reiniciar. ¿Quiere reiniciar \"{0}\" ahora?",
+ "restart3": "&&Reiniciar",
+ "cancel": "&&Cancelar"
+ },
+ "vs/workbench/contrib/extensions/common/runtimeExtensionsInput": {
+ "extensionsInputName": "Ejecutando extensiones"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/extensionsAutoProfiler": {
+ "unresponsive-exthost": "La extensión \"{0}\" tardó mucho tiempo en completar su última operación y ha impedido la ejecución de otras extensiones.",
+ "show": "Mostrar extensiones"
+ },
+ "vs/workbench/contrib/extensions/electron-sandbox/extensionsActions": {
+ "openExtensionsFolder": "Abrir carpeta de extensiones"
+ },
+ "vs/workbench/contrib/extensions/browser/extensions.contribution": {
+ "manageExtensionsQuickAccessPlaceholder": "Presione Entrar para administrar las extensiones.",
+ "manageExtensionsHelp": "Administrar extensiones",
+ "installVSIX": "Instalar la extensión VSIX",
+ "extension": "Extensión",
+ "extensions": "Extensiones",
+ "extensionsConfigurationTitle": "Extensiones",
+ "extensionsAutoUpdate": "Cuando se habilita, instala actualizaciones para las extensiones automáticamente. Las actualizaciones se obtienen de un servicio en línea de Microsoft. ",
+ "extensionsCheckUpdates": "Cuando se habilita, comprueba automáticamente las extensiones para las actualizaciones. Si una extensión tiene una actualización, se marca como obsoleta en la vista de extensiones. Las actualizaciones se obtienen de un servicio en línea de Microsoft.",
+ "extensionsIgnoreRecommendations": "Cuando esta opción está habilitada, las notificaciones para las recomendaciones de la extensión no se mostrarán.",
+ "extensionsShowRecommendationsOnlyOnDemand_Deprecated": "Esta configuración está en desuso. Use la configuración extensions.ignoreRecommendations para controlar las notificaciones de recomendación. Utilice las acciones de visibilidad de la vista Extensiones para ocultar la vista de recomendadas de forma predeterminada.",
+ "extensionsCloseExtensionDetailsOnViewChange": "Cuando esta opción está habilitada, los editores con detalles de la extensión se cerrarán automáticamente al salir de la vista de extensiones. ",
+ "handleUriConfirmedExtensions": "Cuando una extensión aparece aquí, no se mostrará un mensaje de confirmación cuando esa extensión gestione un URI.",
+ "extensionsWebWorker": "Habilite el host de extensiones de trabajo web.",
+ "workbench.extensions.installExtension.description": "Instalar la extensión dada",
+ "workbench.extensions.installExtension.arg.name": "Identificador de extensión o URI de recurso VSIX",
+ "notFound": "La extensión '{0}' no se encontró.",
+ "InstallVSIXAction.successReload": "Se ha completado la instalación de la extensión {0} de VSIX. Recargue Visual Studio Code para habilitarla.",
+ "InstallVSIXAction.success": "Se ha completado la instalación de la extensión {0} de VSIX.",
+ "InstallVSIXAction.reloadNow": "Recargar ahora",
+ "workbench.extensions.uninstallExtension.description": "Desinstale la extensión correspondiente",
+ "workbench.extensions.uninstallExtension.arg.name": "Identificador de la extensión para desinstalar",
+ "id required": "Se requiere el identificador de extensión.",
+ "notInstalled": "La extensión \"{0}\" no está instalada. Asegúrese de utilizar el identificador de extensión completo, incluido el publicador, p. ej.: ms-vscode.csharp.",
+ "builtin": "\"{0}\" es una extensión integrada y no se puede instalar.",
+ "workbench.extensions.search.description": "Buscar una extensión específica",
+ "workbench.extensions.search.arg.name": "Consulta para usar en la búsqueda",
+ "miOpenKeymapExtensions": "&&Asignaciones de teclado",
+ "miOpenKeymapExtensions2": "Asignaciones de teclado",
+ "miPreferencesExtensions": "&&Extensiones",
+ "miViewExtensions": "E&&xtensiones",
+ "showExtensions": "Extensiones",
+ "installExtensionQuickAccessPlaceholder": "Escriba el nombre de una extensión para instalarla o buscarla.",
+ "installExtensionQuickAccessHelp": "Instalar o buscar extensiones",
+ "workbench.extensions.action.copyExtension": "Copiar",
+ "extensionInfoName": "Nombre: {0}",
+ "extensionInfoId": "ID: {0}",
+ "extensionInfoDescription": "Descripción: {0}",
+ "extensionInfoVersion": "Versión: {0}",
+ "extensionInfoPublisher": "Editor: {0}",
+ "extensionInfoVSMarketplaceLink": "Vínculo de VS Marketplace: {0}",
+ "workbench.extensions.action.copyExtensionId": "Copiar identificador de extensión",
+ "workbench.extensions.action.configure": "Configuración de la extensión",
+ "workbench.extensions.action.toggleIgnoreExtension": "Sincronizar esta extensión",
+ "workbench.extensions.action.ignoreRecommendation": "Omitir recomendación",
+ "workbench.extensions.action.undoIgnoredRecommendation": "Deshacer la recomendación ignorada",
+ "workbench.extensions.action.addExtensionToWorkspaceRecommendations": "Añadir a las recomendaciones del área de trabajo",
+ "workbench.extensions.action.removeExtensionFromWorkspaceRecommendations": "Quitar de las recomendaciones del área de trabajo",
+ "workbench.extensions.action.addToWorkspaceRecommendations": "Agregar extensión a las recomendaciones del área de trabajo",
+ "workbench.extensions.action.addToWorkspaceFolderRecommendations": "Agregar extensión a la carpeta del área de trabajo de recomendaciones",
+ "workbench.extensions.action.addToWorkspaceIgnoredRecommendations": "Agregar extensión a las recomendaciones omitidas del área de trabajo",
+ "workbench.extensions.action.addToWorkspaceFolderIgnoredRecommendations": "Agregar extensión a la carpeta del área de trabajo de recomendaciones omitidas"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsViewlet": {
+ "installed": "Instalado",
+ "popularExtensions": "Popular",
+ "recommendedExtensions": "Recomendado",
+ "enabledExtensions": "Habilitado",
+ "disabledExtensions": "Deshabilitado",
+ "marketPlace": "Marketplace",
+ "enabled": "Habilitado",
+ "disabled": "Deshabilitado",
+ "outdated": "Obsoleto",
+ "builtin": "Integrado",
+ "workspaceRecommendedExtensions": "Recomendaciones de área de trabajo",
+ "otherRecommendedExtensions": "Otras recomendaciones",
+ "builtinFeatureExtensions": "Características",
+ "builtInThemesExtensions": "Temas",
+ "builtinProgrammingLanguageExtensions": "Lenguajes de programación",
+ "sort by installs": "Número de instalaciones",
+ "sort by rating": "Clasificación",
+ "sort by name": "Nombre",
+ "sort by date": "Fecha de publicación",
+ "searchExtensions": "Buscar extensiones en Marketplace",
+ "builtin filter": "Integrada",
+ "installed filter": "Instalada",
+ "enabled filter": "Habilitada",
+ "disabled filter": "Deshabilitada",
+ "outdated filter": "Obsoleta",
+ "featured filter": "Destacadas",
+ "most popular filter": "Más populares",
+ "most popular recommended": "Recomendada",
+ "recently published filter": "Publicadas recientemente",
+ "filter by category": "Categoría",
+ "sorty by": "Ordenar por",
+ "filterExtensions": "Filtrar las extensiones...",
+ "extensionFoundInSection": "Se encontró 1 extensión en la sección {0}.",
+ "extensionFound": "Se encontró 1 extensión.",
+ "extensionsFoundInSection": "Se encontraron {0} extensiones en la sección {1}.",
+ "extensionsFound": "{0} extensiones encontradas.",
+ "suggestProxyError": "Marketplace devolvió \"ECONNREFUSED\". Compruebe la configuración de \"http.proxy\".",
+ "open user settings": "Abrir la configuración de usuario",
+ "outdatedExtensions": "{0} extensiones obsoletas",
+ "malicious warning": "Hemos desinstalado ' {0} ' porque se informó que era problemático.",
+ "reloadNow": "Recargar ahora"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/extensionsSlowActions": {
+ "cmd.reportOrShow": "Problema de rendimiento",
+ "cmd.report": "Notificar problema",
+ "attach.title": "¿Ha adjuntado el perfil CPU-Profile?",
+ "ok": "Aceptar",
+ "attach.msg": "Este es un recordatorio para asegurarse de que no ha olvidado adjuntar \"{0}\" a la cuestión que acaba de crear.",
+ "cmd.show": "Mostrar Problemas",
+ "attach.msg2": "Este es un recordatorio para asegurarse de que no ha olvidado adjuntar '{0}' a un problema de rendimiento existente."
+ },
+ "vs/workbench/contrib/extensions/electron-browser/reportExtensionIssueAction": {
+ "reportExtensionIssue": "Notificar problema"
+ },
+ "vs/workbench/contrib/extensions/browser/abstractRuntimeExtensionsEditor": {
+ "starActivation": "Activación por {0} al iniciar",
+ "workspaceContainsGlobActivation": "Activado por {1} porque hay un archivo coincidente con {1} en el área de trabajo",
+ "workspaceContainsFileActivation": "Activado por {1} porque el archivo {0} existe en su área de trabajo",
+ "workspaceContainsTimeout": "Activado por {1} porque la búsqueda de {0} requirió demasiado tiempo",
+ "startupFinishedActivation": "Activado por {0} después de que se haya completado el inicio",
+ "languageActivation": "Activado por {1} porque ha abierto un archivo de {0}",
+ "workspaceGenericActivation": "Activado por {1} en {0}",
+ "unresponsive.title": "La extensión ha causado que el host de extensiones se bloquee.",
+ "errors": "{0} errores no detectados",
+ "runtimeExtensions": "Extensiones en tiempo de ejecución",
+ "disable workspace": "Deshabilitar (área de trabajo)",
+ "disable": "Deshabilitar",
+ "showRuntimeExtensions": "Mostrar extensiones en ejecución"
+ },
+ "vs/workbench/contrib/extensions/common/extensionsInput": {
+ "extensionsInputName": "Extensión: {0}"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsActions": {
+ "noOfYearsAgo": "hace {0} años",
+ "one year ago": "hace 1 año",
+ "noOfMonthsAgo": "hace {0} meses",
+ "one month ago": "hace 1 mes",
+ "noOfDaysAgo": "hace {0} días",
+ "one day ago": "hace 1 día",
+ "noOfHoursAgo": "hace {0} horas",
+ "one hour ago": "hace 1 hora",
+ "just now": "Recién",
+ "update operation": "Error al actualizar la extensión \"{0}\".",
+ "install operation": "Error al instalar la extensión \"{0}\".",
+ "download": "Pruebe a descargar de forma manual...",
+ "install vsix": "Una vez descargado el VSIX de \"{0}\", instálelo manualmente.",
+ "check logs": "Consulte el [registro] ({0}) para obtener más detalles.",
+ "installExtensionStart": "La instalación de la extensión {0} ha iniciado. Ahora hay un editor abierto con más detalles sobre esta extensión",
+ "installExtensionComplete": "La instalación de la extensión {0} ha finalizado.",
+ "install": "Instalar",
+ "install and do no sync": "Instalar (no sincronizar)",
+ "install in remote and do not sync": "Instalar en {0} (no sincronizar)",
+ "install in remote": "Instalar en {0}",
+ "install locally and do not sync": "Instalar localmente (no sincronizar)",
+ "install locally": "Instalar localmente",
+ "install everywhere tooltip": "Instalar esta extensión en todas las instancias de {0} sincronizadas",
+ "installing": "Instalando",
+ "install browser": "Instalar en el explorador",
+ "uninstallAction": "Desinstalar",
+ "Uninstalling": "Desinstalando",
+ "uninstallExtensionStart": "Inició la desinstalación de la extensión {0}.",
+ "uninstallExtensionComplete": "Vuelva a cargar Visual Studio Code para completar la desinstalación de la extensión {0}.",
+ "updateExtensionStart": "Inició la actualización de la extensión {0} a la versión {1}.",
+ "updateExtensionComplete": "La actualización de la extensión {0} a la versión {1} ha finalizado.",
+ "updateTo": "Actualizar a {0}",
+ "updateAction": "Actualizar",
+ "manage": "Administrar",
+ "ManageExtensionAction.uninstallingTooltip": "Desinstalando",
+ "install another version": "Instalar otra versión...",
+ "selectVersion": "Seleccione la versión que desea instalar",
+ "current": "Actual",
+ "enableForWorkspaceAction": "Habilitar (área de trabajo)",
+ "enableForWorkspaceActionToolTip": "Habilitar esta extensión solo en esta área de trabajo",
+ "enableGloballyAction": "Habilitar",
+ "enableGloballyActionToolTip": "Habilitar esta extensión",
+ "disableForWorkspaceAction": "Deshabilitar (área de trabajo)",
+ "disableForWorkspaceActionToolTip": "Deshabilitar esta extensión solo en esta área de trabajo",
+ "disableGloballyAction": "Deshabilitar",
+ "disableGloballyActionToolTip": "Deshabilitar esta extensión",
+ "enableAction": "Habilitar",
+ "disableAction": "Deshabilitar",
+ "checkForUpdates": "Buscar actualizaciones de la extensión",
+ "noUpdatesAvailable": "Todas las extensiones están actualizadas.",
+ "singleUpdateAvailable": "Está disponible una actualización de la extensión.",
+ "updatesAvailable": "Hay {0} actualizaciones de extensiones disponibles.",
+ "singleDisabledUpdateAvailable": "Está disponible una actualización de una extensión que está deshabilitada.",
+ "updatesAvailableOneDisabled": "Hay {0} actualizaciones de extensiones disponibles. Una de ellas es para una extensión deshabilitada.",
+ "updatesAvailableAllDisabled": "Hay {0} actualizaciones de extensiones disponibles. Todas son para extensiones deshabilitadas.",
+ "updatesAvailableIncludingDisabled": "Hay {0} actualizaciones de extensiones disponibles. {1} de ellas son para extensiones deshabilitadas.",
+ "enableAutoUpdate": "Habilitar extensiones de actualización automática",
+ "disableAutoUpdate": "Deshabilitar extensiones de actualización automática",
+ "updateAll": "Actualizar todas las extensiones",
+ "reloadAction": "Volver a cargar",
+ "reloadRequired": "Recarga necesaria",
+ "postUninstallTooltip": "Vuelva a cargar Visual Studio Code para completar la desinstalación de esta extensión.",
+ "postUpdateTooltip": "Recargue Visual Studio Code para habilitar la extensión actualizada.",
+ "enable locally": "Vuelva a cargar Visual Studio Code para habilitar esta extensión localmente.",
+ "enable remote": "Vuelva a cargar Visual Studio Code para habilitar esta extensión en {0}.",
+ "postEnableTooltip": "Vuelva a cargar Visual Studio Code para habilitar esta extensión.",
+ "postDisableTooltip": "Vuelva a cargar Visual Studio Code para completar la desinstalación de esta extensión.",
+ "installExtensionCompletedAndReloadRequired": "La instalación de la extensión {0} ha finalizado. Vuelva a cargar Visual Studio Code para habilitarla.",
+ "color theme": "Configurar tema de color",
+ "select color theme": "Seleccionar tema de color",
+ "file icon theme": "Establecer tema para iconos de archivo",
+ "select file icon theme": "Seleccionar tema de icono de archivo",
+ "product icon theme": "Establecer tema del icono del producto",
+ "select product icon theme": "Seleccione Tema del icono del producto",
+ "toggleExtensionsViewlet": "Mostrar extensiones",
+ "installExtensions": "Instalar extensiones",
+ "showEnabledExtensions": "Mostrar extensiones habilitadas",
+ "showInstalledExtensions": "Mostrar extensiones instaladas",
+ "showDisabledExtensions": "Mostrar extensiones deshabilitadas",
+ "clearExtensionsSearchResults": "Borrar resultados de la búsqueda de extensiones",
+ "refreshExtension": "Actualizar",
+ "showBuiltInExtensions": "Mostrar extensiones incorporadas",
+ "showOutdatedExtensions": "Mostrar extensiones obsoletas",
+ "showPopularExtensions": "Mostrar extensiones conocidas",
+ "recentlyPublishedExtensions": "Extensiones publicadas recientemente",
+ "showRecommendedExtensions": "Mostrar extensiones recomendadas",
+ "showRecommendedExtension": "Mostrar la extensión recomendada",
+ "installRecommendedExtension": "Instalar extensión recomendada",
+ "ignoreExtensionRecommendation": "No volver a recomendar esta extensión",
+ "undo": "Deshacer",
+ "showRecommendedKeymapExtensionsShort": "Asignaciones de teclado",
+ "showLanguageExtensionsShort": "Extensiones del lenguaje",
+ "search recommendations": "Buscar extensiones",
+ "OpenExtensionsFile.failed": "No se puede crear el archivo \"extensions.json\" dentro de la carpeta \".vscode\" ({0}).",
+ "configureWorkspaceRecommendedExtensions": "Configurar extensiones recomendadas (área de trabajo)",
+ "configureWorkspaceFolderRecommendedExtensions": "Configurar extensiones recomendadas (Carpeta del área de trabajo)",
+ "updated": "Actualizado",
+ "installed": "Instalado",
+ "uninstalled": "DESINSTALAR",
+ "enabled": "Habilitado",
+ "disabled": "Deshabilitado",
+ "malicious tooltip": "Se informó de que esta extensión era problemática.",
+ "malicious": "Malintencionada",
+ "ignored": "Esta extensión se ignora durante la sincronización",
+ "synced": "Esta extensión está sincronizada",
+ "sync": "Sincronizar esta extensión",
+ "do not sync": "No sincronizar esta extensión",
+ "extension enabled on remote": "La extensión está habilitada en \"{0}\"",
+ "globally enabled": "Esta extensión está habilitada globalmente.",
+ "workspace enabled": "El usuario ha habilitado la extensión para esta área de trabajo.",
+ "globally disabled": "El usuario ha deshabilitado esta extensión de forma global.",
+ "workspace disabled": "El usuario ha deshabilitado la extensión para esta área de trabajo.",
+ "Install language pack also in remote server": "Instale la extensión del paquete de idioma en \"{0}\" para habilitarla también aquí.",
+ "Install language pack also locally": "Instale la extensión del paquete de idioma de forma local para habilitarla también aquí.",
+ "Install in other server to enable": "Instale la extensión en \"{0}\" para habilitarla.",
+ "disabled because of extension kind": "Esta extensión ha definido que no se puede ejecutar en el servidor remoto",
+ "disabled locally": "La extensión se ha habilitado en \"{0}\" y se ha deshabilitado localmente.",
+ "disabled remotely": "La extensión se ha habilitado localmente y se ha deshabilitado en \"{0}\".",
+ "disableAll": "Deshabilitar todas las extensiones instaladas",
+ "disableAllWorkspace": "Deshabilitar todas las extensiones instaladas para esta área de trabajo",
+ "enableAll": "Habilitar todas las extensiones",
+ "enableAllWorkspace": "Habilitar todas las extensiones para esta área de trabajo",
+ "installVSIX": "Instalar desde VSIX...",
+ "installFromVSIX": "Instalar desde VSIX",
+ "installButton": "&&Instalar",
+ "reinstall": "Reinstalar extensión...",
+ "selectExtensionToReinstall": "Seleccione una extensión para reinstalarla",
+ "ReinstallAction.successReload": "Vuelva a cargar Visual Studio Code para completar la reinstalación de la extensión {0}.",
+ "ReinstallAction.success": "La reinstalación de la extensión {0} se ha completado.",
+ "InstallVSIXAction.reloadNow": "Recargar ahora",
+ "install previous version": "Instalar la versión específica de la extensión...",
+ "selectExtension": "Seleccione la extensión",
+ "InstallAnotherVersionExtensionAction.successReload": "Vuelva a cargar Visual Studio Code para completar la instalación de la extensión {0}.",
+ "InstallAnotherVersionExtensionAction.success": "La instalación de la extensión {0} está completa.",
+ "InstallAnotherVersionExtensionAction.reloadNow": "Recargar ahora",
+ "select extensions to install": "Seleccionar las extensiones para instalar",
+ "no local extensions": "No hay ninguna extensión para instalar.",
+ "installing extensions": "Instalando extensiones...",
+ "finished installing": "Las extensiones se han instalado correctamente.",
+ "select and install local extensions": "Instalar las extensiones locales en \"{0}\"...",
+ "install local extensions title": "Instalar las extensiones locales en \"{0}\"",
+ "select and install remote extensions": "Instalar extensiones remotas de forma local...",
+ "install remote extensions": "Instalar extensiones remotas de forma local",
+ "extensionButtonProminentBackground": "Color de fondo del botón para la extensión de acciones que se destacan (por ejemplo, el botón de instalación).",
+ "extensionButtonProminentForeground": "Color de primer plano del botón para la extensión de acciones que se destacan (por ejemplo, botón de instalación).",
+ "extensionButtonProminentHoverBackground": "Color de fondo del botón al mantener el mouse para la extensión de acciones que se destacan (por ejemplo, el botón de instalación)."
+ },
+ "vs/workbench/contrib/extensions/common/extensionsFileTemplate": {
+ "app.extensions.json.title": "Extensiones",
+ "app.extensions.json.recommendations": "Lista de extensiones que debe recomendarse a los usuarios de esta área de trabajo. El identificador de una extensión es siempre \"${anunciante}.${nombre}\". Por ejemplo: \"vscode.csharp\".",
+ "app.extension.identifier.errorMessage": "Se esperaba el formato '${publisher}.${name}'. Ejemplo: 'vscode.csharp'.",
+ "app.extensions.json.unwantedRecommendations": "Lista de extensiones recomendadas por VS Code que no deben recomendarse a los usuarios de esta área de trabajo. El identificador de una extensión es siempre \"${anunciante}.${nombre}\". Por ejemplo: \"vscode.csharp\"."
+ },
+ "vs/workbench/contrib/extensions/browser/extensionEditor": {
+ "name": "Nombre de la extensión",
+ "extension id": "Identificador de la extensión",
+ "preview": "Vista Previa",
+ "builtin": "Integrada",
+ "publisher": "Nombre del editor",
+ "install count": "Número de instalaciones",
+ "rating": "Clasificación",
+ "repository": "Repositorio",
+ "license": "Licencia",
+ "version": "Versión",
+ "details": "Detalles",
+ "detailstooltip": "Detalles de la extensión, mostrados en el archivo 'README.md' de la extensión",
+ "contributions": "Contribuciones de características",
+ "contributionstooltip": "Enumera las contribuciones de esta extensión a VS Code",
+ "changelog": "Registro de cambios",
+ "changelogtooltip": "Historial de actualización de extensiones renderizado desde el archivo 'changelog.MD' ",
+ "dependencies": "Dependencias",
+ "dependenciestooltip": "Enumera las extensiones de las que depende esta extensión",
+ "recommendationHasBeenIgnored": "Ha elegido no recibir recomendaciones para esta extensión.",
+ "noReadme": "No hay ningún archivo LÉAME disponible.",
+ "extension pack": "Paquete de extensión ({0})",
+ "noChangelog": "No hay ningún objeto CHANGELOG disponible.",
+ "noContributions": "No hay contribuciones.",
+ "noDependencies": "No hay dependencias.",
+ "settings": "Configuración ({0})",
+ "setting name": "Nombre",
+ "description": "Descripción",
+ "default": "Predeterminado",
+ "debuggers": "Depuradores ({0})",
+ "debugger name": "Nombre",
+ "debugger type": "Tipo",
+ "viewContainers": "Ver contenedores ({0})",
+ "view container id": "ID.",
+ "view container title": "Título",
+ "view container location": "Donde",
+ "views": "Vistas ({0})",
+ "view id": "ID.",
+ "view name": "Nombre",
+ "view location": "Donde",
+ "localizations": "Localizaciones ({0}) ",
+ "localizations language id": "ID. de idioma",
+ "localizations language name": "Nombre de idioma",
+ "localizations localized language name": "Nombre de idioma (localizado)",
+ "customEditors": "Editores personalizados ({0})",
+ "customEditors view type": "Tipo de vista",
+ "customEditors priority": "Prioridad",
+ "customEditors filenamePattern": "Patrón de nombre de archivo",
+ "codeActions": "Acciones de código ({0})",
+ "codeActions.title": "Título",
+ "codeActions.kind": "Tipo",
+ "codeActions.description": "Descripción",
+ "codeActions.languages": "Idiomas",
+ "authentication": "Autenticación ({0})",
+ "authentication.label": "Etiqueta",
+ "authentication.id": "Identificador",
+ "colorThemes": "Temas de color ({0})",
+ "iconThemes": "Temas de icono ({0})",
+ "colors": "Colores ({0})",
+ "colorId": "ID.",
+ "defaultDark": "Oscuro por defecto",
+ "defaultLight": "Claro por defecto",
+ "defaultHC": "Contraste alto por defecto",
+ "JSON Validation": "Validación JSON ({0})",
+ "fileMatch": "Coincidencia de archivo",
+ "schema": "Esquema",
+ "commands": "Comandos ({0})",
+ "command name": "Nombre",
+ "keyboard shortcuts": "Métodos abreviados de teclado",
+ "menuContexts": "Contextos de menú",
+ "languages": "Lenguajes ({0})",
+ "language id": "ID.",
+ "language name": "Nombre",
+ "file extensions": "Extensiones de archivo",
+ "grammar": "Gramática",
+ "snippets": "Fragmentos de código",
+ "activation events": "Eventos de activación ({0})",
+ "find": "Buscar",
+ "find next": "Buscar siguiente",
+ "find previous": "Buscar anterior"
+ },
+ "vs/workbench/contrib/extensions/common/extensionsUtils": {
+ "disableOtherKeymapsConfirmation": "¿Quiere deshabilitar otras asignaciones de teclas ({0}) para evitar conflictos entre enlaces de teclado?",
+ "yes": "Sí",
+ "no": "No"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsActivationProgress": {
+ "activation": "Activando extensiones..."
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsDependencyChecker": {
+ "extensions": "Extensiones",
+ "auto install missing deps": "Instalar las dependencias que faltan",
+ "finished installing missing deps": "Ha finalizado la instalación de las dependencias que faltan. Recargue la ventana.",
+ "reload": "Recargar ventana",
+ "no missing deps": "No falta ninguna dependencia para instalar."
+ },
+ "vs/workbench/contrib/extensions/browser/remoteExtensionsInstaller": {
+ "remote": "Remoto",
+ "install remote in local": "Instalar extensiones remotas de forma local..."
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsWorkbenchService": {
+ "Manifest is not found": "No se encuentra el manifiesto.",
+ "malicious": "Se informa de que esta extensión es problemática.",
+ "uninstallingExtension": "Desinstalando la extensión....",
+ "incompatible": "No se puede instalar la extensión '{0}' debido a que no es compatible con el código de VS '{1}'.",
+ "installing named extension": "Instalando extensión '{0}'...",
+ "installing extension": "Instalando extensión...",
+ "disable all": "Deshabilitar todo",
+ "singleDependentError": "No se puede deshabilitar solo la extensión \"{0}\". La extensión \"{1}\" depende de ella. ¿Quiere deshabilitar todas estas extensiones?",
+ "twoDependentsError": "No se puede deshabilitar solo la extensión \"{0}\". Las extensiones \"{1}\" y \"{2}\" dependen de ella. ¿Quiere deshabilitar todas estas extensiones?",
+ "multipleDependentsError": "No se puede deshabilitar solo la extensión \"{0}\". Las extensiones \"{1}\" y \"{2}\", entre otras, dependen de ella. ¿Quiere deshabilitar todas estas extensiones?"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsQuickAccess": {
+ "type": "Escriba el nombre de una extensión para instalarla o buscarla.",
+ "searchFor": "Pulse Intro para buscar la extensión '{0}'.",
+ "install": "Presione Entrar para instalar la extensión \"{0}\".",
+ "manage": "Presione Entrar para administrar las extensiones."
+ },
+ "vs/workbench/contrib/extensions/browser/extensionRecommendationNotificationService": {
+ "neverShowAgain": "No volver a mostrar",
+ "ignoreExtensionRecommendations": "¿Quiere ignorar todas las recomendaciones de extensión?",
+ "ignoreAll": "Sí, ignorar todo",
+ "no": "No",
+ "workspaceRecommended": "¿Quiere instalar las extensiones recomendadas para este repositorio?",
+ "install": "Instalar",
+ "install and do no sync": "Instalar (no sincronizar)",
+ "show recommendations": "Mostrar recomendaciones"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsIcons": {
+ "extensionsViewIcon": "Vea el icono de la vista de extensiones.",
+ "manageExtensionIcon": "Icono de la acción \"Administrar\" en la vista de extensiones.",
+ "clearSearchResultsIcon": "Icono de la acción \"Borrar resultados de la búsqueda\" en la vista de extensiones.",
+ "refreshIcon": "Icono de la acción \"Actualizar\" en la vista de extensiones.",
+ "filterIcon": "Icono de la acción \"Filtrar\" en la vista de extensiones.",
+ "installLocalInRemoteIcon": "Icono de la acción para \"Instalar la extensión local en ubicación remota\" en la vista de extensiones.",
+ "installWorkspaceRecommendedIcon": "Icono de la acción para \"Instalar extensiones recomendadas del área de trabajo\" en la vista de extensiones.",
+ "configureRecommendedIcon": "Icono de la acción \"Configurar extensiones recomendadas\" en la vista de extensiones.",
+ "syncEnabledIcon": "Icono para indicar que una extensión está sincronizada.",
+ "syncIgnoredIcon": "Icono para indicar que una extensión se omite al sincronizar.",
+ "remoteIcon": "Icono que indica que una extensión es remota en el editor y la vista de extensiones.",
+ "installCountIcon": "Icono que se muestra junto con el número de instalaciones en el editor y la vista de extensiones.",
+ "ratingIcon": "Icono que se muestra junto con la clasificación en el editor y la vista de extensiones.",
+ "starFullIcon": "Icono de estrella llena que se usa para la clasificación en el editor de extensiones.",
+ "starHalfIcon": "Icono de media estrella que se usa para la clasificación en el editor de extensiones.",
+ "starEmptyIcon": "Icono de estrella vacía que se usa para la clasificación en el editor de extensiones.",
+ "warningIcon": "Icono que se muestra con un mensaje de advertencia en el editor de extensiones.",
+ "infoIcon": "Icono que se muestra con un mensaje de información en el editor de extensiones."
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsViews": {
+ "extension-arialabel": "{0}, {1}, {2}, presione Entrar para obtener detalles de la extensión.",
+ "extensions": "Extensiones",
+ "galleryError": "No podemos conectar con la tienda de extensiones en este momento; inténtelo más tarde.",
+ "error": "Error al cargar las extensiones. {0}",
+ "no extensions found": "No se encontraron extensiones.",
+ "suggestProxyError": "Marketplace devolvió \"ECONNREFUSED\". Compruebe la configuración de \"http.proxy\".",
+ "open user settings": "Abrir la configuración de usuario",
+ "installWorkspaceRecommendedExtensions": "Instalar las extensiones recomendadas del área de trabajo"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsWidgets": {
+ "ratedBySingleUser": "Calificado por 1 usuario",
+ "ratedByUsers": "Calificado por {0} usuarios",
+ "noRating": "Sin calificación",
+ "remote extension title": "Extensión en {0}",
+ "syncingore.label": "Esta extensión se omite durante la sincronización."
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsViewer": {
+ "error": "Error",
+ "Unknown Extension": "Extensión desconocida:",
+ "extension-arialabel": "{0}, {1}, {2}, presione Entrar para obtener detalles de la extensión.",
+ "extensions": "Extensiones"
+ },
+ "vs/workbench/contrib/extensions/browser/dynamicWorkspaceRecommendations": {
+ "dynamicWorkspaceRecommendation": "Esta extensión puede interesarle porque es popular entre los usuarios del repositorio de {0}."
+ },
+ "vs/workbench/contrib/extensions/browser/exeBasedRecommendations": {
+ "exeBasedRecommendation": "Se recomienda esta extensión porque tiene instalado {0}."
+ },
+ "vs/workbench/contrib/extensions/browser/workspaceRecommendations": {
+ "workspaceRecommendation": "Los usuarios del área de trabajo actual recomiendan esta extensión."
+ },
+ "vs/workbench/contrib/extensions/browser/fileBasedRecommendations": {
+ "searchMarketplace": "Buscar en Marketplace",
+ "fileBasedRecommendation": "Esta extensión se recomienda en función de los archivos abiertos recientemente.",
+ "reallyRecommended": "¿Quiere instalar las extensiones recomendadas para {0}?",
+ "showLanguageExtensions": "Marketplace tiene extensiones que pueden ayudar con los archivos \".{0}\".",
+ "dontShowAgainExtension": "No volver a mostrar para los archivos \".{0}\""
+ },
+ "vs/workbench/contrib/extensions/browser/configBasedRecommendations": {
+ "exeBasedRecommendation": "Se recomienda esta extensión debido a la configuración actual del área de trabajo"
+ },
+ "vs/workbench/contrib/externalTerminal/node/externalTerminal.contribution": {
+ "globalConsoleAction": "Abrir nuevo terminal externo",
+ "terminalConfigurationTitle": "Terminal externo",
+ "terminal.explorerKind.integrated": "Use el terminal integrado de VS Code.",
+ "terminal.explorerKind.external": "Use el terminal externo configurado.",
+ "explorer.openInTerminalKind": "Personaliza el tipo de terminal para iniciar.",
+ "terminal.external.windowsExec": "Personaliza qué terminal debe ejecutarse en Windows.",
+ "terminal.external.osxExec": "Personaliza qué aplicación terminal se ejecutará en macOS.",
+ "terminal.external.linuxExec": "Personaliza qué terminal debe ejecutarse en Linux."
+ },
+ "vs/workbench/contrib/externalTerminal/node/externalTerminalService": {
+ "console.title": "Consola de VS Code",
+ "mac.terminal.script.failed": "No se pudo ejecutar el script '{0}'. Código de salida: {1}.",
+ "mac.terminal.type.not.supported": "No se admite '{0}'",
+ "press.any.key": "Presione cualquier tecla para continuar...",
+ "linux.term.failed": "Error de '{0}' con el código de salida {1}",
+ "ext.term.app.not.found": "no se puede encontrar la aplicación de terminal \"{0}\""
+ },
+ "vs/workbench/contrib/externalTerminal/browser/externalTerminal.contribution": {
+ "scopedConsoleAction": "Abrir en terminal",
+ "scopedConsoleAction.integrated": "Abrir en terminal integrado",
+ "scopedConsoleAction.wt": "Abrir en terminal de Windows",
+ "scopedConsoleAction.external": "Abrir en terminal externo"
+ },
+ "vs/workbench/contrib/feedback/browser/feedbackStatusbarItem": {
+ "status.feedback": "Enviar tweet con comentarios"
+ },
+ "vs/workbench/contrib/feedback/browser/feedback": {
+ "sendFeedback": "Enviar tweet con comentarios",
+ "label.sendASmile": "Envíanos un tweet con tus comentarios.",
+ "close": "Cerrar",
+ "patchedVersion1": "La instalación está dañada.",
+ "patchedVersion2": "Especifique este dato si envía un error.",
+ "sentiment": "¿Cómo fue su experiencia?",
+ "smileCaption": "Comentario de satisfacción",
+ "frownCaption": "Comentario de insatisfacción",
+ "other ways to contact us": "Otras formas de ponerse en contacto con nosotros",
+ "submit a bug": "Enviar un error",
+ "request a missing feature": "Solicitar una característica que falta",
+ "tell us why": "Indícanos por qué",
+ "feedbackTextInput": "Díganos su opinión",
+ "showFeedback": "Mostrar icono de comentarios en la barra de estado",
+ "tweet": "Tweet",
+ "tweetFeedback": "Enviar tweet con comentarios",
+ "character left": "carácter restante",
+ "characters left": "caracteres restantes"
+ },
+ "vs/workbench/contrib/files/electron-sandbox/files.contribution": {
+ "textFileEditor": "Editor de archivos de texto"
+ },
+ "vs/workbench/contrib/files/electron-sandbox/fileActions.contribution": {
+ "revealInWindows": "Mostrar en el Explorador de archivos",
+ "revealInMac": "Mostrar en Finder",
+ "openContainer": "Abrir carpeta contenedora",
+ "filesCategory": "Archivo"
+ },
+ "vs/workbench/contrib/files/browser/explorerViewlet": {
+ "explorerViewIcon": "Vea el icono de la vista del explorador.",
+ "folders": "Carpetas",
+ "explore": "Explorador",
+ "noWorkspaceHelp": "Todavía no ha agregado una carpeta al área de trabajo.\r\n[Agregar carpeta](command:{0})",
+ "remoteNoFolderHelp": "Conectado al remoto.\r\n[Abrir carpeta](command:{0})",
+ "noFolderHelp": "Todavía no ha abierto una carpeta.\r\n[Abrir carpeta](command:{0})"
+ },
+ "vs/workbench/contrib/files/browser/files.contribution": {
+ "showExplorerViewlet": "Mostrar explorador",
+ "binaryFileEditor": "Editor de archivos binarios",
+ "hotExit.off": "Desactive la salida rápida. Se mostrará un mensaje al intentar cerrar una ventana con archivos con modificaciones.",
+ "hotExit.onExit": "La salida rápida se activará cuando se cierre la última ventana en Windows/Linux o cuando se active el comando \"workbench.action.quit\" (paleta de comandos, enlace de teclas, menú). Todas las ventanas sin carpetas abiertas se restaurarán en el próximo inicio. Se puede acceder a una lista de áreas de trabajo con archivos no guardados a través de \"Archivo > Abrir reciente > Más...\".",
+ "hotExit.onExitAndWindowClose": "La salida rápida se activará cuando se cierre la última ventana en Windows/Linux o cuando se active el comando \"workbench.action.quit\" (paleta de comandos, enlace de teclas, menú), y también para las ventanas con una carpeta abierta con independencia de si es la última ventana. Todas las ventanas sin carpetas abiertas se restaurarán en el próximo inicio. Se puede acceder a una lista de áreas de trabajo con archivos no guardados a través de \"Archivo > Abrir reciente > Más...\".",
+ "hotExit": "Controla si los archivos no guardados se recuerdan entre las sesiones, lo que permite omitir el mensaje para guardar al salir del editor.",
+ "hotExit.onExitAndWindowCloseBrowser": "Se desencadenará una salida rápida cuando se cierre el explorador, la ventana o la pestaña.",
+ "filesConfigurationTitle": "Archivos",
+ "exclude": "Configure patrones globales para excluir archivos y carpetas. Por ejemplo, el explorador de archivos decide qué archivos y carpetas se mostrarán u ocultarán en función de este valor. Consulte el valor \"#search.exclude\" para definir los elementos excluidos específicos de la búsqueda. Lea más acerca de los patrones globales [aquí](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options).",
+ "files.exclude.boolean": "El patrón global con el que se harán coincidir las rutas de acceso de los archivos. Establézcalo en true o false para habilitarlo o deshabilitarlo.",
+ "files.exclude.when": "Comprobación adicional de los elementos del mismo nivel de un archivo coincidente. Use $(nombreBase) como variable para el nombre de archivo que coincide.",
+ "associations": "Configure asociaciones de archivo para los lenguajes (por ejemplo, \"*.extension\": \"html\"). Estas tienen prioridad sobre las asociaciones predeterminadas de los lenguajes instalados.",
+ "encoding": "La codificación predeterminada del juego de caracteres que debe utilizarse al leer y escribir archivos. Este valor puede configurarse también por idioma.",
+ "autoGuessEncoding": "Cuando esta opción está habilitada, el editor intentará adivinar la codificación del juego de caracteres al abrir archivos. Este valor puede configurarse también por idioma. ",
+ "eol.LF": "LF",
+ "eol.CRLF": "CRLF",
+ "eol.auto": "Utiliza el carácter de final de línea específico del sistema operativo.",
+ "eol": "Carácter predeterminado de final de línea.",
+ "useTrash": "Mueve archivos y carpetas a la papelera del sistema operativo (papelera de reciclaje en Windows) al eliminar. Si desactiva esta opción, los archivos y carpetas se eliminarán permanentemente.",
+ "trimTrailingWhitespace": "Si se habilita, se recortará el espacio final cuando se guarde un archivo.",
+ "insertFinalNewline": "Si se habilita, inserte una nueva línea final al final del archivo cuando lo guarde.",
+ "trimFinalNewlines": "Cuando se habilita, recorta todas las nuevas líneas después de la última nueva línea al final del archivo al guardarlo",
+ "files.autoSave.off": "Un editor con modificaciones nunca se guarda automáticamente.",
+ "files.autoSave.afterDelay": "Un editor con modificaciones se guarda automáticamente después de la configuración de \"#files.autoSaveDelay\".",
+ "files.autoSave.onFocusChange": "Se guarda automáticamente un editor con modificaciones cuando el editor pierde el foco.",
+ "files.autoSave.onWindowChange": "Un editor con modificaciones se guarda automáticamente cuando la ventana pierde el foco.",
+ "autoSave": "Controla el guardado automático de los editores con modificaciones. Obtenga más información sobre el guardado automático [aquí](https://code.visualstudio.com/docs/editor/codebasics#_save-auto-save).",
+ "autoSaveDelay": "Controla el retraso en ms después del cual un editor con modificaciones se guarda automáticamente. Solo se aplica cuando \"#files.autoSave\" está establecido en \"{0}\".",
+ "watcherExclude": "Configure patrones globales de las rutas de acceso de archivo que se van a excluir de la inspección de archivos. Los patrones deben coincidir con rutas de acceso absolutas (por ejemplo, prefijo ** o la ruta de acceso completa para que la coincidencia sea correcta). Al cambiar esta configuración, es necesario reiniciar. Si observa que Code consume mucho tiempo de CPU al iniciarse, puede excluir las carpetas grandes para reducir la carga inicial. ",
+ "defaultLanguage": "El modo de idioma predeterminado que se asigna a los archivos nuevos. Si se configura en \"${activeEditorLanguage}\", se utilizará el modo de idioma del editor de texto activo actualmente, si existe.",
+ "maxMemoryForLargeFilesMB": "Controla la memoria disponible para VS Code después de reiniciar cuando se intentan abrir archivos grandes. Tiene el mismo efecto que si se especifica \"--max-memory=NEWSIZE\" en la línea de comandos.",
+ "files.restoreUndoStack": "Restaure la pila de deshacer cuando se vuelva a abrir un archivo.",
+ "askUser": "Se negará a guardar y pedirá que se resuelva el conflicto de guardado manualmente.",
+ "overwriteFileOnDisk": "Resolverá el conflicto de guardado sobrescribiendo el archivo en el disco con los cambios en el editor.",
+ "files.saveConflictResolution": "Puede producirse un conflicto al guardar si un archivo se guarda en un disco que se cambió mientras por otro programa. Para evitar la pérdida de datos, se pide al usuario que compare los cambios en el editor con la versión en el disco. Esta configuración solo se debe cambiar si se producen errores de conflicto de guardado con frecuencia, y puede provocar la pérdida de datos si se utiliza sin precaución.",
+ "files.simpleDialog.enable": "Habilita el cuadro de diálogo de archivo simple. El cuadro de diálogo de archivo simple reemplaza al cuadro de diálogo de archivo del sistema cuando está habilitado.",
+ "formatOnSave": "Formatear archivo al guardar: debe haber un formateador disponible, el archivo no se debe guardar después de un retardo y no se debe cerrar el editor.",
+ "everything": "Formatea todo el archivo.",
+ "modification": "Formatea las modificaciones (requiere control de código fuente).",
+ "formatOnSaveMode": "Controla si la opción de formato al guardar formatea todo el archivo o solo las modificaciones. Solo se aplica cuando \"#editor.formatOnSave#\" es \"true\".",
+ "explorerConfigurationTitle": "Explorador de archivos",
+ "openEditorsVisible": "Número de editores que se muestran en el panel Editores abiertos. Si se establece en 0, se oculta dicho panel.",
+ "openEditorsSortOrder": "Controla el criterio de ordenación de los editores en el panel Editores abiertos.",
+ "sortOrder.editorOrder": "Los editores se disponen en el mismo orden en el que se muestran las pestañas del editor.",
+ "sortOrder.alphabetical": "Los editores se disponen en orden alfabético dentro de cada grupo de editores.",
+ "autoReveal.on": "Los archivos se mostrarán y seleccionarán.",
+ "autoReveal.off": "Los archivos no se mostrarán ni seleccionarán.",
+ "autoReveal.focusNoScroll": "Los archivos no se desplazarán a la vista, pero mantendrán el foco.",
+ "autoReveal": "Controla si el explorador debe mostrar y seleccionar automáticamente los archivos al abrirlos.",
+ "enableDragAndDrop": "Controla si el explorador debe permitir mover archivos y carpetas mediante la acción de arrastrar y colocar. Esta configuración solo afecta a la funcionalidad de arrastrar y colocar desde dentro del explorador.",
+ "confirmDragAndDrop": "Controla si el explorador debe pedir confirmación para mover archivos y carpetas mediante la acción de arrastrar y colocar.",
+ "confirmDelete": "Controla si el explorador debe pedir confirmación al borrar un archivo a través de la papelera.",
+ "sortOrder.default": "Los archivos y las carpetas se ordenan por nombre alfabéticamente. Las carpetas se muestran antes que los archivos.",
+ "sortOrder.mixed": "Los archivos y las carpetas se ordenan por nombre alfabéticamente. Los archivos se entrelazan con las carpetas.",
+ "sortOrder.filesFirst": "Los archivos y las carpetas se ordenan por nombre alfabéticamente. Los archivos se muestran antes que las carpetas.",
+ "sortOrder.type": "Los archivos y las carpetas se ordenan por extensión. Las carpetas se muestran antes que los archivos.",
+ "sortOrder.modified": "Los archivos y las carpetas se ordenan por fecha de última modificación. Las carpetas se muestran antes que los archivos.",
+ "sortOrder": "Controla el criterio de ordenación de los archivos y carpetas en el explorador.",
+ "explorer.decorations.colors": "Controla si las decoraciones de archivo deben usar colores. ",
+ "explorer.decorations.badges": "Controla si las decoraciones de archivo deben usar distintivos.",
+ "simple": "Añadir la palabra \"copia\" al final del nombre potencialmente duplicado seguida de un número",
+ "smart": "Agrega un número al final del nombre duplicado. Si algún número ya forma parte del nombre, intenta aumentar ese número",
+ "explorer.incrementalNaming": "Controla qué estrategia de nomenclatura se usa cuando se da un nuevo nombre a un elemento de explorador duplicado al pegar.",
+ "compressSingleChildFolders": "Controla si el explorador debe representar carpetas de forma compacta. En este tipo de formulario, las carpetas secundarias individuales se comprimirán en un elemento de árbol combinado. Es útil para estructuras de paquetes Java, por ejemplo.",
+ "miViewExplorer": "&&Explorador"
+ },
+ "vs/workbench/contrib/files/browser/fileActions.contribution": {
+ "filesCategory": "Archivo",
+ "workspaces": "Áreas de trabajo",
+ "file": "archivo",
+ "copyPath": "Copiar ruta de acceso",
+ "copyRelativePath": "Copiar ruta de acceso relativa",
+ "revealInSideBar": "Mostrar en barra lateral",
+ "acceptLocalChanges": "Utilice los cambios y sobrescriba el contenido del archivo",
+ "revertLocalChanges": "Descarta los cambios y revierte al contenido del archivo",
+ "copyPathOfActive": "Copiar ruta del archivo activo",
+ "copyRelativePathOfActive": "Copiar la ruta de acceso relativa del archivo activo",
+ "saveAllInGroup": "Guardar todo en el grupo",
+ "saveFiles": "Guardar todos los archivos",
+ "revert": "Revertir archivo",
+ "compareActiveWithSaved": "Comparar el archivo activo con el guardado",
+ "openToSide": "Abrir en el lateral",
+ "saveAll": "Guardar todo",
+ "compareWithSaved": "Comparar con el guardado",
+ "compareWithSelected": "Comparar con seleccionados",
+ "compareSource": "Seleccionar para comparar",
+ "compareSelected": "Comparar seleccionados",
+ "close": "Cerrar",
+ "closeOthers": "Cerrar otros",
+ "closeSaved": "Cerrar guardados",
+ "closeAll": "Cerrar todo",
+ "explorerOpenWith": "Abrir con...",
+ "cut": "Cortar",
+ "deleteFile": "Eliminar permanentemente",
+ "newFile": "Nuevo archivo",
+ "openFile": "Abrir archivo...",
+ "miNewFile": "&&Nuevo archivo",
+ "miSave": "&&Guardar",
+ "miSaveAs": "Guardar &&como...",
+ "miSaveAll": "Guardar t&&odo",
+ "miOpen": "&&Abrir...",
+ "miOpenFile": "&&Abrir archivo...",
+ "miOpenFolder": "Abrir &&carpeta...",
+ "miOpenWorkspace": "Abrir el E&&spacio de trabajo...",
+ "miAutoSave": "A&&utoguardado",
+ "miRevert": "Revertir a&&rchivo",
+ "miCloseEditor": "&&Cerrar editor",
+ "miGotoFile": "Ir a &&archivo..."
+ },
+ "vs/workbench/contrib/files/electron-sandbox/fileCommands": {
+ "openFileToReveal": "Abrir un archivo antes para mostrarlo"
+ },
+ "vs/workbench/contrib/files/common/editors/fileEditorInput": {
+ "orphanedReadonlyFile": "{0} (eliminado, de solo lectura)",
+ "orphanedFile": "{0} (eliminado)",
+ "readonlyFile": "{0} (solo lectura)"
+ },
+ "vs/workbench/contrib/files/electron-sandbox/textFileEditor": {
+ "fileTooLargeForHeapError": "Para abrir un archivo de este tamaño, tiene que reiniciar y permitirle utilizar más memoria",
+ "relaunchWithIncreasedMemoryLimit": "Reiniciar con {0} MB",
+ "configureMemoryLimit": "Configurar límite de memoria"
+ },
+ "vs/workbench/contrib/files/browser/views/emptyView": {
+ "noWorkspace": "No hay ninguna carpeta abierta"
+ },
+ "vs/workbench/contrib/files/browser/views/explorerView": {
+ "explorerSection": "Sección del explorador: {0}"
+ },
+ "vs/workbench/contrib/files/browser/views/openEditorsView": {
+ "openEditors": "Editores abiertos",
+ "dirtyCounter": "{0} sin guardar"
+ },
+ "vs/workbench/contrib/files/browser/editors/textFileSaveErrorHandler": {
+ "userGuide": "Utilice las acciones de la barra de herramientas del editor para deshacer los cambios o sobrescribir el contenido del archivo con los cambios.",
+ "staleSaveError": "No se pudo guardar \"{0}\": el contenido del archivo es más reciente. Compárelo con su versión o sobrescríbalo con sus cambios.",
+ "retry": "Reintentar",
+ "discard": "Descartar",
+ "readonlySaveErrorAdmin": "No se pudo guardar \"{0}\": el archivo es de solo lectura. Seleccione la opción de sobrescribir como administrador para reintentarlo como administrador.",
+ "readonlySaveErrorSudo": "No se pudo guardar '{0}': El archivo es de sólo lectura. Seleccione 'Sobrescribir como Sudo' para reintentar como superusuario.",
+ "readonlySaveError": "No se pudo guardar \"{0}\": el archivo es de solo lectura. Seleccione \"Sobrescribir\" para tratar de hacerlo editable.",
+ "permissionDeniedSaveError": "No se pudo guardar '{0}': Permisos insuficientes. Seleccione 'Reintentar como Admin' para volverlo a intentar como administrador.",
+ "permissionDeniedSaveErrorSudo": "Error al guardar '{0}': Permisos insuficientes. Seleccione 'Reintentar como Sudo' para reintentarlo como superusuario.",
+ "genericSaveError": "No se pudo guardar \"{0}\": {1}",
+ "learnMore": "Más información",
+ "dontShowAgain": "No mostrar de nuevo",
+ "compareChanges": "Comparar",
+ "saveConflictDiffLabel": "{0} (en archivo) ↔ {1} (en {2}): resuelva el conflicto de guardado",
+ "overwriteElevated": "Sobrescribir como Admin...",
+ "overwriteElevatedSudo": "Sobrescribir como Sudo...",
+ "saveElevated": "Reintentar como Admin...",
+ "saveElevatedSudo": "Reintentar como Sudo...",
+ "overwrite": "Sobrescribir",
+ "configure": "Configurar"
+ },
+ "vs/workbench/contrib/files/browser/editors/binaryFileEditor": {
+ "binaryFileEditor": "Visor de archivos binarios"
+ },
+ "vs/workbench/contrib/files/common/workspaceWatcher": {
+ "netVersionError": "Requiere Microsoft .NET Framework 4.5. Siga el vínculo para instalarlo.",
+ "installNet": "Descargar .NET Framework 4.5",
+ "enospcError": "No se pueden ver cambios de archivo en esta área de trabajo grande. Siga el vínculo de instrucciones para resolver este problema.",
+ "learnMore": "Instrucciones"
+ },
+ "vs/workbench/contrib/files/common/dirtyFilesIndicator": {
+ "dirtyFile": "1 archivo no guardado",
+ "dirtyFiles": "{0} archivos no guardados"
+ },
+ "vs/workbench/contrib/files/browser/fileActions": {
+ "newFile": "Nuevo archivo",
+ "newFolder": "Nueva carpeta",
+ "rename": "Cambiar nombre",
+ "delete": "Eliminar",
+ "copyFile": "Copiar",
+ "pasteFile": "Pegar",
+ "download": "Descargar...",
+ "createNewFile": "Nuevo archivo",
+ "createNewFolder": "Nueva carpeta",
+ "deleteButtonLabelRecycleBin": "&&Mover a la papelera de reciclaje",
+ "deleteButtonLabelTrash": "&&Mover a la papelera",
+ "deleteButtonLabel": "&&Eliminar",
+ "dirtyMessageFilesDelete": "Va a eliminar archivos con cambios sin guardar. ¿Desea continuar?",
+ "dirtyMessageFolderOneDelete": "Está eliminando una carpeta {0} con cambios no guardados en 1 archivo. ¿Quiere continuar?",
+ "dirtyMessageFolderDelete": "Está eliminando una carpeta {0} con cambios sin guardar en {1} archivos. ¿Quiere continuar?",
+ "dirtyMessageFileDelete": "Está eliminando {0} con cambios no guardados. ¿Desea continuar?",
+ "dirtyWarning": "Los cambios se perderán si no los guarda.",
+ "undoBinFiles": "Puede restaurar estos archivos desde la Papelera de reciclaje.",
+ "undoBin": "Puede restaurar este archivo desde la Papelera de reciclaje.",
+ "undoTrashFiles": "Puede restaurar estos archivos desde la Papelera.",
+ "undoTrash": "Puede restaurar este archivo desde la Papelera.",
+ "doNotAskAgain": "No volver a hacerme esta pregunta",
+ "irreversible": "Esta acción es irreversible.",
+ "deleteBulkEdit": "Eliminar {0} archivos",
+ "deleteFileBulkEdit": "Eliminar {0}",
+ "deletingBulkEdit": "Eliminando {0} archivos",
+ "deletingFileBulkEdit": "Eliminando {0}",
+ "binFailed": "Error al eliminar usando la papelera de reciclaje. ¿Desea eliminar de forma permanente en su lugar?",
+ "trashFailed": "No se pudo eliminar usando la papelera. ¿Desea eliminar de forma permanente?",
+ "deletePermanentlyButtonLabel": "&&Borrar permanentemente",
+ "retryButtonLabel": "&&Reintentar",
+ "confirmMoveTrashMessageFilesAndDirectories": "¿Está seguro de que desea eliminar los {0} archivos o directorios siguientes y su contenido?",
+ "confirmMoveTrashMessageMultipleDirectories": "¿Está seguro de que desea eliminar los {0} directorios siguientes y su contenido? ",
+ "confirmMoveTrashMessageMultiple": "¿Está seguro de que desea eliminar los siguientes archivos {0}?",
+ "confirmMoveTrashMessageFolder": "¿Está seguro de que desea eliminar '{0}' y su contenido?",
+ "confirmMoveTrashMessageFile": "¿Está seguro de que desea eliminar '{0}'?",
+ "confirmDeleteMessageFilesAndDirectories": "¿Está seguro de que desea eliminar los {0} archivos o directorios siguientes y su contenido de forma permanente?",
+ "confirmDeleteMessageMultipleDirectories": "¿Está seguro de que desea eliminar los {0} directorios siguientes y su contenido de forma permanente? ",
+ "confirmDeleteMessageMultiple": "¿Está seguro de que desea eliminar de forma permanente los siguientes archivos {0}?",
+ "confirmDeleteMessageFolder": "¿Está seguro de que desea eliminar '{0}' y su contenido de forma permanente?",
+ "confirmDeleteMessageFile": "¿Está seguro de que desea eliminar '{0}' de forma permanente?",
+ "globalCompareFile": "Comparar archivo activo con...",
+ "fileToCompareNoFile": "Seleccione un archivo con el que comparar.",
+ "openFileToCompare": "Abrir un archivo antes para compararlo con otro archivo.",
+ "toggleAutoSave": "Alternar autoguardado",
+ "saveAllInGroup": "Guardar todo en el grupo",
+ "closeGroup": "Cerrar Grupo",
+ "focusFilesExplorer": "Enfocar Explorador de archivos",
+ "showInExplorer": "Mostrar el archivo activo en la barra lateral",
+ "openFileToShow": "Abra primero un archivo para mostrarlo en el explorador.",
+ "collapseExplorerFolders": "Contraer carpetas en el Explorador",
+ "refreshExplorer": "Actualizar Explorador",
+ "openFileInNewWindow": "Abrir archivo activo en nueva ventana",
+ "openFileToShowInNewWindow.unsupportedschema": "El editor activo debe contener un recurso que se puede abrir.",
+ "openFileToShowInNewWindow.nofile": "Abrir un archivo antes para abrirlo en una nueva ventana",
+ "emptyFileNameError": "Debe especificarse un nombre de archivo o carpeta.",
+ "fileNameStartsWithSlashError": "El nombre de archivo o carpeta no puede comenzar con el carácter barra. ",
+ "fileNameExistsError": "Ya existe el archivo o carpeta **{0}** en esta ubicación. Elija un nombre diferente.",
+ "invalidFileNameError": "El nombre **{0}** no es válido para el archivo o la carpeta. Elija un nombre diferente.",
+ "fileNameWhitespaceWarning": "Espacios en blanco iniciales o finales detectados en el nombre del archivo o carpeta.",
+ "compareWithClipboard": "Comparar archivo activo con portapapeles",
+ "clipboardComparisonLabel": "Clipboard ↔ {0}",
+ "retry": "Reintentar",
+ "createBulkEdit": "Crear {0}",
+ "creatingBulkEdit": "Creando {0}",
+ "renameBulkEdit": "Cambiar nombre de {0} a {1}",
+ "renamingBulkEdit": "Cambiar el nombre de {0} a {1}",
+ "downloadingFiles": "Descargando",
+ "downloadProgressSmallMany": "{0} de {1} archivos ({2}/s)",
+ "downloadProgressLarge": "{0} ({1} de {2}, {3}/s)",
+ "downloadButton": "Descargar",
+ "downloadFolder": "Carpeta de descargas",
+ "downloadFile": "Descargar archivo",
+ "downloadBulkEdit": "Descargar {0}",
+ "downloadingBulkEdit": "Descargando {0}",
+ "fileIsAncestor": "El archivo que se va a pegar es un antecesor de la carpeta de destino",
+ "movingBulkEdit": "Moviendo {0} archivos",
+ "movingFileBulkEdit": "Moviendo {0}",
+ "moveBulkEdit": "Mover {0} archivos",
+ "moveFileBulkEdit": "Mover {0}",
+ "copyingBulkEdit": "Copiando {0} archivos",
+ "copyingFileBulkEdit": "Copiando {0}",
+ "copyBulkEdit": "Copiar {0} archivos",
+ "copyFileBulkEdit": "Copiar {0}",
+ "fileDeleted": "Los archivos que se van a pegar se han eliminado o movido desde que los copiara. {0}"
+ },
+ "vs/workbench/contrib/files/browser/fileCommands": {
+ "saveAs": "Guardar como...",
+ "save": "Guardar",
+ "saveWithoutFormatting": "Guardar sin formato",
+ "saveAll": "Guardar todo",
+ "removeFolderFromWorkspace": "Quitar carpeta del área de trabajo",
+ "newUntitledFile": "Nuevo archivo sin título",
+ "modifiedLabel": "{0} (en archivo) ↔ {1}",
+ "openFileToCopy": "Abrir un archivo antes para copiar su ruta de acceso",
+ "genericSaveError": "No se pudo guardar \"{0}\": {1}",
+ "genericRevertError": "No se pudo revertir ' {0} ': {1}"
+ },
+ "vs/workbench/contrib/files/browser/editors/textFileEditor": {
+ "textFileEditor": "Editor de archivos de texto",
+ "openFolderError": "El archivo es un directorio",
+ "createFile": "Crear archivo"
+ },
+ "vs/workbench/contrib/files/browser/views/explorerDecorationsProvider": {
+ "canNotResolve": "No se puede resolver la carpeta del área de trabajo",
+ "symbolicLlink": "Vínculo simbólico",
+ "unknown": "Tipo de archivo desconocido",
+ "label": "Explorador"
+ },
+ "vs/workbench/contrib/files/browser/views/explorerViewer": {
+ "treeAriaLabel": "Explorador de archivos",
+ "fileInputAriaLabel": "Escriba el nombre de archivo. Presione ENTRAR para confirmar o Esc para cancelar",
+ "confirmOverwrite": "Ya existe un archivo o carpeta con el nombre \"{0}\" en la carpeta de destino. ¿Quiere reemplazarlo?",
+ "irreversible": "Esta acción es irreversible.",
+ "replaceButtonLabel": "&&Reemplazar",
+ "confirmManyOverwrites": "Los siguientes archivos o carpetas de {0} ya existen en la carpeta de destino. ¿Desea reemplazarlos?",
+ "uploadingFiles": "Cargando",
+ "overwrite": "Sobrescribir {0}",
+ "overwriting": "Sobrescribiendo {0}",
+ "uploadProgressSmallMany": "{0} de {1} archivos ({2}/s)",
+ "uploadProgressLarge": "{0} ({1} de {2}, {3}/s)",
+ "copyFolders": "&&Copiar carpetas",
+ "copyFolder": "&&Copiar carpeta",
+ "cancel": "Cancelar",
+ "copyfolders": "¿Seguro que quiere copiar las carpetas?",
+ "copyfolder": "¿Seguro que quiere copiar \"{0}\"?",
+ "addFolders": "&&Agregar carpetas al espacio de trabajo",
+ "addFolder": "&&Agregar carpeta al área de trabajo",
+ "dropFolders": "¿Desea copiar las carpetas o agregarlas al área de trabajo?",
+ "dropFolder": "¿Desea copiar \"{0}\" o agregar \"{0}\" como carpeta al área de trabajo?",
+ "copyFile": "Copiar {0}",
+ "copynFile": "Copiar {0} recursos",
+ "copyingFile": "Copiando {0}",
+ "copyingnFile": "Copiando {0} recursos",
+ "confirmRootsMove": "¿Está seguro de que quiere cambiar el orden de varias carpetas raíz en el área de trabajo?",
+ "confirmMultiMove": "¿Seguro que quiere mover los siguientes {0} archivos a \"{1}\"?",
+ "confirmRootMove": "¿Está seguro de que quiere cambiar el orden de la carpeta raíz \"{0}\" en el área de trabajo?",
+ "confirmMove": "¿Seguro que quiere mover \"{0}\" a \"{1}\"?",
+ "doNotAskAgain": "No volver a hacerme esta pregunta",
+ "moveButtonLabel": "&&Mover",
+ "copy": "Copiar {0}",
+ "copying": "Copiando {0}",
+ "move": "Mover {0}",
+ "moving": "Moviendo {0}"
+ },
+ "vs/workbench/contrib/format/browser/formatActionsMultiple": {
+ "nullFormatterDescription": "NONE",
+ "miss": "La extensión \"{0}\" no puede aplicar formato a \"{1}\"",
+ "config.needed": "Hay varios formateadores para archivos \"{0}\". Seleccione un formateador predeterminado para continuar.",
+ "config.bad": "La extensión \"{0}\" está configurada como formateador pero no está disponible. Seleccione un formateador predeterminado diferente para continuar.",
+ "do.config": "Configurar…",
+ "select": "Seleccione un formateador predeterminado para los archivos \"{0}\"",
+ "formatter.default": "Define un formateador predeterminado que tiene preferencia sobre todas las demás opciones de formateador. Debe ser el identificador de una extensión que contribuya a un formateador.",
+ "def": "(Predeterminada)",
+ "config": "Configurar el formateador predeterminado…",
+ "format.placeHolder": "Seleccionar un formateador",
+ "formatDocument.label.multiple": "Dar formato al documento con...",
+ "formatSelection.label.multiple": "Aplicar formato a selección con..."
+ },
+ "vs/workbench/contrib/format/browser/formatActionsNone": {
+ "formatDocument.label.multiple": "Dar formato al documento",
+ "too.large": "No se puede formatear este archivo porque es demasiado grande.",
+ "no.provider": "No hay formateador para los archivos \"{0}\" instalados.",
+ "install.formatter": "Instale el formateador..."
+ },
+ "vs/workbench/contrib/format/browser/formatModified": {
+ "formatChanges": "Formatear las líneas modificadas"
+ },
+ "vs/workbench/contrib/issue/electron-sandbox/issue.contribution": {
+ "reportIssueInEnglish": "Notificar problema..."
+ },
+ "vs/workbench/contrib/issue/electron-sandbox/issueActions": {
+ "openProcessExplorer": "Abrir Explorador de Procesos",
+ "reportPerformanceIssue": "Notificar problema de rendimiento"
+ },
+ "vs/workbench/contrib/keybindings/browser/keybindings.contribution": {
+ "toggleKeybindingsLog": "Alternar la solución de problemas de los métodos abreviados de teclado"
+ },
+ "vs/workbench/contrib/localizations/browser/localizations.contribution": {
+ "updateLocale": "¿Desea cambiar el idioma de la interfaz de usuario de VS Code a {0} y reiniciar la aplicación?",
+ "activateLanguagePack": "Para utilizar VS Code en {0}, VS Code necesita reiniciarse.",
+ "yes": "Sí",
+ "restart now": "Reiniciar ahora",
+ "neverAgain": "No mostrar de nuevo",
+ "vscode.extension.contributes.localizations": "Contribuye a la localización del editor",
+ "vscode.extension.contributes.localizations.languageId": "Identificador del idioma en el que se traducen las cadenas de visualización.",
+ "vscode.extension.contributes.localizations.languageName": "Nombre del idioma en Inglés.",
+ "vscode.extension.contributes.localizations.languageNameLocalized": "Nombre de la lengua en el idioma contribuido.",
+ "vscode.extension.contributes.localizations.translations": "Lista de traducciones asociadas al idioma.",
+ "vscode.extension.contributes.localizations.translations.id": "ID de VS Code o extensión a la que se ha contribuido esta traducción. ID de código vs es siempre ' vscode ' y de extensión debe ser en formato ' publisherID. extensionName '.",
+ "vscode.extension.contributes.localizations.translations.id.pattern": "ID debe ser ' vscode ' o en formato ' publisherId.extensionName ' para traducer VS Code o una extensión respectivamente.",
+ "vscode.extension.contributes.localizations.translations.path": "Una ruta de acceso relativa a un archivo que contiene traducciones para el idioma."
+ },
+ "vs/workbench/contrib/localizations/browser/localizationsActions": {
+ "configureLocale": "Configurar idioma de pantalla",
+ "installAdditionalLanguages": "Instalar idiomas adicionales...",
+ "chooseDisplayLanguage": "Seleccionar idioma para mostrar",
+ "relaunchDisplayLanguageMessage": "Para que el cambio del idioma para mostrar surta efecto, es necesario reiniciar.",
+ "relaunchDisplayLanguageDetail": "Presione el botón de reinicio {0} y cambie el idioma para mostrar.",
+ "restart": "&&Reiniciar"
+ },
+ "vs/workbench/contrib/localizations/browser/minimalTranslations": {
+ "showLanguagePackExtensions": "Busca paquetes de idioma en Marketplace para cambiar el idioma a {0}.",
+ "searchMarketplace": "Buscar en Marketplace ",
+ "installAndRestartMessage": "Instala el paquete de idioma para cambiar el idioma a {0}.",
+ "installAndRestart": "Instalar y Reiniciar"
+ },
+ "vs/workbench/contrib/logs/common/logs.contribution": {
+ "userDataSyncLog": "Sincronización de configuración",
+ "rendererLog": "Ventana",
+ "telemetryLog": "Telemetría",
+ "show window log": "Mostrar registro de ventana",
+ "mainLog": "Principal",
+ "sharedLog": "Compartido"
+ },
+ "vs/workbench/contrib/logs/electron-sandbox/logsActions": {
+ "openLogsFolder": "Abrir carpeta de registros",
+ "openExtensionLogsFolder": "Abrir carpeta de registros de extensión"
+ },
+ "vs/workbench/contrib/logs/common/logsActions": {
+ "setLogLevel": "Establecer nivel de registro...",
+ "trace": "Seguimiento",
+ "debug": "Depurar",
+ "info": "Información",
+ "warn": "Advertencia",
+ "err": "Error",
+ "critical": "Crítico",
+ "off": "OFF",
+ "selectLogLevel": "Seleccionar nivel de log",
+ "default and current": "Predeterminado y actual",
+ "default": "Predeterminado",
+ "current": "Actual",
+ "openSessionLogFile": "Abra el archivo de registro de ventana (Sesión)...",
+ "sessions placeholder": "Seleccione sesión",
+ "log placeholder": "Seleccionar el archivo de registro"
+ },
+ "vs/workbench/contrib/markers/browser/markers.contribution": {
+ "markersViewIcon": "Vea el icono de la vista de marcadores.",
+ "copyMarker": "Copiar",
+ "copyMessage": "Copiar mensaje",
+ "focusProblemsList": "Centrarse en la vista de problemas",
+ "focusProblemsFilter": "Centrarse en el filtro de problemas",
+ "show multiline": "Mostrar mensaje en varias líneas",
+ "problems": "Problemas",
+ "show singleline": "Mostrar mensaje en línea",
+ "clearFiltersText": "Borrar el texto de los filtros",
+ "miMarker": "&&Problemas",
+ "status.problems": "Problemas",
+ "totalErrors": "{0} errores",
+ "totalWarnings": "{0} advertencias",
+ "totalInfos": "{0} informaciones",
+ "noProblems": "No hay problemas",
+ "manyProblems": "+10Mil"
+ },
+ "vs/workbench/contrib/markers/browser/markersView": {
+ "collapseAll": "Contraer todo",
+ "filter": "Filtrar",
+ "No problems filtered": "Mostrando {0} problemas",
+ "problems filtered": "Mostrando {0} de {1} problemas",
+ "clearFilter": "Borrar filtros"
+ },
+ "vs/workbench/contrib/markers/browser/markersViewActions": {
+ "filterIcon": "Icono de la configuración de filtro en la vista de marcadores.",
+ "showing filtered problems": "Se muestran {0} de {1}"
+ },
+ "vs/workbench/contrib/markers/browser/messages": {
+ "problems.view.toggle.label": "Alternar problemas (errores, advertencias, información)",
+ "problems.view.focus.label": "Problemas de enfoque (errores, advertencias, información)",
+ "problems.panel.configuration.title": "Vista Problemas",
+ "problems.panel.configuration.autoreveal": "Controla si la vista Problemas debe mostrar automáticamente los archivos al abrirlos.",
+ "problems.panel.configuration.showCurrentInStatus": "Al habilitarse, muestra el problema actual en la barra de estado.",
+ "markers.panel.title.problems": "Problemas",
+ "markers.panel.no.problems.build": "Hasta el momento, no se encontraron problemas en el área de trabajo.",
+ "markers.panel.no.problems.activeFile.build": "Hasta el momento, no se han detectado problemas en el archivo actual.",
+ "markers.panel.no.problems.filters": "No se encontraron resultados con los criterios de filtro proporcionados.",
+ "markers.panel.action.moreFilters": "Más filtros...",
+ "markers.panel.filter.showErrors": "Mostrar errores",
+ "markers.panel.filter.showWarnings": "Mostrar advertencias",
+ "markers.panel.filter.showInfos": "Mostrar informaciones",
+ "markers.panel.filter.useFilesExclude": "Ocultar archivos excluidos",
+ "markers.panel.filter.activeFile": "Mostrar solo archivo activo",
+ "markers.panel.action.filter": "Filtrar problemas",
+ "markers.panel.action.quickfix": "Mostrar correcciones",
+ "markers.panel.filter.ariaLabel": "Filtrar problemas",
+ "markers.panel.filter.placeholder": "Filtro (por ejemplo, texto, **/*.ts, !**/node_modules/**)",
+ "markers.panel.filter.errors": "errores",
+ "markers.panel.filter.warnings": "advertencias",
+ "markers.panel.filter.infos": "informaciones",
+ "markers.panel.single.error.label": "1 error",
+ "markers.panel.multiple.errors.label": "{0} errores",
+ "markers.panel.single.warning.label": "1 advertencia",
+ "markers.panel.multiple.warnings.label": "{0} advertencias",
+ "markers.panel.single.info.label": "1 información",
+ "markers.panel.multiple.infos.label": "{0} informaciones",
+ "markers.panel.single.unknown.label": "1 desconocido",
+ "markers.panel.multiple.unknowns.label": "{0} desconocidos",
+ "markers.panel.at.ln.col.number": "[{0}, {1}]",
+ "problems.tree.aria.label.resource": "{0} problemas en el archivo {1} de la carpeta {2}",
+ "problems.tree.aria.label.marker.relatedInformation": "Este problema tiene referencias a {0} ubicaciones.",
+ "problems.tree.aria.label.error.marker": "Error generado por {0}: {1} en la línea {2} y el carácter {3}.{4}",
+ "problems.tree.aria.label.error.marker.nosource": "Error: {0} en la línea {1} y el carácter {2}.{3}",
+ "problems.tree.aria.label.warning.marker": "Advertencia generada por {0}: {1} en la línea {2} y el carácter {3}.{4}",
+ "problems.tree.aria.label.warning.marker.nosource": "Advertencia: {0} en la línea {1} y el carácter {2}.{3}",
+ "problems.tree.aria.label.info.marker": "Información generada por {0}: {1} en la línea {2} y el carácter {3}.{4}",
+ "problems.tree.aria.label.info.marker.nosource": "Información: {0} en la línea {1} y el carácter {2}.{3}",
+ "problems.tree.aria.label.marker": "Problema generado por {0}: {1} en la línea {2} y el carácter {3}.{4}",
+ "problems.tree.aria.label.marker.nosource": "Problema: {0} en la línea {1} y el carácter {2}.{3}",
+ "problems.tree.aria.label.relatedinfo.message": "{0} en la línea {1} y el carácter {2} en {3}",
+ "errors.warnings.show.label": "Mostrar errores y advertencias"
+ },
+ "vs/workbench/contrib/markers/browser/markers": {
+ "totalProblems": "Total {0} Problemas"
+ },
+ "vs/workbench/contrib/markers/browser/markersFileDecorations": {
+ "label": "Problemas",
+ "tooltip.1": "1 problema en este fichero",
+ "tooltip.N": "{0} problemas en este fichero",
+ "markers.showOnFile": "Mostrar errores y advertencias en los archivos y carpetas."
+ },
+ "vs/workbench/contrib/markers/browser/markersTreeViewer": {
+ "problemsView": "Vista Problemas",
+ "expandedIcon": "Icono que indica que se muestran varias líneas en la vista de marcadores.",
+ "collapsedIcon": "Icono que indica que hay varias líneas contraídas en la vista de marcadores.",
+ "single line": "Mostrar mensaje en línea",
+ "multi line": "Mostrar mensaje en varias líneas",
+ "links.navigate.follow": "Seguir vínculo",
+ "links.navigate.kb.meta": "ctrl + clic",
+ "links.navigate.kb.meta.mac": "cmd + clic",
+ "links.navigate.kb.alt.mac": "opción + clic",
+ "links.navigate.kb.alt": "alt + clic"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/coreActions": {
+ "notebookActions.category": "Bloc de notas",
+ "notebookActions.execute": "Ejecutar la celda",
+ "notebookActions.cancel": "Detener la ejecución de la celda",
+ "notebookActions.executeCell": "Ejecutar la celda",
+ "notebookActions.CancelCell": "Cancelar ejecución",
+ "notebookActions.deleteCell": "Eliminar celda",
+ "notebookActions.executeAndSelectBelow": "Ejecutar celda del Bloc de notas y seleccionar a continuación",
+ "notebookActions.executeAndInsertBelow": "Ejecutar celda del Bloc de notas e insertar a continuación",
+ "notebookActions.renderMarkdown": "Representar todas las celdas de Markdown",
+ "notebookActions.executeNotebook": "Ejecutar Bloc de notas",
+ "notebookActions.cancelNotebook": "Cancelar la ejecución del Bloc de notas",
+ "notebookMenu.insertCell": "Insertar celda",
+ "notebookMenu.cellTitle": "Celda del bloc de notas",
+ "notebookActions.menu.executeNotebook": "Ejecutar Bloc de notas (ejecutar todas las celdas)",
+ "notebookActions.menu.cancelNotebook": "Detener la ejecución del Bloc de notas",
+ "notebookActions.changeCellToCode": "Cambiar la celda a código",
+ "notebookActions.changeCellToMarkdown": "Cambiar la celda a Markdown",
+ "notebookActions.insertCodeCellAbove": "Insertar celda de código arriba",
+ "notebookActions.insertCodeCellBelow": "Insertar celda de código abajo",
+ "notebookActions.insertCodeCellAtTop": "Agregar una celda de código en la parte superior",
+ "notebookActions.insertMarkdownCellAtTop": "Agregar una celda de Markdown en la parte superior",
+ "notebookActions.menu.insertCode": "$(add) Code",
+ "notebookActions.menu.insertCode.tooltip": "Agregar celda de código",
+ "notebookActions.insertMarkdownCellAbove": "Insertar celda de Markdown arriba",
+ "notebookActions.insertMarkdownCellBelow": "Insertar celda de Markdown abajo",
+ "notebookActions.menu.insertMarkdown": "$(add) Markdown",
+ "notebookActions.menu.insertMarkdown.tooltip": "Agregar una celda de Markdown",
+ "notebookActions.editCell": "Editar celda",
+ "notebookActions.quitEdit": "Detener edición de celda",
+ "notebookActions.moveCellUp": "Subir celda",
+ "notebookActions.moveCellDown": "Bajar celda",
+ "notebookActions.copy": "Copiar celda",
+ "notebookActions.cut": "Cortar celda",
+ "notebookActions.paste": "Pegar celda",
+ "notebookActions.pasteAbove": "Pegar celda arriba",
+ "notebookActions.copyCellUp": "Copiar celda superior",
+ "notebookActions.copyCellDown": "Copiar celda inferior",
+ "cursorMoveDown": "Situar el foco sobre Editor de celda siguiente",
+ "cursorMoveUp": "Situar el foco sobre Editor de celda anterior",
+ "focusOutput": "Foco en la salida de la celda activa",
+ "focusOutputOut": "Foco fuera de la salida de la celda activa",
+ "focusFirstCell": "Enfocar la primera celda",
+ "focusLastCell": "Enfocar la última celda",
+ "clearCellOutputs": "Borrar salidas de celdas",
+ "changeLanguage": "Cambiar el lenguaje de la celda",
+ "languageDescription": "({0}): lenguaje actual",
+ "languageDescriptionConfigured": "({0})",
+ "pickLanguageToConfigure": "Seleccionar el modo de lenguaje",
+ "clearAllCellsOutputs": "Borrar salidas de todas las celdas",
+ "notebookActions.splitCell": "Dividir celda",
+ "notebookActions.joinCellAbove": "Unir con la celda anterior",
+ "notebookActions.joinCellBelow": "Unir con la celda siguiente",
+ "notebookActions.centerActiveCell": "Centrar celda activa",
+ "notebookActions.collapseCellInput": "Contraer entrada de celda",
+ "notebookActions.expandCellContent": "Expandir el contenido de la celda",
+ "notebookActions.collapseCellOutput": "Contraer los resultados de la celda",
+ "notebookActions.expandCellOutput": "Expandir los resultados de la celda",
+ "notebookActions.inspectLayout": "Inspeccionar el diseño del Bloc de notas"
+ },
+ "vs/workbench/contrib/notebook/browser/notebook.contribution": {
+ "diffLeftRightLabel": "{0} ⟷ {1}",
+ "notebookConfigurationTitle": "Bloc de notas",
+ "notebook.displayOrder.description": "Lista de prioridades para los tipos de mimo de salida",
+ "notebook.cellToolbarLocation.description": "Indica si la barra de herramientas de celdas debe mostrarse u ocultarse.",
+ "notebook.showCellStatusbar.description": "Indica si se debe mostrar la barra de estado de la celda.",
+ "notebook.diff.enablePreview.description": "Indica si se va a usar el editor de diferencias de texto mejorado para el bloc de notas."
+ },
+ "vs/workbench/contrib/notebook/browser/notebookIcons": {
+ "configureKernel": "Icono de configuración en el widget de configuración del kernel en los editores de blocs de notas.",
+ "selectKernelIcon": "Icono de configuración para seleccionar un kernel en los editores del bloc de notas.",
+ "executeIcon": "Icono para ejecutar en los editores del bloc de notas.",
+ "stopIcon": "Icono para detener una ejecución en los editores del bloc de notas.",
+ "deleteCellIcon": "Icono para eliminar una celda en los editores del bloc de notas.",
+ "executeAllIcon": "Icono para ejecutar todas las celdas en los editores del bloc de notas.",
+ "editIcon": "Icono para editar una celda en los editores del bloc de notas.",
+ "stopEditIcon": "Icono para detener la edición de una celda en los editores del bloc de notas.",
+ "moveUpIcon": "Icono para desplazar una celda hacia arriba en los editores del bloc de notas.",
+ "moveDownIcon": "Icono para desplazar una celda hacia abajo en los editores del bloc de notas.",
+ "clearIcon": "Icono para borrar las salidas de celda en los editores del bloc de notas.",
+ "splitCellIcon": "Icono para dividir una celda en los editores del bloc de notas.",
+ "unfoldIcon": "Icono para desplegar una celda en los editores del bloc de notas.",
+ "successStateIcon": "Icono para indicar un estado correcto en los editores del bloc de notas.",
+ "errorStateIcon": "Icono para indicar un estado de error en los editores del bloc de notas.",
+ "collapsedIcon": "Icono para anotar una sección contraída en los editores del bloc de notas.",
+ "expandedIcon": "Icono para anotar una sección expandida en los editores del bloc de notas.",
+ "openAsTextIcon": "Icono para abrir el bloc de notas en un editor de texto.",
+ "revertIcon": "Icono para revertir en los editores del bloc de notas.",
+ "mimetypeIcon": "Icono de un tipo MIME en los editores del bloc de notas."
+ },
+ "vs/workbench/contrib/notebook/browser/notebookEditor": {
+ "fail.noEditor": "No se puede abrir el recurso con el tipo de editor de cuadernos \"{0}\"; compruebe que tenga instalada o habilitada la extensión correcta.",
+ "fail.reOpen": "Volver a abrir el archivo con el editor de texto estándar de VS Code"
+ },
+ "vs/workbench/contrib/notebook/browser/notebookServiceImpl": {
+ "builtinProviderDisplayName": "Integrado"
+ },
+ "vs/workbench/contrib/notebook/browser/diff/notebookTextDiffEditor": {
+ "notebookTreeAriaLabel": "Diferencia de texto del bloc de notas"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/find/findController": {
+ "notebookActions.hideFind": "Ocultar Buscar en el Bloc de notas",
+ "notebookActions.findInNotebook": "Buscar en el Bloc de notas"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/fold/folding": {
+ "fold.cell": "Plegar celda",
+ "unfold.cell": "Desplegar celda"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/format/formatting": {
+ "format.title": "Dar formato al Bloc de notas",
+ "label": "Dar formato al Bloc de notas",
+ "formatCell.label": "Aplicar formato a celda"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/status/editorStatus": {
+ "notebookActions.selectKernel": "Seleccionar kernel del cuaderno",
+ "notebook.runCell.selectKernel": "Seleccionar un kernel de cuaderno para ejecutar este cuaderno",
+ "currentActiveKernel": " (Activo actualmente)",
+ "notebook.promptKernel.setDefaultTooltip": "Establecer como proveedor de kernel predeterminado para \"{0}\"",
+ "chooseActiveKernel": "Elegir el kernel del cuaderno actual",
+ "notebook.selectKernel": "Elegir el kernel del cuaderno actual"
+ },
+ "vs/workbench/contrib/notebook/browser/diff/notebookDiffActions": {
+ "notebook.diff.switchToText": "Abrir el editor de diferencias de texto",
+ "notebook.diff.cell.revertMetadata": "Revertir metadatos",
+ "notebook.diff.cell.revertOutputs": "Revertir resultados",
+ "notebook.diff.cell.revertInput": "Revertir la entrada"
+ },
+ "vs/workbench/contrib/notebook/browser/extensionPoint": {
+ "contributes.notebook.provider": "Aporta el proveedor de documentos del Bloc de notas.",
+ "contributes.notebook.provider.viewType": "Identificador único del Bloc de notas.",
+ "contributes.notebook.provider.displayName": "Nombre legible del Bloc de notas.",
+ "contributes.notebook.provider.selector": "Conjunto de globs para los que está destinado el Bloc de notas.",
+ "contributes.notebook.provider.selector.filenamePattern": "Glob para el que está habilitado el bloc de notas.",
+ "contributes.notebook.selector.provider.excludeFileNamePattern": "Glob para el que el bloc de notas está deshabilitado.",
+ "contributes.priority": "Controla si el editor personalizado se habilita automáticamente cuando el usuario abre un archivo. Los usuarios pueden invalidar esto con el valor \"workbench.editorAssociations\".",
+ "contributes.priority.default": "El editor se usa automáticamente cuando el usuario abre un recurso, siempre que no se hayan registrado otros editores personalizados predeterminados para dicho recurso.",
+ "contributes.priority.option": "El editor no se usa automáticamente cuando el usuario abre un recurso, pero un usuario puede cambiar al editor mediante el comando \"Reopen With\".",
+ "contributes.notebook.renderer": "Aporta el proveedor del representador de resultados del Bloc de notas.",
+ "contributes.notebook.renderer.viewType": "Identificador único del representador de salida del bloc de notas.",
+ "contributes.notebook.provider.viewType.deprecated": "Cambie el nombre de \"viewType\" a \"id\".",
+ "contributes.notebook.renderer.displayName": "Nombre legible del representador de salida del bloc de notas.",
+ "contributes.notebook.selector": "Conjunto de globs para los que está destinado el cuaderno.",
+ "contributes.notebook.renderer.entrypoint": "Archivo que se cargará en la vista web para representar la extensión."
+ },
+ "vs/workbench/contrib/notebook/browser/notebookKernelAssociation": {
+ "notebook.kernelProviderAssociations": "Define un proveedor de kernel predeterminado que tiene preferencia sobre todas las demás opciones de proveedor de kernel. Debe ser el identificador de una extensión que contribuya a un proveedor de kernel."
+ },
+ "vs/workbench/contrib/notebook/common/model/notebookTextModel": {
+ "defaultEditLabel": "Editar"
+ },
+ "vs/workbench/contrib/notebook/common/notebookEditorModel": {
+ "notebook.staleSaveError": "El contenido del archivo ha cambiado en el disco. ¿Quiere abrir la versión actualizada o sobrescribir el archivo con los cambios?",
+ "notebook.staleSaveError.revert": "Revertir",
+ "notebook.staleSaveError.overwrite.": "Sobrescribir"
+ },
+ "vs/workbench/contrib/notebook/browser/notebookEditorWidget": {
+ "notebookTreeAriaLabel": "Cuaderno",
+ "notebook.runCell.selectKernel": "Seleccionar un kernel de cuaderno para ejecutar este cuaderno",
+ "notebook.promptKernel.setDefaultTooltip": "Establecer como proveedor de kernel predeterminado para \"{0}\"",
+ "notebook.cellBorderColor": "Color de borde de las celdas del Bloc de notas.",
+ "notebook.focusedEditorBorder": "Color del borde del editor de celdas del cuaderno.",
+ "notebookStatusSuccessIcon.foreground": "Color del icono de error de las celdas del Bloc de notas en la barra de estado de la celda.",
+ "notebookStatusErrorIcon.foreground": "Color del icono de error de las celdas del Bloc de notas en la barra de estado de la celda.",
+ "notebookStatusRunningIcon.foreground": "Color del icono en ejecución de las celdas del Bloc de notas en la barra de estado de la celda.",
+ "notebook.outputContainerBackgroundColor": "El color del fondo del contenedor de salida del cuaderno.",
+ "notebook.cellToolbarSeparator": "Color del separador de la barra de herramientas inferior de la celda",
+ "focusedCellBackground": "Color de fondo de una celda cuando la celda tiene el foco.",
+ "notebook.cellHoverBackground": "Color de fondo de una celda cuando se pasa el puntero sobre ella.",
+ "notebook.selectedCellBorder": "Color del borde superior e inferior de la celda cuando la celda está seleccionada pero no tiene el foco.",
+ "notebook.focusedCellBorder": "Color del borde superior e inferior de la celda cuando la celda tiene el foco.",
+ "notebook.cellStatusBarItemHoverBackground": "Color de fondo de los elementos de la barra de estado de la celda del Bloc de notas.",
+ "notebook.cellInsertionIndicator": "Color del indicador de inserción de celdas del cuaderno.",
+ "notebookScrollbarSliderBackground": "Color de fondo del control deslizante de la barra de desplazamiento del bloc de notas.",
+ "notebookScrollbarSliderHoverBackground": "Color de fondo del control deslizante de la barra de desplazamiento del bloc de notas al pasar el puntero.",
+ "notebookScrollbarSliderActiveBackground": "Color de fondo del control deslizante de la barra de desplazamiento del bloc de notas al hacer clic en él.",
+ "notebook.symbolHighlightBackground": "Color de fondo de la celda resaltada"
+ },
+ "vs/workbench/contrib/notebook/browser/view/renderers/cellRenderer": {
+ "cellExpandButtonLabel": "Expandir"
+ },
+ "vs/workbench/contrib/notebook/browser/viewModel/markdownCellViewModel": {
+ "notebook.emptyMarkdownPlaceholder": "Celda de Markdown vacía; haga doble clic o presione Entrar para editarla."
+ },
+ "vs/workbench/contrib/notebook/browser/view/renderers/cellWidgets": {
+ "notebook.cell.status.language": "Seleccionar el modo de lenguaje de celda"
+ },
+ "vs/workbench/contrib/notebook/browser/view/renderers/cellOutput": {
+ "mimeTypePicker": "Elija otro tipo MIME de salida. Tipos MIME disponibles: {0}",
+ "curruentActiveMimeType": "Activo actualmente",
+ "promptChooseMimeTypeInSecure.placeHolder": "Seleccione el tipo de mime que se va a representar para la salida actual. Los tipos de mime enriquecidos solo están disponibles cuando el bloc de notas es de confianza",
+ "promptChooseMimeType.placeHolder": "Seleccionar el tipo de mime para representar en la salida actual",
+ "builtinRenderInfo": "integrada"
+ },
+ "vs/workbench/contrib/outline/browser/outline.contribution": {
+ "outlineViewIcon": "Vea el icono de la vista Esquema.",
+ "name": "Esquema",
+ "outlineConfigurationTitle": "Esquema",
+ "outline.showIcons": "Representar elementos del esquema con iconos.",
+ "outline.showProblem": "Muestre errores y advertencias en los elementos del esquema.",
+ "outline.problem.colors": "Use colores para los errores y las advertencias.",
+ "outline.problems.badges": "Use distintivos para los errores y las advertencias.",
+ "filteredTypes.file": "Cuando está habilitado, el contorno muestra símbolos de tipo \"file\".",
+ "filteredTypes.module": "Cuando está habilitado, el contorno muestra símbolos de tipo \"module\".",
+ "filteredTypes.namespace": "Cuando está habilitado, el contorno muestra símbolos de tipo \"namespace\".",
+ "filteredTypes.package": "Cuando está habilitado, el contorno muestra los símbolos de tipo \"package\".",
+ "filteredTypes.class": "Cuando está habilitado, el contorno muestra los símbolos de tipo \"class\".",
+ "filteredTypes.method": "Cuando está habilitado, el contorno muestra símbolos de tipo \"method\".",
+ "filteredTypes.property": "Si está habilitado, el contorno muestra los símbolos de tipo \"property\".",
+ "filteredTypes.field": "Cuando está habilitado, el contorno muestra símbolos de tipo \"field\".",
+ "filteredTypes.constructor": "Cuando está habilitado, el contorno muestra símbolos \"constructor\".",
+ "filteredTypes.enum": "Cuando está habilitado, el contorno muestra símbolos \"enum\".",
+ "filteredTypes.interface": "Cuando está habilitado, el contorno muestra símbolos de tipo \"interface\".",
+ "filteredTypes.function": "Cuando está habilitado, el contorno muestra símbolos de tipo \"function\".",
+ "filteredTypes.variable": "Cuando está habilitado, el contorno muestra símbolos de tipo \"variable\".",
+ "filteredTypes.constant": "Si está habilitado, el contorno muestra símbolos de tipo \"constant\".",
+ "filteredTypes.string": "Si está habilitado, el contorno muestra símbolos de tipo \"string\".",
+ "filteredTypes.number": "Cuando está habilitado, el contorno muestra símbolos de tipo \"number\".",
+ "filteredTypes.boolean": "Si está habilitado, el contorno muestra símbolos de tipo \"boolean\".",
+ "filteredTypes.array": "Cuando está habilitado, el contorno muestra símbolos de tipo \"array\".",
+ "filteredTypes.object": "Cuando está habilitado, el contorno muestra símbolos de tipo \"object\".",
+ "filteredTypes.key": "Cuando está habilitado, el contorno muestra símbolos de tipo \"key\".",
+ "filteredTypes.null": "Cuando está habilitado, el contorno muestra símbolos de tipo \"null\".",
+ "filteredTypes.enumMember": "Cuando está habilitado, el contorno muestra símbolos de tipo \"enumMember\".",
+ "filteredTypes.struct": "Cuando se activa, el contorno muestra símbolos de tipo \"struct\".",
+ "filteredTypes.event": "Cuando está activado, el contorno muestra símbolos de tipo \"event\".",
+ "filteredTypes.operator": "Cuando está activado, el contorno muestra los símbolos de tipo \"operator\".",
+ "filteredTypes.typeParameter": "Cuando está habilitado, el contorno muestra símbolos de tipo \"typeParameter\"."
+ },
+ "vs/workbench/contrib/outline/browser/outlinePane": {
+ "outline": "Esquema",
+ "sortByPosition": "Ordenar por: posición",
+ "sortByName": "Ordenar por: Nombre",
+ "sortByKind": "Ordenar por: Categoría",
+ "followCur": "Seguir el Cursor",
+ "filterOnType": "Filtrar por tipo",
+ "no-editor": "El editor activo no puede proporcionar información de esquema.",
+ "loading": "Cargando símbolos del documento para \"{0}\"...",
+ "no-symbols": "No se encontró ningún símbolo en el documento \"{0}\"."
+ },
+ "vs/workbench/contrib/output/browser/output.contribution": {
+ "outputViewIcon": "Vea el icono de la vista de salida.",
+ "output": "Salida",
+ "logViewer": "Visor de registros",
+ "switchToOutput.label": "Cambiar a salida",
+ "clearOutput.label": "Borrar salida",
+ "outputCleared": "Se ha borrado la salida",
+ "toggleAutoScroll": "Alternar desplazamiento automático",
+ "outputScrollOff": "Desactivar desplazamiento automático",
+ "outputScrollOn": "Activar desplazamiento automático",
+ "openActiveLogOutputFile": "Abrir el archivo de salida del registro",
+ "toggleOutput": "Alternar salida",
+ "showLogs": "Mostrar registros...",
+ "selectlog": "Seleccionar registro",
+ "openLogFile": "Abrir archivo de log...",
+ "selectlogFile": "Seleccionar el archivo de registro",
+ "miToggleOutput": "&&Salida",
+ "output.smartScroll.enabled": "Habilite/desactive la función de desplazamiento inteligente en la vista de salida. El desplazamiento inteligente le permite bloquear el desplazamiento automáticamente al hacer clic en la vista de salida y se desbloquea al hacer clic en la última línea."
+ },
+ "vs/workbench/contrib/output/browser/outputView": {
+ "output model title": "{0} - Output",
+ "channel": "Canal de output para '{0}' ",
+ "output": "Salida",
+ "outputViewWithInputAriaLabel": "{0}, panel de salida",
+ "outputViewAriaLabel": "Panel de salida",
+ "outputChannels": "Canales de salida.",
+ "logChannel": "Registro ({0})"
+ },
+ "vs/workbench/contrib/output/browser/logViewer": {
+ "logViewerAriaLabel": "Visor de registros"
+ },
+ "vs/workbench/contrib/performance/electron-browser/startupProfiler": {
+ "prof.message": "Los perfiles se crearon correctamente.",
+ "prof.detail": "Cree una incidencia y adjunte manualmente los archivos siguientes:\r\n{0}",
+ "prof.restartAndFileIssue": "&&Crear problema y reiniciar",
+ "prof.restart": "&&Reiniciar",
+ "prof.thanks": "Gracias por ayudarnos.",
+ "prof.detail.restart": "Se necesita un reinicio final para continuar utilizando '{0}'. De nuevo, gracias por su aportación.",
+ "prof.restart.button": "&&Reiniciar"
+ },
+ "vs/workbench/contrib/performance/browser/performance.contribution": {
+ "show.label": "Rendimiento de inicio"
+ },
+ "vs/workbench/contrib/performance/browser/perfviewEditor": {
+ "name": "Rendimiento de inicio"
+ },
+ "vs/workbench/contrib/preferences/browser/keybindingsEditorContribution": {
+ "defineKeybinding.start": "Definir enlace de teclado",
+ "defineKeybinding.kbLayoutErrorMessage": "La distribución del teclado actual no permite reproducir esta combinación de teclas.",
+ "defineKeybinding.kbLayoutLocalAndUSMessage": "**{0}** para su distribución de teclado actual (**{1}** para EE. UU. estándar).",
+ "defineKeybinding.kbLayoutLocalMessage": "**{0}** para su distribución de teclado actual."
+ },
+ "vs/workbench/contrib/preferences/browser/preferences.contribution": {
+ "defaultPreferencesEditor": "Editor de preferencias predeterminado",
+ "settingsEditor2": "Editor de configuración 2",
+ "keybindingsEditor": "Editor de enlaces de teclado",
+ "openSettings2": "Abrir configuración (IU)",
+ "preferences": "Preferencias",
+ "settings": "Configuración",
+ "miOpenSettings": "&&Configuración",
+ "openSettingsJson": "Abrir Configuración (JSON)",
+ "openGlobalSettings": "Abrir configuración de usuario",
+ "openRawDefaultSettings": "Abrir la configuración predeterminada (JSON)",
+ "openWorkspaceSettings": "Abrir configuración del área de trabajo",
+ "openWorkspaceSettingsFile": "Abrir configuración del área de trabajo (JSON)",
+ "openFolderSettings": "Abrir Configuración de carpeta",
+ "openFolderSettingsFile": "Abrir configuración de carpetas (JSON)",
+ "filterModifiedLabel": "Mostrar la configuración modificada",
+ "filterOnlineServicesLabel": "Mostrar la configuración de los servicios en línea",
+ "miOpenOnlineSettings": "&&Configuración de los servicios en línea",
+ "onlineServices": "Configuración de servicios en línea",
+ "openRemoteSettings": "Abrir configuración remota ({0})",
+ "settings.focusSearch": "Enfocar la búsqueda de configuración",
+ "settings.clearResults": "Borrar los resultados de búsqueda de configuración",
+ "settings.focusFile": "Archivo de configuración de enfoque",
+ "settings.focusNextSetting": "Enfocar el ajuste siguiente",
+ "settings.focusPreviousSetting": "Enfocar el ajuste anterior",
+ "settings.editFocusedSetting": "Editar ajuste enfocado",
+ "settings.focusSettingsList": "Lista de ajustes de enfoque",
+ "settings.focusSettingsTOC": "Enfocar la tabla de contenido de configuración",
+ "settings.focusSettingControl": "Enfocar el control de configuración",
+ "settings.showContextMenu": "Mostrar menú contextual de configuración",
+ "settings.focusLevelUp": "Subir el enfoque un nivel",
+ "openGlobalKeybindings": "Abrir métodos abreviados de teclado",
+ "Keyboard Shortcuts": "Métodos abreviados de teclado",
+ "openDefaultKeybindingsFile": "Abrir métodos abreviados de teclado predeterminados (JSON)",
+ "openGlobalKeybindingsFile": "Abrir métodos abreviados de teclado (JSON)",
+ "showDefaultKeybindings": "Mostrar enlaces de teclado predeterminados",
+ "showUserKeybindings": "Mostrar enlaces de teclado del usuario",
+ "clear": "Borrar resultados de la búsqueda",
+ "miPreferences": "&&Preferencias"
+ },
+ "vs/workbench/contrib/preferences/browser/keybindingWidgets": {
+ "defineKeybinding.initial": "Presione la combinación de teclas deseada y ENTRAR",
+ "defineKeybinding.oneExists": "1 comando existente tiene esta combinación de teclas",
+ "defineKeybinding.existing": "{0} comandos tienen este enlace de teclado",
+ "defineKeybinding.chordsTo": "presión simultánea para"
+ },
+ "vs/workbench/contrib/preferences/browser/keybindingsEditor": {
+ "recordKeysLabel": "Claves de grabación",
+ "recordKeysLabelWithKeybinding": "{0} ({1})",
+ "sortByPrecedeneLabel": "Ordenar por procedimiento",
+ "sortByPrecedeneLabelWithKeybinding": "{0} ({1})",
+ "SearchKeybindings.FullTextSearchPlaceholder": "Escribir para buscar en enlaces de teclado",
+ "SearchKeybindings.KeybindingsSearchPlaceholder": "Claves de grabación. Pulse Escape para salir",
+ "clearInput": "Borrar entrada de búsqueda de enlaces de teclado",
+ "recording": "Claves de grabación",
+ "command": "Comando",
+ "keybinding": "Enlace de teclado",
+ "when": "Cuando",
+ "source": "ORIGEN",
+ "show sorted keybindings": "Mostrando {0} enlaces de teclado en orden de precedencia",
+ "show keybindings": "Mostrando {0} vínculos de teclas en orden alfabético",
+ "changeLabel": "Cambiar enlace de teclado...",
+ "addLabel": "Agregar enlace de teclado...",
+ "editWhen": "Cambiar expresión When",
+ "removeLabel": "Quitar enlace de teclado",
+ "resetLabel": "Restablecer enlaces de teclado",
+ "showSameKeybindings": "Mostrar mismo KeyBindings ",
+ "copyLabel": "Copiar",
+ "copyCommandLabel": "Copiar ID del comando",
+ "error": "Error \"{0}\" al editar el enlace de teclado. Abra el archivo \"keybindings.json\" y compruebe si tiene errores.",
+ "editKeybindingLabelWithKey": "Cambiar enlace de teclado {0}",
+ "editKeybindingLabel": "Cambiar enlace de teclado",
+ "addKeybindingLabelWithKey": "Agregar enlace de teclado {0}",
+ "addKeybindingLabel": "Agregar enlace de teclado",
+ "title": "{0} ({1})",
+ "whenContextInputAriaLabel": "Escribir en el contexto. Pulse Entrar para confirmar o Escape para cancelar.",
+ "keybindingsLabel": "Enlaces de teclado",
+ "noKeybinding": "No se ha asignado ningún enlace de teclado.",
+ "noWhen": "No, cuando hay contexto."
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesActions": {
+ "configureLanguageBasedSettings": "Configurar opciones específicas del lenguaje...",
+ "languageDescriptionConfigured": "({0})",
+ "pickLanguage": "Seleccionar lenguaje"
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesEditor": {
+ "SearchSettingsWidget.AriaLabel": "Buscar configuración",
+ "SearchSettingsWidget.Placeholder": "Buscar configuración",
+ "noSettingsFound": "No se encontró la configuración",
+ "oneSettingFound": "1 configuración encontrada",
+ "settingsFound": "{0} Configuraciones encontradas",
+ "totalSettingsMessage": "{0} configuraciones en total",
+ "nlpResult": "Resultados en lenguaje natural",
+ "filterResult": "Resultados filtrados",
+ "defaultSettings": "Configuración predeterminada",
+ "defaultUserSettings": "Configuración predeterminada de usuario",
+ "defaultWorkspaceSettings": "Configuración de área de trabajo predeterminada",
+ "defaultFolderSettings": "Configuración de carpeta predeterminada",
+ "defaultEditorReadonly": "Editar en el editor del lado de derecho para reemplazar valores predeterminados.",
+ "preferencesAriaLabel": "Preferencias predeterminadas. Editor de solo lectura."
+ },
+ "vs/workbench/contrib/preferences/browser/settingsEditor2": {
+ "SearchSettings.AriaLabel": "Buscar configuración",
+ "clearInput": "Borrar entrada de búsqueda de configuración",
+ "noResults": "No se encontró ninguna configuración",
+ "clearSearchFilters": "Borrar filtros",
+ "settings": "Configuración",
+ "settingsNoSaveNeeded": "Los cambios realizados en la configuración se guardan de forma automática.",
+ "oneResult": "1 configuración encontrada",
+ "moreThanOneResult": "{0} Configuraciones encontradas",
+ "turnOnSyncButton": "Activar sincronización de configuración",
+ "lastSyncedLabel": "Ultima sincronización: {0}"
+ },
+ "vs/workbench/contrib/preferences/common/preferencesContribution": {
+ "enableNaturalLanguageSettingsSearch": "Controla si se va a habilitar el modo de búsqueda en lenguaje natural para la configuración. Un servicio en línea de Microsoft proporciona este tipo de búsqueda.",
+ "settingsSearchTocBehavior.hide": "Oculte la tabla de contenido durante la búsqueda.",
+ "settingsSearchTocBehavior.filter": "Filtre la tabla de contenido solamente por las categorías que tengan valores coincidentes. Al hacer clic en una categoría, los resultados se filtran por esta.",
+ "settingsSearchTocBehavior": "Controla el comportamiento de la tabla de contenido del editor de configuración durante las búsquedas."
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesIcons": {
+ "settingsGroupExpandedIcon": "Icono de una sección expandida en el editor de configuraciones de JSON dividido.",
+ "settingsGroupCollapsedIcon": "Icono de una sección contraída en el editor de configuraciones de JSON dividido.",
+ "settingsScopeDropDownIcon": "Icono del botón de lista desplegable de carpeta en el editor de configuraciones de JSON dividido.",
+ "settingsMoreActionIcon": "Icono para la acción de \"más acciones\" en la interfaz de usuario de configuración.",
+ "keybindingsRecordKeysIcon": "Icono de la acción de \"registrar claves\" en la interfaz de usuario de enlaces de teclado.",
+ "keybindingsSortIcon": "Icono de alternancia de \"ordenar por prioridad\" en la interfaz de usuario de enlaces de teclado.",
+ "keybindingsEditIcon": "Icono de la acción de editar en la interfaz de usuario de enlaces de teclado.",
+ "keybindingsAddIcon": "Icono de la acción de agregar en la interfaz de usuario de enlaces de teclado.",
+ "settingsEditIcon": "Icono de la acción de edición en la interfaz de usuario de configuración.",
+ "settingsAddIcon": "Icono de la acción de agregar en la interfaz de usuario de configuración.",
+ "settingsRemoveIcon": "Icono de la acción de quitar en la interfaz de usuario de configuración.",
+ "preferencesDiscardIcon": "Icono de la acción de descartar en la interfaz de usuario de configuración.",
+ "preferencesClearInput": "Icono para borrar la entrada en la interfaz de usuario de enlaces de teclado y configuración.",
+ "preferencesOpenSettings": "Icono para abrir los comandos de configuración."
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesWidgets": {
+ "defaultSettings": "Coloque su configuración en el editor que aparece a la derecha para invalidarla.",
+ "noSettingsFound": "No se encontró la configuración.",
+ "settingsSwitcherBarAriaLabel": "Conmutador de configuración",
+ "userSettings": "Usuario",
+ "userSettingsRemote": "Remoto",
+ "workspaceSettings": "Área de trabajo",
+ "folderSettings": "Carpeta"
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesRenderers": {
+ "emptyUserSettingsHeader": "Coloque su configuración aquí para sobreescribir la configuración predeterminada.",
+ "emptyWorkspaceSettingsHeader": "Coloque su configuración aquí para sobreescribir la configuración de usuario.",
+ "emptyFolderSettingsHeader": "Coloque sus carpetas de configuración aquí para sobreescribirlas en la configuración del área de trabajo.",
+ "editTtile": "Editar",
+ "replaceDefaultValue": "Reemplazar en Configuración",
+ "copyDefaultValue": "Copiar en Configuración",
+ "unknown configuration setting": "Parámetro de configuración desconocido",
+ "unsupportedRemoteMachineSetting": "Esta configuración no se puede aplicar en esta ventana. Se aplicará cuando abra la ventana local.",
+ "unsupportedWindowSetting": "No se puede aplicar esta configuración en esta área de trabajo. Se aplicará cuando abra directamente la carpeta de área de trabajo que la contiene.",
+ "unsupportedApplicationSetting": "Esta configuración se puede aplicar solo en la configuración del usuario de la aplicación",
+ "unsupportedMachineSetting": "Esta configuración solo se puede aplicar en la configuración de usuario en la ventana local o en la configuración remota en la ventana remota.",
+ "unsupportedProperty": "Propiedad no admitida"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsLayout": {
+ "commonlyUsed": "Más utilizada",
+ "textEditor": "Editor de texto",
+ "cursor": "Cursor",
+ "find": "Buscar",
+ "font": "Fuente",
+ "formatting": "Formato",
+ "diffEditor": "Editor de diferencias",
+ "minimap": "Minimapa",
+ "suggestions": "Sugerencias",
+ "files": "Archivos",
+ "workbench": "Workbench",
+ "appearance": "Apariencia",
+ "breadcrumbs": "Rutas de navegación",
+ "editorManagement": "Administración de editores",
+ "settings": "Editor de configuraciones",
+ "zenMode": "Modo zen",
+ "screencastMode": "Modo de presentación de pantalla",
+ "window": "Ventana",
+ "newWindow": "Nueva ventana",
+ "features": "Características",
+ "fileExplorer": "Explorador",
+ "search": "Buscar",
+ "debug": "Depurar",
+ "scm": "SCM",
+ "extensions": "Extensiones",
+ "terminal": "Terminal",
+ "task": "Tarea",
+ "problems": "Problemas",
+ "output": "Salida",
+ "comments": "Comentarios",
+ "remote": "Remoto",
+ "timeline": "línea de tiempo",
+ "notebook": "Bloc de notas",
+ "application": "Aplicación",
+ "proxy": "Proxy",
+ "keyboard": "Teclado",
+ "update": "Actualizar",
+ "telemetry": "Telemetría",
+ "settingsSync": "Sincronización de configuración"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsTree": {
+ "extensions": "Extensiones",
+ "extensionSyncIgnoredLabel": "Sincronización: Ignorada",
+ "modified": "Modificado",
+ "settingsContextMenuTitle": "Más acciones... ",
+ "alsoConfiguredIn": "Modificado también en",
+ "configuredIn": "Modificado en",
+ "newExtensionsButtonLabel": "Mostrar extensiones coincidentes",
+ "editInSettingsJson": "Editar en settings.json",
+ "settings.Default": "predeterminada",
+ "resetSettingLabel": "Restablecer la configuración",
+ "validationError": "Error de validación.",
+ "settings.Modified": "Modificado.",
+ "settings": "Configuración",
+ "copySettingIdLabel": "Copiar identificador de configuración",
+ "copySettingAsJSONLabel": "Copiar configuración como JSON",
+ "stopSyncingSetting": "Sincronizar esta configuración"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsTreeModels": {
+ "workspace": "Área de trabajo",
+ "remote": "Remoto",
+ "user": "Usuario"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsWidgets": {
+ "headerForeground": "El color de primer plano de un encabezado de sección o título activo.",
+ "modifiedItemForeground": "El color del indicador de ajuste modificado.",
+ "settingsDropdownBackground": "Fondo de lista desplegable del editor de configuración.",
+ "settingsDropdownForeground": "Primer plano de lista desplegable del editor de configuración.",
+ "settingsDropdownBorder": "Borde del menú desplegable del editor de configuración.",
+ "settingsDropdownListBorder": "Borde de la lista desplegable del editor de configuración. Esto rodea las opciones y separa las opciones de la descripción.",
+ "settingsCheckboxBackground": "Fondo de la casilla de verificación del editor de configuración.",
+ "settingsCheckboxForeground": "Configuración del editor en primer plano.",
+ "settingsCheckboxBorder": "Borde de la casilla de verificación del editor de configuración.",
+ "textInputBoxBackground": "Fondo del cuadro de entrada de texto del editor de configuración.",
+ "textInputBoxForeground": "Configuración del cuadro de entrada de texto del editor en primer plano.",
+ "textInputBoxBorder": "Borde del cuadro de entrada de texto del editor de configuración.",
+ "numberInputBoxBackground": "Fondo del cuadro de entrada de números del editor de configuración.",
+ "numberInputBoxForeground": "Primer plano del cuadro de entrada del número del editor de configuración.",
+ "numberInputBoxBorder": "Borde del cuadro de entrada de números del editor de configuración.",
+ "focusedRowBackground": "Color de fondo de una fila de configuración cuando tiene el foco.",
+ "notebook.rowHoverBackground": "Color de fondo de una configuración cuando se mantiene el puntero sobre ella.",
+ "notebook.focusedRowBorder": "Color del borde superior e inferior de la fila cuando la fila tiene el foco.",
+ "okButton": "Aceptar",
+ "cancelButton": "Cancelar",
+ "listValueHintLabel": "Elemento de lista \"{0}\"",
+ "listSiblingHintLabel": "Elemento de lista \"{0}\" con elemento relacionado \"${1}\"",
+ "removeItem": "Quitar elemento",
+ "editItem": "Editar elemento",
+ "addItem": "Agregar elemento",
+ "itemInputPlaceholder": "Elemento de cadena...",
+ "listSiblingInputPlaceholder": "Elemento relacionado...",
+ "excludePatternHintLabel": "Excluir archivos que coincidan con \"{0}\"",
+ "excludeSiblingHintLabel": "Excluir archivos que coincidan con \"{0}\", solo cuando haya presente un archivo que coincida con \"{1}\"",
+ "removeExcludeItem": "Quitar elemento de exclusión",
+ "editExcludeItem": "Editar elemento de exclusión",
+ "addPattern": "Agregar patrón",
+ "excludePatternInputPlaceholder": "Excluir el patrón...",
+ "excludeSiblingInputPlaceholder": "Cuando el patrón está presente...",
+ "objectKeyInputPlaceholder": "Clave",
+ "objectValueInputPlaceholder": "Valor",
+ "objectPairHintLabel": "La propiedad \"{0}\" está establecida en \"{1}\".",
+ "resetItem": "Restablecer elemento",
+ "objectKeyHeader": "Elemento",
+ "objectValueHeader": "Valor"
+ },
+ "vs/workbench/contrib/preferences/browser/tocTree": {
+ "settingsTOC": "Tabla de contenido de configuración",
+ "groupRowAriaLabel": "{0}, grupo"
+ },
+ "vs/workbench/contrib/quickaccess/browser/quickAccess.contribution": {
+ "helpQuickAccessPlaceholder": "Escriba \"{0}\" para obtener ayuda sobre las acciones que puede realizar desde aquí.",
+ "helpQuickAccess": "Mostrar todos los proveedores de acceso rápido",
+ "viewQuickAccessPlaceholder": "Escriba el nombre de una vista, canal de salida o terminal para abrirlo.",
+ "viewQuickAccess": "Abrir vista",
+ "commandsQuickAccessPlaceholder": "Escriba el nombre de un comando para ejecutar.",
+ "commandsQuickAccess": "Mostrar y ejecutar comandos",
+ "miCommandPalette": "&&Paleta de comandos...",
+ "miOpenView": "&&Abrir vista...",
+ "miGotoSymbolInEditor": "Ir al &&símbolo en el editor...",
+ "miGotoLine": "Ir a la &&línea o columna...",
+ "commandPalette": "Paleta de comandos..."
+ },
+ "vs/workbench/contrib/quickaccess/browser/viewQuickAccess": {
+ "noViewResults": "No hay ninguna vista coincidente.",
+ "views": "Barra lateral",
+ "panels": "Panel",
+ "terminalTitle": "{0}: {1}",
+ "terminals": "Terminal",
+ "logChannel": "Registro ({0})",
+ "channels": "Salida",
+ "openView": "Abrir vista",
+ "quickOpenView": "Vista de Quick Open"
+ },
+ "vs/workbench/contrib/quickaccess/browser/commandsQuickAccess": {
+ "noCommandResults": "No hay ningún comando coincidente.",
+ "configure keybinding": "Configurar el enlace de teclado",
+ "commandWithCategory": "{0}: {1}",
+ "showTriggerActions": "Mostrar todos los comandos",
+ "clearCommandHistory": "Borrar historial de comandos"
+ },
+ "vs/workbench/contrib/relauncher/browser/relauncher.contribution": {
+ "relaunchSettingMessage": "Ha cambiado un ajuste que requiere un reinicio para ser efectivo.",
+ "relaunchSettingMessageWeb": "Un valor ha cambiado y se requiere una recarga para que surta efecto.",
+ "relaunchSettingDetail": "Pulse el botón de reinicio para reiniciar {0} y habilitar el ajuste.",
+ "relaunchSettingDetailWeb": "Pulse el botón de recarga para volver a cargar el valor de {0} y activar la configuración.",
+ "restart": "&&Reiniciar",
+ "restartWeb": "&&Recargar"
+ },
+ "vs/workbench/contrib/remote/electron-sandbox/remote.contribution": {
+ "remote": "Remota",
+ "remote.downloadExtensionsLocally": "Cuando las extensiones habilitadas se descargan localmente e instalan en el control remoto."
+ },
+ "vs/workbench/contrib/remote/common/remote.contribution": {
+ "remoteExtensionLog": "Servidor remoto",
+ "ui": "Tipo de extensión de interfaz de usuario. En una ventana remota, estas extensiones solo están habilitadas cuando están disponibles en el equipo local.",
+ "workspace": "Tipo de extensión de área de trabajo. En una ventana remota, estas extensiones solo están habilitadas cuando están disponibles en el espacio remoto.",
+ "web": "Tipo de extensión de trabajo web. Esta extensión se puede ejecutar en un host de extensiones de trabajo web.",
+ "remote": "Remoto",
+ "remote.extensionKind": "Reemplace el tipo de extensión. Las extensiones \"ui\"' se instalan y ejecutan en el equipo local, mientras que las extensiones \"workspace\" se ejecutan en el espacio remoto. Al invalidar el tipo predeterminado de una extensión mediante esta configuración, debe especificar si esa extensión debe instalarse y habilitarse localmente o remotamente.",
+ "remote.restoreForwardedPorts": "Restaura los puertos reenviados en un área de trabajo.",
+ "remote.autoForwardPorts": "Cuando se habilita, se detectan los nuevos procesos en ejecución y se reenvían automáticamente los puertos en los que escuchan."
+ },
+ "vs/workbench/contrib/remote/browser/remote": {
+ "RemoteHelpInformationExtPoint": "Contribuye con información de ayuda para Remote",
+ "RemoteHelpInformationExtPoint.getStarted": "La dirección URL, o un comando que la devuelve, a la página de introducción del proyecto",
+ "RemoteHelpInformationExtPoint.documentation": "La dirección URL, o un comando que la devuelve, a la página de documentación del proyecto",
+ "RemoteHelpInformationExtPoint.feedback": "La dirección URL, o un comando que la devuelve, al notificador de comentarios del proyecto",
+ "RemoteHelpInformationExtPoint.issues": "La dirección URL, o un comando que la devuelve, a la lista de problemas del proyecto",
+ "getStartedIcon": "Icono de introducción en la vista del explorador remoto.",
+ "documentationIcon": "Icono de documentación en la vista del explorador remoto.",
+ "feedbackIcon": "Icono de comentarios en la vista del explorador remoto.",
+ "reviewIssuesIcon": "Icono para revisar un error en la vista del explorador remoto.",
+ "reportIssuesIcon": "Icono para notificar un problema en la vista del explorador remoto.",
+ "remoteExplorerViewIcon": "Vea el icono de la vista del explorador remoto.",
+ "remote.help.getStarted": "Iniciar",
+ "remote.help.documentation": "Leer documentación",
+ "remote.help.feedback": "Proporcionar comentarios",
+ "remote.help.issues": "Revisar problemas",
+ "remote.help.report": "Notificar problema",
+ "pickRemoteExtension": "Seleccione una dirección URL para abrir",
+ "remote.help": "Ayuda y comentarios",
+ "remotehelp": "Ayuda remota",
+ "remote.explorer": "Explorador remoto",
+ "toggleRemoteViewlet": "Mostrar Explorador remoto",
+ "reconnectionWaitOne": "Intentando volver a conectar en {0} segundo...",
+ "reconnectionWaitMany": "Intentando volver a conectar en {0} segundos...",
+ "reconnectNow": "Volver a conectar ahora",
+ "reloadWindow": "Recargar ventana",
+ "connectionLost": "Conexión perdida",
+ "reconnectionRunning": "Intentando volver a conectar...",
+ "reconnectionPermanentFailure": "No se puede volver a conectar. Vuelva a cargar la ventana.",
+ "cancel": "Cancelar"
+ },
+ "vs/workbench/contrib/remote/browser/remoteExplorer": {
+ "ports": "Puertos",
+ "1forwardedPort": "1 puerto reenviado",
+ "nForwardedPorts": "{0} puertos reenviados",
+ "status.forwardedPorts": "Puertos reenviados",
+ "remote.forwardedPorts.statusbarTextNone": "No se ha reenviado ningún puerto",
+ "remote.forwardedPorts.statusbarTooltip": "Puertos reenviados: {0}",
+ "remote.tunnelsView.automaticForward": "El servicio que se está ejecutando en el puerto {0} está disponible. [Ver todos los puertos disponibles](comando:{1}.focus)"
+ },
+ "vs/workbench/contrib/remote/browser/explorerViewItems": {
+ "remotes": "Cambiar a remoto",
+ "remote.explorer.switch": "Cambiar a remoto"
+ },
+ "vs/workbench/contrib/remote/browser/remoteIndicator": {
+ "remote.category": "Remoto",
+ "remote.showMenu": "Mostrar menú remoto",
+ "remote.close": "Cerrar conexión remota",
+ "miCloseRemote": "Cerrar conexión re&&mota",
+ "host.open": "Abriendo remoto...",
+ "disconnectedFrom": "Desconectado de {0}",
+ "host.tooltipDisconnected": "Desconectado de {0}",
+ "host.tooltip": "Editando en {0}",
+ "noHost.tooltip": "Abrir una ventana remota",
+ "remoteHost": "Host remoto",
+ "cat.title": "{0}: {1}",
+ "closeRemote.title": "Cerrar conexión remota"
+ },
+ "vs/workbench/contrib/remote/browser/tunnelView": {
+ "remote.tunnelsView.add": "Reenviar un puerto...",
+ "remote.tunnelsView.detected": "Túneles existentes",
+ "remote.tunnelsView.candidates": "No reenviado",
+ "remote.tunnelsView.input": "Pulse Intro para confirmar o Escape para cancelar.",
+ "remote.tunnelsView.forwardedPortLabel0": "{0}",
+ "remote.tunnelsView.forwardedPortLabel1": "{0} → {1}",
+ "remote.tunnelsView.forwardedPortLabel2": "{0}",
+ "remote.tunnelsView.forwardedPortDescription0": "{0} → {1}",
+ "remote.tunnel": "Puertos",
+ "remote.tunnel.ariaLabelForwarded": "El puerto remoto {0}:{1} se reenvió a la dirección local {2}",
+ "remote.tunnel.ariaLabelCandidate": "El puerto remoto {0}:{1} no se ha reenviado",
+ "tunnelView": "Vista de túnel",
+ "remote.tunnel.label": "Establecer etiqueta",
+ "remote.tunnelsView.labelPlaceholder": "Etiqueta de puerto",
+ "remote.tunnelsView.portNumberValid": "El puerto reenviado no es válido.",
+ "remote.tunnelsView.portNumberToHigh": "El número de puerto debe estar entre ≥ 0 y < {0}.",
+ "remote.tunnel.forward": "Reenviar un puerto",
+ "remote.tunnel.forwardItem": "Puerto delantero",
+ "remote.tunnel.forwardPrompt": "Número de puerto o dirección (p. ej. 3000 o 10.10.10.10:2000).",
+ "remote.tunnel.forwardError": "No se puede reenviar {0}:{1}. Es posible que el host no esté disponible o que el puerto remoto ya se haya reenviado.",
+ "remote.tunnel.closeNoPorts": "No hay puertos reenviados actualmente. Pruebe a ejecutar el comando {0}",
+ "remote.tunnel.close": "Detener enrutamiento de puerto",
+ "remote.tunnel.closePlaceholder": "Elija un puerto para detener el reenvío",
+ "remote.tunnel.open": "Abrir en el navegador",
+ "remote.tunnel.openCommandPalette": "Abrir el puerto en el explorador",
+ "remote.tunnel.openCommandPaletteNone": "No hay ningún puerto reenviado actualmente. Abra la vista Puertos para empezar.",
+ "remote.tunnel.openCommandPaletteView": "Abrir la vista Puertos...",
+ "remote.tunnel.openCommandPalettePick": "Elegir el puerto que se va a abrir",
+ "remote.tunnel.copyAddressInline": "Copiar dirección",
+ "remote.tunnel.copyAddressCommandPalette": "Copiar dirección de puerto reenviado",
+ "remote.tunnel.copyAddressPlaceholdter": "Elegir un puerto de reenvio",
+ "remote.tunnel.changeLocalPort": "Cambiar puerto local",
+ "remote.tunnel.changeLocalPortNumber": "El puerto local {0} no está disponible. En su lugar, se ha utilizado el número de puerto {1}",
+ "remote.tunnelsView.changePort": "Nuevo puerto local"
+ },
+ "vs/workbench/contrib/sash/browser/sash.contribution": {
+ "sashSize": "Controla el tamaño del área de comentarios en píxeles del área de arrastre entre las vistas/editores. Establézcalo en un valor mayor si cree que es difícil cambiar el tamaño de las vistas con el mouse."
+ },
+ "vs/workbench/contrib/scm/browser/scm.contribution": {
+ "sourceControlViewIcon": "Vea el icono de la vista de control de código fuente.",
+ "source control": "Control de código fuente",
+ "no open repo": "No hay proveedores de control de código fuente registrados.",
+ "source control repositories": "Repositorios de control de código fuente",
+ "toggleSCMViewlet": "Mostrar SCM",
+ "scmConfigurationTitle": "SCM",
+ "scm.diffDecorations.all": "Mostrar las decoraciones diferentes en todas las ubicaciones disponibles.",
+ "scm.diffDecorations.gutter": "Mostrar las distintas decoraciones solo en el medianil del editor.",
+ "scm.diffDecorations.overviewRuler": "Mostrar las decoraciones de diferencias solo en la regla de vista general.",
+ "scm.diffDecorations.minimap": "Mostrar las decoraciones diferentes solo en el minimapa.",
+ "scm.diffDecorations.none": "No mostrar las decoraciones diff.",
+ "diffDecorations": "Controla las decoraciones de diff en el editor.",
+ "diffGutterWidth": "Controla el ancho (px) de las decoraciones de diferencias en el medianil (elementos agregados y modificados).",
+ "scm.diffDecorationsGutterVisibility.always": "Muestre el decorador de diferencias en el medianil en todo momento.",
+ "scm.diffDecorationsGutterVisibility.hover": "Muestre el decorador de diferenciales en el medianil solo al pasar el puntero.",
+ "scm.diffDecorationsGutterVisibility": "Controla la visibilidad del decorador de diferencias de control de código fuente en el medianil.",
+ "scm.diffDecorationsGutterAction.diff": "Muestra la vista de inspección de diferencias insertada al hacer clic.",
+ "scm.diffDecorationsGutterAction.none": "No hacer nada.",
+ "scm.diffDecorationsGutterAction": "Controla el comportamiento de las decoraciones del margen de diferencias del control de código fuente.",
+ "alwaysShowActions": "Controla si las acciones en línea son siempre visibles en la vista Control de código fuente.",
+ "scm.countBadge.all": "Muestra la suma de todas las notificaciones de recuento de proveedores de control de código fuente.",
+ "scm.countBadge.focused": "Muestre la insignia de recuento del proveedor de control de código fuente enfocado.",
+ "scm.countBadge.off": "Deshabilite la insignia de recuento de Control de código fuente.",
+ "scm.countBadge": "Controla la notificación de recuento del icono de control de código fuente en la barra de actividades.",
+ "scm.providerCountBadge.hidden": "Oculte las insignias de recuento de proveedores de control de código fuente.",
+ "scm.providerCountBadge.auto": "Muestre las insignias de recuento de proveedores de control de código fuente si hay cambios.",
+ "scm.providerCountBadge.visible": "Muestre las insignias de recuento de proveedores de control de código fuente.",
+ "scm.providerCountBadge": "Controla la insignia de recuento de proveedores de control de código fuente. Estos proveedores solo se muestran cuando hay más de un proveedor.",
+ "scm.defaultViewMode.tree": "Mostrar los cambios del repositorio como un árbol.",
+ "scm.defaultViewMode.list": "Mostrar los cambios del repositorio como una lista.",
+ "scm.defaultViewMode": "Controla el modo de visualización del repositorio de Control de código fuente predeterminado.",
+ "autoReveal": "Controla si la vista SCM debe revelar y seleccionar automáticamente los archivos al abrirlos.",
+ "inputFontFamily": "Controla la fuente del mensaje de entrada. Utilice \"default\" para la familia de fuentes de la interfaz de usuario del área de trabajo, \"editor\" para el valor de \"#editor.fontFamily#\" o una familia de fuentes personalizada.",
+ "alwaysShowRepository": "Controla si los repositorios deben estar siempre visibles en la vista de SCM.",
+ "providersVisible": "Controla cuántos repositorios están visibles en la sección Repositorios de control de código fuente. Establézcalo en \"0\" para poder cambiar manualmente el tamaño de la vista.",
+ "miViewSCM": "S&&CM",
+ "scm accept": "SCM: Aceptar entrada",
+ "scm view next commit": "SCM: Ver \"commit\" siguiente",
+ "scm view previous commit": "SCM: Ver \"commit\" anterior",
+ "open in terminal": "Abrir en terminal"
+ },
+ "vs/workbench/contrib/scm/browser/activity": {
+ "status.scm": "Control de código fuente",
+ "scmPendingChangesBadge": "{0} cambios pendientes"
+ },
+ "vs/workbench/contrib/scm/browser/dirtydiffDecorator": {
+ "changes": "{0} de {1} cambios",
+ "change": "{0} de {1} cambio",
+ "show previous change": "Mostrar el cambio anterior",
+ "show next change": "Mostrar el cambio siguiente",
+ "miGotoNextChange": "&&Cambio siguiente",
+ "miGotoPreviousChange": "Cambio &&anterior",
+ "move to previous change": "Moverse al cambio anterior",
+ "move to next change": "Moverse al cambio siguiente",
+ "editorGutterModifiedBackground": "Color de fondo del medianil del editor para las líneas modificadas.",
+ "editorGutterAddedBackground": "Color de fondo del medianil del editor para las líneas agregadas.",
+ "editorGutterDeletedBackground": "Color de fondo del medianil del editor para las líneas eliminadas.",
+ "minimapGutterModifiedBackground": "Color de fondo del canal del minimapa para las líneas que se modifican.",
+ "minimapGutterAddedBackground": "Color de fondo del canal del minimapa para las líneas que se agregan.",
+ "minimapGutterDeletedBackground": "Color de fondo del medianil del minimapa para las líneas que se eliminan.",
+ "overviewRulerModifiedForeground": "Color de marcador de regla de información general para contenido modificado.",
+ "overviewRulerAddedForeground": "Color de marcador de regla de información general para contenido agregado.",
+ "overviewRulerDeletedForeground": "Color de marcador de regla de información general para contenido eliminado."
+ },
+ "vs/workbench/contrib/scm/browser/scmViewPaneContainer": {
+ "source control": "Control de código fuente"
+ },
+ "vs/workbench/contrib/scm/browser/scmRepositoriesViewPane": {
+ "scm": "Repositorios de control de código fuente"
+ },
+ "vs/workbench/contrib/scm/browser/scmViewPane": {
+ "scm": "Administración del control de código fuente",
+ "input": "Entrada de control de código fuente",
+ "repositories": "Repositorios",
+ "sortAction": "Ver y ordenar",
+ "toggleViewMode": "Alternar modo de vista",
+ "viewModeList": "Ver como lista",
+ "viewModeTree": "Ver como árbol",
+ "sortByName": "Ordenar por nombre",
+ "sortByPath": "Ordenar por ruta de acceso",
+ "sortByStatus": "Ordenar por estado",
+ "expand all": "Expandir todos los repositorios",
+ "collapse all": "Contraer todos los repositorios",
+ "scm.providerBorder": "Borde separador del proveedor de SCM."
+ },
+ "vs/workbench/contrib/search/browser/search.contribution": {
+ "search": "Buscar",
+ "copyMatchLabel": "Copiar",
+ "copyPathLabel": "Copiar ruta de acceso",
+ "copyAllLabel": "Copiar todo",
+ "revealInSideBar": "Mostrar en barra lateral",
+ "clearSearchHistoryLabel": "Borrar historial de búsqueda",
+ "focusSearchListCommandLabel": "Lista de objetivos",
+ "findInFolder": "Buscar en carpeta...",
+ "findInWorkspace": "Buscar en área de trabajo...",
+ "showTriggerActions": "Ir al símbolo en el área de trabajo...",
+ "name": "Buscar",
+ "findInFiles.description": "Abrir el viewlet de búsqueda",
+ "findInFiles.args": "Conjunto de opciones para el viewlet de búsqueda",
+ "findInFiles": "Buscar en archivos",
+ "miFindInFiles": "Buscar &&en archivos",
+ "miReplaceInFiles": "Reemplazar &&en archivos",
+ "anythingQuickAccessPlaceholder": "Buscar archivos por nombre (añadir {0} para ir a la línea o {1} para ir al símbolo)",
+ "anythingQuickAccess": "Ir al archivo",
+ "symbolsQuickAccessPlaceholder": "Escriba el nombre de un símbolo que desea abrir.",
+ "symbolsQuickAccess": "Ir al símbolo en el área de trabajo",
+ "searchConfigurationTitle": "Buscar",
+ "exclude": "Configure patrones globales para excluir archivos y carpetas en búsquedas de texto completo y abrir los patrones de uso rápido. Hereda todos los patrones globales de la configuración \"#files.exclude\". Lea más acerca de los patrones globales [aquí](https://code.visualstudio.com/docs/editor/codebasics-_advanced-search-options).",
+ "exclude.boolean": "El patrón global con el que se harán coincidir las rutas de acceso de los archivos. Establézcalo en true o false para habilitarlo o deshabilitarlo.",
+ "exclude.when": "Comprobación adicional de los elementos del mismo nivel de un archivo coincidente. Use $(nombreBase) como variable para el nombre de archivo que coincide.",
+ "useRipgrep": "Esta opción están en desuso y ahora se utiliza \"search.usePCRE2\".",
+ "useRipgrepDeprecated": "En desuso. Considere la utilización de \"search.usePCRE2\" para admitir la característica de expresiones regulares avanzadas.",
+ "search.maintainFileSearchCache": "Cuando está habilitado, el proceso de servicio de búsqueda se mantendrá habilitado en lugar de cerrarse después de una hora de inactividad. Esto mantendrá la caché de búsqueda de archivos en la memoria.",
+ "useIgnoreFiles": "Controla si se deben usar los archivos \".gitignore\" e \".ignore\" al buscar archivos.",
+ "useGlobalIgnoreFiles": "Controla si deben usarse archivos \".ignore\" y \".gitignore\" globables cuando se buscan archivos.",
+ "search.quickOpen.includeSymbols": "Indica si se incluyen resultados de una búsqueda global de símbolos en los resultados de archivos de Quick Open.",
+ "search.quickOpen.includeHistory": "Indica si se incluyen resultados de archivos abiertos recientemente en los resultados de archivos de Quick Open.",
+ "filterSortOrder.default": "Las entradas de historial se ordenan por pertinencia en función del valor de filtro utilizado. Las entradas más pertinentes aparecen primero.",
+ "filterSortOrder.recency": "Las entradas de historial se ordenan por uso reciente. Las entradas abiertas más recientemente aparecen primero.",
+ "filterSortOrder": "Controla el orden de clasificación del historial del editor en apertura rápida al filtrar.",
+ "search.followSymlinks": "Controla si debe seguir enlaces simbólicos durante la búsqueda.",
+ "search.smartCase": "Buscar sin distinción de mayúsculas y minúsculas si el patrón es todo en minúsculas; de lo contrario, buscar con distinción de mayúsculas y minúsculas.",
+ "search.globalFindClipboard": "Controla si la vista de búsqueda debe leer o modificar el portapapeles de búsqueda compartido en macOS.",
+ "search.location": "Controla si la búsqueda se muestra como una vista en la barra lateral o como un panel en el área de paneles para disponer de más espacio horizontal.",
+ "search.location.deprecationMessage": "Esta opción está en desuso. Use arrastrar y colocar en lugar de arrastrar el icono de búsqueda.",
+ "search.collapseResults.auto": "Los archivos con menos de 10 resultados se expanden. El resto están colapsados.",
+ "search.collapseAllResults": "Controla si los resultados de la búsqueda estarán contraídos o expandidos.",
+ "search.useReplacePreview": "Controla si debe abrirse la vista previa de reemplazo cuando se selecciona o reemplaza una coincidencia.",
+ "search.showLineNumbers": "Controla si deben mostrarse los números de línea en los resultados de la búsqueda.",
+ "search.usePCRE2": "Si se utiliza el motor de expresión regular PCRE2 en la búsqueda de texto. Esto permite utilizar algunas características avanzadas de regex como la búsqueda anticipada y las referencias inversas. Sin embargo, no todas las características de PCRE2 son compatibles: solo las características que también admite JavaScript.",
+ "usePCRE2Deprecated": "En desuso. Se usará PCRE2 automáticamente al utilizar características de regex que solo se admiten en PCRE2.",
+ "search.actionsPositionAuto": "Posicione el actionbar a la derecha cuando la vista de búsqueda es estrecha, e inmediatamente después del contenido cuando la vista de búsqueda es amplia.",
+ "search.actionsPositionRight": "Posicionar siempre el actionbar a la derecha.",
+ "search.actionsPosition": "Controla el posicionamiento de la actionbar en las filas en la vista de búsqueda.",
+ "search.searchOnType": "Busque todos los archivos a medida que escribe.",
+ "search.seedWithNearestWord": "Habilite la búsqueda de propagación a partir de la palabra más cercana al cursor cuando el editor activo no tiene ninguna selección.",
+ "search.seedOnFocus": "Actualiza la consulta de búsqueda del área de trabajo al texto seleccionado del editor al enfocar la vista de búsqueda. Esto ocurre al hacer clic o al desencadenar el comando \"workbench.views.search.focus\".",
+ "search.searchOnTypeDebouncePeriod": "Cuando '#search.searchOnType' está habilitado, controla el tiempo de espera en milisegundos entre un carácter que se escribe y el inicio de la búsqueda. No tiene ningún efecto cuando 'search.searchOnType' está deshabilitado.",
+ "search.searchEditor.doubleClickBehaviour.selectWord": "Al hacer doble clic, se selecciona la palabra bajo el cursor.",
+ "search.searchEditor.doubleClickBehaviour.goToLocation": "Al hacer doble clic, se abre el resultado en el grupo de editor activo.",
+ "search.searchEditor.doubleClickBehaviour.openLocationToSide": "Al hacer doble clic se abre el resultado en el grupo del editor a un lado, creando uno si aún no existe.",
+ "search.searchEditor.doubleClickBehaviour": "Configure el efecto de hacer doble clic en un resultado en un editor de búsqueda.",
+ "search.searchEditor.reusePriorSearchConfiguration": "Cuando está habilitado, los nuevos editores de búsqueda reutilizarán los elementos de inclusión, los elementos de exclusión y las marcas del editor de búsqueda abierto anteriormente",
+ "search.searchEditor.defaultNumberOfContextLines": "Número predeterminado de líneas de contexto circundantes que se van a usar al crear editores de búsqueda. Si se utiliza \"#search. searchEditor.reusePriorSearchConfiguration#\", se puede establecer en \"null\" (vacío) para usar la configuración del editor de búsqueda anterior.",
+ "searchSortOrder.default": "Los resultados se ordenan por nombre de carpeta y archivo, en orden alfabético.",
+ "searchSortOrder.filesOnly": "Los resultados estan ordenados alfabéticamente por nombres de archivo, ignorando el orden de las carpetas.",
+ "searchSortOrder.type": "Los resultados se ordenan por extensiones de archivo, en orden alfabético.",
+ "searchSortOrder.modified": "Los resultados se ordenan por la última fecha de modificación del archivo, en orden descendente.",
+ "searchSortOrder.countDescending": "Los resultados se ordenan de forma descendente por conteo de archivos.",
+ "searchSortOrder.countAscending": "Los resultados se ordenan por recuento por archivo, en orden ascendente.",
+ "search.sortOrder": "Controla el orden de los resultados de búsqueda.",
+ "miViewSearch": "&&Buscar",
+ "miGotoSymbolInWorkspace": "Ir al símbolo en el área &&de trabajo..."
+ },
+ "vs/workbench/contrib/search/browser/searchView": {
+ "searchCanceled": "La búsqueda se canceló antes de poder encontrar resultados - ",
+ "moreSearch": "Alternar detalles de la búsqueda",
+ "searchScope.includes": "archivos para incluir",
+ "label.includes": "Buscar patrones de inclusión",
+ "searchScope.excludes": "archivos para excluir",
+ "label.excludes": "Buscar patrones de exclusión",
+ "replaceAll.confirmation.title": "Reemplazar todo",
+ "replaceAll.confirm.button": "&&Reemplazar",
+ "replaceAll.occurrence.file.message": "{0} aparición reemplazada en {1} archivo por \"{2}\".",
+ "removeAll.occurrence.file.message": "Se ha reemplazado {0} repetición en {1} archivo.",
+ "replaceAll.occurrence.files.message": "{0} aparición reemplazada en {1} archivos por \"{2}\".",
+ "removeAll.occurrence.files.message": "{0} aparición reemplazada en {1} archivos.",
+ "replaceAll.occurrences.file.message": "{0} apariciones reemplazadas en {1} archivo por \"{2}\".",
+ "removeAll.occurrences.file.message": "Se han reemplazado {0} repeticiones en {1} archivo.",
+ "replaceAll.occurrences.files.message": "{0} apariciones reemplazadas en {1} archivos por \"{2}\".",
+ "removeAll.occurrences.files.message": "{0} apariciones reemplazadas en {1} archivos.",
+ "removeAll.occurrence.file.confirmation.message": "¿Reemplazar {0} aparición en {1} archivo por \"{2}\"?",
+ "replaceAll.occurrence.file.confirmation.message": "¿Reemplazar {0} repetición en {1} archivo?",
+ "removeAll.occurrence.files.confirmation.message": "¿Reemplazar {0} aparición en {1} archivos por \"{2}\"?",
+ "replaceAll.occurrence.files.confirmation.message": "¿Reemplazar {0} aparición en {1} archivos?",
+ "removeAll.occurrences.file.confirmation.message": "¿Reemplazar {0} apariciones en {1} archivo por \"{2}\"?",
+ "replaceAll.occurrences.file.confirmation.message": "¿Reemplazar {0} repeticiones en {1} archivo?",
+ "removeAll.occurrences.files.confirmation.message": "¿Reemplazar {0} apariciones en {1} archivos por \"{2}\"?",
+ "replaceAll.occurrences.files.confirmation.message": "¿Reemplazar {0} apariciones en {1} archivos?",
+ "emptySearch": "Búsqueda vacía",
+ "ariaSearchResultsClearStatus": "Los resultados de la búsqueda se han borrado",
+ "searchPathNotFoundError": "No se encuentra la ruta de búsqueda: {0}",
+ "searchMaxResultsWarning": "El conjunto de resultados solo contiene un subconjunto de todas las coincidencias. Sea más específico en la búsqueda para acotar los resultados.",
+ "noResultsIncludesExcludes": "No se encontraron resultados en '{0}' con exclusión de '{1}' - ",
+ "noResultsIncludes": "No se encontraron resultados en '{0}' - ",
+ "noResultsExcludes": "No se encontraron resultados con exclusión de '{0}' - ",
+ "noResultsFound": "No se encontraron resultados. Revise la configuración para configurar exclusiones y verificar sus archivos gitignore -",
+ "rerunSearch.message": "Buscar de nuevo",
+ "rerunSearchInAll.message": "Buscar de nuevo en todos los archivos",
+ "openSettings.message": "Abrir configuración",
+ "openSettings.learnMore": "Más información",
+ "ariaSearchResultsStatus": "La búsqueda devolvió {0} resultados en {1} archivos",
+ "forTerm": " - Buscar: {0}",
+ "useIgnoresAndExcludesDisabled": "- las configuraciones de exclusión y de ficheros a ignorar están deshabilitadas",
+ "openInEditor.message": "Abrir en el editor",
+ "openInEditor.tooltip": "Copiar los resultados de búsqueda actuales en un editor",
+ "search.file.result": "{0} resultado en {1} archivo",
+ "search.files.result": "{0} resultado en {1} archivos",
+ "search.file.results": "{0} resultados en {1} archivo",
+ "search.files.results": "{0} resultados en {1} archivos",
+ "searchWithoutFolder": "No ha abierto ni especificado una carpeta. Solo se buscan actualmente los archivos abiertos -",
+ "openFolder": "Abrir carpeta"
+ },
+ "vs/workbench/contrib/search/browser/searchActions": {
+ "showSearch": "Mostrar búsqueda",
+ "replaceInFiles": "Reemplazar en archivos",
+ "toggleTabs": "Alternar búsqueda en tipo",
+ "RefreshAction.label": "Actualizar",
+ "CollapseDeepestExpandedLevelAction.label": "Contraer todo",
+ "ExpandAllAction.label": "Expandir todo",
+ "ToggleCollapseAndExpandAction.label": "Alternar Contraer y expandir",
+ "ClearSearchResultsAction.label": "Borrar resultados de la búsqueda",
+ "CancelSearchAction.label": "Cancelar búsqueda",
+ "FocusNextSearchResult.label": "Centrarse en el siguiente resultado de la búsqueda",
+ "FocusPreviousSearchResult.label": "Centrarse en el anterior resultado de la búsqueda",
+ "RemoveAction.label": "Descartar",
+ "file.replaceAll.label": "Reemplazar todo",
+ "match.replace.label": "Reemplazar"
+ },
+ "vs/workbench/contrib/search/browser/symbolsQuickAccess": {
+ "noSymbolResults": "No hay ningún símbolo del área de trabajo coincidente.",
+ "openToSide": "Abrir en el lateral",
+ "openToBottom": "Abrir en la parte inferior"
+ },
+ "vs/workbench/contrib/search/browser/anythingQuickAccess": {
+ "noAnythingResults": "No hay ningún resultado coincidente.",
+ "recentlyOpenedSeparator": "abiertos recientemente",
+ "fileAndSymbolResultsSeparator": "resultados de archivos y símbolos",
+ "fileResultsSeparator": "resultados de archivos",
+ "filePickAriaLabelDirty": "{0}, con modificaciones",
+ "openToSide": "Abrir en el lateral",
+ "openToBottom": "Abrir en la parte inferior",
+ "closeEditor": "Quitar de abiertos recientemente"
+ },
+ "vs/workbench/contrib/search/browser/searchWidget": {
+ "search.action.replaceAll.disabled.label": "Reemplazar todo (Enviar búsqueda para habilitar)",
+ "search.action.replaceAll.enabled.label": "Reemplazar todo",
+ "search.replace.toggle.button.title": "Alternar reemplazar",
+ "label.Search": "Búsqueda: Escriba el término de búsqueda y presione Entrar para buscar",
+ "search.placeHolder": "Buscar",
+ "showContext": "Alternar las líneas de contexto",
+ "label.Replace": "Reemplazar: Escriba el término de reemplazo y presione Entrar para obtener una vista previa",
+ "search.replace.placeHolder": "Reemplazar"
+ },
+ "vs/workbench/contrib/search/browser/searchIcons": {
+ "searchDetailsIcon": "Icono para hacer visibles los detalles de la búsqueda.",
+ "searchShowContextIcon": "Icono para alternar el contexto en el editor de búsqueda.",
+ "searchHideReplaceIcon": "Icono para contraer la sección de reemplazo en la vista de búsqueda.",
+ "searchShowReplaceIcon": "Icono para expandir la sección de reemplazo en la vista de búsqueda.",
+ "searchReplaceAllIcon": "Icono para reemplazar todo en la vista de búsqueda.",
+ "searchReplaceIcon": "Icono de reemplazo en la vista de búsqueda.",
+ "searchRemoveIcon": "Icono para quitar el resultado de una búsqueda.",
+ "searchRefreshIcon": "Icono para actualizar en la vista de búsqueda.",
+ "searchCollapseAllIcon": "Icono para contraer los resultados en la vista de búsqueda.",
+ "searchExpandAllIcon": "Icono para expandir los resultados en la vista de búsqueda.",
+ "searchClearIcon": "Icono para borrar los resultados en la vista de búsqueda.",
+ "searchStopIcon": "Icono para detener en la vista de búsqueda.",
+ "searchViewIcon": "Vea el icono de la vista de búsqueda.",
+ "searchNewEditorIcon": "Icono de la acción para abrir un nuevo editor de búsqueda."
+ },
+ "vs/workbench/contrib/search/browser/patternInputWidget": {
+ "defaultLabel": "Entrada",
+ "useExcludesAndIgnoreFilesDescription": "Usar la Configuración de Exclusión e Ignorar Archivos"
+ },
+ "vs/workbench/contrib/search/browser/searchResultsView": {
+ "searchFolderMatch.other.label": "Otros archivos",
+ "searchFileMatches": "{0} archivos encontrados",
+ "searchFileMatch": "{0} archivo encontrado",
+ "searchMatches": "{0} coincidencias encontradas",
+ "searchMatch": "{0} coincidencia encontrada",
+ "lineNumStr": "Desde la línea {0}",
+ "numLinesStr": "{0} líneas más",
+ "search": "Buscar",
+ "folderMatchAriaLabel": "{0} coincidencias en la carpeta raíz {1}, resultados de la búsqueda",
+ "otherFilesAriaLabel": "{0} coincidencias fuera del área de trabajo, resultado de la búsqueda",
+ "fileMatchAriaLabel": "{0} coincidencias en el archivo {1} de la carpeta {2}, resultados de la búsqueda",
+ "replacePreviewResultAria": "Reemplazar el termino {0} con {1} en la columna con posición {2} en la línea de texto {3}",
+ "searchResultAria": "Encontró el término {0} en la columna de posición {1} en la línea con el texto {2}."
+ },
+ "vs/workbench/contrib/search/common/queryBuilder": {
+ "search.noWorkspaceWithName": "Ninguna carpeta en el área de trabajo tiene el nombre: {0}"
+ },
+ "vs/workbench/contrib/search/browser/replaceService": {
+ "fileReplaceChanges": "{0} ↔ {1} (Reemplazar vista previa) "
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditor.contribution": {
+ "searchEditor": "Editor de búsqueda",
+ "search": "Editor de búsqueda",
+ "searchEditor.deleteResultBlock": "Eliminar resultados del archivo",
+ "search.openNewSearchEditor": "Nuevo editor de búsqueda",
+ "search.openSearchEditor": "Abrir editor de búsqueda",
+ "search.openNewEditorToSide": "Abrir nuevo editor de búsqueda en el lateral",
+ "search.openResultsInEditor": "Abrir resultados en el editor",
+ "search.rerunSearchInEditor": "Buscar de nuevo",
+ "search.action.focusQueryEditorWidget": "Foco en la entrada del editor de búsqueda",
+ "searchEditor.action.toggleSearchEditorCaseSensitive": "Alternar Coincidir mayúsculas y minúsculas",
+ "searchEditor.action.toggleSearchEditorWholeWord": "Alternar Solo palabras completas",
+ "searchEditor.action.toggleSearchEditorRegex": "Alternar Usar expresión regular",
+ "searchEditor.action.toggleSearchEditorContextLines": "Alternar las líneas de contexto",
+ "searchEditor.action.increaseSearchEditorContextLines": "Aumentar las líneas de contexto",
+ "searchEditor.action.decreaseSearchEditorContextLines": "Reducir las líneas de contexto",
+ "searchEditor.action.selectAllSearchEditorMatches": "Seleccionar todas las coincidencias"
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditorActions": {
+ "search.openNewEditor": "Abrir nuevo Editor de búsqueda"
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditor": {
+ "moreSearch": "Alternar detalles de la búsqueda",
+ "searchScope.includes": "archivos para incluir",
+ "label.includes": "Buscar patrones de inclusión",
+ "searchScope.excludes": "archivos para excluir",
+ "label.excludes": "Buscar patrones de exclusión",
+ "runSearch": "Ejecutar búsqueda",
+ "searchResultItem": "Coincidencia de {0} en {1} en el archivo {2}",
+ "searchEditor": "Buscar",
+ "textInputBoxBorder": "Borde del cuadro de entrada de texto del editor de búsqueda."
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditorInput": {
+ "searchTitle.withQuery": "Buscar: {0}",
+ "searchTitle": "Buscar"
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditorSerialization": {
+ "invalidQueryStringError": "Todas las barras diagonales inversas en la cadena de consulta deben tener escape (\\\\)",
+ "numFiles": "Archivos de {0}",
+ "oneFile": "1 archivo",
+ "numResults": "{0} resultados",
+ "oneResult": "1 resultado",
+ "noResults": "No hay resultados",
+ "searchMaxResultsWarning": "El conjunto de resultados solo contiene un subconjunto de todas las coincidencias. Sea más específico en la búsqueda para acotar los resultados."
+ },
+ "vs/workbench/contrib/snippets/browser/snippets.contribution": {
+ "snippetSchema.json.prefix": "El prefijo que se debe usar al seleccionar el fragmento de código en Intellisense",
+ "snippetSchema.json.body": "El contenido del fragmento. Utilice \"$1\", \"${1:defaultText}\" para definir las posiciones del cursor, utilice \"$0\" para la posición del cursor final. Inserte valores de variable con \"${varName}\" y \"${varName:defaultText}\", por ejemplo, \"Este es el archivo: $TM_FILENAME\".",
+ "snippetSchema.json.description": "La descripción del fragmento de código.",
+ "snippetSchema.json.default": "Fragmento de código vacío",
+ "snippetSchema.json": "Configuración de fragmento de código del usuario",
+ "snippetSchema.json.scope": "Una lista de nombres de lenguaje a los que se aplica este fragmento, por ejemplo, \"typescript,javascript\"."
+ },
+ "vs/workbench/contrib/snippets/browser/insertSnippet": {
+ "snippet.suggestions.label": "Insertar fragmento de código",
+ "sep.userSnippet": "Fragmentos de código de usuario",
+ "sep.extSnippet": "Fragmentos de código de extensión",
+ "sep.workspaceSnippet": "Fragmentos de código de área de trabajo",
+ "disableSnippet": "Ocultar en IntelliSense",
+ "isDisabled": "(oculto en IntelliSense)",
+ "enable.snippet": "Mostrar en IntelliSense",
+ "pick.placeholder": "Seleccionar un fragmento de código"
+ },
+ "vs/workbench/contrib/snippets/browser/snippetsService": {
+ "invalid.path.0": "Se esperaba una cadena en 'contributes.{0}.path'. Valor proporcionado: {1}",
+ "invalid.language.0": "Al omitir el lenguaje, el valor de 'contributes. {0}. Path' debe ser un archivo '. Code-snippets'. Valor proporcionado: {1}",
+ "invalid.language": "Lenguaje desconocido en \"contributes.{0}.language\". Valor proporcionado: {1}",
+ "invalid.path.1": "Se esperaba que \"contributes.{0}.path\" ({1}) se incluyera en la carpeta de la extensión ({2}). Esto puede hacer que la extensión no sea portátil.",
+ "vscode.extension.contributes.snippets": "Aporta fragmentos de código.",
+ "vscode.extension.contributes.snippets-language": "Identificador del lenguaje al que se aporta este fragmento de código.",
+ "vscode.extension.contributes.snippets-path": "Ruta de acceso del archivo de fragmentos de código. La ruta es relativa a la carpeta de extensión y normalmente empieza por \"./snippets/\".",
+ "badVariableUse": "Es muy probable que uno o más fragmentos de la extensión \"{0}\" confundan las variables de fragmento de código y los marcadores de posición de fragmento de código (consulte https://code.visualstudio.com/docs/editor/userdefinedsnippets#_snippet-syntax para obtener más detalles)",
+ "badFile": "No se pudo leer el archivo del fragmento \"{0}\"."
+ },
+ "vs/workbench/contrib/snippets/browser/configureSnippets": {
+ "global.scope": "(global)",
+ "global.1": "({0})",
+ "name": "Escriba el nombre del archivo de fragmento de código",
+ "bad_name1": "Nombre de archivo no válido",
+ "bad_name2": "\"{0}\" no es un nombre de archivo válido",
+ "bad_name3": "\"{0}\" ya existe",
+ "new.global_scope": "GLOBAL",
+ "new.global": "Nuevo archivo de fragmentos globales...",
+ "new.workspace_scope": "área de trabajo de {0}",
+ "new.folder": "Nuevo archivo de fragmentos para \"{0}\"...",
+ "group.global": "Fragmentos existentes",
+ "new.global.sep": "Nuevos fragmentos de código",
+ "openSnippet.pickLanguage": "Seleccione Archivo de fragmentos o Crear fragmentos de código",
+ "openSnippet.label": "Configurar fragmentos de usuario ",
+ "preferences": "Preferencias",
+ "miOpenSnippets": "&&Fragmentos de código del usuario",
+ "userSnippets": "Fragmentos de código de usuario"
+ },
+ "vs/workbench/contrib/snippets/browser/snippetsFile": {
+ "source.workspaceSnippetGlobal": "Fragmento de área de trabajo",
+ "source.userSnippetGlobal": "Fragmento del usuario global",
+ "source.userSnippet": "Fragmento de código del usuario"
+ },
+ "vs/workbench/contrib/snippets/browser/snippetCompletionProvider": {
+ "detail.snippet": "{0} ({1})",
+ "snippetSuggest.longLabel": "{0}, {1}"
+ },
+ "vs/workbench/contrib/surveys/browser/nps.contribution": {
+ "surveyQuestion": "¿Le importaría realizar una breve encuesta de opinión?",
+ "takeSurvey": "Realizar encuesta",
+ "remindLater": "Recordármelo más tarde",
+ "neverAgain": "No volver a mostrar"
+ },
+ "vs/workbench/contrib/surveys/browser/languageSurveys.contribution": {
+ "helpUs": "Ayúdenos a mejorar nuestro soporte para {0}",
+ "takeShortSurvey": "Realizar una breve encuesta",
+ "remindLater": "Recordármelo más tarde",
+ "neverAgain": "No volver a mostrar"
+ },
+ "vs/workbench/contrib/tags/electron-browser/workspaceTagsService": {
+ "workspaceFound": "Esta carpeta contiene un archivo de área de trabajo \"{0}\". ¿Desea abrirlo? [Más información] ({1}) acerca de los archivos del área de trabajo.",
+ "openWorkspace": "Abrir área de trabajo",
+ "workspacesFound": "Esta carpeta contiene varios archivos de área de trabajo. ¿Desea abrir uno? [Más información]({0}) acerca de los archivos de área de trabajo.",
+ "selectWorkspace": "Seleccione el área de trabajo",
+ "selectToOpen": "Seleccione el área de trabajo para abrir"
+ },
+ "vs/workbench/contrib/tasks/electron-browser/taskService": {
+ "TaskSystem.runningTask": "Hay una tarea en ejecución. ¿Quiere finalizarla?",
+ "TaskSystem.terminateTask": "&&Finalizar tarea",
+ "TaskSystem.noProcess": "La tarea iniciada ya no existe. Si la tarea generó procesos en segundo plano al salir de VS Code, puede dar lugar a procesos huérfanos. Para evitarlo, inicie el último proceso en segundo plano con una marca de espera.",
+ "TaskSystem.exitAnyways": "&&Salir de todos modos"
+ },
+ "vs/workbench/contrib/tasks/common/tasks": {
+ "tasksCategory": "Tareas",
+ "TaskDefinition.missingRequiredProperty": "Error: al identificador de tarea '{0}' le está faltando la propiedad requerida '{1}'. El identificador de tarea será ignorado. "
+ },
+ "vs/workbench/contrib/tasks/common/taskConfiguration": {
+ "ConfigurationParser.invalidCWD": "Advertencia: El tipo de options.cwd debe ser una cadena. Ignorando el valor {0}\r\n",
+ "ConfigurationParser.inValidArg": "Error: El argumento de comando debe ser una cadena o una cadena entrecomillada. El valor proporcionado es:\r\n{0}",
+ "ConfigurationParser.noShell": "Advertencia: La configuración del shell solo se admite al ejecutar tareas en el terminal.",
+ "ConfigurationParser.noName": "Error: El buscador de coincidencias de problemas del ámbito de declaración debe tener un nombre:\r\n{0}\r\n",
+ "ConfigurationParser.unknownMatcherKind": "Advertencia: El buscador de coincidencias de problemas definido es desconocido. Los tipos admitidos son string | ProblemMatcher | Array.\r\n{0}\r\n",
+ "ConfigurationParser.invalidVariableReference": "Error: Referencia a problemMatcher no válida: {0}\r\n",
+ "ConfigurationParser.noTaskType": "Error: La configuración de tareas debe tener una propiedad de tipo. La configuración se ignorará.\r\n{0}\r\n",
+ "ConfigurationParser.noTypeDefinition": "Error: No hay ningún tipo de tarea \"{0}\" registrado. ¿Omitió la instalación de una extensión que proporciona un proveedor de tareas correspondiente?",
+ "ConfigurationParser.missingType": "Error: en la configuración de tarea '{0}' está faltando la propiedad requerida 'tipo'. La configuración de la tarea será ignorada. ",
+ "ConfigurationParser.incorrectType": "Error: La configuración de tarea \"{0}\" utiliza un tipo desconocido, por lo que se va a omitir.",
+ "ConfigurationParser.notCustom": "Error: Las tareas no están declaradas como una tarea personalizada. La configuración se ignorará.\r\n{0}\r\n",
+ "ConfigurationParser.noTaskName": "Error: Una tarea debe proporcionar una propiedad de etiqueta. La tarea se ignorará.\r\n{0}\r\n",
+ "taskConfiguration.providerUnavailable": "Advertencia: {0} tareas no están disponibles en el entorno actual.\r\n",
+ "taskConfiguration.noCommandOrDependsOn": "Error: La tarea \"{0}\" no especifica un comando ni una propiedad dependsOn y se ignorará. Su definición es:\r\n{1}",
+ "taskConfiguration.noCommand": "Error: La tarea \"{0}\" no define un comando y se ignorará. Su definición es:\r\n{1}",
+ "TaskParse.noOsSpecificGlobalTasks": "La version 2.0.0 de la tarea no admite tareas específicas del sistema operativo global. Conviértalas en una tarea con un comando específico del sistema operativo. Tareas afectadas:\r\n{0}"
+ },
+ "vs/workbench/contrib/tasks/node/processTaskSystem": {
+ "version1_0": "El sistema de tareas está configurado para la versión 0.1.0 (vea el archivo tasks.json), que solo puede ejecutar tareas personalizadas. Actualice a la versión 2.0.0 para ejecutar la tarea {0}.",
+ "TaskRunnerSystem.unknownError": "Error desconocido durante la ejecución de una tarea. Vea el registro de resultados de la tarea para obtener más detalles.",
+ "TaskRunnerSystem.watchingBuildTaskFinished": "\r\nLa inspección de las tareas de compilación ha finalizado.",
+ "TaskRunnerSystem.childProcessError": "Error al iniciar programa externo {0} {1}.",
+ "TaskRunnerSystem.cancelRequested": "\r\nLa tarea \"{0}\" se finalizó por solicitud del usuario.",
+ "unknownProblemMatcher": "No se puede resolver el buscador de coincidencias de problemas {0} y se ignorará"
+ },
+ "vs/workbench/contrib/tasks/node/processRunnerDetector": {
+ "TaskSystemDetector.noGulpTasks": "Al ejecutar --tasks-simple de Gulp no se enumera ninguna tarea. ¿Ha ejecutado \"npm install\"?",
+ "TaskSystemDetector.noJakeTasks": "Al ejecutar --tasks de jake no se enumera ninguna tarea. ¿Ha ejecutado \"npm install\"?",
+ "TaskSystemDetector.noGulpProgram": "Gulp no está instalado en el sistema. Ejecute \"npm install -g gulp\" para instalarlo.",
+ "TaskSystemDetector.noJakeProgram": "Jake no está instalado en el sistema. Ejecute \"npm install -g jake\" para instalarlo.",
+ "TaskSystemDetector.noGruntProgram": "Grunt no está instalado en el sistema. Ejecute \"npm install -g grunt\" para instalarlo.",
+ "TaskSystemDetector.noProgram": "El programa {0} no se encontró. El mensaje es {1}",
+ "TaskSystemDetector.buildTaskDetected": "Se detectó una tarea de compilación llamada '{0}'.",
+ "TaskSystemDetector.testTaskDetected": "Se detectó una tarea de prueba llamada '{0}'."
+ },
+ "vs/workbench/contrib/tasks/browser/abstractTaskService": {
+ "ConfigureTaskRunnerAction.label": "Configurar tarea",
+ "tasks": "Tareas",
+ "TaskSystem.noHotSwap": "Cambiar el motor de ejecución de tareas con una tarea activa ejecutandose, requiere recargar la ventana",
+ "reloadWindow": "Recargar ventana",
+ "TaskService.pickBuildTaskForLabel": "Seleccionar la tarea de compilación (no hay tarea de compilación predeterminada definida)",
+ "taskServiceOutputPrompt": "Hay errores de tarea. Consulte la salida para obtener más información.",
+ "showOutput": "Mostrar salida",
+ "TaskServer.folderIgnored": "La carpeta {0} se pasa por alto puesto que utiliza la versión 0.1.0 de las tareas",
+ "TaskService.providerUnavailable": "Advertencia: {0} tareas no están disponibles en el entorno actual.\r\n",
+ "TaskService.noBuildTask1": "No se ha definido ninguna tarea de compilación. Marque una tarea con \"isBuildCommand\" en el archivo tasks.json.",
+ "TaskService.noBuildTask2": "No se ha definido ninguna tarea de compilación. Marque una tarea con un grupo \"build\" en el archivo tasks.json. ",
+ "TaskService.noTestTask1": "No se ha definido ninguna tarea de prueba. Marque una tarea con \"isTestCommand\" en el archivo tasks.json.",
+ "TaskService.noTestTask2": "No se ha definido ninguna tarea de prueba. Marque una tarea con \"test\" en el archivo tasks.json.",
+ "TaskServer.noTask": "La tarea que se ejecutará está sin definir",
+ "TaskService.associate": "Asociar",
+ "TaskService.attachProblemMatcher.continueWithout": "Continuar sin examinar la salida de la tarea",
+ "TaskService.attachProblemMatcher.never": "No escanear nunca la salida de la tarea para esta tarea",
+ "TaskService.attachProblemMatcher.neverType": "No examinar nunca la salida de la tarea para las tareas {0}",
+ "TaskService.attachProblemMatcher.learnMoreAbout": "Más información acerca del examen de la salida de la tarea",
+ "selectProblemMatcher": "Seleccione qué tipo de errores y advertencias deben buscarse durante el examen de la salida de la tarea",
+ "customizeParseErrors": "La configuración actual de tareas contiene errores. Antes de personalizar una tarea, corrija los errores.",
+ "tasksJsonComment": "\t// Consulte https://go.microsoft.com/fwlink/?LinkId=733558 \r\n\t// para ver la documentación sobre el formato tasks.json",
+ "moreThanOneBuildTask": "Hay muchas tareas de compilación definidas en tasks.json. Ejecutando la primera.\r\n",
+ "TaskSystem.saveBeforeRun.prompt.title": "¿Quiere guardar todos los editores?",
+ "saveBeforeRun.save": "Guardar",
+ "saveBeforeRun.dontSave": "No guardar",
+ "detail": "¿Quiere guardar todos los editores antes de ejecutar la tarea?",
+ "TaskSystem.activeSame.noBackground": "La tarea \"{0}\" ya está activa.",
+ "terminateTask": "Finalizar tarea",
+ "restartTask": "Reiniciar tarea",
+ "TaskSystem.active": "Ya hay una tarea en ejecución. Finalícela antes de ejecutar otra tarea.",
+ "TaskSystem.restartFailed": "No se pudo terminar y reiniciar la tarea {0}",
+ "unexpectedTaskType": "El proveedor de tareas \"{0}\" ha proporcionado inesperadamente una tarea de tipo \"{1}\".\r\n",
+ "TaskService.noConfiguration": "Error: La detección de tareas de {0} no aportó ninguna tarea para la configuración siguiente:\r\n{1}\r\nLa tarea se ignorará.\r\n",
+ "TaskSystem.configurationErrors": "Error: La configuración de la tarea proporcionada tiene errores de validación y no se puede usar. Corrija los errores primero.",
+ "TaskSystem.invalidTaskJsonOther": "Error: El contenido de las tareas json de {0} tiene errores de sintaxis. Corríjalos antes de ejecutar una tarea.\r\n",
+ "TasksSystem.locationWorkspaceConfig": "archivo del área de trabajo",
+ "TaskSystem.versionWorkspaceFile": "Solo se permiten tareas versión 2.0.0 en .codeworkspace.",
+ "TasksSystem.locationUserConfig": "Configuración de usuario",
+ "TaskSystem.versionSettings": "Solo se permiten tareas versión 2.0.0 en la configuración del usuario.",
+ "taskService.ignoreingFolder": "Ignorando las configuraciones de tareas de la carpeta del área de trabajo {0}. La compatibilidad con tareas del área de trabajo de varias carpetas requiere que todas las carpetas usen la versión de tarea 2.0.0\r\n",
+ "TaskSystem.invalidTaskJson": "Error: El contenido del archivo tasks.json tiene errores de sintaxis. Corríjalos antes de ejecutar una tarea.\r\n",
+ "TerminateAction.label": "Finalizar tarea",
+ "TaskSystem.unknownError": "Error durante la ejecución de una tarea. Consulte el registro de tareas para obtener más detalles.",
+ "configureTask": "Configurar tarea",
+ "recentlyUsed": "tareas usadas recientemente",
+ "configured": "tareas configuradas",
+ "detected": "tareas detectadas",
+ "TaskService.ignoredFolder": "Las siguientes carpetas del área de trabajo se omitirán porque utilizan la versión 0.1.0 de la tarea: {0}",
+ "TaskService.notAgain": "No mostrar de nuevo",
+ "TaskService.pickRunTask": "Seleccionar la tarea que se ejecutará",
+ "TaskService.noEntryToRunSlow": "$(plus) Configurar una tarea",
+ "TaskService.noEntryToRun": "$(plus) Configurar una tarea",
+ "TaskService.fetchingBuildTasks": "Obteniendo tareas de compilación...",
+ "TaskService.pickBuildTask": "Seleccione la tarea de compilación para ejecutar",
+ "TaskService.noBuildTask": "No se encontraron tareas de compilación para ejecutar. Configurar tareas de compilación...",
+ "TaskService.fetchingTestTasks": "Capturando tareas de prueba...",
+ "TaskService.pickTestTask": "Seleccione la tarea de prueba para ejecutar",
+ "TaskService.noTestTaskTerminal": "No se encontraron tareas de prueba para ejecutar. Configurar tareas...",
+ "TaskService.taskToTerminate": "Seleccione una tarea para finalizar",
+ "TaskService.noTaskRunning": "Ninguna tarea se está ejecutando actualmente",
+ "TaskService.terminateAllRunningTasks": "Todas las tareas en ejecución",
+ "TerminateAction.noProcess": "El proceso iniciado ya no existe. Si la tarea generó procesos en segundo plano al salir de VS Code, puede dar lugar a procesos huérfanos.",
+ "TerminateAction.failed": "No se pudo finalizar la tarea en ejecución",
+ "TaskService.taskToRestart": "Seleccione la tarea para reiniciar",
+ "TaskService.noTaskToRestart": "No hay tareas para reiniciar",
+ "TaskService.template": "Seleccione una plantilla de tarea",
+ "taskQuickPick.userSettings": "Configuración de usuario",
+ "TaskService.createJsonFile": "Crear archivo tasks.json desde plantilla",
+ "TaskService.openJsonFile": "Abrir archivo tasks.json",
+ "TaskService.pickTask": "Seleccione una tarea para configurar",
+ "TaskService.defaultBuildTaskExists": "{0} está marcado ya como la tarea de compilación predeterminada",
+ "TaskService.pickDefaultBuildTask": "Seleccione la tarea que se va a utilizar como tarea de compilación predeterminada",
+ "TaskService.defaultTestTaskExists": "{0} ya se ha marcado como la tarea de prueba predeterminada.",
+ "TaskService.pickDefaultTestTask": "Seleccione la tarea que se va a usar como la tarea de prueba predeterminada ",
+ "TaskService.pickShowTask": "Seleccione la tarea de la que desea ver la salida",
+ "TaskService.noTaskIsRunning": "Ninguna tarea se está ejecutando"
+ },
+ "vs/workbench/contrib/tasks/browser/terminalTaskSystem": {
+ "TerminalTaskSystem.unknownError": "Error desconocido durante la ejecución de una tarea. Vea el registro de resultados de la tarea para obtener más detalles.",
+ "dependencyCycle": "Hay un ciclo de dependencia. Vea la tarea \"{0}\".",
+ "dependencyFailed": "No se pudo resolver la tarea dependiente '{0}' en la carpeta del área de trabajo '{1}'",
+ "TerminalTaskSystem.nonWatchingMatcher": "La tarea {0} es una tarea en segundo plano, pero utiliza un buscador de coincidencias de problemas sin un patrón en segundo plano",
+ "TerminalTaskSystem.terminalName": "Tarea - {0}",
+ "closeTerminal": "Pulse cualquier tecla para cerrar el terminal",
+ "reuseTerminal": "Las tareas reutilizarán el terminal, presione cualquier tecla para cerrarlo.",
+ "TerminalTaskSystem": "No se puede ejecutar un comando Shell en una unidad UNC mediante cmd.exe.",
+ "unknownProblemMatcher": "No se puede resolver el buscador de coincidencias de problemas {0} y se ignorará"
+ },
+ "vs/workbench/contrib/tasks/browser/task.contribution": {
+ "building": "Compilando...",
+ "numberOfRunningTasks": "{0} tareas en ejecución",
+ "runningTasks": "Mostrar tareas en ejecución",
+ "status.runningTasks": "Tareas en ejecución",
+ "miRunTask": "&&Ejecutar tarea...",
+ "miBuildTask": "Ejecutar &&tarea de compilación...",
+ "miRunningTask": "Mostrar &&tareas en ejecución...",
+ "miRestartTask": "R&&reiniciar tarea en ejecución...",
+ "miTerminateTask": "&&Finalizar tarea...",
+ "miConfigureTask": "&&Configurar tareas...",
+ "miConfigureBuildTask": "Configurar &&tarea de compilación predeterminada...",
+ "workbench.action.tasks.openWorkspaceFileTasks": "Abrir tareas del área de trabajo",
+ "ShowLogAction.label": "Mostrar registro de tareas",
+ "RunTaskAction.label": "Ejecutar tarea",
+ "ReRunTaskAction.label": "Volver a ejecutar la última tarea",
+ "RestartTaskAction.label": "Reiniciar la tarea en ejecución",
+ "ShowTasksAction.label": "Mostrar tareas en ejecución",
+ "TerminateAction.label": "Finalizar tarea",
+ "BuildAction.label": "Ejecutar tarea de compilación",
+ "TestAction.label": "Ejecutar tarea de prueba",
+ "ConfigureDefaultBuildTask.label": "Configurar tarea de compilación predeterminada",
+ "ConfigureDefaultTestTask.label": "Configurar tarea de prueba predeterminada",
+ "workbench.action.tasks.openUserTasks": "Abrir tareas de usuario",
+ "tasksQuickAccessPlaceholder": "Escriba el nombre de una tarea para ejecutarla.",
+ "tasksQuickAccessHelp": "Ejecutar tarea",
+ "tasksConfigurationTitle": "Tareas",
+ "task.problemMatchers.neverPrompt": "Configura si se debe mostrar el símbolo del sistema del emparejador del problema al ejecutar una tarea. Establézcalo en \"true\" para que no se pregunte nunca, o use un diccionario de tipos de tarea para desactivar la solicitud solo para tipos de tarea específicos.",
+ "task.problemMatchers.neverPrompt.boolean": "Establece el comportamiento de la solicitud del buscador de coincidencias de problemas para todas las tareas.",
+ "task.problemMatchers.neverPrompt.array": "Objeto que contiene pares de tareas de tipo booleano para no solicitar nunca la activación del buscador de coincidencias de problemas.",
+ "task.autoDetect": "Controla la habilitación de \"provideTasks\" para toda la extensión del proveedor de tareas. Si el comando Tasks: Run Task es lento, la deshabilitación de la detección automática para los proveedores de tareas puede ayudar. Las extensiones individuales también pueden proporcionar ajustes que deshabiliten la detección automática.",
+ "task.slowProviderWarning": "Configura si se muestra una advertencia cuando un proveedor es lento",
+ "task.slowProviderWarning.boolean": "Establece la advertencia acerca de la lentitud del proveedor para todas las tareas.",
+ "task.slowProviderWarning.array": "Matriz de tipos de tareas para no mostrar nunca la advertencia de proveedor lento.",
+ "task.quickOpen.history": "Controla el número de elementos recientes a los que se hace un seguimiento en el cuadro de diálogo de apertura rápida de la tarea.",
+ "task.quickOpen.detail": "Controla si se debe mostrar el detalle de tarea para tareas que contienen un detalle en las selecciones rápidas de tareas, como Ejecutar tarea.",
+ "task.quickOpen.skip": "Controla si la selección rápida de la tarea se omite cuando solo hay una tarea para elegir.",
+ "task.quickOpen.showAll": "Hace que el comando Tareas: Ejecutar tarea use el comportamiento \"Mostrar todo\" más lento en lugar del selector de dos niveles más rápido, en el que las tareas se agrupan por proveedor.",
+ "task.saveBeforeRun": "Guarda todos los editores con modificaciones antes de ejecutar una tarea.",
+ "task.saveBeforeRun.always": "Guarda siempre todos los editores antes de la ejecución.",
+ "task.saveBeforeRun.never": "Nunca guarda los editores antes de la ejecución.",
+ "task.SaveBeforeRun.prompt": "Pregunta si deben guardarse los editores antes de la ejecución."
+ },
+ "vs/workbench/contrib/tasks/common/taskDefinitionRegistry": {
+ "TaskDefinition.description": "Tenga en cuenta que los tipos que empiezan con ' $ ' están reservados para uso interno.",
+ "TaskDefinition.properties": "Propiedades adicionales del tipo de tarea",
+ "TaskDefinition.when": "Condición que debe ser true para habilitar este tipo de tarea. Considere la posibilidad de usar \"shellExecutionSupported\", \"processExecutionSupported\" y \"customExecutionSupported\", según corresponda, para esta definición de tarea.",
+ "TaskTypeConfiguration.noType": "La configuración del tipo de tarea no tiene la propiedad \"taskType\" requerida.",
+ "TaskDefinitionExtPoint": "Aporta tipos de tarea"
+ },
+ "vs/workbench/contrib/tasks/common/problemMatcher": {
+ "ProblemPatternParser.problemPattern.missingRegExp": "Falta una expresión regular en el patrón de problema.",
+ "ProblemPatternParser.loopProperty.notLast": "La propiedad loop solo se admite en el buscador de coincidencias de la última línea.",
+ "ProblemPatternParser.problemPattern.kindProperty.notFirst": "El patrón de problema no es válido. El tipo de propiedad debe proporcionarse solo en el primer elemento.",
+ "ProblemPatternParser.problemPattern.missingProperty": "El patrón de problema no es válido. Debe tener al menos un archivo y un mensaje.",
+ "ProblemPatternParser.problemPattern.missingLocation": "El patrón de problema no es válido. Debe tener el tipo \"file\" o un grupo de coincidencias de línea o ubicación.",
+ "ProblemPatternParser.invalidRegexp": "Error: La cadena {0} no es una expresión regular válida.\r\n",
+ "ProblemPatternSchema.regexp": "Expresión regular para encontrar un error, una advertencia o información en la salida.",
+ "ProblemPatternSchema.kind": "Indica si el patrón coincide con una ubicación (archivo y línea) o solo un archivo.",
+ "ProblemPatternSchema.file": "Índice de grupo de coincidencias del nombre de archivo. Si se omite, se usa 1.",
+ "ProblemPatternSchema.location": "Índice de grupo de coincidencias de la ubicación del problema. Los patrones de ubicación válidos son: (line), (line,column) y (startLine,startColumn,endLine,endColumn). Si se omite, se asume el uso de (line,column).",
+ "ProblemPatternSchema.line": "Índice de grupo de coincidencias de la línea del problema. Valor predeterminado: 2.",
+ "ProblemPatternSchema.column": "Índice de grupo de coincidencias del carácter de línea del problema. Valor predeterminado: 3",
+ "ProblemPatternSchema.endLine": "Índice de grupo de coincidencias de la línea final del problema. Valor predeterminado como no definido.",
+ "ProblemPatternSchema.endColumn": "Índice de grupo de coincidencias del carácter de línea final del problema. Valor predeterminado como no definido",
+ "ProblemPatternSchema.severity": "Índice de grupo de coincidencias de la gravedad del problema. Valor predeterminado como no definido.",
+ "ProblemPatternSchema.code": "Índice de grupo de coincidencias del código del problema. Valor predeterminado como no definido.",
+ "ProblemPatternSchema.message": "Índice de grupo de coincidencias del mensaje. Si se omite, el valor predeterminado es 4 en caso de definirse la ubicación. De lo contrario, el valor predeterminado es 5.",
+ "ProblemPatternSchema.loop": "En un bucle de buscador de coincidencias multilínea, indica si este patrón se ejecuta en un bucle siempre que haya coincidencias. Solo puede especificarse en el último patrón de un patrón multilínea.",
+ "NamedProblemPatternSchema.name": "Nombre del patrón de problema.",
+ "NamedMultiLineProblemPatternSchema.name": "Nombre del patrón de problema de varias líneas.",
+ "NamedMultiLineProblemPatternSchema.patterns": "Patrones reales.",
+ "ProblemPatternExtPoint": "Aporta patrones de problemas",
+ "ProblemPatternRegistry.error": "Patrón de problema no válido. Se omitirá.",
+ "ProblemMatcherParser.noProblemMatcher": "Error: La descripción no se puede convertir en un buscador de coincidencias de problemas:\r\n{0}\r\n",
+ "ProblemMatcherParser.noProblemPattern": "Error: La descripción no define un patrón de problema válido:\r\n{0}\r\n",
+ "ProblemMatcherParser.noOwner": "Error: La descripción no define un propietario:\r\n{0}\r\n",
+ "ProblemMatcherParser.noFileLocation": "Error: La descripción no define una ubicación de archivo:\r\n{0}\r\n",
+ "ProblemMatcherParser.unknownSeverity": "Información: Gravedad {0} desconocida. Los valores válidos son error, advertencia e información.\r\n",
+ "ProblemMatcherParser.noDefinedPatter": "Error: el patrón con el identificador {0} no existe.",
+ "ProblemMatcherParser.noIdentifier": "Error: La propiedad pattern hace referencia a un identificador vacío.",
+ "ProblemMatcherParser.noValidIdentifier": "Error: La propiedad pattern {0} no es un nombre de variable de patrón válido.",
+ "ProblemMatcherParser.problemPattern.watchingMatcher": "Un buscador de coincidencias de problemas debe definir tanto un patrón de inicio como un patrón de finalización para la inspección.",
+ "ProblemMatcherParser.invalidRegexp": "Error: La cadena {0} no es una expresión regular válida.\r\n",
+ "WatchingPatternSchema.regexp": "Expresión regular para detectar el principio o el final de una tarea en segundo plano.",
+ "WatchingPatternSchema.file": "Índice de grupo de coincidencias del nombre de archivo. Se puede omitir.",
+ "PatternTypeSchema.name": "Nombre de un patrón aportado o predefinido",
+ "PatternTypeSchema.description": "Patrón de problema o nombre de un patrón de problema que se ha aportado o predefinido. Se puede omitir si se especifica la base.",
+ "ProblemMatcherSchema.base": "Nombre de un buscador de coincidencias de problemas base que se va a usar.",
+ "ProblemMatcherSchema.owner": "Propietario del problema dentro de Code. Se puede omitir si se especifica \"base\". Si se omite y no se especifica \"base\", el valor predeterminado es \"external\".",
+ "ProblemMatcherSchema.source": "Una cadena legible que describe la fuente de este diagnóstico, por ejemplo \"typescript\" o \"super lint\".",
+ "ProblemMatcherSchema.severity": "Gravedad predeterminada para los problemas de capturas. Se usa si el patrón no define un grupo de coincidencias para \"severity\".",
+ "ProblemMatcherSchema.applyTo": "Controla si un problema notificado en un documento de texto se aplica solamente a los documentos abiertos, cerrados o a todos los documentos.",
+ "ProblemMatcherSchema.fileLocation": "Define cómo deben interpretarse los nombres de archivo notificados en un patrón de problema. Un elemento fileLocation relativo puede ser una matriz, donde el segundo elemento de la matriz es la ruta de acceso a la ubicación relativa del archivo.",
+ "ProblemMatcherSchema.background": "Patrones para hacer seguimiento del comienzo y el final en un comprobador activo de la tarea en segundo plano.",
+ "ProblemMatcherSchema.background.activeOnStart": "Si se establece en true, el monitor en segundo plano está en modo activo cuando se inicia la tarea. Esto es lo mismo que emitir una línea que coincida con beginsPattern",
+ "ProblemMatcherSchema.background.beginsPattern": "Si se encuentran coincidencias en la salida, se señala el inicio de una tarea en segundo plano.",
+ "ProblemMatcherSchema.background.endsPattern": "Si se encuentran coincidencias en la salida, se señala el fin de una tarea en segundo plano.",
+ "ProblemMatcherSchema.watching.deprecated": "Esta propiedad está en desuso. Use la propiedad en segundo plano.",
+ "ProblemMatcherSchema.watching": "Patrones para hacer un seguimiento del comienzo y el final de un patrón de supervisión.",
+ "ProblemMatcherSchema.watching.activeOnStart": "Si se establece en true, el monitor está en modo activo cuando la tarea empieza. Esto es equivalente a emitir una línea que coincide con beginPattern",
+ "ProblemMatcherSchema.watching.beginsPattern": "Si se encuentran coincidencias en la salida, se señala el inicio de una tarea de inspección.",
+ "ProblemMatcherSchema.watching.endsPattern": "Si se encuentran coincidencias en la salida, se señala el fin de una tarea de inspección",
+ "LegacyProblemMatcherSchema.watchedBegin.deprecated": "Esta propiedad está en desuso. Use la propiedad watching.",
+ "LegacyProblemMatcherSchema.watchedBegin": "Expresión regular que señala que una tarea inspeccionada comienza a ejecutarse desencadenada a través de la inspección de archivos.",
+ "LegacyProblemMatcherSchema.watchedEnd.deprecated": "Esta propiedad está en desuso. Use la propiedad watching.",
+ "LegacyProblemMatcherSchema.watchedEnd": "Expresión regular que señala que una tarea inspeccionada termina de ejecutarse.",
+ "NamedProblemMatcherSchema.name": "Nombre del buscador de coincidencias de problemas usado para referirse a él.",
+ "NamedProblemMatcherSchema.label": "Etiqueta en lenguaje natural del buscador de coincidencias de problemas. ",
+ "ProblemMatcherExtPoint": "Aporta buscadores de coincidencias de problemas",
+ "msCompile": "Problemas del compilador de Microsoft",
+ "lessCompile": "Menos problemas",
+ "gulp-tsc": "Problemas de Gulp TSC",
+ "jshint": "Problemas de JSHint",
+ "jshint-stylish": "Problemas de estilismo de JSHint",
+ "eslint-compact": "Problemas de compactación de ESLint",
+ "eslint-stylish": "Problemas de estilismo de ESLint",
+ "go": "Ir a problemas"
+ },
+ "vs/workbench/contrib/tasks/common/taskTemplates": {
+ "dotnetCore": "Ejecuta el comando de compilación de .NET Core",
+ "msbuild": "Ejecuta el destino de compilación",
+ "externalCommand": "Ejemplo para ejecutar un comando arbitrario externo",
+ "Maven": "Ejecuta los comandos comunes de Maven."
+ },
+ "vs/workbench/contrib/tasks/browser/runAutomaticTasks": {
+ "tasks.run.allowAutomatic": "Esta carpeta tiene las tareas ({0}) definidas en \"tasks.json\" que se ejecutan automáticamente al abrir esta carpeta. ¿Desea permitir que las tareas automáticas se ejecuten al abrir esta carpeta?",
+ "allow": "Permitir y ejecutar",
+ "disallow": "No permitir",
+ "openTasks": "Abrir tasks.json",
+ "workbench.action.tasks.manageAutomaticRunning": "Administrar tareas automáticas en carpetas",
+ "workbench.action.tasks.allowAutomaticTasks": "Permitir tareas automáticas en la carpeta",
+ "workbench.action.tasks.disallowAutomaticTasks": "No permitir tareas automáticas en carpeta"
+ },
+ "vs/workbench/contrib/tasks/browser/taskQuickPick": {
+ "taskQuickPick.showAll": "Mostrar todas las tareas...",
+ "configureTaskIcon": "Icono de configuración en la lista de selección de tareas.",
+ "removeTaskIcon": "Icono para quitar en la lista de selección de tareas.",
+ "configureTask": "Configurar tarea",
+ "contributedTasks": "aportada",
+ "taskType": "Todas las tareas de {0}",
+ "removeRecent": "Quitar una tarea usada recientemente",
+ "recentlyUsed": "usadas recientemente",
+ "configured": "configuradas",
+ "TaskQuickPick.goBack": "Volver ↩",
+ "TaskQuickPick.noTasksForType": "No se han encontrado {0} tareas. Volver ↩",
+ "noProviderForTask": "No hay ningún proveedor de tareas registrado para las tareas de tipo \"{0}\"."
+ },
+ "vs/workbench/contrib/tasks/common/jsonSchema_v1": {
+ "JsonSchema.version.deprecated": "La versión de tarea 0.1.0 está en desuso. Utilice la versión 2.0.0",
+ "JsonSchema.version": "El número de versión de la configuración",
+ "JsonSchema._runner": "El ejecutor se ha graduado. Use la propiedad del ejecutor oficial correctamente",
+ "JsonSchema.runner": "Define si la tarea se ejecuta como un proceso y la salida se muestra en la ventana de salida o dentro del terminal.",
+ "JsonSchema.windows": "Configuración de comandos específicos de Windows",
+ "JsonSchema.mac": "Configuración de comandos específicos de Mac",
+ "JsonSchema.linux": "Configuración de comandos específicos de Linux",
+ "JsonSchema.shell": "Especifica si el comando es un comando de shell o un programa externo. Si se omite, se toma false como valor predeterminado."
+ },
+ "vs/workbench/contrib/tasks/common/jsonSchema_v2": {
+ "JsonSchema.shell": "Especifica si el comando es un comando de shell o un programa externo. Si se omite, se toma false como valor predeterminado.",
+ "JsonSchema.tasks.isShellCommand.deprecated": "La propiedad isShellCommand está en desuso. En su lugar, utilice la propiedad type de la tarea y la propiedad shell de las opciones. Vea también las notas de versión 1.14. ",
+ "JsonSchema.tasks.dependsOn.identifier": "El identificador de la tarea.",
+ "JsonSchema.tasks.dependsOn.string": "Otra tarea de la que depende esta tarea.",
+ "JsonSchema.tasks.dependsOn.array": "Las otras tareas de las que depende esta tarea.",
+ "JsonSchema.tasks.dependsOn": "Una cadena que representa otra tarea o una matriz de otras tareas de las que depende esta tarea.",
+ "JsonSchema.tasks.dependsOrder.parallel": "Ejecute todas las tareas de dependsOn en paralelo.",
+ "JsonSchema.tasks.dependsOrder.sequence": "Ejecute todas las tareas de dependsOn en secuencia.",
+ "JsonSchema.tasks.dependsOrder": "Determina el orden de las tareas dependsOn para esta tarea. Tenga en cuenta que esta propiedad no es recursiva.",
+ "JsonSchema.tasks.detail": "Una descripción opcional de una tarea que se muestra en la selección rápida de Ejecutar tarea como detalle.",
+ "JsonSchema.tasks.presentation": "Configura el panel que se utiliza para presentar la salida de la tarea y lee su entrada.",
+ "JsonSchema.tasks.presentation.echo": "Controla si se presenta en el panel un eco del comando ejecutado. El valor predeterminado es verdadero.",
+ "JsonSchema.tasks.presentation.focus": "Controla si el panel recibe el foco. El valor predeterminado es falso. Si se establece a verdadero, el panel además se revela.",
+ "JsonSchema.tasks.presentation.revealProblems.always": "Siempre muestra el panel de problemas cuando se ejecuta esta tarea.",
+ "JsonSchema.tasks.presentation.revealProblems.onProblem": "Solo muestra el panel Problemas si se encuentra un problema.",
+ "JsonSchema.tasks.presentation.revealProblems.never": "Nunca muestra el panel Problemas cuando se ejecuta esta tarea.",
+ "JsonSchema.tasks.presentation.revealProblems": "Controla si el panel de problemas se muestra al ejecutar esta tarea o no. Esto prevalece sobre la opción \"reveal\". El valor predeterminado es \"never\".",
+ "JsonSchema.tasks.presentation.reveal.always": "Revela siempre el terminal cuando se ejecuta esta tarea.",
+ "JsonSchema.tasks.presentation.reveal.silent": "Solo muestra el terminal si la tarea finaliza con un error o el buscador de problemas encuentra un error.",
+ "JsonSchema.tasks.presentation.reveal.never": "No revela nunca el teminal cuando se ejecuta la tarea.",
+ "JsonSchema.tasks.presentation.reveal": "Controla si el terminal que ejecuta la tarea se muestra o no. Puede ser reemplazado por la opción \"revealProblems\". El valor predeterminado es \"always\".",
+ "JsonSchema.tasks.presentation.instance": "Controla si el panel se comparte entre tareas, está dedicado a esta tarea, o se crea uno nuevo por cada ejecución.",
+ "JsonSchema.tasks.presentation.showReuseMessage": "Controla si se muestra el mensaje \"Las tareas reutilizarán el terminal, presione cualquier tecla para cerrarlo\".",
+ "JsonSchema.tasks.presentation.clear": "Controla si debe borrarse el terminal antes de ejecutar la tarea. ",
+ "JsonSchema.tasks.presentation.group": "Controla si la tarea se ejecuta en un grupo de terminales específico usando paneles de división.",
+ "JsonSchema.tasks.terminal": "La propiedad terminal está en desuso. En su lugar, utilice presentation.",
+ "JsonSchema.tasks.group.kind": "El grupo de ejecución de la tarea.",
+ "JsonSchema.tasks.group.isDefault": "Define si la tarea es la tarea predeterminada del grupo.",
+ "JsonSchema.tasks.group.defaultBuild": "Marca la tarea como la tarea de compilación predeterminada.",
+ "JsonSchema.tasks.group.defaultTest": "Marca la tarea como la tarea de prueba predeterminada.",
+ "JsonSchema.tasks.group.build": "Marca la tarea como una tarea de compilación accesible mediante el comando \"Ejecutar tarea de compilación\".",
+ "JsonSchema.tasks.group.test": "Marca la tarea como una tarea de prueba accesible mediante el comando \"Ejecutar tarea de prueba\".",
+ "JsonSchema.tasks.group.none": "No asigna la tarea a ningún grupo",
+ "JsonSchema.tasks.group": "Define a qué grupo de ejecución pertenece esta tarea. Admite \"compilación\" para agregarla al grupo de compilación y \"prueba\" para agregarla al grupo de prueba.",
+ "JsonSchema.tasks.type": "Define si la tarea se ejecuta como un proceso o como un comando dentro de in shell. ",
+ "JsonSchema.commandArray": "El comando Shell que se ejecutará. Los elementos de la matriz se ensamblarán mediante un carácter de espacio",
+ "JsonSchema.command.quotedString.value": "El valor actual del comando",
+ "JsonSchema.tasks.quoting.escape": "Carácteres de escape usan el carácter de escape de la linea de comandos (ej.: ' en PowerShell y \\ en Bash)",
+ "JsonSchema.tasks.quoting.strong": "Cita el argumento con el carácter de comillas seguro del shell (ej.: ' en PowerShell y Bash).",
+ "JsonSchema.tasks.quoting.weak": "Cita el argumento con el carácter de comillas débil del shell (ej.: \" en PowerShell y Bash).",
+ "JsonSchema.command.quotesString.quote": "Cómo el valor del comando debería ser citado",
+ "JsonSchema.command": "El comando que se ejecutará. No puede ser un programa externo o un comando shell.",
+ "JsonSchema.args.quotedString.value": "El valor actual del argumento",
+ "JsonSchema.args.quotesString.quote": "Cómo el valor del argumento debería ser citado ",
+ "JsonSchema.tasks.args": "Argumentos pasados al comando cuando se invocó la tarea.",
+ "JsonSchema.tasks.label": "Etiqueta de interfaz de usuario de la tarea",
+ "JsonSchema.version": "El número de versión de la configuración.",
+ "JsonSchema.tasks.identifier": "Un identificador definido por el usuario para hacer referencia a la tarea en launch.json o una cláusula dependsOn.",
+ "JsonSchema.tasks.identifier.deprecated": "Los identificadores definidos por el usuario están en desuso. Para una tarea personalizada, utilice el nombre como referencia y, para tareas proporcionadas por extensiones, utilice el identificador de tarea que tienen definido.",
+ "JsonSchema.tasks.reevaluateOnRerun": "Si se reevalúan las variables de tarea al ejecutar de nuevo.",
+ "JsonSchema.tasks.runOn": "Configura cuándo se debe ejecutar la tarea. Si se establece en folderOpen, la tarea se ejecutará automáticamente cuando se abra la carpeta.",
+ "JsonSchema.tasks.instanceLimit": "El número de instancias de la tarea que se pueden ejecutar simultáneamente.",
+ "JsonSchema.tasks.runOptions": "Opciones relacionadas con la ejecución de las tareas.",
+ "JsonSchema.tasks.taskLabel": "La etiqueta de la tarea",
+ "JsonSchema.tasks.taskName": "El nombre de la tarea",
+ "JsonSchema.tasks.taskName.deprecated": "La propiedad name de la tarea está en desuso. En su lugar, utilice la propiedad label. ",
+ "JsonSchema.tasks.background": "Si la tarea ejecutada se mantiene activa y se ejecuta en segundo plano.",
+ "JsonSchema.tasks.promptOnClose": "Si se pregunta al usuario cuando VS Code se cierra con una tarea en ejecución.",
+ "JsonSchema.tasks.matchers": "Los buscadores de coincidencias de problemas que se van a utilizar. Puede ser una cadena o una definición de buscador de coincidencias de problemas o una matriz de cadenas y buscadores de coincidencias de problemas.",
+ "JsonSchema.customizations.customizes.type": "El tipo de tarea que se va a personalizar",
+ "JsonSchema.tasks.customize.deprecated": "La propiedad customize está en desuso. Consulte las notas de la versión 1.14 sobre cómo migrar al nuevo enfoque de personalización de tareas.",
+ "JsonSchema.tasks.showOutput.deprecated": "La propiedad showOutput está en desuso. Utilice la propiedad reveal dentro de la propiedad presentation en su lugar. Vea también las notas de la versión 1.14.",
+ "JsonSchema.tasks.echoCommand.deprecated": "La propiedad echoCommand está en desuso. Utilice la propiedad echo dentro de la propiedad presentation en su lugar. Vea también las notas de la versión 1.14.",
+ "JsonSchema.tasks.suppressTaskName.deprecated": "La propiedad suppressTaskName está en desuso. En lugar de usar esta propiedad, inserte el comando con los argumentos en la tarea. Vea también las notas de la versión 1.14.",
+ "JsonSchema.tasks.isBuildCommand.deprecated": "La propiedad isBuildCommand está en desuso. Utilice la propiedad group en su lugar. Vea también las notas de la versión 1.14.",
+ "JsonSchema.tasks.isTestCommand.deprecated": "La propiedad isTestCommand está en desuso. Utilice la propiedad group en su lugar. Vea también las notas de la versión 1.14.",
+ "JsonSchema.tasks.taskSelector.deprecated": "La propiedad taskSelector está en desuso. En lugar de usar esta propiedad, inserte el comando con los argumentos en la tarea. Vea también las notas de la versión 1.14.",
+ "JsonSchema.windows": "Configuración de comandos específicos de Windows",
+ "JsonSchema.mac": "Configuración de comandos específicos de Mac",
+ "JsonSchema.linux": "Configuración de comandos específicos de Linux"
+ },
+ "vs/workbench/contrib/tasks/browser/tasksQuickAccess": {
+ "noTaskResults": "No hay ninguna tarea coincidente.",
+ "TaskService.pickRunTask": "Seleccionar la tarea que se ejecutará"
+ },
+ "vs/workbench/contrib/tasks/common/jsonSchemaCommon": {
+ "JsonSchema.options": "Opciones de comando adicionales",
+ "JsonSchema.options.cwd": "Directorio de trabajo actual del script o el programa ejecutado. Si se omite, se usa la raíz del área de trabajo actual de Code.",
+ "JsonSchema.options.env": "Entorno del shell o el programa ejecutado. Si se omite, se usa el entorno del proceso primario.",
+ "JsonSchema.tasks.matcherError": "Buscador de coincidencia de problemas no reconocido. ¿Está instalada la extensión que aporta este buscador?",
+ "JsonSchema.shellConfiguration": "Configura el shell que se usará.",
+ "JsonSchema.shell.executable": "Shell que se va a usar.",
+ "JsonSchema.shell.args": "Argumentos de shell.",
+ "JsonSchema.command": "El comando que se ejecutará. No puede ser un programa externo o un comando shell.",
+ "JsonSchema.tasks.args": "Argumentos pasados al comando cuando se invocó la tarea.",
+ "JsonSchema.tasks.taskName": "El nombre de la tarea",
+ "JsonSchema.tasks.windows": "Configuración de comando específico de Windows",
+ "JsonSchema.tasks.matchers": "Los buscadores de coincidencias de problemas que se van a utilizar. Puede ser una cadena o una definición de buscador de coincidencias de problemas o una matriz de cadenas y buscadores de coincidencias de problemas.",
+ "JsonSchema.tasks.mac": "Configuración de comando específico de Mac",
+ "JsonSchema.tasks.linux": "Configuración de comando específico de Linux",
+ "JsonSchema.tasks.suppressTaskName": "Controla si el nombre de la tarea se agrega como argumento al comando. Si se omite, se usa el valor definido globalmente.",
+ "JsonSchema.tasks.showOutput": "Controla si la salida de la tarea en ejecución se muestra o no. Si se omite, se usa el valor definido globalmente.",
+ "JsonSchema.echoCommand": "Controla si el comando ejecutado se muestra en la salida. El valor predeterminado es false.",
+ "JsonSchema.tasks.watching.deprecation": "En desuso. Utilice isBackground en su lugar.",
+ "JsonSchema.tasks.watching": "Indica si la tarea ejecutada se mantiene activa e inspecciona el sistema de archivos.",
+ "JsonSchema.tasks.background": "Si la tarea ejecutada se mantiene activa y se ejecuta en segundo plano.",
+ "JsonSchema.tasks.promptOnClose": "Si se pregunta al usuario cuando VS Code se cierra con una tarea en ejecución.",
+ "JsonSchema.tasks.build": "Asigna esta tarea al comando de compilación predeterminado de Code.",
+ "JsonSchema.tasks.test": "Asigna esta tarea al comando de prueba predeterminado de Code.",
+ "JsonSchema.args": "Argumentos adicionales que se pasan al comando.",
+ "JsonSchema.showOutput": "Controla si la salida de la tarea en ejecución se muestra o no. Si se omite, se usa \"always\".",
+ "JsonSchema.watching.deprecation": "En desuso. Utilice isBackground en su lugar.",
+ "JsonSchema.watching": "Indica si la tarea ejecutada se mantiene activa e inspecciona el sistema de archivos.",
+ "JsonSchema.background": "Indica si la tarea ejecutada se mantiene y está en ejecución en segundo plano.",
+ "JsonSchema.promptOnClose": "Indica si se pregunta al usuario cuando VS Code se cierra con una tarea en ejecución en segundo plano.",
+ "JsonSchema.suppressTaskName": "Controla si el nombre de la tarea se agrega como argumento al comando. El valor predeterminado es false.",
+ "JsonSchema.taskSelector": "Prefijo para indicar que un argumento es una tarea.",
+ "JsonSchema.matchers": "Buscadores de coincidencias de problemas que se van a usar. Puede ser una definición de cadena o de buscador de coincidencias de problemas, o bien una matriz de cadenas y de buscadores de coincidencias de problemas.",
+ "JsonSchema.tasks": "Configuraciones de tarea. Suele enriquecerse una tarea ya definida en el ejecutor de tareas externo."
+ },
+ "vs/workbench/contrib/terminal/common/terminalConfiguration": {
+ "terminalIntegratedConfigurationTitle": "Terminal integrado",
+ "terminal.integrated.sendKeybindingsToShell": "Envía la mayoría de los enlaces de teclado al terminal en lugar del área de trabajo y reemplaza \"#terminal.integrated.commandsToSkipShell#\", que se puede usar como alternativa para el ajuste.",
+ "terminal.integrated.automationShell.linux": "Ruta de acceso que, cuando se establece, invalida {0} e ignora los valores de {1} para el uso del terminal relacionado con la automatización, como las tareas y la depuración.",
+ "terminal.integrated.automationShell.osx": "Ruta de acceso que, cuando se establece, invalida {0} e ignora los valores de {1} para el uso del terminal relacionado con la automatización, como las tareas y la depuración.",
+ "terminal.integrated.automationShell.windows": "Ruta de acceso que, cuando se establece, invalida {0} e ignora los valores de {1} para el uso del terminal relacionado con la automatización, como las tareas y la depuración.",
+ "terminal.integrated.shellArgs.linux": "Argumentos de la línea de comandos que se van a usar en el terminal de Linux. [Obtener más información acerca de la configuración del shell](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shellArgs.osx": "Argumentos de la línea de comandos que se van a usar en el terminal de macOS. [Obtener más información acerca de la configuración del shell](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shellArgs.windows": "Argumentos de la línea de comandos que se van a usar en el terminal de Windows. [Obtener más información acerca de la configuración del shell](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shellArgs.windows.string": "Argumentos de la línea de comandos en [formato de línea de comandos](https://msdn.Microsoft.com/en-au/08dfcab2-eb6e-49a4-80eb-87d4076c98c6) que se van a usar en el terminal de Windows. [Obtener más información acerca de la configuración del shell](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.macOptionIsMeta": "Controla si la tecla de opción debe tratarse como la tecla meta del terminal en macOS.",
+ "terminal.integrated.macOptionClickForcesSelection": "Controla si debe forzarse la selección al usar Opción + clic en macOS. Forzará una selección (de línea) normal y no permitirá el uso del modo de selección de columnas. Esto permite copiar y pegar con la selección de terminal normal, por ejemplo, cuando el modo de mouse está habilitado en tmux.",
+ "terminal.integrated.copyOnSelection": "Controla si el texto seleccionado en el terminal se copiará en el Portapapeles.",
+ "terminal.integrated.drawBoldTextInBrightColors": "Controla si el texto en negrita del terminal usará siempre la variante de color de ANSI \"bright\".",
+ "terminal.integrated.fontFamily": "Controla la familia de fuentes del terminal, que está establecida de forma predeterminada en el valor de \"#editor.fontFamily#\".",
+ "terminal.integrated.fontSize": "Controla el tamaño de la fuente en píxeles del terminal.",
+ "terminal.integrated.letterSpacing": "Controla el espaciado de letras del terminal. Es un valor entero que representa la cantidad de píxeles adicionales que se van a agregar entre los caracteres.",
+ "terminal.integrated.lineHeight": "Controla el alto de línea del terminal. Este número se multiplica por el tamaño de fuente del terminal para obtener el alto de línea real en píxeles.",
+ "terminal.integrated.minimumContrastRatio": "Cuando se establece, el color de primer plano de cada celda cambiará para intentar cumplir la relación de contraste especificada. Valores de ejemplo:\r\n\r\n- 1: El valor predeterminado, no hacer nada.\r\n- 4.5: [Cumplimiento de AA de WCAG (mínimo)] (https://www.w3.org/TR/UNDERSTANDING-WCAG20/visual-audio-contrast-contrast.html).\r\n- 7: [Cumplimiento de AA de WCAG (mejorado)] (https://www.w3.org/TR/UNDERSTANDING-WCAG20/visual-audio-contrast7.html).\r\n- 21: Blanco sobre negro o negro sobre blanco.",
+ "terminal.integrated.fastScrollSensitivity": "Desplazamiento del multiplicador de velocidad al presionar \"Alt\".",
+ "terminal.integrated.mouseWheelScrollSensitivity": "Multiplicador que se va a usar en los eventos de desplazamiento de la rueda del mouse \"deltaY\".",
+ "terminal.integrated.fontWeightError": "Solo se permiten las palabras clave \"normal\" y \"negrita\" o los números entre 1 y 1000.",
+ "terminal.integrated.fontWeight": "Grosor de fuente que se va a usar en el terminal para texto que no esté en negrita. Acepta las palabras clave \"normal\" y \"bold\" o números entre 1 y 1000.",
+ "terminal.integrated.fontWeightBold": "Grosor de fuente que se va a usar en el terminal para texto en negrita. Acepta las palabras clave \"normal\" y \"bold\" o números entre 1 y 1000.",
+ "terminal.integrated.cursorBlinking": "Controla si el cursor del terminal parpadea.",
+ "terminal.integrated.cursorStyle": "Controla el estilo de cursor del terminal.",
+ "terminal.integrated.cursorWidth": "Controla el ancho del cursor cuando \"#terminal.integrated.cursorStyle#\" se establece en \"line\".",
+ "terminal.integrated.scrollback": "Controla la cantidad máxima de líneas que mantiene el terminal en su búfer.",
+ "terminal.integrated.detectLocale": "Controla si debe detectarse y establecerse la variable de entorno \"$LANG\" en una opción compatible con UTF-8, ya que el terminal de VS Code solo admite datos con codificación UTF-8 procedentes del shell.",
+ "terminal.integrated.detectLocale.auto": "Establezca la variable de entorno \"$LANG\" si la variable no existe o no termina en \"'.UTF-8'\".",
+ "terminal.integrated.detectLocale.off": "No establezca la variable de entorno \"$LANG\".",
+ "terminal.integrated.detectLocale.on": "Establezca siempre la variable de entorno \"$LANG\".",
+ "terminal.integrated.rendererType.auto": "Deje que VS Code adivine qué representador se debe usar.",
+ "terminal.integrated.rendererType.canvas": "Use el representador basado en lienzo o GPU estándar.",
+ "terminal.integrated.rendererType.dom": "Use el representador basado en DOM de reserva.",
+ "terminal.integrated.rendererType.experimentalWebgl": "Use el representador basado en WebGL experimental. Tenga en cuenta que este tiene algunos [problemas conocidos](https://github.com/xtermjs/xterm.js/issues?q=is%3Aopen+is%3Aissue+label%3Aarea%2Faddon%2Fwebgl).",
+ "terminal.integrated.rendererType": "Controla cómo se representa el terminal.",
+ "terminal.integrated.rightClickBehavior.default": "Muestra el menú contextual.",
+ "terminal.integrated.rightClickBehavior.copyPaste": "Copia cuando hay una selección; de lo contrario, pega.",
+ "terminal.integrated.rightClickBehavior.paste": "Pega al hacer clic con el botón derecho.",
+ "terminal.integrated.rightClickBehavior.selectWord": "Selecciona la palabra bajo el cursor y muestra el menú contextual.",
+ "terminal.integrated.rightClickBehavior": "Controla cómo reacciona el terminal cuando se hace clic con el botón derecho.",
+ "terminal.integrated.cwd": "Una ruta de acceso de inicio explícita en la que se iniciará el terminal; se usa como el directorio de trabajo actual (cwd) para el proceso de shell. Puede resultar especialmente útil en una configuración de área de trabajo si la raíz de directorio no es un cwd práctico.",
+ "terminal.integrated.confirmOnExit": "Controla si debe confirmarse a la salida si hay sesiones del terminal activas.",
+ "terminal.integrated.enableBell": "Controla si la campana del terminal está habilitada.",
+ "terminal.integrated.commandsToSkipShell": "Conjunto de identificadores de comando cuyos enlaces de teclado no se enviarán al shell, sino que siempre se controlarán con VS Code. Esto permite que los enlaces de teclado que normalmente consumiría el shell actúen igual que cuando el terminal no tiene el foco; por ejemplo, \"Ctrl+P\" para iniciar Quick Open.\r\n\r\n \r\n\r\nMuchos comandos se omiten de forma predeterminada. Para reemplazar un valor predeterminado y pasar al shell el enlace de teclado de dicho comando en su lugar, agregue el comando precedido por el carácter \"-\". Por ejemplo, agregue \"-workbench.action.quickOpen\" para que \"Ctrl+P\" llegue al shell.\r\n\r\n \r\n\r\nLa lista de comandos omitidos predeterminados siguiente se trunca cuando se visualiza en el editor de configuraciones. Para ver la lista completa, [abra el archivo JSON de la configuración predeterminada](command:workbench.action.openRawDefaultSettings \"Abrir configuración predeterminada (JSON)\") y busque el primer comando de la lista siguiente.\r\n\r\n \r\n\r\nComandos omitidos predeterminados:\r\n\r\n{0}",
+ "terminal.integrated.allowChords": "Indica si se permiten o no los enlaces de teclado de presión simultánea en el terminal. Tenga en cuenta que cuando es true y la pulsación de tecla da como resultado una presión simultánea, se omitirá \"#terminal.integrated.commandsToSkipShell#\"; establecer este valor en false resulta particularmente útil cuando quiere que ctrl+k vaya al shell (no a VS Code).",
+ "terminal.integrated.allowMnemonics": "Indica si se va a permitir que las teclas de acceso de la barra de menús (por ejemplo, Alt+F) desencadenen la apertura de dicha barra. Tenga en cuenta que esto hará que todas las pulsaciones de teclas Alt omitan el shell cuando el valor es true. Esta acción no hace nada en macOS.",
+ "terminal.integrated.inheritEnv": "Indica si los nuevos shells deben heredar su entorno de VS Code. Esto no se admite en Windows.",
+ "terminal.integrated.env.osx": "Objeto con variables de entorno que se agregarán al proceso de VS Code que el terminal va a usar en macOS. Establézcalo en \"null\" para eliminar la variable de entorno.",
+ "terminal.integrated.env.linux": "Objeto con variables de entorno que se agregarán al proceso de VS Code que el terminal va a usar en Linux. Establézcalo en \"null\" para eliminar la variable de entorno.",
+ "terminal.integrated.env.windows": "Objeto con variables de entorno que se agregarán al proceso de VS Code que el terminal va a usar en Windows. Establézcalo en \"null\" para eliminar la variable de entorno.",
+ "terminal.integrated.environmentChangesIndicator": "Indica si se va a mostrar el indicador de cambios del entorno en cada terminal, que explica si las extensiones han realizado o quieren realizar cambios en el entorno del terminal.",
+ "terminal.integrated.environmentChangesIndicator.off": "Deshabilite el indicador.",
+ "terminal.integrated.environmentChangesIndicator.on": "Habilite el indicador.",
+ "terminal.integrated.environmentChangesIndicator.warnonly": "Mostrar solo el indicador de advertencia cuando el entorno de un terminal está \"obsoleto\", no el indicador de información que muestra que una extensión ha modificado el entorno de un terminal.",
+ "terminal.integrated.showExitAlert": "Controla si se va a mostrar la alerta \"El proceso del terminal finalizó con el código de salida\" cuando el código de salida es distinto de cero.",
+ "terminal.integrated.splitCwd": "Controla el directorio de trabajo con el que comienza un terminal dividido.",
+ "terminal.integrated.splitCwd.workspaceRoot": "Un nuevo terminal dividido usará la raíz del área de trabajo como directorio de trabajo. En un área de trabajo con varias raíces, se ofrece la opción de elegir la carpeta raíz que se va a usar.",
+ "terminal.integrated.splitCwd.initial": "Un nuevo terminal dividido usará el directorio de trabajo con el que comenzó el terminal principal.",
+ "terminal.integrated.splitCwd.inherited": "En macOS y Linux, un nuevo terminal dividido usará el directorio de trabajo del terminal principal. En Windows, este se comporta igual que el inicial.",
+ "terminal.integrated.windowsEnableConpty": "Indica si se debe usar ConPTY para la comunicación en procesos de terminales de Windows (requiere Windows 10, número de compilación 18309 y posteriores). Si es false, se usará Winpty.",
+ "terminal.integrated.wordSeparators": "Cadena que contiene todos los caracteres que se van a considerar separadores de palabras por doble clic para seleccionar la característica de palabra.",
+ "terminal.integrated.experimentalUseTitleEvent": "Configuración experimental que usará el evento de título del terminal para el título de la lista desplegable. Esta configuración solo se aplicará a los terminales nuevos.",
+ "terminal.integrated.enableFileLinks": "Indica si se van a habilitar los vínculos de archivo en el terminal. Los vínculos pueden ser lentos al funcionar en una unidad de red en particular, ya que cada vínculo de archivo se comprueba en el sistema de archivos. Si se cambia, solo tendrá efecto en los nuevos terminales.",
+ "terminal.integrated.unicodeVersion.six": "Versión 6 de Unicode; esta es una versión anterior que debe funcionar mejor en sistemas anteriores.",
+ "terminal.integrated.unicodeVersion.eleven": "Versión 11 de Unicode; esta versión ofrece una mejor compatibilidad con los sistemas modernos que usan versiones modernas de Unicode.",
+ "terminal.integrated.unicodeVersion": "Controla la versión de Unicode que debe utilizarse cuando se evalúa el ancho de los caracteres del terminal. Si observa que los emojis u otros caracteres anchos no ocupan la cantidad de espacio adecuada o que al usar Retroceso se elimina demasiado o muy poco, puede que quiera intentar ajustar esta configuración.",
+ "terminal.integrated.experimentalLinkProvider": "Configuración experimental que tiene como objetivo mejorar la detección de vínculos en el terminal al mejorar cuándo se detectan los vínculos y habilitar la detección de vínculos compartidos en el editor. Actualmente solo admite vínculos web.",
+ "terminal.integrated.localEchoLatencyThreshold": "Experimental: Duración del retraso de red, en milisegundos, donde las ediciones locales se mostrarán en el terminal sin esperar al reconocimiento del servidor. Si es \"0\", el eco local siempre estará activado y si es \"-1\" se deshabilitará.",
+ "terminal.integrated.localEchoExcludePrograms": "Experimental: El eco local se deshabilitará cuando se encuentre cualquiera de estos nombres de programa en el título del terminal.",
+ "terminal.integrated.localEchoStyle": "Experimental: Estilo del terminal del texto con eco local; es un estilo de fuente o un color RGB.",
+ "terminal.integrated.serverSpawn": "Experimental: se generan terminales remotos a partir del proceso de agente remoto en lugar del host de extensiones remoto.",
+ "terminal.integrated.enablePersistentSessions": "Experimental: Conserve las sesiones de terminal para el área de trabajo entre las recargas de ventana. Actualmente solo se admite en las áreas de trabajo remotas de VS Code.",
+ "terminal.integrated.shell.linux": "Ruta de acceso del shell que el terminal usa en Linux (valor predeterminado: {0}). [Obtener más información acerca de la configuración del shell](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shell.linux.noDefault": "Ruta de acceso del shell que el terminal usa en Linux. [Obtener más información acerca de la configuración del shell](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shell.osx": "Ruta de acceso del shell que el terminal usa en macOS (valor predeterminado: {0}). [Obtener más información acerca de la configuración del shell](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shell.osx.noDefault": "Ruta de acceso del shell que el terminal usa en macOS. [Obtener más información acerca de la configuración del shell](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shell.windows": "Ruta de acceso del shell que el terminal usa en Windows (valor predeterminado: {0}). [Obtener más información acerca de la configuración del shell](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shell.windows.noDefault": "Ruta de acceso del shell que el terminal usa en Windows. [Obtener más información acerca de la configuración del shell](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration)."
+ },
+ "vs/workbench/contrib/terminal/common/terminal": {
+ "terminalCategory": "Terminal",
+ "vscode.extension.contributes.terminal": "Aporta funcionalidad de terminal.",
+ "vscode.extension.contributes.terminal.types": "Define los tipos de terminal adicionales que el usuario puede crear.",
+ "vscode.extension.contributes.terminal.types.command": "Comando que se va a ejecutar cuando el usuario cree este tipo de terminal.",
+ "vscode.extension.contributes.terminal.types.title": "Título para este tipo de terminal."
+ },
+ "vs/workbench/contrib/terminal/browser/terminal.contribution": {
+ "tasksQuickAccessPlaceholder": "Escriba el nombre de un terminal para abrirlo.",
+ "tasksQuickAccessHelp": "Mostrar todos los terminales abiertos",
+ "terminal": "Terminal"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalView": {
+ "terminal.useMonospace": "Use \"monospace\"",
+ "terminal.monospaceOnly": "El terminal solo admite fuentes monoespaciales. Reinicie VS Code si se trata de una fuente recién instalada."
+ },
+ "vs/workbench/contrib/terminal/browser/remoteTerminalService": {
+ "terminal.integrated.starting": "Iniciando..."
+ },
+ "vs/workbench/contrib/terminal/node/terminalProcess": {
+ "launchFail.cwdNotDirectory": "El directorio de inicio (cwd) \"{0}\" no es un directorio",
+ "launchFail.cwdDoesNotExist": "El directorio de inicio (cwd) \"{0}\" no existe",
+ "launchFail.executableIsNotFileOrSymlink": "La ruta de acceso al ejecutable del shell \"{0}\" no es un archivo de symlink",
+ "launchFail.executableDoesNotExist": "La ruta de acceso al ejecutable del shell \"{0}\" no existe"
+ },
+ "vs/workbench/contrib/terminal/electron-browser/terminalRemote": {
+ "workbench.action.terminal.newLocal": "Crear nuevo terminal integrado (local)"
+ },
+ "vs/workbench/contrib/terminal/common/terminalColorRegistry": {
+ "terminal.background": "El color de fondo del terminal, esto permite colorear el terminal de forma diferente al panel.",
+ "terminal.foreground": "El color de primer plano del terminal.",
+ "terminalCursor.foreground": "Color de primer plano del cursor del terminal.",
+ "terminalCursor.background": "Color de fondo del cursor del terminal. Permite personalizar el color de un carácter solapado por un cursor de bloque.",
+ "terminal.selectionBackground": "Color de fondo de selección del terminal.",
+ "terminal.border": "Color del borde que separa paneles divididos en el terminal. El valor predeterminado es panel.border.",
+ "terminal.ansiColor": "color ANSI ' {0} ' en el terminal."
+ },
+ "vs/workbench/contrib/terminal/browser/terminalActions": {
+ "workbench.action.terminal.newWorkspacePlaceholder": "Seleccione el directorio de trabajo actual para el nuevo terminal",
+ "workbench.action.terminal.toggleTerminal": "Alternar terminal integrado",
+ "workbench.action.terminal.kill": "Terminar la instancia del terminal activo",
+ "workbench.action.terminal.kill.short": "Terminar el terminal",
+ "workbench.action.terminal.copySelection": "Copiar selección",
+ "workbench.action.terminal.copySelection.short": "Copiar",
+ "workbench.action.terminal.selectAll": "Seleccionar todo",
+ "workbench.action.terminal.new": "Crear nuevo terminal integrado",
+ "workbench.action.terminal.new.short": "Nuevo terminal",
+ "workbench.action.terminal.split": "Dividir terminal",
+ "workbench.action.terminal.split.short": "Dividir",
+ "workbench.action.terminal.splitInActiveWorkspace": "Dividir Terminal (En el área de trabajo activa)",
+ "workbench.action.terminal.paste": "Pegar en el terminal activo",
+ "workbench.action.terminal.paste.short": "Pegar",
+ "workbench.action.terminal.selectDefaultShell": "Seleccionar el shell predeterminado",
+ "workbench.action.terminal.openSettings": "Configurar valores del terminal",
+ "workbench.action.terminal.switchTerminal": "Cambiar terminal",
+ "terminals": "Abrir terminales.",
+ "terminalConnectingLabel": "Iniciando...",
+ "workbench.action.terminal.clear": "Borrar",
+ "terminalLaunchHelp": "Abrir la Ayuda",
+ "workbench.action.terminal.newInActiveWorkspace": "Crear nuevo terminal integrado (en el área de trabajo activa)",
+ "workbench.action.terminal.focusPreviousPane": "Aplicar el foco al panel anterior",
+ "workbench.action.terminal.focusNextPane": "Aplicar el foco al panel siguiente",
+ "workbench.action.terminal.resizePaneLeft": "Cambiar el tamaño del panel por la izquierda",
+ "workbench.action.terminal.resizePaneRight": "Cambiar el tamaño del panel por la derecha",
+ "workbench.action.terminal.resizePaneUp": "Cambiar el tamaño del panel por arriba",
+ "workbench.action.terminal.resizePaneDown": "Cambiar el tamaño del panel por abajo",
+ "workbench.action.terminal.focus": "Enfocar terminal",
+ "workbench.action.terminal.focusNext": "Enfocar terminal siguiente",
+ "workbench.action.terminal.focusPrevious": "Enfocar terminal anterior",
+ "workbench.action.terminal.runSelectedText": "Ejecutar texto seleccionado en el terminal activo",
+ "workbench.action.terminal.runActiveFile": "Ejecutar el archivo activo en la terminal activa",
+ "workbench.action.terminal.runActiveFile.noFile": "Solo se pueden ejecutar en la terminal los archivos en disco",
+ "workbench.action.terminal.scrollDown": "Desplazar hacia abajo (línea)",
+ "workbench.action.terminal.scrollDownPage": "Desplazar hacia abajo (página)",
+ "workbench.action.terminal.scrollToBottom": "Desplazar al final",
+ "workbench.action.terminal.scrollUp": "Desplazar hacia arriba (línea)",
+ "workbench.action.terminal.scrollUpPage": "Desplazar hacia arriba (página)",
+ "workbench.action.terminal.scrollToTop": "Desplazar al principio",
+ "workbench.action.terminal.navigationModeExit": "Salir del modo de navegación",
+ "workbench.action.terminal.navigationModeFocusPrevious": "Enfocar la línea anterior (modo de navegación)",
+ "workbench.action.terminal.navigationModeFocusNext": "Enfocar la siguiente línea (modo de navegación)",
+ "workbench.action.terminal.clearSelection": "Borrar selección",
+ "workbench.action.terminal.manageWorkspaceShellPermissions": "Administrar los permisos del shell del área de trabajo",
+ "workbench.action.terminal.rename": "Cambiar nombre",
+ "workbench.action.terminal.rename.prompt": "Introducir nombre del terminal",
+ "workbench.action.terminal.focusFind": "Foco en la búsqueda",
+ "workbench.action.terminal.hideFind": "Ocultar la búsqueda",
+ "workbench.action.terminal.attachToRemote": "Asociar a la sesión",
+ "quickAccessTerminal": "Cambiar terminal activo",
+ "workbench.action.terminal.scrollToPreviousCommand": "Desplazar al comando anterior",
+ "workbench.action.terminal.scrollToNextCommand": "Desplazar al comando siguiente",
+ "workbench.action.terminal.selectToPreviousCommand": "Seleccionar hasta el comando anterior",
+ "workbench.action.terminal.selectToNextCommand": "Seleccionar hasta el comando siguiente",
+ "workbench.action.terminal.selectToPreviousLine": "Seleccione la línea anterior",
+ "workbench.action.terminal.selectToNextLine": "Seleccione la línea siguiente",
+ "workbench.action.terminal.toggleEscapeSequenceLogging": "Alternar registro de la secuencia de escape",
+ "workbench.action.terminal.sendSequence": "Enviar secuencia personalizada a Terminal",
+ "workbench.action.terminal.newWithCwd": "Crear un nuevo terminal integrado comenzando en un directorio de trabajo personalizado",
+ "workbench.action.terminal.newWithCwd.cwd": "El directorio en el que iniciar el terminal",
+ "workbench.action.terminal.renameWithArg": "Cambiar el nombre del terminal actualmente activo",
+ "workbench.action.terminal.renameWithArg.name": "El nuevo nombre de la terminal.",
+ "workbench.action.terminal.renameWithArg.noName": "No se ha proporcionado ningún argumento de nombre",
+ "workbench.action.terminal.toggleFindRegex": "Alternar la búsqueda mediante regex",
+ "workbench.action.terminal.toggleFindWholeWord": "Alternar la búsqueda con toda la palabra",
+ "workbench.action.terminal.toggleFindCaseSensitive": "Alternar la búsqueda con distinción de mayúsculas y minúsculas",
+ "workbench.action.terminal.findNext": "Buscar siguiente",
+ "workbench.action.terminal.findPrevious": "Buscar anterior",
+ "workbench.action.terminal.searchWorkspace": "Buscar en área de trabajo",
+ "workbench.action.terminal.relaunch": "Reiniciar el terminal activo",
+ "workbench.action.terminal.showEnvironmentInformation": "Mostrar información del entorno"
+ },
+ "vs/workbench/contrib/terminal/common/terminalMenu": {
+ "miToggleIntegratedTerminal": "&&Terminal",
+ "miNewTerminal": "&&Nuevo terminal",
+ "miSplitTerminal": "&&Dividir terminal",
+ "miRunActiveFile": "Ejecutar &&archivo activo",
+ "miRunSelectedText": "Ejecutar &&texto seleccionado"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalService": {
+ "workbench.action.terminal.allowWorkspaceShell": "Permitir la configuración del área de trabajo Shell",
+ "workbench.action.terminal.disallowWorkspaceShell": "No permitir la configuración del área de trabajo Shell",
+ "terminalService.terminalCloseConfirmationSingular": "Hay una sesión de terminal activa, ¿quiere terminarla?",
+ "terminalService.terminalCloseConfirmationPlural": "Hay {0} sesiones de terminal activas, ¿quiere terminarlas?",
+ "terminal.integrated.chooseWindowsShell": "Seleccione el shell de terminal que desee, puede cambiarlo más adelante en la configuración"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalQuickAccess": {
+ "renameTerminal": "Cambiar nombre del terminal",
+ "killTerminal": "Terminar la instancia del terminal",
+ "workbench.action.terminal.newplus": "Crear terminal integrado"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalIcons": {
+ "terminalViewIcon": "Vea el icono de la vista de terminal.",
+ "renameTerminalIcon": "Icono para cambiar de nombre en el menú rápido del terminal.",
+ "killTerminalIcon": "Icono para terminar una instancia de terminal.",
+ "newTerminalIcon": "Icono para crear una instancia de terminal."
+ },
+ "vs/workbench/contrib/terminal/browser/terminalConfigHelper": {
+ "terminal.integrated.allowWorkspaceShell": "¿Permite que esta área de trabajo modifique el shell del terminal? {0}",
+ "allow": "Permitir",
+ "disallow": "No permitir",
+ "useWslExtension.title": "Se recomienda la extensión \"{0}\" para abrir un terminal en WSL.",
+ "install": "Instalar"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalInstance": {
+ "terminal.integrated.a11yPromptLabel": "Entrada de terminal",
+ "terminal.integrated.a11yTooMuchOutput": "Demasiada salida para anunciarla. Vaya a las filas manualmente para leerlas.",
+ "terminalTextBoxAriaLabelNumberAndTitle": "Terminal {0}, {1}",
+ "terminalTextBoxAriaLabel": "Terminal {0}",
+ "configure terminal settings": "Algunos enlaces de teclado se envían al área de trabajo de forma predeterminada.",
+ "configureTerminalSettings": "Configurar valores del terminal",
+ "yes": "Sí",
+ "no": "No",
+ "dontShowAgain": "No mostrar de nuevo",
+ "terminal.slowRendering": "El representador estándar para el terminal integrado parece ser lento en su ordenador. ¿Le gustaría cambiar al representador alternativo basado en DOM el cual podría mejorar el rendimiento? [Obtenga más información sobre la configuración del terminal] (https://code.visualstudio.com/docs/editor/integrated-terminal#_changing-how-the-terminal-is-rendered).",
+ "terminal.integrated.copySelection.noSelection": "El terminal no tiene ninguna selección para copiar",
+ "launchFailed.exitCodeAndCommandLine": "Error del proceso del terminal \"{0}\" al iniciarse (código de salida: {1}).",
+ "launchFailed.exitCodeOnly": "Error del proceso del terminal al iniciarse (código de salida: {0}).",
+ "terminated.exitCodeAndCommandLine": "El proceso del terminal \"{0}\" finalizó con el código de salida {1}.",
+ "terminated.exitCodeOnly": "El proceso del terminal finalizó con el código de salida {0}.",
+ "launchFailed.errorMessage": "Error del proceso del terminal al iniciarse: {0}.",
+ "terminalStaleTextBoxAriaLabel": "El entorno del terminal {0} está obsoleto. Ejecute el comando \"Mostrar información del entorno\" para obtener más información"
+ },
+ "vs/workbench/contrib/terminal/browser/links/terminalLinkManager": {
+ "terminalLinkHandler.followLinkAlt.mac": "opción + clic",
+ "terminalLinkHandler.followLinkAlt": "alt + clic",
+ "terminalLinkHandler.followLinkCmd": "cmd + clic",
+ "terminalLinkHandler.followLinkCtrl": "ctrl + clic",
+ "followLink": "Seguir vínculo"
+ },
+ "vs/workbench/contrib/terminal/browser/links/terminalWordLinkProvider": {
+ "searchWorkspace": "Buscar área de trabajo"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalProcessExtHostProxy": {
+ "terminal.integrated.starting": "Iniciando..."
+ },
+ "vs/workbench/contrib/terminal/browser/environmentVariableInfo": {
+ "extensionEnvironmentContributionChanges": "Las extensiones quieren realizar los cambios siguientes en el entorno del terminal:",
+ "extensionEnvironmentContributionRemoval": "Las extensiones quieren quitar estos cambios existentes del entorno del terminal:",
+ "relaunchTerminalLabel": "Reiniciar el terminal",
+ "extensionEnvironmentContributionInfo": "Las extensiones han realizado cambios en el entorno de este terminal."
+ },
+ "vs/workbench/contrib/terminal/browser/links/terminalLink": {
+ "openFile": "Abrir archivo en el editor",
+ "focusFolder": "Enfocar carpeta en el explorador",
+ "openFolder": "Abrir carpeta en ventana nueva"
+ },
+ "vs/workbench/contrib/themes/browser/themes.contribution": {
+ "selectTheme.label": "Tema de color",
+ "themes.category.light": "temas claros",
+ "themes.category.dark": "temas oscuros",
+ "themes.category.hc": "temas de alto contraste",
+ "installColorThemes": "Instalar temas de color adicionales...",
+ "themes.selectTheme": "Seleccione el tema de color (flecha arriba/abajo para vista previa)",
+ "selectIconTheme.label": "Tema de icono de archivo",
+ "noIconThemeLabel": "NONE",
+ "noIconThemeDesc": "Deshabilitar iconos de archivo",
+ "installIconThemes": "Instalar temas de icono de archivo adicionles...",
+ "themes.selectIconTheme": "Seleccionar tema de icono de archivo",
+ "selectProductIconTheme.label": "Tema del icono del producto",
+ "defaultProductIconThemeLabel": "Predeterminado",
+ "themes.selectProductIconTheme": "Seleccione el tema del icono del producto",
+ "generateColorTheme.label": "Generar el tema de color desde la configuración actual",
+ "preferences": "Preferencias",
+ "miSelectColorTheme": "&&Tema de color",
+ "miSelectIconTheme": "Tema de &&icono de archivo",
+ "themes.selectIconTheme.label": "Tema de icono de archivo"
+ },
+ "vs/workbench/contrib/timeline/browser/timeline.contribution": {
+ "timelineViewIcon": "Vea el icono de la vista de escala de tiempo.",
+ "timelineOpenIcon": "Icono de la acción de abrir la escala de tiempo.",
+ "timelineConfigurationTitle": "línea de tiempo",
+ "timeline.excludeSources": "Experimental: una matriz de fuentes de línea de tiempo que deben excluirse de la vista de línea de tiempo",
+ "timeline.pageSize": "El número de elementos que se va a mostrar en la vista Escala de tiempo de forma predeterminada y cuando se cargan más elementos. Si se establece en \"null\" (valor predeterminado), se elige automáticamente un tamaño de página basado en el área visible de la vista Escala de tiempo.",
+ "timeline.pageOnScroll": "Experimental. Controla si la vista Escala de tiempo cargará la página siguiente de elementos cuando se desplaza al final de la lista.",
+ "files.openTimeline": "Abrir línea de tiempo"
+ },
+ "vs/workbench/contrib/timeline/browser/timelinePane": {
+ "timeline.loadingMore": "Cargando...",
+ "timeline.loadMore": "Cargar más",
+ "timeline": "línea de tiempo",
+ "timeline.editorCannotProvideTimeline": "El editor activo no puede proporcionar información de escala de tiempo.",
+ "timeline.noTimelineInfo": "No se proporcionó información de escala de tiempo.",
+ "timeline.aria.item": "{0}: {1}",
+ "timeline.loading": "Cargando la línea de tiempo para {0}...",
+ "timelineRefresh": "Icono de la acción de actualizar la escala de tiempo.",
+ "timelinePin": "Icono de la acción de anclar la escala de tiempo.",
+ "timelineUnpin": "Icono de la acción de desanclar la escala de tiempo.",
+ "refresh": "Actualizar",
+ "timeline.toggleFollowActiveEditorCommand.follow": "Anclar la escala de tiempo actual",
+ "timeline.toggleFollowActiveEditorCommand.unfollow": "Desanclar la escala de tiempo actual",
+ "timeline.filterSource": "Incluir: {0}"
+ },
+ "vs/workbench/contrib/update/browser/update.contribution": {
+ "miReleaseNotes": "&&Notas de la versión"
+ },
+ "vs/workbench/contrib/update/browser/update": {
+ "releaseNotes": "Notas de la versión",
+ "update.noReleaseNotesOnline": "Esta versión de {0} no tiene notas de la versión en línea.",
+ "showReleaseNotes": "Mostrar las notas de la versión",
+ "read the release notes": "{0} v{1}. ¿Quiere leer las notas de la versión?",
+ "licenseChanged": "Los términos de licencia han cambiado. Haga clic [aquí]({0}) para revisarlos.",
+ "updateIsReady": "Nueva actualización de {0} disponible.",
+ "checkingForUpdates": "Buscando actualizaciones...",
+ "update service": "Servicio de Actualización",
+ "noUpdatesAvailable": "Actualmente, no hay actualizaciones disponibles.",
+ "ok": "Aceptar",
+ "thereIsUpdateAvailable": "Hay una actualización disponible.",
+ "download update": "Descargar actualización",
+ "later": "Más tarde",
+ "updateAvailable": "Hay una actualización disponible: {0} {1}",
+ "installUpdate": "Instalar la actualización ",
+ "updateInstalling": "{0} {1} se está instalando en segundo plano; le avisaremos cuando esté hecho.",
+ "updateNow": "Actualizar ahora",
+ "updateAvailableAfterRestart": "Reinicie {0} para aplicar la última actualización.",
+ "checkForUpdates": "Buscar actualizaciones...",
+ "download update_1": "Descargar actualización (1)",
+ "DownloadingUpdate": "Descargando actualización...",
+ "installUpdate...": "Instalar actualización... (1)",
+ "installingUpdate": "Instalando actualización...",
+ "good luck": "'Restart to Update' is not working properly on macOS Big Sur. Click 'Quit to Update' to quit {0} and update it. Then, relaunch it from Finder.",
+ "quit": "Quit to Update",
+ "learn more": "Learn More",
+ "cancel": "Cancel",
+ "restartToUpdate": "Reiniciar para actualizar (1)",
+ "relaunchMessage": "Para aplicar los cambios de la versión es necesario recargar",
+ "relaunchDetailInsiders": "Presione el botón de recarga para cambiar a la versión nocturna de preproducción de VSCode.",
+ "relaunchDetailStable": "Presione el botón de recarga para cambiar a la versión estable de lanzamiento mensual de VSCode.",
+ "reload": "&&Recargar",
+ "switchToInsiders": "Cambiar a la versión de participantes...",
+ "switchToStable": "Cambiar a la versión estable..."
+ },
+ "vs/workbench/contrib/update/browser/releaseNotesEditor": {
+ "releaseNotesInputName": "Notas de la versión: {0}",
+ "unassigned": "sin asignar"
+ },
+ "vs/workbench/contrib/url/browser/url.contribution": {
+ "openUrl": "Abrir URL",
+ "urlToOpen": "Dirección URL que se va a abrir"
+ },
+ "vs/workbench/contrib/url/browser/trustedDomains": {
+ "trustedDomain.manageTrustedDomain": "Administrar dominios de confianza",
+ "trustedDomain.trustDomain": "Confiar en {0}",
+ "trustedDomain.trustAllPorts": "Confiar en {0} en todos los puertos",
+ "trustedDomain.trustSubDomain": "Confiar en {0} y en todos sus subdominios",
+ "trustedDomain.trustAllDomains": "Confiar en todos los dominios (deshabilita la protección de vínculos)",
+ "trustedDomain.manageTrustedDomains": "Administrar dominios de confianza",
+ "configuringURL": "Configuración de la confianza para: {0}"
+ },
+ "vs/workbench/contrib/url/browser/trustedDomainsValidator": {
+ "openExternalLinkAt": "¿Desea que {0} abra el sitio web externo?",
+ "open": "Abrir",
+ "copy": "Copiar",
+ "cancel": "Cancelar",
+ "configureTrustedDomains": "Configurar dominios de confianza"
+ },
+ "vs/workbench/contrib/userDataSync/electron-browser/userDataSync.contribution": {
+ "operationId": "Id. de operación: {0}",
+ "too many requests": "La sincronización de configuración está deshabilitada porque el dispositivo actual está realizando demasiadas solicitudes. Proporcione los registros de sincronización para notificar una incidencia.",
+ "settings sync": "Sincronización de configuración. Identificador de operación: {0}",
+ "show sync logs": "Mostrar registro",
+ "report issue": "Notificar incidencia",
+ "Open Backup folder": "Abrir carpeta de copias de seguridad locales",
+ "no backups": "La carpeta de copias de seguridad local no existe"
+ },
+ "vs/workbench/contrib/userDataSync/browser/userDataSync.contribution": {
+ "operationId": "Id. de operación: {0}",
+ "too many requests": "Se ha desactivado la sincronización de la configuración en este dispositivo porque realiza demasiadas solicitudes."
+ },
+ "vs/workbench/contrib/userDataSync/browser/userDataSync": {
+ "turn on sync with category": "{0}: activar...",
+ "stop sync": "{0}: desactivar",
+ "configure sync": "{0}: Configurar...",
+ "showConflicts": "{0}: mostrar conflictos de configuración",
+ "showKeybindingsConflicts": "{0}: mostrar conflictos de los enlaces de teclado",
+ "showSnippetsConflicts": "{0}: mostrar conflictos de fragmentos de código de usuario",
+ "sync now": "{0}: sincronizar ahora",
+ "syncing": "sincronizándose",
+ "synced with time": "{0} se ha sincronizado",
+ "sync settings": "{0}: mostrar configuración",
+ "show synced data": "{0}: mostrar datos sincronizados",
+ "conflicts detected": "No se puede sincronizar debido a conflictos en {0}. Resuélvalos para continuar.",
+ "accept remote": "Aceptar remoto",
+ "accept local": "Aceptar local",
+ "show conflicts": "Mostrar conflictos",
+ "accept failed": "Error al aceptar los cambios. Consulte [los registros] ({0}) para obtener más detalles.",
+ "session expired": "Se desactivó la sincronización de configuración porque la sesión actual expiró; vuelva a iniciar sesión para activar la sincronización.",
+ "turn on sync": "Activar sincronización de configuración...",
+ "turned off": "La sincronización de la configuración se ha desactivado desde otro dispositivo; vuelva a iniciar sesión para activar la sincronización.",
+ "too large": "Se ha deshabilitado la sincronización de {0} porque el tamaño del archivo de {1} que se va a sincronizar es mayor que {2}. Abra el archivo y reduzca el tamaño y habilite la sincronización",
+ "error upgrade required": "La sincronización de configuración está deshabilitada porque la versión actual ({0}, {1}) no es compatible con el servicio de sincronización. Actualice antes de activar la sincronización.",
+ "operationId": "Id. de operación: {0}",
+ "error reset required": "La sincronización de configuración está deshabilitada porque los datos de la nube son anteriores a los del cliente. Elimine los datos de la nube antes de activar la sincronización.",
+ "reset": "Borrar datos en la nube...",
+ "show synced data action": "Mostrar datos sincronizados",
+ "switched to insiders": "La sincronización de la configuración usa ahora un servicio independiente; puede encontrar más información en las [notas de la versión](https://code.visualstudio.com/updates/v1_48#_settings-sync).",
+ "open file": "Abrir {0} archivo",
+ "errorInvalidConfiguration": "No se puede sincronizar {0} porque el contenido del archivo no es válido. Abra el archivo y corríjalo.",
+ "has conflicts": "{0}: conflictos detectados",
+ "turning on syncing": "Activando la sincronización de configuración...",
+ "sign in to sync": "Iniciar sesión en la configuración de sincronización",
+ "no authentication providers": "No hay disponible ningún proveedor de autenticación.",
+ "too large while starting sync": "La sincronización de la configuración no se puede activar porque el tamaño del archivo de {0} que se va a sincronizar es mayor que {1}. Abra el archivo, reduzca el tamaño y active la sincronización",
+ "error upgrade required while starting sync": "La sincronización de configuración no se puede activar porque la versión actual ({0}, {1}) no es compatible con el servicio de sincronización. Actualícela antes de activar la sincronización.",
+ "error reset required while starting sync": "No se puede activar la sincronización de configuración porque los datos de la nube son anteriores a los del cliente. Elimine los datos de la nube antes de activar la sincronización.",
+ "auth failed": "Error al activar la sincronización de configuración: error de autenticación.",
+ "turn on failed": "Error al activar la sincronización de configuración. Consulte [los registros] ({0}) para obtener más detalles.",
+ "sync preview message": "La sincronización de la configuración es una característica en vista previa; lea la documentación antes de activarla.",
+ "turn on": "Activar",
+ "open doc": "Abrir documentación",
+ "cancel": "Cancelar",
+ "sign in and turn on": "Iniciar sesión y activar",
+ "configure and turn on sync detail": "Inicie sesión para sincronizar los datos entre los dispositivos.",
+ "per platform": "para cada plataforma",
+ "configure sync placeholder": "Elija lo que quiere sincronizar",
+ "turn off sync confirmation": "¿Desea desactivar la sincronización?",
+ "turn off sync detail": "La configuración, los enlaces de teclado, las extensiones, los fragmentos de código y el estado de la interfaz de usuario ya no se sincronizarán.",
+ "turn off": "&&Desactivar",
+ "turn off sync everywhere": "Desactive la sincronización en todos sus dispositivos y borre los datos de la nube.",
+ "leftResourceName": "{0} (remoto)",
+ "merges": "{0} (fusiones mediante \"merge\")",
+ "sideBySideLabels": "{0} ↔ {1}",
+ "sideBySideDescription": "Sincronización de configuración",
+ "switchSyncService.title": "{0}: seleccionar servicio",
+ "switchSyncService.description": "Asegúrese de que usa el mismo servicio de sincronización de configuración al realizar la sincronización con varios entornos",
+ "default": "Predeterminado",
+ "insiders": "Participantes",
+ "stable": "Estable",
+ "global activity turn on sync": "Activar sincronización de configuración...",
+ "turnin on sync": "Activando la sincronización de configuración...",
+ "sign in global": "Iniciar sesión en la configuración de sincronización",
+ "sign in accounts": "Iniciar sesión en la configuración de sincronización (1)",
+ "resolveConflicts_global": "{0}: mostrar conflictos de configuración (1)",
+ "resolveKeybindingsConflicts_global": "{0}: mostrar conflictos de los enlaces de teclado (1)",
+ "resolveSnippetsConflicts_global": "{0}: mostrar conflictos de los fragmentos de código del usuario ({1})",
+ "sync is on": "La sincronización de configuración está activa",
+ "workbench.action.showSyncRemoteBackup": "Mostrar datos sincronizados",
+ "turn off failed": "Error al desactivar la sincronización de configuración. Consulte [los registros] ({0}) para obtener más detalles.",
+ "show sync log title": "{0}: mostrar registro",
+ "accept merges": "Aceptar fusiones mediante \"merge\"",
+ "accept remote button": "Aceptar &&remoto",
+ "accept merges button": "Aceptar &&fusiones mediante \"merge\"",
+ "Sync accept remote": "{0}: {1}",
+ "Sync accept merges": "{0}: {1}",
+ "confirm replace and overwrite local": "¿Desea aceptar {0} remoto y reemplazar {1} local?",
+ "confirm replace and overwrite remote": "¿Quiere aceptar las fusiones mediante \"merge\" y reemplazar el elemento {0} remoto?",
+ "update conflicts": "No se pudieron resolver conflictos, ya que hay una nueva versión local disponible. Inténtelo de nuevo."
+ },
+ "vs/workbench/contrib/userDataSync/browser/userDataSyncViews": {
+ "showLog": "Mostrar registro",
+ "configure": "Configurar...",
+ "workbench.actions.syncData.reset": "Borrar datos en la nube...",
+ "merges": "Fusiones mediante \"merge\"",
+ "synced machines": "Máquinas sincronizadas",
+ "workbench.actions.sync.editMachineName": "Editar nombre",
+ "workbench.actions.sync.turnOffSyncOnMachine": "Desactivar la sincronización de configuración",
+ "remote sync activity title": "Actividad de sincronización (remota)",
+ "local sync activity title": "Actividad de sincronización (local)",
+ "workbench.actions.sync.resolveResourceRef": "Mostrar datos de sicronización JSON sin formato",
+ "workbench.actions.sync.replaceCurrent": "Restaurar",
+ "confirm replace": "¿Desea reemplazar su {0} actual por el seleccionado?",
+ "workbench.actions.sync.compareWithLocal": "Abrir cambios",
+ "leftResourceName": "{0} (remoto)",
+ "rightResourceName": "{0} (local)",
+ "sideBySideLabels": "{0} ↔ {1}",
+ "sideBySideDescription": "Sincronización de configuración",
+ "reset": "Restablecer datos sincronizados",
+ "current": "Actual",
+ "no machines": "Ninguna máquina",
+ "not found": "no se encontró la máquina con el id.: {0}",
+ "turn off sync on machine": "¿Está seguro de que quiere desactivar la sincronización en {0}?",
+ "turn off": "&&Desactivar",
+ "placeholder": "Escriba el nombre de la máquina",
+ "valid message": "El nombre de la máquina debe ser único y no estar vacío"
+ },
+ "vs/workbench/contrib/userDataSync/browser/userDataSyncMergesView": {
+ "explanation": "Recorra cada una de las entradas y fusione mediante \"merge\" para habilitar la sincronización.",
+ "turn on sync": "Activar sincronización de configuración",
+ "cancel": "Cancelar",
+ "workbench.actions.sync.acceptRemote": "Aceptar remoto",
+ "workbench.actions.sync.acceptLocal": "Aceptar local",
+ "workbench.actions.sync.merge": "Fusionar mediante \"merge\"",
+ "workbench.actions.sync.discard": "Descartar",
+ "workbench.actions.sync.showChanges": "Abrir cambios",
+ "conflicts detected": "Conflictos detectados",
+ "resolve": "No se puede fusionar mediante \"merge\" debido a conflictos. Resuélvalos para continuar.",
+ "turning on": "Activando...",
+ "preview": "{0} (versión preliminar)",
+ "leftResourceName": "{0} (remoto)",
+ "merges": "{0} (fusiones mediante \"merge\")",
+ "rightResourceName": "{0} (local)",
+ "sideBySideLabels": "{0} ↔ {1}",
+ "sideBySideDescription": "Sincronización de configuración",
+ "label": "UserDataSyncResources",
+ "conflict": "Conflictos detectados",
+ "accepted": "Aceptado",
+ "accept remote": "Aceptar remoto",
+ "accept local": "Aceptar local",
+ "accept merges": "Aceptar fusiones mediante \"merge\""
+ },
+ "vs/workbench/contrib/views/browser/treeView": {
+ "no-dataprovider": "No hay ningún proveedor de datos registrado que pueda proporcionar datos de la vista.",
+ "refresh": "Actualizar",
+ "collapseAll": "Contraer todo",
+ "command-error": "Error al ejecutar el comando {1}: {0}. Probablemente esté provocado por la extensión que contribuye a {1}."
+ },
+ "vs/workbench/contrib/watermark/browser/watermark": {
+ "watermark.showCommands": "Mostrar todos los comandos",
+ "watermark.quickAccess": "Ir al archivo",
+ "watermark.openFile": "Abrir archivo",
+ "watermark.openFolder": "Abrir carpeta",
+ "watermark.openFileFolder": "Abrir archivo o carpeta",
+ "watermark.openRecent": "Abrir recientes",
+ "watermark.newUntitledFile": "Nuevo archivo sin título",
+ "watermark.toggleTerminal": "Alternar terminal",
+ "watermark.findInFiles": "Buscar en archivos",
+ "watermark.startDebugging": "Iniciar depuración",
+ "tips.enabled": "Si esta opción está habilitada, se muestran sugerencias de marca de agua cuando no hay ningún editor abierto."
+ },
+ "vs/workbench/contrib/webview/electron-browser/webviewCommands": {
+ "openToolsLabel": "Abrir herramientas de desarrollo de vistas web"
+ },
+ "vs/workbench/contrib/webview/browser/baseWebviewElement": {
+ "fatalErrorMessage": "Error al cargar la vista web: {0}"
+ },
+ "vs/workbench/contrib/webviewPanel/browser/webviewPanel.contribution": {
+ "webview.editor.label": "Editor de vistas web"
+ },
+ "vs/workbench/contrib/webviewPanel/browser/webviewCommands": {
+ "editor.action.webvieweditor.showFind": "Mostrar hallazgo",
+ "editor.action.webvieweditor.hideFind": "Detener la búsqueda",
+ "editor.action.webvieweditor.findNext": "Buscar siguiente",
+ "editor.action.webvieweditor.findPrevious": "Buscar anterior",
+ "refreshWebviewLabel": "Recargar vistas web"
+ },
+ "vs/workbench/contrib/welcome/overlay/browser/welcomeOverlay": {
+ "welcomeOverlay.explorer": "Explorador de archivos",
+ "welcomeOverlay.search": "Buscar en todos los archivos",
+ "welcomeOverlay.git": "Administración de código fuente",
+ "welcomeOverlay.debug": "Iniciar y depurar",
+ "welcomeOverlay.extensions": "Administrar extensiones",
+ "welcomeOverlay.problems": "Ver errores y advertencias",
+ "welcomeOverlay.terminal": "Alternar terminal integrado",
+ "welcomeOverlay.commandPalette": "Encontrar y ejecutar todos los comandos",
+ "welcomeOverlay.notifications": "Mostrar notificaciones",
+ "welcomeOverlay": "Información general de la interfaz de usuario",
+ "hideWelcomeOverlay": "Ocultar información general de la interfaz"
+ },
+ "vs/workbench/contrib/welcome/page/browser/welcomePage.contribution": {
+ "workbench.startupEditor.none": "Iniciar sin un editor.",
+ "workbench.startupEditor.welcomePage": "Abra la página de bienvenida (predeterminado).",
+ "workbench.startupEditor.readme": "Abrir el archivo README cuando se abra una carpeta que lo contenga, en caso contrario recurrir a 'welcomePage'.",
+ "workbench.startupEditor.newUntitledFile": "Abra un archivo nuevo sin título (solo se aplica al abrir un área de trabajo vacía).",
+ "workbench.startupEditor.welcomePageInEmptyWorkbench": "Abrir la página principal cuando se abra un área de trabajo vacía.",
+ "workbench.startupEditor.gettingStarted": "Abra la página de introducción (experimental).",
+ "workbench.startupEditor": "Controla qué editor se muestra al inicio, si no se restaura ninguno de la sesión anterior.",
+ "miWelcome": "&&Bienvenido"
+ },
+ "vs/workbench/contrib/welcome/gettingStarted/browser/gettingStarted.contribution": {
+ "Getting Started": "Introducción",
+ "help": "Ayuda",
+ "gettingStartedDescription": "Habilita una página de introducción experimental a la que se puede acceder desde el menú Ayuda."
+ },
+ "vs/workbench/contrib/welcome/walkThrough/browser/walkThrough.contribution": {
+ "walkThrough.editor.label": "Área de juegos interactiva",
+ "miInteractivePlayground": "Áre&&a de juegos interactiva"
+ },
+ "vs/workbench/contrib/welcome/page/browser/welcomePage": {
+ "welcomePage": "Bienvenido",
+ "welcomePage.javaScript": "JavaScript",
+ "welcomePage.python": "Python",
+ "welcomePage.java": "Java",
+ "welcomePage.php": "PHP",
+ "welcomePage.azure": "Azure",
+ "welcomePage.showAzureExtensions": "Mostrar extensiones de Azure",
+ "welcomePage.docker": "Docker",
+ "welcomePage.vim": "Vim",
+ "welcomePage.sublime": "Sublime",
+ "welcomePage.atom": "Atom",
+ "welcomePage.extensionPackAlreadyInstalled": "El soporte para '{0}' ya está instalado.",
+ "welcomePage.willReloadAfterInstallingExtensionPack": "La ventana se volverá a cargar después de instalar compatibilidad adicional con {0}.",
+ "welcomePage.installingExtensionPack": "Instalando compatibilidad adicional con {0}...",
+ "welcomePage.extensionPackNotFound": "No se pudo encontrar el soporte para {0} con id {1}.",
+ "welcomePage.keymapAlreadyInstalled": "Los métodos abreviados de teclado {0} ya están instalados.",
+ "welcomePage.willReloadAfterInstallingKeymap": "La ventana se volverá a cargar después de instalar los métodos abreviados de teclado {0}.",
+ "welcomePage.installingKeymap": "Instalando los métodos abreviados de teclado de {0}...",
+ "welcomePage.keymapNotFound": "No se pudieron encontrar los métodos abreviados de teclado {0} con el identificador {1}.",
+ "welcome.title": "Bienvenido",
+ "welcomePage.openFolderWithPath": "Abrir la carpeta {0} con la ruta de acceso {1}",
+ "welcomePage.extensionListSeparator": ", ",
+ "welcomePage.installKeymap": "Instalar mapa de teclas de {0}",
+ "welcomePage.installExtensionPack": "Instalar compatibilidad adicional con {0}",
+ "welcomePage.installedKeymap": "El mapa de teclas de {0} ya está instalado",
+ "welcomePage.installedExtensionPack": "La compatibilidad con {0} ya está instalada",
+ "ok": "Aceptar",
+ "details": "Detalles"
+ },
+ "vs/workbench/contrib/welcome/gettingStarted/browser/gettingStarted": {
+ "editorGettingStarted.title": "Introducción",
+ "next": "Siguiente"
+ },
+ "vs/workbench/contrib/welcome/walkThrough/browser/walkThroughPart": {
+ "walkThrough.unboundCommand": "sin enlazar",
+ "walkThrough.gitNotFound": "Parece que GIT no está instalado en el sistema.",
+ "walkThrough.embeddedEditorBackground": "Color de fondo de los editores incrustrados en la área de juegos"
+ },
+ "vs/workbench/contrib/welcome/walkThrough/browser/editor/editorWalkThrough": {
+ "editorWalkThrough.title": "Área de juegos interactiva",
+ "editorWalkThrough": "Área de juegos interactiva"
+ },
+ "vs/workbench/contrib/welcome/common/viewsWelcomeContribution": {
+ "ViewsWelcomeExtensionPoint.proposedAPI": "La contribución viewsWelcome en \"{0}\" requiere que \"enableProposedApi\" se haya habilitado."
+ },
+ "vs/workbench/contrib/welcome/common/viewsWelcomeExtensionPoint": {
+ "contributes.viewsWelcome": "Contenido de bienvenida de vistas aportadas. El contenido de bienvenida se representará en vistas en forma de árbol siempre que no tengan contenido significativo para mostrar, por ejemplo, el Explorador de archivos cuando no haya ninguna carpeta abierta. Dicho contenido es útil como documentación del producto para impulsar a los usuarios a utilizar ciertas características antes de que estén disponibles. Un buen ejemplo sería un botón \"Clonar repositorio\" en la vista de bienvenida del Explorador de archivos.",
+ "contributes.viewsWelcome.view": "Contenido de bienvenida contribuido para una visión específica.",
+ "contributes.viewsWelcome.view.view": "Identificador de la vista de destino para este contenido de bienvenida. Solo se admiten vistas en forma de árbol.",
+ "contributes.viewsWelcome.view.contents": "Contenido de bienvenida que se mostrará. El formato del contenido es un subconjunto de Markdown, con soporte solo para vínculos.",
+ "contributes.viewsWelcome.view.when": "Condición en la que se debe mostrar el contenido de bienvenida.",
+ "contributes.viewsWelcome.view.group": "Grupo al que pertenece este contenido de bienvenida.",
+ "contributes.viewsWelcome.view.enablement": "Condición en la que se deben habilitar los botones de contenido de bienvenida."
+ },
+ "vs/workbench/contrib/welcome/telemetryOptOut/browser/telemetryOptOut": {
+ "telemetryOptOut.optOutNotice": "Ayúdenos a mejorar VS Code permitiendo a Microsoft recopilar datos de uso. Lea nuestra [declaración de privacidad]({0}) y vea qué debe hacer para [no participar]({1}).",
+ "telemetryOptOut.optInNotice": "Ayúdenos a mejorar VS Code permitiendo a Microsoft recopilar datos de uso. Lea nuestra [declaración de privacidad]({0}) y vea qué debe hacer para [participar]({1}).",
+ "telemetryOptOut.readMore": "Leer más",
+ "telemetryOptOut.optOutOption": "Ayúdenos a mejorar Visual Studio Code permitiendo a Microsoft recopilar datos de uso. Lea nuestra [declaración de privacidad]({0}) para obtener más detalles.",
+ "telemetryOptOut.OptIn": "Sí, encantado de ayudarles",
+ "telemetryOptOut.OptOut": "No, gracias"
+ },
+ "vs/workbench/contrib/welcome/page/browser/welcomePageColors": {
+ "welcomePage.buttonBackground": "Color de fondo de los botones en la página principal.",
+ "welcomePage.buttonHoverBackground": "Color de fondo al mantener el mouse en los botones de la página principal.",
+ "welcomePage.background": "Color de fondo para la página de bienvenida."
+ },
+ "vs/workbench/contrib/welcome/page/browser/vs_code_welcome_page": {
+ "welcomePage.vscode": "Visual Studio Code",
+ "welcomePage.editingEvolved": "Edición mejorada",
+ "welcomePage.start": "Inicio",
+ "welcomePage.newFile": "Nuevo archivo",
+ "welcomePage.openFolder": "Abrir carpeta...",
+ "welcomePage.gitClone": "clonar repositorio...",
+ "welcomePage.recent": "Reciente",
+ "welcomePage.moreRecent": "Más...",
+ "welcomePage.noRecentFolders": "No hay ninguna carpeta reciente",
+ "welcomePage.help": "Ayuda",
+ "welcomePage.keybindingsCheatsheet": "Hoja imprimible con ayudas de teclado",
+ "welcomePage.introductoryVideos": "Vídeos de introducción",
+ "welcomePage.tipsAndTricks": "Sugerencias y trucos",
+ "welcomePage.productDocumentation": "Documentación del producto",
+ "welcomePage.gitHubRepository": "Repositorio de GitHub",
+ "welcomePage.stackOverflow": "Stack Overflow",
+ "welcomePage.newsletterSignup": "Únase a nuestro boletín informativo",
+ "welcomePage.showOnStartup": "Mostrar página principal al inicio",
+ "welcomePage.customize": "Personalizar",
+ "welcomePage.installExtensionPacks": "Herramientas y lenguajes",
+ "welcomePage.installExtensionPacksDescription": "Instalar soporte para {0} y {1}",
+ "welcomePage.showLanguageExtensions": "Mostrar más extensiones del lenguaje",
+ "welcomePage.moreExtensions": "más",
+ "welcomePage.installKeymapDescription": "Configuración y enlaces de teclado",
+ "welcomePage.installKeymapExtension": "Instalar la configuración y los métodos abreviados de teclado de {0} y {1}",
+ "welcomePage.showKeymapExtensions": "Mostrar otras extensiones de distribución de teclado",
+ "welcomePage.others": "otros",
+ "welcomePage.colorTheme": "Tema de color",
+ "welcomePage.colorThemeDescription": "Modifique a su gusto la apariencia del editor y el código",
+ "welcomePage.learn": "Más información",
+ "welcomePage.showCommands": "Encontrar y ejecutar todos los comandos",
+ "welcomePage.showCommandsDescription": "Acceda rápidamente a los comandos y búsquelos desde la paleta de comandos ({0})",
+ "welcomePage.interfaceOverview": "Introducción a la interfaz",
+ "welcomePage.interfaceOverviewDescription": "Obtenga una superposición que resalta los componentes principales de la interfaz de usuario",
+ "welcomePage.interactivePlayground": "Área de juegos interactiva",
+ "welcomePage.interactivePlaygroundDescription": "Pruebe las características esenciales del editor con un breve tutorial"
+ },
+ "vs/workbench/contrib/welcome/gettingStarted/browser/vs_code_editor_getting_started": {
+ "gettingStarted.vscode": "Visual Studio Code",
+ "gettingStarted.editingRedefined": "Edición de código. Redefinido"
+ },
+ "vs/workbench/contrib/workspaces/browser/workspaces.contribution": {
+ "workspaceFound": "Esta carpeta contiene un archivo de área de trabajo \"{0}\". ¿Desea abrirlo? [Más información] ({1}) acerca de los archivos del área de trabajo.",
+ "openWorkspace": "Abrir área de trabajo",
+ "workspacesFound": "Esta carpeta contiene varios archivos de área de trabajo. ¿Desea abrir uno? [Más información]({0}) acerca de los archivos de área de trabajo.",
+ "selectWorkspace": "Seleccione el área de trabajo",
+ "selectToOpen": "Seleccione el área de trabajo para abrir"
+ },
+ "vs/workbench/services/authentication/browser/authenticationService": {
+ "authentication.id": "Identificador del proveedor de autenticación.",
+ "authentication.label": "Nombre en lenguaje natural del proveedor de autenticación.",
+ "authenticationExtensionPoint": "Contribuye a la autenticación",
+ "loading": "Cargando...",
+ "authentication.missingId": "Una contribución de autenticación debe especificar un identificador.",
+ "authentication.missingLabel": "Una contribución de autenticación debe especificar una etiqueta.",
+ "authentication.idConflict": "El identificador de autenticación \"{0}\" ya se ha registrado.",
+ "noAccounts": "No ha iniciado sesión en ninguna cuenta.",
+ "sign in": "Inicio de sesión solicitado",
+ "signInRequest": "Iniciar sesión para usar {0} (1)"
+ },
+ "vs/workbench/services/bulkEdit/browser/bulkEditService": {
+ "summary.0": "No se realizaron ediciones",
+ "summary.nm": "{0} ediciones de texto en {1} archivos",
+ "summary.n0": "{0} ediciones de texto en un archivo",
+ "workspaceEdit": "Edición del área de trabajo",
+ "nothing": "No se realizaron ediciones"
+ },
+ "vs/workbench/services/configuration/common/jsonEditingService": {
+ "errorInvalidFile": "No se puede escribir en el archivo. Abra el archivo para corregir los errores o advertencias y vuelva a intentarlo.",
+ "errorFileDirty": "No se puede escribir en el archivo porque se ha modificado. Guarde el archivo y vuelva a intentarlo."
+ },
+ "vs/workbench/services/configuration/common/configurationEditingService": {
+ "openTasksConfiguration": "Abrir configuración de tareas",
+ "openLaunchConfiguration": "Abrir configuración de inicio",
+ "open": "Abrir configuración",
+ "saveAndRetry": "Guardar y reintentar",
+ "errorUnknownKey": "No se puede escribir en {0} porque {1} no es una configuración registrada.",
+ "errorInvalidWorkspaceConfigurationApplication": "No se puede escribir {0} en Configuración de área de trabajo; solo se puede escribir en Configuración de usuario.",
+ "errorInvalidWorkspaceConfigurationMachine": "No se puede escribir {0} en Configuración de área de trabajo; solo se puede escribir en Configuración de usuario.",
+ "errorInvalidFolderConfiguration": "No se puede escribir en Configuración de carpeta porque {0} no admite el ámbito del recurso de carpeta.",
+ "errorInvalidUserTarget": "No se puede escribir en Configuración de usuario porque {0} no admite el ámbito global.",
+ "errorInvalidWorkspaceTarget": "No se puede escribir a la configuración del área de trabajo porque {0} no soporta a un área de trabajo con multi carpetas.",
+ "errorInvalidFolderTarget": "No se puede escribir en Configuración de carpeta porque no se ha proporcionado ningún recurso.",
+ "errorInvalidResourceLanguageConfiguraiton": "No se puede escribir en la configuración de idioma porque {0} no es una configuración de idioma de recursos.",
+ "errorNoWorkspaceOpened": "No se puede escribir en {0} porque no hay ninguna área de trabajo abierta. Abra un área de trabajo y vuelva a intentarlo.",
+ "errorInvalidTaskConfiguration": "No se puede escribir en el archivo de configuración de tareas. Por favor, ábralo para corregir sus errores/advertencias e inténtelo de nuevo.",
+ "errorInvalidLaunchConfiguration": "No se puede escribir en el archivo de configuración de inicio. Ábralo para corregir los posibles errores o advertencias que tenga y vuelva a intentarlo.",
+ "errorInvalidConfiguration": "No se puede escribir en la configuración de usuario. Ábrala para corregir los posibles errores o advertencias que tenga y vuelva a intentarlo.",
+ "errorInvalidRemoteConfiguration": "No se puede escribir en la configuración del usuario remoto. Abra la configuración del usuario remoto para corregir errores/advertencias en él e inténtelo de nuevo.",
+ "errorInvalidConfigurationWorkspace": "No se puede escribir en la configuración del área de trabajo. Por favor, abra la configuración del área de trabajo para corregir los errores/advertencias en el archivo e inténtelo de nuevo.",
+ "errorInvalidConfigurationFolder": "No se puede escribir en la configuración de carpeta. Abra la configuración de la carpeta \"{0}\" para corregir los posibles errores o advertencias que tenga y vuelva a intentarlo.",
+ "errorTasksConfigurationFileDirty": "No se puede escribir en el archivo de configuración de tareas porque se ha modificado. Guarde primero el archivo y vuelva a intentarlo.",
+ "errorLaunchConfigurationFileDirty": "No se puede escribir en el archivo de configuración de inicio porque se ha modificado. Guarde primero el archivo y vuelva a intentarlo.",
+ "errorConfigurationFileDirty": "No se puede escribir en el archivo de configuración de usuario porque se ha modificado. Guarde primero el archivo y vuelva a intentarlo.",
+ "errorRemoteConfigurationFileDirty": "No se puede escribir en la configuración de usuario remoto porque el archivo tiene modificaciones. Primero guarde el archivo de configuración de usuario remoto y vuelva a intentarlo.",
+ "errorConfigurationFileDirtyWorkspace": "No se puede escribir en el archivo de configuración del área de trabajo porque se ha modificado. Guarde primero el archivo y vuelva a intentarlo.",
+ "errorConfigurationFileDirtyFolder": "No se puede escribir en el archivo de configuración de carpeta porque se ha modificado. Guarde primero el archivo de configuración de la carpeta \"{0}\" y vuelva a intentarlo.",
+ "errorTasksConfigurationFileModifiedSince": "No se puede escribir en el archivo de configuración de tareas porque el contenido del archivo es más reciente.",
+ "errorLaunchConfigurationFileModifiedSince": "No se puede escribir en el archivo de configuración de inicio porque el contenido del archivo es más reciente.",
+ "errorConfigurationFileModifiedSince": "No se puede escribir en la configuración de usuario porque el contenido del archivo es más reciente.",
+ "errorRemoteConfigurationFileModifiedSince": "No se puede escribir en la configuración de usuario remoto porque el contenido del archivo es más reciente.",
+ "errorConfigurationFileModifiedSinceWorkspace": "No se puede escribir en la configuración del área de trabajo porque el contenido del archivo es más reciente.",
+ "errorConfigurationFileModifiedSinceFolder": "No se puede escribir en la configuración de la carpeta porque el contenido del archivo es más reciente.",
+ "userTarget": "Configuración de usuario",
+ "remoteUserTarget": "Configuración de usuario remoto",
+ "workspaceTarget": "Configuración de área de trabajo",
+ "folderTarget": "Configuración de Carpeta"
+ },
+ "vs/workbench/services/configurationResolver/browser/configurationResolverService": {
+ "commandVariable.noStringType": "No puede sustituir la variable de comando \"{0}\" porque el comando no devolvió un resultado de tipo string.",
+ "inputVariable.noInputSection": "Se debe definir la variable \"{0}\" en una sección \"{1}\" de la configuración de depuración o tareas.",
+ "inputVariable.missingAttribute": "La variable de entrada \"{0}\" es de tipo \"{1}\" y debe incluir \"{2}\".",
+ "inputVariable.defaultInputValue": "(Predeterminada)",
+ "inputVariable.command.noStringType": "No puede sustituir la variable de entrada \"{0}\" porque el comando \"{1}\" no devolvió un resultado de tipo string.",
+ "inputVariable.unknownType": "La variable de entrada \"{0}\" solo puede ser del tipo \"promptString\", \"pickString\" o \"command\".",
+ "inputVariable.undefinedVariable": "Se encontró una variable de entrada no definida \"{0}\". Elimine o defina \"{0}\" para continuar."
+ },
+ "vs/workbench/services/configurationResolver/common/variableResolver": {
+ "canNotResolveFile": "No se puede resolver la variable \"{0}\". Abra un editor.",
+ "canNotResolveFolderForFile": "La variable {0} no encuentra la carpeta de área de trabajo de \"{1}\".",
+ "canNotFindFolder": "No se puede resolver la variable \"{0}\". No existe la carpeta \"{1}\".",
+ "canNotResolveWorkspaceFolderMultiRoot": "No se puede resolver la variable \"{0}\" en un área de trabajo multicarpeta. Defina el ámbito de esta variable mediante el uso de \":\" y un nombre de carpeta del área de trabajo.",
+ "canNotResolveWorkspaceFolder": "No se puede resolver la variable \"{0}\". Abra una carpeta.",
+ "missingEnvVarName": "No se puede resolver la variable \"{0}\" porque no se ha asignado ningún nombre de variable de entorno. ",
+ "configNotFound": "No se puede resolver la variable \"{0}\" porque la configuración '{1}' no se ha encontrado. ",
+ "configNoString": "No se puede resolver la variable \"{0}\" porque \"{1}\" es un valor estructurado.",
+ "missingConfigName": "No se puede resolver la variable \"{0}\" porque no se ha asignado ningún nombre de configuración. ",
+ "canNotResolveLineNumber": "No se puede resolver la variable \"{0}\". Asegúrese de tener una línea seleccionada en el editor activo.",
+ "canNotResolveSelectedText": "No se puede resolver la variable \"{0}\". Asegúrese de tener un texto seleccionado en el editor activo.",
+ "noValueForCommand": "No se puede resolver la variable \"{0}\" porque el comando no tiene ningún valor."
+ },
+ "vs/workbench/services/configurationResolver/common/configurationResolverUtils": {
+ "deprecatedVariables": "\"env.\", \"config.\" y \"command.\" están en desuso, utilice en su lugar \"env:\", \"config:\" y \"command:\"."
+ },
+ "vs/workbench/services/configurationResolver/common/configurationResolverSchema": {
+ "JsonSchema.input.id": "El id. de la entrada se utiliza para asociar una entrada con una variable con la forma ${input:id}.",
+ "JsonSchema.input.type": "El tipo de mensaje de entrada de usuario que se usará.",
+ "JsonSchema.input.description": "La descripción se muestra cuando se pide una entrada al usuario.",
+ "JsonSchema.input.default": "El valor predeterminado de la entrada.",
+ "JsonSchema.inputs": "Entradas del usuario. Se utilizan para definir mensajes de entrada de usuario, como una entrada de cadena libre o una elección entre varias opciones.",
+ "JsonSchema.input.type.promptString": "El tipo \"promptString\" abre un cuadro de entrada para pedir la entrada al usuario.",
+ "JsonSchema.input.password": "Controla si se muestra una entrada de contraseña. La entrada de contraseña oculta el texto escrito.",
+ "JsonSchema.input.type.pickString": "El tipo \"pickString\" muestra una lista de selección.",
+ "JsonSchema.input.options": "Una matriz de cadenas que define las opciones para una selección rápida.",
+ "JsonSchema.input.pickString.optionLabel": "Etiqueta para la opción.",
+ "JsonSchema.input.pickString.optionValue": "Valor de la opción.",
+ "JsonSchema.input.type.command": "El tipo \"'command\" ejecuta un comando.",
+ "JsonSchema.input.command.command": "El comando para ejecutar para esta variable de entrada.",
+ "JsonSchema.input.command.args": "Argumentos opcionales pasados al comando."
+ },
+ "vs/workbench/services/decorations/browser/decorationsService": {
+ "bubbleTitle": "Contiene elementos resaltados"
+ },
+ "vs/workbench/services/dialogs/browser/abstractFileDialogService": {
+ "saveChangesDetail": "Los cambios se perderán si no los guarda.",
+ "saveChangesMessage": "¿Quiere guardar los cambios efectuados en {0}?",
+ "saveChangesMessages": "¿Desea guardar los cambios en los siguientes {0} archivos?",
+ "saveAll": "&&Guardar todo",
+ "save": "&&Guardar",
+ "dontSave": "&&No guardar",
+ "cancel": "Cancelar",
+ "openFileOrFolder.title": "Abrir archivo o carpeta",
+ "openFile.title": "Abrir archivo",
+ "openFolder.title": "Abrir carpeta",
+ "openWorkspace.title": "Abrir área de trabajo",
+ "filterName.workspace": "Área de trabajo",
+ "saveFileAs.title": "Guardar como",
+ "saveAsTitle": "Guardar como",
+ "allFiles": "Todos los archivos",
+ "noExt": "Sin extensión"
+ },
+ "vs/workbench/services/dialogs/browser/simpleFileDialog": {
+ "openLocalFile": "Abrir archivo local...",
+ "saveLocalFile": "Guardar archivo local...",
+ "openLocalFolder": "Abrir carpeta local...",
+ "openLocalFileFolder": "Abrir Local...",
+ "remoteFileDialog.notConnectedToRemote": "El proveedor del sistema de archivos para {0} no está disponible.",
+ "remoteFileDialog.local": "Ver Local",
+ "remoteFileDialog.badPath": "La ruta no existe.",
+ "remoteFileDialog.cancel": "Cancelar",
+ "remoteFileDialog.invalidPath": "Escriba una ruta de acceso válida.",
+ "remoteFileDialog.validateFolder": "La carpeta ya existe. Utilice un nuevo nombre de archivo.",
+ "remoteFileDialog.validateExisting": "{0} ya existe. ¿Está seguro de que desea sobrescribirlo?",
+ "remoteFileDialog.validateBadFilename": "Escriba un nombre de archivo válido.",
+ "remoteFileDialog.validateNonexistentDir": "Escriba una ruta de acceso que exista.",
+ "remoteFileDialog.windowsDriveLetter": "Comience la ruta de acceso con una letra de unidad.",
+ "remoteFileDialog.validateFileOnly": "Seleccione un archivo.",
+ "remoteFileDialog.validateFolderOnly": "Seleccione una carpeta."
+ },
+ "vs/workbench/services/editor/browser/editorService": {
+ "editorAssociations.viewType.sourceDescription": "Origen: {0}"
+ },
+ "vs/workbench/services/editor/common/editorOpenWith": {
+ "promptOpenWith.currentlyActive": "Activo actualmente",
+ "promptOpenWith.setDefaultTooltip": "Establecer como editor predeterminado para los archivos \"{0}\"",
+ "promptOpenWith.placeHolder": "Seleccionar el editor para \"{0}\"",
+ "builtinProviderDisplayName": "Integrado",
+ "promptOpenWith.defaultEditor.displayName": "Editor de texto",
+ "editor.editorAssociations": "Configure el editor que se va a usar para tipos de archivo específicos.",
+ "editor.editorAssociations.viewType": "Identificador único del editor que se va a usar.",
+ "editor.editorAssociations.filenamePattern": "Patrón global que especifica los archivos para los que se debe usar el editor."
+ },
+ "vs/workbench/services/extensionManagement/electron-browser/extensionManagementServerService": {
+ "local": "LOCAL",
+ "remote": "Remoto"
+ },
+ "vs/workbench/services/extensionManagement/electron-sandbox/remoteExtensionManagementService": {
+ "incompatible": "No se puede instalar la extensión '{0}' debido a que no es compatible con el código de VS '{1}'."
+ },
+ "vs/workbench/services/extensionManagement/common/webExtensionsScannerService": {
+ "cannot be installed": "No se puede instalar \"{0}\" porque esta no es una extensión web."
+ },
+ "vs/workbench/services/extensionManagement/browser/extensionEnablementService": {
+ "extensionsDisabled": "Todas las extensiones instaladas están deshabilitadas temporalmente.",
+ "Reload": "Recargar y habilitar las extensiones",
+ "cannot disable language pack extension": "No se puede cambiar la habilitación de la extensión {0} porque aporta paquetes de idioma.",
+ "cannot disable auth extension": "No se puede cambiar la habilitación de la extensión {0} porque la sincronización de la configuración depende de ella.",
+ "noWorkspace": "No hay ningún área de trabajo.",
+ "cannot disable auth extension in workspace": "No se puede cambiar la habilitación de la extensión {0} en el área de trabajo porque aporta proveedores de autenticación."
+ },
+ "vs/workbench/services/extensionManagement/common/extensionManagementService": {
+ "singleDependentError": "No se puede desinstalar la extensión '{0}'. La extensión '{1}' depende de esta.",
+ "twoDependentsError": "No se puede desinstalar la extensión '{0}'. Las extensiones '{1}' y '{2}' dependen de esta.",
+ "multipleDependentsError": "No se puede desinstalar la extensión \"{0}\". Las extensiones \"{1}\" y \"{2}\", entre otras, dependen de esta.",
+ "Manifest is not found": "Error al instalar la extensión {0}: no se encuentra el manifiesto.",
+ "cannot be installed": "No se puede instalar \"{0}\" porque esta extensión ha definido que no se puede ejecutar en el servidor remoto.",
+ "cannot be installed on web": "No se puede instalar \"{0}\" porque esta extensión ha definido que no se puede ejecutar en el servidor web.",
+ "install extension": "Instalar extensión",
+ "install extensions": "Instalar extensiones",
+ "install": "Instalar",
+ "install and do no sync": "Instalar (no sincronizar)",
+ "cancel": "Cancelar",
+ "install single extension": "¿Quiere instalar y sincronizar la extensión \"{0}\" en los dispositivos?",
+ "install multiple extensions": "¿Quiere instalar y sincronizar las extensiones en los dispositivos?"
+ },
+ "vs/workbench/services/extensionManagement/browser/extensionBisect": {
+ "bisect": "La extensión Bisect está activa y ha deshabilitado {0} extensiones. Compruebe si aún puede reproducir el problema y, a continuación, seleccione una de estas opciones.",
+ "title.start": "Iniciar extensión Bisect",
+ "help": "Ayuda",
+ "msg.start": "Extensión Bisect",
+ "detail.start": "La extensión Bisect usará la búsqueda binaria para encontrar una extensión que causa un problema. Durante el proceso, la ventana se recarga repetidamente (~{0} veces) y cada vez deberá confirmar si sigue encontrando problemas.",
+ "msg2": "Iniciar extensión Bisect",
+ "title.isBad": "Continuar con la extensión Bisect",
+ "done.msg": "Extensión Bisect",
+ "done.detail2": "La bisección de extensiones se ha completado, pero no se ha identificado ninguna extensión. Puede que sea un problema con {0}.",
+ "report": "Informar del problema y continuar",
+ "done": "Continuar",
+ "done.detail": "La extensión Bisect se ha completado y ha identificado {0} como la extensión que causa el problema.",
+ "done.disbale": "Mantener la extensión deshabilitada",
+ "msg.next": "Extensión Bisect",
+ "next.good": "Ahora bien",
+ "next.bad": "Esto no está bien",
+ "next.stop": "Detener Bisect",
+ "next.cancel": "Cancelar",
+ "title.stop": "Detener la extensión Bisect"
+ },
+ "vs/workbench/services/extensionRecommendations/common/workspaceExtensionsConfig": {
+ "select for remove": "Quitar recomendación de extensión de",
+ "select for add": "Agregar recomendación de extensión a",
+ "workspace folder": "Carpeta del área de trabajo",
+ "workspace": "Área de trabajo"
+ },
+ "vs/workbench/services/extensions/electron-browser/extensionService": {
+ "extensionService.versionMismatchCrash": "El host de extensiones no se puede iniciar: la versión no coincide.",
+ "relaunch": "Reiniciar VS Code",
+ "extensionService.crash": "El host de extensiones finalizó inesperadamente.",
+ "devTools": "Abrir herramientas de desarrollo",
+ "restart": "Reiniciar el host de extensiones",
+ "getEnvironmentFailure": "No se pudo capturar un entorno remoto",
+ "looping": "Las siguientes extensiones contienen bucles de dependencias y se han deshabilitado: {0}",
+ "enableResolver": "Se requiere la extensión \"{0}\" para abrir la ventana remota.\r\n¿Quiere habilitarla?",
+ "enable": "Habilitar y cargar",
+ "installResolver": "Se requiere la extensión \"{0}\" para abrir la ventana remota.\r\n¿Desea instalarla?",
+ "install": "Instalar y recargar",
+ "resolverExtensionNotFound": "\"{0}\" no se encuentra en el Marketplace",
+ "restartExtensionHost": "Reiniciar el host de extensiones"
+ },
+ "vs/workbench/services/extensions/electron-browser/cachedExtensionScanner": {
+ "overwritingExtension": "Sobrescribiendo la extensión {0} con {1}.",
+ "extensionUnderDevelopment": "Cargando la extensión de desarrollo en {0}",
+ "extensionCache.invalid": "Las extensiones han sido modificadas en disco. Por favor, vuelva a cargar la ventana.",
+ "reloadWindow": "Recargar ventana"
+ },
+ "vs/workbench/services/extensions/electron-browser/localProcessExtensionHost": {
+ "extensionHost.startupFailDebug": "El host de extensiones no se inició en 10 segundos, puede que se detenga en la primera línea y necesita un depurador para continuar.",
+ "extensionHost.startupFail": "El host de extensiones no se inició en 10 segundos, lo cual puede ser un problema.",
+ "reloadWindow": "Recargar ventana",
+ "extension host Log": "Host de extensión",
+ "extensionHost.error": "Error del host de extensiones: {0}"
+ },
+ "vs/workbench/services/extensions/common/abstractExtensionService": {
+ "looping": "Las siguientes extensiones contienen bucles de dependencias y se han deshabilitado: {0}"
+ },
+ "vs/workbench/services/extensions/common/remoteExtensionHost": {
+ "remote extension host Log": "Host de extensión remota"
+ },
+ "vs/workbench/services/extensions/browser/webWorkerExtensionHost": {
+ "name": "Host de extensiones de trabajo"
+ },
+ "vs/workbench/services/extensions/browser/extensionUrlHandler": {
+ "confirmUrl": "¿Permitir que una extensión abra este URI?",
+ "rememberConfirmUrl": "No volver a preguntarme por esta extensión.",
+ "open": "&&Abrir",
+ "reloadAndHandle": "La extensión \"{0}\" no se ha cargado. ¿Desea volver a cargar la ventana para cargar la extensión y abrir la URL?",
+ "reloadAndOpen": "&&Volver a cargar ventana y abrir",
+ "enableAndHandle": "La extensión \"{0}\" está deshabilitada. ¿Desea habilitar la extensión y volver a cargar la ventana para abrir la URL?",
+ "enableAndReload": "&&Habilitar y abrir",
+ "installAndHandle": "La extensión \"{0}\" no está instalada. ¿Desea instalar la extensión y volver a cargar la ventana para abrir esta URL?",
+ "install": "&&Instalar",
+ "Installing": "Instalando la extensión \"{0}\"...",
+ "reload": "¿Quiere recargar la ventana y abrir la dirección URL \"{0}\"?",
+ "Reload": "Recargar ventana y abrir",
+ "manage": "Administrar URI de extensión autorizados...",
+ "extensions": "Extensiones",
+ "no": "No hay ningún URI de extensión autorizado actualmente."
+ },
+ "vs/workbench/services/extensions/common/extensionsRegistry": {
+ "ui": "Tipo de extensión de interfaz de usuario. En una ventana remota, estas extensiones solo están habilitadas cuando están disponibles en el equipo local.",
+ "workspace": "Tipo de extensión de área de trabajo. En una ventana remota, estas extensiones solo están habilitadas cuando están disponibles en el espacio remoto.",
+ "web": "Tipo de extensión de trabajo web. Esta extensión se puede ejecutar en un host de extensiones de trabajo web.",
+ "vscode.extension.engines": "Compatibilidad del motor.",
+ "vscode.extension.engines.vscode": "Para las extensiones de VS Code, especifica la versión de VS Code con la que la extensión es compatible. No puede ser *. Por ejemplo: ^0.10.5 indica compatibilidad con una versión de VS Code mínima de 0.10.5.",
+ "vscode.extension.publisher": "El publicador de la extensión VS Code.",
+ "vscode.extension.displayName": "Nombre para mostrar de la extensión que se usa en la galería de VS Code.",
+ "vscode.extension.categories": "Categorías que usa la galería de VS Code para clasificar la extensión.",
+ "vscode.extension.category.languages.deprecated": "Utilice 'Lenguajes de programación' en su lugar ",
+ "vscode.extension.galleryBanner": "Banner usado en VS Code Marketplace.",
+ "vscode.extension.galleryBanner.color": "Color del banner en el encabezado de página de VS Code Marketplace.",
+ "vscode.extension.galleryBanner.theme": "Tema de color de la fuente que se usa en el banner.",
+ "vscode.extension.contributes": "Todas las contribuciones de la extensión VS Code representadas por este paquete.",
+ "vscode.extension.preview": "Establece la extensión que debe marcarse como versión preliminar en Marketplace.",
+ "vscode.extension.activationEvents": "Eventos de activación de la extensión VS Code.",
+ "vscode.extension.activationEvents.onLanguage": "Un evento de activación emitido cada vez que se abre un archivo que se resuelve en el idioma especificado.",
+ "vscode.extension.activationEvents.onCommand": "Un evento de activación emitido cada vez que se invoca el comando especificado.",
+ "vscode.extension.activationEvents.onDebug": "Un evento de activación emitido cada vez que un usuario está a punto de iniciar la depuración o cada vez que está a punto de configurar las opciones de depuración.",
+ "vscode.extension.activationEvents.onDebugInitialConfigurations": "Un evento de activación emitido cada vez que se necesite crear un \"launch.json\" (y se necesite llamar a todos los métodos provideDebugConfigurations).",
+ "vscode.extension.activationEvents.onDebugDynamicConfigurations": "Se emite un evento de activación cada vez que debe crearse una lista de todas las configuraciones de depuración (y debe llamarse a todos los métodos provideDebugConfigurations para el ámbito \"dinámico\").",
+ "vscode.extension.activationEvents.onDebugResolve": "Un evento de activación emitido cada vez que esté a punto de ser iniciada una sesión de depuración con el tipo específico (y se necesite llamar al método resolveDebugConfiguration correspondiente).",
+ "vscode.extension.activationEvents.onDebugAdapterProtocolTracker": "Un evento de activación emitido cada vez que esté por ser iniciada una sesión de depuración con el tipo específico, y en la cual pueda necesitarse de un rastreador de protocolo de depuración.",
+ "vscode.extension.activationEvents.workspaceContains": "Un evento de activación emitido cada vez que se abre una carpeta que contiene al menos un archivo que coincide con el patrón global especificado.",
+ "vscode.extension.activationEvents.onStartupFinished": "Se emitió un evento de activación después de finalizar el inicio (después de que todas las extensiones activadas con \"*\" hayan terminado de activarse).",
+ "vscode.extension.activationEvents.onFileSystem": "Un evento de activación emitido cada vez que se accede a un archivo o carpeta con el esquema dado.",
+ "vscode.extension.activationEvents.onSearch": "Un evento de activación emitido cada vez que se inicia una búsqueda en la carpeta con el esquema dado.",
+ "vscode.extension.activationEvents.onView": "Un evento de activación emitido cada vez que se expande la vista especificada.",
+ "vscode.extension.activationEvents.onIdentity": "Un evento de activación emitido siempre con la identidad de usuario especificada.",
+ "vscode.extension.activationEvents.onUri": "Se emite un evento de activación siempre cuando se abre un identificador URI de todo el sistema dirigido hacia esta extensión.",
+ "vscode.extension.activationEvents.onCustomEditor": "Un evento de activación emitido cada vez que el editor personalizado especificado se vuelve visible.",
+ "vscode.extension.activationEvents.star": "Un evento de activación emitido al inicio de VS Code. Para garantizar una buena experiencia para el usuario final, use este evento de activación en su extensión solo cuando no le sirva ninguna otra combinación de eventos de activación en su caso.",
+ "vscode.extension.badges": "Matriz de distintivos que se muestran en la barra lateral de la página de extensiones de Marketplace.",
+ "vscode.extension.badges.url": "URL de la imagen del distintivo.",
+ "vscode.extension.badges.href": "Vínculo del distintivo.",
+ "vscode.extension.badges.description": "Descripción del distintivo.",
+ "vscode.extension.markdown": "Controla el motor de renderizado de Markdown utilizado en el Marketplace. Github (por defecto) o estándar.",
+ "vscode.extension.qna": "Controla el vínculo de preguntas y respuestas en Marketplace. Configúrelo en Marketplace para habilitar el sitio de preguntas y respuestas predeterminado. Establezca una cadena para proporcionar la URL de un sitio de preguntas y respuestas personalizado. Establézcalo en falso para deshabilitar las preguntas y respuestas.",
+ "vscode.extension.extensionDependencies": "Dependencias a otras extensiones. El identificador de una extensión siempre es ${publisher}.${name}. Por ejemplo: vscode.csharp.",
+ "vscode.extension.contributes.extensionPack": "Conjunto de extensiones que pueden instalarse juntas. El identificador de una extensión siempre es ${publisher}.${name}. Por ejemplo: vscode.csharp.",
+ "extensionKind": "Define el tipo de extensión. Las extensiones \"ui\" se instalan y ejecutan en la máquina local, mientras que las extensiones \"workspace\" se ejecutan en la remota.",
+ "extensionKind.ui": "Defina una extensión que solo se pueda ejecutar en el equipo local cuando esté conectado a una ventana remota.",
+ "extensionKind.workspace": "Defina una extensión que solo se pueda ejecutar en la máquina remota al conectarse a la ventana remota.",
+ "extensionKind.ui-workspace": "Defina una extensión que se pueda ejecutar a ambos lados, con una preferencia hacia la ejecución en el equipo local.",
+ "extensionKind.workspace-ui": "Defina una extensión que se pueda ejecutar a ambos lados, con una preferencia hacia la ejecución en el equipo remoto.",
+ "extensionKind.empty": "Defina una extensión que no se pueda ejecutar en un contexto remoto, ni en el equipo local o el remoto.",
+ "vscode.extension.scripts.prepublish": "Script que se ejecuta antes de publicar el paquete como extensión VS Code.",
+ "vscode.extension.scripts.uninstall": "Enlace de desinstalación para la extensión de VS Code. Script que se ejecuta cuando la extensión se ha desinstalado por completo de VS Code, que es cuando VS Code se reinicia (se cierra y se inicia) después de haberse desinstalado la extensión. Solo se admiten scripts de Node.",
+ "vscode.extension.icon": "Ruta de acceso a un icono de 128 x 128 píxeles."
+ },
+ "vs/workbench/services/extensions/node/extensionPoints": {
+ "jsonParseInvalidType": "Archivo de manifiesto {0} no válido: no es un objeto JSON.",
+ "jsonParseFail": "No se ha podido analizar {0}: [{1}, {2}] {3}.",
+ "fileReadFail": "No se puede leer el archivo {0}: {1}.",
+ "jsonsParseReportErrors": "No se pudo analizar {0}: {1}.",
+ "jsonInvalidFormat": "Formato no válido {0}: se esperaba un objeto JSON.",
+ "missingNLSKey": "No se encontró un mensaje para la clave {0}.",
+ "notSemver": "La versión de la extensión no es compatible con semver.",
+ "extensionDescription.empty": "Se obtuvo una descripción vacía de la extensión.",
+ "extensionDescription.publisher": "El publicador de propiedades debe ser de tipo \"string\".",
+ "extensionDescription.name": "la propiedad \"{0}\" es obligatoria y debe ser de tipo \"string\"",
+ "extensionDescription.version": "la propiedad \"{0}\" es obligatoria y debe ser de tipo \"string\"",
+ "extensionDescription.engines": "la propiedad `{0}` es obligatoria y debe ser de tipo \"object\"",
+ "extensionDescription.engines.vscode": "la propiedad \"{0}\" es obligatoria y debe ser de tipo \"string\"",
+ "extensionDescription.extensionDependencies": "la propiedad `{0}` se puede omitir o debe ser de tipo \"string[]\"",
+ "extensionDescription.activationEvents1": "la propiedad `{0}` se puede omitir o debe ser de tipo \"string[]\"",
+ "extensionDescription.activationEvents2": "las propiedades `{0}` y `{1}` deben especificarse u omitirse conjuntamente",
+ "extensionDescription.main1": "la propiedad \"{0}\" se puede omitir o debe ser de tipo \"string\"",
+ "extensionDescription.main2": "Se esperaba que \"main\" ({0}) se hubiera incluido en la carpeta de la extensión ({1}). Esto puede hacer que la extensión no sea portátil.",
+ "extensionDescription.main3": "las propiedades `{0}` y `{1}` deben especificarse u omitirse conjuntamente",
+ "extensionDescription.browser1": "la propiedad \"{0}\" se puede omitir o debe ser de tipo \"string\"",
+ "extensionDescription.browser2": "Se esperaba que \"browser\" ({0}) se hubiera incluido en la carpeta de la extensión ({1}). Esto puede hacer que la extensión no sea portátil.",
+ "extensionDescription.browser3": "las propiedades `{0}` y `{1}` deben especificarse u omitirse conjuntamente"
+ },
+ "vs/workbench/services/extensions/common/extensionHostManager": {
+ "measureExtHostLatency": "Medir la latencia del host de extensión"
+ },
+ "vs/workbench/services/gettingStarted/common/gettingStartedContent": {
+ "gettingStarted.beginner.title": "Iniciar",
+ "gettingStarted.beginner.description": "Conozca su nuevo editor",
+ "pickColorTask.description": "Modifique los colores de la interfaz de usuario para adaptarla a sus preferencias y al entorno de trabajo.",
+ "pickColorTask.title": "Tema de color",
+ "pickColorTask.button": "Buscar un tema",
+ "findKeybindingsTask.description": "Busca métodos abreviados de teclado para Vim, Sublime y Atom, entre otros.",
+ "findKeybindingsTask.title": "Configurar los enlaces de teclado",
+ "findKeybindingsTask.button": "Buscar asignaciones de teclado",
+ "findLanguageExtsTask.description": "Obtenga compatibilidad con los lenguajes que usa, como JavaScript, Python, Java, Azure, Docker y otros.",
+ "findLanguageExtsTask.title": "Lenguajes y herramientas",
+ "findLanguageExtsTask.button": "Instalar compatibilidad con lenguaje",
+ "gettingStartedOpenFolder.description": "Abra una carpeta de proyecto para empezar.",
+ "gettingStartedOpenFolder.title": "Abrir carpeta",
+ "gettingStartedOpenFolder.button": "Seleccionar una carpeta",
+ "gettingStarted.intermediate.title": "Essentials",
+ "gettingStarted.intermediate.description": "Conozca características que le encantarán",
+ "commandPaletteTask.description": "La forma más sencilla de encontrar todo lo que VS Code puede hacer. Si busca alguna característica, consulte aquí primero.",
+ "commandPaletteTask.title": "Paleta de comandos",
+ "commandPaletteTask.button": "Ver todos los comandos",
+ "gettingStarted.advanced.title": "Trucos y sugerencias",
+ "gettingStarted.advanced.description": "Favoritos de los expertos de VS Code",
+ "gettingStarted.openFolder.title": "Abrir carpeta",
+ "gettingStarted.openFolder.description": "Abra un proyecto y empiece a trabajar",
+ "gettingStarted.playground.title": "Área de juegos interactiva",
+ "gettingStarted.interactivePlayground.description": "Conozca las características esenciales del editor"
+ },
+ "vs/workbench/services/integrity/node/integrityService": {
+ "integrity.prompt": "La instalación de {0} parece estar dañada. Vuelva a instalar.",
+ "integrity.moreInformation": "Más información",
+ "integrity.dontShowAgain": "No mostrar de nuevo"
+ },
+ "vs/workbench/services/keybinding/common/keybindingEditing": {
+ "errorKeybindingsFileDirty": "No se puede escribir porque el archivo de configuración KeyBindings se ha modificado. Guarde el archivo y vuelva a intentarlo.",
+ "parseErrors": "No se puede escribir en el archivo de configuración KeyBindings. Abra el archivo para corregir los errores/advertencias e inténtelo otra vez.",
+ "errorInvalidConfiguration": "No se puede escribir en el archivo de configuración KeyBindings. Tiene un objeto que no es de tipo Array. Abra el archivo para corregirlo y vuelva a intentarlo.",
+ "emptyKeybindingsHeader": "Coloque sus atajos de teclado en este archivo para sobreescribir los valores predeterminados"
+ },
+ "vs/workbench/services/keybinding/browser/keybindingService": {
+ "nonempty": "se esperaba un valor no vacío.",
+ "requirestring": "la propiedad \"{0}\" es obligatoria y debe ser de tipo \"string\"",
+ "optstring": "la propiedad \"{0}\" se puede omitir o debe ser de tipo \"string\"",
+ "vscode.extension.contributes.keybindings.command": "Identificador del comando que se va a ejecutar cuando se desencadena el enlace de teclado.",
+ "vscode.extension.contributes.keybindings.args": "Argumentos que se pasan al comando para ejecutar.",
+ "vscode.extension.contributes.keybindings.key": "Tecla o secuencia de teclas (teclas separadas con signo más y secuencias con espacio, por ejemplo, Ctrl+O y Ctrl+L para una presión simultánea).",
+ "vscode.extension.contributes.keybindings.mac": "Tecla o secuencia de teclas específica de Mac.",
+ "vscode.extension.contributes.keybindings.linux": "Tecla o secuencia de teclas específica de Linux.",
+ "vscode.extension.contributes.keybindings.win": "Tecla o secuencia de teclas específica de Windows.",
+ "vscode.extension.contributes.keybindings.when": "Condición cuando la tecla está activa.",
+ "vscode.extension.contributes.keybindings": "Aporta enlaces de teclado.",
+ "invalid.keybindings": "Valor de \"contributes.{0}\" no válido: {1}",
+ "unboundCommands": "Aquí hay otros comandos disponibles: ",
+ "keybindings.json.title": "Configuración de enlaces de teclado",
+ "keybindings.json.key": "Tecla o secuencia de teclas (separadas por un espacio)",
+ "keybindings.json.command": "Nombre del comando que se va a ejecutar",
+ "keybindings.json.when": "Condición cuando la tecla está activa.",
+ "keybindings.json.args": "Argumentos que se pasan al comando para ejecutar.",
+ "keyboardConfigurationTitle": "Teclado",
+ "dispatch": "Controla la lógica de distribución de las pulsaciones de teclas para usar `code` (recomendado) o `keyCode`."
+ },
+ "vs/workbench/services/label/common/labelService": {
+ "vscode.extension.contributes.resourceLabelFormatters": "Aporta reglas de formato de etiqueta de recursos.",
+ "vscode.extension.contributes.resourceLabelFormatters.scheme": "Esquema URI en el que hacer coincidir el formateador. Por ejemplo \"archivo\". Se admiten los patrones globales sencillos.",
+ "vscode.extension.contributes.resourceLabelFormatters.authority": "Autorización URI en la que se debe hacer coincidir el formateador. Se admiten patrones globales.",
+ "vscode.extension.contributes.resourceLabelFormatters.formatting": "Reglas para el formato de etiquetas de recursos uri.",
+ "vscode.extension.contributes.resourceLabelFormatters.label": "Reglas de etiqueta para mostrar. Por ejemplo: myLabel:/${path}. ${path}, ${scheme} y ${authority} se admiten como variables.",
+ "vscode.extension.contributes.resourceLabelFormatters.separator": "Separador para utilizar en la pantalla de la etiqueta de uri. '/' o '', por ejemplo.",
+ "vscode.extension.contributes.resourceLabelFormatters.stripPathStartingSeparator": "Controla si deben eliminarse los caracteres separadores de inicio de las sustituciones de \"${path}\".",
+ "vscode.extension.contributes.resourceLabelFormatters.tildify": "Controla si el inicio de la etiqueta de URI debe ser tildified cuando sea posible.",
+ "vscode.extension.contributes.resourceLabelFormatters.formatting.workspaceSuffix": "Sufijo agregado a la etiqueta del área de trabajo.",
+ "untitledWorkspace": "Sin título (área de trabajo)",
+ "workspaceNameVerbose": "{0} (área de trabajo)",
+ "workspaceName": "{0} (área de trabajo)"
+ },
+ "vs/workbench/services/lifecycle/electron-sandbox/lifecycleService": {
+ "errorClose": "Error inesperado al intentar cerrar la ventana ({0}).",
+ "errorQuit": "Error inesperado al intentar salir de la aplicación ({0}).",
+ "errorReload": "Error inesperado al intentar recargar la ventana ({0}).",
+ "errorLoad": "Error inesperado al intentar cambiar el área de trabajo de la ventana ({0})."
+ },
+ "vs/workbench/services/mode/common/workbenchModeService": {
+ "vscode.extension.contributes.languages": "Aporta declaraciones de lenguaje.",
+ "vscode.extension.contributes.languages.id": "Identificador del lenguaje.",
+ "vscode.extension.contributes.languages.aliases": "Alias de nombre para el lenguaje.",
+ "vscode.extension.contributes.languages.extensions": "Extensiones de archivo asociadas al lenguaje.",
+ "vscode.extension.contributes.languages.filenames": "Nombres de archivo asociados al lenguaje.",
+ "vscode.extension.contributes.languages.filenamePatterns": "Patrones globales de nombre de archivo asociados al lenguaje.",
+ "vscode.extension.contributes.languages.mimetypes": "Tipos MIME asociados al lenguaje.",
+ "vscode.extension.contributes.languages.firstLine": "Expresión regular que coincide con la primera línea de un archivo del lenguaje.",
+ "vscode.extension.contributes.languages.configuration": "Ruta de acceso relativa a un archivo que contiene opciones de configuración para el lenguaje.",
+ "invalid": "Elemento \"contributes.{0}\" no válido. Se esperaba una matriz.",
+ "invalid.empty": "Valor vacío para \"contributes.{0}\"",
+ "require.id": "la propiedad \"{0}\" es obligatoria y debe ser de tipo \"string\"",
+ "opt.extensions": "la propiedad `{0}` se puede omitir y debe ser de tipo \"string[]\"",
+ "opt.filenames": "la propiedad `{0}` se puede omitir y debe ser de tipo \"string[]\"",
+ "opt.firstLine": "la propiedad `{0}` se puede omitir y debe ser de tipo \"string\"",
+ "opt.configuration": "la propiedad `{0}` se puede omitir y debe ser de tipo \"string\"",
+ "opt.aliases": "la propiedad `{0}` se puede omitir y debe ser de tipo \"string[]\"",
+ "opt.mimetypes": "la propiedad `{0}` se puede omitir y debe ser de tipo \"string[]\""
+ },
+ "vs/workbench/services/notification/common/notificationService": {
+ "neverShowAgain": "No mostrar de nuevo"
+ },
+ "vs/workbench/services/preferences/common/preferences": {
+ "userSettingsTarget": "Configuración de usuario",
+ "workspaceSettingsTarget": "Configuración de área de trabajo"
+ },
+ "vs/workbench/services/preferences/browser/preferencesService": {
+ "openFolderFirst": "Abrir una carpeta antes de crear la configuración del área de trabajo",
+ "emptyKeybindingsHeader": "Coloque sus atajos de teclado en este archivo para sobreescribir los valores predeterminados",
+ "defaultKeybindings": "Enlaces de teclado predeterminados",
+ "defaultSettings": "Configuración predeterminada",
+ "folderSettingsName": "{0} (Configuración de carpeta)",
+ "fail.createSettings": "No se puede crear '{0}' ({1})."
+ },
+ "vs/workbench/services/preferences/common/preferencesEditorInput": {
+ "settingsEditorName": "Configuración predeterminada",
+ "keybindingsInputName": "Métodos abreviados de teclado",
+ "settingsEditor2InputName": "Configuración"
+ },
+ "vs/workbench/services/preferences/common/preferencesModels": {
+ "commonlyUsed": "Más utilizada",
+ "defaultKeybindingsHeader": "Sobreescriba sus atajos de teclado colocándolos en su archivo de atajos de teclado"
+ },
+ "vs/workbench/services/preferences/common/keybindingsEditorModel": {
+ "default": "Predeterminado",
+ "extension": "Extensión",
+ "user": "Usuario",
+ "cat.title": "{0}: {1}",
+ "option": "Opción",
+ "meta": "meta"
+ },
+ "vs/workbench/services/preferences/common/preferencesValidation": {
+ "validations.expectedNumeric": "El valor debe ser un número.",
+ "invalidTypeError": "La configuración tiene un tipo no válido, se esperaba {0}. Corríjalo en JSON.",
+ "validations.maxLength": "El valor debe tener {0} caracteres como máximo.",
+ "validations.minLength": "El valor debe tener {0} caracteres como mínimo.",
+ "validations.regex": "El valor debe coincidir con la instancia de regex \"{0}\".",
+ "validations.colorFormat": "Formato de color no válido. Use #RGB, #RGBA, #RRGGBB o #RRGGBBAA.",
+ "validations.uriEmpty": "Se esperaba el URI.",
+ "validations.uriMissing": "Se espera el URI.",
+ "validations.uriSchemeMissing": "Se espera el URI con un esquema.",
+ "validations.exclusiveMax": "El valor debe ser estrictamente menor que {0}.",
+ "validations.exclusiveMin": "El valor debe ser estrictamente mayor que {0}.",
+ "validations.max": "El valor debe ser menor o igual que {0}.",
+ "validations.min": "El valor debe ser mayor o igual que {0}.",
+ "validations.multipleOf": "El valor debe ser múltiplo de {0}.",
+ "validations.expectedInteger": "El valor debe ser un entero.",
+ "validations.stringArrayUniqueItems": "La matriz tiene elementos duplicados.",
+ "validations.stringArrayMinItem": "La matriz debe tener como mínimo {0} elementos.",
+ "validations.stringArrayMaxItem": "La matriz debe tener como máximo {0} elementos.",
+ "validations.stringArrayItemPattern": "El valor {0} debe coincidir con la instancia de regex {1}.",
+ "validations.stringArrayItemEnum": "El valor {0} no es uno de {1}"
+ },
+ "vs/workbench/services/progress/browser/progressService": {
+ "progress.text2": "{0}: {1}",
+ "progress.title3": "[{0}] {1}: {2}",
+ "progress.title2": "[{0}]: {1}",
+ "status.progress": "Mensaje de progreso",
+ "cancel": "Cancelar",
+ "dismiss": "Descartar"
+ },
+ "vs/workbench/services/remote/common/abstractRemoteAgentService": {
+ "connectionError": "Error al conectar con el servidor de host de la extensión remota (Error: {0})"
+ },
+ "vs/workbench/services/textfile/electron-browser/nativeTextFileService": {
+ "fileReadOnlyError": "El archivo es de solo lectura"
+ },
+ "vs/workbench/services/textfile/browser/textFileService": {
+ "fileBinaryError": "El archivo parece ser binario y no se puede abrir como texto",
+ "confirmOverwrite": "'{0}' ya existe. ¿Desea reemplazarla?",
+ "irreversible": "Ya existe un archivo o carpeta con el nombre \"{0}\" en la carpeta \"{1}\". Reemplazarlo sobrescribirá su contenido actual.",
+ "replaceButtonLabel": "&&Reemplazar"
+ },
+ "vs/workbench/services/textfile/common/textFileEditorModelManager": {
+ "genericSaveError": "No se pudo guardar \"{0}\": {1}"
+ },
+ "vs/workbench/services/textfile/common/textFileEditorModel": {
+ "saveFileFirst": "Este es un archivo con modificaciones. Guárdelo antes de volver a abrirlo con otra codificación."
+ },
+ "vs/workbench/services/textfile/common/textFileSaveParticipant": {
+ "saveParticipants": "Guardando \"{0}\""
+ },
+ "vs/workbench/services/textMate/browser/abstractTextMateService": {
+ "alreadyDebugging": "Ya se está registrando.",
+ "stop": "Detener",
+ "progress1": "Preparándose para registrar el análisis de gramática de TM. Haga clic en Detener cuando haya terminado.",
+ "progress2": "Se está registrando el análisis de gramática de TM. Haga clic en Detener cuando haya terminado.",
+ "invalid.language": "Lenguaje desconocido en \"contributes.{0}.language\". Valor proporcionado: {1}",
+ "invalid.scopeName": "Se esperaba una cadena en \"contributes.{0}.scopeName\". Valor proporcionado: {1}",
+ "invalid.path.0": "Se esperaba una cadena en 'contributes.{0}.path'. Valor proporcionado: {1}",
+ "invalid.injectTo": "Valor no válido en `contributes.{0}.injectTo`. Debe ser una matriz de nombres de ámbito de lenguaje. Valor proporcionado: {1}",
+ "invalid.embeddedLanguages": "Valor no válido en \"contributes.{0}.embeddedLanguages\". Debe ser una asignación de objeto del nombre del ámbito al lenguaje. Valor proporcionado: {1}",
+ "invalid.tokenTypes": "Valor no válido en \"contributes.{0}.tokenTypes\". Debe ser una asignación de objeto del nombre del ámbito al tipo de token. Valor proporcionado: {1}",
+ "invalid.path.1": "Se esperaba que \"contributes.{0}.path\" ({1}) se incluyera en la carpeta de la extensión ({2}). Esto puede hacer que la extensión no sea portátil.",
+ "too many characters": "La tokenización se omite para las filas largas por razones de rendimiento. La longitud de una línea larga puede configurarse a través de \"editor.maxTokenizationLineLength\".",
+ "neverAgain": "No mostrar de nuevo"
+ },
+ "vs/workbench/services/textMate/common/TMGrammars": {
+ "vscode.extension.contributes.grammars": "Aporta tokenizadores de TextMate.",
+ "vscode.extension.contributes.grammars.language": "Identificador del lenguaje para el que se aporta esta sintaxis.",
+ "vscode.extension.contributes.grammars.scopeName": "Nombre del ámbito de TextMate que usa el archivo tmLanguage.",
+ "vscode.extension.contributes.grammars.path": "Ruta de acceso del archivo tmLanguage. La ruta es relativa a la carpeta de extensión y normalmente empieza por \"./syntaxes/\".",
+ "vscode.extension.contributes.grammars.embeddedLanguages": "Asignación de un nombre de ámbito al identificador de lenguaje si esta gramática contiene lenguajes incrustados.",
+ "vscode.extension.contributes.grammars.tokenTypes": "Asignación de nombre de ámbito a tipos de token.",
+ "vscode.extension.contributes.grammars.injectTo": "Lista de nombres de ámbito de lenguaje al que se inyecta esta gramática."
+ },
+ "vs/workbench/services/textMate/common/TMGrammarFactory": {
+ "no-tm-grammar": "No hay ninguna gramática de TM registrada para este lenguaje."
+ },
+ "vs/workbench/services/themes/browser/workbenchThemeService": {
+ "error.cannotloadtheme": "No se puede cargar {0}: {1}"
+ },
+ "vs/workbench/services/themes/common/colorExtensionPoint": {
+ "contributes.color": "Contribuye a la extensión definida para los colores de los temas",
+ "contributes.color.id": "El identificador de los colores de los temas",
+ "contributes.color.id.format": "Los identificadores solo deben contener letras, dígitos y puntos y no pueden comenzar con un punto",
+ "contributes.color.description": "Descripción del color temático",
+ "contributes.defaults.light": "El color predeterminado para los temas claros. Un valor de color en hexadecimal (#RRGGBB [AA]) o el identificador de un color para los temas que proporciona el valor predeterminado.",
+ "contributes.defaults.dark": "El color predeterminado para los temas oscuros. Un valor de color en hexadecimal (#RRGGBB [AA]) o el identificador de un color para los temas que proporciona el valor predeterminado.",
+ "contributes.defaults.highContrast": "El color predeterminado para los temas con constraste. Un valor de color en hexadecimal (#RRGGBB [AA]) o el identificador de un color para los temas que proporciona el valor predeterminado.",
+ "invalid.colorConfiguration": "'configuration.colors' debe ser una matriz",
+ "invalid.default.colorType": "{0} debe ser un valor de color en hexadecimal (#RRGGBB [AA] o #RGB [A]) o el identificador de un color para los temas que puede ser el valor predeterminado.",
+ "invalid.id": "\"configuration.colors.id\" debe estar definido y no puede estar vacío",
+ "invalid.id.format": "\"configuration.colors.id\" solo debe contener letras, dígitos y puntos y no puede comenzar con un punto",
+ "invalid.description": "\"configuration.colors.description\" debe estar definido y no puede estar vacío",
+ "invalid.defaults": "'configuration.colors.defaults' debe ser definida y contener 'light', 'dark' y 'highContrast'"
+ },
+ "vs/workbench/services/themes/common/tokenClassificationExtensionPoint": {
+ "contributes.semanticTokenTypes": "Contribuye con tipos de token semánticos.",
+ "contributes.semanticTokenTypes.id": "El identificador del tipo de token semántico",
+ "contributes.semanticTokenTypes.id.format": "Los identificadores deben tener el formato letterOrDigit[_-letterOrDigit]*",
+ "contributes.semanticTokenTypes.superType": "El supertipo del tipo de token semántico",
+ "contributes.semanticTokenTypes.superType.format": "Los supertipos deben tener el formato letterOrDigit[_-letterOrDigit]*",
+ "contributes.color.description": "Descripción del tipo de token semántico",
+ "contributes.semanticTokenModifiers": "Contribuye con modificadores de token semántico.",
+ "contributes.semanticTokenModifiers.id": "El identificador del modificador de token semántico",
+ "contributes.semanticTokenModifiers.id.format": "Los identificadores deben tener el formato letterOrDigit[_-letterOrDigit]*",
+ "contributes.semanticTokenModifiers.description": "La descripción del modificador de token semántico",
+ "contributes.semanticTokenScopes": "Aporta los mapas de ámbito de token semántico.",
+ "contributes.semanticTokenScopes.languages": "Enumera el languge para el que son los valores predeterminados.",
+ "contributes.semanticTokenScopes.scopes": "Asigna un token semántico (descrito por el selector de tokens semántico) a uno o varios ámbitos textMate utilizados para representar ese token.",
+ "invalid.id": "\"configuration.{0}.id\" debe estar definido y no puede estar vacío",
+ "invalid.id.format": "\"configuration.{0}.id\" debe seguir el patrón letterOrDigit[-_letterOrDigit]*",
+ "invalid.superType.format": "\"configuration.{0}.superType\" debe seguir el patrón letterOrDigit[-_letterOrDigit]*",
+ "invalid.description": "\"configuration.{0}.description\" debe estar definido y no puede estar vacío",
+ "invalid.semanticTokenTypeConfiguration": "\"configuration.semanticTokenType\" debe ser una matriz",
+ "invalid.semanticTokenModifierConfiguration": "\"configuration.semanticTokenModifier\" debe ser una matriz",
+ "invalid.semanticTokenScopes.configuration": "\"configuration.semanticTokenScopes\" debe ser una matriz",
+ "invalid.semanticTokenScopes.language": "\"configuration.semanticTokenScopes.language\" debe ser una cadena",
+ "invalid.semanticTokenScopes.scopes": "\"configuration.semanticTokenScopes.scopes\" debe definirse como un objeto",
+ "invalid.semanticTokenScopes.scopes.value": "Los valores de \"configuration.semanticTokenScopes.scopes\" deben ser una matriz de cadenas",
+ "invalid.semanticTokenScopes.scopes.selector": "\"configuration.semanticTokenScopes.scopes\": problemas al analizar el selector {0}."
+ },
+ "vs/workbench/services/themes/common/colorThemeData": {
+ "error.cannotparsejson": "Problemas al analizar el archivo de tema JSON: {0}",
+ "error.invalidformat": "Formato no válido del archivo de temas JSON: se esperaba un objeto.",
+ "error.invalidformat.colors": "Problema al analizar el archivo de tema: {0}. La propiedad \"colors\" no es tipo \"object\".",
+ "error.invalidformat.tokenColors": "Problema al analizar el archivo de tema de color: {0}. La propiedad \"tokenColors\" debe ser una matriz que especifique colores o una ruta de acceso a un archivo de tema de TextMate",
+ "error.invalidformat.semanticTokenColors": "Problema al analizar el archivo de tema de color: {0}. La propiedad \"semanticTokenColors\" contiene un selector no válido",
+ "error.plist.invalidformat": "Problema al analizar el archivo de tema: {0}. \"settings\" no es una matriz.",
+ "error.cannotparse": "Problemas al analizar el archivo de tema: {0}",
+ "error.cannotload": "Problemas al analizar el archivo de tema: {0}:{1}"
+ },
+ "vs/workbench/services/themes/common/fileIconThemeSchema": {
+ "schema.folderExpanded": "Icono de las carpetas expandidas. El icono de carpeta expandida es opcional. Si no establece, se muestra el icono definido para la carpeta.",
+ "schema.folder": "Icono de las carpetas contraídas y, si folderExpanded no se ha establecido, también de las carpetas expandidas.",
+ "schema.file": "Icono de archivo predeterminado, que se muestra para todos los archivos que no coinciden con ninguna extensión, nombre de archivo o identificador de lenguaje.",
+ "schema.folderNames": "Asocia los nombres de carpeta a iconos. La clave de objeto es el nombre de la carpeta, sin incluir ningún segmento de la ruta de acceso. No se permiten patrones ni comodines. La comparación de nombres de carpeta no distingue mayúsculas y minúsculas. ",
+ "schema.folderName": "La identificación de la definición de icono para la asociación.",
+ "schema.folderNamesExpanded": "Asocia los nombres de carpeta a iconos para las carpetas expandidas. La clave de objeto es el nombre de la carpeta, sin incluir ningún segmento de la ruta de acceso. No se permiten patrones ni comodines. La comparación de nombres de carpeta no distingue mayúsculas y minúsculas.",
+ "schema.folderNameExpanded": "La identificación de la definición de icono para la asociación.",
+ "schema.fileExtensions": "Asocia las extensiones de archivo a iconos. La clave de objeto es el nombre de la extensión de archivo, que es el último segmento del nombre de un archivo después del último punto (sin incluir el punto). La comparación de extensiones no distingue mayúsculas y minúsculas.",
+ "schema.fileExtension": "La identificación de la definición de icono para la asociación.",
+ "schema.fileNames": "Asocia los nombres de archivo a iconos. La clave de objeto es el nombre de archivo completo, sin incluir ningún segmento de la ruta de acceso. El nombre de archivo puede incluir puntos y una posible extensión de archivo. No se permiten patrones ni comodines. La comparación de nombres de archivo no distingue mayúsculas y minúsculas.",
+ "schema.fileName": "La identificación de la definición de icono para la asociación.",
+ "schema.languageIds": "Asocia lenguajes a los iconos. La clave de objeto es el identificador de lenguaje definido en el punto de aportación de lenguaje.",
+ "schema.languageId": "La identificación de la definición del icono para la asociación.",
+ "schema.fonts": "Fuentes que se usan en las definiciones de icono.",
+ "schema.id": "El identificador de la fuente.",
+ "schema.id.formatError": "El identificador solo debe contener letras, números, caracteres de subrayado y signos menos.",
+ "schema.src": "La ubicación de la fuente.",
+ "schema.font-path": "La ruta de acceso de la fuente, relativa al archivo actual de temas de iconos de archivos.",
+ "schema.font-format": "El formato de la fuente.",
+ "schema.font-weight": "El peso de la fuente. Consulte https://developer.mozilla.org/en-US/docs/Web/CSS/font-weight para ver los valores válidos.",
+ "schema.font-style": "El estilo de la fuente. Consulte https://developer.mozilla.org/en-US/docs/Web/CSS/font-style para ver los valores válidos.",
+ "schema.font-size": "El tamaño predeterminado de la fuente. Consulte https://developer.mozilla.org/es/docs/Web/CSS/font-size para ver los valores válidos.",
+ "schema.iconDefinitions": "Descripción de todos los iconos que se pueden usar al asociar archivos a iconos.",
+ "schema.iconDefinition": "Definición de icono. La clave del objeto es el identificador de la definición.",
+ "schema.iconPath": "Cuando se usa SVG o PNG: la ruta de acceso a la imagen. La ruta es relativa al archivo del conjunto de iconos.",
+ "schema.fontCharacter": "Cuando se usa una fuente de glifo: el carácter de la fuente que se va a usar.",
+ "schema.fontColor": "Cuando se usa una fuente de glifo: el color que se va a usar.",
+ "schema.fontSize": "Cuando se usa una fuente: porcentaje del tamaño de fuente para la fuente del texto. Si no se ha establecido, el valor predeterminado es el tamaño de la definición de fuente.",
+ "schema.fontId": "Cuando se usa una fuente: el identificador de la fuente. Si no se ha establecido, el valor predeterminado es la primera definición de fuente.",
+ "schema.light": "Asociaciones opcionales para iconos de archivo en temas de colores claros.",
+ "schema.highContrast": "Asociaciones opcionales para iconos de archivo en temas de color de contraste alto.",
+ "schema.hidesExplorerArrows": "Configura si las flechas del explorador deben quedar ocultas cuando este tema esté activo."
+ },
+ "vs/workbench/services/themes/browser/fileIconThemeData": {
+ "error.cannotparseicontheme": "Problemas al analizar el archivo de iconos de archivos: {0}",
+ "error.invalidformat": "Formato no válido del archivo de temas de iconos de archivos: se esperaba un objeto."
+ },
+ "vs/workbench/services/themes/common/colorThemeSchema": {
+ "schema.token.settings": "Colores y estilos para el token.",
+ "schema.token.foreground": "Color de primer plano para el token.",
+ "schema.token.background.warning": "En este momento los colores de fondo para Token no están soportados.",
+ "schema.token.fontStyle": "Estilo de fuente de la regla: 'cursiva', 'negrita' o 'subrayado' o una combinación. La cadena vacía desestablece la configuración heredada.",
+ "schema.fontStyle.error": "El estilo de fuente debe ser ' cursiva', ' negrita' o ' subrayado ' o una combinación o la cadena vacía.",
+ "schema.token.fontStyle.none": "Ninguno (borrar el estilo heredado)",
+ "schema.properties.name": "Descripción de la regla.",
+ "schema.properties.scope": "Selector de ámbito con el que se compara esta regla.",
+ "schema.workbenchColors": "Colores en el área de trabajo",
+ "schema.tokenColors.path": "Ruta a un archivo tmTheme (relativa al archivo actual).",
+ "schema.colors": "Colores para resaltado de sintaxis",
+ "schema.supportsSemanticHighlighting": "Si el resaltado semántico debe estar habilitado para este tema.",
+ "schema.semanticTokenColors": "Colores para tokens semánticos"
+ },
+ "vs/workbench/services/themes/common/themeExtensionPoints": {
+ "vscode.extension.contributes.themes": "Aporta temas de color de textmate.",
+ "vscode.extension.contributes.themes.id": "Id. del tema de color tal como se utiliza en la configuración del usuario.",
+ "vscode.extension.contributes.themes.label": "Etiqueta del tema de color tal como se muestra en la interfaz de usuario.",
+ "vscode.extension.contributes.themes.uiTheme": "Tema base que define los colores que se usan en el editor: 'vs' es el tema de color claro, 'vs-dark' es el tema de color oscuro, 'hc-black' es el tema oscuro de alto contraste.",
+ "vscode.extension.contributes.themes.path": "Ruta de acceso del archivo tmTheme. La ruta de acceso es relativa a la carpeta de extensión y suele ser \"./colorthemes/awesome-color-theme.json\".",
+ "vscode.extension.contributes.iconThemes": "Aporta temas de icono de archivo.",
+ "vscode.extension.contributes.iconThemes.id": "Id. del tema del icono de archivo tal como se utiliza en la configuración del usuario.",
+ "vscode.extension.contributes.iconThemes.label": "Etiqueta del tema del icono de archivo como se muestra en la interfaz de usuario.",
+ "vscode.extension.contributes.iconThemes.path": "Ruta del archivo de definición del tema del icono de archivo. La ruta de acceso es relativa a la carpeta de extensión y suele ser \"./fileicons/awesome-icon-theme.json\".",
+ "vscode.extension.contributes.productIconThemes": "Aporta temas de icono de producto.",
+ "vscode.extension.contributes.productIconThemes.id": "Id. del tema del icono del producto tal como se utiliza en la configuración del usuario.",
+ "vscode.extension.contributes.productIconThemes.label": "Etiqueta del tema del icono del producto como se muestra en la interfaz de usuario.",
+ "vscode.extension.contributes.productIconThemes.path": "Ruta del archivo de definición del tema del icono de producto. La ruta de acceso es relativa a la carpeta de extensión y suele ser \"./producticons/awesome-product-icon-theme.json\".",
+ "reqarray": "El punto de extensión \"{0}\" debe ser una matriz.",
+ "reqpath": "Se esperaba una cadena en 'contributes.{0}.path'. Valor proporcionado: {1}",
+ "reqid": "Se esperaba una cadena en `contributes.{0}.id`. Valor proporcionado: {1}",
+ "invalid.path.1": "Se esperaba que \"contributes.{0}.path\" ({1}) se incluyera en la carpeta de la extensión ({2}). Esto puede hacer que la extensión no sea portátil."
+ },
+ "vs/workbench/services/themes/common/themeConfiguration": {
+ "colorTheme": "Especifica el tema de color utilizado en el área de trabajo.",
+ "colorThemeError": "El tema es desconocido o no está instalado.",
+ "preferredDarkColorTheme": "Especifica el tema de color preferido para la apariencia oscura del sistema operativo cuando \"#{0}#\" está habilitado.",
+ "preferredLightColorTheme": "Especifica el tema de color preferido para la apariencia clara del sistema operativo cuando \"#{0}#\" está habilitado.",
+ "preferredHCColorTheme": "Especifica el tema de color preferido utilizado en modo de alto contraste cuando \"#{0}#\" está habilitado.",
+ "detectColorScheme": "Si lo configura, cambiará automáticamente al tema del color preferido en función de la apariencia del sistema operativo.",
+ "workbenchColors": "Reemplaza los colores del tema de color actual",
+ "iconTheme": "Especifica el tema de icono de archivo utilizado en el área de trabajo o \"null\" para no mostrar ningún icono de archivo.",
+ "noIconThemeLabel": "Ninguno",
+ "noIconThemeDesc": "Sin iconos de archivo",
+ "iconThemeError": "El tema de icono de archivo es desconocido o no está instalado.",
+ "productIconTheme": "Especifica el tema del icono del producto usado.",
+ "defaultProductIconThemeLabel": "Predeterminado",
+ "defaultProductIconThemeDesc": "Predeterminada",
+ "productIconThemeError": "El tema del icono del producto se desconoce o no está instalado.",
+ "autoDetectHighContrast": "Si se habilita, se cambiará automáticamente al tema de contraste alto si el sistema operativo usa un tema de este tipo.",
+ "editorColors.comments": "Establece los colores y estilos para los comentarios",
+ "editorColors.strings": "Establece los colores y estilos para los literales de cadena.",
+ "editorColors.keywords": "Establece los colores y estilos para las palabras clave.",
+ "editorColors.numbers": "Establece los colores y estilos para literales numéricos.",
+ "editorColors.types": "Establece los colores y estilos para las declaraciones y referencias de tipos.",
+ "editorColors.functions": "Establece los colores y estilos para las declaraciones y referencias de funciones.",
+ "editorColors.variables": "Establece los colores y estilos para las declaraciones y referencias de variables.",
+ "editorColors.textMateRules": "Establece colores y estilos utilizando las reglas de la tematización de textmate (avanzadas).",
+ "editorColors.semanticHighlighting": "Si el resaltado semántico debe estar habilitado para este tema.",
+ "editorColors.semanticHighlighting.deprecationMessage": "Use \"habilitado\" en el valor \"editor.semanticTokenColorCustomizations\" en su lugar.",
+ "editorColors.semanticHighlighting.deprecationMessageMarkdown": "Use \"enabled\" en el valor \"`#editor.semanticTokenColorCustomizations#\" en su lugar.",
+ "editorColors": "Invalida el estilo de fuente y los colores de sintaxis del editor del tema de color seleccionado.",
+ "editorColors.semanticHighlighting.enabled": "Indica si el resaltado semántico está habilitado o deshabilitado para este tema.",
+ "editorColors.semanticHighlighting.rules": "Reglas de estilo del token semántico para este tema.",
+ "semanticTokenColors": "Invalida los estilos y el color de token semántico del editor del tema de color seleccionado.",
+ "editorColors.experimentalTokenStyling.deprecationMessage": "Use \"editor.semanticTokenColorCustomizations\" en su lugar.",
+ "editorColors.experimentalTokenStyling.deprecationMessageMarkdown": "Use \"#editor.semanticTokenColorCustomizations#\" en su lugar."
+ },
+ "vs/workbench/services/themes/browser/productIconThemeData": {
+ "error.parseicondefs": "Problemas al procesar las definiciones de iconos de productos en {0}:\r\n{1}",
+ "defaultTheme": "Predeterminado",
+ "error.cannotparseicontheme": "Problemas al analizar el archivo de iconos de productos: {0}",
+ "error.invalidformat": "Formato no válido del archivo de temas de iconos de productos: se esperaba un objeto.",
+ "error.missingProperties": "Formato no válido para el archivo de tema de iconos de producto: debe contener elementos iconDefinitions y fuentes.",
+ "error.fontWeight": "Espesor de fuente no válido en la fuente \"{0}\". Ignorando el valor.",
+ "error.fontStyle": "Estilo de fuente no válido en la fuente \"{0}\". Ignorando el valor.",
+ "error.fontId": "Falta el id. de fuente \"{0}\" o no es válido. Omitiendo la definición de la fuente.",
+ "error.icon.fontId": "Omitiendo la definición de icono \"{0}\". Fuente desconocida.",
+ "error.icon.fontCharacter": "Omitiendo la definición de icono \"{0}\". fontCharacter desconocido."
+ },
+ "vs/workbench/services/themes/common/productIconThemeSchema": {
+ "schema.id": "El identificador de la fuente.",
+ "schema.id.formatError": "El identificador solo debe contener letras, números, caracteres de subrayado y signos menos.",
+ "schema.src": "La ubicación de la fuente.",
+ "schema.font-path": "La ruta de acceso de la fuente, relativa al archivo actual de temas de iconos de archivos.",
+ "schema.font-format": "El formato de la fuente.",
+ "schema.font-weight": "El peso de la fuente. Consulte https://developer.mozilla.org/en-US/docs/Web/CSS/font-weight para ver los valores válidos.",
+ "schema.font-style": "El estilo de la fuente. Consulte https://developer.mozilla.org/en-US/docs/Web/CSS/font-style para ver los valores válidos.",
+ "schema.iconDefinitions": "Asociación del nombre de icono a un carácter de fuente."
+ },
+ "vs/workbench/services/userDataSync/common/userDataSync": {
+ "settings": "Configuración",
+ "keybindings": "Métodos abreviados de teclado",
+ "snippets": "Fragmentos de usuario",
+ "extensions": "Extensiones",
+ "ui state label": "Estado de la interfaz de usuario",
+ "sync category": "Sincronización de configuración",
+ "syncViewIcon": "Vea el icono de la vista de sincronización de configuración."
+ },
+ "vs/workbench/services/userDataSync/browser/userDataSyncWorkbenchService": {
+ "no authentication providers": "No se puede activar la sincronización de la configuración porque no hay ningún proveedor de autenticación disponible.",
+ "no account": "No hay ninguna cuenta disponible.",
+ "show log": "mostrar registro",
+ "sync turned on": "Se activó {0}",
+ "sync in progress": "La sincronización de la configuración se está activando. ¿Quiere cancelarla?",
+ "settings sync": "Sincronización de configuración",
+ "yes": "&&Sí",
+ "no": "&&No",
+ "turning on": "Activando...",
+ "syncing resource": "Sincronizando {0}...",
+ "conflicts detected": "Conflictos detectados",
+ "merge Manually": "Fusionar manualmente mediante \"merge\"...",
+ "resolve": "No se puede fusionar mediante \"merge\" debido a conflictos. Fusione mediante \"merge\" manualmente para continuar...",
+ "merge or replace": "Fusionar mediante \"merge\" o reemplazar",
+ "merge": "Combinar",
+ "replace local": "Reemplazar Local",
+ "cancel": "Cancelar",
+ "first time sync detail": "Parece que la última vez se sincronizó desde otra máquina.\r\n¿Quiere fusionar mediante \"merge\" o reemplazar con sus datos en la nube?",
+ "reset": "Esto borrará los datos en la nube y detendrá la sincronización en todos sus dispositivos.",
+ "reset title": "Borrar",
+ "resetButton": "&&Restablecer",
+ "choose account placeholder": "Seleccione una cuenta con la que iniciar sesión",
+ "signed in": "Sesión iniciada",
+ "last used": "Último uso con sincronización",
+ "others": "Otros",
+ "sign in using account": "Iniciar sesión con {0}",
+ "successive auth failures": "La sincronización de la configuración está suspendida debido a errores de autorización sucesivos. Vuelva a iniciar sesión para continuar con la sincronización",
+ "sign in": "Iniciar sesión"
+ },
+ "vs/workbench/services/views/browser/viewDescriptorService": {
+ "resetViewLocation": "Restablecer ubicación"
+ },
+ "vs/workbench/services/workingCopy/common/workingCopyFileOperationParticipant": {
+ "msg-create": "Ejecutando participantes \"Crear archivo\"...",
+ "msg-rename": "Ejecutando participantes \"Cambiar nombre de archivo\"...",
+ "msg-copy": "Ejecutando participantes de para la copia de archivo...",
+ "msg-delete": "Ejecutando participantes de \"Eliminar archivo\"..."
+ },
+ "vs/workbench/services/workspaces/electron-sandbox/workspaceEditingService": {
+ "save": "Guardar",
+ "doNotSave": "No guardar",
+ "cancel": "Cancelar",
+ "saveWorkspaceMessage": "¿Quiere guardar la configuración del área de trabajo como un archivo?",
+ "saveWorkspaceDetail": "Guarde el área de trabajo si tiene pensado volverla a abrir.",
+ "workspaceOpenedMessage": "No se puede guardar el área de trabajo '{0}'",
+ "ok": "Aceptar",
+ "workspaceOpenedDetail": "El área de trabajo ya está abierta en otra ventana. Por favor, cierre primero la ventana y vuelta a intentarlo de nuevo."
+ },
+ "vs/workbench/services/workspaces/browser/abstractWorkspaceEditingService": {
+ "save": "Guardar",
+ "saveWorkspace": "Guardar área de trabajo",
+ "errorInvalidTaskConfiguration": "No se puede escribir en el archivo de configuración del área de trabajo. Por favor, abra el archivo para corregir sus errores/advertencias e inténtelo de nuevo.",
+ "errorWorkspaceConfigurationFileDirty": "No se puede escribir en el archivo de configuración de área de trabajo porque el archivo ha sido modificado. Por favor, guárdelo y vuelva a intentarlo.",
+ "openWorkspaceConfigurationFile": "Configuración del área de trabajo abierta"
+ },
+ "win32/i18n/Default": {
+ "SetupAppTitle": "Programa de instalación",
+ "SetupWindowTitle": "Instalación: %1",
+ "UninstallAppTitle": "Desinstalar",
+ "UninstallAppFullTitle": "Desinstalación de %1",
+ "InformationTitle": "Información",
+ "ConfirmTitle": "Confirmar",
+ "ErrorTitle": "Error",
+ "SetupLdrStartupMessage": "Esto instalará %1. ¿Quiere continuar?",
+ "LdrCannotCreateTemp": "No se puede crear un archivo temporal. Instalación anulada.",
+ "LdrCannotExecTemp": "No se puede ejecutar un archivo en el directorio temporal. Instalación anulada.",
+ "LastErrorMessage": "%1.%n%nError %2: %3",
+ "SetupFileMissing": "El archivo %1 no está en el directorio de instalación. Solucione el problema u obtenga una nueva copia del programa.",
+ "SetupFileCorrupt": "Los archivos de instalación están dañados. Obtenga una nueva copia del programa.",
+ "SetupFileCorruptOrWrongVer": "Los archivos de instalación están dañados o no son compatibles con esta versión del programa de instalación. Solucione el problema u obtenga una nueva copia del programa.",
+ "InvalidParameter": "Se pasó un parámetro no válido en la línea de comandos:%n%n%1",
+ "SetupAlreadyRunning": "El programa de instalación ya se está ejecutando.",
+ "WindowsVersionNotSupported": "Este programa no es compatible con la versión de Windows del equipo.",
+ "WindowsServicePackRequired": "Este programa requiere %1 Service Pack %2 o posterior.",
+ "NotOnThisPlatform": "El programa no se ejecutará en %1.",
+ "OnlyOnThisPlatform": "El programa debe ejecutarse en %1.",
+ "OnlyOnTheseArchitectures": "El programa solo se puede instalar en versiones de Windows diseñadas para las arquitecturas de procesador siguientes:%n%n%1",
+ "MissingWOW64APIs": "La versión de Windows que usa no incluye la funcionalidad que el programa de instalación requiere para realizar una instalación de 64 bits. Para solucionar este problema, instale el Service Pack %1.",
+ "WinVersionTooLowError": "Este programa requiere %1 versión %2 o posterior.",
+ "WinVersionTooHighError": "Este programa no se puede instalar en %1 versión %2 o posterior.",
+ "AdminPrivilegesRequired": "Cuando instale este programa, debe haber iniciado sesión como administrador.",
+ "PowerUserPrivilegesRequired": "Debe haber iniciado sesión como administrador o como miembro del grupo Usuarios avanzados al instalar este programa.",
+ "SetupAppRunningError": "El programa de instalación ha detectado que %1 está actualmente en ejecución.%n%nCierre todas las instancias abiertas y haga clic en Aceptar para continuar o en Cancelar para salir.",
+ "UninstallAppRunningError": "El programa de desinstalación ha detectado que %1 está actualmente en ejecución.%n%nCierre todas las instancias abiertas y haga clic en Aceptar para continuar o en Cancelar para salir.",
+ "ErrorCreatingDir": "El programa de instalación no pudo crear el directorio \"%1\"",
+ "ErrorTooManyFilesInDir": "No se puede crear un archivo en el directorio \"%1\" porque contiene demasiados archivos",
+ "ExitSetupTitle": "Salir de la instalación",
+ "ExitSetupMessage": "La instalación no se ha completado. Si sale ahora, el programa no se instalará.%n%nPara completar la instalación, puede volver a ejecutar el programa de instalación en otro momento.%n%n¿Quiere salir del programa de instalación?",
+ "AboutSetupMenuItem": "&Acerca de la instalación...",
+ "AboutSetupTitle": "Acerca de la instalación",
+ "AboutSetupMessage": "%1 versión %2%n%3%n%n%1 página principal:%n%4",
+ "ButtonBack": "< &Atrás",
+ "ButtonNext": "&Siguiente >",
+ "ButtonInstall": "&Instalar",
+ "ButtonOK": "Aceptar",
+ "ButtonCancel": "Cancelar",
+ "ButtonYes": "&Sí",
+ "ButtonYesToAll": "Sí a &todo",
+ "ButtonNo": "&No",
+ "ButtonNoToAll": "N&o a todo",
+ "ButtonFinish": "&Finalizar",
+ "ButtonBrowse": "&Examinar...",
+ "ButtonWizardBrowse": "E&xaminar...",
+ "ButtonNewFolder": "&Crear nueva carpeta",
+ "SelectLanguageTitle": "Seleccionar idioma de instalación",
+ "SelectLanguageLabel": "Seleccione el idioma que se va a usar durante la instalación:",
+ "ClickNext": "Haga clic en Siguiente para continuar o en Cancelar para salir del programa de instalación.",
+ "BrowseDialogTitle": "Buscar carpeta",
+ "BrowseDialogLabel": "Seleccione una carpeta de la lista siguiente y haga clic en Aceptar.",
+ "NewFolderName": "Nueva carpeta",
+ "WelcomeLabel1": "Asistente para instalación de [nombre]",
+ "WelcomeLabel2": "Esto instalará [nombre/ver] en el equipo.%n%nSe recomienda que cierre el resto de aplicaciones antes de continuar.",
+ "WizardPassword": "Contraseña",
+ "PasswordLabel1": "La instalación está protegida por contraseña.",
+ "PasswordLabel3": "Proporcione la contraseña y haga clic en Siguiente para continuar. Las contraseñas distinguen entre mayúsculas y minúsculas.",
+ "PasswordEditLabel": "&Contraseña:",
+ "IncorrectPassword": "La contraseña especificada no es correcta. Vuelva a intentarlo.",
+ "WizardLicense": "Contrato de licencia",
+ "LicenseLabel": "Lea la siguiente información importante antes de continuar.",
+ "LicenseLabel3": "Lea el siguiente Contrato de licencia. Para continuar con la instalación, debe aceptar los términos de este contrato.",
+ "LicenseAccepted": "&Acepto el contrato",
+ "LicenseNotAccepted": "&No acepto el contrato",
+ "WizardInfoBefore": "Información",
+ "InfoBeforeLabel": "Lea la siguiente información importante antes de continuar.",
+ "InfoBeforeClickLabel": "Cuando esté listo para continuar con la instalación, haga clic en Siguiente.",
+ "WizardInfoAfter": "Información",
+ "InfoAfterLabel": "Lea la siguiente información importante antes de continuar.",
+ "InfoAfterClickLabel": "Cuando esté listo para continuar con la instalación, haga clic en Siguiente.",
+ "WizardUserInfo": "Información del usuario",
+ "UserInfoDesc": "Escriba sus datos personales.",
+ "UserInfoName": "&Nombre de usuario:",
+ "UserInfoOrg": "&Organización:",
+ "UserInfoSerial": "&Número de serie:",
+ "UserInfoNameRequired": "Debe especificar un nombre.",
+ "WizardSelectDir": "Seleccionar ubicación de destino",
+ "SelectDirDesc": "¿Dónde debe instalarse [nombre]?",
+ "SelectDirLabel3": "El programa de instalación instalará [nombre] en la carpeta siguiente.",
+ "SelectDirBrowseLabel": "Para continuar, haga clic en Siguiente. Si desea seleccionar una carpeta diferente, haga clic en Examinar.",
+ "DiskSpaceMBLabel": "Se requieren al menos [mb] MB de espacio libre en disco.",
+ "CannotInstallToNetworkDrive": "El programa de instalación no puede instalar en una unidad de red.",
+ "CannotInstallToUNCPath": "El programa de instalación no puede instalar en una ruta de acceso UNC.",
+ "InvalidPath": "Debe especificar una ruta completa con la letra de la unidad; por ejemplo:%n%nC:\\APP%n%n o una ruta UNC de la forma:%n%n\\\\server\\share",
+ "InvalidDrive": "El recurso compartido de unidad o UNC que ha seleccionado no existe o no está accesible. Seleccione otro.",
+ "DiskSpaceWarningTitle": "No hay espacio en disco suficiente",
+ "DiskSpaceWarning": "El programa de instalación requiere al menos %1 KB de espacio libre en disco para instalar, pero la unidad seleccionada solo tiene %2 KB disponibles.%n%n¿Quiere continuar de todas formas?",
+ "DirNameTooLong": "El nombre o la ruta de la carpeta son demasiado largos.",
+ "InvalidDirName": "El nombre de la carpeta no es válido.",
+ "BadDirName32": "Los nombres de carpeta no pueden incluir ninguno de los caracteres siguientes: %n%n%1",
+ "DirExistsTitle": "La carpeta existe",
+ "DirExists": "La carpeta:%n%n%1%n%nya existe. ¿Quiere instalar en esa carpeta de todas formas?",
+ "DirDoesntExistTitle": "La carpeta no existe",
+ "DirDoesntExist": "La carpeta:%n%n%1%n%nno existe. ¿Quiere que se cree la carpeta?",
+ "WizardSelectComponents": "Seleccionar componentes",
+ "SelectComponentsDesc": "¿Qué componentes deben instalarse?",
+ "SelectComponentsLabel2": "Seleccione los componentes que quiere instalar y desactive la casilla de los que no quiere. Haga clic en Siguiente cuando esté listo para continuar.",
+ "FullInstallation": "Instalación completa",
+ "CompactInstallation": "Instalación compacta",
+ "CustomInstallation": "Instalación personalizada",
+ "NoUninstallWarningTitle": "Los componentes existen",
+ "NoUninstallWarning": "El programa de instalación ha detectado que los componentes siguientes ya están instalados en el equipo:%n%n%1%n%nAnular la selección de estos componentes no los desinstalará.%n%n¿Quiere continuar de todas formas?",
+ "ComponentSize1": "%1 KB",
+ "ComponentSize2": "%1 MB",
+ "ComponentsDiskSpaceMBLabel": "La selección actual requiere al menos [mb] MB de espacio en disco.",
+ "WizardSelectTasks": "Seleccionar tareas adicionales",
+ "SelectTasksDesc": "¿Qué tareas adicionales deben realizarse?",
+ "SelectTasksLabel2": "Seleccione las tareas adicionales que quiere que se realicen durante la instalación de [nombre] y haga clic en Siguiente.",
+ "WizardSelectProgramGroup": "Seleccionar carpeta del menú Inicio",
+ "SelectStartMenuFolderDesc": "¿Dónde debe colocar el programa de instalación los accesos directos del programa?",
+ "SelectStartMenuFolderLabel3": "El programa de instalación creará los accesos directos del programa en la carpeta siguiente del menú Inicio.",
+ "SelectStartMenuFolderBrowseLabel": "Para continuar, haga clic en Siguiente. Si desea seleccionar una carpeta diferente, haga clic en Examinar.",
+ "MustEnterGroupName": "Debe escribir un nombre de carpeta.",
+ "GroupNameTooLong": "El nombre o la ruta de la carpeta son demasiado largos.",
+ "InvalidGroupName": "El nombre de la carpeta no es válido.",
+ "BadGroupName": "El nombre de carpeta no puede incluir ninguno de los caracteres siguientes:%n%n%1",
+ "NoProgramGroupCheck2": "&No crear una carpeta del menú Inicio",
+ "WizardReady": "Listo para instalar",
+ "ReadyLabel1": "El programa de instalación está listo para empezar a instalar [nombre] en el equipo.",
+ "ReadyLabel2a": "Haga clic en Instalar para continuar con la instalación o en Atrás si quiere revisar o cambiar cualquier ajuste.",
+ "ReadyLabel2b": "Haga clic en Instalar para continuar con la instalación.",
+ "ReadyMemoUserInfo": "Información del usuario:",
+ "ReadyMemoDir": "Ubicación de destino:",
+ "ReadyMemoType": "Tipo de instalación:",
+ "ReadyMemoComponents": "Componentes seleccionados:",
+ "ReadyMemoGroup": "Carpeta del menú Inicio:",
+ "ReadyMemoTasks": "Tareas adicionales:",
+ "WizardPreparing": "Preparando la instalación",
+ "PreparingDesc": "El programa de instalación está preparando la instalación de [nombre] en el equipo.",
+ "PreviousInstallNotCompleted": "La instalación o la eliminación de un programa anterior no se han completado. Para completar esta tarea, es necesario reiniciar el equipo.%n%nDespués de reiniciar, vuelva a ejecutar el programa de instalación para completar la instalación de [nombre].",
+ "CannotContinue": "El programa de instalación no puede continuar. Haga clic en Cancelar para salir.",
+ "ApplicationsFound": "Las aplicaciones siguientes usan archivos que el programa de instalación debe actualizar. Se recomienda permitir a dicho programa que cierre estas aplicaciones automáticamente.",
+ "ApplicationsFound2": "Las aplicaciones siguientes usan archivos que el programa de instalación debe actualizar. Se recomienda permitir a dicho programa que cierre estas aplicaciones automáticamente. Una vez completada la instalación, el programa de instalación intentará reiniciar las aplicaciones.",
+ "CloseApplications": "&Cerrar las aplicaciones automáticamente",
+ "DontCloseApplications": "&No cerrar las aplicaciones",
+ "ErrorCloseApplications": "El programa de instalación no puede cerrar todas las aplicaciones automáticamente. Se recomienda cerrar todas las aplicaciones que usan archivos que el programa de instalación debe actualizar antes de continuar.",
+ "WizardInstalling": "Instalando",
+ "InstallingLabel": "Espere mientras el programa de instalación instala [nombre] en el equipo.",
+ "FinishedHeadingLabel": "Completando el Asistente para instalación de [nombre]",
+ "FinishedLabelNoIcons": "El programa de instalación terminó de instalar [nombre] en el equipo.",
+ "FinishedLabel": "El programa de instalación ha terminado de instalar [name] en su computadora. La aplicación puede iniciarse seleccionando los iconos instalados.",
+ "ClickFinish": "Haga clic en Finalizar para salir del programa de configuración.",
+ "FinishedRestartLabel": "El programa de instalación debe reiniciar el equipo para poder completar la instalación de [nombre]. ¿Quiere reiniciarlo ahora?",
+ "FinishedRestartMessage": "El programa de instalación debe reiniciar el equipo para poder completar la instalación de [nombre].%n%n¿Quiere reiniciarlo ahora?",
+ "ShowReadmeCheck": "Sí, quiero ver el archivo LÉAME",
+ "YesRadio": "&Sí, reiniciar el equipo ahora",
+ "NoRadio": "&No, reiniciaré el equipo más tarde",
+ "RunEntryExec": "Ejecutar %1",
+ "RunEntryShellExec": "Ver %1",
+ "ChangeDiskTitle": "El programa de instalación necesita el disco siguiente",
+ "SelectDiskLabel2": "Inserte el disco %1 y haga clic en Aceptar.%n%nSi los archivos del disco se encuentran en una carpeta distinta a la que aparece a continuación, especifique la ruta de acceso correcta o haga clic en Examinar.",
+ "PathLabel": "&Ruta de acceso:",
+ "FileNotInDir2": "El archivo \"%1\" no se encontró en \"%2\". Inserte el disco correcto o seleccione otra carpeta.",
+ "SelectDirectoryLabel": "Especifique la ubicación del disco siguiente.",
+ "SetupAborted": "El programa de instalación no se completó.%n%nSolucione el problema y vuelva a ejecutar dicho programa.",
+ "EntryAbortRetryIgnore": "Haga clic en Reintentar para volver a intentarlo, en Ignorar para continuar de todas formas o en Anular para cancelar la instalación.",
+ "StatusClosingApplications": "Cerrando aplicaciones...",
+ "StatusCreateDirs": "Creando directorios...",
+ "StatusExtractFiles": "Extrayendo archivos...",
+ "StatusCreateIcons": "Creando accesos directos...",
+ "StatusCreateIniEntries": "Creando entradas INI...",
+ "StatusCreateRegistryEntries": "Creando entradas del Registro...",
+ "StatusRegisterFiles": "Registrando archivos...",
+ "StatusSavingUninstall": "Guardando información de desinstalación...",
+ "StatusRunProgram": "Finalizando instalación...",
+ "StatusRestartingApplications": "Reiniciando aplicaciones...",
+ "StatusRollback": "Revirtiendo cambios...",
+ "ErrorInternal2": "Error interno: %1",
+ "ErrorFunctionFailedNoCode": "Error de %1",
+ "ErrorFunctionFailed": "Error de %1; código %2",
+ "ErrorFunctionFailedWithMessage": "Error de %1; código %2.%n%3",
+ "ErrorExecutingProgram": "No se puede ejecutar el archivo:%n%1",
+ "ErrorRegOpenKey": "Error al abrir la clave del Registro:%n%1\\%2",
+ "ErrorRegCreateKey": "Error al crear la clave del Registro:%n%1\\%2",
+ "ErrorRegWriteKey": "Error al escribir en la clave de Registro:%n%1\\%2",
+ "ErrorIniEntry": "Error al crear una entrada INI en el archivo \"%1\".",
+ "FileAbortRetryIgnore": "Haga clic en Reintentar para volver a intentarlo, en Ignorar para omitir este archivo (no se recomienda) o en Anular para cancelar la instalación.",
+ "FileAbortRetryIgnore2": "Haga clic en Reintentar para volver a intentarlo, en Ignorar para seguir de todas formas (no se recomienda) o en Anular para cancelar la instalación.",
+ "SourceIsCorrupted": "El archivo de origen está dañado.",
+ "SourceDoesntExist": "El archivo de origen \"%1\" no existe.",
+ "ExistingFileReadOnly": "El archivo existente está marcado como de solo lectura.%n%nHaga clic en Reintentar para quitar el atributo de solo lectura y volver a intentarlo, en Ignorar para omitir este archivo o en Anular para cancelar la instalación.",
+ "ErrorReadingExistingDest": "Error al intentar leer el archivo existente:",
+ "FileExists": "El archivo ya existe.%n%n¿Quiere que el programa de instalación lo sobrescriba?",
+ "ExistingFileNewer": "El archivo existente es más reciente que el que intenta instalar el programa de instalación y se recomienda conservarlo.%n%n¿Quiere conservar el archivo existente?",
+ "ErrorChangingAttr": "Error al intentar cambiar los atributos del archivo existente:",
+ "ErrorCreatingTemp": "Error al intentar crear un archivo en el directorio de destino:",
+ "ErrorReadingSource": "Error al intentar leer el archivo de origen:",
+ "ErrorCopying": "Error al intentar copiar un archivo:",
+ "ErrorReplacingExistingFile": "Error al intentar reemplazar el archivo existente:",
+ "ErrorRestartReplace": "Error de RestartReplace:",
+ "ErrorRenamingTemp": "Error al intentar cambiar un archivo de nombre en el directorio de destino:",
+ "ErrorRegisterServer": "No se puede registrar el archivo DLL/OCX: %1",
+ "ErrorRegSvr32Failed": "Error de RegSvr32 con el código de salida %1",
+ "ErrorRegisterTypeLib": "No se puede registrar la biblioteca de tipos: %1",
+ "ErrorOpeningReadme": "Error al intentar abrir el archivo LÉAME.",
+ "ErrorRestartingComputer": "El programa de instalación no puede reiniciar el equipo. Realice esta tarea manualmente.",
+ "UninstallNotFound": "El archivo \"%1\" no existe. No se puede desinstalar.",
+ "UninstallOpenError": "El archivo \"%1\" no se puede abrir. No se puede desinstalar.",
+ "UninstallUnsupportedVer": "El archivo de registro \"%1\" de la desinstalación tiene un formato que esta versión del desinstalador no reconoce. No se puede desinstalar.",
+ "UninstallUnknownEntry": "Se encontró una entrada desconocida (%1) en el registro de desinstalación.",
+ "ConfirmUninstall": "¿Está seguro de que desea eliminar completamente %1? Las extensiones y configuraciones no se eliminarán.",
+ "UninstallOnlyOnWin64": "La instalación solo puede desinstalarse en Windows de 64 bits.",
+ "OnlyAdminCanUninstall": "Solo un usuario con privilegios administrativos puede desinstalar la instalación.",
+ "UninstallStatusLabel": "Espere mientras %1 se quita del equipo.",
+ "UninstalledAll": "%1 se quitó correctamente del equipo.",
+ "UninstalledMost": "Desinstalación de %1 completa.%n%nAlgunos elementos no se pudieron quitar. Puede quitarlos de forma manual.",
+ "UninstalledAndNeedsRestart": "Para completar la desinstalación de %1, es necesario reiniciar el equipo.%n%n¿Quiere reiniciar ahora?",
+ "UninstallDataCorrupted": "El archivo \"%1\" está dañado. No se puede desinstalar",
+ "ConfirmDeleteSharedFileTitle": "¿Quitar el archivo compartido?",
+ "ConfirmDeleteSharedFile2": "El sistema indica que ningún programa usa actualmente el siguiente archivo compartido. ¿Quiere que el programa de desinstalación lo elimine?%n%nSi algún programa usa el archivo y este se elimina, puede que dicho programa no funcione correctamente. Si no está seguro, elija No. Dejar el archivo en el sistema no causará ningún daño.",
+ "SharedFileNameLabel": "Nombre de archivo:",
+ "SharedFileLocationLabel": "Ubicación:",
+ "WizardUninstalling": "Estado de desinstalación",
+ "StatusUninstalling": "Desinstalando %1...",
+ "ShutdownBlockReasonInstallingApp": "Instalando %1.",
+ "ShutdownBlockReasonUninstallingApp": "Desinstalando %1.",
+ "NameAndVersion": "%1 versión %2",
+ "AdditionalIcons": "Iconos adicionales:",
+ "CreateDesktopIcon": "Crear un icono de &escritorio",
+ "CreateQuickLaunchIcon": "Crear un &icono de inicio rápido",
+ "ProgramOnTheWeb": "%1 en la Web",
+ "UninstallProgram": "Desinstalar %1",
+ "LaunchProgram": "Iniciar %1",
+ "AssocFileExtension": "&Asociar %1 a la extensión de archivo %2",
+ "AssocingFileExtension": "Asociando %1 a la extensión de archivo %2...",
+ "AutoStartProgramGroupDescription": "Inicio:",
+ "AutoStartProgram": "Iniciar %1 automáticamente",
+ "AddonHostProgramNotFound": "%1 no se encontró en la carpeta seleccionada.%n%n¿Quiere continuar de todas formas?"
+ }
+}
diff --git a/internal/vite-plugin-monaco-editor-nls/src/locale/fr.json b/internal/vite-plugin-monaco-editor-nls/src/locale/fr.json
new file mode 100644
index 0000000..fc899c6
--- /dev/null
+++ b/internal/vite-plugin-monaco-editor-nls/src/locale/fr.json
@@ -0,0 +1,8306 @@
+{
+ "win32/i18n/Default": {
+ "SetupAppTitle": "Installation",
+ "SetupWindowTitle": "Installation - %1",
+ "UninstallAppTitle": "Désinstaller",
+ "UninstallAppFullTitle": "Désinstallation de %1",
+ "InformationTitle": "Informations",
+ "ConfirmTitle": "Confirmer",
+ "ErrorTitle": "Erreur",
+ "SetupLdrStartupMessage": "%1 va être installé. Voulez-vous continuer ?",
+ "LdrCannotCreateTemp": "Impossible de créer un fichier temporaire. Abandon de l'installation",
+ "LdrCannotExecTemp": "Impossible d'exécuter le fichier dans le répertoire temporaire. Abandon de l'installation",
+ "LastErrorMessage": "%1.%n%nErreur %2 : %3",
+ "SetupFileMissing": "Il manque le fichier %1 dans le répertoire d'installation. Corrigez le problème ou procurez-vous une nouvelle copie du programme.",
+ "SetupFileCorrupt": "Les fichiers d'installation sont endommagés. Procurez-vous une nouvelle copie du programme.",
+ "SetupFileCorruptOrWrongVer": "Les fichiers d'installation sont endommagés, ou sont incompatibles avec cette version du programme d'installation. Corrigez le problème ou procurez-vous une nouvelle copie du programme.",
+ "InvalidParameter": "Un paramètre non valide a été passé sur la ligne de commande :%n%n%1",
+ "SetupAlreadyRunning": "Le programme d'installation est déjà en cours d'exécution.",
+ "WindowsVersionNotSupported": "Ce programme ne prend pas en charge la version de Windows en cours d'exécution sur votre ordinateur.",
+ "WindowsServicePackRequired": "Ce programme nécessite %1 Service Pack %2 ou une version ultérieure.",
+ "NotOnThisPlatform": "Ce programme ne peut pas s'exécuter sur %1.",
+ "OnlyOnThisPlatform": "Ce programme doit s'exécuter sur %1.",
+ "OnlyOnTheseArchitectures": "Ce programme ne peut être installé que sur les versions de Windows conçues pour les architectures de processeur suivantes :%n%n%1",
+ "MissingWOW64APIs": "La version de Windows que vous exécutez n'inclut pas les fonctionnalités dont le programme d'installation a besoin pour effectuer une installation 64 bits. Pour corriger ce problème, installez le Service Pack %1.",
+ "WinVersionTooLowError": "Ce programme nécessite %1 version %2 ou une version ultérieure.",
+ "WinVersionTooHighError": "Ce programme ne peut pas être installé sur %1 version %2 ou une version ultérieure.",
+ "AdminPrivilegesRequired": "Vous devez être connecté en tant qu'administrateur durant l'installation de ce programme.",
+ "PowerUserPrivilegesRequired": "Vous devez être connecté en tant qu'administrateur ou en tant que membre du groupe Utilisateurs avec pouvoir durant l'installation de ce programme.",
+ "SetupAppRunningError": "Le programme d'installation a détecté que %1 est en cours d'exécution.%n%nFermez toutes ses instances, puis cliquez sur OK pour continuer, ou sur Annuler pour quitter.",
+ "UninstallAppRunningError": "Le programme de désinstallation a détecté que %1 est en cours d'exécution.%n%nFermez toutes ses instances, puis cliquez sur OK pour continuer, ou sur Annuler pour quitter.",
+ "ErrorCreatingDir": "Le programme d'installation n'a pas pu créer le répertoire \"%1\"",
+ "ErrorTooManyFilesInDir": "Impossible de créer un fichier dans le répertoire \"%1\", car il contient trop de fichiers",
+ "ExitSetupTitle": "Quitter le programme d'installation",
+ "ExitSetupMessage": "L'installation est incomplète. Si vous quittez maintenant, le programme ne sera pas installé.%n%nVous pouvez réexécuter le programme d'installation plus tard pour achever l'installation.%n%nQuitter le programme d'installation ?",
+ "AboutSetupMenuItem": "À propos du programme d'&installation...",
+ "AboutSetupTitle": "À propos du programme d'installation",
+ "AboutSetupMessage": "%1 version %2%n%3%n%nPage d'accueil %1 :%n%4",
+ "ButtonBack": "< &Précédent",
+ "ButtonNext": "&Suivant >",
+ "ButtonInstall": "Install&er",
+ "ButtonOK": "OK",
+ "ButtonCancel": "Annuler",
+ "ButtonYes": "Ou&i",
+ "ButtonYesToAll": "Oui pour to&ut",
+ "ButtonNo": "&Non",
+ "ButtonNoToAll": "Non pour t&out",
+ "ButtonFinish": "&Terminer",
+ "ButtonBrowse": "Par&courir...",
+ "ButtonWizardBrowse": "Pa&rcourir...",
+ "ButtonNewFolder": "Créer un &dossier",
+ "SelectLanguageTitle": "Sélectionner la langue d'installation",
+ "SelectLanguageLabel": "Sélectionnez la langue à utiliser durant l'installation :",
+ "ClickNext": "Cliquez sur Suivant pour continuer, ou sur Annuler pour quitter le programme d'installation.",
+ "BrowseDialogTitle": "Rechercher un dossier",
+ "BrowseDialogLabel": "Sélectionnez un dossier dans la liste ci-dessous, puis cliquez sur OK.",
+ "NewFolderName": "Nouveau dossier",
+ "WelcomeLabel1": "Bienvenue dans l'Assistant Installation de [name]",
+ "WelcomeLabel2": "[name/ver] va être installé sur votre ordinateur.%n%nIl est recommandé de fermer toutes les autres applications avant de continuer.",
+ "WizardPassword": "Mot de passe",
+ "PasswordLabel1": "Cette installation est protégée par un mot de passe.",
+ "PasswordLabel3": "Indiquez le mot de passe, puis cliquez sur Suivant pour continuer. Les mots de passe respectent la casse.",
+ "PasswordEditLabel": "Mot de &passe :",
+ "IncorrectPassword": "Le mot de passe que vous avez entré n'est pas correct. Réessayez.",
+ "WizardLicense": "Contrat de licence",
+ "LicenseLabel": "Veuillez lire les informations importantes suivantes avant de continuer.",
+ "LicenseLabel3": "Lisez le contrat de licence suivant. Vous devez accepter les termes de ce contrat avant de poursuivre l'installation.",
+ "LicenseAccepted": "J'&accepte le contrat",
+ "LicenseNotAccepted": "Je &n'accepte pas le contrat",
+ "WizardInfoBefore": "Informations",
+ "InfoBeforeLabel": "Veuillez lire les informations importantes suivantes avant de continuer.",
+ "InfoBeforeClickLabel": "Une fois que vous êtes prêt à poursuivre l'installation, cliquez sur Suivant.",
+ "WizardInfoAfter": "Informations",
+ "InfoAfterLabel": "Veuillez lire les informations importantes suivantes avant de continuer.",
+ "InfoAfterClickLabel": "Une fois que vous êtes prêt à poursuivre l'installation, cliquez sur Suivant.",
+ "WizardUserInfo": "Informations de l'utilisateur",
+ "UserInfoDesc": "Veuillez saisir les informations vous concernant.",
+ "UserInfoName": "Nom d'&utilisateur :",
+ "UserInfoOrg": "&Organisation :",
+ "UserInfoSerial": "Numéro de sér&ie :",
+ "UserInfoNameRequired": "Vous devez entrer un nom.",
+ "WizardSelectDir": "Sélectionner l'emplacement de destination",
+ "SelectDirDesc": "Où [name] doit-il être installé ?",
+ "SelectDirLabel3": "Le programme d'installation va installer [name] dans le dossier suivant.",
+ "SelectDirBrowseLabel": "Pour continuer, cliquez sur Suivant. Si vous souhaitez sélectionner un autre dossier, cliquez sur Parcourir.",
+ "DiskSpaceMBLabel": "Au moins [mb] Mo d'espace disque libre est nécessaire.",
+ "CannotInstallToNetworkDrive": "Le programme d'installation ne peut pas effectuer l'installation sur un lecteur réseau.",
+ "CannotInstallToUNCPath": "Le programme d'installation ne peut pas effectuer l'installation sur un chemin UNC.",
+ "InvalidPath": "Vous devez entrer un chemin complet avec une lettre de lecteur, par exemple :%n%nC:\\APP%n%nou un chemin UNC au format :%n%n\\\\server\\share",
+ "InvalidDrive": "Le lecteur ou le partage UNC sélectionné n'existe pas ou n'est pas accessible. Sélectionnez-en un autre.",
+ "DiskSpaceWarningTitle": "Espace disque insuffisant",
+ "DiskSpaceWarning": "Le programme d'installation nécessite au moins %1 Ko d'espace libre pour effectuer l'installation. Toutefois, le lecteur sélectionné n'a que %2 Ko d'espace disponible.%n%nVoulez-vous quand même continuer ?",
+ "DirNameTooLong": "Le nom ou le chemin du dossier est trop long.",
+ "InvalidDirName": "Le nom de dossier est non valide.",
+ "BadDirName32": "Les noms de dossiers ne peuvent pas contenir les caractères suivants :%n%n%1",
+ "DirExistsTitle": "Le dossier existe",
+ "DirExists": "Le dossier :%n%n%1%n%nexiste déjà. Voulez-vous quand même effectuer l'installation dans ce dossier ?",
+ "DirDoesntExistTitle": "Le dossier n'existe pas",
+ "DirDoesntExist": "Le dossier :%n%n%1%n%nn'existe pas. Voulez-vous créer ce dossier ?",
+ "WizardSelectComponents": "Sélectionner les composants",
+ "SelectComponentsDesc": "Quels composants doivent être installés ?",
+ "SelectComponentsLabel2": "Sélectionnez les composants à installer. Effacez les composants que vous ne souhaitez pas installer. Une fois que vous êtes prêt à continuer, cliquez sur Suivant.",
+ "FullInstallation": "Installation complète",
+ "CompactInstallation": "Compacter l'installation",
+ "CustomInstallation": "Installation personnalisée",
+ "NoUninstallWarningTitle": "Composants existants",
+ "NoUninstallWarning": "Le programme d'installation a détecté que les composants suivants sont déjà installés sur votre ordinateur :%n%n%1%n%nSi vous désélectionnez ces composants, cela n'entraînera pas leur désinstallation.%n%nVoulez-vous quand même continuer ?",
+ "ComponentSize1": "%1 Ko",
+ "ComponentSize2": "%1 Mo",
+ "ComponentsDiskSpaceMBLabel": "La sélection actuelle nécessite au moins [mb] Mo d'espace disque.",
+ "WizardSelectTasks": "Sélectionner les tâches supplémentaires",
+ "SelectTasksDesc": "Quelles tâches supplémentaires doivent être effectuées ?",
+ "SelectTasksLabel2": "Sélectionnez les tâches supplémentaires que le programme d'installation doit effectuer durant l'installation de [name], puis cliquez sur Suivant.",
+ "WizardSelectProgramGroup": "Sélectionner le dossier Menu Démarrer",
+ "SelectStartMenuFolderDesc": "Où le programme d'installation doit-il placer les raccourcis du programme ?",
+ "SelectStartMenuFolderLabel3": "Le programme d'installation va créer les raccourcis du programme dans le dossier Menu Démarrer suivant.",
+ "SelectStartMenuFolderBrowseLabel": "Pour continuer, cliquez sur Suivant. Si vous souhaitez sélectionner un autre dossier, cliquez sur Parcourir.",
+ "MustEnterGroupName": "Vous devez entrer un nom de dossier.",
+ "GroupNameTooLong": "Le nom ou le chemin du dossier est trop long.",
+ "InvalidGroupName": "Le nom de dossier est non valide.",
+ "BadGroupName": "Le nom de dossier ne peut pas contenir les caractères suivants :%n%n%1",
+ "NoProgramGroupCheck2": "Ne pas créer de &dossier Menu Démarrer",
+ "WizardReady": "Prêt à installer",
+ "ReadyLabel1": "Le programme d'installation est prêt à installer [name] sur votre ordinateur.",
+ "ReadyLabel2a": "Cliquez sur Installer pour poursuivre l'installation, ou sur Précédent pour vérifier ou changer des paramètres.",
+ "ReadyLabel2b": "Cliquez sur Installer pour poursuivre l'installation.",
+ "ReadyMemoUserInfo": "Informations de l'utilisateur :",
+ "ReadyMemoDir": "Emplacement de destination :",
+ "ReadyMemoType": "Type d'installation :",
+ "ReadyMemoComponents": "Composants sélectionnés :",
+ "ReadyMemoGroup": "Dossier Menu Démarrer :",
+ "ReadyMemoTasks": "Tâches supplémentaires :",
+ "WizardPreparing": "Préparation de l'installation",
+ "PreparingDesc": "Le programme d'installation se prépare à installer [name] sur votre ordinateur.",
+ "PreviousInstallNotCompleted": "La précédente installation ou suppression d'un programme n'a pas été achevée. Vous devez redémarrer l'ordinateur pour finir cette installation.%n%nAprès le redémarrage de votre ordinateur, réexécutez le programme d'installation pour achever l'installation de [name].",
+ "CannotContinue": "Le programme d'installation ne peut pas continuer. Cliquez sur Annuler pour quitter.",
+ "ApplicationsFound": "Les applications suivantes utilisent des fichiers qui doivent être mis à jour par le programme d'installation. Il est recommandé d'autoriser le programme d'installation à fermer automatiquement ces applications.",
+ "ApplicationsFound2": "Les applications suivantes utilisent des fichiers qui doivent être mis à jour par le programme d'installation. Il est recommandé d'autoriser le programme d'installation à fermer automatiquement ces applications. Une fois l'installation achevée, le programme d'installation va tenter de redémarrer les applications.",
+ "CloseApplications": "&Fermer automatiquement les applications",
+ "DontCloseApplications": "&Ne pas fermer les applications",
+ "ErrorCloseApplications": "Le programme d'installation n'a pas pu fermer automatiquement toutes les applications. Avant de continuer, il est recommandé de fermer toutes les applications utilisant des fichiers qui doivent être mis à jour par le programme d'installation.",
+ "WizardInstalling": "Installation",
+ "InstallingLabel": "Patientez pendant que le programme d'installation installe [name] sur votre ordinateur.",
+ "FinishedHeadingLabel": "Fin de l'Assistant Installation de [name]",
+ "FinishedLabelNoIcons": "Le programme d'installation a fini d'installer [name] sur votre ordinateur.",
+ "FinishedLabel": "Le programme d'installation a terminé d'installer [name] sur votre ordinateur. L'application peut être lancée en sélectionnant les icônes installées.",
+ "ClickFinish": "Cliquez sur Terminer pour quitter le programme d'installation.",
+ "FinishedRestartLabel": "Pour achever l'installation de [name], le programme d'installation doit redémarrer l'ordinateur. Voulez-vous effectuer le redémarrage maintenant ?",
+ "FinishedRestartMessage": "Pour achever l'installation de [name], le programme d'installation doit redémarrer l'ordinateur.%n%nVoulez-vous effectuer le redémarrage maintenant ?",
+ "ShowReadmeCheck": "Oui, je souhaite consulter le fichier README",
+ "YesRadio": "&Oui, redémarrer l'ordinateur maintenant",
+ "NoRadio": "&Non, je vais redémarrer l'ordinateur plus tard",
+ "RunEntryExec": "Exécuter %1",
+ "RunEntryShellExec": "Afficher %1",
+ "ChangeDiskTitle": "Le programme d'installation a besoin du disque suivant",
+ "SelectDiskLabel2": "Insérez le disque %1, puis cliquez sur OK.%n%nSi les fichiers de ce disque se trouvent dans un autre dossier que celui qui est affiché ci-dessous, entrez le chemin approprié, ou cliquez sur Parcourir.",
+ "PathLabel": "&Chemin :",
+ "FileNotInDir2": "Le fichier \"%1\" est introuvable dans \"%2\". Insérez le disque approprié, ou sélectionnez un autre dossier.",
+ "SelectDirectoryLabel": "Spécifiez l'emplacement du disque suivant.",
+ "SetupAborted": "L'installation n'est pas finie.%n%nCorrigez le problème, puis réexécutez le programme d'installation.",
+ "EntryAbortRetryIgnore": "Cliquez sur Réessayer pour réessayer, sur Ignorer pour continuer quand même, ou sur Abandonner pour annuler l'installation.",
+ "StatusClosingApplications": "Fermeture des applications...",
+ "StatusCreateDirs": "Création des répertoires...",
+ "StatusExtractFiles": "Extraction des fichiers...",
+ "StatusCreateIcons": "Création des raccourcis...",
+ "StatusCreateIniEntries": "Création des entrées INI...",
+ "StatusCreateRegistryEntries": "Création des entrées de Registre...",
+ "StatusRegisterFiles": "Inscription des fichiers...",
+ "StatusSavingUninstall": "Enregistrement des informations de désinstallation...",
+ "StatusRunProgram": "Achèvement de l'installation...",
+ "StatusRestartingApplications": "Redémarrage des applications...",
+ "StatusRollback": "Restauration des changements...",
+ "ErrorInternal2": "Erreur interne : %1",
+ "ErrorFunctionFailedNoCode": "Échec de %1",
+ "ErrorFunctionFailed": "Échec de %1. Code %2",
+ "ErrorFunctionFailedWithMessage": "Échec de %1. Code %2.%n%3",
+ "ErrorExecutingProgram": "Impossible d'exécuter le fichier :%n%1",
+ "ErrorRegOpenKey": "Erreur d'ouverture de la clé de Registre :%n%1\\%2",
+ "ErrorRegCreateKey": "Erreur de création de la clé de Registre :%n%1\\%2",
+ "ErrorRegWriteKey": "Erreur d'écriture dans la clé de Registre :%n%1\\%2",
+ "ErrorIniEntry": "Erreur durant la création de l'entrée INI dans le fichier \"%1\".",
+ "FileAbortRetryIgnore": "Cliquez sur Réessayer pour réessayer, sur Ignorer pour ignorer ce fichier (déconseillé), ou sur Abandonner pour annuler l'installation.",
+ "FileAbortRetryIgnore2": "Cliquez sur Réessayer pour réessayer, sur Ignorer pour continuer quand même (déconseillé), ou sur Abandonner pour annuler l'installation.",
+ "SourceIsCorrupted": "Le fichier source est endommagé",
+ "SourceDoesntExist": "Le fichier source \"%1\" n'existe pas",
+ "ExistingFileReadOnly": "Le fichier existant est marqué en lecture seule.%n%nCliquez sur Réessayer pour supprimer l'attribut de lecture seule et réessayer, sur Ignorer pour ignorer ce fichier, ou sur Abandonner pour annuler l'installation.",
+ "ErrorReadingExistingDest": "Une erreur s'est produite durant la lecture du fichier existant :",
+ "FileExists": "Le fichier existe déjà.%n%nVoulez-vous que le programme d'installation le remplace ?",
+ "ExistingFileNewer": "Le fichier existant est plus récent que celui que le programme d'installation tente d'installer. Il est recommandé de conserver le fichier existant.%n%nVoulez-vous conserver le fichier existant ?",
+ "ErrorChangingAttr": "Une erreur s'est produite durant le changement des attributs du fichier existant :",
+ "ErrorCreatingTemp": "Une erreur s'est produite durant la création d'un fichier dans le répertoire de destination :",
+ "ErrorReadingSource": "Une erreur s'est produite durant la lecture du fichier source :",
+ "ErrorCopying": "Une erreur s'est produite durant la copie d'un fichier :",
+ "ErrorReplacingExistingFile": "Une erreur s'est produite durant le remplacement du fichier existant :",
+ "ErrorRestartReplace": "Échec de RestartReplace :",
+ "ErrorRenamingTemp": "Une erreur s'est produite durant le changement de nom d'un fichier dans le répertoire de destination :",
+ "ErrorRegisterServer": "Impossible d'inscrire le fichier DLL/OCX : %1",
+ "ErrorRegSvr32Failed": "Échec de RegSvr32. Code de sortie %1",
+ "ErrorRegisterTypeLib": "Impossible d'inscrire la bibliothèque de types : %1",
+ "ErrorOpeningReadme": "Une erreur s'est produite durant l'ouverture du fichier README.",
+ "ErrorRestartingComputer": "Le programme d'installation n'a pas pu redémarrer l'ordinateur. Faites-le manuellement.",
+ "UninstallNotFound": "Le fichier \"%1\" n'existe pas. Impossible d'effectuer la désinstallation.",
+ "UninstallOpenError": "Impossible d'ouvrir le fichier \"%1\". Impossible d'effectuer la désinstallation",
+ "UninstallUnsupportedVer": "Le format du fichier journal de désinstallation \"%1\" n'est pas reconnu par cette version du programme de désinstallation. Impossible d'effectuer la désinstallation",
+ "UninstallUnknownEntry": "Une entrée inconnue (%1) a été détectée dans le journal de désinstallation",
+ "ConfirmUninstall": "Voulez-vous vraiment supprimer complètement %1 ? Les extensions et les paramètres ne sont pas supprimés.",
+ "UninstallOnlyOnWin64": "Cette installation ne peut être désinstallée que sur Windows 64 bits.",
+ "OnlyAdminCanUninstall": "Cette installation ne peut être désinstallée que par un utilisateur ayant des privilèges d'administrateur.",
+ "UninstallStatusLabel": "Patientez pendant la suppression de %1 de l'ordinateur.",
+ "UninstalledAll": "%1 a été correctement supprimé de l'ordinateur.",
+ "UninstalledMost": "La désinstallation de %1 est finie.%n%nCertains éléments n'ont pas pu être supprimés. Vous pouvez les supprimer manuellement.",
+ "UninstalledAndNeedsRestart": "Pour achever la désinstallation de %1, vous devez redémarrer l'ordinateur.%n%nVoulez-vous redémarrer maintenant ?",
+ "UninstallDataCorrupted": "Le fichier \"%1\" est endommagé. Désinstallation impossible",
+ "ConfirmDeleteSharedFileTitle": "Supprimer le fichier partagé ?",
+ "ConfirmDeleteSharedFile2": "Le système indique que le fichier partagé suivant n'est plus utilisé par les programmes. Voulez-vous que le programme de désinstallation supprime ce fichier partagé ?%n%nSi ce fichier est supprimé alors qu'il est toujours utilisé par des programmes, ces derniers risquent de ne plus fonctionner correctement. En cas de doute, choisissez Non. Cela ne pose pas de problème de laisser le fichier sur le système.",
+ "SharedFileNameLabel": "Nom du fichier :",
+ "SharedFileLocationLabel": "Emplacement :",
+ "WizardUninstalling": "État de la désinstallation",
+ "StatusUninstalling": "Désinstallation de %1...",
+ "ShutdownBlockReasonInstallingApp": "Installation de %1.",
+ "ShutdownBlockReasonUninstallingApp": "Désinstallation de %1.",
+ "NameAndVersion": "%1 version %2",
+ "AdditionalIcons": "Icônes supplémentaires :",
+ "CreateDesktopIcon": "Créer une icône de &Bureau",
+ "CreateQuickLaunchIcon": "Créer un &icône de lancement rapide",
+ "ProgramOnTheWeb": "%1 sur le web",
+ "UninstallProgram": "Désinstaller %1",
+ "LaunchProgram": "Lancer %1",
+ "AssocFileExtension": "Asso&cier %1 à l'extension de fichier %2",
+ "AssocingFileExtension": "Association de %1 à l'extension de fichier %2...",
+ "AutoStartProgramGroupDescription": "Démarrage :",
+ "AutoStartProgram": "Démarrer automatiquement %1",
+ "AddonHostProgramNotFound": "%1 est introuvable dans le dossier que vous avez sélectionné.%n%nVoulez-vous quand même continuer ?"
+ },
+ "win32/i18n/messages": {
+ "FinishedLabel": "Le programme d'installation a fini d'installer [name] sur votre ordinateur. Vous pouvez lancer l'application en sélectionnant les raccourcis installés.",
+ "ConfirmUninstall": "Voulez-vous vraiment supprimer complètement %1 et tous ses composants ?",
+ "AdditionalIcons": "Icônes supplémentaires :",
+ "CreateDesktopIcon": "Créer une icône de &Bureau",
+ "CreateQuickLaunchIcon": "Créer un &icône de lancement rapide",
+ "AddContextMenuFiles": "Ajouter l'action \"Ouvrir avec %1\" au menu contextuel de fichier de l'Explorateur Windows",
+ "AddContextMenuFolders": "Ajouter l'action \"Ouvrir avec %1\" au menu contextuel de répertoire de l'Explorateur Windows",
+ "AssociateWithFiles": "Inscrire %1 en tant qu'éditeur pour les types de fichier pris en charge",
+ "AddToPath": "Ajouter à PATH (nécessite un redémarrage de l'interpréteur de commande)",
+ "RunAfter": "Exécuter %1 après l'installation",
+ "Other": "Autre :",
+ "SourceFile": "Fichier source %1",
+ "OpenWithCodeContextMenu": "Ouvr&ir avec %1"
+ },
+ "vs/code/electron-main/main": {
+ "secondInstanceAdmin": "Une seconde instance de {0} est déjà en cours d'exécution en tant qu'administrateur.",
+ "secondInstanceAdminDetail": "Veuillez s'il vous plaît fermer l'autre instance et réessayer à nouveau.",
+ "secondInstanceNoResponse": "Une autre instance de {0} est déjà en cours d'exécution mais ne répond pas",
+ "secondInstanceNoResponseDetail": "Veuillez s'il vous plaît fermer toutes les autres instances et réessayer à nouveau.",
+ "startupDataDirError": "Impossible d'écrire les données utilisateur du programme.",
+ "startupUserDataAndExtensionsDirErrorDetail": "Vérifiez que les répertoires suivants sont accessibles en écriture :\r\n\r\n{0}",
+ "close": "&&Fermer"
+ },
+ "vs/code/node/cliProcessMain": {
+ "notFound": "Extension '{0}' introuvable.",
+ "notInstalled": "L'extension '{0}' n'est pas installée.",
+ "useId": "Vérifiez que vous utilisez l'ID d'extension complet, y compris l'éditeur, par ex. : {0}",
+ "installingExtensions": "Installation des extensions...",
+ "alreadyInstalled-checkAndUpdate": "L'extension '{0}' v{1} est déjà installée. Utilisez l'option '--force' pour effectuer une mise à jour vers la dernière version, ou indiquez '@' pour installer une version spécifique, par exemple '{2}@1.2.3'.",
+ "alreadyInstalled": "L'extension '{0}' est déjà installée.",
+ "installation failed": "Échec d'installation des extensions : {0}",
+ "successVsixInstall": "L'extension '{0}' a été installée.",
+ "cancelVsixInstall": "Installation annulée de l'Extension '{0}'.",
+ "updateMessage": "Mise à jour de l'extension '{0}' vers la version {1}",
+ "installing builtin ": "Installation de l'extension intégrée '{0}' v{1}...",
+ "installing": "Installation de l'extension '{0}' v{1}...",
+ "successInstall": "L'extension '{0}' v{1} a été installée.",
+ "cancelInstall": "Installation annulée de l'Extension '{0}'.",
+ "forceDowngrade": "Une version plus récente de l'extension '{0}' v{1} est déjà installée. Utilisez l'option '--force' pour passer à une version antérieure.",
+ "builtin": "L'extension '{0}' est une extension intégrée qui ne peut pas être installée",
+ "forceUninstall": "L'extension '{0}' est marquée en tant qu'extension intégrée par l'utilisateur. Utilisez l'option '--force' pour la désinstaller.",
+ "uninstalling": "Désinstallation de {0}...",
+ "successUninstall": "L'extension '{0}' a été correctement désinstallée !"
+ },
+ "vs/code/electron-sandbox/issue/issueReporterMain": {
+ "hide": "masquer",
+ "show": "afficher",
+ "previewOnGitHub": "Aperçu sur GitHub",
+ "loadingData": "Chargement des données...",
+ "rateLimited": "Limite de requête GitHub dépassée. Veuillez patienter.",
+ "similarIssues": "Problèmes similaires",
+ "open": "Ouvrir",
+ "closed": "Fermé",
+ "noSimilarIssues": "Aucun problème similaire trouvé",
+ "bugReporter": "Rapport de bogue",
+ "featureRequest": "Demande de fonctionnalité",
+ "performanceIssue": "Problème de performance",
+ "selectSource": "Sélectionner la source",
+ "vscode": "Visual Studio Code",
+ "extension": "Une extension",
+ "unknown": "Je ne sais pas",
+ "stepsToReproduce": "Étapes à suivre pour reproduire",
+ "bugDescription": "Partagez les étapes nécessaires pour reproduire fidèlement le problème. Veuillez inclure les résultats réels et prévus. Nous prenons en charge la syntaxe GitHub Markdown. Vous pourrez éditer votre problème et ajouter des captures d'écran lorsque nous le prévisualiserons sur GitHub.",
+ "performanceIssueDesciption": "Quand ce problème de performance s'est-il produit ? Se produit-il au démarrage ou après une série d'actions spécifiques ? Nous prenons en charge la syntaxe Markdown de GitHub. Vous pourrez éditer votre problème et ajouter des captures d'écran lorsque nous le prévisualiserons sur GitHub.",
+ "description": "Description",
+ "featureRequestDescription": "Veuillez décrire la fonctionnalité que vous voulez voir. Nous supportons la syntaxe GitHub Markdown. Vous pourrez modifier votre problème et ajouter des captures d’écran lorsque nous la prévisualiserons sur GitHub.",
+ "pasteData": "Nous avons écrit les données nécessaires dans votre presse-papiers, car elles étaient trop volumineuses à envoyer. Veuillez les coller.",
+ "disabledExtensions": "Les extensions sont désactivées",
+ "noCurrentExperiments": "Aucune expérience active."
+ },
+ "vs/code/electron-sandbox/processExplorer/processExplorerMain": {
+ "cpu": "% du processeur",
+ "memory": "Mémoire (Mo)",
+ "pid": "PID",
+ "name": "Nom",
+ "killProcess": "Tuer le processus",
+ "forceKillProcess": "Forcer l'arrêt du processus",
+ "copy": "Copier",
+ "copyAll": "Tout copier",
+ "debug": "Déboguer"
+ },
+ "vs/code/electron-main/app": {
+ "trace.message": "Trace créée avec succès.",
+ "trace.detail": "Signalez le problème, et attachez manuellement le fichier suivant :\r\n{0}",
+ "trace.ok": "OK",
+ "open": "&&Oui",
+ "cancel": "&&Non",
+ "confirmOpenMessage": "Une application externe souhaite ouvrir '{0}' dans {1}. Voulez-vous ouvrir ce fichier ou dossier ?",
+ "confirmOpenDetail": "Si vous n'avez pas lancé cette requête, cela signifie peut-être que votre système a fait l'objet d'une tentative d'attaque. Si vous n'avez pas effectué d'action explicite pour lancer cette requête, appuyez sur Non"
+ },
+ "vs/code/electron-sandbox/issue/issueReporterPage": {
+ "completeInEnglish": "Remplissez le formulaire en anglais.",
+ "issueTypeLabel": "Ceci est un(e)",
+ "issueSourceLabel": "Fichier sur",
+ "issueSourceEmptyValidation": "Une source de problème est obligatoire.",
+ "disableExtensionsLabelText": "Essayez de reproduire le problème au bout de {0}. Si le problème se reproduit uniquement quand les extensions sont actives, il s'agit probablement d'un problème d'extension.",
+ "disableExtensions": "en désactivant toutes les extensions et en rechargeant la fenêtre",
+ "chooseExtension": "Extension",
+ "extensionWithNonstandardBugsUrl": "Le rapporteur de problèmes ne peut pas créer de problèmes pour cette extension. Accédez à {0} pour signaler un problème.",
+ "extensionWithNoBugsUrl": "Le rapporteur de problèmes ne peut pas créer de problèmes pour cette extension, car elle ne spécifie pas d'URL pour signaler les problèmes. Consultez la page de la Place de marché de cette extension pour voir si d'autres instructions sont disponibles.",
+ "issueTitleLabel": "Titre",
+ "issueTitleRequired": "Veuillez s’il vous plaît entrer un titre.",
+ "titleEmptyValidation": "Un titre est obligatoire.",
+ "titleLengthValidation": "Le titre est trop long.",
+ "details": "Entrez les détails.",
+ "descriptionEmptyValidation": "Une description est obligatoire.",
+ "sendSystemInfo": "Inclure des informations sur mon système ({0})",
+ "show": "afficher",
+ "sendProcessInfo": "Inclure mes processus en cours d’exécution ({0})",
+ "sendWorkspaceInfo": "Inclure des métadonnées sur mon espace de travail ({0})",
+ "sendExtensions": "Inclure mes extensions activées ({0})",
+ "sendExperiments": "Inclure les informations d'expérience A/B ({0})"
+ },
+ "vs/code/electron-main/auth": {
+ "authRequire": "Authentification du proxy obligatoire",
+ "proxyauth": "Le proxy {0} nécessite une authentification."
+ },
+ "vs/code/electron-main/window": {
+ "reopen": "&&Rouvrir",
+ "wait": "&&Continuer à attendre",
+ "close": "&&Fermer",
+ "appStalled": "La fenêtre ne répond plus",
+ "appStalledDetail": "Vous pouvez rouvrir ou fermer la fenêtre, ou continuer à patienter.",
+ "appCrashedDetails": "Plantage de fenêtre (raison : '{0}')",
+ "appCrashed": "La fenêtre s'est bloquée",
+ "appCrashedDetail": "Nous vous prions de nous excuser pour ce désagrément. Vous pouvez rouvrir la fenêtre pour reprendre l'action au moment où elle a été interrompue.",
+ "hiddenMenuBar": "Vous pouvez toujours accéder à la barre de menus en appuyant sur la touche Alt."
+ },
+ "vs/workbench/electron-browser/actions/developerActions": {
+ "toggleSharedProcess": "Activer/désactiver le processus partagé"
+ },
+ "vs/workbench/electron-sandbox/desktop.contribution": {
+ "newTab": "Nouvel onglet de fenêtre",
+ "showPreviousTab": "Afficher l'onglet de fenêtre précédent",
+ "showNextWindowTab": "Afficher l'onglet de fenêtre suivant",
+ "moveWindowTabToNewWindow": "Déplacer l’onglet de la fenêtre vers la nouvelle fenêtre",
+ "mergeAllWindowTabs": "Fusionner toutes les fenêtres",
+ "toggleWindowTabsBar": "Activer/désactiver la barre de fenêtres d’onglets",
+ "preferences": "Préférences",
+ "miCloseWindow": "Ferm&&er la fenêtre",
+ "miExit": "&&Quitter",
+ "miZoomIn": "&&Zoom avant",
+ "miZoomOut": "&&Zoom arrière",
+ "miZoomReset": "&&Réinitialiser le zoom",
+ "miReportIssue": "Signaler le p&&roblème",
+ "miToggleDevTools": "Activer/désactiver les ou&&tils de développement",
+ "miOpenProcessExplorerer": "Ouvrir l'Explorateur de &&processus",
+ "windowConfigurationTitle": "Fenêtre",
+ "window.openWithoutArgumentsInNewWindow.on": "Ouvrir une nouvelle fenêtre vide.",
+ "window.openWithoutArgumentsInNewWindow.off": "Mettre le focus sur la dernière instance active",
+ "openWithoutArgumentsInNewWindow": "Détermine si une nouvelle fenêtre vide doit s'ouvrir au démarrage d'une seconde instance sans arguments, ou si la dernière instance en cours d'exécution doit obtenir le focus.\r\nNotez que dans certains cas, ce paramètre est ignoré (par exemple, quand vous utilisez l'option de ligne de commande '--new-window' ou '--reuse-window').",
+ "window.reopenFolders.preserve": "Rouvre toujours toutes les fenêtres. Si un dossier ou un espace de travail est ouvert (par exemple à partir de la ligne de commande), il s'ouvre dans une nouvelle fenêtre, sauf s'il est déjà ouvert. Si des fichiers sont ouverts, ils s'ouvrent dans l'une des fenêtres restaurées.",
+ "window.reopenFolders.all": "Rouvre toutes les fenêtres, sauf si un dossier, un espace de travail ou un fichier est ouvert (par exemple à partir de la ligne de commande).",
+ "window.reopenFolders.folders": "Rouvre toutes les fenêtres qui comportaient des dossiers ou des espaces de travail ouverts, sauf si un dossier, un espace de travail ou un fichier est ouvert (par exemple à partir de la ligne de commande).",
+ "window.reopenFolders.one": "Rouvre la dernière fenêtre active, sauf si un dossier, un espace de travail ou un fichier est ouvert (par exemple à partir de la ligne de commande).",
+ "window.reopenFolders.none": "Ne rouvre jamais une fenêtre. À moins qu'un dossier ou un espace de travail ne soit ouvert (par exemple à partir de la ligne de commande), une fenêtre vide s'affiche.",
+ "restoreWindows": "Contrôle la façon dont les fenêtres sont rouvertes après le tout premier démarrage. Ce paramètre n'a aucun effet quand l'application est déjà en cours d'exécution.",
+ "restoreFullscreen": "Contrôle si une fenêtre doit être restaurée en mode plein écran si elle a été fermée dans ce mode.",
+ "zoomLevel": "Modifiez le niveau de zoom de la fenêtre. La taille d'origine est 0. Chaque incrément supérieur (exemple : 1) ou inférieur (exemple : -1) représente un zoom 20 % plus gros ou plus petit. Vous pouvez également entrer des décimales pour changer le niveau de zoom avec une granularité plus fine.",
+ "window.newWindowDimensions.default": "Permet d'ouvrir les nouvelles fenêtres au centre de l'écran.",
+ "window.newWindowDimensions.inherit": "Permet d'ouvrir les nouvelles fenêtres avec la même dimension que la dernière fenêtre active.",
+ "window.newWindowDimensions.offset": "Ouvrez les nouvelles fenêtres avec la même dimension que la dernière fenêtre active et une position décalée.",
+ "window.newWindowDimensions.maximized": "Permet d'ouvrir les nouvelles fenêtres de manière agrandie.",
+ "window.newWindowDimensions.fullscreen": "Permet d'ouvrir les nouvelles fenêtres en mode plein écran.",
+ "newWindowDimensions": "Contrôle les dimensions d'ouverture d'une nouvelle fenêtre quand au moins une fenêtre est déjà ouverte. Par défaut, une nouvelle fenêtre s'ouvre au centre de l'écran avec des dimensions réduites. Notez que ce paramètre n'a aucun impact sur la première fenêtre ouverte, laquelle est toujours restaurée à la taille et l'emplacement définis au moment de sa fermeture.",
+ "closeWhenEmpty": "Contrôle si la fermeture du dernier éditeur doit également fermer la fenêtre. Ce paramètre s’applique uniquement pour les fenêtres qui n'affichent pas de dossiers.",
+ "window.doubleClickIconToClose": "Si activé, un double clic sur l'icône de l'application dans la barre de titre ferme la fenêtre, laquelle ne peut pas être déplacée par l'icône. Ce paramètre s'applique uniquement quand '#window.titleBarStyle#' est défini sur 'custom'.",
+ "titleBarStyle": "Réglez l'apparence de la barre de titre de la fenêtre. Sur Linux et Windows, ce paramètre affecte aussi l'apparence de l'application et du menu contextuel. L'application des changements nécessite un redémarrage complet.",
+ "dialogStyle": "Ajustez l'apparence des fenêtres de dialogue.",
+ "window.nativeTabs": "Active les onglets macOS Sierra. Notez que vous devez redémarrer l'ordinateur pour appliquer les modifications et que les onglets natifs désactivent tout style de barre de titre personnalisé configuré, le cas échéant.",
+ "window.nativeFullScreen": "Détermine si le plein écran natif doit être utilisé sur macOS. Désactivez cette option pour empêcher macOS de créer un espace en cas de passage au plein écran.",
+ "window.clickThroughInactive": "Si activée, cliquer sur une fenêtre inactive activera la fenêtre et déclenchera l’élément sous la souris, si elle est cliquable. Si désactivé, cliquer n’importe où sur une fenêtre inactive va seulement l'activer et un second clic sur l’élément sera nécessaire.",
+ "window.enableExperimentalProxyLoginDialog": "Active une nouvelle boîte de dialogue de connexion pour l'authentification du proxy. Nécessite un redémarrage.",
+ "telemetryConfigurationTitle": "Télémétrie",
+ "telemetry.enableCrashReporting": "Activez l'envoi de rapports de plantage à Microsoft Online Services. \r\nCette option nécessite un redémarrage pour être prise en compte.",
+ "keyboardConfigurationTitle": "Clavier",
+ "touchbar.enabled": "Active les boutons de la touchbar macOS sur le clavier si disponible.",
+ "touchbar.ignored": "Un ensemble d'identifiants pour les entrées de la touchbar qui ne doivent pas apparaître (par exemple 'workbench.action.navigateBack').",
+ "argv.locale": "Langue d'affichage à utiliser. Le choix d'une autre langue nécessite l'installation du pack linguistique associé.",
+ "argv.disableHardwareAcceleration": "Désactive l'accélération matérielle. Changez cette option UNIQUEMENT si vous rencontrez des problèmes graphiques.",
+ "argv.disableColorCorrectRendering": "Résout les problèmes liés à la sélection de profil de couleurs. Changez cette option UNIQUEMENT si vous rencontrez des problèmes graphiques.",
+ "argv.forceColorProfile": "Permet de remplacer le profil de couleur à utiliser. Si des couleurs ne s'affichent pas correctement, essayez de définir la valeur 'srgb' et redémarrez.",
+ "argv.enableCrashReporter": "Permet de désactiver les rapports de plantage. Doit permettre le redémarrage de l'application en cas de changement de la valeur.",
+ "argv.crashReporterId": "ID unique utilisé pour mettre en corrélation les rapports de plantage envoyés à partir de cette instance d'application.",
+ "argv.enebleProposedApi": "Activez les API proposées pour une liste d'ID d'extension (par exemple 'vscode.git'). Les API proposées sont instables et peuvent cesser de fonctionner sans avertissement à tout moment. Ne définissez cette option qu'à des fins de développement et de test d'extension.",
+ "argv.force-renderer-accessibility": "Force l'accessibilité du renderer. Changez ce paramètre UNIQUEMENT si vous utilisez un lecteur d'écran sur Linux. Sur les autres plateformes, le renderer est automatiquement accessible. Cet indicateur est automatiquement défini si vous avez activé editor.accessibilitySupport."
+ },
+ "vs/workbench/common/actions": {
+ "view": "Voir",
+ "help": "Aide",
+ "developer": "Développeur"
+ },
+ "vs/workbench/browser/workbench": {
+ "loaderErrorNative": "Échec du chargement d'un fichier obligatoire. Redémarrez l'application pour réessayer. Détails : {0}"
+ },
+ "vs/workbench/electron-sandbox/window": {
+ "learnMode": "En savoir plus",
+ "shellEnvSlowWarning": "La résolution de l'environnement de votre interpréteur de commandes prend trop de temps. Vérifiez la configuration de votre interpréteur de commandes.",
+ "shellEnvTimeoutError": "Impossible de résoudre votre environnement d'interpréteur de commandes dans un délai raisonnable. Vérifiez la configuration de votre interpréteur de commandes.",
+ "proxyAuthRequired": "Authentification du proxy obligatoire",
+ "loginButton": "&&Se connecter",
+ "cancelButton": "&&Annuler",
+ "username": "Nom d'utilisateur",
+ "password": "Mot de passe",
+ "proxyDetail": "Le proxy '{0}' nécessite un nom d'utilisateur et un mot de passe.",
+ "rememberCredentials": "Mémoriser mes informations d'identification",
+ "runningAsRoot": "Il est déconseillé d’exécuter {0} en tant qu’utilisateur root.",
+ "mPreferences": "Préférences"
+ },
+ "vs/workbench/common/theme": {
+ "tabActiveBackground": "Couleur d'arrière-plan de l'onglet actif. Les onglets sont les conteneurs des éditeurs dans la zone d'éditeurs. Vous pouvez ouvrir plusieurs onglets dans un groupe d'éditeurs. Il peut exister plusieurs groupes d'éditeurs.",
+ "tabUnfocusedActiveBackground": "Couleur d'arrière-plan de l'onglet actif dans un groupe sans le focus. Les onglets sont les conteneurs des éditeurs dans la zone d'éditeur. Vous pouvez ouvrir plusieurs onglets dans un même groupe d'éditeurs. Vous pouvez avoir plusieurs groupes d'éditeurs.",
+ "tabInactiveBackground": "Couleur d'arrière-plan de l'onglet inactif. Les onglets sont les conteneurs des éditeurs dans la zone d'éditeurs. Vous pouvez ouvrir plusieurs onglets dans un groupe d'éditeurs. Il peut exister plusieurs groupes d'éditeurs.",
+ "tabUnfocusedInactiveBackground": "Couleur d'arrière-plan de l'onglet inactif dans un groupe sans focus. Les onglets sont les conteneurs des éditeurs dans la zone d'éditeurs. Vous pouvez ouvrir plusieurs onglets dans un groupe d'éditeurs. Il peut exister plusieurs groupes d'éditeurs.",
+ "tabActiveForeground": "Couleur de premier plan de l'onglet actif dans un groupe actif. Les onglets sont les conteneurs des éditeurs dans la zone d'éditeurs. Vous pouvez ouvrir plusieurs onglets dans un groupe d'éditeurs. Il peut exister plusieurs groupes d'éditeurs.",
+ "tabInactiveForeground": "Couleur de premier plan de l'onglet inactif dans un groupe actif. Les onglets sont les conteneurs des éditeurs dans la zone d'éditeurs. Vous pouvez ouvrir plusieurs onglets dans un groupe d'éditeurs. Il peut exister plusieurs groupes d'éditeurs.",
+ "tabUnfocusedActiveForeground": "Couleur de premier plan de l'onglet actif dans un groupe inactif. Les onglets sont les conteneurs des éditeurs dans la zone d'éditeurs. Vous pouvez ouvrir plusieurs onglets dans un groupe d'éditeurs. Il peut exister plusieurs groupes d'éditeurs.",
+ "tabUnfocusedInactiveForeground": "Couleur de premier plan de l'onglet inactif dans un groupe inactif. Les onglets sont les conteneurs des éditeurs dans la zone d'éditeurs. Vous pouvez ouvrir plusieurs onglets dans un groupe d'éditeurs. Il peut exister plusieurs groupes d'éditeurs.",
+ "tabHoverBackground": "Couleur de l'onglet d’arrière-plan lors du survol. Les onglets sont les conteneurs pour les éditeurs dans la zone de l’éditeur. Plusieurs onglets peuvent être ouverts dans un groupe d'éditeur. Il peut y avoir plusieurs groupes d’éditeur.",
+ "tabUnfocusedHoverBackground": "Couleur de l'onglet d’arrière-plan dans un groupe n'ayant pas le focus lors du survol. Les onglets sont les conteneurs pour les éditeurs dans la zone de l’éditeur. Plusieurs onglets peuvent être ouverts dans un groupe d'éditeur. Il peut y avoir plusieurs groupes d’éditeur.",
+ "tabHoverForeground": "Couleur de premier plan de l'onglet quand un utilisateur pointe dessus. Les onglets sont les conteneurs des éditeurs dans la zone d'éditeurs. Vous pouvez ouvrir plusieurs onglets dans un groupe d'éditeurs. Il peut exister plusieurs groupes d'éditeurs.",
+ "tabUnfocusedHoverForeground": "Couleur de premier plan de l'onglet dans un groupe sans focus quand un utilisateur pointe dessus. Les onglets sont les conteneurs des éditeurs dans la zone d'éditeurs. Vous pouvez ouvrir plusieurs onglets dans un groupe d'éditeurs. Il peut exister plusieurs groupes d'éditeurs.",
+ "tabBorder": "Bordure séparant les onglets les uns des autres. Les onglets sont les conteneurs des éditeurs dans la zone d'éditeurs. Vous pouvez ouvrir plusieurs onglets dans un groupe d'éditeurs. Il peut exister plusieurs groupes d'éditeurs.",
+ "lastPinnedTabBorder": "Bordure séparant les onglets épinglés des autres onglets. Les onglets sont les conteneurs des éditeurs dans la zone d'éditeurs. Vous pouvez ouvrir plusieurs onglets dans un groupe d'éditeurs. Il peut exister plusieurs groupes d'éditeurs.",
+ "tabActiveBorder": "Bordure en bas d'un onglet actif. Les onglets sont les conteneurs des éditeurs dans la zone d'édition. Vous pouvez ouvrir plusieurs onglets dans un groupe d'éditeurs. Il peut exister plusieurs groupes d'éditeurs.",
+ "tabActiveUnfocusedBorder": "Bordure en bas d'un onglet actif dans un groupe n'ayant pas le focus. Les onglets sont les conteneurs des éditeurs dans la zone d'édition. Vous pouvez ouvrir plusieurs onglets dans un groupe d'éditeurs. Il peut exister plusieurs groupes d'éditeurs.",
+ "tabActiveBorderTop": "Bordure en haut d'un onglet actif. Les onglets sont les conteneurs des éditeurs dans la zone d'édition. Vous pouvez ouvrir plusieurs onglets dans un groupe d'éditeurs. Il peut exister plusieurs groupes d'éditeurs.",
+ "tabActiveUnfocusedBorderTop": "Bordure en haut d'un onglet actif dans un groupe n'ayant pas le focus. Les onglets sont les conteneurs des éditeurs dans la zone d'édition. Vous pouvez ouvrir plusieurs onglets dans un groupe d'éditeurs. Il peut exister plusieurs groupes d'éditeurs.",
+ "tabHoverBorder": "Bordure avec laquelle surligner les onglets lors du survol. Couleur de l'onglet d’arrière-plan dans un groupe n'ayant pas le focus lors du survol. Les onglets sont les conteneurs pour les éditeurs dans la zone de l’éditeur. Plusieurs onglets peuvent être ouverts dans un groupe d'éditeur. Il peut y avoir plusieurs groupes d’éditeur.",
+ "tabUnfocusedHoverBorder": "Bordure avec laquelle surligner les onglets lors du survol dans un groupe n'ayant pas le focus. Couleur de l'onglet d’arrière-plan dans un groupe n'ayant pas le focus lors du survol. Les onglets sont les conteneurs pour les éditeurs dans la zone de l’éditeur. Plusieurs onglets peuvent être ouverts dans un groupe d'éditeur. Il peut y avoir plusieurs groupes d’éditeur.",
+ "tabActiveModifiedBorder": "Bordure en haut des onglets actifs modifiés dans un groupe actif. Les onglets sont les conteneurs des éditeurs dans la zone d'édition. Vous pouvez ouvrir plusieurs onglets dans un groupe d'éditeurs. Il peut exister plusieurs groupes d'éditeurs.",
+ "tabInactiveModifiedBorder": "Bordure en haut des onglets inactifs modifiés dans un groupe actif. Les onglets sont les conteneurs des éditeurs dans la zone d'édition. Vous pouvez ouvrir plusieurs onglets dans un groupe d'éditeurs. Il peut exister plusieurs groupes d'éditeurs.",
+ "unfocusedActiveModifiedBorder": "Bordure en haut des onglets actifs modifiés dans un groupe n'ayant pas le focus. Les onglets sont les conteneurs des éditeurs dans la zone d'édition. Vous pouvez ouvrir plusieurs onglets dans un groupe d'éditeurs. Il peut exister plusieurs groupes d'éditeurs.",
+ "unfocusedINactiveModifiedBorder": "Bordure en haut des onglets inactifs modifiés dans un groupe n'ayant pas le focus. Les onglets sont les conteneurs des éditeurs dans la zone d'édition. Vous pouvez ouvrir plusieurs onglets dans un groupe d'éditeurs. Il peut exister plusieurs groupes d'éditeurs.",
+ "editorPaneBackground": "Couleur d'arrière-plan du volet d'éditeur visible à gauche et à droite de la disposition centrée de l'éditeur.",
+ "editorGroupBackground": "Couleur d'arrière-plan dépréciée d'un groupe d'éditeurs.",
+ "deprecatedEditorGroupBackground": "Déprécié : La couleur d'arrière-plan d'un groupe d'éditeurs n'est plus prise en charge avec l'introduction de la disposition de l'éditeur en grille. Vous pouvez utiliser editorGroup.emptyBackground pour définir la couleur d'arrière-plan des groupes d'éditeurs vides.",
+ "editorGroupEmptyBackground": "Couleur d'arrière-plan d'un groupe d'éditeurs vide. Les groupes d'éditeurs sont les conteneurs des éditeurs.",
+ "editorGroupFocusedEmptyBorder": "Couleur de bordure d'un groupe d'éditeurs vide qui a le focus. Les groupes d'éditeurs sont les conteneurs des éditeurs.",
+ "tabsContainerBackground": "Couleur d'arrière-plan de l'en-tête du titre du groupe d'éditeurs quand les onglets sont activés. Les groupes d'éditeurs sont les conteneurs des éditeurs.",
+ "tabsContainerBorder": "Couleur de bordure de l'en-tête du titre du groupe d'éditeurs quand les onglets sont activés. Les groupes d'éditeurs sont les conteneurs des éditeurs.",
+ "editorGroupHeaderBackground": "Couleur d'arrière-plan de l'en-tête du titre du groupe d'éditeurs quand les onglets sont désactivés (`\"workbench.editor.showTabs\": false`). Les groupes d'éditeurs sont les conteneurs des éditeurs.",
+ "editorTitleContainerBorder": "Couleur de la bordure de l'en-tête de titre du groupe d'éditeurs. Les groupes d'éditeurs sont les conteneurs des éditeurs.",
+ "editorGroupBorder": "Couleur séparant plusieurs groupes d'éditeurs les uns des autres. Les groupes d'éditeurs sont les conteneurs des éditeurs.",
+ "editorDragAndDropBackground": "Couleur d'arrière-plan lors du déplacement des éditeurs par glissement. La couleur doit avoir une transparence pour que le contenu de l'éditeur soit visible à travers.",
+ "imagePreviewBorder": "Couleur de la bordure de l'image dans l'aperçu.",
+ "panelBackground": "Couleur d'arrière-plan du panneau. Les panneaux s'affichent sous la zone d'éditeurs et contiennent des affichages tels que la sortie et le terminal intégré.",
+ "panelBorder": "Couleur de bordure du panneau pour séparer le panneau de l'éditeur. Les panneaux apparaissent sous la zone de l'éditeur et contiennent des vues comme la sortie et le terminal intégré.",
+ "panelActiveTitleForeground": "Couleur du titre du panneau actif. Les panneaux se situent sous la zone de l'éditeur et contiennent des affichages comme la sortie et le terminal intégré.",
+ "panelInactiveTitleForeground": "Couleur du titre du panneau inactif. Les panneaux se situent sous la zone de l'éditeur et contiennent des affichages comme la sortie et le terminal intégré.",
+ "panelActiveTitleBorder": "Couleur de la bordure du titre du panneau actif. Les panneaux se situent sous la zone de l'éditeur et contiennent des affichages comme la sortie et le terminal intégré.",
+ "panelInputBorder": "Bordure de la zone d'entrée des entrées du panneau.",
+ "panelDragAndDropBorder": "Couleur des commentaires dans une opération de glisser-déposer pour les titres des panneaux. Les panneaux s'affichent sous la zone d'éditeurs et contiennent des vues telles que la sortie et le terminal intégré.",
+ "panelSectionDragAndDropBackground": "Couleur des commentaires dans une opération de glisser-déposer pour les sections des panneaux. La couleur doit être transparente pour que les sections des panneaux restent toujours visibles. Les panneaux s'affichent sous la zone d'éditeurs et contiennent des vues telles que la sortie et le terminal intégré. Les sections des panneaux sont des vues imbriquées dans les panneaux.",
+ "panelSectionHeaderBackground": "Couleur d'arrière-plan de l'en-tête de la section des panneaux. Les panneaux s'affichent sous la zone d'éditeurs et contiennent des vues telles que la sortie et le terminal intégré. Les sections des panneaux sont des vues imbriquées dans les panneaux.",
+ "panelSectionHeaderForeground": "Couleur de premier plan de l'en-tête de la section des panneaux. Les panneaux s'affichent sous la zone d'éditeurs et contiennent des vues telles que la sortie et le terminal intégré. Les sections des panneaux sont des vues imbriquées dans les panneaux.",
+ "panelSectionHeaderBorder": "Couleur de bordure d'en-tête de section de panneau utilisée quand plusieurs vues sont empilées verticalement dans le panneau. Les panneaux s'affichent sous la zone d'éditeurs et contiennent des vues telles que la sortie et le terminal intégré. Les sections des panneaux sont des vues imbriquées dans les panneaux.",
+ "panelSectionBorder": "Couleur de bordure de section de panneau utilisée quand plusieurs vues sont empilées horizontalement dans le panneau. Les panneaux s'affichent sous la zone d'éditeurs et contiennent des vues telles que la sortie et le terminal intégré. Les sections des panneaux sont des vues imbriquées dans les panneaux.",
+ "statusBarForeground": "Couleur de premier plan de la barre d'état quand l'espace de travail est ouvert. La barre d'état est affichée en bas de la fenêtre.",
+ "statusBarNoFolderForeground": "Couleur de premier plan de la barre d'état quand aucun dossier n'est ouvert. La barre d'état est affichée en bas de la fenêtre.",
+ "statusBarBackground": "Couleur d'arrière-plan de la barre d'état quand l'espace de travail est ouvert. La barre d'état est affichée en bas de la fenêtre.",
+ "statusBarNoFolderBackground": "Couleur d'arrière-plan de la barre d'état quand aucun dossier n'est ouvert. La barre d'état est affichée en bas de la fenêtre.",
+ "statusBarBorder": "Couleur de bordure de la barre d'état faisant la séparation avec la barre latérale et l'éditeur. La barre d'état est affichée en bas de la fenêtre.",
+ "statusBarNoFolderBorder": "Couleur de la bordure qui sépare la barre latérale et l’éditeur lorsqu’aucun dossier ne s’ouvre la barre d’état. La barre d’état s’affiche en bas de la fenêtre.",
+ "statusBarItemActiveBackground": "Couleur d'arrière-plan de l'élément de la barre d'état durant un clic. La barre d'état est affichée en bas de la fenêtre.",
+ "statusBarItemHoverBackground": "Couleur d'arrière-plan de l'élément de la barre d'état durant un pointage. La barre d'état est affichée en bas de la fenêtre.",
+ "statusBarProminentItemForeground": "Couleur de premier-plan des éléments importants de la barre d'état. Les éléments importants se démarquent des autres entrées de la barre d'état pour indiquer leur importance. Changer le mode \"Activer/désactiver l'utilisation de la touche Tab pour déplacer le focus\" de la palette de commandes pour voir un exemple. La barre d'état s'affiche en bas de la fenêtre.",
+ "statusBarProminentItemBackground": "Couleur d'arrière-plan des éléments importants de la barre d'état. Les éléments importants se différencient des autres entrées de la barre d'état pour indiquer l'importance. Changer le mode `Appuyer sur la touche tabulation déplace le focus` depuis la palette de commandes pour voir un exemple. La barre d'état est affichée en bas de la fenêtre.",
+ "statusBarProminentItemHoverBackground": "Couleur d'arrière-plan des éléments importants de la barre d'état lors du survol. Les éléments importants se différencient des autres entrées de la barre d'état pour indiquer l'importance. Changer le mode `Appuyer sur la touche tabulation déplace le focus` depuis la palette de commandes pour voir un exemple. La barre d'état est affichée en bas de la fenêtre.",
+ "statusBarErrorItemBackground": "Couleur d'arrière-plan des éléments d'erreur de la barre d'état. Les éléments d'erreur se distinguent des autres entrées de la barre d'état pour indiquer les conditions d'erreur. La barre d'état est affichée en bas de la fenêtre.",
+ "statusBarErrorItemForeground": "Couleur de premier plan des éléments d'erreur de la barre d'état. Les éléments d'erreur se distinguent des autres entrées de la barre d'état pour indiquer les conditions d'erreur. La barre d'état est affichée en bas de la fenêtre.",
+ "activityBarBackground": "Couleur d'arrière-plan de la barre d'activités. La barre d'activités s'affiche complètement à gauche ou à droite, et permet de naviguer entre les affichages de la barre latérale.",
+ "activityBarForeground": "Couleur de premier plan de la barre d'activités lorsqu'elle est active. La barre d'activités s'affiche complètement à gauche ou à droite, et permet de naviguer entre les affichages de la barre latérale.",
+ "activityBarInActiveForeground": "Couleur de premier plan de la barre d'activités lorsqu'elle est inactive. La barre d'activités s'affiche complètement à gauche ou à droite, et permet de naviguer entre les affichages de la barre latérale.",
+ "activityBarBorder": "Couleur de bordure de la barre d'activités faisant la séparation avec la barre latérale. La barre d'activités, située à l'extrême droite ou gauche, permet de parcourir les vues de la barre latérale.",
+ "activityBarActiveBorder": "Couleur de bordure de la barre d'activités pour l'élément actif. La barre d'activités s'affiche à l'extrême gauche ou droite et permet de basculer entre les vues de la barre latérale.",
+ "activityBarActiveFocusBorder": "Couleur de bordure du focus de la barre d'activités pour l'élément actif. La barre d'activités s'affiche à l'extrême gauche ou droite, et permet de basculer entre les vues de la barre latérale.",
+ "activityBarActiveBackground": "Couleur d'arrière-plan de la barre d'activités pour l'élément actif. La barre d'activités s'affiche à l'extrême gauche ou droite, et permet de basculer entre les vues de la barre latérale.",
+ "activityBarDragAndDropBorder": "Couleur des commentaires dans une opération de glisser-déposer pour les éléments de la barre d'activités. La barre d'activités s'affiche complètement à gauche ou à droite, et permet de naviguer entre les vues de la barre latérale.",
+ "activityBarBadgeBackground": "Couleur d'arrière-plan du badge de notification d'activité. La barre d'activités, située à l'extrême gauche ou droite, permet de basculer entre les affichages de la barre latérale.",
+ "activityBarBadgeForeground": "Couleur de premier plan du badge de notification d'activité. La barre d'activités, située à l'extrême gauche ou droite, permet de basculer entre les affichages de la barre latérale.",
+ "statusBarItemHostBackground": "Couleur d'arrière-plan de l'indicateur distant dans la barre d'état.",
+ "statusBarItemHostForeground": "Couleur de premier plan de l'indicateur distant dans la barre d'état.",
+ "extensionBadge.remoteBackground": "Couleur d'arrière-plan du badge d'utilisation à distance dans la vue des extensions.",
+ "extensionBadge.remoteForeground": "Couleur de premier plan du badge d'utilisation à distance dans la vue des extensions.",
+ "sideBarBackground": "Couleur d'arrière-plan de la barre latérale. La barre latérale est le conteneur des affichages tels que ceux de l'exploration et la recherche.",
+ "sideBarForeground": "Couleur de premier plan de la barre latérale. La barre latérale est le conteneur des vues comme celles de l'explorateur et de la recherche.",
+ "sideBarBorder": "Couleur de bordure de la barre latérale faisant la séparation avec l'éditeur. La barre latérale est le conteneur des vues comme celles de l'explorateur et de la recherche.",
+ "sideBarTitleForeground": "Couleur de premier plan du titre de la barre latérale. La barre latérale est le conteneur des affichages tels que ceux de l'exploration et la recherche.",
+ "sideBarDragAndDropBackground": "Couleur des commentaires dans une opération de glisser-déposer pour les sections de la barre latérale. La couleur doit être transparente pour que les sections de la barre latérale restent toujours visibles. La barre latérale est le conteneur des vues telles que celles de l'exploration et de la recherche. Les sections de la barre latérale sont des vues imbriquées dans la barre latérale.",
+ "sideBarSectionHeaderBackground": "Couleur d'arrière-plan de l'en-tête de section de barre latérale. La barre latérale est le conteneur des vues telles que celles de l'exploration et de la recherche. Les sections de la barre latérale sont des vues imbriquées dans la barre latérale.",
+ "sideBarSectionHeaderForeground": "Couleur de premier plan de l'en-tête de section de barre latérale. La barre latérale est le conteneur des vues telles que celles de l'exploration et de la recherche. Les sections de la barre latérale sont des vues imbriquées dans la barre latérale.",
+ "sideBarSectionHeaderBorder": "Couleur de bordure de l'en-tête de section de barre latérale. La barre latérale est le conteneur des vues telles que celles de l'exploration et de la recherche. Les sections de la barre latérale sont des vues imbriquées dans la barre latérale.",
+ "titleBarActiveForeground": "Premier plan de la barre de titre quand la fenêtre est active.",
+ "titleBarInactiveForeground": "Premier plan de la barre de titre quand la fenêtre est inactive.",
+ "titleBarActiveBackground": "Arrière-plan de la barre de titre quand la fenêtre est active.",
+ "titleBarInactiveBackground": "Arrière-plan de la barre de titre quand la fenêtre est inactive.",
+ "titleBarBorder": "Couleur de la bordure de la barre de titre.",
+ "menubarSelectionForeground": "Couleur de premier plan de l'élément de menu sélectionné dans la barre de menus.",
+ "menubarSelectionBackground": "Couleur d'arrière-plan de l’élément de menu sélectionné dans la barre de menus.",
+ "menubarSelectionBorder": "Couleur de bordure de l'élément de menu sélectionné dans la barre de menus.",
+ "notificationCenterBorder": "Couleur de bordure du centre de notifications. Les notifications défilent à partir du bas à droite de la fenêtre.",
+ "notificationToastBorder": "Couleur de bordure du toast des notifications. Les notifications défilent à partir du bas à droite de la fenêtre.",
+ "notificationsForeground": "Couleur de premier plan des notifications. Les notifications défilent à partir du bas à droite de la fenêtre.",
+ "notificationsBackground": "Couleur d'arrière plan des notifications. Les notifications défilent à partir du bas à droite de la fenêtre.",
+ "notificationsLink": "Couleur de premier plan des liens des notifications. Les notifications défilent à partir du bas à droite de la fenêtre.",
+ "notificationCenterHeaderForeground": "Couleur de premier plan de l'en-tête du centre de notifications. Les notifications défilent à partir du bas à droite de la fenêtre.",
+ "notificationCenterHeaderBackground": "Couleur d'arrière plan de l'en-tête du centre de notifications. Les notifications défilent à partir du bas à droite de la fenêtre.",
+ "notificationsBorder": "Couleur de bordure séparant des autres notifications dans le centre de notifications. Les notifications défilent à partir du bas à droite de la fenêtre.",
+ "notificationsErrorIconForeground": "Couleur utilisée pour l'icône des notifications d'erreur. Les notifications apparaissent en bas à droite de la fenêtre.",
+ "notificationsWarningIconForeground": "Couleur utilisée pour l'icône des notifications d'avertissement. Les notifications apparaissent en bas à droite de la fenêtre.",
+ "notificationsInfoIconForeground": "Couleur utilisée pour l'icône des notifications d'informations. Les notifications apparaissent en bas à droite de la fenêtre.",
+ "windowActiveBorder": "Couleur utilisée pour la bordure de la fenêtre quand elle est active. Prise en charge uniquement dans le client de bureau en cas d'utilisation de la barre de titre personnalisée.",
+ "windowInactiveBorder": "Couleur utilisée pour la bordure de la fenêtre quand elle est inactive. Prise en charge uniquement dans le client de bureau en cas d'utilisation de la barre de titre personnalisée."
+ },
+ "vs/workbench/common/editor": {
+ "sideBySideLabels": "{0} - {1}",
+ "preview": "{0}, aperçu",
+ "pinned": "{0}, épinglé"
+ },
+ "vs/workbench/common/views": {
+ "testViewIcon": "Icône de vue de l'affichage des tests.",
+ "defaultViewIcon": "Icône de vue par défaut.",
+ "duplicateId": "Une vue avec l'ID '{0}' est déjà inscrite"
+ },
+ "vs/workbench/api/common/extHostExtensionService": {
+ "extensionTestError": "Le chemin {0} ne pointe pas vers un Test Runner d'extension valide."
+ },
+ "vs/workbench/api/common/extHostTerminalService": {
+ "launchFail.idMissingOnExtHost": "Le terminal ayant l'ID {0} sur l'hôte d'extension est introuvable"
+ },
+ "vs/workbench/api/common/extHostWorkspace": {
+ "updateerror": "L'extension '{0}' n’a pas pu mettre à jour les dossiers de l’espace de travail : {1}"
+ },
+ "vs/workbench/browser/workbench.contribution": {
+ "workbench.editor.titleScrollbarSizing.default": "Taille par défaut.",
+ "workbench.editor.titleScrollbarSizing.large": "Augmente la taille pour faciliter sa saisie avec la souris",
+ "tabScrollbarHeight": "Contrôle la hauteur des barres de défilement utilisées pour les onglets et des barres de navigation dans la zone de titre de l'éditeur.",
+ "showEditorTabs": "Contrôle si les éditeurs ouverts devraient être affichés dans des onglets ou non.",
+ "scrollToSwitchTabs": "Détermine si le défilement des onglets permet de les ouvrir ou non. Par défaut, les onglets ne s'affichent que si vous les faites défiler, mais ils ne s'ouvrent pas. Vous pouvez appuyer de façon prolongée sur la touche Maj pendant le défilement afin de changer le comportement pour cette durée. Cette valeur est ignorée quand '#workbench.editor.showTabs#' a la valeur 'false'.",
+ "highlightModifiedTabs": "Détermine si une bordure supérieure doit être dessinée ou non sur les onglets d'éditeur modifiés. Cette valeur est ignorée quand '#workbench.editor.showTabs#' a la valeur 'false'.",
+ "workbench.editor.labelFormat.default": "Afficher le nom du fichier. Lorsque les onglets sont activés et que deux fichiers portent le même nom dans un groupe, les sections distinctes du chemin de chaque fichier sont ajoutées. Lorsque les onglets sont désactivés, le chemin d’accès relatif au dossier de l'espace de travail est affiché si l’éditeur est actif.",
+ "workbench.editor.labelFormat.short": "Afficher le nom du fichier suivi du nom de dossier.",
+ "workbench.editor.labelFormat.medium": "Afficher le nom du fichier suivi de son chemin d’accès relatif au dossier de l'espace de travail.",
+ "workbench.editor.labelFormat.long": "Afficher le nom du fichier suivi de son chemin d’accès absolu.",
+ "tabDescription": "Contrôle le format de l’étiquette pour un éditeur.",
+ "workbench.editor.untitled.labelFormat.content": "Le nom du fichier sans titre est dérivé du contenu de sa première ligne, sauf si le fichier est associé à un chemin. Le nom est rétabli si la ligne est vide ou si elle ne contient aucun caractère.",
+ "workbench.editor.untitled.labelFormat.name": "Le nom du fichier sans titre n'est pas dérivé du contenu du fichier.",
+ "untitledLabelFormat": "Contrôle le format de l'étiquette pour un éditeur sans titre.",
+ "editorTabCloseButton": "Contrôle la position des boutons de fermeture des onglets de l'éditeur, ou les désactive quand le paramètre a la valeur 'off'. Cette valeur est ignorée quand '#workbench.editor.showTabs#' a la valeur 'false'.",
+ "workbench.editor.tabSizing.fit": "Toujours garder les onglets assez grands pour afficher l’étiquette de l’éditeur complet.",
+ "workbench.editor.tabSizing.shrink": "Permettre aux onglets d'être plus petits lorsque l’espace disponible n’est pas suffisant pour afficher tous les onglets à la fois.",
+ "tabSizing": "Contrôle le dimensionnement des onglets d'éditeur. Cette valeur est ignorée quand '#workbench.editor.showTabs#' a la valeur 'false'.",
+ "workbench.editor.pinnedTabSizing.normal": "Un onglet épinglé hérite de l'apparence des onglets non épinglés.",
+ "workbench.editor.pinnedTabSizing.compact": "Un onglet épinglé s'affiche de manière compacte avec uniquement une icône ou la première lettre du nom de l'éditeur.",
+ "workbench.editor.pinnedTabSizing.shrink": "Un onglet épinglé se réduit à une taille fixe compacte affichant des parties du nom de l'éditeur.",
+ "pinnedTabSizing": "Contrôle le dimensionnement des onglets épinglés de l'éditeur. Les onglets épinglés sont triés avant tous les onglets ouverts et ne sont généralement pas fermés s'ils ne sont pas désépinglés. Cette valeur est ignorée quand '#workbench.editor.showTabs#' a la valeur 'false'.",
+ "workbench.editor.splitSizingDistribute": "Divise tous les groupes d'éditeurs à parts égales.",
+ "workbench.editor.splitSizingSplit": "Divise le groupe d'éditeurs actif en parts égales.",
+ "splitSizing": "Contrôle la taille des groupes d'éditeurs pendant leur fractionnement.",
+ "splitOnDragAndDrop": "Détermine si vous pouvez séparer les groupes d'éditeurs à partir d'opérations de glisser-déposer, notamment en déposant un éditeur ou un fichier sur les bords de la zone d'éditeur.",
+ "focusRecentEditorAfterClose": "Contrôle si les onglets sont fermés dans l'ordre du dernier utilisé ou de gauche à droite.",
+ "showIcons": "Détermine si les éditeurs ouverts doivent s'afficher ou non avec une icône. Cela nécessite notamment l'activation d'un thème d'icône de fichier.",
+ "enablePreview": "Détermine si les éditeurs ouverts s'affichent en mode aperçu. Les éditeurs en mode aperçu ne restent pas ouverts. Ils sont réutilisés jusqu'à ce qu'ils soient explicitement configurés pour rester ouverts (par exemple via un double clic ou une modification) et s'affichent avec un style de police en italique.",
+ "enablePreviewFromQuickOpen": "Détermine si les éditeurs ouverts à partir de Quick Open s'affichent en mode aperçu. Les éditeurs en mode aperçu ne restent pas ouverts. Ils sont réutilisés jusqu'à ce qu'ils soient explicitement configurés pour rester ouverts (par exemple via un double clic ou une modification).",
+ "closeOnFileDelete": "Contrôle si les éditeurs affichant un fichier qui a été ouvert au cours de la session doivent se fermer automatiquement lors de la suppression ou le renommage par un autre processus. Cette désactivation gardera l’éditeur ouvert sur un tel événement. Notez que la suppression de l’application fermera toujours l’éditeur et que les fichiers modifiés ne se fermeront jamais pour préserver vos données.",
+ "editorOpenPositioning": "Permet de définir où s'ouvrent les éditeurs. Sélectionnez `left` ou `right` pour ouvrir les éditeurs à gauche ou à droite de celui actuellement actif. Sélectionnez `first` ou `last` pour ouvrir les éditeurs indépendamment de celui actuellement actif.",
+ "sideBySideDirection": "Contrôle de la direction par défaut des éditeurs qui sont ouverts côte à côte (par exemple à partir de l’Explorateur). Par défaut, les éditeurs seront ouverts sur le côté droit de celui actuellement actif. Si changé en `down`, les éditeurs seront ouverts en dessous de celui actuellement actif.",
+ "closeEmptyGroups": "Contrôle le comportement des groupes d'éditeurs vides quand le dernier onglet du groupe est fermé. Quand ce paramètre est activé, les groupes vides se ferment automatiquement. Quand le paramètre est désactivé, les groupes vides restent dans la grille.",
+ "revealIfOpen": "Contrôle si un éditeur est révélé dans un des groupes visibles si ouvert. Si désactivé, un éditeur préférera s'ouvrir dans le groupe éditeur actuellement actif. Si activé, un éditeur déjà ouvert sera révélé au lieu d’ouvrir à nouveau dans le groupe éditeur actuellement actif. Notez qu’il y a des cas où ce paramètre est ignoré, par exemple lorsque vous forcez un éditeur à s'ouvrir dans un groupe spécifique ou sur le côté du groupe actuellement actif.",
+ "mouseBackForwardToNavigate": "Parcourir les fichiers ouverts à l'aide des boutons de souris quatre et cinq s'ils sont disponibles.",
+ "restoreViewState": "Restaure le dernier état d'affichage (par exemple la position de défilement) au moment de la réouverture des éditeurs de texte qui ont été fermés.",
+ "centeredLayoutAutoResize": "Détermine si la disposition centrée doit être redimensionnée automatiquement sur la largeur maximale quand plusieurs groupes sont ouverts. Quand il ne reste plus qu'un groupe ouvert, il est redimensionné sur la largeur centrée d'origine.",
+ "limitEditorsEnablement": "Contrôle s'il faut limiter le nombre d'éditeurs ouverts. Quand ce paramètre est activé, les éditeurs les plus anciens utilisés dont l'intégrité n'est pas compromise sont fermés pour permettre l'ouverture des nouveaux éditeurs.",
+ "limitEditorsMaximum": "Contrôle le nombre maximum d'éditeurs ouverts. Utilisez le paramètre '#workbench.editor.limit.perEditorGroup' pour contrôler cette limite par groupe d'éditeurs ou pour tous les groupes.",
+ "perEditorGroup": "Contrôle si le nombre maximal d'éditeurs ouverts s'applique par groupe d'éditeurs ou pour tous les groupes d'éditeurs.",
+ "commandHistory": "Contrôle le nombre de commandes récemment utilisées à retenir dans l’historique de la palette de commande. Spécifier la valeur 0 pour désactiver l’historique des commandes.",
+ "preserveInput": "Contrôle si la dernière saisie tapée dans la palette de commande devrait être restaurée lors de l’ouverture la prochaine fois.",
+ "closeOnFocusLost": "Contrôles si le menu Quick Open doit se fermer automatiquement dès qu'il perd le focus.",
+ "workbench.quickOpen.preserveInput": "Détermine si la dernière entrée tapée dans Quick Open doit être restaurée à la prochaine ouverture.",
+ "openDefaultSettings": "Contrôle si l'ouverture des paramètres ouvre également un éditeur affichant tous les paramètres par défaut.",
+ "useSplitJSON": "Contrôle s'il faut utiliser l'éditeur JSON de fractionnement pour modifier les paramètres au format JSON.",
+ "openDefaultKeybindings": "Contrôle si ouvrir les paramètres de raccourcis clavier ouvre également un éditeur affichant toutes les combinaisons de touches par défaut.",
+ "sideBarLocation": "Contrôle l'emplacement de la barre latérale et de la barre d'activité. Elles peuvent s'afficher à gauche ou à droite du banc d'essai.",
+ "panelDefaultLocation": "Contrôle l'emplacement par défaut du panneau (terminal, console de débogage, sortie, problèmes). Il peut s'afficher en bas, à droite ou à gauche du banc d'essai.",
+ "panelOpensMaximized": "Contrôle si le panneau s'ouvre de manière agrandie. Il peut soit toujours s'ouvrir de manière agrandie, soit ne jamais s'ouvrir de manière agrandie, soit s'ouvrir dans le dernier état dans lequel il se trouvait avant sa fermeture.",
+ "workbench.panel.opensMaximized.always": "Toujours ouvrir le panneau de manière agrandie.",
+ "workbench.panel.opensMaximized.never": "Ne jamais ouvrir le panneau de manière agrandie. Le panneau s'ouvre en étant réduit.",
+ "workbench.panel.opensMaximized.preserve": "Ouvrez le panneau dans l'état dans lequel il se trouvait, avant sa fermeture.",
+ "statusBarVisibility": "Contrôle la visibilité de la barre d'état au bas du banc d'essai.",
+ "activityBarVisibility": "Contrôle la visibilité de la barre d'activités dans le banc d'essai.",
+ "activityBarIconClickBehavior": "Contrôle le comportement d'un clic sur une icône de la barre d'activités dans le workbench.",
+ "workbench.activityBar.iconClickBehavior.toggle": "Masquer la barre latérale si l'élément sur lequel l'utilisateur a cliqué est déjà visible.",
+ "workbench.activityBar.iconClickBehavior.focus": "Mettre le focus sur la barre latérale si l'élément sur lequel l'utilisateur a cliqué est déjà visible.",
+ "viewVisibility": "Contrôle la visibilité des actions d'en-tête de vue. Les actions d'en-tête de vue peuvent être soit toujours visibles, ou uniquement visibles quand cette vue a le focus ou est survolée.",
+ "fontAliasing": "Contrôle la méthode d'aliasing de polices dans le banc d'essai.",
+ "workbench.fontAliasing.default": "Lissage de sous-pixel des polices. Sur la plupart des affichages non-retina, cela vous donnera le texte le plus vif.",
+ "workbench.fontAliasing.antialiased": "Lisser les polices au niveau du pixel, plutôt que les sous-pixels. Peut faire en sorte que la police apparaisse plus légère dans l’ensemble.",
+ "workbench.fontAliasing.none": "Désactive le lissage des polices. Le texte s'affichera avec des bordures dentelées.",
+ "workbench.fontAliasing.auto": "Applique `default` ou `antialiased`automatiquement en se basant sur la résolution de l'affichage.",
+ "settings.editor.ui": "Utiliser l’éditeur d’interface utilisateur de paramètres.",
+ "settings.editor.json": "Utiliser l’éditeur de fichiers JSON.",
+ "settings.editor.desc": "Détermine quel éditeur de paramètres utiliser par défaut.",
+ "windowTitle": "Contrôle basé sur l’éditeur actif du titre de la fenêtre. Les variables sont remplacées selon le contexte :",
+ "activeEditorShort": "'${activeEditorShort}' : nom du fichier (par ex., myFile.txt).",
+ "activeEditorMedium": "'${activeEditorMedium}' : chemin du fichier relatif au dossier d'espace de travail (par ex., myFolder/myFileFolder/myFile.txt).",
+ "activeEditorLong": "'${activeEditorLong}' : chemin complet du fichier (par ex., /Users/Development/myFolder/myFileFolder/myFile.txt).",
+ "activeFolderShort": "'${activeFolderShort}' : nom du dossier contenant le fichier (par ex., myFileFolder).",
+ "activeFolderMedium": "'${activeFolderMedium}' : chemin du dossier contenant le fichier, relatif au dossier d'espace de travail (par ex., myFolder/myFileFolder).",
+ "activeFolderLong": "'${activeFolderLong}' : chemin complet du dossier contenant le fichier (par ex., /Users/Development/myFolder/myFileFolder).",
+ "folderName": "'${folderName} : nom du dossier d'espace de travail contenant le fichier (par ex., myFolder).",
+ "folderPath": "'${folderPath}' : chemin de fichier du dossier d'espace de travail contenant le fichier (par ex., /Users/Development/myFolder).",
+ "rootName": "'${rootName}' : nom de l'espace de travail (par ex., myFolder ou myWorkspace).",
+ "rootPath": "'${rootPath}' : chemin de fichier de l'espace de travail (par ex., /Users/Development/myWorkspace).",
+ "appName": "« ${appName} » : par exemple, VS Code.",
+ "remoteName": "'${remoteName}' : par ex., SSH",
+ "dirty": "'${dirty}' : indicateur erroné si l'éditeur actif est erroné.",
+ "separator": "'${separator}' : séparateur conditionnel (\"-\") qui apparaît uniquement quand il est entouré de variables avec des valeurs ou du texte statique.",
+ "windowConfigurationTitle": "Fenêtre",
+ "window.titleSeparator": "Séparateur utilisé par 'window.title'.",
+ "window.menuBarVisibility.default": "Le menu n'est masqué qu'en mode plein écran.",
+ "window.menuBarVisibility.visible": "Le menu est toujours visible même en mode plein écran.",
+ "window.menuBarVisibility.toggle": "Le menu est masqué mais il peut être affiché via la touche Alt.",
+ "window.menuBarVisibility.hidden": "Le menu est toujours masqué.",
+ "window.menuBarVisibility.compact": "Le menu est affiché sous forme de bouton compact dans la barre latérale. Cette valeur est ignorée quand '#window.titleBarStyle#' a la valeur 'native'.",
+ "menuBarVisibility": "Contrôle la visibilité de la barre de menus. Le paramètre 'toggle' signifie que la barre de menus est masquée, et qu'une seule pression sur la touche Alt permet de l'afficher. Par défaut, la barre de menus est visible, sauf si la fenêtre est en mode plein écran.",
+ "enableMenuBarMnemonics": "Contrôle si les menus principaux peuvent être ouverts avec les raccourcis de la touche Alt. La désactivation des mnémoniques permet d'associer à la place ces raccourcis de la touche Alt aux commandes de l'éditeur.",
+ "customMenuBarAltFocus": "Contrôle si la barre de menus obtient le focus en appuyant sur la touche Alt. Ce paramètre n'a pas d'effet sur l'activation/la désactivation de la barre de menus avec la touche Alt.",
+ "window.openFilesInNewWindow.on": "Les fichiers seront ouverts dans une nouvelle fenêtre.",
+ "window.openFilesInNewWindow.off": "Les fichiers seront ouverts dans la fenêtre avec le dossier des fichiers ouverts ou la dernière fenêtre active.",
+ "window.openFilesInNewWindow.defaultMac": "Les fichiers seront ouverts dans la fenêtre avec le dossier des fichiers ouverts ou la dernière fenêtre active sauf si ouvert via le Dock ou depuis la recherche.",
+ "window.openFilesInNewWindow.default": "Les fichiers seront ouverts dans une nouvelle fenêtre, à moins qu'ils soient sélectionnés dans l’application (via le menu fichier par exemple).",
+ "openFilesInNewWindowMac": "Détermine si les fichiers doivent s'ouvrir dans une nouvelle fenêtre. \r\nNotez que dans certains cas, ce paramètre est ignoré (par exemple, quand vous utilisez l'option de ligne de commande '--new-window' ou '--reuse-window').",
+ "openFilesInNewWindow": "Détermine si les fichiers doivent s'ouvrir dans une nouvelle fenêtre.\r\nNotez que dans certains cas, ce paramètre est ignoré (par exemple, quand vous utilisez l'option de ligne de commande '--new-window' ou '--reuse-window').",
+ "window.openFoldersInNewWindow.on": "Les dossiers seront ouverts dans une nouvelle fenêtre.",
+ "window.openFoldersInNewWindow.off": "Les dossiers remplaceront la dernière fenêtre active.",
+ "window.openFoldersInNewWindow.default": "Les dossiers seront ouverts dans une nouvelle fenêtre, à moins qu’un dossier est sélectionné dans l’application (par exemple via le menu fichier).",
+ "openFoldersInNewWindow": "Détermine si les dossiers doivent s'ouvrir dans une nouvelle fenêtre ou remplacer la dernière fenêtre active.\r\nNotez que dans certains cas, ce paramètre est ignoré (par exemple, quand vous utilisez l'option de ligne de commande '--new-window' ou '--reuse-window').",
+ "window.confirmBeforeClose.always": "Toujours essayer de demander confirmation. Notez que les navigateurs peuvent toujours décider de fermer un onglet ou une fenêtre sans confirmation.",
+ "window.confirmBeforeClose.keyboardOnly": "Demander uniquement confirmation si une combinaison de touches a été détectée. Notez que la détection peut ne pas être possible dans certains cas.",
+ "window.confirmBeforeClose.never": "Ne demande jamais explicitement une confirmation, sauf si une perte de données est imminente.",
+ "confirmBeforeCloseWeb": "Contrôle s'il faut afficher une boîte de dialogue de confirmation avant la fermeture de l'onglet ou la fenêtre du navigateur. Notez que même si l'option est activée, les navigateurs peuvent toujours décider de fermer un onglet ou une fenêtre sans confirmation, et que ce paramètre n'est qu’un indicateur qui peut ne pas fonctionner dans tous les cas.",
+ "zenModeConfigurationTitle": "Mode Zen",
+ "zenMode.fullScreen": "Contrôle si activer le Mode Zen met aussi le workbench en mode plein écran.",
+ "zenMode.centerLayout": "Contrôle si activer le Mode Zen centre également la mise en page.",
+ "zenMode.hideTabs": "Contrôle si l'activation du mode Zen masque également les onglets du banc d'essai.",
+ "zenMode.hideStatusBar": "Contrôle si l'activation du mode Zen masque également la barre d’état au bas du banc d'essai.",
+ "zenMode.hideActivityBar": "Contrôle si l'activation du mode Zen masque également la barre d'activités à gauche ou à droite du banc d'essai.",
+ "zenMode.hideLineNumbers": "Contrôle si l'activation du mode Zen masque aussi les numéros de ligne de l'éditeur.",
+ "zenMode.restore": "Détermine si une fenêtre doit être restaurée en mode zen, si celle-ci a été fermée en mode zen.",
+ "zenMode.silentNotifications": "Contrôle si les notifications sont affichées en mode zen. Si tel est le cas, seules les notifications d'erreur s'affichent."
+ },
+ "vs/workbench/browser/actions/textInputActions": {
+ "undo": "Annuler",
+ "redo": "Rétablir",
+ "cut": "Couper",
+ "copy": "Copier",
+ "paste": "Coller",
+ "selectAll": "Tout sélectionner"
+ },
+ "vs/workbench/browser/actions/developerActions": {
+ "inspect context keys": "Inspecter les clés de contexte",
+ "toggle screencast mode": "Activer/désactiver le mode Capture vidéo",
+ "logStorage": "Journaliser le contenu de la base de données de stockage",
+ "logWorkingCopies": "Journaliser les copies de travail",
+ "screencastModeConfigurationTitle": "Mode de capture vidéo",
+ "screencastMode.location.verticalPosition": "Contrôle le décalage vertical de la superposition du mode de capture vidéo depuis le bas par rapport à la hauteur du Workbench.",
+ "screencastMode.fontSize": "Contrôle la taille de police (en pixels) du clavier en mode de capture vidéo d'écran.",
+ "screencastMode.onlyKeyboardShortcuts": "Affichez uniquement les raccourcis clavier en mode capture d'écran.",
+ "screencastMode.keyboardOverlayTimeout": "Contrôle la durée (en millisecondes) d'affichage de la superposition du clavier en mode capture vidéo.",
+ "screencastMode.mouseIndicatorColor": "Contrôle la couleur hexadécimale (#RGB, #RGBA, #RRGGBB ou #RRGGBBAA) de l'indicateur de la souris en mode capture vidéo.",
+ "screencastMode.mouseIndicatorSize": "Contrôle la taille (en pixels) de l'indicateur de la souris en mode capture vidéo."
+ },
+ "vs/workbench/browser/actions/helpActions": {
+ "keybindingsReference": "Référence des raccourcis clavier",
+ "openDocumentationUrl": "Documentation",
+ "openIntroductoryVideosUrl": "Vidéos d'introduction",
+ "openTipsAndTricksUrl": "Conseils et astuces",
+ "newsletterSignup": "S'inscrire au bulletin d'informations de VS Code",
+ "openTwitterUrl": "Rejoignez-nous sur Twitter",
+ "openUserVoiceUrl": "Rechercher dans les demandes de fonctionnalité",
+ "openLicenseUrl": "Voir la licence",
+ "openPrivacyStatement": "Déclaration de confidentialité",
+ "miDocumentation": "&&Documentation",
+ "miKeyboardShortcuts": "Référence des racco&&urcis clavier",
+ "miIntroductoryVideos": "&&Vidéos d'introduction",
+ "miTipsAndTricks": "Conseils et astu&&ces",
+ "miTwitter": "&&Rejoignez-nous sur Twitter",
+ "miUserVoice": "&&Rechercher parmi les requêtes de fonctionnalités",
+ "miLicense": "Affic&&her la licence",
+ "miPrivacyStatement": "Déclarat&&ion de confidentialité"
+ },
+ "vs/workbench/browser/actions/layoutActions": {
+ "closeSidebar": "Fermer la barre latérale",
+ "toggleActivityBar": "Activer/désactiver la visibilité de la barre d'activités",
+ "miShowActivityBar": "Afficher la &&Barre d'activités",
+ "toggleCenteredLayout": "Activer/désactiver la disposition centrée",
+ "miToggleCenteredLayout": "Disposition &¢rée",
+ "flipLayout": "Activer/désactiver la disposition horizontale/verticale de l'éditeur",
+ "miToggleEditorLayout": "Retourner la &&disposition",
+ "toggleSidebarPosition": "Activer/désactiver la position de la barre latérale",
+ "moveSidebarRight": "Déplacer la barre latérale vers la droite",
+ "moveSidebarLeft": "Déplacer la barre latérale vers la gauche",
+ "miMoveSidebarRight": "Déplacer la &&barre latérale vers la droite",
+ "miMoveSidebarLeft": "Déplacer la &&barre latérale vers la gauche",
+ "toggleEditor": "Activer/désactiver la visibilité de la zone de l'éditeur",
+ "miShowEditorArea": "Afficher la zone de l'édit&&eur",
+ "toggleSidebar": "Activer/désactiver la visibilité de la barre latérale",
+ "miAppearance": "&&Apparence",
+ "miShowSidebar": "Afficher la &&barre latérale",
+ "toggleStatusbar": "Activer/désactiver la visibilité de la barre d'état",
+ "miShowStatusbar": "Afficher la barre d'é&&tat",
+ "toggleTabs": "Activer/désactiver la visibilité de l'onglet",
+ "toggleZenMode": "Activer/désactiver le mode zen",
+ "miToggleZenMode": "Mode Zen",
+ "toggleMenuBar": "Activer/désactiver la barre de menus",
+ "miShowMenuBar": "Afficher la &&barre de menus",
+ "resetViewLocations": "Réinitialiser les emplacements des vues",
+ "moveView": "Déplacer la vue",
+ "sidebarContainer": "Barre latérale / {0}",
+ "panelContainer": "Panneau / {0}",
+ "moveFocusedView.selectView": "Sélectionner une vue à déplacer",
+ "moveFocusedView": "Déplacer la vue ayant le focus",
+ "moveFocusedView.error.noFocusedView": "Aucune vue n'a actuellement le focus.",
+ "moveFocusedView.error.nonMovableView": "La vue ayant actuellement le focus ne peut pas être déplacée.",
+ "moveFocusedView.selectDestination": "Sélectionner une destination pour la vue",
+ "moveFocusedView.title": "Vue : déplacer {0}",
+ "moveFocusedView.newContainerInPanel": "Nouvelle entrée de panneau",
+ "moveFocusedView.newContainerInSidebar": "Nouvelle entrée de barre latérale",
+ "sidebar": "Barre latérale",
+ "panel": "Panneau",
+ "resetFocusedViewLocation": "Réinitialiser l'emplacement de vue qui a le focus",
+ "resetFocusedView.error.noFocusedView": "Aucune vue n'a actuellement le focus.",
+ "increaseViewSize": "Augmenter la taille de l'affichage actuel",
+ "increaseEditorWidth": "Augmenter la largeur de l'éditeur",
+ "increaseEditorHeight": "Augmenter la hauteur de l'éditeur",
+ "decreaseViewSize": "Diminuer la taille de l'affichage actuel",
+ "decreaseEditorWidth": "Diminuer la largeur de l'éditeur",
+ "decreaseEditorHeight": "Diminuer la hauteur de l'éditeur"
+ },
+ "vs/workbench/browser/actions/navigationActions": {
+ "navigateLeft": "Naviguer vers l'affichage à gauche",
+ "navigateRight": "Naviguer vers l'affichage à droite",
+ "navigateUp": "Naviguer vers l'affichage au-dessus",
+ "navigateDown": "Naviguer vers l'affichage en dessous",
+ "focusNextPart": "Focus sur la partie suivante",
+ "focusPreviousPart": "Focus sur la partie précédente"
+ },
+ "vs/workbench/browser/actions/windowActions": {
+ "remove": "Supprimer des récemment ouverts",
+ "dirtyRecentlyOpened": "Espace de travail avec des fichiers dont l'intégrité est compromise",
+ "workspaces": "espaces de travail",
+ "files": "Fichiers",
+ "openRecentPlaceholderMac": "Sélectionner pour ouvrir (appuyez de façon prolongée sur la touche Cmd pour forcer l'ouverture d'une nouvelle fenêtre ou sur la touche Alt pour la même fenêtre)",
+ "openRecentPlaceholder": "Sélectionner pour ouvrir (appuyez de façon prolongée sur la touche Ctrl pour forcer l'ouverture d'une nouvelle fenêtre ou sur la touche Alt pour la même fenêtre)",
+ "dirtyWorkspace": "Espace de travail avec des fichiers dont l'intégrité est compromise",
+ "dirtyWorkspaceConfirm": "Voulez-vous ouvrir l'espace de travail pour examiner les fichiers dont l'intégrité est compromise ?",
+ "dirtyWorkspaceConfirmDetail": "Impossible de supprimer les espaces de travail qui contiennent des fichiers dont l'intégrité est compromise tant que tous les fichiers dont l'intégrité est compromise n'ont pas été enregistrés ou restaurés.",
+ "recentDirtyAriaLabel": "{0}, espace de travail à l'intégrité compromise",
+ "openRecent": "Ouvrir les éléments récents...",
+ "quickOpenRecent": "Ouverture rapide des éléments récents...",
+ "toggleFullScreen": "Plein écran",
+ "reloadWindow": "Recharger la fenêtre",
+ "about": "À propos de",
+ "newWindow": "Nouvelle fenêtre",
+ "blur": "Supprimer le focus clavier de l'élément ayant le focus",
+ "file": "Fichier",
+ "miConfirmClose": "Confirmer avant la fermeture",
+ "miNewWindow": "Nouvelle &&fenêtre",
+ "miOpenRecent": "Ouvrir les éléments &&récents",
+ "miMore": "&&Plus...",
+ "miToggleFullScreen": "&&Plein écran",
+ "miAbout": "À pr&&opos de"
+ },
+ "vs/workbench/browser/actions/workspaceActions": {
+ "openFile": "Ouvrir un fichier...",
+ "openFolder": "Ouvrir un dossier...",
+ "openFileFolder": "Ouvrir...",
+ "openWorkspaceAction": "Ouvrir un espace de travail...",
+ "closeWorkspace": "Fermer l'espace de travail",
+ "noWorkspaceOpened": "Il n’y a actuellement aucun espace de travail ouvert dans cette instance à fermer.",
+ "openWorkspaceConfigFile": "Ouvrir le Fichier de Configuration d’espace de travail",
+ "globalRemoveFolderFromWorkspace": "Supprimer le dossier d’espace de travail...",
+ "saveWorkspaceAsAction": "Enregistrer l’espace de travail sous...",
+ "duplicateWorkspaceInNewWindow": "Dupliquer l'espace de travail dans une Nouvelle fenêtre",
+ "workspaces": "Espaces de travail",
+ "miAddFolderToWorkspace": "A&&jouter un dossier à l'espace de travail...",
+ "miSaveWorkspaceAs": "Enregistrer l’espace de travail sous...",
+ "miCloseFolder": "&&Fermer le dossier",
+ "miCloseWorkspace": "Fermer l'&&espace de travail"
+ },
+ "vs/workbench/browser/actions/workspaceCommands": {
+ "addFolderToWorkspace": "Ajouter un dossier à l'espace de travail...",
+ "add": "&&Ajouter",
+ "addFolderToWorkspaceTitle": "Ajouter un dossier à l'espace de travail",
+ "workspaceFolderPickerPlaceholder": "Sélectionner le dossier de l’espace de travail"
+ },
+ "vs/workbench/browser/actions/quickAccessActions": {
+ "quickOpen": "Atteindre le fichier...",
+ "quickNavigateNext": "Naviguer vers l'élément suivant dans Quick Open",
+ "quickNavigatePrevious": "Naviguer vers l'élément précédent dans Quick Open",
+ "quickSelectNext": "Sélectionner l'élément suivant dans Quick Open",
+ "quickSelectPrevious": "Sélectionner l'élément précédent dans Quick Open"
+ },
+ "vs/workbench/api/common/menusExtensionPoint": {
+ "menus.commandPalette": "Palette de commandes",
+ "menus.touchBar": "La touch bar (macOS uniquement)",
+ "menus.editorTitle": "Menu de titre de l'éditeur",
+ "menus.editorContext": "Menu contextuel de l'éditeur",
+ "menus.explorerContext": "Menu contextuel de l'Explorateur de fichiers",
+ "menus.editorTabContext": "Menu contextuel des onglets de l'éditeur",
+ "menus.debugCallstackContext": "Menu contextuel de la vue de la pile d'appels de débogage",
+ "menus.debugVariablesContext": "Menu contextuel de la vue des variables de débogage",
+ "menus.debugToolBar": "Menu de la barre d'outils de débogage",
+ "menus.file": "Menu fichier de niveau supérieur",
+ "menus.home": "Menu contextuel de l'indicateur d'accueil (web uniquement)",
+ "menus.scmTitle": "Menu du titre du contrôle de code source",
+ "menus.scmSourceControl": "Le menu de contrôle de code source",
+ "menus.resourceGroupContext": "Menu contextuel du groupe de ressources du contrôle de code source",
+ "menus.resourceStateContext": "Menu contextuel de l'état des ressources du contrôle de code source",
+ "menus.resourceFolderContext": "Menu contextuel du dossier de ressources de contrôle de code source",
+ "menus.changeTitle": "Menu de changement inline du contrôle de code source",
+ "menus.statusBarWindowIndicator": "Menu d'indicateur de fenêtre dans la barre d'état",
+ "view.viewTitle": "Menu de titre de la vue ajoutée",
+ "view.itemContext": "Menu contextuel de l'élément de vue ajoutée",
+ "commentThread.title": "Menu de titre du thread des commentaires ajoutés",
+ "commentThread.actions": "Menu contextuel du thread des commentaires ajoutés, affiché sous forme de boutons sous l'éditeur de commentaires",
+ "comment.title": "Menu de titre des commentaires ajoutés",
+ "comment.actions": "Menu contextuel des commentaires ajoutés, affiché sous forme de boutons sous l'éditeur de commentaires",
+ "notebook.cell.title": "Menu du titre de cellule de notebook ajouté",
+ "menus.extensionContext": "Menu contextuel de l'extension",
+ "view.timelineTitle": "Menu du titre de la vue Chronologie",
+ "view.timelineContext": "Menu contextuel d'un élément de la vue Chronologie",
+ "requirestring": "la propriété '{0}' est obligatoire et doit être de type 'string'",
+ "optstring": "la propriété '{0}' peut être omise ou doit être de type 'string'",
+ "requirearray": "les éléments de sous-menu doivent correspondre à un tableau",
+ "require": "les éléments de sous-menu doivent correspondre à un objet",
+ "vscode.extension.contributes.menuItem.command": "Identificateur de la commande à exécuter. La commande doit être déclarée dans la section 'commands'",
+ "vscode.extension.contributes.menuItem.alt": "Identificateur d'une commande alternative à exécuter. La commande doit être déclarée dans la section 'commands'",
+ "vscode.extension.contributes.menuItem.when": "Condition qui doit être true pour afficher cet élément",
+ "vscode.extension.contributes.menuItem.group": "Groupe auquel cet élément appartient",
+ "vscode.extension.contributes.menuItem.submenu": "Identificateur du sous-menu à afficher dans cet élément.",
+ "vscode.extension.contributes.submenu.id": "Identificateur du menu à afficher en tant que sous-menu.",
+ "vscode.extension.contributes.submenu.label": "Libellé de l'élément de menu qui mène à ce sous-menu.",
+ "vscode.extension.contributes.submenu.icon": "(Facultatif) Icône utilisée pour représenter le sous-menu dans l'IU. Il peut s'agir d'un chemin de fichier, d'un objet avec des chemins de fichiers pour les thèmes sombre et clair, ou d'une référence à une icône de thème, par exemple '\\$(zap)'",
+ "vscode.extension.contributes.submenu.icon.light": "Chemin de l'icône quand un thème clair est utilisé",
+ "vscode.extension.contributes.submenu.icon.dark": "Chemin de l'icône quand un thème foncé est utilisé",
+ "vscode.extension.contributes.menus": "Contribue à fournir des éléments de menu à l'éditeur",
+ "proposed": "API proposée",
+ "vscode.extension.contributes.submenus": "Contribue aux éléments de sous-menu de l'éditeur",
+ "nonempty": "valeur non vide attendue.",
+ "opticon": "la propriété 'icon' peut être omise, ou doit être une chaîne ou un littéral de type '{dark, light}'",
+ "requireStringOrObject": "la propriété `{0}` est obligatoire et doit être de type `string` ou `object`",
+ "requirestrings": "les propriétés `{0}` et `{1}` sont obligatoires et doivent être de type `string`",
+ "vscode.extension.contributes.commandType.command": "Identificateur de la commande à exécuter",
+ "vscode.extension.contributes.commandType.title": "Titre en fonction duquel la commande est représentée dans l'IU",
+ "vscode.extension.contributes.commandType.category": "(Facultatif) chaîne de catégorie en fonction de laquelle la commande est regroupée dans l'IU",
+ "vscode.extension.contributes.commandType.precondition": "(Facultatif) Condition qui doit être vraie pour permettre l'activation de la commande dans l'IU (menu et combinaisons de touches). N'empêche pas d'exécuter la commande par d'autres moyens, par exemple l'API 'executeCommand'.",
+ "vscode.extension.contributes.commandType.icon": "(Facultatif) Icône utilisée pour représenter la commande dans l'interface utilisateur. Peut être un chemin de fichier, un objet avec des chemins de fichier pour les thèmes foncés et clairs, ou des références à une icône de thème, par ex., '\\$(zap)'",
+ "vscode.extension.contributes.commandType.icon.light": "Chemin de l'icône quand un thème clair est utilisé",
+ "vscode.extension.contributes.commandType.icon.dark": "Chemin de l'icône quand un thème foncé est utilisé",
+ "vscode.extension.contributes.commands": "Ajoute des commandes à la palette de commandes.",
+ "dup": "La commande '{0}' apparaît plusieurs fois dans la section 'commands'.",
+ "submenuId.invalid.id": "'{0}' est un identificateur de sous-menu non valide",
+ "submenuId.duplicate.id": "Le sous-menu '{0}' a déjà été inscrit.",
+ "submenuId.invalid.label": "'{0}' est une étiquette de sous-menu non valide",
+ "menuId.invalid": "'{0}' est un identificateur de menu non valide",
+ "proposedAPI.invalid": "{0} est un identificateur de menu proposé disponible uniquement après le développement ou avec le commutateur de ligne de commande suivant : --enable-proposed-api {1}",
+ "missing.command": "L'élément de menu fait référence à une commande '{0}' qui n'est pas définie dans la section 'commands'.",
+ "missing.altCommand": "L'élément de menu fait référence à une commande alt '{0}' qui n'est pas définie dans la section 'commands'.",
+ "dupe.command": "L'élément de menu fait référence à la même commande que la commande par défaut et la commande alt",
+ "unsupported.submenureference": "L'élément de menu référence un sous-menu d'un menu qui ne prend pas en charge les sous-menus.",
+ "missing.submenu": "L'élément de menu référence un sous-menu '{0}' qui n'est pas défini dans la section 'submenus'.",
+ "submenuItem.duplicate": "Le sous-menu '{0}' a déjà été ajouté au menu '{1}'."
+ },
+ "vs/workbench/api/common/configurationExtensionPoint": {
+ "vscode.extension.contributes.configuration.title": "Résumé des paramètres. Cette étiquette va être utilisée dans le fichier de paramètres en tant que commentaire de séparation.",
+ "vscode.extension.contributes.configuration.properties": "Description des propriétés de configuration.",
+ "vscode.extension.contributes.configuration.property.empty": "La propriété ne doit pas être vide.",
+ "scope.application.description": "Configuration pouvant être configurée uniquement dans les paramètres d'utilisateur.",
+ "scope.machine.description": "Configuration pouvant être effectuée seulement dans les paramètres utilisateur ou dans les paramètres d'utilisation à distance.",
+ "scope.window.description": "Configuration pouvant être configurée dans les paramètres d'utilisateur, à distance ou de l'espace de travail.",
+ "scope.resource.description": "Configuration pouvant être configurée dans les paramètres d'utilisateur, à distance, de l'espace de travail ou de dossier.",
+ "scope.language-overridable.description": "Configuration de ressource modifiable dans les paramètres propres au langage.",
+ "scope.machine-overridable.description": "Configuration machine pouvant également être configurée dans le Workbench ou dans les paramètres de l'espace de travail ou de dossier.",
+ "scope.description": "Étendue dans laquelle la configuration est applicable. Les étendues disponibles sont 'application', 'machine', 'window', 'resource' et 'machine-overridable'.",
+ "scope.enumDescriptions": "Descriptions des valeurs d'énumération",
+ "scope.markdownEnumDescriptions": "Description des valeurs d'énumération au format markdown.",
+ "scope.markdownDescription": "La description au format markdown.",
+ "scope.deprecationMessage": "Si la valeur est définie, la propriété est marquée comme dépréciée et le message donné est affiché comme explication.",
+ "scope.markdownDeprecationMessage": "Si elle est définie, la propriété est marquée comme étant dépréciée, et le message spécifié est affiché en tant qu'explication au format Markdown.",
+ "vscode.extension.contributes.defaultConfiguration": "Contribue aux paramètres de configuration d'éditeur par défaut en fonction du langage.",
+ "config.property.defaultConfiguration.languageExpected": "Sélecteur de langage attendu (par exemple [\"java\"])",
+ "config.property.defaultConfiguration.warning": "Impossible d'enregistrer les valeurs de configuration par défaut pour '{0}'. Seules les valeurs par défaut des paramètres spécifiques au langage sont prises en charge.",
+ "vscode.extension.contributes.configuration": "Ajoute des paramètres de configuration.",
+ "invalid.title": "'configuration.title' doit être une chaîne",
+ "invalid.properties": "'configuration.properties' doit être un objet",
+ "invalid.property": "'configuration.property' doit être un objet",
+ "invalid.allOf": "'configuration.allOf' est obsolète et ne doit plus être utilisé. Au lieu de cela, passez plusieurs sections de configuration sous forme de tableau au point de contribution 'configuration'.",
+ "workspaceConfig.folders.description": "Liste des dossiers à être chargés dans l’espace de travail.",
+ "workspaceConfig.path.description": "Un chemin de fichier, par exemple, '/root/folderA' ou './folderA' pour un chemin relatif résolu selon l’emplacement du fichier d’espace de travail.",
+ "workspaceConfig.name.description": "Nom facultatif pour le dossier.",
+ "workspaceConfig.uri.description": "URI du dossier",
+ "workspaceConfig.settings.description": "Paramètres de l'espace de travail",
+ "workspaceConfig.launch.description": "Configurations de lancement de l’espace de travail",
+ "workspaceConfig.tasks.description": "Configurations de tâches d'espace de travail",
+ "workspaceConfig.extensions.description": "Extensions de l'espace de travail",
+ "workspaceConfig.remoteAuthority": "Serveur distant où se trouve l'espace de travail. Utilisé uniquement par les espaces de travail distants non enregistrés.",
+ "unknownWorkspaceProperty": "Propriété de configuration d’espace de travail inconnue"
+ },
+ "vs/workbench/api/browser/viewsExtensionPoint": {
+ "vscode.extension.contributes.views.containers.id": "Identificateur unique utilisé pour identifier le conteneur dans lequel les vues peuvent être contribuées en utilisant le point de contribution 'views'.",
+ "vscode.extension.contributes.views.containers.title": "Chaîne lisible par un humain permettant d'afficher le conteneur",
+ "vscode.extension.contributes.views.containers.icon": "Chemin d’accès à l’icône de conteneur. Les icônes font 24x24, centrées sur un bloc de 50x40 et ont une couleur de remplissage de 'rgb (215, 218, 224)' ou '#d7dae0'. Il est recommandé que les icônes soient en SVG, même si n’importe quel type de fichier image est accepté.",
+ "vscode.extension.contributes.viewsContainers": "Contribue aux conteneurs de vues vers l’éditeur",
+ "views.container.activitybar": "Les conteneurs visuels contribuent à la barre d'activité",
+ "views.container.panel": "Ajouter des conteneurs de vues au panneau",
+ "vscode.extension.contributes.view.type": "Type de la vue. Il peut s'agir de 'tree' pour une vue basée sur une arborescence ou de 'webview' pour une vue basée sur une vue web. La valeur par défaut est 'tree'.",
+ "vscode.extension.contributes.view.tree": "La vue repose sur un 'TreeView' créé par 'createTreeView'.",
+ "vscode.extension.contributes.view.webview": "La vue repose sur un 'WebviewView' inscrit par un 'registerWebviewViewProvider'.",
+ "vscode.extension.contributes.view.id": "Identificateur de la vue. Il doit être unique sur l'ensemble des vues. Nous vous recommandons d'ajouter l'ID de votre extension à l'ID de vue. Utilisez-le pour inscrire un fournisseur de données par le biais de l'API 'vscode.window.registerTreeDataProviderForView', ainsi que pour déclencher l'activation de votre extension en inscrivant l'événement 'onView:${id}' à 'activationEvents'.",
+ "vscode.extension.contributes.view.name": "Nom de la vue, contrôlable de visu. À afficher",
+ "vscode.extension.contributes.view.when": "Condition qui doit être true pour afficher cette vue",
+ "vscode.extension.contributes.view.icon": "Chemin de l'icône de vue. Les icônes de vue s'affichent quand le nom de la vue ne peut pas être affiché. Bien que tout type de fichier image soit accepté, il est recommandé d'utiliser des icônes au format SVG.",
+ "vscode.extension.contributes.view.contextualTitle": "Contexte lisible par l'homme, et qui correspond au moment où la vue quitte son emplacement d'origine. Par défaut, le nom de conteneur de la vue est utilisé. Est affiché",
+ "vscode.extension.contributes.view.initialState": "État initial de la vue quand l'extension est installée pour la première fois. Une fois que l'utilisateur a changé l'état d'affichage en réduisant, en déplaçant ou en masquant la vue, l'état initial n'est plus utilisé.",
+ "vscode.extension.contributes.view.initialState.visible": "État initial par défaut pour la vue. Dans la plupart des conteneurs, la vue est développée. Toutefois, certains conteneurs intégrés (explorateur, SCM et débogage) affichent toutes les vues réduites, quelle que soit la 'visibilité'.",
+ "vscode.extension.contributes.view.initialState.hidden": "La vue n'est pas affichée dans le conteneur de vue. Toutefois, elle est détectable via le menu des vues et d'autres points d'entrée relatifs aux vues. Elle peut être affichée par l'utilisateur.",
+ "vscode.extension.contributes.view.initialState.collapsed": "La vue s'affiche dans le conteneur de vue, mais de manière réduite.",
+ "vscode.extension.contributes.view.group": "Groupe imbriqué dans le viewlet",
+ "vscode.extension.contributes.view.remoteName": "Nom du type d'utilisation à distance associé à cette vue",
+ "vscode.extension.contributes.views": "Ajoute des vues à l'éditeur",
+ "views.explorer": "Les vues dans le conteneur \"Explorer\" contribuent à la barre d'activité",
+ "views.debug": "Les vues dans le conteneur de débogage contribuent à la barre d'activité",
+ "views.scm": "Les vues dans le conteneur \"SCM\" contribuent à la barre d'activité",
+ "views.test": "Fournit des vues du conteneur de test dans la barre d'activités",
+ "views.remote": "Apporte des vues au conteneur À distance dans la barre Activité. Pour ajouter des vues à ce conteneur, vous devez activer enableProposedApi.",
+ "views.contributed": "Ajoute des vues au conteneur de vues ajoutées",
+ "test": "test",
+ "viewcontainer requirearray": "les conteneurs de vues doivent être un tableau",
+ "requireidstring": "la propriété '{0}' est obligatoire et doit être de type 'string'. Seuls les caractères alphanumériques , '_', et '-' sont autorisés.",
+ "requirestring": "la propriété '{0}' est obligatoire et doit être de type 'string'",
+ "showViewlet": "Afficher {0}",
+ "ViewContainerRequiresProposedAPI": "L'affichage du conteneur '{0}' requiert l'activation de 'enableProposedApi' pour être ajouté à 'Remote'.",
+ "ViewContainerDoesnotExist": "Le conteneur de vues '{0}' n'existe pas et toutes les vues inscrites dans ce conteneur sont ajoutées à l''Explorateur'.",
+ "duplicateView1": "Impossible d'inscrire plusieurs vues avec le même ID '{0}'",
+ "duplicateView2": "Une vue avec l'ID '{0}' est déjà inscrite.",
+ "unknownViewType": "Type de vue inconnu : '{0}'.",
+ "requirearray": "les vues doivent être un tableau",
+ "optstring": "la propriété '{0}' peut être omise ou doit être de type 'string'",
+ "optenum": "la propriété '{0}' peut être omise ou doit faire partie de {1}"
+ },
+ "vs/workbench/browser/parts/activitybar/activitybarPart": {
+ "settingsViewBarIcon": "Icône des paramètres dans la barre d'affichage.",
+ "accountsViewBarIcon": "Icône des comptes dans la barre d'affichage.",
+ "hideHomeBar": "Masquer le bouton Accueil",
+ "showHomeBar": "Afficher le bouton Accueil",
+ "hideMenu": "Masquer le menu",
+ "showMenu": "Afficher le menu",
+ "hideAccounts": "Masquer les comptes",
+ "showAccounts": "Afficher les comptes",
+ "hideActivitBar": "Masquer la barre d'activités",
+ "resetLocation": "Réinitialiser l'emplacement",
+ "homeIndicator": "Accueil",
+ "home": "Accueil",
+ "manage": "Gérer",
+ "accounts": "Comptes",
+ "focusActivityBar": "Focus sur la barre d'activités"
+ },
+ "vs/workbench/browser/parts/panel/panelPart": {
+ "hidePanel": "Masquer le panneau",
+ "panel.emptyMessage": "Faites glisser une vue vers le panneau pour l'afficher."
+ },
+ "vs/workbench/browser/parts/sidebar/sidebarPart": {
+ "focusSideBar": "Focus sur la barre latérale"
+ },
+ "vs/workbench/browser/parts/statusbar/statusbarPart": {
+ "hide": "Masquer '{0}'",
+ "hideStatusBar": "Masquer la barre d'état"
+ },
+ "vs/workbench/browser/parts/views/viewsService": {
+ "focus view": "Placer le focus sur la vue {0}",
+ "resetViewLocation": "Réinitialiser l'emplacement"
+ },
+ "vs/workbench/browser/parts/dialogs/dialogHandler": {
+ "yesButton": "&&Oui",
+ "cancelButton": "Annuler",
+ "aboutDetail": "Version : {0}\r\nCommit : {1}\r\nDate : {2}\r\nNavigateur : {3}",
+ "copy": "Copier",
+ "ok": "OK"
+ },
+ "vs/workbench/electron-sandbox/parts/dialogs/dialogHandler": {
+ "yesButton": "&&Oui",
+ "cancelButton": "Annuler",
+ "aboutDetail": "Version : {0}\r\nCommit : {1}\r\nDate : {2}\r\nElectron : {3}\r\nChrome : {4}\r\nNode.js : {5}\r\nV8 : {6}\r\nOS : {7}",
+ "okButton": "OK",
+ "copy": "&&Copier"
+ },
+ "vs/workbench/electron-sandbox/actions/developerActions": {
+ "toggleDevTools": "Activer/désactiver les outils de développement",
+ "configureRuntimeArguments": "Configurer les arguments de runtime"
+ },
+ "vs/workbench/electron-sandbox/actions/windowActions": {
+ "closeWindow": "Fermer la fenêtre",
+ "zoomIn": "Zoom avant",
+ "zoomOut": "Zoom arrière",
+ "zoomReset": "Réinitialiser le zoom",
+ "reloadWindowWithExtensionsDisabled": "Recharger avec les extensions désactivées",
+ "close": "Fermer la fenêtre",
+ "switchWindowPlaceHolder": "Sélectionner une fenêtre vers laquelle basculer",
+ "windowDirtyAriaLabel": "{0}, fenêtre à l'intégrité compromise",
+ "current": "Fenêtre active",
+ "switchWindow": "Changer de fenêtre...",
+ "quickSwitchWindow": "Changement rapide de fenêtre..."
+ },
+ "vs/workbench/browser/parts/notifications/notificationsCenter": {
+ "notificationsEmpty": "Aucune nouvelle notification",
+ "notifications": "Notifications",
+ "notificationsToolbar": "Actions du centre de notifications"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsAlerts": {
+ "alertErrorMessage": "Erreur : {0}",
+ "alertWarningMessage": "Avertissement : {0}",
+ "alertInfoMessage": "Info : {0}"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsStatus": {
+ "status.notifications": "Notifications",
+ "hideNotifications": "Masquer les notifications",
+ "zeroNotifications": "Aucune notification",
+ "noNotifications": "Aucune nouvelle notification",
+ "oneNotification": "1 nouvelle notification",
+ "notifications": "{0} nouvelles notifications",
+ "noNotificationsWithProgress": "Pas de nouvelles notifications ({0} en cours)",
+ "oneNotificationWithProgress": "1 nouvelle notification ({0} en cours)",
+ "notificationsWithProgress": "{0} nouvelles notifications ({1} en cours)",
+ "status.message": "Message d'état"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsCommands": {
+ "notifications": "Notifications",
+ "showNotifications": "Afficher les notifications",
+ "hideNotifications": "Masquer les notifications",
+ "clearAllNotifications": "Effacer toutes les notifications",
+ "focusNotificationToasts": "Toast de notification de focus"
+ },
+ "vs/workbench/browser/parts/titlebar/menubarControl": {
+ "mFile": "&&Fichier",
+ "mEdit": "&&Edition",
+ "mSelection": "&&Sélection",
+ "mView": "Affic&&hage",
+ "mGoto": "Attei&&ndre",
+ "mRun": "E&&xécuter",
+ "mTerminal": "&&Terminal",
+ "mHelp": "&&Aide",
+ "menubar.customTitlebarAccessibilityNotification": "La prise en charge de l'accessibilité est activée pour vous. Pour une meilleure expérience d'accessibilité, nous vous recommandons le style de barre de titre personnalisé.",
+ "goToSetting": "Ouvrir les paramètres",
+ "focusMenu": "Focus sur le menu d'application",
+ "checkForUpdates": "Rechercher les &&mises à jour...",
+ "checkingForUpdates": "Recherche des mises à jour...",
+ "download now": "Téléch&&arger la mise à jour",
+ "DownloadingUpdate": "Téléchargement de la mise à jour...",
+ "installUpdate...": "Installer la &&mise à jour...",
+ "installingUpdate": "Installation de la mise à jour...",
+ "restartToUpdate": "Redémarrer pour &&mettre à jour"
+ },
+ "vs/workbench/api/common/extHostExtensionActivator": {
+ "failedDep1": "Impossible d'activer l'extension '{0}', car elle dépend de l'extension '{1}' qui n'a pas pu être activée.",
+ "activationError": "L'activation de l'extension '{0}' a échoué: {1}. "
+ },
+ "vs/workbench/api/common/extHost.api.impl": {
+ "extensionLabel": "{0} (Extension)"
+ },
+ "vs/workbench/api/node/extHostDebugService": {
+ "debug.terminal.title": "élément débogué"
+ },
+ "vs/workbench/api/common/jsonValidationExtensionPoint": {
+ "contributes.jsonValidation": "Ajoute une configuration de schéma json.",
+ "contributes.jsonValidation.fileMatch": "Modèle de fichier (ou tableau de modèles) à rechercher, par exemple, \"package.json\" ou \"*.launch\". Les modèles d'exclusion commencent par '!'",
+ "contributes.jsonValidation.url": "URL de schéma ('http:', 'https:') ou chemin relatif du dossier d'extensions ('./').",
+ "invalid.jsonValidation": "'configuration.jsonValidation' doit être un tableau",
+ "invalid.fileMatch": "'configuration.jsonValidation.fileMatch' doit être défini comme une chaîne ou un tableau de chaînes.",
+ "invalid.url": "'configuration.jsonValidation.url' doit être une URL ou un chemin relatif",
+ "invalid.path.1": "'contributes.{0}.url' ({1}) doit être inclus dans le dossier de l'extension ({2}). L'extension risque de ne pas être portable.",
+ "invalid.url.fileschema": "'configuration.jsonValidation.url' est une URL relative non valide : {0}",
+ "invalid.url.schema": "'configuration.jsonValidation.url' doit être une URL absolue ou commencer par './' pour référencer les schémas situés dans l'extension."
+ },
+ "vs/workbench/api/browser/mainThreadExtensionService": {
+ "reload window": "Impossible d'activer l'extension '{0}', car elle dépend de l'extension '{1}' qui n'est pas chargée. Voulez-vous recharger la fenêtre pour charger l'extension ?",
+ "reload": "Recharger la fenêtre",
+ "disabledDep": "Impossible d'activer l'extension '{0}', car elle dépend de l'extension '{1}' qui est désactivée. Voulez-vous activer l'extension et recharger la fenêtre ?",
+ "enable dep": "Activer et recharger",
+ "uninstalledDep": "Impossible d'activer l'extension '{0}', car elle dépend de l'extension '{1}' qui n'est pas installée. Voulez-vous installer l'extension et recharger la fenêtre ?",
+ "install missing dep": "Installer et recharger",
+ "unknownDep": "Impossible d'activer l'extension '{0}', car elle dépend d'une extension '{1}' inconnue."
+ },
+ "vs/workbench/api/browser/mainThreadFileSystemEventService": {
+ "files.participants.timeout": "Délai d'attente en millisecondes après lequel les participants pour la création, le renommage et la suppression de fichier sont supprimés. Utilisez '0' pour désactiver les participants."
+ },
+ "vs/workbench/api/browser/mainThreadMessageService": {
+ "extensionSource": "{0} (extension)",
+ "defaultSource": "Extension",
+ "manageExtension": "Gérer l'extension",
+ "cancel": "Annuler",
+ "ok": "OK"
+ },
+ "vs/workbench/api/browser/mainThreadProgress": {
+ "manageExtension": "Gérer l'extension"
+ },
+ "vs/workbench/api/browser/mainThreadSaveParticipant": {
+ "timeout.onWillSave": "OnWillSaveTextDocument-event avorté après 1750 ms"
+ },
+ "vs/workbench/api/browser/mainThreadWorkspace": {
+ "folderStatusMessageAddSingleFolder": "L'extension '{0}' a ajouté 1 dossier à l’espace de travail",
+ "folderStatusMessageAddMultipleFolders": "L'extension '{0}' a ajouté {1} dossiers à l’espace de travail",
+ "folderStatusMessageRemoveSingleFolder": "L'extension '{0}' a supprimé 1 dossier de l’espace de travail",
+ "folderStatusMessageRemoveMultipleFolders": "L'extension '{0}' a supprimé {1} dossiers de l’espace de travail",
+ "folderStatusChangeFolder": "L'extension '{0}' a modifié des dossiers de l’espace de travail"
+ },
+ "vs/workbench/api/browser/mainThreadComments": {
+ "commentsViewIcon": "Icône de vue des commentaires."
+ },
+ "vs/workbench/api/browser/mainThreadTask": {
+ "task.label": "{0}: {1}"
+ },
+ "vs/workbench/api/browser/mainThreadAuthentication": {
+ "noTrustedExtensions": "Ce compte n'a été utilisé par aucune extension.",
+ "accountLastUsedDate": "Dernière utilisation de ce compte {0}",
+ "notUsed": "N'a pas utilisé ce compte",
+ "manageTrustedExtensions": "Gérer les extensions approuvées",
+ "manageExensions": "Choisir les extensions qui peuvent accéder à ce compte",
+ "signOutConfirm": "Se déconnecter de {0}",
+ "signOutMessagve": "Le compte {0} a été utilisé par : \r\n\r\n{1}\r\n\r\n Voulez-vous vous déconnecter de ces fonctionnalités ?",
+ "signOutMessageSimple": "Se déconnecter de {0} ?",
+ "signedOut": "Déconnexion réussie.",
+ "useOtherAccount": "Se connecter à un autre compte",
+ "selectAccount": "L'extension '{0}' souhaite accéder à un compte {1}",
+ "getSessionPlateholder": "Sélectionner un compte à utiliser pour '{0}' ou appuyer sur Échap pour annuler",
+ "confirmAuthenticationAccess": "L'extension '{0}' tente d'accéder aux informations d'authentification du compte {1} '{2}'.",
+ "allow": "Autoriser",
+ "cancel": "Annuler",
+ "confirmLogin": "L'extension '{0}' veut se connecter en utilisant {1}."
+ },
+ "vs/workbench/common/configuration": {
+ "workbenchConfigurationTitle": "Banc d'essai"
+ },
+ "vs/workbench/browser/parts/views/treeView": {
+ "no-dataprovider": "Aucun fournisseur de données inscrit pouvant fournir des données de vue.",
+ "refresh": "Actualiser",
+ "collapseAll": "Tout réduire",
+ "command-error": "Erreur pendant l'exécution de la commande {1} : {0}. Probablement due à l'extension qui contribue à {1}."
+ },
+ "vs/workbench/browser/viewlet": {
+ "compositePart.hideSideBarLabel": "Masquer la barre latérale",
+ "views": "Vues",
+ "collapse": "Réduire tout"
+ },
+ "vs/workbench/browser/parts/views/viewPaneContainer": {
+ "viewPaneContainerExpandedIcon": "Icône d'un conteneur de volet d'affichage développé.",
+ "viewPaneContainerCollapsedIcon": "Icône d'un conteneur de volet d'affichage réduit.",
+ "viewToolbarAriaLabel": "{0} actions",
+ "hideView": "Masquer",
+ "viewMoveUp": "Déplacer la vue vers le haut",
+ "viewMoveLeft": "Déplacer la vue vers la gauche",
+ "viewMoveDown": "Déplacer la vue vers le bas",
+ "viewMoveRight": "Déplacer la vue vers la droite"
+ },
+ "vs/workbench/browser/parts/editor/editorGroupView": {
+ "ariaLabelGroupActions": "Actions du groupe d'éditeurs",
+ "closeGroupAction": "Fermer",
+ "emptyEditorGroup": "{0} (vide)",
+ "groupLabel": "Grouper {0}",
+ "groupAriaLabel": "Groupe d'éditeurs {0}",
+ "ok": "OK",
+ "cancel": "Annuler",
+ "editorOpenErrorDialog": "Impossible d'ouvrir '{0}'",
+ "editorOpenError": "Impossible d'ouvrir '{0}' : {1}."
+ },
+ "vs/workbench/browser/parts/editor/editorDropTarget": {
+ "fileTooLarge": "Le fichier est trop volumineux pour être ouvert en tant qu'éditeur sans titre. Chargez-le d'abord dans l'Explorateur de fichiers, puis réessayez."
+ },
+ "vs/workbench/browser/parts/editor/editor.contribution": {
+ "textEditor": "Éditeur de texte",
+ "textDiffEditor": "Éditeur de différences de texte",
+ "binaryDiffEditor": "Éditeur de différences binaires",
+ "sideBySideEditor": "Éditeur côte à côte",
+ "editorQuickAccessPlaceholder": "Tapez le nom d'un éditeur pour l'ouvrir.",
+ "activeGroupEditorsByMostRecentlyUsedQuickAccess": "Afficher les éditeurs du groupe actif en commençant par le dernier utilisé",
+ "allEditorsByAppearanceQuickAccess": "Afficher tous les éditeurs ouverts par apparence",
+ "allEditorsByMostRecentlyUsedQuickAccess": "Afficher tous les éditeurs ouverts en commençant par le dernier utilisé",
+ "file": "Fichier",
+ "splitUp": "Fractionner en haut",
+ "splitDown": "Fractionner en bas",
+ "splitLeft": "Fractionner à gauche",
+ "splitRight": "Fractionner à droite",
+ "close": "Fermer",
+ "closeOthers": "Fermer les autres",
+ "closeRight": "Fermer à droite",
+ "closeAllSaved": "Fermer la version sauvegardée",
+ "closeAll": "Tout fermer",
+ "keepOpen": "Garder ouvert",
+ "pin": "Épingler",
+ "unpin": "Détacher",
+ "toggleInlineView": "Activer/désactiver le mode inline",
+ "showOpenedEditors": "Afficher les éditeurs ouverts",
+ "toggleKeepEditors": "Garder les éditeurs ouverts",
+ "splitEditorRight": "Fractionner l'éditeur à droite",
+ "splitEditorDown": "Fractionner l'éditeur en bas",
+ "previousChangeIcon": "Icône de l'action du changement précédent dans l'éditeur de différences.",
+ "nextChangeIcon": "Icône de l'action du changement suivant dans l'éditeur de différences.",
+ "toggleWhitespace": "Icône de l'action d'activation/de désactivation des espaces blancs dans l'éditeur de différences.",
+ "navigate.prev.label": "Modification précédente",
+ "navigate.next.label": "Modification suivante",
+ "ignoreTrimWhitespace.label": "Ignorer les différences d'espace blanc de début/fin",
+ "showTrimWhitespace.label": "Afficher les différences d'espace blanc de début/fin",
+ "keepEditor": "Conserver l'éditeur",
+ "pinEditor": "Épingler l'éditeur",
+ "unpinEditor": "Détacher l'éditeur",
+ "closeEditor": "Fermer l'éditeur",
+ "closePinnedEditor": "Fermer l'éditeur épinglé",
+ "closeEditorsInGroup": "Fermer tous les éditeurs du groupe",
+ "closeSavedEditors": "Fermer les éditeurs sauvegardés dans le groupe",
+ "closeOtherEditors": "Fermer les autres éditeurs du groupe",
+ "closeRightEditors": "Fermer les éditeurs à droite dans le groupe",
+ "closeEditorGroup": "Fermer le groupe d'éditeurs",
+ "miReopenClosedEditor": "&&Rouvrir l'éditeur fermé",
+ "miClearRecentOpen": "&&Effacer les éléments récemment ouverts",
+ "miEditorLayout": "Disposition de &&l'éditeur",
+ "miSplitEditorUp": "Fractionner en &&haut",
+ "miSplitEditorDown": "Fractionner en &&bas",
+ "miSplitEditorLeft": "Fractionner à &&gauche",
+ "miSplitEditorRight": "Fractionner à &&droite",
+ "miSingleColumnEditorLayout": "&&Simple",
+ "miTwoColumnsEditorLayout": "&&Deux colonnes",
+ "miThreeColumnsEditorLayout": "T&&rois colonnes",
+ "miTwoRowsEditorLayout": "D&&eux lignes",
+ "miThreeRowsEditorLayout": "Trois &&lignes",
+ "miTwoByTwoGridEditorLayout": "&&Grille (2x2)",
+ "miTwoRowsRightEditorLayout": "Deux lignes à dr&&oite",
+ "miTwoColumnsBottomEditorLayout": "Deux &&colonnes en bas",
+ "miBack": "&&Précédent",
+ "miForward": "&&Suivant",
+ "miLastEditLocation": "&&Emplacement de la dernière modification",
+ "miNextEditor": "Éditeur &&suivant",
+ "miPreviousEditor": "Éditeur pré&&cédent",
+ "miNextRecentlyUsedEditor": "Éditeur utilisé suiva&&nt",
+ "miPreviousRecentlyUsedEditor": "Éditeur utilisé &&précédent",
+ "miNextEditorInGroup": "Éditeur suiva&&nt dans le groupe",
+ "miPreviousEditorInGroup": "Éditeur &&précédent dans le groupe",
+ "miNextUsedEditorInGroup": "Éditeur &&utilisé suivant dans le groupe",
+ "miPreviousUsedEditorInGroup": "É&&diteur utilisé précédent dans le groupe",
+ "miSwitchEditor": "Changer d'é&&diteur",
+ "miFocusFirstGroup": "Groupe &&1",
+ "miFocusSecondGroup": "Groupe &&2",
+ "miFocusThirdGroup": "Groupe &&3",
+ "miFocusFourthGroup": "Groupe &&4",
+ "miFocusFifthGroup": "Groupe &&5",
+ "miNextGroup": "Groupe &&suivant",
+ "miPreviousGroup": "Groupe pré&&cédent",
+ "miFocusLeftGroup": "Regrouper à &&gauche",
+ "miFocusRightGroup": "Regrouper à &&droite",
+ "miFocusAboveGroup": "Regrouper d&&essus",
+ "miFocusBelowGroup": "Regrouper &&dessous",
+ "miSwitchGroup": "Changer de gr&&oupe"
+ },
+ "vs/workbench/browser/parts/activitybar/activitybarActions": {
+ "goHome": "Accéder à l'accueil",
+ "hide": "Masquer",
+ "manageTrustedExtensions": "Gérer les extensions approuvées",
+ "signOut": "Se déconnecter",
+ "authProviderUnavailable": "{0} est non disponible",
+ "previousSideBarView": "Vue de barre latérale précédente",
+ "nextSideBarView": "Vue de barre latérale suivante"
+ },
+ "vs/workbench/browser/parts/compositeBar": {
+ "activityBarAriaLabel": "Sélecteur d'affichage actif"
+ },
+ "vs/workbench/browser/parts/compositeBarActions": {
+ "badgeTitle": "{0} - {1}",
+ "additionalViews": "Vues supplémentaires",
+ "numberBadge": "{0} ({1})",
+ "manageExtension": "Gérer l'extension",
+ "titleKeybinding": "{0} ({1})",
+ "hide": "Masquer",
+ "keep": "Conserver",
+ "toggle": "Afficher/masquer la vue épinglée"
+ },
+ "vs/workbench/browser/parts/compositePart": {
+ "ariaCompositeToolbarLabel": "{0} actions",
+ "viewsAndMoreActions": "Vues et autres actions...",
+ "titleTooltip": "{0} ({1})"
+ },
+ "vs/workbench/browser/parts/panel/panelActions": {
+ "maximizeIcon": "Icône d'agrandissement d'un panneau.",
+ "restoreIcon": "Icône de restauration d'un panneau.",
+ "closeIcon": "Icône de fermeture d'un panneau.",
+ "closePanel": "Fermer le panneau",
+ "togglePanel": "Activer/désactiver le panneau",
+ "focusPanel": "Focus dans le panneau",
+ "toggleMaximizedPanel": "Activer/désactiver le panneau agrandi",
+ "maximizePanel": "Agrandir la taille du panneau",
+ "minimizePanel": "Restaurer la taille du panneau",
+ "positionPanelLeft": "Déplacer le panneau à gauche",
+ "positionPanelRight": "Déplacer le panneau vers la droite",
+ "positionPanelBottom": "Déplacer le panneau vers le bas",
+ "previousPanelView": "Vue de panneau précédente",
+ "nextPanelView": "Vue de panneau suivante",
+ "miShowPanel": "Afficher le &&panneau"
+ },
+ "vs/workbench/common/editor/diffEditorInput": {
+ "sideBySideLabels": "{0} ↔ {1}"
+ },
+ "vs/workbench/browser/parts/editor/editorWidgets": {
+ "openWorkspace": "Ouvrir un espace de travail"
+ },
+ "vs/workbench/browser/parts/editor/editorCommands": {
+ "editorCommand.activeEditorMove.description": "Déplacer l'éditeur actif par onglets ou par groupes",
+ "editorCommand.activeEditorMove.arg.name": "Argument de déplacement de l'éditeur actif",
+ "editorCommand.activeEditorMove.arg.description": "Propriétés de l'argument :\r\n\t* 'to' : valeur de chaîne indiquant la direction du déplacement.\r\n\t* 'by' : valeur de chaîne indiquant l'unité de déplacement (par onglet ou par groupe).\r\n\t* 'value' : valeur numérique indiquant le nombre de positions ou la position absolue du déplacement.",
+ "toggleInlineView": "Activer/désactiver le mode inline",
+ "compare": "Comparer",
+ "enablePreview": "Les éditeurs en mode aperçu ont été activés dans les paramètres.",
+ "disablePreview": "Les éditeurs en mode aperçu ont été désactivés dans les paramètres.",
+ "learnMode": "En savoir plus"
+ },
+ "vs/workbench/browser/parts/editor/textResourceEditor": {
+ "textEditor": "Éditeur de texte"
+ },
+ "vs/workbench/browser/parts/titlebar/titlebarPart": {
+ "patchedWindowTitle": "[Non prise en charge]",
+ "userIsAdmin": "[Administrator]",
+ "userIsSudo": "[Superuser]",
+ "devExtensionWindowTitlePrefix": "[Hôte de développement d'extension]"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsList": {
+ "notificationAriaLabel": "{0}, notification",
+ "notificationWithSourceAriaLabel": "{0}, source : {1}, notification",
+ "notificationsList": "Liste des notifications"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsActions": {
+ "clearIcon": "Icône de l'action d'effacement dans les notifications.",
+ "clearAllIcon": "Icône de l'action permettant de tout effacer dans les notifications.",
+ "hideIcon": "Icône de l'action de masquage dans les notifications.",
+ "expandIcon": "Icône de l'action de développement dans les notifications.",
+ "collapseIcon": "Icône de l'action de réduction dans les notifications.",
+ "configureIcon": "Icône de l'action de configuration dans les notifications.",
+ "clearNotification": "Effacer la notification",
+ "clearNotifications": "Effacer toutes les notifications",
+ "hideNotificationsCenter": "Masquer les notifications",
+ "expandNotification": "Développer la notification",
+ "collapseNotification": "Réduire la notification",
+ "configureNotification": "Configurer la notification",
+ "copyNotification": "Copier le texte"
+ },
+ "vs/workbench/api/common/extHostDiagnostics": {
+ "limitHit": "Les {0} erreurs et avertissements supplémentaires ne sont pas affichés."
+ },
+ "vs/workbench/api/common/extHostProgress": {
+ "extensionSource": "{0} (extension)"
+ },
+ "vs/workbench/api/common/extHostStatusBar": {
+ "status.extensionMessage": "État de l'extension"
+ },
+ "vs/workbench/api/common/extHostTreeViews": {
+ "treeView.notRegistered": "Aucune arborescence avec l'ID \"{0}\" n'est inscrite.",
+ "treeView.duplicateElement": "L'élément avec l'id {0} est déjà inscrit"
+ },
+ "vs/workbench/browser/parts/editor/textEditor": {
+ "editor": "Éditeur"
+ },
+ "vs/workbench/api/browser/mainThreadCustomEditors": {
+ "defaultEditLabel": "Modifier"
+ },
+ "vs/workbench/api/browser/mainThreadWebviews": {
+ "errorMessage": "Une erreur s’est produite lors de restauration de a vue : {0}"
+ },
+ "vs/workbench/browser/parts/editor/tabsTitleControl": {
+ "ariaLabelTabActions": "Actions d'onglet"
+ },
+ "vs/workbench/browser/parts/editor/textDiffEditor": {
+ "textDiffEditor": "Éditeur de différences de texte"
+ },
+ "vs/workbench/browser/parts/editor/binaryDiffEditor": {
+ "metadataDiff": "{0} ↔ {1}"
+ },
+ "vs/workbench/browser/parts/editor/editorStatus": {
+ "singleSelectionRange": "Li {0}, Col {1} ({2} sélectionné)",
+ "singleSelection": "L {0}, col {1}",
+ "multiSelectionRange": "{0} sélections ({1} caractères sélectionnés)",
+ "multiSelection": "{0} sélections",
+ "endOfLineLineFeed": "LF",
+ "endOfLineCarriageReturnLineFeed": "CRLF",
+ "screenReaderDetectedExplanation.question": "Utilisez-vous un lecteur d'écran pour faire fonctionner VS Code ? (le retour automatique à la ligne est désactivé en cas d'utilisation d'un lecteur d'écran)",
+ "screenReaderDetectedExplanation.answerYes": "Oui",
+ "screenReaderDetectedExplanation.answerNo": "Non",
+ "noEditor": "Aucun éditeur de texte actif actuellement",
+ "noWritableCodeEditor": "L'éditeur de code actif est en lecture seule.",
+ "indentConvert": "convertir le fichier",
+ "indentView": "modifier la vue",
+ "pickAction": "Sélectionner une action",
+ "tabFocusModeEnabled": "La touche Tab déplace le focus",
+ "disableTabMode": "Désactiver le mode d'accessibilité",
+ "status.editor.tabFocusMode": "Mode d'accessibilité",
+ "columnSelectionModeEnabled": "Sélection de la colonne",
+ "disableColumnSelectionMode": "Désactiver le mode de sélection de colonne",
+ "status.editor.columnSelectionMode": "Mode de sélection de colonne",
+ "screenReaderDetected": "Optimisé pour un lecteur d’écran ",
+ "status.editor.screenReaderMode": "Mode du lecteur d'écran",
+ "gotoLine": "Accéder à la ligne/colonne",
+ "status.editor.selection": "Sélection de l'éditeur",
+ "selectIndentation": "Sélectionner le retrait",
+ "status.editor.indentation": "Mise en retrait de l'éditeur",
+ "selectEncoding": "Sélectionner l'encodage",
+ "status.editor.encoding": "Encodage de l'éditeur",
+ "selectEOL": "Sélectionner la séquence de fin de ligne",
+ "status.editor.eol": "Fin de ligne de l'éditeur",
+ "selectLanguageMode": "Sélectionner le mode de langage",
+ "status.editor.mode": "Langage de l'éditeur",
+ "fileInfo": "Informations sur le fichier",
+ "status.editor.info": "Informations sur le fichier",
+ "spacesSize": "Espaces : {0}",
+ "tabSize": "Taille des tabulations : {0}",
+ "currentProblem": "Problème actuel",
+ "showLanguageExtensions": "Rechercher '{0}' dans les extensions Marketplace...",
+ "changeMode": "Changer le mode de langage",
+ "languageDescription": "({0}) - Langage configuré",
+ "languageDescriptionConfigured": "({0})",
+ "languagesPicks": "langages (identificateur)",
+ "configureModeSettings": "Configurer les paramètres du langage '{0}'...",
+ "configureAssociationsExt": "Configurer l'association de fichier pour '{0}'...",
+ "autoDetect": "Détection automatique",
+ "pickLanguage": "Sélectionner le mode de langage",
+ "currentAssociation": "Association actuelle",
+ "pickLanguageToConfigure": "Sélectionnez le mode de langage à associer à '{0}'",
+ "changeEndOfLine": "Changer la séquence de fin de ligne",
+ "pickEndOfLine": "Sélectionner la séquence de fin de ligne",
+ "changeEncoding": "Changer l'encodage des fichiers",
+ "noFileEditor": "Aucun fichier actif actuellement",
+ "saveWithEncoding": "Enregistrer avec l'encodage",
+ "reopenWithEncoding": "Rouvrir avec l'encodage",
+ "guessedEncoding": "Deviné à partir du contenu",
+ "pickEncodingForReopen": "Sélectionner l'encodage du fichier pour rouvrir le fichier",
+ "pickEncodingForSave": "Sélectionner l'encodage du fichier à utiliser pour l'enregistrement"
+ },
+ "vs/workbench/browser/parts/editor/editorActions": {
+ "splitEditor": "Fractionner l'éditeur",
+ "splitEditorOrthogonal": "Fractionner l'éditeur de manière orthogonale",
+ "splitEditorGroupLeft": "Fractionner l'éditeur à gauche",
+ "splitEditorGroupRight": "Fractionner l'éditeur à droite",
+ "splitEditorGroupUp": "Fractionner l'éditeur en haut",
+ "splitEditorGroupDown": "Fractionner l'éditeur en bas",
+ "joinTwoGroups": "Joindre le groupe d'éditeurs au groupe suivant",
+ "joinAllGroups": "Joindre tous les groupes d'éditeurs",
+ "navigateEditorGroups": "Naviguer entre les groupes d'éditeurs",
+ "focusActiveEditorGroup": "Placer le focus sur le groupe d'éditeurs d'actifs",
+ "focusFirstEditorGroup": "Focus sur le premier groupe d'éditeurs",
+ "focusLastEditorGroup": "Focus sur le dernier groupe d'éditeurs",
+ "focusNextGroup": "Focus sur le groupe d'éditeurs suivant",
+ "focusPreviousGroup": "Focus sur le groupe d'éditeurs précédent",
+ "focusLeftGroup": "Focus sur le groupe d'éditeurs à gauche",
+ "focusRightGroup": "Focus sur le groupe d'éditeurs à droite",
+ "focusAboveGroup": "Focus sur le groupe d'éditeurs au-dessus",
+ "focusBelowGroup": "Focus sur le groupe d'éditeurs en dessous",
+ "closeEditor": "Fermer l'éditeur",
+ "unpinEditor": "Détacher l'éditeur",
+ "closeOneEditor": "Fermer",
+ "revertAndCloseActiveEditor": "Restaurer et fermer l'éditeur",
+ "closeEditorsToTheLeft": "Fermer les éditeurs à gauche dans le groupe",
+ "closeAllEditors": "Fermer tous les éditeurs",
+ "closeAllGroups": "Fermer tous les groupes d'éditeurs",
+ "closeEditorsInOtherGroups": "Fermer les éditeurs des autres groupes",
+ "closeEditorInAllGroups": "Fermer l’éditeur dans tous les groupes",
+ "moveActiveGroupLeft": "Déplacer le groupe d'éditeurs vers la gauche",
+ "moveActiveGroupRight": "Déplacer le groupe d'éditeurs vers la droite",
+ "moveActiveGroupUp": "Déplacer le groupe d'éditeurs vers le haut",
+ "moveActiveGroupDown": "Déplacer le groupe d'éditeurs vers le bas",
+ "minimizeOtherEditorGroups": "Agrandir le groupe d'éditeurs",
+ "evenEditorGroups": "Réinitialiser la taille des groupes d'éditeurs",
+ "toggleEditorWidths": "Taille des groupes du Toggle Editor",
+ "maximizeEditor": "Maximiser le groupe d'éditeurs et masquer la barre latérale",
+ "openNextEditor": "Ouvrir l'éditeur suivant",
+ "openPreviousEditor": "Ouvrir l'éditeur précédent",
+ "nextEditorInGroup": "Ouvrir l'éditeur suivant du groupe",
+ "openPreviousEditorInGroup": "Ouvrir l'éditeur précédent du groupe",
+ "firstEditorInGroup": "Ouvrir le premier éditeur du groupe",
+ "lastEditorInGroup": "Ouvrir le dernier éditeur du groupe",
+ "navigateNext": "Suivant",
+ "navigatePrevious": "Précédent",
+ "navigateToLastEditLocation": "Aller à l'emplacement de la dernière édition",
+ "navigateLast": "Aller au dernier",
+ "reopenClosedEditor": "Rouvrir l'éditeur fermé",
+ "clearRecentFiles": "Effacer les fichiers récemment ouverts",
+ "showEditorsInActiveGroup": "Afficher les éditeurs du groupe actif en commençant par le dernier utilisé",
+ "showAllEditors": "Afficher tous les éditeurs par apparence",
+ "showAllEditorsByMostRecentlyUsed": "Afficher tous les éditeurs en commençant par le dernier utilisé",
+ "quickOpenPreviousRecentlyUsedEditor": "Ouverture rapide du dernier éditeur utilisé précédent",
+ "quickOpenLeastRecentlyUsedEditor": "Ouverture rapide du plus ancien éditeur utilisé",
+ "quickOpenPreviousRecentlyUsedEditorInGroup": "Ouverture rapide du dernier éditeur utilisé précédent dans le groupe",
+ "quickOpenLeastRecentlyUsedEditorInGroup": "Ouverture rapide du plus ancien éditeur utilisé dans le groupe",
+ "navigateEditorHistoryByInput": "Ouverture rapide de l'éditeur précédent dans l'historique",
+ "openNextRecentlyUsedEditor": "Ouvrir l'éditeur suivant",
+ "openPreviousRecentlyUsedEditor": "Ouvrir l'éditeur précédent",
+ "openNextRecentlyUsedEditorInGroup": "Ouvrir l'éditeur suivant du groupe",
+ "openPreviousRecentlyUsedEditorInGroup": "Ouvrir l'éditeur précédent du groupe",
+ "clearEditorHistory": "Effacer l'historique de l'éditeur",
+ "moveEditorLeft": "Déplacer l'éditeur vers la gauche",
+ "moveEditorRight": "Déplacer l'éditeur vers la droite",
+ "moveEditorToPreviousGroup": "Déplacer l'éditeur vers le groupe précédent",
+ "moveEditorToNextGroup": "Déplacer l'éditeur vers le groupe suivant",
+ "moveEditorToAboveGroup": "Déplacer l'éditeur dans le groupe de dessus",
+ "moveEditorToBelowGroup": "Déplacer l'éditeur dans le groupe de dessous",
+ "moveEditorToLeftGroup": "Déplacer l'éditeur dans le groupe de gauche",
+ "moveEditorToRightGroup": "Déplacer l'éditeur dans le groupe de droite",
+ "moveEditorToFirstGroup": "Déplacer l'éditeur vers le premier groupe",
+ "moveEditorToLastGroup": "Déplacer l'éditeur dans le dernier groupe",
+ "editorLayoutSingle": "Disposition de l'éditeur sur une colonne",
+ "editorLayoutTwoColumns": "Disposition de l'éditeur sur deux colonnes",
+ "editorLayoutThreeColumns": "Disposition de l'éditeur sur trois colonnes",
+ "editorLayoutTwoRows": "Disposition de l'éditeur sur deux lignes",
+ "editorLayoutThreeRows": "Disposition de l'éditeur sur trois lignes",
+ "editorLayoutTwoByTwoGrid": "Disposition de l'éditeur en grille (2x2)",
+ "editorLayoutTwoColumnsBottom": "Disposition de l'éditeur sur deux colonnes en bas",
+ "editorLayoutTwoRowsRight": "Disposition d'éditeur avec deux lignes droite",
+ "newEditorLeft": "Nouveau groupe d'éditeurs à gauche",
+ "newEditorRight": "Nouveau groupe d'éditeurs à droite",
+ "newEditorAbove": "Nouveau groupe d'éditeurs au-dessus",
+ "newEditorBelow": "Nouveau groupe d'éditeurs en dessous",
+ "workbench.action.reopenWithEditor": "Rouvrir l'éditeur avec...",
+ "workbench.action.toggleEditorType": "Activer/désactiver le type d'éditeur"
+ },
+ "vs/workbench/browser/parts/editor/editorQuickAccess": {
+ "noViewResults": "Aucun éditeur correspondant",
+ "entryAriaLabelWithGroupDirty": "{0}, à l'intégrité compromise, {1}",
+ "entryAriaLabelWithGroup": "{0}, {1}",
+ "entryAriaLabelDirty": "{0}, intégrité compromise",
+ "closeEditor": "Fermer l'éditeur"
+ },
+ "vs/workbench/browser/parts/editor/binaryEditor": {
+ "binaryEditor": "Visionneuse binaire",
+ "nativeFileTooLargeError": "Le fichier n’est pas affiché dans l’éditeur, parce qu’il est trop volumineux ({0}).",
+ "nativeBinaryError": "Le fichier n’est pas affiché dans l’éditeur parce que c’est un fichier binaire ou qu'il utilise un encodage de texte non pris en charge.",
+ "openAsText": "Vous voulez l'ouvrir quand même ?"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsViewer": {
+ "executeCommand": "Cliquer pour exécuter la commande '{0}'",
+ "notificationActions": "Actions de notification",
+ "notificationSource": "Source : {0}"
+ },
+ "vs/workbench/browser/parts/editor/titleControl": {
+ "ariaLabelEditorActions": "Actions de l'éditeur",
+ "draggedEditorGroup": "{0} (+{1})"
+ },
+ "vs/workbench/browser/parts/editor/breadcrumbsControl": {
+ "cmd.toggle": "Basculer les barres de navigation",
+ "miShowBreadcrumbs": "Afficher la &&barre de navigation",
+ "cmd.focus": "Focus sur les barres de navigation"
+ },
+ "vs/workbench/browser/parts/editor/breadcrumbs": {
+ "title": "Navigation par fil d’Ariane",
+ "enabled": "Activez/désactivez les barres de navigation.",
+ "filepath": "Contrôle si et comment les chemins de fichiers sont affichés dans la vue de fil d'ariane.",
+ "filepath.on": "Afficher le chemin du fichier dans l’affichage de barres de navigation.",
+ "filepath.off": "Ne pas afficher le chemin du fichier dans la vue de barres de navigation.",
+ "filepath.last": "Afficher uniquement le dernier élément du chemin du fichier dans la vue de barres de navigation.",
+ "symbolpath": "Contrôle si et comment les symboles sont affichés dans la vue de fil d'ariane.",
+ "symbolpath.on": "Afficher tous les symboles dans l’affichage de barres de navigation",
+ "symbolpath.off": "Ne pas afficher de symboles dans la vue de barres de navigation.",
+ "symbolpath.last": "Afficher uniquement le symbole actuel dans la vue de barres de navigation.",
+ "symbolSortOrder": "Détermine le mode de tri des symboles dans la vue des barres de navigation.",
+ "symbolSortOrder.position": "Affichez la structure des symboles par position de fichier.",
+ "symbolSortOrder.name": "Affichez la structure des symboles par ordre alphabétique.",
+ "symbolSortOrder.type": "Affichez la structure des symboles par type de symbole.",
+ "icons": "Restituer les fils d'Ariane avec des icônes.",
+ "filteredTypes.file": "Si activé, les barres de navigation montrent des symboles de type 'file'.",
+ "filteredTypes.module": "Si activé, les barres de navigation montrent des symboles de type 'module'.",
+ "filteredTypes.namespace": "Si activé, les barres de navigation montrent des symboles de type 'namespace'.",
+ "filteredTypes.package": "Si activé, les barres de navigation montrent des symboles de type 'package'.",
+ "filteredTypes.class": "Si activé, les barres de navigation montrent des symboles de type 'class'.",
+ "filteredTypes.method": "Si activé, les barres de navigation montrent des symboles de type 'method'.",
+ "filteredTypes.property": "Si activé, les barres de navigation montrent des symboles de type 'property'.",
+ "filteredTypes.field": "Si activé, les barres de navigation montrent des symboles de type 'field'.",
+ "filteredTypes.constructor": "Si activé, les barres de navigation montrent des symboles de type 'constructor'.",
+ "filteredTypes.enum": "Si activé, les barres de navigation montrent des symboles de type 'enum'.",
+ "filteredTypes.interface": "Si activé, les barres de navigation montrent des symboles de type 'interface'.",
+ "filteredTypes.function": "Si activé, les barres de navigation montrent des symboles de type 'function'.",
+ "filteredTypes.variable": "Si activé, les barres de navigation montrent des symboles de type 'variable'.",
+ "filteredTypes.constant": "Si activé, les barres de navigation montrent des symboles de type 'constant'.",
+ "filteredTypes.string": "Si activé, les barres de navigation montrent des symboles de type 'string'.",
+ "filteredTypes.number": "Si activé, les barres de navigation montrent des symboles de type 'number'.",
+ "filteredTypes.boolean": "Si activé, les barres de navigation montrent des symboles de type 'boolean'.",
+ "filteredTypes.array": "Si activé, les barres de navigation montrent des symboles de type 'array'.",
+ "filteredTypes.object": "Si activé, les barres de navigation montrent des symboles de type 'object'.",
+ "filteredTypes.key": "Si activé, les barres de navigation montrent des symboles de type 'key'.",
+ "filteredTypes.null": "Si activé, les barres de navigation montrent des symboles de type 'null'.",
+ "filteredTypes.enumMember": "Si activé, les barres de navigation montrent des symboles de type 'enumMember'.",
+ "filteredTypes.struct": "Si activé, les barres de navigation montrent des symboles de type 'struct'.",
+ "filteredTypes.event": "Si activé, les barres de navigation montrent des symboles de type 'event'.",
+ "filteredTypes.operator": "Si activé, les barres de navigation montrent des symboles de type 'operator'.",
+ "filteredTypes.typeParameter": "Si activé, les barres de navigation montrent des symboles de type 'typeParameter'."
+ },
+ "vs/workbench/browser/parts/editor/breadcrumbsPicker": {
+ "breadcrumbs": "Barres de navigation"
+ },
+ "vs/workbench/contrib/backup/electron-sandbox/backupTracker": {
+ "backupTrackerBackupFailed": "Un ou plusieurs éditeurs dont l'intégrité est compromise n'ont pas pu être enregistrés dans l'emplacement de sauvegarde.",
+ "backupTrackerConfirmFailed": "Un ou plusieurs éditeurs dont l'intégrité est compromise n'ont pas pu être enregistrés ou restaurés.",
+ "ok": "OK",
+ "backupErrorDetails": "Essayez d'abord d'enregistrer ou de réinitialiser les éditeurs dont l'intégrité est compromise, puis réessayez."
+ },
+ "vs/workbench/contrib/bulkEdit/browser/bulkEditService": {
+ "summary.0": "Aucune modification",
+ "summary.nm": "{0} modifications de texte effectuées dans {1} fichiers",
+ "summary.n0": "{0} modifications de texte effectuées dans un fichier",
+ "workspaceEdit": "Modification de l'espace de travail",
+ "nothing": "Aucune modification"
+ },
+ "vs/workbench/contrib/bulkEdit/browser/preview/bulkEdit.contribution": {
+ "overlap": "Une autre refactorisation est en cours de prévisualisation.",
+ "cancel": "Annuler",
+ "continue": "Continuer",
+ "detail": "Appuyez sur 'Continuer' pour ignorer la refactorisation précédente et continuer avec la refactorisation actuelle.",
+ "apply": "Appliquer la refactorisation",
+ "cat": "Aperçu de la refactorisation",
+ "Discard": "Ignorer la refactorisation",
+ "toogleSelection": "Activer/désactiver l'option Changer",
+ "groupByFile": "Changements de groupe par fichier",
+ "groupByType": "Changements de groupe par type",
+ "refactorPreviewViewIcon": "Icône de vue de l'aperçu de la refactorisation.",
+ "panel": "Aperçu de la refactorisation"
+ },
+ "vs/workbench/contrib/bulkEdit/browser/preview/bulkEditPane": {
+ "empty.msg": "Appelez une action de code, par exemple, un renommage, pour voir un aperçu de ses changements ici.",
+ "conflict.1": "Impossible d'appliquer la refactorisation, car '{0}' a changé entre temps.",
+ "conflict.N": "Impossible d'appliquer la refactorisation parce que {0} autres fichiers ont changé entre-temps.",
+ "edt.title.del": "{0} (suppression, aperçu de refactorisation)",
+ "rename": "Renommer",
+ "create": "Créer",
+ "edt.title.2": "{0} ({1}, aperçu de la refactorisation)",
+ "edt.title.1": "{0} (aperçu de la refactorisation)"
+ },
+ "vs/workbench/contrib/bulkEdit/browser/preview/bulkEditPreview": {
+ "default": "Autre"
+ },
+ "vs/workbench/contrib/bulkEdit/browser/preview/bulkEditTree": {
+ "bulkEdit": "Modification en bloc",
+ "aria.renameAndEdit": "Renommage de {0} en {1} et modifications de texte",
+ "aria.createAndEdit": "Création de {0} et exécution de modifications de texte",
+ "aria.deleteAndEdit": "Suppression de {0} et exécutions de modifications de texte",
+ "aria.editOnly": "{0}, exécution de modifications de texte",
+ "aria.rename": "Changement du nom de {0} en {1}",
+ "aria.create": "Création de {0}",
+ "aria.delete": "Suppression de {0}",
+ "aria.replace": "ligne {0}, remplacement de {1} par {2}",
+ "aria.del": "ligne {0}, suppression de {1}",
+ "aria.insert": "ligne {0}, insertion de {1}",
+ "rename.label": "{0} → {1}",
+ "detail.rename": "(renommage)",
+ "detail.create": "(création)",
+ "detail.del": "(suppression)",
+ "title": "{0} - {1}"
+ },
+ "vs/workbench/contrib/callHierarchy/browser/callHierarchy.contribution": {
+ "no.item": "Aucun résultat",
+ "error": "L'affichage de la hiérarchie des appels a échoué",
+ "title": "Afficher un aperçu de la hiérarchie d'appels",
+ "title.incoming": "Afficher les appels entrants",
+ "showIncomingCallsIcons": "Icône des appels entrants dans la vue de la hiérarchie des appels.",
+ "title.outgoing": "Afficher les appels sortants",
+ "showOutgoingCallsIcon": "Icône des appels sortants dans la vue de la hiérarchie des appels.",
+ "title.refocus": "Replacer le focus sur la hiérarchie des appels",
+ "close": "Fermer"
+ },
+ "vs/workbench/contrib/callHierarchy/browser/callHierarchyPeek": {
+ "callFrom": "Appelle à partir de '{0}'",
+ "callsTo": "Appelants de '{0}'",
+ "title.loading": "Chargement en cours...",
+ "empt.callsFrom": "Aucun appel de '{0}'",
+ "empt.callsTo": "Pas d'appelant de '{0}'"
+ },
+ "vs/workbench/contrib/callHierarchy/browser/callHierarchyTree": {
+ "tree.aria": "Hiérarchie d'appels",
+ "from": "appels de {0}",
+ "to": "appelants de {0}"
+ },
+ "vs/workbench/contrib/cli/node/cli.contribution": {
+ "shellCommand": "Commande d'interpréteur de commandes",
+ "install": "Installer la commande '{0}' dans PATH",
+ "not available": "Cette commande n'est pas disponible",
+ "ok": "OK",
+ "cancel2": "Annuler",
+ "warnEscalation": "Code va maintenant demander avec 'osascript' des privilèges d'administrateur pour installer la commande d'interpréteur de commandes.",
+ "cantCreateBinFolder": "Impossible de créer '/usr/local/bin'.",
+ "aborted": "Abandonné",
+ "successIn": "La commande d'interpréteur de commandes '{0}' a été correctement installée dans PATH.",
+ "uninstall": "Désinstaller la commande '{0}' de PATH",
+ "warnEscalationUninstall": "Code va maintenant demander avec 'osascript' des privilèges d'administrateur pour désinstaller la commande shell.",
+ "cantUninstall": "Impossible de désinstaller la commande shell '{0}'.",
+ "successFrom": "La commande d'interpréteur de commandes '{0}' a été correctement désinstallée à partir de PATH."
+ },
+ "vs/workbench/contrib/codeActions/common/codeActionsContribution": {
+ "codeActionsOnSave.fixAll": "Contrôle si l'action de correction automatique doit être exécutée à l'enregistrement du fichier.",
+ "codeActionsOnSave": "Types d'action de code à exécuter à l'enregistrement.",
+ "codeActionsOnSave.generic": "Contrôle si des actions '{0}' doivent être exécutées à l'enregistrement de fichier."
+ },
+ "vs/workbench/contrib/codeActions/common/codeActionsExtensionPoint": {
+ "contributes.codeActions": "Configurez l'éditeur à utiliser pour une ressource.",
+ "contributes.codeActions.languages": "Modes de langage pour lesquels les actions de code sont activées.",
+ "contributes.codeActions.kind": "'CodeActionKind' de l'action de code objet de la contribution.",
+ "contributes.codeActions.title": "Étiquette de l'action de code utilisée dans l'interface utilisateur.",
+ "contributes.codeActions.description": "Description du rôle de l'action de code."
+ },
+ "vs/workbench/contrib/codeActions/common/documentationExtensionPoint": {
+ "contributes.documentation": "Documentation fournie.",
+ "contributes.documentation.refactorings": "Documentation fournie pour les refactorisations.",
+ "contributes.documentation.refactoring": "Documentation fournie pour la refactorisation.",
+ "contributes.documentation.refactoring.title": "Étiquette pour la documentation utilisée dans l'interface utilisateur.",
+ "contributes.documentation.refactoring.when": "Quand il s'agit d'une clause.",
+ "contributes.documentation.refactoring.command": "Commande exécutée."
+ },
+ "vs/workbench/contrib/codeEditor/electron-browser/startDebugTextMate": {
+ "startDebugTextMate": "Démarrer la journalisation de la grammaire de la syntaxe TextMate"
+ },
+ "vs/workbench/contrib/codeEditor/electron-sandbox/selectionClipboard": {
+ "actions.pasteSelectionClipboard": "Coller la sélection du Presse-papiers"
+ },
+ "vs/workbench/contrib/codeEditor/browser/languageConfigurationExtensionPoint": {
+ "parseErrors": "Erreurs durant l'analyse de {0} : {1}",
+ "formatError": "{0} : format non valide, objet JSON attendu.",
+ "schema.openBracket": "Séquence de chaînes ou de caractères de crochets ouvrants.",
+ "schema.closeBracket": "Séquence de chaînes ou de caractères de crochets fermants.",
+ "schema.comments": "Définit les symboles de commentaire",
+ "schema.blockComments": "Définit le marquage des commentaires de bloc.",
+ "schema.blockComment.begin": "Séquence de caractères au début d'un commentaire de bloc.",
+ "schema.blockComment.end": "Séquence de caractères à la fin d'un commentaire de bloc.",
+ "schema.lineComment": "Séquence de caractères au début d'un commentaire de ligne.",
+ "schema.brackets": "Définit les symboles de type crochet qui augmentent ou diminuent le retrait.",
+ "schema.autoClosingPairs": "Définit les paires de crochets. Quand vous entrez un crochet ouvrant, le crochet fermant est inséré automatiquement.",
+ "schema.autoClosingPairs.notIn": "Définit une liste d'étendues où les paires automatiques sont désactivées.",
+ "schema.autoCloseBefore": "Définit quels caractères doivent être après le curseur pour que la fermeture automatique de parenthèses ou de guillemets se produise lorsque vous utilisez le paramètre de fermeture automatique 'languageDefined'. Il s’agit généralement de l’ensemble des caractères qui ne peuvent pas commencer une expression.",
+ "schema.surroundingPairs": "Définit les paires de crochets qui peuvent être utilisées pour entourer la chaîne sélectionnée.",
+ "schema.wordPattern": "Définit ce qui est considéré comme un mot dans le langage de programmation.",
+ "schema.wordPattern.pattern": "L'expression régulière utilisée pour la recherche",
+ "schema.wordPattern.flags": "Les options d'expression régulière utilisées pour la recherche",
+ "schema.wordPattern.flags.errorMessage": "Doit valider l'expression régulière `/^([gimuy]+)$/`.",
+ "schema.indentationRules": "Paramètres de mise en retrait du langage.",
+ "schema.indentationRules.increaseIndentPattern": "Si une ligne correspond à ce modèle, toutes les lignes qui la suivent doivent être mises en retrait une fois (jusqu'à ce qu'une autre règle corresponde).",
+ "schema.indentationRules.increaseIndentPattern.pattern": "Modèle RegExp pour increaseIndentPattern.",
+ "schema.indentationRules.increaseIndentPattern.flags": "Indicateurs RegExp pour increaseIndentPattern.",
+ "schema.indentationRules.increaseIndentPattern.errorMessage": "Doit valider l'expression régulière `/^([gimuy]+)$/`.",
+ "schema.indentationRules.decreaseIndentPattern": "Si une ligne correspond à ce modèle, vous devez annuler une fois le retrait de toutes les lignes qui la suivent (jusqu'à ce qu'une autre règle corresponde).",
+ "schema.indentationRules.decreaseIndentPattern.pattern": "Modèle RegExp pour decreaseIndentPattern.",
+ "schema.indentationRules.decreaseIndentPattern.flags": "Indicateurs RegExp pour decreaseIndentPattern.",
+ "schema.indentationRules.decreaseIndentPattern.errorMessage": "Doit valider l'expression régulière `/^([gimuy]+)$/`.",
+ "schema.indentationRules.indentNextLinePattern": "Si une ligne correspond à ce modèle, **seule la ligne suivante** doit être mise en retrait une fois.",
+ "schema.indentationRules.indentNextLinePattern.pattern": "Modèle RegExp pour indentNextLinePattern.",
+ "schema.indentationRules.indentNextLinePattern.flags": "Indicateurs RegExp pour indentNextLinePattern.",
+ "schema.indentationRules.indentNextLinePattern.errorMessage": "Doit valider l'expression régulière `/^([gimuy]+)$/`.",
+ "schema.indentationRules.unIndentedLinePattern": "Si une ligne correspond à ce modèle, sa mise en retrait ne doit pas être changée et la ligne ne doit pas être évaluée par rapport aux autres règles.",
+ "schema.indentationRules.unIndentedLinePattern.pattern": "Modèle RegExp pour unIndentedLinePattern.",
+ "schema.indentationRules.unIndentedLinePattern.flags": "Indicateurs RegExp pour unIndentedLinePattern.",
+ "schema.indentationRules.unIndentedLinePattern.errorMessage": "Doit valider l'expression régulière `/^([gimuy]+)$/`.",
+ "schema.folding": "Paramètres de repliage du langage.",
+ "schema.folding.offSide": "Un langage adhère à la règle du hors-champ si les blocs dans ce langage sont exprimés par leur indentation. Si spécifié, les lignes vides appartiennent au bloc suivant.",
+ "schema.folding.markers": "Les marqueurs de langage spécifiques de repliage tels que '#region' et '#endregion'. Les regex de début et la fin seront testés sur le contenu de toutes les lignes et doivent être conçues de manière efficace.",
+ "schema.folding.markers.start": "Le modèle de RegExp pour le marqueur de début. L’expression régulière doit commencer par '^'.",
+ "schema.folding.markers.end": "Le modèle de RegExp pour le marqueur de fin. L’expression régulière doit commencer par '^'."
+ },
+ "vs/workbench/contrib/codeEditor/browser/quickaccess/gotoSymbolQuickAccess": {
+ "empty": "Aucune entrée correspondante",
+ "gotoSymbolQuickAccessPlaceholder": "Tapez le nom d’un symbole auquel accéder.",
+ "gotoSymbolQuickAccess": "Accéder au symbole dans l'éditeur",
+ "gotoSymbolByCategoryQuickAccess": "Accéder au symbole dans l'éditeur par catégorie",
+ "gotoSymbol": "Accéder au symbole dans l'éditeur..."
+ },
+ "vs/workbench/contrib/codeEditor/browser/accessibility/accessibility": {
+ "emergencyConfOn": "Définition du paramètre 'editor.accessibilitySupport' sur 'activé'.",
+ "openingDocs": "Ouverture de la page de documentation sur l'accessibilité dans VS Code.",
+ "introMsg": "Nous vous remercions de tester les options d'accessibilité de VS Code.",
+ "status": "État :",
+ "changeConfigToOnMac": "Pour configurer l'éditeur de sorte qu'il soit optimisé en permanence pour une utilisation avec un lecteur d'écran, appuyez sur Commande+E.",
+ "changeConfigToOnWinLinux": "Pour configurer l'éditeur de sorte qu'il soit optimisé en permanence pour une utilisation avec un lecteur d'écran, appuyez sur Ctrl+E.",
+ "auto_unknown": "L'éditeur est configuré pour utiliser les API de la plateforme afin de détecter si un lecteur d'écran est attaché, mais le runtime actuel ne prend pas en charge cette configuration.",
+ "auto_on": "L'éditeur a automatiquement détecté qu'un lecteur d'écran est attaché.",
+ "auto_off": "L'éditeur est configuré pour détecter automatiquement si un lecteur d'écran est attaché, ce qui n'est pas le cas pour le moment.",
+ "configuredOn": "L'éditeur est configuré de sorte qu'il soit optimisé en permanence pour une utilisation avec un lecteur d'écran. Vous pouvez changer ce comportement en modifiant le paramètre 'editor.accessibilitySupport'.",
+ "configuredOff": "L'éditeur est configuré de sorte à ne jamais être optimisé pour une utilisation avec un lecteur d'écran.",
+ "tabFocusModeOnMsg": "Appuyez sur Tab dans l'éditeur pour déplacer le focus vers le prochain élément pouvant être désigné comme élément actif. Activez ou désactivez ce comportement en appuyant sur {0}.",
+ "tabFocusModeOnMsgNoKb": "Appuyez sur Tab dans l'éditeur pour déplacer le focus vers le prochain élément pouvant être désigné comme élément actif. La commande {0} ne peut pas être déclenchée par une combinaison de touches.",
+ "tabFocusModeOffMsg": "Appuyez sur Tab dans l'éditeur pour insérer le caractère de tabulation. Activez ou désactivez ce comportement en appuyant sur {0}.",
+ "tabFocusModeOffMsgNoKb": "Appuyez sur Tab dans l'éditeur pour insérer le caractère de tabulation. La commande {0} ne peut pas être déclenchée par une combinaison de touches.",
+ "openDocMac": "Appuyez sur Commande+H pour ouvrir une fenêtre de navigateur contenant plus d'informations sur l'accessibilité dans VS Code.",
+ "openDocWinLinux": "Appuyez sur Ctrl+H pour ouvrir une fenêtre de navigateur contenant plus d'informations sur l'accessibilité dans VS Code.",
+ "outroMsg": "Vous pouvez masquer cette info-bulle et revenir à l'éditeur en appuyant sur Échap ou Maj+Échap.",
+ "ShowAccessibilityHelpAction": "Afficher l'aide sur l'accessibilité"
+ },
+ "vs/workbench/contrib/codeEditor/browser/diffEditorHelper": {
+ "hintTimeout": "L'algorithme diff a été arrêté tôt (au bout de {0} ms.)",
+ "removeTimeout": "Supprimer la limite",
+ "hintWhitespace": "Afficher les différences d'espace blanc"
+ },
+ "vs/workbench/contrib/codeEditor/browser/inspectKeybindings": {
+ "workbench.action.inspectKeyMap": "Développeur : Inspecter les mappages de touches",
+ "workbench.action.inspectKeyMapJSON": "Inspecter les mappages de touches (JSON)"
+ },
+ "vs/workbench/contrib/codeEditor/browser/largeFileOptimizations": {
+ "largeFile": "{0} : la tokenisation, l'entourage et le repliage ont été désactivés pour ce gros fichier afin de réduire l’utilisation de la mémoire et éviter de se figer ou de crasher.",
+ "removeOptimizations": "Activer les fonctionnalités en forçant",
+ "reopenFilePrompt": "Veuillez rouvrir le dossier pour que ce paramètre soit effectif."
+ },
+ "vs/workbench/contrib/codeEditor/browser/inspectEditorTokens/inspectEditorTokens": {
+ "inspectEditorTokens": "Développeur : Inspecter les jetons et les étendues d'éditeur",
+ "inspectTMScopesWidget.loading": "Chargement en cours..."
+ },
+ "vs/workbench/contrib/codeEditor/browser/quickaccess/gotoLineQuickAccess": {
+ "gotoLineQuickAccessPlaceholder": "Tapez le numéro de ligne et la colonne (facultative) auxquelles accéder (par ex., 42:5 pour la ligne 42 et la colonne 5).",
+ "gotoLineQuickAccess": "Accéder à la ligne/colonne",
+ "gotoLine": "Accéder à la ligne/colonne..."
+ },
+ "vs/workbench/contrib/codeEditor/browser/saveParticipants": {
+ "formatting": "Exécution du formateur '{0}' ([configurer](command:workbench.action.openSettings?%5B%22editor.formatOnSave%22%5D)).",
+ "codeaction": "Correctifs rapides",
+ "codeaction.get": "Obtention d'actions de code de '{0}' ([configure](command:workbench.action.openSettings?%5B%22editor.codeActionsOnSave%22%5D)).",
+ "codeAction.apply": "Application de l'action de code '{0}'."
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleColumnSelection": {
+ "toggleColumnSelection": "Activer/désactiver le mode de sélection de colonne",
+ "miColumnSelection": "Mode de &&sélection de colonne"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleMinimap": {
+ "toggleMinimap": "Activer/désactiver le minimap",
+ "miShowMinimap": "Afficher la &&minimap"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleMultiCursorModifier": {
+ "toggleLocation": "Changer le modificateur multicurseur",
+ "miMultiCursorAlt": "Utiliser Alt+Clic pour l'option multicurseur",
+ "miMultiCursorCmd": "Utiliser Cmd+Clic pour l'option multicurseur",
+ "miMultiCursorCtrl": "Utiliser Ctrl+Clic pour l'option multicurseur"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleRenderControlCharacter": {
+ "toggleRenderControlCharacters": "Activer/désactiver les caractères de contrôle",
+ "miToggleRenderControlCharacters": "Afficher les &&caractères de contrôle"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleRenderWhitespace": {
+ "toggleRenderWhitespace": "Activer/désactiver Restituer l'espace",
+ "miToggleRenderWhitespace": "Afficher les espaces &&blancs"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleWordWrap": {
+ "toggle.wordwrap": "Afficher : activer/désactiver le retour automatique à la ligne",
+ "unwrapMinified": "Désactiver le retour automatique à la ligne pour ce fichier",
+ "wrapMinified": "Activer le retour à la ligne pour ce fichier",
+ "miToggleWordWrap": "Activer/désactiver le &&retour automatique à la ligne"
+ },
+ "vs/workbench/contrib/codeEditor/browser/find/simpleFindWidget": {
+ "label.find": "Rechercher",
+ "placeholder.find": "Rechercher",
+ "label.previousMatchButton": "Correspondance précédente",
+ "label.nextMatchButton": "Correspondance suivante",
+ "label.closeButton": "Fermer"
+ },
+ "vs/workbench/contrib/codeEditor/browser/find/simpleFindReplaceWidget": {
+ "label.find": "Rechercher",
+ "placeholder.find": "Rechercher",
+ "label.previousMatchButton": "Correspondance précédente",
+ "label.nextMatchButton": "Correspondance suivante",
+ "label.closeButton": "Fermer",
+ "label.toggleReplaceButton": "Changer le mode de remplacement",
+ "label.replace": "Remplacer",
+ "placeholder.replace": "Remplacer",
+ "label.replaceButton": "Remplacer",
+ "label.replaceAllButton": "Tout remplacer"
+ },
+ "vs/workbench/contrib/comments/browser/comments.contribution": {
+ "commentsConfigurationTitle": "Commentaires",
+ "openComments": "Contrôle quand le panneau des composants doit s'ouvrir."
+ },
+ "vs/workbench/contrib/comments/browser/commentsEditorContribution": {
+ "pickCommentService": "Sélectionner un fournisseur de commentaires",
+ "nextCommentThreadAction": "Aller au thread de commentaires suivant"
+ },
+ "vs/workbench/contrib/comments/browser/commentsView": {
+ "collapseAll": "Réduire tout",
+ "rootCommentsLabel": "Commentaires pour l'espace de travail actuel",
+ "resourceWithCommentThreadsLabel": "Commentaires dans {0}, chemin complet : {1}",
+ "resourceWithCommentLabel": "Commentaire de ${0} à la ligne {1}, colonne {2} dans {3}, source : {4}"
+ },
+ "vs/workbench/contrib/comments/browser/commentsTreeViewer": {
+ "imageWithLabel": "Image : {0}",
+ "image": "Image"
+ },
+ "vs/workbench/contrib/comments/browser/commentGlyphWidget": {
+ "editorGutterCommentRangeForeground": "Couleur de décoration de gouttière d'éditeur pour commenter des plages."
+ },
+ "vs/workbench/contrib/comments/browser/commentThreadWidget": {
+ "collapseIcon": "Icône permettant de réduire un commentaire de revue.",
+ "label.collapse": "Réduire",
+ "startThread": "Démarrer la discussion",
+ "reply": "Répondre ...",
+ "newComment": "Taper un nouveau commentaire"
+ },
+ "vs/workbench/contrib/comments/common/commentModel": {
+ "noComments": "Il n'existe pas encore de commentaires dans cet espace de travail."
+ },
+ "vs/workbench/contrib/comments/browser/commentNode": {
+ "commentToggleReaction": "Activer/désactiver la réaction",
+ "commentToggleReactionError": "L'activation/la désactivation de la réaction de commentaire a échoué : {0}.",
+ "commentToggleReactionDefaultError": "L'activation/la désactivation de la réaction de commentaire a échoué",
+ "commentDeleteReactionError": "La suppression de la réaction de commentaire a échoué : {0}.",
+ "commentDeleteReactionDefaultError": "La suppression de la réaction de commentaire a échoué",
+ "commentAddReactionError": "La suppression de la réaction de commentaire a échoué : {0}.",
+ "commentAddReactionDefaultError": "La suppression de la réaction de commentaire a échoué"
+ },
+ "vs/workbench/contrib/comments/browser/reactionsAction": {
+ "pickReactions": "Choisir des réactions..."
+ },
+ "vs/workbench/contrib/customEditor/browser/customEditors": {
+ "openWithCurrentlyActive": "Actuellement actif",
+ "promptOpenWith.setDefaultTooltip": "Définir comme éditeur par défaut pour les fichiers '{0}'",
+ "promptOpenWith.placeHolder": "Sélectionnez l'éditeur à utiliser pour '{0}'..."
+ },
+ "vs/workbench/contrib/customEditor/common/contributedCustomEditors": {
+ "builtinProviderDisplayName": "Intégré",
+ "promptOpenWith.defaultEditor.displayName": "Éditeur de texte"
+ },
+ "vs/workbench/contrib/customEditor/common/extensionPoint": {
+ "contributes.customEditors": "Éditeurs personnalisés faisant l'objet d'une contribution.",
+ "contributes.viewType": "Identificateur de l'éditeur personnalisé. Il doit être unique parmi tous les éditeurs personnalisés, nous vous recommandons donc d'inclure votre ID d'extension dans le cadre de 'viewType'. Le 'viewType' est utilisé durant l'inscription des éditeurs personnalisés à l'aide de 'vscode.registerCustomEditorProvider' et dans l'[événement d'activation](https://code.visualstudio.com/api/references/activation-events) 'onCustomEditor:${id}'.",
+ "contributes.displayName": "Nom lisible par l'homme de l'éditeur personnalisé. Ceci s'affiche quand les utilisateurs sélectionnent l'éditeur à utiliser.",
+ "contributes.selector": "Ensemble de modèles Glob pour lesquels l'éditeur personnalisé est activé.",
+ "contributes.selector.filenamePattern": "Modèle Glob pour lequel l'éditeur personnalisé est activé.",
+ "contributes.priority": "Détermine si l'éditeur personnalisé est activé automatiquement quand l'utilisateur ouvre un fichier. Ce comportement peut être remplacé par les utilisateurs via le paramètre 'workbench.editorAssociations'.",
+ "contributes.priority.default": "L'éditeur est automatiquement utilisé quand l'utilisateur ouvre une ressource, à condition qu'aucun autre éditeur personnalisé par défaut ne soit inscrit pour cette ressource.",
+ "contributes.priority.option": "L'éditeur n'est pas automatiquement utilisé quand l'utilisateur ouvre une ressource, mais l'utilisateur peut passer à l'éditeur à l'aide de la commande Rouvrir avec."
+ },
+ "vs/workbench/contrib/debug/common/debug": {
+ "internalConsoleOptions": "Contrôle le moment où la console de débogage interne doit s’ouvrir."
+ },
+ "vs/workbench/contrib/debug/browser/debug.contribution": {
+ "debugCategory": "Déboguer",
+ "runCategory": "Exécuter",
+ "startDebugPlaceholder": "Tapez le nom d'une configuration de lancement à exécuter.",
+ "startDebuggingHelp": "Démarrer le débogage",
+ "terminateThread": "Terminer le thread",
+ "debugFocusConsole": "Mettre le focus sur la vue de la Console de débogage",
+ "jumpToCursor": "Aller au curseur",
+ "SetNextStatement": "Définir la prochaine instruction",
+ "inlineBreakpoint": "Point d'arrêt inline",
+ "stepBackDebug": "Revenir en arrière",
+ "reverseContinue": "Inverser",
+ "restartFrame": "Redémarrer le frame",
+ "copyStackTrace": "Copier la pile des appels",
+ "setValue": "Définir la valeur",
+ "copyValue": "Copier la valeur",
+ "copyAsExpression": "Copier en tant qu'Expression",
+ "addToWatchExpressions": "Ajouter à la fenêtre Espion",
+ "breakWhenValueChanges": "Arrêter quand la valeur change",
+ "miViewRun": "&&Exécuter",
+ "miToggleDebugConsole": "Console de dé&&bogage",
+ "miStartDebugging": "&&Démarrer le débogage",
+ "miRun": "Exécuter &&sans débogage",
+ "miStopDebugging": "&&Arrêter le débogage",
+ "miRestart Debugging": "&&Redémarrer le débogage",
+ "miOpenConfigurations": "Ouvrir les &&configurations",
+ "miAddConfiguration": "A&&jouter une configuration...",
+ "miStepOver": "Effect&&uer un pas à pas principal",
+ "miStepInto": "Effectuer un pas à pas déta&&illé",
+ "miStepOut": "Effectuer un pas à pas s&&ortant",
+ "miContinue": "&&Continuer",
+ "miToggleBreakpoint": "Activer/désactiver le poi&&nt d'arrêt",
+ "miConditionalBreakpoint": "Point d'arrêt &&conditionnel...",
+ "miInlineBreakpoint": "P&&oint d'arrêt inline",
+ "miFunctionBreakpoint": "Point d'arrêt sur &&fonction...",
+ "miLogPoint": "&&Logpoint...",
+ "miNewBreakpoint": "&&Nouveau point d'arrêt",
+ "miEnableAllBreakpoints": "&&Activer tous les points d'arrêt",
+ "miDisableAllBreakpoints": "Désacti&&ver tous les points d'arrêt",
+ "miRemoveAllBreakpoints": "Supprimer t&&ous les points d'arrêt",
+ "miInstallAdditionalDebuggers": "&&Installer des débogueurs supplémentaires...",
+ "debugPanel": "Console de débogage",
+ "run": "Exécuter",
+ "variables": "Variables",
+ "watch": "Espion",
+ "callStack": "Pile des appels",
+ "breakpoints": "Points d'arrêt",
+ "loadedScripts": "Scripts Chargés",
+ "debugConfigurationTitle": "Déboguer",
+ "allowBreakpointsEverywhere": "Permettre de définir des points d’arrêt dans n’importe quel fichier.",
+ "openExplorerOnEnd": "Ouvre automatiquement la vue Explorateur à la fin d'une session de débogage.",
+ "inlineValues": "Afficher les valeurs des variables inline dans l'éditeur pendant le débogage.",
+ "toolBarLocation": "Contrôle l'emplacement de la barre d'outils de débogage. Les options sont 'floating' dans toutes les vues, 'docked' dans la vue de débogage ou 'hidden'.",
+ "never": "Ne jamais afficher debug dans la barre d'état",
+ "always": "Toujours afficher debug dans la barre d’état",
+ "onFirstSessionStart": "Afficher debug dans seule la barre d’état après que le débogage a été lancé pour la première fois",
+ "showInStatusBar": "Contrôle le moment où la barre d’état de débogage doit être visible.",
+ "debug.console.closeOnEnd": "Contrôle s'il faut fermer automatiquement la console de débogage à la fin de la session de débogage.",
+ "openDebug": "Contrôle le moment où la vue de débogage doit s’ouvrir.",
+ "showSubSessionsInToolBar": "Contrôle si les sous-sessions de débogage sont affichées dans la barre d'outils de débogage. Quand ce paramètre a la valeur false, la commande stop sur une sous-session arrête également la session parente.",
+ "debug.console.fontSize": "Contrôle la taille de police en pixels dans la console de débogage.",
+ "debug.console.fontFamily": "Contrôle la famille de polices dans la console de débogage.",
+ "debug.console.lineHeight": "Contrôle la hauteur de ligne en pixels dans la console de débogage. Utilisez 0 pour calculer la hauteur de ligne à partir de la taille de police.",
+ "debug.console.wordWrap": "Contrôle si le retour automatique à la ligne est activé dans la console de débogage.",
+ "debug.console.historySuggestions": "Contrôle si la console de débogage doit suggérer une entrée déjà tapée.",
+ "launch": "Configuration de lancement du débogage global. Doit être utilisée à la place de 'launch.json' qui est partagé entre les espaces de travail.",
+ "debug.focusWindowOnBreak": "Contrôle si la fenêtre Workbench doit être ciblée lorsque le débogueur s'arrête.",
+ "debugAnyway": "Ignorer les erreurs de tâche et démarrer le débogage.",
+ "showErrors": "Afficher la vue Problèmes et ne pas démarrer le débogage.",
+ "prompt": "Demandez à l'utilisateur.",
+ "cancel": "Annuler le débogage.",
+ "debug.onTaskErrors": "Contrôle ce qu'il faut faire en cas d'erreurs après l'exécution d'une tâche de prélancement.",
+ "showBreakpointsInOverviewRuler": "Contrôle si les points d'arrêt doivent être affichés dans la règle d'aperçu.",
+ "showInlineBreakpointCandidates": "Contrôle si les décorations de candidat des points d'arrêt inline doivent être affichées dans l'éditeur pendant le débogage."
+ },
+ "vs/workbench/contrib/debug/browser/debugEditorContribution": {
+ "addConfiguration": "Ajouter une configuration..."
+ },
+ "vs/workbench/contrib/debug/browser/breakpointEditorContribution": {
+ "logPoint": "Logpoint",
+ "breakpoint": "Point d'arrêt",
+ "breakpointHasConditionDisabled": "Ce {0} a un {1} qui sera perdu en cas de suppression. Activez le {0} à la place.",
+ "message": "message",
+ "condition": "condition",
+ "breakpointHasConditionEnabled": "Ce {0} a un {1} qui sera perdu en cas de suppression. Désactivez le {0} à la place.",
+ "removeLogPoint": "Supprimer {0}",
+ "disableLogPoint": "{0} {1}",
+ "disable": "Désactiver",
+ "enable": "Activer",
+ "cancel": "Annuler",
+ "removeBreakpoint": "Supprimer {0}",
+ "editBreakpoint": "Modifier {0}...",
+ "disableBreakpoint": "Désactiver {0}",
+ "enableBreakpoint": "Activer {0}",
+ "removeBreakpoints": "Supprimer les points d'arrêt",
+ "removeInlineBreakpointOnColumn": "Supprimer le point d’arrêt Inline sur la colonne {0}",
+ "removeLineBreakpoint": "Supprimer le point d'arrêt de la ligne",
+ "editBreakpoints": "Modifier les points d'arrêt",
+ "editInlineBreakpointOnColumn": "Modifier le point d’arrêt Inline sur la colonne {0}",
+ "editLineBrekapoint": "Modifier le point d'arrêt de la ligne",
+ "enableDisableBreakpoints": "Activer/désactiver les points d'arrêt",
+ "disableInlineColumnBreakpoint": "Désactiver le point d’arrêt Inline sur la colonne {0}",
+ "disableBreakpointOnLine": "Désactiver le point d'arrêt de la ligne",
+ "enableBreakpoints": "Activer le point d’arrêt Inline sur la colonne {0}",
+ "enableBreakpointOnLine": "Activer le point d'arrêt de la ligne",
+ "addBreakpoint": "Ajouter un point d'arrêt",
+ "addConditionalBreakpoint": "Ajouter un point d'arrêt conditionnel...",
+ "addLogPoint": "Ajouter un point de journalisation...",
+ "debugIcon.breakpointForeground": "Couleur d'icône des points d'arrêt.",
+ "debugIcon.breakpointDisabledForeground": "Couleur d'icône des points d'arrêt désactivés.",
+ "debugIcon.breakpointUnverifiedForeground": "Couleur d'icône des points d'arrêt non vérifiés.",
+ "debugIcon.breakpointCurrentStackframeForeground": "Couleur d'icône du cadre actuel de la pile de points d'arrêt.",
+ "debugIcon.breakpointStackframeForeground": "Couleur d'icône de tous les cadres de pile de points d'arrêt."
+ },
+ "vs/workbench/contrib/debug/browser/callStackEditorContribution": {
+ "topStackFrameLineHighlight": "Couleur d'arrière-plan de la mise en surbrillance de la ligne au niveau du frame de pile le plus haut.",
+ "focusedStackFrameLineHighlight": "Couleur d'arrière-plan de la mise en surbrillance de la ligne au niveau du frame de pile qui a le focus."
+ },
+ "vs/workbench/contrib/debug/browser/repl": {
+ "workbench.debug.filter.placeholder": "Filtre (exemple : text, !exclude)",
+ "debugConsole": "Console de débogage",
+ "copy": "Copier",
+ "copyAll": "Copier tout",
+ "paste": "Coller",
+ "collapse": "Réduire tout",
+ "startDebugFirst": "Démarrez une session de débogage pour évaluer les expressions",
+ "actions.repl.acceptInput": "Accepter l'entrée REPL",
+ "repl.action.filter": "Contenu du focus REPL à filtrer",
+ "actions.repl.copyAll": "Débogage : Tout copier (console)",
+ "selectRepl": "Sélectionner la console de débogage",
+ "clearRepl": "Effacer la console",
+ "debugConsoleCleared": "La console de débogage a été effacée"
+ },
+ "vs/workbench/contrib/debug/browser/debugViewlet": {
+ "startAdditionalSession": "Démarrer une session supplémentaire",
+ "toggleDebugPanel": "Console de débogage",
+ "toggleDebugViewlet": "Afficher Exécuter et déboguer"
+ },
+ "vs/workbench/contrib/debug/common/abstractDebugAdapter": {
+ "timeout": "Expiration après {0} ms pour '{1}'"
+ },
+ "vs/workbench/contrib/debug/browser/breakpointsView": {
+ "editCondition": "Modifier la condition",
+ "Logpoint": "Logpoint",
+ "Breakpoint": "Point d'arrêt",
+ "editBreakpoint": "Modifier {0}...",
+ "removeBreakpoint": "Supprimer {0}",
+ "expressionCondition": "Condition d'expression : {0}",
+ "functionBreakpointsNotSupported": "Les points d'arrêt de fonction ne sont pas pris en charge par ce type de débogage",
+ "dataBreakpointsNotSupported": "Les points d'interruption de données ne sont pas pris en charge par ce type de débogage",
+ "functionBreakpointPlaceholder": "Fonction où effectuer un point d'arrêt",
+ "functionBreakPointInputAriaLabel": "Point d'arrêt sur fonction de type",
+ "exceptionBreakpointPlaceholder": "Arrêter quand l'expression a la valeur true",
+ "exceptionBreakpointAriaLabel": "Taper la condition de point d'arrêt d'exception",
+ "breakpoints": "Points d'arrêt",
+ "disabledLogpoint": "Point de journalisation désactivé",
+ "disabledBreakpoint": "Point d'arrêt désactivé",
+ "unverifiedLogpoint": "Point de journalisation non vérifié",
+ "unverifiedBreakopint": "Point d'arrêt non vérifié",
+ "functionBreakpointUnsupported": "Les points d'arrêt de fonction ne sont pas pris en charge par ce type de débogage",
+ "functionBreakpoint": "Point d'arrêt de la fonction",
+ "dataBreakpointUnsupported": "Les points d'interruption de données ne sont pas pris en charge par ce type de débogage",
+ "dataBreakpoint": "Point d'arrêt des données",
+ "breakpointUnsupported": "Les points d'arrêt de ce type ne sont pas pris en charge par le débogueur",
+ "logMessage": "Message du journal : {0}",
+ "expression": "Condition d'expression : {0}",
+ "hitCount": "Nombre d'accès : {0}",
+ "breakpoint": "Point d'arrêt"
+ },
+ "vs/workbench/contrib/debug/browser/callStackView": {
+ "running": "En cours d'exécution",
+ "showMoreStackFrames2": "Afficher plus de frames de pile",
+ "session": "Session",
+ "thread": "Thread",
+ "restartFrame": "Redémarrer le frame",
+ "loadAllStackFrames": "Charger tous les frames de pile",
+ "showMoreAndOrigin": "Afficher {0} éléments supplémentaires : {1}",
+ "showMoreStackFrames": "Afficher {0} frames de pile supplémentaires",
+ "callStackAriaLabel": "Déboguer la pile des appels",
+ "threadAriaLabel": "Thread {0} {1}",
+ "stackFrameAriaLabel": "Frame de pile {0}, ligne {1}, {2}",
+ "sessionLabel": "Session {0} {1}"
+ },
+ "vs/workbench/contrib/debug/browser/debugActions": {
+ "openLaunchJson": "Ouvrir {0}",
+ "launchJsonNeedsConfigurtion": "Configurer ou corriger 'launch.json'",
+ "noFolderDebugConfig": "Ouvrez d'abord un dossier pour effectuer une configuration de débogage avancée.",
+ "selectWorkspaceFolder": "Sélectionner un dossier d'espace de travail pour y créer un fichier launch.json, ou ajouter ce dernier au fichier config de l'espace de travail",
+ "startDebug": "Démarrer le débogage",
+ "startWithoutDebugging": "Exécuter sans débogage",
+ "selectAndStartDebugging": "Sélectionner et démarrer le débogage",
+ "removeBreakpoint": "Supprimer le point d'arrêt",
+ "removeAllBreakpoints": "Supprimer tous les points d'arrêt",
+ "enableAllBreakpoints": "Activer tous les points d'arrêt",
+ "disableAllBreakpoints": "Désactiver tous les points d'arrêt",
+ "activateBreakpoints": "Activer les points d'arrêt",
+ "deactivateBreakpoints": "Désactiver les points d'arrêt",
+ "reapplyAllBreakpoints": "Réappliquer tous les points d'arrêt",
+ "addFunctionBreakpoint": "Ajouter un point d'arrêt sur fonction",
+ "addWatchExpression": "Ajouter une expression",
+ "removeAllWatchExpressions": "Supprimer toutes les expressions",
+ "focusSession": "Focus sur la session",
+ "copyValue": "Copier la valeur"
+ },
+ "vs/workbench/contrib/debug/browser/debugToolBar": {
+ "debugToolBarBackground": "Couleur d'arrière-plan de la barre d'outils de débogage.",
+ "debugToolBarBorder": "Couleur de bordure de la barre d'outils de débogage.",
+ "debugIcon.startForeground": "Icône de la barre d'outils de débogage pour commencer le débogage.",
+ "debugIcon.pauseForeground": "Icône de la barre d'outils de débogage pour suspendre.",
+ "debugIcon.stopForeground": "Icône de la barre d'outils de débogage pour arrêter.",
+ "debugIcon.disconnectForeground": "Icône de la barre d'outils de débogage pour déconnecter.",
+ "debugIcon.restartForeground": "Icône de la barre d'outils de débogage pour redémarrer.",
+ "debugIcon.stepOverForeground": "Icône de la barre d'outils de débogage pour le pas à pas principal.",
+ "debugIcon.stepIntoForeground": "Icône de la barre d'outils de débogage pour le pas à pas détaillé.",
+ "debugIcon.stepOutForeground": "Icône de la barre d'outils de débogage pour le pas à pas principal.",
+ "debugIcon.continueForeground": "Icône de la barre d'outils de débogage pour continuer.",
+ "debugIcon.stepBackForeground": "Icône de la barre d'outils de débogage pour revenir en arrière."
+ },
+ "vs/workbench/contrib/debug/browser/debugService": {
+ "1activeSession": "1 session active",
+ "nActiveSessions": "{0} sessions actives",
+ "configurationAlreadyRunning": "Une configuration de débogage \"{0}\" est déjà en cours d'exécution.",
+ "compoundMustHaveConfigurations": "L'attribut \"configurations\" du composé doit être défini pour permettre le démarrage de plusieurs configurations.",
+ "noConfigurationNameInWorkspace": "La configuration de lancement '{0}' est introuvable dans l’espace de travail.",
+ "multipleConfigurationNamesInWorkspace": "Il y a plusieurs configurations de lancement `{0}` dans l’espace de travail. Utilisez le nom du dossier pour qualifier la configuration.",
+ "noFolderWithName": "Impossible de trouver le dossier avec le nom '{0}' pour la configuration '{1}' dans le composé '{2}'.",
+ "configMissing": "Il manque la configuration '{0}' dans 'launch.json'.",
+ "launchJsonDoesNotExist": "'launch.json' n'existe pas pour le dossier d'espace de travail passé.",
+ "debugRequestNotSupported": "L’attribut '{0}' a une valeur '{1}' non prise en charge dans la configuration de débogage sélectionnée.",
+ "debugRequesMissing": "L’attribut '{0}' est introuvable dans la configuration de débogage choisie.",
+ "debugTypeNotSupported": "Le type de débogage '{0}' configuré n'est pas pris en charge.",
+ "debugTypeMissing": "Propriété 'type' manquante pour la configuration de lancement choisie.",
+ "installAdditionalDebuggers": "Installer l'extension {0}",
+ "noFolderWorkspaceDebugError": "Impossible de déboguer le fichier actif. Vérifiez qu'il est enregistré et que vous avez installé une extension de débogage pour ce type de fichier.",
+ "debugAdapterCrash": "Le débogage du processus adaptateur s'est terminé de manière inattendue ({0})",
+ "cancel": "Annuler",
+ "debuggingPaused": "{0}:{1}, débogage interrompu {2}, {3}",
+ "breakpointAdded": "Point d'arrêt ajouté, ligne {0}, fichier {1}",
+ "breakpointRemoved": "Point d'arrêt supprimé, ligne {0}, fichier {1}"
+ },
+ "vs/workbench/contrib/debug/browser/statusbarColorProvider": {
+ "statusBarDebuggingBackground": "Couleur d'arrière-plan de la barre d'état quand un programme est en cours de débogage. La barre d'état est affichée en bas de la fenêtre",
+ "statusBarDebuggingForeground": "Couleur de premier plan de la barre d'état quand un programme est en cours de débogage. La barre d'état est affichée en bas de la fenêtre",
+ "statusBarDebuggingBorder": "Couleur de la bordure qui sépare à l’éditeur et la barre latérale quand un programme est en cours de débogage. La barre d’état s’affiche en bas de la fenêtre"
+ },
+ "vs/workbench/contrib/debug/browser/debugStatus": {
+ "status.debug": "Déboguer",
+ "debugTarget": "Débogage : {0}",
+ "selectAndStartDebug": "Sélectionner et démarrer la configuration de débogage"
+ },
+ "vs/workbench/contrib/debug/browser/debugCommands": {
+ "restartDebug": "Redémarrer",
+ "stepOverDebug": "Pas à pas principal",
+ "stepIntoDebug": "Pas à pas détaillé",
+ "stepOutDebug": "Pas à pas sortant",
+ "pauseDebug": "Pause",
+ "disconnect": "Déconnecter",
+ "stop": "Arrêter",
+ "continueDebug": "Continuer",
+ "chooseLocation": "Choisir l'emplacement spécifique",
+ "noExecutableCode": "Aucun code exécutable associé à la position de curseur actuelle.",
+ "jumpToCursor": "Aller au curseur",
+ "debug": "Déboguer",
+ "noFolderDebugConfig": "Ouvrez d'abord un dossier pour effectuer une configuration de débogage avancée.",
+ "addInlineBreakpoint": "Ajouter un point d’arrêt Inline"
+ },
+ "vs/workbench/contrib/debug/browser/loadedScriptsView": {
+ "loadedScriptsSession": "Session de débogage",
+ "loadedScriptsAriaLabel": "Déboguer les scripts chargés",
+ "loadedScriptsRootFolderAriaLabel": "Dossier de l’espace de travail {0}, script chargé, débogage",
+ "loadedScriptsSessionAriaLabel": "Session {0}, script chargé, débogage",
+ "loadedScriptsFolderAriaLabel": "Dossier {0}, script chargé, débogage",
+ "loadedScriptsSourceAriaLabel": "{0}, script chargé, débogage"
+ },
+ "vs/workbench/contrib/debug/browser/debugEditorActions": {
+ "toggleBreakpointAction": "Déboguer : activer/désactiver un point d'arrêt",
+ "conditionalBreakpointEditorAction": "Déboguer : ajouter un point d'arrêt conditionnel...",
+ "logPointEditorAction": "Débogage : Ajouter un point de journalisation...",
+ "runToCursor": "Exécuter jusqu'au curseur",
+ "evaluateInDebugConsole": "Évaluer dans la console de débogage",
+ "addToWatch": "Ajouter à la fenêtre Espion",
+ "showDebugHover": "Déboguer : afficher par pointage",
+ "stepIntoTargets": "Effectuer un pas à pas détaillé dans les cibles...",
+ "goToNextBreakpoint": "Débogage : Aller au prochain point d’arrêt",
+ "goToPreviousBreakpoint": "Débogage : Aller au point d’arrêt précédent",
+ "closeExceptionWidget": "Fermer le widget d'exception"
+ },
+ "vs/workbench/contrib/debug/browser/watchExpressionsView": {
+ "editWatchExpression": "Modifier l'expression",
+ "removeWatchExpression": "Supprimer une expression",
+ "watchExpressionInputAriaLabel": "Tapez l'expression à espionner",
+ "watchExpressionPlaceholder": "Expression à espionner",
+ "watchAriaTreeLabel": "Déboguer les expressions espionnées",
+ "watchExpressionAriaLabel": "{0}, valeur {1}",
+ "watchVariableAriaLabel": "{0}, valeur {1}"
+ },
+ "vs/workbench/contrib/debug/browser/variablesView": {
+ "variableValueAriaLabel": "Tapez une nouvelle valeur de variable",
+ "variablesAriaTreeLabel": "Déboguer les variables",
+ "variableScopeAriaLabel": "Étendue {0}",
+ "variableAriaLabel": "{0}, valeur {1}"
+ },
+ "vs/workbench/contrib/debug/common/debugContentProvider": {
+ "unable": "Impossible de résoudre la ressource sans session de débogage",
+ "canNotResolveSourceWithError": "Impossible de charger la source '{0}' : {1}.",
+ "canNotResolveSource": "Impossible de charger la source '{0}'."
+ },
+ "vs/workbench/contrib/debug/browser/welcomeView": {
+ "run": "Exécuter",
+ "openAFileWhichCanBeDebugged": "[Ouvrir un fichier](command:{0}) qui peut être débogué ou exécuté.",
+ "runAndDebugAction": "[Exécuter et déboguer{0}](command:{1})",
+ "detectThenRunAndDebug": "[Afficher](command:{0}) toutes les configurations de débogage automatiques.",
+ "customizeRunAndDebug": "Pour personnaliser Exécuter et déboguer [créer un fichier launch.json](command:{0}).",
+ "customizeRunAndDebugOpenFolder": "Pour personnaliser Exécuter et déboguer, [ouvrez un dossier](command:{0}) et créez un fichier launch.json."
+ },
+ "vs/workbench/contrib/debug/browser/debugQuickAccess": {
+ "noDebugResults": "Aucune configuration de lancement correspondante",
+ "customizeLaunchConfig": "Configurer la configuration de lancement",
+ "contributed": "objet d'une contribution",
+ "providerAriaLabel": "configurations {0} faisant l'objet d'une contribution",
+ "configure": "configurer",
+ "addConfigTo": "Ajouter une configuration ({0})...",
+ "addConfiguration": "Ajouter une configuration..."
+ },
+ "vs/workbench/contrib/debug/browser/debugIcons": {
+ "debugConsoleViewIcon": "Icône de vue de la console de débogage.",
+ "runViewIcon": "Icône de vue de l'exécution.",
+ "variablesViewIcon": "Icône de vue des variables.",
+ "watchViewIcon": "Icône de vue de l'espion.",
+ "callStackViewIcon": "Icône de vue de la pile des appels.",
+ "breakpointsViewIcon": "Icône de vue des points d'arrêt.",
+ "loadedScriptsViewIcon": "Icône de vue des scripts chargés.",
+ "debugBreakpoint": "Icône des points d'arrêt.",
+ "debugBreakpointDisabled": "Icône des points d'arrêt désactivés.",
+ "debugBreakpointUnverified": "Icône des points d'arrêt non vérifiés.",
+ "debugBreakpointHint": "Icône des indicateurs de points d'arrêt affichés sur pointage dans la marge de glyphes de l'éditeur.",
+ "debugBreakpointFunction": "Icône des points d'arrêt sur fonction.",
+ "debugBreakpointFunctionUnverified": "Icône des points d'arrêt sur fonction non vérifiés.",
+ "debugBreakpointFunctionDisabled": "Icône des points d'arrêt sur fonction désactivés.",
+ "debugBreakpointUnsupported": "Icône des points d'arrêt non pris en charge.",
+ "debugBreakpointConditionalUnverified": "Icône des points d'arrêt conditionnels non vérifiés.",
+ "debugBreakpointConditional": "Icône des points d'arrêt conditionnels.",
+ "debugBreakpointConditionalDisabled": "Icône des points d'arrêt conditionnels désactivés.",
+ "debugBreakpointDataUnverified": "Icône des points d'arrêt sur variable non vérifiés.",
+ "debugBreakpointData": "Icône des points d'arrêt sur variable.",
+ "debugBreakpointDataDisabled": "Icône des points d'arrêt sur variable désactivés.",
+ "debugBreakpointLogUnverified": "Icône des points d'arrêt de journalisation non vérifiés.",
+ "debugBreakpointLog": "Icône des points d'arrêt de journalisation.",
+ "debugBreakpointLogDisabled": "Icône des points d'arrêt de journalisation désactivés.",
+ "debugStackframe": "Icône de frame de pile affiché dans la marge de glyphes de l'éditeur.",
+ "debugStackframeFocused": "Icône de frame de pile ayant le focus, affiché dans la marge de glyphes de l'éditeur.",
+ "debugGripper": "Icône de la barre de redimensionnement de la barre de débogage.",
+ "debugRestartFrame": "Icône de l'action de redémarrage de frame du débogage.",
+ "debugStop": "Icône de l'action d'arrêt du débogage.",
+ "debugDisconnect": "Icône de l'action de déconnexion du débogage.",
+ "debugRestart": "Icône de l'action de redémarrage du débogage.",
+ "debugStepOver": "Icône de l'action de débogage avec exécution d'un pas à pas principal.",
+ "debugStepInto": "Icône de l'action de débogage avec exécution d'un pas à pas détaillé.",
+ "debugStepOut": "Icône de l'action de débogage avec exécution d'un pas à pas sortant.",
+ "debugStepBack": "Icône de l'action de débogage avec exécution d'un pas à pas en arrière.",
+ "debugPause": "Icône de l'action d'interruption du débogage.",
+ "debugContinue": "Icône de l'action de poursuite du débogage.",
+ "debugReverseContinue": "Icône de l'action de poursuite du débogage en sens inverse.",
+ "debugStart": "Icône de l'action de démarrage du débogage.",
+ "debugConfigure": "Icône de l'action de configuration du débogage.",
+ "debugConsole": "Icône de l'action d'ouverture de la console de débogage.",
+ "debugCollapseAll": "Icône de l'action permettant de tout réduire dans les vues de débogage.",
+ "callstackViewSession": "Icône de session dans la vue de la pile des appels.",
+ "debugConsoleClearAll": "Icône de l'action permettant de tout effacer dans la console de débogage.",
+ "watchExpressionsRemoveAll": "Icône de l'action permettant de tout supprimer dans la vue Espion.",
+ "watchExpressionsAdd": "Icône de l'action d'ajout dans la vue Espion.",
+ "watchExpressionsAddFuncBreakpoint": "Icône de l'action d'ajout de points d'arrêt sur fonction dans la vue Espion.",
+ "breakpointsRemoveAll": "Icône de l'action permettant de tout supprimer dans la vue des points d'arrêt.",
+ "breakpointsActivate": "Icône de l'action d'activation dans la vue des points d'arrêt.",
+ "debugConsoleEvaluationInput": "Icône du marqueur d'entrée d'évaluation du débogage.",
+ "debugConsoleEvaluationPrompt": "Icône de l'invite d'évaluation du débogage."
+ },
+ "vs/workbench/contrib/debug/browser/exceptionWidget": {
+ "debugExceptionWidgetBorder": "Couleur de bordure du widget d'exception.",
+ "debugExceptionWidgetBackground": "Couleur d'arrière-plan du widget d'exception.",
+ "exceptionThrownWithId": "Une exception s'est produite : {0}",
+ "exceptionThrown": "Une exception s'est produite.",
+ "close": "Fermer"
+ },
+ "vs/workbench/contrib/debug/browser/debugHover": {
+ "quickTip": "Maintenez la touche {0} enfoncée pour activer l'affichage par pointage des informations de langage de l'éditeur",
+ "treeAriaLabel": "Déboguer par pointage",
+ "variableAriaLabel": "{0}, valeur {1}, variables, débogage"
+ },
+ "vs/workbench/contrib/debug/browser/breakpointWidget": {
+ "breakpointWidgetLogMessagePlaceholder": "Message à loguer lorsque le point d’arrêt est atteint. Les expressions entre {} sont interpolées. 'Entrée' pour accepter,'Echap' pour annuler.",
+ "breakpointWidgetHitCountPlaceholder": "Arrêt quand le nombre d'accès est atteint. 'Entrée' pour accepter ou 'Échap' pour annuler.",
+ "breakpointWidgetExpressionPlaceholder": "Arrêt quand l'expression prend la valeur true. 'Entrée' pour accepter ou 'Échap' pour annuler.",
+ "expression": "Expression",
+ "hitCount": "Nombre d'accès",
+ "logMessage": "Message du journal",
+ "breakpointType": "Type de point d'arrêt"
+ },
+ "vs/workbench/contrib/debug/browser/debugActionViewItems": {
+ "debugLaunchConfigurations": "Déboguer les configurations de lancement",
+ "noConfigurations": "Aucune configuration",
+ "addConfigTo": "Ajouter une configuration ({0})...",
+ "addConfiguration": "Ajouter une configuration...",
+ "debugSession": "Session de débogage"
+ },
+ "vs/workbench/contrib/debug/browser/linkDetector": {
+ "fileLinkMac": "Commande + clic pour suivre le lien",
+ "fileLink": "Ctrl + clic pour suivre le lien"
+ },
+ "vs/workbench/contrib/debug/browser/replViewer": {
+ "debugConsole": "Console de débogage",
+ "replVariableAriaLabel": "Variable {0}, valeur {1}",
+ "occurred": ", a eu lieu {0} fois",
+ "replRawObjectAriaLabel": "Variable de console de débogage {0}, valeur {1}",
+ "replGroup": "Groupe de consoles de débogage {0}"
+ },
+ "vs/workbench/contrib/debug/common/replModel": {
+ "consoleCleared": "La console a été effacée",
+ "snapshotObj": "Seules les valeurs primitives sont affichées pour cet objet."
+ },
+ "vs/workbench/contrib/debug/browser/replFilter": {
+ "showing filtered repl lines": "Affichage de {0} sur {1}"
+ },
+ "vs/workbench/contrib/debug/node/debugAdapter": {
+ "debugAdapterBinNotFound": "L'exécutable d'adaptateur de débogage '{0}' n'existe pas.",
+ "debugAdapterCannotDetermineExecutable": "Impossible de déterminer l'exécutable pour l'adaptateur de débogage '{0}'.",
+ "unableToLaunchDebugAdapter": "Impossible de lancer l'adaptateur de débogage à partir de '{0}'.",
+ "unableToLaunchDebugAdapterNoArgs": "Impossible de lancer l'adaptateur de débogage."
+ },
+ "vs/workbench/contrib/debug/common/debugModel": {
+ "invalidVariableAttributes": "Attributs de variable non valides",
+ "startDebugFirst": "Démarrez une session de débogage pour évaluer les expressions",
+ "notAvailable": "Non disponible",
+ "pausedOn": "En pause sur {0}",
+ "paused": "Suspendu",
+ "running": "En cours d'exécution",
+ "breakpointDirtydHover": "Point d'arrêt non vérifié. Fichier modifié. Redémarrez la session de débogage."
+ },
+ "vs/workbench/contrib/debug/browser/debugConfigurationManager": {
+ "selectConfiguration": "Sélectionner une configuration de lancement",
+ "editLaunchConfig": "Modifier la configuration de débogage dans launch.json",
+ "DebugConfig.failed": "Impossible de créer le fichier 'launch.json' dans le dossier '.vscode' ({0}).",
+ "workspace": "espace de travail",
+ "user settings": "Paramètres utilisateur"
+ },
+ "vs/workbench/contrib/debug/browser/debugSession": {
+ "noDebugAdapter": "Aucun débogueur disponible. Impossible d'envoyer '{0}'",
+ "sessionNotReadyForBreakpoints": "La session n'est pas prête pour les points d'interruption",
+ "debuggingStarted": "Débogage démarré.",
+ "debuggingStopped": "Débogage arrêté."
+ },
+ "vs/workbench/contrib/debug/browser/debugTaskRunner": {
+ "preLaunchTaskErrors": "Des erreurs se sont produites pendant l'exécution de preLaunchTask '{0}'.",
+ "preLaunchTaskError": "Une erreur s'est produite pendant l'exécution de preLaunchTask '{0}'.",
+ "preLaunchTaskExitCode": "Le preLaunchTask '{0}' s'est terminé avec le code de sortie {1}.",
+ "preLaunchTaskTerminated": "preLaunchTask '{0}' terminée.",
+ "debugAnyway": "Déboguer quand même",
+ "showErrors": "Afficher les erreurs",
+ "abort": "Abandonner",
+ "remember": "Mémoriser mon choix dans les paramètres utilisateur",
+ "invalidTaskReference": "La tâche '{0}' n'a pas peu être référencée à partir d'une configuration de lancement se trouvant dans un dossier d'espace de travail différent.",
+ "DebugTaskNotFoundWithTaskId": "Tâche '{0}' introuvable.",
+ "DebugTaskNotFound": "Tâche spécifiée introuvable.",
+ "taskNotTrackedWithTaskId": "Impossible de suivre la tâche spécifiée.",
+ "taskNotTracked": "La tâche '{0}' ne peut pas être tracée."
+ },
+ "vs/workbench/contrib/debug/browser/debugAdapterManager": {
+ "debugNoType": "Le 'type' de débogueur ne peut pas être omis et doit être de type 'string'.",
+ "more": "Plus...",
+ "selectDebug": "Sélectionner l'environnement"
+ },
+ "vs/workbench/contrib/debug/common/debugSource": {
+ "unknownSource": "Source inconnue"
+ },
+ "vs/workbench/contrib/debug/common/debugSchemas": {
+ "vscode.extension.contributes.debuggers": "Ajoute des adaptateurs de débogage.",
+ "vscode.extension.contributes.debuggers.type": "Identificateur unique de cet adaptateur de débogage.",
+ "vscode.extension.contributes.debuggers.label": "Nom complet de cet adaptateur de débogage.",
+ "vscode.extension.contributes.debuggers.program": "Chemin du programme de l'adaptateur de débogage. Le chemin est absolu ou relatif par rapport au dossier d'extensions.",
+ "vscode.extension.contributes.debuggers.args": "Arguments facultatifs à passer à l'adaptateur.",
+ "vscode.extension.contributes.debuggers.runtime": "Runtime facultatif, si l'attribut de programme n'est pas un exécutable, mais qu'il nécessite un exécutable.",
+ "vscode.extension.contributes.debuggers.runtimeArgs": "Arguments du runtime facultatif.",
+ "vscode.extension.contributes.debuggers.variables": "Mappage de variables interactives (par ex. ${action.pickProcess}) dans 'launch.json' à une commande.",
+ "vscode.extension.contributes.debuggers.initialConfigurations": "Configurations pour la génération du fichier 'launch.json' initial.",
+ "vscode.extension.contributes.debuggers.languages": "Liste de langages pour lesquels l'extension de débogage peut être considérée comme \"débogueur par défaut\".",
+ "vscode.extension.contributes.debuggers.configurationSnippets": "Extraits pour l'ajout de nouvelles configurations à 'launch.json'.",
+ "vscode.extension.contributes.debuggers.configurationAttributes": "Configurations de schéma JSON pour la validation de 'launch.json'.",
+ "vscode.extension.contributes.debuggers.windows": "Paramètres spécifiques à Windows.",
+ "vscode.extension.contributes.debuggers.windows.runtime": "Runtime utilisé pour Windows.",
+ "vscode.extension.contributes.debuggers.osx": "Paramètres spécifiques à macOS.",
+ "vscode.extension.contributes.debuggers.osx.runtime": "Runtime utilisé pour macOS.",
+ "vscode.extension.contributes.debuggers.linux": "Paramètres spécifiques à Linux.",
+ "vscode.extension.contributes.debuggers.linux.runtime": "Runtime utilisé pour Linux.",
+ "vscode.extension.contributes.breakpoints": "Ajoute des points d'arrêt.",
+ "vscode.extension.contributes.breakpoints.language": "Autorisez les points d'arrêt pour ce langage.",
+ "presentation": "Options de présentation pour l'affichage de cette configuration dans le menu déroulant de la configuration de débogage et la palette de commandes.",
+ "presentation.hidden": "Contrôle si cette configuration doit être affichée dans le menu déroulant de configuration et la palette de commandes.",
+ "presentation.group": "Groupe auquel cette configuration appartient. Utilisé pour le regroupement et le tri dans le menu déroulant de configuration et la palette de commandes.",
+ "presentation.order": "Ordre de cette configuration au sein d'un groupe. Utilisé pour le regroupement et le tri dans le menu déroulant de configuration et la palette de commandes.",
+ "app.launch.json.title": "Lancer",
+ "app.launch.json.version": "Version de ce format de fichier.",
+ "app.launch.json.configurations": "Liste des configurations. Ajoutez de nouvelles configurations, ou modifiez celles qui existent déjà à l'aide d'IntelliSense.",
+ "app.launch.json.compounds": "Liste des composés. Chaque composé référence plusieurs configurations qui sont lancées ensemble.",
+ "app.launch.json.compound.name": "Nom du composé. Apparaît dans le menu déroulant de la configuration de lancement.",
+ "useUniqueNames": "Veuillez utiliser des noms de configuration uniques.",
+ "app.launch.json.compound.folder": "Nom du dossier où se trouve l'élément composé.",
+ "app.launch.json.compounds.configurations": "Noms des configurations qui sont lancées dans le cadre de ce composé.",
+ "app.launch.json.compound.stopAll": "Détermine si la fin manuelle d'une session entraîne l'arrêt de toutes les sessions composées.",
+ "compoundPrelaunchTask": "Tâche à exécuter avant le début de toute configuration composée."
+ },
+ "vs/workbench/contrib/debug/browser/rawDebugSession": {
+ "noDebugAdapterStart": "Aucun adaptateur de débogage, impossible de démarrer la session de débogage.",
+ "noDebugAdapter": "Aucun débogueur disponible. Impossible d'envoyer '{0}'.",
+ "moreInfo": "Plus d'informations"
+ },
+ "vs/workbench/contrib/debug/common/debugger": {
+ "cannot.find.da": "Adaptateur de débogage introuvable pour le type '{0}'.",
+ "launch.config.comment1": "Utilisez IntelliSense pour en savoir plus sur les attributs possibles.",
+ "launch.config.comment2": "Pointez pour afficher la description des attributs existants.",
+ "launch.config.comment3": "Pour plus d'informations, visitez : {0}",
+ "debugType": "Type de configuration.",
+ "debugTypeNotRecognised": "Le type de débogage n'est pas reconnu. Vérifiez que vous avez installé l'extension de débogage correspondante et qu'elle est activée.",
+ "node2NotSupported": "\"node2\" n'est plus pris en charge. Utilisez \"node\" à la place, et affectez la valeur \"inspector\" à l'attribut \"protocol\".",
+ "debugName": "Nom de la configuration, apparaît dans le menu déroulant de la configuration de lancement.",
+ "debugRequest": "Type de requête de configuration. Il peut s'agir de \"launch\" ou \"attach\".",
+ "debugServer": "Pour le développement d'une extension de débogage uniquement : si un port est spécifié, VS Code tente de se connecter à un adaptateur de débogage s'exécutant en mode serveur",
+ "debugPrelaunchTask": "Tâche à exécuter avant le démarrage de la session de débogage.",
+ "debugPostDebugTask": "Tâche à exécuter après que le débogage se termine.",
+ "debugWindowsConfiguration": "Attributs de configuration de lancement spécifiques à Windows.",
+ "debugOSXConfiguration": "Attributs de configuration de lancement spécifiques à OS X.",
+ "debugLinuxConfiguration": "Attributs de configuration de lancement spécifiques à Linux."
+ },
+ "vs/workbench/contrib/dialogs/browser/dialogHandler": {
+ "yesButton": "&&Oui",
+ "cancelButton": "Annuler",
+ "aboutDetail": "Version : {0}\r\nCommit : {1}\r\nDate : {2}\r\nNavigateur : {3}",
+ "copy": "Copier",
+ "ok": "OK"
+ },
+ "vs/workbench/contrib/dialogs/electron-sandbox/dialogHandler": {
+ "yesButton": "&&Oui",
+ "cancelButton": "Annuler",
+ "aboutDetail": "Version : {0}\r\nCommit : {1}\r\nDate : {2}\r\nElectron : {3}\r\nChrome : {4}\r\nNode.js : {5}\r\nV8 : {6}\r\nOS : {7}",
+ "okButton": "OK",
+ "copy": "&&Copier"
+ },
+ "vs/workbench/contrib/emmet/browser/actions/expandAbbreviation": {
+ "expandAbbreviationAction": "Emmet : Expand Abbreviation",
+ "miEmmetExpandAbbreviation": "Emmet : Dé&&velopper l'abréviation"
+ },
+ "vs/workbench/contrib/experiments/browser/experiments.contribution": {
+ "workbench.enableExperiments": "Récupère les fonctionnalités expérimentales pour exécuter à partir d’un service en ligne de Microsoft."
+ },
+ "vs/workbench/contrib/extensions/electron-browser/extensions.contribution": {
+ "runtimeExtension": "Extensions en cours d'exécution"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/runtimeExtensionsEditor": {
+ "extensionHostProfileStart": "Démarrer le profilage d'hôte d'extension",
+ "stopExtensionHostProfileStart": "Arrêter le profilage d'hôte d'extension",
+ "saveExtensionHostProfile": "Enregistrer le profilage d'hôte d'extension"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/debugExtensionHostAction": {
+ "debugExtensionHost": "Démarrer le débogage d'hôte d'Extension",
+ "restart1": "Profiler les extensions",
+ "restart2": "Pour profiler les extensions, un redémarrage est nécessaire. Voulez-vous redémarrer '{0}' maintenant ?",
+ "restart3": "&&Redémarrer",
+ "cancel": "&&Annuler",
+ "debugExtensionHost.launch.name": "Attacher l'hôte d'extension"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/extensionProfileService": {
+ "profilingExtensionHost": "Hôte d'extension de profilage",
+ "selectAndStartDebug": "Cliquer pour arrêter le profilage",
+ "profilingExtensionHostTime": "Profilage de l'hôte d'extension ({0} sec)",
+ "status.profiler": "Profileur d'extension",
+ "restart1": "Profiler les extensions",
+ "restart2": "Pour profiler les extensions, un redémarrage est nécessaire. Voulez-vous redémarrer '{0}' maintenant ?",
+ "restart3": "&&Redémarrer",
+ "cancel": "&&Annuler"
+ },
+ "vs/workbench/contrib/extensions/common/runtimeExtensionsInput": {
+ "extensionsInputName": "Exécution des extensions"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/extensionsAutoProfiler": {
+ "unresponsive-exthost": "L'extension '{0}' a mis très longtemps à exécuter sa dernière opération et a empêché l'exécution d'autres extensions.",
+ "show": "Afficher les extensions"
+ },
+ "vs/workbench/contrib/extensions/electron-sandbox/extensionsActions": {
+ "openExtensionsFolder": "Ouvrir le dossier d'extensions"
+ },
+ "vs/workbench/contrib/extensions/browser/extensions.contribution": {
+ "manageExtensionsQuickAccessPlaceholder": "Appuyez sur Entrée pour gérer les extensions.",
+ "manageExtensionsHelp": "Gérer les extensions",
+ "installVSIX": "Installer le VSIX de l'extension",
+ "extension": "Extension",
+ "extensions": "Extensions",
+ "extensionsConfigurationTitle": "Extensions",
+ "extensionsAutoUpdate": "Lorsqu’activé, installe automatiquement les mises à jour pour les extensions. Les mises à jour sont récupérées à partir d’un service en ligne de Microsoft.",
+ "extensionsCheckUpdates": "Lorsqu’activé, vérifie automatiquement les extensions pour les mises à jour. Si une extension est une mise à jour, elle est marquée comme obsolète dans l’affichage des Extensions. Les mises à jour sont récupérées à partir d’un service en ligne de Microsoft.",
+ "extensionsIgnoreRecommendations": "Si cette option est activée, les notifications pour les recommandations d’extension ne sont pas affichées.",
+ "extensionsShowRecommendationsOnlyOnDemand_Deprecated": "Ce paramètre est déprécié. Utilisez le paramètre extensions.ignoreRecommendations pour contrôler les notifications de recommandation. Utilisez les actions de visibilité de la vue Extensions pour masquer la vue recommandée par défaut.",
+ "extensionsCloseExtensionDetailsOnViewChange": "Si cette option est activée, les éditeurs avec les détails d'extension sont automatiquement fermés quand vous quittez l'affichage Extensions.",
+ "handleUriConfirmedExtensions": "Si une extension est listée ici, aucune invite de confirmation n'est affichée quand cette extension gère un URI.",
+ "extensionsWebWorker": "Activez l'hôte d'extension Web Worker.",
+ "workbench.extensions.installExtension.description": "Installer l'extension spécifiée",
+ "workbench.extensions.installExtension.arg.name": "ID d'extension ou URI de ressource VSIX",
+ "notFound": "Extension '{0}' introuvable.",
+ "InstallVSIXAction.successReload": "Installation de l'extension {0} effectuée à partir du fichier VSIX. Rechargez Visual Studio Code pour l'activer.",
+ "InstallVSIXAction.success": "Installation de l'extension {0} effectuée à partir du fichier VSIX.",
+ "InstallVSIXAction.reloadNow": "Recharger maintenant",
+ "workbench.extensions.uninstallExtension.description": "Désinstaller l'extension donnée",
+ "workbench.extensions.uninstallExtension.arg.name": "ID de l'extension à désinstaller",
+ "id required": "ID d'extension obligatoire.",
+ "notInstalled": "L'extension '{0}' n'est pas installée. Vérifiez que vous utilisez l'ID d'extension complet, y compris l'éditeur, par ex. : ms-vscode.csharp.",
+ "builtin": "L'extension '{0}' est une extension intégrée qui ne peut pas être installée",
+ "workbench.extensions.search.description": "Recherche d'une extension spécifique",
+ "workbench.extensions.search.arg.name": "Requête à utiliser dans la recherche",
+ "miOpenKeymapExtensions": "&&Mappages de touches",
+ "miOpenKeymapExtensions2": "Mappages de touches",
+ "miPreferencesExtensions": "&&Extensions",
+ "miViewExtensions": "E&&xtensions",
+ "showExtensions": "Extensions",
+ "installExtensionQuickAccessPlaceholder": "Tapez le nom d'une extension à installer ou à rechercher.",
+ "installExtensionQuickAccessHelp": "Installer ou rechercher des extensions",
+ "workbench.extensions.action.copyExtension": "Copier",
+ "extensionInfoName": "Nom : {0}",
+ "extensionInfoId": "ID : {0}",
+ "extensionInfoDescription": "Description : {0}",
+ "extensionInfoVersion": "Version : {0}",
+ "extensionInfoPublisher": "Serveur de publication : {0}",
+ "extensionInfoVSMarketplaceLink": "Lien de la Place de marché pour VS : {0}",
+ "workbench.extensions.action.copyExtensionId": "Copier l'ID d'extension",
+ "workbench.extensions.action.configure": "Paramètres d'extension",
+ "workbench.extensions.action.toggleIgnoreExtension": "Synchroniser cette extension",
+ "workbench.extensions.action.ignoreRecommendation": "Ignorer la recommandation",
+ "workbench.extensions.action.undoIgnoredRecommendation": "Annuler la recommandation ignorée",
+ "workbench.extensions.action.addExtensionToWorkspaceRecommendations": "Ajouter aux recommandations relatives à l'espace de travail",
+ "workbench.extensions.action.removeExtensionFromWorkspaceRecommendations": "Supprimer des recommandations de l'espace de travail",
+ "workbench.extensions.action.addToWorkspaceRecommendations": "Ajouter l'extension aux recommandations de l'espace de travail",
+ "workbench.extensions.action.addToWorkspaceFolderRecommendations": "Ajouter l'extension aux recommandations du dossier d'espace de travail",
+ "workbench.extensions.action.addToWorkspaceIgnoredRecommendations": "Ajouter l'extension aux recommandations ignorées de l'espace de travail",
+ "workbench.extensions.action.addToWorkspaceFolderIgnoredRecommendations": "Ajouter l'extension aux recommandations ignorées du dossier d'espace de travail"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsViewlet": {
+ "installed": "Installé",
+ "popularExtensions": "Populaire",
+ "recommendedExtensions": "Recommandées",
+ "enabledExtensions": "Activé",
+ "disabledExtensions": "Désactivé",
+ "marketPlace": "Place de marché",
+ "enabled": "Activé",
+ "disabled": "Désactivé",
+ "outdated": "Obsolète",
+ "builtin": "Intégré",
+ "workspaceRecommendedExtensions": "Recommandations d'espace de travail",
+ "otherRecommendedExtensions": "Autres recommandations",
+ "builtinFeatureExtensions": "Fonctionnalités",
+ "builtInThemesExtensions": "Thèmes",
+ "builtinProgrammingLanguageExtensions": "Langages de programmation",
+ "sort by installs": "Nombre d'installations",
+ "sort by rating": "Évaluation",
+ "sort by name": "Nom",
+ "sort by date": "Date de publication",
+ "searchExtensions": "Rechercher des extensions dans la Place de marché",
+ "builtin filter": "Intégrée",
+ "installed filter": "Installée",
+ "enabled filter": "Activée",
+ "disabled filter": "Désactivée",
+ "outdated filter": "Obsolète",
+ "featured filter": "Fonctionnalités proposées",
+ "most popular filter": "La plus populaire",
+ "most popular recommended": "Recommandée",
+ "recently published filter": "Publiée récemment",
+ "filter by category": "Catégorie",
+ "sorty by": "Tri par",
+ "filterExtensions": "Filtrer les extensions...",
+ "extensionFoundInSection": "1 extension trouvée dans la section {0}.",
+ "extensionFound": "1 extension trouvée.",
+ "extensionsFoundInSection": "{0} extensions trouvées dans la section {1}.",
+ "extensionsFound": "{0} extensions trouvées.",
+ "suggestProxyError": "Marketplace a retourné 'ECONNREFUSED'. Vérifiez le paramètre 'http.proxy'.",
+ "open user settings": "Ouvrir les paramètres utilisateur",
+ "outdatedExtensions": "{0} extensions obsolètes",
+ "malicious warning": "Nous avons désinstallé '{0}' qui a été signalé comme problématique.",
+ "reloadNow": "Recharger maintenant"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/extensionsSlowActions": {
+ "cmd.reportOrShow": "Problème de performance",
+ "cmd.report": "Signaler un problème",
+ "attach.title": "Avez-vous attaché le profil du processeur ?",
+ "ok": "OK",
+ "attach.msg": "Il s'agit d'un rappel pour vérifier que vous n'avez pas oublié d'attacher '{0}' au problème que vous venez de créer.",
+ "cmd.show": "Afficher les problèmes",
+ "attach.msg2": "Il s'agit d'un rappel pour vérifier que vous n'avez pas oublié d'attacher '{0}' à un problème de performance existant."
+ },
+ "vs/workbench/contrib/extensions/electron-browser/reportExtensionIssueAction": {
+ "reportExtensionIssue": "Signaler un problème"
+ },
+ "vs/workbench/contrib/extensions/browser/abstractRuntimeExtensionsEditor": {
+ "starActivation": "Activé par {0} au démarrage",
+ "workspaceContainsGlobActivation": "Activé par {1} parce qu'un fichier correspondant à {1} existe dans votre espace de travail",
+ "workspaceContainsFileActivation": "Activation effectuée par {1}, car le fichier {0} existe dans votre espace de travail",
+ "workspaceContainsTimeout": "Activation effectuée par {1}, car la recherche de {0} a pris trop de temps",
+ "startupFinishedActivation": "Activé par {0} une fois le démarrage effectué",
+ "languageActivation": "Activation effectuée par {1}, car vous avez ouvert un fichier {0}",
+ "workspaceGenericActivation": "Activation effectuée par {1} après l'événement {0}",
+ "unresponsive.title": "L'extension a entraîné le gel de l'hôte d'extension.",
+ "errors": " {0} erreurs non détectées",
+ "runtimeExtensions": "Extensions de runtime",
+ "disable workspace": "Désactiver (espace de travail)",
+ "disable": "Désactiver",
+ "showRuntimeExtensions": "Afficher les extensions en cours d'exécution"
+ },
+ "vs/workbench/contrib/extensions/common/extensionsInput": {
+ "extensionsInputName": "Extension : {0}"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsActions": {
+ "noOfYearsAgo": "il y a {0} ans",
+ "one year ago": "Il y a 1 an",
+ "noOfMonthsAgo": "il y a {0} mois",
+ "one month ago": "Il y a 1 mois",
+ "noOfDaysAgo": "il y a {0} jours",
+ "one day ago": "Il y a 1 jour",
+ "noOfHoursAgo": "il y a {0} heures",
+ "one hour ago": "Il y a 1 heure",
+ "just now": "À l'instant",
+ "update operation": "Erreur durant la mise à jour de l'extension '{0}'.",
+ "install operation": "Erreur durant l'installation de l'extension '{0}'.",
+ "download": "Essayer de télécharger manuellement...",
+ "install vsix": "Une fois téléchargé, installez manuellement le VSIX de '{0}'.",
+ "check logs": "Pour plus d'informations, consultez le [journal]({0}).",
+ "installExtensionStart": "L'installation de l’extension {0} a commencé. Un éditeur est maintenant ouvert avec plus de détails sur cette extension",
+ "installExtensionComplete": "L'installation de l'extension {0} a été effectuée.",
+ "install": "Installer",
+ "install and do no sync": "Installer (ne pas synchroniser)",
+ "install in remote and do not sync": "Installer dans {0} (ne pas synchroniser)",
+ "install in remote": "Installer dans {0}",
+ "install locally and do not sync": "Installer localement (ne pas synchroniser)",
+ "install locally": "Installer localement",
+ "install everywhere tooltip": "Installer cette extension dans toutes vos instances de {0} synchronisées",
+ "installing": "Installation",
+ "install browser": "Installer dans le navigateur",
+ "uninstallAction": "Désinstaller",
+ "Uninstalling": "Désinstallation en cours",
+ "uninstallExtensionStart": "La désinstallation de l’extension {0} a commencé.",
+ "uninstallExtensionComplete": "Veuillez recharger Visual Studio Code pour terminer la désinstallation de l’extension {0}.",
+ "updateExtensionStart": "La mise à jour de l'extension {0} vers la version {1} a commencé.",
+ "updateExtensionComplete": "Mise à jour de l'extension {0} vers la version {1} terminée.",
+ "updateTo": "Mettre à jour vers {0}",
+ "updateAction": "Mettre à jour",
+ "manage": "Gérer",
+ "ManageExtensionAction.uninstallingTooltip": "Désinstallation en cours",
+ "install another version": "Installer une autre version...",
+ "selectVersion": "Sélectionner la version à installer",
+ "current": "Actuelle",
+ "enableForWorkspaceAction": "Activer (espace de travail)",
+ "enableForWorkspaceActionToolTip": "Activer cette extension uniquement dans cet espace de travail",
+ "enableGloballyAction": "Activer",
+ "enableGloballyActionToolTip": "Activer cette extension",
+ "disableForWorkspaceAction": "Désactiver (espace de travail)",
+ "disableForWorkspaceActionToolTip": "Désactiver cette extension uniquement dans cet espace de travail",
+ "disableGloballyAction": "Désactiver",
+ "disableGloballyActionToolTip": "Désactiver cette extension",
+ "enableAction": "Activer",
+ "disableAction": "Désactiver",
+ "checkForUpdates": "Rechercher les mises à jour d'extensions",
+ "noUpdatesAvailable": "Toutes les extensions sont à jour.",
+ "singleUpdateAvailable": "Une mise à jour d'extension est disponible.",
+ "updatesAvailable": "{0} mises à jour d'extension sont disponibles.",
+ "singleDisabledUpdateAvailable": "Une mise à jour d'une extension désactivée est disponible.",
+ "updatesAvailableOneDisabled": "{0} mises à jour d'extension sont disponibles. L’une d’elles est pour une extension désactivée.",
+ "updatesAvailableAllDisabled": "{0} mises à jour d'extension sont disponibles. Elles sont toutes pour des extensions désactivées.",
+ "updatesAvailableIncludingDisabled": "{0} mises à jour d'extension sont disponibles. {1} d'entre elles sont pour des extensions désactivées.",
+ "enableAutoUpdate": "Activer la mise à jour automatique des extensions",
+ "disableAutoUpdate": "Désactiver la mise à jour automatique des extensions",
+ "updateAll": "Mettre à jour toutes les extensions",
+ "reloadAction": "Recharger",
+ "reloadRequired": "Rechargement requis",
+ "postUninstallTooltip": "Rechargez Visual Studio Code pour désinstaller cette extension.",
+ "postUpdateTooltip": "Rechargez Visual Studio Code pour activer l'extension mise à jour.",
+ "enable locally": "Rechargez Visual Studio Code pour activer cette extension localement.",
+ "enable remote": "Rechargez Visual Studio Code pour activer cette extension dans {0}.",
+ "postEnableTooltip": "Rechargez Visual Studio Code pour activer cette extension.",
+ "postDisableTooltip": "Veuillez recharger Visual Studio Code pour désactiver cette extension.",
+ "installExtensionCompletedAndReloadRequired": "L'installation de l'extension {0} a été effectuée. Rechargez Visual Studio Code pour l'activer.",
+ "color theme": "Définir le thème de couleur",
+ "select color theme": "Sélectionner le thème de couleur",
+ "file icon theme": "Définir le thème des icônes de fichier",
+ "select file icon theme": "Sélectionner un thème d'icône de fichier",
+ "product icon theme": "Définir le thème de l'icône de produit",
+ "select product icon theme": "Sélectionner un thème d'icône de produit",
+ "toggleExtensionsViewlet": "Afficher les extensions",
+ "installExtensions": "Installer les extensions",
+ "showEnabledExtensions": "Afficher les extensions activées",
+ "showInstalledExtensions": "Afficher les extensions installées",
+ "showDisabledExtensions": "Afficher les extensions désactivées",
+ "clearExtensionsSearchResults": "Effacer les résultats de la recherche d'extensions",
+ "refreshExtension": "Actualiser",
+ "showBuiltInExtensions": "Afficher les extensions intégrées",
+ "showOutdatedExtensions": "Afficher les extensions obsolètes",
+ "showPopularExtensions": "Afficher les extensions les plus demandées",
+ "recentlyPublishedExtensions": "Extensions récemment publiées",
+ "showRecommendedExtensions": "Afficher les extensions recommandées",
+ "showRecommendedExtension": "Afficher l'extension recommandée",
+ "installRecommendedExtension": "Installer l'Extension Recommandée",
+ "ignoreExtensionRecommendation": "Ne plus recommander cette extension",
+ "undo": "Annuler",
+ "showRecommendedKeymapExtensionsShort": "Mappages de touches",
+ "showLanguageExtensionsShort": "Extensions de langage",
+ "search recommendations": "Rechercher des extensions",
+ "OpenExtensionsFile.failed": "Impossible de créer le fichier 'extensions.json' dans le dossier '.vscode' ({0}).",
+ "configureWorkspaceRecommendedExtensions": "Configurer les extensions recommandées (espace de travail)",
+ "configureWorkspaceFolderRecommendedExtensions": "Configurer les extensions recommandées (Dossier d'espace de travail)",
+ "updated": "Mise à jour terminée",
+ "installed": "Installé",
+ "uninstalled": "NON INSTALLÉ",
+ "enabled": "Activé",
+ "disabled": "Désactivé",
+ "malicious tooltip": "Cette extension a été signalée comme posant un problème.",
+ "malicious": "Malveillante",
+ "ignored": "Cette extension est ignorée durant la synchronisation",
+ "synced": "Cette extension est synchronisée",
+ "sync": "Synchroniser cette extension",
+ "do not sync": "Ne pas synchroniser cette extension",
+ "extension enabled on remote": "L'extension est activée sur '{0}'",
+ "globally enabled": "Cette extension est activée globalement.",
+ "workspace enabled": "Cette extension est activée pour cet espace de travail par l'utilisateur.",
+ "globally disabled": "Cette extension est désactivée globalement par l'utilisateur.",
+ "workspace disabled": "Cette extension est désactivée pour cet espace de travail par l'utilisateur.",
+ "Install language pack also in remote server": "Installez l'extension du module linguistique sur '{0}' pour l'activer également à cet emplacement.",
+ "Install language pack also locally": "Installez l'extension du module linguistique localement pour l'activer également à cet emplacement.",
+ "Install in other server to enable": "Installez l'extension sur '{0}' pour l'activer.",
+ "disabled because of extension kind": "Cette extension a défini qu'elle ne peut pas s'exécuter sur le serveur distant",
+ "disabled locally": "L'extension est activée sur '{0}' et désactivée localement.",
+ "disabled remotely": "L'extension est activée localement et désactivée sur '{0}'.",
+ "disableAll": "Désactiver toutes les extensions installées",
+ "disableAllWorkspace": "Désactiver toutes les extensions installées pour cet espace de travail",
+ "enableAll": "Activer toutes les extensions",
+ "enableAllWorkspace": "Activer toutes les extensions pour cet espace de travail",
+ "installVSIX": "Installer depuis un VSIX...",
+ "installFromVSIX": "Installer à partir d'un VSIX",
+ "installButton": "&&Installer",
+ "reinstall": "Réinstallez l'extension...",
+ "selectExtensionToReinstall": "Sélectionner l'extension à réinstaller",
+ "ReinstallAction.successReload": "Rechargez Visual Studio Code pour terminer la réinstallation de l'extension {0}.",
+ "ReinstallAction.success": "Extension {0} réinstallée.",
+ "InstallVSIXAction.reloadNow": "Recharger maintenant",
+ "install previous version": "Installer une version spécifique de l'extension...",
+ "selectExtension": "Sélectionner une extension",
+ "InstallAnotherVersionExtensionAction.successReload": "Rechargez Visual Studio Code pour terminer l'installation de l'extension {0}.",
+ "InstallAnotherVersionExtensionAction.success": "Extension {0} installée.",
+ "InstallAnotherVersionExtensionAction.reloadNow": "Recharger maintenant",
+ "select extensions to install": "Sélectionner les extensions à installer",
+ "no local extensions": "Il n'y a aucune extension à installer.",
+ "installing extensions": "Installation des extensions...",
+ "finished installing": "Extensions installées correctement.",
+ "select and install local extensions": "Installer les extensions locales dans '{0}'...",
+ "install local extensions title": "Installer les extensions locales dans '{0}'",
+ "select and install remote extensions": "Installer les extensions distantes localement...",
+ "install remote extensions": "Installer les extensions distantes localement",
+ "extensionButtonProminentBackground": "Couleur d'arrière-plan du bouton pour les extension d'actions importantes (par ex., le bouton d'installation).",
+ "extensionButtonProminentForeground": "Couleur d'arrière-plan du bouton pour l'extension d'actions importantes (par ex., le bouton d'installation).",
+ "extensionButtonProminentHoverBackground": "Couleur d'arrière-plan du pointage de bouton pour l'extension d'actions importantes (par ex., le bouton d'installation)."
+ },
+ "vs/workbench/contrib/extensions/common/extensionsFileTemplate": {
+ "app.extensions.json.title": "Extensions",
+ "app.extensions.json.recommendations": "Liste des extensions qui doivent être recommandées pour les utilisateurs de cet espace de travail. L'identificateur d'une extension est toujours '${publisher}.${name}'. Par exemple : 'vscode.csharp'.",
+ "app.extension.identifier.errorMessage": "Format attendu : '${publisher}.${name}'. Exemple : 'vscode.csharp'.",
+ "app.extensions.json.unwantedRecommendations": "Liste des extensions recommandées par VS Code qui ne doivent pas être recommandées pour les utilisateurs de cet espace de travail. L'identificateur d'une extension est toujours '${publisher}.${name}'. Par exemple : 'vscode.csharp'."
+ },
+ "vs/workbench/contrib/extensions/browser/extensionEditor": {
+ "name": "Nom de l'extension",
+ "extension id": "Identificateur d'extension",
+ "preview": "Aperçu",
+ "builtin": "Intégrée",
+ "publisher": "Nom de l'éditeur",
+ "install count": "Nombre d'installations",
+ "rating": "Évaluation",
+ "repository": "Dépôt",
+ "license": "Licence",
+ "version": "Version",
+ "details": "Détails",
+ "detailstooltip": "Détails de l’extension, affichés depuis le fichier 'README.md' de l’extension",
+ "contributions": "Contributions",
+ "contributionstooltip": "Listes des contributions à VS Code par cette extension",
+ "changelog": "Journal des modifications",
+ "changelogtooltip": "Historique de mise à jour de l'extension, affiché depuis le fichier 'CHANGELOG.md' de l’extension",
+ "dependencies": "Dépendances",
+ "dependenciestooltip": "Répertorie les extensions dont dépend cette extension",
+ "recommendationHasBeenIgnored": "Vous avez choisi de ne pas recevoir de recommandations pour cette extension.",
+ "noReadme": "Aucun fichier README disponible.",
+ "extension pack": "Pack d'extensions ({0})",
+ "noChangelog": "Aucun Changelog disponible.",
+ "noContributions": "Aucune contribution",
+ "noDependencies": "Aucune dépendance",
+ "settings": "Paramètres ({0})",
+ "setting name": "Nom",
+ "description": "Description",
+ "default": "Par défaut",
+ "debuggers": "Débogueurs ({0})",
+ "debugger name": "Nom",
+ "debugger type": "Type",
+ "viewContainers": "Voir les conteneurs ({0})",
+ "view container id": "ID",
+ "view container title": "Titre",
+ "view container location": "Emplacement",
+ "views": "Vues ({0})",
+ "view id": "ID",
+ "view name": "Nom",
+ "view location": "Emplacement",
+ "localizations": "Localisations ({0})",
+ "localizations language id": "ID de langue",
+ "localizations language name": "Nom de la langue",
+ "localizations localized language name": "Nom de la langue (localisé)",
+ "customEditors": "Éditeurs personnalisés ({0})",
+ "customEditors view type": "Type de vue",
+ "customEditors priority": "Priorité",
+ "customEditors filenamePattern": "Modèle de nom de fichier",
+ "codeActions": "Actions de code ({0})",
+ "codeActions.title": "Titre",
+ "codeActions.kind": "Genre",
+ "codeActions.description": "Description",
+ "codeActions.languages": "Langages",
+ "authentication": "Authentification ({0})",
+ "authentication.label": "Étiquette",
+ "authentication.id": "ID",
+ "colorThemes": "Thèmes de couleur ({0})",
+ "iconThemes": "Thèmes d'icône ({0})",
+ "colors": "Couleurs ({0})",
+ "colorId": "ID",
+ "defaultDark": "Défaut pour le thème sombre",
+ "defaultLight": "Défaut pour le thème clair",
+ "defaultHC": "Défaut pour le thème de contraste élevé",
+ "JSON Validation": "Validation JSON ({0})",
+ "fileMatch": "Correspondance de fichier",
+ "schema": "Schéma",
+ "commands": "Commandes ({0})",
+ "command name": "Nom",
+ "keyboard shortcuts": "Raccourcis clavier",
+ "menuContexts": "Contextes de menu",
+ "languages": "Langages ({0})",
+ "language id": "ID",
+ "language name": "Nom",
+ "file extensions": "Extensions de fichier",
+ "grammar": "Grammaire",
+ "snippets": "Extraits",
+ "activation events": "Événements d'activation ({0})",
+ "find": "Rechercher",
+ "find next": "Rechercher le suivant",
+ "find previous": "Rechercher le précédent"
+ },
+ "vs/workbench/contrib/extensions/common/extensionsUtils": {
+ "disableOtherKeymapsConfirmation": "Désactiver les autres mappages de touches ({0}) pour éviter les conflits de combinaisons de touches ?",
+ "yes": "Oui",
+ "no": "Non"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsActivationProgress": {
+ "activation": "Activation des extensions..."
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsDependencyChecker": {
+ "extensions": "Extensions",
+ "auto install missing deps": "Installer les dépendances manquantes",
+ "finished installing missing deps": "Fin de l'installation des dépendances manquantes. Rechargez la fenêtre à présent.",
+ "reload": "Recharger la fenêtre",
+ "no missing deps": "Il n'existe aucune dépendance manquante à installer."
+ },
+ "vs/workbench/contrib/extensions/browser/remoteExtensionsInstaller": {
+ "remote": "À distance",
+ "install remote in local": "Installer les extensions distantes localement..."
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsWorkbenchService": {
+ "Manifest is not found": "Le manifeste n’a pas été trouvé",
+ "malicious": "Cette extension est signalée comme étant problématique.",
+ "uninstallingExtension": "Désinstallation d'extension...",
+ "incompatible": "Impossible d'installer l'extension '{0}', car elle n'est pas compatible avec VS Code '{1}'.",
+ "installing named extension": "Installation de l'extension '{0}'...",
+ "installing extension": "Installation de l'extension...",
+ "disable all": "Tout désactiver",
+ "singleDependentError": "Impossible de désactiver seulement l'extension '{0}'. L'extension '{1}' en dépend. Voulez-vous désactiver toutes ces extensions ?",
+ "twoDependentsError": "Impossible de désactiver seulement l'extension '{0}'. Les extensions '{1}' et '{2}' en dépendent. Voulez-vous désactiver toutes ces extensions ?",
+ "multipleDependentsError": "Impossible de désactiver seulement l'extension '{0}'. '{1}', '{2}' et d'autres extensions en dépendent. Voulez-vous désactiver toutes ces extensions ?"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsQuickAccess": {
+ "type": "Tapez un nom d'extension à installer ou à rechercher.",
+ "searchFor": "Appuyez sur Entrée pour rechercher l'extension '{0}'.",
+ "install": "Appuyez sur Entrée pour installer l'extension '{0}'.",
+ "manage": "Appuyez sur Entrée pour gérer vos extensions."
+ },
+ "vs/workbench/contrib/extensions/browser/extensionRecommendationNotificationService": {
+ "neverShowAgain": "Ne plus afficher",
+ "ignoreExtensionRecommendations": "Voulez-vous ignorer toutes les recommandations d'extension ?",
+ "ignoreAll": "Oui, tout ignorer",
+ "no": "Non",
+ "workspaceRecommended": "Voulez-vous installer les extensions recommandées pour ce dépôt ?",
+ "install": "Installer",
+ "install and do no sync": "Installer (ne pas synchroniser)",
+ "show recommendations": "Afficher les recommandations"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsIcons": {
+ "extensionsViewIcon": "Icône de vue des extensions.",
+ "manageExtensionIcon": "Icône de l'action Gérer dans la vue des extensions.",
+ "clearSearchResultsIcon": "Icône de l'action Effacer les résultats de la recherche dans la vue des extensions.",
+ "refreshIcon": "Icône de l'action Actualiser dans la vue des extensions.",
+ "filterIcon": "Icône de l'action Filtrer dans la vue des extensions.",
+ "installLocalInRemoteIcon": "Icône de l'action Installer les extensions distantes localement dans la vue des extensions.",
+ "installWorkspaceRecommendedIcon": "Icône de l'action Installer les extensions recommandées pour l'espace de travail dans la vue des extensions.",
+ "configureRecommendedIcon": "Icône de l'action Configurer les extensions recommandées dans la vue des extensions.",
+ "syncEnabledIcon": "Icône permettant d'indiquer qu'une extension est synchronisée.",
+ "syncIgnoredIcon": "Icône permettant d'indiquer qu'une extension est ignorée au moment de la synchronisation.",
+ "remoteIcon": "Icône permettant d'indiquer qu'une extension est distante dans la vue et l'éditeur d'extensions.",
+ "installCountIcon": "Icône affichée avec le nombre d'installations dans la vue et l'éditeur d'extensions.",
+ "ratingIcon": "Icône affichée avec l'évaluation dans la vue et l'éditeur d'extensions.",
+ "starFullIcon": "Icône d'étoile pleine utilisée pour l'évaluation dans l'éditeur d'extensions.",
+ "starHalfIcon": "Icône de moitié d'étoile utilisée pour l'évaluation dans l'éditeur d'extensions.",
+ "starEmptyIcon": "Icône d'étoile vide utilisée pour l'évaluation dans l'éditeur d'extensions.",
+ "warningIcon": "Icône affichée avec un message d'avertissement dans l'éditeur d'extensions.",
+ "infoIcon": "Icône affichée avec un message d'information dans l'éditeur d'extensions."
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsViews": {
+ "extension-arialabel": "{0}, {1}, {2}, appuyez sur Entrée pour obtenir les détails de l'extension.",
+ "extensions": "Extensions",
+ "galleryError": "Nous ne pouvons pas vous connecter sur la Place de marché des Extensions en ce moment, veuillez s’il vous plaît essayer à nouveau plus tard.",
+ "error": "Erreur durant le chargement des extensions. {0}",
+ "no extensions found": "Extensions introuvables.",
+ "suggestProxyError": "Marketplace a retourné 'ECONNREFUSED'. Vérifiez le paramètre 'http.proxy'.",
+ "open user settings": "Ouvrir les paramètres utilisateur",
+ "installWorkspaceRecommendedExtensions": "Installer les extensions recommandées pour l'espace de travail"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsWidgets": {
+ "ratedBySingleUser": "Évaluée par 1 utilisateur",
+ "ratedByUsers": "Évaluée par {0} utilisateurs",
+ "noRating": "Pas de note",
+ "remote extension title": "Extension dans {0}",
+ "syncingore.label": "Cette extension est ignorée pendant la synchronisation."
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsViewer": {
+ "error": "Erreur",
+ "Unknown Extension": "Extension inconnue :",
+ "extension-arialabel": "{0}, {1}, {2}, appuyez sur Entrée pour obtenir les détails de l'extension.",
+ "extensions": "Extensions"
+ },
+ "vs/workbench/contrib/extensions/browser/dynamicWorkspaceRecommendations": {
+ "dynamicWorkspaceRecommendation": "Cette extension peut vous intéresser, car elle est populaire auprès des utilisateurs du dépôt {0}."
+ },
+ "vs/workbench/contrib/extensions/browser/exeBasedRecommendations": {
+ "exeBasedRecommendation": "Cette extension est recommandée, car vous avez installé {0}."
+ },
+ "vs/workbench/contrib/extensions/browser/workspaceRecommendations": {
+ "workspaceRecommendation": "Cette extension est recommandée par les utilisateurs de l'espace de travail actuel."
+ },
+ "vs/workbench/contrib/extensions/browser/fileBasedRecommendations": {
+ "searchMarketplace": "Rechercher sur Marketplace",
+ "fileBasedRecommendation": "Cette extension est recommandée d'après les fichiers que vous avez ouverts récemment.",
+ "reallyRecommended": "Voulez-vous installer les extensions recommandées pour {0} ?",
+ "showLanguageExtensions": "Marketplace dispose d'extensions utiles pour les fichiers '.{0}'",
+ "dontShowAgainExtension": "Ne plus afficher pour les fichiers '.{0}'"
+ },
+ "vs/workbench/contrib/extensions/browser/configBasedRecommendations": {
+ "exeBasedRecommendation": "Cette extension est recommandée en raison de la configuration de l'espace de travail actuel"
+ },
+ "vs/workbench/contrib/externalTerminal/node/externalTerminal.contribution": {
+ "globalConsoleAction": "Ouvrir un nouveau terminal externe",
+ "terminalConfigurationTitle": "Terminal externe",
+ "terminal.explorerKind.integrated": "Utiliser le terminal intégré de VS Code.",
+ "terminal.explorerKind.external": "Utiliser le terminal externe configuré.",
+ "explorer.openInTerminalKind": "Personnalise le type de terminal à lancer.",
+ "terminal.external.windowsExec": "Personnalise le terminal à exécuter sur Windows.",
+ "terminal.external.osxExec": "Personnalise l’application de terminal à exécuter sur macOS.",
+ "terminal.external.linuxExec": "Personnalise le terminal à exécuter sur Linux."
+ },
+ "vs/workbench/contrib/externalTerminal/node/externalTerminalService": {
+ "console.title": "Console VS Code",
+ "mac.terminal.script.failed": "Échec du script '{0}'. Code de sortie : {1}",
+ "mac.terminal.type.not.supported": "'{0}' non pris en charge",
+ "press.any.key": "Appuyez sur une touche pour continuer...",
+ "linux.term.failed": "Échec de '{0}'. Code de sortie : {1}",
+ "ext.term.app.not.found": "application de terminal '{0}' introuvable"
+ },
+ "vs/workbench/contrib/externalTerminal/browser/externalTerminal.contribution": {
+ "scopedConsoleAction": "Ouvrir dans Terminal",
+ "scopedConsoleAction.integrated": "Ouvrir dans le terminal intégré",
+ "scopedConsoleAction.wt": "Ouvrir dans le Terminal Windows",
+ "scopedConsoleAction.external": "Ouvrir dans un terminal externe"
+ },
+ "vs/workbench/contrib/feedback/browser/feedbackStatusbarItem": {
+ "status.feedback": "Tweeter des commentaires"
+ },
+ "vs/workbench/contrib/feedback/browser/feedback": {
+ "sendFeedback": "Tweeter des commentaires",
+ "label.sendASmile": "Tweetez-nous vos commentaires.",
+ "close": "Fermer",
+ "patchedVersion1": "Votre installation est endommagée.",
+ "patchedVersion2": "Spécifiez cela, si vous soumettez un bogue.",
+ "sentiment": "Quelles sont vos impressions ?",
+ "smileCaption": "Sentiment de retour satisfaisant",
+ "frownCaption": "Sentiment de retour non satisfaisant",
+ "other ways to contact us": "Autres façons de nous contacter",
+ "submit a bug": "Soumettre un bogue",
+ "request a missing feature": "Demander une fonctionnalité manquante",
+ "tell us why": "Pourquoi ?",
+ "feedbackTextInput": "Faites-nous part de vos commentaires",
+ "showFeedback": "Afficher l'icône de commentaires dans la barre d'état",
+ "tweet": "Tweet",
+ "tweetFeedback": "Tweeter des commentaires",
+ "character left": "caractère restant",
+ "characters left": "caractères restants"
+ },
+ "vs/workbench/contrib/files/electron-sandbox/files.contribution": {
+ "textFileEditor": "Éditeur de fichiers texte"
+ },
+ "vs/workbench/contrib/files/electron-sandbox/fileActions.contribution": {
+ "revealInWindows": "Révéler dans l'Explorateur de fichiers",
+ "revealInMac": "Révéler dans le Finder",
+ "openContainer": "Ouvrir le dossier contenant",
+ "filesCategory": "Fichier"
+ },
+ "vs/workbench/contrib/files/browser/explorerViewlet": {
+ "explorerViewIcon": "Icône de vue de l'Explorateur.",
+ "folders": "Dossiers",
+ "explore": "Explorateur",
+ "noWorkspaceHelp": "Vous n'avez pas encore ajouté de dossier à l'espace de travail.\r\n[Ajouter un dossier](command:{0})",
+ "remoteNoFolderHelp": "Connecté au dépôt distant.\r\n[Ouvrir un dossier](command:{0})",
+ "noFolderHelp": "Vous n'avez pas encore ouvert de dossier.\r\n[Ouvrir un dossier](command:{0})"
+ },
+ "vs/workbench/contrib/files/browser/files.contribution": {
+ "showExplorerViewlet": "Afficher l'Explorateur",
+ "binaryFileEditor": "Éditeur de fichiers binaires",
+ "hotExit.off": "Désactivez la sortie à chaud. Une invite s'affiche quand vous tentez de fermer une fenêtre avec des fichiers dont l'intégrité est compromise.",
+ "hotExit.onExit": "La sortie à chaud est déclenchée quand la dernière fenêtre est fermée sur Windows/Linux ou quand la commande 'workbench.action.quit' est déclenchée (palette de commandes, combinaison de touches, menu). Toutes les fenêtres sans dossiers ouverts sont restaurées au prochain lancement. La liste des espaces de travail contenant des fichiers non enregistrés est accessible via 'Fichier > Ouvrir récent > Plus...'",
+ "hotExit.onExitAndWindowClose": "La sortie à chaud est déclenchée quand la dernière fenêtre est fermée sur Windows/Linux ou quand la commande 'workbench.action.quit' est déclenchée (palette de commandes, combinaison de touches, menu). Elle est aussi déclenchée pour toute fenêtre avec un dossier ouvert qu'il s'agisse ou non de la dernière fenêtre. Toutes les fenêtres sans dossiers ouverts sont restaurées au prochain lancement. La liste des espaces de travail avec des fichiers non enregistrés est accessible via 'Fichier > Ouvrir récent > Plus...'",
+ "hotExit": "Contrôle si les fichiers non enregistrés sont mémorisés entre les sessions, ce qui permet d'ignorer la demande d'enregistrement à la sortie de l'éditeur.",
+ "hotExit.onExitAndWindowCloseBrowser": "La fermeture du navigateur, de la fenêtre ou de l'onglet provoquera une sortie à chaud.",
+ "filesConfigurationTitle": "Fichiers",
+ "exclude": "Configurez les modèles Glob pour l'exclusion des fichiers et des dossiers. Par exemple, l'Explorateur de fichiers affiche ou masque les fichiers et dossiers en fonction de ce paramètre. Consultez le paramètre '#search.exclude#' pour définir des exclusions spécifiques à la recherche. Vous trouverez plus d'informations sur les modèles Glob [ici](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options).",
+ "files.exclude.boolean": "Modèle Glob auquel les chemins de fichiers doivent correspondre. Affectez la valeur true ou false pour activer ou désactiver le modèle.",
+ "files.exclude.when": "Vérification supplémentaire des frères d'un fichier correspondant. Utilisez $(basename) comme variable pour le nom de fichier correspondant.",
+ "associations": "Configurez les associations entre les fichiers et les langages (exemple : \"*.extension\": \"html\"`). Celles-ci sont prioritaires sur les associations par défaut des langages installés. ",
+ "encoding": "Encodage de jeu de caractères par défaut à utiliser lors de la lecture et l’écriture des fichiers. Ce paramètre peut également être configuré par langage.",
+ "autoGuessEncoding": "Quand cette option est activée, tente de deviner l'encodage du jeu de caractères à l'ouverture des fichiers. Ce paramètre peut également être configuré par langage.",
+ "eol.LF": "LF",
+ "eol.CRLF": "CRLF",
+ "eol.auto": "Utilise le caractère de fin de ligne spécifique du système d'exploitation.",
+ "eol": "Caractère de fin de ligne par défaut.",
+ "useTrash": "Déplace les fichiers/dossiers dans la corbeille du système d'exploitation (corbeille sous Windows) lors de la suppression. Désactiver ceci supprimera définitivement les fichiers/dossiers.",
+ "trimTrailingWhitespace": "Si l'option est activée, l'espace blanc de fin est supprimé au moment de l'enregistrement d'un fichier.",
+ "insertFinalNewline": "Quand l'option est activée, une nouvelle ligne finale est insérée à la fin du fichier au moment de son enregistrement.",
+ "trimFinalNewlines": "Si l'option est activée, va supprimer toutes les nouvelles lignes après la dernière ligne à la fin du fichier lors de l’enregistrement.",
+ "files.autoSave.off": "Un éditeur dont l'intégrité est compromise n'est jamais enregistré automatiquement.",
+ "files.autoSave.afterDelay": "Un éditeur dont l'intégrité est compromise est automatiquement enregistré après le '#files.autoSaveDelay#' configuré.",
+ "files.autoSave.onFocusChange": "Un éditeur dont l'intégrité est compromise est automatiquement enregistré quand il perd le focus.",
+ "files.autoSave.onWindowChange": "Un éditeur dont l'intégrité est compromise est automatiquement enregistré quand la fenêtre perd le focus.",
+ "autoSave": "Contrôle l'enregistrement automatique des éditeurs dont l'intégrité est compromise. Plus d'informations sur l'enregistrement automatique [ici](https://code.visualstudio.com/docs/editor/codebasics#_save-auto-save).",
+ "autoSaveDelay": "Contrôle le délai en ms avant l'enregistrement automatique de l'éditeur dont l'intégrité est compromise. S'applique uniquement quand '#files.autoSave#' est défini sur '{0}'.",
+ "watcherExclude": "Configurez les modèles Glob des chemins de fichier à exclure de la surveillance des fichiers. Les modèles doivent correspondre à des chemins absolus (par ex., utilisez le préfixe ** ou le chemin complet pour une correspondance appropriée). Le changement de ce paramètre nécessite un redémarrage. Si vous constatez que le code consomme beaucoup de temps processeur au démarrage, excluez les dossiers volumineux pour réduire la charge initiale.",
+ "defaultLanguage": "Mode de langage par défaut attribué aux nouveaux fichiers. S'il est configuré sur '${activeEditorLanguage}', utilise le mode de langage de l'éditeur de texte actif le cas échéant.",
+ "maxMemoryForLargeFilesMB": "Contrôle la mémoire disponible pour VS Code après le redémarrage en cas de tentative d'ouverture de fichiers volumineux. Même effet que de spécifier '--max-memory=NEWSIZE' sur la ligne de commande.",
+ "files.restoreUndoStack": "Restaurez la pile des opérations d'annulation à la réouverture d'un fichier.",
+ "askUser": "Refuse l'enregistrement et demande la résolution manuelle du conflit d'enregistrement.",
+ "overwriteFileOnDisk": "Résout le conflit d'enregistrement en remplaçant le fichier sur le disque par les changements effectués dans l'éditeur.",
+ "files.saveConflictResolution": "Un conflit d'enregistrement peut se produire quand un fichier est enregistré sur un disque qui a été modifié par un autre programme dans l'intervalle. Pour éviter une perte de données, l'utilisateur est invité à comparer les changements dans l'éditeur avec la version sur disque. Changez ce paramètre seulement si vous rencontrez fréquemment des erreurs de conflit d'enregistrement, car il peut entraîner une perte de données s'il est utilisé sans précaution.",
+ "files.simpleDialog.enable": "Active la boîte de dialogue de fichier simple, qui remplace alors la boîte de dialogue de fichier système.",
+ "formatOnSave": "Met en forme un fichier à l'enregistrement. Un formateur doit être disponible, le fichier ne doit pas être enregistré après un délai et l'éditeur ne doit pas être en cours d'arrêt.",
+ "everything": "Met en forme la totalité du fichier.",
+ "modification": "Met en forme les modifications (nécessite le contrôle de code source).",
+ "formatOnSaveMode": "Permet de contrôler si la mise en forme au moment de l'enregistrement met en forme la totalité du fichier ou seulement les modifications apportées. S'applique uniquement quand '#editor.formatOnSave#' a la valeur 'true'.",
+ "explorerConfigurationTitle": "Explorateur de fichiers",
+ "openEditorsVisible": "Nombre d'éditeurs affichés dans le volet Éditeurs ouverts. Si la valeur est 0, le volet Éditeurs ouverts est masqué.",
+ "openEditorsSortOrder": "Contrôle l'ordre de tri des éditeurs dans le volet Éditeurs ouverts.",
+ "sortOrder.editorOrder": "Les éditeurs sont triés dans l'ordre selon lequel les onglets d'éditeur sont affichés.",
+ "sortOrder.alphabetical": "Les éditeurs sont triés par ordre alphabétique dans chaque groupe d'éditeurs.",
+ "autoReveal.on": "Les fichiers sont révélés et sélectionnés.",
+ "autoReveal.off": "Les fichiers ne sont pas révélés et sélectionnés.",
+ "autoReveal.focusNoScroll": "Les fichiers ne défilent pas dans la vue, mais ils ont toujours le focus.",
+ "autoReveal": "Contrôle si l’Explorateur devrait automatiquement révéler et sélectionner les fichiers lors de leur ouverture.",
+ "enableDragAndDrop": "Détermine si l'Explorateur autorise le déplacement des fichiers et des dossiers par glisser-déposer. Ce paramètre affecte uniquement le glisser-déposer dans l'Explorateur.",
+ "confirmDragAndDrop": "Contrôle si l’Explorateur doit demander confirmation pour déplacer des fichiers et des dossiers par glisser/déplacer.",
+ "confirmDelete": "Contrôle si l’Explorateur devrait demander confirmation lorsque vous supprimez un fichier via la corbeille.",
+ "sortOrder.default": "Les fichiers et dossiers sont triés par nom, dans l’ordre alphabétique. Les dossiers sont affichés avant les fichiers.",
+ "sortOrder.mixed": "Les fichiers et dossiers sont triés par nom, dans l’ordre alphabétique. Les fichiers sont imbriqués dans les dossiers.",
+ "sortOrder.filesFirst": "Les fichiers et dossiers sont triés par nom, dans l’ordre alphabétique. Les fichiers sont affichés avant les dossiers.",
+ "sortOrder.type": "Les fichiers et dossiers sont triés par extension, dans l’ordre alphabétique. Les dossiers sont affichés avant les fichiers.",
+ "sortOrder.modified": "Les fichiers et dossiers sont triés par date de dernière modification, dans l’ordre décroissant. Les dossiers sont affichés avant les fichiers.",
+ "sortOrder": "Contrôle l'ordre de tri des fichiers et des dossiers dans l’Explorateur.",
+ "explorer.decorations.colors": "Contrôle si les décorations de fichier devraient utiliser des couleurs.",
+ "explorer.decorations.badges": "Contrôle si les décorations de fichier devraient utiliser des badges.",
+ "simple": "Ajoute le mot « copy » à la fin du nom dupliqué, potentiellement suivi par un nombre",
+ "smart": "Ajoute un nombre à la fin du nom dupliqué. Si le nom comporte déjà un nombre, essayez d'augmenter ce nombre",
+ "explorer.incrementalNaming": "Contrôle la stratégie de nommage à utiliser lorsque vous donnez un nouveau nom à un élément dupliqué d'Explorer à coller.",
+ "compressSingleChildFolders": "Contrôle si l'explorateur doit afficher les dossiers de manière compacte. Sous cette forme, les dossiers enfant sont compressés individuellement dans un élément d'arborescence combiné. Utile pour les structures de package Java, par exemple.",
+ "miViewExplorer": "&&Explorateur"
+ },
+ "vs/workbench/contrib/files/browser/fileActions.contribution": {
+ "filesCategory": "Fichier",
+ "workspaces": "Espaces de travail",
+ "file": "fichier",
+ "copyPath": "Copier le chemin",
+ "copyRelativePath": "Copier le chemin d’accès relatif",
+ "revealInSideBar": "Révéler dans la barre latérale",
+ "acceptLocalChanges": "Utiliser vos changements et remplacer le contenu du fichier",
+ "revertLocalChanges": "Ignorer vos changements et rétablir le contenu du fichier",
+ "copyPathOfActive": "Copier le chemin du fichier actif",
+ "copyRelativePathOfActive": "Copier le chemin relatif du fichier actif",
+ "saveAllInGroup": "Tout enregistrer dans le groupe",
+ "saveFiles": "Enregistrer tous les fichiers",
+ "revert": "Rétablir le fichier",
+ "compareActiveWithSaved": "Compare le fichier actif avec celui enregistré",
+ "openToSide": "Ouvrir sur le côté",
+ "saveAll": "Tout enregistrer",
+ "compareWithSaved": "Comparer avec celui enregistré",
+ "compareWithSelected": "Comparer avec ce qui est sélectionné",
+ "compareSource": "Sélectionner pour comparer",
+ "compareSelected": "Comparer ce qui est sélectionné",
+ "close": "Fermer",
+ "closeOthers": "Fermer les autres",
+ "closeSaved": "Fermer la version sauvegardée",
+ "closeAll": "Tout fermer",
+ "explorerOpenWith": "Ouvrir avec...",
+ "cut": "Couper",
+ "deleteFile": "Supprimer définitivement",
+ "newFile": "Nouveau fichier",
+ "openFile": "Ouvrir un fichier...",
+ "miNewFile": "&&Nouveau fichier",
+ "miSave": "Enregi&&strer",
+ "miSaveAs": "Enregistrer &&sous...",
+ "miSaveAll": "Enregistrer to&&ut",
+ "miOpen": "&&Ouvrir...",
+ "miOpenFile": "&&Ouvrir le fichier...",
+ "miOpenFolder": "Ou&&vrir le dossier...",
+ "miOpenWorkspace": "Ouvrir l'e&&space de travail...",
+ "miAutoSave": "Enregistrement a&&utomatique",
+ "miRevert": "Réta&&blir le fichier",
+ "miCloseEditor": "Fermer l'édit&&eur",
+ "miGotoFile": "Atteindre le &&fichier..."
+ },
+ "vs/workbench/contrib/files/electron-sandbox/fileCommands": {
+ "openFileToReveal": "Ouvrir d'abord un fichier à révéler"
+ },
+ "vs/workbench/contrib/files/common/editors/fileEditorInput": {
+ "orphanedReadonlyFile": "{0} (supprimé, en lecture seule)",
+ "orphanedFile": "{0} (supprimé)",
+ "readonlyFile": "{0} (en lecture seule)"
+ },
+ "vs/workbench/contrib/files/electron-sandbox/textFileEditor": {
+ "fileTooLargeForHeapError": "Pour ouvrir un fichier de cette taille, vous devez redémarrer et lui permettre d'utiliser plus de mémoire",
+ "relaunchWithIncreasedMemoryLimit": "Redémarrer avec {0} Mo",
+ "configureMemoryLimit": "Configurer la limite de mémoire"
+ },
+ "vs/workbench/contrib/files/browser/views/emptyView": {
+ "noWorkspace": "Aucun dossier ouvert"
+ },
+ "vs/workbench/contrib/files/browser/views/explorerView": {
+ "explorerSection": "Section de l'Explorateur : {0}"
+ },
+ "vs/workbench/contrib/files/browser/views/openEditorsView": {
+ "openEditors": "Éditeurs ouverts",
+ "dirtyCounter": "{0} non enregistré(s)"
+ },
+ "vs/workbench/contrib/files/browser/editors/textFileSaveErrorHandler": {
+ "userGuide": "Utilisez les actions de la barre d'outils de l'éditeur pour annuler vos changements ou remplacer le contenu du fichier par vos changements.",
+ "staleSaveError": "L'enregistrement de '{0}' a échoué : le contenu du fichier est plus récent. Comparez votre version au contenu du fichier ou remplacez le contenu du fichier par vos changements.",
+ "retry": "Réessayer",
+ "discard": "Ignorer",
+ "readonlySaveErrorAdmin": "L'enregistrement de '{0}' a échoué : le fichier est en lecture seule. Sélectionnez 'Remplacer en tant qu'administrateur' pour réessayer en tant qu'administrateur.",
+ "readonlySaveErrorSudo": "L'enregistrement de '{0}' a échoué : le fichier est en lecture seule. Sélectionnez 'Remplacer en tant que Sudo' pour réessayer en tant que superutilisateur.",
+ "readonlySaveError": "L'enregistrement de '{0}' a échoué : le fichier est en lecture seule. Sélectionnez 'Remplacer' pour essayer de le rendre inscriptible.",
+ "permissionDeniedSaveError": "Échec de l'enregistrement de '{0}' : Permissions insuffisantes. Sélectionnez 'Remplacer en tant qu'Admin' pour réessayer en tant qu'administrator.",
+ "permissionDeniedSaveErrorSudo": "L'enregistrement de '{0}' a échoué : Autorisations insuffisantes. Sélectionnez 'Réessayer en tant que Sudo' pour réessayer comme superutilisateur.",
+ "genericSaveError": "Échec de l'enregistrement de '{0}' : {1}",
+ "learnMore": "En savoir plus",
+ "dontShowAgain": "Ne plus afficher",
+ "compareChanges": "Comparer",
+ "saveConflictDiffLabel": "{0} (dans le fichier) ↔ {1} (dans {2}) - Résoudre le conflit d'enregistrement",
+ "overwriteElevated": "Remplacer en tant qu'Admin...",
+ "overwriteElevatedSudo": "Remplacer en tant que Sudo...",
+ "saveElevated": "Réessayer en tant qu'Admin...",
+ "saveElevatedSudo": "Réessayer en tant que Sudo...",
+ "overwrite": "Remplacer",
+ "configure": "Configurer"
+ },
+ "vs/workbench/contrib/files/browser/editors/binaryFileEditor": {
+ "binaryFileEditor": "Visionneuse de fichiers binaires"
+ },
+ "vs/workbench/contrib/files/common/workspaceWatcher": {
+ "netVersionError": "Microsoft .NET Framework 4.5 est obligatoire. Suivez le lien pour l'installer.",
+ "installNet": "Télécharger .NET Framework 4.5",
+ "enospcError": "Impossible de surveiller les changements de fichier dans ce grand espace de travail. Suivez le lien d'instructions pour résoudre ce problème.",
+ "learnMore": "Instructions"
+ },
+ "vs/workbench/contrib/files/common/dirtyFilesIndicator": {
+ "dirtyFile": "1 fichier non enregistré",
+ "dirtyFiles": "{0} fichiers non enregistrés"
+ },
+ "vs/workbench/contrib/files/browser/fileActions": {
+ "newFile": "Nouveau fichier",
+ "newFolder": "Nouveau dossier",
+ "rename": "Renommer",
+ "delete": "Supprimer",
+ "copyFile": "Copier",
+ "pasteFile": "Coller",
+ "download": "Télécharger...",
+ "createNewFile": "Nouveau fichier",
+ "createNewFolder": "Nouveau dossier",
+ "deleteButtonLabelRecycleBin": "&&Déplacer vers la Corbeille",
+ "deleteButtonLabelTrash": "&&Déplacer vers la Poubelle",
+ "deleteButtonLabel": "S&&upprimer",
+ "dirtyMessageFilesDelete": "Vous supprimez des fichiers dont les changements n'ont pas été enregistrés. Voulez-vous continuer ?",
+ "dirtyMessageFolderOneDelete": "Vous supprimez un dossier {0} qui contient 1 fichier avec des changements non enregistrés. Voulez-vous continuer ?",
+ "dirtyMessageFolderDelete": "Vous supprimez un dossier {0} avec des changements non enregistrés dans {1} fichiers. Voulez-vous continuer ?",
+ "dirtyMessageFileDelete": "Vous supprimez {0} avec des changements non enregistrés. Voulez-vous continuer ?",
+ "dirtyWarning": "Vos changements sont perdus si vous ne les enregistrez pas.",
+ "undoBinFiles": "Vous pouvez restaurer ces fichiers à partir de la corbeille.",
+ "undoBin": "Vous pouvez restaurer ce fichier à partir de la corbeille.",
+ "undoTrashFiles": "Vous pouvez restaurer ces fichiers à partir de la corbeille.",
+ "undoTrash": "Vous pouvez restaurer ce fichier à partir de la corbeille.",
+ "doNotAskAgain": "Ne plus me poser la question",
+ "irreversible": "Cette action est irréversible !",
+ "deleteBulkEdit": "Supprimer {0} fichiers",
+ "deleteFileBulkEdit": "Supprimer {0}",
+ "deletingBulkEdit": "Suppression de {0} fichiers",
+ "deletingFileBulkEdit": "Suppression de {0}",
+ "binFailed": "Impossible de supprimer en utilisant la corbeille. Voulez-vous supprimer définitivement à la place ?",
+ "trashFailed": "Impossible de supprimer en utilisant la corbeille. Voulez-vous supprimer définitivement à la place ?",
+ "deletePermanentlyButtonLabel": "&&Supprimer définitivement",
+ "retryButtonLabel": "&&Réessayer",
+ "confirmMoveTrashMessageFilesAndDirectories": "Voulez-vous vraiment supprimer les {0} fichiers/répertoires suivants et leur contenu ?",
+ "confirmMoveTrashMessageMultipleDirectories": "Voulez-vous vraiment supprimer les {0} répertoires suivants et leur contenu ?",
+ "confirmMoveTrashMessageMultiple": "Êtes-vous sûr de vouloir supprimer les fichiers {0} suivants ?",
+ "confirmMoveTrashMessageFolder": "Voulez-vous vraiment supprimer '{0}' et son contenu ?",
+ "confirmMoveTrashMessageFile": "Voulez-vous vraiment supprimer '{0}' ?",
+ "confirmDeleteMessageFilesAndDirectories": "Voulez-vous vraiment supprimer définitivement les {0} fichiers/répertoires suivants et leur contenu ?",
+ "confirmDeleteMessageMultipleDirectories": "Voulez-vous vraiment supprimer définitivement les {0} répertoires suivants et leur contenu ?",
+ "confirmDeleteMessageMultiple": "Êtes-vous sûr de vouloir supprimer définitivement les fichiers {0} suivants ?",
+ "confirmDeleteMessageFolder": "Voulez-vous vraiment supprimer définitivement '{0}' et son contenu ?",
+ "confirmDeleteMessageFile": "Voulez-vous vraiment supprimer définitivement '{0}' ?",
+ "globalCompareFile": "Comparer le fichier actif à...",
+ "fileToCompareNoFile": "Sélectionnez un fichier à comparer.",
+ "openFileToCompare": "Ouvrez d'abord un fichier pour le comparer à un autre fichier.",
+ "toggleAutoSave": "Activer/désactiver la sauvegarde automatique",
+ "saveAllInGroup": "Tout enregistrer dans le groupe",
+ "closeGroup": "Fermer le groupe",
+ "focusFilesExplorer": "Focus sur l'Explorateur de fichiers",
+ "showInExplorer": "Révéler le fichier actif dans la barre latérale",
+ "openFileToShow": "Ouvrir d'abord un fichier pour l'afficher dans l'Explorateur",
+ "collapseExplorerFolders": "Réduire les dossiers dans l'explorateur",
+ "refreshExplorer": "Actualiser l'explorateur",
+ "openFileInNewWindow": "Ouvrir le fichier actif dans une nouvelle fenêtre",
+ "openFileToShowInNewWindow.unsupportedschema": "L'éditeur actif doit contenir une ressource ouvrable.",
+ "openFileToShowInNewWindow.nofile": "Ouvrir d'abord un fichier à ouvrir dans une nouvelle fenêtre",
+ "emptyFileNameError": "Un nom de fichier ou de dossier doit être fourni.",
+ "fileNameStartsWithSlashError": "Un nom de fichier ou de dossier ne peut commencer par une barre oblique.",
+ "fileNameExistsError": "Un fichier ou dossier **{0}** existe déjà à cet emplacement. Choisissez un autre nom.",
+ "invalidFileNameError": "Le nom **{0}** est non valide en tant que nom de fichier ou de dossier. Choisissez un autre nom.",
+ "fileNameWhitespaceWarning": "Espace blanc de début ou de fin détecté dans le nom de fichier ou de dossier.",
+ "compareWithClipboard": "Compare le fichier actif avec le presse-papiers",
+ "clipboardComparisonLabel": "Presse-papier ↔ {0}",
+ "retry": "Réessayer",
+ "createBulkEdit": "Créer {0}",
+ "creatingBulkEdit": "Création de {0}",
+ "renameBulkEdit": "Renommer {0} en {1}",
+ "renamingBulkEdit": "Changement du nom de {0} en {1}",
+ "downloadingFiles": "Téléchargement",
+ "downloadProgressSmallMany": "{0} fichier(s) sur {1} ({2}/s)",
+ "downloadProgressLarge": "{0} ({1} sur {2}, {3}/s)",
+ "downloadButton": "Télécharger",
+ "downloadFolder": "Télécharger le dossier",
+ "downloadFile": "Télécharger le fichier",
+ "downloadBulkEdit": "Télécharger {0}",
+ "downloadingBulkEdit": "Téléchargement de {0}",
+ "fileIsAncestor": "Le fichier à copier est un ancêtre du dossier de destination",
+ "movingBulkEdit": "Déplacement de {0} fichiers",
+ "movingFileBulkEdit": "Déplacement de {0}",
+ "moveBulkEdit": "Déplacer {0} fichiers",
+ "moveFileBulkEdit": "Déplacer {0}",
+ "copyingBulkEdit": "Copie de {0} fichiers",
+ "copyingFileBulkEdit": "Copie de {0}",
+ "copyBulkEdit": "Copier {0} fichiers",
+ "copyFileBulkEdit": "Copier {0}",
+ "fileDeleted": "Le ou les fichiers à coller ont été supprimés ou déplacés depuis que vous les avez copiés. {0}"
+ },
+ "vs/workbench/contrib/files/browser/fileCommands": {
+ "saveAs": "Enregistrer sous...",
+ "save": "Enregistrer",
+ "saveWithoutFormatting": "Enregistrer sans mise en forme",
+ "saveAll": "Tout enregistrer",
+ "removeFolderFromWorkspace": "Supprimer le dossier de l'espace de travail",
+ "newUntitledFile": "Nouveau fichier sans titre",
+ "modifiedLabel": "{0} (dans le fichier) ↔ {1}",
+ "openFileToCopy": "Ouvrir d'abord un fichier pour copier son chemin",
+ "genericSaveError": "Échec de l'enregistrement de '{0}' : {1}",
+ "genericRevertError": "Échec pour faire revenir '{0}' : {1}"
+ },
+ "vs/workbench/contrib/files/browser/editors/textFileEditor": {
+ "textFileEditor": "Éditeur de fichiers texte",
+ "openFolderError": "Le fichier est un répertoire",
+ "createFile": "Créer un fichier"
+ },
+ "vs/workbench/contrib/files/browser/views/explorerDecorationsProvider": {
+ "canNotResolve": "Impossible de résoudre le dossier d'espace de travail",
+ "symbolicLlink": "Lien symbolique",
+ "unknown": "Type de fichier inconnu",
+ "label": "Explorateur"
+ },
+ "vs/workbench/contrib/files/browser/views/explorerViewer": {
+ "treeAriaLabel": "Explorateur de fichiers",
+ "fileInputAriaLabel": "Tapez le nom du fichier. Appuyez sur Entrée pour confirmer ou sur Échap pour annuler.",
+ "confirmOverwrite": "Un fichier ou un dossier avec le nom '{0}' existe déjà dans le dossier de destination. Voulez-vous le remplacer ?",
+ "irreversible": "Cette action est irréversible !",
+ "replaceButtonLabel": "&&Remplacer",
+ "confirmManyOverwrites": "Les fichiers et/ou dossiers {0} suivants existent déjà dans le dossier de destination. Voulez-vous les remplacer ?",
+ "uploadingFiles": "Chargement",
+ "overwrite": "Remplacer {0}",
+ "overwriting": "Remplacement de {0}",
+ "uploadProgressSmallMany": "{0} fichier(s) sur {1} ({2}/s)",
+ "uploadProgressLarge": "{0} ({1} sur {2}, {3}/s)",
+ "copyFolders": "&&Copier les dossiers",
+ "copyFolder": "&&Copier le dossier",
+ "cancel": "Annuler",
+ "copyfolders": "Voulez-vous vraiment copier les dossiers ?",
+ "copyfolder": "Voulez-vous vraiment copier '{0}' ?",
+ "addFolders": "&&Aouter des dossiers à l'espace de travail",
+ "addFolder": "&&Ajouter le dossier à l'espace de travail",
+ "dropFolders": "Voulez-vous copier les dossiers ou les ajouter à l'espace de travail ?",
+ "dropFolder": "Voulez-vous copier '{0}' ou ajouter '{0}' comme dossier à l'espace de travail ?",
+ "copyFile": "Copier {0}",
+ "copynFile": "Copier {0} ressources",
+ "copyingFile": "Copie de {0}",
+ "copyingnFile": "Copie de {0} ressources",
+ "confirmRootsMove": "Êtes-vous sûr de vouloir modifier l’ordre de plusieurs dossiers de la racine dans votre espace de travail ?",
+ "confirmMultiMove": "Voulez-vous vraiment déplacer les fichiers {0} suivants dans '{1}' ?",
+ "confirmRootMove": "Êtes-vous sûr de vouloir modifier l’ordre de dossier racine '{0}' dans votre espace de travail ?",
+ "confirmMove": "Voulez-vous vraiment déplacer '{0}' dans '{1}' ?",
+ "doNotAskAgain": "Ne plus me poser la question",
+ "moveButtonLabel": "&&Déplacer",
+ "copy": "Copier {0}",
+ "copying": "Copie de {0}",
+ "move": "Déplacer {0}",
+ "moving": "Déplacement de {0}"
+ },
+ "vs/workbench/contrib/format/browser/formatActionsMultiple": {
+ "nullFormatterDescription": "Aucun(e)",
+ "miss": "L'extension '{0}' ne peut pas mettre en forme '{1}'",
+ "config.needed": "Il existe plusieurs formateurs pour les fichiers '{0}'. Sélectionnez un formateur par défaut pour continuer.",
+ "config.bad": "L'extension '{0}' est configurée comme formateur, mais n'est pas disponible. Sélectionnez un autre formateur par défaut pour continuer.",
+ "do.config": "Configurer...",
+ "select": "Sélectionner un formateur par défaut pour les fichiers '{0}'",
+ "formatter.default": "Définit un formateur par défaut qui est prioritaire sur tous les autres paramètres de formateur. Doit être l'identificateur d'une extension contribuant à un formateur.",
+ "def": "(Par défaut)",
+ "config": "Configurer le formateur par défaut...",
+ "format.placeHolder": "Sélectionner un formateur",
+ "formatDocument.label.multiple": "Mettre en forme le document avec...",
+ "formatSelection.label.multiple": "Mettre en forme la sélection avec..."
+ },
+ "vs/workbench/contrib/format/browser/formatActionsNone": {
+ "formatDocument.label.multiple": "Mettre en forme le document",
+ "too.large": "Impossible de formater ce fichier, car il est trop volumineux",
+ "no.provider": "Aucun formateur pour les fichiers '{0}' installés.",
+ "install.formatter": "Installer le formateur..."
+ },
+ "vs/workbench/contrib/format/browser/formatModified": {
+ "formatChanges": "Mettre en forme les lignes modifiées"
+ },
+ "vs/workbench/contrib/issue/electron-sandbox/issue.contribution": {
+ "reportIssueInEnglish": "Signaler un problème..."
+ },
+ "vs/workbench/contrib/issue/electron-sandbox/issueActions": {
+ "openProcessExplorer": "Ouvrir l'Explorateur de processus",
+ "reportPerformanceIssue": "Signaler un problème de performance"
+ },
+ "vs/workbench/contrib/keybindings/browser/keybindings.contribution": {
+ "toggleKeybindingsLog": "Activer/désactiver la résolution des problèmes liés aux raccourcis clavier"
+ },
+ "vs/workbench/contrib/localizations/browser/localizations.contribution": {
+ "updateLocale": "Souhaitez-vous changer la langue de l’interface de VS Code en {0} et redémarrer ?",
+ "activateLanguagePack": "Pour être utilisé dans {0}, VS Code doit être redémarré.",
+ "yes": "Oui",
+ "restart now": "Redémarrer maintenant",
+ "neverAgain": "Ne plus afficher",
+ "vscode.extension.contributes.localizations": "Contribuer aux localisations de l’éditeur",
+ "vscode.extension.contributes.localizations.languageId": "Id de la langue dans laquelle les chaînes d’affichage sont traduites.",
+ "vscode.extension.contributes.localizations.languageName": "Nom de la langue en anglais.",
+ "vscode.extension.contributes.localizations.languageNameLocalized": "Nom de la langue dans la langue contribuée.",
+ "vscode.extension.contributes.localizations.translations": "Liste des traductions associées à la langue.",
+ "vscode.extension.contributes.localizations.translations.id": "Id de VS Code ou Extension pour lesquels cette traduction contribue. L'Id de VS Code est toujours `vscode` et d’extension doit être au format `publisherId.extensionName`.",
+ "vscode.extension.contributes.localizations.translations.id.pattern": "L’Id doit être `vscode` ou au format `publisherId.extensionName` pour traduire respectivement VS code ou une extension.",
+ "vscode.extension.contributes.localizations.translations.path": "Un chemin relatif vers un fichier contenant les traductions du langage."
+ },
+ "vs/workbench/contrib/localizations/browser/localizationsActions": {
+ "configureLocale": "Configurer la langue d'affichage",
+ "installAdditionalLanguages": "Installer des langues supplémentaires...",
+ "chooseDisplayLanguage": "Sélectionner la langue d'affichage",
+ "relaunchDisplayLanguageMessage": "Vous devez redémarrer pour appliquer le changement de la langue d'affichage.",
+ "relaunchDisplayLanguageDetail": "Appuyez sur le bouton Redémarrer pour redémarrer {0} et changer la langue d'affichage.",
+ "restart": "&&Redémarrer"
+ },
+ "vs/workbench/contrib/localizations/browser/minimalTranslations": {
+ "showLanguagePackExtensions": "Recherchez dans les modules linguistiques du Marketplace pour remplacer la langue d'affichage par {0}.",
+ "searchMarketplace": "Rechercher dans la Place de marché",
+ "installAndRestartMessage": "Installez le module linguistique pour remplacer la langue d'affichage par {0}.",
+ "installAndRestart": "Installer et Redémarrer"
+ },
+ "vs/workbench/contrib/logs/common/logs.contribution": {
+ "userDataSyncLog": "Synchronisation des paramètres",
+ "rendererLog": "Fenêtre",
+ "telemetryLog": "Télémétrie",
+ "show window log": "Afficher le journal de la fenêtre",
+ "mainLog": "Principal",
+ "sharedLog": "Partagé"
+ },
+ "vs/workbench/contrib/logs/electron-sandbox/logsActions": {
+ "openLogsFolder": "Ouvrir le dossier des journaux",
+ "openExtensionLogsFolder": "Ouvrir le dossier des journaux d'extension"
+ },
+ "vs/workbench/contrib/logs/common/logsActions": {
+ "setLogLevel": "Définir le niveau de journalisation (log) ...",
+ "trace": "Trace",
+ "debug": "Déboguer",
+ "info": "Info",
+ "warn": "Avertissement",
+ "err": "Erreur",
+ "critical": "Critique",
+ "off": "DESACTIVÉ",
+ "selectLogLevel": "Sélectionner le niveau de journalisation (log)",
+ "default and current": "Par défaut et actuel(s)",
+ "default": "Par défaut",
+ "current": "Actuelle",
+ "openSessionLogFile": "Ouvrir le fichier journal Windows (Session)...",
+ "sessions placeholder": "Sélectionner une session",
+ "log placeholder": "Sélectionner le fichier journal"
+ },
+ "vs/workbench/contrib/markers/browser/markers.contribution": {
+ "markersViewIcon": "Icône de vue des marqueurs.",
+ "copyMarker": "Copier",
+ "copyMessage": "Copier le message",
+ "focusProblemsList": "Vue des problèmes de focus",
+ "focusProblemsFilter": "Filtre des problèmes de focus",
+ "show multiline": "Afficher le message sur plusieurs lignes",
+ "problems": "Problèmes",
+ "show singleline": "Afficher le message sur une seule ligne",
+ "clearFiltersText": "Effacer le texte des filtres",
+ "miMarker": "&&Problèmes",
+ "status.problems": "Problèmes",
+ "totalErrors": "{0} erreurs",
+ "totalWarnings": "{0} avertissements",
+ "totalInfos": "{0} infos",
+ "noProblems": "Aucun problème",
+ "manyProblems": "10K+"
+ },
+ "vs/workbench/contrib/markers/browser/markersView": {
+ "collapseAll": "Réduire tout",
+ "filter": "Filtrer",
+ "No problems filtered": "Affichage de {0} problèmes",
+ "problems filtered": "Affichage de {0} problèmes sur {1}",
+ "clearFilter": "Effacer les filtres"
+ },
+ "vs/workbench/contrib/markers/browser/markersViewActions": {
+ "filterIcon": "Icône de configuration du filtre dans la vue des marqueurs.",
+ "showing filtered problems": "Affichage de {0} sur {1}"
+ },
+ "vs/workbench/contrib/markers/browser/messages": {
+ "problems.view.toggle.label": "Activer/désactiver les problèmes (Erreurs, Avertissements, Infos)",
+ "problems.view.focus.label": " Focus sur les problèmes (Erreurs, Avertissements, Infos)",
+ "problems.panel.configuration.title": "Affichage des problèmes",
+ "problems.panel.configuration.autoreveal": "Contrôles si la vue Problèmes devrait révéler automatiquement les fichiers lors de leur ouverture.",
+ "problems.panel.configuration.showCurrentInStatus": "Lorsqu'il est activé, le problème actuel s'affiche dans la barre d'état.",
+ "markers.panel.title.problems": "Problèmes",
+ "markers.panel.no.problems.build": "Aucun problème n'a été détecté dans l'espace de travail jusqu'à présent.",
+ "markers.panel.no.problems.activeFile.build": "Aucun problème n'a été détecté dans le fichier actuel jusqu'à présent.",
+ "markers.panel.no.problems.filters": "Aucun résultat avec les critères de filtre fournis.",
+ "markers.panel.action.moreFilters": "Plus de filtres...",
+ "markers.panel.filter.showErrors": "Afficher les erreurs",
+ "markers.panel.filter.showWarnings": "Afficher les avertissements",
+ "markers.panel.filter.showInfos": "Afficher les informations",
+ "markers.panel.filter.useFilesExclude": "Masquer les fichiers exclus",
+ "markers.panel.filter.activeFile": "Afficher le fichier actif uniquement",
+ "markers.panel.action.filter": "Filtrer les problèmes",
+ "markers.panel.action.quickfix": "Afficher les correctifs",
+ "markers.panel.filter.ariaLabel": "Filtrer les problèmes",
+ "markers.panel.filter.placeholder": "Filtre (exemple : texte, **/*.ts, !**/modules_nœud/**)",
+ "markers.panel.filter.errors": "erreurs",
+ "markers.panel.filter.warnings": "avertissements",
+ "markers.panel.filter.infos": "infos",
+ "markers.panel.single.error.label": "1 erreur",
+ "markers.panel.multiple.errors.label": "{0} erreurs",
+ "markers.panel.single.warning.label": "1 avertissement",
+ "markers.panel.multiple.warnings.label": "{0} avertissements",
+ "markers.panel.single.info.label": "1 info",
+ "markers.panel.multiple.infos.label": "{0} infos",
+ "markers.panel.single.unknown.label": "1 inconnu",
+ "markers.panel.multiple.unknowns.label": "{0} inconnus",
+ "markers.panel.at.ln.col.number": "[{0}, {1}]",
+ "problems.tree.aria.label.resource": "{0} problèmes dans le fichier {1} du dossier {2}",
+ "problems.tree.aria.label.marker.relatedInformation": " Ce problème a des références à {0} emplacements.",
+ "problems.tree.aria.label.error.marker": "Erreur générée par {0} : {1} à la ligne {2} et au caractère {3}. {4}",
+ "problems.tree.aria.label.error.marker.nosource": "Erreur : {0} à la ligne {1} et au caractère {2}.{3}",
+ "problems.tree.aria.label.warning.marker": "Avertissement généré par {0} : {1} à la ligne {2} et au caractère {3}.{4}",
+ "problems.tree.aria.label.warning.marker.nosource": "Avertissement : {0} à la ligne {1} et au caractère {2}.{3}",
+ "problems.tree.aria.label.info.marker": "Information générée par {0} : {1} à la ligne {2} et au caractère {3}.{4}",
+ "problems.tree.aria.label.info.marker.nosource": "Information : {0} à la ligne {1} et au caractère {2}.{3}",
+ "problems.tree.aria.label.marker": "Problème généré par {0} : {1} à la ligne {2} et au caractère {3}.{4}",
+ "problems.tree.aria.label.marker.nosource": "Problème : {0} à la ligne {1} et au caractère {2}.{3}",
+ "problems.tree.aria.label.relatedinfo.message": "{0} à la ligne {1} et caractère {2} dans {3}",
+ "errors.warnings.show.label": "Afficher les erreurs et les avertissements"
+ },
+ "vs/workbench/contrib/markers/browser/markers": {
+ "totalProblems": "Total de {0} problèmes"
+ },
+ "vs/workbench/contrib/markers/browser/markersFileDecorations": {
+ "label": "Problèmes",
+ "tooltip.1": "1 problème dans ce fichier",
+ "tooltip.N": "{0} problèmes dans ce fichier",
+ "markers.showOnFile": "Affichez les erreurs et les avertissements sur les fichiers et les dossiers."
+ },
+ "vs/workbench/contrib/markers/browser/markersTreeViewer": {
+ "problemsView": "Vue des problèmes",
+ "expandedIcon": "Icône indiquant que plusieurs lignes sont affichées dans la vue des marqueurs.",
+ "collapsedIcon": "Icône indiquant que plusieurs lignes sont réduites dans la vue des marqueurs.",
+ "single line": "Afficher le message sur une seule ligne",
+ "multi line": "Afficher le message sur plusieurs lignes",
+ "links.navigate.follow": "suivre le lien",
+ "links.navigate.kb.meta": "ctrl + clic",
+ "links.navigate.kb.meta.mac": "cmd + clic",
+ "links.navigate.kb.alt.mac": "option + clic",
+ "links.navigate.kb.alt": "alt + clic"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/coreActions": {
+ "notebookActions.category": "Notebook",
+ "notebookActions.execute": "Exécuter la cellule",
+ "notebookActions.cancel": "Arrêter l'exécution des cellules",
+ "notebookActions.executeCell": "Exécuter la cellule",
+ "notebookActions.CancelCell": "Annuler l'exécution",
+ "notebookActions.deleteCell": "Supprimer la cellule",
+ "notebookActions.executeAndSelectBelow": "Exécuter la cellule du Notebook et sélectionner en dessous",
+ "notebookActions.executeAndInsertBelow": "Exécuter la cellule du Notebook et insérer en dessous",
+ "notebookActions.renderMarkdown": "Afficher toutes les cellules Markdown",
+ "notebookActions.executeNotebook": "Exécuter le Notebook",
+ "notebookActions.cancelNotebook": "Annuler l'exécution du Notebook",
+ "notebookMenu.insertCell": "Insérer une cellule",
+ "notebookMenu.cellTitle": "Cellule de Notebook",
+ "notebookActions.menu.executeNotebook": "Exécuter le Notebook (exécuter toutes les cellules)",
+ "notebookActions.menu.cancelNotebook": "Arrêter l'exécution du Notebook",
+ "notebookActions.changeCellToCode": "Changer la cellule en code",
+ "notebookActions.changeCellToMarkdown": "Changer la cellule en Markdown",
+ "notebookActions.insertCodeCellAbove": "Insérer une cellule de code au-dessus",
+ "notebookActions.insertCodeCellBelow": "Insérer une cellule de code en dessous",
+ "notebookActions.insertCodeCellAtTop": "Ajouter une cellule de code en haut",
+ "notebookActions.insertMarkdownCellAtTop": "Ajouter une cellule Markdown en haut",
+ "notebookActions.menu.insertCode": "$(add) Code",
+ "notebookActions.menu.insertCode.tooltip": "Ajouter une cellule de code",
+ "notebookActions.insertMarkdownCellAbove": "Insérer une cellule Markdown au-dessus",
+ "notebookActions.insertMarkdownCellBelow": "Insérer une cellule Markdown en dessous",
+ "notebookActions.menu.insertMarkdown": "$(add) Markdown",
+ "notebookActions.menu.insertMarkdown.tooltip": "Ajouter une cellule de Markdown",
+ "notebookActions.editCell": "Modifier la cellule",
+ "notebookActions.quitEdit": "Arrêter la modification de la cellule",
+ "notebookActions.moveCellUp": "Déplacer la cellule vers le haut",
+ "notebookActions.moveCellDown": "Déplacer la cellule vers le bas",
+ "notebookActions.copy": "Copier la cellule",
+ "notebookActions.cut": "Couper la cellule",
+ "notebookActions.paste": "Coller la cellule",
+ "notebookActions.pasteAbove": "Coller la cellule au-dessus",
+ "notebookActions.copyCellUp": "Copier la cellule vers le haut",
+ "notebookActions.copyCellDown": "Copier la cellule vers le bas",
+ "cursorMoveDown": "Focus sur l'éditeur de la cellule suivante",
+ "cursorMoveUp": "Focus sur l'éditeur de la cellule précédente",
+ "focusOutput": "Focus dans la sortie de cellule active",
+ "focusOutputOut": "Arrêt du focus dans la sortie de cellule active",
+ "focusFirstCell": "Focus sur la première cellule",
+ "focusLastCell": "Focus sur la dernière cellule",
+ "clearCellOutputs": "Effacer les sorties de cellule",
+ "changeLanguage": "Changer le langage des cellules",
+ "languageDescription": "({0}) - Langage actuel",
+ "languageDescriptionConfigured": "({0})",
+ "pickLanguageToConfigure": "Sélectionner le mode de langage",
+ "clearAllCellsOutputs": "Effacer les sorties de toutes les cellules",
+ "notebookActions.splitCell": "Diviser la cellule",
+ "notebookActions.joinCellAbove": "Joindre à la cellule précédente",
+ "notebookActions.joinCellBelow": "Joindre à la cellule suivante",
+ "notebookActions.centerActiveCell": "Centrer la cellule active",
+ "notebookActions.collapseCellInput": "Réduire l'entrée de la cellule",
+ "notebookActions.expandCellContent": "Développer le contenu de la cellule",
+ "notebookActions.collapseCellOutput": "Réduire la sortie de la cellule",
+ "notebookActions.expandCellOutput": "Développer la sortie de cellule",
+ "notebookActions.inspectLayout": "Inspecter la disposition Notebook"
+ },
+ "vs/workbench/contrib/notebook/browser/notebook.contribution": {
+ "diffLeftRightLabel": "{0} ⟷ {1}",
+ "notebookConfigurationTitle": "Notebook",
+ "notebook.displayOrder.description": "Liste de priorités des types mime de sortie",
+ "notebook.cellToolbarLocation.description": "Indique si la barre d'outils de la cellule doit être affichée, ou si elle doit être masquée.",
+ "notebook.showCellStatusbar.description": "Indique si la barre d'état de la cellule doit être affichée.",
+ "notebook.diff.enablePreview.description": "Indique s'il est nécessaire d'utiliser l'éditeur de différences de texte pour le notebook."
+ },
+ "vs/workbench/contrib/notebook/browser/notebookIcons": {
+ "configureKernel": "Icône de configuration du widget de configuration de noyau dans les éditeurs de notebook.",
+ "selectKernelIcon": "Icône de configuration permettant de sélectionner un noyau dans les éditeurs de notebook.",
+ "executeIcon": "Icône d'exécution dans les éditeurs de notebook.",
+ "stopIcon": "Icône d'arrêt d'exécution dans les éditeurs de notebook.",
+ "deleteCellIcon": "Icône permettant de supprimer une cellule dans les éditeurs de notebook.",
+ "executeAllIcon": "Icône permettant d'exécuter toutes les cellules dans les éditeurs de notebook.",
+ "editIcon": "Icône permettant de modifier une cellule dans les éditeurs de notebook.",
+ "stopEditIcon": "Icône permettant d'arrêter de modifier une cellule dans les éditeurs de notebook.",
+ "moveUpIcon": "Icône permettant de déplacer une cellule vers le haut dans les éditeurs de notebook.",
+ "moveDownIcon": "Icône permettant de déplacer une cellule vers le bas dans les éditeurs de notebook.",
+ "clearIcon": "Icône permettant d'effacer les sorties de cellule dans les éditeurs de notebook.",
+ "splitCellIcon": "Icône permettant de diviser une cellule dans les éditeurs de notebook.",
+ "unfoldIcon": "Icône permettant de déplier une cellule dans les éditeurs de notebook.",
+ "successStateIcon": "Icône permettant d'indiquer un état de réussite dans les éditeurs de notebook.",
+ "errorStateIcon": "Icône permettant d'indiquer un état d'erreur dans les éditeurs de notebook.",
+ "collapsedIcon": "Icône permettant d'annoter une section réduite dans les éditeurs de notebook.",
+ "expandedIcon": "Icône permettant d'annoter une section développée dans les éditeurs de notebook.",
+ "openAsTextIcon": "Icône permettant d'ouvrir le notebook dans un éditeur de texte.",
+ "revertIcon": "Icône de restauration dans les éditeurs de notebook.",
+ "mimetypeIcon": "Icône d'un type MIME dans les éditeurs de notebook."
+ },
+ "vs/workbench/contrib/notebook/browser/notebookEditor": {
+ "fail.noEditor": "Impossible d'ouvrir la ressource avec l'éditeur de notebook de type '{0}'. Vérifiez si l'extension appropriée est installée ou activée.",
+ "fail.reOpen": "Rouvrir le fichier avec l'éditeur de texte standard VS Code"
+ },
+ "vs/workbench/contrib/notebook/browser/notebookServiceImpl": {
+ "builtinProviderDisplayName": "Intégré"
+ },
+ "vs/workbench/contrib/notebook/browser/diff/notebookTextDiffEditor": {
+ "notebookTreeAriaLabel": "Outil Diff pour textes de Notebook"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/find/findController": {
+ "notebookActions.hideFind": "Masquer la recherche dans le Notebook",
+ "notebookActions.findInNotebook": "Rechercher dans le Notebook"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/fold/folding": {
+ "fold.cell": "Plier la cellule",
+ "unfold.cell": "Déplier la cellule"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/format/formatting": {
+ "format.title": "Mettre en forme le Notebook",
+ "label": "Mettre en forme le Notebook",
+ "formatCell.label": "Mettre en forme la cellule"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/status/editorStatus": {
+ "notebookActions.selectKernel": "Sélectionner un noyau de Notebook",
+ "notebook.runCell.selectKernel": "Sélectionner un noyau de notebook pour exécuter ce notebook",
+ "currentActiveKernel": " (Active)",
+ "notebook.promptKernel.setDefaultTooltip": "Définir en tant que fournisseur de noyau par défaut pour '{0}'",
+ "chooseActiveKernel": "Choisir le noyau pour le notebook actuel",
+ "notebook.selectKernel": "Choisir le noyau pour le notebook actuel"
+ },
+ "vs/workbench/contrib/notebook/browser/diff/notebookDiffActions": {
+ "notebook.diff.switchToText": "Ouvrir l'éditeur de différences de texte",
+ "notebook.diff.cell.revertMetadata": "Restaurer les métadonnées",
+ "notebook.diff.cell.revertOutputs": "Restaurer les sorties",
+ "notebook.diff.cell.revertInput": "Restaurer l'entrée"
+ },
+ "vs/workbench/contrib/notebook/browser/extensionPoint": {
+ "contributes.notebook.provider": "Ajoute un fournisseur de document de notebook.",
+ "contributes.notebook.provider.viewType": "Identificateur unique du notebook.",
+ "contributes.notebook.provider.displayName": "Nom contrôlable de visu du notebook.",
+ "contributes.notebook.provider.selector": "Ensemble de globs auquel est destiné le notebook.",
+ "contributes.notebook.provider.selector.filenamePattern": "Glob pour lequel le notebook est activé.",
+ "contributes.notebook.selector.provider.excludeFileNamePattern": "Glob pour lequel le notebook est désactivé.",
+ "contributes.priority": "Détermine si l'éditeur personnalisé est activé automatiquement quand l'utilisateur ouvre un fichier. Ce comportement peut être remplacé par les utilisateurs via le paramètre 'workbench.editorAssociations'.",
+ "contributes.priority.default": "L'éditeur est automatiquement utilisé quand l'utilisateur ouvre une ressource, à condition qu'aucun autre éditeur personnalisé par défaut ne soit inscrit pour cette ressource.",
+ "contributes.priority.option": "L'éditeur n'est pas automatiquement utilisé quand l'utilisateur ouvre une ressource, mais l'utilisateur peut passer à l'éditeur à l'aide de la commande Rouvrir avec.",
+ "contributes.notebook.renderer": "Ajoute un fournisseur de renderer de sortie de notebook.",
+ "contributes.notebook.renderer.viewType": "Identificateur unique du renderer de sortie du notebook.",
+ "contributes.notebook.provider.viewType.deprecated": "Renommez 'viewType' en 'id'.",
+ "contributes.notebook.renderer.displayName": "Nom contrôlable de visu du renderer de sortie du notebook.",
+ "contributes.notebook.selector": "Ensemble de globs auquel est destiné le notebook.",
+ "contributes.notebook.renderer.entrypoint": "Fichier à charger dans la vue web pour afficher l'extension."
+ },
+ "vs/workbench/contrib/notebook/browser/notebookKernelAssociation": {
+ "notebook.kernelProviderAssociations": "Définit un fournisseur de noyau par défaut qui est prioritaire sur tous les autres paramètres de fournisseurs de noyau. Il doit s'agir de l'identificateur d'une extension contribuant à un fournisseur de noyau."
+ },
+ "vs/workbench/contrib/notebook/common/model/notebookTextModel": {
+ "defaultEditLabel": "Modifier"
+ },
+ "vs/workbench/contrib/notebook/common/notebookEditorModel": {
+ "notebook.staleSaveError": "Le contenu du fichier a changé sur le disque. Voulez-vous ouvrir la version mise à jour ou remplacer le fichier par les changements que vous avez apportés ?",
+ "notebook.staleSaveError.revert": "Restaurer",
+ "notebook.staleSaveError.overwrite.": "Remplacer"
+ },
+ "vs/workbench/contrib/notebook/browser/notebookEditorWidget": {
+ "notebookTreeAriaLabel": "Notebook",
+ "notebook.runCell.selectKernel": "Sélectionner un noyau de notebook pour exécuter ce notebook",
+ "notebook.promptKernel.setDefaultTooltip": "Définir en tant que fournisseur de noyau par défaut pour '{0}'",
+ "notebook.cellBorderColor": "Couleur de bordure des cellules de notebook.",
+ "notebook.focusedEditorBorder": "Couleur de la bordure de l'éditeur de cellule de notebook.",
+ "notebookStatusSuccessIcon.foreground": "Couleur de l'icône d'erreur des cellules de notebook dans la barre d'état des cellules.",
+ "notebookStatusErrorIcon.foreground": "Couleur de l'icône d'erreur des cellules de notebook dans la barre d'état des cellules.",
+ "notebookStatusRunningIcon.foreground": "Couleur de l'icône d'exécution des cellules de notebook dans la barre d'état des cellules.",
+ "notebook.outputContainerBackgroundColor": "Couleur de l'arrière-plan du conteneur de sortie de notebook.",
+ "notebook.cellToolbarSeparator": "Couleur du séparateur dans la barre d'outils inférieure de la cellule",
+ "focusedCellBackground": "Couleur d'arrière-plan d'une cellule lorsque la cellule a le focus.",
+ "notebook.cellHoverBackground": "Couleur d'arrière-plan d'une cellule lorsque la cellule est survolée.",
+ "notebook.selectedCellBorder": "Couleur de la bordure supérieure et inférieure de la cellule quand celle-ci est sélectionnée mais qu'elle n'a pas le focus.",
+ "notebook.focusedCellBorder": "Couleur de la bordure supérieure et inférieure de la cellule lorsque la cellule a le focus.",
+ "notebook.cellStatusBarItemHoverBackground": "Couleur d'arrière-plan des éléments de barre d'état des cellules de notebook.",
+ "notebook.cellInsertionIndicator": "Couleur de l'indicateur d'insertion dans une cellule de notebook.",
+ "notebookScrollbarSliderBackground": "Couleur d'arrière-plan du curseur de barre de défilement de Notebook.",
+ "notebookScrollbarSliderHoverBackground": "Couleur d'arrière-plan du curseur de barre de défilement de Notebook quand un utilisateur pointe sur le curseur.",
+ "notebookScrollbarSliderActiveBackground": "Couleur d'arrière-plan du curseur de barre de défilement de Notebook quand un utilisateur clique sur le curseur.",
+ "notebook.symbolHighlightBackground": "Couleur d'arrière-plan de la cellule en surbrillance"
+ },
+ "vs/workbench/contrib/notebook/browser/view/renderers/cellRenderer": {
+ "cellExpandButtonLabel": "Développer"
+ },
+ "vs/workbench/contrib/notebook/browser/viewModel/markdownCellViewModel": {
+ "notebook.emptyMarkdownPlaceholder": "Cellule de Markdown vide. Double-cliquez sur celle-ci, ou appuyez sur entrée pour la modifier."
+ },
+ "vs/workbench/contrib/notebook/browser/view/renderers/cellWidgets": {
+ "notebook.cell.status.language": "Sélectionner le mode de langage de la cellule"
+ },
+ "vs/workbench/contrib/notebook/browser/view/renderers/cellOutput": {
+ "mimeTypePicker": "Choisissez un autre type MIME de sortie. Voici les types MIME disponibles : {0}",
+ "curruentActiveMimeType": "Actif",
+ "promptChooseMimeTypeInSecure.placeHolder": "Sélectionnez le type MIME à afficher pour la sortie actuelle. Les types MIME enrichis sont disponibles uniquement quand le notebook est digne de confiance",
+ "promptChooseMimeType.placeHolder": "Sélectionner le type MIME à afficher pour la sortie actuelle",
+ "builtinRenderInfo": "intégré"
+ },
+ "vs/workbench/contrib/outline/browser/outline.contribution": {
+ "outlineViewIcon": "Icône de vue de la vue Structure.",
+ "name": "Structure",
+ "outlineConfigurationTitle": "Structure",
+ "outline.showIcons": "Restituez les éléments de structure avec des icônes. ",
+ "outline.showProblem": "Affichez les erreurs et les avertissements sur les éléments de structure.",
+ "outline.problem.colors": "Utilisez des couleurs pour les erreurs et les avertissements.",
+ "outline.problems.badges": "Utilisez des badges pour les erreurs et les avertissements.",
+ "filteredTypes.file": "Si activé, le plan montre des symboles de type 'file'.",
+ "filteredTypes.module": "Si activé, le plan montre des symboles de type 'module'.",
+ "filteredTypes.namespace": "Si activé, le plan montre des symboles de type 'namespace'.",
+ "filteredTypes.package": "Si activé, le plan montre des symboles de type 'package'.",
+ "filteredTypes.class": "Si activé, le plan montre des symboles de type 'class'.",
+ "filteredTypes.method": "Si activé, le plan montre des symboles de type 'method'.",
+ "filteredTypes.property": "Si activé, le plan montre des symboles de type 'property'.",
+ "filteredTypes.field": "Si activé, le plan montre des symboles de type 'field'.",
+ "filteredTypes.constructor": "Si activé, le plan montre des symboles de type 'constructor'.",
+ "filteredTypes.enum": "Si activé, le plan montre des symboles de type 'enum'.",
+ "filteredTypes.interface": "Si activé, le plan montre des symboles de type 'interface'.",
+ "filteredTypes.function": "Si activé, le plan montre des symboles de type 'function'.",
+ "filteredTypes.variable": "Si activé, le plan montre des symboles de type 'variable'.",
+ "filteredTypes.constant": "Si activé, le plan montre des symboles de type 'constant'.",
+ "filteredTypes.string": "Si activé, le plan montre des symboles de type 'string'.",
+ "filteredTypes.number": "Si activé, le plan montre des symboles de type 'number'.",
+ "filteredTypes.boolean": "Si activé, le plan montre des symboles de type 'boolean'.",
+ "filteredTypes.array": "Si activé, le plan montre des symboles de type 'array'.",
+ "filteredTypes.object": "Si activé, le plan montre des symboles de type 'object'.",
+ "filteredTypes.key": "Si activé, le plan montre des symboles de type 'key'.",
+ "filteredTypes.null": "Si activé, le plan montre des symboles de type 'null'.",
+ "filteredTypes.enumMember": "Si activé, le plan montre des symboles de type 'enumMember'.",
+ "filteredTypes.struct": "Si activé, le plan montre des symboles de type 'struct'.",
+ "filteredTypes.event": "Si activé, le plan montre des symboles de type 'event'.",
+ "filteredTypes.operator": "Si activé, le plan montre des symboles de type 'operator'.",
+ "filteredTypes.typeParameter": "Si activé, le plan montre des symboles de type 'typeParameter'."
+ },
+ "vs/workbench/contrib/outline/browser/outlinePane": {
+ "outline": "Structure",
+ "sortByPosition": "Trier par : Position",
+ "sortByName": "Trier par : Nom",
+ "sortByKind": "Trier par : Catégorie",
+ "followCur": "Suivre le curseur",
+ "filterOnType": "Filtrer sur le type",
+ "no-editor": "L'éditeur actif ne peut pas fournir les informations de contour.",
+ "loading": "Chargement des symboles de document pour '{0}'...",
+ "no-symbols": "Aucun symbole trouvé dans le document '{0}'"
+ },
+ "vs/workbench/contrib/output/browser/output.contribution": {
+ "outputViewIcon": "Icône de vue de la sortie.",
+ "output": "Sortie",
+ "logViewer": "Visionneuse du journal",
+ "switchToOutput.label": "Passer à la sortie",
+ "clearOutput.label": "Effacer la sortie",
+ "outputCleared": "Sortie effacée",
+ "toggleAutoScroll": "Activer/désactiver le défilement automatique",
+ "outputScrollOff": "Désactiver le défilement automatique",
+ "outputScrollOn": "Activer le défilement automatique",
+ "openActiveLogOutputFile": "Ouvrir le fichier de sortie du journal",
+ "toggleOutput": "Activer/désactiver la sortie",
+ "showLogs": "Afficher les journaux...",
+ "selectlog": "Sélectionner le journal",
+ "openLogFile": "Ouvrir le fichier de log...",
+ "selectlogFile": "Sélectionner le fichier journal",
+ "miToggleOutput": "S&&ortie",
+ "output.smartScroll.enabled": "Activez/désactivez la possibilité du défilement intelligent dans la vue de sortie. Le défilement intelligent vous permet de verrouiller automatiquement le défilement quand vous cliquez dans la vue de sortie. Il se déverrouille quand vous cliquez sur la dernière ligne."
+ },
+ "vs/workbench/contrib/output/browser/outputView": {
+ "output model title": "{0} - Sortie",
+ "channel": "Canal de sortie pour '{0}'",
+ "output": "Sortie",
+ "outputViewWithInputAriaLabel": "{0}, Panneau de sortie",
+ "outputViewAriaLabel": "Panneau de sortie",
+ "outputChannels": "Canaux de sortie.",
+ "logChannel": "Journal ({0})"
+ },
+ "vs/workbench/contrib/output/browser/logViewer": {
+ "logViewerAriaLabel": "Visionneuse du journal"
+ },
+ "vs/workbench/contrib/performance/electron-browser/startupProfiler": {
+ "prof.message": "Création réussie des profils.",
+ "prof.detail": "Signalez le problème, et attachez manuellement les fichiers suivants :\r\n{0}",
+ "prof.restartAndFileIssue": "&&Créer le problème et redémarrer",
+ "prof.restart": "&&Redémarrer",
+ "prof.thanks": "Merci de votre aide.",
+ "prof.detail.restart": "Un redémarrage final est nécessaire pour continuer à utiliser '{0}'. Nous vous remercions une fois de plus pour votre contribution.",
+ "prof.restart.button": "&&Redémarrer"
+ },
+ "vs/workbench/contrib/performance/browser/performance.contribution": {
+ "show.label": "Niveau de performance du démarrage"
+ },
+ "vs/workbench/contrib/performance/browser/perfviewEditor": {
+ "name": "Niveau de performance du démarrage"
+ },
+ "vs/workbench/contrib/preferences/browser/keybindingsEditorContribution": {
+ "defineKeybinding.start": "Définir une combinaison de touches",
+ "defineKeybinding.kbLayoutErrorMessage": "Vous ne pouvez pas produire cette combinaison de touches avec la disposition actuelle du clavier.",
+ "defineKeybinding.kbLayoutLocalAndUSMessage": "**{0}** pour votre disposition actuelle du clavier (**{1}** pour le clavier États-Unis standard).",
+ "defineKeybinding.kbLayoutLocalMessage": "**{0}** pour votre disposition actuelle du clavier."
+ },
+ "vs/workbench/contrib/preferences/browser/preferences.contribution": {
+ "defaultPreferencesEditor": "Éditeur de préférences par défaut",
+ "settingsEditor2": "Éditeur de paramètres 2",
+ "keybindingsEditor": "Éditeur de combinaisons de touches",
+ "openSettings2": "Afficher les paramètres (IU)",
+ "preferences": "Préférences",
+ "settings": "Paramètres",
+ "miOpenSettings": "Paramètr&&es",
+ "openSettingsJson": "Afficher les paramètres (en JSON)",
+ "openGlobalSettings": "Ouvrir les paramètres utilisateur",
+ "openRawDefaultSettings": "Ouvrir les paramètres par défaut (JSON)",
+ "openWorkspaceSettings": "Ouvrir les paramètres d'espace de travail",
+ "openWorkspaceSettingsFile": "Ouvrir les paramètres d'espace de travail (JSON)",
+ "openFolderSettings": "Ouvrir le dossier Paramètres",
+ "openFolderSettingsFile": "Ouvrir les paramètres de dossier (JSON)",
+ "filterModifiedLabel": "Afficher les paramètres modifiés",
+ "filterOnlineServicesLabel": "Afficher les paramètres des services en ligne",
+ "miOpenOnlineSettings": "Paramètres des serv&&ices en ligne",
+ "onlineServices": "Paramètres des services en ligne",
+ "openRemoteSettings": "Ouvrir les paramètres d'utilisation à distance ({0})",
+ "settings.focusSearch": "Définir le focus sur la recherche des paramètres",
+ "settings.clearResults": "Effacer les résultats de la recherche de paramètres",
+ "settings.focusFile": "Fichier de paramètres de focus",
+ "settings.focusNextSetting": "Focus sur le paramètre suivant",
+ "settings.focusPreviousSetting": "Focus sur le paramètre précédent",
+ "settings.editFocusedSetting": "Modifier le paramètre avec le focus",
+ "settings.focusSettingsList": "Liste des paramètres de focus",
+ "settings.focusSettingsTOC": "Définir le focus sur la table des matières des paramètres",
+ "settings.focusSettingControl": "Définir le focus sur le contrôle des paramètres",
+ "settings.showContextMenu": "Afficher le menu contextuel des paramètres",
+ "settings.focusLevelUp": "Déplacer le focus d'un niveau vers le haut",
+ "openGlobalKeybindings": "Ouvrir les raccourcis clavier",
+ "Keyboard Shortcuts": "Raccourcis clavier",
+ "openDefaultKeybindingsFile": "Ouvrir les raccourcis clavier par défaut (JSON)",
+ "openGlobalKeybindingsFile": "Ouvrir les raccourcis clavier (JSON)",
+ "showDefaultKeybindings": "Afficher les combinaisons de touches par défaut",
+ "showUserKeybindings": "Afficher les combinaisons de touches de l'utilisateur",
+ "clear": "Effacer les résultats de la recherche",
+ "miPreferences": "&&Préférences"
+ },
+ "vs/workbench/contrib/preferences/browser/keybindingWidgets": {
+ "defineKeybinding.initial": "Appuyez sur la combinaison de touches souhaitée puis appuyez sur Entrée",
+ "defineKeybinding.oneExists": "1 commande existante a cette combinaison de touche",
+ "defineKeybinding.existing": "{0} commandes existantes ont cette combinaison de touche",
+ "defineKeybinding.chordsTo": "pression simultanée avec"
+ },
+ "vs/workbench/contrib/preferences/browser/keybindingsEditor": {
+ "recordKeysLabel": "Enregistrer les clés",
+ "recordKeysLabelWithKeybinding": "{0} ({1})",
+ "sortByPrecedeneLabel": "Trier par priorité",
+ "sortByPrecedeneLabelWithKeybinding": "{0} ({1})",
+ "SearchKeybindings.FullTextSearchPlaceholder": "Taper pour rechercher dans les combinaisons de touches",
+ "SearchKeybindings.KeybindingsSearchPlaceholder": "Enregistrement des touches. Appuyer sur Echap pour sortir",
+ "clearInput": "Effacer l'entrée de recherche des combinaisons de touches",
+ "recording": "Enregistrement des touches",
+ "command": "Commande",
+ "keybinding": "Combinaison de touches",
+ "when": "Quand",
+ "source": "source",
+ "show sorted keybindings": "Affichage de {0} raccourcis clavier par ordre de priorité",
+ "show keybindings": "Affichage de {0} raccourcis clavier par ordre alphabétique",
+ "changeLabel": "Changer de combinaison de touches...",
+ "addLabel": "Ajouter une combinaison de touches...",
+ "editWhen": "Changer en cas d'expression",
+ "removeLabel": "Supprimer la combinaison de touches",
+ "resetLabel": "Réinitialiser une combinaison de touches",
+ "showSameKeybindings": "Afficher les mêmes raccourcis clavier",
+ "copyLabel": "Copier",
+ "copyCommandLabel": "Copier l'ID de commande",
+ "error": "Erreur '{0}' durant la modification de la combinaison de touches. Ouvrez le fichier 'keybindings.json', puis corrigez les erreurs.",
+ "editKeybindingLabelWithKey": "Changer de combinaison de touches {0}",
+ "editKeybindingLabel": "Changer de combinaison de touches",
+ "addKeybindingLabelWithKey": "Ajouter une combinaison de touches {0}",
+ "addKeybindingLabel": "Ajouter une combinaison de touches",
+ "title": "{0} ({1})",
+ "whenContextInputAriaLabel": "Tapez en cas de contexte. Appuyez sur Entrée pour confirmer ou Échap pour annuler.",
+ "keybindingsLabel": "Combinaisons de touches",
+ "noKeybinding": "Aucune combinaison de touches n'est affectée.",
+ "noWhen": "Pas de contexte when."
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesActions": {
+ "configureLanguageBasedSettings": "Configurer les paramètres spécifiques au langage...",
+ "languageDescriptionConfigured": "({0})",
+ "pickLanguage": "Sélectionner un langage"
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesEditor": {
+ "SearchSettingsWidget.AriaLabel": "Paramètres de recherche",
+ "SearchSettingsWidget.Placeholder": "Paramètres de recherche",
+ "noSettingsFound": "Paramètres introuvables",
+ "oneSettingFound": "1 paramètre trouvé",
+ "settingsFound": "{0} paramètres trouvés",
+ "totalSettingsMessage": "Total de {0} paramètres",
+ "nlpResult": "Résultats en langage naturel",
+ "filterResult": "Résultats filtrés",
+ "defaultSettings": "Paramètres par défaut",
+ "defaultUserSettings": "Paramètres utilisateur par défaut",
+ "defaultWorkspaceSettings": "Paramètres de l'espace de travail par défaut",
+ "defaultFolderSettings": "Paramètres de dossier par défaut",
+ "defaultEditorReadonly": "Modifier dans l’éditeur du côté droit pour substituer les valeurs par défaut.",
+ "preferencesAriaLabel": "Préférences par défaut. Éditeur en lecture seule."
+ },
+ "vs/workbench/contrib/preferences/browser/settingsEditor2": {
+ "SearchSettings.AriaLabel": "Paramètres de recherche",
+ "clearInput": "Effacer l'entrée de recherche des paramètres",
+ "noResults": "Aucun paramètre trouvé.",
+ "clearSearchFilters": "Effacer les filtres",
+ "settings": "Paramètres",
+ "settingsNoSaveNeeded": "Les changements apportés aux paramètres sont enregistrés automatiquement.",
+ "oneResult": "1 paramètre trouvé",
+ "moreThanOneResult": "{0} paramètres trouvés",
+ "turnOnSyncButton": "Activer la synchronisation des paramètres",
+ "lastSyncedLabel": "Dernière synchronisation : {0}"
+ },
+ "vs/workbench/contrib/preferences/common/preferencesContribution": {
+ "enableNaturalLanguageSettingsSearch": "Contrôle si vous voulez activer le mode de recherche de langage naturel pour les paramètres de contrôle. La recherche en langage naturel est assurée par un service Microsoft en ligne.",
+ "settingsSearchTocBehavior.hide": "Masquer la Table des matières lors de la recherche.",
+ "settingsSearchTocBehavior.filter": "Filtrer la Table des matières à quelques catégories ayant des paramètres correspondants. Cliquer sur une catégorie filtrera les résultats pour cette catégorie.",
+ "settingsSearchTocBehavior": "Contrôle le comportement de la table des matières de l'éditeur de paramètres pendant la recherche."
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesIcons": {
+ "settingsGroupExpandedIcon": "Icône de section développée dans l'éditeur de paramètres JSON divisé.",
+ "settingsGroupCollapsedIcon": "Icône de section réduite dans l'éditeur de paramètres JSON divisé.",
+ "settingsScopeDropDownIcon": "Icône du bouton de liste déroulante de dossier dans l'éditeur de paramètres JSON divisé.",
+ "settingsMoreActionIcon": "Icône de l'action associée aux actions supplémentaires dans l'IU des paramètres.",
+ "keybindingsRecordKeysIcon": "Icône de l'action d'enregistrement des touches dans l'IU de combinaison de touches.",
+ "keybindingsSortIcon": "Icône d'activation/de désactivation du tri par priorité dans l'IU de combinaison de touches.",
+ "keybindingsEditIcon": "Icône de l'action de modification dans l'IU de combinaison de touches.",
+ "keybindingsAddIcon": "Icône de l'action d'ajout dans l'IU de combinaison de touches.",
+ "settingsEditIcon": "Icône de l'action de modification dans l'IU des paramètres.",
+ "settingsAddIcon": "Icône de l'action d'ajout dans l'IU des paramètres.",
+ "settingsRemoveIcon": "Icône de l'action de suppression dans l'IU des paramètres.",
+ "preferencesDiscardIcon": "Icône de l'action d'abandon dans l'IU des paramètres.",
+ "preferencesClearInput": "Icône d'effacement d'entrée dans l'IU des paramètres et de combinaison de touches.",
+ "preferencesOpenSettings": "Icône des commandes d'ouverture de paramètres."
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesWidgets": {
+ "defaultSettings": "Placez vos paramètres dans l'éditeur de droite pour les substituer.",
+ "noSettingsFound": "Paramètres introuvables.",
+ "settingsSwitcherBarAriaLabel": "Sélecteur de paramètres",
+ "userSettings": "Utilisateur",
+ "userSettingsRemote": "Distant",
+ "workspaceSettings": "Espace de travail",
+ "folderSettings": "Dossier"
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesRenderers": {
+ "emptyUserSettingsHeader": "Placez vos paramètres ici pour remplacer ceux par défaut.",
+ "emptyWorkspaceSettingsHeader": "Placez vos paramètres ici pour remplacer les paramètres utilisateur.",
+ "emptyFolderSettingsHeader": "Placez ici vos paramètres de dossier pour remplacer ceux de l’espace de travail.",
+ "editTtile": "Modifier",
+ "replaceDefaultValue": "Remplacer dans les paramètres",
+ "copyDefaultValue": "Copier dans Paramètres",
+ "unknown configuration setting": "Paramètre de configuration inconnu",
+ "unsupportedRemoteMachineSetting": "Impossible d'appliquer ce paramètre dans cette fenêtre. Il est appliqué quand vous ouvrez une fenêtre locale.",
+ "unsupportedWindowSetting": "Impossible d'appliquer ce paramètre dans cet espace de travail. Il est appliqué quand vous ouvrez directement le dossier d'espace de travail.",
+ "unsupportedApplicationSetting": "Ce paramètre est applicable seulement dans les paramètres utilisateur de l'application",
+ "unsupportedMachineSetting": "Ce paramètre peut uniquement être appliqué dans les paramètres d'utilisateur dans la fenêtre locale ou dans les paramètres à distance dans la fenêtre à distance.",
+ "unsupportedProperty": "Propriété non prise en charge"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsLayout": {
+ "commonlyUsed": "Utilisés le plus souvent",
+ "textEditor": "Éditeur de texte",
+ "cursor": "Curseur",
+ "find": "Rechercher",
+ "font": "Police",
+ "formatting": "Mise en forme",
+ "diffEditor": "Éditeur de différences",
+ "minimap": "Minimap",
+ "suggestions": "Suggestions",
+ "files": "Fichiers",
+ "workbench": "Banc d'essai",
+ "appearance": "Apparence",
+ "breadcrumbs": "Fil d'Ariane",
+ "editorManagement": "Gestion de l'éditeur",
+ "settings": "Éditeur de paramètres",
+ "zenMode": "Mode Zen",
+ "screencastMode": "Mode de capture vidéo",
+ "window": "Fenêtre",
+ "newWindow": "Nouvelle fenêtre",
+ "features": "Fonctionnalités",
+ "fileExplorer": "Explorateur",
+ "search": "Recherche",
+ "debug": "Déboguer",
+ "scm": "SCM",
+ "extensions": "Extensions",
+ "terminal": "Terminal",
+ "task": "Tâche",
+ "problems": "Problèmes",
+ "output": "Sortie",
+ "comments": "Commentaires",
+ "remote": "Distant",
+ "timeline": "Chronologie",
+ "notebook": "Notebook",
+ "application": "Application",
+ "proxy": "Proxy",
+ "keyboard": "Clavier",
+ "update": "Mettre à jour",
+ "telemetry": "Télémétrie",
+ "settingsSync": "Synchronisation des paramètres"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsTree": {
+ "extensions": "Extensions",
+ "extensionSyncIgnoredLabel": "Synchronisation : Ignoré",
+ "modified": "Modifié le",
+ "settingsContextMenuTitle": "Plus d'actions...",
+ "alsoConfiguredIn": "Également modifiés dans",
+ "configuredIn": "Modifié dans",
+ "newExtensionsButtonLabel": "Afficher les extensions correspondantes",
+ "editInSettingsJson": "Modifier dans settings.json",
+ "settings.Default": "par défaut",
+ "resetSettingLabel": "Réinitialiser le paramètre",
+ "validationError": "Erreur de validation.",
+ "settings.Modified": "Modifié.",
+ "settings": "Paramètres",
+ "copySettingIdLabel": "Copier l'ID du paramètre",
+ "copySettingAsJSONLabel": "Copier le Paramètre en JSON",
+ "stopSyncingSetting": "Synchroniser ce paramètre"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsTreeModels": {
+ "workspace": "Espace de travail",
+ "remote": "Distant",
+ "user": "Utilisateur"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsWidgets": {
+ "headerForeground": "Couleur de premier plan d'un en-tête de section ou d'un titre actif.",
+ "modifiedItemForeground": "Couleur de l'indicateur de paramètre modifié.",
+ "settingsDropdownBackground": "Arrière-plan de la liste déroulante de l'éditeur de paramètres.",
+ "settingsDropdownForeground": "Premier plan de la liste déroulante de l'éditeur de paramètres.",
+ "settingsDropdownBorder": "Bordure de la liste déroulante de l'éditeur de paramètres.",
+ "settingsDropdownListBorder": "Bordure de liste déroulante de l'éditeur de paramètres. Elle entoure les options et les sépare de la description.",
+ "settingsCheckboxBackground": "Arrière-plan de case à cocher de l'éditeur de paramètres.",
+ "settingsCheckboxForeground": "Premier plan de case à cocher de l'éditeur de paramètres.",
+ "settingsCheckboxBorder": "Bordure de case à cocher de l'éditeur de paramètres.",
+ "textInputBoxBackground": "Arrière-plan de la zone d'entrée de texte de l'éditeur de paramètres.",
+ "textInputBoxForeground": "Premier plan de la zone d'entrée de texte de l'éditeur de paramètres.",
+ "textInputBoxBorder": "Bordure de la zone d'entrée de texte de l'éditeur de paramètres.",
+ "numberInputBoxBackground": "Arrière-plan de la zone d'entrée numérique de l'éditeur de paramètres.",
+ "numberInputBoxForeground": "Premier plan de la zone d'entrée numérique de l'éditeur de paramètres.",
+ "numberInputBoxBorder": "Bordure de la zone d'entrée numérique de l'éditeur de paramètres.",
+ "focusedRowBackground": "Couleur d'arrière-plan d'une ligne de paramètres quand elle a le focus.",
+ "notebook.rowHoverBackground": "Couleur d'arrière-plan d'une ligne de paramètres quand le pointeur la survole.",
+ "notebook.focusedRowBorder": "Couleur de la bordure supérieure et inférieure de la ligne quand la ligne a le focus.",
+ "okButton": "OK",
+ "cancelButton": "Annuler",
+ "listValueHintLabel": "Élément de liste '{0}'",
+ "listSiblingHintLabel": "Élément de liste '{0}' avec frère '${1}'",
+ "removeItem": "Supprimer l'élément",
+ "editItem": "Modifier l'élément",
+ "addItem": "Ajouter l'élément",
+ "itemInputPlaceholder": "Élément chaîne...",
+ "listSiblingInputPlaceholder": "Frère...",
+ "excludePatternHintLabel": "Exclure les fichiers correspondant à `{0}`",
+ "excludeSiblingHintLabel": "Exclure les fichiers correspondant à `{0}`, seulement quand un fichier correspondant à `{1}` est présent",
+ "removeExcludeItem": "Supprimer l’élément exclus",
+ "editExcludeItem": "Modifier l’élément exclus",
+ "addPattern": "Ajouter le modèle",
+ "excludePatternInputPlaceholder": "Modèle d'exclusion",
+ "excludeSiblingInputPlaceholder": "Quand le modèle est présent ...",
+ "objectKeyInputPlaceholder": "Clé",
+ "objectValueInputPlaceholder": "Valeur",
+ "objectPairHintLabel": "La propriété '{0}' a la valeur '{1}'.",
+ "resetItem": "Réinitialiser l'élément",
+ "objectKeyHeader": "Élément",
+ "objectValueHeader": "Valeur"
+ },
+ "vs/workbench/contrib/preferences/browser/tocTree": {
+ "settingsTOC": "Paramètres - Table des matières",
+ "groupRowAriaLabel": "{0}, groupe"
+ },
+ "vs/workbench/contrib/quickaccess/browser/quickAccess.contribution": {
+ "helpQuickAccessPlaceholder": "Tapez '{0}' pour obtenir de l'aide sur les actions que vous pouvez effectuer à partir de là.",
+ "helpQuickAccess": "Afficher tous les fournisseurs d'accès rapide",
+ "viewQuickAccessPlaceholder": "Tapez le nom d'une vue, d'un canal de sortie ou d'un terminal à ouvrir.",
+ "viewQuickAccess": "Ouvrir l'affichage",
+ "commandsQuickAccessPlaceholder": "Tapez le nom d'une commande à exécuter.",
+ "commandsQuickAccess": "Commandes d'affichage et d'exécution",
+ "miCommandPalette": "Palette de &&commandes...",
+ "miOpenView": "&&Ouvrir la vue...",
+ "miGotoSymbolInEditor": "Atteindre le &&symbole dans l'éditeur...",
+ "miGotoLine": "Atteindre la &&ligne/colonne...",
+ "commandPalette": "Palette de commandes..."
+ },
+ "vs/workbench/contrib/quickaccess/browser/viewQuickAccess": {
+ "noViewResults": "Aucune vue correspondante",
+ "views": "Barre latérale",
+ "panels": "Panneau",
+ "terminalTitle": "{0}: {1}",
+ "terminals": "Terminal",
+ "logChannel": "Journal ({0})",
+ "channels": "Sortie",
+ "openView": "Ouvrir l'affichage",
+ "quickOpenView": "Mode Quick Open"
+ },
+ "vs/workbench/contrib/quickaccess/browser/commandsQuickAccess": {
+ "noCommandResults": "Aucune commande correspondante",
+ "configure keybinding": "Configurer la combinaison de touches",
+ "commandWithCategory": "{0}: {1}",
+ "showTriggerActions": "Afficher toutes les commandes",
+ "clearCommandHistory": "Effacer l'historique de commandes"
+ },
+ "vs/workbench/contrib/relauncher/browser/relauncher.contribution": {
+ "relaunchSettingMessage": "Un paramètre a changé et nécessite un redémarrage pour être appliqué.",
+ "relaunchSettingMessageWeb": "Un paramètre modifié qui requiert une actualisation pour prendre effet.",
+ "relaunchSettingDetail": "Appuyez sur le bouton de redémarrage pour redémarrer {0} et activer le paramètre.",
+ "relaunchSettingDetailWeb": "Appuyez sur le bouton Actualiser pour actualiser {0} et activez le paramètre.",
+ "restart": "&&Redémarrer",
+ "restartWeb": "&&Recharger"
+ },
+ "vs/workbench/contrib/remote/electron-sandbox/remote.contribution": {
+ "remote": "À distance",
+ "remote.downloadExtensionsLocally": "Quand les extensions activées sont téléchargées localement et installées sur la machine distante."
+ },
+ "vs/workbench/contrib/remote/common/remote.contribution": {
+ "remoteExtensionLog": "Serveur distant",
+ "ui": "Extension de type interface utilisateur. Dans une fenêtre distante, ce type d'extension est activé seulement s'il est disponible sur la machine locale.",
+ "workspace": "Extension de type espace de travail. Dans une fenêtre distante, ce type d'extension est activé seulement s'il est disponible sur la machine distante.",
+ "web": "Genre d'extension de Worker web. Une telle extension peut s'exécuter dans un hôte d'extension de Worker web.",
+ "remote": "Distant",
+ "remote.extensionKind": "Remplacez le type d'une extension. Les extensions 'ui' sont installées et exécutées sur la machine locale, alors que les extensions 'workspace' sont exécutées sur la machine distante. Quand vous remplacez le type par défaut d'une extension à l'aide de ce paramètre, vous spécifiez si cette extension doit être installée et activée localement ou à distance.",
+ "remote.restoreForwardedPorts": "Restaure les ports que vous avez réacheminés dans un espace de travail.",
+ "remote.autoForwardPorts": "Quand cette option est activée, les nouveaux processus qui s'exécutent sont détectés, et les ports qu'ils écoutent sont réacheminés automatiquement."
+ },
+ "vs/workbench/contrib/remote/browser/remote": {
+ "RemoteHelpInformationExtPoint": "Apporte des informations d'aide pour Remote",
+ "RemoteHelpInformationExtPoint.getStarted": "URL, ou commande qui retourne l'URL, de la page Prise en main de votre projet",
+ "RemoteHelpInformationExtPoint.documentation": "URL, ou commande qui retourne l'URL, de la page de documentation de votre projet",
+ "RemoteHelpInformationExtPoint.feedback": "URL, ou commande qui retourne l'URL, du rapporteur de commentaires de votre projet",
+ "RemoteHelpInformationExtPoint.issues": "URL, ou commande qui retourne l'URL, de la liste des problèmes de votre projet",
+ "getStartedIcon": "Icône de prise en main dans la vue de l'Explorateur distant.",
+ "documentationIcon": "Icône de documentation dans la vue de l'Explorateur distant.",
+ "feedbackIcon": "Icône de Commentaires dans la vue de l'Explorateur distant.",
+ "reviewIssuesIcon": "Icône de revue d'un problème dans la vue de l'Explorateur distant.",
+ "reportIssuesIcon": "Icône de signalement d'un problème dans la vue de l'Explorateur distant.",
+ "remoteExplorerViewIcon": "Icône de vue de l'Explorateur distant.",
+ "remote.help.getStarted": "Mise en route",
+ "remote.help.documentation": "Consulter la documentation",
+ "remote.help.feedback": "Fournir un commentaire",
+ "remote.help.issues": "Examiner les problèmes",
+ "remote.help.report": "Signaler un problème",
+ "pickRemoteExtension": "Sélectionner l'url pour l'ouvrir",
+ "remote.help": "Assistance et retours",
+ "remotehelp": "Aide à distance",
+ "remote.explorer": "Explorateur distant",
+ "toggleRemoteViewlet": "Afficher Remote Explorer",
+ "reconnectionWaitOne": "Tentative de reconnexion dans {0} seconde...",
+ "reconnectionWaitMany": "Tentative de reconnexion dans {0} secondes...",
+ "reconnectNow": "Se reconnecter",
+ "reloadWindow": "Recharger la fenêtre",
+ "connectionLost": "Connexion perdue",
+ "reconnectionRunning": "Tentative de reconnexion...",
+ "reconnectionPermanentFailure": "Reconnexion impossible. Rechargez la fenêtre.",
+ "cancel": "Annuler"
+ },
+ "vs/workbench/contrib/remote/browser/remoteExplorer": {
+ "ports": "Ports",
+ "1forwardedPort": "1 port réacheminé",
+ "nForwardedPorts": "{0} ports réacheminés",
+ "status.forwardedPorts": "Ports transférés",
+ "remote.forwardedPorts.statusbarTextNone": "Aucun port réacheminé",
+ "remote.forwardedPorts.statusbarTooltip": "Ports réacheminés : {0}",
+ "remote.tunnelsView.automaticForward": "Le service s'exécutant sur le port {0} est disponible. [Voir tous les ports réacheminés](command:{1}.focus)"
+ },
+ "vs/workbench/contrib/remote/browser/explorerViewItems": {
+ "remotes": "Basculer sur la machine distante",
+ "remote.explorer.switch": "Basculer sur la machine distante"
+ },
+ "vs/workbench/contrib/remote/browser/remoteIndicator": {
+ "remote.category": "Distant",
+ "remote.showMenu": "Afficher le menu d'utilisation à distance",
+ "remote.close": "Fermer la connexion à distance",
+ "miCloseRemote": "Fer&&mer la connexion à distance",
+ "host.open": "Ouverture de la machine distante...",
+ "disconnectedFrom": "Déconnecté de {0}",
+ "host.tooltipDisconnected": "Déconnecté de {0}",
+ "host.tooltip": "Modification sur {0}",
+ "noHost.tooltip": "Ouvrir une fenêtre distante",
+ "remoteHost": "Hôte distant",
+ "cat.title": "{0}: {1}",
+ "closeRemote.title": "Fermer la connexion à distance"
+ },
+ "vs/workbench/contrib/remote/browser/tunnelView": {
+ "remote.tunnelsView.add": "Réacheminer un port...",
+ "remote.tunnelsView.detected": "Tunnels existants",
+ "remote.tunnelsView.candidates": "Non réacheminé",
+ "remote.tunnelsView.input": "Appuyez sur Entrée pour confirmer ou sur Échap pour annuler.",
+ "remote.tunnelsView.forwardedPortLabel0": "{0}",
+ "remote.tunnelsView.forwardedPortLabel1": "{0} → {1}",
+ "remote.tunnelsView.forwardedPortLabel2": "{0}",
+ "remote.tunnelsView.forwardedPortDescription0": "{0} → {1}",
+ "remote.tunnel": "Ports",
+ "remote.tunnel.ariaLabelForwarded": "Port distant {0}:{1} réacheminé vers l'adresse locale {2}",
+ "remote.tunnel.ariaLabelCandidate": "Port distant {0}:{1} non réacheminé",
+ "tunnelView": "Vue de tunnel",
+ "remote.tunnel.label": "Définir l'étiquette",
+ "remote.tunnelsView.labelPlaceholder": "Étiquette de port",
+ "remote.tunnelsView.portNumberValid": "Port réacheminé non valide.",
+ "remote.tunnelsView.portNumberToHigh": "Le numéro de port doit être ≥ 0 et < {0}.",
+ "remote.tunnel.forward": "Réacheminer un port",
+ "remote.tunnel.forwardItem": "Réacheminer le port",
+ "remote.tunnel.forwardPrompt": "Numéro de port ou adresse (par ex., 3000 ou 10.10.10.10:2000).",
+ "remote.tunnel.forwardError": "Impossible de réacheminer {0}:{1}. L'hôte n'est peut-être pas disponible ou ce port distant est peut-être déjà réacheminé",
+ "remote.tunnel.closeNoPorts": "Aucun port réacheminé actuellement. Essayez d'exécuter la commande {0}",
+ "remote.tunnel.close": "Arrêter le réacheminement de port",
+ "remote.tunnel.closePlaceholder": "Choisir un port pour lequel arrêter le réacheminement",
+ "remote.tunnel.open": "Ouvrir dans un navigateur",
+ "remote.tunnel.openCommandPalette": "Ouvrir le port dans le navigateur",
+ "remote.tunnel.openCommandPaletteNone": "Aucun port n'est réacheminé. Ouvrez la vue Ports pour démarrer.",
+ "remote.tunnel.openCommandPaletteView": "Ouvrez la vue Ports...",
+ "remote.tunnel.openCommandPalettePick": "Choisissez le port à ouvrir",
+ "remote.tunnel.copyAddressInline": "Copier l'adresse",
+ "remote.tunnel.copyAddressCommandPalette": "Copier l'adresse du port réacheminé",
+ "remote.tunnel.copyAddressPlaceholdter": "Choisir un port réacheminé",
+ "remote.tunnel.changeLocalPort": "Changer le port local",
+ "remote.tunnel.changeLocalPortNumber": "Le port local {0} n'est pas disponible. Le numéro de port {1} a été utilisé à la place",
+ "remote.tunnelsView.changePort": "Nouveau port local"
+ },
+ "vs/workbench/contrib/sash/browser/sash.contribution": {
+ "sashSize": "Contrôle la taille en pixels de la zone de commentaires de la zone de glissement entre les vues/éditeurs. Affectez-lui une valeur plus élevée si vous pensez qu'il est difficile de redimensionner les vues à l'aide de la souris."
+ },
+ "vs/workbench/contrib/scm/browser/scm.contribution": {
+ "sourceControlViewIcon": "Icône de vue du contrôle de code source.",
+ "source control": "Contrôle de code source",
+ "no open repo": "Aucun fournisseur de contrôle de code source inscrit.",
+ "source control repositories": "Dépôts de contrôle de code source",
+ "toggleSCMViewlet": "Afficher SCM",
+ "scmConfigurationTitle": "SCM",
+ "scm.diffDecorations.all": "Affichez les décorations de différence dans tous les emplacements disponibles.",
+ "scm.diffDecorations.gutter": "Affichez les décorations de différence seulement dans la marge de l'éditeur.",
+ "scm.diffDecorations.overviewRuler": "Affichez les décorations de différence seulement dans la règle d'aperçu.",
+ "scm.diffDecorations.minimap": "Affichez les décorations de différence seulement dans le minimap.",
+ "scm.diffDecorations.none": "N'affichez pas les décorations de différence.",
+ "diffDecorations": "Contrôle les décorations diff dans l'éditeur",
+ "diffGutterWidth": "Contrôle la largeur (px) des décorations de différenciation dans la marge (ajouts et modifications).",
+ "scm.diffDecorationsGutterVisibility.always": "Affichez tout le temps le décorateur de diff dans la reliure.",
+ "scm.diffDecorationsGutterVisibility.hover": "Montrez le décorateur de diff dans la reliure seulement au pointage.",
+ "scm.diffDecorationsGutterVisibility": "Contrôle la visibilité du décorateur de diff du contrôle de code source dans la reliure.",
+ "scm.diffDecorationsGutterAction.diff": "Affiche l'aperçu des différences de manière incluse en cas de clic.",
+ "scm.diffDecorationsGutterAction.none": "Ne fait rien.",
+ "scm.diffDecorationsGutterAction": "Contrôle le comportement des décorations de la gouttière des différences du contrôle de code source.",
+ "alwaysShowActions": "Contrôle si les actions inline sont toujours visibles dans la vue Contrôle de code source.",
+ "scm.countBadge.all": "Affichez la somme de tous les badges de comptage de fournisseurs de contrôle de code source.",
+ "scm.countBadge.focused": "Affichez le badge de compte du fournisseur de commande de source ciblé.",
+ "scm.countBadge.off": "Désactivez le badge de compte Commande de source.",
+ "scm.countBadge": "Contrôle le badge de comptage sur l'icône Contrôle de code source de la barre d'activités.",
+ "scm.providerCountBadge.hidden": "Masquez les badges de comptage de fournisseurs de contrôle de code source.",
+ "scm.providerCountBadge.auto": "Affichez uniquement le badge de comptage de fournisseurs de contrôle de code source lorsque la valeur est différente de zéro.",
+ "scm.providerCountBadge.visible": "Affichez les badges de comptage de fournisseurs de contrôle de code source.",
+ "scm.providerCountBadge": "Contrôle les badges de comptage sur les en-têtes de fournisseur de contrôle de code source. Ces en-têtes apparaissent uniquement quand il y a plusieurs fournisseurs.",
+ "scm.defaultViewMode.tree": "Affichez les changements de dépôt dans une arborescence.",
+ "scm.defaultViewMode.list": "Affichez les changements du dépôt dans une liste.",
+ "scm.defaultViewMode": "Contrôle le mode d'affichage du dépôt de contrôle de code source par défaut.",
+ "autoReveal": "Contrôle si la vue SCM doit automatiquement révéler et sélectionner les fichiers lors de leur ouverture.",
+ "inputFontFamily": "Contrôle la police du message d'entrée. Utilisez 'default' pour la famille de polices de l'interface utilisateur du plan de travail, 'editor' pour la valeur de '#editor.fontFamily#' ou une famille de polices personnalisée.",
+ "alwaysShowRepository": "Contrôle si les dépôts doivent toujours être visibles dans la vue SCM.",
+ "providersVisible": "Contrôle le nombre de dépôts visibles dans la section Dépôts de contrôle de code source. Définissez la valeur '0' pour redimensionner manuellement la vue.",
+ "miViewSCM": "S&&CM",
+ "scm accept": "SCM : Accepter l’entrée",
+ "scm view next commit": "SCM : voir le commit suivant",
+ "scm view previous commit": "SCM : voir le commit précédent",
+ "open in terminal": "Ouvrir dans Terminal"
+ },
+ "vs/workbench/contrib/scm/browser/activity": {
+ "status.scm": "Contrôle de code source",
+ "scmPendingChangesBadge": "{0} changements en attente"
+ },
+ "vs/workbench/contrib/scm/browser/dirtydiffDecorator": {
+ "changes": "{0} sur {1} modifications",
+ "change": "{0} sur {1} modification",
+ "show previous change": "Afficher le changement précédent",
+ "show next change": "Voir la modification suivante",
+ "miGotoNextChange": "&&Changement suivant",
+ "miGotoPreviousChange": "&&Changement précédent",
+ "move to previous change": "Aller à la modification précédente",
+ "move to next change": "Aller à la modification suivante",
+ "editorGutterModifiedBackground": "Couleur d'arrière-plan de la reliure de l'éditeur pour les lignes modifiées.",
+ "editorGutterAddedBackground": "Couleur d'arrière-plan de la reliure de l'éditeur pour les lignes ajoutées.",
+ "editorGutterDeletedBackground": "Couleur d'arrière-plan de la reliure de l'éditeur pour les lignes supprimées.",
+ "minimapGutterModifiedBackground": "Couleur d'arrière-plan de la marge de minimap pour les lignes modifiées.",
+ "minimapGutterAddedBackground": "Couleur d'arrière-plan de la marge de minimap pour les lignes ajoutées.",
+ "minimapGutterDeletedBackground": "Couleur d'arrière-plan de la marge de minimap pour les lignes supprimées.",
+ "overviewRulerModifiedForeground": "Couleur du marqueur de la règle d'aperçu pour le contenu modifié.",
+ "overviewRulerAddedForeground": "Couleur du marqueur de la règle d'aperçu pour le contenu ajouté.",
+ "overviewRulerDeletedForeground": "Couleur du marqueur de la règle d'aperçu pour le contenu supprimé."
+ },
+ "vs/workbench/contrib/scm/browser/scmViewPaneContainer": {
+ "source control": "Contrôle de code source"
+ },
+ "vs/workbench/contrib/scm/browser/scmRepositoriesViewPane": {
+ "scm": "Dépôts de contrôle de code source"
+ },
+ "vs/workbench/contrib/scm/browser/scmViewPane": {
+ "scm": "Gestion du contrôle de code source",
+ "input": "Entrée du contrôle de code source",
+ "repositories": "Dépôts",
+ "sortAction": "Voir et trier",
+ "toggleViewMode": "Activer/désactiver le mode de vue",
+ "viewModeList": "Voir sous forme de liste",
+ "viewModeTree": "Voir sous forme d'arborescence",
+ "sortByName": "Trier par nom",
+ "sortByPath": "Trier par chemin",
+ "sortByStatus": "Trier par état",
+ "expand all": "Développer tous les dépôts",
+ "collapse all": "Réduire tous les dépôts",
+ "scm.providerBorder": "Bordure de séparation du fournisseur SCM (gestion du contrôle de code source)."
+ },
+ "vs/workbench/contrib/search/browser/search.contribution": {
+ "search": "Recherche",
+ "copyMatchLabel": "Copier",
+ "copyPathLabel": "Copier le chemin",
+ "copyAllLabel": "Copier tout",
+ "revealInSideBar": "Révéler dans la barre latérale",
+ "clearSearchHistoryLabel": "Effacer l'historique de recherche",
+ "focusSearchListCommandLabel": "Focus sur la liste",
+ "findInFolder": "Rechercher dans le dossier...",
+ "findInWorkspace": "Trouver dans l’espace de travail...",
+ "showTriggerActions": "Atteindre le symbole dans l'espace de travail...",
+ "name": "Recherche",
+ "findInFiles.description": "Ouvrir la viewlet de recherche",
+ "findInFiles.args": "Ensemble d'options pour la viewlet de recherche",
+ "findInFiles": "Chercher dans les fichiers",
+ "miFindInFiles": "Rechercher dans les f&&ichiers",
+ "miReplaceInFiles": "Remplacer dans les f&&ichiers",
+ "anythingQuickAccessPlaceholder": "Rechercher des fichiers par nom (ajouter {0} pour accéder à la ligne ou {1} pour accéder au symbole)",
+ "anythingQuickAccess": "Accéder au fichier",
+ "symbolsQuickAccessPlaceholder": "Tapez le nom d'un symbole à ouvrir.",
+ "symbolsQuickAccess": "Atteindre le symbole dans l'espace de travail",
+ "searchConfigurationTitle": "Recherche",
+ "exclude": "Configurez des modèles glob pour exclure des fichiers et des dossiers dans les recherches en texte intégral et le mode Quick Open. Hérite tous les modèles glob du paramètre '#files.exclude#'. Découvrez plus d'informations sur les modèles glob [ici](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options).",
+ "exclude.boolean": "Modèle Glob auquel les chemins de fichiers doivent correspondre. Affectez la valeur true ou false pour activer ou désactiver le modèle.",
+ "exclude.when": "Vérification supplémentaire des frères d'un fichier correspondant. Utilisez $(basename) comme variable pour le nom de fichier correspondant.",
+ "useRipgrep": "Ce paramètre est déprécié et remplacé par \"search.usePCRE2\".",
+ "useRipgrepDeprecated": "Déprécié. Utilisez \"search.usePCRE2\" pour prendre en charge la fonctionnalité regex avancée.",
+ "search.maintainFileSearchCache": "Si activé, le processus searchService est maintenu actif au lieu d'être arrêté au bout d'une heure d'inactivité. Ce paramètre conserve le cache de recherche de fichier en mémoire.",
+ "useIgnoreFiles": "Contrôle s'il faut utiliser les fichiers `.gitignore` et `.ignore` par défaut pendant la recherche de fichiers.",
+ "useGlobalIgnoreFiles": "Détermine s'il faut utiliser les fichiers généraux '.gitignore' et '.ignore' pendant la recherche de fichiers.",
+ "search.quickOpen.includeSymbols": "Indique s’il faut inclure les résultats d’une recherche de symbole global dans les résultats de fichier pour Quick Open.",
+ "search.quickOpen.includeHistory": "Indique si vous souhaitez inclure les résultats de fichiers récemment ouverts dans les résultats de fichiers pour Quick Open.",
+ "filterSortOrder.default": "Les entrées d'historique sont triées par pertinence en fonction de la valeur de filtre utilisée. Les entrées les plus pertinentes apparaissent en premier.",
+ "filterSortOrder.recency": "Les entrées d'historique sont triées par date. Les dernières entrées ouvertes sont affichées en premier.",
+ "filterSortOrder": "Contrôle l'ordre de tri de l'historique de l'éditeur en mode Quick Open pendant le filtrage.",
+ "search.followSymlinks": "Contrôle s'il faut suivre les symlinks pendant la recherche.",
+ "search.smartCase": "Faire une recherche non sensible à la casse si le modèle est tout en minuscules, dans le cas contraire, faire une rechercher sensible à la casse.",
+ "search.globalFindClipboard": "Contrôle si la vue de recherche doit lire ou modifier le presse-papiers partagé sur macOS.",
+ "search.location": "Contrôle si la recherche s’affiche comme une vue dans la barre latérale ou comme un panneau dans la zone de panneaux pour plus d'espace horizontal.",
+ "search.location.deprecationMessage": "Ce paramètre est déprécié. À la place, utilisez le glisser-déposer en faisant glisser l'icône Rechercher.",
+ "search.collapseResults.auto": "Les fichiers avec moins de 10 résultats sont développés. Les autres sont réduits.",
+ "search.collapseAllResults": "Contrôle si les résultats de recherche seront réduits ou développés.",
+ "search.useReplacePreview": "Détermine s'il faut ouvrir l'aperçu du remplacement quand vous sélectionnez ou remplacez une correspondance.",
+ "search.showLineNumbers": "Détermine s'il faut afficher les numéros de ligne dans les résultats de recherche.",
+ "search.usePCRE2": "Détermine s'il faut utiliser le moteur regex PCRE2 dans la recherche de texte. Cette option permet d'utiliser des fonctionnalités regex avancées comme lookahead et les références arrière. Toutefois, les fonctionnalités PCRE2 ne sont pas toutes prises en charge, seulement celles qui sont aussi prises en charge par JavaScript.",
+ "usePCRE2Deprecated": "Déprécié. PCRE2 est utilisé automatiquement lors de l'utilisation de fonctionnalités regex qui ne sont prises en charge que par PCRE2.",
+ "search.actionsPositionAuto": "Positionnez la barre d'action à droite quand la vue de recherche est étroite et immédiatement après le contenu quand la vue de recherche est large.",
+ "search.actionsPositionRight": "Positionnez toujours la barre d'action à droite.",
+ "search.actionsPosition": "Contrôle le positionnement de la barre d'action sur des lignes dans la vue de recherche.",
+ "search.searchOnType": "Recherchez dans tous les fichiers à mesure que vous tapez.",
+ "search.seedWithNearestWord": "Activez l'essaimage de la recherche à partir du mot le plus proche du curseur quand l'éditeur actif n'a aucune sélection.",
+ "search.seedOnFocus": "Mettez à jour la requête de recherche d'espace de travail en fonction du texte sélectionné de l'éditeur quand vous placez le focus sur la vue de recherche. Cela se produit soit au moment du clic de souris, soit au déclenchement de la commande 'workbench.views.search.focus'.",
+ "search.searchOnTypeDebouncePeriod": "Quand '#search.searchOnType' est activé, contrôle le délai d'attente avant expiration en millisecondes entre l'entrée d'un caractère et le démarrage de la recherche. N'a aucun effet quand 'search.searchOnType' est désactivé.",
+ "search.searchEditor.doubleClickBehaviour.selectWord": "Double-cliquez pour sélectionner le mot sous le curseur.",
+ "search.searchEditor.doubleClickBehaviour.goToLocation": "Double-cliquez sur le résultat pour l'ouvrir dans le groupe d'éditeurs actif.",
+ "search.searchEditor.doubleClickBehaviour.openLocationToSide": "Double-cliquez pour ouvrir le résultat dans le groupe d'éditeurs ouvert ou dans un nouveau groupe d'éditeurs le cas échéant.",
+ "search.searchEditor.doubleClickBehaviour": "Configurez ce qui se passe après un double clic sur un résultat dans un éditeur de recherche.",
+ "search.searchEditor.reusePriorSearchConfiguration": "Quand cette option est activée, les nouveaux éditeurs de recherche réutilisent les inclusions, exclusions et indicateurs du dernier éditeur de recherche ouvert",
+ "search.searchEditor.defaultNumberOfContextLines": "Nombre par défaut de lignes de contexte avoisinantes à utiliser au moment de la création d'éditeurs de recherche. Si vous utilisez '#search.searchEditor.reusePriorSearchConfiguration#', vous pouvez lui affecter la valeur 'null' (vide) pour utiliser la configuration précédente de l'éditeur de recherche.",
+ "searchSortOrder.default": "Les résultats sont triés par dossier et noms de fichier, dans l'ordre alphabétique.",
+ "searchSortOrder.filesOnly": "Les résultats sont triés par noms de fichier en ignorant l'ordre des dossiers, dans l'ordre alphabétique.",
+ "searchSortOrder.type": "Les résultats sont triés par extensions de fichier dans l'ordre alphabétique.",
+ "searchSortOrder.modified": "Les résultats sont triés par date de dernière modification de fichier, dans l'ordre décroissant.",
+ "searchSortOrder.countDescending": "Les résultats sont triés par nombre dans chaque fichier, dans l'ordre décroissant.",
+ "searchSortOrder.countAscending": "Les résultats sont triés par nombre dans chaque fichier, dans l'ordre croissant.",
+ "search.sortOrder": "Contrôle l'ordre de tri des résultats de recherche.",
+ "miViewSearch": "&&Rechercher",
+ "miGotoSymbolInWorkspace": "Atteindre le symbole dans l'&&espace de travail..."
+ },
+ "vs/workbench/contrib/search/browser/searchView": {
+ "searchCanceled": "La recherche a été annulée avant l'obtention de résultats - ",
+ "moreSearch": "Activer/désactiver les détails de la recherche",
+ "searchScope.includes": "fichiers à inclure",
+ "label.includes": "Modèles d'inclusion de recherche",
+ "searchScope.excludes": "fichiers à exclure",
+ "label.excludes": "Modèles d'exclusion de recherche",
+ "replaceAll.confirmation.title": "Tout remplacer",
+ "replaceAll.confirm.button": "&&Remplacer",
+ "replaceAll.occurrence.file.message": "{0} occurrence remplacée dans {1} fichier par '{2}'.",
+ "removeAll.occurrence.file.message": "{0} occurrence remplacée dans le fichier {1}.",
+ "replaceAll.occurrence.files.message": "{0} occurrence remplacée dans {1} fichiers par '{2}'.",
+ "removeAll.occurrence.files.message": "{0} occurrence remplacée dans {1} fichiers.",
+ "replaceAll.occurrences.file.message": "{0} occurrences remplacées dans {1} fichier par '{2}'.",
+ "removeAll.occurrences.file.message": "{0} occurrences remplacées dans le fichier {1}.",
+ "replaceAll.occurrences.files.message": "{0} occurrences remplacées dans {1} fichiers par '{2}'.",
+ "removeAll.occurrences.files.message": "{0} occurrences remplacées dans {1} fichiers.",
+ "removeAll.occurrence.file.confirmation.message": "Remplacer {0} occurrence dans {1} fichier par '{2}' ?",
+ "replaceAll.occurrence.file.confirmation.message": "Remplacer {0} occurrence dans le fichier {1} ?",
+ "removeAll.occurrence.files.confirmation.message": "Remplacer {0} occurrence dans {1} fichiers par '{2}' ?",
+ "replaceAll.occurrence.files.confirmation.message": "Remplacer {0} occurrence dans {1} fichiers ?",
+ "removeAll.occurrences.file.confirmation.message": "Remplacer {0} occurrences dans {1} fichier par '{2}' ?",
+ "replaceAll.occurrences.file.confirmation.message": "Remplacer {0} occurrences dans le fichier {1} ?",
+ "removeAll.occurrences.files.confirmation.message": "Remplacer {0} occurrences dans {1} fichiers par '{2}' ?",
+ "replaceAll.occurrences.files.confirmation.message": "Remplacer {0} occurrences dans {1} fichiers ?",
+ "emptySearch": "Recherche vide",
+ "ariaSearchResultsClearStatus": "Les résultats de recherche ont été effacés",
+ "searchPathNotFoundError": "Chemin de recherche introuvable : {0}",
+ "searchMaxResultsWarning": "Le jeu de résultats contient uniquement un sous-ensemble de toutes les correspondances. Soyez plus précis dans votre recherche de façon à limiter les résultats retournés.",
+ "noResultsIncludesExcludes": "Résultats introuvables pour '{0}' excluant '{1}' - ",
+ "noResultsIncludes": "Résultats introuvables dans '{0}' - ",
+ "noResultsExcludes": "Résultats introuvables avec l'exclusion de '{0}' - ",
+ "noResultsFound": "Aucun résultat. Vérifiez les exclusions configurées dans vos paramètres et examinez vos fichiers gitignore -",
+ "rerunSearch.message": "Rechercher à nouveau",
+ "rerunSearchInAll.message": "Rechercher à nouveau dans tous les fichiers",
+ "openSettings.message": "Ouvrir les paramètres",
+ "openSettings.learnMore": "En savoir plus",
+ "ariaSearchResultsStatus": "La recherche a retourné {0} résultats dans {1} fichiers",
+ "forTerm": " - Recherche : {0}",
+ "useIgnoresAndExcludesDisabled": "- Exclure les paramètres et ignorer les fichiers sont désactivés",
+ "openInEditor.message": "Ouvrir dans l'éditeur",
+ "openInEditor.tooltip": "Copier les résultats de recherche actuels dans un éditeur",
+ "search.file.result": "{0} résultat dans {1} fichier",
+ "search.files.result": "{0} résultat dans {1} fichiers",
+ "search.file.results": "{0} résultats dans {1} fichier",
+ "search.files.results": "{0} résultats dans {1} fichiers",
+ "searchWithoutFolder": "Vous n'avez ni ouvert ni spécifié de dossier. Seuls les fichiers ouverts sont inclus dans la recherche -",
+ "openFolder": "Ouvrir le dossier"
+ },
+ "vs/workbench/contrib/search/browser/searchActions": {
+ "showSearch": "Afficher la zone de recherche",
+ "replaceInFiles": "Remplacer dans les fichiers",
+ "toggleTabs": "Activer/désactiver la recherche sur le type",
+ "RefreshAction.label": "Actualiser",
+ "CollapseDeepestExpandedLevelAction.label": "Réduire tout",
+ "ExpandAllAction.label": "Tout développer",
+ "ToggleCollapseAndExpandAction.label": "Activer/désactiver les options Réduire et Développer",
+ "ClearSearchResultsAction.label": "Effacer les résultats de la recherche",
+ "CancelSearchAction.label": "Annuler la recherche",
+ "FocusNextSearchResult.label": "Focus sur le résultat de la recherche suivant",
+ "FocusPreviousSearchResult.label": "Focus sur le résultat de la recherche précédent",
+ "RemoveAction.label": "Ignorer",
+ "file.replaceAll.label": "Tout remplacer",
+ "match.replace.label": "Remplacer"
+ },
+ "vs/workbench/contrib/search/browser/symbolsQuickAccess": {
+ "noSymbolResults": "Aucun symbole d'espace de travail correspondant",
+ "openToSide": "Ouvrir sur le côté",
+ "openToBottom": "Ouvrir en bas"
+ },
+ "vs/workbench/contrib/search/browser/anythingQuickAccess": {
+ "noAnythingResults": "Aucun résultat correspondant",
+ "recentlyOpenedSeparator": "récemment ouvert",
+ "fileAndSymbolResultsSeparator": "Résultats des fichiers et des symboles",
+ "fileResultsSeparator": "fichier de résultats",
+ "filePickAriaLabelDirty": "{0}, à l'intégrité compromise",
+ "openToSide": "Ouvrir sur le côté",
+ "openToBottom": "Ouvrir en bas",
+ "closeEditor": "Supprimer des récemment ouverts"
+ },
+ "vs/workbench/contrib/search/browser/searchWidget": {
+ "search.action.replaceAll.disabled.label": "Tout remplacer (soumettre la recherche pour activer)",
+ "search.action.replaceAll.enabled.label": "Tout remplacer",
+ "search.replace.toggle.button.title": "Activer/désactiver le remplacement",
+ "label.Search": "Rechercher : tapez le terme de recherche, puis appuyez sur Entrée pour effectuer la recherche",
+ "search.placeHolder": "Recherche",
+ "showContext": "Activer/désactiver les lignes de contexte",
+ "label.Replace": "Remplacer : tapez le terme de remplacement, puis appuyez sur Entrée pour afficher un aperçu",
+ "search.replace.placeHolder": "Remplacer"
+ },
+ "vs/workbench/contrib/search/browser/searchIcons": {
+ "searchDetailsIcon": "Icône de visibilité des détails de la recherche.",
+ "searchShowContextIcon": "Icône d'activation/de désactivation du contexte dans l'éditeur de recherche.",
+ "searchHideReplaceIcon": "Icône de réduction de la section de remplacement dans la vue de recherche.",
+ "searchShowReplaceIcon": "Icône de développement de la section de remplacement dans la vue de recherche.",
+ "searchReplaceAllIcon": "Icône permettant de tout remplacer dans la vue de recherche.",
+ "searchReplaceIcon": "Icône permettant d'effectuer un remplacement dans la vue de recherche.",
+ "searchRemoveIcon": "Icône de suppression d'un résultat de la recherche.",
+ "searchRefreshIcon": "Icône d'actualisation dans la vue de recherche.",
+ "searchCollapseAllIcon": "Icône de réduction des résultats dans la vue de recherche.",
+ "searchExpandAllIcon": "Icône de développement des résultats dans la vue de recherche.",
+ "searchClearIcon": "Icône d'effacement des résultats dans la vue de recherche.",
+ "searchStopIcon": "Icône d'arrêt dans la vue de recherche.",
+ "searchViewIcon": "Icône de vue de la recherche.",
+ "searchNewEditorIcon": "Icône de l'action d'ouverture d'un nouvel éditeur de recherche."
+ },
+ "vs/workbench/contrib/search/browser/patternInputWidget": {
+ "defaultLabel": "Entrée",
+ "useExcludesAndIgnoreFilesDescription": "Utiliser les paramètres d'exclusion et ignorer les fichiers"
+ },
+ "vs/workbench/contrib/search/browser/searchResultsView": {
+ "searchFolderMatch.other.label": "Autres fichiers",
+ "searchFileMatches": "{0} fichiers",
+ "searchFileMatch": "{0} fichier trouvé",
+ "searchMatches": "{0} correspondances trouvées",
+ "searchMatch": "{0} correspondance trouvée",
+ "lineNumStr": "À partir de la ligne {0}",
+ "numLinesStr": "{0} lignes supplémentaires",
+ "search": "Rechercher",
+ "folderMatchAriaLabel": "{0} correspondances dans le dossier racine {1}, Résultat de la recherche",
+ "otherFilesAriaLabel": "{0} correspondances en dehors de l'espace de travail, Résultat de la recherche",
+ "fileMatchAriaLabel": "{0} correspondances dans le fichier {1} du dossier {2}, Résultat de la recherche",
+ "replacePreviewResultAria": "Remplacer le terme {0} par {1} à la position de colonne {2} dans la ligne avec le texte {3}",
+ "searchResultAria": "Terme {0} trouvé à la position de colonne {1} dans la ligne avec le texte {2}"
+ },
+ "vs/workbench/contrib/search/common/queryBuilder": {
+ "search.noWorkspaceWithName": "Aucun dossier dans l’espace de travail avec le nom {0}"
+ },
+ "vs/workbench/contrib/search/browser/replaceService": {
+ "fileReplaceChanges": "{0} ↔ {1} (Replace Preview)"
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditor.contribution": {
+ "searchEditor": "Éditeur de recherche",
+ "search": "Editeur de recherche",
+ "searchEditor.deleteResultBlock": "Supprimer les résultats du fichier",
+ "search.openNewSearchEditor": "Nouvel éditeur de recherche",
+ "search.openSearchEditor": "Ouvrir l'éditeur de recherche",
+ "search.openNewEditorToSide": "Ouvrir un nouvel éditeur de recherche sur le côté",
+ "search.openResultsInEditor": "Ouvrir les résultats dans l'éditeur",
+ "search.rerunSearchInEditor": "Rechercher à nouveau",
+ "search.action.focusQueryEditorWidget": "Focus sur l'entrée de l'éditeur de recherche",
+ "searchEditor.action.toggleSearchEditorCaseSensitive": "Activer/désactiver la correspondance de la casse",
+ "searchEditor.action.toggleSearchEditorWholeWord": "Activer/désactiver la correspondance avec des mots entiers",
+ "searchEditor.action.toggleSearchEditorRegex": "Activer/désactiver l'utilisation d'expressions régulières",
+ "searchEditor.action.toggleSearchEditorContextLines": "Activer/désactiver les lignes de contexte",
+ "searchEditor.action.increaseSearchEditorContextLines": "Augmenter les lignes de contexte",
+ "searchEditor.action.decreaseSearchEditorContextLines": "Diminuer les lignes de contexte",
+ "searchEditor.action.selectAllSearchEditorMatches": "Sélectionner toutes les correspondances"
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditorActions": {
+ "search.openNewEditor": "Ouvrir le nouvel éditeur de recherche"
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditor": {
+ "moreSearch": "Activer/désactiver les détails de la recherche",
+ "searchScope.includes": "fichiers à inclure",
+ "label.includes": "Modèles d'inclusion de recherche",
+ "searchScope.excludes": "fichiers à exclure",
+ "label.excludes": "Modèles d'exclusion de recherche",
+ "runSearch": "Exécuter la recherche",
+ "searchResultItem": "{0} mis en correspondance au niveau de {1} dans le fichier {2}",
+ "searchEditor": "Rechercher",
+ "textInputBoxBorder": "Bordure de la zone d'entrée de texte de l'éditeur de recherche."
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditorInput": {
+ "searchTitle.withQuery": "Recherche : {0}",
+ "searchTitle": "Recherche"
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditorSerialization": {
+ "invalidQueryStringError": "Toutes les barres obliques inverses dans la chaîne de requête doivent être dans une séquence d'échappement (\\\\)",
+ "numFiles": "Fichiers {0}",
+ "oneFile": "1 fichier",
+ "numResults": "{0} résultats",
+ "oneResult": "1 résultat",
+ "noResults": "Aucun résultat",
+ "searchMaxResultsWarning": "Le jeu de résultats contient uniquement un sous-ensemble de toutes les correspondances. Soyez plus précis dans votre recherche de façon à limiter les résultats retournés."
+ },
+ "vs/workbench/contrib/snippets/browser/snippets.contribution": {
+ "snippetSchema.json.prefix": "Préfixe à utiliser durant la sélection de l'extrait dans IntelliSense",
+ "snippetSchema.json.body": "Contenu de l'extrait de code. Utilisez '$1', '${1:defaultText}' pour définir les positions du curseur, utilisez '$0' pour la position finale du curseur. Insérez des valeurs variables avec '${varName}' et '${varName:defaultText}', par ex. 'This is file: $TM_FILENAME'.",
+ "snippetSchema.json.description": "Description de l'extrait de code.",
+ "snippetSchema.json.default": "Extrait de code vide",
+ "snippetSchema.json": "Configuration de l'extrait de code utilisateur",
+ "snippetSchema.json.scope": "Liste des noms de langage auxquels cet extrait de code s'applique, par ex. 'typescript,javascript'."
+ },
+ "vs/workbench/contrib/snippets/browser/insertSnippet": {
+ "snippet.suggestions.label": "Insérer un extrait",
+ "sep.userSnippet": "Extraits de code de l'utilisateur",
+ "sep.extSnippet": "Extraits de code d’extension",
+ "sep.workspaceSnippet": "Extraits de code de l’espace de travail",
+ "disableSnippet": "Masque dans IntelliSense",
+ "isDisabled": "(masqué dans IntelliSense)",
+ "enable.snippet": "Affiche dans IntelliSense",
+ "pick.placeholder": "Sélectionner un extrait"
+ },
+ "vs/workbench/contrib/snippets/browser/snippetsService": {
+ "invalid.path.0": "Chaîne attendue dans 'contributes.{0}.path'. Valeur fournie : {1}",
+ "invalid.language.0": "Si le langage est omis, la valeur de 'contributes.{0}.path' doit être un fichier `.code-snippets`. Valeur fournie : {1}",
+ "invalid.language": "Langage inconnu dans 'contributes.{0}.language'. Valeur fournie : {1}",
+ "invalid.path.1": "'contributes.{0}.path' ({1}) est censé être inclus dans le dossier ({2}) de l'extension. Cela risque de rendre l'extension non portable.",
+ "vscode.extension.contributes.snippets": "Ajoute des extraits de code.",
+ "vscode.extension.contributes.snippets-language": "Identificateur de langage pour lequel cet extrait de code est ajouté.",
+ "vscode.extension.contributes.snippets-path": "Chemin du fichier d'extraits de code. Le chemin est relatif au dossier d'extensions et commence généralement par './snippets/'.",
+ "badVariableUse": "Un ou plusieurs extraits de l’extension '{0}' confondent très probablement des snippet-variables et des snippet-placeholders (Voir https://code.visualstudio.com/docs/editor/userdefinedsnippets#_snippet-syntax pour plus de détails)",
+ "badFile": "Le fichier d’extrait \"{0}\" n’a pas pu être lu."
+ },
+ "vs/workbench/contrib/snippets/browser/configureSnippets": {
+ "global.scope": "(global)",
+ "global.1": "({0})",
+ "name": "Taper le nom de fichier de l'extrait de code",
+ "bad_name1": "Nom de fichier non valide",
+ "bad_name2": "'{0}' n'est pas un nom de fichier valide",
+ "bad_name3": "'{0}' existe déjà",
+ "new.global_scope": "GLOBAL",
+ "new.global": "Nouveau fichier d'extraits globaux...",
+ "new.workspace_scope": "espace de travail {0}",
+ "new.folder": "Nouveau fichier d'extraits pour '{0}'...",
+ "group.global": "Extraits existants",
+ "new.global.sep": "Nouveaux extraits de code",
+ "openSnippet.pickLanguage": "Sélectionner le fichier d'extraits ou créer des extraits",
+ "openSnippet.label": "Configurer les extraits de l’utilisateur",
+ "preferences": "Préférences",
+ "miOpenSnippets": "&&Extraits utilisateur",
+ "userSnippets": "Extraits de code de l'utilisateur"
+ },
+ "vs/workbench/contrib/snippets/browser/snippetsFile": {
+ "source.workspaceSnippetGlobal": "Extrait de code de l’espace de travail",
+ "source.userSnippetGlobal": "Extrait de code global de l’utilisateur",
+ "source.userSnippet": "Extrait de code utilisateur"
+ },
+ "vs/workbench/contrib/snippets/browser/snippetCompletionProvider": {
+ "detail.snippet": "{0} ({1})",
+ "snippetSuggest.longLabel": "{0}, {1}"
+ },
+ "vs/workbench/contrib/surveys/browser/nps.contribution": {
+ "surveyQuestion": "Acceptez-vous de répondre à une enquête rapide ?",
+ "takeSurvey": "Répondre à l'enquête",
+ "remindLater": "Me le rappeler plus tard",
+ "neverAgain": "Ne plus afficher"
+ },
+ "vs/workbench/contrib/surveys/browser/languageSurveys.contribution": {
+ "helpUs": "Aidez-nous à améliorer le support de {0}",
+ "takeShortSurvey": "Répondre à une enquête rapide",
+ "remindLater": "Me le rappeler plus tard",
+ "neverAgain": "Ne plus afficher"
+ },
+ "vs/workbench/contrib/tags/electron-browser/workspaceTagsService": {
+ "workspaceFound": "Ce dossier contient un fichier d’espace de travail '{0}'. Voulez-vous l’ouvrir ? [En savoir plus] ({1}) sur les fichiers de l’espace de travail.",
+ "openWorkspace": "Ouvrir un espace de travail",
+ "workspacesFound": "Ce dossier contient plusieurs fichiers d'espace de travail. Voulez-vous en ouvrir un ? [Découvrez plus d'informations]({0}) sur les fichiers d'espace de travail.",
+ "selectWorkspace": "Sélectionner un espace de travail",
+ "selectToOpen": "Sélectionner un espace de travail à ouvrir"
+ },
+ "vs/workbench/contrib/tasks/electron-browser/taskService": {
+ "TaskSystem.runningTask": "Une tâche est en cours d'exécution. Voulez-vous la terminer ?",
+ "TaskSystem.terminateTask": "&&Terminer la tâche",
+ "TaskSystem.noProcess": "La tâche lancée n'existe plus. Si la tâche a engendré des processus en arrière-plan, la sortie de VS Code risque de donner lieu à des processus orphelins. Pour éviter ce problème, démarrez le dernier processus en arrière-plan avec un indicateur d'attente.",
+ "TaskSystem.exitAnyways": "&&Quitter quand même"
+ },
+ "vs/workbench/contrib/tasks/common/tasks": {
+ "tasksCategory": "Tâches",
+ "TaskDefinition.missingRequiredProperty": "Erreur : L'identificateur de tâche '{0}' est manquant dans la propriété obligatoire '{1}'. L'identificateur de tâche est ignoré."
+ },
+ "vs/workbench/contrib/tasks/common/taskConfiguration": {
+ "ConfigurationParser.invalidCWD": "Avertissement : options.cwd doit être de type chaîne. Valeur {0} ignorée\r\n",
+ "ConfigurationParser.inValidArg": "Erreur : l'argument de commande doit être une chaîne ou une chaîne entre guillemets. Valeur fournie :\r\n{0}",
+ "ConfigurationParser.noShell": "Avertissement : La configuration de l'interpréteur de commandes n'est prise en charge que durant l'exécution des tâches dans le terminal.",
+ "ConfigurationParser.noName": "Erreur : le détecteur de problèmes de correspondance dans l'étendue de déclaration doit avoir un nom :\r\n{0}\r\n",
+ "ConfigurationParser.unknownMatcherKind": "Avertissement : Le détecteur de problèmes de correspondance défini est inconnu. Les types pris en charge sont string | ProblemMatcher | Array.\r\n{0}\r\n",
+ "ConfigurationParser.invalidVariableReference": "Erreur : référence de problemMatcher non valide : {0}\r\n",
+ "ConfigurationParser.noTaskType": "Erreur : la configuration de tâche doit avoir une propriété de type. La configuration va être ignorée.\r\n{0}\r\n",
+ "ConfigurationParser.noTypeDefinition": "Erreur : aucun type de tâche '{0}' enregistré. Avez-vous oublié d'installer une extension incluant le fournisseur de tâches correspondant ?",
+ "ConfigurationParser.missingType": "Erreur : La configuration de tâche '{0}' est manquante dans la propriété obligatoire 'type'. La configuration de tâche est ignorée.",
+ "ConfigurationParser.incorrectType": "Erreur : La configuration de tâche '{0}' utilise un type inconnu. La configuration de tâche est ignorée.",
+ "ConfigurationParser.notCustom": "Erreur : la tâche n'est pas déclarée en tant que tâche personnalisée. La configuration va être ignorée.\r\n{0}\r\n",
+ "ConfigurationParser.noTaskName": "Erreur : une tâche doit fournir une propriété d'étiquette. La tâche va être ignorée.\r\n{0}\r\n",
+ "taskConfiguration.providerUnavailable": "Avertissement : {0} tâches sont non disponibles dans l'environnement actuel.\r\n",
+ "taskConfiguration.noCommandOrDependsOn": "Erreur : la tâche '{0}' ne spécifie ni une commande ni une propriété dependsOn. La tâche va être ignorée. Sa définition est :\r\n{1}",
+ "taskConfiguration.noCommand": "Erreur : la tâche '{0}' ne définit pas de commande. La tâche va être ignorée. Sa définition est :\r\n{1}",
+ "TaskParse.noOsSpecificGlobalTasks": "La tâche version 2.0.0 ne prend pas en charge les tâches globales spécifiques au système d'exploitation. Convertissez-les en tâches avec une commande spécifique au système d'exploitation. Tâches affectées :\r\n{0}"
+ },
+ "vs/workbench/contrib/tasks/node/processTaskSystem": {
+ "version1_0": "Le système de tâches est configuré pour la version 0.1.0 (voir le fichier tasks.json), qui peut uniquement exécuter des tâches personnalisées. Mettre à niveau vers la version 2.0.0 pour exécuter la tâche : {0}",
+ "TaskRunnerSystem.unknownError": "Une erreur inconnue s'est produite durant l'exécution d'une tâche. Pour plus d'informations, consultez le journal de sortie des tâches.",
+ "TaskRunnerSystem.watchingBuildTaskFinished": "\r\nLa surveillance des tâches de build a pris fin.",
+ "TaskRunnerSystem.childProcessError": "Le lancement du programme externe {0} {1} a échoué.",
+ "TaskRunnerSystem.cancelRequested": "\r\nLa tâche '{0}' a été arrêtée à la demande de l'utilisateur.",
+ "unknownProblemMatcher": "Impossible de résoudre le détecteur de problèmes de correspondance {0}. Le détecteur de problèmes de correspondance va être ignoré"
+ },
+ "vs/workbench/contrib/tasks/node/processRunnerDetector": {
+ "TaskSystemDetector.noGulpTasks": "L'exécution de gulp --tasks-simple n'a listé aucune tâche. Avez-vous exécuté npm install ?",
+ "TaskSystemDetector.noJakeTasks": "L'exécution de jake --tasks n'a listé aucune tâche. Avez-vous exécuté npm install ?",
+ "TaskSystemDetector.noGulpProgram": "Gulp n'est pas installé sur votre système. Exécutez npm install -g gulp pour l'installer.",
+ "TaskSystemDetector.noJakeProgram": "Jake n'est pas installé sur votre système. Exécutez npm install -g jake pour l'installer.",
+ "TaskSystemDetector.noGruntProgram": "Grunt n'est pas installé sur votre système. Exécutez npm install -g grunt pour l'installer.",
+ "TaskSystemDetector.noProgram": "Le programme {0} est introuvable. Message : {1}",
+ "TaskSystemDetector.buildTaskDetected": "La tâche de génération nommée '{0}' a été détectée.",
+ "TaskSystemDetector.testTaskDetected": "La tâche de test nommée '{0}' a été détectée."
+ },
+ "vs/workbench/contrib/tasks/browser/abstractTaskService": {
+ "ConfigureTaskRunnerAction.label": "Configurer une tâche",
+ "tasks": "Tâches",
+ "TaskSystem.noHotSwap": "Le changement du moteur d'exécution de tâches avec une tâche active en cours d'exécution nécessite le rechargement de la fenêtre",
+ "reloadWindow": "Recharger la fenêtre",
+ "TaskService.pickBuildTaskForLabel": "Sélectionner la tâche de build (aucune tâche de build par défaut n'est définie)",
+ "taskServiceOutputPrompt": "Erreurs de tâche. Consultez la sortie pour plus de détails.",
+ "showOutput": "Afficher la sortie",
+ "TaskServer.folderIgnored": "Le dossier {0} est ignoré car il utilise la version 0.1.0 de task",
+ "TaskService.providerUnavailable": "Avertissement : {0} tâches sont non disponibles dans l'environnement actuel.\r\n",
+ "TaskService.noBuildTask1": "Aucune tâche de build définie. Marquez une tâche avec 'isBuildCommand' dans le fichier tasks.json.",
+ "TaskService.noBuildTask2": "Aucune tâche de génération définie. Marquez une tâche comme groupe 'build' dans le fichier tasks.json.",
+ "TaskService.noTestTask1": "Aucune tâche de test définie. Marquez une tâche avec 'isTestCommand' dans le fichier tasks.json.",
+ "TaskService.noTestTask2": "Aucune tâche de test définie. Marquez une tâche comme groupe 'test' dans le fichier tasks.json.",
+ "TaskServer.noTask": "La tâche a exécuter n’est pas définie",
+ "TaskService.associate": "Associer",
+ "TaskService.attachProblemMatcher.continueWithout": "Continuer sans analyser la sortie de la tâche",
+ "TaskService.attachProblemMatcher.never": "Ne jamais analyser la sortie de cette tâche",
+ "TaskService.attachProblemMatcher.neverType": "Ne jamais analyser la sortie des tâches {0}",
+ "TaskService.attachProblemMatcher.learnMoreAbout": "En savoir plus sur l'analyse de la sortie de la tâche",
+ "selectProblemMatcher": "Sélectionner pour quel type d’erreurs et d’avertissements analyser la sortie de la tâche",
+ "customizeParseErrors": "La configuration de tâche actuelle contient des erreurs. Corrigez-les avant de personnaliser une tâche. ",
+ "tasksJsonComment": "\t// Consultez https://go.microsoft.com/fwlink/?LinkId=733558 \r\n\t// pour accéder à la documentation relative au format du fichier tasks.json",
+ "moreThanOneBuildTask": "De nombreuses tâches de build sont définies dans le fichier tasks.json. Exécution de la première.\r\n",
+ "TaskSystem.saveBeforeRun.prompt.title": "Enregistrer tous les éditeurs ?",
+ "saveBeforeRun.save": "Enregistrer",
+ "saveBeforeRun.dontSave": "Ne pas enregistrer",
+ "detail": "Voulez-vous enregistrer tous les éditeurs avant d'exécuter la tâche ?",
+ "TaskSystem.activeSame.noBackground": "La tâche '{0}' est déjà active.",
+ "terminateTask": "Terminer la tâche",
+ "restartTask": "Redémarrer la tâche",
+ "TaskSystem.active": "Une tâche est déjà en cours d'exécution. Terminez-la avant d'exécuter une autre tâche.",
+ "TaskSystem.restartFailed": "Échec de l'arrêt et du redémarrage de la tâche {0}",
+ "unexpectedTaskType": "Le fournisseur de tâches des tâches \"{0}\" a fourni de manière inattendue une tâche de type \"{1}\".\r\n",
+ "TaskService.noConfiguration": "Erreur : la détection de tâche {0} n'a pas contribué à une tâche pour la configuration suivante :\r\n{1}\r\nLa tâche va être ignorée.\r\n",
+ "TaskSystem.configurationErrors": "Erreur : la configuration de tâche fournie comporte des erreurs de validation et ne peut pas être utilisée. Corrigez d'abord les erreurs.",
+ "TaskSystem.invalidTaskJsonOther": "Erreur : le fichier JSON de tâches dans {0} contient des erreurs de syntaxe. Corrigez-les avant d'exécuter une tâche.\r\n",
+ "TasksSystem.locationWorkspaceConfig": "fichier d'espace de travail",
+ "TaskSystem.versionWorkspaceFile": "Seules les tâches de version 2.0.0 sont autorisées dans .codeworkspace.",
+ "TasksSystem.locationUserConfig": "Paramètres utilisateur",
+ "TaskSystem.versionSettings": "Seules les tâches de version 2.0.0 sont autorisées dans les paramètres utilisateur.",
+ "taskService.ignoreingFolder": "Ignorer les configurations de tâche pour le dossier d'espace de travail {0}. Pour permettre la prise en charge des tâches d'espace de travail multidossier, tous les dossiers doivent utiliser la version 2.0.0 de la tâche\r\n",
+ "TaskSystem.invalidTaskJson": "Erreur : le fichier tasks.json contient des erreurs de syntaxe. Corrigez-les avant d'exécuter une tâche.\r\n",
+ "TerminateAction.label": "Terminer la tâche",
+ "TaskSystem.unknownError": "Une erreur s'est produite durant l'exécution d'une tâche. Pour plus d'informations, consultez le journal des tâches.",
+ "configureTask": "Configurer la tâche",
+ "recentlyUsed": "tâches utilisées récemment",
+ "configured": "tâches configurées",
+ "detected": "tâches détectées",
+ "TaskService.ignoredFolder": "Les dossiers d’espace de travail suivants sont ignorés car ils utilisent task version 0.1.0 : {0}",
+ "TaskService.notAgain": "Ne plus afficher",
+ "TaskService.pickRunTask": "Sélectionner la tâche à exécuter",
+ "TaskService.noEntryToRunSlow": "$(plus) Configurer une tâche",
+ "TaskService.noEntryToRun": "$(plus) Configurer une tâche",
+ "TaskService.fetchingBuildTasks": "Récupération des tâches de génération...",
+ "TaskService.pickBuildTask": "Sélectionner la tâche de génération à exécuter",
+ "TaskService.noBuildTask": "Aucune tâche de génération à exécuter n'a été trouvée. Configurer la tâche de génération...",
+ "TaskService.fetchingTestTasks": "Récupération des tâches de test...",
+ "TaskService.pickTestTask": "Sélectionner la tâche de test à exécuter",
+ "TaskService.noTestTaskTerminal": "Aucune tâche de test à exécuter n'a été trouvée. Configurer les tâches...",
+ "TaskService.taskToTerminate": "Sélectionner une tâche à terminer",
+ "TaskService.noTaskRunning": "Aucune tâche en cours d'exécution",
+ "TaskService.terminateAllRunningTasks": "Toutes les tâches en cours d'exécution",
+ "TerminateAction.noProcess": "Le processus lancé n'existe plus. Si la tâche a engendré des tâches en arrière-plan, la sortie de VS Code risque de donner lieu à des processus orphelins.",
+ "TerminateAction.failed": "Échec de la fin de l'exécution de la tâche",
+ "TaskService.taskToRestart": "Sélectionner la tâche à redémarrer",
+ "TaskService.noTaskToRestart": "Aucune tâche à redémarrer.",
+ "TaskService.template": "Sélectionner un modèle de tâche",
+ "taskQuickPick.userSettings": "Paramètres utilisateur",
+ "TaskService.createJsonFile": "Créer le fichier tasks.json à partir d'un modèle",
+ "TaskService.openJsonFile": "Ouvrir le fichier tasks.json",
+ "TaskService.pickTask": "Sélectionner une tâche à configurer",
+ "TaskService.defaultBuildTaskExists": "{0} est déjà marquée comme la tâche de génération par défaut",
+ "TaskService.pickDefaultBuildTask": "Sélectionner la tâche à utiliser comme tâche de génération par défaut",
+ "TaskService.defaultTestTaskExists": "{0} est déjà marquée comme tâche de test par défaut.",
+ "TaskService.pickDefaultTestTask": "Sélectionner la tâche à utiliser comme tâche de test par défaut",
+ "TaskService.pickShowTask": "Sélectionner la tâche pour montrer sa sortie",
+ "TaskService.noTaskIsRunning": "Aucune tâche en cours d'exécution"
+ },
+ "vs/workbench/contrib/tasks/browser/terminalTaskSystem": {
+ "TerminalTaskSystem.unknownError": "Une erreur inconnue s'est produite durant l'exécution d'une tâche. Pour plus d'informations, consultez le journal de sortie des tâches.",
+ "dependencyCycle": "Il existe un cycle de dépendance. Consultez la tâche \"{0}\".",
+ "dependencyFailed": "Impossible de résoudre la tâche dépendante '{0}' dans le dossier de l’espace de travail '{1}'",
+ "TerminalTaskSystem.nonWatchingMatcher": "La tâche {0} est une tâche d'arrière-plan, mais utilise un détecteur de problèmes de correspondance sans modèle d'arrière-plan",
+ "TerminalTaskSystem.terminalName": "Tâche - {0}",
+ "closeTerminal": "Appuyez sur n'importe quelle touche pour fermer le terminal.",
+ "reuseTerminal": "Le terminal sera réutilisé par les tâches, appuyez sur une touche pour le fermer.",
+ "TerminalTaskSystem": "Impossible d'exécuter une commande d'interpréteur de commandes sur un lecteur UNC à l'aide de cmd.exe.",
+ "unknownProblemMatcher": "Impossible de résoudre le détecteur de problèmes de correspondance {0}. Le détecteur de problèmes de correspondance va être ignoré"
+ },
+ "vs/workbench/contrib/tasks/browser/task.contribution": {
+ "building": "Génération...",
+ "numberOfRunningTasks": "{0} tâches en cours d'exécution",
+ "runningTasks": "Afficher les tâches en cours d'exécution",
+ "status.runningTasks": "Tâches en cours d'exécution",
+ "miRunTask": "Exécute&&r la tâche...",
+ "miBuildTask": "Exécuter la &&tâche de build...",
+ "miRunningTask": "Affic&&her les tâches en cours d'exécution...",
+ "miRestartTask": "R&&edémarrer la tâche en cours d'exécution...",
+ "miTerminateTask": "&&Terminer la tâche...",
+ "miConfigureTask": "&&Configurer les tâches...",
+ "miConfigureBuildTask": "Configurer la tâche de build par dé&&faut...",
+ "workbench.action.tasks.openWorkspaceFileTasks": "Ouvrir les tâches d'espace de travail",
+ "ShowLogAction.label": "Afficher le journal des tâches",
+ "RunTaskAction.label": "Exécuter la tâche",
+ "ReRunTaskAction.label": "Réexécuter la dernière tâche",
+ "RestartTaskAction.label": "Redémarrer la tâche en cours d'exécution",
+ "ShowTasksAction.label": "Afficher les tâches en cours d'exécution",
+ "TerminateAction.label": "Terminer la tâche",
+ "BuildAction.label": "Exécuter la tâche de génération",
+ "TestAction.label": "Exécuter la tâche de test",
+ "ConfigureDefaultBuildTask.label": "Configurer la tâche de génération par défaut",
+ "ConfigureDefaultTestTask.label": "Configurer la tâche de test par défaut",
+ "workbench.action.tasks.openUserTasks": "Ouvrir les tâches utilisateur",
+ "tasksQuickAccessPlaceholder": "Tapez le nom d'une tâche à exécuter.",
+ "tasksQuickAccessHelp": "Exécuter la tâche",
+ "tasksConfigurationTitle": "Tâches",
+ "task.problemMatchers.neverPrompt": "Configure s'il faut afficher l'invite du détecteur de problèmes de correspondance pendant l'exécution d'une tâche. Définissez le paramètre sur 'true' pour ne jamais afficher d'invite ou utilisez un dictionnaire de types de tâche pour désactiver les invites seulement pour des types de tâches spécifiques.",
+ "task.problemMatchers.neverPrompt.boolean": "Définit le comportement d'invite de détecteur de problèmes de correspondance pour toutes les tâches.",
+ "task.problemMatchers.neverPrompt.array": "Objet contenant des paires de tâches de type booléen pour lesquelles ne jamais demander de détecteur de problèmes de correspondance.",
+ "task.autoDetect": "Contrôle l'application de 'provideTasks' pour toutes les extensions du fournisseur de tâches. Si la commande Tâches : Exécuter la tâche est lente, la désactivation de la détection automatique des fournisseurs de tâches peut être utile. Les extensions individuelles peuvent également fournir des paramètres qui désactivent la détection automatique.",
+ "task.slowProviderWarning": "Configure si un avertissement est affiché quand un fournisseur est lent",
+ "task.slowProviderWarning.boolean": "Définit l'avertissement de fournisseur lent pour toutes les tâches.",
+ "task.slowProviderWarning.array": "Tableau de types de tâche pour lesquelles ne jamais afficher l'avertissement de fournisseur lent.",
+ "task.quickOpen.history": "Contrôle le nombre d'éléments récents suivis dans la boîte de dialogue d'ouverture rapide de tâche.",
+ "task.quickOpen.detail": "Détermine si le détail de la tâche doit être affiché pour les tâches qui comportent un détail dans les sélections rapides de tâches, par exemple Exécuter la tâche.",
+ "task.quickOpen.skip": "Contrôle si la recherche rapide de tâche est ignorée quand il n'y a qu'une seule tâche.",
+ "task.quickOpen.showAll": "Force la commande Tâches : exécuter la tâche à utiliser le comportement \"tout afficher\" (plus lent) à la place du sélecteur à deux niveaux (plus rapide), où les tâches sont regroupées par fournisseur.",
+ "task.saveBeforeRun": "Enregistrez tous les éditeurs comportant des modifications avant d'exécuter une tâche.",
+ "task.saveBeforeRun.always": "Enregistre toujours tous les éditeurs avant l'exécution d'une tâche.",
+ "task.saveBeforeRun.never": "N'enregistre jamais les éditeurs avant l'exécution d'une tâche.",
+ "task.SaveBeforeRun.prompt": "Invite à enregistrer le contenu des éditeurs avant l'exécution d'une tâche."
+ },
+ "vs/workbench/contrib/tasks/common/taskDefinitionRegistry": {
+ "TaskDefinition.description": "Type de tâche réel. Notez que les types commençant par '$' sont réservés à un usage interne.",
+ "TaskDefinition.properties": "Propriétés supplémentaires du type de tâche",
+ "TaskDefinition.when": "Condition qui doit être true pour activer ce type de tâche. Utilisez 'shellExecutionSupported', 'processExecutionSupported' et 'customExecutionSupported' de façon appropriée pour cette définition de tâche.",
+ "TaskTypeConfiguration.noType": "La propriété 'taskType' obligatoire est manquante dans la configuration du type de tâche",
+ "TaskDefinitionExtPoint": "Ajoute des types de tâche"
+ },
+ "vs/workbench/contrib/tasks/common/problemMatcher": {
+ "ProblemPatternParser.problemPattern.missingRegExp": "Il manque une expression régulière dans le modèle de problème.",
+ "ProblemPatternParser.loopProperty.notLast": "La propriété loop est uniquement prise en charge dans le détecteur de problèmes de correspondance de dernière ligne.",
+ "ProblemPatternParser.problemPattern.kindProperty.notFirst": "Le modèle du problème est invalide. La propriété Type doit être uniquement fournie sur le premier élément",
+ "ProblemPatternParser.problemPattern.missingProperty": "Le modèle du problème est invalide. Il doit avoir au moins un fichier et un message.",
+ "ProblemPatternParser.problemPattern.missingLocation": "Le modèle du problème est invalide. Il doit avoir au moins un type: \"fichier\" ou avoir une ligne ou un emplacement de groupe de correspondance. ",
+ "ProblemPatternParser.invalidRegexp": "Erreur : la chaîne {0} n'est pas une expression régulière valide.\r\n",
+ "ProblemPatternSchema.regexp": "Expression régulière permettant de trouver une erreur, un avertissement ou une information dans la sortie.",
+ "ProblemPatternSchema.kind": "Si le modèle correspond à un emplacement (fichier ou ligne) ou seulement à un fichier.",
+ "ProblemPatternSchema.file": "Index de groupe de correspondance du nom de fichier. En cas d'omission, 1 est utilisé.",
+ "ProblemPatternSchema.location": "Index de groupe de correspondance de l'emplacement du problème. Les modèles d'emplacement valides sont : (line), (line,column) et (startLine,startColumn,endLine,endColumn). En cas d'omission, (line,column) est choisi par défaut.",
+ "ProblemPatternSchema.line": "Index de groupe de correspondance de la ligne du problème. La valeur par défaut est 2",
+ "ProblemPatternSchema.column": "Index de groupe de correspondance du caractère de ligne du problème. La valeur par défaut est 3",
+ "ProblemPatternSchema.endLine": "Index de groupe de correspondance de la ligne de fin du problème. La valeur par défaut est non définie",
+ "ProblemPatternSchema.endColumn": "Index de groupe de correspondance du caractère de ligne de fin du problème. La valeur par défaut est non définie",
+ "ProblemPatternSchema.severity": "Index de groupe de correspondance de la gravité du problème. La valeur par défaut est non définie",
+ "ProblemPatternSchema.code": "Index de groupe de correspondance du code du problème. La valeur par défaut est non définie",
+ "ProblemPatternSchema.message": "Index de groupe de correspondance du message. En cas d'omission, la valeur par défaut est 4 si l'emplacement est spécifié. Sinon, la valeur par défaut est 5.",
+ "ProblemPatternSchema.loop": "Dans une boucle de détecteur de problèmes de correspondance multiligne, indique si le modèle est exécuté en boucle tant qu'il correspond. Peut uniquement être spécifié dans le dernier modèle d'un modèle multiligne.",
+ "NamedProblemPatternSchema.name": "Nom du modèle de problème.",
+ "NamedMultiLineProblemPatternSchema.name": "Nom du modèle de problème multiligne.",
+ "NamedMultiLineProblemPatternSchema.patterns": "Modèles réels.",
+ "ProblemPatternExtPoint": "Contribue aux modèles de problèmes",
+ "ProblemPatternRegistry.error": "Modèle de problème non valide. Le modèle va être ignoré.",
+ "ProblemMatcherParser.noProblemMatcher": "Erreur : la description ne peut pas être convertie en détecteur de problèmes de correspondance :\r\n{0}\r\n",
+ "ProblemMatcherParser.noProblemPattern": "Erreur : la description ne définit pas de modèle de problème valide :\r\n{0}\r\n",
+ "ProblemMatcherParser.noOwner": "Erreur : la description ne définit pas de propriétaire :\r\n{0}\r\n",
+ "ProblemMatcherParser.noFileLocation": "Erreur : la description ne définit pas d'emplacement de fichier :\r\n{0}\r\n",
+ "ProblemMatcherParser.unknownSeverity": "Informations : gravité inconnue {0}. Valeurs valides : error, warning et info.\r\n",
+ "ProblemMatcherParser.noDefinedPatter": "Erreur : le modèle ayant pour identificateur {0} n'existe pas.",
+ "ProblemMatcherParser.noIdentifier": "Erreur : la propriété du modèle référence un identificateur vide.",
+ "ProblemMatcherParser.noValidIdentifier": "Erreur : la propriété de modèle {0} n'est pas un nom de variable de modèle valide.",
+ "ProblemMatcherParser.problemPattern.watchingMatcher": "Un détecteur de problèmes de correspondance doit définir un modèle de début et un modèle de fin à observer.",
+ "ProblemMatcherParser.invalidRegexp": "Erreur : la chaîne {0} n'est pas une expression régulière valide.\r\n",
+ "WatchingPatternSchema.regexp": "Expression régulière permettant de détecter le début ou la fin d'une tâche en arrière-plan.",
+ "WatchingPatternSchema.file": "Index de groupe de correspondance du nom de fichier. Peut être omis.",
+ "PatternTypeSchema.name": "Nom d'un modèle faisant l'objet d'une contribution ou prédéfini",
+ "PatternTypeSchema.description": "Modèle de problème ou bien nom d'un modèle de problème faisant l'objet d'une contribution ou prédéfini. Peut être omis si base est spécifié.",
+ "ProblemMatcherSchema.base": "Nom d'un détecteur de problèmes de correspondance de base à utiliser.",
+ "ProblemMatcherSchema.owner": "Propriétaire du problème dans Code. Peut être omis si base est spécifié. Prend la valeur 'external' par défaut en cas d'omission et si base n'est pas spécifié.",
+ "ProblemMatcherSchema.source": "Une chaîne lisible par humain qui décrit la source de ce diagnostic, par exemple 'typescript' ou 'super lint'.",
+ "ProblemMatcherSchema.severity": "Gravité par défaut des problèmes de capture. Est utilisé si le modèle ne définit aucun groupe de correspondance pour la gravité.",
+ "ProblemMatcherSchema.applyTo": "Contrôle si un problème signalé pour un document texte s'applique uniquement aux documents ouverts ou fermés, ou bien à l'ensemble des documents.",
+ "ProblemMatcherSchema.fileLocation": "Définit la façon dont les noms de fichiers signalés dans un modèle de problème doivent être interprétés. Un fileLocation relatif peut être un tableau dans lequel le second élément du tableau correspond au chemin du fichier relatif.",
+ "ProblemMatcherSchema.background": "Modèles de suivi du début et de la fin d'un détecteur de problèmes de correspondance actif sur une tâche en arrière-plan.",
+ "ProblemMatcherSchema.background.activeOnStart": "Si la valeur est true, le moniteur d'arrière plan est activé quand la tâche démarre. Cela équivaut à écrire une ligne qui correspond à beginsPattern",
+ "ProblemMatcherSchema.background.beginsPattern": "En cas de correspondance dans la sortie, le début d'une tâche en arrière-plan est signalé.",
+ "ProblemMatcherSchema.background.endsPattern": "En cas de correspondance dans la sortie, la fin d'une tâche en arrière-plan est signalée.",
+ "ProblemMatcherSchema.watching.deprecated": "La propriété espion est déconseillée. Utilisez l'arrière-plan à la place.",
+ "ProblemMatcherSchema.watching": "Modèles de suivi du début et de la fin d'un détecteur de problèmes de correspondance espion.",
+ "ProblemMatcherSchema.watching.activeOnStart": "Si la valeur est true, le mode espion est actif au démarrage de la tâche. Cela revient à émettre une ligne qui correspond à beginPattern",
+ "ProblemMatcherSchema.watching.beginsPattern": "En cas de correspondance dans la sortie, le début d'une tâche de suivi est signalé.",
+ "ProblemMatcherSchema.watching.endsPattern": "En cas de correspondance dans la sortie, la fin d'une tâche de suivi est signalée.",
+ "LegacyProblemMatcherSchema.watchedBegin.deprecated": "Cette propriété est déconseillée. Utilisez la propriété espion à la place.",
+ "LegacyProblemMatcherSchema.watchedBegin": "Expression régulière signalant qu'une tâche faisant l'objet d'un suivi commence à s'exécuter via le suivi d'un fichier.",
+ "LegacyProblemMatcherSchema.watchedEnd.deprecated": "Cette propriété est déconseillée. Utilisez la propriété espion à la place.",
+ "LegacyProblemMatcherSchema.watchedEnd": "Expression régulière signalant qu'une tâche faisant l'objet d'un suivi a fini de s'exécuter.",
+ "NamedProblemMatcherSchema.name": "Nom du détecteur de problèmes de correspondance utilisé comme référence.",
+ "NamedProblemMatcherSchema.label": "Étiquette contrôlable de visu du détecteur de problèmes de correspondance.",
+ "ProblemMatcherExtPoint": "Contribue aux détecteurs de problèmes de correspondance",
+ "msCompile": "Problèmes du compilateur Microsoft",
+ "lessCompile": "Moins de problèmes",
+ "gulp-tsc": "Problèmes liés à Gulp TSC",
+ "jshint": "Problèmes liés à JSHint",
+ "jshint-stylish": "Problèmes liés au formateur stylish de JSHint",
+ "eslint-compact": "Problèmes liés au formateur compact d'ESLint",
+ "eslint-stylish": "Problèmes liés au formateur stylish d'ESLint",
+ "go": "Problèmes liés à Go"
+ },
+ "vs/workbench/contrib/tasks/common/taskTemplates": {
+ "dotnetCore": "Exécute une commande de génération .NET Core",
+ "msbuild": "Exécute la cible de génération",
+ "externalCommand": "Exemple d'exécution d'une commande externe arbitraire",
+ "Maven": "Exécute les commandes Maven courantes"
+ },
+ "vs/workbench/contrib/tasks/browser/runAutomaticTasks": {
+ "tasks.run.allowAutomatic": "Ce dossier a des tâches ({0}) définies dans 'tasks.json' qui s'exécutent automatiquement à l'ouverture du dossier. Autorisez-vous l'exécution des tâches automatiques à l'ouverture de ce dossier ?",
+ "allow": "Autoriser et exécuter",
+ "disallow": "Interdire",
+ "openTasks": "Ouvrir tasks.json",
+ "workbench.action.tasks.manageAutomaticRunning": "Gérer les tâches automatiques dans le dossier",
+ "workbench.action.tasks.allowAutomaticTasks": "Autoriser les tâches automatiques dans le dossier",
+ "workbench.action.tasks.disallowAutomaticTasks": "Interdire les tâches automatiques dans le dossier"
+ },
+ "vs/workbench/contrib/tasks/browser/taskQuickPick": {
+ "taskQuickPick.showAll": "Afficher toutes les tâches...",
+ "configureTaskIcon": "Icône de configuration dans la liste de sélection des tâches.",
+ "removeTaskIcon": "Icône de suppression dans la liste de sélection des tâches.",
+ "configureTask": "Configurer la tâche",
+ "contributedTasks": "objet d'une contribution",
+ "taskType": "Toutes les {0} tâches",
+ "removeRecent": "Supprimer la tâche récemment utilisée",
+ "recentlyUsed": "utilisée(s) récemment",
+ "configured": "configurée(s)",
+ "TaskQuickPick.goBack": "Retour ↩",
+ "TaskQuickPick.noTasksForType": "Aucune tâche {0}. Retour ↩",
+ "noProviderForTask": "Aucun fournisseur de tâches n'est inscrit pour les tâches de type \"{0}\"."
+ },
+ "vs/workbench/contrib/tasks/common/jsonSchema_v1": {
+ "JsonSchema.version.deprecated": "Task version 0.1.0 est dépréciée. Veuillez utiliser 2.0.0",
+ "JsonSchema.version": "Numéro de version de la configuration",
+ "JsonSchema._runner": "L'exécuteur est gradué. Utiliser la propriété runner officielle",
+ "JsonSchema.runner": "Définit si la tâche est exécutée sous forme de processus, et si la sortie s'affiche dans la fenêtre de sortie ou dans le terminal.",
+ "JsonSchema.windows": "Configuration de commandes spécifique à Windows",
+ "JsonSchema.mac": "Configuration de commandes spécifique à Mac",
+ "JsonSchema.linux": "Configuration de commandes spécifique à Linux",
+ "JsonSchema.shell": "Spécifie si la commande est une commande d'interpréteur de commandes ou un programme externe. La valeur par défaut est false en cas d'omission."
+ },
+ "vs/workbench/contrib/tasks/common/jsonSchema_v2": {
+ "JsonSchema.shell": "Spécifie si la commande est une commande d'interpréteur de commandes ou un programme externe. La valeur par défaut est false en cas d'omission.",
+ "JsonSchema.tasks.isShellCommand.deprecated": "La propriété isShellCommand est dépréciée. Utilisez à la place la propriété de type de la tâche et la propriété d'interpréteur de commandes dans les options. Consultez également les notes de publication 1.14.",
+ "JsonSchema.tasks.dependsOn.identifier": "Identificateur de tâche.",
+ "JsonSchema.tasks.dependsOn.string": "Autre tâche dont cette tâche dépend.",
+ "JsonSchema.tasks.dependsOn.array": "Autres tâches dont cette tâche dépend.",
+ "JsonSchema.tasks.dependsOn": "Peut être une chaîne représentant une autre tâche ou un tableau d'autres tâches dont dépend cette tâche.",
+ "JsonSchema.tasks.dependsOrder.parallel": "Exécutez toutes les tâches dependsOn en parallèle.",
+ "JsonSchema.tasks.dependsOrder.sequence": "Exécutez toutes les tâches dependsOn dans l'ordre.",
+ "JsonSchema.tasks.dependsOrder": "Détermine l'ordre des tâches dependsOn pour cette tâche. Notez que cette propriété n'est pas récursive.",
+ "JsonSchema.tasks.detail": "Description facultative d'une tâche qui s'affiche en détail dans la recherche rapide d'exécution de tâche.",
+ "JsonSchema.tasks.presentation": "Configure le panneau utilisé pour afficher les résultats de la tâche et lit son entrée.",
+ "JsonSchema.tasks.presentation.echo": "Contrôle si la commande exécutée est répercutée dans le panneau. La valeur par défaut est true.",
+ "JsonSchema.tasks.presentation.focus": "Contrôle si le panneau reçoit le focus. La valeur par défaut est false. Si la valeur est true, le panneau est également affiché.",
+ "JsonSchema.tasks.presentation.revealProblems.always": "Affiche toujours le panneau de problèmes quand cette tâche est exécutée.",
+ "JsonSchema.tasks.presentation.revealProblems.onProblem": "Affiche le panneau de problèmes seulement si un problème est détecté.",
+ "JsonSchema.tasks.presentation.revealProblems.never": "N'affiche jamais le panneau de problèmes quand cette tâche est exécutée.",
+ "JsonSchema.tasks.presentation.revealProblems": "Contrôle si le panneau de problèmes est affiché ou non pendant l'exécution de cette tâche. Prioritaire sur l'option \"reveal\". La valeur par défaut est \"jamais\".",
+ "JsonSchema.tasks.presentation.reveal.always": "Toujours afficher le terminal quand cette tâche est exécutée.",
+ "JsonSchema.tasks.presentation.reveal.silent": "Affiche le terminal seulement si la tâche se termine avec une erreur ou si le détecteur de problèmes de correspondance trouve une erreur.",
+ "JsonSchema.tasks.presentation.reveal.never": "Ne jamais afficher le terminal quand cette tâche est exécutée.",
+ "JsonSchema.tasks.presentation.reveal": "Contrôle si le terminal exécutant la tâche est affiché ou non. Peut être remplacé par l'option \"revealProblems\". La valeur par défaut est \"toujours\".",
+ "JsonSchema.tasks.presentation.instance": "Contrôle si le panneau est partagé entre les tâches, dédié à cette tâche ou si un panneau est créé à chaque exécution.",
+ "JsonSchema.tasks.presentation.showReuseMessage": "Contrôle l'affichage du message 'Le terminal est réutilisé par les tâches, appuyez sur une touche pour le fermer'.",
+ "JsonSchema.tasks.presentation.clear": "Détermine si le terminal est effacé avant l'exécution de la tâche.",
+ "JsonSchema.tasks.presentation.group": "Contrôle si la tâche est exécutée dans un groupe de terminaux spécifique à l'aide de volets de fractionnement.",
+ "JsonSchema.tasks.terminal": "La propriété de terminal est dépréciée. Utilisez la présentation à la place",
+ "JsonSchema.tasks.group.kind": "Groupe d'exécution de la tâche.",
+ "JsonSchema.tasks.group.isDefault": "Définit si cette tâche est la tâche par défaut du groupe.",
+ "JsonSchema.tasks.group.defaultBuild": "Marque la tâche comme tâche de génération par défaut.",
+ "JsonSchema.tasks.group.defaultTest": "Marque la tâche comme tâche de test par défaut.",
+ "JsonSchema.tasks.group.build": "Marque la tâche comme une tâche de build accessible avec la commande 'Exécuter la tâche de build'.",
+ "JsonSchema.tasks.group.test": "Marque la tâche comme tâche de test accessible avec la commande 'Exécuter la tâche de test'.",
+ "JsonSchema.tasks.group.none": "N'assigne la tâche à aucun groupe",
+ "JsonSchema.tasks.group": "Définit le groupe d'exécution auquel la tâche appartient. Prend en charge \"build\" pour l'ajouter au groupe de génération et \"test\" pour l'ajouter au groupe de test.",
+ "JsonSchema.tasks.type": "Définit si la tâche est exécutée comme un processus ou comme une commande à l’intérieur d’un shell.",
+ "JsonSchema.commandArray": "La commande shell à exécuter. Les éléments du tableau seront joints en utilisant un caractère d’espacement",
+ "JsonSchema.command.quotedString.value": "La valeur réelle de la commande",
+ "JsonSchema.tasks.quoting.escape": "Echappe les caractères à l’aide du caractère d’échappement du shell (par exemple: sous PowerShell et \\ sous bash).",
+ "JsonSchema.tasks.quoting.strong": "Délimite l'argument à l'aide du caractère de guillemet fort de l'interpréteur de commandes (par exemple ' sous PowerShell et Bash).",
+ "JsonSchema.tasks.quoting.weak": "Délimite l'argument à l'aide du caractère de guillemet faible de l'interpréteur de commandes (par exemple \" sous PowerShell et Bash).",
+ "JsonSchema.command.quotesString.quote": "Comment la valeur de la commande devrait être donnée.",
+ "JsonSchema.command": "Commande à exécuter. Il peut s'agir d'un programme externe ou d'une commande d'interpréteur de commandes.",
+ "JsonSchema.args.quotedString.value": "La valeur réelle de l’argument",
+ "JsonSchema.args.quotesString.quote": "Comment la valeur de l’argument devrait être donnée.",
+ "JsonSchema.tasks.args": "Arguments passés à la commande quand cette tâche est appelée.",
+ "JsonSchema.tasks.label": "L'étiquette de l’interface utilisateur de la tâche",
+ "JsonSchema.version": "Numéro de version de la configuration.",
+ "JsonSchema.tasks.identifier": "Identificateur défini par l'utilisateur pour référencer la tâche dans launch.json ou une clause dependsOn.",
+ "JsonSchema.tasks.identifier.deprecated": "Les identificateurs définis par l'utilisateur sont dépréciés. Pour une tâche personnalisée, utilisez le nom comme référence et pour les tâches fournies par des extensions, utilisez leur identificateur de tâche défini.",
+ "JsonSchema.tasks.reevaluateOnRerun": "Indique s'il faut réévaluer les variables de tâche au moment de la réexécution.",
+ "JsonSchema.tasks.runOn": "Configure quand la tâche doit être exécutée. Si la valeur est folderOpen, la tâche s'exécute automatiquement quand le dossier est ouvert.",
+ "JsonSchema.tasks.instanceLimit": "Nombre d'instances de la tâche autorisées à s'exécuter simultanément.",
+ "JsonSchema.tasks.runOptions": "Options liées à l'exécution de la tâche",
+ "JsonSchema.tasks.taskLabel": "Étiquette de la tâche",
+ "JsonSchema.tasks.taskName": "Nom de la tâche",
+ "JsonSchema.tasks.taskName.deprecated": "La propriété de nom de la tâche est dépréciée. Utilisez la propriété d'étiquette à la place.",
+ "JsonSchema.tasks.background": "Spécifie si la tâche exécutée est maintenue active, et si elle s'exécute en arrière-plan.",
+ "JsonSchema.tasks.promptOnClose": "Spécifie si l'utilisateur doit être averti quand VS Code se ferme avec une tâche en cours d'exécution.",
+ "JsonSchema.tasks.matchers": "Détecteur(s) de problèmes de correspondance à utiliser. Il peut s'agir d'une chaîne ou d'une définition de détecteur de problèmes de correspondance, ou d'un tableau de chaînes et de détecteurs de problèmes de correspondance.",
+ "JsonSchema.customizations.customizes.type": "Type de tâche à personnaliser",
+ "JsonSchema.tasks.customize.deprecated": "La propriété de personnalisation est dépréciée. Consultez les notes de publication 1.14 pour savoir comment migrer vers la nouvelle approche de personnalisation des tâches",
+ "JsonSchema.tasks.showOutput.deprecated": "La propriété showOutput est dépréciée. Utilisez à la place la propriété d'affichage au sein de la propriété de présentation. Consultez également les notes de publication 1.14.",
+ "JsonSchema.tasks.echoCommand.deprecated": "La propriété echoCommand est dépréciée. Utilisez à la place la propriété d'écho au sein de la propriété de présentation. Consultez également les notes de publication 1.14.",
+ "JsonSchema.tasks.suppressTaskName.deprecated": "La propriété suppressTaskName est obsolète. Utiliser la ligne de commande avec ses arguments dans la tâche à la place. Voir aussi les notes de version 1.14.",
+ "JsonSchema.tasks.isBuildCommand.deprecated": "La propriété isBuildCommand est dépréciée. Utilisez la propriété de groupe à la place. Consultez également les notes de publication 1.14.",
+ "JsonSchema.tasks.isTestCommand.deprecated": "La propriété isTestCommand est dépréciée. Utilisez la propriété de groupe à la place. Consultez également les notes de publication 1.14.",
+ "JsonSchema.tasks.taskSelector.deprecated": "La propriété taskSelector est obsolète. Utiliser la ligne de commande avec ses arguments dans la tâche à la place. Voir aussi les notes de version 1.14.",
+ "JsonSchema.windows": "Configuration de commandes spécifique à Windows",
+ "JsonSchema.mac": "Configuration de commandes spécifique à Mac",
+ "JsonSchema.linux": "Configuration de commandes spécifique à Linux"
+ },
+ "vs/workbench/contrib/tasks/browser/tasksQuickAccess": {
+ "noTaskResults": "Aucune tâche correspondante",
+ "TaskService.pickRunTask": "Sélectionner la tâche à exécuter"
+ },
+ "vs/workbench/contrib/tasks/common/jsonSchemaCommon": {
+ "JsonSchema.options": "Options de commande supplémentaires",
+ "JsonSchema.options.cwd": "Répertoire de travail actif du programme ou script exécuté. En cas d'omission, la racine de l'espace de travail actif de Code est utilisée.",
+ "JsonSchema.options.env": "Environnement du programme ou de l'interpréteur de commandes exécuté. En cas d'omission, l'environnement du processus parent est utilisé.",
+ "JsonSchema.tasks.matcherError": "Détecteur de problèmes de correspondance non reconnu. L'extension qui contribue à ce détecteur de problèmes de correspondance est-elle installée ?",
+ "JsonSchema.shellConfiguration": "Configure l'interpréteur de commandes à utiliser.",
+ "JsonSchema.shell.executable": "Interpréteur de commandes à utiliser.",
+ "JsonSchema.shell.args": "Arguments de l'interpréteur de commandes.",
+ "JsonSchema.command": "Commande à exécuter. Il peut s'agir d'un programme externe ou d'une commande d'interpréteur de commandes.",
+ "JsonSchema.tasks.args": "Arguments passés à la commande quand cette tâche est appelée.",
+ "JsonSchema.tasks.taskName": "Nom de la tâche",
+ "JsonSchema.tasks.windows": "Configuration de commande spécifique à Windows",
+ "JsonSchema.tasks.matchers": "Détecteur(s) de problèmes de correspondance à utiliser. Il peut s'agir d'une chaîne ou d'une définition de détecteur de problèmes de correspondance, ou d'un tableau de chaînes et de détecteurs de problèmes de correspondance.",
+ "JsonSchema.tasks.mac": "Configuration de commande spécifique à Mac",
+ "JsonSchema.tasks.linux": "Configuration de commande spécifique à Linux",
+ "JsonSchema.tasks.suppressTaskName": "Contrôle si le nom de la tâche est ajouté en tant qu'argument de la commande. En cas d'omission, la valeur définie globalement est utilisée.",
+ "JsonSchema.tasks.showOutput": "Contrôle si la sortie de la tâche en cours d'exécution est affichée ou non. En cas d'omission, la valeur définie globalement est utilisée.",
+ "JsonSchema.echoCommand": "Contrôle si la commande exécutée fait l'objet d'un écho dans la sortie. La valeur par défaut est false.",
+ "JsonSchema.tasks.watching.deprecation": "Déconseillé. Utilisez isBackground à la place.",
+ "JsonSchema.tasks.watching": "Spécifie si la tâche exécutée est persistante, et si elle surveille le système de fichiers.",
+ "JsonSchema.tasks.background": "Spécifie si la tâche exécutée est maintenue active, et si elle s'exécute en arrière-plan.",
+ "JsonSchema.tasks.promptOnClose": "Spécifie si l'utilisateur doit être averti quand VS Code se ferme avec une tâche en cours d'exécution.",
+ "JsonSchema.tasks.build": "Mappe cette tâche à la commande de génération par défaut de Code.",
+ "JsonSchema.tasks.test": "Mappe cette tâche à la commande de test par défaut de Code.",
+ "JsonSchema.args": "Arguments supplémentaires passés à la commande.",
+ "JsonSchema.showOutput": "Contrôle si la sortie de la tâche en cours d'exécution est affichée ou non. En cas d'omission, 'always' est utilisé.",
+ "JsonSchema.watching.deprecation": "Déconseillé. Utilisez isBackground à la place.",
+ "JsonSchema.watching": "Spécifie si la tâche exécutée est persistante, et si elle surveille le système de fichiers.",
+ "JsonSchema.background": "Spécifie si la tâche exécutée est persistante, et si elle s'exécute en arrière-plan.",
+ "JsonSchema.promptOnClose": "Spécifie si l'utilisateur est prévenu quand VS Code se ferme avec une tâche s'exécutant en arrière-plan.",
+ "JsonSchema.suppressTaskName": "Contrôle si le nom de la tâche est ajouté en tant qu'argument de la commande. La valeur par défaut est false.",
+ "JsonSchema.taskSelector": "Préfixe indiquant qu'un argument est une tâche.",
+ "JsonSchema.matchers": "Détecteur(s) de problèmes de correspondance à utiliser. Il peut s'agir d'une chaîne ou d'une définition de détecteur de problèmes de correspondance, ou encore d'un tableau de chaînes et de détecteurs de problèmes de correspondance.",
+ "JsonSchema.tasks": "Configurations de la tâche. Il s'agit généralement d'enrichissements d'une tâche déjà définie dans l'exécuteur de tâches externe."
+ },
+ "vs/workbench/contrib/terminal/common/terminalConfiguration": {
+ "terminalIntegratedConfigurationTitle": "Terminal intégré",
+ "terminal.integrated.sendKeybindingsToShell": "Dispatche la plupart des combinaisons de touches au terminal au lieu du banc d'essai, en remplaçant '#terminal.integrated.commandsToSkipShell#', qui peut être utilisé alternativement pour affiner le réglage.",
+ "terminal.integrated.automationShell.linux": "Chemin qui, une fois défini, substitue {0} et ignore les valeurs de {1} pour permettre une utilisation du terminal basée sur l'automatisation, par exemple dans le cas des tâches et du débogage.",
+ "terminal.integrated.automationShell.osx": "Chemin qui, une fois défini, substitue {0} et ignore les valeurs de {1} pour permettre une utilisation du terminal basée sur l'automatisation, par exemple dans le cas des tâches et du débogage.",
+ "terminal.integrated.automationShell.windows": "Chemin qui, une fois défini, substitue {0} et ignore les valeurs de {1} pour permettre une utilisation du terminal basée sur l'automatisation, par exemple dans le cas des tâches et du débogage.",
+ "terminal.integrated.shellArgs.linux": "Arguments de ligne de commande à utiliser sur le terminal Linux. [En savoir plus sur la configuration de l'interpréteur de commandes](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shellArgs.osx": "Arguments de ligne de commande à utiliser sur le terminal macOS. [En savoir plus sur la configuration de l'interpréteur de commandes](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shellArgs.windows": "Arguments de ligne de commande à utiliser sur le terminal Windows. [En savoir plus sur la configuration de l'interpréteur de commandes](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shellArgs.windows.string": "Arguments de ligne de commande au [format de ligne de commande](https://msdn.microsoft.com/en-au/08dfcab2-eb6e-49a4-80eb-87d4076c98c6) à utiliser sur le terminal Windows. [En savoir plus sur la configuration de l'interpréteur de commandes](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.macOptionIsMeta": "Détermine s'il est nécessaire de traiter la clé d'option en tant que touche Méta dans le terminal sur macOS.",
+ "terminal.integrated.macOptionClickForcesSelection": "Détermine si la sélection doit être forcée quand Option+clic est utilisé sur macOS. Cela permet de forcer une sélection normale (ligne) et d'interdire l'utilisation du mode de sélection de colonne. Cela permet de copier et de coller à l'aide de la sélection de terminal classique, par exemple, quand le mode souris est activé dans tmux.",
+ "terminal.integrated.copyOnSelection": "Détermine si le texte sélectionné dans le terminal doit être copié dans le Presse-papiers.",
+ "terminal.integrated.drawBoldTextInBrightColors": "Détermine si le texte en gras dans le terminal doit toujours utiliser la variante de couleur ANSI \"bright\".",
+ "terminal.integrated.fontFamily": "Contrôle la famille de polices du terminal. La valeur par défaut est '#editor.fontFamily#'.",
+ "terminal.integrated.fontSize": "Contrôle la taille de police en pixels du terminal.",
+ "terminal.integrated.letterSpacing": "Contrôle l'espacement des lettres du terminal. Il s'agit d'une valeur entière qui représente la quantité de pixels supplémentaires à ajouter entre les caractères.",
+ "terminal.integrated.lineHeight": "Contrôle la hauteur de ligne du terminal. Ce nombre est multiplié par la taille de police du terminal pour obtenir la hauteur de ligne réelle en pixels.",
+ "terminal.integrated.minimumContrastRatio": "Quand ce paramètre est défini, la couleur de premier plan de chaque cellule change pour essayer de respecter le taux de contraste spécifié. Exemples de valeurs :\r\n\r\n- 1 : valeur par défaut. Ne rien faire.\r\n- 4.5 : [conformité WCAG AA (minimum)](https://www.w3.org/TR/UNDERSTANDING-WCAG20/visual-audio-contrast-contrast.html).\r\n- 7 : [conformité WCAG AAA (amélioré)](https://www.w3.org/TR/UNDERSTANDING-WCAG20/visual-audio-contrast7.html).\r\n- 21 : blanc sur noir ou noir sur blanc.",
+ "terminal.integrated.fastScrollSensitivity": "Multiplicateur de vitesse de défilement quand la touche Alt est enfoncée.",
+ "terminal.integrated.mouseWheelScrollSensitivity": "Multiplicateur à utiliser sur le 'deltaY' des événements de défilement de la roulette de la souris.",
+ "terminal.integrated.fontWeightError": "Seuls les mots clés \"normal\" et \"bold\", ou les nombres compris entre 1 et 1 000 sont autorisés.",
+ "terminal.integrated.fontWeight": "Épaisseur de police à utiliser dans le terminal pour le texte qui n'est pas en gras. Accepte les mots clés \"normal\" et \"bold\", ou les nombres compris entre 1 et 1 000.",
+ "terminal.integrated.fontWeightBold": "Épaisseur de police à utiliser dans le terminal pour le texte qui est en gras. Accepte les mots clés \"normal\" et \"bold\", ou les nombres compris entre 1 et 1 000.",
+ "terminal.integrated.cursorBlinking": "Détermine si le curseur du terminal doit clignoter.",
+ "terminal.integrated.cursorStyle": "Contrôle le style du curseur du terminal.",
+ "terminal.integrated.cursorWidth": "Contrôle la largeur du curseur quand '#terminal.integrated.cursorStyle#' a la valeur 'line'.",
+ "terminal.integrated.scrollback": "Contrôle la quantité maximale de lignes que le terminal conserve en mémoire tampon.",
+ "terminal.integrated.detectLocale": "Détermine s'il est nécessaire de détecter la variable d'environnement '$LANG' et de lui affecter une option conforme à UTF-8 dans la mesure où le terminal de VS Code prend uniquement en charge les données encodées au format UTF-8 provenant de l'interpréteur de commandes.",
+ "terminal.integrated.detectLocale.auto": "Définissez la variable d'environnement '$LANG' si la variable existante est manquante, ou si elle ne finit pas par '.UTF-8'.",
+ "terminal.integrated.detectLocale.off": "Ne définissez pas la variable d'environnement '$LANG'.",
+ "terminal.integrated.detectLocale.on": "Définissez toujours la variable d'environnement '$LANG'.",
+ "terminal.integrated.rendererType.auto": "Laisse VS Code déterminer le renderer à utiliser.",
+ "terminal.integrated.rendererType.canvas": "Utilise le renderer GPU/canvas standard.",
+ "terminal.integrated.rendererType.dom": "Utilise le renderer DOM de secours.",
+ "terminal.integrated.rendererType.experimentalWebgl": "Utilise le renderer webgl expérimental. Notez qu'il comporte quelques [problèmes connus](https://github.com/xtermjs/xterm.js/issues?q=is%3Aopen+is%3Aissue+label%3Aarea%2Faddon%2Fwebgl).",
+ "terminal.integrated.rendererType": "Contrôle le mode de rendu du terminal.",
+ "terminal.integrated.rightClickBehavior.default": "Affiche le menu contextuel.",
+ "terminal.integrated.rightClickBehavior.copyPaste": "Effectue une copie quand il existe une sélection, sinon effectue un collage.",
+ "terminal.integrated.rightClickBehavior.paste": "Effectue un collage à la suite d'un clic droit.",
+ "terminal.integrated.rightClickBehavior.selectWord": "Sélectionne le mot sous le curseur et affiche le menu contextuel.",
+ "terminal.integrated.rightClickBehavior": "Contrôle la façon dont le terminal réagit au clic droit.",
+ "terminal.integrated.cwd": "Chemin explicite de lancement du terminal. Il est utilisé en tant que répertoire de travail actif du processus d'interpréteur de commandes. Cela peut être particulièrement utile dans les paramètres d'espace de travail, si le répertoire racine n'est pas un répertoire de travail actif adéquat.",
+ "terminal.integrated.confirmOnExit": "Détermine s'il est nécessaire de confirmer à la sortie l'existence de sessions de terminal actives.",
+ "terminal.integrated.enableBell": "Détermine si la cloche du terminal est activée.",
+ "terminal.integrated.commandsToSkipShell": "Ensemble d'ID de commande dont les combinaisons de touches ne sont pas envoyées à l'interpréteur de commandes mais sont toujours prises en charge par VS Code. Cela permet aux combinaisons de touches qui sont normalement consommées par l'interpréteur de commandes de produire le même résultat que dans une situation où le terminal n'a pas le focus, par exemple Ctrl+P pour lancer Quick Open.\r\n\r\n \r\n\r\nDe nombreuses commandes sont ignorées par défaut. Pour remplacer une valeur par défaut et passer la combinaison de touches de cette commande à l'interpréteur de commandes, ajoutez la commande précédée du caractère '-'. Par exemple, ajoutez '-workbench.action.quickOpen' pour autoriser Ctrl+P à atteindre l'interpréteur de commandes.\r\n\r\n \r\n\r\nLa liste suivante des commandes ignorées par défaut est tronquée quand elle est affichée dans l'Éditeur de paramètres. Pour voir la liste complète, [ouvrez le fichier JSON des paramètres par défaut](command:workbench.action.openRawDefaultSettings 'Ouvrir les paramètres par défaut (JSON)'), puis recherchez la première commande dans la liste ci-dessous.\r\n\r\n \r\n\r\nCommandes ignorées par défaut :\r\n\r\n{0}",
+ "terminal.integrated.allowChords": "Indique si les combinaisons de touches avec pression simultanée doivent être autorisées dans le terminal. Quand la valeur est true et que la frappe donne lieu à une pression simultanée, #terminal.integrated.commandsToSkipShell# est contourné. Si la valeur est false, cela vous permet d'envoyer ctrl+k vers votre interpréteur de commandes (et non VS Code).",
+ "terminal.integrated.allowMnemonics": "Indique si les mnémoniques de barre de menus (par exemple alt+f) sont autorisées à déclencher l'ouverture de la barre de menus. Notez que si la valeur est true, toutes les frappes de la touche alt ignorent l'interpréteur de commandes. Cela n'a aucun effet sur macOS.",
+ "terminal.integrated.inheritEnv": "Indique si les nouveaux interpréteurs de commandes doivent hériter leur environnement de VS Code. Cela n'est pas pris en charge sur Windows.",
+ "terminal.integrated.env.osx": "Objet et variables d'environnement ajoutés au processus de VS Code pour être utilisés par le terminal sur macOS. Affectez la valeur 'null' pour supprimer la variable d'environnement.",
+ "terminal.integrated.env.linux": "Objet et variables d'environnement ajoutés au processus de VS Code pour être utilisés par le terminal sur Linux. Affectez la valeur 'null' pour supprimer la variable d'environnement.",
+ "terminal.integrated.env.windows": "Objet et variables d'environnement ajoutés au processus de VS Code pour être utilisés par le terminal sur Windows. Affectez la valeur 'null' pour supprimer la variable d'environnement.",
+ "terminal.integrated.environmentChangesIndicator": "Indique s'il est nécessaire d'afficher l'indicateur des changements apportés à un environnement sur chaque terminal. Cet indicateur précise si des extensions ont été effectuées, ou si vous souhaitez apporter des changements à l'environnement du terminal.",
+ "terminal.integrated.environmentChangesIndicator.off": "Désactivez l'indicateur.",
+ "terminal.integrated.environmentChangesIndicator.on": "Activez l'indicateur.",
+ "terminal.integrated.environmentChangesIndicator.warnonly": "Affiche uniquement l'indicateur d'avertissement qui montre que l'environnement d'un terminal est 'obsolète'. N'affiche pas l'indicateur d'information qui montre que l'environnement d'un terminal a été modifié par une extension.",
+ "terminal.integrated.showExitAlert": "Détermine s'il est nécessaire d'afficher l'alerte \"Le processus du terminal s'est achevé avec le code de sortie\" quand le code de sortie est différent de zéro.",
+ "terminal.integrated.splitCwd": "Contrôle le répertoire de travail dans lequel un terminal divisé démarre.",
+ "terminal.integrated.splitCwd.workspaceRoot": "Un nouveau terminal divisé utilise la racine de l'espace de travail en tant que répertoire de travail. Dans un espace de travail multiracine, vous pouvez choisir le dossier racine à utiliser.",
+ "terminal.integrated.splitCwd.initial": "Un nouveau terminal divisé utilise le répertoire de travail dans lequel le terminal parent a démarré.",
+ "terminal.integrated.splitCwd.inherited": "Sur macOS et Linux, un nouveau terminal divisé utilise le répertoire de travail du terminal parent. Sur Windows, le comportement est le même qu'avec le paramètre initial.",
+ "terminal.integrated.windowsEnableConpty": "Indique si ConPTY doit être utilisé pour la communication des processus du terminal Windows (nécessite Windows 10 build 18309+). Winpty est utilisé si ce paramètre a la valeur false.",
+ "terminal.integrated.wordSeparators": "Chaîne contenant tous les caractères à considérer en tant que séparateurs de mots quand le double-clic est utilisé pour sélectionner un mot.",
+ "terminal.integrated.experimentalUseTitleEvent": "Paramètre expérimental qui utilise l'événement du titre de terminal pour le titre de liste déroulante. Ce paramètre s'applique uniquement aux nouveaux terminaux.",
+ "terminal.integrated.enableFileLinks": "Indique si les liens de fichiers doivent être activés dans le terminal. Les liens peuvent être lents quand vous travaillez sur un lecteur réseau, car chaque lien de fichier est vérifié par rapport au système de fichiers. Le changement de cette option ne prend effet que sur les nouveaux terminaux.",
+ "terminal.integrated.unicodeVersion.six": "Version 6 d'Unicode. Il s'agit d'une version antérieure qui doit fonctionner mieux sur les anciens systèmes.",
+ "terminal.integrated.unicodeVersion.eleven": "Version 11 d'Unicode. Cette version offre une meilleure prise en charge sur les systèmes modernes qui utilisent des versions modernes d'Unicode.",
+ "terminal.integrated.unicodeVersion": "Contrôle la version d'Unicode à utiliser au moment de l'évaluation de la largeur des caractères dans le terminal. Si vous êtes confronté à des emojis ou d'autres caractères larges qui n'occupent pas la quantité appropriée (trop ou trop peu) d'espaces avant ou arrière, vous pouvez essayer d'adapter ce paramètre.",
+ "terminal.integrated.experimentalLinkProvider": "Paramètre expérimental qui vise à optimiser la détection des liens dans le terminal en améliorant le moment où ils sont détectés, et en activant le partage de la détection des liens avec l'éditeur. Pour le moment, seuls les liens web sont pris en charge.",
+ "terminal.integrated.localEchoLatencyThreshold": "Expérimental : durée du délai réseau, en millisecondes, pendant lequel les modifications locales sont répercutées sur le terminal sans attendre l'accusé de réception du serveur. Si la valeur est '0', l'écho local est toujours activé et si la valeur est '-1', il est désactivé.",
+ "terminal.integrated.localEchoExcludePrograms": "Expérimental : l'écho local est désactivé quand l'un de ces noms de programmes est trouvé dans le titre du terminal.",
+ "terminal.integrated.localEchoStyle": "Expérimental : style du texte répercuté localement dans le terminal : style de police ou couleur RVB.",
+ "terminal.integrated.serverSpawn": "Expérimental : générer des terminaux distants à partir du processus d'agent distant au lieu de l'hôte d'extension distant",
+ "terminal.integrated.enablePersistentSessions": "Expérimental : sessions de terminal persistantes pour l'espace de travail lors des rechargements de fenêtre. Uniquement pris en charge dans les espaces de travail distants VS Code pour l'instant.",
+ "terminal.integrated.shell.linux": "Chemin de l'interpréteur de commandes utilisé par le terminal sur Linux (par défaut : {0}). [En savoir plus sur la configuration de l'interpréteur de commandes](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shell.linux.noDefault": "Chemin de l'interpréteur de commandes utilisé par le terminal sur Linux. [En savoir plus sur la configuration de l'interpréteur de commandes](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shell.osx": "Chemin de l'interpréteur de commandes utilisé par le terminal sur macOS (par défaut : {0}). [En savoir plus sur la configuration de l'interpréteur de commandes](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shell.osx.noDefault": "Chemin de l'interpréteur de commandes utilisé par le terminal sur macOS. [En savoir plus sur la configuration de l'interpréteur de commandes](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shell.windows": "Chemin de l'interpréteur de commandes utilisé par le terminal sur Windows (par défaut : {0}). [En savoir plus sur la configuration de l'interpréteur de commandes](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shell.windows.noDefault": "Chemin de l'interpréteur de commandes utilisé par le terminal sur Windows. [En savoir plus sur la configuration de l'interpréteur de commandes](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration)."
+ },
+ "vs/workbench/contrib/terminal/common/terminal": {
+ "terminalCategory": "Terminal",
+ "vscode.extension.contributes.terminal": "Contribue aux fonctionnalités du terminal.",
+ "vscode.extension.contributes.terminal.types": "Définit les types de terminal supplémentaires que l'utilisateur peut créer.",
+ "vscode.extension.contributes.terminal.types.command": "Commande à exécuter quand l'utilisateur crée ce type de terminal.",
+ "vscode.extension.contributes.terminal.types.title": "Titre de ce type de terminal."
+ },
+ "vs/workbench/contrib/terminal/browser/terminal.contribution": {
+ "tasksQuickAccessPlaceholder": "Tapez le nom d'un terminal à ouvrir.",
+ "tasksQuickAccessHelp": "Afficher tous les terminaux ouverts",
+ "terminal": "Terminal"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalView": {
+ "terminal.useMonospace": "Utilisez 'monospace'",
+ "terminal.monospaceOnly": "Le terminal prend en charge seulement les polices à espacement fixe. Veillez à redémarrer VS Code s'il s'agit d'une police nouvellement installée."
+ },
+ "vs/workbench/contrib/terminal/browser/remoteTerminalService": {
+ "terminal.integrated.starting": "Démarrage..."
+ },
+ "vs/workbench/contrib/terminal/node/terminalProcess": {
+ "launchFail.cwdNotDirectory": "Le répertoire de démarrage (cwd) \"{0}\" n'est pas un répertoire",
+ "launchFail.cwdDoesNotExist": "Le répertoire de démarrage (cwd) \"{0}\" n'existe pas",
+ "launchFail.executableIsNotFileOrSymlink": "Le chemin de l'exécutable d'interpréteur de commandes \"{0}\" n'est pas celui d'un fichier de lien symbolique",
+ "launchFail.executableDoesNotExist": "Le chemin de l'exécutable d'interpréteur de commandes \"{0}\" n'existe pas"
+ },
+ "vs/workbench/contrib/terminal/electron-browser/terminalRemote": {
+ "workbench.action.terminal.newLocal": "Créer un terminal intégré (local)"
+ },
+ "vs/workbench/contrib/terminal/common/terminalColorRegistry": {
+ "terminal.background": "Couleur d'arrière-plan du terminal, permet d'appliquer au terminal une couleur différente de celle du panneau.",
+ "terminal.foreground": "Couleur de premier plan du terminal.",
+ "terminalCursor.foreground": "La couleur de premier plan du curseur du terminal.",
+ "terminalCursor.background": "La couleur d’arrière-plan du curseur terminal. Permet de personnaliser la couleur d’un caractère recouvert par un curseur de bloc.",
+ "terminal.selectionBackground": "Couleur d'arrière-plan de sélection du terminal.",
+ "terminal.border": "Couleur de bordure qui sépare les volets de fractionnement dans le terminal. La valeur par défaut est panel.border.",
+ "terminal.ansiColor": "Couleur ANSI '{0}' dans le terminal."
+ },
+ "vs/workbench/contrib/terminal/browser/terminalActions": {
+ "workbench.action.terminal.newWorkspacePlaceholder": "Sélectionner le répertoire de travail actuel pour le nouveau terminal",
+ "workbench.action.terminal.toggleTerminal": "Activer/désactiver le terminal intégré",
+ "workbench.action.terminal.kill": "Tuer l'instance active du terminal",
+ "workbench.action.terminal.kill.short": "Tuer le terminal",
+ "workbench.action.terminal.copySelection": "Copier la sélection",
+ "workbench.action.terminal.copySelection.short": "Copier",
+ "workbench.action.terminal.selectAll": "Tout sélectionner",
+ "workbench.action.terminal.new": "Créer un terminal intégré",
+ "workbench.action.terminal.new.short": "Nouveau terminal",
+ "workbench.action.terminal.split": "Diviser le terminal",
+ "workbench.action.terminal.split.short": "Fractionner",
+ "workbench.action.terminal.splitInActiveWorkspace": "Diviser le Terminal (dans l'espace de travail actif)",
+ "workbench.action.terminal.paste": "Coller dans le terminal actif",
+ "workbench.action.terminal.paste.short": "Coller",
+ "workbench.action.terminal.selectDefaultShell": "Sélectionner l'interpréteur de commandes par défaut",
+ "workbench.action.terminal.openSettings": "Configurer les paramètres du terminal",
+ "workbench.action.terminal.switchTerminal": "Changer de terminal",
+ "terminals": "Ouvrez les terminaux.",
+ "terminalConnectingLabel": "Démarrage...",
+ "workbench.action.terminal.clear": "Effacer",
+ "terminalLaunchHelp": "Ouvrir l'aide",
+ "workbench.action.terminal.newInActiveWorkspace": "Créer un nouveau Terminal intégré (dans l'espace de travail actif)",
+ "workbench.action.terminal.focusPreviousPane": "Focus sur le panneau précédent",
+ "workbench.action.terminal.focusNextPane": "Focus sur le panneau suivant",
+ "workbench.action.terminal.resizePaneLeft": "Redimensionner le panneau vers la gauche",
+ "workbench.action.terminal.resizePaneRight": "Redimensionner le panneau vers la droite",
+ "workbench.action.terminal.resizePaneUp": "Redimensionner le panneau vers le haut",
+ "workbench.action.terminal.resizePaneDown": "Redimensionner le panneau vers le bas",
+ "workbench.action.terminal.focus": "Focus sur le terminal",
+ "workbench.action.terminal.focusNext": "Focus sur le terminal suivant",
+ "workbench.action.terminal.focusPrevious": "Focus sur le terminal précédent",
+ "workbench.action.terminal.runSelectedText": "Exécuter le texte sélectionné dans le terminal actif",
+ "workbench.action.terminal.runActiveFile": "Exécuter le fichier actif dans le terminal actif",
+ "workbench.action.terminal.runActiveFile.noFile": "Seuls les fichiers sur disque peuvent être exécutés dans le terminal",
+ "workbench.action.terminal.scrollDown": "Faire défiler vers le bas (ligne)",
+ "workbench.action.terminal.scrollDownPage": "Faire défiler vers le bas (page)",
+ "workbench.action.terminal.scrollToBottom": "Faire défiler jusqu'en bas",
+ "workbench.action.terminal.scrollUp": "Faire défiler vers le haut (ligne)",
+ "workbench.action.terminal.scrollUpPage": "Faire défiler vers le haut (page)",
+ "workbench.action.terminal.scrollToTop": "Faire défiler jusqu'en haut",
+ "workbench.action.terminal.navigationModeExit": "Quitter le mode de navigation",
+ "workbench.action.terminal.navigationModeFocusPrevious": "Mettre le focus sur la ligne précédente (Mode de navigation)",
+ "workbench.action.terminal.navigationModeFocusNext": "Mettre le focus sur la ligne suivante (mode de navigation)",
+ "workbench.action.terminal.clearSelection": "Effacer la sélection",
+ "workbench.action.terminal.manageWorkspaceShellPermissions": "Gérer les autorisations de l'interpréteur de commandes de l'espace de travail",
+ "workbench.action.terminal.rename": "Renommer",
+ "workbench.action.terminal.rename.prompt": "Entrer le nom du terminal",
+ "workbench.action.terminal.focusFind": "Focus sur la recherche",
+ "workbench.action.terminal.hideFind": "Masquer la recherche",
+ "workbench.action.terminal.attachToRemote": "Attacher à la session",
+ "quickAccessTerminal": "Changer de terminal actif",
+ "workbench.action.terminal.scrollToPreviousCommand": "Faire défiler jusqu'à la commande précédente",
+ "workbench.action.terminal.scrollToNextCommand": "Faire défiler jusqu'à la prochaine commande",
+ "workbench.action.terminal.selectToPreviousCommand": "Sélectionnez pour la commande précédente",
+ "workbench.action.terminal.selectToNextCommand": "Sélectionnez pour la commande suivante",
+ "workbench.action.terminal.selectToPreviousLine": "Sélectionner pour la ligne précédente",
+ "workbench.action.terminal.selectToNextLine": "Sélectionner pour la ligne suivante",
+ "workbench.action.terminal.toggleEscapeSequenceLogging": "Activer/désactiver la journalisation de la séquence d'échappement",
+ "workbench.action.terminal.sendSequence": "Envoyer une séquence personnalisée au terminal",
+ "workbench.action.terminal.newWithCwd": "Créer un nouveau terminal intégré à partir d'un répertoire de travail personnalisé",
+ "workbench.action.terminal.newWithCwd.cwd": "Répertoire où démarrer le terminal",
+ "workbench.action.terminal.renameWithArg": "Renommer le terminal actuellement actif",
+ "workbench.action.terminal.renameWithArg.name": "Nouveau nom du terminal",
+ "workbench.action.terminal.renameWithArg.noName": "Aucun argument de nom fourni",
+ "workbench.action.terminal.toggleFindRegex": "Activer/désactiver la recherche à l'aide de la notation regex",
+ "workbench.action.terminal.toggleFindWholeWord": "Activer/désactiver la recherche à l'aide du mot entier",
+ "workbench.action.terminal.toggleFindCaseSensitive": "Activer/désactiver la recherche sensible à la casse",
+ "workbench.action.terminal.findNext": "Rechercher le suivant",
+ "workbench.action.terminal.findPrevious": "Rechercher le précédent",
+ "workbench.action.terminal.searchWorkspace": "Rechercher dans l'espace de travail",
+ "workbench.action.terminal.relaunch": "Relancer le terminal actif",
+ "workbench.action.terminal.showEnvironmentInformation": "Afficher les informations sur l'environnement"
+ },
+ "vs/workbench/contrib/terminal/common/terminalMenu": {
+ "miToggleIntegratedTerminal": "&&Terminal",
+ "miNewTerminal": "&&Nouveau terminal",
+ "miSplitTerminal": "Terminal divi&&sé",
+ "miRunActiveFile": "Exécuter le fichier &&actif",
+ "miRunSelectedText": "Exécuter le texte &&sélectionné"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalService": {
+ "workbench.action.terminal.allowWorkspaceShell": "Autoriser la configuration de l'interpréteur de commandes de l'espace de travail",
+ "workbench.action.terminal.disallowWorkspaceShell": "Interdire la configuration de l'interpréteur de commandes de l'espace de travail",
+ "terminalService.terminalCloseConfirmationSingular": "Il existe une session de terminal active. Voulez-vous la tuer ?",
+ "terminalService.terminalCloseConfirmationPlural": "Il existe {0} sessions de terminal actives. Voulez-vous les tuer ?",
+ "terminal.integrated.chooseWindowsShell": "Sélectionnez votre interpréteur de commandes de terminal favori. Vous pouvez le changer plus tard dans vos paramètres"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalQuickAccess": {
+ "renameTerminal": "Renommer le terminal",
+ "killTerminal": "Tuer l'instance du terminal",
+ "workbench.action.terminal.newplus": "Créer un terminal intégré"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalIcons": {
+ "terminalViewIcon": "Icône de vue du terminal.",
+ "renameTerminalIcon": "Icône de renommage dans le menu rapide du terminal.",
+ "killTerminalIcon": "Icône permettant de tuer une instance de terminal.",
+ "newTerminalIcon": "Icône de création d'une instance de terminal."
+ },
+ "vs/workbench/contrib/terminal/browser/terminalConfigHelper": {
+ "terminal.integrated.allowWorkspaceShell": "Autorisez-vous cet espace de travail à modifier l'interpréteur de commandes de votre terminal ? {0}",
+ "allow": "Autoriser",
+ "disallow": "Interdire",
+ "useWslExtension.title": "L'extension '{0}' est recommandée pour ouvrir un terminal dans WSL.",
+ "install": "Installer"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalInstance": {
+ "terminal.integrated.a11yPromptLabel": "Entrée du terminal",
+ "terminal.integrated.a11yTooMuchOutput": "Trop de sorties à annoncer, naviguer dans les lignes manuellement pour lire",
+ "terminalTextBoxAriaLabelNumberAndTitle": "Terminal {0}, {1}",
+ "terminalTextBoxAriaLabel": "Terminal {0}",
+ "configure terminal settings": "Certaines combinaisons de touches sont dispatchées par défaut au banc d'essai.",
+ "configureTerminalSettings": "Configurer les paramètres du terminal",
+ "yes": "Oui",
+ "no": "Non",
+ "dontShowAgain": "Ne plus afficher",
+ "terminal.slowRendering": "Le moteur de rendu standard pour le terminal intégré semble lent sur votre ordinateur. Souhaitez-vous basculer vers le moteur de rendu basé sur DOM ce qui peut améliorer les performances ? [En savoir plus sur les paramètres de terminal] (https://code.visualstudio.com/docs/editor/integrated-terminal#_changing-how-the-terminal-is-rendered).",
+ "terminal.integrated.copySelection.noSelection": "Le terminal n'a aucune sélection à copier",
+ "launchFailed.exitCodeAndCommandLine": "Échec du lancement du processus de terminal \"{0}\" (code de sortie : {1}).",
+ "launchFailed.exitCodeOnly": "Échec du lancement du processus de terminal (code de sortie : {0}).",
+ "terminated.exitCodeAndCommandLine": "Arrêt du processus de terminal \"{0}\". Code de sortie : {1}.",
+ "terminated.exitCodeOnly": "Arrêt du processus de terminal. Code de sortie : {0}.",
+ "launchFailed.errorMessage": "Échec du lancement du processus de terminal : {0}.",
+ "terminalStaleTextBoxAriaLabel": "L'environnement {0} du terminal est obsolète. Pour plus d'informations, exécutez la commande Afficher les informations sur l'environnement"
+ },
+ "vs/workbench/contrib/terminal/browser/links/terminalLinkManager": {
+ "terminalLinkHandler.followLinkAlt.mac": "option+clic",
+ "terminalLinkHandler.followLinkAlt": "alt+clic",
+ "terminalLinkHandler.followLinkCmd": "cmd+clic",
+ "terminalLinkHandler.followLinkCtrl": "ctrl+clic",
+ "followLink": "Suivre le lien"
+ },
+ "vs/workbench/contrib/terminal/browser/links/terminalWordLinkProvider": {
+ "searchWorkspace": "Rechercher un espace de travail"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalProcessExtHostProxy": {
+ "terminal.integrated.starting": "Démarrage..."
+ },
+ "vs/workbench/contrib/terminal/browser/environmentVariableInfo": {
+ "extensionEnvironmentContributionChanges": "Les extensions souhaitent apporter les changements suivants à l'environnement du terminal :",
+ "extensionEnvironmentContributionRemoval": "Les extensions souhaitent supprimer les changements existants de l'environnement du terminal :",
+ "relaunchTerminalLabel": "Relancer le terminal",
+ "extensionEnvironmentContributionInfo": "Des extensions ont apporté des changements à l'environnement de ce terminal"
+ },
+ "vs/workbench/contrib/terminal/browser/links/terminalLink": {
+ "openFile": "Ouvrir le fichier dans l'éditeur",
+ "focusFolder": "Focus sur le dossier dans l'Explorateur",
+ "openFolder": "Ouvrir le dossier dans une nouvelle fenêtre"
+ },
+ "vs/workbench/contrib/themes/browser/themes.contribution": {
+ "selectTheme.label": "Thème de couleur",
+ "themes.category.light": "thèmes clairs",
+ "themes.category.dark": "thèmes sombres",
+ "themes.category.hc": "thèmes à contraste élevé",
+ "installColorThemes": "Installer des thèmes de couleurs supplémentaires...",
+ "themes.selectTheme": "Sélectionner un thème de couleur (flèches bas/haut pour afficher l'aperçu)",
+ "selectIconTheme.label": "Thème d'icône de fichier",
+ "noIconThemeLabel": "Aucun(e)",
+ "noIconThemeDesc": "Désactiver les icônes de fichiers",
+ "installIconThemes": "Installer des thèmes d'icônes de fichiers supplémentaires...",
+ "themes.selectIconTheme": "Sélectionner un thème d'icône de fichier",
+ "selectProductIconTheme.label": "Thème d'icône de produit",
+ "defaultProductIconThemeLabel": "Par défaut",
+ "themes.selectProductIconTheme": "Sélectionner un thème d'icône de produit",
+ "generateColorTheme.label": "Générer le thème de couleur à partir des paramètres actuels",
+ "preferences": "Préférences",
+ "miSelectColorTheme": "Thème de &&couleur",
+ "miSelectIconTheme": "Thème d'&&icône de fichier",
+ "themes.selectIconTheme.label": "Thème d'icône de fichier"
+ },
+ "vs/workbench/contrib/timeline/browser/timeline.contribution": {
+ "timelineViewIcon": "Icône de vue de la chronologie.",
+ "timelineOpenIcon": "Icône de l'action d'ouverture de la chronologie.",
+ "timelineConfigurationTitle": "Chronologie",
+ "timeline.excludeSources": "Expérimental : éventail de sources de chronologie à exclure de la vue Chronologie",
+ "timeline.pageSize": "Nombre d'éléments à montrer par défaut dans l'affichage de la chronologie et durant le chargement d'autres éléments. L'affectation de la valeur 'null' (valeur par défaut) permet de choisir automatiquement une taille de page basée sur la zone visible de l'affichage de la chronologie",
+ "timeline.pageOnScroll": "Expérimental. Détermine si l'affichage de la chronologie doit charger la page suivante quand vous faites défiler une liste d'éléments jusqu'à la fin",
+ "files.openTimeline": "Ouvrir la chronologie"
+ },
+ "vs/workbench/contrib/timeline/browser/timelinePane": {
+ "timeline.loadingMore": "Chargement...",
+ "timeline.loadMore": "Charger plus",
+ "timeline": "Chronologie",
+ "timeline.editorCannotProvideTimeline": "L'éditeur actif ne peut pas fournir d'informations sur la chronologie.",
+ "timeline.noTimelineInfo": "Aucune information sur la chronologie n'a été fournie.",
+ "timeline.aria.item": "{0}: {1}",
+ "timeline.loading": "Chargement de la chronologie de {0}...",
+ "timelineRefresh": "Icône de l'action d'actualisation de la chronologie.",
+ "timelinePin": "Icône de l'action permettant d'épingler la chronologie.",
+ "timelineUnpin": "Icône de l'action permettant de détacher la chronologie.",
+ "refresh": "Actualiser",
+ "timeline.toggleFollowActiveEditorCommand.follow": "Épingler la chronologie actuelle",
+ "timeline.toggleFollowActiveEditorCommand.unfollow": "Désépingler la chronologie actuelle",
+ "timeline.filterSource": "Inclure : {0}"
+ },
+ "vs/workbench/contrib/update/browser/update.contribution": {
+ "miReleaseNotes": "&&Notes de publication"
+ },
+ "vs/workbench/contrib/update/browser/update": {
+ "releaseNotes": "Notes de publication",
+ "update.noReleaseNotesOnline": "Cette version de {0} n'a pas de notes de publication en ligne",
+ "showReleaseNotes": "Afficher les notes de publication",
+ "read the release notes": "Bienvenue dans {0} v{1} ! Voulez-vous lire les notes de publication ?",
+ "licenseChanged": "Nos termes du contrat de licence ont changé. Veuillez cliquer [ici]({0}) pour les consulter.",
+ "updateIsReady": "Nouvelle mise à jour de {0} disponible.",
+ "checkingForUpdates": "Recherche de mises à jour...",
+ "update service": "Service de mise à jour",
+ "noUpdatesAvailable": "Aucune mise à jour n'est disponible actuellement.",
+ "ok": "OK",
+ "thereIsUpdateAvailable": "Une mise à jour est disponible.",
+ "download update": "Télécharger la mise à jour",
+ "later": "Plus tard",
+ "updateAvailable": "Une mise à jour est disponible : {0} {1}",
+ "installUpdate": "Installer la mise à jour",
+ "updateInstalling": "{0} {1} est installé en tâche de fond ; Nous vous ferons savoir quand c’est fini.",
+ "updateNow": "Mettre à jour maintenant",
+ "updateAvailableAfterRestart": "Redémarrer {0} pour appliquer la dernière mise à jour.",
+ "checkForUpdates": "Rechercher les mises à jour...",
+ "download update_1": "Télécharger la mise à jour (1)",
+ "DownloadingUpdate": "Téléchargement de la mise à jour...",
+ "installUpdate...": "Installer la mise à jour... (1)",
+ "installingUpdate": "Installation de la mise à jour...",
+ "good luck": "'Restart to Update' is not working properly on macOS Big Sur. Click 'Quit to Update' to quit {0} and update it. Then, relaunch it from Finder.",
+ "quit": "Quit to Update",
+ "learn more": "Learn More",
+ "cancel": "Cancel",
+ "restartToUpdate": "Redémarrer pour mettre à jour (1)",
+ "relaunchMessage": "Le changement de version nécessite un rechargement pour être pris en compte",
+ "relaunchDetailInsiders": "Appuyez sur le bouton de rechargement pour passer à la version de préproduction nocturne de VSCode.",
+ "relaunchDetailStable": "Appuyez sur le bouton de rechargement pour passer à la version stable publiée mensuellement de VSCode.",
+ "reload": "&&Recharger",
+ "switchToInsiders": "Passer à la version Insiders...",
+ "switchToStable": "Passer à la version stable..."
+ },
+ "vs/workbench/contrib/update/browser/releaseNotesEditor": {
+ "releaseNotesInputName": "Notes de publication : {0}",
+ "unassigned": "non assigné"
+ },
+ "vs/workbench/contrib/url/browser/url.contribution": {
+ "openUrl": "Ouvrir l'URL",
+ "urlToOpen": "URL à ouvrir"
+ },
+ "vs/workbench/contrib/url/browser/trustedDomains": {
+ "trustedDomain.manageTrustedDomain": "Gérer les domaines approuvés",
+ "trustedDomain.trustDomain": "Approuver {0}",
+ "trustedDomain.trustAllPorts": "Approuver {0} sur tous les ports",
+ "trustedDomain.trustSubDomain": "Approuver {0} et tous ses sous-domaines",
+ "trustedDomain.trustAllDomains": "Approuver tous les domaines (désactive la protection des liens)",
+ "trustedDomain.manageTrustedDomains": "Gérer les domaines approuvés",
+ "configuringURL": "Configuration de l'approbation pour {0}"
+ },
+ "vs/workbench/contrib/url/browser/trustedDomainsValidator": {
+ "openExternalLinkAt": "Voulez-vous que {0} ouvre le site web externe ?",
+ "open": "Ouvrir",
+ "copy": "Copier",
+ "cancel": "Annuler",
+ "configureTrustedDomains": "Configurer les domaines approuvés"
+ },
+ "vs/workbench/contrib/userDataSync/electron-browser/userDataSync.contribution": {
+ "operationId": "ID d'opération : {0}",
+ "too many requests": "La synchronisation des paramètres est désactivée, car l'appareil actuel effectue trop de requêtes. Signalez un problème en fournissant les journaux de synchronisation.",
+ "settings sync": "Synchronisation des paramètres. ID d'opération : {0}",
+ "show sync logs": "Afficher le journal",
+ "report issue": "Signaler un problème",
+ "Open Backup folder": "Ouvrir le dossier des sauvegardes locales",
+ "no backups": "Le dossier des sauvegardes locales n'existe pas"
+ },
+ "vs/workbench/contrib/userDataSync/browser/userDataSync.contribution": {
+ "operationId": "ID d'opération : {0}",
+ "too many requests": "Désactivation de la synchronisation des paramètres sur cet appareil, car il effectue trop de requêtes."
+ },
+ "vs/workbench/contrib/userDataSync/browser/userDataSync": {
+ "turn on sync with category": "{0} : activer...",
+ "stop sync": "{0} : désactiver",
+ "configure sync": "{0} : Configurer...",
+ "showConflicts": "{0} : afficher les conflits de paramètres",
+ "showKeybindingsConflicts": "{0} : afficher les conflits de combinaisons de touches",
+ "showSnippetsConflicts": "{0} : afficher les conflits d'extraits d'utilisateurs",
+ "sync now": "{0} : synchroniser maintenant",
+ "syncing": "synchronisation",
+ "synced with time": "synchronisation effectuée de {0}",
+ "sync settings": "{0} : afficher les paramètres",
+ "show synced data": "{0} : afficher les données synchronisées",
+ "conflicts detected": "Synchronisation impossible en raison de conflits dans {0}. Corrigez-les pour continuer.",
+ "accept remote": "Accepter les paramètres distants",
+ "accept local": "Accepter les paramètres locaux",
+ "show conflicts": "Afficher les conflits",
+ "accept failed": "Erreur au moment de l'acceptation des changements. Pour plus d'informations, consultez les [journaux]({0}).",
+ "session expired": "La synchronisation des paramètres a été désactivée, car la session active est arrivée à expiration. Reconnectez-vous pour activer la synchronisation.",
+ "turn on sync": "Activer la synchronisation des paramètres...",
+ "turned off": "La synchronisation des paramètres a été désactivée à partir d'un autre appareil. Reconnectez-vous pour activer la synchronisation.",
+ "too large": "La synchronisation {0} a été désactivée, car la taille du fichier {1} à synchroniser dépasse {2}. Ouvrez le fichier et réduisez sa taille, puis activez la synchronisation",
+ "error upgrade required": "La synchronisation des paramètres est désactivée, car la version actuelle ({0}, {1}) n'est pas compatible avec le service de synchronisation. Effectuez une mise à jour avant d'activer la synchronisation.",
+ "operationId": "ID d'opération : {0}",
+ "error reset required": "La synchronisation des paramètres est désactivée, car vos données dans le cloud sont plus anciennes que celles du client. Effacez vos données dans le cloud avant d'activer la synchronisation.",
+ "reset": "Effacer les données dans le cloud...",
+ "show synced data action": "Afficher les données synchronisées",
+ "switched to insiders": "La synchronisation des paramètres utilise désormais un service distinct. Pour plus d'informations, consultez les [notes de publication](https://code.visualstudio.com/updates/v1_48#_settings-sync).",
+ "open file": "Ouvrir le fichier {0}",
+ "errorInvalidConfiguration": "Impossible de synchroniser {0}, car le contenu du fichier est non valide. Ouvrez le fichier, puis corrigez-le.",
+ "has conflicts": "{0} : conflits détectés",
+ "turning on syncing": "Activation de la synchronisation des paramètres...",
+ "sign in to sync": "Se connecter pour synchroniser les paramètres",
+ "no authentication providers": "Aucun fournisseur d'authentification n'est disponible.",
+ "too large while starting sync": "Impossible d'activer la synchronisation des paramètres, car la taille du fichier {0} à synchroniser dépasse {1}. Ouvrez le fichier, réduisez sa taille, puis activez la synchronisation",
+ "error upgrade required while starting sync": "Impossible d'activer la synchronisation des paramètres, car la version actuelle ({0}, {1}) n'est pas compatible avec le service de synchronisation. Effectuez une mise à jour avant d'activer la synchronisation.",
+ "error reset required while starting sync": "Impossible d'activer la synchronisation des paramètres, car vos données dans le cloud sont plus anciennes que celles du client. Effacez vos données dans le cloud avant d'activer la synchronisation.",
+ "auth failed": "Erreur au moment de l'activation de la synchronisation des paramètres. Échec de l'authentification.",
+ "turn on failed": "Erreur au moment de l'activation de la synchronisation des paramètres. Pour plus d'informations, consultez les [journaux]({0}).",
+ "sync preview message": "La synchronisation de vos paramètres est une fonctionnalité en préversion. Lisez la documentation avant de l'activer.",
+ "turn on": "Activer",
+ "open doc": "Ouvrir la documentation",
+ "cancel": "Annuler",
+ "sign in and turn on": "Se connecter et activer",
+ "configure and turn on sync detail": "Connectez-vous pour synchroniser vos données sur tous les appareils.",
+ "per platform": "pour chaque plateforme",
+ "configure sync placeholder": "Choisir les éléments à synchroniser",
+ "turn off sync confirmation": "Voulez-vous arrêter la synchronisation?",
+ "turn off sync detail": "Vos paramètres, vos combinaisons de touches, vos extensions, vos extraits et l'état d'IU ne vont plus être synchronisés.",
+ "turn off": "&&Désactiver",
+ "turn off sync everywhere": "Désactivez la synchronisation sur tous vos appareils et effacez les données du cloud.",
+ "leftResourceName": "{0} (distant)",
+ "merges": "{0} (fusions)",
+ "sideBySideLabels": "{0} ↔ {1}",
+ "sideBySideDescription": "Synchronisation des paramètres",
+ "switchSyncService.title": "{0} : sélectionner le service",
+ "switchSyncService.description": "Vérifiez que vous utilisez le même service de synchronisation des paramètres quand plusieurs environnements sont synchronisés",
+ "default": "Par défaut",
+ "insiders": "Membres du programme Insider",
+ "stable": "Stable",
+ "global activity turn on sync": "Activer la synchronisation des paramètres...",
+ "turnin on sync": "Activation de la synchronisation des paramètres...",
+ "sign in global": "Se connecter pour synchroniser les paramètres",
+ "sign in accounts": "Se connecter pour synchroniser les paramètres (1)",
+ "resolveConflicts_global": "{0} : afficher les conflits de paramètres (1)",
+ "resolveKeybindingsConflicts_global": "{0} : afficher les conflits de combinaisons de touches (1)",
+ "resolveSnippetsConflicts_global": "{0} : afficher les conflits d'extraits d'utilisateurs ({1})",
+ "sync is on": "La synchronisation des paramètres est activée",
+ "workbench.action.showSyncRemoteBackup": "Afficher les données synchronisées",
+ "turn off failed": "Erreur au moment de la désactivation de la synchronisation des paramètres. Pour plus d'informations, consultez les [journaux]({0}).",
+ "show sync log title": "{0} : afficher le journal",
+ "accept merges": "Accepter les fusions",
+ "accept remote button": "Accepter le &&dépôt distant",
+ "accept merges button": "Accepter les &&fusions",
+ "Sync accept remote": "{0} : {1}",
+ "Sync accept merges": "{0} : {1}",
+ "confirm replace and overwrite local": "Voulez-vous accepter le {0} distant et remplacer le {1} local ?",
+ "confirm replace and overwrite remote": "Voulez-vous accepter les fusions et remplacer la version distante de {0} ?",
+ "update conflicts": "Impossible de résoudre les conflits, car une nouvelle version locale est disponible. Réessayez."
+ },
+ "vs/workbench/contrib/userDataSync/browser/userDataSyncViews": {
+ "showLog": "Afficher le journal",
+ "configure": "Configurer...",
+ "workbench.actions.syncData.reset": "Effacer les données dans le cloud...",
+ "merges": "Fusions",
+ "synced machines": "Machines synchronisées",
+ "workbench.actions.sync.editMachineName": "Modifier le nom",
+ "workbench.actions.sync.turnOffSyncOnMachine": "Désactiver la synchronisation des paramètres",
+ "remote sync activity title": "Activité de synchronisation (à distance)",
+ "local sync activity title": "Activité de synchronisation (locale)",
+ "workbench.actions.sync.resolveResourceRef": "Afficher les données de synchronisation JSON brutes",
+ "workbench.actions.sync.replaceCurrent": "Restaurer",
+ "confirm replace": "Voulez-vous remplacer vos {0} en cours par la sélection ?",
+ "workbench.actions.sync.compareWithLocal": "Ouvrir les changements",
+ "leftResourceName": "{0} (distant)",
+ "rightResourceName": "{0} (local)",
+ "sideBySideLabels": "{0} ↔ {1}",
+ "sideBySideDescription": "Synchronisation des paramètres",
+ "reset": "Réinitialiser les données synchronisées",
+ "current": "Actuelle",
+ "no machines": "Aucune machine",
+ "not found": "machine introuvable ayant l'ID {0}",
+ "turn off sync on machine": "Voulez-vous vraiment désactiver la synchronisation sur {0} ?",
+ "turn off": "&&Désactiver",
+ "placeholder": "Entrer le nom de la machine",
+ "valid message": "Le nom de la machine doit être unique et non vide"
+ },
+ "vs/workbench/contrib/userDataSync/browser/userDataSyncMergesView": {
+ "explanation": "Consultez chaque entrée et effectuez la fusion pour activer la synchronisation.",
+ "turn on sync": "Activer la synchronisation des paramètres",
+ "cancel": "Annuler",
+ "workbench.actions.sync.acceptRemote": "Accepter la version distante",
+ "workbench.actions.sync.acceptLocal": "Accepter la version locale",
+ "workbench.actions.sync.merge": "Fusionner",
+ "workbench.actions.sync.discard": "Abandonner",
+ "workbench.actions.sync.showChanges": "Ouvrir les changements",
+ "conflicts detected": "Conflits détectés",
+ "resolve": "Impossible d'effectuer la fusion en raison de conflits. Résolvez-les pour pouvoir continuer.",
+ "turning on": "Activation...",
+ "preview": "{0} (préversion)",
+ "leftResourceName": "{0} (distant)",
+ "merges": "{0} (fusions)",
+ "rightResourceName": "{0} (local)",
+ "sideBySideLabels": "{0} ↔ {1}",
+ "sideBySideDescription": "Synchronisation des paramètres",
+ "label": "UserDataSyncResources",
+ "conflict": "Conflits détectés",
+ "accepted": "Accepté",
+ "accept remote": "Accepter les paramètres distants",
+ "accept local": "Accepter la version locale",
+ "accept merges": "Accepter les fusions"
+ },
+ "vs/workbench/contrib/views/browser/treeView": {
+ "no-dataprovider": "Aucun fournisseur de données inscrit pouvant fournir des données de vue.",
+ "refresh": "Actualiser",
+ "collapseAll": "Réduire tout",
+ "command-error": "Erreur pendant l'exécution de la commande {1} : {0}. Probablement due à l'extension qui contribue à {1}."
+ },
+ "vs/workbench/contrib/watermark/browser/watermark": {
+ "watermark.showCommands": "Afficher toutes les commandes",
+ "watermark.quickAccess": "Accéder au fichier",
+ "watermark.openFile": "Ouvrir un fichier",
+ "watermark.openFolder": "Ouvrir le dossier",
+ "watermark.openFileFolder": "Ouvrir un fichier ou un dossier",
+ "watermark.openRecent": "Ouvrir les éléments récents",
+ "watermark.newUntitledFile": "Nouveau fichier sans titre",
+ "watermark.toggleTerminal": "Activer/désactiver le terminal",
+ "watermark.findInFiles": "Chercher dans les fichiers",
+ "watermark.startDebugging": "Démarrer le débogage",
+ "tips.enabled": "Si cette option est activée, les conseils en filigrane s'affichent quand aucun éditeur n'est ouvert."
+ },
+ "vs/workbench/contrib/webview/electron-browser/webviewCommands": {
+ "openToolsLabel": "Ouvrir les outils de développement Webview"
+ },
+ "vs/workbench/contrib/webview/browser/baseWebviewElement": {
+ "fatalErrorMessage": "Erreur de chargement de la vue web : {0}"
+ },
+ "vs/workbench/contrib/webviewPanel/browser/webviewPanel.contribution": {
+ "webview.editor.label": "éditeur de vues web"
+ },
+ "vs/workbench/contrib/webviewPanel/browser/webviewCommands": {
+ "editor.action.webvieweditor.showFind": "Afficher la recherche",
+ "editor.action.webvieweditor.hideFind": "Arrêter la recherche",
+ "editor.action.webvieweditor.findNext": "Rechercher l'occurrence suivante",
+ "editor.action.webvieweditor.findPrevious": "Rechercher l'occurrence précédente",
+ "refreshWebviewLabel": "Recharger les vues web"
+ },
+ "vs/workbench/contrib/welcome/overlay/browser/welcomeOverlay": {
+ "welcomeOverlay.explorer": "Explorateur de fichiers",
+ "welcomeOverlay.search": "Rechercher dans les fichiers",
+ "welcomeOverlay.git": "Gestion du code source",
+ "welcomeOverlay.debug": "Lancer et déboguer",
+ "welcomeOverlay.extensions": "Gérer les extensions",
+ "welcomeOverlay.problems": "Afficher les erreurs et avertissements",
+ "welcomeOverlay.terminal": "Activer/désactiver le terminal intégré",
+ "welcomeOverlay.commandPalette": "Rechercher et exécuter toutes les commandes",
+ "welcomeOverlay.notifications": "Afficher les notifications",
+ "welcomeOverlay": "Vue d'ensemble de l'interface utilisateur",
+ "hideWelcomeOverlay": "Masquer la vue d'ensemble de l'interface"
+ },
+ "vs/workbench/contrib/welcome/page/browser/welcomePage.contribution": {
+ "workbench.startupEditor.none": "Démarrage sans éditeur.",
+ "workbench.startupEditor.welcomePage": "Ouvre la page de bienvenue (par défaut).",
+ "workbench.startupEditor.readme": "Ouvre le fichier README s'il est présent dans le dossier ouvert, sinon ouvre 'welcomePage'.",
+ "workbench.startupEditor.newUntitledFile": "Ouvrir un nouveau fichier sans titre (s’applique uniquement lors de l’ouverture d’un espace de travail vide).",
+ "workbench.startupEditor.welcomePageInEmptyWorkbench": "Ouvre la page d'accueil à l'ouverture d'un banc d'essai vide.",
+ "workbench.startupEditor.gettingStarted": "Ouvre la page Prise en main (expérimental).",
+ "workbench.startupEditor": "Contrôle quel éditeur s’affiche au démarrage, si aucun n'est restauré de la session précédente.",
+ "miWelcome": "&&Bienvenue"
+ },
+ "vs/workbench/contrib/welcome/gettingStarted/browser/gettingStarted.contribution": {
+ "Getting Started": "Prise en main",
+ "help": "Aide",
+ "gettingStartedDescription": "Active une page Prise en main expérimentale, accessible via le menu Aide."
+ },
+ "vs/workbench/contrib/welcome/walkThrough/browser/walkThrough.contribution": {
+ "walkThrough.editor.label": "Terrain de jeu interactif",
+ "miInteractivePlayground": "Terrain de jeu i&&nteractif"
+ },
+ "vs/workbench/contrib/welcome/page/browser/welcomePage": {
+ "welcomePage": "Bienvenue",
+ "welcomePage.javaScript": "JavaScript",
+ "welcomePage.python": "Python",
+ "welcomePage.java": "Java",
+ "welcomePage.php": "PHP",
+ "welcomePage.azure": "Azure",
+ "welcomePage.showAzureExtensions": "Afficher les extensions Azure",
+ "welcomePage.docker": "Docker",
+ "welcomePage.vim": "Vim",
+ "welcomePage.sublime": "Sublime",
+ "welcomePage.atom": "Atom",
+ "welcomePage.extensionPackAlreadyInstalled": "Le support pour {0} est déjà installé.",
+ "welcomePage.willReloadAfterInstallingExtensionPack": "La fenêtre se recharge après l'installation d'un support supplémentaire pour {0}.",
+ "welcomePage.installingExtensionPack": "Installation d'un support supplémentaire pour {0}...",
+ "welcomePage.extensionPackNotFound": "Le support pour {0} avec l'ID {1} est introuvable.",
+ "welcomePage.keymapAlreadyInstalled": "Les raccourcis clavier {0} sont déjà installés.",
+ "welcomePage.willReloadAfterInstallingKeymap": "La fenêtre se recharge après l'installation des raccourcis clavier {0}.",
+ "welcomePage.installingKeymap": "Installation des raccourcis clavier de {0}...",
+ "welcomePage.keymapNotFound": "Les raccourcis clavier {0} ayant l'ID {1} sont introuvables.",
+ "welcome.title": "Bienvenue",
+ "welcomePage.openFolderWithPath": "Ouvrir le dossier {0} avec le chemin {1}",
+ "welcomePage.extensionListSeparator": ", ",
+ "welcomePage.installKeymap": "Installer le mappage de touches {0}",
+ "welcomePage.installExtensionPack": "Installer un support supplémentaire pour {0} ",
+ "welcomePage.installedKeymap": "Le mappage de touches '{0}' est déjà installé",
+ "welcomePage.installedExtensionPack": "Le support {0} est déjà installé.",
+ "ok": "OK",
+ "details": "Détails"
+ },
+ "vs/workbench/contrib/welcome/gettingStarted/browser/gettingStarted": {
+ "editorGettingStarted.title": "Prise en main",
+ "next": "Suivant"
+ },
+ "vs/workbench/contrib/welcome/walkThrough/browser/walkThroughPart": {
+ "walkThrough.unboundCommand": "indépendant",
+ "walkThrough.gitNotFound": "Git semble ne pas être installé sur votre système.",
+ "walkThrough.embeddedEditorBackground": "Couleur d'arrière-plan des éditeurs incorporés dans le terrain de jeu interactif."
+ },
+ "vs/workbench/contrib/welcome/walkThrough/browser/editor/editorWalkThrough": {
+ "editorWalkThrough.title": "Terrain de jeu interactif",
+ "editorWalkThrough": "Terrain de jeu interactif"
+ },
+ "vs/workbench/contrib/welcome/common/viewsWelcomeContribution": {
+ "ViewsWelcomeExtensionPoint.proposedAPI": "La contribution viewsWelcome dans '{0}' nécessite l'activation de 'enableProposedApi'."
+ },
+ "vs/workbench/contrib/welcome/common/viewsWelcomeExtensionPoint": {
+ "contributes.viewsWelcome": "Contenu de bienvenue des vues données en contribution. Le contenu de bienvenue est affiché dans des vues arborescentes quand il n'y a pas de contenu significatif à afficher (par exemple, l'Explorateur de fichiers quand aucun dossier n'est ouvert). Ce contenu peut servir de documentation dans le produit pour inciter les utilisateurs à utiliser certaines fonctionnalités avant qu'elles ne soient disponibles. Un bon exemple est un bouton 'Cloner le dépôt' dans la vue de bienvenue de l'Explorateur de fichiers.",
+ "contributes.viewsWelcome.view": "Contenu de bienvenue ajouté pour une vue spécifique.",
+ "contributes.viewsWelcome.view.view": "Identificateur de vue cible pour ce contenu de bienvenue. Seules les vues arborescentes sont prises en charge.",
+ "contributes.viewsWelcome.view.contents": "Contenu de bienvenue à afficher. Le format du contenu est un sous-ensemble de Markdown, avec prise en charge des liens uniquement.",
+ "contributes.viewsWelcome.view.when": "Condition qui détermine quand le contenu de bienvenue est affiché.",
+ "contributes.viewsWelcome.view.group": "Groupe auquel appartient ce contenu de bienvenue.",
+ "contributes.viewsWelcome.view.enablement": "Condition qui détermine l'activation des boutons du contenu de bienvenue."
+ },
+ "vs/workbench/contrib/welcome/telemetryOptOut/browser/telemetryOptOut": {
+ "telemetryOptOut.optOutNotice": "Aidez-nous à améliorer VS Code en permettant à Microsoft de recueillir des données d’utilisation. Lisez notre [déclaration de confidentialité]({0}) et découvrez comment [annuler l'adhésion]({1}).",
+ "telemetryOptOut.optInNotice": "Aidez-nous à améliorer VS Code en permettant à Microsoft de recueillir des données d’utilisation. Lisez notre [déclaration de confidentialité]({0}) et découvrez comment [adhérer]({1}).",
+ "telemetryOptOut.readMore": "Lire la suite",
+ "telemetryOptOut.optOutOption": "Aidez-nous à améliorer Visual Studio Code en permettant à Microsoft de recueillir des données d’utilisation. Pour plus d'informations, lisez notre [déclaration de confidentialité]({0}).",
+ "telemetryOptOut.OptIn": "Oui, heureux de vous aider",
+ "telemetryOptOut.OptOut": "Non, merci"
+ },
+ "vs/workbench/contrib/welcome/page/browser/welcomePageColors": {
+ "welcomePage.buttonBackground": "Couleur d'arrière-plan des boutons de la page d'accueil.",
+ "welcomePage.buttonHoverBackground": "Couleur d'arrière-plan du pointage des boutons de la page d'accueil.",
+ "welcomePage.background": "Couleur d'arrière-plan de la page d'accueil."
+ },
+ "vs/workbench/contrib/welcome/page/browser/vs_code_welcome_page": {
+ "welcomePage.vscode": "Visual Studio Code",
+ "welcomePage.editingEvolved": "Édition évoluée",
+ "welcomePage.start": "Démarrer",
+ "welcomePage.newFile": "Nouveau fichier",
+ "welcomePage.openFolder": "Ouvrir un dossier...",
+ "welcomePage.gitClone": "cloner le dépôt...",
+ "welcomePage.recent": "Récent",
+ "welcomePage.moreRecent": "Plus...",
+ "welcomePage.noRecentFolders": "Aucun dossier récent",
+ "welcomePage.help": "Aide",
+ "welcomePage.keybindingsCheatsheet": "Fiche de révision du clavier imprimable",
+ "welcomePage.introductoryVideos": "Vidéos d'introduction",
+ "welcomePage.tipsAndTricks": "Conseils et astuces",
+ "welcomePage.productDocumentation": "Documentation du produit",
+ "welcomePage.gitHubRepository": "Dépôt GitHub",
+ "welcomePage.stackOverflow": "Stack Overflow",
+ "welcomePage.newsletterSignup": "S'inscrire à notre bulletin d'informations",
+ "welcomePage.showOnStartup": "Afficher la page d’accueil au démarrage",
+ "welcomePage.customize": "Personnaliser",
+ "welcomePage.installExtensionPacks": "Outils et langages",
+ "welcomePage.installExtensionPacksDescription": "Installer un support pour {0} et {1}",
+ "welcomePage.showLanguageExtensions": "Afficher plus d'extensions de langage",
+ "welcomePage.moreExtensions": "plus",
+ "welcomePage.installKeymapDescription": "Paramètres et combinaisons de touches",
+ "welcomePage.installKeymapExtension": "Installer les paramètres et les raccourcis clavier de {0} et {1}",
+ "welcomePage.showKeymapExtensions": "Afficher d'autres extensions de mappage de touches",
+ "welcomePage.others": "autres",
+ "welcomePage.colorTheme": "Thème de couleur",
+ "welcomePage.colorThemeDescription": "Personnalisez l'apparence de l'éditeur et de votre code",
+ "welcomePage.learn": "Apprendre",
+ "welcomePage.showCommands": "Rechercher et exécuter toutes les commandes",
+ "welcomePage.showCommandsDescription": "La palette de commandes ({0}) permet d'accéder rapidement aux commandes pour en rechercher une",
+ "welcomePage.interfaceOverview": "Vue d'ensemble de l'interface",
+ "welcomePage.interfaceOverviewDescription": "Obtenez une superposition visuelle mettant en évidence les principaux composants de l'IU",
+ "welcomePage.interactivePlayground": "Terrain de jeu interactif",
+ "welcomePage.interactivePlaygroundDescription": "Essayer les fonctionnalités essentielles de l'éditeur dans une courte procédure pas à pas"
+ },
+ "vs/workbench/contrib/welcome/gettingStarted/browser/vs_code_editor_getting_started": {
+ "gettingStarted.vscode": "Visual Studio Code",
+ "gettingStarted.editingRedefined": "Édition de code. Redéfinie"
+ },
+ "vs/workbench/contrib/workspaces/browser/workspaces.contribution": {
+ "workspaceFound": "Ce dossier contient un fichier d’espace de travail '{0}'. Voulez-vous l’ouvrir ? [En savoir plus] ({1}) sur les fichiers de l’espace de travail.",
+ "openWorkspace": "Ouvrir un espace de travail",
+ "workspacesFound": "Ce dossier contient plusieurs fichiers d'espace de travail. Voulez-vous en ouvrir un ? [Découvrez plus d'informations]({0}) sur les fichiers d'espace de travail.",
+ "selectWorkspace": "Sélectionner un espace de travail",
+ "selectToOpen": "Sélectionner un espace de travail à ouvrir"
+ },
+ "vs/workbench/services/authentication/browser/authenticationService": {
+ "authentication.id": "ID du fournisseur d'authentification.",
+ "authentication.label": "Nom lisible par l'homme du fournisseur d'authentification.",
+ "authenticationExtensionPoint": "Ajoute une authentification",
+ "loading": "Chargement...",
+ "authentication.missingId": "Une contribution d'authentification doit spécifier un ID.",
+ "authentication.missingLabel": "Une contribution d'authentification doit spécifier une étiquette.",
+ "authentication.idConflict": "Cet ID d'authentification '{0}' a déjà été inscrit",
+ "noAccounts": "Vous n'êtes connecté à aucun compte",
+ "sign in": "Connexion demandée",
+ "signInRequest": "Se connecter pour utiliser {0} (1)"
+ },
+ "vs/workbench/services/bulkEdit/browser/bulkEditService": {
+ "summary.0": "Aucune modification effectuée",
+ "summary.nm": "{0} modifications de texte effectuées dans {1} fichiers",
+ "summary.n0": "{0} modifications de texte effectuées dans un fichier",
+ "workspaceEdit": "Modification de l'espace de travail",
+ "nothing": "Aucune modification effectuée"
+ },
+ "vs/workbench/services/configuration/common/jsonEditingService": {
+ "errorInvalidFile": "Impossible d’écrire dans le fichier. Veuillez ouvrir le fichier pour corriger les erreurs/avertissements dans le fichier et réessayer.",
+ "errorFileDirty": "Impossible d’écrire dans le fichier parce que le fichier a été modifié. Veuillez enregistrer le fichier et réessayer."
+ },
+ "vs/workbench/services/configuration/common/configurationEditingService": {
+ "openTasksConfiguration": "Ouvrir la configuration des tâches",
+ "openLaunchConfiguration": "Ouvrir la configuration du lancement",
+ "open": "Ouvrir les paramètres",
+ "saveAndRetry": "Enregistrer et Réessayer",
+ "errorUnknownKey": "Impossible d'écrire dans {0}, car {1} n'est pas une configuration inscrite.",
+ "errorInvalidWorkspaceConfigurationApplication": "Impossible d’écrire {0} dans les paramètres de l’espace de travail. Ce paramètre peut être écrit uniquement dans les paramètres de l’utilisateur.",
+ "errorInvalidWorkspaceConfigurationMachine": "Impossible d’écrire {0} dans les paramètres de l’espace de travail. Ce paramètre peut être écrit uniquement dans les paramètres de l’utilisateur.",
+ "errorInvalidFolderConfiguration": "Impossible d'écrire dans les paramètres de dossier, car {0} ne prend pas en charge la portée des ressources de dossier.",
+ "errorInvalidUserTarget": "Impossible d'écrire dans les paramètres utilisateur, car {0} ne prend pas en charge la portée globale.",
+ "errorInvalidWorkspaceTarget": "Impossible d’écrire dans les paramètres de l’espace de travail car {0} ne supporte pas de portée d’espace de travail dans un espace de travail multi dossiers.",
+ "errorInvalidFolderTarget": "Impossible d’écrire dans les paramètres de dossier car aucune ressource n’est fournie.",
+ "errorInvalidResourceLanguageConfiguraiton": "Impossible d'écrire dans les paramètres de langage parce que {0} n'est pas un paramètre de langage de ressource.",
+ "errorNoWorkspaceOpened": "Impossible d’écrire dans {0} car aucun espace de travail n’est ouvert. Veuillez ouvrir un espace de travail et essayer à nouveau.",
+ "errorInvalidTaskConfiguration": "Impossible d’écrire dans le fichier de configuration des tâches. Veuillez ouvrir le fichier pour y corriger les erreurs/avertissements et essayez à nouveau.",
+ "errorInvalidLaunchConfiguration": "Impossible d’écrire dans le fichier de configuration de lancement. Veuillez ouvrir le fichier pour y corriger les erreurs/avertissements et essayez à nouveau.",
+ "errorInvalidConfiguration": "Impossible d’écrire dans les paramètres de l’utilisateur. Veuillez s’il vous plaît ouvrir le fichier des paramètres de l’utilisateur pour y corriger les erreurs/avertissements et essayez à nouveau.",
+ "errorInvalidRemoteConfiguration": "Impossible d'écrire dans les paramètres de l'utilisateur distant. Ouvrez les paramètres de l'utilisateur distant pour corriger les erreurs/avertissements, et réessayez.",
+ "errorInvalidConfigurationWorkspace": "Impossible d’écrire dans les paramètres de l’espace de travail. Veuillez s’il vous plaît ouvrir le fichier des paramètres de l’espace de travail pour corriger les erreurs/avertissements dans le fichier et réessayez.",
+ "errorInvalidConfigurationFolder": "Impossible d’écrire dans les paramètres de dossier. Veuillez s’il vous plaît ouvrir le fichier des paramètres du dossier '{0}' pour y corriger les erreurs/avertissements et essayez à nouveau.",
+ "errorTasksConfigurationFileDirty": "Impossible d’écrire dans le fichier de configuration des tâches car le fichier a été modifié. Veuillez, s’il vous plaît, l'enregistrez et réessayez.",
+ "errorLaunchConfigurationFileDirty": "Impossible d’écrire dans le fichier de configuration de lancement car le fichier a été modifié. Veuillez l'enregistrer et réessayez.",
+ "errorConfigurationFileDirty": "Impossible d’écrire dans les paramètres de l'utilisateur car le fichier a été modifié. Veuillez s’il vous plaît enregistrer le fichier des paramètres de l'utilisateur et réessayez.",
+ "errorRemoteConfigurationFileDirty": "Impossible d'écrire dans les paramètres de l'utilisateur distant, car le fichier est erroné. Enregistrez d'abord le fichier de paramètres de l'utilisateur distant, puis réessayez.",
+ "errorConfigurationFileDirtyWorkspace": "Impossible d’écrire dans les paramètres de l’espace de travail, car le fichier est en attente de sauvegarde. Veuillez s’il vous plaît enregistrer le fichier des paramètres de l’espace de travail et essayez à nouveau.",
+ "errorConfigurationFileDirtyFolder": "Impossible d’écrire dans les paramètres de dossier, car le fichier est en attente de sauvegarde. Veuillez s’il vous plaît enregistrer le fichier des paramètres du dossier '{0}' et essayez à nouveau.",
+ "errorTasksConfigurationFileModifiedSince": "Impossible d'écrire dans le fichier de configuration des tâches parce que le contenu du fichier est plus récent.",
+ "errorLaunchConfigurationFileModifiedSince": "Impossible d'écrire dans le fichier de configuration de lancement parce que le contenu du fichier est plus récent.",
+ "errorConfigurationFileModifiedSince": "Impossible d'écrire dans les paramètres utilisateur parce que le contenu du fichier est plus récent.",
+ "errorRemoteConfigurationFileModifiedSince": "Impossible d'écrire dans les paramètres utilisateur distants parce que le contenu du fichier est plus récent.",
+ "errorConfigurationFileModifiedSinceWorkspace": "Impossible d'écrire dans les paramètres d'espace de travail parce que le contenu du fichier est plus récent.",
+ "errorConfigurationFileModifiedSinceFolder": "Impossible d'écrire dans les paramètres de dossier parce que le contenu du fichier est plus récent.",
+ "userTarget": "Paramètres utilisateur",
+ "remoteUserTarget": "Paramètres de l'utilisateur distant",
+ "workspaceTarget": "Paramètres de l'espace de travail",
+ "folderTarget": "Paramètres de dossier"
+ },
+ "vs/workbench/services/configurationResolver/browser/configurationResolverService": {
+ "commandVariable.noStringType": "Impossible de remplacer la variable de commande '{0}', car la commande n'a pas retourné de résultat de type chaîne.",
+ "inputVariable.noInputSection": "La variable '{0}' doit être définie dans une section '{1}' de la configuration de débogage ou de tâche.",
+ "inputVariable.missingAttribute": "La variable d'entrée '{0}' est de type '{1}' et doit inclure '{2}'.",
+ "inputVariable.defaultInputValue": "(Par défaut)",
+ "inputVariable.command.noStringType": "Impossible de remplacer la variable d'entrée '{0}', car la commande '{1}' n'a pas retourné de résultat de type chaîne.",
+ "inputVariable.unknownType": "La variable d'entrée '{0}' peut seulement être de type 'promptString', 'pickString' ou 'command'.",
+ "inputVariable.undefinedVariable": "Variable d'entrée '{0}' non définie. Supprimez ou définissez '{0}' pour continuer."
+ },
+ "vs/workbench/services/configurationResolver/common/variableResolver": {
+ "canNotResolveFile": "Impossible de résoudre la variable {0}. Ouvrez un éditeur.",
+ "canNotResolveFolderForFile": "Variable {0} : le dossier d'espace de travail de '{1}' est introuvable.",
+ "canNotFindFolder": "Impossible de résoudre la variable {0}. Aucun dossier '{1}'.",
+ "canNotResolveWorkspaceFolderMultiRoot": "Impossible de résoudre la variable {0} dans un espace de travail multidossier. Définissez l'étendue de cette variable à l'aide du signe ':' et d'un nom de dossier d'espace de travail.",
+ "canNotResolveWorkspaceFolder": "Impossible de résoudre la variable {0}. Ouvrez un dossier.",
+ "missingEnvVarName": "Impossible de résoudre la variable {0}, car aucun nom de variable d'environnement n'est spécifié.",
+ "configNotFound": "Impossible de résoudre la variable {0}, car le paramètre '{1}' est introuvable.",
+ "configNoString": "Impossible de résoudre la variable {0}, car '{1}' est une valeur structurée.",
+ "missingConfigName": "Impossible de résoudre la variable {0}, car aucun nom de paramètre n'est spécifié.",
+ "canNotResolveLineNumber": "Impossible de résoudre la variable {0}. Vérifiez qu'une ligne est sélectionnée dans l'éditeur actif.",
+ "canNotResolveSelectedText": "Impossible de résoudre la variable {0}. Vérifiez que du texte est sélectionné dans l'éditeur actif.",
+ "noValueForCommand": "Impossible de résoudre la variable {0}, car la commande n'a pas de valeur."
+ },
+ "vs/workbench/services/configurationResolver/common/configurationResolverUtils": {
+ "deprecatedVariables": "env.', 'config.' et 'command.' sont déconseillés. Utilisez 'env:', 'config:' et 'command:' à la place."
+ },
+ "vs/workbench/services/configurationResolver/common/configurationResolverSchema": {
+ "JsonSchema.input.id": "L'ID d'entrée est utilisé pour associer une entrée à une variable de la forme ${input:id}.",
+ "JsonSchema.input.type": "Type de l'invite d'entrée utilisateur à utiliser.",
+ "JsonSchema.input.description": "La description s'affiche quand l'utilisateur est invité à taper une entrée.",
+ "JsonSchema.input.default": "Valeur par défaut de l'entrée.",
+ "JsonSchema.inputs": "Entrées utilisateur. Utilisées pour définir les invites d'entrée utilisateur, comme une entrée de chaîne libre ou un choix parmi plusieurs options.",
+ "JsonSchema.input.type.promptString": "Le type 'promptString' ouvre une zone d'entrée pour inviter l'utilisateur à taper une entrée.",
+ "JsonSchema.input.password": "Contrôle si une entrée de mot de passe est affichée. L'entrée de mot de passe masque le texte tapé.",
+ "JsonSchema.input.type.pickString": "Le type 'pickString' affiche une liste de sélection.",
+ "JsonSchema.input.options": "Tableau de chaînes qui définit les options pour une sélection rapide.",
+ "JsonSchema.input.pickString.optionLabel": "Étiquette de l'option.",
+ "JsonSchema.input.pickString.optionValue": "Valeur de l'option.",
+ "JsonSchema.input.type.command": "Le type 'command' exécute une commande.",
+ "JsonSchema.input.command.command": "Commande à exécuter pour cette variable d'entrée.",
+ "JsonSchema.input.command.args": "Arguments facultatifs passés à la commande."
+ },
+ "vs/workbench/services/decorations/browser/decorationsService": {
+ "bubbleTitle": "Contient des éléments mis en évidence"
+ },
+ "vs/workbench/services/dialogs/browser/abstractFileDialogService": {
+ "saveChangesDetail": "Vos changements sont perdus si vous ne les enregistrez pas.",
+ "saveChangesMessage": "Voulez-vous enregistrer les modifications apportées à {0} ?",
+ "saveChangesMessages": "Voulez-vous enregistrer les modifications apportées aux {0} fichiers suivants ?",
+ "saveAll": "&&Enregistrer tout",
+ "save": "Enregi&&strer",
+ "dontSave": "&&Ne pas enregistrer",
+ "cancel": "Annuler",
+ "openFileOrFolder.title": "Ouvrir un fichier ou un dossier",
+ "openFile.title": "Ouvrir un fichier",
+ "openFolder.title": "Ouvrir le dossier",
+ "openWorkspace.title": "Ouvrir un espace de travail",
+ "filterName.workspace": "Espace de travail",
+ "saveFileAs.title": "Enregistrer sous",
+ "saveAsTitle": "Enregistrer sous",
+ "allFiles": "Tous les fichiers",
+ "noExt": "Aucune extension"
+ },
+ "vs/workbench/services/dialogs/browser/simpleFileDialog": {
+ "openLocalFile": "Ouvrir le fichier local...",
+ "saveLocalFile": "Enregistrer le fichier local...",
+ "openLocalFolder": "Ouvrir un dossier local...",
+ "openLocalFileFolder": "Ouvrir un dépôt local...",
+ "remoteFileDialog.notConnectedToRemote": "Le fournisseur de système de fichiers pour {0} n'est pas disponible.",
+ "remoteFileDialog.local": "Afficher les valeurs locales",
+ "remoteFileDialog.badPath": "Le chemin n'existe pas.",
+ "remoteFileDialog.cancel": "Annuler",
+ "remoteFileDialog.invalidPath": "Entrez un chemin valide.",
+ "remoteFileDialog.validateFolder": "Le dossier existe déjà. Utilisez un nouveau nom de fichier.",
+ "remoteFileDialog.validateExisting": "Le fichier {0} existe déjà. Voulez-vous vraiment le remplacer ?",
+ "remoteFileDialog.validateBadFilename": "Entrez un nom de fichier valide.",
+ "remoteFileDialog.validateNonexistentDir": "Veuillez entrer un chemin d’accès qui existe.",
+ "remoteFileDialog.windowsDriveLetter": "Commencez le chemin par une lettre de lecteur.",
+ "remoteFileDialog.validateFileOnly": "Sélectionnez un fichier.",
+ "remoteFileDialog.validateFolderOnly": "Veuillez sélectionner un dossier."
+ },
+ "vs/workbench/services/editor/browser/editorService": {
+ "editorAssociations.viewType.sourceDescription": "Source : {0}"
+ },
+ "vs/workbench/services/editor/common/editorOpenWith": {
+ "promptOpenWith.currentlyActive": "Actif",
+ "promptOpenWith.setDefaultTooltip": "Définir en tant qu'éditeur par défaut pour les fichiers '{0}'",
+ "promptOpenWith.placeHolder": "Sélectionner l'éditeur pour '{0}'",
+ "builtinProviderDisplayName": "Intégré",
+ "promptOpenWith.defaultEditor.displayName": "Éditeur de texte",
+ "editor.editorAssociations": "Permet de configurer l'éditeur à utiliser pour des types de fichier spécifiques.",
+ "editor.editorAssociations.viewType": "ID unique de l'éditeur à utiliser.",
+ "editor.editorAssociations.filenamePattern": "Modèle Glob spécifiant les fichiers pour lesquels l'éditeur doit être utilisé."
+ },
+ "vs/workbench/services/extensionManagement/electron-browser/extensionManagementServerService": {
+ "local": "LOCAL",
+ "remote": "Distant"
+ },
+ "vs/workbench/services/extensionManagement/electron-sandbox/remoteExtensionManagementService": {
+ "incompatible": "Impossible d'installer l'extension '{0}', car elle n'est pas compatible avec VS Code '{1}'."
+ },
+ "vs/workbench/services/extensionManagement/common/webExtensionsScannerService": {
+ "cannot be installed": "Impossible d'installer '{0}', car cette extension n'est pas une extension web."
+ },
+ "vs/workbench/services/extensionManagement/browser/extensionEnablementService": {
+ "extensionsDisabled": "Toutes les extensions installées sont temporairement désactivées.",
+ "Reload": "Recharger et activer les extensions",
+ "cannot disable language pack extension": "Impossible de changer l'activation de l'extension {0}, car elle apporte une contribution aux modules linguistiques.",
+ "cannot disable auth extension": "Impossible de changer l'activation de l'extension {0}, car la synchronisation des paramètres en dépend.",
+ "noWorkspace": "Aucun espace de travail.",
+ "cannot disable auth extension in workspace": "Impossible de changer l'activation de l'extension {0} dans l'espace de travail, car elle apporte une contribution aux fournisseurs d'authentification"
+ },
+ "vs/workbench/services/extensionManagement/common/extensionManagementService": {
+ "singleDependentError": "Impossible de désinstaller l'extension '{0}'. L'extension '{1}' en dépend.",
+ "twoDependentsError": "Impossible de désinstaller l'extension '{0}'. Les extensions '{1}' et '{2}' en dépendent.",
+ "multipleDependentsError": "Impossible de désinstaller l'extension '{0}'. Les extensions '{1}', '{2}' et d'autres extensions en dépendent.",
+ "Manifest is not found": "L'installation de l'extension {0} a échoué : manifeste introuvable.",
+ "cannot be installed": "Impossible d’installer '{0}' car cette extension a défini qu’elle ne peut pas s'exécuter sur le serveur distant.",
+ "cannot be installed on web": "Impossible d'installer '{0}', car cette extension a défini qu'elle ne peut pas s'exécuter sur le serveur web.",
+ "install extension": "Installer l'extension",
+ "install extensions": "Installer les extensions",
+ "install": "Installer",
+ "install and do no sync": "Installer (ne pas synchroniser)",
+ "cancel": "Annuler",
+ "install single extension": "Voulez-vous installer et synchroniser l'extension '{0}' sur vos appareils ?",
+ "install multiple extensions": "Voulez-vous installer et synchroniser des extensions sur vos appareils ?"
+ },
+ "vs/workbench/services/extensionManagement/browser/extensionBisect": {
+ "bisect": "L'extension Bisect est active et a désactivé {0} extensions. Vérifiez si vous pouvez encore reproduire le problème, puis continuez en effectuant votre sélection parmi les options disponibles.",
+ "title.start": "Démarrer l'extension Bisect",
+ "help": "Aide",
+ "msg.start": "Extension Bisect",
+ "detail.start": "L'extension Bisect va utiliser la recherche binaire pour trouver une extension qui pose problème. Durant le processus, la fenêtre va se recharger de manière répétitive (~{0} fois). À chaque fois, vous devez vérifier si vous rencontrez toujours des problèmes.",
+ "msg2": "Démarrer l'extension Bisect",
+ "title.isBad": "Continuer l'exécution de l'extension Bisect",
+ "done.msg": "Extension Bisect",
+ "done.detail2": "L'extension Bisect a fini de s'exécuter mais aucune extension n'a été identifiée. Il existe peut-être un problème avec {0}.",
+ "report": "Signaler le problème et continuer",
+ "done": "Continuer",
+ "done.detail": "L'extension Bisect a fini de s'exécuter et a identifié {0} comme étant l'extension à l'origine du problème.",
+ "done.disbale": "Garder cette extension désactivée",
+ "msg.next": "Extension Bisect",
+ "next.good": "Correct à présent",
+ "next.bad": "Incorrect",
+ "next.stop": "Arrêter Bisect",
+ "next.cancel": "Annuler",
+ "title.stop": "Arrêter l'extension Bisect"
+ },
+ "vs/workbench/services/extensionRecommendations/common/workspaceExtensionsConfig": {
+ "select for remove": "Supprimer la recommandation d'extension de",
+ "select for add": "Ajouter une recommandation d'extension à",
+ "workspace folder": "Dossier d'espace de travail",
+ "workspace": "Espace de travail"
+ },
+ "vs/workbench/services/extensions/electron-browser/extensionService": {
+ "extensionService.versionMismatchCrash": "L'hôte de l’extension ne peut pas démarrer : incompatibilité de version.",
+ "relaunch": "Relancer VS Code",
+ "extensionService.crash": "L'hôte d’extension s'est arrêté de manière inattendue.",
+ "devTools": "Ouvrir les outils de développement",
+ "restart": "Redémarrer l’hôte d'extension",
+ "getEnvironmentFailure": "Impossible de récupérer l'environnement à distance",
+ "looping": "Les extensions suivantes contiennent des boucles de dépendance et ont été désactivées : {0}",
+ "enableResolver": "L'extension '{0}' est nécessaire pour ouvrir la fenêtre distante.\r\nOK pour l'activer ?",
+ "enable": "Activer et recharger",
+ "installResolver": "L'extension '{0}' est nécessaire pour ouvrir la fenêtre distante.\r\nVoulez-vous installer l'extension ?",
+ "install": "Installer et recharger",
+ "resolverExtensionNotFound": "'{0}' introuvable dans la Place de marché",
+ "restartExtensionHost": "Redémarrer l’hôte d'extension"
+ },
+ "vs/workbench/services/extensions/electron-browser/cachedExtensionScanner": {
+ "overwritingExtension": "Remplacement de l'extension {0} par {1}.",
+ "extensionUnderDevelopment": "Chargement de l'extension de développement sur {0}",
+ "extensionCache.invalid": "Des extensions ont été modifiées sur le disque. Veuillez recharger la fenêtre.",
+ "reloadWindow": "Recharger la fenêtre"
+ },
+ "vs/workbench/services/extensions/electron-browser/localProcessExtensionHost": {
+ "extensionHost.startupFailDebug": "L'hôte d'extension n'a pas démarré en moins de 10 secondes. Il est peut-être arrêté à la première ligne et a besoin d'un débogueur pour continuer.",
+ "extensionHost.startupFail": "L'hôte d'extension n'a pas démarré en moins de 10 secondes. Il existe peut-être un problème.",
+ "reloadWindow": "Recharger la fenêtre",
+ "extension host Log": "Hôte d'extension",
+ "extensionHost.error": "Erreur de l'hôte d'extension : {0}"
+ },
+ "vs/workbench/services/extensions/common/abstractExtensionService": {
+ "looping": "Les extensions suivantes contiennent des boucles de dépendance et ont été désactivées : {0}"
+ },
+ "vs/workbench/services/extensions/common/remoteExtensionHost": {
+ "remote extension host Log": "Hôte de l'extension distante"
+ },
+ "vs/workbench/services/extensions/browser/webWorkerExtensionHost": {
+ "name": "Hôte d'extension Worker"
+ },
+ "vs/workbench/services/extensions/browser/extensionUrlHandler": {
+ "confirmUrl": "Autoriser une extension pour ouvrir cet URI ?",
+ "rememberConfirmUrl": "Ne plus demander cette extension.",
+ "open": "&&Ouvrir",
+ "reloadAndHandle": "L'extension '{0}' n’est pas chargée. Souhaitez-vous recharger la fenêtre afin de charger l’extension et ouvrir l’URL ?",
+ "reloadAndOpen": "&&Recharger la fenêtre et ouvrir",
+ "enableAndHandle": "L'extension '{0}' est désactivée. Souhaitez-vous activer l’extension et recharger la fenêtre pour ouvrir l’URL ?",
+ "enableAndReload": "&&Activer et ouvrir",
+ "installAndHandle": "L'extension '{0}' n’est pas installée. Souhaitez-vous installer l’extension et recharger la fenêtre pour ouvrir cette URL ?",
+ "install": "&&Installer",
+ "Installing": "Installation de l'extension '{0}'...",
+ "reload": "Voulez-vous recharger la fenêtre et ouvrir l'URL '{0}' ?",
+ "Reload": "Recharger la fenêtre et ouvrir",
+ "manage": "Gérer les URI d'extension autorisés...",
+ "extensions": "Extensions",
+ "no": "Il n'existe aucun URI d'extension autorisé."
+ },
+ "vs/workbench/services/extensions/common/extensionsRegistry": {
+ "ui": "Extension de type interface utilisateur. Dans une fenêtre distante, ce type d'extension est activé seulement s'il est disponible sur la machine locale.",
+ "workspace": "Extension de type espace de travail. Dans une fenêtre distante, ce type d'extension est activé seulement s'il est disponible sur la machine distante.",
+ "web": "Genre d'extension de Worker web. Une telle extension peut s'exécuter dans un hôte d'extension de Worker web.",
+ "vscode.extension.engines": "Moteur de compatibilité.",
+ "vscode.extension.engines.vscode": "Pour les extensions VS Code, spécifie la version de VS Code avec laquelle l'extension est compatible. Ne peut pas être *. Exemple : ^0.10.5 indique une compatibilité avec la version minimale 0.10.5 de VS Code.",
+ "vscode.extension.publisher": "Éditeur de l'extension VS Code.",
+ "vscode.extension.displayName": "Nom d'affichage de l'extension utilisée dans la galerie VS Code.",
+ "vscode.extension.categories": "Catégories utilisées par la galerie VS Code pour catégoriser l'extension.",
+ "vscode.extension.category.languages.deprecated": "Utiliser 'Langages de programmation' à la place",
+ "vscode.extension.galleryBanner": "Bannière utilisée dans le marketplace VS Code.",
+ "vscode.extension.galleryBanner.color": "Couleur de la bannière de l'en-tête de page du marketplace VS Code.",
+ "vscode.extension.galleryBanner.theme": "Thème de couleur de la police utilisée dans la bannière.",
+ "vscode.extension.contributes": "Toutes les contributions de l'extension VS Code représentées par ce package.",
+ "vscode.extension.preview": "Définit l'extension à marquer en tant que préversion dans Marketplace.",
+ "vscode.extension.activationEvents": "Événements d'activation pour l'extension VS Code.",
+ "vscode.extension.activationEvents.onLanguage": "Événement d'activation envoyé quand un fichier résolu dans le langage spécifié est ouvert.",
+ "vscode.extension.activationEvents.onCommand": "Événement d'activation envoyé quand la commande spécifiée est appelée.",
+ "vscode.extension.activationEvents.onDebug": "Un événement d’activation émis chaque fois qu’un utilisateur est sur le point de démarrer le débogage ou sur le point de la déboguer des configurations.",
+ "vscode.extension.activationEvents.onDebugInitialConfigurations": "Événement d'activation envoyé chaque fois qu’un \"launch.json\" doit être créé (et toutes les méthodes de provideDebugConfigurations doivent être appelées).",
+ "vscode.extension.activationEvents.onDebugDynamicConfigurations": "Événement d'activation émis chaque fois qu'une liste de toutes les configurations de débogage doit être créée (et que toutes les méthodes provideDebugConfigurations pour l'étendue \"dynamique\" doivent être appelées).",
+ "vscode.extension.activationEvents.onDebugResolve": "Événement d'activation envoyé quand une session de débogage du type spécifié est sur le point d’être lancée (et une méthode resolveDebugConfiguration correspondante doit être appelée).",
+ "vscode.extension.activationEvents.onDebugAdapterProtocolTracker": "Événement d'activation émis chaque fois qu'une session de débogage avec le type spécifique est sur le point d'être lancée et qu'un traqueur de protocole de débogage peut être nécessaire.",
+ "vscode.extension.activationEvents.workspaceContains": "Événement d'activation envoyé quand un dossier ouvert contient au moins un fichier correspondant au modèle glob spécifié.",
+ "vscode.extension.activationEvents.onStartupFinished": "Événement d'activation émis une fois le démarrage effectué (à la fin de l'activation de toutes les extensions activées '*').",
+ "vscode.extension.activationEvents.onFileSystem": "Un événement d’activation est émis chaque fois qu'un fichier ou un dossier fait l'objet d'un accès avec le schéma donné.",
+ "vscode.extension.activationEvents.onSearch": "Un événement d’activation est émis chaque fois qu'une recherche est lancée dans le dossier avec le schéma donné. ",
+ "vscode.extension.activationEvents.onView": "Événement d'activation envoyé quand la vue spécifiée est développée.",
+ "vscode.extension.activationEvents.onIdentity": "Événement d'activation envoyé chaque fois que l'identité utilisateur spécifiée est utilisée.",
+ "vscode.extension.activationEvents.onUri": "Événement d'activation envoyé quand un URI système dirigé vers cette extension est ouvert.",
+ "vscode.extension.activationEvents.onCustomEditor": "Événement d'activation émis chaque fois que l'éditeur personnalisé spécifié devient visible.",
+ "vscode.extension.activationEvents.star": "Événement d'activation envoyé au démarrage de VS Code. Pour garantir la qualité de l'expérience utilisateur, utilisez cet événement d'activation dans votre extension uniquement quand aucune autre combinaison d'événements d'activation ne fonctionne dans votre cas d'utilisation.",
+ "vscode.extension.badges": "Ensemble de badges à afficher dans la barre latérale de la page d'extensions de Marketplace.",
+ "vscode.extension.badges.url": "URL de l'image du badge.",
+ "vscode.extension.badges.href": "Lien du badge.",
+ "vscode.extension.badges.description": "Description du badge.",
+ "vscode.extension.markdown": "Contrôle le moteur de rendu de Markdown utilisé sur le marché. Github (par défaut) ou standard.",
+ "vscode.extension.qna": "Contrôle le lien Questions et réponses dans le Marketplace. Définissez sur marketplace pour activer le site Questions et réponses par défaut du Marketplace. Définissez sur une chaîne pour fournir l'URL d'un site Questions et réponses personnalisé. Définissez sur false pour désactiver les Questions et réponses.",
+ "vscode.extension.extensionDependencies": "Dépendances envers d'autres extensions. L'identificateur d'une extension est toujours ${publisher}.${name}. Exemple : vscode.csharp.",
+ "vscode.extension.contributes.extensionPack": "Ensemble d’extensions pouvant être installées ensemble. L’identificateur d’une extension est toujours ${publisher}.${name}. Par exemple : vscode.csharp.",
+ "extensionKind": "Définissez le type d'une extension. Les extensions 'ui' sont installées et exécutées sur la machine locale tandis que les extensions 'workspace' s'exécutent sur la machine distante.",
+ "extensionKind.ui": "Définissez une extension pouvant s'exécuter uniquement sur la machine locale quand elle est connectée à la fenêtre distante.",
+ "extensionKind.workspace": "Définissez une extension pouvant s'exécuter uniquement sur la machine distante quand elle est connectée à la fenêtre distante.",
+ "extensionKind.ui-workspace": "Définissez une extension pouvant s'exécuter de chaque côté, avec une préférence pour l'exécution sur la machine locale.",
+ "extensionKind.workspace-ui": "Définissez une extension pouvant s'exécuter de chaque côté, avec une préférence pour l'exécution sur la machine distante.",
+ "extensionKind.empty": "Définissez une extension qui ne peut pas s'exécuter dans un contexte distant, ni sur la machine locale, ni sur la machine distante.",
+ "vscode.extension.scripts.prepublish": "Le script exécuté avant le package est publié en tant qu'extension VS Code.",
+ "vscode.extension.scripts.uninstall": "Désinstallez le crochet pour l'extension VS Code. Script exécuté quand l'extension est complètement désinstallée dans VS Code et au redémarrage de VS Code (arrêt, puis démarrage). Seuls les scripts Node sont pris en charge.",
+ "vscode.extension.icon": "Chemin d'une icône de 128 x 128 pixels."
+ },
+ "vs/workbench/services/extensions/node/extensionPoints": {
+ "jsonParseInvalidType": "Fichier manifeste non valide {0} : N'est pas un objet JSON.",
+ "jsonParseFail": "Échec d'analyse de {0} : [{1}, {2}] {3}.",
+ "fileReadFail": "Impossible de lire le fichier {0} : {1}.",
+ "jsonsParseReportErrors": "Échec de l'analyse de {0} : {1}.",
+ "jsonInvalidFormat": "Format non valide {0} : objet JSON attendu.",
+ "missingNLSKey": "Le message est introuvable pour la clé {0}.",
+ "notSemver": "La version de l'extension n'est pas compatible avec SemVer.",
+ "extensionDescription.empty": "Description d'extension vide obtenue",
+ "extensionDescription.publisher": "l'éditeur de propriété doit être de type 'string'.",
+ "extensionDescription.name": "la propriété '{0}' est obligatoire et doit être de type 'string'",
+ "extensionDescription.version": "la propriété '{0}' est obligatoire et doit être de type 'string'",
+ "extensionDescription.engines": "la propriété '{0}' est obligatoire et doit être de type 'object'",
+ "extensionDescription.engines.vscode": "la propriété '{0}' est obligatoire et doit être de type 'string'",
+ "extensionDescription.extensionDependencies": "la propriété '{0}' peut être omise ou doit être de type 'string[]'",
+ "extensionDescription.activationEvents1": "la propriété '{0}' peut être omise ou doit être de type 'string[]'",
+ "extensionDescription.activationEvents2": "les propriétés '{0}' et '{1}' doivent être toutes les deux spécifiées ou toutes les deux omises",
+ "extensionDescription.main1": "La propriété '{0}' peut être omise ou doit être de type 'string'",
+ "extensionDescription.main2": "'main' ({0}) est censé être inclus dans le dossier ({1}) de l'extension. Cela risque de rendre l'extension non portable.",
+ "extensionDescription.main3": "les propriétés '{0}' et '{1}' doivent être toutes les deux spécifiées ou toutes les deux omises",
+ "extensionDescription.browser1": "la propriété '{0}' peut être omise ou doit être de type 'string'",
+ "extensionDescription.browser2": "'browser' ({0}) est censé être inclus dans le dossier ({1}) de l'extension. Cela risque de rendre l'extension non portable.",
+ "extensionDescription.browser3": "les propriétés '{0}' et '{1}' doivent être toutes les deux spécifiées ou toutes les deux omises"
+ },
+ "vs/workbench/services/extensions/common/extensionHostManager": {
+ "measureExtHostLatency": "Mesurer la latence de l'hôte d'extension"
+ },
+ "vs/workbench/services/gettingStarted/common/gettingStartedContent": {
+ "gettingStarted.beginner.title": "Prise en main",
+ "gettingStarted.beginner.description": "Apprenez à connaître votre nouvel éditeur",
+ "pickColorTask.description": "Modifiez les couleurs de l'interface utilisateur pour les adapter à vos préférences et à votre environnement de travail.",
+ "pickColorTask.title": "Thème de couleur",
+ "pickColorTask.button": "Rechercher un thème",
+ "findKeybindingsTask.description": "Trouvez les raccourcis clavier pour Vim, Sublime, Atom, etc.",
+ "findKeybindingsTask.title": "Configurer les combinaisons de touches",
+ "findKeybindingsTask.button": "Rechercher des mappages de touches",
+ "findLanguageExtsTask.description": "Tirez parti de la prise en charge des langages tels que JavaScript, Python, Java, Azure, Docker, etc.",
+ "findLanguageExtsTask.title": "Langages et outils",
+ "findLanguageExtsTask.button": "Installer la prise en charge des langages",
+ "gettingStartedOpenFolder.description": "Ouvrez un dossier de projet pour démarrer !",
+ "gettingStartedOpenFolder.title": "Ouvrir un dossier",
+ "gettingStartedOpenFolder.button": "Choisir un dossier",
+ "gettingStarted.intermediate.title": "Fonctionnalités essentielles",
+ "gettingStarted.intermediate.description": "Vous devez connaître les fonctionnalités que vous allez adorer",
+ "commandPaletteTask.description": "Il s'agit du moyen le plus simple pour trouver tout ce que VS Code peut faire. Si vous recherchez une fonctionnalité, essayez d'abord ici !",
+ "commandPaletteTask.title": "Palette de commandes",
+ "commandPaletteTask.button": "Voir toutes les commandes",
+ "gettingStarted.advanced.title": "Conseils et astuces",
+ "gettingStarted.advanced.description": "Favoris des experts VS Code",
+ "gettingStarted.openFolder.title": "Ouvrir un dossier",
+ "gettingStarted.openFolder.description": "Ouvrir un projet et commencer à travailler",
+ "gettingStarted.playground.title": "Terrain de jeu interactif",
+ "gettingStarted.interactivePlayground.description": "Découvrir les fonctionnalités essentielles de l'éditeur"
+ },
+ "vs/workbench/services/integrity/node/integrityService": {
+ "integrity.prompt": "Votre installation de {0} semble être endommagée. Effectuez une réinstallation.",
+ "integrity.moreInformation": "Informations",
+ "integrity.dontShowAgain": "Ne plus afficher"
+ },
+ "vs/workbench/services/keybinding/common/keybindingEditing": {
+ "errorKeybindingsFileDirty": "Impossible d’écrire parce que la configuration des combinaisons de touches a été modifiée. Veuillez enregistrer le fichier et réessayer.",
+ "parseErrors": "Impossible d’écrire dans le fichier de configuration des combinaisons de touches. Veuillez l'ouvrir pour corriger les erreurs/avertissements dans le fichier et réessayer.",
+ "errorInvalidConfiguration": "Impossible d’écrire dans le fichier de configuration des combinaisons de touches. Il y a un objet qui n'est pas de type Array. Veuillez ouvrir le fichier pour nettoyer et réessayer.",
+ "emptyKeybindingsHeader": "Placer vos combinaisons de touches dans ce fichier pour remplacer les valeurs par défaut"
+ },
+ "vs/workbench/services/keybinding/browser/keybindingService": {
+ "nonempty": "valeur non vide attendue.",
+ "requirestring": "la propriété '{0}' est obligatoire et doit être de type 'string'",
+ "optstring": "La propriété '{0}' peut être omise ou doit être de type 'string'",
+ "vscode.extension.contributes.keybindings.command": "Identificateur de la commande à exécuter quand la combinaison de touches est déclenchée.",
+ "vscode.extension.contributes.keybindings.args": "Arguments à passer à la commande à exécuter.",
+ "vscode.extension.contributes.keybindings.key": "Touche ou séquence de touches (touches séparées par un signe plus et séquences séparées par un espace, par ex. Ctrl+O et Ctrl+L L pour une pression simultanée).",
+ "vscode.extension.contributes.keybindings.mac": "Touche ou séquence de touches spécifique à Mac.",
+ "vscode.extension.contributes.keybindings.linux": "Touche ou séquence de touches spécifique à Linux.",
+ "vscode.extension.contributes.keybindings.win": "Touche ou séquence de touches spécifique à Windows.",
+ "vscode.extension.contributes.keybindings.when": "Condition quand la touche est active.",
+ "vscode.extension.contributes.keybindings": "Ajoute des combinaisons de touches.",
+ "invalid.keybindings": "'contributes.{0}' non valide : {1}",
+ "unboundCommands": "Voici d'autres commandes disponibles : ",
+ "keybindings.json.title": "Configuration des combinaisons de touches",
+ "keybindings.json.key": "Touche ou séquence de touches (séparées par un espace)",
+ "keybindings.json.command": "Nom de la commande à exécuter",
+ "keybindings.json.when": "Condition quand la touche est active.",
+ "keybindings.json.args": "Arguments à passer à la commande à exécuter.",
+ "keyboardConfigurationTitle": "Clavier",
+ "dispatch": "Contrôle la logique de distribution des appuis sur les touches pour utiliser soit 'code' (recommandé), soit 'keyCode'."
+ },
+ "vs/workbench/services/label/common/labelService": {
+ "vscode.extension.contributes.resourceLabelFormatters": "Contribue aux règles de mise en forme d'étiquette de ressource.",
+ "vscode.extension.contributes.resourceLabelFormatters.scheme": "Schéma d'URI sur lequel faire correspondre le formateur. Par exemple, \"fichier\". Les modèles glob simples sont pris en charge.",
+ "vscode.extension.contributes.resourceLabelFormatters.authority": "Autorité d'URI à laquelle doit correspondre le formateur. Les modèles glob simples sont pris en charge.",
+ "vscode.extension.contributes.resourceLabelFormatters.formatting": "Règles de mise en forme des étiquettes de ressource d'URI.",
+ "vscode.extension.contributes.resourceLabelFormatters.label": "Règles d'étiquette à afficher. Par exemple : myLabel:/${path}. ${path}, ${scheme} et ${authority} sont des variables prises en charge.",
+ "vscode.extension.contributes.resourceLabelFormatters.separator": "Séparateur à utiliser dans l'affichage de l'étiquette d'URI. '/' ou '', par exemple.",
+ "vscode.extension.contributes.resourceLabelFormatters.stripPathStartingSeparator": "Contrôle s'il faut supprimer les caractères de séparation de début des substitutions '${path}'.",
+ "vscode.extension.contributes.resourceLabelFormatters.tildify": "Contrôle si l'étiquette d'URI doit commencer par un tilde si possible.",
+ "vscode.extension.contributes.resourceLabelFormatters.formatting.workspaceSuffix": "Suffixe ajouté à l'étiquette de l'espace de travail.",
+ "untitledWorkspace": "Sans titre(Espace de travail)",
+ "workspaceNameVerbose": "{0} (Espace de travail)",
+ "workspaceName": "{0} (Espace de travail)"
+ },
+ "vs/workbench/services/lifecycle/electron-sandbox/lifecycleService": {
+ "errorClose": "Une erreur inattendue s'est produite durant la tentative de fermeture de la fenêtre ({0}).",
+ "errorQuit": "Une erreur inattendue s'est produite durant la tentative de fermeture de l'application ({0}).",
+ "errorReload": "Une erreur inattendue s'est produite durant la tentative de rechargement de la fenêtre ({0}).",
+ "errorLoad": "Une erreur inattendue s'est produite durant la tentative de changement de l'espace de travail de la fenêtre ({0})."
+ },
+ "vs/workbench/services/mode/common/workbenchModeService": {
+ "vscode.extension.contributes.languages": "Ajoute des déclarations de langage.",
+ "vscode.extension.contributes.languages.id": "ID du langage.",
+ "vscode.extension.contributes.languages.aliases": "Alias de nom du langage.",
+ "vscode.extension.contributes.languages.extensions": "Extensions de fichier associées au langage.",
+ "vscode.extension.contributes.languages.filenames": "Noms de fichiers associés au langage.",
+ "vscode.extension.contributes.languages.filenamePatterns": "Modèles Glob de noms de fichiers associés au langage.",
+ "vscode.extension.contributes.languages.mimetypes": "Types MIME associés au langage.",
+ "vscode.extension.contributes.languages.firstLine": "Expression régulière correspondant à la première ligne d'un fichier du langage.",
+ "vscode.extension.contributes.languages.configuration": "Chemin relatif d'un fichier contenant les options de configuration du langage.",
+ "invalid": "'contributes.{0}' non valide. Tableau attendu.",
+ "invalid.empty": "Valeur vide pour 'contributes.{0}'",
+ "require.id": "la propriété '{0}' est obligatoire et doit être de type 'string'",
+ "opt.extensions": "la propriété '{0}' peut être omise et doit être de type 'string[]'",
+ "opt.filenames": "la propriété '{0}' peut être omise et doit être de type 'string[]'",
+ "opt.firstLine": "la propriété '{0}' peut être omise et doit être de type 'string'",
+ "opt.configuration": "la propriété '{0}' peut être omise et doit être de type 'string'",
+ "opt.aliases": "la propriété '{0}' peut être omise et doit être de type 'string[]'",
+ "opt.mimetypes": "la propriété '{0}' peut être omise et doit être de type 'string[]'"
+ },
+ "vs/workbench/services/notification/common/notificationService": {
+ "neverShowAgain": "Ne plus afficher"
+ },
+ "vs/workbench/services/preferences/common/preferences": {
+ "userSettingsTarget": "Paramètres utilisateur",
+ "workspaceSettingsTarget": "Paramètres de l'espace de travail"
+ },
+ "vs/workbench/services/preferences/browser/preferencesService": {
+ "openFolderFirst": "Ouvrir d'abord un dossier pour créer les paramètres d'espace de travail",
+ "emptyKeybindingsHeader": "Placer vos combinaisons de touches dans ce fichier pour remplacer les valeurs par défaut",
+ "defaultKeybindings": "Combinaisons de touches par défaut",
+ "defaultSettings": "Paramètres par défaut",
+ "folderSettingsName": "{0} (Paramètres du dossier)",
+ "fail.createSettings": "Impossible de créer '{0}' ({1})."
+ },
+ "vs/workbench/services/preferences/common/preferencesEditorInput": {
+ "settingsEditorName": "Paramètres par défaut",
+ "keybindingsInputName": "Raccourcis clavier",
+ "settingsEditor2InputName": "Paramètres"
+ },
+ "vs/workbench/services/preferences/common/preferencesModels": {
+ "commonlyUsed": "Utilisés le plus souvent",
+ "defaultKeybindingsHeader": "Remplacez les combinaisons de touches en les plaçant dans votre fichier de combinaisons de touches."
+ },
+ "vs/workbench/services/preferences/common/keybindingsEditorModel": {
+ "default": "Par défaut",
+ "extension": "Extension",
+ "user": "Utilisateur",
+ "cat.title": "{0}: {1}",
+ "option": "Option",
+ "meta": "méta"
+ },
+ "vs/workbench/services/preferences/common/preferencesValidation": {
+ "validations.expectedNumeric": "La valeur doit être un nombre.",
+ "invalidTypeError": "Le paramètre a un type non valide. Type attendu : {0}. Correctif en JSON.",
+ "validations.maxLength": "La valeur doit comporter {0} caractère(s) au maximum.",
+ "validations.minLength": "La valeur doit comporter {0} caractère(s) au minimum.",
+ "validations.regex": "La valeur doit correspondre à la notation regex '{0}'.",
+ "validations.colorFormat": "Format de couleur non valide. Utilisez #RGB, #RGBA, #RRGGBB ou #RRGGBBAA.",
+ "validations.uriEmpty": "URI attendu.",
+ "validations.uriMissing": "L'URI est attendu.",
+ "validations.uriSchemeMissing": "Un URI avec un schéma est attendu.",
+ "validations.exclusiveMax": "La valeur doit être strictement inférieure à {0}.",
+ "validations.exclusiveMin": "La valeur doit être strictement supérieure à {0}.",
+ "validations.max": "La valeur doit être inférieure ou égale à {0}.",
+ "validations.min": "La valeur doit être supérieure ou égale à {0}.",
+ "validations.multipleOf": "La valeur doit être un multiple de {0}.",
+ "validations.expectedInteger": "La valeur doit être un entier.",
+ "validations.stringArrayUniqueItems": "Le tableau contient des éléments dupliqués",
+ "validations.stringArrayMinItem": "Le tableau doit avoir {0} éléments au minimum",
+ "validations.stringArrayMaxItem": "Le tableau doit avoir {0} éléments au maximum",
+ "validations.stringArrayItemPattern": "La valeur {0} doit correspondre à la notation regex {1}.",
+ "validations.stringArrayItemEnum": "La valeur {0} ne fait pas partie de {1}"
+ },
+ "vs/workbench/services/progress/browser/progressService": {
+ "progress.text2": "{0}: {1}",
+ "progress.title3": "[{0}] {1}: {2}",
+ "progress.title2": "[{0}]: {1}",
+ "status.progress": "Message de progression",
+ "cancel": "Annuler",
+ "dismiss": "Ignorer"
+ },
+ "vs/workbench/services/remote/common/abstractRemoteAgentService": {
+ "connectionError": "La connexion au serveur hôte d'extension distant a échoué (erreur : {0})"
+ },
+ "vs/workbench/services/textfile/electron-browser/nativeTextFileService": {
+ "fileReadOnlyError": "Fichier en lecture seule"
+ },
+ "vs/workbench/services/textfile/browser/textFileService": {
+ "fileBinaryError": "Le fichier semble être binaire et ne peut pas être ouvert en tant que texte",
+ "confirmOverwrite": "'{0}' existe déjà. Voulez-vous le remplacer ?",
+ "irreversible": "Un fichier ou un dossier avec le nom '{0}' existe déjà dans le dossier '{1}'. Si vous le remplacez, son contenu est également remplacé.",
+ "replaceButtonLabel": "&&Remplacer"
+ },
+ "vs/workbench/services/textfile/common/textFileEditorModelManager": {
+ "genericSaveError": "Échec de l'enregistrement de '{0}' : {1}"
+ },
+ "vs/workbench/services/textfile/common/textFileEditorModel": {
+ "saveFileFirst": "L'intégrité du fichier est compromise. Enregistrez-le avant de le rouvrir avec un autre encodage."
+ },
+ "vs/workbench/services/textfile/common/textFileSaveParticipant": {
+ "saveParticipants": "Enregistrement de '{0}'"
+ },
+ "vs/workbench/services/textMate/browser/abstractTextMateService": {
+ "alreadyDebugging": "Déjà en cours de journalisation.",
+ "stop": "Arrêter",
+ "progress1": "Préparation de la journalisation de l'analyse de la grammaire TM. Appuyez sur Arrêter une fois que vous avez fini.",
+ "progress2": "Journalisation de l'analyse de la grammaire TM. Appuyez sur Arrêter une fois que vous avez fini.",
+ "invalid.language": "Langage inconnu dans 'contributes.{0}.language'. Valeur fournie : {1}",
+ "invalid.scopeName": "Chaîne attendue dans 'contributes.{0}.scopeName'. Valeur fournie : {1}",
+ "invalid.path.0": "Chaîne attendue dans 'contributes.{0}.path'. Valeur fournie : {1}",
+ "invalid.injectTo": "Valeur non valide dans 'contributes.{0}.injectTo'. Il doit s'agir d'un tableau de noms de portées de langage. Valeur fournie : {1}",
+ "invalid.embeddedLanguages": "Valeur non valide dans 'contributes.{0}.embeddedLanguages'. Il doit s'agir d'un mappage d'objets entre le nom de portée et le langage. Valeur fournie : {1}",
+ "invalid.tokenTypes": "Valeur non valide dans 'contribue.{0}.tokenTypes'. Il doit s'agir d'un mappage d’objets entre un nom d’étendue et un type de jeton. Valeur fournie : {1}",
+ "invalid.path.1": "'contributes.{0}.path' ({1}) est censé être inclus dans le dossier ({2}) de l'extension. Cela risque de rendre l'extension non portable.",
+ "too many characters": "La tokenisation des lignes longues est ignorée pour des raisons de performances. La longueur d'une ligne longue peut être configurée via 'editor.maxTokenizationLineLength'.",
+ "neverAgain": "Ne plus afficher"
+ },
+ "vs/workbench/services/textMate/common/TMGrammars": {
+ "vscode.extension.contributes.grammars": "Ajoute des générateurs de jetons TextMate.",
+ "vscode.extension.contributes.grammars.language": "Identificateur de langue pour lequel cette syntaxe est ajoutée.",
+ "vscode.extension.contributes.grammars.scopeName": "Nom de portée TextMate utilisé par le fichier tmLanguage.",
+ "vscode.extension.contributes.grammars.path": "Chemin du fichier tmLanguage. Le chemin est relatif au dossier d'extensions et commence généralement par './syntaxes/'.",
+ "vscode.extension.contributes.grammars.embeddedLanguages": "Mappage du nom de portée à l'ID de langage si cette grammaire contient des langages incorporés.",
+ "vscode.extension.contributes.grammars.tokenTypes": "Un mappage entre un nom d'étendue et des types de token.",
+ "vscode.extension.contributes.grammars.injectTo": "Liste de noms des portées de langage auxquelles cette grammaire est injectée."
+ },
+ "vs/workbench/services/textMate/common/TMGrammarFactory": {
+ "no-tm-grammar": "Aucune grammaire TM n'est inscrite pour ce langage."
+ },
+ "vs/workbench/services/themes/browser/workbenchThemeService": {
+ "error.cannotloadtheme": "Impossible de charger {0} : {1}"
+ },
+ "vs/workbench/services/themes/common/colorExtensionPoint": {
+ "contributes.color": "Contribue à des couleurs définies pour des extensions dont le thème peut être changé",
+ "contributes.color.id": "L’identifiant de la couleur dont le thème peut être changé",
+ "contributes.color.id.format": "Les identificateurs doivent contenir uniquement des lettres, des chiffres et des points. Ils ne peuvent pas commencer par un point",
+ "contributes.color.description": "Description de la couleur dont le thème peut être changé",
+ "contributes.defaults.light": "La couleur par défaut pour les thèmes clairs. Soit une valeur de couleur en hexadécimal (#RRGGBB[AA]) ou l’identifiant d’une couleur dont le thème peut être changé qui fournit la valeur par défaut.",
+ "contributes.defaults.dark": "La couleur par défaut pour les thèmes sombres. Soit une valeur de couleur en hexadécimal (#RRGGBB[AA]) ou l’identifiant d’une couleur dont le thème peut être changé qui fournit la valeur par défaut.",
+ "contributes.defaults.highContrast": "La couleur par défaut pour les thèmes de contraste élevé. Soit une valeur de couleur en hexadécimal (#RRGGBB[AA]) ou l’identifiant d’une couleur dont le thème peut être changé qui fournit la valeur par défaut.",
+ "invalid.colorConfiguration": "'configuration.colors' doit être un tableau",
+ "invalid.default.colorType": "{0} doit être soit une valeur de couleur en hexadécimal (#RRGGBB[AA] ou #RGB[A]) ou l’identifiant d’une couleur dont le thème peut être changé qui fournit la valeur par défaut.",
+ "invalid.id": "'configuration.colors.id' doit être défini et ne peut pas être vide",
+ "invalid.id.format": "'configuration.colors.id' doit contenir uniquement des lettres, des chiffres et des points. Il ne peut pas commencer par un point",
+ "invalid.description": "'configuration.colors.description' doit être défini et ne peut pas être vide",
+ "invalid.defaults": "'configuration.colors.defaults' doit être défini et doit contenir 'light', 'dark' et 'highContrast'"
+ },
+ "vs/workbench/services/themes/common/tokenClassificationExtensionPoint": {
+ "contributes.semanticTokenTypes": "Fournit des types de jeton sémantique.",
+ "contributes.semanticTokenTypes.id": "Identificateur du type de jeton sémantique",
+ "contributes.semanticTokenTypes.id.format": "Les identificateurs doivent être au format lettreOuChiffre[_-lettreOuChiffre]*",
+ "contributes.semanticTokenTypes.superType": "Supertype du type de jeton sémantique",
+ "contributes.semanticTokenTypes.superType.format": "Les supertypes doivent être au format letterOrDigit[_-letterOrDigit]*",
+ "contributes.color.description": "Description du type de jeton sémantique",
+ "contributes.semanticTokenModifiers": "Fournit des modificateurs de jeton sémantique.",
+ "contributes.semanticTokenModifiers.id": "Identificateur du modificateur de jeton sémantique",
+ "contributes.semanticTokenModifiers.id.format": "Les identificateurs doivent être au format lettreOuChiffre[_-lettreOuChiffre]*",
+ "contributes.semanticTokenModifiers.description": "Description du modificateur de jeton sémantique",
+ "contributes.semanticTokenScopes": "Ajoute des mappages d'étendue de jeton sémantique.",
+ "contributes.semanticTokenScopes.languages": "Liste le langage pour lequel sont définies les valeurs par défaut.",
+ "contributes.semanticTokenScopes.scopes": "Mappe un jeton sémantique (décrit par le sélecteur de jeton sémantique) à une ou plusieurs étendues textMate utilisées pour représenter ce jeton.",
+ "invalid.id": "'configuration.{0}.id' doit être défini et ne peut pas être vide",
+ "invalid.id.format": "'configuration.{0}.id' doit suivre le modèle lettreOuChiffre[-_lettreOuChiffre]*",
+ "invalid.superType.format": "'configuration.{0}.superType' doit suivre le modèle letterOrDigit[-_letterOrDigit]*",
+ "invalid.description": "'configuration.{0}.description' doit être défini et ne peut pas être vide",
+ "invalid.semanticTokenTypeConfiguration": "'configuration.semanticTokenType' doit être un tableau",
+ "invalid.semanticTokenModifierConfiguration": "'configuration.semanticTokenModifier' doit être un tableau",
+ "invalid.semanticTokenScopes.configuration": "'configuration.semanticTokenScopes' doit être un tableau",
+ "invalid.semanticTokenScopes.language": "'configuration.semanticTokenScopes.language' doit être une chaîne",
+ "invalid.semanticTokenScopes.scopes": "'configuration.semanticTokenScopes.scopes' doit être défini comme un objet",
+ "invalid.semanticTokenScopes.scopes.value": "Les valeurs de 'configuration.semanticTokenScopes.scopes' doivent être un tableau de chaînes",
+ "invalid.semanticTokenScopes.scopes.selector": "configuration.semanticTokenScopes.scopes' : Problèmes d'analyse du sélecteur {0}."
+ },
+ "vs/workbench/services/themes/common/colorThemeData": {
+ "error.cannotparsejson": "Problèmes durant l'analyse du fichier de thème JSON : {0}",
+ "error.invalidformat": "Format non valide du fichier de thème JSON : objet attendu.",
+ "error.invalidformat.colors": "Problème pendant l'analyse du fichier de thème de couleur : {0}. La propriété 'colors' n'est pas de type 'object'.",
+ "error.invalidformat.tokenColors": "Problème pendant l'analyse du fichier de thème de couleur : {0}. La propriété 'tokenColors' doit être un tableau spécifiant des couleurs ou le chemin d'un fichier de thème TextMate",
+ "error.invalidformat.semanticTokenColors": "Problème d'analyse du fichier de thème de couleur : {0}. La propriété 'semanticTokenColors' contient un sélecteur non valide",
+ "error.plist.invalidformat": "Problème pendant l'analyse du fichier tmTheme : {0}. 'settings' n'est pas un tableau.",
+ "error.cannotparse": "Problèmes pendant l'analyse du fichier tmTheme : {0}",
+ "error.cannotload": "Problèmes pendant le chargement du fichier tmTheme {0} : {1}"
+ },
+ "vs/workbench/services/themes/common/fileIconThemeSchema": {
+ "schema.folderExpanded": "Icône de dossier pour les dossiers développés. L'icône de dossier développé est facultative. Si elle n'est pas définie, l'icône par défaut des dossier s'affiche.",
+ "schema.folder": "Icône de dossier des dossiers réduits. Si folderExpanded n'est pas défini, s'applique aussi aux dossiers développés.",
+ "schema.file": "Icône de fichier par défaut, affichée pour tous les fichiers qui ne correspondent pas à une extension, un nom de fichier ou un ID de langue.",
+ "schema.folderNames": "Associe des noms de dossier à des icônes. La clé d'objet est le nom de dossier, sans les segments de chemin. Aucun modèle ou caractère générique n'est autorisé. La correspondance de nom de dossier ne respecte pas la casse.",
+ "schema.folderName": "ID de la définition d'icône de l'association.",
+ "schema.folderNamesExpanded": "Associe des noms de dossiers à des icônes pour les dossiers développés. La clé d'objet est le nom de dossier, sans les segments de chemin. Aucun modèle ou caractère générique n'est autorisé. La correspondance de nom de dossier ne respecte pas la casse.",
+ "schema.folderNameExpanded": "ID de la définition d'icône de l'association.",
+ "schema.fileExtensions": "Associe des extensions de fichier à des icônes. La clé d'objet est le nom de l'extension de fichier. Le nom d'extension est le dernier segment de nom de fichier après le dernier point (sans le point). Les extensions sont comparées sans respecter la casse.",
+ "schema.fileExtension": "ID de la définition d'icône de l'association.",
+ "schema.fileNames": "Associe des noms de fichiers à des icônes. La clé d'objet est le nom de fichier complet, sans les segments de chemin. Le nom de fichier peut inclure des points et une éventuelle extension de fichier. Aucun modèle ou caractère générique n'est autorisé. La correspondance de nom de fichier ne respecte pas la casse.",
+ "schema.fileName": "ID de la définition d'icône de l'association.",
+ "schema.languageIds": "Associe des langages à des icônes. La clé de l'objet est l'ID de langage défini dans le point de contribution du langage.",
+ "schema.languageId": "ID de la définition d'icône de l'association.",
+ "schema.fonts": "Polices utilisées dans les définitions d'icônes.",
+ "schema.id": "ID de la police.",
+ "schema.id.formatError": "L'ID doit contenir uniquement les caractères suivants : lettres, chiffres, traits de soulignement et signes moins.",
+ "schema.src": "Emplacement de la police.",
+ "schema.font-path": "Chemin de police, relatif au fichier de thème d'icônes de fichier actuel.",
+ "schema.font-format": "Format de la police.",
+ "schema.font-weight": "Épaisseur de la police. Consultez https://developer.mozilla.org/fr-FR/docs/Web/CSS/font-weight pour connaître les valeurs valides.",
+ "schema.font-style": "Style de la police. Consultez https://developer.mozilla.org/fr-FR/docs/Web/CSS/font-style pour connaître les valeurs valides.",
+ "schema.font-size": "Taille par défaut de la police. Consultez https://developer.mozilla.org/fr-FR/docs/Web/CSS/font-size pour connaître les valeurs valides.",
+ "schema.iconDefinitions": "Description de toutes les icônes pouvant être utilisées durant l'association de fichiers à des icônes.",
+ "schema.iconDefinition": "Définition d'icône. La clé d'objet est l'ID de la définition.",
+ "schema.iconPath": "En cas d'utilisation de SVG ou PNG : chemin de l'image. Le chemin est relatif au fichier du jeu d'icônes.",
+ "schema.fontCharacter": "Quand une police de type glyphe est employée : caractère de police à utiliser.",
+ "schema.fontColor": "Quand une police de type glyphe est employée : couleur à utiliser.",
+ "schema.fontSize": "Quand une police est utilisée : taille de police en pourcentage par rapport à la police du texte. En l'absence de définition, la taille de la définition de police est utilisée par défaut.",
+ "schema.fontId": "Quand une police est employée : ID de la police. En l'absence de définition, la première définition de police est utilisée par défaut.",
+ "schema.light": "Associations facultatives des icônes de fichiers dans les thèmes de couleur claire.",
+ "schema.highContrast": "Associations facultatives pour les icônes de fichier dans les thèmes de couleur à contraste élevé.",
+ "schema.hidesExplorerArrows": "Détermine si les flèches de l’Explorateur de fichier doivent être masquées lorsque ce thème est actif."
+ },
+ "vs/workbench/services/themes/browser/fileIconThemeData": {
+ "error.cannotparseicontheme": "Problèmes durant l'analyse du fichier d'icônes de fichier : {0}",
+ "error.invalidformat": "Format non valide du fichier de thème d'icônes de fichier : objet attendu."
+ },
+ "vs/workbench/services/themes/common/colorThemeSchema": {
+ "schema.token.settings": "Couleurs et styles du jeton.",
+ "schema.token.foreground": "Couleur de premier plan du jeton.",
+ "schema.token.background.warning": "Les couleurs d’arrière-plan des tokens ne sont actuellement pas pris en charge.",
+ "schema.token.fontStyle": "Style de police de la règle: 'italic', 'bold' ou 'underline' ou une combinaison. La chaîne vide défait les paramètres hérités.",
+ "schema.fontStyle.error": "Le style de polie doit être 'italic', 'bold' or 'underline' ou une combinaison ou la chaîne vide.",
+ "schema.token.fontStyle.none": "Aucun (vide le style hérité)",
+ "schema.properties.name": "Description de la règle.",
+ "schema.properties.scope": "Sélecteur de portée qui correspond à cette règle.",
+ "schema.workbenchColors": "Couleurs dans le banc d'essai",
+ "schema.tokenColors.path": "Chemin d'un ficher tmTheme (relatif au fichier actuel).",
+ "schema.colors": "Couleurs de la coloration syntaxique",
+ "schema.supportsSemanticHighlighting": "Indique si la mise en surbrillance de la sémantique doit être activée pour ce thème.",
+ "schema.semanticTokenColors": "Couleurs des jetons sémantiques"
+ },
+ "vs/workbench/services/themes/common/themeExtensionPoints": {
+ "vscode.extension.contributes.themes": "Fournit des thèmes de couleur TextMate.",
+ "vscode.extension.contributes.themes.id": "ID du thème de couleur comme il apparaît dans les paramètres utilisateur.",
+ "vscode.extension.contributes.themes.label": "Étiquette du thème de couleur comme indiqué dans l'interface utilisateur (IU).",
+ "vscode.extension.contributes.themes.uiTheme": "Thème de base définissant les couleurs autour de l'éditeur : 'vs' est le thème de couleur clair, 'vs-dark' est le thème de couleur sombre. 'hc-black' est le thème sombre à contraste élevé.",
+ "vscode.extension.contributes.themes.path": "Chemin du fichier tmTheme. Le chemin est relatif au dossier de l'extension et est généralement './colorthemes/awesome-color-theme.json'.",
+ "vscode.extension.contributes.iconThemes": "Fournit des thèmes d'icône de fichier.",
+ "vscode.extension.contributes.iconThemes.id": "ID du thème d'icône de fichier comme il apparaît dans les paramètres utilisateur.",
+ "vscode.extension.contributes.iconThemes.label": "Étiquette de thème d'icône de fichier comme indiquée dans l'interface utilisateur.",
+ "vscode.extension.contributes.iconThemes.path": "Chemin du fichier de définition du thème de l'icône de fichier. Le chemin est relatif au dossier d'extension et est généralement './fileicons/awesome-icon-theme.json'.",
+ "vscode.extension.contributes.productIconThemes": "Ajoute des thèmes d'icône de produit.",
+ "vscode.extension.contributes.productIconThemes.id": "ID du thème d'icône de produit comme il apparaît dans les paramètres utilisateur.",
+ "vscode.extension.contributes.productIconThemes.label": "Étiquette de thème d'icône de produit comme indiquée dans l'interface utilisateur.",
+ "vscode.extension.contributes.productIconThemes.path": "Chemin du fichier de définition du thème de l'icône de produit. Le chemin est relatif au dossier de l'extension et est généralement './producticons/awesome-product-icon-theme.json'.",
+ "reqarray": "Le point d'extension '{0}' doit être un tableau.",
+ "reqpath": "Chaîne attendue dans 'contributes.{0}.path'. Valeur fournie : {1}",
+ "reqid": "Chaîne attendue dans 'contributes.{0}.id'. Valeur fournie : {1}",
+ "invalid.path.1": "'contributes.{0}.path' ({1}) est censé être inclus dans le dossier ({2}) de l'extension. Cela risque de rendre l'extension non portable."
+ },
+ "vs/workbench/services/themes/common/themeConfiguration": {
+ "colorTheme": "Spécifie le thème de couleur utilisé dans le banc d'essai.",
+ "colorThemeError": "Le thème est inconnu ou n'est pas installé.",
+ "preferredDarkColorTheme": "Spécifie le thème de couleur par défaut pour l'apparence d'OS sombre quand '#{0}#' est activé.",
+ "preferredLightColorTheme": "Spécifie le thème de couleur par défaut pour l'apparence d'OS claire quand '#{0}#' est activé.",
+ "preferredHCColorTheme": "Spécifie le thème de couleur par défaut utilisé en mode de contraste élevé quand '#{0}#' est activé.",
+ "detectColorScheme": "Si ce paramètre est défini, vous basculez automatiquement sur le thème de couleur par défaut en fonction de l'apparence de l'OS.",
+ "workbenchColors": "Remplace les couleurs du thème de couleur sélectionné.",
+ "iconTheme": "Spécifie le thème d'icône de fichier utilisé dans le banc d'essai ou 'null' pour ne pas afficher les icônes de fichier.",
+ "noIconThemeLabel": "Aucun",
+ "noIconThemeDesc": "Aucune icône de fichier",
+ "iconThemeError": "Le thème de l'icône de fichier est inconnu ou non installé.",
+ "productIconTheme": "Spécifie le thème d'icône de produit utilisé.",
+ "defaultProductIconThemeLabel": "Par défaut",
+ "defaultProductIconThemeDesc": "Par défaut",
+ "productIconThemeError": "Le thème d'icône de produit est inconnu ou n'est pas installé.",
+ "autoDetectHighContrast": "Si cette option est activée, le thème à contraste élevé est automatiquement choisi quand l'OS utilise un thème à contraste élevé.",
+ "editorColors.comments": "Définit les couleurs et les styles des commentaires",
+ "editorColors.strings": "Définit les couleurs et les styles des littéraux de chaînes.",
+ "editorColors.keywords": "Définit les couleurs et les styles des mots clés.",
+ "editorColors.numbers": "Définit les couleurs et les styles des littéraux de nombre.",
+ "editorColors.types": "Définit les couleurs et les styles des déclarations et références de type.",
+ "editorColors.functions": "Définit les couleurs et les styles des déclarations et références de fonctions.",
+ "editorColors.variables": "Définit les couleurs et les styles des déclarations et références de variables.",
+ "editorColors.textMateRules": "Définit les couleurs et les styles à l’aide de règles de thème textmate (avancé).",
+ "editorColors.semanticHighlighting": "Indique si la mise en surbrillance de la sémantique doit être activée pour ce thème.",
+ "editorColors.semanticHighlighting.deprecationMessage": "Utilisez 'enabled' dans le paramètre 'editor.semanticTokenColorCustomizations' à la place.",
+ "editorColors.semanticHighlighting.deprecationMessageMarkdown": "Utilisez 'enabled' dans le paramètre '#editor.semanticTokenColorCustomizations#' à la place.",
+ "editorColors": "Substitue les couleurs de syntaxe et le style de police de l'éditeur à partir du thème de couleur sélectionné.",
+ "editorColors.semanticHighlighting.enabled": "Indique si la coloration sémantique est activée ou désactivée pour ce thème",
+ "editorColors.semanticHighlighting.rules": "Règles de style des jetons sémantiques pour ce thème.",
+ "semanticTokenColors": "Substitue la couleur et les styles des jetons sémantiques de l'éditeur à partir du thème de couleur sélectionné.",
+ "editorColors.experimentalTokenStyling.deprecationMessage": "Utilisez 'editor.semanticTokenColorCustomizations' à la place.",
+ "editorColors.experimentalTokenStyling.deprecationMessageMarkdown": "Utilisez '#editor.semanticTokenColorCustomizations#' à la place."
+ },
+ "vs/workbench/services/themes/browser/productIconThemeData": {
+ "error.parseicondefs": "Problèmes de traitement des définitions d'icônes de produit dans {0} :\r\n{1}",
+ "defaultTheme": "Par défaut",
+ "error.cannotparseicontheme": "Problèmes durant l'analyse du fichier d'icônes de produit : {0}",
+ "error.invalidformat": "Format non valide du fichier de thème d'icônes de produit : objet attendu.",
+ "error.missingProperties": "Format non valide pour le fichier de thème des icônes de produit : doit contenir iconDefinitions et des polices.",
+ "error.fontWeight": "Épaisseur de police non valide dans la police '{0}'. Paramètre ignoré.",
+ "error.fontStyle": "Style de police non valide dans la police '{0}'. Paramètre ignoré.",
+ "error.fontId": "ID de police manquant ou non valide : '{0}'. Définition de police ignorée.",
+ "error.icon.fontId": "Définition d'icône ignorée : '{0}'. Police inconnue.",
+ "error.icon.fontCharacter": "Définition d'icône ignorée : '{0}'. fontCharacter inconnu."
+ },
+ "vs/workbench/services/themes/common/productIconThemeSchema": {
+ "schema.id": "ID de la police.",
+ "schema.id.formatError": "L'ID doit contenir uniquement les caractères suivants : lettres, chiffres, traits de soulignement et signes moins.",
+ "schema.src": "Emplacement de la police.",
+ "schema.font-path": "Chemin de police, relatif au fichier de thème d'icônes de produit actuel.",
+ "schema.font-format": "Format de la police.",
+ "schema.font-weight": "Épaisseur de la police. Consultez https://developer.mozilla.org/fr-FR/docs/Web/CSS/font-weight pour connaître les valeurs valides.",
+ "schema.font-style": "Style de la police. Consultez https://developer.mozilla.org/fr-FR/docs/Web/CSS/font-style pour connaître les valeurs valides.",
+ "schema.iconDefinitions": "Association du nom d'icône à un caractère de police."
+ },
+ "vs/workbench/services/userDataSync/common/userDataSync": {
+ "settings": "Paramètres",
+ "keybindings": "Raccourcis clavier",
+ "snippets": "Extraits utilisateur",
+ "extensions": "Extensions",
+ "ui state label": "État de l'IU",
+ "sync category": "Synchronisation des paramètres",
+ "syncViewIcon": "Icône de vue de la synchronisation des paramètres."
+ },
+ "vs/workbench/services/userDataSync/browser/userDataSyncWorkbenchService": {
+ "no authentication providers": "Impossible d'activer la synchronisation des paramètres, car aucun fournisseur d'authentification n'est disponible.",
+ "no account": "Aucun compte disponible",
+ "show log": "afficher le journal",
+ "sync turned on": "{0} est activé",
+ "sync in progress": "La synchronisation des paramètres est en cours d'activation. Voulez-vous l'annuler ?",
+ "settings sync": "Synchronisation des paramètres",
+ "yes": "&&Oui",
+ "no": "&&Non",
+ "turning on": "Activation...",
+ "syncing resource": "Synchronisation de {0}...",
+ "conflicts detected": "Conflits détectés",
+ "merge Manually": "Fusionner manuellement...",
+ "resolve": "Fusion impossible à cause de conflits. Fusionnez manuellement pour continuer...",
+ "merge or replace": "Fusionner ou remplacer",
+ "merge": "Fusionner",
+ "replace local": "Remplacer localement",
+ "cancel": "Annuler",
+ "first time sync detail": "Il semble que vous ayez effectué la dernière synchronisation à partir d'une autre machine.\r\nVoulez-vous fusionner les données ou les remplacer par vos données situées dans le cloud ?",
+ "reset": "Cela va entraîner l'effacement de vos données dans le cloud et l'arrêt de la synchronisation sur tous vos appareils.",
+ "reset title": "Effacer",
+ "resetButton": "&&Réinitialiser",
+ "choose account placeholder": "Sélectionner un compte pour se connecter",
+ "signed in": "Connecté",
+ "last used": "Dernière utilisation avec synchronisation",
+ "others": "Autres",
+ "sign in using account": "Vous connecter à {0}",
+ "successive auth failures": "La synchronisation des paramètres est interrompue en raison d'une succession d'échecs d'autorisation. Reconnectez-vous pour poursuivre la synchronisation",
+ "sign in": "Se connecter"
+ },
+ "vs/workbench/services/views/browser/viewDescriptorService": {
+ "resetViewLocation": "Réinitialiser l'emplacement"
+ },
+ "vs/workbench/services/workingCopy/common/workingCopyFileOperationParticipant": {
+ "msg-create": "Exécution des participants de 'Création de fichier'...",
+ "msg-rename": "Exécution des participants de 'Renommage de fichier'...",
+ "msg-copy": "Exécution des participants 'Copie du fichier'...",
+ "msg-delete": "Exécution des participants de 'Suppression de fichier'..."
+ },
+ "vs/workbench/services/workspaces/electron-sandbox/workspaceEditingService": {
+ "save": "Enregistrer",
+ "doNotSave": "Ne pas enregistrer",
+ "cancel": "Annuler",
+ "saveWorkspaceMessage": "Voulez-vous enregistrer la configuration de votre espace de travail dans un fichier ?",
+ "saveWorkspaceDetail": "Enregistrez votre espace de travail si vous avez l’intention de le rouvrir.",
+ "workspaceOpenedMessage": "Impossible d’enregistrer l’espace de travail '{0}'",
+ "ok": "OK",
+ "workspaceOpenedDetail": "L’espace de travail est déjà ouvert dans une autre fenêtre. Veuillez s’il vous plaît d’abord fermer cette fenêtre et puis essayez à nouveau."
+ },
+ "vs/workbench/services/workspaces/browser/abstractWorkspaceEditingService": {
+ "save": "Enregistrer",
+ "saveWorkspace": "Enregistrer l'espace de travail",
+ "errorInvalidTaskConfiguration": "Impossible d’écrire dans le fichier de configuration de l’espace de travail. Veuillez ouvrir le fichier pour y corriger les erreurs/avertissements et essayez à nouveau.",
+ "errorWorkspaceConfigurationFileDirty": "Impossible d’écrire dans le fichier de configuration de l’espace de travail, car le fichier a été modifié. Veuillez, s’il vous plaît, l'enregistrez et réessayez.",
+ "openWorkspaceConfigurationFile": "Ouvrir la Configuration de l’espace de travail"
+ },
+ "vs/base/common/date": {
+ "date.fromNow.in": "dans {0}",
+ "date.fromNow.now": "maintenant",
+ "date.fromNow.seconds.singular.ago": "Il y a {0} seconde",
+ "date.fromNow.seconds.plural.ago": "Il y a {0} secondes",
+ "date.fromNow.seconds.singular": "{0} s",
+ "date.fromNow.seconds.plural": "{0} secondes",
+ "date.fromNow.minutes.singular.ago": "Il y a {0} minute",
+ "date.fromNow.minutes.plural.ago": "Il y a {0} minutes",
+ "date.fromNow.minutes.singular": "{0} minute",
+ "date.fromNow.minutes.plural": "{0} minutes",
+ "date.fromNow.hours.singular.ago": "Il y a {0} heure",
+ "date.fromNow.hours.plural.ago": "il y a {0} heures",
+ "date.fromNow.hours.singular": "{0} heure",
+ "date.fromNow.hours.plural": "{0} heures",
+ "date.fromNow.days.singular.ago": "Il y a {0} jours",
+ "date.fromNow.days.plural.ago": "il y a {0} jours",
+ "date.fromNow.days.singular": "{0} jour",
+ "date.fromNow.days.plural": "{0} jours",
+ "date.fromNow.weeks.singular.ago": "Il y a {0} semaine",
+ "date.fromNow.weeks.plural.ago": "Il y a {0} semaines",
+ "date.fromNow.weeks.singular": "{0} semaine",
+ "date.fromNow.weeks.plural": "{0} semaines",
+ "date.fromNow.months.singular.ago": "Il y a {0} mois",
+ "date.fromNow.months.plural.ago": "Il y a {0} mois",
+ "date.fromNow.months.singular": "{0} mois",
+ "date.fromNow.months.plural": "{0} mois",
+ "date.fromNow.years.singular.ago": "Il y a {0} an",
+ "date.fromNow.years.plural.ago": "Il y a {0} ans",
+ "date.fromNow.years.singular": "{0} an",
+ "date.fromNow.years.plural": "{0} ans"
+ },
+ "vs/base/common/codicons": {
+ "dropDownButton": "Icône des boutons de liste déroulante."
+ },
+ "vs/base/common/actions": {
+ "submenu.empty": "(vide)"
+ },
+ "vs/base/node/processes": {
+ "TaskRunner.UNC": "Impossible d'exécuter une commande d'interpréteur de commandes sur un lecteur UNC."
+ },
+ "vs/base/common/errorMessage": {
+ "stackTrace.format": "{0}: {1}",
+ "nodeExceptionMessage": "Une erreur système s'est produite ({0})",
+ "error.defaultMessage": "Une erreur inconnue s’est produite. Veuillez consulter le journal pour plus de détails.",
+ "error.moreErrors": "{0} ({1} erreurs au total)"
+ },
+ "vs/base/node/zip": {
+ "invalid file": "Erreur à l'extraction de {0}. Fichier non valide.",
+ "incompleteExtract": "Incomplet. Entrées trouvées : {0} sur {1} ",
+ "notFound": "{0} introuvable dans le zip."
+ },
+ "vs/base/browser/ui/dialog/dialog": {
+ "ok": "OK",
+ "dialogInfoMessage": "Infos",
+ "dialogErrorMessage": "Erreur",
+ "dialogWarningMessage": "Avertissement",
+ "dialogPendingMessage": "En cours",
+ "dialogClose": "Fermer la boîte de dialogue"
+ },
+ "vs/base/browser/ui/actionbar/actionViewItems": {
+ "titleLabel": "{0} ({1})"
+ },
+ "vs/base/browser/ui/keybindingLabel/keybindingLabel": {
+ "unbound": "Indépendant"
+ },
+ "vs/base/browser/ui/menu/menubar": {
+ "mAppMenu": "Menu de l'application",
+ "mMore": "plus"
+ },
+ "vs/base/browser/ui/menu/menu": {
+ "titleLabel": "{0} ({1})"
+ },
+ "vs/base/common/jsonErrorMessages": {
+ "error.invalidSymbol": "Symbole invalide",
+ "error.invalidNumberFormat": "Format de nombre non valide",
+ "error.propertyNameExpected": "Nom de propriété attendu",
+ "error.valueExpected": "Valeur attendue",
+ "error.colonExpected": "Signe des deux points attendu",
+ "error.commaExpected": "Virgule attendue",
+ "error.closeBraceExpected": "Accolade fermante attendue",
+ "error.closeBracketExpected": "Crochet fermant attendu",
+ "error.endOfFileExpected": "Fin de fichier attendue"
+ },
+ "vs/base/common/keybindingLabels": {
+ "ctrlKey": "Ctrl",
+ "shiftKey": "Maj",
+ "altKey": "Alt",
+ "windowsKey": "Windows",
+ "superKey": "Super",
+ "ctrlKey.long": "Contrôle",
+ "shiftKey.long": "Maj",
+ "altKey.long": "Alt",
+ "cmdKey.long": "Commande",
+ "windowsKey.long": "Windows",
+ "superKey.long": "Super"
+ },
+ "vs/base/browser/ui/tree/abstractTree": {
+ "clear": "Effacer",
+ "disable filter on type": "Désactiver le filtre sur le type",
+ "enable filter on type": "Activer le filtre sur le type",
+ "empty": "Aucun élément",
+ "found": "{0} éléments sur {1} correspondants"
+ },
+ "vs/base/browser/ui/tree/treeDefaults": {
+ "collapse all": "Réduire tout"
+ },
+ "vs/base/browser/ui/toolbar/toolbar": {
+ "moreActions": "Plus d'actions..."
+ },
+ "vs/base/browser/ui/splitview/paneview": {
+ "viewSection": "Section {0}"
+ },
+ "vs/base/browser/ui/inputbox/inputBox": {
+ "alertErrorMessage": "Erreur : {0}",
+ "alertWarningMessage": "Avertissement : {0}",
+ "alertInfoMessage": "Info : {0}"
+ },
+ "vs/base/parts/quickinput/browser/quickInput": {
+ "backButtonIcon": "Icône du bouton Précédent dans la boîte de dialogue d'entrée rapide.",
+ "quickInput.back": "Précédent",
+ "quickInput.steps": "{0}/{1}",
+ "quickInputBox.ariaLabel": "Taper pour affiner les résultats.",
+ "inputModeEntry": "Appuyez sur 'Entrée' pour confirmer votre saisie, ou sur 'Échap' pour l'annuler",
+ "inputModeEntryDescription": "{0} (Appuyez sur 'Entrée' pour confirmer ou sur 'Échap' pour annuler)",
+ "quickInput.visibleCount": "{0} résultats",
+ "quickInput.countSelected": "{0} Sélectionnés",
+ "ok": "OK",
+ "custom": "Personnalisé",
+ "quickInput.backWithKeybinding": "Précédent ({0})"
+ },
+ "vs/base/browser/ui/findinput/findInput": {
+ "defaultLabel": "entrée"
+ },
+ "vs/base/browser/ui/findinput/replaceInput": {
+ "defaultLabel": "entrée",
+ "label.preserveCaseCheckbox": "Préserver la casse"
+ },
+ "vs/base/browser/ui/findinput/findInputCheckboxes": {
+ "caseDescription": "Respecter la casse",
+ "wordsDescription": "Mot entier",
+ "regexDescription": "Utiliser une expression régulière"
+ },
+ "vs/base/parts/quickinput/browser/quickInputList": {
+ "quickInput": "Entrée rapide"
+ },
+ "vs/base/browser/ui/selectBox/selectBoxCustom": {
+ "selectBox": "Zone de sélection"
+ },
+ "vs/editor/browser/editorExtensions": {
+ "miUndo": "Ann&&uler",
+ "undo": "Annuler",
+ "miRedo": "&&Rétablir",
+ "redo": "Rétablir",
+ "miSelectAll": "&&Sélectionner tout",
+ "selectAll": "Tout sélectionner"
+ },
+ "vs/editor/common/modes/modesRegistry": {
+ "plainText.alias": "Texte brut"
+ },
+ "vs/editor/common/config/editorOptions": {
+ "accessibilitySupport.auto": "L'éditeur utilise les API de la plateforme pour détecter si un lecteur d'écran est attaché.",
+ "accessibilitySupport.on": "L'éditeur est optimisé en permanence pour les lecteurs d'écran. Le retour automatique à la ligne est désactivé.",
+ "accessibilitySupport.off": "L'éditeur n'est jamais optimisé pour une utilisation avec un lecteur d'écran.",
+ "accessibilitySupport": "Contrôle si l'éditeur doit s'exécuter dans un mode optimisé pour les lecteurs d'écran. Si la valeur est on, le retour automatique à la ligne est désactivé.",
+ "comments.insertSpace": "Contrôle si un espace est inséré pour les commentaires.",
+ "comments.ignoreEmptyLines": "Contrôle si les lignes vides doivent être ignorées avec des actions d'activation/de désactivation, d'ajout ou de suppression des commentaires de ligne.",
+ "emptySelectionClipboard": "Contrôle si la copie sans sélection permet de copier la ligne actuelle.",
+ "find.cursorMoveOnType": "Contrôle si le curseur doit sauter pour rechercher les correspondances lors de la saisie.",
+ "find.seedSearchStringFromSelection": "Détermine si la chaîne de recherche dans le Widget Recherche est initialisée avec la sélection de l’éditeur.",
+ "editor.find.autoFindInSelection.never": "Ne jamais activer Rechercher automatiquement dans la sélection (par défaut)",
+ "editor.find.autoFindInSelection.always": "Toujours activer Rechercher automatiquement dans la sélection",
+ "editor.find.autoFindInSelection.multiline": "Activez Rechercher automatiquement dans la sélection quand plusieurs lignes de contenu sont sélectionnées.",
+ "find.autoFindInSelection": "Contrôle la condition d'activation automatique de la recherche dans la sélection.",
+ "find.globalFindClipboard": "Détermine si le Widget Recherche devrait lire ou modifier le presse-papiers de recherche partagé sur macOS.",
+ "find.addExtraSpaceOnTop": "Contrôle si le widget Recherche doit ajouter des lignes supplémentaires en haut de l'éditeur. Quand la valeur est true, vous pouvez faire défiler au-delà de la première ligne si le widget Recherche est visible.",
+ "find.loop": "Contrôle si la recherche redémarre automatiquement depuis le début (ou la fin) quand il n'existe aucune autre correspondance.",
+ "fontLigatures": "Active/désactive les ligatures de police (fonctionnalités de police 'calt' et 'liga'). Remplacez ceci par une chaîne pour contrôler de manière précise la propriété CSS 'font-feature-settings'.",
+ "fontFeatureSettings": "Propriété CSS 'font-feature-settings' explicite. Vous pouvez passer une valeur booléenne à la place si vous devez uniquement activer/désactiver les ligatures.",
+ "fontLigaturesGeneral": "Configure les ligatures de police ou les fonctionnalités de police. Il peut s'agir d'une valeur booléenne permettant d'activer/de désactiver les ligatures, ou d'une chaîne correspondant à la valeur de la propriété CSS 'font-feature-settings'.",
+ "fontSize": "Contrôle la taille de police en pixels.",
+ "fontWeightErrorMessage": "Seuls les mots clés \"normal\" et \"bold\", ou les nombres compris entre 1 et 1 000 sont autorisés.",
+ "fontWeight": "Contrôle l'épaisseur de police. Accepte les mots clés \"normal\" et \"bold\", ou les nombres compris entre 1 et 1 000.",
+ "editor.gotoLocation.multiple.peek": "Montrer l'aperçu des résultats (par défaut)",
+ "editor.gotoLocation.multiple.gotoAndPeek": "Accéder au résultat principal et montrer un aperçu",
+ "editor.gotoLocation.multiple.goto": "Accéder au résultat principal et activer l'accès sans aperçu pour les autres",
+ "editor.gotoLocation.multiple.deprecated": "Ce paramètre est déprécié, utilisez des paramètres distincts comme 'editor.editor.gotoLocation.multipleDefinitions' ou 'editor.editor.gotoLocation.multipleImplementations' à la place.",
+ "editor.editor.gotoLocation.multipleDefinitions": "Contrôle le comportement de la commande 'Atteindre la définition' quand plusieurs emplacements cibles existent.",
+ "editor.editor.gotoLocation.multipleTypeDefinitions": "Contrôle le comportement de la commande 'Atteindre la définition de type' quand plusieurs emplacements cibles existent.",
+ "editor.editor.gotoLocation.multipleDeclarations": "Contrôle le comportement de la commande 'Atteindre la déclaration' quand plusieurs emplacements cibles existent.",
+ "editor.editor.gotoLocation.multipleImplemenattions": "Contrôle le comportement de la commande 'Atteindre les implémentations' quand plusieurs emplacements cibles existent.",
+ "editor.editor.gotoLocation.multipleReferences": "Contrôle le comportement de la commande 'Atteindre les références' quand plusieurs emplacements cibles existent.",
+ "alternativeDefinitionCommand": "ID de commande alternatif exécuté quand le résultat de 'Atteindre la définition' est l'emplacement actuel.",
+ "alternativeTypeDefinitionCommand": "ID de commande alternatif exécuté quand le résultat de 'Atteindre la définition de type' est l'emplacement actuel.",
+ "alternativeDeclarationCommand": "ID de commande alternatif exécuté quand le résultat de 'Atteindre la déclaration' est l'emplacement actuel.",
+ "alternativeImplementationCommand": "ID de commande alternatif exécuté quand le résultat de 'Atteindre l'implémentation' est l'emplacement actuel.",
+ "alternativeReferenceCommand": "ID de commande alternatif exécuté quand le résultat de 'Atteindre la référence' est l'emplacement actuel.",
+ "hover.enabled": "Contrôle si le pointage est affiché.",
+ "hover.delay": "Contrôle le délai en millisecondes, après lequel le survol est affiché.",
+ "hover.sticky": "Contrôle si le pointage doit rester visible quand la souris est déplacée au-dessus.",
+ "codeActions": "Active l’ampoule d’action de code dans l’éditeur.",
+ "lineHeight": "Contrôle la hauteur de ligne. Utilisez 0 pour calculer la hauteur de ligne de la taille de la police.",
+ "minimap.enabled": "Contrôle si la minimap est affichée.",
+ "minimap.size.proportional": "Le minimap a la même taille que le contenu de l'éditeur (défilement possible).",
+ "minimap.size.fill": "Le minimap s'agrandit ou se réduit selon les besoins pour remplir la hauteur de l'éditeur (pas de défilement).",
+ "minimap.size.fit": "Le minimap est réduit si nécessaire pour ne jamais dépasser la taille de l'éditeur (pas de défilement).",
+ "minimap.size": "Contrôle la taille du minimap.",
+ "minimap.side": "Contrôle le côté où afficher la minimap.",
+ "minimap.showSlider": "Contrôle quand afficher le curseur du minimap.",
+ "minimap.scale": "Échelle du contenu dessiné dans le minimap : 1, 2 ou 3.",
+ "minimap.renderCharacters": "Afficher les caractères réels sur une ligne par opposition aux blocs de couleur.",
+ "minimap.maxColumn": "Limiter la largeur de la minimap pour afficher au plus un certain nombre de colonnes.",
+ "padding.top": "Contrôle la quantité d’espace entre le bord supérieur de l’éditeur et la première ligne.",
+ "padding.bottom": "Contrôle la quantité d'espace entre le bord inférieur de l'éditeur et la dernière ligne.",
+ "parameterHints.enabled": "Active une fenêtre contextuelle qui affiche de la documentation sur les paramètres et des informations sur les types à mesure que vous tapez.",
+ "parameterHints.cycle": "Détermine si le menu de suggestions de paramètres se ferme ou reviens au début lorsque la fin de la liste est atteinte.",
+ "quickSuggestions.strings": "Activez les suggestions rapides dans les chaînes.",
+ "quickSuggestions.comments": "Activez les suggestions rapides dans les commentaires.",
+ "quickSuggestions.other": "Activez les suggestions rapides en dehors des chaînes et des commentaires.",
+ "quickSuggestions": "Contrôle si les suggestions doivent apparaître automatiquement pendant la saisie.",
+ "lineNumbers.off": "Les numéros de ligne ne sont pas affichés.",
+ "lineNumbers.on": "Les numéros de ligne sont affichés en nombre absolu.",
+ "lineNumbers.relative": "Les numéros de ligne sont affichés sous la forme de distance en lignes à la position du curseur.",
+ "lineNumbers.interval": "Les numéros de ligne sont affichés toutes les 10 lignes.",
+ "lineNumbers": "Contrôle l'affichage des numéros de ligne.",
+ "rulers.size": "Nombre de caractères monospace auxquels cette règle d'éditeur effectue le rendu.",
+ "rulers.color": "Couleur de cette règle d'éditeur.",
+ "rulers": "Rendre les règles verticales après un certain nombre de caractères à espacement fixe. Utiliser plusieurs valeurs pour plusieurs règles. Aucune règle n'est dessinée si le tableau est vide.",
+ "suggest.insertMode.insert": "Insérez une suggestion sans remplacer le texte à droite du curseur.",
+ "suggest.insertMode.replace": "Insérez une suggestion et remplacez le texte à droite du curseur.",
+ "suggest.insertMode": "Contrôle si les mots sont remplacés en cas d'acceptation de la saisie semi-automatique. Notez que cela dépend des extensions adhérant à cette fonctionnalité.",
+ "suggest.filterGraceful": "Détermine si le filtre et le tri des suggestions doivent prendre en compte les fautes de frappes mineures.",
+ "suggest.localityBonus": "Contrôle si le tri favorise trier les mots qui apparaissent près du curseur.",
+ "suggest.shareSuggestSelections": "Contrôle si les sélections de suggestion mémorisées sont partagées entre plusieurs espaces de travail et fenêtres (nécessite '#editor.suggestSelection#').",
+ "suggest.snippetsPreventQuickSuggestions": "Contrôle si un extrait de code actif empêche les suggestions rapides.",
+ "suggest.showIcons": "Contrôle s'il faut montrer ou masquer les icônes dans les suggestions.",
+ "suggest.showStatusBar": "Contrôle la visibilité de la barre d'état en bas du widget de suggestion.",
+ "suggest.showInlineDetails": "Contrôle si les détails du widget de suggestion sont inclus dans l'étiquette ou uniquement dans le widget de détails",
+ "suggest.maxVisibleSuggestions.dep": "Ce paramètre est déprécié. Le widget de suggestion peut désormais être redimensionné.",
+ "deprecated": "Ce paramètre est déprécié, veuillez utiliser des paramètres distincts comme 'editor.suggest.showKeywords' ou 'editor.suggest.showSnippets' à la place.",
+ "editor.suggest.showMethods": "Si activé, IntelliSense montre des suggestions de type 'method'.",
+ "editor.suggest.showFunctions": "Si activé, IntelliSense montre des suggestions de type 'function'.",
+ "editor.suggest.showConstructors": "Si activé, IntelliSense montre des suggestions de type 'constructor'.",
+ "editor.suggest.showFields": "Si activé, IntelliSense montre des suggestions de type 'field'.",
+ "editor.suggest.showVariables": "Si activé, IntelliSense montre des suggestions de type 'variable'.",
+ "editor.suggest.showClasss": "Si activé, IntelliSense montre des suggestions de type 'class'.",
+ "editor.suggest.showStructs": "Si activé, IntelliSense montre des suggestions de type 'struct'.",
+ "editor.suggest.showInterfaces": "Si activé, IntelliSense montre des suggestions de type 'interface'.",
+ "editor.suggest.showModules": "Si activé, IntelliSense montre des suggestions de type 'module'.",
+ "editor.suggest.showPropertys": "Si activé, IntelliSense montre des suggestions de type 'property'.",
+ "editor.suggest.showEvents": "Si activé, IntelliSense montre des suggestions de type 'event'.",
+ "editor.suggest.showOperators": "Si activé, IntelliSense montre des suggestions de type 'operator'.",
+ "editor.suggest.showUnits": "Si activé, IntelliSense montre des suggestions de type 'unit'.",
+ "editor.suggest.showValues": "Si activé, IntelliSense montre des suggestions de type 'value'.",
+ "editor.suggest.showConstants": "Si activé, IntelliSense montre des suggestions de type 'constant'.",
+ "editor.suggest.showEnums": "Si activé, IntelliSense montre des suggestions de type 'enum'.",
+ "editor.suggest.showEnumMembers": "Si activé, IntelliSense montre des suggestions de type 'enumMember'.",
+ "editor.suggest.showKeywords": "Si activé, IntelliSense montre des suggestions de type 'keyword'.",
+ "editor.suggest.showTexts": "Si activé, IntelliSense montre des suggestions de type 'text'.",
+ "editor.suggest.showColors": "Si activé, IntelliSense montre des suggestions de type 'color'.",
+ "editor.suggest.showFiles": "Si activé, IntelliSense montre des suggestions de type 'file'.",
+ "editor.suggest.showReferences": "Si activé, IntelliSense montre des suggestions de type 'reference'.",
+ "editor.suggest.showCustomcolors": "Si activé, IntelliSense montre des suggestions de type 'customcolor'.",
+ "editor.suggest.showFolders": "Si activé, IntelliSense montre des suggestions de type 'folder'.",
+ "editor.suggest.showTypeParameters": "Si activé, IntelliSense montre des suggestions de type 'typeParameter'.",
+ "editor.suggest.showSnippets": "Si activé, IntelliSense montre des suggestions de type 'snippet'.",
+ "editor.suggest.showUsers": "Si activé, IntelliSense montre des suggestions de type 'utilisateur'.",
+ "editor.suggest.showIssues": "Si activé, IntelliSense montre des suggestions de type 'problèmes'.",
+ "selectLeadingAndTrailingWhitespace": "Indique si les espaces blancs de début et de fin doivent toujours être sélectionnés.",
+ "acceptSuggestionOnCommitCharacter": "Contrôle si les suggestions doivent être acceptées sur les caractères de validation. Par exemple, en JavaScript, le point-virgule (`;`) peut être un caractère de validation qui accepte une suggestion et tape ce caractère.",
+ "acceptSuggestionOnEnterSmart": "Accepter uniquement une suggestion avec 'Entrée' quand elle effectue une modification textuelle.",
+ "acceptSuggestionOnEnter": "Contrôle si les suggestions sont acceptées après appui sur 'Entrée', en plus de 'Tab'. Permet d’éviter toute ambiguïté entre l’insertion de nouvelles lignes et l'acceptation de suggestions.",
+ "accessibilityPageSize": "Contrôle le nombre de lignes dans l'éditeur qui peuvent être lues par un lecteur d'écran. Avertissement : Ce paramètre a une incidence sur les performances quand le nombre est supérieur à la valeur par défaut.",
+ "editorViewAccessibleLabel": "Contenu de l'éditeur",
+ "editor.autoClosingBrackets.languageDefined": "Utilisez les configurations de langage pour déterminer quand fermer automatiquement les parenthèses.",
+ "editor.autoClosingBrackets.beforeWhitespace": "Fermer automatiquement les parenthèses uniquement lorsque le curseur est à gauche de l’espace.",
+ "autoClosingBrackets": "Contrôle si l’éditeur doit fermer automatiquement les parenthèses quand l’utilisateur ajoute une parenthèse ouvrante.",
+ "editor.autoClosingOvertype.auto": "Tapez avant les guillemets ou les crochets fermants uniquement s'ils sont automatiquement insérés.",
+ "autoClosingOvertype": "Contrôle si l'éditeur doit taper avant les guillemets ou crochets fermants.",
+ "editor.autoClosingQuotes.languageDefined": "Utilisez les configurations de langage pour déterminer quand fermer automatiquement les guillemets.",
+ "editor.autoClosingQuotes.beforeWhitespace": "Fermer automatiquement les guillemets uniquement lorsque le curseur est à gauche de l’espace.",
+ "autoClosingQuotes": "Contrôle si l’éditeur doit fermer automatiquement les guillemets après que l’utilisateur ajoute un guillemet ouvrant.",
+ "editor.autoIndent.none": "L'éditeur n'insère pas de retrait automatiquement.",
+ "editor.autoIndent.keep": "L'éditeur conserve le retrait de la ligne actuelle.",
+ "editor.autoIndent.brackets": "L'éditeur conserve le retrait de la ligne actuelle et honore les crochets définis par le langage.",
+ "editor.autoIndent.advanced": "L'éditeur conserve le retrait de la ligne actuelle, honore les crochets définis par le langage et appelle des objets onEnterRules spéciaux définis par les langages.",
+ "editor.autoIndent.full": "L'éditeur conserve le retrait de la ligne actuelle, honore les crochets définis par le langage, appelle des objets onEnterRules spéciaux définis par les langages et honore les objets indentationRules définis par les langages.",
+ "autoIndent": "Contrôle si l'éditeur doit ajuster automatiquement le retrait quand les utilisateurs tapent, collent, déplacent ou mettent en retrait des lignes.",
+ "editor.autoSurround.languageDefined": "Utilisez les configurations de langue pour déterminer quand entourer automatiquement les sélections.",
+ "editor.autoSurround.quotes": "Entourez avec des guillemets et non des crochets.",
+ "editor.autoSurround.brackets": "Entourez avec des crochets et non des guillemets.",
+ "autoSurround": "Contrôle si l'éditeur doit automatiquement entourer les sélections quand l'utilisateur tape des guillemets ou des crochets.",
+ "stickyTabStops": "Émule le comportement des tabulations pour la sélection quand des espaces sont utilisés à des fins de mise en retrait. La sélection respecte les taquets de tabulation.",
+ "codeLens": "Contrôle si l'éditeur affiche CodeLens.",
+ "codeLensFontFamily": "Contrôle la famille de polices pour CodeLens.",
+ "codeLensFontSize": "Contrôle la taille de police en pixels pour CodeLens. Quand la valeur est '0', 90 % de '#editor.fontSize#' est utilisé.",
+ "colorDecorators": "Contrôle si l'éditeur doit afficher les éléments décoratifs de couleurs inline et le sélecteur de couleurs.",
+ "columnSelection": "Autoriser l'utilisation de la souris et des touches pour sélectionner des colonnes.",
+ "copyWithSyntaxHighlighting": "Contrôle si la coloration syntaxique doit être copiée dans le presse-papiers.",
+ "cursorBlinking": "Contrôler le style d’animation du curseur.",
+ "cursorSmoothCaretAnimation": "Contrôle si l'animation du point d'insertion doit être activée.",
+ "cursorStyle": "Contrôle le style du curseur.",
+ "cursorSurroundingLines": "Contrôle le nombre minimal de lignes de début et de fin visibles autour du curseur. Également appelé 'scrollOff' ou 'scrollOffset' dans d'autres éditeurs.",
+ "cursorSurroundingLinesStyle.default": "'cursorSurroundingLines' est appliqué seulement s'il est déclenché via le clavier ou une API.",
+ "cursorSurroundingLinesStyle.all": "'cursorSurroundingLines' est toujours appliqué.",
+ "cursorSurroundingLinesStyle": "Contrôle quand 'cursorSurroundingLines' doit être appliqué.",
+ "cursorWidth": "Détermine la largeur du curseur lorsque `#editor.cursorStyle#` est à `line`.",
+ "dragAndDrop": "Contrôle si l’éditeur autorise le déplacement de sélections par glisser-déplacer.",
+ "fastScrollSensitivity": "Multiplicateur de vitesse de défilement quand vous appuyez sur 'Alt'.",
+ "folding": "Contrôle si l'éditeur a le pliage de code activé.",
+ "foldingStrategy.auto": "Utilisez une stratégie de pliage propre à la langue, si disponible, sinon utilisez la stratégie basée sur le retrait.",
+ "foldingStrategy.indentation": "Utilisez la stratégie de pliage basée sur le retrait.",
+ "foldingStrategy": "Contrôle la stratégie de calcul des plages de pliage.",
+ "foldingHighlight": "Contrôle si l'éditeur doit mettre en évidence les plages pliées.",
+ "unfoldOnClickAfterEndOfLine": "Contrôle si le fait de cliquer sur le contenu vide après une ligne pliée déplie la ligne.",
+ "fontFamily": "Contrôle la famille de polices.",
+ "formatOnPaste": "Détermine si l’éditeur doit automatiquement mettre en forme le contenu collé. Un formateur doit être disponible et être capable de mettre en forme une plage dans un document.",
+ "formatOnType": "Contrôle si l’éditeur doit mettre automatiquement en forme la ligne après la saisie.",
+ "glyphMargin": "Contrôle si l'éditeur doit afficher la marge de glyphes verticale. La marge de glyphes sert principalement au débogage.",
+ "hideCursorInOverviewRuler": "Contrôle si le curseur doit être masqué dans la règle de la vue d’ensemble.",
+ "highlightActiveIndentGuide": "Contrôle si l’éditeur doit mettre en surbrillance le guide de mise en retrait actif.",
+ "letterSpacing": "Contrôle l'espacement des lettres en pixels.",
+ "linkedEditing": "Contrôle si la modification liée est activée dans l'éditeur. En fonction du langage, les symboles associés, par exemple les balises HTML, sont mis à jour durant le processus de modification.",
+ "links": "Contrôle si l’éditeur doit détecter les liens et les rendre cliquables.",
+ "matchBrackets": "Mettez en surbrillance les crochets correspondants.",
+ "mouseWheelScrollSensitivity": "Un multiplicateur à utiliser sur les `deltaX` et `deltaY` des événements de défilement de roulette de souris.",
+ "mouseWheelZoom": "Faire un zoom sur la police de l'éditeur quand l'utilisateur fait tourner la roulette de la souris tout en maintenant la touche 'Ctrl' enfoncée.",
+ "multiCursorMergeOverlapping": "Fusionnez plusieurs curseurs quand ils se chevauchent.",
+ "multiCursorModifier.ctrlCmd": "Mappe vers 'Contrôle' dans Windows et Linux, et vers 'Commande' dans macOS.",
+ "multiCursorModifier.alt": "Mappe vers 'Alt' dans Windows et Linux, et vers 'Option' dans macOS.",
+ "multiCursorModifier": "Le modificateur à utiliser pour ajouter plusieurs curseurs avec la souris. Les gestes de souris Atteindre la définition et Ouvrir le lien s'adapteront tels qu’ils n’entrent pas en conflit avec le modificateur multicursor. [Lire la suite] (https://code.visualstudio.com/docs/editor/codebasics#_multicursor-modifier).",
+ "multiCursorPaste.spread": "Chaque curseur colle une seule ligne de texte.",
+ "multiCursorPaste.full": "Chaque curseur colle le texte en entier.",
+ "multiCursorPaste": "Contrôle le collage quand le nombre de lignes du texte collé correspond au nombre de curseurs.",
+ "occurrencesHighlight": "Contrôle si l'éditeur doit mettre en surbrillance les occurrences de symboles sémantiques.",
+ "overviewRulerBorder": "Contrôle si une bordure doit être dessinée autour de la règle de la vue d'ensemble.",
+ "peekWidgetDefaultFocus.tree": "Focus sur l'arborescence à l'ouverture de l'aperçu",
+ "peekWidgetDefaultFocus.editor": "Placer le focus sur l'éditeur à l'ouverture de l'aperçu",
+ "peekWidgetDefaultFocus": "Contrôle s'il faut mettre le focus sur l'éditeur inline ou sur l'arborescence dans le widget d'aperçu.",
+ "definitionLinkOpensInPeek": "Contrôle si le geste de souris Accéder à la définition ouvre toujours le widget d'aperçu.",
+ "quickSuggestionsDelay": "Contrôle le délai en millisecondes après lequel des suggestions rapides sont affichées.",
+ "renameOnType": "Contrôle si l'éditeur renomme automatiquement selon le type.",
+ "renameOnTypeDeprecate": "Déprécié. Utilisez 'editor.linkedEditing' à la place.",
+ "renderControlCharacters": "Contrôle si l’éditeur doit afficher les caractères de contrôle.",
+ "renderIndentGuides": "Contrôle si l’éditeur doit afficher les guides de mise en retrait.",
+ "renderFinalNewline": "Affichez le dernier numéro de ligne quand le fichier se termine par un saut de ligne.",
+ "renderLineHighlight.all": "Met en surbrillance la gouttière et la ligne actuelle.",
+ "renderLineHighlight": "Contrôle la façon dont l’éditeur doit afficher la mise en surbrillance de la ligne actuelle.",
+ "renderLineHighlightOnlyWhenFocus": "Contrôle si l'éditeur doit afficher la mise en surbrillance de la ligne actuelle seulement quand l'éditeur a le focus",
+ "renderWhitespace.boundary": "Affiche les espaces blancs à l'exception des espaces uniques entre les mots.",
+ "renderWhitespace.selection": "Afficher les espaces blancs uniquement sur le texte sélectionné.",
+ "renderWhitespace.trailing": "Afficher uniquement les caractères correspondant aux espaces blancs de fin",
+ "renderWhitespace": "Contrôle la façon dont l’éditeur doit restituer les caractères espaces.",
+ "roundedSelection": "Contrôle si les sélections doivent avoir des angles arrondis.",
+ "scrollBeyondLastColumn": "Contrôle le nombre de caractères supplémentaires, au-delà duquel l’éditeur défile horizontalement.",
+ "scrollBeyondLastLine": "Contrôle si l’éditeur défile au-delà de la dernière ligne.",
+ "scrollPredominantAxis": "Faites défiler uniquement le long de l'axe prédominant quand le défilement est à la fois vertical et horizontal. Empêche la dérive horizontale en cas de défilement vertical sur un pavé tactile.",
+ "selectionClipboard": "Contrôle si le presse-papiers principal Linux doit être pris en charge.",
+ "selectionHighlight": "Contrôle si l'éditeur doit mettre en surbrillance les correspondances similaires à la sélection.",
+ "showFoldingControls.always": "Affichez toujours les contrôles de pliage.",
+ "showFoldingControls.mouseover": "Affichez uniquement les contrôles de pliage quand la souris est au-dessus de la reliure.",
+ "showFoldingControls": "Contrôle quand afficher les contrôles de pliage sur la reliure.",
+ "showUnused": "Contrôle la disparition du code inutile.",
+ "showDeprecated": "Contrôle les variables dépréciées barrées.",
+ "snippetSuggestions.top": "Afficher des suggestions d’extraits au-dessus d’autres suggestions.",
+ "snippetSuggestions.bottom": "Afficher des suggestions d’extraits en-dessous d’autres suggestions.",
+ "snippetSuggestions.inline": "Afficher des suggestions d’extraits avec d’autres suggestions.",
+ "snippetSuggestions.none": "Ne pas afficher de suggestions d’extrait de code.",
+ "snippetSuggestions": "Contrôle si les extraits de code s'affichent en même temps que d'autres suggestions, ainsi que leur mode de tri.",
+ "smoothScrolling": "Contrôle si l'éditeur défile en utilisant une animation.",
+ "suggestFontSize": "Taille de la police pour le widget de suggestion. Lorsque la valeur est à `0`, la valeur de `#editor.fontSize` est utilisée.",
+ "suggestLineHeight": "Hauteur de ligne du widget de suggestion. Quand la valeur est '0', la valeur de '#editor.lineHeight#' est utilisée. La valeur minimale est 8.",
+ "suggestOnTriggerCharacters": "Contrôle si les suggestions devraient automatiquement s’afficher lorsque vous tapez les caractères de déclencheur.",
+ "suggestSelection.first": "Sélectionnez toujours la première suggestion.",
+ "suggestSelection.recentlyUsed": "Sélectionnez les suggestions récentes sauf si une entrée ultérieure en a sélectionné une, par ex., 'console.| -> console.log', car 'log' a été effectué récemment.",
+ "suggestSelection.recentlyUsedByPrefix": "Sélectionnez des suggestions en fonction des préfixes précédents qui ont complété ces suggestions, par ex., 'co -> console' et 'con -> const'.",
+ "suggestSelection": "Contrôle comment les suggestions sont pré-sélectionnés lors de l’affichage de la liste de suggestion.",
+ "tabCompletion.on": "La complétion par tabulation insérera la meilleure suggestion lorsque vous appuyez sur tab.",
+ "tabCompletion.off": "Désactiver les complétions par tabulation.",
+ "tabCompletion.onlySnippets": "Compléter les extraits de code par tabulation lorsque leur préfixe correspond. Fonctionne mieux quand les 'quickSuggestions' ne sont pas activées.",
+ "tabCompletion": "Active les complétions par tabulation",
+ "unusualLineTerminators.auto": "Les marques de fin de ligne inhabituelles sont automatiquement supprimées.",
+ "unusualLineTerminators.off": "Les marques de fin de ligne inhabituelles sont ignorées.",
+ "unusualLineTerminators.prompt": "Les marques de fin de ligne inhabituelles demandent à être supprimées.",
+ "unusualLineTerminators": "Supprimez les marques de fin de ligne inhabituelles susceptibles de causer des problèmes.",
+ "useTabStops": "L'insertion et la suppression des espaces blancs suit les taquets de tabulation.",
+ "wordSeparators": "Caractères utilisés comme séparateurs de mots durant la navigation ou les opérations basées sur les mots",
+ "wordWrap.off": "Le retour automatique à la ligne n'est jamais effectué.",
+ "wordWrap.on": "Le retour automatique à la ligne s'effectue en fonction de la largeur de la fenêtre d'affichage.",
+ "wordWrap.wordWrapColumn": "Les lignes seront terminées à `#editor.wordWrapColumn#`.",
+ "wordWrap.bounded": "Les lignes seront terminées au minimum du viewport et `#editor.wordWrapColumn#`.",
+ "wordWrap": "Contrôle comment les lignes doivent être limitées.",
+ "wordWrapColumn": "Contrôle la colonne de terminaison de l’éditeur lorsque `#editor.wordWrap#` est à `wordWrapColumn` ou `bounded`.",
+ "wrappingIndent.none": "Aucune mise en retrait. Les lignes enveloppées commencent à la colonne 1.",
+ "wrappingIndent.same": "Les lignes enveloppées obtiennent la même mise en retrait que le parent.",
+ "wrappingIndent.indent": "Les lignes justifiées obtiennent une mise en retrait +1 vers le parent.",
+ "wrappingIndent.deepIndent": "Les lignes justifiées obtiennent une mise en retrait +2 vers le parent. ",
+ "wrappingIndent": "Contrôle la mise en retrait des lignes justifiées.",
+ "wrappingStrategy.simple": "Suppose que tous les caractères ont la même largeur. Il s'agit d'un algorithme rapide qui fonctionne correctement pour les polices à espacement fixe et certains scripts (comme les caractères latins) où les glyphes ont la même largeur.",
+ "wrappingStrategy.advanced": "Délègue le calcul des points de wrapping au navigateur. Il s'agit d'un algorithme lent qui peut provoquer le gel des grands fichiers, mais qui fonctionne correctement dans tous les cas.",
+ "wrappingStrategy": "Contrôle l'algorithme qui calcule les points de wrapping."
+ },
+ "vs/editor/common/view/editorColorRegistry": {
+ "lineHighlight": "Couleur d'arrière-plan de la mise en surbrillance de la ligne à la position du curseur.",
+ "lineHighlightBorderBox": "Couleur d'arrière-plan de la bordure autour de la ligne à la position du curseur.",
+ "rangeHighlight": "Couleur d'arrière-plan des plages mises en surbrillance, comme par les fonctionnalités de recherche et Quick Open. La couleur ne doit pas être opaque pour ne pas masquer les ornements sous-jacents.",
+ "rangeHighlightBorder": "Couleur d'arrière-plan de la bordure autour des plages mises en surbrillance.",
+ "symbolHighlight": "Couleur d'arrière-plan du symbole mis en surbrillance, comme le symbole Atteindre la définition ou Suivant/Précédent. La couleur ne doit pas être opaque pour ne pas masquer les décorations sous-jacentes.",
+ "symbolHighlightBorder": "Couleur d'arrière-plan de la bordure autour des symboles mis en surbrillance.",
+ "caret": "Couleur du curseur de l'éditeur.",
+ "editorCursorBackground": "La couleur de fond du curseur de l'éditeur. Permet de personnaliser la couleur d'un caractère survolé par un curseur de bloc.",
+ "editorWhitespaces": "Couleur des espaces blancs dans l'éditeur.",
+ "editorIndentGuides": "Couleur des repères de retrait de l'éditeur.",
+ "editorActiveIndentGuide": "Couleur des guides d'indentation de l'éditeur actif",
+ "editorLineNumbers": "Couleur des numéros de ligne de l'éditeur.",
+ "editorActiveLineNumber": "Couleur des numéros de lignes actives de l'éditeur",
+ "deprecatedEditorActiveLineNumber": "L’ID est déprécié. Utilisez à la place 'editorLineNumber.activeForeground'.",
+ "editorRuler": "Couleur des règles de l'éditeur",
+ "editorCodeLensForeground": "Couleur pour les indicateurs CodeLens",
+ "editorBracketMatchBackground": "Couleur d'arrière-plan pour les accolades associées",
+ "editorBracketMatchBorder": "Couleur pour le contour des accolades associées",
+ "editorOverviewRulerBorder": "Couleur de la bordure de la règle d'aperçu.",
+ "editorOverviewRulerBackground": "Couleur d'arrière-plan de la règle d'aperçu de l'éditeur. Utilisée uniquement quand la minimap est activée et placée sur le côté droit de l'éditeur.",
+ "editorGutter": "Couleur de fond pour la bordure de l'éditeur. La bordure contient les marges pour les symboles et les numéros de ligne.",
+ "unnecessaryCodeBorder": "Couleur de bordure du code source inutile (non utilisé) dans l'éditeur.",
+ "unnecessaryCodeOpacity": "Opacité du code source inutile (non utilisé) dans l'éditeur. Par exemple, '#000000c0' affiche le code avec une opacité de 75 %. Pour les thèmes à fort contraste, utilisez la couleur de thème 'editorUnnecessaryCode.border' pour souligner le code inutile au lieu d'utiliser la transparence.",
+ "overviewRulerRangeHighlight": "Couleur de marqueur de la règle d'aperçu pour la mise en surbrillance des plages. La couleur ne doit pas être opaque pour ne pas masquer les ornements sous-jacents.",
+ "overviewRuleError": "Couleur du marqueur de la règle d'aperçu pour les erreurs.",
+ "overviewRuleWarning": "Couleur du marqueur de la règle d'aperçu pour les avertissements.",
+ "overviewRuleInfo": "Couleur du marqueur de la règle d'aperçu pour les informations."
+ },
+ "vs/editor/common/model/editStack": {
+ "edit": "Frappe en cours"
+ },
+ "vs/editor/browser/controller/coreCommands": {
+ "stickydesc": "Aligner par rapport à la fin même en cas de passage à des lignes plus longues"
+ },
+ "vs/editor/browser/widget/codeEditorWidget": {
+ "cursors.maximum": "Le nombre de curseurs a été limité à {0}."
+ },
+ "vs/editor/browser/widget/diffEditorWidget": {
+ "diffInsertIcon": "Élément décoratif de ligne pour les insertions dans l'éditeur de différences.",
+ "diffRemoveIcon": "Élément décoratif de ligne pour les suppressions dans l'éditeur de différences.",
+ "diff.tooLarge": "Impossible de comparer les fichiers car l'un d'eux est trop volumineux."
+ },
+ "vs/editor/common/standaloneStrings": {
+ "noSelection": "Aucune sélection",
+ "singleSelectionRange": "Ligne {0}, colonne {1} ({2} sélectionné)",
+ "singleSelection": "Ligne {0}, colonne {1}",
+ "multiSelectionRange": "{0} sélections ({1} caractères sélectionnés)",
+ "multiSelection": "{0} sélections",
+ "emergencyConfOn": "Remplacement du paramètre 'accessibilitySupport' par 'on'.",
+ "openingDocs": "Ouverture de la page de documentation sur l'accessibilité de l'éditeur.",
+ "readonlyDiffEditor": "dans un volet en lecture seule d'un éditeur de différences.",
+ "editableDiffEditor": "dans un volet d'un éditeur de différences.",
+ "readonlyEditor": " dans un éditeur de code en lecture seule",
+ "editableEditor": " dans un éditeur de code",
+ "changeConfigToOnMac": "Pour configurer l'éditeur de manière à être optimisé en cas d'utilisation d'un lecteur d'écran, appuyez sur Commande+E maintenant.",
+ "changeConfigToOnWinLinux": "Pour configurer l'éditeur de manière à être optimisé en cas d'utilisation d'un lecteur d'écran, appuyez sur Contrôle+E maintenant.",
+ "auto_on": "L'éditeur est configuré pour être optimisé en cas d'utilisation avec un lecteur d'écran.",
+ "auto_off": "L'éditeur est configuré pour ne jamais être optimisé en cas d'utilisation avec un lecteur d'écran, ce qui n'est pas le cas pour le moment.",
+ "tabFocusModeOnMsg": "Appuyez sur Tab dans l'éditeur pour déplacer le focus vers le prochain élément pouvant être désigné comme élément actif. Activez ou désactivez ce comportement en appuyant sur {0}.",
+ "tabFocusModeOnMsgNoKb": "Appuyez sur Tab dans l'éditeur pour déplacer le focus vers le prochain élément pouvant être désigné comme élément actif. La commande {0} ne peut pas être déclenchée par une combinaison de touches.",
+ "tabFocusModeOffMsg": "Appuyez sur Tab dans l'éditeur pour insérer le caractère de tabulation. Activez ou désactivez ce comportement en appuyant sur {0}.",
+ "tabFocusModeOffMsgNoKb": "Appuyez sur Tab dans l'éditeur pour insérer le caractère de tabulation. La commande {0} ne peut pas être déclenchée par une combinaison de touches.",
+ "openDocMac": "Appuyez sur Commande+H maintenant pour ouvrir une fenêtre de navigateur avec plus d'informations sur l'accessibilité de l'éditeur.",
+ "openDocWinLinux": "Appuyez sur Contrôle+H maintenant pour ouvrir une fenêtre de navigateur avec plus d'informations sur l'accessibilité de l'éditeur.",
+ "outroMsg": "Vous pouvez masquer cette info-bulle et revenir à l'éditeur en appuyant sur Échap ou Maj+Échap.",
+ "showAccessibilityHelpAction": "Afficher l'aide sur l'accessibilité",
+ "inspectTokens": "Développeur : Inspecter les jetons",
+ "gotoLineActionLabel": "Accéder à la ligne/colonne...",
+ "helpQuickAccess": "Afficher tous les fournisseurs d'accès rapide",
+ "quickCommandActionLabel": "Palette de commandes",
+ "quickCommandActionHelp": "Commandes d'affichage et d'exécution",
+ "quickOutlineActionLabel": "Accéder au symbole...",
+ "quickOutlineByCategoryActionLabel": "Accéder au symbole par catégorie...",
+ "editorViewAccessibleLabel": "Contenu de l'éditeur",
+ "accessibilityHelpMessage": "Appuyez sur Alt+F1 pour voir les options d'accessibilité.",
+ "toggleHighContrast": "Activer/désactiver le thème à contraste élevé",
+ "bulkEditServiceSummary": "{0} modifications dans {1} fichiers"
+ },
+ "vs/editor/common/config/commonEditorConfig": {
+ "editorConfigurationTitle": "Éditeur",
+ "tabSize": "Le nombre d'espaces auxquels une tabulation est égale. Ce paramètre est substitué basé sur le contenu du fichier lorsque `#editor.detectIndentation#` est à 'on'.",
+ "insertSpaces": "Espaces insérés quand vous appuyez sur la touche Tab. Ce paramètre est remplacé en fonction du contenu du fichier quand '#editor.detectIndentation#' est activé.",
+ "detectIndentation": "Contrôle si '#editor.tabSize#' et '#editor.insertSpaces#' sont automatiquement détectés lors de l’ouverture d’un fichier en fonction de son contenu.",
+ "trimAutoWhitespace": "Supprimer l'espace blanc de fin inséré automatiquement.",
+ "largeFileOptimizations": "Traitement spécial des fichiers volumineux pour désactiver certaines fonctionnalités utilisant beaucoup de mémoire.",
+ "wordBasedSuggestions": "Contrôle si la saisie semi-automatique doit être calculée en fonction des mots présents dans le document.",
+ "wordBasedSuggestionsMode.currentDocument": "Suggère uniquement des mots dans le document actif.",
+ "wordBasedSuggestionsMode.matchingDocuments": "Suggère des mots dans tous les documents ouverts du même langage.",
+ "wordBasedSuggestionsMode.allDocuments": "Suggère des mots dans tous les documents ouverts.",
+ "wordBasedSuggestionsMode": "Contrôle la façon dont sont calculées les complétions basées sur des mots dans les documents.",
+ "semanticHighlighting.true": "Coloration sémantique activée pour tous les thèmes de couleur.",
+ "semanticHighlighting.false": "Coloration sémantique désactivée pour tous les thèmes de couleur.",
+ "semanticHighlighting.configuredByTheme": "La coloration sémantique est configurée par le paramètre 'semanticHighlighting' du thème de couleur actuel.",
+ "semanticHighlighting.enabled": "Contrôle si semanticHighlighting est affiché pour les langages qui le prennent en charge.",
+ "stablePeek": "Garder les éditeurs d'aperçu ouverts même si l'utilisateur double-clique sur son contenu ou appuie sur la touche Échap. ",
+ "maxTokenizationLineLength": "Les lignes plus longues que cette valeur ne sont pas tokenisées pour des raisons de performances",
+ "maxComputationTime": "Délai d'expiration en millisecondes avant annulation du calcul de diff. Utilisez 0 pour supprimer le délai d'expiration.",
+ "sideBySide": "Contrôle si l'éditeur de différences affiche les différences en mode côte à côte ou inline.",
+ "ignoreTrimWhitespace": "Quand il est activé, l'éditeur de différences ignore les changements d'espace blanc de début ou de fin.",
+ "renderIndicators": "Contrôle si l'éditeur de différences affiche les indicateurs +/- pour les changements ajoutés/supprimés .",
+ "codeLens": "Contrôle si l'éditeur affiche CodeLens.",
+ "wordWrap.off": "Le retour automatique à la ligne n'est jamais effectué.",
+ "wordWrap.on": "Le retour automatique à la ligne s'effectue en fonction de la largeur de la fenêtre d'affichage.",
+ "wordWrap.inherit": "Le retour automatique à la ligne dépend du paramètre '#editor.wordWrap#'."
+ },
+ "vs/editor/browser/widget/diffReview": {
+ "diffReviewInsertIcon": "Icône de l'option Insérer dans la revue des différences.",
+ "diffReviewRemoveIcon": "Icône de l'option Supprimer dans la revue des différences.",
+ "diffReviewCloseIcon": "Icône de l'option Fermer dans la revue des différences.",
+ "label.close": "Fermer",
+ "no_lines_changed": "aucune ligne changée",
+ "one_line_changed": "1 ligne changée",
+ "more_lines_changed": "{0} lignes changées",
+ "header": "Différence {0} sur {1} : ligne d'origine {2}, {3}, ligne modifiée {4}, {5}",
+ "blankLine": "vide",
+ "unchangedLine": "{0} ligne inchangée {1}",
+ "equalLine": "{0} ligne d'origine {1} ligne modifiée {2}",
+ "insertLine": "+ {0} ligne modifiée {1}",
+ "deleteLine": "- {0} ligne d'origine {1}",
+ "editor.action.diffReview.next": "Accéder à la différence suivante",
+ "editor.action.diffReview.prev": "Accéder la différence précédente"
+ },
+ "vs/editor/browser/widget/inlineDiffMargin": {
+ "diff.clipboard.copyDeletedLinesContent.label": "Copier les lignes supprimées",
+ "diff.clipboard.copyDeletedLinesContent.single.label": "Copier la ligne supprimée",
+ "diff.clipboard.copyDeletedLineContent.label": "Copier la ligne supprimée ({0})",
+ "diff.inline.revertChange.label": "Annuler la modification"
+ },
+ "vs/editor/browser/controller/textAreaHandler": {
+ "editor": "éditeur",
+ "accessibilityOffAriaLabel": "L'éditeur n'est pas accessible pour le moment. Appuyez sur {0} pour voir les options."
+ },
+ "vs/editor/contrib/clipboard/clipboard": {
+ "miCut": "Co&&uper",
+ "actions.clipboard.cutLabel": "Couper",
+ "miCopy": "&&Copier",
+ "actions.clipboard.copyLabel": "Copier",
+ "miPaste": "Co&&ller",
+ "actions.clipboard.pasteLabel": "Coller",
+ "actions.clipboard.copyWithSyntaxHighlightingLabel": "Copier avec la coloration syntaxique"
+ },
+ "vs/editor/contrib/anchorSelect/anchorSelect": {
+ "selectionAnchor": "Ancre de sélection",
+ "anchorSet": "Ancre définie sur {0}:{1}",
+ "setSelectionAnchor": "Définir l'ancre de sélection",
+ "goToSelectionAnchor": "Atteindre l'ancre de sélection",
+ "selectFromAnchorToCursor": "Sélectionner de l'ancre au curseur",
+ "cancelSelectionAnchor": "Annuler l'ancre de sélection"
+ },
+ "vs/editor/contrib/bracketMatching/bracketMatching": {
+ "overviewRulerBracketMatchForeground": "Couleur du marqueur de la règle d'aperçu pour rechercher des parenthèses.",
+ "smartSelect.jumpBracket": "Atteindre le crochet",
+ "smartSelect.selectToBracket": "Sélectionner jusqu'au crochet",
+ "miGoToBracket": "Accéder au &&crochet"
+ },
+ "vs/editor/contrib/caretOperations/caretOperations": {
+ "caret.moveLeft": "Déplacer le texte sélectionné à gauche",
+ "caret.moveRight": "Déplacer le texte sélectionné à droite"
+ },
+ "vs/editor/contrib/caretOperations/transpose": {
+ "transposeLetters.label": "Transposer les lettres"
+ },
+ "vs/editor/contrib/codelens/codelensController": {
+ "showLensOnLine": "Afficher les commandes Code Lens de la ligne actuelle"
+ },
+ "vs/editor/contrib/comment/comment": {
+ "comment.line": "Activer/désactiver le commentaire de ligne",
+ "miToggleLineComment": "Afficher/masquer le commen&&taire de ligne",
+ "comment.line.add": "Ajouter le commentaire de ligne",
+ "comment.line.remove": "Supprimer le commentaire de ligne",
+ "comment.block": "Activer/désactiver le commentaire de bloc",
+ "miToggleBlockComment": "Afficher/masquer le commentaire de &&bloc"
+ },
+ "vs/editor/contrib/contextmenu/contextmenu": {
+ "action.showContextMenu.label": "Afficher le menu contextuel de l'éditeur"
+ },
+ "vs/editor/contrib/cursorUndo/cursorUndo": {
+ "cursor.undo": "Annulation du curseur",
+ "cursor.redo": "Restauration du curseur"
+ },
+ "vs/editor/contrib/find/findController": {
+ "startFindAction": "Rechercher",
+ "miFind": "&&Rechercher",
+ "startFindWithSelectionAction": "Rechercher dans la sélection",
+ "findNextMatchAction": "Rechercher suivant",
+ "findPreviousMatchAction": "Rechercher précédent",
+ "nextSelectionMatchFindAction": "Sélection suivante",
+ "previousSelectionMatchFindAction": "Sélection précédente",
+ "startReplace": "Remplacer",
+ "miReplace": "&&Remplacer"
+ },
+ "vs/editor/contrib/folding/folding": {
+ "unfoldAction.label": "Déplier",
+ "unFoldRecursivelyAction.label": "Déplier de manière récursive",
+ "foldAction.label": "Plier",
+ "toggleFoldAction.label": "Activer/désactiver le pliage",
+ "foldRecursivelyAction.label": "Plier de manière récursive",
+ "foldAllBlockComments.label": "Replier tous les commentaires de bloc",
+ "foldAllMarkerRegions.label": "Replier toutes les régions",
+ "unfoldAllMarkerRegions.label": "Déplier toutes les régions",
+ "foldAllAction.label": "Plier tout",
+ "unfoldAllAction.label": "Déplier tout",
+ "foldLevelAction.label": "Niveau de pliage {0}",
+ "foldBackgroundBackground": "Couleur d'arrière-plan des gammes pliées. La couleur ne doit pas être opaque pour ne pas cacher les décorations sous-jacentes.",
+ "editorGutter.foldingControlForeground": "Couleur du contrôle de pliage dans la marge de l'éditeur."
+ },
+ "vs/editor/contrib/fontZoom/fontZoom": {
+ "EditorFontZoomIn.label": "Agrandissement de l'éditeur de polices de caractères",
+ "EditorFontZoomOut.label": "Rétrécissement de l'éditeur de polices de caractères",
+ "EditorFontZoomReset.label": "Remise à niveau du zoom de l'éditeur de polices de caractères"
+ },
+ "vs/editor/contrib/format/formatActions": {
+ "formatDocument.label": "Mettre le document en forme",
+ "formatSelection.label": "Mettre la sélection en forme"
+ },
+ "vs/editor/contrib/gotoSymbol/goToCommands": {
+ "peek.submenu": "Aperçu",
+ "def.title": "Définitions",
+ "noResultWord": "Définition introuvable pour '{0}'",
+ "generic.noResults": "Définition introuvable",
+ "actions.goToDecl.label": "Atteindre la définition",
+ "miGotoDefinition": "Atteindre la &&définition",
+ "actions.goToDeclToSide.label": "Ouvrir la définition sur le côté",
+ "actions.previewDecl.label": "Faire un Peek de la Définition",
+ "decl.title": "Déclarations",
+ "decl.noResultWord": "Aucune déclaration pour '{0}'",
+ "decl.generic.noResults": "Aucune déclaration",
+ "actions.goToDeclaration.label": "Accéder à la déclaration",
+ "miGotoDeclaration": "Atteindre la &&déclaration",
+ "actions.peekDecl.label": "Aperçu de la déclaration",
+ "typedef.title": "Définitions de type",
+ "goToTypeDefinition.noResultWord": "Définition de type introuvable pour '{0}'",
+ "goToTypeDefinition.generic.noResults": "Définition de type introuvable",
+ "actions.goToTypeDefinition.label": "Atteindre la définition de type",
+ "miGotoTypeDefinition": "Accéder à la définition de &&type",
+ "actions.peekTypeDefinition.label": "Aperçu de la définition du type",
+ "impl.title": "Implémentations",
+ "goToImplementation.noResultWord": "Implémentation introuvable pour '{0}'",
+ "goToImplementation.generic.noResults": "Implémentation introuvable",
+ "actions.goToImplementation.label": "Atteindre les implémentations",
+ "miGotoImplementation": "Atteindre les &&implémentations",
+ "actions.peekImplementation.label": "Implémentations d'aperçu",
+ "references.no": "Aucune référence pour '{0}'",
+ "references.noGeneric": "Aucune référence",
+ "goToReferences.label": "Atteindre les références",
+ "miGotoReference": "Atteindre les &&références",
+ "ref.title": "Références",
+ "references.action.label": "Aperçu des références",
+ "label.generic": "Atteindre un symbole",
+ "generic.title": "Emplacements",
+ "generic.noResult": "Aucun résultat pour « {0} »"
+ },
+ "vs/editor/contrib/hover/hover": {
+ "showHover": "Afficher par pointage",
+ "showDefinitionPreviewHover": "Afficher le pointeur de l'aperçu de définition"
+ },
+ "vs/editor/contrib/gotoSymbol/link/goToDefinitionAtPosition": {
+ "multipleResults": "Cliquez pour afficher {0} définitions."
+ },
+ "vs/editor/contrib/gotoError/gotoError": {
+ "markerAction.next.label": "Aller au problème suivant (Erreur, Avertissement, Info)",
+ "nextMarkerIcon": "Icône du prochain marqueur goto.",
+ "markerAction.previous.label": "Aller au problème précédent (Erreur, Avertissement, Info)",
+ "previousMarkerIcon": "Icône du précédent marqueur goto.",
+ "markerAction.nextInFiles.label": "Aller au problème suivant dans Fichiers (Erreur, Avertissement, Info)",
+ "miGotoNextProblem": "&&Problème suivant",
+ "markerAction.previousInFiles.label": "Aller au problème précédent dans Fichiers (Erreur, Avertissement, Info)",
+ "miGotoPreviousProblem": "&&Problème précédent"
+ },
+ "vs/editor/contrib/indentation/indentation": {
+ "indentationToSpaces": "Convertir les retraits en espaces",
+ "indentationToTabs": "Convertir les retraits en tabulations",
+ "configuredTabSize": "Taille des tabulations configurée",
+ "selectTabWidth": "Sélectionner la taille des tabulations pour le fichier actuel",
+ "indentUsingTabs": "Mettre en retrait avec des tabulations",
+ "indentUsingSpaces": "Mettre en retrait avec des espaces",
+ "detectIndentation": "Détecter la mise en retrait à partir du contenu",
+ "editor.reindentlines": "Remettre en retrait les lignes",
+ "editor.reindentselectedlines": "Réindenter les lignes sélectionnées"
+ },
+ "vs/editor/contrib/inPlaceReplace/inPlaceReplace": {
+ "InPlaceReplaceAction.previous.label": "Remplacer par la valeur précédente",
+ "InPlaceReplaceAction.next.label": "Remplacer par la valeur suivante"
+ },
+ "vs/editor/contrib/linesOperations/linesOperations": {
+ "lines.copyUp": "Copier la ligne en haut",
+ "miCopyLinesUp": "&&Copier la ligne en haut",
+ "lines.copyDown": "Copier la ligne en bas",
+ "miCopyLinesDown": "Co&&pier la ligne en bas",
+ "duplicateSelection": "Dupliquer la sélection",
+ "miDuplicateSelection": "&&Dupliquer la sélection",
+ "lines.moveUp": "Déplacer la ligne vers le haut",
+ "miMoveLinesUp": "Déplacer la ligne &&vers le haut",
+ "lines.moveDown": "Déplacer la ligne vers le bas",
+ "miMoveLinesDown": "Déplacer la &&ligne vers le bas",
+ "lines.sortAscending": "Trier les lignes dans l'ordre croissant",
+ "lines.sortDescending": "Trier les lignes dans l'ordre décroissant",
+ "lines.trimTrailingWhitespace": "Découper l'espace blanc de fin",
+ "lines.delete": "Supprimer la ligne",
+ "lines.indent": "Mettre en retrait la ligne",
+ "lines.outdent": "Ajouter un retrait négatif à la ligne",
+ "lines.insertBefore": "Insérer une ligne au-dessus",
+ "lines.insertAfter": "Insérer une ligne sous",
+ "lines.deleteAllLeft": "Supprimer tout ce qui est à gauche",
+ "lines.deleteAllRight": "Supprimer tout ce qui est à droite",
+ "lines.joinLines": "Joindre les lignes",
+ "editor.transpose": "Transposer les caractères autour du curseur",
+ "editor.transformToUppercase": "Transformer en majuscule",
+ "editor.transformToLowercase": "Transformer en minuscule",
+ "editor.transformToTitlecase": "Appliquer la casse \"1re lettre des mots en majuscule\""
+ },
+ "vs/editor/contrib/linkedEditing/linkedEditing": {
+ "linkedEditing.label": "Démarrer la modification liée",
+ "editorLinkedEditingBackground": "Couleur d'arrière-plan quand l'éditeur renomme automatiquement le type."
+ },
+ "vs/editor/contrib/links/links": {
+ "links.navigate.executeCmd": "Exécuter la commande",
+ "links.navigate.follow": "suivre le lien",
+ "links.navigate.kb.meta.mac": "cmd + clic",
+ "links.navigate.kb.meta": "ctrl + clic",
+ "links.navigate.kb.alt.mac": "option + clic",
+ "links.navigate.kb.alt": "alt + clic",
+ "tooltip.explanation": "Exécuter la commande {0}",
+ "invalid.url": "Échec de l'ouverture de ce lien, car il n'est pas bien formé : {0}",
+ "missing.url": "Échec de l'ouverture de ce lien, car sa cible est manquante.",
+ "label": "Ouvrir le lien"
+ },
+ "vs/editor/contrib/multicursor/multicursor": {
+ "mutlicursor.insertAbove": "Ajouter un curseur au-dessus",
+ "miInsertCursorAbove": "&&Ajouter un curseur au-dessus",
+ "mutlicursor.insertBelow": "Ajouter un curseur en dessous",
+ "miInsertCursorBelow": "Aj&&outer un curseur en dessous",
+ "mutlicursor.insertAtEndOfEachLineSelected": "Ajouter des curseurs à la fin des lignes",
+ "miInsertCursorAtEndOfEachLineSelected": "Ajouter des c&&urseurs à la fin des lignes",
+ "mutlicursor.addCursorsToBottom": "Ajouter des curseurs en bas",
+ "mutlicursor.addCursorsToTop": "Ajouter des curseurs en haut",
+ "addSelectionToNextFindMatch": "Ajouter la sélection à la correspondance de recherche suivante",
+ "miAddSelectionToNextFindMatch": "Ajouter l'occurrence suiva&&nte",
+ "addSelectionToPreviousFindMatch": "Ajouter la sélection à la correspondance de recherche précédente",
+ "miAddSelectionToPreviousFindMatch": "Ajouter l'occurrence p&&récédente",
+ "moveSelectionToNextFindMatch": "Déplacer la dernière sélection vers la correspondance de recherche suivante",
+ "moveSelectionToPreviousFindMatch": "Déplacer la dernière sélection à la correspondance de recherche précédente",
+ "selectAllOccurrencesOfFindMatch": "Sélectionner toutes les occurrences des correspondances de la recherche",
+ "miSelectHighlights": "Sélectionner toutes les &&occurrences",
+ "changeAll.label": "Modifier toutes les occurrences"
+ },
+ "vs/editor/contrib/parameterHints/parameterHints": {
+ "parameterHints.trigger.label": "Indicateurs des paramètres Trigger"
+ },
+ "vs/editor/contrib/rename/rename": {
+ "no result": "Aucun résultat.",
+ "resolveRenameLocationFailed": "Une erreur inconnue s'est produite lors de la résolution de l'emplacement de renommage",
+ "label": "Renommage de '{0}'",
+ "quotableLabel": "Changement du nom de {0}",
+ "aria": "'{0}' renommé en '{1}'. Récapitulatif : {2}",
+ "rename.failedApply": "Le renommage n'a pas pu appliquer les modifications",
+ "rename.failed": "Le renommage n'a pas pu calculer les modifications",
+ "rename.label": "Renommer le symbole",
+ "enablePreview": "Activer/désactiver la possibilité d'afficher un aperçu des changements avant le renommage"
+ },
+ "vs/editor/contrib/smartSelect/smartSelect": {
+ "smartSelect.expand": "Étendre la sélection",
+ "miSmartSelectGrow": "Dév&&elopper la sélection",
+ "smartSelect.shrink": "Réduire la sélection",
+ "miSmartSelectShrink": "&&Réduire la sélection"
+ },
+ "vs/editor/contrib/suggest/suggestController": {
+ "aria.alert.snippet": "L'acceptation de '{0}' a entraîné {1} modifications supplémentaires",
+ "suggest.trigger.label": "Suggestions pour Trigger",
+ "accept.insert": "Insérer",
+ "accept.replace": "Remplacer",
+ "detail.more": "afficher moins",
+ "detail.less": "afficher plus",
+ "suggest.reset.label": "Réinitialiser la taille du widget de suggestion"
+ },
+ "vs/editor/contrib/tokenization/tokenization": {
+ "forceRetokenize": "Développeur : forcer la retokenisation"
+ },
+ "vs/editor/contrib/toggleTabFocusMode/toggleTabFocusMode": {
+ "toggle.tabMovesFocus": "Activer/désactiver l'utilisation de la touche Tab pour déplacer le focus",
+ "toggle.tabMovesFocus.on": "Appuyer sur Tab déplacera le focus vers le prochain élément pouvant être désigné comme élément actif",
+ "toggle.tabMovesFocus.off": "Appuyer sur Tab insérera le caractère de tabulation"
+ },
+ "vs/editor/contrib/unusualLineTerminators/unusualLineTerminators": {
+ "unusualLineTerminators.title": "Marques de fin de ligne inhabituelles",
+ "unusualLineTerminators.message": "Marques de fin de ligne inhabituelles détectées",
+ "unusualLineTerminators.detail": "Ce fichier contient un ou plusieurs caractères de fin de ligne inhabituels, par exemple le séparateur de ligne (LS) ou le séparateur de paragraphe (PS).\r\n\r\nIl est recommandé de les supprimer du fichier. Vous pouvez le configurer via 'editor.unusualLineTerminators'.",
+ "unusualLineTerminators.fix": "Corriger ce fichier",
+ "unusualLineTerminators.ignore": "Ignorer le problème pour ce fichier"
+ },
+ "vs/editor/contrib/wordHighlighter/wordHighlighter": {
+ "wordHighlight": "Couleur d'arrière-plan d'un symbole pendant l'accès en lecture, comme la lecture d'une variable. La couleur ne doit pas être opaque pour ne pas masquer les ornements sous-jacents.",
+ "wordHighlightStrong": "Couleur d'arrière-plan d'un symbole pendant l'accès en écriture, comme l'écriture d'une variable. La couleur ne doit pas être opaque pour ne pas masquer les ornements sous-jacents.",
+ "wordHighlightBorder": "Couleur de bordure d'un symbole durant l'accès en lecture, par exemple la lecture d'une variable.",
+ "wordHighlightStrongBorder": "Couleur de bordure d'un symbole durant l'accès en écriture, par exemple l'écriture dans une variable.",
+ "overviewRulerWordHighlightForeground": "Couleur de marqueur de la règle d'aperçu pour la mise en surbrillance des symboles. La couleur ne doit pas être opaque pour ne pas masquer les ornements sous-jacents.",
+ "overviewRulerWordHighlightStrongForeground": "Couleur de marqueur de la règle d'aperçu pour la mise en surbrillance des symboles d'accès en écriture. La couleur ne doit pas être opaque pour ne pas masquer les ornements sous-jacents.",
+ "wordHighlight.next.label": "Aller à la prochaine mise en évidence de symbole",
+ "wordHighlight.previous.label": "Aller à la mise en évidence de symbole précédente",
+ "wordHighlight.trigger.label": "Déclencher la mise en évidence de symbole"
+ },
+ "vs/editor/contrib/wordOperations/wordOperations": {
+ "deleteInsideWord": "Supprimer le mot"
+ },
+ "vs/editor/contrib/quickAccess/gotoLineQuickAccess": {
+ "cannotRunGotoLine": "Ouvrez d'abord un éditeur de texte pour accéder à une ligne.",
+ "gotoLineColumnLabel": "Allez à la ligne {0}, colonne {1}.",
+ "gotoLineLabel": "Accédez à la ligne {0}.",
+ "gotoLineLabelEmptyWithLimit": "Ligne actuelle : {0}, caractère : {1}. Tapez un numéro de ligne entre 1 et {2} auquel accéder.",
+ "gotoLineLabelEmpty": "Ligne actuelle : {0}, caractère : {1}. Tapez un numéro de ligne auquel accéder."
+ },
+ "vs/editor/contrib/peekView/peekView": {
+ "label.close": "Fermer",
+ "peekViewTitleBackground": "Couleur d'arrière-plan de la zone de titre de l'affichage d'aperçu.",
+ "peekViewTitleForeground": "Couleur du titre de l'affichage d'aperçu.",
+ "peekViewTitleInfoForeground": "Couleur des informations sur le titre de l'affichage d'aperçu.",
+ "peekViewBorder": "Couleur des bordures et de la flèche de l'affichage d'aperçu.",
+ "peekViewResultsBackground": "Couleur d'arrière-plan de la liste des résultats de l'affichage d'aperçu.",
+ "peekViewResultsMatchForeground": "Couleur de premier plan des noeuds de lignes dans la liste des résultats de l'affichage d'aperçu.",
+ "peekViewResultsFileForeground": "Couleur de premier plan des noeuds de fichiers dans la liste des résultats de l'affichage d'aperçu.",
+ "peekViewResultsSelectionBackground": "Couleur d'arrière-plan de l'entrée sélectionnée dans la liste des résultats de l'affichage d'aperçu.",
+ "peekViewResultsSelectionForeground": "Couleur de premier plan de l'entrée sélectionnée dans la liste des résultats de l'affichage d'aperçu.",
+ "peekViewEditorBackground": "Couleur d'arrière-plan de l'éditeur d'affichage d'aperçu.",
+ "peekViewEditorGutterBackground": "Couleur d'arrière-plan de la bordure de l'éditeur d'affichage d'aperçu.",
+ "peekViewResultsMatchHighlight": "Couleur de mise en surbrillance d'une correspondance dans la liste des résultats de l'affichage d'aperçu.",
+ "peekViewEditorMatchHighlight": "Couleur de mise en surbrillance d'une correspondance dans l'éditeur de l'affichage d'aperçu.",
+ "peekViewEditorMatchHighlightBorder": "Bordure de mise en surbrillance d'une correspondance dans l'éditeur de l'affichage d'aperçu."
+ },
+ "vs/editor/contrib/codeAction/codeActionCommands": {
+ "args.schema.kind": "Type d'action de code à exécuter.",
+ "args.schema.apply": "Contrôle quand les actions retournées sont appliquées.",
+ "args.schema.apply.first": "Appliquez toujours la première action de code retournée.",
+ "args.schema.apply.ifSingle": "Appliquez la première action de code retournée si elle est la seule.",
+ "args.schema.apply.never": "N'appliquez pas les actions de code retournées.",
+ "args.schema.preferred": "Contrôle si seules les actions de code par défaut doivent être retournées.",
+ "applyCodeActionFailed": "Une erreur inconnue s'est produite à l'application de l'action du code",
+ "quickfix.trigger.label": "Correction rapide...",
+ "editor.action.quickFix.noneMessage": "Aucune action de code disponible",
+ "editor.action.codeAction.noneMessage.preferred.kind": "Aucune action de code préférée n'est disponible pour '{0}'",
+ "editor.action.codeAction.noneMessage.kind": "Aucune action de code disponible pour '{0}'",
+ "editor.action.codeAction.noneMessage.preferred": "Aucune action de code par défaut disponible",
+ "editor.action.codeAction.noneMessage": "Aucune action de code disponible",
+ "refactor.label": "Remanier...",
+ "editor.action.refactor.noneMessage.preferred.kind": "Aucune refactorisation par défaut disponible pour '{0}'",
+ "editor.action.refactor.noneMessage.kind": "Aucune refactorisation disponible pour '{0}'",
+ "editor.action.refactor.noneMessage.preferred": "Aucune refactorisation par défaut disponible",
+ "editor.action.refactor.noneMessage": "Aucune refactorisation disponible",
+ "source.label": "Action de la source",
+ "editor.action.source.noneMessage.preferred.kind": "Aucune action source par défaut disponible pour '{0}'",
+ "editor.action.source.noneMessage.kind": "Aucune action source disponible pour '{0}'",
+ "editor.action.source.noneMessage.preferred": "Aucune action source par défaut disponible",
+ "editor.action.source.noneMessage": "Aucune action n'est disponible",
+ "organizeImports.label": "Organiser les importations",
+ "editor.action.organize.noneMessage": "Aucune action organiser les imports disponible",
+ "fixAll.label": "Tout corriger",
+ "fixAll.noneMessage": "Aucune action Tout corriger disponible",
+ "autoFix.label": "Corriger automatiquement...",
+ "editor.action.autoFix.noneMessage": "Aucun correctif automatique disponible"
+ },
+ "vs/editor/contrib/find/findWidget": {
+ "findSelectionIcon": "Icône de l'option Rechercher dans la sélection dans le widget de recherche de l'éditeur.",
+ "findCollapsedIcon": "Icône permettant d'indiquer que le widget de recherche de l'éditeur est réduit.",
+ "findExpandedIcon": "Icône permettant d'indiquer que le widget de recherche de l'éditeur est développé.",
+ "findReplaceIcon": "Icône de l'option Remplacer dans le widget de recherche de l'éditeur.",
+ "findReplaceAllIcon": "Icône de l'option Tout remplacer dans le widget de recherche de l'éditeur.",
+ "findPreviousMatchIcon": "Icône de l'option Rechercher précédent dans le widget de recherche de l'éditeur.",
+ "findNextMatchIcon": "Icône de l'option Rechercher suivant dans le widget de recherche de l'éditeur.",
+ "label.find": "Rechercher",
+ "placeholder.find": "Rechercher",
+ "label.previousMatchButton": "Correspondance précédente",
+ "label.nextMatchButton": "Prochaine correspondance",
+ "label.toggleSelectionFind": "Rechercher dans la sélection",
+ "label.closeButton": "Fermer",
+ "label.replace": "Remplacer",
+ "placeholder.replace": "Remplacer",
+ "label.replaceButton": "Remplacer",
+ "label.replaceAllButton": "Tout remplacer",
+ "label.toggleReplaceButton": "Changer le mode de remplacement",
+ "title.matchesCountLimit": "Seuls les {0} premiers résultats sont mis en évidence, mais toutes les opérations de recherche fonctionnent sur l’ensemble du texte.",
+ "label.matchesLocation": "{0} sur {1}",
+ "label.noResults": "Aucun résultat",
+ "ariaSearchNoResultEmpty": "{0} trouvé(s)",
+ "ariaSearchNoResult": "{0} trouvé pour '{1}'",
+ "ariaSearchNoResultWithLineNum": "{0} trouvé pour '{1}', sur {2}",
+ "ariaSearchNoResultWithLineNumNoCurrentMatch": "{0} trouvé pour '{1}'",
+ "ctrlEnter.keybindingChanged": "La combinaison Ctrl+Entrée permet désormais d'ajouter un saut de ligne au lieu de tout remplacer. Vous pouvez modifier le raccourci clavier de editor.action.replaceAll pour redéfinir le comportement."
+ },
+ "vs/editor/contrib/folding/foldingDecorations": {
+ "foldingExpandedIcon": "Icône des plages développées dans la marge de glyphes de l'éditeur.",
+ "foldingCollapsedIcon": "Icône des plages réduites dans la marge de glyphes de l'éditeur."
+ },
+ "vs/editor/contrib/format/format": {
+ "hint11": "1 modification de format effectuée à la ligne {0}",
+ "hintn1": "{0} modifications de format effectuées à la ligne {1}",
+ "hint1n": "1 modification de format effectuée entre les lignes {0} et {1}",
+ "hintnn": "{0} modifications de format effectuées entre les lignes {1} et {2}"
+ },
+ "vs/editor/contrib/message/messageController": {
+ "editor.readonly": "Impossible de modifier dans l’éditeur en lecture seule"
+ },
+ "vs/editor/contrib/gotoSymbol/peek/referencesController": {
+ "labelLoading": "Chargement en cours...",
+ "metaTitle.N": "{0} ({1})"
+ },
+ "vs/editor/contrib/gotoSymbol/referencesModel": {
+ "aria.oneReference": "symbole dans {0} sur la ligne {1}, colonne {2}",
+ "aria.oneReference.preview": "symbole dans {0} à la ligne {1}, colonne {2}, {3}",
+ "aria.fileReferences.1": "1 symbole dans {0}, chemin complet {1}",
+ "aria.fileReferences.N": "{0} symboles dans {1}, chemin complet {2}",
+ "aria.result.0": "Résultats introuvables",
+ "aria.result.1": "1 symbole dans {0}",
+ "aria.result.n1": "{0} symboles dans {1}",
+ "aria.result.nm": "{0} symboles dans {1} fichiers"
+ },
+ "vs/editor/contrib/gotoSymbol/symbolNavigation": {
+ "location.kb": "Symbole {0} sur {1}, {2} pour le suivant",
+ "location": "Symbole {0} sur {1}"
+ },
+ "vs/editor/contrib/hover/modesContentHover": {
+ "modesContentHover.loading": "Chargement en cours...",
+ "peek problem": "Aperçu du problème",
+ "noQuickFixes": "Aucune solution disponible dans l'immédiat",
+ "checkingForQuickFixes": "Recherche de correctifs rapides...",
+ "quick fixes": "Correction rapide..."
+ },
+ "vs/editor/contrib/gotoError/gotoErrorWidget": {
+ "Error": "Erreur",
+ "Warning": "Avertissement",
+ "Info": "Info",
+ "Hint": "Conseil",
+ "marker aria": "{0} à {1}. ",
+ "problems": "{0} problèmes sur {1}",
+ "change": "{0} problème(s) sur {1}",
+ "editorMarkerNavigationError": "Couleur d'erreur du widget de navigation dans les marqueurs de l'éditeur.",
+ "editorMarkerNavigationWarning": "Couleur d'avertissement du widget de navigation dans les marqueurs de l'éditeur.",
+ "editorMarkerNavigationInfo": "Couleur d’information du widget de navigation du marqueur de l'éditeur.",
+ "editorMarkerNavigationBackground": "Arrière-plan du widget de navigation dans les marqueurs de l'éditeur."
+ },
+ "vs/editor/contrib/parameterHints/parameterHintsWidget": {
+ "parameterHintsNextIcon": "Icône d'affichage du prochain conseil de paramètre.",
+ "parameterHintsPreviousIcon": "Icône d'affichage du précédent conseil de paramètre.",
+ "hint": "{0}, conseil"
+ },
+ "vs/editor/contrib/rename/renameInputField": {
+ "renameAriaLabel": "Renommez l'entrée. Tapez le nouveau nom et appuyez sur Entrée pour valider.",
+ "label": "{0} pour renommer, {1} pour afficher un aperçu"
+ },
+ "vs/editor/contrib/suggest/suggestWidget": {
+ "editorSuggestWidgetBackground": "Couleur d'arrière-plan du widget de suggestion.",
+ "editorSuggestWidgetBorder": "Couleur de bordure du widget de suggestion.",
+ "editorSuggestWidgetForeground": "Couleur de premier plan du widget de suggestion.",
+ "editorSuggestWidgetSelectedBackground": "Couleur d'arrière-plan de l'entrée sélectionnée dans le widget de suggestion.",
+ "editorSuggestWidgetHighlightForeground": "Couleur de la surbrillance des correspondances dans le widget de suggestion.",
+ "suggestWidget.loading": "Chargement en cours...",
+ "suggestWidget.noSuggestions": "Pas de suggestions.",
+ "ariaCurrenttSuggestionReadDetails": "{0}, documents : {1}",
+ "suggest": "Suggérer"
+ },
+ "vs/editor/contrib/quickAccess/gotoSymbolQuickAccess": {
+ "cannotRunGotoSymbolWithoutEditor": "Pour accéder à un symbole, ouvrez d'abord un éditeur de texte avec des informations de symbole.",
+ "cannotRunGotoSymbolWithoutSymbolProvider": "L'éditeur de texte actif ne fournit pas les informations de symbole.",
+ "noMatchingSymbolResults": "Aucun symbole d'éditeur correspondant",
+ "noSymbolResults": "Aucun symbole d'éditeur",
+ "openToSide": "Ouvrir sur le côté",
+ "openToBottom": "Ouvrir en bas",
+ "symbols": "symboles ({0})",
+ "property": "propriétés ({0})",
+ "method": "méthodes ({0})",
+ "function": "fonctions ({0})",
+ "_constructor": "constructeurs ({0})",
+ "variable": "variables ({0})",
+ "class": "classes ({0})",
+ "struct": "structs ({0})",
+ "event": "événements ({0})",
+ "operator": "opérateurs ({0})",
+ "interface": "interfaces ({0})",
+ "namespace": "espaces de noms ({0})",
+ "package": "packages ({0})",
+ "typeParameter": "paramètres de type ({0})",
+ "modules": "modules ({0})",
+ "enum": "énumérations ({0})",
+ "enumMember": "membres d'énumération ({0})",
+ "string": "chaînes ({0})",
+ "file": "fichiers ({0})",
+ "array": "tableaux ({0})",
+ "number": "nombres ({0})",
+ "boolean": "booléens ({0})",
+ "object": "objets ({0})",
+ "key": "clés ({0})",
+ "field": "champs ({0})",
+ "constant": "constantes ({0})"
+ },
+ "vs/editor/contrib/snippet/snippetVariables": {
+ "Sunday": "Dimanche",
+ "Monday": "Lundi",
+ "Tuesday": "Mardi",
+ "Wednesday": "Mercredi",
+ "Thursday": "Jeudi",
+ "Friday": "Vendredi",
+ "Saturday": "Samedi",
+ "SundayShort": "Dim",
+ "MondayShort": "Lun",
+ "TuesdayShort": "Mar",
+ "WednesdayShort": "Mer",
+ "ThursdayShort": "Jeu",
+ "FridayShort": "Ven",
+ "SaturdayShort": "Sam",
+ "January": "Janvier",
+ "February": "Février",
+ "March": "Mars",
+ "April": "Avril",
+ "May": "Mai",
+ "June": "Juin",
+ "July": "Juillet",
+ "August": "Août",
+ "September": "Septembre",
+ "October": "Octobre",
+ "November": "Novembre",
+ "December": "Décembre",
+ "JanuaryShort": "Jan",
+ "FebruaryShort": "Fév",
+ "MarchShort": "Mar",
+ "AprilShort": "Avr",
+ "MayShort": "Mai",
+ "JuneShort": "Juin",
+ "JulyShort": "Jul",
+ "AugustShort": "Aoû",
+ "SeptemberShort": "Sept",
+ "OctoberShort": "Oct",
+ "NovemberShort": "Nov",
+ "DecemberShort": "Déc"
+ },
+ "vs/editor/contrib/documentSymbols/outlineTree": {
+ "title.template": "{0} ({1})",
+ "1.problem": "1 problème dans cet élément",
+ "N.problem": "{0} problèmes dans cet élément",
+ "deep.problem": "Contient des éléments avec des problèmes",
+ "Array": "tableau",
+ "Boolean": "booléen",
+ "Class": "classe",
+ "Constant": "constante",
+ "Constructor": "constructeur",
+ "Enum": "énumération",
+ "EnumMember": "membre d'énumération",
+ "Event": "événement",
+ "Field": "champ",
+ "File": "fichier",
+ "Function": "fonction",
+ "Interface": "interface",
+ "Key": "clé",
+ "Method": "méthode",
+ "Module": "module",
+ "Namespace": "espace de noms",
+ "Null": "NULL",
+ "Number": "nombre",
+ "Object": "objet",
+ "Operator": "opérateur",
+ "Package": "package",
+ "Property": "propriété",
+ "String": "chaîne",
+ "Struct": "struct",
+ "TypeParameter": "paramètre de type",
+ "Variable": "variable",
+ "symbolIcon.arrayForeground": "Couleur de premier plan des symboles de tableau. Ces symboles apparaissent dans le plan, la barre de navigation et le widget de suggestion.",
+ "symbolIcon.booleanForeground": "Couleur de premier plan des symboles booléens. Ces symboles apparaissent dans le plan, la barre de navigation et le widget de suggestion.",
+ "symbolIcon.classForeground": "Couleur de premier plan des symboles de classe. Ces symboles apparaissent dans le plan, la barre de navigation et le widget de suggestion.",
+ "symbolIcon.colorForeground": "Couleur de premier plan des symboles de couleur. Ces symboles apparaissent dans le plan, la barre de navigation et le widget de suggestion.",
+ "symbolIcon.constantForeground": "Couleur de premier plan pour les symboles de constante. Ces symboles apparaissent dans le plan, la barre de navigation et le widget de suggestion.",
+ "symbolIcon.constructorForeground": "Couleur de premier plan des symboles de constructeur. Ces symboles apparaissent dans le plan, la barre de navigation et le widget de suggestion.",
+ "symbolIcon.enumeratorForeground": "Couleur de premier plan des symboles d'énumérateur. Ces symboles apparaissent dans le plan, la barre de navigation et le widget de suggestion.",
+ "symbolIcon.enumeratorMemberForeground": "Couleur de premier plan des symboles de membre d'énumérateur. Ces symboles apparaissent dans le plan, la barre de navigation et le widget de suggestion.",
+ "symbolIcon.eventForeground": "Couleur de premier plan des symboles d'événement. Ces symboles apparaissent dans le plan, la barre de navigation et le widget de suggestion.",
+ "symbolIcon.fieldForeground": "Couleur de premier plan des symboles de champ. Ces symboles apparaissent dans le plan, la barre de navigation et le widget de suggestion.",
+ "symbolIcon.fileForeground": "Couleur de premier plan des symboles de fichier. Ces symboles apparaissent dans le plan, la barre de navigation et le widget de suggestion.",
+ "symbolIcon.folderForeground": "Couleur de premier plan des symboles de dossier. Ces symboles apparaissent dans le plan, la barre de navigation et le widget de suggestion.",
+ "symbolIcon.functionForeground": "Couleur de premier plan des symboles de fonction. Ces symboles apparaissent dans le plan, la barre de navigation et le widget de suggestion.",
+ "symbolIcon.interfaceForeground": "Couleur de premier plan des symboles d'interface. Ces symboles apparaissent dans le plan, la barre de navigation et le widget de suggestion.",
+ "symbolIcon.keyForeground": "Couleur de premier plan des symboles de clé. Ces symboles apparaissent dans le plan, la barre de navigation et le widget de suggestion.",
+ "symbolIcon.keywordForeground": "Couleur de premier plan des symboles de mot clé. Ces symboles apparaissent dans le plan, la barre de navigation et le widget de suggestion.",
+ "symbolIcon.methodForeground": "Couleur de premier plan des symboles de méthode. Ces symboles apparaissent dans le plan, la barre de navigation et le widget de suggestion.",
+ "symbolIcon.moduleForeground": "Couleur de premier plan des symboles de module. Ces symboles apparaissent dans le plan, la barre de navigation et le widget de suggestion.",
+ "symbolIcon.namespaceForeground": "Couleur de premier plan des symboles d'espace de noms. Ces symboles apparaissent dans le plan, la barre de navigation et le widget de suggestion.",
+ "symbolIcon.nullForeground": "Couleur de premier plan des symboles null. Ces symboles apparaissent dans le plan, la barre de navigation et le widget de suggestion.",
+ "symbolIcon.numberForeground": "Couleur de premier plan des symboles de nombre. Ces symboles apparaissent dans le plan, la barre de navigation et le widget de suggestion.",
+ "symbolIcon.objectForeground": "Couleur de premier plan des symboles d'objet. Ces symboles apparaissent dans le plan, la barre de navigation et le widget de suggestion.",
+ "symbolIcon.operatorForeground": "Couleur de premier plan des symboles d'opérateur. Ces symboles apparaissent dans le plan, la barre de navigation et le widget de suggestion.",
+ "symbolIcon.packageForeground": "Couleur de premier plan des symboles de package. Ces symboles apparaissent dans le plan, la barre de navigation et le widget de suggestion.",
+ "symbolIcon.propertyForeground": "Couleur de premier plan des symboles de propriété. Ces symboles apparaissent dans le plan, la barre de navigation et le widget de suggestion.",
+ "symbolIcon.referenceForeground": "Couleur de premier plan des symboles de référence. Ces symboles apparaissent dans le plan, la barre de navigation et le widget de suggestion.",
+ "symbolIcon.snippetForeground": "Couleur de premier plan des symboles d'extrait de code. Ces symboles apparaissent dans le plan, la barre de navigation et le widget de suggestion.",
+ "symbolIcon.stringForeground": "Couleur de premier plan des symboles de chaîne. Ces symboles apparaissent dans le plan, la barre de navigation et le widget de suggestion.",
+ "symbolIcon.structForeground": "Couleur de premier plan des symboles de struct. Ces symboles apparaissent dans le plan, la barre de navigation et le widget de suggestion.",
+ "symbolIcon.textForeground": "Couleur de premier plan des symboles de texte. Ces symboles apparaissent dans le plan, la barre de navigation et le widget de suggestion.",
+ "symbolIcon.typeParameterForeground": "Couleur de premier plan des symboles de paramètre de type. Ces symboles apparaissent dans le plan, la barre de navigation et le widget de suggestion.",
+ "symbolIcon.unitForeground": "Couleur de premier plan des symboles d'unité. Ces symboles apparaissent dans le plan, la barre de navigation et le widget de suggestion.",
+ "symbolIcon.variableForeground": "Couleur de premier plan des symboles de variable. Ces symboles apparaissent dans le plan, la barre de navigation et le widget de suggestion."
+ },
+ "vs/editor/contrib/gotoSymbol/peek/referencesWidget": {
+ "missingPreviewMessage": "aperçu non disponible",
+ "noResults": "Aucun résultat",
+ "peekView.alternateTitle": "Références"
+ },
+ "vs/editor/contrib/suggest/suggestWidgetDetails": {
+ "details.close": "Fermer",
+ "loading": "Chargement en cours..."
+ },
+ "vs/editor/contrib/suggest/suggestWidgetStatus": {
+ "ddd": "{0} ({1})"
+ },
+ "vs/editor/contrib/suggest/suggestWidgetRenderer": {
+ "suggestMoreInfoIcon": "Icône d'affichage d'informations supplémentaires dans le widget de suggestion.",
+ "readMore": "Lire la suite"
+ },
+ "vs/editor/contrib/codeAction/lightBulbWidget": {
+ "prefferedQuickFixWithKb": "Affichez les corrections. Correction préférée disponible ({0})",
+ "quickFixWithKb": "Afficher les correctifs ({0})",
+ "quickFix": "Afficher les correctifs"
+ },
+ "vs/editor/contrib/gotoSymbol/peek/referencesTree": {
+ "referencesCount": "{0} références",
+ "referenceCount": "{0} référence",
+ "treeAriaLabel": "Références"
+ },
+ "vs/platform/environment/node/argvHelper": {
+ "unknownOption": "Avertissement : '{0}' n'est pas dans la liste des options connues, mais est quand même transféré à Electron/Chromium.",
+ "multipleValues": "L'option '{0}' est définie plusieurs fois. Utilisation de la valeur '{1}'.",
+ "gotoValidation": "Les arguments en mode '--goto' doivent être au format 'FILE(:LINE(:CHARACTER))'."
+ },
+ "vs/platform/request/common/request": {
+ "httpConfigurationTitle": "HTTP",
+ "proxy": "Paramètre proxy à utiliser. S'il n'est pas défini, il est hérité des variables d'environnement 'http_proxy' et 'https_proxy'.",
+ "strictSSL": "Spécifie si le certificat de serveur proxy doit être vérifié par rapport à la liste des autorités de certification fournies.",
+ "proxyAuthorization": "Valeur à envoyer comme en-tête 'Proxy-Authorization' pour chaque demande de réseau.",
+ "proxySupportOff": "Désactivez la prise en charge de proxy pour les extensions.",
+ "proxySupportOn": "Activez la prise en charge de proxy pour les extensions.",
+ "proxySupportOverride": "Activer le support de proxy pour les extensions, remplacer les options de demande.",
+ "proxySupport": "Utilisez la prise en charge du proxy pour les extensions.",
+ "systemCertificates": "Contrôle si les certificats d'autorité de certification doivent être chargés à partir de l'OS. (Sous Windows et macOS vous devez recharger la fenêtre après désactivation de ce paramètre.)"
+ },
+ "vs/platform/files/common/fileService": {
+ "invalidPath": "Impossible de résoudre le fournisseur de système de fichiers avec le chemin de fichier relatif '{0}'",
+ "noProviderFound": "Aucun fournisseur de système de fichiers pour la ressource '{0}'",
+ "fileNotFoundError": "Impossible de résoudre le fichier non existant '{0}'",
+ "fileExists": "Impossible de créer le fichier '{0}' (qui existe déjà) quand l'indicateur de remplacement n'est pas défini",
+ "err.write": "Impossible d'écrire le fichier '{0}' ({1})",
+ "fileIsDirectoryWriteError": "Impossible d'écrire le fichier '{0}', car il s'agit d'un répertoire",
+ "fileModifiedError": "Fichier modifié depuis",
+ "err.read": "Impossible de lire le fichier '{0}' ({1})",
+ "fileIsDirectoryReadError": "Impossible de lire le fichier '{0}', car il s'agit d'un répertoire",
+ "fileNotModifiedError": "Fichier non modifié depuis",
+ "fileTooLargeError": "Impossible de lire le fichier '{0}', car il est trop volumineux pour être ouvert",
+ "unableToMoveCopyError1": "Copie impossible quand la source '{0}' est identique à la cible '{1}' avec une casse de chemin différente sur un système de fichiers qui ne respecte pas la casse",
+ "unableToMoveCopyError2": "Déplacement/copie impossible quand la source '{0}' est le parent de la cible '{1}'.",
+ "unableToMoveCopyError3": "Impossible de déplacer/copier '{0}' parce que la cible '{1}' existe déjà dans la destination.",
+ "unableToMoveCopyError4": "Impossible de déplacer/copier '{0}' dans '{1}', car un fichier ne peut pas remplacer le dossier qui le contient.",
+ "mkdirExistsError": "Impossible de créer le dossier '{0}', car il existe mais n'est pas un répertoire",
+ "deleteFailedTrashUnsupported": "Impossible de supprimer le fichier '{0}' dans la corbeille parce que le fournisseur ne prend pas en charge cette opération.",
+ "deleteFailedNotFound": "Impossible de supprimer le fichier non existant '{0}'",
+ "deleteFailedNonEmptyFolder": "Impossible de supprimer le dossier non vide '{0}'.",
+ "err.readonly": "Impossible de modifier le fichier en lecture seule '{0}'"
+ },
+ "vs/platform/files/node/diskFileSystemProvider": {
+ "fileExists": "Le fichier existe déjà",
+ "fileNotExists": "Le fichier n'existe pas",
+ "moveError": "Impossible de déplacer '{0}' dans '{1}' ({2}).",
+ "copyError": "Impossible de copier '{0}' dans '{1}' ({2}).",
+ "fileCopyErrorPathCase": "'Impossible de copier le fichier dans le même chemin avec une casse de chemin différente",
+ "fileCopyErrorExists": "Le fichier existe déjà dans la cible"
+ },
+ "vs/platform/files/common/files": {
+ "unknownError": "Erreur inconnue",
+ "sizeB": "{0} o",
+ "sizeKB": "{0} Ko",
+ "sizeMB": "{0} Mo",
+ "sizeGB": "{0} Go",
+ "sizeTB": "{0} To"
+ },
+ "vs/platform/update/common/update.config.contribution": {
+ "updateConfigurationTitle": "Mettre à jour",
+ "updateMode": "Choisissez si vous voulez recevoir des mises à jour automatiques. Nécessite un redémarrage après le changement. Les mises à jour sont récupérées auprès d'un service en ligne Microsoft.",
+ "none": "Désactivez les mises à jour.",
+ "manual": "Désactivez la recherche de mises à jour automatique en arrière-plan. Les mises à jour sont disponibles si vous les rechercher manuellement.",
+ "start": "Vérifiez les mises à jour uniquement au démarrage. Désactivez les vérifications de mises à jour d'arrière-plan automatiques.",
+ "default": "Activez la recherche de mises à jour automatique pour que VS Code recherche les mises à jour automatiquement et régulièrement.",
+ "deprecated": "Ce paramètre est déprécié, utilisez '{0}' à la place.",
+ "enableWindowsBackgroundUpdatesTitle": "Activer les mises à jour en arrière-plan sur Windows",
+ "enableWindowsBackgroundUpdates": "Activer pour télécharger et installer les nouvelles versions de VS Code en arrière-plan sur Windows",
+ "showReleaseNotes": "Afficher les Notes de publication après une mise à jour. Les Notes de publication sont téléchargées depuis un service en ligne de Microsoft."
+ },
+ "vs/platform/environment/node/argv": {
+ "optionsUpperCase": "Options",
+ "extensionsManagement": "Gestion des extensions",
+ "troubleshooting": "Résolution des problèmes",
+ "diff": "Comparez deux fichiers entre eux.",
+ "add": "Ajoutez un ou plusieurs dossiers à la dernière fenêtre active.",
+ "goto": "Ouvrez un fichier dans le chemin, à la ligne et la position de caractère spécifiées.",
+ "newWindow": "Force l'ouverture d'une nouvelle fenêtre.",
+ "reuseWindow": "Forcez l'ouverture d'un fichier ou dossier dans une fenêtre déjà ouverte.",
+ "wait": "Attendre que les fichiers soient fermés avant de retourner.",
+ "locale": "Paramètres régionaux à utiliser (exemple : fr-FR ou en-US).",
+ "userDataDir": "Spécifie le répertoire de l’utilisateur dans lequel les données sont conservées. Peut être utilisé pour ouvrir plusieurs instances distinctes du Code.",
+ "help": "Affichez le mode d'utilisation.",
+ "extensionHomePath": "Définissez le chemin racine des extensions.",
+ "listExtensions": "Listez les extensions installées.",
+ "showVersions": "Affichez les versions des extensions installées, quand --list-extension est utilisé.",
+ "category": "Filtre les extensions installées par catégorie fournie --list-extension.",
+ "installExtension": "Installe ou met à jour l'extension. L'identificateur d'une extension est toujours '${publisher}.${name}'. Utilisez l'argument '--force' pour effectuer une mise à jour vers la dernière version. Pour installer une version spécifique, indiquez '@${version}'. Exemple : 'vscode.csharp@1.2.3'.",
+ "uninstallExtension": "Désinstalle une extension.",
+ "experimentalApis": "Active les fonctionnalités de l'API proposées pour les extensions. Peut recevoir un ou plusieurs ID d'extension pour les activer individuellement.",
+ "version": "Affichez la version.",
+ "verbose": "Affichez la sortie détaillée (implique --wait).",
+ "log": "Niveau de journalisation à utiliser. La valeur par défaut est 'info'. Les valeurs autorisées sont 'critical', 'error', 'warn', 'info', 'debug', 'trace', 'off.",
+ "status": "Imprimer l'utilisation de processus et l'information des diagnostics.",
+ "prof-startup": "Exécuter le profileur d'UC au démarrage",
+ "disableExtensions": "Désactivez toutes les extensions installées.",
+ "disableExtension": "Désactivez une extension.",
+ "turn sync": "Activer ou désactiver la synchronisation",
+ "inspect-extensions": "Permettre le débogage et le profilage d’extensions. Vérifier les outils de développement pour l'URI de connexion.",
+ "inspect-brk-extensions": "Permettre le débogage et le profilage d’extensions avec l’hôte de l’extension étant suspendu après le démarrage. Vérifier les outils de développement pour l'URI de connexion.",
+ "disableGPU": "Désactivez l'accélération matérielle du GPU.",
+ "maxMemory": "Taille mémoire maximale pour une fenêtre (En Megaoctêts)",
+ "telemetry": "Affiche tous les événements de télémétrie collectés par VS Code.",
+ "usage": "Utilisation",
+ "options": "options",
+ "paths": "chemins",
+ "stdinWindows": "Pour lire la sortie d’un autre programme, ajouter '-' (ex. 'echo Hello World | {0} -')",
+ "stdinUnix": "Pour lire depuis stdin, ajouter '-' (ex. 'ps aux | grep code | {0} -')",
+ "unknownVersion": "Version inconnue",
+ "unknownCommit": "Validation inconnue"
+ },
+ "vs/platform/extensionManagement/common/extensionManagement": {
+ "extensions": "Extensions",
+ "preferences": "Préférences"
+ },
+ "vs/platform/extensionManagement/node/extensionManagementService": {
+ "incompatible": "Impossible d'installer l'extension '{0}', car elle n'est pas compatible avec VS Code '{1}'.",
+ "restartCode": "Redémarrez VS Code avant de réinstaller {0}.",
+ "MarketPlaceDisabled": "La Place de marché n’est pas activée",
+ "malicious extension": "Impossible d’installer l'extension car elle a été signalée comme problématique.",
+ "notFoundCompatibleDependency": "Impossible d'installer l'extension '{0}', car elle n'est pas compatible avec la version actuelle de VS Code (version {1}).",
+ "Not a Marketplace extension": "Seules les extensions de la Place de marché peuvent être réinstallées",
+ "removeError": "Erreur lors de la suppression de l’extension : {0}. Veuillez quitter et relancer VS Code avant de réessayer.",
+ "quitCode": "Impossible d’installer l’extension. Veuillez s’il vous plaît quitter et redémarrer VS Code avant de le réinstaller.",
+ "exitCode": "Impossible d’installer l’extension. Veuillez s’il vous plaît sortir et redémarrer VS Code avant de le réinstaller.",
+ "notInstalled": "L'extension '{0}' n'est pas installée.",
+ "singleDependentError": "Impossible de désinstaller l'extension '{0}'. L'extension '{1}' en dépend.",
+ "twoDependentsError": "Impossible de désinstaller l'extension '{0}'. Les extensions '{1}' et '{2}' en dépendent.",
+ "multipleDependentsError": "Impossible de désinstaller l'extension '{0}'. '{1}', '{2}' et d'autres extensions en dépendent.",
+ "singleIndirectDependentError": "Impossible de désinstaller l'extension '{0}'. Cela inclut la désinstallation de l'extension '{1}' mais l'extension '{2}' en dépend.",
+ "twoIndirectDependentsError": "Impossible de désinstaller l'extension '{0}'. Cela inclut la désinstallation de l'extension '{1}' mais les extensions '{2}' et '{3}' en dépendent.",
+ "multipleIndirectDependentsError": "Impossible de désinstaller l'extension '{0}'. Cela inclut la désinstallation de l'extension '{1}' mais '{2}', '{3}' et d'autres extensions en dépendent.",
+ "notExists": "Extension introuvable"
+ },
+ "vs/platform/telemetry/common/telemetryService": {
+ "telemetryConfigurationTitle": "Télémétrie",
+ "telemetry.enableTelemetry": "Activer l'envoi de données d'utilisation et d'erreurs aux services en ligne Microsoft",
+ "telemetry.enableTelemetryMd": "Activez l'envoi de données d'utilisation et d'erreurs aux services en ligne Microsoft. Lisez notre déclaration de confidentialité [ici]({0})."
+ },
+ "vs/platform/extensionManagement/node/extensionManagementUtil": {
+ "invalidManifest": "VSIX non valide : package.json n'est pas un fichier JSON."
+ },
+ "vs/platform/userDataSync/common/userDataSync": {
+ "settings sync": "Synchronisation des paramètres",
+ "settingsSync.keybindingsPerPlatform": "Synchronisez les combinaisons de touches pour chaque plateforme.",
+ "sync.keybindingsPerPlatform.deprecated": "Déprécié, utilisez settingsSync.keybindingsPerPlatform à la place",
+ "settingsSync.ignoredExtensions": "Liste des extensions à ignorer lors de la synchronisation. L'identificateur d'une extension est toujours '${publisher}.${name}'. Par exemple : 'vscode.csharp'.",
+ "app.extension.identifier.errorMessage": "Format attendu : '${publisher}.${name}'. Exemple : 'vscode.csharp'.",
+ "sync.ignoredExtensions.deprecated": "Déprécié, utilisez settingsSync.ignoredExtensions à la place",
+ "settingsSync.ignoredSettings": "Configurez les paramètres à ignorer pendant la synchronisation.",
+ "sync.ignoredSettings.deprecated": "Déprécié, utilisez settingsSync.ignoredSettings à la place"
+ },
+ "vs/platform/extensionManagement/electron-sandbox/extensionTipsService": {
+ "exeRecommended": "{0} est installé sur votre système. Voulez-vous installer les extensions recommandées correspondantes ?"
+ },
+ "vs/platform/userDataSync/common/userDataSyncMachines": {
+ "error incompatible": "Impossible de lire les données des machines, car la version actuelle est incompatible. Mettez à jour {0}, puis réessayez."
+ },
+ "vs/platform/userDataSync/common/userDataAutoSyncService": {
+ "default service changed": "Synchronisation impossible parce que le service par défaut a changé",
+ "service changed": "Synchronisation impossible, car le service de synchronisation a changé",
+ "turned off": "Synchronisation impossible, car la synchronisation est désactivée dans le cloud",
+ "session expired": "Synchronisation impossible, car la session actuelle a expiré",
+ "turned off machine": "Impossible d'effectuer une synchronisation, car elle est désactivée sur cette machine à partir d'une autre machine."
+ },
+ "vs/platform/workspaces/common/workspaces": {
+ "codeWorkspace": "Espace de travail de code"
+ },
+ "vs/platform/files/electron-browser/diskFileSystemProvider": {
+ "binFailed": "Échec du déplacement de '{0}' vers la corbeille",
+ "trashFailed": "Échec du déplacement de '{0}' vers la corbeille"
+ },
+ "vs/platform/dialogs/common/dialogs": {
+ "moreFile": "...1 fichier supplémentaire non affiché",
+ "moreFiles": "...{0} fichiers supplémentaires non affichés"
+ },
+ "vs/platform/theme/common/colorRegistry": {
+ "foreground": "Couleur de premier plan globale. Cette couleur est utilisée si elle n'est pas remplacée par un composant.",
+ "errorForeground": "Couleur principale de premier plan pour les messages d'erreur. Cette couleur est utilisée uniquement si elle n'est pas redéfinie par un composant.",
+ "descriptionForeground": "Couleur de premier plan du texte descriptif fournissant des informations supplémentaires, par exemple pour un label.",
+ "iconForeground": "Couleur par défaut des icônes du banc d'essai.",
+ "focusBorder": "Couleur de bordure globale des éléments ayant le focus. Cette couleur est utilisée si elle n'est pas remplacée par un composant.",
+ "contrastBorder": "Bordure supplémentaire autour des éléments pour les séparer des autres et obtenir un meilleur contraste.",
+ "activeContrastBorder": "Bordure supplémentaire autour des éléments actifs pour les séparer des autres et obtenir un meilleur contraste.",
+ "selectionBackground": "La couleur d'arrière-plan des sélections de texte dans le banc d'essai (par ex., pour les champs d'entrée ou les zones de texte). Notez que cette couleur ne s'applique pas aux sélections dans l'éditeur et le terminal.",
+ "textSeparatorForeground": "Couleur pour les séparateurs de texte.",
+ "textLinkForeground": "Couleur des liens dans le texte.",
+ "textLinkActiveForeground": "Couleur de premier plan pour les liens dans le texte lorsqu'ils sont cliqués ou survolés.",
+ "textPreformatForeground": "Couleur des segments de texte préformatés.",
+ "textBlockQuoteBackground": "Couleur d'arrière-plan des citations dans le texte.",
+ "textBlockQuoteBorder": "Couleur de bordure des citations dans le texte.",
+ "textCodeBlockBackground": "Couleur d'arrière-plan des blocs de code dans le texte.",
+ "widgetShadow": "Couleur de l'ombre des widgets, comme rechercher/remplacer, au sein de l'éditeur.",
+ "inputBoxBackground": "Arrière-plan de la zone d'entrée.",
+ "inputBoxForeground": "Premier plan de la zone d'entrée.",
+ "inputBoxBorder": "Bordure de la zone d'entrée.",
+ "inputBoxActiveOptionBorder": "Couleur de la bordure des options activées dans les champs d'entrée.",
+ "inputOption.activeBackground": "Couleur d'arrière-plan des options activées dans les champs d'entrée.",
+ "inputOption.activeForeground": "Couleur de premier plan des options activées dans les champs d'entrée.",
+ "inputPlaceholderForeground": "Couleur de premier plan de la zone d'entrée pour le texte d'espace réservé.",
+ "inputValidationInfoBackground": "Couleur d'arrière-plan de la validation d'entrée pour la gravité des informations.",
+ "inputValidationInfoForeground": "Couleur de premier plan de validation de saisie pour la sévérité Information.",
+ "inputValidationInfoBorder": "Couleur de bordure de la validation d'entrée pour la gravité des informations.",
+ "inputValidationWarningBackground": "Couleur d'arrière-plan de la validation d'entrée pour la gravité de l'avertissement.",
+ "inputValidationWarningForeground": "Couleur de premier plan de la validation de la saisie pour la sévérité Avertissement.",
+ "inputValidationWarningBorder": "Couleur de bordure de la validation d'entrée pour la gravité de l'avertissement.",
+ "inputValidationErrorBackground": "Couleur d'arrière-plan de la validation d'entrée pour la gravité de l'erreur.",
+ "inputValidationErrorForeground": "Couleur de premier plan de la validation de saisie pour la sévérité Erreur.",
+ "inputValidationErrorBorder": "Couleur de bordure de la validation d'entrée pour la gravité de l'erreur. ",
+ "dropdownBackground": "Arrière-plan de la liste déroulante.",
+ "dropdownListBackground": "Arrière-plan de la liste déroulante.",
+ "dropdownForeground": "Premier plan de la liste déroulante.",
+ "dropdownBorder": "Bordure de la liste déroulante.",
+ "checkbox.background": "Couleur de fond du widget Case à cocher.",
+ "checkbox.foreground": "Couleur de premier plan du widget Case à cocher.",
+ "checkbox.border": "Couleur de bordure du widget Case à cocher.",
+ "buttonForeground": "Couleur de premier plan du bouton.",
+ "buttonBackground": "Couleur d'arrière-plan du bouton.",
+ "buttonHoverBackground": "Couleur d'arrière-plan du bouton pendant le pointage.",
+ "buttonSecondaryForeground": "Couleur de premier plan du bouton secondaire.",
+ "buttonSecondaryBackground": "Couleur d'arrière-plan du bouton secondaire.",
+ "buttonSecondaryHoverBackground": "Couleur d'arrière-plan du bouton secondaire au moment du pointage.",
+ "badgeBackground": "Couleur de fond des badges. Les badges sont de courts libellés d'information, ex. le nombre de résultats de recherche.",
+ "badgeForeground": "Couleur des badges. Les badges sont de courts libellés d'information, ex. le nombre de résultats de recherche.",
+ "scrollbarShadow": "Ombre de la barre de défilement pour indiquer que la vue défile.",
+ "scrollbarSliderBackground": "Couleur de fond du curseur de la barre de défilement.",
+ "scrollbarSliderHoverBackground": "Couleur de fond du curseur de la barre de défilement lors du survol.",
+ "scrollbarSliderActiveBackground": "Couleur d’arrière-plan de la barre de défilement lorsqu'on clique dessus.",
+ "progressBarBackground": "Couleur de fond pour la barre de progression qui peut s'afficher lors d'opérations longues.",
+ "editorError.background": "Couleur d'arrière-plan du texte d'erreur dans l'éditeur. La couleur ne doit pas être opaque pour ne pas masquer les décorations sous-jacentes.",
+ "editorError.foreground": "Couleur de premier plan de la ligne ondulée marquant les erreurs dans l'éditeur.",
+ "errorBorder": "Couleur de bordure des zones d'erreur dans l'éditeur.",
+ "editorWarning.background": "Couleur d'arrière-plan du texte d'avertissement dans l'éditeur. La couleur ne doit pas être opaque pour ne pas masquer les décorations sous-jacentes.",
+ "editorWarning.foreground": "Couleur de premier plan de la ligne ondulée marquant les avertissements dans l'éditeur.",
+ "warningBorder": "Couleur de bordure des zones d'avertissement dans l'éditeur.",
+ "editorInfo.background": "Couleur d'arrière-plan du texte d'information dans l'éditeur. La couleur ne doit pas être opaque pour ne pas masquer les décorations sous-jacentes.",
+ "editorInfo.foreground": "Couleur de premier plan de la ligne ondulée marquant les informations dans l'éditeur.",
+ "infoBorder": "Couleur de bordure des zones d'informations dans l'éditeur.",
+ "editorHint.foreground": "Couleur de premier plan de la ligne ondulée d'indication dans l'éditeur.",
+ "hintBorder": "Couleur de bordure des zones d'indication dans l'éditeur.",
+ "sashActiveBorder": "Couleur de bordure des fenêtres coulissantes.",
+ "editorBackground": "Couleur d'arrière-plan de l'éditeur.",
+ "editorForeground": "Couleur de premier plan par défaut de l'éditeur.",
+ "editorWidgetBackground": "Couleur d'arrière-plan des gadgets de l'éditeur tels que rechercher/remplacer.",
+ "editorWidgetForeground": "Couleur de premier plan des widgets de l'éditeur, notamment Rechercher/remplacer.",
+ "editorWidgetBorder": "Couleur de bordure des widgets de l'éditeur. La couleur est utilisée uniquement si le widget choisit d'avoir une bordure et si la couleur n'est pas remplacée par un widget.",
+ "editorWidgetResizeBorder": "Couleur de bordure de la barre de redimensionnement des widgets de l'éditeur. La couleur est utilisée uniquement si le widget choisit une bordure de redimensionnement et si la couleur n'est pas remplacée par un widget.",
+ "pickerBackground": "Couleur d'arrière-plan du sélecteur rapide. Le widget de sélecteur rapide est le conteneur de sélecteurs comme la palette de commandes.",
+ "pickerForeground": "Couleur de premier plan du sélecteur rapide. Le widget de sélecteur rapide est le conteneur de sélecteurs comme la palette de commandes.",
+ "pickerTitleBackground": "Couleur d'arrière-plan du titre du sélecteur rapide. Le widget de sélecteur rapide est le conteneur de sélecteurs comme la palette de commandes.",
+ "pickerGroupForeground": "Couleur du sélecteur rapide pour les étiquettes de regroupement.",
+ "pickerGroupBorder": "Couleur du sélecteur rapide pour les bordures de regroupement.",
+ "editorSelectionBackground": "Couleur de la sélection de l'éditeur.",
+ "editorSelectionForeground": "Couleur du texte sélectionné pour le contraste élevé.",
+ "editorInactiveSelection": "Couleur de la sélection dans un éditeur inactif. La couleur ne doit pas être opaque pour ne pas masquer les ornements sous-jacents.",
+ "editorSelectionHighlight": "Couleur des régions dont le contenu est le même que celui de la sélection. La couleur ne doit pas être opaque pour ne pas masquer les ornements sous-jacents.",
+ "editorSelectionHighlightBorder": "Couleur de bordure des régions dont le contenu est identique à la sélection.",
+ "editorFindMatch": "Couleur du résultat de recherche actif.",
+ "findMatchHighlight": "Couleur des autres correspondances de recherche. La couleur ne doit pas être opaque pour ne pas masquer les ornements sous-jacents.",
+ "findRangeHighlight": "Couleur de la plage limitant la recherche. La couleur ne doit pas être opaque pour ne pas masquer les ornements sous-jacents.",
+ "editorFindMatchBorder": "Couleur de bordure du résultat de recherche actif.",
+ "findMatchHighlightBorder": "Couleur de bordure des autres résultats de recherche.",
+ "findRangeHighlightBorder": "Couleur de bordure de la plage limitant la recherche. La couleur ne doit pas être opaque pour ne pas masquer les ornements sous-jacents.",
+ "searchEditor.queryMatch": "Couleur des correspondances de requête de l'éditeur de recherche.",
+ "searchEditor.editorFindMatchBorder": "Couleur de bordure des correspondances de requête de l'éditeur de recherche.",
+ "hoverHighlight": "Surlignage sous le mot sélectionné par pointage. La couleur ne doit pas être opaque pour ne pas masquer les ornements sous-jacents.",
+ "hoverBackground": "Couleur d'arrière-plan du pointage de l'éditeur.",
+ "hoverForeground": "Couleur de premier plan du pointage de l'éditeur.",
+ "hoverBorder": "Couleur de bordure du pointage de l'éditeur.",
+ "statusBarBackground": "Couleur d'arrière-plan de la barre d'état du pointage de l'éditeur.",
+ "activeLinkForeground": "Couleur des liens actifs.",
+ "editorLightBulbForeground": "Couleur utilisée pour l'icône d'ampoule suggérant des actions.",
+ "editorLightBulbAutoFixForeground": "Couleur utilisée pour l'icône d'ampoule suggérant des actions de correction automatique.",
+ "diffEditorInserted": "Couleur d'arrière-plan du texte inséré. La couleur ne doit pas être opaque pour ne pas masquer les ornements sous-jacents.",
+ "diffEditorRemoved": "Couleur d'arrière-plan du texte supprimé. La couleur ne doit pas être opaque pour ne pas masquer les ornements sous-jacents.",
+ "diffEditorInsertedOutline": "Couleur de contour du texte inséré.",
+ "diffEditorRemovedOutline": "Couleur de contour du texte supprimé.",
+ "diffEditorBorder": "Couleur de bordure entre les deux éditeurs de texte.",
+ "diffDiagonalFill": "Couleur du remplissage diagonal de l'éditeur de différences. Le remplissage diagonal est utilisé dans les vues de différences côte à côte.",
+ "listFocusBackground": "Couleur d'arrière-plan de la liste/l'arborescence pour l'élément ayant le focus quand la liste/l'arborescence est active. Une liste/arborescence active peut être sélectionnée au clavier, elle ne l'est pas quand elle est inactive.",
+ "listFocusForeground": "Couleur de premier plan de la liste/l'arborescence pour l'élément ayant le focus quand la liste/l'arborescence est active. Une liste/arborescence active peut être sélectionnée au clavier, elle ne l'est pas quand elle est inactive.",
+ "listActiveSelectionBackground": "Couleur d'arrière-plan de la liste/l'arborescence de l'élément sélectionné quand la liste/l'arborescence est active. Une liste/arborescence active peut être sélectionnée au clavier, elle ne l'est pas quand elle est inactive.",
+ "listActiveSelectionForeground": "Couleur de premier plan de la liste/l'arborescence pour l'élément sélectionné quand la liste/l'arborescence est active. Une liste/arborescence active peut être sélectionnée au clavier, elle ne l'est pas quand elle est inactive.",
+ "listInactiveSelectionBackground": "Couleur d'arrière-plan de la liste/l'arborescence pour l'élément sélectionné quand la liste/l'arborescence est inactive. Une liste/arborescence active peut être sélectionnée au clavier, elle ne l'est pas quand elle est inactive.",
+ "listInactiveSelectionForeground": "Couleur de premier plan de la liste/l'arborescence pour l'élément sélectionné quand la liste/l'arborescence est inactive. Une liste/arborescence active peut être sélectionnée au clavier, elle ne l'est pas quand elle est inactive.",
+ "listInactiveFocusBackground": "Couleur d'arrière-plan de la liste/l'arborescence pour l'élément ayant le focus quand la liste/l'arborescence est active. Une liste/arborescence active peut être sélectionnée au clavier (elle ne l'est pas quand elle est inactive).",
+ "listHoverBackground": "Arrière-plan de la liste/l'arborescence pendant le pointage sur des éléments avec la souris.",
+ "listHoverForeground": "Premier plan de la liste/l'arborescence pendant le pointage sur des éléments avec la souris.",
+ "listDropBackground": "Arrière-plan de l'opération de glisser-déplacer dans une liste/arborescence pendant le déplacement d'éléments avec la souris.",
+ "highlight": "Couleur de premier plan dans la liste/l'arborescence pour la surbrillance des correspondances pendant la recherche dans une liste/arborescence.",
+ "invalidItemForeground": "Couleur de premier plan de liste/arbre pour les éléments non valides, par exemple une racine non résolue dans l’Explorateur.",
+ "listErrorForeground": "Couleur de premier plan des éléments de la liste contenant des erreurs.",
+ "listWarningForeground": "Couleur de premier plan des éléments de liste contenant des avertissements.",
+ "listFilterWidgetBackground": "Couleur d'arrière-plan du widget de filtre de type dans les listes et les arborescences.",
+ "listFilterWidgetOutline": "Couleur de contour du widget de filtre de type dans les listes et les arborescences.",
+ "listFilterWidgetNoMatchesOutline": "Couleur de contour du widget de filtre de type dans les listes et les arborescences, en l'absence de correspondance.",
+ "listFilterMatchHighlight": "Couleur d'arrière-plan de la correspondance filtrée.",
+ "listFilterMatchHighlightBorder": "Couleur de bordure de la correspondance filtrée.",
+ "treeIndentGuidesStroke": "Couleur de trait de l'arborescence pour les repères de mise en retrait.",
+ "listDeemphasizedForeground": "Couleur de premier plan de la liste/l'arborescence des éléments atténués.",
+ "menuBorder": "Couleur de bordure des menus.",
+ "menuForeground": "Couleur de premier plan des éléments de menu.",
+ "menuBackground": "Couleur d'arrière-plan des éléments de menu.",
+ "menuSelectionForeground": "Couleur de premier plan de l'élément de menu sélectionné dans les menus.",
+ "menuSelectionBackground": "Couleur d'arrière-plan de l'élément de menu sélectionné dans les menus.",
+ "menuSelectionBorder": "Couleur de bordure de l'élément de menu sélectionné dans les menus.",
+ "menuSeparatorBackground": "Couleur d'un élément de menu séparateur dans les menus.",
+ "snippetTabstopHighlightBackground": "Couleur d’arrière-plan de mise en surbrillance d’un extrait tabstop.",
+ "snippetTabstopHighlightBorder": "Couleur de bordure de mise en surbrillance d’un extrait tabstop.",
+ "snippetFinalTabstopHighlightBackground": "Couleur d’arrière-plan de mise en surbrillance du tabstop final d’un extrait.",
+ "snippetFinalTabstopHighlightBorder": "Mettez en surbrillance la couleur de bordure du dernier taquet de tabulation d'un extrait de code.",
+ "breadcrumbsFocusForeground": "Couleur des éléments de navigation avec le focus.",
+ "breadcrumbsBackground": "Couleur de fond des éléments de navigation.",
+ "breadcrumbsSelectedForegound": "Couleur des éléments de navigation sélectionnés.",
+ "breadcrumbsSelectedBackground": "Couleur de fond du sélecteur d’élément de navigation.",
+ "mergeCurrentHeaderBackground": "Arrière-plan d'en-tête actuel dans les conflits de fusion inline. La couleur ne doit pas être opaque pour ne pas masquer les ornements sous-jacents.",
+ "mergeCurrentContentBackground": "Arrière-plan de contenu actuel dans les conflits de fusion inline. La couleur ne doit pas être opaque pour ne pas masquer les ornements sous-jacents.",
+ "mergeIncomingHeaderBackground": "Arrière-plan d'en-tête entrant dans les conflits de fusion inline. La couleur ne doit pas être opaque pour ne pas masquer les ornements sous-jacents.",
+ "mergeIncomingContentBackground": "Arrière-plan de contenu entrant dans les conflits de fusion inline. La couleur ne doit pas être opaque pour ne pas masquer les ornements sous-jacents.",
+ "mergeCommonHeaderBackground": "Arrière-plan d'en-tête de l'ancêtre commun dans les conflits de fusion inline. La couleur ne doit pas être opaque pour ne pas masquer les ornements sous-jacents.",
+ "mergeCommonContentBackground": "Arrière-plan de contenu de l'ancêtre commun dans les conflits de fusion inline. La couleur ne doit pas être opaque pour ne pas masquer les ornements sous-jacents.",
+ "mergeBorder": "Couleur de bordure des en-têtes et du séparateur dans les conflits de fusion inline.",
+ "overviewRulerCurrentContentForeground": "Premier plan de la règle d'aperçu actuelle pour les conflits de fusion inline.",
+ "overviewRulerIncomingContentForeground": "Premier plan de la règle d'aperçu entrante pour les conflits de fusion inline.",
+ "overviewRulerCommonContentForeground": "Arrière-plan de la règle d'aperçu de l'ancêtre commun dans les conflits de fusion inline.",
+ "overviewRulerFindMatchForeground": "Couleur de marqueur de la règle d'aperçu pour rechercher les correspondances. La couleur ne doit pas être opaque pour ne pas masquer les ornements sous-jacents.",
+ "overviewRulerSelectionHighlightForeground": "Couleur de marqueur de la règle d'aperçu pour la mise en surbrillance des sélections. La couleur ne doit pas être opaque pour ne pas masquer les ornements sous-jacents.",
+ "minimapFindMatchHighlight": "Couleur de marqueur de la minimap pour les correspondances.",
+ "minimapSelectionHighlight": "Couleur de marqueur du minimap pour la sélection de l'éditeur.",
+ "minimapError": "Couleur de marqueur de minimap pour les erreurs.",
+ "overviewRuleWarning": "Couleur de marqueur de minimap pour les avertissements.",
+ "minimapBackground": "Couleur d'arrière-plan du minimap.",
+ "minimapSliderBackground": "Couleur d'arrière-plan du curseur de minimap.",
+ "minimapSliderHoverBackground": "Couleur d'arrière-plan du curseur de minimap pendant le survol.",
+ "minimapSliderActiveBackground": "Couleur d'arrière-plan du curseur de minimap pendant un clic.",
+ "problemsErrorIconForeground": "Couleur utilisée pour l'icône d'erreur des problèmes.",
+ "problemsWarningIconForeground": "Couleur utilisée pour l'icône d'avertissement des problèmes.",
+ "problemsInfoIconForeground": "Couleur utilisée pour l'icône d'informations des problèmes.",
+ "chartsForeground": "Couleur de premier plan utilisée dans les graphiques.",
+ "chartsLines": "Couleur utilisée pour les lignes horizontales dans les graphiques.",
+ "chartsRed": "Couleur rouge utilisée dans les visualisations de graphiques.",
+ "chartsBlue": "Couleur bleue utilisée dans les visualisations de graphiques.",
+ "chartsYellow": "Couleur jaune utilisée dans les visualisations de graphiques.",
+ "chartsOrange": "Couleur orange utilisée dans les visualisations de graphiques.",
+ "chartsGreen": "Couleur verte utilisée dans les visualisations de graphiques.",
+ "chartsPurple": "Couleur violette utilisée dans les visualisations de graphiques."
+ },
+ "vs/platform/configuration/common/configurationRegistry": {
+ "defaultLanguageConfigurationOverrides.title": "Substitutions de configuration du langage par défaut",
+ "defaultLanguageConfiguration.description": "Configurez les paramètres à remplacer pour le langage {0}.",
+ "overrideSettings.defaultDescription": "Configurez les paramètres d'éditeur à remplacer pour un langage.",
+ "overrideSettings.errorMessage": "Ce paramètre ne prend pas en charge la configuration par langage.",
+ "config.property.empty": "Impossible d'inscrire une propriété vide",
+ "config.property.languageDefault": "Impossible d'inscrire '{0}'. Ceci correspond au modèle de propriété '\\\\[.*\\\\]$' permettant de décrire les paramètres d'éditeur spécifiques à un langage. Utilisez la contribution 'configurationDefaults'.",
+ "config.property.duplicate": "Impossible d'inscrire '{0}'. Cette propriété est déjà inscrite."
+ },
+ "vs/platform/markers/common/markers": {
+ "sev.error": "Erreur",
+ "sev.warning": "Avertissement",
+ "sev.info": "Info"
+ },
+ "vs/platform/windows/electron-main/windowsMainService": {
+ "pathNotExistTitle": "Le chemin d'accès n'existe pas",
+ "pathNotExistDetail": "Le chemin d'accès '{0}' ne semble plus exister sur le disque.",
+ "uriInvalidTitle": "L'URI ne peut pas être ouverte",
+ "uriInvalidDetail": "L’URI '{0}' n’est pas valide et ne peut pas être ouverte.",
+ "ok": "OK"
+ },
+ "vs/platform/issue/electron-main/issueMainService": {
+ "local": "LOCAL",
+ "issueReporterWriteToClipboard": "Il y a trop de données à envoyer directement à GitHub. Les données sont copiées dans le Presse-papiers, collez-les dans la page d'envoi de GitHub ouverte.",
+ "ok": "OK",
+ "cancel": "Annuler",
+ "confirmCloseIssueReporter": "Votre entrée n'est pas enregistrée. Voulez-vous vraiment fermer cette fenêtre ?",
+ "yes": "Oui",
+ "issueReporter": "Rapporteur du problème",
+ "processExplorer": "Explorateur de processus"
+ },
+ "vs/platform/workspaces/electron-main/workspacesHistoryMainService": {
+ "newWindow": "Nouvelle fenêtre",
+ "newWindowDesc": "Ouvre une nouvelle fenêtre",
+ "recentFolders": "Espaces de travail récents",
+ "folderDesc": "{0} {1}",
+ "workspaceDesc": "{0} {1}",
+ "untitledWorkspace": "Sans titre (espace de travail)",
+ "workspaceName": "{0} (espace de travail)"
+ },
+ "vs/platform/workspaces/electron-main/workspacesMainService": {
+ "ok": "OK",
+ "workspaceOpenedMessage": "Impossible d’enregistrer l’espace de travail '{0}'",
+ "workspaceOpenedDetail": "L’espace de travail est déjà ouvert dans une autre fenêtre. Veuillez s’il vous plaît d’abord fermer cette fenêtre et puis essayez à nouveau."
+ },
+ "vs/platform/dialogs/electron-main/dialogs": {
+ "open": "Ouvrir",
+ "openFolder": "Ouvrir le dossier",
+ "openFile": "Ouvrir un fichier",
+ "openWorkspaceTitle": "Ouvrir un espace de travail",
+ "openWorkspace": "&&Ouvrir"
+ },
+ "vs/platform/files/common/io": {
+ "fileTooLargeForHeapError": "Pour ouvrir un fichier de cette taille, vous devez redémarrer et lui permettre d'utiliser plus de mémoire",
+ "fileTooLargeError": "Le fichier est trop volumineux pour être ouvert"
+ },
+ "vs/platform/extensions/common/extensionValidator": {
+ "versionSyntax": "Impossible d'analyser la valeur {0} de `engines.vscode`. Veuillez utiliser, par exemple : ^1.22.0, ^1.22.x, ...",
+ "versionSpecificity1": "La version spécifiée dans 'engines.vscode' ({0}) n'est pas assez précise. Pour les versions de vscode antérieures à 1.0.0, définissez au minimum les versions majeure et mineure souhaitées. Par exemple : ^0.10.0, 0.10.x, 0.11.0, etc.",
+ "versionSpecificity2": "La version spécifiée dans 'engines.vscode' ({0}) n'est pas assez précise. Pour les versions de vscode ultérieures à 1.0.0, définissez au minimum la version majeure souhaitée. Par exemple : ^1.10.0, 1.10.x, 1.x.x, 2.x.x, etc.",
+ "versionMismatch": "L'extension n'est pas compatible avec le code {0}. L'extension nécessite {1}."
+ },
+ "vs/platform/extensionManagement/node/extensionsScanner": {
+ "errorDeleting": "Impossible de supprimer le dossier existant '{0}' pendant l'installation de l'extension '{1}'. Supprimez le dossier manuellement et réessayez",
+ "cannot read": "Impossible de lire l'extension à partir de {0}",
+ "renameError": "Erreur inconnue en renommant {0} en {1}",
+ "invalidManifest": "Extension non valide : package.json n'est pas un fichier JSON."
+ },
+ "vs/platform/userDataSync/common/keybindingsSync": {
+ "errorInvalidSettings": "Impossible de synchroniser les combinaisons de touches, car le contenu du fichier est non valide. Ouvrez le fichier, puis corrigez-le."
+ },
+ "vs/platform/userDataSync/common/settingsSync": {
+ "errorInvalidSettings": "Impossible de synchroniser les paramètres, car il existe des erreurs/avertissements dans le fichier de paramètres."
+ },
+ "vs/platform/list/browser/listService": {
+ "workbenchConfigurationTitle": "Banc d'essai",
+ "multiSelectModifier.ctrlCmd": "Mappe vers 'Contrôle' dans Windows et Linux, et vers 'Commande' dans macOS.",
+ "multiSelectModifier.alt": "Mappe vers 'Alt' dans Windows et Linux, et vers 'Option' dans macOS.",
+ "multiSelectModifier": "Le modificateur à utiliser pour ajouter un élément dans les arbres et listes pour une sélection multiple avec la souris (par exemple dans l’Explorateur, les éditeurs ouverts et la vue scm). Les mouvements de la souris 'Ouvrir à côté' (si pris en charge) s'adapteront tels qu’ils n'entrent pas en conflit avec le modificateur multiselect.",
+ "openModeModifier": "Contrôle l’ouverture des éléments dans les arbres et listes à l’aide de la souris (si pris en charge). Pour les parents ayant des enfants dans les arbres, ce paramètre contrôlera si un simple clic déploie le parent ou un double-clic. Notez que certains arbres et listes peuvent choisir d’ignorer ce paramètre, si ce n’est pas applicable. ",
+ "horizontalScrolling setting": "Contrôle si les listes et les arborescences prennent en charge le défilement horizontal dans le banc d'essai. Avertissement : L'activation de ce paramètre a un impact sur les performances.",
+ "tree indent setting": "Contrôle la mise en retrait de l'arborescence, en pixels.",
+ "render tree indent guides": "Contrôle si l'arborescence doit afficher les repères de mise en retrait.",
+ "list smoothScrolling setting": "Détermine si les listes et les arborescences ont un défilement fluide.",
+ "keyboardNavigationSettingKey.simple": "La navigation au clavier Simple place le focus sur les éléments qui correspondent à l'entrée de clavier. La mise en correspondance est effectuée sur les préfixes uniquement.",
+ "keyboardNavigationSettingKey.highlight": "La navigation de mise en surbrillance au clavier met en surbrillance les éléments qui correspondent à l'entrée de clavier. La navigation ultérieure vers le haut ou vers le bas parcourt uniquement les éléments mis en surbrillance.",
+ "keyboardNavigationSettingKey.filter": "La navigation au clavier Filtrer filtre et masque tous les éléments qui ne correspondent pas à l'entrée de clavier.",
+ "keyboardNavigationSettingKey": "Contrôle le style de navigation au clavier pour les listes et les arborescences dans le banc d'essai. Les options sont Simple, Mise en surbrillance et Filtrer.",
+ "automatic keyboard navigation setting": "Contrôle si la navigation au clavier dans les listes et les arborescences est automatiquement déclenchée simplement par la frappe. Si défini sur 'false', la navigation au clavier est seulement déclenchée avec l'exécution de la commande 'list.toggleKeyboardNavigation', à laquelle vous pouvez attribuer un raccourci clavier.",
+ "expand mode": "Contrôle la façon dont les dossiers de l'arborescence sont développés quand vous cliquez sur les noms de dossiers."
+ },
+ "vs/platform/undoRedo/common/undoRedoService": {
+ "externalRemoval": "Les fichiers suivants ont été fermés et modifiés sur le disque : {0}.",
+ "noParallelUniverses": "Les fichiers suivants ont été modifiés de manière incompatible : {0}.",
+ "cannotWorkspaceUndo": "Impossible d'annuler '{0}' dans tous les fichiers. {1}",
+ "cannotWorkspaceUndoDueToChanges": "Impossible d'annuler '{0}' dans tous les fichiers, car des modifications ont été apportées à {1}",
+ "cannotWorkspaceUndoDueToInProgressUndoRedo": "Impossible d'annuler '{0}' dans tous les fichiers, car une opération d'annulation ou de rétablissement est déjà en cours d'exécution sur {1}",
+ "cannotWorkspaceUndoDueToInMeantimeUndoRedo": "Impossible d'annuler '{0}' dans tous les fichiers, car une opération d'annulation ou de rétablissement s'est produite dans l'intervalle",
+ "confirmWorkspace": "Souhaitez-vous annuler '{0}' dans tous les fichiers ?",
+ "ok": "Annuler dans {0} fichiers",
+ "nok": "Annuler ce fichier",
+ "cancel": "Annuler",
+ "cannotResourceUndoDueToInProgressUndoRedo": "Impossible d'annuler '{0}', car une opération d'annulation ou de rétablissement est déjà en cours d'exécution.",
+ "confirmDifferentSource": "Voulez-vous annuler '{0}' ?",
+ "confirmDifferentSource.ok": "Annuler",
+ "cannotWorkspaceRedo": "Impossible de répéter '{0}' dans tous les fichiers. {1}",
+ "cannotWorkspaceRedoDueToChanges": "Impossible de répéter '{0}' dans tous les fichiers, car des modifications ont été apportées à {1}",
+ "cannotWorkspaceRedoDueToInProgressUndoRedo": "Impossible de rétablir '{0}' dans tous les fichiers, car une opération d'annulation ou de rétablissement est déjà en cours d'exécution pour {1}",
+ "cannotWorkspaceRedoDueToInMeantimeUndoRedo": "Impossible de rétablir '{0}' dans tous les fichiers, car une opération d'annulation ou de rétablissement s'est produite dans l'intervalle",
+ "cannotResourceRedoDueToInProgressUndoRedo": "Impossible de rétablir '{0}', car une opération d'annulation ou de rétablissement est déjà en cours d'exécution."
+ },
+ "vs/platform/actions/browser/menuEntryActionViewItem": {
+ "titleAndKb": "{0} ({1})"
+ },
+ "vs/platform/theme/common/iconRegistry": {
+ "iconDefintion.fontId": "ID de la police à utiliser. Si aucune valeur n'est définie, la police définie en premier est utilisée.",
+ "iconDefintion.fontCharacter": "Caractère de police associé à la définition d'icône.",
+ "widgetClose": "Icône de l'action de fermeture dans les widgets.",
+ "previousChangeIcon": "Icône d'accès à l'emplacement précédent de l'éditeur.",
+ "nextChangeIcon": "Icône d'accès à l'emplacement suivant de l'éditeur."
+ },
+ "vs/platform/menubar/electron-main/menubar": {
+ "miNewWindow": "Nouvelle &&fenêtre",
+ "mFile": "&&Fichier",
+ "mEdit": "&&Edition",
+ "mSelection": "&&Sélection",
+ "mView": "Affic&&hage",
+ "mGoto": "Attei&&ndre",
+ "mRun": "E&&xécuter",
+ "mTerminal": "&&Terminal",
+ "mWindow": "Fenêtre",
+ "mHelp": "&&Aide",
+ "mAbout": "À propos de {0}",
+ "miPreferences": "Pr&&éférences",
+ "mServices": "Services",
+ "mHide": "Masquer {0}",
+ "mHideOthers": "Masquer les autres",
+ "mShowAll": "Afficher tout",
+ "miQuit": "Quitter {0}",
+ "mMinimize": "Réduire",
+ "mZoom": "Zoom",
+ "mBringToFront": "Tout mettre au premier plan",
+ "miSwitchWindow": "Changer de &&fenêtre...",
+ "mNewTab": "Nouvel onglet",
+ "mShowPreviousTab": "Afficher l'onglet précédent",
+ "mShowNextTab": "Afficher l'onglet suivant",
+ "mMoveTabToNewWindow": "Déplacer l’onglet vers une nouvelle fenêtre",
+ "mMergeAllWindows": "Fusionner toutes les fenêtres",
+ "miCheckForUpdates": "Rechercher les &&mises à jour...",
+ "miCheckingForUpdates": "Recherche des mises à jour...",
+ "miDownloadUpdate": "Télécharger la mise à jour disp&&onible",
+ "miDownloadingUpdate": "Téléchargement de la mise à jour...",
+ "miInstallUpdate": "Installer la &&mise à jour...",
+ "miInstallingUpdate": "Installation de la mise à jour...",
+ "miRestartToUpdate": "Redémarrer pour &&mettre à jour"
+ },
+ "vs/platform/userDataSync/common/abstractSynchronizer": {
+ "incompatible": "Impossible de synchroniser {0}, car sa version locale {1} n'est pas compatible avec sa version distante {2}",
+ "incompatible sync data": "Impossible d'analyser les données de synchronisation, car elles ne sont pas compatibles avec la version actuelle."
+ },
+ "vs/platform/keybinding/common/abstractKeybindingService": {
+ "first.chord": "Touche ({0}) utilisée. En attente d'une seconde touche...",
+ "missing.chord": "La combinaison de touches ({0}, {1}) n’est pas une commande."
+ },
+ "vs/platform/quickinput/browser/helpQuickAccess": {
+ "globalCommands": "commandes globales",
+ "editorCommands": "commandes de l'éditeur",
+ "helpPickAriaLabel": "{0}, {1}"
+ },
+ "vs/platform/theme/common/tokenClassificationRegistry": {
+ "schema.token.settings": "Couleurs et styles du jeton.",
+ "schema.token.foreground": "Couleur de premier plan du jeton.",
+ "schema.token.background.warning": "Les couleurs d’arrière-plan des tokens ne sont actuellement pas pris en charge.",
+ "schema.token.fontStyle": "Définit les styles de police de la règle : 'italic', 'bold' ou 'underline', ou une combinaison. Tous les styles non listés sont annulés. La chaîne vide annule tous les styles.",
+ "schema.fontStyle.error": "Le style de police doit être 'italique', 'gras' ou 'souligné' ou une combinaison de ces styles. Une chaîne vide annule tous les styles.",
+ "schema.token.fontStyle.none": "Aucun (vide le style hérité)",
+ "schema.token.bold": "Définit ou annule le style de police bold (gras). Notez que la présence de 'fontStyle' substitue ce paramètre.",
+ "schema.token.italic": "Définit ou annule le style de police italic (italique). Notez que la présence de 'fontStyle' substitue ce paramètre.",
+ "schema.token.underline": "Définit ou annule le style de police underline (souligné). Notez que la présence de 'fontStyle' substitue ce paramètre.",
+ "comment": "Style des commentaires.",
+ "string": "Style des chaînes.",
+ "keyword": "Style des mots clés.",
+ "number": "Style des chiffres.",
+ "regexp": "Style des expressions.",
+ "operator": "Style des opérateurs.",
+ "namespace": "Style des espaces de noms.",
+ "type": "Style pour les types.",
+ "struct": "Style des structs.",
+ "class": "Style des classes.",
+ "interface": "Style des interfaces.",
+ "enum": "Style des énumérations.",
+ "typeParameter": "Style pour les paramètres de type.",
+ "function": "Style des fonctions",
+ "member": "Style des fonctions membres",
+ "method": "Style de la méthode (fonctions membres)",
+ "macro": "Style des macros.",
+ "variable": "Style des variables.",
+ "parameter": "Styles des paramètres.",
+ "property": "Style des propriétés.",
+ "enumMember": "Style des membres d'énumération.",
+ "event": "Style des événements.",
+ "labels": "Style des étiquettes.",
+ "declaration": "Style de toutes les déclarations de symbole.",
+ "documentation": "Style à utiliser pour les références dans la documentation.",
+ "static": "Style à utiliser pour les symboles statiques.",
+ "abstract": "Style à utiliser pour les symboles abstraits.",
+ "deprecated": "Style à utiliser pour les symboles dépréciés.",
+ "modification": "Style à utiliser pour écrire des accès.",
+ "async": "Style à utiliser pour les symboles asynchrones.",
+ "readonly": "Style à utiliser pour les symboles en lecture seule."
+ },
+ "vs/platform/quickinput/browser/commandsQuickAccess": {
+ "commandPickAriaLabelWithKeybinding": "{0}, {1}",
+ "recentlyUsed": "récemment utilisées",
+ "morecCommands": "autres commandes",
+ "canNotRun": "La commande '{0}' a entraîné une erreur ({1})"
+ }
+}
diff --git a/internal/vite-plugin-monaco-editor-nls/src/locale/hu.json b/internal/vite-plugin-monaco-editor-nls/src/locale/hu.json
new file mode 100644
index 0000000..1a547f8
--- /dev/null
+++ b/internal/vite-plugin-monaco-editor-nls/src/locale/hu.json
@@ -0,0 +1,7290 @@
+{
+ "win32/i18n/Default": {
+ "SetupAppTitle": "Setup",
+ "SetupWindowTitle": "Setup - %1",
+ "UninstallAppTitle": "Eltávolítás",
+ "UninstallAppFullTitle": "%1 Uninstall",
+ "InformationTitle": "Information",
+ "ConfirmTitle": "Confirm",
+ "ErrorTitle": "Hiba",
+ "SetupLdrStartupMessage": "This will install %1. Do you wish to continue?",
+ "LdrCannotCreateTemp": "Unable to create a temporary file. Setup aborted",
+ "LdrCannotExecTemp": "Unable to execute file in the temporary directory. Setup aborted",
+ "LastErrorMessage": "%1.%n%nError %2: %3",
+ "SetupFileMissing": "The file %1 is missing from the installation directory. Please correct the problem or obtain a new copy of the program.",
+ "SetupFileCorrupt": "The setup files are corrupted. Please obtain a new copy of the program.",
+ "SetupFileCorruptOrWrongVer": "The setup files are corrupted, or are incompatible with this version of Setup. Please correct the problem or obtain a new copy of the program.",
+ "InvalidParameter": "An invalid parameter was passed on the command line:%n%n%1",
+ "SetupAlreadyRunning": "Setup is already running.",
+ "WindowsVersionNotSupported": "This program does not support the version of Windows your computer is running.",
+ "WindowsServicePackRequired": "This program requires %1 Service Pack %2 or later.",
+ "NotOnThisPlatform": "This program will not run on %1.",
+ "OnlyOnThisPlatform": "This program must be run on %1.",
+ "OnlyOnTheseArchitectures": "This program can only be installed on versions of Windows designed for the following processor architectures:%n%n%1",
+ "MissingWOW64APIs": "The version of Windows you are running does not include functionality required by Setup to perform a 64-bit installation. To correct this problem, please install Service Pack %1.",
+ "WinVersionTooLowError": "This program requires %1 version %2 or later.",
+ "WinVersionTooHighError": "This program cannot be installed on %1 version %2 or later.",
+ "AdminPrivilegesRequired": "You must be logged in as an administrator when installing this program.",
+ "PowerUserPrivilegesRequired": "You must be logged in as an administrator or as a member of the Power Users group when installing this program.",
+ "SetupAppRunningError": "Setup has detected that %1 is currently running.%n%nPlease close all instances of it now, then click OK to continue, or Cancel to exit.",
+ "UninstallAppRunningError": "Uninstall has detected that %1 is currently running.%n%nPlease close all instances of it now, then click OK to continue, or Cancel to exit.",
+ "ErrorCreatingDir": "Setup was unable to create the directory \"%1\"",
+ "ErrorTooManyFilesInDir": "Unable to create a file in the directory \"%1\" because it contains too many files",
+ "ExitSetupTitle": "Exit Setup",
+ "ExitSetupMessage": "Setup is not complete. If you exit now, the program will not be installed.%n%nYou may run Setup again at another time to complete the installation.%n%nExit Setup?",
+ "AboutSetupMenuItem": "&A telepítő névjegye...",
+ "AboutSetupTitle": "About Setup",
+ "AboutSetupMessage": "%1 version %2%n%3%n%n%1 home page:%n%4",
+ "ButtonBack": "< &Back",
+ "ButtonNext": "&Next >",
+ "ButtonInstall": "&Install",
+ "ButtonOK": "OK",
+ "ButtonCancel": "Mégse",
+ "ButtonYes": "&Yes",
+ "ButtonYesToAll": "Yes to &All",
+ "ButtonNo": "&No",
+ "ButtonNoToAll": "N&o to All",
+ "ButtonFinish": "&Finish",
+ "ButtonBrowse": "&Browse...",
+ "ButtonWizardBrowse": "B&rowse...",
+ "ButtonNewFolder": "&Make New Folder",
+ "SelectLanguageTitle": "Select Setup Language",
+ "SelectLanguageLabel": "Select the language to use during the installation:",
+ "ClickNext": "Click Next to continue, or Cancel to exit Setup.",
+ "BrowseDialogTitle": "Browse For Folder",
+ "BrowseDialogLabel": "Select a folder in the list below, then click OK.",
+ "NewFolderName": "Új mappa",
+ "WelcomeLabel1": "Welcome to the [name] Setup Wizard",
+ "WelcomeLabel2": "This will install [name/ver] on your computer.%n%nIt is recommended that you close all other applications before continuing.",
+ "WizardPassword": "Jelszó",
+ "PasswordLabel1": "This installation is password protected.",
+ "PasswordLabel3": "Please provide the password, then click Next to continue. Passwords are case-sensitive.",
+ "PasswordEditLabel": "&Password:",
+ "IncorrectPassword": "The password you entered is not correct. Please try again.",
+ "WizardLicense": "License Agreement",
+ "LicenseLabel": "Please read the following important information before continuing.",
+ "LicenseLabel3": "Please read the following License Agreement. You must accept the terms of this agreement before continuing with the installation.",
+ "LicenseAccepted": "I &accept the agreement",
+ "LicenseNotAccepted": "I &do not accept the agreement",
+ "WizardInfoBefore": "Information",
+ "InfoBeforeLabel": "Kérjük, olvassa el a következő fontos információkat, mielőtt továbblépne.",
+ "InfoBeforeClickLabel": "When you are ready to continue with Setup, click Next.",
+ "WizardInfoAfter": "Information",
+ "InfoAfterLabel": "Please read the following important information before continuing.",
+ "InfoAfterClickLabel": "When you are ready to continue with Setup, click Next.",
+ "WizardUserInfo": "User Information",
+ "UserInfoDesc": "Please enter your information.",
+ "UserInfoName": "&User Name:",
+ "UserInfoOrg": "&Organization:",
+ "UserInfoSerial": "&Serial Number:",
+ "UserInfoNameRequired": "You must enter a name.",
+ "WizardSelectDir": "Select Destination Location",
+ "SelectDirDesc": "Where should [name] be installed?",
+ "SelectDirLabel3": "Setup will install [name] into the following folder.",
+ "SelectDirBrowseLabel": "To continue, click Next. If you would like to select a different folder, click Browse.",
+ "DiskSpaceMBLabel": "At least [mb] MB of free disk space is required.",
+ "CannotInstallToNetworkDrive": "Setup cannot install to a network drive.",
+ "CannotInstallToUNCPath": "Setup cannot install to a UNC path.",
+ "InvalidPath": "You must enter a full path with drive letter; for example:%n%nC:\\APP%n%nor a UNC path in the form:%n%n\\\\server\\share",
+ "InvalidDrive": "The drive or UNC share you selected does not exist or is not accessible. Please select another.",
+ "DiskSpaceWarningTitle": "Not Enough Disk Space",
+ "DiskSpaceWarning": "Setup requires at least %1 KB of free space to install, but the selected drive only has %2 KB available.%n%nDo you want to continue anyway?",
+ "DirNameTooLong": "The folder name or path is too long.",
+ "InvalidDirName": "The folder name is not valid.",
+ "BadDirName32": "Folder names cannot include any of the following characters:%n%n%1",
+ "DirExistsTitle": "Folder Exists",
+ "DirExists": "The folder:%n%n%1%n%nalready exists. Would you like to install to that folder anyway?",
+ "DirDoesntExistTitle": "Folder Does Not Exist",
+ "DirDoesntExist": "The folder:%n%n%1%n%ndoes not exist. Would you like the folder to be created?",
+ "WizardSelectComponents": "Select Components",
+ "SelectComponentsDesc": "Which components should be installed?",
+ "SelectComponentsLabel2": "Select the components you want to install; clear the components you do not want to install. Click Next when you are ready to continue.",
+ "FullInstallation": "Full installation",
+ "CompactInstallation": "Compact installation",
+ "CustomInstallation": "Custom installation",
+ "NoUninstallWarningTitle": "Components Exist",
+ "NoUninstallWarning": "Setup has detected that the following components are already installed on your computer:%n%n%1%n%nDeselecting these components will not uninstall them.%n%nWould you like to continue anyway?",
+ "ComponentSize1": "%1 KB",
+ "ComponentSize2": "%1 MB",
+ "ComponentsDiskSpaceMBLabel": "Current selection requires at least [mb] MB of disk space.",
+ "WizardSelectTasks": "Select Additional Tasks",
+ "SelectTasksDesc": "Which additional tasks should be performed?",
+ "SelectTasksLabel2": "Select the additional tasks you would like Setup to perform while installing [name], then click Next.",
+ "WizardSelectProgramGroup": "Select Start Menu Folder",
+ "SelectStartMenuFolderDesc": "Where should Setup place the program's shortcuts?",
+ "SelectStartMenuFolderLabel3": "Setup will create the program's shortcuts in the following Start Menu folder.",
+ "SelectStartMenuFolderBrowseLabel": "To continue, click Next. If you would like to select a different folder, click Browse.",
+ "MustEnterGroupName": "You must enter a folder name.",
+ "GroupNameTooLong": "The folder name or path is too long.",
+ "InvalidGroupName": "The folder name is not valid.",
+ "BadGroupName": "The folder name cannot include any of the following characters:%n%n%1",
+ "NoProgramGroupCheck2": "&Don't create a Start Menu folder",
+ "WizardReady": "Ready to Install",
+ "ReadyLabel1": "Setup is now ready to begin installing [name] on your computer.",
+ "ReadyLabel2a": "Click Install to continue with the installation, or click Back if you want to review or change any settings.",
+ "ReadyLabel2b": "Click Install to continue with the installation.",
+ "ReadyMemoUserInfo": "User information:",
+ "ReadyMemoDir": "Destination location:",
+ "ReadyMemoType": "Setup type:",
+ "ReadyMemoComponents": "Selected components:",
+ "ReadyMemoGroup": "Start Menu folder:",
+ "ReadyMemoTasks": "Additional tasks:",
+ "WizardPreparing": "Preparing to Install",
+ "PreparingDesc": "Setup is preparing to install [name] on your computer.",
+ "PreviousInstallNotCompleted": "The installation/removal of a previous program was not completed. You will need to restart your computer to complete that installation.%n%nAfter restarting your computer, run Setup again to complete the installation of [name].",
+ "CannotContinue": "Setup cannot continue. Please click Cancel to exit.",
+ "ApplicationsFound": "The following applications are using files that need to be updated by Setup. It is recommended that you allow Setup to automatically close these applications.",
+ "ApplicationsFound2": "The following applications are using files that need to be updated by Setup. It is recommended that you allow Setup to automatically close these applications. After the installation has completed, Setup will attempt to restart the applications.",
+ "CloseApplications": "&Automatically close the applications",
+ "DontCloseApplications": "&Do not close the applications",
+ "ErrorCloseApplications": "Setup was unable to automatically close all applications. It is recommended that you close all applications using files that need to be updated by Setup before continuing.",
+ "WizardInstalling": "Telepítés...",
+ "InstallingLabel": "Please wait while Setup installs [name] on your computer.",
+ "FinishedHeadingLabel": "Completing the [name] Setup Wizard",
+ "FinishedLabelNoIcons": "Setup has finished installing [name] on your computer.",
+ "FinishedLabel": "Setup has finished installing [name] on your computer. The application may be launched by selecting the installed icons.",
+ "ClickFinish": "Click Finish to exit Setup.",
+ "FinishedRestartLabel": "To complete the installation of [name], Setup must restart your computer. Would you like to restart now?",
+ "FinishedRestartMessage": "To complete the installation of [name], Setup must restart your computer.%n%nWould you like to restart now?",
+ "ShowReadmeCheck": "Yes, I would like to view the README file",
+ "YesRadio": "&Yes, restart the computer now",
+ "NoRadio": "&No, I will restart the computer later",
+ "RunEntryExec": "Run %1",
+ "RunEntryShellExec": "View %1",
+ "ChangeDiskTitle": "Setup Needs the Next Disk",
+ "SelectDiskLabel2": "Please insert Disk %1 and click OK.%n%nIf the files on this disk can be found in a folder other than the one displayed below, enter the correct path or click Browse.",
+ "PathLabel": "&Path:",
+ "FileNotInDir2": "The file \"%1\" could not be located in \"%2\". Please insert the correct disk or select another folder.",
+ "SelectDirectoryLabel": "Please specify the location of the next disk.",
+ "SetupAborted": "Setup was not completed.%n%nPlease correct the problem and run Setup again.",
+ "EntryAbortRetryIgnore": "Click Retry to try again, Ignore to proceed anyway, or Abort to cancel installation.",
+ "StatusClosingApplications": "Closing applications...",
+ "StatusCreateDirs": "Creating directories...",
+ "StatusExtractFiles": "Extracting files...",
+ "StatusCreateIcons": "Creating shortcuts...",
+ "StatusCreateIniEntries": "Creating INI entries...",
+ "StatusCreateRegistryEntries": "Creating registry entries...",
+ "StatusRegisterFiles": "Registering files...",
+ "StatusSavingUninstall": "Saving uninstall information...",
+ "StatusRunProgram": "Finishing installation...",
+ "StatusRestartingApplications": "Restarting applications...",
+ "StatusRollback": "Rolling back changes...",
+ "ErrorInternal2": "Internal error: %1",
+ "ErrorFunctionFailedNoCode": "%1 failed",
+ "ErrorFunctionFailed": "%1 failed; code %2",
+ "ErrorFunctionFailedWithMessage": "%1 failed; code %2.%n%3",
+ "ErrorExecutingProgram": "Unable to execute file:%n%1",
+ "ErrorRegOpenKey": "Error opening registry key:%n%1\\%2",
+ "ErrorRegCreateKey": "Error creating registry key:%n%1\\%2",
+ "ErrorRegWriteKey": "Error writing to registry key:%n%1\\%2",
+ "ErrorIniEntry": "Error creating INI entry in file \"%1\".",
+ "FileAbortRetryIgnore": "Click Retry to try again, Ignore to skip this file (not recommended), or Abort to cancel installation.",
+ "FileAbortRetryIgnore2": "Click Retry to try again, Ignore to proceed anyway (not recommended), or Abort to cancel installation.",
+ "SourceIsCorrupted": "The source file is corrupted",
+ "SourceDoesntExist": "The source file \"%1\" does not exist",
+ "ExistingFileReadOnly": "The existing file is marked as read-only.%n%nClick Retry to remove the read-only attribute and try again, Ignore to skip this file, or Abort to cancel installation.",
+ "ErrorReadingExistingDest": "An error occurred while trying to read the existing file:",
+ "FileExists": "The file already exists.%n%nWould you like Setup to overwrite it?",
+ "ExistingFileNewer": "The existing file is newer than the one Setup is trying to install. It is recommended that you keep the existing file.%n%nDo you want to keep the existing file?",
+ "ErrorChangingAttr": "An error occurred while trying to change the attributes of the existing file:",
+ "ErrorCreatingTemp": "An error occurred while trying to create a file in the destination directory:",
+ "ErrorReadingSource": "An error occurred while trying to read the source file:",
+ "ErrorCopying": "An error occurred while trying to copy a file:",
+ "ErrorReplacingExistingFile": "An error occurred while trying to replace the existing file:",
+ "ErrorRestartReplace": "RestartReplace failed:",
+ "ErrorRenamingTemp": "An error occurred while trying to rename a file in the destination directory:",
+ "ErrorRegisterServer": "Unable to register the DLL/OCX: %1",
+ "ErrorRegSvr32Failed": "RegSvr32 failed with exit code %1",
+ "ErrorRegisterTypeLib": "Unable to register the type library: %1",
+ "ErrorOpeningReadme": "An error occurred while trying to open the README file.",
+ "ErrorRestartingComputer": "Setup was unable to restart the computer. Please do this manually.",
+ "UninstallNotFound": "File \"%1\" does not exist. Cannot uninstall.",
+ "UninstallOpenError": "File \"%1\" could not be opened. Cannot uninstall",
+ "UninstallUnsupportedVer": "The uninstall log file \"%1\" is in a format not recognized by this version of the uninstaller. Cannot uninstall",
+ "UninstallUnknownEntry": "An unknown entry (%1) was encountered in the uninstall log",
+ "ConfirmUninstall": "Are you sure you want to completely remove %1? Extensions and settings will not be removed.",
+ "UninstallOnlyOnWin64": "This installation can only be uninstalled on 64-bit Windows.",
+ "OnlyAdminCanUninstall": "This installation can only be uninstalled by a user with administrative privileges.",
+ "UninstallStatusLabel": "Please wait while %1 is removed from your computer.",
+ "UninstalledAll": "%1 was successfully removed from your computer.",
+ "UninstalledMost": "%1 uninstall complete.%n%nSome elements could not be removed. These can be removed manually.",
+ "UninstalledAndNeedsRestart": "To complete the uninstallation of %1, your computer must be restarted.%n%nWould you like to restart now?",
+ "UninstallDataCorrupted": "\"%1\" file is corrupted. Cannot uninstall",
+ "ConfirmDeleteSharedFileTitle": "Remove Shared File?",
+ "ConfirmDeleteSharedFile2": "The system indicates that the following shared file is no longer in use by any programs. Would you like for Uninstall to remove this shared file?%n%nIf any programs are still using this file and it is removed, those programs may not function properly. If you are unsure, choose No. Leaving the file on your system will not cause any harm.",
+ "SharedFileNameLabel": "File name:",
+ "SharedFileLocationLabel": "Location:",
+ "WizardUninstalling": "Uninstall Status",
+ "StatusUninstalling": "Uninstalling %1...",
+ "ShutdownBlockReasonInstallingApp": "Installing %1.",
+ "ShutdownBlockReasonUninstallingApp": "Uninstalling %1.",
+ "NameAndVersion": "%1 version %2",
+ "AdditionalIcons": "Additional icons:",
+ "CreateDesktopIcon": "Create a &desktop icon",
+ "CreateQuickLaunchIcon": "Create a &Quick Launch icon",
+ "ProgramOnTheWeb": "%1 on the Web",
+ "UninstallProgram": "Uninstall %1",
+ "LaunchProgram": "Launch %1",
+ "AssocFileExtension": "&Associate %1 with the %2 file extension",
+ "AssocingFileExtension": "Associating %1 with the %2 file extension...",
+ "AutoStartProgramGroupDescription": "Startup:",
+ "AutoStartProgram": "Automatically start %1",
+ "AddonHostProgramNotFound": "%1 could not be located in the folder you selected.%n%nDo you want to continue anyway?"
+ },
+ "vs/base/common/severity": {
+ "sev.error": "Hiba",
+ "sev.warning": "Figyelmeztetés",
+ "sev.info": "Információ"
+ },
+ "vs/base/common/date": {
+ "date.fromNow.now": "now",
+ "date.fromNow.seconds.singular.ago": "{0} sec ago",
+ "date.fromNow.seconds.plural.ago": "{0} secs ago",
+ "date.fromNow.seconds.singular": "{0} sec",
+ "date.fromNow.seconds.plural": "{0} secs",
+ "date.fromNow.minutes.singular.ago": "{0} min ago",
+ "date.fromNow.minutes.plural.ago": "{0} mins ago",
+ "date.fromNow.minutes.singular": "{0} min",
+ "date.fromNow.minutes.plural": "{0} mins",
+ "date.fromNow.hours.singular.ago": "{0} hr ago",
+ "date.fromNow.hours.plural.ago": "{0} hrs ago",
+ "date.fromNow.hours.singular": "{0} hr",
+ "date.fromNow.hours.plural": "{0} hrs",
+ "date.fromNow.days.singular.ago": "{0} day ago",
+ "date.fromNow.days.plural.ago": "{0} hónapja",
+ "date.fromNow.days.singular": "{0} day",
+ "date.fromNow.days.plural": "{0} days",
+ "date.fromNow.weeks.singular.ago": "{0} wk ago",
+ "date.fromNow.weeks.plural.ago": "{0} wks ago",
+ "date.fromNow.weeks.singular": "{0} wk",
+ "date.fromNow.weeks.plural": "{0} wks",
+ "date.fromNow.months.singular.ago": "{0} mo ago",
+ "date.fromNow.months.plural.ago": "{0} mos ago",
+ "date.fromNow.months.singular": "{0} mo",
+ "date.fromNow.months.plural": "{0} mos",
+ "date.fromNow.years.singular.ago": "{0} yr ago",
+ "date.fromNow.years.plural.ago": "{0} yrs ago",
+ "date.fromNow.years.singular": "{0} yr",
+ "date.fromNow.years.plural": "{0} yrs"
+ },
+ "vs/base/common/errorMessage": {
+ "stackTrace.format": "{0}: {1}",
+ "nodeExceptionMessage": "Rendszerhiba történt ({0})",
+ "error.defaultMessage": "Ismeretlen hiba történt. Részletek a naplóban.",
+ "error.moreErrors": "{0} (összesen {1} hiba)"
+ },
+ "vs/base/node/zip": {
+ "invalid file": "Hiba a(z) {0} kicsomagolása közben: érvénytelen fájl.",
+ "incompleteExtract": "Hiányos. {0} találat a(z) {0} bejegyzésből",
+ "notFound": "{0} nem található a zipen belül."
+ },
+ "vs/base/browser/ui/actionbar/actionbar": {
+ "titleLabel": "{0} ({1})"
+ },
+ "vs/base/node/processes": {
+ "TaskRunner.UNC": "Rendszerparancsok nem hajthatók végre UNC-meghajtókon."
+ },
+ "vs/base/browser/ui/aria/aria": {
+ "repeated": "{0} (ismét előfordult)",
+ "repeatedNtimes": "{0} ({1} alkalommal következett be)"
+ },
+ "vs/base/browser/ui/keybindingLabel/keybindingLabel": {
+ "unbound": "nincs hozzárendelve"
+ },
+ "vs/base/browser/ui/dialog/dialog": {
+ "ok": "OK",
+ "dialogClose": "Close Dialog"
+ },
+ "vs/base/common/keybindingLabels": {
+ "ctrlKey": "Ctrl",
+ "shiftKey": "Shift",
+ "altKey": "Alt",
+ "windowsKey": "Windows",
+ "superKey": "Super",
+ "ctrlKey.long": "Control",
+ "shiftKey.long": "Shift",
+ "altKey.long": "Alt",
+ "cmdKey.long": "Parancs",
+ "windowsKey.long": "Windows",
+ "superKey.long": "Super"
+ },
+ "vs/base/browser/ui/menu/menu": {
+ "titleLabel": "{0} ({1})"
+ },
+ "vs/base/browser/ui/list/listWidget": {
+ "aria list": "{0}. A navigáláshoz használja a navigációs billentyűket!"
+ },
+ "vs/base/common/jsonErrorMessages": {
+ "error.invalidSymbol": "Érvénytelen szimbólum",
+ "error.invalidNumberFormat": "Érvénytelen számformátum.",
+ "error.propertyNameExpected": "Hiányzó tulajdonságnév",
+ "error.valueExpected": "Hiányzó érték.",
+ "error.colonExpected": "Hiányzó kettőspont",
+ "error.commaExpected": "Hiányzó vessző",
+ "error.closeBraceExpected": "Hiányzó záró kapcsos zárójel",
+ "error.closeBracketExpected": "Hiányzó záró szögletes zárójel",
+ "error.endOfFileExpected": "Hiányzó fájlvégjel"
+ },
+ "vs/base/browser/ui/toolbar/toolbar": {
+ "moreActions": "More Actions..."
+ },
+ "vs/base/browser/ui/findinput/replaceInput": {
+ "defaultLabel": "bemeneti adat",
+ "label.preserveCaseCheckbox": "Preserve Case"
+ },
+ "vs/base/browser/ui/inputbox/inputBox": {
+ "alertErrorMessage": "Hiba: {0}",
+ "alertWarningMessage": "Figyelmeztetés: {0}",
+ "alertInfoMessage": "Információ: {0}"
+ },
+ "vs/base/browser/ui/findinput/findInput": {
+ "defaultLabel": "bemeneti adat"
+ },
+ "vs/base/browser/ui/tree/treeDefaults": {
+ "collapse all": "Összes bezárása"
+ },
+ "vs/base/browser/ui/findinput/findInputCheckboxes": {
+ "caseDescription": "Kis- és nagybetűk megkülönböztetése",
+ "wordsDescription": "Csak teljes szavas egyezés",
+ "regexDescription": "Reguláris kifejezés használata"
+ },
+ "vs/base/parts/quickinput/browser/quickInput": {
+ "quickInput.back": "Back",
+ "quickInput.steps": "{0}/{1}",
+ "quickInputBox.ariaLabel": "Kezdjen el gépelni a találati lista szűkítéséhez!",
+ "inputModeEntry": "Nyomjon 'Enter'-t a megerősítéshez vagy 'Escape'-et a megszakításhoz",
+ "inputModeEntryDescription": "{0} (Nyomjon 'Enter'-t a megerősítéshez vagy 'Escape'-et a megszakításhoz)",
+ "quickInput.visibleCount": "{0} találat",
+ "quickInput.countSelected": "{0} kiválasztva",
+ "ok": "OK",
+ "custom": "Custom",
+ "quickInput.backWithKeybinding": "Back ({0})"
+ },
+ "vs/base/browser/ui/tree/abstractTree": {
+ "clear": "Törlés",
+ "disable filter on type": "Disable Filter on Type",
+ "enable filter on type": "Enable Filter on Type",
+ "empty": "No elements found",
+ "found": "Matched {0} out of {1} elements"
+ },
+ "vs/base/browser/ui/splitview/paneview": {
+ "viewSection": "{0} Section"
+ },
+ "vs/base/browser/ui/menu/menubar": {
+ "mAppMenu": "Application Menu",
+ "mMore": "további"
+ },
+ "vs/editor/common/services/modelServiceImpl": {
+ "undoRedoConfirm": "Keep the undo-redo stack for {0} in memory ({1} MB)?",
+ "nok": "Elvetés",
+ "ok": "Megtartás"
+ },
+ "vs/editor/common/standaloneStrings": {
+ "noSelection": "No selection",
+ "singleSelectionRange": "Line {0}, Column {1} ({2} selected)",
+ "singleSelection": "Line {0}, Column {1}",
+ "multiSelectionRange": "{0} kijelölés ({1} karakter kijelölve)",
+ "multiSelection": "{0} kijelölés",
+ "emergencyConfOn": "Now changing the setting `accessibilitySupport` to 'on'.",
+ "openingDocs": "Now opening the Editor Accessibility documentation page.",
+ "readonlyDiffEditor": " in a read-only pane of a diff editor.",
+ "editableDiffEditor": " in a pane of a diff editor.",
+ "readonlyEditor": " in a read-only code editor",
+ "editableEditor": " in a code editor",
+ "changeConfigToOnMac": "A szerkesztő képernyő felolvasó szoftverrel történő használatának konfigurációjához nyomja meg a Command-E billentyűkombinációt.",
+ "changeConfigToOnWinLinux": "To configure the editor to be optimized for usage with a Screen Reader press Control+E now.",
+ "auto_on": "The editor is configured to be optimized for usage with a Screen Reader.",
+ "auto_off": "The editor is configured to never be optimized for usage with a Screen Reader, which is not the case at this time.",
+ "tabFocusModeOnMsg": "Az aktuális szerkesztőablakban a Tab billentyű lenyomása esetén a fókusz a következő fókuszálható elemre kerül. Ez a viselkedés a(z) {0} leütésével módosítható.",
+ "tabFocusModeOnMsgNoKb": "Az aktuális szerkesztőablakban a Tab billentyű lenyomása esetén a fókusz a következő fókuszálható elemre kerül. A(z) {0} parancs jelenleg nem aktiválható billentyűkombinációval.",
+ "tabFocusModeOffMsg": "Az aktuális szerkesztőablakban a Tab billentyű lenyomása esetén beszúrásra kerül egy tabulátor karakter. Ez a viselkedés a(z) {0} leütésével módosítható.",
+ "tabFocusModeOffMsgNoKb": "Az aktuális szerkesztőablakban a Tab billentyű lenyomása esetén beszúrásra kerül egy tabulátor karakter. A(z) {0} parancs jelenleg nem aktiválható billentyűkombinációval.",
+ "openDocMac": "Press Command+H now to open a browser window with more information related to editor accessibility.",
+ "openDocWinLinux": "Press Control+H now to open a browser window with more information related to editor accessibility.",
+ "outroMsg": "A súgószöveg eltüntetéséhez és a szerkesztőablakba való visszatéréshez nyomja meg az Escape billentyűt vagy a Shift+Escape billentyűkombinációt!",
+ "showAccessibilityHelpAction": "Kisegítő lehetőségek súgó megjelenítése",
+ "inspectTokens": "Developer: Inspect Tokens",
+ "gotoLineActionLabel": "Go to Line/Column...",
+ "helpQuickAccess": "Show all Quick Access Providers",
+ "quickCommandActionLabel": "Parancskatalógus",
+ "quickCommandActionHelp": "Parancsok megjelenítése és futtatása",
+ "quickOutlineActionLabel": "Szimbólum megkeresése...",
+ "quickOutlineByCategoryActionLabel": "Go to Symbol by Category...",
+ "editorViewAccessibleLabel": "Szerkesztőablak tartalma",
+ "accessibilityHelpMessage": "Nyomja meg az Alt+F1-et a kisegítő lehetőségekhez!",
+ "toggleHighContrast": "Toggle High Contrast Theme",
+ "bulkEditServiceSummary": "{0} változtatást végzett {0} fájlban"
+ },
+ "vs/editor/common/modes/modesRegistry": {
+ "plainText.alias": "Egyszerű szöveg"
+ },
+ "vs/editor/common/view/editorColorRegistry": {
+ "lineHighlight": "A kurzor pozícióján található sor kiemelési háttérszíne.",
+ "lineHighlightBorderBox": "A kurzor pozícióján található sor keretszíne.",
+ "rangeHighlight": "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.",
+ "rangeHighlightBorder": "A kiemelt területek körüli keret háttérszíne.",
+ "symbolHighlight": "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.",
+ "symbolHighlightBorder": "Background color of the border around highlighted symbols.",
+ "caret": "A szerkesztőablak kurzorának színe.",
+ "editorCursorBackground": "A szerkesztőablak kurzorának háttérszíne. Lehetővé teszik az olyan karakterek színének módosítását, amelyek fölött egy blokk-típusú kurzor áll.",
+ "editorWhitespaces": "A szerkesztőablakban található szóköz karakterek színe.",
+ "editorIndentGuides": "A szerkesztőablak segédvonalainak színe.",
+ "editorActiveIndentGuide": "Az aktív szerkesztőablak segédvonalainak színe.",
+ "editorLineNumbers": "A szerkesztőablak sorszámainak színe.",
+ "editorActiveLineNumber": "A szerkesztőablak aktív sorához tartozó sorszám színe.",
+ "deprecatedEditorActiveLineNumber": "Az Id elavult. Használja helyette az 'editorLineNumber.activeForeground' beállítást!",
+ "editorRuler": "A szerkesztőablak sávjainak színe.",
+ "editorCodeLensForeground": "A szerkesztőablakban található kódlencsék előtérszíne",
+ "editorBracketMatchBackground": "Hozzátartozó zárójelek háttérszíne",
+ "editorBracketMatchBorder": "Az összetartozó zárójelek dobozának színe",
+ "editorOverviewRulerBorder": "Az áttekintő sáv keretszíne.",
+ "editorGutter": "A szerkesztőablag margójának háttérszíne. A margón található a szimbólummargó és a sorszámok.",
+ "unnecessaryCodeBorder": "Border color of unnecessary (unused) source code in the editor.",
+ "unnecessaryCodeOpacity": "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.",
+ "overviewRulerRangeHighlight": "Overview ruler marker color for range highlights. The color must not be opaque so as not to hide underlying decorations.",
+ "overviewRuleError": "A hibákat jelölő jelzések színe az áttekintősávon.",
+ "overviewRuleWarning": "A figyelmeztetéseket jelölő jelzések színe az áttekintősávon.",
+ "overviewRuleInfo": "Az információkat jelölő jelzések színe az áttekintősávon."
+ },
+ "vs/editor/common/model/editStack": {
+ "edit": "Typing"
+ },
+ "vs/editor/common/config/commonEditorConfig": {
+ "editorConfigurationTitle": "Szerkesztőablak",
+ "tabSize": "Meghatározza, hogy egy tabulátor hány szóköznek felel meg. A beállítás felülíródik a fájl tartalma alapján, ha az `#editor.detectIndentation#` beállítás aktív.",
+ "insertSpaces": "Szóközök beszúrása a `Tab` billentyű lenyomása esetén. Ez a beállítás felülíródik a fájl tartalma alapján, ha az `#editor.detectIndentation#` beállítás aktív.",
+ "detectIndentation": "Meghatározza, hogy a fájlok megnyitása során a fájl tartalma alapján automatikusan meg van-e határozva az `#editor.tabSize#` és az `#editor.insertSpaces#` beállítások értéke.",
+ "trimAutoWhitespace": "A sorok végén lévő, automatikusan beillesztett szóközök eltávolítása.",
+ "largeFileOptimizations": "Nagy fájlok megnyitása esetén néhány, sok memóriát használó funkció letiltása.",
+ "wordBasedSuggestions": "Meghatározza, hogy a kiegészítések listája a dokumentumban lévő szövegek alapján legyen-e meghatározva.",
+ "semanticHighlighting.enabled": "Controls whether the semanticHighlighting is shown for the languages that support it.",
+ "stablePeek": "A betekintőablakok maradjanak nyitva akkor is, ha duplán kattintanak a tartalmára vagy megnyomják az `Escape` billentyűt.",
+ "maxTokenizationLineLength": "Lines above this length will not be tokenized for performance reasons",
+ "maxComputationTime": "Timeout in milliseconds after which diff computation is cancelled. Use 0 for no timeout.",
+ "sideBySide": "Meghatározza, hogy a differenciaszerkesztő ablakban egymás mellett vagy a sorban jelenjenek meg az eltérések.",
+ "ignoreTrimWhitespace": "When enabled, the diff editor ignores changes in leading or trailing whitespace.",
+ "renderIndicators": "Meghatározza, hogy a differenciaszerkesztő ablakban megjelenjenek-e a +/- jelzők az hozzáadott/eltávolított változásoknál."
+ },
+ "vs/editor/browser/controller/coreCommands": {
+ "miSelectAll": "Az össze&&s kijelölése",
+ "selectAll": "Összes kijelölése",
+ "miUndo": "&&Visszavonás",
+ "undo": "Visszavonás",
+ "miRedo": "&&Mégis",
+ "redo": "Újra"
+ },
+ "vs/editor/browser/widget/codeEditorWidget": {
+ "cursors.maximum": "A kurzorok száma legfeljebb {0} lehet."
+ },
+ "vs/editor/browser/widget/diffEditorWidget": {
+ "diff.tooLarge": "A fájlok nem hasonlíthatók össze, mert az egyik fájl túl nagy."
+ },
+ "vs/editor/browser/widget/inlineDiffMargin": {
+ "diff.clipboard.copyDeletedLinesContent.label": "Copy deleted lines",
+ "diff.clipboard.copyDeletedLinesContent.single.label": "Copy deleted line",
+ "diff.clipboard.copyDeletedLineContent.label": "Copy deleted line ({0})",
+ "diff.inline.revertChange.label": "Revert this change"
+ },
+ "vs/editor/common/config/editorOptions": {
+ "accessibilitySupport.auto": "A szerkesztő a platform által biztosított API-kat használja annak megállapításához, hogy van-e képernyőolvasó csatlakoztatva.",
+ "accessibilitySupport.on": "A szerkesztő folyamatos képernyőolvasóval való használatára van optimalizálva.",
+ "accessibilitySupport.off": "A szerkesztő soha nincs képernyőolvasó használatára optimalizálva.",
+ "accessibilitySupport": "Meghatározza, hogy a szerkesztő olyan módban fusson-e, ami optimalizálva van képernyőolvasóval való használathoz.",
+ "comments.insertSpace": "Controls whether a space character is inserted when commenting.",
+ "emptySelectionClipboard": "Meghatározza, hogy kijelölés nélküli másolás esetén a teljes sor legyen-e másolva.",
+ "find.seedSearchStringFromSelection": "Meghatározza, hogy a keresés modulba automatikusan bekerüljön-e a szerkesztőablakban kiválasztott szöveg.",
+ "editor.find.autoFindInSelection.never": "Never turn on Find in selection automatically (default)",
+ "editor.find.autoFindInSelection.always": "Always turn on Find in selection automatically",
+ "editor.find.autoFindInSelection.multiline": "Turn on Find in selection automatically when multiple lines of content are selected.",
+ "find.autoFindInSelection": "Meghatározza, hogy a keresési művelet a kijelölt szövegen vagy a szerkesztőablakban található teljes fájlon van végrehajtva.",
+ "find.globalFindClipboard": "Meghatározza, hogy a keresőmodul olvashatja és módosíthatja-e a macOS megosztott keresési vágólapját.",
+ "find.addExtraSpaceOnTop": "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.",
+ "fontLigatures": "A betűtípusokban található ligatúrák használatának engedélyezése vagy letiltása.",
+ "fontFeatureSettings": "Explicit font-feature-settings.",
+ "fontLigaturesGeneral": "Configures font ligatures or font features.",
+ "fontSize": "Meghatározza a betű méretét, pixelekben.",
+ "editor.gotoLocation.multiple.peek": "Show peek view of the results (default)",
+ "editor.gotoLocation.multiple.gotoAndPeek": "Go to the primary result and show a peek view",
+ "editor.gotoLocation.multiple.goto": "Go to the primary result and enable peek-less navigation to others",
+ "editor.gotoLocation.multiple.deprecated": "This setting is deprecated, please use separate settings like 'editor.editor.gotoLocation.multipleDefinitions' or 'editor.editor.gotoLocation.multipleImplementations' instead.",
+ "editor.editor.gotoLocation.multipleDefinitions": "Controls the behavior the 'Go to Definition'-command when multiple target locations exist.",
+ "editor.editor.gotoLocation.multipleTypeDefinitions": "Controls the behavior the 'Go to Type Definition'-command when multiple target locations exist.",
+ "editor.editor.gotoLocation.multipleDeclarations": "Controls the behavior the 'Go to Declaration'-command when multiple target locations exist.",
+ "editor.editor.gotoLocation.multipleImplemenattions": "Controls the behavior the 'Go to Implementations'-command when multiple target locations exist.",
+ "editor.editor.gotoLocation.multipleReferences": "Controls the behavior the 'Go to References'-command when multiple target locations exist.",
+ "alternativeDefinitionCommand": "Alternative command id that is being executed when the result of 'Go to Definition' is the current location.",
+ "alternativeTypeDefinitionCommand": "Alternative command id that is being executed when the result of 'Go to Type Definition' is the current location.",
+ "alternativeDeclarationCommand": "Alternative command id that is being executed when the result of 'Go to Declaration' is the current location.",
+ "alternativeImplementationCommand": "Alternative command id that is being executed when the result of 'Go to Implementation' is the current location.",
+ "alternativeReferenceCommand": "Alternative command id that is being executed when the result of 'Go to Reference' is the current location.",
+ "hover.enabled": "Meghatározza, hogy megjelenjen-e a súgószöveg",
+ "hover.delay": "Meghatározza, hogy mennyi késéssel jelenik meg a súgószöveg, ezredmásodpercben.",
+ "hover.sticky": "Meghatározza, hogy a súgószöveg akkor is látható maradjon-e, ha az egeret fölé húzzák.",
+ "codeActions": "Engedélyezi a kódműveletek végrehajtásához használható villanykörtét a szerkesztőablakban.",
+ "lineHeight": "Meghatározza a sormagasságot. Ha azt szeretné, hogy a sormagasság a betűméretből legyen számítani, állítsa az értékét 0-ra.",
+ "minimap.enabled": "Meghatározza, hogy megjelenjen-e a kódtérkép.",
+ "minimap.size.proportional": "The minimap has the same size as the editor contents (and might scroll).",
+ "minimap.size.fill": "The minimap will stretch or shrink as necessary to fill the height of the editor (no scrolling).",
+ "minimap.size.fit": "The minimap will shrink as necessary to never be larger than the editor (no scrolling).",
+ "minimap.size": "Controls the size of the minimap.",
+ "minimap.side": "Meghatározza, hogy melyik oldalon jelenjen meg a kódtérkép.",
+ "minimap.showSlider": "Controls when the minimap slider is shown.",
+ "minimap.scale": "Scale of content drawn in the minimap: 1, 2 or 3.",
+ "minimap.renderCharacters": "Meghatározza, hogy a tényleges karakterek legyenek-e megjelenítve színes téglalapok helyett.",
+ "minimap.maxColumn": "Meghatározza, hogy a kódtérképen legfeljebb hány oszlop legyen kirajzolva.",
+ "padding.top": "Controls the amount of space between the top edge of the editor and the first line.",
+ "padding.bottom": "Controls the amount of space between the bottom edge of the editor and the last line.",
+ "parameterHints.enabled": "Paraméterinformációkat és típusinformációkat tartalmazó felugró ablak engedélyezése gépelés közben.",
+ "parameterHints.cycle": "Meghatározza, hogy a paramétersúgó menü körbe jár vagy bezáródik a lista végére érve.",
+ "quickSuggestions.strings": "Kiegészítési javaslatok engedélyezése karakterláncokban (stringekben)",
+ "quickSuggestions.comments": "Kiegészítési javaslatok engedélyezése megjegyzésekben",
+ "quickSuggestions.other": "Kiegészítési javaslatok engedélyezése karakterláncokon (stringeken) és megjegyzéseken kívül",
+ "quickSuggestions": "Meghatározza, hogy automatikusan megjelenjenek-e a javaslatok gépelés közben.",
+ "lineNumbers.off": "A sorszámok nem jelennek meg.",
+ "lineNumbers.on": "A sorok abszolút számmal vannak számozva.",
+ "lineNumbers.relative": "A sorok a kurzor pozíciójától való távolságuk alapján vannak számozva.",
+ "lineNumbers.interval": "A sorszámok minden 10. sorban jelennek meg.",
+ "lineNumbers": "Meghatározza a sorok számozásának módját.",
+ "rulers.size": "Number of monospace characters at which this editor ruler will render.",
+ "rulers.color": "Color of this editor ruler.",
+ "rulers": "Függőleges vonalzók kirajzolása bizonyos számú fix szélességű karakter után. Ha több vonalzót szeretne használni, adjon meg több értéket. Ha a tömb üres, egyetlen vonalzó sem lesz kirajzolva.",
+ "suggest.insertMode.insert": "Insert suggestion without overwriting text right of the cursor.",
+ "suggest.insertMode.replace": "Insert suggestion and overwrite text right of the cursor.",
+ "suggest.insertMode": "Controls whether words are overwritten when accepting completions. Note that this depends on extensions opting into this feature.",
+ "suggest.filterGraceful": "Meghatározza, hogy az ajánlatok szűrése és rendezése során figyelembe vannak-e véve az apró elírások.",
+ "suggest.localityBonus": "Meghatározza, hogy a rendezés során előnyben vannak-e részesítve azok a szavak, amelyek közelebb vannak a kurzorhoz.",
+ "suggest.shareSuggestSelections": "Controls whether remembered suggestion selections are shared between multiple workspaces and windows (needs `#editor.suggestSelection#`).",
+ "suggest.snippetsPreventQuickSuggestions": "Controls whether an active snippet prevents quick suggestions.",
+ "suggest.showIcons": "Controls whether to show or hide icons in suggestions.",
+ "suggest.maxVisibleSuggestions": "Controls how many suggestions IntelliSense will show before showing a scrollbar (maximum 15).",
+ "deprecated": "This setting is deprecated, please use separate settings like 'editor.suggest.showKeywords' or 'editor.suggest.showSnippets' instead.",
+ "editor.suggest.showMethods": "When enabled IntelliSense shows `method`-suggestions.",
+ "editor.suggest.showFunctions": "When enabled IntelliSense shows `function`-suggestions.",
+ "editor.suggest.showConstructors": "When enabled IntelliSense shows `constructor`-suggestions.",
+ "editor.suggest.showFields": "When enabled IntelliSense shows `field`-suggestions.",
+ "editor.suggest.showVariables": "When enabled IntelliSense shows `variable`-suggestions.",
+ "editor.suggest.showClasss": "When enabled IntelliSense shows `class`-suggestions.",
+ "editor.suggest.showStructs": "When enabled IntelliSense shows `struct`-suggestions.",
+ "editor.suggest.showInterfaces": "When enabled IntelliSense shows `interface`-suggestions.",
+ "editor.suggest.showModules": "When enabled IntelliSense shows `module`-suggestions.",
+ "editor.suggest.showPropertys": "When enabled IntelliSense shows `property`-suggestions.",
+ "editor.suggest.showEvents": "When enabled IntelliSense shows `event`-suggestions.",
+ "editor.suggest.showOperators": "When enabled IntelliSense shows `operator`-suggestions.",
+ "editor.suggest.showUnits": "When enabled IntelliSense shows `unit`-suggestions.",
+ "editor.suggest.showValues": "When enabled IntelliSense shows `value`-suggestions.",
+ "editor.suggest.showConstants": "When enabled IntelliSense shows `constant`-suggestions.",
+ "editor.suggest.showEnums": "When enabled IntelliSense shows `enum`-suggestions.",
+ "editor.suggest.showEnumMembers": "When enabled IntelliSense shows `enumMember`-suggestions.",
+ "editor.suggest.showKeywords": "When enabled IntelliSense shows `keyword`-suggestions.",
+ "editor.suggest.showTexts": "When enabled IntelliSense shows `text`-suggestions.",
+ "editor.suggest.showColors": "When enabled IntelliSense shows `color`-suggestions.",
+ "editor.suggest.showFiles": "When enabled IntelliSense shows `file`-suggestions.",
+ "editor.suggest.showReferences": "When enabled IntelliSense shows `reference`-suggestions.",
+ "editor.suggest.showCustomcolors": "When enabled IntelliSense shows `customcolor`-suggestions.",
+ "editor.suggest.showFolders": "When enabled IntelliSense shows `folder`-suggestions.",
+ "editor.suggest.showTypeParameters": "When enabled IntelliSense shows `typeParameter`-suggestions.",
+ "editor.suggest.showSnippets": "When enabled IntelliSense shows `snippet`-suggestions.",
+ "editor.suggest.showUsers": "When enabled IntelliSense shows `user`-suggestions.",
+ "editor.suggest.showIssues": "When enabled IntelliSense shows `issues`-suggestions.",
+ "editor.suggest.statusBar.visible": "Controls the visibility of the status bar at the bottom of the suggest widget.",
+ "acceptSuggestionOnCommitCharacter": "Meghatározza, hogy a javaslatok a zárókarakterek leütésére is el legyenek-e fogadva. A JavaScriptben például a pontosvessző (`;`) számít zárókarakternek, leütésére a javaslat elfogadásra kerül és beillesztésre kerül az adott karakter.",
+ "acceptSuggestionOnEnterSmart": "Azok a javaslatok, amelyek a szövegben változásokat hajtanak végre, csak az `Enter` gomb lenyomására legyenek elfogadva.",
+ "acceptSuggestionOnEnter": "Meghatározza, hogy a javaslatok a `Tab`` mellett az `Enter` gomb leütésére is el legyenek fogadva. Segít feloldani a bizonytalanságot az új sorok beillesztése és a javaslatok elfogadása között.",
+ "accessibilityPageSize": "Controls the number of lines in the editor that can be read out by a screen reader. Warning: this has a performance implication for numbers larger than the default.",
+ "editorViewAccessibleLabel": "Szerkesztőablak tartalma",
+ "editor.autoClosingBrackets.languageDefined": "Zárójelek automatikus bezárása az adott nyelv beállításai alapján.",
+ "editor.autoClosingBrackets.beforeWhitespace": "Zárójelek automatikus bezárása, ha a kurzor egy whitespace-karakter bal oldalán van.",
+ "autoClosingBrackets": "Meghatározza, hogy a szerkesztő automatikusan beszúrja-e a záró zárójelet, ha a felhasználó egy nyitó zárójelet ír be.",
+ "editor.autoClosingOvertype.auto": "Type over closing quotes or brackets only if they were automatically inserted.",
+ "autoClosingOvertype": "Controls whether the editor should type over closing quotes or brackets.",
+ "editor.autoClosingQuotes.languageDefined": "Idézőjelek automatikus bezárása az adott nyelv beállításai alapján.",
+ "editor.autoClosingQuotes.beforeWhitespace": "Idézőjelek automatikus bezárása, ha a kurzor egy whitespace-karakter bal oldalán van.",
+ "autoClosingQuotes": "Meghatározza, hogy a szerkesztő automatikusan beszúrja-e a záró idézőjelet, ha a felhasználó egy nyitó idézőjelet ír be.",
+ "editor.autoIndent.none": "The editor will not insert indentation automatically.",
+ "editor.autoIndent.keep": "The editor will keep the current line's indentation.",
+ "editor.autoIndent.brackets": "The editor will keep the current line's indentation and honor language defined brackets.",
+ "editor.autoIndent.advanced": "The editor will keep the current line's indentation, honor language defined brackets and invoke special onEnterRules defined by languages.",
+ "editor.autoIndent.full": "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.",
+ "autoIndent": "Controls whether the editor should automatically adjust the indentation when users type, paste, move or indent lines.",
+ "editor.autoSurround.languageDefined": "Kijelölések körülvétele az adott nyelv beállításai alapján.",
+ "editor.autoSurround.quotes": "Körülvétel idézőjelekkel, de zárójelekkel nem.",
+ "editor.autoSurround.brackets": "Körülvétel zárójelekkel, de idézőjelekkel nem.",
+ "autoSurround": "Meghatározza, hogy a szerkesztőablak automatikusan körülvegye-e a kijelöléseket.",
+ "codeLens": "Controls whether the editor shows CodeLens.",
+ "colorDecorators": "Meghatározza, hogy a szerkesztőablakban ki legyenek-e rajzolva a színdekorátorok és színválasztók.",
+ "columnSelection": "Enable that the selection with the mouse and keys is doing column selection.",
+ "copyWithSyntaxHighlighting": "Meghatározza, hogy a szöveg szintaktikai kiemeléssel legyen-e a vágólapra másolva.",
+ "cursorBlinking": "Meghatározza a kurzor animációjának stílusát.",
+ "cursorSmoothCaretAnimation": "Controls whether the smooth caret animation should be enabled.",
+ "cursorStyle": "Meghatározza a kurzor stílusát.",
+ "cursorSurroundingLines": "Controls the minimal number of visible leading and trailing lines surrounding the cursor. Known as 'scrollOff' or `scrollOffset` in some other editors.",
+ "cursorSurroundingLinesStyle.default": "`cursorSurroundingLines` is enforced only when triggered via the keyboard or API.",
+ "cursorSurroundingLinesStyle.all": "`cursorSurroundingLines` is enforced always.",
+ "cursorSurroundingLinesStyle": "Controls when `cursorSurroundingLines` should be enforced.",
+ "cursorWidth": "Meghatározza a kurzor szélességét, ha az `#editor.cursorStyle#` értéke „line”.",
+ "dragAndDrop": "Meghatározza, hogy a szerkesztőablakban engedélyezett-e a kijelölt szövegrészletek húzással való áhelyezése.",
+ "fastScrollSensitivity": "Scrolling speed multiplier when pressing `Alt`.",
+ "folding": "Controls whether the editor has code folding enabled.",
+ "foldingStrategy.auto": "Use a language-specific folding strategy if available, else the indentation-based one.",
+ "foldingStrategy.indentation": "Use the indentation-based folding strategy.",
+ "foldingStrategy": "Controls the strategy for computing folding ranges.",
+ "foldingHighlight": "Controls whether the editor should highlight folded ranges.",
+ "unfoldOnClickAfterEndOfLine": "Controls whether clicking on the empty content after a folded line will unfold the line.",
+ "fontFamily": "Ez a beállítás a betűkészletet határozza meg.",
+ "fontWeight": "Meghatározza a betűvastagságot.",
+ "formatOnPaste": "Meghatározza, hogy a szerkesztő automatikusan formázza-e a beillesztett tartalmat. Ehhez szükség van az adott nyelvhez egy formázóra, illetve a formázónak tudnia kell a dokumentum egy részét formázni.",
+ "formatOnType": "Meghatározza, hogy a szerkesztő automatikusan formázza-e a sort gépelés után.",
+ "glyphMargin": "Meghatározza, hogy legyen-e vertikális szimbólummargó a szerkesztőablakban. A szimbólummargó elsősorban hibakeresésnél van használva.",
+ "hideCursorInOverviewRuler": "Meghatározza, hogy a kurzor pozíciója el legyen-e rejtve az áttekintő sávon.",
+ "highlightActiveIndentGuide": "Meghatározza, hogy ki legyen-e emelve az aktív behúzási segédvonal a szerkesztőablakban.",
+ "letterSpacing": "A betűköz mérete pixelben.",
+ "links": "Meghatározza, hogy a szerkesztőablakban fel legyenek-e derítve a hivatkozások és azok kattinthatók legyenek-e.",
+ "matchBrackets": "Highlight matching brackets.",
+ "mouseWheelScrollSensitivity": "Az egér görgetési eseményeinél keletkező `deltaX` és `deltaY` paraméterek szorzója.",
+ "mouseWheelZoom": "A szerkesztőablak betűtípusának nagyítása vagy kicsinyítése az egérgörgő `Ctrl` lenyomása mellett történő használata esetén.",
+ "multiCursorMergeOverlapping": "Több kurzor összeolvasztása, ha azok fedik egymást.",
+ "multiCursorModifier.ctrlCmd": "Windows és Linux alatt a `Control`, macOS alatt a `Command` billentyűt jelenti.",
+ "multiCursorModifier.alt": "Windows és Linux alatt az `Alt`, macOS alatt az `Option` billentyűt jelenti.",
+ "multiCursorModifier": "Több kurzor hozzáadásához használt módosítóbillentyű. A Definíció megkeresése és Hivatkozás megnyitása egérgesztusok automatikusan alkalmazkodnak, így nem fognak ütközni a több kurzorhoz tartozó módosítóval. [További információ](https://code.visualstudio.com/docs/editor/codebasics#_multicursor-modifier)",
+ "multiCursorPaste.spread": "Each cursor pastes a single line of the text.",
+ "multiCursorPaste.full": "Each cursor pastes the full text.",
+ "multiCursorPaste": "Controls pasting when the line count of the pasted text matches the cursor count.",
+ "occurrencesHighlight": "Meghatározza, hogy a szerkesztőablakban ki legyenek-e emelve a szimbólumok szemantikailag hozzájuk tartozó előfordulásai.",
+ "overviewRulerBorder": "Meghatározza, hogy legyen-e kerete az áttekintő sávnak.",
+ "peekWidgetDefaultFocus.tree": "Focus the tree when opening peek",
+ "peekWidgetDefaultFocus.editor": "Focus the editor when opening peek",
+ "peekWidgetDefaultFocus": "Controls whether to focus the inline editor or the tree in the peek widget.",
+ "definitionLinkOpensInPeek": "Controls whether the Go to Definition mouse gesture always opens the peek widget.",
+ "quickSuggestionsDelay": "Meghatározza, hogy hány ezredmásodperc késleltetéssel jelenjenek meg a kiegészítési javaslatok",
+ "renameOnType": "Controls whether the editor auto renames on type.",
+ "renderControlCharacters": "Meghatározza, hogy a szerkesztőablakban ki legyenek-e rajzolva a vezérlőkarakterek.",
+ "renderIndentGuides": "Meghatározza, hogy a szerkesztőablakban ki legyenek-e rajzolva a behúzási segédvonalak.",
+ "renderFinalNewline": "Render last line number when the file ends with a newline.",
+ "renderLineHighlight.all": "A margó és az aktuális sor is legyen kiemelve.",
+ "renderLineHighlight": "Meghatározza, hogy a szerkesztőablakban hogyan legyen kirajzolva az aktuális sor kiemelése.",
+ "renderLineHighlightOnlyWhenFocus": "Controls if the editor should render the current line highlight only when the editor is focused",
+ "renderWhitespace.selection": "Render whitespace characters only on selected text.",
+ "renderWhitespace": "Meghatározza, hogy a szerkesztőablakban ki legyenek-e rajzolva a szóközkarakterek.",
+ "roundedSelection": "Meghatározza, hogy a kijelölések sarkai le legyenek-e kerekítve.",
+ "scrollBeyondLastColumn": "Meghatározza, hogy hány extra karakterig görgethető a szerkesztőablak vízszintes irányban.",
+ "scrollBeyondLastLine": "Meghatározza, hogy a szerkesztőablak görgethető-e az utolsó soron túl.",
+ "scrollPredominantAxis": "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.",
+ "selectionClipboard": "Meghatározza-e, hogy támogatva van-e az elsődleges vágólap Linux alatt.",
+ "selectionHighlight": "Controls whether the editor should highlight matches similar to the selection.",
+ "showFoldingControls.always": "Always show the folding controls.",
+ "showFoldingControls.mouseover": "Only show the folding controls when the mouse is over the gutter.",
+ "showFoldingControls": "Controls when the folding controls on the gutter are shown.",
+ "showUnused": "Meghatározza, hogy a nem használt kódrészletek halványítva vannak-e.",
+ "snippetSuggestions.top": "A javasolt kódrészletek a többi javaslat előtt jelenjenek meg.",
+ "snippetSuggestions.bottom": "A javasolt kódrészletek a többi javaslat után jelenjenek meg.",
+ "snippetSuggestions.inline": "A javasolt kódrészletek a többi javaslattal együtt jelenjenek meg.",
+ "snippetSuggestions.none": "Ne jelenjenek meg a javasolt kódrészletek.",
+ "snippetSuggestions": "Meghatározza, hogy a kódtöredékek megjelenjenek-e a javaslatok között, illetve hogy hogyan legyenek rendezve.",
+ "smoothScrolling": "Meghatározza, hogy animálva van-e a szerkesztőablak görgetése.",
+ "suggestFontSize": "Az ajánlásokat tartalmazó modul betűmérete. Ha az értéke 0, az `#editor.fontSize#` beállítás értéke van használva.",
+ "suggestLineHeight": "Az ajánlásokat tartalmazó modul sormagassága. Ha az értéke 0, az `#editor.lineHeight#` beállítás értéke van használva.",
+ "suggestOnTriggerCharacters": "Meghatározza, hogy eseménykiváltó karakterek beírásakor automatikusan megjelenjenek-e a javaslatok.",
+ "suggestSelection.first": "Mindig válassza az első javaslatot.",
+ "suggestSelection.recentlyUsed": "Select recent suggestions unless further typing selects one, e.g. `console.| -> console.log` because `log` has been completed recently.",
+ "suggestSelection.recentlyUsedByPrefix": "Select suggestions based on previous prefixes that have completed those suggestions, e.g. `co -> console` and `con -> const`.",
+ "suggestSelection": "Meghatározza, mely javaslat van előre kiválasztva a javaslatok listájából.",
+ "tabCompletion.on": "A tabulátoros kiegészítés beilleszti a legjobban illeszkedő találatot a tabulátor megnyomása esetén.",
+ "tabCompletion.off": "Tabulátoros kiegészítés letiltása.",
+ "tabCompletion.onlySnippets": "A tabulátor kiegészíti a kódrészleteket, ha az előtagjuk egyezik. Legjobban akkor működik, ha a „quickSuggestions” nincs engedélyezve.",
+ "tabCompletion": "Tabulátoros kiegészítés engedélyezése.",
+ "useTabStops": "Szóközök beillesztése és törlése során követve vannak a tabulátorok.",
+ "wordSeparators": "Azon karakterek listája, amelyek szóelválasztónak számítanak a szóalapú navigáció vagy a szavakkal kapcsolatos műveletek során.",
+ "wordWrap.off": "A sorok nincsenek tördelve.",
+ "wordWrap.on": "A sorok a nézetablak szélességénél vannak tördelve.",
+ "wordWrap.wordWrapColumn": "A sorok tördelve lesznek az `#editor.wordWrapColumn#` beállításban meghatározott oszlopnál.",
+ "wordWrap.bounded": "A sorok tördelve lesznek a nézetablak szélességének és az `#editor.wordWrapColumn#` értékének minimumánál.",
+ "wordWrap": "Meghatározza, hogy a sorok hogyan legyenek tördelve.",
+ "wordWrapColumn": "Meghatározza a sortöréshez használt oszlopszámot a szerkesztőablakban, ha az `#editor.wordWrap#` értéke 'wordWrapColumn' vagy 'bounded'.",
+ "wrappingIndent.none": "Nincs behúzás. A tördelt sorok az első oszlopnál kezdődnek.",
+ "wrappingIndent.same": "A tördelt sorok ugyanolyan behúzással rendelkeznek, mint a szülősor.",
+ "wrappingIndent.indent": "A tördelt sorok a szülőoszlophoz képest egy oszloppal beljebb vannak húzva.",
+ "wrappingIndent.deepIndent": "A tördelt sorok a szülőoszlophoz képest két oszloppal beljebb vannak húzva.",
+ "wrappingIndent": "Meghatározza a tördelt sorok behúzását.",
+ "wrappingStrategy.simple": "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.",
+ "wrappingStrategy.advanced": "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.",
+ "wrappingStrategy": "Controls the algorithm that computes wrapping points."
+ },
+ "vs/editor/browser/widget/diffReview": {
+ "label.close": "Bezárás",
+ "no_lines_changed": "no lines changed",
+ "one_line_changed": "1 line changed",
+ "more_lines_changed": "{0} lines changed",
+ "header": "Difference {0} of {1}: original line {2}, {3}, modified line {4}, {5}",
+ "blankLine": "üres",
+ "equalLine": "{0} original line {1} modified line {2}",
+ "insertLine": "+ {0} modified line {1}",
+ "deleteLine": "- {0} original line {1}",
+ "editor.action.diffReview.next": "Ugrás a következő eltérésre",
+ "editor.action.diffReview.prev": "Ugrás az előző eltérésre"
+ },
+ "vs/editor/browser/controller/textAreaHandler": {
+ "accessibilityOffAriaLabel": "The editor is not accessible at this time. Press {0} for options."
+ },
+ "vs/editor/contrib/caretOperations/transpose": {
+ "transposeLetters.label": "Betűk megcserélése"
+ },
+ "vs/editor/contrib/cursorUndo/cursorUndo": {
+ "cursor.undo": "Cursor Undo",
+ "cursor.redo": "Cursor Redo"
+ },
+ "vs/editor/contrib/comment/comment": {
+ "comment.line": "Egysoros megjegyzés ki-/bekapcsolása",
+ "miToggleLineComment": "&&Toggle Line Comment",
+ "comment.line.add": "Egysoros megjegyzés hozzáadása",
+ "comment.line.remove": "Egysoros megjegyzés eltávolítása",
+ "comment.block": "Megjegyzésblokk ki-/bekapcsolása",
+ "miToggleBlockComment": "Toggle &&Block Comment"
+ },
+ "vs/editor/contrib/caretOperations/caretOperations": {
+ "caret.moveLeft": "Move Selected Text Left",
+ "caret.moveRight": "Move Selected Text Right"
+ },
+ "vs/editor/contrib/fontZoom/fontZoom": {
+ "EditorFontZoomIn.label": "Szerkesztőablak betűtípusának nagyítása",
+ "EditorFontZoomOut.label": "Szerkesztőablak betűtípusának kicsinyítése",
+ "EditorFontZoomReset.label": "Szerkesztőablak betűtípusának visszaállítása"
+ },
+ "vs/editor/contrib/parameterHints/parameterHints": {
+ "parameterHints.trigger.label": "Paraméterinformációk megjelenítése"
+ },
+ "vs/editor/contrib/tokenization/tokenization": {
+ "forceRetokenize": "Developer: Force Retokenize"
+ },
+ "vs/editor/contrib/toggleTabFocusMode/toggleTabFocusMode": {
+ "toggle.tabMovesFocus": "Tabulátor billentyűvel mozgatott fókusz ki- és bekapcsolása",
+ "toggle.tabMovesFocus.on": "A Tab billentyű lenyomása esetén a fókusz a következő fókuszálható elemre ugrik",
+ "toggle.tabMovesFocus.off": "A Tab billentyű lenyomása esetén egy tabulátor karakter kerül beszúrásra"
+ },
+ "vs/editor/contrib/clipboard/clipboard": {
+ "actions.clipboard.cutLabel": "Kivágás",
+ "miCut": "Cu&&t",
+ "actions.clipboard.copyLabel": "Másolás",
+ "miCopy": "&&Copy",
+ "actions.clipboard.pasteLabel": "Beillesztés",
+ "miPaste": "&&Beillesztés",
+ "actions.clipboard.copyWithSyntaxHighlightingLabel": "Másolás szintaktikai kiemeléssel"
+ },
+ "vs/editor/contrib/format/formatActions": {
+ "formatDocument.label": "Dokumentum formázása",
+ "formatSelection.label": "Kijelölt tartalom formázása"
+ },
+ "vs/editor/contrib/contextmenu/contextmenu": {
+ "action.showContextMenu.label": "Szerkesztőablak helyi menüjének megjelenítése"
+ },
+ "vs/editor/contrib/hover/hover": {
+ "showHover": "Súgószöveg megjelenítése",
+ "showDefinitionPreviewHover": "Show Definition Preview Hover"
+ },
+ "vs/editor/contrib/inPlaceReplace/inPlaceReplace": {
+ "InPlaceReplaceAction.previous.label": "Csere az előző értékre",
+ "InPlaceReplaceAction.next.label": "Csere a következő értékre"
+ },
+ "vs/editor/contrib/rename/rename": {
+ "no result": "Nincs eredmény.",
+ "resolveRenameLocationFailed": "Ismeretlen hiba történt az átnevezés helyének meghatározása közben",
+ "label": "Renaming '{0}'",
+ "quotableLabel": "Renaming {0}",
+ "aria": "'{0}' sikeresen át lett nevezve a következőre: '{1}'. Összefoglaló: {2}",
+ "rename.failedApply": "Rename failed to apply edits",
+ "rename.failed": "Rename failed to compute edits",
+ "rename.label": "Szimbólum átnevezése",
+ "enablePreview": "Enable/disable the ability to preview changes before renaming"
+ },
+ "vs/editor/contrib/smartSelect/smartSelect": {
+ "smartSelect.expand": "Expand Selection",
+ "miSmartSelectGrow": "&&Expand Selection",
+ "smartSelect.shrink": "Shrink Selection",
+ "miSmartSelectShrink": "&&Shrink Selection"
+ },
+ "vs/editor/contrib/bracketMatching/bracketMatching": {
+ "overviewRulerBracketMatchForeground": "Kapcsolódó zárójeleket jelölő jelzések színe az áttekintősávon.",
+ "smartSelect.jumpBracket": "Zárójel megkeresése",
+ "smartSelect.selectToBracket": "Kijelölés a zárójelig",
+ "miGoToBracket": "Go to &&Bracket"
+ },
+ "vs/editor/contrib/codelens/codelensController": {
+ "showLensOnLine": "Show Code Lens Commands For Current Line"
+ },
+ "vs/editor/contrib/gotoSymbol/link/goToDefinitionAtPosition": {
+ "multipleResults": "Kattintson {0} definíció megjelenítéséhez."
+ },
+ "vs/editor/contrib/links/links": {
+ "links.navigate.executeCmd": "Execute command",
+ "links.navigate.follow": "Follow link",
+ "links.navigate.kb.meta.mac": "cmd + click",
+ "links.navigate.kb.meta": "ctrl + click",
+ "links.navigate.kb.alt.mac": "option + click",
+ "links.navigate.kb.alt": "alt + click",
+ "invalid.url": "A hivatkozást nem sikerült megnyitni, mert nem jól formázott: {0}",
+ "missing.url": "A hivatkozást nem sikerült megnyitni, hiányzik a célja.",
+ "label": "Hivatkozás megnyitása"
+ },
+ "vs/editor/contrib/gotoError/gotoError": {
+ "markerAction.next.label": "Következő probléma (hiba, figyelmeztetés, információ)",
+ "markerAction.previous.label": "Előző probléma (hiba, figyelmeztetés, információ)",
+ "markerAction.nextInFiles.label": "Következő probléma a fájlokban (hiba, figyelmeztetés, információ)",
+ "markerAction.previousInFiles.label": "Előző probléma a fájlokban (hiba, figyelmeztetés, információ)",
+ "miGotoNextProblem": "Next &&Problem",
+ "miGotoPreviousProblem": "Előző &&probléma"
+ },
+ "vs/editor/contrib/rename/onTypeRename": {
+ "onTypeRename.label": "On Type Rename Symbol"
+ },
+ "vs/editor/contrib/peekView/peekView": {
+ "label.close": "Bezárás",
+ "peekViewTitleBackground": "A betekintőablak címsorának háttérszíne.",
+ "peekViewTitleForeground": "A betekintőablak címének színe.",
+ "peekViewTitleInfoForeground": "A betekintőablak címsorában található információ színe.",
+ "peekViewBorder": "A betekintőablak keretének és nyilainak színe.",
+ "peekViewResultsBackground": "A betekintőablak eredménylistájának háttérszíne.",
+ "peekViewResultsMatchForeground": "A betekintőablak eredménylistájában található sorhivatkozások előtérszíne.",
+ "peekViewResultsFileForeground": "A betekintőablak eredménylistájában található fájlhivatkozások előtérszíne.",
+ "peekViewResultsSelectionBackground": "A betekintőablak eredménylistájában kiválaszott elem háttérszíne.",
+ "peekViewResultsSelectionForeground": "A betekintőablak eredménylistájában kiválaszott elem előtérszíne.",
+ "peekViewEditorBackground": "A betekintőablak szerkesztőablakának háttérszíne.",
+ "peekViewEditorGutterBackground": "A betekintőablak szerkesztőablakában található margó háttérszíne.",
+ "peekViewResultsMatchHighlight": "Kiemelt keresési eredmények színe a betekintőablak eredménylistájában.",
+ "peekViewEditorMatchHighlight": "Kiemelt keresési eredmények színe a betekintőablak szerkesztőablakában.",
+ "peekViewEditorMatchHighlightBorder": "Kiemelt keresési eredmények keretszíne a betekintőablak szerkesztőablakában."
+ },
+ "vs/editor/contrib/gotoSymbol/goToCommands": {
+ "peek.submenu": "Peek",
+ "def.title": "Definitions",
+ "noResultWord": "Nem található a(z) '{0}' definíciója",
+ "generic.noResults": "Definíció nem található",
+ "actions.goToDecl.label": "Definíció megkeresése",
+ "miGotoDefinition": "Ugrás &&definícióhoz",
+ "actions.goToDeclToSide.label": "Definíció megnyitása oldalt",
+ "actions.previewDecl.label": "Betekintés a definícióba",
+ "decl.title": "Declarations",
+ "decl.noResultWord": "Nem található a(z) „{0}” deklarációja",
+ "decl.generic.noResults": "Deklaráció nem található",
+ "actions.goToDeclaration.label": "Deklaráció megkeresése",
+ "miGotoDeclaration": "Go to &&Declaration",
+ "actions.peekDecl.label": "Betekintés a deklarációba",
+ "typedef.title": "Type Definitions",
+ "goToTypeDefinition.noResultWord": "Nem található a(z) '{0}' típusdefiníciója",
+ "goToTypeDefinition.generic.noResults": "Típusdefiníció nem található",
+ "actions.goToTypeDefinition.label": "Ugrás a típusdefinícióra",
+ "miGotoTypeDefinition": "Go to &&Type Definition",
+ "actions.peekTypeDefinition.label": "Betekintés a típusdefinícióba",
+ "impl.title": "Implementations",
+ "goToImplementation.noResultWord": "Nem található a(z) '{0}' implementációja",
+ "goToImplementation.generic.noResults": "Implementáció nem található",
+ "actions.goToImplementation.label": "Go to Implementations",
+ "miGotoImplementation": "Go to &&Implementations",
+ "actions.peekImplementation.label": "Peek Implementations",
+ "references.no": "No references found for '{0}'",
+ "references.noGeneric": "No references found",
+ "goToReferences.label": "Go to References",
+ "miGotoReference": "Go to &&References",
+ "ref.title": "Referenciák",
+ "references.action.label": "Betekintés a referenciákba",
+ "label.generic": "Go To Any Symbol",
+ "generic.title": "Locations",
+ "generic.noResult": "No results for '{0}'"
+ },
+ "vs/editor/contrib/indentation/indentation": {
+ "indentationToSpaces": "Indentálások átalakítása szóközökké",
+ "indentationToTabs": "Indentálások átalakítása tabulátorokká",
+ "configuredTabSize": "Beállított tabulátorméret",
+ "selectTabWidth": "Tabulátorméret kiválasztása az aktuális fájlhoz",
+ "indentUsingTabs": "Indentálás tabulátorral",
+ "indentUsingSpaces": "Indentálás szóközzel",
+ "detectIndentation": "Indentálás felismerése a tartalom alapján",
+ "editor.reindentlines": "Sorok újraindentálása",
+ "editor.reindentselectedlines": "Kijelölt sorok újraindentálása "
+ },
+ "vs/editor/contrib/wordHighlighter/wordHighlighter": {
+ "wordHighlight": "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.",
+ "wordHighlightStrong": "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.",
+ "wordHighlightBorder": "Szimbólumok háttérszíne olvasási hozzáférés, például változó olvasása esetén.",
+ "wordHighlightStrongBorder": "Szimbólumok háttérszíne írási hozzáférés, például változó írása esetén.",
+ "overviewRulerWordHighlightForeground": "Overview ruler marker color for symbol highlights. The color must not be opaque so as not to hide underlying decorations.",
+ "overviewRulerWordHighlightStrongForeground": "Overview ruler marker color for write-access symbol highlights. The color must not be opaque so as not to hide underlying decorations.",
+ "wordHighlight.next.label": "Ugrás a következő kiemelt szimbólumhoz",
+ "wordHighlight.previous.label": "Ugrás az előző kiemelt szimbólumhoz",
+ "wordHighlight.trigger.label": "Szimbólumkiemelés elvégzése"
+ },
+ "vs/editor/contrib/find/findController": {
+ "startFindAction": "Keresés",
+ "miFind": "&&Keresés",
+ "startFindWithSelectionAction": "Keresés kijelöléssel",
+ "findNextMatchAction": "Következő találat",
+ "findPreviousMatchAction": "Előző találat",
+ "nextSelectionMatchFindAction": "Következő kijelölés",
+ "previousSelectionMatchFindAction": "Előző kijelölés",
+ "startReplace": "Csere",
+ "miReplace": "&&Csere"
+ },
+ "vs/editor/contrib/suggest/suggestController": {
+ "arai.alert.snippet": "Accepting '{0}' made {1} additional edits",
+ "suggest.trigger.label": "Javaslatok megjelenítése",
+ "accept.accept": "{0} to insert",
+ "accept.insert": "{0} to insert",
+ "accept.replace": "{0} to replace",
+ "detail.more": "show less",
+ "detail.less": "show more"
+ },
+ "vs/editor/contrib/quickAccess/gotoLineQuickAccess": {
+ "cannotRunGotoLine": "Open a text editor first to go to a line.",
+ "gotoLineColumnLabel": "Go to line {0} and column {1}.",
+ "gotoLineLabel": "Go to line {0}.",
+ "gotoLineLabelEmptyWithLimit": "Current Line: {0}, Character: {1}. Type a line number between 1 and {2} to navigate to.",
+ "gotoLineLabelEmpty": "Current Line: {0}, Character: {1}. Type a line number to navigate to."
+ },
+ "vs/editor/contrib/folding/folding": {
+ "unfoldAction.label": "Kibontás",
+ "unFoldRecursivelyAction.label": "Kibontás rekurzívan",
+ "foldAction.label": "Bezárás",
+ "toggleFoldAction.label": "Toggle Fold",
+ "foldRecursivelyAction.label": "Bezárás rekurzívan",
+ "foldAllBlockComments.label": "Összes megjegyzésblokk bezárása",
+ "foldAllMarkerRegions.label": "Összes tartomány bezárása",
+ "unfoldAllMarkerRegions.label": "Összes régió kinyitása",
+ "foldAllAction.label": "Az összes bezárása",
+ "unfoldAllAction.label": "Az összes kinyitása",
+ "foldLevelAction.label": "{0} szintű blokkok bezárása",
+ "foldBackgroundBackground": "Background color behind folded ranges. The color must not be opaque so as not to hide underlying decorations."
+ },
+ "vs/editor/contrib/linesOperations/linesOperations": {
+ "lines.copyUp": "Sor másolása eggyel feljebb",
+ "miCopyLinesUp": "&&Copy Line Up",
+ "lines.copyDown": "Sor másolása eggyel lejjebb",
+ "miCopyLinesDown": "Co&&py Line Down",
+ "duplicateSelection": "Duplicate Selection",
+ "miDuplicateSelection": "&&Duplicate Selection",
+ "lines.moveUp": "Sor feljebb helyezése",
+ "miMoveLinesUp": "Mo&&ve Line Up",
+ "lines.moveDown": "Sor lejjebb helyezése",
+ "miMoveLinesDown": "Move &&Line Down",
+ "lines.sortAscending": "Rendezés növekvő sorrendben",
+ "lines.sortDescending": "Rendezés csökkenő sorrendben",
+ "lines.trimTrailingWhitespace": "Sor végén található szóközök levágása",
+ "lines.delete": "Sor törlése",
+ "lines.indent": "Sor behúzása",
+ "lines.outdent": "Sor kihúzása",
+ "lines.insertBefore": "Súr beszúrása eggyel feljebb",
+ "lines.insertAfter": "Súr beszúrása eggyel lejjebb",
+ "lines.deleteAllLeft": "Balra lévő tartalom törlése",
+ "lines.deleteAllRight": "Jobbra lévő tartalom törlése",
+ "lines.joinLines": "Sorok egyesítése",
+ "editor.transpose": "A kurzor körüli karakterek felcserélése",
+ "editor.transformToUppercase": "Átalakítás nagybetűssé",
+ "editor.transformToLowercase": "Átalakítás kisbetűssé",
+ "editor.transformToTitlecase": "Transform to Title Case"
+ },
+ "vs/editor/contrib/multicursor/multicursor": {
+ "mutlicursor.insertAbove": "Kurzor beszúrása egy sorral feljebb",
+ "miInsertCursorAbove": "&&Add Cursor Above",
+ "mutlicursor.insertBelow": "Kurzor beszúrása egy sorral lejjebb",
+ "miInsertCursorBelow": "A&&dd Cursor Below",
+ "mutlicursor.insertAtEndOfEachLineSelected": "Kurzor beszúrása a sorok végére",
+ "miInsertCursorAtEndOfEachLineSelected": "Add C&&ursors to Line Ends",
+ "mutlicursor.addCursorsToBottom": "Kurzor beszúrása egy sorral lejjebb",
+ "mutlicursor.addCursorsToTop": "Kurzor beszúrása egy sorral feljebb",
+ "addSelectionToNextFindMatch": "Kijelölés hozzáadása a következő keresési találathoz",
+ "miAddSelectionToNextFindMatch": "Add &&Next Occurrence",
+ "addSelectionToPreviousFindMatch": "Kijelölés hozzáadása az előző keresési találathoz",
+ "miAddSelectionToPreviousFindMatch": "Add P&&revious Occurrence",
+ "moveSelectionToNextFindMatch": "Utolsó kijelölés áthelyezése a következő keresési találatra",
+ "moveSelectionToPreviousFindMatch": "Utolsó kijelölés áthelyezése az előző keresési találatra",
+ "selectAllOccurrencesOfFindMatch": "Az összes keresési találat kijelölése",
+ "miSelectHighlights": "Select All &&Occurrences",
+ "changeAll.label": "Minden előfordulás módosítása"
+ },
+ "vs/editor/contrib/codeAction/codeActionCommands": {
+ "args.schema.kind": "Kind of the code action to run.",
+ "args.schema.apply": "Controls when the returned actions are applied.",
+ "args.schema.apply.first": "Always apply the first returned code action.",
+ "args.schema.apply.ifSingle": "Apply the first returned code action if it is the only one.",
+ "args.schema.apply.never": "Do not apply the returned code actions.",
+ "args.schema.preferred": "Controls if only preferred code actions should be returned.",
+ "applyCodeActionFailed": "An unknown error occurred while applying the code action",
+ "quickfix.trigger.label": "Gyorsjavítás...",
+ "editor.action.quickFix.noneMessage": "Nem áll rendelkezésre kódművelet",
+ "editor.action.codeAction.noneMessage.preferred.kind": "No preferred code actions for '{0}' available",
+ "editor.action.codeAction.noneMessage.kind": "No code actions for '{0}' available",
+ "editor.action.codeAction.noneMessage.preferred": "No preferred code actions available",
+ "editor.action.codeAction.noneMessage": "Nem áll rendelkezésre kódművelet",
+ "refactor.label": "Refaktorálás...",
+ "editor.action.refactor.noneMessage.preferred.kind": "No preferred refactorings for '{0}' available",
+ "editor.action.refactor.noneMessage.kind": "No refactorings for '{0}' available",
+ "editor.action.refactor.noneMessage.preferred": "No preferred refactorings available",
+ "editor.action.refactor.noneMessage": "Nem áll rendelkezésre refaktorálási lehetőség",
+ "source.label": "Forrásművelet...",
+ "editor.action.source.noneMessage.preferred.kind": "No preferred source actions for '{0}' available",
+ "editor.action.source.noneMessage.kind": "No source actions for '{0}' available",
+ "editor.action.source.noneMessage.preferred": "No preferred source actions available",
+ "editor.action.source.noneMessage": "Nem áll rendelkezésre forrásművelet",
+ "organizeImports.label": "Importálások rendezése",
+ "editor.action.organize.noneMessage": "Nem áll rendelkezésre importálások rendezésére szolgáló művelet",
+ "fixAll.label": "Fix All",
+ "fixAll.noneMessage": "No fix all action available",
+ "autoFix.label": "Auto Fix...",
+ "editor.action.autoFix.noneMessage": "No auto fixes available"
+ },
+ "vs/editor/contrib/rename/renameInputField": {
+ "renameAriaLabel": "Átnevezésre szolgáló beviteli mező. Adja meg az új nevet, majd nyomja meg az Enter gombot a változtatások elvégzéséhez.",
+ "label": "{0} to Rename, {1} to Preview"
+ },
+ "vs/editor/contrib/parameterHints/parameterHintsWidget": {
+ "hint": "{0}, információ"
+ },
+ "vs/editor/contrib/message/messageController": {
+ "editor.readonly": "Nem lehet szerkeszteni egy csak olvasható szerkesztőablakban"
+ },
+ "vs/editor/contrib/quickAccess/gotoSymbolQuickAccess": {
+ "cannotRunGotoSymbolWithoutEditor": "To go to a symbol, first open a text editor with symbol information.",
+ "cannotRunGotoSymbolWithoutSymbolProvider": "The active text editor does not provide symbol information.",
+ "openToSide": "Megnyitás oldalt",
+ "openToBottom": "Open to the Bottom",
+ "symbols": "szimbólumok ({0})",
+ "property": "tulajdonságok ({0})",
+ "method": "metódusok ({0})",
+ "function": "függvények ({0})",
+ "_constructor": "konstruktorok ({0})",
+ "variable": "változók ({0})",
+ "class": "osztályok ({0})",
+ "struct": "struktúrák ({0})",
+ "event": "events ({0})",
+ "operator": "operátorok ({0})",
+ "interface": "interfészek ({0})",
+ "namespace": "névterek ({0})",
+ "package": "csomagok ({0})",
+ "typeParameter": "típusparaméterek ({0})",
+ "modules": "modulok ({0})",
+ "enum": "felsorolások ({0})",
+ "enumMember": "felsorolások tagjai ({0})",
+ "string": "karakterláncok ({0})",
+ "file": "fájlok ({0})",
+ "array": "tömbök ({0})",
+ "number": "számok ({0})",
+ "boolean": "logikai értékek ({0})",
+ "object": "objektumok ({0})",
+ "key": "kulcsok ({0})",
+ "field": "fields ({0})",
+ "constant": "konstansok ({0})"
+ },
+ "vs/editor/contrib/snippet/snippetVariables": {
+ "Sunday": "vasárnap",
+ "Monday": "hétfő",
+ "Tuesday": "kedd",
+ "Wednesday": "szerda",
+ "Thursday": "csütörtök",
+ "Friday": "péntek",
+ "Saturday": "szombat",
+ "SundayShort": "vas",
+ "MondayShort": "hét",
+ "TuesdayShort": "kedd",
+ "WednesdayShort": "sze",
+ "ThursdayShort": "csüt",
+ "FridayShort": "pén",
+ "SaturdayShort": "szo",
+ "January": "január",
+ "February": "február",
+ "March": "március",
+ "April": "április",
+ "May": "máj",
+ "June": "június",
+ "July": "július",
+ "August": "augusztus",
+ "September": "szeptember",
+ "October": "október",
+ "November": "november",
+ "December": "december",
+ "JanuaryShort": "jan",
+ "FebruaryShort": "feb",
+ "MarchShort": "márc",
+ "AprilShort": "ápr",
+ "MayShort": "máj",
+ "JuneShort": "jún",
+ "JulyShort": "júl",
+ "AugustShort": "aug",
+ "SeptemberShort": "szept",
+ "OctoberShort": "okt",
+ "NovemberShort": "nov",
+ "DecemberShort": "dec"
+ },
+ "vs/editor/contrib/gotoSymbol/peek/referencesController": {
+ "labelLoading": "Betöltés...",
+ "metaTitle.N": "{0} ({1})"
+ },
+ "vs/editor/contrib/format/format": {
+ "hint11": "Egy formázást végzett a(z) {0}. sorban",
+ "hintn1": "{0} formázást végzett a(z) {1}. sorban",
+ "hint1n": "Egy formázást végzett a(z) {0}. és {1}. sorok között",
+ "hintnn": "{0} formázást végzett a(z) {1}. és {2}. sorok között"
+ },
+ "vs/editor/contrib/gotoSymbol/referencesModel": {
+ "aria.oneReference": "szimbólum a következő helyen: {0}, sor: {1}, oszlop: {2}",
+ "aria.fileReferences.1": "Egy szimbólum a következő helyen: {0}, teljes elérési út: {1}",
+ "aria.fileReferences.N": "{0} szimbólum a következő helyen: {1}, teljes elérési út: {2}",
+ "aria.result.0": "Nincs találat",
+ "aria.result.1": "Egy szimbólum a következő helyen: {0}",
+ "aria.result.n1": "{0} szimbólum a következő helyen: {1}",
+ "aria.result.nm": "{0} szimbólum {1} fájlban"
+ },
+ "vs/editor/contrib/gotoSymbol/symbolNavigation": {
+ "location.kb": "Symbol {0} of {1}, {2} for next",
+ "location": "Symbol {0} of {1}"
+ },
+ "vs/editor/contrib/gotoError/gotoErrorWidget": {
+ "Error": "Hiba",
+ "Warning": "Figyelmeztetés",
+ "Info": "Információ",
+ "Hint": "Hint",
+ "marker aria": "{0} at {1}. ",
+ "problems": "{0} of {1} problems",
+ "change": "{0} of {1} problem",
+ "editorMarkerNavigationError": "A szerkesztőablak jelzőnavigációs moduljának színe hiba esetén.",
+ "editorMarkerNavigationWarning": "A szerkesztőablak jelzőnavigációs moduljának színe figyelmeztetés esetén.",
+ "editorMarkerNavigationInfo": "A szerkesztőablak jelzőnavigációs moduljának színe információ esetén.",
+ "editorMarkerNavigationBackground": "A szerkesztőablak jelzőnavigációs moduljának háttérszíne."
+ },
+ "vs/editor/contrib/hover/modesContentHover": {
+ "modesContentHover.loading": "Betöltés...",
+ "peek problem": "Peek Problem",
+ "titleAndKb": "{0} ({1})",
+ "checkingForQuickFixes": "Checking for quick fixes...",
+ "noQuickFixes": "No quick fixes available",
+ "quick fixes": "Gyorsjavítás..."
+ },
+ "vs/editor/contrib/documentSymbols/outlineTree": {
+ "provider": "Vázlatszolgáltató",
+ "title.template": "{0} ({1})",
+ "1.problem": "az elemmel 1 probléma van",
+ "N.problem": "az elemmel {0} probléma van",
+ "deep.problem": "Problémával rendelkező elemeket tartalmaz",
+ "Array": "array",
+ "Boolean": "logikai érték",
+ "Class": "class",
+ "Constant": "konstans",
+ "Constructor": "konstruktor",
+ "Enum": "enumeration",
+ "EnumMember": "felsorolás tagja",
+ "Event": "event",
+ "Field": "mező",
+ "File": "Fájl",
+ "Function": "function",
+ "Interface": "interfész",
+ "Key": "key",
+ "Method": "metódus",
+ "Module": "module",
+ "Namespace": "névtér",
+ "Null": "null",
+ "Number": "number",
+ "Object": "objektum",
+ "Operator": "operátor",
+ "Package": "package",
+ "Property": "tulajdonság",
+ "String": "string",
+ "Struct": "struktúra",
+ "TypeParameter": "típusparaméter",
+ "Variable": "variable",
+ "symbolIcon.arrayForeground": "The foreground color for array symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.booleanForeground": "The foreground color for boolean symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.classForeground": "The foreground color for class symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.colorForeground": "The foreground color for color symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.constantForeground": "The foreground color for constant symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.constructorForeground": "The foreground color for constructor symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.enumeratorForeground": "The foreground color for enumerator symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.enumeratorMemberForeground": "The foreground color for enumerator member symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.eventForeground": "The foreground color for event symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.fieldForeground": "The foreground color for field symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.fileForeground": "The foreground color for file symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.folderForeground": "The foreground color for folder symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.functionForeground": "The foreground color for function symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.interfaceForeground": "The foreground color for interface symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.keyForeground": "The foreground color for key symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.keywordForeground": "The foreground color for keyword symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.methodForeground": "The foreground color for method symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.moduleForeground": "The foreground color for module symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.namespaceForeground": "The foreground color for namespace symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.nullForeground": "The foreground color for null symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.numberForeground": "The foreground color for number symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.objectForeground": "The foreground color for object symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.operatorForeground": "The foreground color for operator symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.packageForeground": "The foreground color for package symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.propertyForeground": "The foreground color for property symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.referenceForeground": "Hivatkozási szimbólumok előtérszíne. Ezek a szimbólumok jelenek meg a vázlatban, navigációs sávban és a javaslatokban.",
+ "symbolIcon.snippetForeground": "The foreground color for snippet symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.stringForeground": "The foreground color for string symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.structForeground": "The foreground color for struct symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.textForeground": "The foreground color for text symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.typeParameterForeground": "The foreground color for type parameter symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.unitForeground": "The foreground color for unit symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.variableForeground": "The foreground color for variable symbols. These symbols appear in the outline, breadcrumb, and suggest widget."
+ },
+ "vs/editor/contrib/gotoSymbol/peek/referencesWidget": {
+ "missingPreviewMessage": "előnézet nem érhető el",
+ "treeAriaLabel": "Referenciák",
+ "noResults": "Nincs eredmény",
+ "peekView.alternateTitle": "Referenciák"
+ },
+ "vs/editor/contrib/find/findWidget": {
+ "label.find": "Keresés",
+ "placeholder.find": "Keresés",
+ "label.previousMatchButton": "Előző találat",
+ "label.nextMatchButton": "Következő találat",
+ "label.toggleSelectionFind": "Keresés kijelölésben",
+ "label.closeButton": "Bezárás",
+ "label.replace": "Csere",
+ "placeholder.replace": "Csere",
+ "label.replaceButton": "Csere",
+ "label.replaceAllButton": "Az összes cseréje",
+ "label.toggleReplaceButton": "Cseremód átváltása",
+ "title.matchesCountLimit": "Csak az első {0} találat van kiemelve, de minden keresési művelet a teljes szöveggel dolgozik.",
+ "label.matchesLocation": "{0} (összesen {1})",
+ "label.noResults": "Nincs eredmény",
+ "ariaSearchNoResultEmpty": "{0} found",
+ "ariaSearchNoResult": "{0} found for '{1}'",
+ "ariaSearchNoResultWithLineNum": "{0} found for '{1}', at {2}",
+ "ariaSearchNoResultWithLineNumNoCurrentMatch": "{0} found for '{1}'",
+ "ctrlEnter.keybindingChanged": "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/suggest/suggestWidget": {
+ "editorSuggestWidgetBackground": "A javaslatokat tartalmazó modul háttérszíne.",
+ "editorSuggestWidgetBorder": "A javaslatokat tartalmazó modul keretszíne.",
+ "editorSuggestWidgetForeground": "A javaslatokat tartalmazó modul előtérszíne.",
+ "editorSuggestWidgetSelectedBackground": "A javaslatokat tartalmazó modulban kiválasztott elem háttérszíne.",
+ "editorSuggestWidgetHighlightForeground": "Az illeszkedő szövegrészletek kiemelése a javaslatok modulban.",
+ "readMore": "További információk megjelenítése...{0}",
+ "readLess": "Kevesebb információ megjelenítése...{0}",
+ "loading": "Betöltés...",
+ "suggestWidget.loading": "Betöltés...",
+ "suggestWidget.noSuggestions": "Nincs javaslat.",
+ "ariaCurrenttSuggestionReadDetails": "Item {0}, docs: {1}"
+ },
+ "vs/editor/contrib/codeAction/lightBulbWidget": {
+ "prefferedQuickFixWithKb": "Show Fixes. Preferred Fix Available ({0})",
+ "quickFixWithKb": "Javítások megjelenítése ({0})",
+ "quickFix": "Javítások megjelenítése"
+ },
+ "vs/editor/contrib/gotoSymbol/peek/referencesTree": {
+ "referencesFailre": "Nem sikerült feloldani a fájlt.",
+ "referencesCount": "{0} referencia",
+ "referenceCount": "{0} referencia"
+ },
+ "vs/platform/extensionManagement/common/extensionManagement": {
+ "extensions": "Kiegészítők",
+ "preferences": "Beállítások"
+ },
+ "vs/platform/environment/node/argvHelper": {
+ "unknownOption": "Warning: '{0}' is not in the list of known options, but still passed to Electron/Chromium.",
+ "multipleValues": "Option '{0}' is defined more than once. Using value '{1}.'",
+ "gotoValidation": "`--goto` mód esetén az argumentumokat a következő formában kell megadni: `FÁJL(:SOR(:OSZLOP))`."
+ },
+ "vs/platform/extensionManagement/node/extensionManagementUtil": {
+ "invalidManifest": "Érvénytelen VSIX: a package.json nem egy JSON-fájl."
+ },
+ "vs/platform/request/common/request": {
+ "httpConfigurationTitle": "HTTP",
+ "proxy": "The proxy setting to use. If not set, will be inherited from the `http_proxy` and `https_proxy` environment variables.",
+ "strictSSL": "Meghatározza, hogy a proxyszerver tanúsítványa hitelesítve legyen-e a megadott hitelesítésszolgáltatóknál.",
+ "proxyAuthorization": "The value to send as the `Proxy-Authorization` header for every network request.",
+ "proxySupportOff": "Proxy letiltása a kiegészítőkben.",
+ "proxySupportOn": "Proxy engedélyezése a kiegészítőkben.",
+ "proxySupportOverride": "Proxy engedélyezése a kiegészítőkben, a kérések beállításainak felülírása.",
+ "proxySupport": "Use the proxy support for extensions.",
+ "systemCertificates": "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/platform/update/common/update.config.contribution": {
+ "updateConfigurationTitle": "Frissítés",
+ "updateMode": "Configure whether you receive automatic updates. Requires a restart after change. The updates are fetched from a Microsoft online service.",
+ "none": "Disable updates.",
+ "manual": "Disable automatic background update checks. Updates will be available if you manually check for updates.",
+ "start": "Check for updates only on startup. Disable automatic background update checks.",
+ "default": "Enable automatic update checks. Code will check for updates automatically and periodically.",
+ "deprecated": "This setting is deprecated, please use '{0}' instead.",
+ "enableWindowsBackgroundUpdatesTitle": "Enable Background Updates on Windows",
+ "enableWindowsBackgroundUpdates": "Enable to download and install new VS Code Versions in the background on Windows",
+ "showReleaseNotes": "Kiadási jegyzék megjelenítése frissítés után. A kiadási jegyzékek a Microsoft online szolgáltatásától vannak lekérve."
+ },
+ "vs/platform/telemetry/common/telemetryService": {
+ "telemetryConfigurationTitle": "Telemetria",
+ "telemetry.enableTelemetry": "Használati adatok és hibák küldése a Microsoft online szolgáltatásai felé."
+ },
+ "vs/platform/label/common/label": {
+ "untitledWorkspace": "Névtelen (munkaterület)",
+ "workspaceName": "{0} (Workspace)"
+ },
+ "vs/platform/files/electron-browser/diskFileSystemProvider": {
+ "binFailed": "A következő fájlt nem sikerült a lomtárba helyezni: '{0}'",
+ "trashFailed": "A(z) {0} kukába helyezése nem sikerült"
+ },
+ "vs/platform/files/common/files": {
+ "unknownError": "Unknown Error"
+ },
+ "vs/platform/environment/node/argv": {
+ "optionsUpperCase": "Beálítások",
+ "extensionsManagement": "Kiegészítők kezelése",
+ "troubleshooting": "Troubleshooting",
+ "diff": "Két fájl összehasonlítása egymással.",
+ "add": "Mappá(k) hozzáadása a legutolsó aktív ablakhoz.",
+ "goto": "Megnyitja a megadott elérési úton található fájlt a megadott sornál és oszlopnál.",
+ "newWindow": "Mindenképp új ablakban nyíljon meg",
+ "reuseWindow": "Fájl vagy mappa mindenképp egy már nyitva lévő ablakban nyíljon meg.",
+ "folderUri": "Ablak megnyitása a megadott mappa URI-kkal",
+ "fileUri": "Opens a window with given file uri(s)",
+ "wait": "Várjon a fájlok bezárására a visszatérés előtt.",
+ "locale": "A használt lokalizáció (pl. en-US vagy zh-TW)",
+ "userDataDir": "Meghatározza azt a mappát, ahol a felhasználói adatok vannak tárolva. Egyszerre több megnyitott Code-példány is használhatja.",
+ "help": "Használati útmutató kiírása.",
+ "extensionHomePath": "A kiegészítők gyökérkönyvtárának beállítása.",
+ "listExtensions": "Telepített kiegészítők listázása.",
+ "showVersions": "Telepített kiegészítők verziójának megjelenítése a --list-extension kapcsoló használata esetén.",
+ "category": "Filters installed extensions by provided category, when using --list-extension.",
+ "installExtension": "Telepíti vagy frissíti a kiegészítőt. Használja a `--force` argumentumot, ha ki szeretné hagyni a rákérdezést.",
+ "uninstallExtension": "Kiegészítő eltávolítása.",
+ "experimentalApis": "Tervezett API-funkciók engedélyezése a kiegészítők számára. Ha egyenként szeretné engedélyezni a kiegészítőket, soroljon fel egy vagy több kiegészítőazonosítót!",
+ "version": "Verzió kiírása.",
+ "verbose": "Részletes kimenet kiírása (magába foglalja a --wait kapcsolót)",
+ "log": "A naplózott események szintje.Az 'info' az alapértelmezett értéke. Lehetséges értékek: 'critical', 'error', 'warn', 'info', 'debug', 'trace', 'off'.",
+ "status": "Folyamatok erőforrás-használati és diagnosztikai adatinak kiíratása.",
+ "prof-startup": "Processzorhasználat profilozása induláskor",
+ "disableExtensions": "Összes telepített kiegészítő letiltása.",
+ "disableExtension": "Kiegészítő letiltása.",
+ "turn sync": "Turn sync on or off",
+ "inspect-extensions": "Hibakeresés és profilozás engedélyezése a kiegészítőkben. A csatlakozási URI-t a fejlesztői eszközöknél találja meg.",
+ "inspect-brk-extensions": "Hibakeresés és profilozás engedélyezése a kiegészítőkben, úgy, hogy a kiegészítő gazdafolyamata szüneteltetve lesz az indítás után. A csatlakozási URI-t a fejlesztői eszközöknél találja meg.",
+ "disableGPU": "Hardveres gyorsítás letiltása.",
+ "maxMemory": "Egy ablak maximális memóriamérete (megabájtban).",
+ "telemetry": "Shows all telemetry events which VS code collects.",
+ "usage": "Használat",
+ "options": "beállítások",
+ "paths": "elérési utak",
+ "stdinWindows": "Más program bemenetének olvasásához fűzze a '-' karaktert a parancshoz (pl.: 'echo Hello World | {0} -')",
+ "stdinUnix": "Az stdin-ről történő olvasásához fűzze a '-' karaktert a parancshoz (pl.: 'ps aux | grep code | {0} -')",
+ "unknownVersion": "Unknown version",
+ "unknownCommit": "Unknown commit"
+ },
+ "vs/platform/markers/common/markers": {
+ "sev.error": "Hiba",
+ "sev.warning": "Figyelmeztetés",
+ "sev.info": "Információ"
+ },
+ "vs/platform/dialogs/common/dialogs": {
+ "moreFile": "...1 további fájl nincs megjelenítve",
+ "moreFiles": "...{0} további fájl nincs megjelenítve"
+ },
+ "vs/platform/userDataSync/common/userDataSync": {
+ "sync": "Szinkronizálás",
+ "sync.keybindingsPerPlatform": "Synchronize keybindings per platform.",
+ "sync.ignoredExtensions": "List of extensions to be ignored while synchronizing. The identifier of an extension is always ${publisher}.${name}. For example: vscode.csharp.",
+ "sync.ignoredSettings": "Configure settings to be ignored while synchronizing.",
+ "app.extension.identifier.errorMessage": "Az elvárt formátum: '${publisher}.${name}'. Példa: 'vscode.csharp'."
+ },
+ "vs/platform/files/node/diskFileSystemProvider": {
+ "fileExists": "File already exists",
+ "fileNotExists": "File does not exist",
+ "moveError": "Unable to move '{0}' into '{1}' ({2}).",
+ "copyError": "Unable to copy '{0}' into '{1}' ({2}).",
+ "fileCopyErrorPathCase": "'File cannot be copied to same path with different path case",
+ "fileCopyErrorExists": "File at target already exists"
+ },
+ "vs/platform/configuration/common/configurationRegistry": {
+ "defaultConfigurations.title": "Felülírt alapértelmezett konfigurációk",
+ "overrideSettings.description": "A szerkesztő beállításainak felülírása a(z) {0} nyelvre vonatkozóan",
+ "overrideSettings.defaultDescription": "A szerkesztő beállításainak felülírása egy adott nyelvre vonatkozóan",
+ "overrideSettings.errorMessage": "This setting does not support per-language configuration.",
+ "config.property.languageDefault": "A(z) '{0}' nem regisztrálható. Ez a beállítás illeszkedik a '\\\\[.*\\\\]$' mintára, ami a nyelvspecifikus szerkesztőbeállításokhoz van használva. Használja a 'configurationDefaults' szolgáltatási lehetőséget.",
+ "config.property.duplicate": "A(z) '{0}' nem regisztrálható: ez a tulajdonság már regisztrálva van."
+ },
+ "vs/platform/workspaces/common/workspaces": {
+ "codeWorkspace": "Code-munkaterület"
+ },
+ "vs/platform/userDataSync/common/userDataSyncService": {
+ "turned off": "Cannot sync because syncing is turned off in the cloud",
+ "session expired": "Cannot sync because current session is expired"
+ },
+ "vs/platform/undoRedo/common/undoRedoService": {
+ "externalRemoval": "The following files have been closed: {0}.",
+ "noParallelUniverses": "The following files have been modified in an incompatible way: {0}.",
+ "cannotWorkspaceUndo": "Could not undo '{0}' across all files. {1}",
+ "cannotWorkspaceUndoDueToChanges": "Could not undo '{0}' across all files because changes were made to {1}",
+ "confirmWorkspace": "Would you like to undo '{0}' across all files?",
+ "ok": "Undo in {0} Files",
+ "nok": "Undo this File",
+ "cancel": "Mégse",
+ "cannotWorkspaceRedo": "Could not redo '{0}' across all files. {1}",
+ "cannotWorkspaceRedoDueToChanges": "Could not redo '{0}' across all files because changes were made to {1}"
+ },
+ "vs/platform/files/common/fileService": {
+ "invalidPath": "Unable to resolve filesystem provider with relative file path '{0}'",
+ "noProviderFound": "No file system provider found for resource '{0}'",
+ "fileNotFoundError": "Unable to resolve non-existing file '{0}'",
+ "fileExists": "Unable to create file '{0}' that already exists when overwrite flag is not set",
+ "err.write": "Unable to write file '{0}' ({1})",
+ "fileIsDirectoryWriteError": "Unable to write file '{0}' that is actually a directory",
+ "fileModifiedError": "A fájl azóta módosult",
+ "err.read": "Unable to read file '{0}' ({1})",
+ "fileIsDirectoryReadError": "Unable to read file '{0}' that is actually a directory",
+ "fileNotModifiedError": "A fájl azóta nem módosult",
+ "fileTooLargeError": "Unable to read file '{0}' that is too large to open",
+ "unableToMoveCopyError1": "Unable to copy when source '{0}' is same as target '{1}' with different path case on a case insensitive file system",
+ "unableToMoveCopyError2": "Unable to move/copy when source '{0}' is parent of target '{1}'.",
+ "unableToMoveCopyError3": "Unable to move/copy '{0}' because target '{1}' already exists at destination.",
+ "unableToMoveCopyError4": "Unable to move/copy '{0}' into '{1}' since a file would replace the folder it is contained in.",
+ "mkdirExistsError": "Unable to create folder '{0}' that already exists but is not a directory",
+ "deleteFailedTrashUnsupported": "Unable to delete file '{0}' via trash because provider does not support it.",
+ "deleteFailedNotFound": "Unable to delete non-existing file '{0}'",
+ "deleteFailedNonEmptyFolder": "Unable to delete non-empty folder '{0}'.",
+ "err.readonly": "Unable to modify readonly file '{0}'"
+ },
+ "vs/platform/quickinput/browser/helpQuickAccess": {
+ "globalCommands": "globális parancsok",
+ "editorCommands": "szerkesztőablak parancsai",
+ "helpPickAriaLabel": "{0}, {1}"
+ },
+ "vs/platform/list/browser/listService": {
+ "workbenchConfigurationTitle": "Munkaterület",
+ "multiSelectModifier.ctrlCmd": "Windows és Linux alatt a `Control`, macOS alatt a `Command` billentyűt jelenti.",
+ "multiSelectModifier.alt": "Windows és Linux alatt az `Alt`, macOS alatt az `Option` billentyűt jelenti.",
+ "multiSelectModifier": "Több elem kijelölése esetén újabb elem hozzáadásához használt módosítóbillentyű a fanézetekben és listákban (például a fájlkezelőben, a megnyitott szerkesztőablakok listájában és a verziókezelő rendszer nézeten). A 'Megnyitás oldalt\" egérgesztusok – ha támogatva vannak – automatikusan úgy lesznek beállítva, hogy ne ütközzenek a több elem kijelöléséhez tartozó módosító billentyűvel.",
+ "openModeModifier": "Meghatározza, hogyan nyíljanak meg az elemek a fanézetekben és listákban egér használata esetén (ha támogatott). Fanézeteknél meghatározza, hogy a szülőelemek egyetlen vagy dupla kattintásra nyílnak ki. Megjegyzés: néhány fanézet és lista figyelmen kívül hagyja ezt a beállítást ott, ahol ez nem alkalmazható.",
+ "horizontalScrolling setting": "Controls whether lists and trees support horizontal scrolling in the workbench. Warning: turning on this setting has a performance implication.",
+ "tree horizontalScrolling setting": "Meghatározza, hogy a fák támogatják-e a vízszintes görgetést a munkaterületen.",
+ "deprecated": "This setting is deprecated, please use '{0}' instead.",
+ "tree indent setting": "Controls tree indentation in pixels.",
+ "render tree indent guides": "Controls whether the tree should render indent guides.",
+ "keyboardNavigationSettingKey.simple": "Simple keyboard navigation focuses elements which match the keyboard input. Matching is done only on prefixes.",
+ "keyboardNavigationSettingKey.highlight": "Highlight keyboard navigation highlights elements which match the keyboard input. Further up and down navigation will traverse only the highlighted elements.",
+ "keyboardNavigationSettingKey.filter": "Filter keyboard navigation will filter out and hide all the elements which do not match the keyboard input.",
+ "keyboardNavigationSettingKey": "Controls the keyboard navigation style for lists and trees in the workbench. Can be simple, highlight and filter.",
+ "automatic keyboard navigation setting": "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."
+ },
+ "vs/platform/files/common/io": {
+ "fileTooLargeForHeapError": "To open a file of this size, you need to restart and allow it to use more memory",
+ "fileTooLargeError": "File is too large to open"
+ },
+ "vs/platform/extensionManagement/node/extensionManagementService": {
+ "invalidManifest": "A kiegészítő érvénytelen: a package.json nem egy JSON-fájl.",
+ "incompatible": "A(z) „{0}” kiegészítő nem telepíthető, mivel nem kompatibilis a VS Code „{1}” verziójával.",
+ "restartCode": "Indítsa újra a VS Code-ot a(z) {0} újratelepítése előtt.",
+ "MarketPlaceDisabled": "A piactér nincs engedélyezve",
+ "malicious extension": "A kiegészítő nem telepíthető, mert jelentették, hogy problémás.",
+ "notFoundCompatibleDependency": "Unable to install '{0}' extension because it is not compatible with the current version of VS Code (version {1}).",
+ "removeError": "Hiba történt a kiegészítő eltávolítása közben: {0}. Lépjen ki és indítsa el a VS Code-ot mielőtt újrapróbálná!",
+ "Not a Marketplace extension": "Csak a piactérről származó kiegészítőket lehet újratelepíteni",
+ "quitCode": "A kiegészítő telepítése nem sikerült. Lépjen ki és indítsa el a VS Code-ot az újratelepítés előtt!",
+ "exitCode": "A kiegészítő telepítése nem sikerült. Lépjen ki és indítsa el a VS Code-ot az újratelepítés előtt!",
+ "errorDeleting": "Nem sikerült törölni a(z) „{0}” mappát a(z) „{1}” kiegészítő telepítése közben. Törölje a mappát manuálisan, majd próbálja újra!",
+ "cannot read": "Cannot read the extension from {0}",
+ "renameError": "Ismeretlen hiba történt a(z) {0} {1} névre való átnevezése közben",
+ "notInstalled": "A(z) '{0}' kiegészítő nincs telepítve.",
+ "singleDependentError": "Nem sikerült eltávolítani a(z) '{0}' kiegészítőt: a(z) '{1}' kiegészítő függ tőle.",
+ "twoDependentsError": "Nem sikerült eltávolítani a(z) '{0}' kiegészítőt: a(z) '{1}' és '{2}' kiegészítők függnek tőle.",
+ "multipleDependentsError": "Nem sikerült eltávolítani a(z) '{0}' kiegészítőt: a(z) '{1}', '{2}' és más kiegészítők függnek tőle.",
+ "notExists": "Nem sikerült megtalálni a kiegészítőt"
+ },
+ "vs/platform/actions/browser/menuEntryActionViewItem": {
+ "titleAndKb": "{0} ({1})"
+ },
+ "vs/platform/theme/common/colorRegistry": {
+ "foreground": "Általános előtérszín. Csak akkor van használva, ha nem írja felül az adott komponens.",
+ "errorForeground": "A hibaüzenetek általános előtérszíne. Csak akkor van használva, ha nem írja felül az adott komponens.",
+ "descriptionForeground": "A további információkat szolgáltató leíró szövegek, pl. a címkék előtérszíne.",
+ "iconForeground": "The default color for icons in the workbench.",
+ "focusBorder": "Fókuszált elemek keretének általános színe. Csak akkor van használva, ha nem írja felül az adott komponens.",
+ "contrastBorder": "Az elemek körüli extra keret, mely arra szolgál, hogy elválassza egymástól őket, így növelve a kontrasztot.",
+ "activeContrastBorder": "Az aktív elemek körüli extra keret, mely arra szolgál, hogy elválassza egymástól őket, így növelve a kontrasztot.",
+ "selectionBackground": "A munkaterületen kijelölt szövegek háttérszíne (pl. beviteli mezők vagy szövegmezők esetén). Ez a beállítás nem vonatkozik a szerkesztőablakban végzett kijelölésekre. ",
+ "textSeparatorForeground": "A szövegelválasztók színe.",
+ "textLinkForeground": "A szövegben található hivatkozások előtérszíne.",
+ "textLinkActiveForeground": "A szövegben található hivatkozások előtérszíne kattintás esetén és ha az egér fölötte van.",
+ "textPreformatForeground": "Az előformázott szövegrészek előtérszíne.",
+ "textBlockQuoteBackground": "A szövegben található idézetblokkok háttérszíne.",
+ "textBlockQuoteBorder": "A szövegben található idézetblokkok keretszíne.",
+ "textCodeBlockBackground": "A szövegben található kódblokkok háttérszíne.",
+ "widgetShadow": "A szerkesztőablakon belül található modulok, pl. a keresés/csere árnyékának színe.",
+ "inputBoxBackground": "A beviteli mezők háttérszíne.",
+ "inputBoxForeground": "A beviteli mezők előtérszíne.",
+ "inputBoxBorder": "A beviteli mezők kerete.",
+ "inputBoxActiveOptionBorder": "A beviteli mezőben található aktivált beállítások keretszíne.",
+ "inputOption.activeBackground": "Background color of activated options in input fields.",
+ "inputPlaceholderForeground": "A beviteli mezőkben használt helykitöltő szövegek előtérszíne.",
+ "inputValidationInfoBackground": "Beviteli mezők háttérszíne információs szintű validációs állapot esetén.",
+ "inputValidationInfoForeground": "Beviteli mezők előtérszíne információs szintű validációs állapot esetén.",
+ "inputValidationInfoBorder": "Beviteli mezők keretszíne információs szintű validációs állapot esetén.",
+ "inputValidationWarningBackground": "Beviteli mezők háttérszíne figyelmeztetés szintű validációs állapot esetén.",
+ "inputValidationWarningForeground": "Beviteli mezők előtérszíne figyelmeztetés szintű validációs állapot esetén.",
+ "inputValidationWarningBorder": "Beviteli mezők keretszíne figyelmeztetés szintű validációs állapot esetén.",
+ "inputValidationErrorBackground": "Beviteli mezők háttérszíne hiba szintű validációs állapot esetén.",
+ "inputValidationErrorForeground": "Beviteli mezők előtérszíne hiba szintű validációs állapot esetén.",
+ "inputValidationErrorBorder": "Beviteli mezők keretszíne hiba szintű validációs állapot esetén.",
+ "dropdownBackground": "A legördülő menük háttérszíne.",
+ "dropdownListBackground": "A legördülő menük listájának háttérszíne.",
+ "dropdownForeground": "A legördülő menük előtérszíne.",
+ "dropdownBorder": "A legördülő menük kerete.",
+ "checkbox.background": "Background color of checkbox widget.",
+ "checkbox.foreground": "Foreground color of checkbox widget.",
+ "checkbox.border": "Border color of checkbox widget.",
+ "buttonForeground": "A gombok előtérszíne.",
+ "buttonBackground": "A gombok háttérszíne.",
+ "buttonHoverBackground": "A gomb háttérszine, ha az egérkurzor fölötte van.",
+ "badgeBackground": "A jelvények háttérszíne. A jelvények apró információs címkék, pl. a keresési eredmények számának jelzésére.",
+ "badgeForeground": "A jelvények előtérszíne. A jelvények apró információs címkék, pl. a keresési eredmények számának jelzésére.",
+ "scrollbarShadow": "A görgetősáv árnyéka, ami jelzi, hogy a nézet el van görgetve.",
+ "scrollbarSliderBackground": "A görgetősáv csúszkájának háttérszíne.",
+ "scrollbarSliderHoverBackground": "A görgetősáv csúszkájának háttérszíne, ha az egérkurzor fölötte van.",
+ "scrollbarSliderActiveBackground": "A görgetősáv csúszkájának háttérszíne, ha rákattintanak.",
+ "progressBarBackground": "A hosszú ideig tartó folyamatok esetén megjelenített folyamatjelző háttérszíne.",
+ "editorError.foreground": "A hibákat jelző hullámvonal előtérszíne a szerkesztőablakban.",
+ "errorBorder": "Border color of error boxes in the editor.",
+ "editorWarning.foreground": "A figyelmeztetéseket jelző hullámvonal előtérszíne a szerkesztőablakban.",
+ "warningBorder": "Border color of warning boxes in the editor.",
+ "editorInfo.foreground": "Az információkat jelző hullámvonal előtérszíne a szerkesztőablakban.",
+ "infoBorder": "Border color of info boxes in the editor.",
+ "editorHint.foreground": "Az utalásokat jelző hullámvonal előtérszíne a szerkesztőablakban.",
+ "hintBorder": "Border color of hint boxes in the editor.",
+ "editorBackground": "A szerkesztőablak háttérszíne.",
+ "editorForeground": "A szerkesztőablak alapértelmezett előtérszíne.",
+ "editorWidgetBackground": "A szerkesztőablak moduljainak háttérszíne, pl. a keresés/cserének.",
+ "editorWidgetForeground": "Foreground color of editor widgets, such as find/replace.",
+ "editorWidgetBorder": "A szerkesztőablak-modulok keretszíne. A szín csak akkor van használva, ha a modul beállítása alapján rendelkezik kerettel, és a színt nem írja felül a modul.",
+ "editorWidgetResizeBorder": "A szerkesztőablak-modulok átméretező sávjainak keretszíne. A szín csak akkor van használva, ha a modul beállítása alapján rendelkezik átméretező sávval, és a színt nem írja felül a modul.",
+ "pickerBackground": "Quick picker background color. The quick picker widget is the container for pickers like the command palette.",
+ "pickerForeground": "Quick picker foreground color. The quick picker widget is the container for pickers like the command palette.",
+ "pickerTitleBackground": "Quick picker title background color. The quick picker widget is the container for pickers like the command palette.",
+ "pickerGroupForeground": "Csoportcímkék színe a gyorsválasztóban.",
+ "pickerGroupBorder": "Csoportok keretszíne a gyorsválasztóban.",
+ "editorSelectionBackground": "A szerkesztőablak-szakasz színe.",
+ "editorSelectionForeground": "A kijelölt szöveg színe nagy kontrasztú téma esetén.",
+ "editorInactiveSelection": "Color of the selection in an inactive editor. The color must not be opaque so as not to hide underlying decorations.",
+ "editorSelectionHighlight": "Color for regions with the same content as the selection. The color must not be opaque so as not to hide underlying decorations.",
+ "editorSelectionHighlightBorder": "A kijelöléssel megegyező tartalmú területek keretszíne.",
+ "editorFindMatch": "A keresés jelenlegi találatának színe.",
+ "findMatchHighlight": "Color of the other search matches. The color must not be opaque so as not to hide underlying decorations.",
+ "findRangeHighlight": "Color of the range limiting the search. The color must not be opaque so as not to hide underlying decorations.",
+ "editorFindMatchBorder": "A keresés jelenlegi találatának keretszíne.",
+ "findMatchHighlightBorder": "A keresés további találatainak keretszíne.",
+ "findRangeHighlightBorder": "Border color of the range limiting the search. The color must not be opaque so as not to hide underlying decorations.",
+ "searchEditor.queryMatch": "Color of the Search Editor query matches.",
+ "searchEditor.editorFindMatchBorder": "Border color of the Search Editor query matches.",
+ "hoverHighlight": "Highlight below the word for which a hover is shown. The color must not be opaque so as not to hide underlying decorations.",
+ "hoverBackground": "A szerkesztőablakban lebegő elemek háttérszíne.",
+ "hoverForeground": "Foreground color of the editor hover.",
+ "hoverBorder": "A szerkesztőablakban lebegő elemek keretszíne.",
+ "statusBarBackground": "Background color of the editor hover status bar.",
+ "activeLinkForeground": "Az aktív hivatkozások háttérszíne.",
+ "editorLightBulbForeground": "The color used for the lightbulb actions icon.",
+ "editorLightBulbAutoFixForeground": "The color used for the lightbulb auto fix actions icon.",
+ "diffEditorInserted": "Background color for text that got inserted. The color must not be opaque so as not to hide underlying decorations.",
+ "diffEditorRemoved": "Background color for text that got removed. The color must not be opaque so as not to hide underlying decorations.",
+ "diffEditorInsertedOutline": "A beillesztett szövegek körvonalának színe.",
+ "diffEditorRemovedOutline": "Az eltávolított szövegek körvonalának színe.",
+ "diffEditorBorder": "Két szerkesztőablak között lévő keret színe.",
+ "listFocusBackground": "Listák/fák fókuszált elemének háttérszine, amikor a lista aktív. Egy aktív listának/fának van billentyűfőkusza, míg egy inaktívnak nincs.",
+ "listFocusForeground": "Listák/fák fókuszált elemének előtérszíne, amikor a lista aktív. Egy aktív listának/fának van billentyűfőkusza, míg egy inaktívnak nincs.",
+ "listActiveSelectionBackground": "Listák/fák kiválasztott elemének háttérszíne, amikor a lista aktív. Egy aktív listának/fának van billentyűfőkusza, míg egy inaktívnak nincs.",
+ "listActiveSelectionForeground": "Listák/fák kiválasztott elemének előtérszíne, amikor a lista aktív. Egy aktív listának/fának van billentyűfőkusza, míg egy inaktívnak nincs.",
+ "listInactiveSelectionBackground": "Listák/fák kiválasztott elemének háttérszíne, amikor a lista inaktív. Egy aktív listának/fának van billentyűfőkusza, míg egy inaktívnak nincs.",
+ "listInactiveSelectionForeground": "Listák/fák kiválasztott elemének előtérszíne, amikor a lista inaktív. Egy aktív listának/fának van billentyűfőkusza, míg egy inaktívnak nincs.",
+ "listInactiveFocusBackground": "Listák/fák fókuszált elemének háttérszine, amikor a lista inaktív. Egy aktív listának/fának van billentyűfőkusza, míg egy inaktívnak nincs.",
+ "listHoverBackground": "A lista/fa háttérszíne, amikor az egérkurzor egy adott elem fölé kerül.",
+ "listHoverForeground": "A lista/fa előtérszíne, amikor az egérkurzor egy adott elem fölé kerül.",
+ "listDropBackground": "A lista/fa háttérszíne, amikor az elemek az egérkurzorral vannak mozgatva egyik helyről a másikra.",
+ "highlight": "Kiemelt találatok előtérszíne a listában/fában való keresés esetén.",
+ "invalidItemForeground": "A lista/fa előtérszíne érvénytelen elemek esetén, például még nem feloldott gyökérelemek esetében a fájlkezelőben.",
+ "listErrorForeground": "A hibákat tartalmazó listaelemek előtérszíne.",
+ "listWarningForeground": "A figyelmeztetéseket tartalmazó listaelemek előtérszíne.",
+ "listFilterWidgetBackground": "Background color of the type filter widget in lists and trees.",
+ "listFilterWidgetOutline": "Outline color of the type filter widget in lists and trees.",
+ "listFilterWidgetNoMatchesOutline": "Outline color of the type filter widget in lists and trees, when there are no matches.",
+ "listFilterMatchHighlight": "Background color of the filtered match.",
+ "listFilterMatchHighlightBorder": "Border color of the filtered match.",
+ "treeIndentGuidesStroke": "Tree stroke color for the indentation guides.",
+ "listDeemphasizedForeground": "List/Tree foreground color for items that are deemphasized. ",
+ "menuBorder": "A menük keretszíne.",
+ "menuForeground": "A menüelemek előtérszíne.",
+ "menuBackground": "A menüelemek háttérszíne.",
+ "menuSelectionForeground": "A kiválasztott menüelemek előtérszíne a menükben.",
+ "menuSelectionBackground": "A kiválasztott menüelemek háttérszíne a menükben.",
+ "menuSelectionBorder": "A kiválasztott menüelemek háttérszíne a menükben.",
+ "menuSeparatorBackground": "Az elválasztó menüelemek színe a menükben.",
+ "snippetTabstopHighlightBackground": "A kódrészletek helyjelzőinek kiemelt háttérszíne.",
+ "snippetTabstopHighlightBorder": "A kódrészletek helyjelzőinek kiemelt keretszíne.",
+ "snippetFinalTabstopHighlightBackground": "A kódrészletek utolsó helyjelzőjének kiemelt háttérszíne.",
+ "snippetFinalTabstopHighlightBorder": "A kódrészletek utolsó helyjelzőjének kiemelt keretszíne.",
+ "breadcrumbsFocusForeground": "A navigációs sáv fókuszált elemeinek színe.",
+ "breadcrumbsBackground": "A navigációs sáv elemeinek háttérszíne.",
+ "breadcrumbsSelectedForegound": "A navigációs sáv kiválasztott elemeinek színe.",
+ "breadcrumbsSelectedBackground": "A navigációs sáv elemválasztójának háttérszíne.",
+ "mergeCurrentHeaderBackground": "Jelenlegi háttér az inline merge-conflictoknál. A szín ne legyen áttetsző, hogy látszódjanak a felette lévő elemek.",
+ "mergeCurrentContentBackground": "Current content background in inline merge-conflicts. The color must not be opaque so as not to hide underlying decorations.",
+ "mergeIncomingHeaderBackground": "Incoming header background in inline merge-conflicts. The color must not be opaque so as not to hide underlying decorations.",
+ "mergeIncomingContentBackground": "Incoming content background in inline merge-conflicts. The color must not be opaque so as not to hide underlying decorations.",
+ "mergeCommonHeaderBackground": "Common ancestor header background in inline merge-conflicts. The color must not be opaque so as not to hide underlying decorations.",
+ "mergeCommonContentBackground": "Common ancestor content background in inline merge-conflicts. The color must not be opaque so as not to hide underlying decorations.",
+ "mergeBorder": "A fejlécek és az elválasztó sáv keretszíne a sorok között megjelenített összeolvasztási konfliktusok esetén.",
+ "overviewRulerCurrentContentForeground": "A helyi tartalom előtérszíne az áttekintő sávon összeolvasztási konfliktusok esetén.",
+ "overviewRulerIncomingContentForeground": "A beérkező tartalom előtérszíne az áttekintő sávon összeolvasztási konfliktusok esetén.",
+ "overviewRulerCommonContentForeground": "A közös ős tartalom előtérszíne az áttekintő sávon összeolvasztási konfliktusok esetén. ",
+ "overviewRulerFindMatchForeground": "Overview ruler marker color for find matches. The color must not be opaque so as not to hide underlying decorations.",
+ "overviewRulerSelectionHighlightForeground": "Overview ruler marker color for selection highlights. The color must not be opaque so as not to hide underlying decorations.",
+ "minimapFindMatchHighlight": "Minimap marker color for find matches.",
+ "minimapSelectionHighlight": "Minimap marker color for the editor selection.",
+ "minimapError": "Minimap marker color for errors.",
+ "overviewRuleWarning": "Minimap marker color for warnings.",
+ "minimapBackground": "Minimap background color.",
+ "minimapSliderBackground": "Minimap slider background color.",
+ "minimapSliderHoverBackground": "Minimap slider background color when hovering.",
+ "minimapSliderActiveBackground": "Minimap slider background color when clicked on.",
+ "problemsErrorIconForeground": "The color used for the problems error icon.",
+ "problemsWarningIconForeground": "The color used for the problems warning icon.",
+ "problemsInfoIconForeground": "The color used for the problems info icon."
+ },
+ "vs/platform/extensions/common/extensionValidator": {
+ "versionSyntax": "Nem sikerült feldolgozni az `engines.vscode` beállítás értékét ({0}). Használja például a következők egyikét: ^1.22.0, ^1.22.x stb.",
+ "versionSpecificity1": "Az `engines.vscode` beállításban megadott érték ({0}) nem elég konkrét. A vscode 1.0.0 előtti verzióihoz legalább a kívánt fő- és alverziót is meg kell adni. Pl.: ^0.10.0, 0.10.x, 0.11.0 stb.",
+ "versionSpecificity2": "Az `engines.vscode` beállításban megadott érték ({0}) nem elég konkrét. A vscode 1.0.0 utáni verzióihoz legalább a kívánt főverziót meg kell adni. Pl.: ^1.10.0, 1.10.x, 1.x.x, 2.x.x stb.",
+ "versionMismatch": "A kiegészítő nem kompatibilis a Code {0} verziójával. A következő szükséges hozzá: {1}."
+ },
+ "vs/platform/userDataSync/common/settingsSync": {
+ "errorInvalidSettings": "Unable to sync settings as there are errors/warning in settings file."
+ },
+ "vs/platform/userDataSync/common/keybindingsSync": {
+ "errorInvalidSettings": "Unable to sync keybindings as there are errors/warning in keybindings file."
+ },
+ "vs/platform/workspaces/electron-main/workspacesMainService": {
+ "ok": "OK",
+ "workspaceOpenedMessage": "Nem sikerült menteni a(z) '{0}' munkaterületet",
+ "workspaceOpenedDetail": "A munkaterület már meg van nyitva egy másik ablakban. Zárja be azt az ablakot, majd próbálja újra!"
+ },
+ "vs/platform/dialogs/electron-main/dialogs": {
+ "open": "Megnyitás",
+ "openFolder": "Mappa megnyitása",
+ "openFile": "Fájl megnyitása",
+ "openWorkspaceTitle": "Munkaterület megnyitása",
+ "openWorkspace": "&&Open"
+ },
+ "vs/platform/keybinding/common/abstractKeybindingService": {
+ "first.chord": "Lenyomott billentyű: ({0}) Várakozás a kombináció második billentyűjére...",
+ "missing.chord": "A(z) ({0}, {1}) billentyűkombináció nem egy parancs."
+ },
+ "vs/platform/issue/electron-main/issueMainService": {
+ "local": "Helyi",
+ "issueReporterWriteToClipboard": "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": "OK",
+ "cancel": "Mégse",
+ "confirmCloseIssueReporter": "Your input will not be saved. Are you sure you want to close this window?",
+ "yes": "Igen",
+ "issueReporter": "Hibajelentő",
+ "processExplorer": "Feladatkezelő"
+ },
+ "vs/platform/workspaces/electron-main/workspacesHistoryMainService": {
+ "newWindow": "Új ablak",
+ "newWindowDesc": "Nyit egy új ablakot",
+ "recentFolders": "Legutóbbi munkaterületek",
+ "folderDesc": "{0} {1}",
+ "workspaceDesc": "{0} {1}"
+ },
+ "vs/platform/quickinput/browser/commandsQuickAccess": {
+ "commandPickAriaLabelWithKeybinding": "{0}, {1}",
+ "recentlyUsed": "legutóbb használt",
+ "morecCommands": "további parancsok",
+ "canNotRun": "Command '{0}' resulted in an error ({1})"
+ },
+ "vs/platform/theme/common/tokenClassificationRegistry": {
+ "schema.token.settings": "A token színe és stílusa.",
+ "schema.token.foreground": "A token előtérszíne.",
+ "schema.token.background.warning": "A tokenek háttérszíne jelenleg nem támogatott.",
+ "schema.token.fontStyle": "A szabály betűstílusa 'italic', 'bold', 'underline', ezek kombinációja lehet. Az üres szöveg eltávolítja az örökölt beállításokat.",
+ "schema.fontStyle.error": "Font style must be 'italic', 'bold' or 'underline' or a combination. The empty string unsets all styles.",
+ "schema.token.fontStyle.none": "Nincs (örökölt stílusok eltávolítása)",
+ "comment": "Style for comments.",
+ "string": "Style for strings.",
+ "keyword": "Style for keywords.",
+ "number": "Style for numbers.",
+ "regexp": "Style for expressions.",
+ "operator": "Style for operators.",
+ "namespace": "Style for namespaces.",
+ "type": "Style for types.",
+ "struct": "Style for structs.",
+ "class": "Style for classes.",
+ "interface": "Style for interfaces.",
+ "enum": "Style for enums.",
+ "typeParameter": "Style for type parameters.",
+ "function": "Style for functions",
+ "member": "Style for member",
+ "macro": "Style for macros.",
+ "variable": "Style for variables.",
+ "parameter": "Style for parameters.",
+ "property": "Style for properties.",
+ "enumMember": "Style for enum members.",
+ "event": "Style for events.",
+ "labels": "Style for labels. ",
+ "declaration": "Style for all symbol declarations.",
+ "documentation": "Style to use for references in documentation.",
+ "static": "Style to use for symbols that are static.",
+ "abstract": "Style to use for symbols that are abstract.",
+ "deprecated": "Style to use for symbols that are deprecated.",
+ "modification": "Style to use for write accesses.",
+ "async": "Style to use for symbols that are async.",
+ "readonly": "Style to use for symbols that are readonly."
+ },
+ "vs/platform/userDataSync/common/abstractSynchronizer": {
+ "incompatible": "Cannot sync {0} as its version {1} is not compatible with cloud {2}"
+ },
+ "vs/platform/menubar/electron-main/menubar": {
+ "miNewWindow": "New &&Window",
+ "mFile": "&&Fájl",
+ "mEdit": "&&Szerkesztés",
+ "mSelection": "&&Selection",
+ "mView": "&&Nézet",
+ "mGoto": "&&Go",
+ "mRun": "&&Run",
+ "mTerminal": "&&Terminal",
+ "mWindow": "Ablak",
+ "mHelp": "&&Súgó",
+ "mAbout": "A(z) {0} névjegye",
+ "miPreferences": "&&Beállítások",
+ "mServices": "Szolgáltatások",
+ "mHide": "{0} elrejtése",
+ "mHideOthers": "Egyebek elrejtése",
+ "mShowAll": "Az összes megjelenítése",
+ "miQuit": "Kilépés innen: {0}",
+ "mMinimize": "Kis méret",
+ "mZoom": "Nagyítás",
+ "mBringToFront": "Legyen az összes előtérben",
+ "miSwitchWindow": "Switch &&Window...",
+ "mNewTab": "Új fül",
+ "mShowPreviousTab": "Előző fül megjelenítése",
+ "mShowNextTab": "Következő fül megjelenítése",
+ "mMoveTabToNewWindow": "Fül átmozgatása új ablakba",
+ "mMergeAllWindows": "Összes ablak összeolvasztása",
+ "miCheckForUpdates": "Check for &&Updates...",
+ "miCheckingForUpdates": "Frissítések keresése...",
+ "miDownloadUpdate": "D&&ownload Available Update",
+ "miDownloadingUpdate": "Frissítés letöltése...",
+ "miInstallUpdate": "Install &&Update...",
+ "miInstallingUpdate": "Frissítés telepítése...",
+ "miRestartToUpdate": "Restart to &&Update"
+ },
+ "vs/platform/theme/common/iconRegistry": {},
+ "vs/platform/windows/electron-main/windowsMainService": {
+ "pathNotExistTitle": "Az elérési út nem létezik",
+ "pathNotExistDetail": "Úgy tűnik, hogy a(z) „{0}” elérési út már nem létezik a lemezen.",
+ "uriInvalidTitle": "Az URI nem nyitható meg",
+ "uriInvalidDetail": "A következő URI érvénytelen és nem nyitható meg: „{0}”",
+ "ok": "OK"
+ },
+ "win32/i18n/messages": {
+ "AddContextMenuFiles": "\"Megnyitás a következővel: %1\" parancs hozzáadása a fájlok helyi menüjéhez a Windows Intézőben",
+ "AddContextMenuFolders": "\"Megnyitás a következővel: %1\" parancs hozzáadása a mappák helyi menüjéhez a Windows Intézőben",
+ "AssociateWithFiles": "%1 regisztrálása szerkesztőként a támogatott fájltípusokhoz",
+ "AddToPath": "Add to PATH (requires shell restart)",
+ "RunAfter": "%1 indítása a telepítés után",
+ "Other": "Egyéb:",
+ "SourceFile": "%1 forrásfájl",
+ "OpenWithCodeContextMenu": "Open w&ith %1"
+ },
+ "vs/code/electron-browser/processExplorer/processExplorerMain": {
+ "cpu": "Processzor %",
+ "memory": "Memory (MB)",
+ "pid": "folyamatazonosító",
+ "name": "Név",
+ "killProcess": "Folyamat leállítása",
+ "forceKillProcess": "Folyamat kényszerített leállítása",
+ "copy": "Másolás",
+ "copyAll": "Összes másolása",
+ "debug": "Hibakeresés"
+ },
+ "vs/code/node/cliProcessMain": {
+ "notFound": "A(z) '{0}' kiegészítő nem található.",
+ "notInstalled": "A(z) '{0}' kiegészítő nincs telepítve.",
+ "useId": "Make sure you use the full extension ID, including the publisher, e.g.: {0}",
+ "installingExtensions": "Installing extensions...",
+ "installation failed": "Failed Installing Extensions: {0}",
+ "successVsixInstall": "Extension '{0}' was successfully installed.",
+ "cancelVsixInstall": "A(z) '{0}' kiegészítő telepítése meg lett szakítva.",
+ "alreadyInstalled": "A(z) '{0}' kiegészítő már telepítve van.",
+ "forceUpdate": "A(z) „{0}” kiegészítő v{1} verziója már telepítve van, de egy újabb verzió ({2}) érhető el a piactéren. Használja a „--force” kapcsolót az újabb verzióra való frissítéshez!",
+ "updateMessage": "„{0}” kiegészítő frissítése a következő verzióra: {1}",
+ "forceDowngrade": "A newer version of extension '{0}' v{1} is already installed. Use '--force' option to downgrade to older version.",
+ "installing": "Installing extension '{0}' v{1}...",
+ "successInstall": "Extension '{0}' v{1} was successfully installed.",
+ "uninstalling": "{0} eltávolítása...",
+ "successUninstall": "A(z) '{0}' kiegészítő sikeresen el lett távolítva."
+ },
+ "vs/code/electron-main/main": {
+ "secondInstanceAdmin": "Már fut a(z) {0} másik példánya adminisztrátorként.",
+ "secondInstanceAdminDetail": "Zárja be az összes példányt, majd próbálja újra!",
+ "secondInstanceNoResponse": "Már fut a(z) {0} másik példánya, de nem válaszol.",
+ "secondInstanceNoResponseDetail": "Zárja be az összes példányt, majd próbálja újra!",
+ "startupDataDirError": "Unable to write program user data.",
+ "startupUserDataAndExtensionsDirErrorDetail": "Please make sure the following directories are writeable:\n\n{0}",
+ "close": "&&Close"
+ },
+ "vs/code/electron-browser/issue/issueReporterMain": {
+ "hide": "elrejtés",
+ "show": "megjelenítés",
+ "previewOnGitHub": "Előnézet GitHubon",
+ "loadingData": "Adatok betöltése...",
+ "rateLimited": "GitHub lekérdezési korlát túllépve. Kérem, várjon!",
+ "similarIssues": "Hasonló problémák",
+ "open": "Megnyitás",
+ "closed": "Lezárt",
+ "noSimilarIssues": "Nincs hasonló probléma",
+ "settingsSearchIssue": "Hiba a beállítások keresőjében",
+ "bugReporter": "hiba",
+ "featureRequest": "funkcióigény",
+ "performanceIssue": "teljesítményprobléma",
+ "selectSource": "Select source",
+ "vscode": "Visual Studio Code",
+ "extension": "Egy kiegészítő",
+ "unknown": "Don't Know",
+ "stepsToReproduce": "A probléma előidézésének lépései",
+ "bugDescription": "Ossza meg a probléma megbízható előidézéséhez szükséges részleteket! Írja le a valós és az elvárt működést! A mezőben GitHub-stílusú markdown használható. A hibajelentés szerkeszthető lesz és képernyőfotók is csatolhatók a githubos előnézetnél.",
+ "performanceIssueDesciption": "Mikor fordult elő ez a teljesítménybeli probléma? Például előfordul indulásnál vagy végre kell hajtani bizonyos műveleteket? A mezőben GitHub-stílusú markdown használható. A hibajelentés szerkeszthető lesz és képernyőfotók is csatolhatók a githubos előnézetnél.",
+ "description": "Leírás",
+ "featureRequestDescription": "Írja körül a funkciót, amit látni szeretne! A mezőben GitHub-stílusú markdown használható. A hibajelentés szerkeszthető lesz és képernyőfotók is csatolhatók a githubos előnézetnél.",
+ "expectedResults": "Elvárt működés",
+ "settingsSearchResultsDescription": "Írja le, hogy milyen találatokat szeretett volna kapni, amikor ezzel a keresőkifejezéssel keresett! A mezőben GitHub-stílusú markdown használható. A hibajelentés szerkeszthető lesz és képernyőfotók is csatolhatók a githubos előnézetnél.",
+ "pasteData": "A szükséges adat túl nagy az elküldéshez, ezért a vágólapra másoltuk. Illessze be!",
+ "disabledExtensions": "A kiegészítők le vannak tiltva."
+ },
+ "vs/code/electron-main/app": {
+ "trace.message": "Napló sikeresen létrehozva.",
+ "trace.detail": "Hozzon létre egy hibajelentést, és csatolja hozzá a következő fájlt:\n{0}",
+ "trace.ok": "OK"
+ },
+ "vs/code/electron-browser/issue/issueReporterPage": {
+ "completeInEnglish": "Kérjük, hogy angolul töltse ki az űrlapot!",
+ "issueTypeLabel": "Ez egy",
+ "issueSourceLabel": "Komponens",
+ "disableExtensionsLabelText": "Próbálja meg előidézni a hibát {0}! Ha a hiba csak aktív kiegészítőkkel idézhető elő, akkor nagy valószínűséggel a kiegészítőben van a hiba.",
+ "disableExtensions": "az összes kiegészítő letiltása és az ablak újratöltése után",
+ "chooseExtension": "Kiegészítő",
+ "extensionWithNonstandardBugsUrl": "The issue reporter is unable to create issues for this extension. Please visit {0} to report an issue.",
+ "extensionWithNoBugsUrl": "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.",
+ "issueTitleLabel": "Title",
+ "issueTitleRequired": "Kérjük, adja meg a címet!",
+ "titleLengthValidation": "The title is too long.",
+ "details": "Írja le a részleteket!",
+ "sendSystemInfo": "Rendszerinformációk csatolása ({0})",
+ "show": "megjelenítés",
+ "sendProcessInfo": "Jelenleg futó folyamatok listájának csatolása ({0})",
+ "sendWorkspaceInfo": "Munkaterülettel kapcsolatos metaadatok csatolása ({0})",
+ "sendExtensions": "Engedélyezett kiegészítők listájának csatolása ({0})",
+ "sendSearchedExtensions": "Keresett kiegészítők elküldése ({0})",
+ "sendSettingsSearchDetails": "Beállításokban való keresés részleteinek elküldése ({0})"
+ },
+ "vs/code/electron-main/auth": {
+ "authRequire": "A proxy hitelesítést igényel",
+ "proxyauth": "A(z) {0} proxy használatához hitelesítés szükséges."
+ },
+ "vs/code/electron-main/window": {
+ "reopen": "&&Reopen",
+ "wait": "&&Keep Waiting",
+ "close": "&&Close",
+ "appStalled": "Az ablak nem válaszol",
+ "appStalledDetail": "Bezárhatja vagy újranyithatja az ablakot vagy várakozhat tovább.",
+ "appCrashed": "Az ablak összeomlott",
+ "appCrashedDetail": "Elnézést kérünk az okozott kellemetlenségért. Nyissa újra az ablakot, ha onnan szeretné folytatni a munkát, ahol abbahagyta.",
+ "hiddenMenuBar": "A menüsort továbbra is elérheti az Alt-billentyű megnyomásával."
+ },
+ "vs/workbench/electron-browser/desktop.contribution": {
+ "view": "Nézet",
+ "newTab": "Új ablakfül",
+ "showPreviousTab": "Előző ablakfül megjelenítése",
+ "showNextWindowTab": "Következő ablakfül megjelenítése",
+ "moveWindowTabToNewWindow": "Ablakfül átmozgatása új ablakba",
+ "mergeAllWindowTabs": "Összes ablak összeolvasztása",
+ "toggleWindowTabsBar": "Ablakfülsáv be- és kikapcsolása",
+ "developer": "Fejlesztői",
+ "preferences": "Beállítások",
+ "miCloseWindow": "Clos&&e Window",
+ "miExit": "K&&ilépés",
+ "miZoomIn": "&&Zoom In",
+ "miZoomOut": "&&Zoom Out",
+ "miZoomReset": "&&Reset Zoom",
+ "miReportIssue": "Report &&Issue",
+ "miToggleDevTools": "&&Fejlesztői eszközök be- és kikapcsolása",
+ "miOpenProcessExplorerer": "Open &&Process Explorer",
+ "windowConfigurationTitle": "Ablak",
+ "window.openWithoutArgumentsInNewWindow.on": "Új, üres ablak megnyitása.",
+ "window.openWithoutArgumentsInNewWindow.off": "Váltás a legutóbb aktív, futó példányra.",
+ "openWithoutArgumentsInNewWindow": "Meghatározza, hogy egy új, üres ablak nyíljon-e meg vagy váltson a legutóbb aktív, futó példányra, ha egy új példány indul paraméterek nélkül.\nMegjegyzés: vannak esetek, amikor ez a beállítás figyelmen kívül van hagyva (pl. a -new-window vagy a -reuse-window parancssori beállítás használata esetén).",
+ "window.reopenFolders.all": "Összes ablak újranyitása.",
+ "window.reopenFolders.folders": "Összes mappa újranyitása. Az üres munkaterületek nem lesznek helyreállítva.",
+ "window.reopenFolders.one": "A legutóbbi aktív ablak újranyitása.",
+ "window.reopenFolders.none": "Soha ne nyisson meg újra ablakot. Mindig üresen induljon.",
+ "restoreWindows": "Meghatározza, hogy hogyan nyílnak újra az ablakok újraindítás után.",
+ "restoreFullscreen": "Meghatározza, hogy az ablak teljes képernyős módban nyíljon-e meg, ha kilépéskor teljes képernyős módban volt.",
+ "zoomLevel": "Meghatározza az ablak nagyítási szintjét. Az eredei méret 0, és minden egyes plusz (pl. 1) vagy mínusz (pl. -1) 20%-kal nagyobb vagy kisebb nagyítási szintet jelent. Tizedestört megadása esetén a nagyítási szint finomabban állítható.",
+ "window.newWindowDimensions.default": "Az új ablakok a képernyő közepén nyílnak meg.",
+ "window.newWindowDimensions.inherit": "Az új ablakok ugyanolyan méretben és ugyanazon a helyen jelennek meg, mint a legutoljára aktív ablak.",
+ "window.newWindowDimensions.offset": "Open new windows with same dimension as last active one with an offset position.",
+ "window.newWindowDimensions.maximized": "Az új ablakok teljes méretben nyílnak meg.",
+ "window.newWindowDimensions.fullscreen": "Az új ablakok teljes képernyős módban nyílnak meg.",
+ "newWindowDimensions": "Meghatározza az új ablakok méretét és pozícióját, ha már legalább egy ablak meg van nyitva. Megjegyzés: a beállítás nincs hatással az első megnyitott ablakra. Az első ablak mindig a bezárás előtti mérettel és pozícióban nyílik meg.",
+ "closeWhenEmpty": "Meghatározza, hogy az utolsó szerkesztőablak bezárása esetén az ablak is bezáródjon-e. A beállítás csak azokra az ablakokra vonatkozik, amelyekben nincs mappa megnyitva.",
+ "autoDetectHighContrast": "Ha engedélyezve van, az alkalmazás automatikusan átvált a nagy kontrasztos témára, ha a WIndows a nagy kontrasztos témát használ, és a sötét témára, ha a Windows átvált a nagy kontrasztos témáról.",
+ "window.doubleClickIconToClose": "If enabled, double clicking the application icon in the title bar will close the window and the window cannot be dragged by the icon. This setting only has an effect when `#window.titleBarStyle#` is set to `custom`.",
+ "titleBarStyle": "Adjust the appearance of the window title bar. On Linux and Windows, this setting also affects the application and context menu appearances. Changes require a full restart to apply.",
+ "window.nativeTabs": "Engedélyezi a macOS Sierra ablakfüleket. Megjegyzés: a változtatás teljes újraindítást igényel, és a natív fülek letiltják az egyedi címsorstílust, ha azok be vannak konfigurálva.",
+ "window.nativeFullScreen": "Natív teljes képernyő használata macOS-en. Tiltsa le ezt a beállítást, ha nem szeretné, hogy új tér jöjjön létre teljes képernyőre váltás esetén.",
+ "window.clickThroughInactive": "Ha engedélyezve van, akkor egy inaktív ablakra való kattintás aktiválja az ablakot, valamint kattintási esemény keletkezik az egér alatt lévő elemen is, ha az kattintható. Ha le van tiltva, akkor az inaktív ablakra való kattintás csak az ablak aktiválását eredményezi, és egy újabb kattintás szükséges az elemen.",
+ "telemetryConfigurationTitle": "Telemetria",
+ "telemetry.enableCrashReporting": "Összeomlási jelentések küldésének engedélyezése a Microsoft online szolgáltatásaihoz.\nA beállítás érvénybe lépéséhez újraindítás szükséges.",
+ "argv.locale": "The display Language to use. Picking a different language requires the associated language pack to be installed.",
+ "argv.disableHardwareAcceleration": "Disables hardware acceleration. ONLY change this option if you encounter graphic issues.",
+ "argv.disableColorCorrectRendering": "Resolves issues around color profile selection. ONLY change this option if you encounter graphic issues.",
+ "argv.forceColorProfile": "Allows to override the color profile to use. If you experience colors appear badly, try to set this to `srgb` and restart.",
+ "argv.force-renderer-accessibility": "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/browser/actions/textInputActions": {
+ "undo": "Visszavonás",
+ "redo": "Újra",
+ "cut": "Kivágás",
+ "copy": "Másolás",
+ "paste": "Beillesztés",
+ "selectAll": "Összes kijelölése"
+ },
+ "vs/workbench/browser/actions/workspaceCommands": {
+ "addFolderToWorkspace": "Mappa hozzáadása a munkaterülethez...",
+ "add": "&&Add",
+ "addFolderToWorkspaceTitle": "Mappa hozzáadása a munkaterülethez",
+ "workspaceFolderPickerPlaceholder": "Válasszon munkaterület-mappát!"
+ },
+ "vs/workbench/browser/actions/developerActions": {
+ "inspect context keys": "Kontextuskulcsok vizsgálata",
+ "toggle screencast mode": "Toggle Screencast Mode",
+ "logStorage": "Tárolóadatbázis tartalmának naplózása",
+ "logWorkingCopies": "Log Working Copies",
+ "developer": "Fejlesztői",
+ "screencastModeConfigurationTitle": "Screencast Mode",
+ "screencastMode.location.verticalPosition": "Controls the vertical offset of the screencast mode overlay from the bottom as a percentage of the workbench height.",
+ "screencastMode.onlyKeyboardShortcuts": "Only show keyboard shortcuts in Screencast Mode."
+ },
+ "vs/workbench/browser/actions/navigationActions": {
+ "navigateLeft": "Navigálás a balra lévő nézetre",
+ "navigateRight": "Navigálás a jobbra lévő nézetre",
+ "navigateUp": "Navigálás a felül lévő nézetre",
+ "navigateDown": "Navigálás az alul lévő nézetre",
+ "view": "Nézet"
+ },
+ "vs/workbench/browser/actions/quickAccessActions": {
+ "quickOpen": "File megkeresése...",
+ "quickNavigateNext": "Ugrás a következőre a fájlok gyors megnyitásánál",
+ "quickNavigatePrevious": "Ugrás az előzőre a fájlok gyors megnyitásánál",
+ "quickSelectNext": "Következő kiválasztása a fájlok gyors megnyitásánál",
+ "quickSelectPrevious": "Előző kiválasztása a fájlok gyors megnyitásánál"
+ },
+ "vs/workbench/api/common/configurationExtensionPoint": {
+ "vscode.extension.contributes.configuration.title": "A beállítások összefoglaló leírása. Ez a címke jelenik meg a beállítások fájlban egy különálló megjegyzésként.",
+ "vscode.extension.contributes.configuration.properties": "A konfigurációs tulajdonságok leírása.",
+ "scope.application.description": "Configuration that can be configured only in the user settings.",
+ "scope.machine.description": "Configuration that can be configured only in the user settings or only in the remote settings.",
+ "scope.window.description": "Configuration that can be configured in the user, remote or workspace settings.",
+ "scope.resource.description": "Configuration that can be configured in the user, remote, workspace or folder settings.",
+ "scope.language-overridable.description": "Resource configuration that can be configured in language specific settings.",
+ "scope.machine-overridable.description": "Machine configuration that can be configured also in workspace or folder settings.",
+ "scope.description": "Scope in which the configuration is applicable. Available scopes are `application`, `machine`, `window`, `resource`, and `machine-overridable`.",
+ "scope.enumDescriptions": "A felsorolás értékeinek leírásai",
+ "scope.markdownEnumDescriptions": "A felsorolás értékeinek leírásai Markdown-formátumban.",
+ "scope.markdownDescription": "A leírás Markdown-formátumban.",
+ "scope.deprecationMessage": "Ha van értéke, a tulajdonság elavultnak van jelölve, és a megadott üzenet jelenik meg magyarázatként.",
+ "vscode.extension.contributes.defaultConfiguration": "Adott nyelvre vonatkozóan szerkesztőbeállításokat szolgáltat.",
+ "vscode.extension.contributes.configuration": "Konfigurációs beállításokat szolgáltat.",
+ "invalid.title": "a 'configuration.title' értékét karakterláncként kell megadni",
+ "invalid.properties": "A 'configuration.properties' értékét egy objektumként kell megadni",
+ "invalid.property": "A 'configuration.property' értékét egy objektumként kell megadni",
+ "invalid.allOf": "A 'configuration.allOf' elavult, és használata nem javasolt. Helyette több konfigurációs szakaszt kell átadni tömbként a 'configuration' értékeként.",
+ "workspaceConfig.folders.description": "A munkaterületre betöltött mappák listája.",
+ "workspaceConfig.path.description": "Egy fájl elérési útja, pl. `/root/folderA` vagy `./folderA` relatív elérési út esetén, ami a munkaterületfájl helye alapján lesz feloldva.",
+ "workspaceConfig.name.description": "A mappa neve. Nem kötelező megadni.",
+ "workspaceConfig.uri.description": "A mappa URI-ja",
+ "workspaceConfig.settings.description": "Munkaterület-beállítások",
+ "workspaceConfig.launch.description": "Munkaterületspecifikus indítási konfigurációk",
+ "workspaceConfig.tasks.description": "Workspace task configurations",
+ "workspaceConfig.extensions.description": "Munkaterület-kiegészítők",
+ "workspaceConfig.remoteAuthority": "The remote server where the workspace is located. Only used by unsaved remote workspaces.",
+ "unknownWorkspaceProperty": "Ismeretlen munkaterület-konfigurációs tulajdonság"
+ },
+ "vs/workbench/browser/parts/sidebar/sidebarPart": {
+ "focusSideBar": "Váltás az oldalsávra",
+ "viewCategory": "Nézet"
+ },
+ "vs/workbench/electron-browser/actions/developerActions": {
+ "toggleDevTools": "Fejlesztői eszközök be- és kikapcsolása",
+ "toggleSharedProcess": "Megosztott folyamat be- és klikapcsolása",
+ "configureRuntimeArguments": "Configure Runtime Arguments"
+ },
+ "vs/workbench/browser/actions/helpActions": {
+ "keybindingsReference": "Billentyűparancs-referencia",
+ "openDocumentationUrl": "Dokumentáció",
+ "openIntroductoryVideosUrl": "Bemutatóvideók",
+ "openTipsAndTricksUrl": "Tippek és trükkök",
+ "newsletterSignup": "Signup for the VS Code Newsletter",
+ "openTwitterUrl": "Csatlakozzon hozzánk a Twitteren!",
+ "openUserVoiceUrl": "Funkcióigények keresése",
+ "openLicenseUrl": "Licenc megtekintése",
+ "openPrivacyStatement": "Privacy Statement",
+ "help": "Súgó",
+ "miDocumentation": "&&Dokumentáció",
+ "miKeyboardShortcuts": "&&Keyboard Shortcuts Reference",
+ "miIntroductoryVideos": "Introductory &&Videos",
+ "miTipsAndTricks": "Tips and Tri&&cks",
+ "miTwitter": "&&Join Us on Twitter",
+ "miUserVoice": "&&Search Feature Requests",
+ "miLicense": "View &&License",
+ "miPrivacyStatement": "Privac&&y Statement"
+ },
+ "vs/workbench/api/browser/viewsExtensionPoint": {
+ "vscode.extension.contributes.views.containers.id": "A gyűjtemény egyedi azonosítója, mellyel nézetek rendelhetők hozzá a 'views' értékeivel.",
+ "vscode.extension.contributes.views.containers.title": "A gyűjtemény megjelenítésénél használt, emberek számára szánt neve",
+ "vscode.extension.contributes.views.containers.icon": "A gyűjtemény ikonjának elérési útja. Az ikonok 24x24 pixel méretűek, és középre vannak igazítva egy 50x40-es téglalapban. A kitöltési színük 'rgb(215, 218, 224)' vagy '#d7dae0'. Ajánlott az SVG-formátum használata, de bármely képfájltípus elfogadott.",
+ "vscode.extension.contributes.viewsContainers": "Nézetgyűjteményeket szolgáltat a szerkesztőhöz",
+ "views.container.activitybar": "Nézetgyűjteményeket szolgáltat a tevékenységsávra",
+ "views.container.panel": "Contribute views containers to Panel",
+ "vscode.extension.contributes.view.id": "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`.",
+ "vscode.extension.contributes.view.name": "A nézet emberek számára szánt neve. Megjelenik a felületen.",
+ "vscode.extension.contributes.view.when": "A nézet megjelenítésének feltétele",
+ "vscode.extension.contributes.view.group": "Nested group in the viewlet",
+ "vscode.extension.contributes.view.remoteName": "The name of the remote type associated with this view",
+ "vscode.extension.contributes.views": "Nézeteket szolgáltat a szerkesztőhöz",
+ "views.explorer": "Nézeteket szolgáltat a tevékenységsávon található Fájlkezelő gyűjteményhez.",
+ "views.debug": "Nézeteket szolgáltat a tevékenységsávon található Hibakeresés gyűjteményhez.",
+ "views.scm": "Nézeteket szolgáltat a tevékenységsávon található Verziókezelő rendszer gyűjteményhez.",
+ "views.test": "Nézeteket szolgáltat a tevékenységsávon található Teszt gyűjteményhez.",
+ "views.remote": "Contributes views to Remote container in the Activity bar. To contribute to this container, enableProposedApi needs to be turned on",
+ "views.contributed": "Nézeteket szolgáltat a szolgáltatott nézetek gyűjteményhez.",
+ "test": "Teszt",
+ "viewcontainer requirearray": "a nézetgyűjteményeket tömbként kell megadni",
+ "requireidstring": "a(z) `{0}` tulajdonság kötelező és `string` típusúnak kell lennie. Csak alfanumerikus karaktereket, alulvonást és kötőjelet tartalmazhat.",
+ "requirestring": "a(z) `{0}` tulajdonság kötelező és `string` típusúnak kell lennie",
+ "showViewlet": "{0} megjelenítése",
+ "view": "Nézet",
+ "ViewContainerRequiresProposedAPI": "View container '{0}' requires 'enableProposedApi' turned on to be added to 'Remote'.",
+ "ViewContainerDoesnotExist": "Nem létezik '{0}' azonosítójú nézetgyűjtemény, és az összes oda regisztrált nézet a Fájlkezelőhöz lesz hozzáadva.",
+ "duplicateView1": "Cannot register multiple views with same id `{0}`",
+ "duplicateView2": "A view with id `{0}` is already registered.",
+ "requirearray": "a nézeteket tömbként kell megadni",
+ "optstring": "a(z) `{0}` tulajdonság elhagyható vagy `string` típusúnak kell lennie"
+ },
+ "vs/workbench/browser/actions/workspaceActions": {
+ "openFile": "Fájl megnyitása...",
+ "openFolder": "Mappa megnyitása...",
+ "openFileFolder": "Megnyitás...",
+ "openWorkspaceAction": "Open Workspace...",
+ "closeWorkspace": "Munkaterület bezárása",
+ "noWorkspaceOpened": "Az aktuális példányban nincs egyetlen munkaterület sem nyitva, amit be lehetne zárni.",
+ "openWorkspaceConfigFile": "Munkaterület konfigurációs fájljának megnyitása",
+ "globalRemoveFolderFromWorkspace": "Mappa eltávolítása a munkaterületről...",
+ "saveWorkspaceAsAction": "Munkaterület mentése másként...",
+ "duplicateWorkspaceInNewWindow": "Munkaterület megnyitása egy új ablakban",
+ "workspaces": "Munkaterületek",
+ "miAddFolderToWorkspace": "A&&dd Folder to Workspace...",
+ "miSaveWorkspaceAs": "Munkaterület mentése másként...",
+ "miCloseFolder": "&&Mappa bezárása",
+ "miCloseWorkspace": "Close &&Workspace"
+ },
+ "vs/workbench/browser/actions/windowActions": {
+ "remove": "Eltávolítás a legutóbb megnyitottak listájáról",
+ "dirtyRecentlyOpened": "Workspace With Dirty Files",
+ "workspaces": "Munkaterületek",
+ "files": "Fájlok",
+ "dirtyWorkspace": "Workspace with Dirty Files",
+ "dirtyWorkspaceConfirm": "Do you want to open the workspace to review the dirty files?",
+ "dirtyWorkspaceConfirmDetail": "Workspaces with dirty files cannot be removed until all dirty files have been saved or reverted.",
+ "recentDirtyAriaLabel": "{0}, dirty workspace",
+ "openRecent": "Legutóbbi megnyitása...",
+ "quickOpenRecent": "Legutóbbi gyors megnyitása...",
+ "toggleFullScreen": "Teljes képernyő be- és kikapcsolása",
+ "reloadWindow": "Ablak újratöltése",
+ "about": "About",
+ "newWindow": "Új ablak",
+ "file": "Fájl",
+ "view": "Nézet",
+ "developer": "Fejlesztői",
+ "help": "Súgó",
+ "miNewWindow": "New &&Window",
+ "miOpenRecent": "&&Legutóbbi megnyitása",
+ "miMore": "&&More...",
+ "miToggleFullScreen": "&&Full Screen",
+ "miAbout": "&&Névjegy"
+ },
+ "vs/workbench/api/common/menusExtensionPoint": {
+ "requirearray": "a menüelemeket tömbként kell megadni",
+ "requirestring": "a(z) `{0}` tulajdonság kötelező és `string` típusúnak kell lennie",
+ "optstring": "a(z) `{0}` tulajdonság elhagyható vagy `string` típusúnak kell lennie",
+ "vscode.extension.contributes.menuItem.command": "A végrehajtandó parancs azonosítója. A parancsot a 'commands'-szakaszban kell deklarálni",
+ "vscode.extension.contributes.menuItem.alt": "Egy alternatív végrehajtandó parancs azonosítója. A parancsot a 'commands'-szakaszban kell deklarálni",
+ "vscode.extension.contributes.menuItem.when": "A feltételnek igaznak kell lennie az elem megjelenítéséhez",
+ "vscode.extension.contributes.menuItem.group": "A csoport, amibe a parancs tartozik",
+ "vscode.extension.contributes.menus": "Menüket szolgáltat a szerkesztőhöz",
+ "menus.commandPalette": "A parancskatalógus",
+ "menus.touchBar": "A Touch Bar (csak macOS-en)",
+ "menus.editorTitle": "A szerkesztőablak címsora menüje",
+ "menus.editorContext": "A szerkesztőablak helyi menüje",
+ "menus.explorerContext": "A fájlkezelő helyi menüje",
+ "menus.editorTabContext": "A szerkesztőablak füleinek helyi menüje",
+ "menus.debugCallstackContext": "A hibakeresési hívási verem helyi menüje",
+ "menus.webNavigation": "The top level navigational menu (web only)",
+ "menus.scmTitle": "A verziókezelő címsorának menüje",
+ "menus.scmSourceControl": "A verziókezelő menüje",
+ "menus.resourceGroupContext": "A verziókezelő erőforráscsoportja helyi menüje",
+ "menus.resourceStateContext": "A verziókzeleő erőforrásállapot helyi menüje",
+ "menus.resourceFolderContext": "The Source Control resource folder context menu",
+ "menus.changeTitle": "The Source Control inline change menu",
+ "view.viewTitle": "A szolgáltatott nézet címsorának menüje",
+ "view.itemContext": "A szolgáltatott nézet elemének helyi menüje",
+ "commentThread.title": "The contributed comment thread title menu",
+ "commentThread.actions": "The contributed comment thread context menu, rendered as buttons below the comment editor",
+ "comment.title": "The contributed comment title menu",
+ "comment.actions": "The contributed comment context menu, rendered as buttons below the comment editor",
+ "notebook.cell.title": "The contributed notebook cell title menu",
+ "menus.extensionContext": "The extension context menu",
+ "view.timelineTitle": "The Timeline view title menu",
+ "view.timelineContext": "The Timeline view item context menu",
+ "nonempty": "az érték nem lehet üres.",
+ "opticon": "a(z) `icon` tulajdonság elhagyható vagy ha van értéke, akkor string vagy literál (pl. `{dark, light}`) típusúnak kell lennie",
+ "requireStringOrObject": "a(z) `{0}` tulajdonság kötelező és `string` vagy `object` típusúnak kell lennie",
+ "requirestrings": "a(z) `{0}` és `{1}` tulajdonságok kötelezők és `string` típusúnak kell lenniük",
+ "vscode.extension.contributes.commandType.command": "A végrehajtandó parancs azonosítója",
+ "vscode.extension.contributes.commandType.title": "A cím, amivel a parancs meg fog jelenni a felhasználói felületen",
+ "vscode.extension.contributes.commandType.category": "(Nem kötelező) Kategória neve, amibe a felületen csoportosítva lesz a parancs",
+ "vscode.extension.contributes.commandType.precondition": "(Optional) Condition which must be true to enable the command",
+ "vscode.extension.contributes.commandType.icon": "(Optional) Icon which is used to represent the command in the UI. Either a file path, an object with file paths for dark and light themes, or a theme icon references, like `$(zap)`",
+ "vscode.extension.contributes.commandType.icon.light": "Az ikon elérési útja, ha világos téma van használatban",
+ "vscode.extension.contributes.commandType.icon.dark": "Az ikon elérési útja, ha sötét téma van használatban",
+ "vscode.extension.contributes.commands": "Parancsokat szolgáltat a parancskatalógushoz.",
+ "dup": "A(z) `{0}` parancs többször szerepel a `commands`-szakaszban.",
+ "menuId.invalid": "A(z) `{0}` nem érvényes menüazonosító",
+ "proposedAPI.invalid": "{0} is a proposed menu identifier and is only available when running out of dev or with the following command line switch: --enable-proposed-api {1}",
+ "missing.command": "A menüpont a(z) `{0}` parancsra hivatkozik, ami nincs deklarálva a 'commands'-szakaszban.",
+ "missing.altCommand": "A menüpont a(z) `{0}` alternatív parancsra hivatkozik, ami nincs deklarálva a 'commands'-szakaszban.",
+ "dupe.command": "A menüpont ugyanazt a parancsot hivatkozza alapértelmezett és alternatív parancsként"
+ },
+ "vs/workbench/electron-browser/actions/windowActions": {
+ "closeWindow": "Ablak bezárása",
+ "zoomIn": "Nagyítás",
+ "zoomOut": "Kicsinyítés",
+ "zoomReset": "Nagyítási szint alaphelyzetbe állítása",
+ "reloadWindowWithExtensionsDisabled": "Reload With Extensions Disabled",
+ "close": "Ablak bezárása",
+ "switchWindowPlaceHolder": "Válassza ki az ablakot, amire váltani szeretne",
+ "windowDirtyAriaLabel": "{0}, dirty window",
+ "current": "Aktuális ablak",
+ "switchWindow": "Ablak váltása...",
+ "quickSwitchWindow": "Gyors ablakváltás..."
+ },
+ "vs/workbench/browser/workbench.contribution": {
+ "workbench.editor.titleScrollbarSizing.default": "The default size.",
+ "workbench.editor.titleScrollbarSizing.large": "Increases the size, so it can be grabed more easily with the mouse",
+ "tabScrollbarHeight": "Controls the height of the scrollbars used for tabs and breadcrumbs in the editor title area.",
+ "showEditorTabs": "Meghatározza, hogy a megnyitott szerkesztőablakok tetején megjelenjenek-e a fülek vagy sem.",
+ "highlightModifiedTabs": "Meghatározza, hogy a módosított szerkesztőablakok fülei meg legyenek-e jelölve egy felső kerettel.",
+ "workbench.editor.labelFormat.default": "Fájl nevének megjelenítése. Ha a fülek engedélyezve vannak, és két egyező nevű fájl van egy csoportban, az elérési útjuk eltérő része hozzá lesz fűzve a nevéhez. Ha a fülek le vannak tiltva, a fájl relatív elérési útja jelenik meg a munkaterület könyvtárához képest, amennyiben a szerkesztőablak aktív.",
+ "workbench.editor.labelFormat.short": "A fájl nevének megjelenítése a könyvtára nevével együtt.",
+ "workbench.editor.labelFormat.medium": "Fájl nevének megjelenítése a fájl relatív elérési útjával együtt amunkaterület könyvtárához képest.",
+ "workbench.editor.labelFormat.long": "Fájl nevének megjelenítése a fájl abszolút elérési útjával együtt.",
+ "tabDescription": "Meghatározza a szerkesztőablakok címének formátumát.",
+ "workbench.editor.untitled.labelFormat.content": "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.",
+ "workbench.editor.untitled.labelFormat.name": "The name of the untitled file is not derived from the contents of the file.",
+ "untitledLabelFormat": "Controls the format of the label for an untitled editor.",
+ "editorTabCloseButton": "Meghatározza a szerkesztőablakok fülein található bezárógomb pozícióját vagy eltávolítja őket, ha a beállítás értéke „off”.",
+ "workbench.editor.tabSizing.fit": "A fülek mindig legyenek elég nagyok ahhoz, hogy kiférjen a fül teljes címe.",
+ "workbench.editor.tabSizing.shrink": "A fülek zsugorodjanak össze, ha a rendelkezésre álló hely nem elengedő az összes fül egyszerre történő megjelenítéséhez.",
+ "tabSizing": "Meghatározza a szerkesztőablakok füleinek méretezését.",
+ "workbench.editor.splitSizingDistribute": "Splits all the editor groups to equal parts.",
+ "workbench.editor.splitSizingSplit": "Splits the active editor group to equal parts.",
+ "splitSizing": "Controls the sizing of editor groups when splitting them.",
+ "focusRecentEditorAfterClose": "Controls whether tabs are closed in most recently used order or from left to right.",
+ "showIcons": "Meghatározza, hogy a megnyitott szerkesztőablakok ikonnal jelenjenek-e meg vagy sem. A működéshez szükséges egy ikontéma engedélyezése is.",
+ "enablePreview": "Meghatározza, hogy a megnyitott szerkesztőablakok előnézetként működjenek-e. Az előnézetként használt szerkesztőablakok mindaddig újra vannak hasznosítva újabb fájlok megjelenítésére, amíg meg nem tartja őket a felhasználó (pl. dupla kattintással vagy szerkesztés hatására). A címsoruk dőlt betűvel jelenik meg.",
+ "enablePreviewFromQuickOpen": "Controls whether editors opened from Quick Open show as preview. Preview editors are reused until they are pinned (e.g. via double click or editing).",
+ "closeOnFileDelete": "Meghatározza, hogy bezáródjanak-e azok a munkamenet során megnyitott szerkesztőablakok, melyekben olyan fájl van megnyitva, amelyet töröl vagy átnevez egy másik folyamat. A beállítás letiltása esetén a szerkesztőablak nyitva marad ilyen esetben. Megjegyzés: az alkalmazáson belüli törlések esetén mindig bezáródnak a szerkesztőablakok, a módosított fájlok pedig soha nem záródnak be, hogy az adatok megmaradjanak.",
+ "editorOpenPositioning": "Meghatározza, hogy hol nyíljanak meg a szerkesztőablakok. A `left` vagy `right` használata esetén az aktív szerkesztőablaktól jobbra vagy balra nyílnak meg az újak. `first` vagy `last` esetén a szerkesztőablakok a jelenleg aktív ablaktól függetlenül nyílnak meg.",
+ "sideBySideDirection": "Meghatározza, hogy milyen irányban nyílnak meg az egymás mellett (pl. a fájlkezelőből) megnyitott szerkesztőablakok: alapértelmezés szerint az aktív szerkesztőablak jobb oldalán, míg ha a beállítás értéke `down`, az aktív szerkesztőablak alatt nyílnak meg.",
+ "closeEmptyGroups": "Meghatározza, hogy mi történjen a szerkesztőablak-csoportokkal, ha bezárják a hozzájuk tartozó utolsó fület. Ha engedélyezve van, az üres csoportok automatikusan bezáródnak. Ha le van tiltva, az üres csoportok megmaradnak a rácsban.",
+ "revealIfOpen": "Meghatározza, hogy egy szerkesztőablak fel legyen-e fedve a felhasználó számára, ha már meg van nyitva a látható csoportok bármelyikében. Ha le van tiltva, akkor egy új szerkesztőablak nyílik az aktív szerkesztőablak-csoportban. Ha engedélyezve van, akkor a már megnyitott szerkesztőablak lesz felfedve egy új megnyitása helyett. Megjegyzés: vannak esetek, amikor ez a beállítás figyelmen kívül van hagyva, pl. ha egy adott szerkesztőablak egy konkrét csoportban vagy a jelenleg aktív csoport mellett van megnyitva.",
+ "mouseBackForwardToNavigate": "Navigate between open files using mouse buttons four and five if provided.",
+ "restoreViewState": "A legutóbbi állapot (pl. görgetés pozíciója) visszaállítása a fájlok bezárás után történő ismételt megnyitása esetén.",
+ "centeredLayoutAutoResize": "Meghatározza, hogy középre igazított elrendezés esetén automatikusan teljes szélességűre álljanak át a szerkesztőablakok, ha több, mint egy csoport van nyitva. Ha ismét egy csoport lesz nyitva, a megmaradt szerkesztőablak visszaáll az eredeti, középre igazított elrendezésre.",
+ "limitEditorsEnablement": "Controls if the number of opened editors should be limited or not. When enabled, less recently used editors that are not dirty will close to make space for newly opening editors.",
+ "limitEditorsMaximum": "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.",
+ "perEditorGroup": "Controls if the limit of maximum opened editors should apply per editor group or across all editor groups.",
+ "commandHistory": "Meghatározza, hogy hány legutóbb használt parancs jelenjen meg a parancskatalógus előzményeinek listájában. Az előzmények kikapcsolásához állítsa az értéket nullára.",
+ "preserveInput": "Legutóbbi bemenet visszaállítása a parancspaletta megnyitásakor.",
+ "closeOnFocusLost": "Meghatározza, hogy a parancspaletta automatikusan bezáródik-e, ha elveszíti a fókuszt.",
+ "workbench.quickOpen.preserveInput": "Legutóbbi bemenet visszaállítása a fájlok gyors megnyitása választó megnyitásakor.",
+ "openDefaultSettings": "Meghatározza, hogy a beállítások megnyitásakor megnyílik-e egy szerkesztőablak az összes alapértelmezett beállítással.",
+ "useSplitJSON": "Controls whether to use the split JSON editor when editing settings as JSON.",
+ "openDefaultKeybindings": "Meghatározza, hogy a billentyűparancsok megnyitásakor megnyílik-e egy szerkesztő az összes alapértelmezett billentyűparancssal.",
+ "sideBarLocation": "Controls the location of the sidebar and activity bar. They can either show on the left or right of the workbench.",
+ "panelDefaultLocation": "Controls the default location of the panel (terminal, debug console, output, problems). It can either show at the bottom, right, or left of the workbench.",
+ "statusBarVisibility": "Meghatározza, hogy megjelenjen-e az állapotsor a munkaterület alján.",
+ "activityBarVisibility": "Meghatározza, hogy megjelenjen-e a tevékenységsáv a munkaterületen.",
+ "viewVisibility": "Meghatározza a nézetek fejlécén található műveletek láthatóságát. A műveletek vagy mindig láthatók, vagy csak akkor jelennek meg, ha a nézeten van a fókusz vagy az egérkurzor fölötte van.",
+ "fontAliasing": "Meghatározza a munkaterületen megjelenő betűtípusok élsimítási módszerét.",
+ "workbench.fontAliasing.default": "Szubpixeles betűsimítás. A legtöbb nem-retina típusú kijelzőn ez adja a legélesebb szöveget.",
+ "workbench.fontAliasing.antialiased": "A betűket pixelek, és nem szubpixelek szintjén simítja. A betűtípus vékonyabbnak tűnhet összességében.",
+ "workbench.fontAliasing.none": "Letiltja a betűtípusok élsimítését. A szövegek egyenetlen, éles szélekkel jelennek meg.",
+ "workbench.fontAliasing.auto": " A `default` vagy `antialiased` beállítások automatikus alkalmazása a kijelzők DPI-je alapján.",
+ "settings.editor.ui": "Beállításszerkesztő felület használata.",
+ "settings.editor.json": "JSON-szerkesztő használata.",
+ "settings.editor.desc": "Meghatározza, hogy melyik beállításszerkesztő van használva alapértelmezetten.",
+ "windowTitle": "Controls the window title based on the active editor. Variables are substituted based on the context:",
+ "activeEditorShort": "`${activeEditorShort}`: the file name (e.g. myFile.txt).",
+ "activeEditorMedium": "`${activeEditorMedium}`: the path of the file relative to the workspace folder (e.g. myFolder/myFileFolder/myFile.txt).",
+ "activeEditorLong": "`${activeEditorLong}`: the full path of the file (e.g. /Users/Development/myFolder/myFileFolder/myFile.txt).",
+ "activeFolderShort": "`${activeFolderShort}`: the name of the folder the file is contained in (e.g. myFileFolder).",
+ "activeFolderMedium": "`${activeFolderMedium}`: the path of the folder the file is contained in, relative to the workspace folder (e.g. myFolder/myFileFolder).",
+ "activeFolderLong": "`${activeFolderLong}`: the full path of the folder the file is contained in (e.g. /Users/Development/myFolder/myFileFolder).",
+ "folderName": "`${folderName}`: name of the workspace folder the file is contained in (e.g. myFolder).",
+ "folderPath": "`${folderPath}`: file path of the workspace folder the file is contained in (e.g. /Users/Development/myFolder).",
+ "rootName": "`${rootName}`: name of the workspace (e.g. myFolder or myWorkspace).",
+ "rootPath": "`${rootPath}`: file path of the workspace (e.g. /Users/Development/myWorkspace).",
+ "appName": "`${appName}`: e.g. VS Code.",
+ "remoteName": "`${remoteName}`: e.g. SSH",
+ "dirty": "`${dirty}`: a dirty indicator if the active editor is dirty.",
+ "separator": "`${separator}`: a conditional separator (\" - \") that only shows when surrounded by variables with values or static text.",
+ "windowConfigurationTitle": "Ablak",
+ "window.menuBarVisibility.default": "A menü csak teljes képernyős mód esetén van elrejtve.",
+ "window.menuBarVisibility.visible": "A menü mindig látható, még teljes képernyő módban is.",
+ "window.menuBarVisibility.toggle": "A menü rejtett, de megjeleníthető az Alt billentyű lenyomásával.",
+ "window.menuBarVisibility.hidden": "A menü mindig el van rejtve.",
+ "window.menuBarVisibility.compact": "Menu is displayed as a compact button in the sidebar. This value is ignored when 'window.titleBarStyle' is 'native'.",
+ "menuBarVisibility": "Meghatározza a menüsáv láthatóságát. A 'toggle' érték azt jelenti, hogy a menüsáv rejtett, és az Alt billentyű lenyomására megjelenik. A menüsáv alapértelmezetten látható, kivéve, ha az ablak teljes képernyős módban van.",
+ "enableMenuBarMnemonics": "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.",
+ "customMenuBarAltFocus": "Controls whether the menu bar will be focused by pressing the Alt-key. This setting has no effect on toggling the menu bar with the Alt-key.",
+ "window.openFilesInNewWindow.on": "A fájlok új ablakban nyílnak meg.",
+ "window.openFilesInNewWindow.off": "A fájlok saját mappájuk vagy a legutoljára aktív ablakban nyílnak meg.",
+ "window.openFilesInNewWindow.defaultMac": "A fájlok a saját mappájuk vagy a legutoljára aktív ablakában nyílnak meg, kivéve, ha a dokkról vagy a Finderből lettek megnyitva.",
+ "window.openFilesInNewWindow.default": "A fájlok új ablakban nyílnak meg, kivéve akkor, ha az alkalmazáson belül lettek kiválasztva (pl. a Fájl menüből).",
+ "openFilesInNewWindowMac": "Meghatározza, hogy a fájlok új ablakban nyíljanak-e meg.\nMegjegyzés: vannak esetek, amikor ez a beállítás figyelmen kívül van hagyva (pl. a `--new-window` vagy a `--reuse-window` parancssori beállítás használata esetén).",
+ "openFilesInNewWindow": "Meghatározza, hogy a fájlok új ablakban nyíljanak-e meg.\nMegjegyzés: vannak esetek, amikor ez a beállítás figyelmen kívül van hagyva (pl. a `--new-window` vagy a `--reuse-window` parancssori beállítás használata esetén).",
+ "window.openFoldersInNewWindow.on": "A mappák új ablakban nyílnak meg.",
+ "window.openFoldersInNewWindow.off": "A mappák lecserélik a legutoljára aktív ablakot.",
+ "window.openFoldersInNewWindow.default": "A mappák új ablakban nyílnak meg, kivéve akkor, ha a mappa az alkalmazáson belül lett kiválasztva (pl. a Fájl menüből).",
+ "openFoldersInNewWindow": "Meghatározza, hogy a mappák új ablakban nyíljanak-e meg vagy lecserélik-e a legutoljára aktív ablakot.\nMegjegyzés: vannak esetek, amikor ez a beállítás figyelmen kívül van hagyva (pl. a `--new-window` vagy a `--reuse-window` parancssori beállítás használata esetén).",
+ "zenModeConfigurationTitle": "Zen-mód",
+ "zenMode.fullScreen": "Meghatározza, hogy zen-módban a munkakterület teljes képernyős módba vált-e.",
+ "zenMode.centerLayout": "Meghatározza, hogy zen-módban középre igazított-e az elrendezés.",
+ "zenMode.hideTabs": "Meghatározza, hogy zen-módban el vannak-e rejtve a munkaterületen megjelenő fülek.",
+ "zenMode.hideStatusBar": "Meghatározza, hogy zen-módban el van-e rejtve a munkaterület alján található állapotsor.",
+ "zenMode.hideActivityBar": "Meghatározza, hogy zen-módban el van-e rejtve a munkaterület bal oldalán található tevékenységsáv.",
+ "zenMode.hideLineNumbers": "Controls whether turning on Zen Mode also hides the editor line numbers.",
+ "zenMode.restore": "Meghatározza, hogy az ablak zen-módban induljon-e, ha kilépéskor zen-módban volt.",
+ "zenMode.silentNotifications": "Controls whether notifications are shown while in zen mode. If true, only error notifications will pop out."
+ },
+ "vs/workbench/browser/parts/titlebar/titlebarPart": {
+ "patchedWindowTitle": "[Nem támogatott]",
+ "userIsAdmin": "(Rendszergazda)",
+ "userIsSudo": "(Superuser)",
+ "devExtensionWindowTitlePrefix": "Kiegészítőfejlesztői példány"
+ },
+ "vs/workbench/browser/workbench": {
+ "loaderErrorNative": "Egy szükséges fájl betöltése nem sikerült. Indítsa újra az alkalmazást, és próbálkozzon újra. Részletek: {0}"
+ },
+ "vs/workbench/common/editor": {
+ "sideBySideLabels": "{0} – {1}"
+ },
+ "vs/workbench/api/common/jsonValidationExtensionPoint": {
+ "contributes.jsonValidation": "JSON-sémakonfigurációkat szolgáltat.",
+ "contributes.jsonValidation.fileMatch": "The file pattern (or an array of patterns) to match, for example \"package.json\" or \"*.launch\". Exclusion patterns start with '!'",
+ "contributes.jsonValidation.url": "A séma URL-címe ('http:', 'https:') vagy relatív elérési útja a kiegészítő mappájához képest ('./').",
+ "invalid.jsonValidation": "a 'configuration.jsonValidation' értékét tömbként kell megadni",
+ "invalid.fileMatch": "'configuration.jsonValidation.fileMatch' must be defined as a string or an array of strings.",
+ "invalid.url": "a 'configuration.jsonValidation.url' értéke URL-cím vagy relatív elérési út lehet",
+ "invalid.path.1": "A „contributes.{0}.url” ({1}) nem a kiegészítő mappáján belül található ({2}). Emiatt előfordulhat, hogy a kiegészítő nem lesz hordozható.",
+ "invalid.url.fileschema": "a 'configuration.jsonValidation.url' érvénytelen relatív elérési utat tartalmaz: {0}",
+ "invalid.url.schema": "'configuration.jsonValidation.url' must be an absolute URL or start with './' to reference schemas located in the extension."
+ },
+ "vs/workbench/api/browser/mainThreadMessageService": {
+ "extensionSource": "{0} (kiegészítő)",
+ "defaultSource": "Kiegészítő",
+ "manageExtension": "Kiegészítő kezelése",
+ "cancel": "Mégse",
+ "ok": "OK"
+ },
+ "vs/workbench/api/browser/mainThreadFileSystemEventService": {
+ "files.participants.timeout": "Timeout in milliseconds after which file participants for create, rename, and delete are cancelled. Use `0` to disable participants."
+ },
+ "vs/workbench/api/browser/mainThreadProgress": {
+ "manageExtension": "Kiegészítő kezelése"
+ },
+ "vs/workbench/api/browser/mainThreadSaveParticipant": {
+ "timeout.onWillSave": "OnWillSaveTextDocument-esemény megszakítva 1750ms után"
+ },
+ "vs/workbench/browser/actions/layoutActions": {
+ "view": "Nézet",
+ "closeSidebar": "Close Side Bar",
+ "toggleActivityBar": "Tevékenységsáv be- és kikapcsolása",
+ "miShowActivityBar": "Show &&Activity Bar",
+ "toggleCenteredLayout": "Középre igazított elrendezés be- és kikapcsolása",
+ "miToggleCenteredLayout": "Centered Layout",
+ "flipLayout": "Váltás vízszintes és függőleges elrendezés között",
+ "miToggleEditorLayout": "Flip &&Layout",
+ "toggleSidebarPosition": "Oldalsáv helyzetének váltása",
+ "moveSidebarRight": "Oldalsáv áthelyezése a jobb oldalra",
+ "moveSidebarLeft": "Oldalsáv áthelyezése a bal oldalra",
+ "miMoveSidebarRight": "&&Move Side Bar Right",
+ "miMoveSidebarLeft": "&&Move Side Bar Left",
+ "toggleEditor": "Toggle Editor Area Visibility",
+ "miShowEditorArea": "Show &&Editor Area",
+ "toggleSidebar": "Oldalsáv be- és kikapcsolása",
+ "miAppearance": "&&Appearance",
+ "miShowSidebar": "Show &&Side Bar",
+ "toggleStatusbar": "Állapotsor be- és kikapcsolása",
+ "miShowStatusbar": "Show S&&tatus Bar",
+ "toggleTabs": "Fül láthatóságának ki- és bekapcsolása",
+ "toggleZenMode": "Zen mód be- és kikapcsolása",
+ "miToggleZenMode": "Zen-mód",
+ "toggleMenuBar": "Menüsáv be- és kikapcsolása",
+ "miShowMenuBar": "Show Menu &&Bar",
+ "resetViewLocations": "Reset View Locations",
+ "moveFocusedView": "Move Focused View",
+ "moveFocusedView.error.noFocusedView": "There is no view currently focused.",
+ "moveFocusedView.error.nonMovableView": "The currently focused view is not movable.",
+ "moveFocusedView.selectDestination": "Select a Destination for the View",
+ "sidebar": "Oldalsáv",
+ "moveFocusedView.newContainerInSidebar": "New Container in Side Bar",
+ "panel": "Panel",
+ "moveFocusedView.newContainerInPanel": "New Container in Panel",
+ "resetFocusedViewLocation": "Reset Focused View Location",
+ "resetFocusedView.error.noFocusedView": "There is no view currently focused.",
+ "increaseViewSize": "Jelenlegi nézet méretének növelése",
+ "decreaseViewSize": "Jelenlegi nézet méretének csökkentése"
+ },
+ "vs/workbench/browser/parts/panel/panelPart": {
+ "hidePanel": "Hide Panel"
+ },
+ "vs/workbench/browser/parts/activitybar/activitybarPart": {
+ "hideMenu": "Hide Menu",
+ "showMenu": "Show Menu",
+ "hideActivitBar": "Tevékenységsáv elrejtése",
+ "manage": "Kezelés",
+ "accounts": "Accounts"
+ },
+ "vs/workbench/browser/parts/statusbar/statusbarPart": {
+ "hide": "Hide '{0}'",
+ "hideStatusBar": "Hide Status Bar"
+ },
+ "vs/workbench/common/configuration": {
+ "workbenchConfigurationTitle": "Munkaterület"
+ },
+ "vs/workbench/common/theme": {
+ "tabActiveBackground": "Az aktív fül háttérszíne. A fülek tartalmazzák a szerkesztőablakokat a szerkesztőterületen. Egy szerkesztőablak-csoportban több fül is megnyitható. Több szerkesztőablak-csoportot is létre lehet hozni.",
+ "tabUnfocusedActiveBackground": "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.",
+ "tabInactiveBackground": "Az inaktív fülek háttérszíne. A fülek tartalmazzák a szerkesztőablakokat a szerkesztőterületen. Egy szerkesztőablak-csoportban több fül is megnyitható. Több szerkesztőablak-csoportot is létre lehet hozni.",
+ "tabHoverBackground": "A fülek háttérszíne amikor az egérkurzor fölöttük van. A fülek tartalmazzák a szerkesztőterületen lévő szerkesztőablakokat. Egy szerkesztőablak-csoportban több fül is megnyitható. Több szerkesztőablak-csoportot is létre lehet hozni.",
+ "tabUnfocusedHoverBackground": "A fülek háttérszíne egy fókusz nélküli csoportban, amikor az egérkurzor fölötte van. A fülek tartalmazzák a szerkesztőterületen lévő szerkesztőablakokat. Egy szerkesztőablak-csoportban több fül is megnyitható. Több szerkesztőablak-csoportot is létre lehet hozni.",
+ "tabBorder": "A füleket egymástól elválasztó keret színe. A fülek tartalmazzák a szerkesztőterületen lévő szerkesztőablakokat. Egy szerkesztőablak-csoportban több fül is megnyitható. Több szerkesztőablak-csoportot is létre lehet hozni.",
+ "tabActiveBorder": "Az aktív fülek aljának keretszíne. A fülek tartalmazzák a szerkesztőablakokat a szerkesztőterületen. Egy szerkesztőablak-csoportban több fül is megnyitható. Több szerkesztőablak-csoportot is létre lehet hozni.",
+ "tabActiveUnfocusedBorder": "Az aktív fülek aljának keretszíne egy fókusz nélküli csoportban. A fülek tartalmazzák a szerkesztőablakokat a szerkesztőterületen. Egy szerkesztőablak-csoportban több fül is megnyitható. Több szerkesztőablak-csoportot is létre lehet hozni. ",
+ "tabActiveBorderTop": "Az aktív fülek tetejének keretszíne. A fülek tartalmazzák a szerkesztőablakokat a szerkesztőterületen. Egy szerkesztőablak-csoportban több fül is megnyitható. Több szerkesztőablak-csoportot is létre lehet hozni.",
+ "tabActiveUnfocusedBorderTop": "Az aktív fülek tetejének keretszíne egy fókusz nélküli csoportban. A fülek tartalmazzák a szerkesztőablakokat a szerkesztőterületen. Egy szerkesztőablak-csoportban több fül is megnyitható. Több szerkesztőablak-csoportot is létre lehet hozni.",
+ "tabActiveModifiedBorder": "A módosított fájlokhoz tartozó aktív fülek felső keretszíne egy aktív csoportban. A fülek tartalmazzák a szerkesztőablakokat a szerkesztőterületen. Egy szerkesztőablak-csoportban több fül is megnyitható. Több szerkesztőablak-csoportot is létre lehet hozni.",
+ "tabInactiveModifiedBorder": "A módosított fájlokhoz tartozó inaktív fülek felső keretszíne egy aktív csoportban. A fülek tartalmazzák a szerkesztőablakokat a szerkesztőterületen. Egy szerkesztőablak-csoportban több fül is megnyitható. Több szerkesztőablak-csoportot is létre lehet hozni.",
+ "unfocusedActiveModifiedBorder": "A módosított fájlokhoz tartozó aktív fülek felső keretszíne egy fókusz nélküli csoportban. A fülek tartalmazzák a szerkesztőablakokat a szerkesztőterületen. Egy szerkesztőablak-csoportban több fül is megnyitható. Több szerkesztőablak-csoportot is létre lehet hozni.",
+ "unfocusedINactiveModifiedBorder": "A módosított fájlokhoz tartozó inaktív fülek felső keretszíne egy fókusz nélküli csoportban. A fülek tartalmazzák a szerkesztőablakokat a szerkesztőterületen. Egy szerkesztőablak-csoportban több fül is megnyitható. Több szerkesztőablak-csoportot is létre lehet hozni.",
+ "tabHoverBorder": "A fülek kiemelésére használt keret színe amikor az egérkurzor fölöttük van. A fülek tartalmazzák a szerkesztőterületen lévő szerkesztőablakokat. Egy szerkesztőablak-csoportban több fül is megnyitható. Több szerkesztőablak-csoportot is létre lehet hozni.",
+ "tabUnfocusedHoverBorder": "A fülek kiemelésére használt keret színe egy fókusz nélküli csoportban, amikor az egérkurzor fölöttük van. A fülek tartalmazzák a szerkesztőterületen lévő szerkesztőablakokat. Egy szerkesztőablak-csoportban több fül is megnyitható. Több szerkesztőablak-csoportot is létre lehet hozni.",
+ "tabActiveForeground": "Az aktív fül előtérszíne az aktív csoportban. A fülek tartalmazzák a szerkesztőterületen lévő szerkesztőablakokat. Egy szerkesztőablak-csoportban több fül is megnyitható. Több szerkesztőablak-csoportot is létre lehet hozni.",
+ "tabInactiveForeground": "Az inaktív fülek előtérszíne az aktív csoportban. A fülek tartalmazzák a szerkesztőterületen lévő szerkesztőablakokat. Egy szerkesztőablak-csoportban több fül is megnyitható. Több szerkesztőablak-csoportot is létre lehet hozni.",
+ "tabUnfocusedActiveForeground": "Az aktív fül előtérszíne egy fókusz nélküli csoportban. A fülek tartalmazzák a szerkesztőterületen lévő szerkesztőablakokat. Egy szerkesztőablak-csoportban több fül is megnyitható. Több szerkesztőablak-csoportot is létre lehet hozni.",
+ "tabUnfocusedInactiveForeground": "Az inaktív fülek előtérszíne egy fókusz nélküli csoportban. A fülek tartalmazzák a szerkesztőterületen lévő szerkesztőablakokat. Egy szerkesztőablak-csoportban több fül is megnyitható. Több szerkesztőablak-csoportot is létre lehet hozni.",
+ "editorPaneBackground": "A középre igazított szerkesztőablakok bal és jobb oldalán látható panel háttérszíne.",
+ "editorGroupBackground": "Szerkesztőablak-csoportok háttérszíne. Elavult.",
+ "deprecatedEditorGroupBackground": "Elavult: A szerkesztőablak-csoportok háttérszínének beállítási lehetősége a rácsalapú szerkesztőablak-elrendezés bevezetésével megszűnik. Az üres szerkesztőablak-csoportok háttérszíne az editorGroup.emptyBackground beállítással adható meg.",
+ "editorGroupEmptyBackground": "Az üres szerkesztőablak-csoportok háttérszíne. A szerkesztőablak-csoportok szerkesztőablakokat tartalmaznak.",
+ "editorGroupFocusedEmptyBorder": "A fókuszban lévő üres szerkesztőablak-csoport keretszíne. A szerkesztőablak-csoportok szerkesztőablakokat tartalmaznak.",
+ "tabsContainerBackground": "A szerkesztőablak-csoport címsorának háttérszíne, ha a fülek engedélyezve vannak. A szerkesztőablak-csoportok szerkesztőablakokat tartalmaznak.",
+ "tabsContainerBorder": "A szerkesztőablak-csoport címsorának keretszíne, ha a fülek engedélyezve vannak. A szerkesztőablak-csoportok szerkesztőablakokat tartalmaznak.",
+ "editorGroupHeaderBackground": "A szerkesztőablak-csoportok címsorának keretszíne, ha a fülek le vannak tiltva („\"workbench.editor.showTabs\": false”). A szerkesztőablak-csoportok szerkesztőablakokat tartalmaznak.",
+ "editorGroupBorder": "A szerkesztőablak-csoportokat elválasztó vonal színe. A szerkesztőablak-csoportok szerkesztőablakokat tartalmaznak.",
+ "editorDragAndDropBackground": "A szerkesztőablakok mozgatásánál használt háttérszín. Érdemes átlátszó színt választani, hogy a szerkesztőablak tartalma továbbra is látszódjon.",
+ "imagePreviewBorder": "Border color for image in image preview.",
+ "panelBackground": "A panelek háttérszíne. A panelek a szerkesztőterület alatt jelennek meg, és pl. itt található a kimenet és az integrált terminál.",
+ "panelBorder": "A panelek keretszíne, ami elválasztja őket a szerkesztőablakoktól. A panelek a szerkesztőterület alatt jelennek meg, és pl. itt található a kimenetet és az integrált terminál.",
+ "panelActiveTitleForeground": "Az aktív panel címsorának színe. A panelek a szerkesztőterület alatt jelennek meg, és pl. itt található a kimenet és az integrált terminál.",
+ "panelInactiveTitleForeground": "Az inaktív panelek címsorának színe. A panelek a szerkesztőterület alatt jelennek meg, és pl. itt található a kimenet és az integrált terminál.",
+ "panelActiveTitleBorder": "Az aktív panel címsorának keretszíne. A panelek a szerkesztőterület alatt jelennek meg, és pl. itt található a kimenet és az integrált terminál.",
+ "panelDragAndDropBackground": "A panel címsorában található elemek mozgatásánál használt visszajelzési szín. Érdemes átlátszó színt választani, hogy a panel elemei láthatóak maradjanak. A panelek a szerkesztőterület alatt jelennek meg, és pl. itt található a kimenet és az integrált terminál.",
+ "panelInputBorder": "Input box border for inputs in the panel.",
+ "statusBarForeground": "Az állapotsor előtérszíne, ha egy munkaterület van megnyitva. Az állapotsor az ablak alján jelenik meg.",
+ "statusBarNoFolderForeground": "Az állapotsor előtérszíne, ha nincs mappa megnyitva. Az állapotsor az ablak alján jelenik meg.",
+ "statusBarBackground": "Az állapotsor háttérszíne, ha egy munkaterület van megnyitva. Az állapotsor az ablak alján jelenik meg.",
+ "statusBarNoFolderBackground": "Az állapotsor háttérszíne, ha nincs mappa megnyitva. Az állapotsor az ablak alján jelenik meg.",
+ "statusBarBorder": "Az állapotsort az oldalsávtól és a szerkesztőablakoktól elválasztó keret színe. Az állapotsor az ablak alján jelenik meg.",
+ "statusBarNoFolderBorder": "Az állapotsort az oldalsávtól és a szerkesztőablakoktól elválasztó keret színe, ha nincs mappa megnyitva. Az állapotsor az ablak alján jelenik meg. ",
+ "statusBarItemActiveBackground": "Az állapotsor elemének háttérszíne kattintás esetén. Az állapotsor az ablak alján jelenik meg.",
+ "statusBarItemHoverBackground": "Az állapotsor elemének háttérszíne, ha az egérkurzor fölötte van. Az állapotsor az ablak alján jelenik meg.",
+ "statusBarProminentItemForeground": "Status bar prominent items foreground color. Prominent items stand out from other status bar entries to indicate importance. Change mode `Toggle Tab Key Moves Focus` from command palette to see an example. The status bar is shown in the bottom of the window.",
+ "statusBarProminentItemBackground": "Az állapotsor kiemelt elemeinek háttérszíne. A kiemelt elemek kitűnnek az állapotsor többi eleme közül, így jelezve a fontosságukat. Kapcsolja be a `Tabulátor billentyűvel mozgatott fókusz` módot a parancskatalógusban egy példa megtekintéséhez! Az állapotsor az ablak alján jelenik meg.",
+ "statusBarProminentItemHoverBackground": "Az állapotsor kiemelt elemeinek háttérszíne, ha az egérkurzor fölöttük van. A kiemelt elemek kitűnnek az állapotsor többi eleme közül, így jelezve a fontosságukat. Kapcsolja be a `Tabulátor billentyűvel mozgatott fókusz` módot a parancskatalógusban egy példa megtekintéséhez! Az állapotsor az ablak alján jelenik meg.",
+ "activityBarBackground": "A tevékenységsáv háttérszíne. A tevékenységsáv az ablak legszélén jelenik meg bal vagy jobb oldalon, segítségével lehet váltani az oldalsáv nézetei között.",
+ "activityBarForeground": "A tevékenységsáv elemeinek előtérszíne, ha az aktív. A tevékenységsáv az ablak legszélén jelenik meg bal vagy jobb oldalon, segítségével lehet váltani az oldalsáv nézetei között.",
+ "activityBarInActiveForeground": "A tevékenységsáv elemeinek előtérszíne, ha az inaktív. A tevékenységsáv az ablak legszélén jelenik meg bal vagy jobb oldalon, segítségével lehet váltani az oldalsáv nézetei között.",
+ "activityBarBorder": "A tevékenyésgsáv keretszíne, ami elválasztja az oldalsávtól. A tevékenységsáv az ablak legszélén jelenik meg bal vagy jobb oldalon, segítségével lehet váltani az oldalsáv nézetei között.",
+ "activityBarActiveBorder": "Activity bar border color for the active item. The activity bar is showing on the far left or right and allows to switch between views of the side bar.",
+ "activityBarActiveFocusBorder": "Activity bar focus border color for the active item. The activity bar is showing on the far left or right and allows to switch between views of the side bar.",
+ "activityBarActiveBackground": "Activity bar background color for the active item. The activity bar is showing on the far left or right and allows to switch between views of the side bar.",
+ "activityBarDragAndDropBackground": "A tevékenységsáv elemeinek mozgatásánál használt visszajelzési szín. Érdemes átlátszó színt választani, hogy a tevékenységsáv elemei láthatóak maradjanak. A tevékenységsáv az ablak legszélén jelenik meg bal vagy jobb oldalon, segítségével lehet váltani az oldalsáv nézetei között.",
+ "activityBarBadgeBackground": "A tevékenységsáv értesítési jelvényeinek háttérszíne. A tevékenységsáv az ablak legszélén jelenik meg bal vagy jobb oldalon, segítségével lehet váltani az oldalsáv nézetei között.",
+ "activityBarBadgeForeground": "A tevékenységsáv értesítési jelvényeinek előtérszíne. A tevékenységsáv az ablak legszélén jelenik meg bal vagy jobb oldalon, segítségével lehet váltani az oldalsáv nézetei között.",
+ "statusBarItemHostBackground": "Background color for the remote indicator on the status bar.",
+ "statusBarItemHostForeground": "Foreground color for the remote indicator on the status bar.",
+ "extensionBadge.remoteBackground": "Background color for the remote badge in the extensions view.",
+ "extensionBadge.remoteForeground": "Foreground color for the remote badge in the extensions view.",
+ "sideBarBackground": "Az oldalsáv háttérszíne. Az oldalsávon található például a fájlkezelő és a keresés nézet.",
+ "sideBarForeground": "Az oldalsáv előtérszíne. Az oldalsávon található például a fájlkezelő és a keresés nézet.",
+ "sideBarBorder": "Az oldalsáv keretszíne, ami elválasztja a szerkesztőablaktól. Az oldalsávon található például a fájlkezelő és a keresés nézet.",
+ "sideBarTitleForeground": "Az oldalsáv címsorának előtérszíne. Az oldalsávon található például a fájlkezelő és a keresés nézet.",
+ "sideBarDragAndDropBackground": "Az oldalsáv szakaszainak mozgatásánál használt visszajelzési szín. Érdemes átlátszó színt választani, hogy az oldalsáv szakaszai láthatóak maradjanak. Az oldalsávon található például a fájlkezelő és a keresés nézet.",
+ "sideBarSectionHeaderBackground": "Az oldalsáv szakaszfejlécének háttérszíne. Az oldalsávon található például a fájlkezelő és a keresés nézet.",
+ "sideBarSectionHeaderForeground": "Az oldalsáv szakaszfejlécének előtérszíne. Az oldalsávon található például a fájlkezelő és a keresés nézet.",
+ "sideBarSectionHeaderBorder": "Az oldalsáv szakaszfejlécének keretszíne. Az oldalsávon található például a fájlkezelő és a keresés nézet.",
+ "titleBarActiveForeground": "A címsor előtérszíne, ha az ablak aktív. Megjegyzés: ez a beállítás jelenleg csak macOS-en támogatott.",
+ "titleBarInactiveForeground": "A címsor előtérszíne, ha az ablak inaktív. Megjegyzés: ez a beállítás jelenleg csak macOS-en támogatott.",
+ "titleBarActiveBackground": "A címsor háttérszíne, ha az ablak aktív. Megjegyzés: ez a beállítás jelenleg csak macOS-en támogatott.",
+ "titleBarInactiveBackground": "A címsor háttérszíne, ha az ablak inaktív. Megjegyzés: ez a beállítás jelenleg csak macOS-en támogatott.",
+ "titleBarBorder": "A címsor keretszíne, ha az ablak aktív. Megjegyzés: ez a beállítás jelenleg csak macOS-en támogatott.",
+ "menubarSelectionForeground": "A kiválasztott menüelemek előtérszíne a menüsávon.",
+ "menubarSelectionBackground": "A kiválasztott menüelemek háttérszíne a menüsávon.",
+ "menubarSelectionBorder": "A kiválasztott menüelemek keretszíne a menüsávon.",
+ "notificationCenterBorder": "Az értesítési központ keretszíne. Az értesítések az ablak jobb alsó részén jelennek meg.",
+ "notificationToastBorder": "Az értesítések keretszíne. Az értesítések az ablak jobb alsó részén jelennek meg.",
+ "notificationsForeground": "Az értesítések előtérszíne. Az értesítések az ablak jobb alsó részén jelennek meg.",
+ "notificationsBackground": "Az értesítések háttérszíne. Az értesítések az ablak jobb alsó részén jelennek meg.",
+ "notificationsLink": "Az értesítésekben található hivatkozások előtérszíne. Az értesítések az ablak jobb alsó részén jelennek meg.",
+ "notificationCenterHeaderForeground": "Az értesítési központ fejlécének előtérszíne. Az értesítések az ablak jobb alsó részén jelennek meg.",
+ "notificationCenterHeaderBackground": "Az értesítési központ fejlécének háttérszíne. Az értesítések az ablak jobb alsó részén jelennek meg.",
+ "notificationsBorder": "Az értesítéseket egymástól elválasztó keret színe az értesítési központban. Az értesítések az ablak jobb alsó részén jelennek meg.",
+ "notificationsErrorIconForeground": "The color used for the icon of error notifications. Notifications slide in from the bottom right of the window.",
+ "notificationsWarningIconForeground": "The color used for the icon of warning notifications. Notifications slide in from the bottom right of the window.",
+ "notificationsInfoIconForeground": "The color used for the icon of info notifications. Notifications slide in from the bottom right of the window.",
+ "windowActiveBorder": "The color used for the border of the window when it is active. Only supported in the desktop client when using the custom title bar.",
+ "windowInactiveBorder": "The color used for the border of the window when it is inactive. Only supported in the desktop client when using the custom title bar."
+ },
+ "vs/workbench/api/node/extHostDebugService": {
+ "debug.terminal.title": "hibakereső"
+ },
+ "vs/workbench/api/browser/mainThreadEditors": {
+ "diffLeftRightLabel": "{0} ⟷ {1}"
+ },
+ "vs/workbench/api/browser/mainThreadExtensionService": {
+ "reload window": "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": "Ablak újratöltése",
+ "disabledDep": "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 dep": "Enable and Reload",
+ "uninstalledDep": "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 missing dep": "Install and Reload",
+ "unknownDep": "Cannot activate the '{0}' extension because it depends on an unknown '{1}' extension ."
+ },
+ "vs/workbench/api/browser/mainThreadWorkspace": {
+ "folderStatusMessageAddSingleFolder": "A(z) '{0}' kiegészítő egy mappát adott hozzá a munkaterülethez.",
+ "folderStatusMessageAddMultipleFolders": "A(z) '{0}' kiegészítő {0} mappát adott hozzá a munkaterülethez.",
+ "folderStatusMessageRemoveSingleFolder": "A(z) '{0}' kiegészítő eltávolított egy mappát a munkaterületről.",
+ "folderStatusMessageRemoveMultipleFolders": "A(z) '{0}' kiegészítő {1} mappát távolított el a munkaterületről.",
+ "folderStatusChangeFolder": "A(z) '{0}' kiegészítő módosította a munkaterület mappáit."
+ },
+ "vs/workbench/browser/parts/views/views": {
+ "focus view": "Váltás a(z) {0} nézetre",
+ "view category": "Nézet",
+ "resetViewLocation": "Reset View Location"
+ },
+ "vs/workbench/api/browser/mainThreadAuthentication": {
+ "manageTrustedExtensions": "Manage Trusted Extensions",
+ "manageExensions": "Choose which extensions can access this account",
+ "addAnotherAccount": "Sign in to another {0} account",
+ "addAccount": "Sign in to {0}",
+ "signOut": "Sign Out",
+ "confirmAuthenticationAccess": "The extension '{0}' is trying to access authentication information for the {1} account '{2}'.",
+ "cancel": "Mégse",
+ "allow": "Engedélyezés",
+ "confirmLogin": "The extension '{0}' wants to sign in using {1}."
+ },
+ "vs/workbench/common/views": {
+ "duplicateId": "A view with id '{0}' is already registered"
+ },
+ "vs/workbench/common/editor/diffEditorInput": {
+ "sideBySideLabels": "{0} ↔ {1}"
+ },
+ "vs/workbench/electron-browser/window": {
+ "runningAsRoot": "Nem ajánlott a {0} 'root'-két futtatása.",
+ "mPreferences": "Beállítások"
+ },
+ "vs/workbench/browser/viewlet": {
+ "compositePart.hideSideBarLabel": "Oldalsáv elrejtése",
+ "collapse": "Összes bezárása"
+ },
+ "vs/workbench/api/browser/mainThreadTask": {
+ "task.label": "{0}: {1}"
+ },
+ "vs/workbench/browser/parts/compositePart": {
+ "ariaCompositeToolbarLabel": "{0} művelet",
+ "titleTooltip": "{0} ({1})"
+ },
+ "vs/workbench/browser/parts/editor/editorWidgets": {
+ "openWorkspace": "Munkaterület megnyitása"
+ },
+ "vs/workbench/browser/parts/editor/textResourceEditor": {
+ "textEditor": "Szövegszerkesztő",
+ "readonlyEditorWithInputAriaLabel": "{0} readonly editor",
+ "readonlyEditorAriaLabel": "Readonly editor",
+ "writeableEditorWithInputAriaLabel": "{0} editor",
+ "writeableEditorAriaLabel": "Szerkesztőablak"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsAlerts": {
+ "alertErrorMessage": "Hiba: {0}",
+ "alertWarningMessage": "Figyelmeztetés: {0}",
+ "alertInfoMessage": "Információ: {0}"
+ },
+ "vs/workbench/api/common/extHostWorkspace": {
+ "updateerror": "A(z) '{0}' kiegészítőnek nem sikerült módosítani a munkaterület mappáit: {1}"
+ },
+ "vs/workbench/api/browser/mainThreadWebview": {
+ "errorMessage": "Hiba történt a nézet visszaállítása közben: {0}",
+ "defaultEditLabel": "Szerkesztés"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsStatus": {
+ "status.notifications": "Értesítések",
+ "hideNotifications": "Értesítések elrejtése",
+ "zeroNotifications": "Nincs értesítés",
+ "noNotifications": "Nincs új értesítés",
+ "oneNotification": "1 új értesítés",
+ "notifications": "{0} új értesítés",
+ "noNotificationsWithProgress": "No New Notifications ({0} in progress)",
+ "oneNotificationWithProgress": "1 New Notification ({0} in progress)",
+ "notificationsWithProgress": "{0} New Notifications ({0} in progress)",
+ "status.message": "Status Message"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsCommands": {
+ "notifications": "Értesítések",
+ "showNotifications": "Értesítések megjelenítése",
+ "hideNotifications": "Értesítések elrejtése",
+ "clearAllNotifications": "Összes értesítés törlése",
+ "focusNotificationToasts": "Focus Notification Toast"
+ },
+ "vs/workbench/api/common/extHostExtensionService": {
+ "extensionTestError": "Az {0} elérési út nem érvényes kiegészítő tesztfuttató alkalmazásra mutat."
+ },
+ "vs/workbench/browser/parts/panel/panelActions": {
+ "closePanel": "Panel bezárása",
+ "togglePanel": "Panel be- és kikapcsolása",
+ "focusPanel": "Váltás a panelra",
+ "toggleMaximizedPanel": "Teljes méretű panel be- és kikapcsolása",
+ "maximizePanel": "Panel teljes méretűvé tétele",
+ "minimizePanel": "Panel méretének visszaállítása",
+ "positionPanelLeft": "Move Panel Left",
+ "positionPanelRight": "Panel mozgatása jobbra",
+ "positionPanelBottom": "Panel mozgatása lefelé",
+ "previousPanelView": "Előző panelnézet",
+ "nextPanelView": "Következő panelnézet",
+ "view": "Nézet",
+ "miShowPanel": "Show &&Panel"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsCenter": {
+ "notificationsEmpty": "Nincs új értesítés",
+ "notifications": "Értesítések",
+ "notificationsToolbar": "Értesítésiközpont-műveletek",
+ "notificationsList": "Értesítések listája"
+ },
+ "vs/workbench/browser/parts/editor/textEditor": {
+ "editorLabelWithGroup": "{0}, {1}"
+ },
+ "vs/workbench/browser/parts/activitybar/activitybarActions": {
+ "previousSideBarView": "Előző oldalsávnézet",
+ "nextSideBarView": "Következő oldalsávnézet",
+ "view": "Nézet"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsToasts": {
+ "notificationsToast": "Értesítési jelzés"
+ },
+ "vs/workbench/browser/parts/views/treeView": {
+ "no-dataprovider": "Nincs olyan adatszolgáltató regisztrálva, amely képes kiszolgálni adatot ehhez a nézethez.",
+ "refresh": "Frissítés",
+ "collapseAll": "Összes bezárása",
+ "command-error": "Error running command {1}: {0}. This is likely caused by the extension that contributes {1}."
+ },
+ "vs/workbench/browser/parts/compositeBarActions": {
+ "badgeTitle": "{0} – {1}",
+ "additionalViews": "További nézetek",
+ "numberBadge": "{0} ({1})",
+ "manageExtension": "Kiegészítő kezelése",
+ "titleKeybinding": "{0} ({1})",
+ "hide": "elrejtés",
+ "keep": "Megtartás",
+ "compositeActive": "{0} aktív",
+ "toggle": "Nézet rögzítésének be- és kikapcsolása"
+ },
+ "vs/workbench/browser/parts/editor/binaryEditor": {
+ "binaryEditor": "Bináris megjelenítő",
+ "sizeB": "{0} B",
+ "sizeKB": "{0} KB",
+ "sizeMB": "{0} MB",
+ "sizeGB": "{0} GB",
+ "sizeTB": "{0} TB",
+ "nativeFileTooLargeError": "A fájl nem jeleníthető meg a szerkesztőben, mert túl nagy ({0}).",
+ "nativeBinaryError": "A fájl nem jeleníthető meg a szerkesztőben, mert bináris adatokat tartalmaz vagy nem támogatott szövegkódolást használ.",
+ "openAsText": "Mégis meg szeretné nyitni?"
+ },
+ "vs/workbench/browser/parts/editor/editorCommands": {
+ "editorCommand.activeEditorMove.description": "Aktív szerkesztőablak mozgatása fülek vagy csoportok között",
+ "editorCommand.activeEditorMove.arg.name": "Aktív szerkesztőablak mozgatási argumentum",
+ "editorCommand.activeEditorMove.arg.description": "Argumentumtulajdonságok:\n\t* 'to': karakterlánc, a mozgatás célpontja.\n\t* 'by': karakterlánc, a mozgatás egysége (fül vagy csoport)\n\t* 'value': szám, ami meghatározza, hogy hány pozíciót kell mozgatni, vagy egy abszolút pozíciót, ahová mozgatni kell.",
+ "toggleInlineView": "Sorok közötti nézet be- és kikapcsolása",
+ "compare": "Összehasonlítás"
+ },
+ "vs/workbench/browser/parts/titlebar/menubarControl": {
+ "mFile": "&&Fájl",
+ "mEdit": "&&Szerkesztés",
+ "mSelection": "&&Selection",
+ "mView": "&&Nézet",
+ "mGoto": "&&Go",
+ "mRun": "&&Run",
+ "mTerminal": "&&Terminal",
+ "mHelp": "&&Súgó",
+ "menubar.customTitlebarAccessibilityNotification": "Accessibility support is enabled for you. For the most accessible experience, we recommend the custom title bar style.",
+ "goToSetting": "Beállítások megnyitása",
+ "checkForUpdates": "Check for &&Updates...",
+ "checkingForUpdates": "Frissítések keresése...",
+ "download now": "D&&ownload Update",
+ "DownloadingUpdate": "Frissítés letöltése...",
+ "installUpdate...": "Install &&Update...",
+ "installingUpdate": "Frissítés telepítése...",
+ "restartToUpdate": "Restart to &&Update"
+ },
+ "vs/workbench/browser/parts/compositeBar": {
+ "activityBarAriaLabel": "Az aktív nézet váltása"
+ },
+ "vs/workbench/browser/parts/views/viewPaneContainer": {
+ "viewToolbarAriaLabel": "{0} művelet",
+ "hideView": "elrejtés"
+ },
+ "vs/workbench/api/common/extHostExtensionActivator": {
+ "failedDep1": "Cannot activate extension '{0}' because it depends on extension '{1}', which failed to activate.",
+ "activationError": "Nem sikerült aktiválni a(z) `{0}` kiegészítőt: {1}."
+ },
+ "vs/workbench/browser/parts/notifications/notificationsActions": {
+ "clearNotification": "Értesítések törlése",
+ "clearNotifications": "Összes értesítés törlése",
+ "hideNotificationsCenter": "Értesítések elrejtése",
+ "expandNotification": "Értesítés kinyitása",
+ "collapseNotification": "Értesítés összecsukása",
+ "configureNotification": "Értesítés beállításai",
+ "copyNotification": "Szöveg másolása"
+ },
+ "vs/workbench/api/common/extHost.api.impl": {
+ "extensionLabel": "{0} (kiegészítő)"
+ },
+ "vs/workbench/browser/parts/editor/editor.contribution": {
+ "textEditor": "Szövegszerkesztő",
+ "textDiffEditor": "Szöveges tartalmak differenciaszerkesztő ablaka",
+ "binaryDiffEditor": "Bináris tartalmak differenciaszerkesztő ablaka",
+ "sideBySideEditor": "Párhuzamos szerkesztőablakok",
+ "editorQuickAccessPlaceholder": "Type the name of an editor to open it.",
+ "activeGroupEditorsByMostRecentlyUsedQuickAccess": "Show Editors in Active Group by Most Recently Used",
+ "allEditorsByAppearanceQuickAccess": "Show All Opened Editors By Appearance",
+ "allEditorsByMostRecentlyUsedQuickAccess": "Show All Opened Editors By Most Recently Used",
+ "view": "Nézet",
+ "file": "Fájl",
+ "splitUp": "Kettéosztás felfelé",
+ "splitDown": "Kettéosztás lefelé",
+ "splitLeft": "Kettéosztás balra",
+ "splitRight": "Kettéosztás jobbra",
+ "close": "Bezárás",
+ "closeOthers": "Többi bezárása",
+ "closeRight": "Jobbra lévők bezárása",
+ "closeAllSaved": "Mentettek bezárása",
+ "closeAll": "Összes bezárása",
+ "keepOpen": "Maradjon nyitva",
+ "toggleInlineView": "Sorok közötti nézet be- és kikapcsolása",
+ "showOpenedEditors": "Megnyitott szerkesztőablak megjelenítése",
+ "splitEditorRight": "Szerkesztőablak kettéosztása jobbra",
+ "splitEditorDown": "Szerkesztőablak kettéosztása lefelé",
+ "navigate.prev.label": "Előző módosítás",
+ "navigate.next.label": "Következő módosítás",
+ "ignoreTrimWhitespace.label": "Ignore Leading/Trailing Whitespace Differences",
+ "showTrimWhitespace.label": "Show Leading/Trailing Whitespace Differences",
+ "keepEditor": "Szerkesztőablak nyitva tartása",
+ "closeEditorsInGroup": "Összes szerkesztőablak bezárása a csoportban",
+ "closeSavedEditors": "Mentett szerkesztőablakok bezárása a csoportban",
+ "closeOtherEditors": "Többi szerkesztőablak bezárása a csoportban",
+ "closeRightEditors": "Jobbra lévő szerkesztőablakok bezárása a csoportban",
+ "miReopenClosedEditor": "&&Reopen Closed Editor",
+ "miClearRecentOpen": "&&Clear Recently Opened",
+ "miEditorLayout": "Editor &&Layout",
+ "miSplitEditorUp": "Split &&Up",
+ "miSplitEditorDown": "Split &&Down",
+ "miSplitEditorLeft": "Split &&Left",
+ "miSplitEditorRight": "Split &&Right",
+ "miSingleColumnEditorLayout": "&&Single",
+ "miTwoColumnsEditorLayout": "&&Two Columns",
+ "miThreeColumnsEditorLayout": "T&&hree Columns",
+ "miTwoRowsEditorLayout": "T&&wo Rows",
+ "miThreeRowsEditorLayout": "Three &&Rows",
+ "miTwoByTwoGridEditorLayout": "&&Grid (2x2)",
+ "miTwoRowsRightEditorLayout": "Two R&&ows Right",
+ "miTwoColumnsBottomEditorLayout": "Two &&Columns Bottom",
+ "miBack": "&&Vissza",
+ "miForward": "&&Előre",
+ "miLastEditLocation": "&&Last Edit Location",
+ "miNextEditor": "&&Next Editor",
+ "miPreviousEditor": "&&Previous Editor",
+ "miNextRecentlyUsedEditor": "&&Next Used Editor",
+ "miPreviousRecentlyUsedEditor": "&&Previous Used Editor",
+ "miNextEditorInGroup": "&&Next Editor in Group",
+ "miPreviousEditorInGroup": "&&Previous Editor in Group",
+ "miNextUsedEditorInGroup": "&&Next Used Editor in Group",
+ "miPreviousUsedEditorInGroup": "&&Previous Used Editor in Group",
+ "miSwitchEditor": "Switch &&Editor",
+ "miFocusFirstGroup": "Group &&1",
+ "miFocusSecondGroup": "Group &&2",
+ "miFocusThirdGroup": "Group &&3",
+ "miFocusFourthGroup": "Group &&4",
+ "miFocusFifthGroup": "Group &&5",
+ "miNextGroup": "&&Next Group",
+ "miPreviousGroup": "&&Previous Group",
+ "miFocusLeftGroup": "Group &&Left",
+ "miFocusRightGroup": "Group &&Right",
+ "miFocusAboveGroup": "Group &&Above",
+ "miFocusBelowGroup": "Group &&Below",
+ "miSwitchGroup": "Switch &&Group"
+ },
+ "vs/workbench/browser/parts/editor/editorQuickAccess": {
+ "entryAriaLabelWithGroupDirty": "{0}, dirty, {1}",
+ "entryAriaLabelWithGroup": "{0}, {1}",
+ "entryAriaLabelDirty": "{0}, dirty",
+ "closeEditor": "Szerkesztőablak bezárása"
+ },
+ "vs/workbench/browser/parts/editor/textDiffEditor": {
+ "textDiffEditor": "Szöveges tartalmak differenciaszerkesztő ablaka",
+ "readonlyEditorWithInputAriaLabel": "{0} readonly compare editor",
+ "readonlyEditorAriaLabel": "Readonly compare editor",
+ "editableEditorWithInputAriaLabel": "{0} compare editor",
+ "editableEditorAriaLabel": "Compare editor"
+ },
+ "vs/workbench/browser/parts/editor/editorGroupView": {
+ "araLabelGroupActions": "Szerkesztőablak-csoport-műveletek",
+ "closeGroupAction": "Bezárás",
+ "emptyEditorGroup": "{0} (empty)",
+ "groupLabel": "{0}. csoport",
+ "groupAriaLabel": "Editor Group {0}",
+ "ok": "OK",
+ "cancel": "Mégse",
+ "editorOpenErrorDialog": "Unable to open '{0}'",
+ "editorOpenError": "Nem sikerült megnyitni a(z) '{0}' fájlt: {1}."
+ },
+ "vs/workbench/api/common/extHostStatusBar": {
+ "status.extensionMessage": "Extension Status"
+ },
+ "vs/workbench/api/common/extHostProgress": {
+ "extensionSource": "{0} (kiegészítő)"
+ },
+ "vs/workbench/browser/parts/editor/binaryDiffEditor": {
+ "metadataDiff": "{0} ↔ {1}"
+ },
+ "vs/workbench/api/common/extHostDiagnostics": {
+ "limitHit": "{0} további hiba és figyelmeztetés nem jelenik meg."
+ },
+ "vs/workbench/browser/parts/notifications/notificationsViewer": {
+ "executeCommand": "Click to execute command '{0}'",
+ "notificationActions": "Értesítési műveletek",
+ "notificationSource": "Forrás: {0}"
+ },
+ "vs/workbench/api/common/extHostTreeViews": {
+ "treeView.notRegistered": "Nincs '{0}' azonosítóval regisztrált fanézet.",
+ "treeView.duplicateElement": "Már van {0} azonosítójú elem regisztrálva"
+ },
+ "vs/workbench/browser/parts/editor/editorActions": {
+ "splitEditor": "Szerkesztő kettéosztása",
+ "splitEditorOrthogonal": "Szerkesztőablak kettéosztása merőlegesen",
+ "splitEditorGroupLeft": "Szerkesztőablak kettéosztása balra",
+ "splitEditorGroupRight": "Szerkesztőablak kettéosztása jobbra",
+ "splitEditorGroupUp": "Szerkesztőablak kettéosztása felfelé",
+ "splitEditorGroupDown": "Szerkesztőablak kettéosztása lefelé",
+ "joinTwoGroups": "Szerkesztőablak-csoport egyesítése a következő csoporttal",
+ "joinAllGroups": "Összes szerkesztőablak-csoport egyesítése",
+ "navigateEditorGroups": "Váltás szerkesztőcsoportok között",
+ "focusActiveEditorGroup": "Váltás az aktív szerkesztőcsoportra",
+ "focusFirstEditorGroup": "Váltás az első szerkesztőcsoportra",
+ "focusLastEditorGroup": "Váltás az utolsó szerkesztőablak-csoportra",
+ "focusNextGroup": "Váltás a következő szerkesztőablak-csoportra",
+ "focusPreviousGroup": "Váltás az előző szerkesztőablak-csoportra",
+ "focusLeftGroup": "Váltás a balra lévő szerkesztőablak-csoportra",
+ "focusRightGroup": "Váltás a jobbra lévő szerkesztőablak-csoportra",
+ "focusAboveGroup": "Váltás a felül lévő szerkesztőablak-csoportra",
+ "focusBelowGroup": "Váltás az alul lévő szerkesztőablak-csoportra",
+ "closeEditor": "Szerkesztőablak bezárása",
+ "closeOneEditor": "Bezárás",
+ "revertAndCloseActiveEditor": "Visszaállítás és szerkesztőablak bezárása",
+ "closeEditorsToTheLeft": "Balra lévő szerkesztőablakok bezárása a csoportban",
+ "closeAllEditors": "Összes szerkesztőablak bezárása",
+ "closeAllGroups": "Összes szerkesztőablak-csoport bezárása",
+ "closeEditorsInOtherGroups": "A többi csoport szerkesztőablakainak bezárása",
+ "closeEditorInAllGroups": "Szerkesztőablakok bezárása az összes csoportban",
+ "moveActiveGroupLeft": "Szerkesztőablak-csoport mozgatása balra",
+ "moveActiveGroupRight": "Szerkesztőablak-csoport mozgatása jobbra",
+ "moveActiveGroupUp": "Szerkesztőcsoport mozgatása felfelé",
+ "moveActiveGroupDown": "Szerkesztőcsoport mozgatása lefelé",
+ "minimizeOtherEditorGroups": "Szerkesztőablak-csoport nagy méretűvé tétele",
+ "evenEditorGroups": "Szerkesztőablak-csoportok méretének visszaállítása",
+ "toggleEditorWidths": "Toggle Editor Group Sizes",
+ "maximizeEditor": "Maximize Editor Group and Hide Side Bar",
+ "openNextEditor": "Következő szerkesztőablak megnyitása",
+ "openPreviousEditor": "Előző szerkesztőablak megnyitása",
+ "nextEditorInGroup": "A csoport következő szerkesztőablakának megnyitása",
+ "openPreviousEditorInGroup": "A csoport előző szerkesztőablakának megnyitása",
+ "firstEditorInGroup": "Csoport első szerkesztőablakának megnyitása",
+ "lastEditorInGroup": "Csoport utolsó szerkesztőablakának megnyitása",
+ "navigateNext": "Ugrás előre",
+ "navigatePrevious": "Ugrás vissza",
+ "navigateToLastEditLocation": "Ugrás az előző szerkesztés helyére",
+ "navigateLast": "Ugrás az utolsóra",
+ "reopenClosedEditor": "Bezárt szerkesztőablak újranyitása",
+ "clearRecentFiles": "Legutóbb megnyitottak listájának ürítése",
+ "showEditorsInActiveGroup": "Show Editors in Active Group By Most Recently Used",
+ "showAllEditors": "Show All Editors By Appearance",
+ "showAllEditorsByMostRecentlyUsed": "Show All Editors By Most Recently Used",
+ "quickOpenPreviousRecentlyUsedEditor": "Quick Open Previous Recently Used Editor",
+ "quickOpenLeastRecentlyUsedEditor": "Quick Open Least Recently Used Editor",
+ "quickOpenPreviousRecentlyUsedEditorInGroup": "Quick Open Previous Recently Used Editor in Group",
+ "quickOpenLeastRecentlyUsedEditorInGroup": "Quick Open Least Recently Used Editor in Group",
+ "navigateEditorHistoryByInput": "Quick Open Previous Editor from History",
+ "openNextRecentlyUsedEditor": "A következő legutoljára használt szerksztőablak megnyitása",
+ "openPreviousRecentlyUsedEditor": "Az előző legutoljára használt szerksztőablak megnyitása",
+ "openNextRecentlyUsedEditorInGroup": "A csoportban következő legutoljára használt szerksztőablak megnyitása",
+ "openPreviousRecentlyUsedEditorInGroup": "A csoportban előző legutoljára használt szerksztőablak megnyitása",
+ "clearEditorHistory": "Szerkesztőablak-előzmények törlése",
+ "moveEditorLeft": "Szerkesztőablak mozgatása balra",
+ "moveEditorRight": "Szerkesztőablak mozgatása jobbra",
+ "moveEditorToPreviousGroup": "Szerkesztőablak mozgatása az előző csoportba",
+ "moveEditorToNextGroup": "Szerkesztőablak mozgatása a következő csoportba",
+ "moveEditorToAboveGroup": "Szerkesztőablak mozgatása a felül lévő csoportba",
+ "moveEditorToBelowGroup": "Szerkesztőablak mozgatása az alul lévő csoportba",
+ "moveEditorToLeftGroup": "Szerkesztőablak mozgatása a balra lévő csoportba",
+ "moveEditorToRightGroup": "Szerkesztőablak mozgatása a jobbra lévő csoportba",
+ "moveEditorToFirstGroup": "Szerkesztőablak mozgatása az első csoportba",
+ "moveEditorToLastGroup": "Szerkesztőablak mozgatása az utolsó csoportba",
+ "editorLayoutSingle": "Egyoszlopos szerkesztőablak-elrendezés",
+ "editorLayoutTwoColumns": "Kétoszlopos szerkesztőablak-elrendezés",
+ "editorLayoutThreeColumns": "Háromoszlopos szerkesztőablak-elrendezés",
+ "editorLayoutTwoRows": "Kétsoros szerkesztőablak-elrendezés",
+ "editorLayoutThreeRows": "Háromsoros szerkesztőablak-elrendezés",
+ "editorLayoutTwoByTwoGrid": "Rácsos szerkesztőablak-elrendezés (2x2)",
+ "editorLayoutTwoColumnsBottom": "Kétoszlopos szerkesztőablak elrendezés lenn",
+ "editorLayoutTwoRowsRight": "Kétsoros szerkesztőablak-elrendezés a jobb oldalra",
+ "newEditorLeft": "Új szerkesztőablak-csoport balra",
+ "newEditorRight": "Új szerkesztőablak-csoport jobbra",
+ "newEditorAbove": "Új szerkesztőablak-csoport fenn",
+ "newEditorBelow": "Új szerkesztőablak-csoport lenn"
+ },
+ "vs/workbench/browser/parts/editor/titleControl": {
+ "araLabelEditorActions": "Szerkesztőablak-műveletek",
+ "draggedEditorGroup": "{0} (+{1})"
+ },
+ "vs/workbench/browser/parts/editor/editorStatus": {
+ "singleSelectionRange": "{0}. sor, {1}. oszlop ({2} kijelölve)",
+ "singleSelection": "{0}. sor, {1}. oszlop",
+ "multiSelectionRange": "{0} kijelölés ({1} karakter kijelölve)",
+ "multiSelection": "{0} kijelölés",
+ "endOfLineLineFeed": "LF",
+ "endOfLineCarriageReturnLineFeed": "CRLF",
+ "screenReaderDetectedExplanation.question": "Are you using a screen reader to operate VS Code? (Certain features like word wrap are disabled when using a screen reader)",
+ "screenReaderDetectedExplanation.answerYes": "Igen",
+ "screenReaderDetectedExplanation.answerNo": "Nem",
+ "noEditor": "Jelenleg nincs aktív szerkesztőablak",
+ "noWritableCodeEditor": "Az aktív kódszerkesztő-ablak írásvédett módban van.",
+ "indentConvert": "fájl konvertálása",
+ "indentView": "nézet váltása",
+ "pickAction": "Művelet kiválasztása",
+ "tabFocusModeEnabled": "Tab fókuszt vált",
+ "disableTabMode": "Kisegítő mód letiltása",
+ "status.editor.tabFocusMode": "Accessibility Mode",
+ "columnSelectionModeEnabled": "Column Selection",
+ "disableColumnSelectionMode": "Disable Column Selection Mode",
+ "status.editor.columnSelectionMode": "Column Selection Mode",
+ "screenReaderDetected": "Képernyőolvasóra optimalizálva",
+ "screenReaderDetectedExtra": "Ha nem használ képernyőolvasót, állítsa az `editor.accessibilitySupport` értékét \"off\"-ra.",
+ "status.editor.screenReaderMode": "Screen Reader Mode",
+ "gotoLine": "Go to Line/Column",
+ "status.editor.selection": "Editor Selection",
+ "selectIndentation": "Indentálás kiválasztása",
+ "status.editor.indentation": "Editor Indentation",
+ "selectEncoding": "Kódolás kiválasztása",
+ "status.editor.encoding": "Editor Encoding",
+ "selectEOL": "Sorvégjel kiválasztása",
+ "status.editor.eol": "Editor End of Line",
+ "selectLanguageMode": "Nyelvmód kiválasztása",
+ "status.editor.mode": "Editor Language",
+ "fileInfo": "Fájlinformáció",
+ "status.editor.info": "Fájlinformáció",
+ "spacesSize": "Szóközök: {0}",
+ "tabSize": "Tabulátorméret: {0}",
+ "currentProblem": "Current Problem",
+ "showLanguageExtensions": "'{0}' kiegészítő keresése a piactéren...",
+ "changeMode": "Nyelvmód váltása",
+ "languageDescription": "({0}) - Beállított nyelv",
+ "languageDescriptionConfigured": "(({0})",
+ "languagesPicks": "nyelvek (azonosító)",
+ "configureModeSettings": "'{0}' nyelvi beállítások módosítása...",
+ "configureAssociationsExt": "'{0}' fájlhozzárendelések módosítása...",
+ "autoDetect": "Automatikus felderítés",
+ "pickLanguage": "Nyelvmód kiválasztása",
+ "currentAssociation": "Jelenlegi társítás",
+ "pickLanguageToConfigure": "A(z) '{0}' kiterjesztéshez társított nyelvmód kiválasztása",
+ "changeEndOfLine": "Sorvégjel módosítása",
+ "pickEndOfLine": "Sorvégjel kiválasztása",
+ "changeEncoding": "Fájlkódolás módosítása",
+ "noFileEditor": "Jelenleg nincs aktív fájl",
+ "saveWithEncoding": "Mentés adott kódolással",
+ "reopenWithEncoding": "Újranyitás adott kódolással",
+ "guessedEncoding": "Kitalálva a tartalomból",
+ "pickEncodingForReopen": "Válassza ki a kódolást a fájl újranyitásához",
+ "pickEncodingForSave": "Válassza ki a mentéshez használandó kódolást"
+ },
+ "vs/workbench/browser/parts/editor/tabsTitleControl": {
+ "araLabelTabActions": "Fülműveletek"
+ },
+ "vs/workbench/browser/parts/editor/breadcrumbs": {
+ "title": "Navigációs sáv",
+ "enabled": "Enable/disable navigation breadcrumbs.",
+ "filepath": "Meghatározza, hogyan jelenik meg a fájlok elérési útja a navigációs sávon.",
+ "filepath.on": "A fájl elérési útja megjelenik a navigációs sávon.",
+ "filepath.off": "A fájl elérési útja nem jelenik meg a navigációs sávon.",
+ "filepath.last": "A fájl elérési útjának csak az utolsó eleme jelenik meg a navigációs sávon.",
+ "symbolpath": "Meghatározza, hogy mikor és hogyan jelennek meg a szimbólumok a navigációs sávon.",
+ "symbolpath.on": "Összes szimbólum megjelenítése a navigációs sávon.",
+ "symbolpath.off": "A szimbólumok nem jelennek meg a navigációs sávon.",
+ "symbolpath.last": "Csak az aktuális szimbólum jelenik meg a navigációs sávon.",
+ "symbolSortOrder": "Meghatározza, hogy a szimbólumok hogyan vannak rendezve a navigációs vázlaton.",
+ "symbolSortOrder.position": "Szimbólumok megjelenítése a fájlban található sorrendjük alapján.",
+ "symbolSortOrder.name": "Szimbólumok megjelenítése ABC-sorrendben.",
+ "symbolSortOrder.type": "Szimbólumok megjelenítése a szimbólumok típusa alapján rendezve.",
+ "icons": "Render breadcrumb items with icons.",
+ "filteredTypes.file": "When enabled breadcrumbs show `file`-symbols.",
+ "filteredTypes.module": "When enabled breadcrumbs show `module`-symbols.",
+ "filteredTypes.namespace": "When enabled breadcrumbs show `namespace`-symbols.",
+ "filteredTypes.package": "When enabled breadcrumbs show `package`-symbols.",
+ "filteredTypes.class": "When enabled breadcrumbs show `class`-symbols.",
+ "filteredTypes.method": "When enabled breadcrumbs show `method`-symbols.",
+ "filteredTypes.property": "When enabled breadcrumbs show `property`-symbols.",
+ "filteredTypes.field": "When enabled breadcrumbs show `field`-symbols.",
+ "filteredTypes.constructor": "When enabled breadcrumbs show `constructor`-symbols.",
+ "filteredTypes.enum": "When enabled breadcrumbs show `enum`-symbols.",
+ "filteredTypes.interface": "When enabled breadcrumbs show `interface`-symbols.",
+ "filteredTypes.function": "When enabled breadcrumbs show `function`-symbols.",
+ "filteredTypes.variable": "When enabled breadcrumbs show `variable`-symbols.",
+ "filteredTypes.constant": "When enabled breadcrumbs show `constant`-symbols.",
+ "filteredTypes.string": "When enabled breadcrumbs show `string`-symbols.",
+ "filteredTypes.number": "When enabled breadcrumbs show `number`-symbols.",
+ "filteredTypes.boolean": "When enabled breadcrumbs show `boolean`-symbols.",
+ "filteredTypes.array": "When enabled breadcrumbs show `array`-symbols.",
+ "filteredTypes.object": "When enabled breadcrumbs show `object`-symbols.",
+ "filteredTypes.key": "When enabled breadcrumbs show `key`-symbols.",
+ "filteredTypes.null": "When enabled breadcrumbs show `null`-symbols.",
+ "filteredTypes.enumMember": "When enabled breadcrumbs show `enumMember`-symbols.",
+ "filteredTypes.struct": "When enabled breadcrumbs show `struct`-symbols.",
+ "filteredTypes.event": "When enabled breadcrumbs show `event`-symbols.",
+ "filteredTypes.operator": "When enabled breadcrumbs show `operator`-symbols.",
+ "filteredTypes.typeParameter": "When enabled breadcrumbs show `typeParameter`-symbols."
+ },
+ "vs/workbench/browser/parts/editor/breadcrumbsControl": {
+ "cmd.toggle": "Navigációs sáv be- és kikapcsolása",
+ "cmd.category": "Nézet",
+ "miShowBreadcrumbs": "Show &&Breadcrumbs",
+ "cmd.focus": "Váltás a navigációs sávra"
+ },
+ "vs/workbench/contrib/backup/electron-browser/backupTracker": {
+ "backupTrackerBackupFailed": "One or many editors that are dirty could not be saved to the backup location.",
+ "backupTrackerConfirmFailed": "One or many editors that are dirty could not be saved or reverted.",
+ "ok": "OK",
+ "backupErrorDetails": "Try saving or reverting the dirty editors first and then try again."
+ },
+ "vs/workbench/contrib/bulkEdit/browser/bulkEdit.contribution": {
+ "overlap": "Another refactoring is being previewed.",
+ "cancel": "Mégse",
+ "continue": "Folytatás",
+ "detail": "Press 'Continue' to discard the previous refactoring and continue with the current refactoring.",
+ "apply": "Apply Refactoring",
+ "cat": "Refactor Preview",
+ "Discard": "Discard Refactoring",
+ "toogleSelection": "Toggle Change",
+ "groupByFile": "Group Changes By File",
+ "groupByType": "Group Changes By Type",
+ "panel": "Refactor Preview"
+ },
+ "vs/workbench/contrib/bulkEdit/browser/bulkEditPane": {
+ "empty.msg": "Invoke a code action, like rename, to see a preview of its changes here.",
+ "conflict.1": "Cannot apply refactoring because '{0}' has changed in the meantime.",
+ "conflict.N": "Cannot apply refactoring because {0} other files have changed in the meantime.",
+ "edt.title.del": "{0} (delete, refactor preview)",
+ "rename": "Átnevezés",
+ "create": "create",
+ "edt.title.2": "{0} ({1}, refactor preview)",
+ "edt.title.1": "{0} (refactor preview)"
+ },
+ "vs/workbench/contrib/bulkEdit/browser/bulkEditPreview": {
+ "default": "Other"
+ },
+ "vs/workbench/contrib/bulkEdit/browser/bulkEditTree": {
+ "aria.renameAndEdit": "Renaming {0} to {1}, also making text edits",
+ "aria.createAndEdit": "Creating {0}, also making text edits",
+ "aria.deleteAndEdit": "Deleting {0}, also making text edits",
+ "aria.editOnly": "{0}, making text edits",
+ "aria.rename": "Renaming {0} to {1}",
+ "aria.create": "Creating {0}",
+ "aria.delete": "Deleting {0}",
+ "aria.replace": "line {0}, replacing {1} with {2}",
+ "aria.del": "line {0}, removing {1}",
+ "aria.insert": "line {0}, inserting {1}",
+ "rename.label": "{0} → {1}",
+ "detail.rename": "(renaming)",
+ "detail.create": "(creating)",
+ "detail.del": "(deleting)",
+ "title": "{0} – {1}"
+ },
+ "vs/workbench/contrib/callHierarchy/browser/callHierarchy.contribution": {
+ "no.item": "Nincs eredmény",
+ "error": "Failed to show call hierarchy",
+ "title": "Peek Call Hierarchy",
+ "title.toggle": "Toggle Call Hierarchy",
+ "title.refocus": "Refocus Call Hierarchy"
+ },
+ "vs/workbench/contrib/callHierarchy/browser/callHierarchyPeek": {
+ "toggle.from": "Show Incoming Calls",
+ "toggle.to": "Showing Outgoing Calls",
+ "tree.aria": "Call Hierarchy",
+ "callFrom": "Calls from '{0}'",
+ "callsTo": "Callers of '{0}'",
+ "title.loading": "Betöltés...",
+ "empt.callsFrom": "No calls from '{0}'",
+ "empt.callsTo": "No callers of '{0}'"
+ },
+ "vs/workbench/contrib/cli/node/cli.contribution": {
+ "install": "„{0}” parancs telepítése a PATH-ba",
+ "not available": "Ez a parancs nem érhető el.",
+ "successIn": "A(z) „{0}” rendszerparancs sikeresen telepítve lett a PATH-ba.",
+ "ok": "OK",
+ "cancel2": "Mégse",
+ "warnEscalation": "A Code adminisztrátori jogosultságokat fog kérni az „osascript”-tel a rendszerparancs telepítéséhez.",
+ "cantCreateBinFolder": "Nem sikerült létrehozni az „/usr/local/bin” könyvtárat.",
+ "aborted": "Megszakítva",
+ "uninstall": "„{0}” parancs eltávolítása a PATH-ból",
+ "successFrom": "A(z) „{0}” rendszerparancs sikeresen el lett a PATH-ból.",
+ "warnEscalationUninstall": "A Code adminisztrátori jogosultságokat fog kérni az „osascript”-tel a rendszerparancs eltávolításához.",
+ "cantUninstall": "Nem sikerült a(z) „{0}” rendszerparancs eltávolítása.",
+ "shellCommand": "Rendszerparancs"
+ },
+ "vs/workbench/contrib/codeActions/common/codeActionsContribution": {
+ "codeActionsOnSave.fixAll": "Controls whether auto fix action should be run on file save.",
+ "codeActionsOnSave": "A mentés során futtatott kódműveletek.",
+ "codeActionsOnSave.generic": "Controls whether '{0}' actions should be run on file save."
+ },
+ "vs/workbench/contrib/codeActions/common/documentationExtensionPoint": {
+ "contributes.documentation": "Contributed documentation.",
+ "contributes.documentation.refactorings": "Contributed documentation for refactorings.",
+ "contributes.documentation.refactoring": "Contributed documentation for refactoring.",
+ "contributes.documentation.refactoring.title": "Label for the documentation used in the UI.",
+ "contributes.documentation.refactoring.when": "When clause.",
+ "contributes.documentation.refactoring.command": "Command executed."
+ },
+ "vs/workbench/contrib/codeActions/common/codeActionsExtensionPoint": {
+ "contributes.codeActions": "Configure which editor to use for a resource.",
+ "contributes.codeActions.languages": "Language modes that the code actions are enabled for.",
+ "contributes.codeActions.kind": "`CodeActionKind` of the contributed code action.",
+ "contributes.codeActions.title": "Label for the code action used in the UI.",
+ "contributes.codeActions.description": "Description of what the code action does."
+ },
+ "vs/workbench/contrib/codeEditor/electron-browser/selectionClipboard": {
+ "actions.pasteSelectionClipboard": "Paste Selection Clipboard"
+ },
+ "vs/workbench/contrib/codeEditor/browser/largeFileOptimizations": {
+ "largeFile": "{0}: ebben a nagy fájlban a memóriahasználat csökketése érdekében és a fagyások, valamint összeomlások megelőzése érdekében ki van kapcsolva a tokenizálás, a sortörés és a kódrészletek bezárása.",
+ "removeOptimizations": "Funkciók engedélyezése mindenképp",
+ "reopenFilePrompt": "Nyissa meg újra a fájlt a beállítás érvénybe lépéséhez!"
+ },
+ "vs/workbench/contrib/codeEditor/browser/diffEditorHelper": {
+ "hintTimeout": "The diff algorithm was stopped early (after {0} ms.)",
+ "removeTimeout": "Remove limit",
+ "hintWhitespace": "Show Whitespace Differences"
+ },
+ "vs/workbench/contrib/codeEditor/browser/inspectKeybindings": {
+ "workbench.action.inspectKeyMap": "Fejlesztői: Billentyűkiosztás vizsgálata",
+ "workbench.action.inspectKeyMapJSON": "Inspect Key Mappings (JSON)",
+ "developer": "Fejlesztői"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleColumnSelection": {
+ "toggleColumnSelection": "Toggle Column Selection Mode",
+ "miColumnSelection": "Column &&Selection Mode"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleMinimap": {
+ "toggleMinimap": "Kódtérkép be- és kikapcsolása",
+ "view": "Nézet",
+ "miShowMinimap": "Show &&Minimap"
+ },
+ "vs/workbench/contrib/codeEditor/browser/semanticTokensHelp": {
+ "semanticTokensHelp": "Code coloring of '{0}' has been updated as the theme '{1}' has [semantic highlighting](https://go.microsoft.com/fwlink/?linkid=2122588) enabled.",
+ "learnMoreButton": "További információ"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleMultiCursorModifier": {
+ "toggleLocation": "Többkurzoros módosító be- és kikapcsolása",
+ "miMultiCursorAlt": "Váltás Alt+kattintásra több kurzorhoz",
+ "miMultiCursorCmd": "Váltás Cmd+kattintásra több kurzorhoz",
+ "miMultiCursorCtrl": "Váltás Ctrl+kattintásra több kurzorhoz"
+ },
+ "vs/workbench/contrib/codeEditor/browser/quickaccess/gotoLineQuickAccess": {
+ "gotoLineQuickAccessPlaceholder": "Type the line number and optional column to go to (e.g. 42:5 for line 42 and column 5).",
+ "gotoLineQuickAccess": "Go to Line/Column",
+ "gotoLine": "Go to Line/Column..."
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleRenderControlCharacter": {
+ "toggleRenderControlCharacters": "Vezérlőkarakterek be- és kikapcsolása",
+ "view": "Nézet",
+ "miToggleRenderControlCharacters": "Render &&Control Characters"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleRenderWhitespace": {
+ "toggleRenderWhitespace": "Szóközök kirajzolásának be- és kikapcsolása",
+ "view": "Nézet",
+ "miToggleRenderWhitespace": "&&Render Whitespace"
+ },
+ "vs/workbench/contrib/codeEditor/browser/quickaccess/gotoSymbolQuickAccess": {
+ "gotoSymbolQuickAccessPlaceholder": "Type the name of a symbol to go to.",
+ "gotoSymbolQuickAccess": "Go to Symbol in Editor",
+ "gotoSymbolByCategoryQuickAccess": "Go to Symbol in Editor by Category",
+ "gotoSymbol": "Go to Symbol in Editor..."
+ },
+ "vs/workbench/contrib/codeEditor/browser/accessibility/accessibility": {
+ "emergencyConfOn": "Az `editor.accessibilitySupport` beállítás értékének beállítása a következőre: 'on'.",
+ "openingDocs": "A VS Code kisegítő lehetőségei dokumentációjának megnyitása.",
+ "introMsg": "Köszönjük, hogy kipróbálta a VS Code kisegítő lehetőségeit.",
+ "status": "Állapot:",
+ "changeConfigToOnMac": "A szerkesztő folyamatos képernyőolvasóval való használatára optimalizálásához nyomja meg a Command+E gombot!",
+ "changeConfigToOnWinLinux": "A szerkesztő folyamatos képernyőolvasóval való használatára optimalizálásához nyomja meg a Control+E gombot!",
+ "auto_unknown": "A szerkesztő úgy van konfigurálva, hogy a platform által biztosított API-kat használja annak megállapításához, hogy van-e képernyőolvasó csatlakoztatva, azonban a jelenlegi futtatókörnyezet ezt nem támogatja.",
+ "auto_on": "A szerkesztő automatikusan észlelte a csatlakoztatott képernyőolvasót.",
+ "auto_off": "A szerkesztő úgy van konfigurálva, hogy automatikusan érzékelkje, ha képernyőolvasó van csatlakoztatva. Jelenleg nincs csatlakoztatva.",
+ "configuredOn": "A szerkesztő folyamatos képernyőolvasóval való használatára van optimalizálva – ez az `editor.accessibilitySupport` beállítás módosításával változtatható.",
+ "configuredOff": "A szerkesztő úgy van konfigurálva, hogy soha nincs képernyőolvasó használatára optimalizálva.",
+ "tabFocusModeOnMsg": "Az aktuális szerkesztőablakban a Tab billentyű lenyomása esetén a fókusz a következő fókuszálható elemre kerül. Ez a viselkedés a(z) {0} leütésével módosítható.",
+ "tabFocusModeOnMsgNoKb": "Az aktuális szerkesztőablakban a Tab billentyű lenyomása esetén a fókusz a következő fókuszálható elemre kerül. A(z) {0} parancs jelenleg nem aktiválható billentyűkombinációval.",
+ "tabFocusModeOffMsg": "Az aktuális szerkesztőablakban a Tab billentyű lenyomása esetén beszúrásra kerül egy tabulátor karakter. Ez a viselkedés a(z) {0} leütésével módosítható.",
+ "tabFocusModeOffMsgNoKb": "Az aktuális szerkesztőablakban a Tab billentyű lenyomása esetén beszúrásra kerül egy tabulátor karakter. A(z) {0} parancs jelenleg nem aktiválható billentyűkombinációval.",
+ "openDocMac": "VS Code kisegítő lehetőségeivel kapcsolatos információk böngészőben való megjelenítéséhez nyomja meg a Command+H billentyűkombinációt!",
+ "openDocWinLinux": "VS Code kisegítő lehetőségeivel kapcsolatos információk böngészőben való megjelenítéséhez nyomja meg a Control+H billentyűkombinációt!",
+ "outroMsg": "A súgószöveg eltüntetéséhez és a szerkesztőablakba való visszatéréshez nyomja meg az Escape billentyűt vagy a Shift+Escape billentyűkombinációt!",
+ "ShowAccessibilityHelpAction": "Kisegítő lehetőségek súgó megjelenítése"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleWordWrap": {
+ "toggle.wordwrap": "Nézet: Sortörés be- és kikapcsolása",
+ "wordWrap.notInDiffEditor": "A sortörés nem kapcsolható be vagy ki differenciaszerkesztőben.",
+ "unwrapMinified": "Sortörés letiltása ebben a fájlban",
+ "wrapMinified": "Sortörés engedélyezése ebben a fájlban",
+ "miToggleWordWrap": "Toggle &&Word Wrap"
+ },
+ "vs/workbench/contrib/codeEditor/browser/saveParticipants": {
+ "formatting": "Running '{0}' Formatter ([configure](command:workbench.action.openSettings?%5B%22editor.formatOnSave%22%5D)).",
+ "codeaction": "Quick Fixes",
+ "codeaction.get": "Getting code actions from '{0}' ([configure](command:workbench.action.openSettings?%5B%22editor.codeActionsOnSave%22%5D)).",
+ "codeAction.apply": "Applying code action '{0}'."
+ },
+ "vs/workbench/contrib/codeEditor/browser/languageConfigurationExtensionPoint": {
+ "parseErrors": "Hiba a(z) {0} feldolgozása közben: {1}",
+ "formatError": "{0}: Invalid format, JSON object expected.",
+ "schema.openBracket": "A nyitó zárójelet definiáló karakter vagy karaktersorozat",
+ "schema.closeBracket": "A záró zárójelet definiáló karakter vagy karaktersorozat",
+ "schema.comments": "Meghatározza a megjegyzésszimbólumokat",
+ "schema.blockComments": "Meghatározza, hogyan vannak jelölve a megjegyzésblokkok.",
+ "schema.blockComment.begin": "A megjegyzésblokk kezdetét definiáló karaktersorozat.",
+ "schema.blockComment.end": "A megjegyzésblokk végét definiáló karaktersorozat.",
+ "schema.lineComment": "A megjegyzéssor kezdetét definiáló karaktersorozat.",
+ "schema.brackets": "Meghatározza azokat a zárójelszimbólumokat, amelyek növeik vagy csökkentik az indentálást.",
+ "schema.autoClosingPairs": "Meghatározza a zárójelpárokat. Ha egy nyitó zárójelet írnak be a szerkesztőbe, a záró párja automatikusan be lesz illesztve.",
+ "schema.autoClosingPairs.notIn": "Azon hatókörök listája, ahol az automatikus zárójelek automatikus párosítása le van tiltve.",
+ "schema.autoCloseBefore": "Meghatározza, hogy milyen karakternek kell szerepelnie a kurzor után ahhoz, hogy automatikus zárójel- vagy idézőjel-bezárás történjen, ha a „languageDefined” automatikus bezárási beállítás van használatban. Általában olyan karakterek halmaza, amelyekkel nem kezdődhetnek kifejezések.",
+ "schema.surroundingPairs": "Meghatározza azok zárójelpárok listáját, melyek használhatók a kijelölt szöveg körbezárására.",
+ "schema.wordPattern": "Meghatározza, hogy mi számít szónak a programozási nyelvben.",
+ "schema.wordPattern.pattern": "A szavak illesztésére használt reguláris kifejezés.",
+ "schema.wordPattern.flags": "A szavak illesztésére használt reguláris kifejezés beállításai.",
+ "schema.wordPattern.flags.errorMessage": "Illeszkednie kell a következő mintára: `/^([gimuy]+)$/`.",
+ "schema.indentationRules": "A nyelv indentálási beállításai.",
+ "schema.indentationRules.increaseIndentPattern": "Az erre a mintára illeszkedő sor után következő sorok eggyel beljebb lesznek indentálva (addig, míg egy újabb szabály nem illeszkedik).",
+ "schema.indentationRules.increaseIndentPattern.pattern": "Az increaseIndentPatternhöz tartozó reguláris kifejezés.",
+ "schema.indentationRules.increaseIndentPattern.flags": "Az increaseIndentPatternhöz tartozó reguláris kifejezés beállításai.",
+ "schema.indentationRules.increaseIndentPattern.errorMessage": "Illeszkednie kell a következő mintára: `/^([gimuy]+)$/`.",
+ "schema.indentationRules.decreaseIndentPattern": "Az erre a mintára illeszkedő sor után következő sorok eggyel kijjebb lesznek indentálva (addig, míg egy újabb szabály nem illeszkedik).",
+ "schema.indentationRules.decreaseIndentPattern.pattern": "A decreaseIndentPatternhöz tartozó reguláris kifejezés.",
+ "schema.indentationRules.decreaseIndentPattern.flags": "A decreaseIndentPatternhöz tartozó reguláris kifejezés beállításai.",
+ "schema.indentationRules.decreaseIndentPattern.errorMessage": "Illeszkednie kell a következő mintára: `/^([gimuy]+)$/`.",
+ "schema.indentationRules.indentNextLinePattern": "Ha egy sor illeszkedik erre a mintára, akkor **csak a következő sor** eggyel beljebb lesz indentálva.",
+ "schema.indentationRules.indentNextLinePattern.pattern": "Az indentNextLinePatternhöz tartozó reguláris kifejezés.",
+ "schema.indentationRules.indentNextLinePattern.flags": "Az indentNextLinePatternhöz tartozó reguláris kifejezés beállításai.",
+ "schema.indentationRules.indentNextLinePattern.errorMessage": "Illeszkednie kell a következő mintára: `/^([gimuy]+)$/`.",
+ "schema.indentationRules.unIndentedLinePattern": "Ha egy sor illeszkedik erre a mintára, akkor az indentálása nem változik, és nem lesz kiértékelve más szabályok alapján.",
+ "schema.indentationRules.unIndentedLinePattern.pattern": "Az unIndentedLinePatternhöz tartozó reguláris kifejezés.",
+ "schema.indentationRules.unIndentedLinePattern.flags": "Az unIndentedLinePatternhöz tartozó reguláris kifejezés beállításai.",
+ "schema.indentationRules.unIndentedLinePattern.errorMessage": "Illeszkednie kell a következő mintára: `/^([gimuy]+)$/`.",
+ "schema.folding": "A nyelv kódrészek bezárásával kapcsolatos beállításai.",
+ "schema.folding.offSide": "Egy nyelv követi az „off-side”-szabályt, ha a blokkokat az adott nyelvben az indentációjuk fejezi ki. Ha be van állítva, akkor az üres sorok a rákövetkező blokkhoz tartoznak.",
+ "schema.folding.markers": "Nyelvspecifikus, becsukható kódrészleteket határoló kifejezések. Például: '#region' és '#endregion'. A kezdő és záró reguláris kifejezések az összes soron tesztelve vannak, így hatékonyan kell őket megtervezni.",
+ "schema.folding.markers.start": "A kezdő határjelzőt leíró reguláris kifejezés. A reguláris kifejezésnek '^' karakterrel kell kezdődnie.",
+ "schema.folding.markers.end": "A záró határjelzőt leíró reguláris kifejezés. A reguláris kifejezésnek '^' karakterrel kell kezdődnie."
+ },
+ "vs/workbench/contrib/codeEditor/browser/inspectEditorTokens/inspectEditorTokens": {
+ "inspectEditorTokens": "Developer: Inspect Editor Tokens and Scopes",
+ "inspectTMScopesWidget.loading": "Betöltés..."
+ },
+ "vs/workbench/contrib/codeEditor/browser/find/simpleFindWidget": {
+ "label.find": "Keresés",
+ "placeholder.find": "Keresés",
+ "label.previousMatchButton": "Előző találat",
+ "label.nextMatchButton": "Következő találat",
+ "label.closeButton": "Bezárás"
+ },
+ "vs/workbench/contrib/codeEditor/browser/find/simpleFindReplaceWidget": {
+ "label.find": "Keresés",
+ "placeholder.find": "Keresés",
+ "label.previousMatchButton": "Előző találat",
+ "label.nextMatchButton": "Következő találat",
+ "label.closeButton": "Bezárás",
+ "label.toggleReplaceButton": "Cseremód átváltása",
+ "label.replace": "Csere",
+ "placeholder.replace": "Csere",
+ "label.replaceButton": "Csere",
+ "label.replaceAllButton": "Az összes cseréje"
+ },
+ "vs/workbench/contrib/comments/browser/comments.contribution": {
+ "commentsConfigurationTitle": "Visszajelzés",
+ "openComments": "Controls when the comments panel should open."
+ },
+ "vs/workbench/contrib/comments/browser/commentsEditorContribution": {
+ "pickCommentService": "Select Comment Provider",
+ "nextCommentThreadAction": "Ugrás a következő megjegyzésfolyamra."
+ },
+ "vs/workbench/contrib/comments/browser/commentsView": {
+ "collapseAll": "Összes bezárása"
+ },
+ "vs/workbench/contrib/comments/browser/commentsTreeViewer": {
+ "imageWithLabel": "Kép: {0}",
+ "image": "Image"
+ },
+ "vs/workbench/contrib/comments/browser/commentGlyphWidget": {
+ "editorGutterCommentRangeForeground": "Megjegyzéssel ellátott tartományok dekorátorainak színe a szerkesztőablak margóján."
+ },
+ "vs/workbench/contrib/comments/common/commentModel": {
+ "noComments": "Ehhez a felülvizsgálathoz nem tartozik egyetlen megjegyzés sem."
+ },
+ "vs/workbench/contrib/comments/browser/commentThreadWidget": {
+ "label.collapse": "Összecsukás",
+ "commentThreadParticipants": "Participants: {0}",
+ "startThread": "Megbeszélés indítása",
+ "reply": "Válasz...",
+ "newComment": "Type a new comment"
+ },
+ "vs/workbench/contrib/comments/browser/commentNode": {
+ "commentToggleReaction": "Toggle Reaction",
+ "commentToggleReactionError": "Toggling the comment reaction failed: {0}.",
+ "commentToggleReactionDefaultError": "Toggling the comment reaction failed",
+ "commentDeleteReactionError": "Deleting the comment reaction failed: {0}.",
+ "commentDeleteReactionDefaultError": "Deleting the comment reaction failed",
+ "commentAddReactionError": "Deleting the comment reaction failed: {0}.",
+ "commentAddReactionDefaultError": "Deleting the comment reaction failed"
+ },
+ "vs/workbench/contrib/comments/browser/reactionsAction": {
+ "pickReactions": "Pick Reactions..."
+ },
+ "vs/workbench/contrib/customEditor/browser/webviewEditor.contribution": {
+ "editor.editorAssociations": "Configure which editor to use for a resource.",
+ "editor.editorAssociations.viewType": "Editor view type.",
+ "editor.editorAssociations.mime": "Mime type the editor should be used for. This is used for binary files.",
+ "editor.editorAssociations.filenamePattern": "Glob pattern the editor should be used for."
+ },
+ "vs/workbench/contrib/customEditor/browser/commands": {
+ "viewCategory": "Nézet",
+ "reopenWith.title": "Reopen With..."
+ },
+ "vs/workbench/contrib/customEditor/browser/customEditors": {
+ "promptOpenWith.defaultEditor": "VS Code's standard text editor",
+ "openWithCurrentlyActive": "Currently Active",
+ "promptOpenWith.setDefaultTooltip": "Set as default editor for '{0}' files",
+ "promptOpenWith.placeHolder": "Select editor to use for '{0}'..."
+ },
+ "vs/workbench/contrib/customEditor/browser/extensionPoint": {
+ "contributes.customEditors": "Contributed custom editors.",
+ "contributes.viewType": "Unique identifier of the custom editor.",
+ "contributes.displayName": "Human readable name of the custom editor. This is displayed to users when selecting which editor to use.",
+ "contributes.selector": "Set of globs that the custom editor is enabled for.",
+ "contributes.selector.filenamePattern": "Glob that the custom editor is enabled for.",
+ "contributes.priority": "Controls when the custom editor is used. May be overridden by users.",
+ "contributes.priority.default": "Editor is automatically used for a resource if no other default custom editors are registered for it.",
+ "contributes.priority.option": "Editor is not automatically used but can be selected by a user.",
+ "contributes.priority.builtin": "Editor automatically used if no other `default` or `builtin` editors are registered for the resource."
+ },
+ "vs/workbench/contrib/debug/common/debug": {
+ "internalConsoleOptions": "Meghatározza, hogy mikor nyíljon meg a belső hibakeresési konzol."
+ },
+ "vs/workbench/contrib/debug/browser/callStackEditorContribution": {
+ "topStackFrameLineHighlight": "A legfelső veremkeret pozícióján található sor kiemelési háttérszíne.",
+ "focusedStackFrameLineHighlight": "A fókuszált veremkeret pozícióján található sor kiemelési háttérszíne."
+ },
+ "vs/workbench/contrib/debug/browser/debugViewlet": {
+ "startAdditionalSession": "Újabb munkamenet indítása",
+ "toggleDebugPanel": "Hibakeresési konzol"
+ },
+ "vs/workbench/contrib/debug/browser/debugEditorContribution": {
+ "addConfiguration": "Konfiguráció hozzáadása..."
+ },
+ "vs/workbench/contrib/debug/browser/breakpointEditorContribution": {
+ "logPoint": "Naplózási pont",
+ "breakpoint": "Breakpoint",
+ "breakpointHasConditionDisabled": "Ez a(z) {0} {1} rendelkezik, ami elvész az eltávolítás során. Fontolja meg a(z) {0} engedélyezését!",
+ "message": "üzenettel",
+ "condition": "feltétellel",
+ "breakpointHasConditionEnabled": "Ez a(z) {0} {1} rendelkezik, ami elvész az eltávolítás során. Fontolja meg a(z) {0} letiltását!",
+ "removeLogPoint": "{0} eltávolítása",
+ "disableLogPoint": "{0} {1}",
+ "disable": "Letiltás",
+ "enable": "Engedélyezés",
+ "cancel": "Mégse",
+ "removeBreakpoint": "{0} eltávolítása",
+ "editBreakpoint": "{0} szerkesztése...",
+ "disableBreakpoint": "{0} letiltása",
+ "enableBreakpoint": "{0} engedélyezése",
+ "removeBreakpoints": "Töréspontok eltávolítása",
+ "removeInlineBreakpointOnColumn": "{0}. oszlopban található sorbeli töréspont eltávolítása",
+ "removeLineBreakpoint": "Sorra vonatkozó töréspont eltávolítása",
+ "editBreakpoints": "Töréspontok szerkesztése",
+ "editInlineBreakpointOnColumn": "{0}. oszlopban található sorbeli töréspont szerkesztése",
+ "editLineBrekapoint": "Sorra vonatkozó töréspont szerkesztése",
+ "enableDisableBreakpoints": "Töréspontok engedélyezése/letiltása",
+ "disableInlineColumnBreakpoint": "{0}. oszlopban található sorbeli töréspont letiltása",
+ "disableBreakpointOnLine": "Sorszintű töréspont letiltása",
+ "enableBreakpoints": "{0}. oszlopban található sorbeli töréspont engedélyezése",
+ "enableBreakpointOnLine": "Sorszintű töréspont engedélyezése",
+ "addBreakpoint": "Töréspont hozzáadása",
+ "addConditionalBreakpoint": "Feltételes töréspont hozzáadása...",
+ "addLogPoint": "Naplózási pont hozzáadása...",
+ "debugIcon.breakpointForeground": "Icon color for breakpoints.",
+ "debugIcon.breakpointDisabledForeground": "Icon color for disabled breakpoints.",
+ "debugIcon.breakpointUnverifiedForeground": "Icon color for unverified breakpoints.",
+ "debugIcon.breakpointCurrentStackframeForeground": "Icon color for the current breakpoint stack frame.",
+ "debugIcon.breakpointStackframeForeground": "Icon color for all breakpoint stack frames."
+ },
+ "vs/workbench/contrib/debug/browser/debug.contribution": {
+ "toggleDebugViewlet": "Show Run and Debug",
+ "run": "Futtatás",
+ "debugPanel": "Hibakeresési konzol",
+ "variables": "Változók",
+ "watch": "Figyelőlista",
+ "callStack": "Hívási verem",
+ "breakpoints": "Töréspontok",
+ "loadedScripts": "Betöltött parancsfájlok",
+ "view": "Nézet",
+ "debugCategory": "Hibakeresés",
+ "runCategory": "Futtatás",
+ "terminateThread": "Szál megszüntetése",
+ "debugFocusConsole": "Váltás a hibakeresési konzol nézetre",
+ "jumpToCursor": "Jump to Cursor",
+ "inlineBreakpoint": "Sorbeli töréspont",
+ "startDebugPlaceholder": "Type the name of a launch configuration to run.",
+ "startDebuggingHelp": "Hibakeresés indítása",
+ "debugConfigurationTitle": "Hibakeresés",
+ "allowBreakpointsEverywhere": "Bármelyik fájlban el lehet helyezni töréspontot.",
+ "openExplorerOnEnd": "Automatically open the explorer view at the end of a debug session.",
+ "inlineValues": "Változók értékének megjelenítése a sorok között hibakeresés közben.",
+ "toolBarLocation": "Controls the location of the debug toolbar. Either `floating` in all views, `docked` in the debug view, or `hidden`.",
+ "never": "Soha ne jelenjen meg a hibakeresés az állapotsoron",
+ "always": "Mindig jelenjen meg a hibakeresés az állapotsoron",
+ "onFirstSessionStart": "A hibakeresés csak akkor jelenjen meg az állapotsoron, miután először el lett indítva a hibakeresés",
+ "showInStatusBar": "Meghatározza, hogy megjelenjen-e a hibakeresési állapotsáv.",
+ "debug.console.closeOnEnd": "Controls if the debug console should be automatically closed when the debug session ends.",
+ "openDebug": "Meghatározza, hogy mikor nyíljon meg a hibakeresési nézet.",
+ "enableAllHovers": "Meghatározza, hogy hibakeresés közben megjelenjenek-e azok a súgószövegek, amelyek nem a hibakereséssel kapcsolatosak. Ha engedélyezve van, a súgószöveg-szolgáltatóktól el lesznek kérve a súgószövegek. A sima súgószövegek még abben az esetben sem jelennek meg, ha ez a beállítás engedélyezve van.",
+ "showSubSessionsInToolBar": "Controls whether the debug sub-sessions are shown in the debug tool bar. When this setting is false the stop command on a sub-session will also stop the parent session.",
+ "debug.console.fontSize": "Controls the font size in pixels in the debug console.",
+ "debug.console.fontFamily": "Controls the font family in the debug console.",
+ "debug.console.lineHeight": "Controls the line height in pixels in the debug console. Use 0 to compute the line height from the font size.",
+ "debug.console.wordWrap": "Controls if the lines should wrap in the debug console.",
+ "debug.console.historySuggestions": "Controls if the debug console should suggest previously typed input.",
+ "launch": "Global debug launch configuration. Should be used as an alternative to 'launch.json' that is shared across workspaces.",
+ "debug.focusWindowOnBreak": "Controls whether the workbench window should be focused when the debugger breaks.",
+ "debugAnyway": "Ignore task errors and start debugging.",
+ "showErrors": "Show the Problems view and do not start debugging.",
+ "prompt": "Prompt user.",
+ "cancel": "Cancel debugging.",
+ "debug.onTaskErrors": "Controls what to do when errors are encountered after running a preLaunchTask.",
+ "showBreakpointsInOverviewRuler": "Controls whether breakpoints should be shown in the overview ruler.",
+ "showInlineBreakpointCandidates": "Controls whether inline breakpoints candidate decorations should be shown in the editor while debugging.",
+ "stepBackDebug": "Visszalépés",
+ "reverseContinue": "Visszafordítás",
+ "restartFrame": "Keret újraindítása",
+ "copyStackTrace": "Hívási verem másolása",
+ "miViewRun": "&&Run",
+ "miToggleDebugConsole": "De&&bug Console",
+ "miStartDebugging": "&&Start Debugging",
+ "miRun": "Run &&Without Debugging",
+ "miStopDebugging": "&&Stop Debugging",
+ "miRestart Debugging": "&&Restart Debugging",
+ "miOpenConfigurations": "Open &&Configurations",
+ "miAddConfiguration": "A&&dd Configuration...",
+ "miStepOver": "Step &&Over",
+ "miStepInto": "Step &&Into",
+ "miStepOut": "Step O&&ut",
+ "miContinue": "&&Continue",
+ "miToggleBreakpoint": "Toggle &&Breakpoint",
+ "miConditionalBreakpoint": "&&Conditional Breakpoint...",
+ "miInlineBreakpoint": "Inline Breakp&&oint",
+ "miFunctionBreakpoint": "&&Function Breakpoint...",
+ "miLogPoint": "&&Logpoint...",
+ "miNewBreakpoint": "&&New Breakpoint",
+ "miEnableAllBreakpoints": "&&Enable All Breakpoints",
+ "miDisableAllBreakpoints": "Disable A&&ll Breakpoints",
+ "miRemoveAllBreakpoints": "Remove &&All Breakpoints",
+ "miInstallAdditionalDebuggers": "&&Install Additional Debuggers..."
+ },
+ "vs/workbench/contrib/debug/browser/repl": {
+ "replAriaLabel": "REPL-panel",
+ "debugConsole": "Hibakeresési konzol",
+ "copy": "Másolás",
+ "copyAll": "Összes másolása",
+ "collapse": "Összes bezárása",
+ "startDebugFirst": "A kifejezés kiértékeléséhez indítson egy hibakeresési munkamenetet!",
+ "actions.repl.acceptInput": "REPL bemenet elfogadása",
+ "repl.action.filter": "REPL Focus Content to Filter",
+ "actions.repl.copyAll": "Hibakeresés: Összes másolása a konzolból",
+ "selectRepl": "Válasszon hibakeresési konzolt!",
+ "clearRepl": "Konzoltartalom törlése",
+ "debugConsoleCleared": "A hibakeresési konzol tartalma törölve lett"
+ },
+ "vs/workbench/contrib/debug/browser/welcomeView": {
+ "run": "Futtatás",
+ "openAFileWhichCanBeDebugged": "[Open a file](command:{0}) which can be debugged or run.",
+ "runAndDebugAction": "[Run and Debug{0}](command:{1})",
+ "customizeRunAndDebug": "To customize Run and Debug [create a launch.json file](command:{0}).",
+ "customizeRunAndDebugOpenFolder": "To customize Run and Debug, [open a folder](command:{0}) and create a launch.json file."
+ },
+ "vs/workbench/contrib/debug/browser/debugActionViewItems": {
+ "debugLaunchConfigurations": "Hibakeresési indítási konfigurációk",
+ "noConfigurations": "Nincs konfiguráció",
+ "addConfigTo": "Konfiguráció hozzáadása ({0})...",
+ "addConfiguration": "Konfiguráció hozzáadása...",
+ "debugSession": "Debug Session"
+ },
+ "vs/workbench/contrib/debug/browser/exceptionWidget": {
+ "debugExceptionWidgetBorder": "A kivételmodul keretszíne.",
+ "debugExceptionWidgetBackground": "A kivételmodul háttérszíne.",
+ "exceptionThrownWithId": "Kivétel következett be: {0}",
+ "exceptionThrown": "Kivétel következett be."
+ },
+ "vs/workbench/contrib/debug/browser/debugToolBar": {
+ "debugToolBarBackground": "A hibakeresési eszköztár háttérszíne.",
+ "debugToolBarBorder": "A hibakeresési eszköztár keretszíne.",
+ "debugIcon.startForeground": "Debug toolbar icon for start debugging.",
+ "debugIcon.pauseForeground": "Debug toolbar icon for pause.",
+ "debugIcon.stopForeground": "Debug toolbar icon for stop.",
+ "debugIcon.disconnectForeground": "Debug toolbar icon for disconnect.",
+ "debugIcon.restartForeground": "Debug toolbar icon for restart.",
+ "debugIcon.stepOverForeground": "Debug toolbar icon for step over.",
+ "debugIcon.stepIntoForeground": "Debug toolbar icon for step into.",
+ "debugIcon.stepOutForeground": "Debug toolbar icon for step over.",
+ "debugIcon.continueForeground": "Debug toolbar icon for continue.",
+ "debugIcon.stepBackForeground": "Debug toolbar icon for step back."
+ },
+ "vs/workbench/contrib/debug/browser/statusbarColorProvider": {
+ "statusBarDebuggingBackground": "Az állapotsor háttérszíne, ha a programon hibakeresés folyik. Az állapotsor az ablak alján jelenik meg.",
+ "statusBarDebuggingForeground": "Az állapotsor előtérszíne, ha a programon hibakeresés folyik. Az állapotsor az ablak alján jelenik meg.",
+ "statusBarDebuggingBorder": "Az állapotsort az oldalsávtól és a szerkesztőablakoktól elválasztó keret színe, ha egy programon hibakeresés történik. Az állapotsor az ablak alján jelenik meg."
+ },
+ "vs/workbench/contrib/debug/common/debugContentProvider": {
+ "unable": "Az erőforrás nem oldható fel hibakeresési munkamenet nélkül",
+ "canNotResolveSourceWithError": "Nem sikerült betölteni a(z) „{0}” forrását: {1}.",
+ "canNotResolveSource": "Nem sikerült betölteni a(z) „{0}” forrását."
+ },
+ "vs/workbench/contrib/debug/browser/debugStatus": {
+ "status.debug": "Hibakeresés",
+ "selectAndStartDebug": "Hibakeresési konfiguráció kiválasztása és indítása"
+ },
+ "vs/workbench/contrib/debug/browser/debugQuickAccess": {
+ "customizeLaunchConfig": "Configure Launch Configuration",
+ "addConfigTo": "Konfiguráció hozzáadása ({0})...",
+ "addConfiguration": "Konfiguráció hozzáadása..."
+ },
+ "vs/workbench/contrib/debug/browser/debugHover": {
+ "treeAriaLabel": "Hibakeresési súgószöveg",
+ "variableAriaLabel": "{0} értéke {1}, változók, hibakeresés"
+ },
+ "vs/workbench/contrib/debug/browser/debugActions": {
+ "openLaunchJson": "{0} megnyitása",
+ "launchJsonNeedsConfigurtion": "'launch.json' konfigurálása vagy javítása",
+ "noFolderDebugConfig": "Fejlettebb hibakeresési konfigurációk használatához nyisson meg egy mappát!",
+ "selectWorkspaceFolder": "Select a workspace folder to create a launch.json file in",
+ "startDebug": "Hibakeresés indítása",
+ "startWithoutDebugging": "Indítás hibakeresés nélkül",
+ "selectAndStartDebugging": "Hibakeresés kiválasztása és indítása",
+ "removeBreakpoint": "Töréspont eltávolítása",
+ "removeAllBreakpoints": "Összes töréspont eltávolítása",
+ "enableAllBreakpoints": "Összes töréspont engedélyezése",
+ "disableAllBreakpoints": "Összes töréspont letiltása",
+ "activateBreakpoints": "Töréspontok aktiválása",
+ "deactivateBreakpoints": "Töréspontok deaktiválása",
+ "reapplyAllBreakpoints": "Töréspontok felvétele ismét",
+ "addFunctionBreakpoint": "Függvénytöréspont hozzáadása",
+ "addWatchExpression": "Kifejezés hozzáadása",
+ "removeAllWatchExpressions": "Összes kifejezés eltávolítása",
+ "focusSession": "Váltás munkamenetre",
+ "copyValue": "Érték másolása"
+ },
+ "vs/workbench/contrib/debug/browser/debugEditorActions": {
+ "toggleBreakpointAction": "Hibakeresés: Töréspont be- és kikapcsolása",
+ "conditionalBreakpointEditorAction": "Hibakeresés: Feltételes töréspont...",
+ "logPointEditorAction": "Hibakeresés: Naplózási pont hozzáadása...",
+ "runToCursor": "Futtatás a kurzorig",
+ "evaluateInDebugConsole": "Evaluate in Debug Console",
+ "addToWatch": "Hozzáadás a figyelőlistához",
+ "showDebugHover": "Hibakeresés: Súgószöveg megjelenítése",
+ "goToNextBreakpoint": "Hibakeresés: Ugrás a következő töréspontra",
+ "goToPreviousBreakpoint": "Hibakeresés: Ugrás az előző töréspontra"
+ },
+ "vs/workbench/contrib/debug/browser/linkDetector": {
+ "fileLinkMac": "Hivatkozás megnyitása Cmd + kattintás paranccsal",
+ "fileLink": "Hivatkozott oldal megnyitása Ctrl + kattintás paranccsal"
+ },
+ "vs/workbench/contrib/debug/common/replModel": {
+ "consoleCleared": "A konzoltartalom törölve lett",
+ "snapshotObj": "Ennél az objektumhoz csak a primitív értékek vannak megjelenítve."
+ },
+ "vs/workbench/contrib/debug/browser/breakpointWidget": {
+ "breakpointWidgetLogMessagePlaceholder": "A töréspont érintése esetén naplózandó üzenet. A {} karakterek közötti kifejezések interpolálva lesznek. 'Enter' a megerősítéshez vagy 'Escape' a megszakításhoz.",
+ "breakpointWidgetHitCountPlaceholder": "Futás megállítása, ha adott alkalommal érintve lett. 'Enter' a megerősítéshez vagy 'Escape' a megszakításhoz.",
+ "breakpointWidgetExpressionPlaceholder": "Futás megállítása, ha a kifejezés értéke igazra értékelődik ki. 'Enter' a megerősítéshez vagy 'Escape' a megszakításhoz.",
+ "expression": "Kifejezés",
+ "hitCount": "Érintések száma",
+ "logMessage": "Üzenet naplózása",
+ "breakpointType": "Breakpoint Type"
+ },
+ "vs/workbench/contrib/debug/browser/watchExpressionsView": {
+ "watchAriaTreeLabel": "Hibakeresési figyelőkifejezések",
+ "editWatchExpression": "Kifejezés szerkesztése",
+ "removeWatchExpression": "Kifejezés eltávolítása",
+ "watchExpressionInputAriaLabel": "Adja meg a figyelendő kifejezést",
+ "watchExpressionPlaceholder": "Figyelendő kifejezés",
+ "watchExpressionAriaLabel": "{0} értéke {1}, figyelt, hibakeresés",
+ "watchVariableAriaLabel": "{0} értéke {1}, figyelt, hibakeresés"
+ },
+ "vs/workbench/contrib/debug/browser/variablesView": {
+ "variablesAriaTreeLabel": "Hibakeresési változók",
+ "setValue": "Érték beállítása",
+ "copyAsExpression": "Kifejezés másolása",
+ "addToWatchExpressions": "Hozzáadás a figyelőlistához",
+ "breakWhenValueChanges": "Break When Value Changes",
+ "variableValueAriaLabel": "Adja meg a változó új nevét",
+ "variableScopeAriaLabel": "{0} hatókör, változók, hibakeresés",
+ "variableAriaLabel": "{0} értéke {1}, változók, hibakeresés"
+ },
+ "vs/workbench/contrib/debug/browser/replViewer": {
+ "stateCapture": "Az objekum állapota az első kiértékelés idején",
+ "replVariableAriaLabel": "A(z) {0} változó értéke: {1}, REPL, hibakeresés",
+ "replValueOutputAriaLabel": "{0}, REPL, hibakeresés",
+ "replRawObjectAriaLabel": "{0} repl-változó értéke: {1}, REPL, hibakeresés",
+ "replGroup": "Repl group {0}, read eval print loop, debug"
+ },
+ "vs/workbench/contrib/debug/node/debugAdapter": {
+ "debugAdapterBinNotFound": "A hibakeresési illesztő futtatható állománya ('{0}') nem létezik.",
+ "debugAdapterCannotDetermineExecutable": "Nem határozható meg a(z) '{0}' hibakeresési illesztő futtatható állománya.",
+ "unableToLaunchDebugAdapter": "Nem sikerült elindítani a hibakeresési illesztőt a következő helyről: '{0}'.",
+ "unableToLaunchDebugAdapterNoArgs": "Nem sikerült elindítani a hibakeresési illesztőt."
+ },
+ "vs/workbench/contrib/debug/browser/loadedScriptsView": {
+ "loadedScriptsAriaLabel": "Hibakeresés, betöltött parancsfájlok",
+ "loadedScriptsSession": "Debug Session",
+ "loadedScriptsRootFolderAriaLabel": "{0} munkaterületi mappa, betöltött parancsfájl, hibakeresés",
+ "loadedScriptsSessionAriaLabel": "{0} munkamenet, betöltött parancsfájl, hibakeresés",
+ "loadedScriptsFolderAriaLabel": "{0} mappa, betöltött parancsfájl, hibakeresés",
+ "loadedScriptsSourceAriaLabel": "{0}, betöltött parancsfájl, hibakeresés"
+ },
+ "vs/workbench/contrib/debug/browser/debugCommands": {
+ "restartDebug": "Újraindítás",
+ "stepOverDebug": "Átugrás",
+ "stepIntoDebug": "Belépés",
+ "stepOutDebug": "Kilépés",
+ "pauseDebug": "Szüneteltetés",
+ "disconnect": "Kapcsolat bontása",
+ "stop": "Leállítás",
+ "continueDebug": "Folytatás",
+ "chooseLocation": "Choose the specific location",
+ "noExecutableCode": "No executable code is associated at the current cursor position.",
+ "jumpToCursor": "Jump to Cursor",
+ "debug": "Hibakeresés",
+ "noFolderDebugConfig": "Fejlettebb hibakeresési konfigurációk használatához nyisson meg egy mappát!",
+ "addInlineBreakpoint": "Sorbeli töréspont hozzáadása"
+ },
+ "vs/workbench/contrib/debug/browser/breakpointsView": {
+ "Logpoint": "Naplózási pont",
+ "Breakpoint": "Breakpoint",
+ "editBreakpoint": "{0} szerkesztése...",
+ "removeBreakpoint": "{0} eltávolítása",
+ "functionBreakpointsNotSupported": "Ez a hibakereső nem támogatja a függvénytöréspontokat",
+ "dataBreakpointsNotSupported": "Data breakpoints are not supported by this debug type",
+ "functionBreakpointPlaceholder": "A függvény, amin meg kell állni",
+ "functionBreakPointInputAriaLabel": "Adja meg a függvénytöréspontot",
+ "disabledLogpoint": "Letiltott naplózási pont",
+ "disabledBreakpoint": "Letiltott töréspont",
+ "unverifiedLogpoint": "Nem megerősített naplózási pont",
+ "unverifiedBreakopint": "Nem megerősített töréspont",
+ "functionBreakpointUnsupported": "Ez a hibakereső nem támogatja a függvénytöréspontokat",
+ "functionBreakpoint": "Function Breakpoint",
+ "dataBreakpointUnsupported": "Data breakpoints not supported by this debug type",
+ "dataBreakpoint": "Data Breakpoint",
+ "breakpointUnsupported": "Breakpoints of this type are not supported by the debugger",
+ "logMessage": "Naplózott üzenet: {0}",
+ "expression": "Expression: {0}",
+ "hitCount": "Érintések száma: {0}",
+ "breakpoint": "Breakpoint"
+ },
+ "vs/workbench/contrib/debug/common/debugSource": {
+ "unknownSource": "Ismeretlen forrás"
+ },
+ "vs/workbench/contrib/debug/browser/callStackView": {
+ "debugStopped": "Szüneteltetve a következő helyen: {0}",
+ "callStackAriaLabel": "Hibakeresési hívási verem",
+ "showMoreStackFrames2": "Show More Stack Frames",
+ "session": "Session",
+ "running": "Fut",
+ "thread": "Szál",
+ "restartFrame": "Keret újraindítása",
+ "loadMoreStackFrames": "További veremkeretek betöltése",
+ "showMoreAndOrigin": "További {0} megjelenítése: {1}",
+ "showMoreStackFrames": "További {0} veremkeret betöltése",
+ "threadAriaLabel": "Szál: {0}, hívási verem, hibakeresés",
+ "stackFrameAriaLabel": "{0} veremkeret, {0}. sor {1} {2}, hívási verem, hibakeresés",
+ "sessionLabel": "{0} hibakeresési munkamenet"
+ },
+ "vs/workbench/contrib/debug/browser/debugService": {
+ "1activeSession": "1 active session",
+ "nActiveSessions": "{0} active sessions",
+ "configurationAlreadyRunning": "Már fut egy „{0}” azonosítójú hibakeresési konfiguráció.",
+ "compoundMustHaveConfigurations": "A kombinációk \"configurations\" tulajdonságát be kell állítani több konfiguráció elindításához.",
+ "noConfigurationNameInWorkspace": "A(z) '{0}' indítási konfiguráció nem található a munkaterületen.",
+ "multipleConfigurationNamesInWorkspace": "Több '{0}' névvel rendelkező indítási konfiguráció is van a munkaterületen. Használja a mappa nevét a konfiguráció pontos megadásához!",
+ "noFolderWithName": "Nem található '{0}' nevű mappa a(z) '{1}' konfigurációhoz a(z) '{2}' összetett konfigurációban.",
+ "configMissing": "A(z) '{0}' konfiguráció hiányzik a 'launch.json'-ból.",
+ "launchJsonDoesNotExist": "A 'launch.json' nem létezik.",
+ "debugRequestNotSupported": "A(z) '{0}' attribútumnak nem támogatott értéke van ('{1}') a kiválasztott hibakeresési konfigurációban.",
+ "debugRequesMissing": "A(z) '{0}' attribútum hiányzik a kiválasztott hibakeresési konfigurációból.",
+ "debugTypeNotSupported": "A megadott hibakeresési típus ('{0}') nem támogatott.",
+ "debugTypeMissing": "A kiválasztott indítási konfigurációnak hiányzik a 'type' tulajdonsága.",
+ "noFolderWorkspaceDebugError": "The active file can not be debugged. Make sure it is saved and that you have a debug extension installed for that file type.",
+ "debugAdapterCrash": "A hibakeresési illesztő folyamata váratlanul leállt ({0})",
+ "cancel": "Mégse",
+ "debuggingPaused": "Debugging paused {0}, {1} {2} {3}",
+ "breakpointAdded": "Töréspont hozzáadva, {0}. sor, fájl: {1}",
+ "breakpointRemoved": "Töréspont eltávoíltva, {0}. sor, fájl: {1}"
+ },
+ "vs/workbench/contrib/debug/common/debugModel": {
+ "invalidVariableAttributes": "Invalid variable attributes",
+ "startDebugFirst": "A kifejezés kiértékeléséhez indítson egy hibakeresési munkamenetet!",
+ "notAvailable": "nem elérhető",
+ "pausedOn": "Szüneteltetve a következő helyen: {0}",
+ "paused": "Szüneteltetve",
+ "running": "Fut",
+ "breakpointDirtydHover": "Nem megerősített töréspont. A fájl módosult, indítsa újra a hibakeresési munkamenetet."
+ },
+ "vs/workbench/contrib/debug/browser/debugTaskRunner": {
+ "preLaunchTaskErrors": "Hibák vannak a(z) „{0}” preLaunchTask futtatása után.",
+ "preLaunchTaskError": "Hibák vannak a(z) „{0}” preLaunchTask futtatása után.",
+ "preLaunchTaskExitCode": "A(z) '{0}' preLaunchTask a következő hibakóddal fejeződött be: {1}.",
+ "preLaunchTaskTerminated": "The preLaunchTask '{0}' terminated.",
+ "debugAnyway": "Hibakeresés indítása mindenképp",
+ "showErrors": "Show Errors",
+ "abort": "Abort",
+ "remember": "Remember my choice in user settings",
+ "invalidTaskReference": "A(z) „{0}” feladat nem hivatkozható meg egy olyan indítási konfigurációból, amely egy másik munkaterületi mappában van.",
+ "DebugTaskNotFoundWithTaskId": "A(z) '{0}' feladat nem található.",
+ "DebugTaskNotFound": "A megadott feladat nem található.",
+ "taskNotTrackedWithTaskId": "A megadott feladatot nem lehet követni.",
+ "taskNotTracked": "A(z) '{0}' feladatot nem lehet követni."
+ },
+ "vs/workbench/contrib/debug/browser/debugConfigurationManager": {
+ "debugNoType": "A hibakereső 'type' tulajdonsága kötelező, és 'string' típusúnak kell lennie.",
+ "more": "Tovább...",
+ "selectDebug": "Környezet kiválasztása",
+ "DebugConfig.failed": "Nem sikerült létrehozni a 'launch.json' fájlt a '.vscode' mappánan ({0}).",
+ "workspace": "Munkaterület",
+ "user settings": "Felhasználói beállítások"
+ },
+ "vs/workbench/contrib/debug/browser/debugSession": {
+ "noDebugAdapter": "No debug adapter, can not send '{0}'",
+ "sessionNotReadyForBreakpoints": "Session is not ready for breakpoints",
+ "debuggingStarted": "Hibakeresés elindítva.",
+ "debuggingStopped": "Hibakeresés leállítva."
+ },
+ "vs/workbench/contrib/debug/common/debugger": {
+ "cannot.find.da": "Cannot find debug adapter for type '{0}'.",
+ "launch.config.comment1": "IntelliSense használata a lehetséges attribútumok listázásához",
+ "launch.config.comment2": "Húzza fölé az egeret a létező attribútumok leírásának megtekintéséhez!",
+ "launch.config.comment3": "További információért látogassa meg a következőt: {0}",
+ "debugType": "A konfiguráció típusa.",
+ "debugTypeNotRecognised": "Ez a hibakeresési típus nem ismert. Bizonyosodjon meg róla, hogy telepítve és engedélyezve van a megfelelő hibakeresési kiegészítő.",
+ "node2NotSupported": "A \"node2\" már nem támogatott. Használja helyette a \"node\"-ot, és állítsa a \"protocol\" attribútum értékét \"inspector\"-ra.",
+ "debugName": "Name of configuration; appears in the launch configuration dropdown menu.",
+ "debugRequest": "A konfiguráció kérési típusa. Lehet \"launch\" vagy \"attach\".",
+ "debugServer": "Csak hibakeresési kiegészítők fejlesztéséhez: ha a port meg van adva, akkor a VS Code egy szerver módban futó hibakeresési illesztőhöz próbál meg csatlakozni.",
+ "debugPrelaunchTask": "A hibakeresési folyamat előtt futtatandó feladat.",
+ "debugPostDebugTask": "A hibakeresési folyamat vége után futtatandó feladat.",
+ "debugWindowsConfiguration": "Windows-specifikus indítási konfigurációs attribútumok.",
+ "debugOSXConfiguration": "OS X-specifikus indítási konfigurációs attribútumok.",
+ "debugLinuxConfiguration": "Linux-specifikus indítási konfigurációs attribútumok."
+ },
+ "vs/workbench/contrib/debug/browser/rawDebugSession": {
+ "noDebugAdapterStart": "No debug adapter, can not start debug session.",
+ "noDebugAdapter": "No debug adapter found. Can not send '{0}'.",
+ "moreInfo": "További információ"
+ },
+ "vs/workbench/contrib/debug/common/debugSchemas": {
+ "vscode.extension.contributes.debuggers": "Hibakeresési illesztőket szolgáltat.",
+ "vscode.extension.contributes.debuggers.type": "A hibakeresési illesztő egyedi azonosítója.",
+ "vscode.extension.contributes.debuggers.label": "A hibakeresési illesztő megjelenített neve.",
+ "vscode.extension.contributes.debuggers.program": "A hibakeresési illesztő program elérési útja. Az elérési út lehet abszolút vagy relatív a kiegészítő mappájához képest.",
+ "vscode.extension.contributes.debuggers.args": "Az illesztő számára átadott argumentumok.",
+ "vscode.extension.contributes.debuggers.runtime": "Kiegészítő futtatókörnyezet arra az esetre, ha a program attribútum nem egy futtatható fájl, és futtatókörnyezetre van szüksége.",
+ "vscode.extension.contributes.debuggers.runtimeArgs": "Kiegészítő argumentumok a futtatókörnyezet számára.",
+ "vscode.extension.contributes.debuggers.variables": "Mapping from interactive variables (e.g. ${action.pickProcess}) in `launch.json` to a command.",
+ "vscode.extension.contributes.debuggers.initialConfigurations": "Konfigurációk a 'launch.json' első változatának elkészítéséhez.",
+ "vscode.extension.contributes.debuggers.languages": "Azon nyelvek listája, amelyeknél ez a hibakeresési kiegészítő alapértelmezett hibakeresőnek tekinthető.",
+ "vscode.extension.contributes.debuggers.configurationSnippets": "Kódtöredékek új 'launch.json'-konfigurációk hozzáadásához.",
+ "vscode.extension.contributes.debuggers.configurationAttributes": "JSON-sémakonfigurációk a 'launch.json' validálásához.",
+ "vscode.extension.contributes.debuggers.windows": "Windows-specifikus beállítások.",
+ "vscode.extension.contributes.debuggers.windows.runtime": "A Windows által használt futtatókörnyezet.",
+ "vscode.extension.contributes.debuggers.osx": "macOS-specifikus beállítások.",
+ "vscode.extension.contributes.debuggers.osx.runtime": "A macOS által használt futtatókörnyezet.",
+ "vscode.extension.contributes.debuggers.linux": "Linux-specifikus beállítások.",
+ "vscode.extension.contributes.debuggers.linux.runtime": "A Linux által használt futtatókörnyezet.",
+ "vscode.extension.contributes.breakpoints": "Töréspontokat szolgáltat.",
+ "vscode.extension.contributes.breakpoints.language": "Töréspontok engedélyezése ennél a nyelvnél.",
+ "presentation": "Presentation options on how to show this configuration in the debug configuration dropdown and the command palette.",
+ "presentation.hidden": "Controls if this configuration should be shown in the configuration dropdown and the command palette.",
+ "presentation.group": "Group that this configuration belongs to. Used for grouping and sorting in the configuration dropdown and the command palette.",
+ "presentation.order": "Order of this configuration within a group. Used for grouping and sorting in the configuration dropdown and the command palette.",
+ "app.launch.json.title": "Indítás",
+ "app.launch.json.version": "A fájlformátum verziója.",
+ "app.launch.json.configurations": "A konfigurációk listája. Új konfigurációk hozzáadhatók vagy a meglévők szerkeszthetők az IntelliSense használatával.",
+ "app.launch.json.compounds": "A kombinációk listája. Minden kombináció több konfigurációt hivatkozik meg, melyek együtt indulnak el.",
+ "app.launch.json.compound.name": "A kombináció neve. Az indítási konfiguráció lenyíló menüjében jelenik meg.",
+ "useUniqueNames": "Használjon egyedi konfigurációs neveket!",
+ "app.launch.json.compound.folder": "A mappa neve, ahol az összetett konfiguráció található.",
+ "app.launch.json.compounds.configurations": "Azon konfigurációk neve, melyek elindulnak ezen kombináció részeként.",
+ "compoundPrelaunchTask": "Task to run before any of the compound configurations start."
+ },
+ "vs/workbench/contrib/emmet/browser/actions/showEmmetCommands": {
+ "showEmmetCommands": "Emmet-parancsok megjelenítése",
+ "miShowEmmetCommands": "E&&mmet..."
+ },
+ "vs/workbench/contrib/emmet/browser/actions/expandAbbreviation": {
+ "expandAbbreviationAction": "Emmet: Rövidítés kibontása",
+ "miEmmetExpandAbbreviation": "Emmet: E&&xpand Abbreviation"
+ },
+ "vs/workbench/contrib/experiments/browser/experiments.contribution": {
+ "workbench.enableExperiments": "Futtatható kísérleti fejlesztések letöltése a Microsoft online szolgáltatásairól."
+ },
+ "vs/workbench/contrib/extensions/electron-browser/extensions.contribution": {
+ "runtimeExtension": "Futó kiegészítők"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/runtimeExtensionsInput": {
+ "extensionsInputName": "Futó kiegészítők"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/extensionsActions": {
+ "openExtensionsFolder": "Kiegészítők mappájának megnyitása"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/extensionProfileService": {
+ "profilingExtensionHost": "Profiling Extension Host",
+ "selectAndStartDebug": "Kattintson a profilozás leállításához!",
+ "profilingExtensionHostTime": "Profiling Extension Host ({0} sec)",
+ "status.profiler": "Extension Profiler",
+ "restart1": "Kiegészítők profilozása",
+ "restart2": "Kiegészítők profilozásához újraindítás szükséges. Szeretné újraindítani az alkalmazást?",
+ "restart3": "Újraindítás",
+ "cancel": "Mégse"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/extensionsAutoProfiler": {
+ "unresponsive-exthost": "A(z) „{0}” kiegészítő túl sokáig végezte a legutóbbi feladatát, és megakadályozta a többi kiegészítő futását.",
+ "show": "Kiegészítők megjelenítése"
+ },
+ "vs/workbench/contrib/extensions/browser/extensions.contribution": {
+ "extension": "Kiegészítő",
+ "extensions": "Kiegészítők",
+ "view": "Nézet",
+ "extensionsConfigurationTitle": "Kiegészítők",
+ "extensionsAutoUpdate": "Ha engedélyezve van, a kiegészítők frissítései automatikusan telepítve lesznek. A frissítések a Microsoft online szolgáltatásától vannak lekérve.",
+ "extensionsCheckUpdates": "Ha engedélyezve van, az alkalmazás automatikusan ellenőrzi, hogy a kiegészítőkhöz van-e frissítés. Ha egy kiegészítőhöz elérhető frissítés, akkor elavultként jelenik meg a Kiegészítők nézeten. A frissítések a Microsoft online szolgáltatásától vannak lekérve.",
+ "extensionsIgnoreRecommendations": "Ha engedélyezve van, a kiegészítőajánlások nem jelennek meg.",
+ "extensionsShowRecommendationsOnlyOnDemand": "Ha engedélyezve van, a kiegészítőajánlások csak akkor lesznek lekérdezve és megjelenítve, ha a felhasználó maga kéri őket. Az ajánlások egy része a Microsoft online szolgáltatásától van lekérve.",
+ "extensionsCloseExtensionDetailsOnViewChange": "Ha engedélyezve van, a kiegészítők leírását tartalmazó szerkesztőablakok automatikusan bezáródnak, ha a felhasználó elnavigál a Kiegészítők nézetről.",
+ "handleUriConfirmedExtensions": "When an extension is listed here, a confirmation prompt will not be shown when that extension handles a URI.",
+ "notFound": "A(z) '{0}' kiegészítő nem található.",
+ "workbench.extensions.uninstallExtension.description": "Uninstall the given extension",
+ "workbench.extensions.uninstallExtension.arg.name": "Id of the extension to uninstall",
+ "id required": "Extension id required.",
+ "notInstalled": "Extension '{0}' is not installed. Make sure you use the full extension ID, including the publisher, e.g.: ms-vscode.csharp.",
+ "workbench.extensions.search.description": "Search for a specific extension",
+ "workbench.extensions.search.arg.name": "Query to use in search",
+ "miOpenKeymapExtensions": "&&Keymaps",
+ "miOpenKeymapExtensions2": "Billentyűkonfigurációk",
+ "miPreferencesExtensions": "&&Extensions",
+ "miViewExtensions": "E&&xtensions",
+ "showExtensions": "Kiegészítők",
+ "extensionInfoName": "Name: {0}",
+ "extensionInfoId": "Id: {0}",
+ "extensionInfoDescription": "Description: {0}",
+ "extensionInfoVersion": "Version: {0}",
+ "extensionInfoPublisher": "Publisher: {0}",
+ "extensionInfoVSMarketplaceLink": "VS Marketplace Link: {0}",
+ "workbench.extensions.action.configure": "Extension Settings",
+ "workbench.extensions.action.toggleIgnoreExtension": "Sync This Extension"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/runtimeExtensionsEditor": {
+ "starActivation": "Indulásnál aktiválódott",
+ "languageActivation": "Azért aktiválódott, mert megnyitott egy {0} fájlt.",
+ "unresponsive.title": "A kiegészítő miatt a kiegészítő gazdafolyamata lefagyott.",
+ "errors": "{0} kezeletlen hiba",
+ "disable workspace": "Letiltás a munkaterületen",
+ "disable": "Letiltás",
+ "showRuntimeExtensions": "Futó kiegészítők megjelenítése",
+ "reportExtensionIssue": "Probléma jelentése",
+ "debugExtensionHost": "Hibakeresési kiegészítő-gazdafolyamat elindítása",
+ "restart1": "Kiegészítők profilozása",
+ "restart2": "Kiegészítők profilozásához újraindítás szükséges. Szeretné újraindítani az alkalmazást?",
+ "restart3": "Újraindítás",
+ "cancel": "Mégse",
+ "debugExtensionHost.launch.name": "Kiegészítő gazdafolyamatának csatolása",
+ "extensionHostProfileStart": "Kiegészítő gazdafolyamat profilozásának elindítása",
+ "stopExtensionHostProfileStart": "Kiegészítő gazdafolyamat profilozásának leállítása",
+ "saveExtensionHostProfile": "Kiegészítő gazdafolyamat profiljának elmentése"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsViewlet": {
+ "marketPlace": "Piactér",
+ "enabledExtensions": "Enabled",
+ "disabledExtensions": "Letiltva",
+ "popularExtensions": "Popular",
+ "recommendedExtensions": "Ajánlott",
+ "otherRecommendedExtensions": "További ajánlatok",
+ "workspaceRecommendedExtensions": "Ajánlott a munkaterülethez",
+ "builtInExtensions": "Features",
+ "builtInThemesExtensions": "Themes",
+ "builtInBasicsExtensions": "Programming Languages",
+ "installed": "Telepítve",
+ "searchExtensions": "Kiegészítők keresése a piactéren",
+ "sort by installs": "Rendezés a telepítések száma szerint",
+ "sort by rating": "Rendezés értékelés szerint",
+ "sort by name": "Rendezés név szerint",
+ "extensionFoundInSection": "A(z) {0} szakaszban 1 kiegészítő található.",
+ "extensionFound": "1 kiegészítő található.",
+ "extensionsFoundInSection": "A(z) {1} szakaszban {0} kiegészítő található.",
+ "extensionsFound": "{0} kiegészítő található.",
+ "suggestProxyError": "A piactér 'ECONNREFUSED' hibával tért vissza. Ellenőrizze a 'http.proxy' beállítást!",
+ "open user settings": "Felhasználói beállítások megnyitása",
+ "outdatedExtensions": "{0} elavult kiegészítő",
+ "malicious warning": "Eltávolítottuk a(z) '{0}' kiegészítőt, mert jelezték, hogy problémás.",
+ "reloadNow": "Újratöltés most"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/extensionsSlowActions": {
+ "cmd.reportOrShow": "teljesítményprobléma",
+ "cmd.report": "Probléma jelentése",
+ "attach.title": "Did you attach the CPU-Profile?",
+ "ok": "OK",
+ "attach.msg": "This is a reminder to make sure that you have not forgotten to attach '{0}' to the issue you have just created.",
+ "cmd.show": "Show Issues",
+ "attach.msg2": "This is a reminder to make sure that you have not forgotten to attach '{0}' to an existing performance issue."
+ },
+ "vs/workbench/contrib/extensions/common/extensionsFileTemplate": {
+ "app.extensions.json.title": "Kiegészítők",
+ "app.extensions.json.recommendations": "A munkaterület felhasználói számára ajánlott kiegészítők listája. A kiegészítők azonosítója mindig „${publisher}.${name}” formátumú. Példa: „vscode.csharp”.",
+ "app.extension.identifier.errorMessage": "Az elvárt formátum: '${publisher}.${name}'. Példa: 'vscode.csharp'.",
+ "app.extensions.json.unwantedRecommendations": "Azon kiegészítők listája, amelyet a VS Code ajánl a munkaterület felhasználói számára. A kiegészítők azonosítója mindig „${publisher}.${name}” formátumú. Példa: „vscode.csharp”."
+ },
+ "vs/workbench/contrib/extensions/browser/remoteExtensionsInstaller": {},
+ "vs/workbench/contrib/extensions/common/extensionsInput": {
+ "extensionsInputName": "Kiegészítő: {0}"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsQuickAccess": {
+ "searchFor": "Press Enter to search for extension '{0}'.",
+ "install": "Press Enter to install extension '{0}'.",
+ "manage": "Nyomjon Entert a kiegészítők kezeléséhez."
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsDependencyChecker": {
+ "extensions": "Kiegészítők",
+ "reload": "Ablak újratöltése"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsActivationProgress": {
+ "activation": "Kiegészítő aktiválása..."
+ },
+ "vs/workbench/contrib/extensions/common/extensionsUtils": {
+ "disableOtherKeymapsConfirmation": "Letiltja a többi billentyűkonfigurációt ({0}) a billentyűparancsok közötti konfliktusok megelőzése érdekében?",
+ "yes": "Igen",
+ "no": "Nem"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsWorkbenchService": {
+ "Manifest is not found": "A jegyzékfájl nem található",
+ "malicious": "Jelezték, hogy a kiegészítőt problémás.",
+ "uninstallingExtension": "Kiegészítő eltávolítása...",
+ "incompatible": "A(z) „{0}” kiegészítő nem telepíthető, mivel nem kompatibilis a VS Code „{1}” verziójával.",
+ "installing named extension": "„{0}” kiegészítő telepítése...",
+ "installing extension": "Kiegészítő telepítése...",
+ "singleDependentError": "Nem sikerült letiltani a(z) '{0}' kiegészítőt: a(z) '{1}' kiegészítő függ tőle.",
+ "twoDependentsError": "Nem sikerült letiltani a(z) '{0}' kiegészítőt: a(z) '{1}' és '{2}' kiegészítők függnek tőle.",
+ "multipleDependentsError": "Nem sikerült letiltani a(z) '{0}' kiegészítőt: a(z) '{1}', '{2}' és más kiegészítők függnek tőle."
+ },
+ "vs/workbench/contrib/extensions/browser/extensionEditor": {
+ "name": "Kiegészítő neve",
+ "extension id": "Kiegészítő azonosítója",
+ "preview": "Betekintő",
+ "builtin": "Beépített",
+ "publisher": "Kiadó neve",
+ "install count": "Telepítések száma",
+ "rating": "Értékelés",
+ "repository": "Forráskódtár",
+ "license": "Licenc",
+ "details": "Részletek",
+ "detailstooltip": "A kiegészítő leírása, a kiegészítő „README.md” fájljának tartalma alapján",
+ "contributions": "Feature Contributions",
+ "contributionstooltip": "Listázza azokat a szolgáltatásokat, amelyekkel a kiegészítő bővíti a VS Code-ot",
+ "changelog": "Változtatási napló",
+ "changelogtooltip": "A kiegészítő frissítési előzményei, a kiegészítő „CHANGELOG.md” fájljának tartalma alapján",
+ "dependencies": "Függőségek",
+ "dependenciestooltip": "A kiegészítő függőségeinek listája",
+ "recommendationHasBeenIgnored": "Úgy döntött, hogy nem kér ajánlásokat ehhez a kiegészítőhöz",
+ "noReadme": "Leírás nem található.",
+ "noChangelog": "Változtatási napló nem található.",
+ "noContributions": "Nincsenek szolgáltatások",
+ "noDependencies": "Nincsenek függőségek",
+ "settings": "Beállítások ({0})",
+ "setting name": "Név",
+ "description": "Leírás",
+ "default": "Alapértelmezett",
+ "debuggers": "Hibakeresők ({0})",
+ "debugger name": "Név",
+ "debugger type": "Típus",
+ "viewContainers": "Nézetgyűjtemények ({0})",
+ "view container id": "Azonosító",
+ "view container title": "Title",
+ "view container location": "Hol?",
+ "views": "Nézetek ({0})",
+ "view id": "Azonosító",
+ "view name": "Név",
+ "view location": "Hol?",
+ "localizations": "Localizations ({0})",
+ "localizations language id": "Nyelv azonosítója",
+ "localizations language name": "Nyelv neve",
+ "localizations localized language name": "Nyelv neve (lokalizálva)",
+ "codeActions": "Code Actions ({0})",
+ "codeActions.title": "Title",
+ "codeActions.kind": "Kind",
+ "codeActions.description": "Leírás",
+ "codeActions.languages": "Languages",
+ "colorThemes": "Színtémák ({0})",
+ "iconThemes": "Ikontémák ({0})",
+ "colors": "Colors ({0})",
+ "colorId": "Azonosító",
+ "defaultDark": "Alapértelmezett sötét",
+ "defaultLight": "Alapértelmezett világos",
+ "defaultHC": "Alapértelmezett nagy kontrasztú",
+ "JSON Validation": "JSON-validációk ({0})",
+ "fileMatch": "File Match",
+ "schema": "Schema",
+ "commands": "Parancsok ({0})",
+ "command name": "Név",
+ "keyboard shortcuts": "Billentyűparancsok",
+ "menuContexts": "Helyi menük",
+ "languages": "Nyelvek ({0})",
+ "language id": "Azonosító",
+ "language name": "Név",
+ "file extensions": "Fájlkiterjesztések",
+ "grammar": "Nyelvtan",
+ "snippets": "Kódtöredékek",
+ "find": "Keresés",
+ "find next": "Következő találat",
+ "find previous": "Előző találat"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionTipsService": {
+ "neverShowAgain": "Ne jelenítse meg újra",
+ "searchMarketplace": "Keresés a piactéren",
+ "dynamicWorkspaceRecommendation": "Ez a kiegészítő lehet, hogy érdekelni fogja, mert népszerű a(z) {0} forráskódtár felhasználói körében.",
+ "exeBasedRecommendation": "Ez a kiegészítő azért ajánlott, mert a következő telepítve van: {0}.",
+ "fileBasedRecommendation": "Ez a kiegészítő a közelmúltban megnyitott fájlok alapján ajánlott.",
+ "workspaceRecommendation": "Ez a kiegészítő az aktuális munkaterület felhasználói által ajánlott.",
+ "workspaceRecommended": "A munkaterülethez vannak javasolt kiegészítők",
+ "installAll": "Összes telepítése",
+ "showRecommendations": "Ajánlatok megjelenítése",
+ "exeRecommended": "The '{0}' extension is recommended as you have {1} installed on your system.",
+ "install": "Telepítés",
+ "ignoreExtensionRecommendations": "Figyelmen kívül akarja hagyni az összes javasolt kiegészítőt?",
+ "ignoreAll": "Igen, az összes figyelmen kívül hagyása",
+ "no": "Nem",
+ "reallyRecommended2": "Ehhez a fájltípushoz a(z) '{0}' kiegészítő ajánlott.",
+ "reallyRecommendedExtensionPack": "Ehhez a fájltípushoz a(z) '{0}' kiegészítőcsomag ajánlott.",
+ "showLanguageExtensions": "A piactéren található olyan kiegészítő, ami segíthet a(z) '.{0}' fájloknál",
+ "dontShowAgainExtension": "Ne jelenítse meg újra a(z) „.{0}”-fájlokhoz"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsViews": {
+ "extensions": "Kiegészítők",
+ "galleryError": "Nem sikerült csatlakozni a kiegészítők piacteréhez. Próbálja újra később!",
+ "error": "Error while loading extensions. {0}",
+ "no extensions found": "Kiegészítő nem található.",
+ "suggestProxyError": "A piactér 'ECONNREFUSED' hibával tért vissza. Ellenőrizze a 'http.proxy' beállítást!",
+ "open user settings": "Felhasználói beállítások megnyitása"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsViewer": {
+ "error": "Hiba",
+ "Unknown Extension": "Ismeretlen kiegészítő:"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsWidgets": {
+ "ratedBySingleUser": "1 felhasználó értékelte",
+ "ratedByUsers": "{0} felhasználó értékelte",
+ "noRating": "No rating",
+ "extension-arialabel": "{0}. Press enter for extension details.",
+ "viewExtensionDetailsAria": "{0}. Press enter for extension details.",
+ "remote extension title": "Extension in {0}"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsActions": {
+ "download": "Manuális letöltés",
+ "install vsix": "A letöltés után telepítse manuálisan a letöltött '{0}' VSIX-et.",
+ "noOfYearsAgo": "{0} évvel ezelőtt",
+ "one year ago": "1 évvel ezelőtt",
+ "noOfMonthsAgo": "{0} hónappal ezelőtt",
+ "one month ago": "1 hónappal ezelőtt ",
+ "noOfDaysAgo": "{0} hónapja",
+ "one day ago": "1 nappal ezelőtt ",
+ "noOfHoursAgo": "{0} órája",
+ "one hour ago": "1 órája",
+ "just now": "Éppen most",
+ "install": "Telepítés",
+ "installing": "Telepítés...",
+ "installExtensionStart": "Elindult a(z) {0} kiegészítő telepítése. Megnyílt egy szerkesztőablak, ami további információt tartalmaz a kiegészítővel kapcsolatban.",
+ "installExtensionComplete": "A(z) {0} kiegészítő telepítése befejeződött. Töltse újra a Visual Studio Code-ot az engedélyezéshez!",
+ "failedToInstall": "Nem sikerült telepíteni a következőt: '{0}'.",
+ "install locally": "Install Locally",
+ "uninstallAction": "Eltávolítás",
+ "Uninstalling": "Eltávolítás",
+ "uninstallExtensionStart": "A(z) {0} kiegészítő eltávolítása elkezdődött.",
+ "uninstallExtensionComplete": "Töltse újra a Visual Studio Code-ot a(z) {0} kiegészítő eltávolításának befejezéséhez!",
+ "updateExtensionStart": "Elkezdődött a(z) {0} kiegészítő frissítése a(z) {1} verzióra.",
+ "updateExtensionComplete": "A(z) {0} kiegészítő frissítve lett a(z) {1} verzióra.",
+ "failedToUpdate": "Nem sikerült a következő frissítése: '{0}'.",
+ "updateTo": "Frissítés ({0})",
+ "updateAction": "Frissítés",
+ "manage": "Kezelés",
+ "ManageExtensionAction.uninstallingTooltip": "Eltávolítás",
+ "install another version": "Másik verzió telepítése...",
+ "selectVersion": "Válasszon telepítendő verziót!",
+ "current": "Current",
+ "enableForWorkspaceAction": "Engedélyezés a munkaterületen",
+ "enableGloballyAction": "Engedélyezés",
+ "disableForWorkspaceAction": "Letiltás a munkaterületen",
+ "disableGloballyAction": "Letiltás",
+ "enableAction": "Engedélyezés",
+ "disableAction": "Letiltás",
+ "checkForUpdates": "Kiegészítőfrissítések keresése",
+ "noUpdatesAvailable": "Egyetlen kiegészítőhöz sem érhető el frissítés.",
+ "ok": "OK",
+ "singleUpdateAvailable": "Frissítés érhető el egy kiegészítőhöz.",
+ "updatesAvailable": "Frissítés érhető el {0} kiegészítőhöz.",
+ "singleDisabledUpdateAvailable": "Egy letiltott kiegészítőhöz frissítés érhető el.",
+ "updatesAvailableOneDisabled": "Frissítés érhető el {0} kiegészítőhöz. Az egyikük le van tiltva.",
+ "updatesAvailableAllDisabled": "Frissítés érhető el {0} kiegészítőhöz. Mindegyik letiltott kiegészítőhöz tartozik.",
+ "updatesAvailableIncludingDisabled": "Frissítés érhető el {0} kiegészítőhöz. {0} letiltott kiegészítőhöz tartozik.",
+ "enableAutoUpdate": "Kiegészítők automatikus frissítésének engedélyezése",
+ "disableAutoUpdate": "Kiegészítők automatikus frissítésének letiltása",
+ "updateAll": "Összes kiegészítő frissítése",
+ "reloadAction": "Újratöltés",
+ "reloadRequired": "Reload Required",
+ "postUninstallTooltip": "Töltse újra a Visual Studio Code-ot a kiegészítő eltávolításának befejezéséhez!",
+ "postEnableTooltip": "Töltse újra a Visual Studio Code-ot a kiegészítő engedélyezésének befejezéséhez!",
+ "color theme": "Set Color Theme",
+ "select color theme": "Select Color Theme",
+ "file icon theme": "Set File Icon Theme",
+ "select file icon theme": "Válasszon fájlikontémát!",
+ "product icon theme": "Set Product Icon Theme",
+ "select product icon theme": "Select Product Icon Theme",
+ "toggleExtensionsViewlet": "Kiegészítők megjelenítése",
+ "installExtensions": "Kiegészítők telepítése",
+ "showEnabledExtensions": "Engedélyezett kiegészítők megjelenítése",
+ "showInstalledExtensions": "Telepített kiegészítők megjelenítése",
+ "showDisabledExtensions": "Letiltott kiegészítők megjelenítése",
+ "clearExtensionsInput": "Kiegészítők beviteli mező tartalmának törlése",
+ "showBuiltInExtensions": "Beépített kiegészítők megjelenítése",
+ "showOutdatedExtensions": "Elavult kiegészítők megjelenítése",
+ "showPopularExtensions": "Népszerű kiegészítők megjelenítése",
+ "showRecommendedExtensions": "Ajánlott kiegészítők megjelenítése",
+ "installWorkspaceRecommendedExtensions": "Minden munkaterülethez ajánlott kiegészítő telepítése",
+ "installRecommendedExtension": "Ajánlott kiegészítő telepítése",
+ "ignoreExtensionRecommendation": "Ne ajánlja többé ezt a kiegészítőt",
+ "undo": "Visszavonás",
+ "showRecommendedKeymapExtensionsShort": "Billentyűkonfigurációk",
+ "showLanguageExtensionsShort": "Nyelvi kiegészítők",
+ "showAzureExtensionsShort": "Azure-kiegészítők",
+ "extensions": "Kiegészítők",
+ "OpenExtensionsFile.failed": "Nem sikerült létrehozni az 'extensions.json' fájlt a '.vscode' mappánan ({0}).",
+ "configureWorkspaceRecommendedExtensions": "Ajánlott kiegészítők konfigurálása (munkaterületre vonatkozóan)",
+ "configureWorkspaceFolderRecommendedExtensions": "Ajánlott kiegészítők konfigurálása (munkaterület-mappára vonatkozóan)",
+ "addToWorkspaceFolderRecommendations": "Hozzáadás az ajánlott kiegészítőkhöz (munkaterület-mappára vonatkozóan)",
+ "addToWorkspaceFolderIgnoredRecommendations": "Ajánlott kiegészítő figyelmen kívül hagyása (munkaterület-mappára vonatkozóan)",
+ "AddToWorkspaceFolderRecommendations.noWorkspace": "Ajánlás hozzáadásához nyitva kell lennie egy munkaterületi mappának.",
+ "AddToWorkspaceFolderRecommendations.alreadyExists": "Ez a kiegészítő már szerepel a munkaterület mappájához ajánlott kiegészítők között.",
+ "AddToWorkspaceFolderRecommendations.success": "A kiegészítő sikeresen hozzá lett adva a munkaterület-mappa ajánlásaihoz.",
+ "viewChanges": "Változások megtekintése",
+ "AddToWorkspaceFolderRecommendations.failure": "Nem sikerült írni az extensions.json-ba. {0}",
+ "AddToWorkspaceFolderIgnoredRecommendations.alreadyExists": "Ez a kiegészítő már szerepel a munkaterület mappájához tartozó, nem kívánt ajánlásai között.",
+ "AddToWorkspaceFolderIgnoredRecommendations.success": "A kiegészítő sikeresen hozzá lett adva a munkaterület-mappa nem kívánt ajánlásainak listájához.",
+ "addToWorkspaceRecommendations": "Hozzáadás az ajánlott kiegészítőkhöz (a munkaterületre vonatkozóan)",
+ "addToWorkspaceIgnoredRecommendations": "Ajánlott kiegészítő figyelmen kívül hagyása (a munkaterületre vonatkozóan)",
+ "AddToWorkspaceRecommendations.alreadyExists": "Ez a kiegészítő már szerepel a munkaterület ajánlott kiegészítői között.",
+ "AddToWorkspaceRecommendations.success": "A kiegészítő sikeresen hozzá lett adva a munkaterület ajánlásaihoz.",
+ "AddToWorkspaceRecommendations.failure": "Nem sikerült írni a fájlt. {0}",
+ "AddToWorkspaceUnwantedRecommendations.alreadyExists": "Ez a kiegészítő már szerepel a munkaterület nem kívánt ajánlásai között.",
+ "AddToWorkspaceUnwantedRecommendations.success": "A kiegészítő sikeresen hozzá lett adva a munkaterület nem kívánt ajánlásainak listájához.",
+ "updated": "Updated",
+ "installed": "Telepítve",
+ "uninstalled": "Uninstalled",
+ "enabled": "Enabled",
+ "disabled": "Letiltva",
+ "malicious tooltip": "A kiegészítőt korábban problémásnak jelezték.",
+ "malicious": "Malicious",
+ "syncingore.label": "This extension is ignored during sync.",
+ "extension enabled on remote": "Extension is enabled on '{0}'",
+ "disabled because of extension kind": "This extension has defined that it cannot run on the remote server",
+ "disableAll": "Összes telepített kiegészítő letiltása",
+ "disableAllWorkspace": "Összes telepített kiegészítő letiltása a munkaterületre vonatkozóan",
+ "enableAll": "Összes kiegészítő engedélyezése",
+ "enableAllWorkspace": "Összes kiegészítő engedélyezése ezen a munkaterületen",
+ "installVSIX": "Telepítés VSIX-ből...",
+ "installFromVSIX": "Telepítés VSIX-ből",
+ "installButton": "&&Install",
+ "InstallVSIXAction.successReload": "Please reload Visual Studio Code to complete installing the extension {0}.",
+ "InstallVSIXAction.success": "Completed installing the extension {0}.",
+ "InstallVSIXAction.reloadNow": "Újratöltés most",
+ "reinstall": "Kiegészítő újratelepítése...",
+ "selectExtensionToReinstall": "Válassza ki az újratelepítendő kiegészítőt",
+ "ReinstallAction.successReload": "Please reload Visual Studio Code to complete reinstalling the extension {0}.",
+ "ReinstallAction.success": "Reinstalling the extension {0} is completed.",
+ "install previous version": "Kiegészítő adott verziójának telepítése...",
+ "selectExtension": "Válasszon kiegészítőt!",
+ "InstallAnotherVersionExtensionAction.successReload": "Please reload Visual Studio Code to complete installing the extension {0}.",
+ "InstallAnotherVersionExtensionAction.success": "Installing the extension {0} is completed.",
+ "InstallAnotherVersionExtensionAction.reloadNow": "Újratöltés most",
+ "select extensions to install": "Select extensions to install",
+ "no local extensions": "There are no extensions to install.",
+ "installing extensions": "Installing Extensions...",
+ "reload": "Ablak újratöltése",
+ "extensionButtonProminentBackground": "A kiegészítőkhöz tartozó kiemelt műveletgombok (pl. a Telepítés gomb) háttérszíne.",
+ "extensionButtonProminentForeground": "A kiegészítőkhöz tartozó kiemelt műveletgombok (pl. a Telepítés gomb) előtérszíne.",
+ "extensionButtonProminentHoverBackground": "A kiegészítőkhöz tartozó kiemelt műveletgombok (pl. a Telepítés gomb) háttérszíne, ha az egér fölötte van."
+ },
+ "vs/workbench/contrib/externalTerminal/node/externalTerminalService": {
+ "console.title": "VS Code-konzol",
+ "mac.terminal.script.failed": "A(z) '{0}' parancsfájl a következő hibakóddal lépett ki: {1}",
+ "mac.terminal.type.not.supported": "A(z) '{0}' nem támogatott",
+ "press.any.key": "A folytatáshoz nyomjon le egy billentyűt...",
+ "linux.term.failed": "A(z) '{0}' a következő hibakóddal lépett ki: {1}",
+ "ext.term.app.not.found": "can't find terminal application '{0}'",
+ "terminalConfigurationTitle": "Külső terminál",
+ "terminal.explorerKind.integrated": "A VS Code integrált termináljának használata.",
+ "terminal.explorerKind.external": "A beállított külső terminál használata.",
+ "explorer.openInTerminalKind": "Meghatározza, hogy milyen típusú terminál legyen indítva.",
+ "terminal.external.windowsExec": "Meghatározza, hogy mely terminál fusson Windowson.",
+ "terminal.external.osxExec": "Meghatározza, hogy mely terminál fusson macOS-en.",
+ "terminal.external.linuxExec": "Meghatározza, hogy mely terminál fusson Linuxon."
+ },
+ "vs/workbench/contrib/externalTerminal/browser/externalTerminal.contribution": {
+ "globalConsoleAction": "Open New External Terminal",
+ "scopedConsoleAction": "Megnyitás a terminálban"
+ },
+ "vs/workbench/contrib/feedback/browser/feedbackStatusbarItem": {
+ "status.feedback": "Visszajelzés tweetelése",
+ "help": "Súgó"
+ },
+ "vs/workbench/contrib/feedback/browser/feedback": {
+ "sendFeedback": "Visszajelzés tweetelése",
+ "label.sendASmile": "Küldje el nekünk egy tweetben a visszajelzését!",
+ "close": "Bezárás",
+ "patchedVersion1": "A telepítés hibás.",
+ "patchedVersion2": "Az alábbiakat adja meg, ha hibát akar beküldeni.",
+ "sentiment": "Milyennek találja a rendszert?",
+ "smileCaption": "Boldog visszajelzés",
+ "frownCaption": "Szomorú visszajelzés",
+ "other ways to contact us": "Más értesítési módok",
+ "submit a bug": "Hibajelentés küldése",
+ "request a missing feature": "Hiányzó funkció kérése",
+ "tell us why": "Mondja el, hogy miért",
+ "feedbackTextInput": "Küldjön nekünk visszajelzést!",
+ "showFeedback": "Visszajelzésre szolgáló mosoly gomb megjelenítése az állapotsoron",
+ "tweet": "Tweer",
+ "tweetFeedback": "Visszajelzés tweetelése",
+ "character left": "karakter maradt",
+ "characters left": "karakter maradt"
+ },
+ "vs/workbench/contrib/files/electron-browser/fileActions.contribution": {
+ "revealInWindows": "Reveal in File Explorer",
+ "revealInMac": "Megjelenítés a Finderben",
+ "openContainer": "Tartalmazó mappa megnyitása",
+ "filesCategory": "Fájl"
+ },
+ "vs/workbench/contrib/files/electron-browser/files.contribution": {
+ "textFileEditor": "Szövegfájlszerkesztő"
+ },
+ "vs/workbench/contrib/files/electron-browser/fileCommands": {
+ "openFileToReveal": "Fájlok felfedéséhez elősször nyisson meg egy fájlt"
+ },
+ "vs/workbench/contrib/files/electron-browser/textFileEditor": {
+ "fileTooLargeForHeapError": "To open a file of this size, you need to restart and allow it to use more memory",
+ "relaunchWithIncreasedMemoryLimit": "Újraindítás {0} MB-tal",
+ "configureMemoryLimit": "Memóriakorlát beállítása"
+ },
+ "vs/workbench/contrib/files/common/editors/fileEditorInput": {
+ "orphanedReadonlyFile": "{0} (deleted, read-only)",
+ "orphanedFile": "{0} (deleted)",
+ "readonlyFile": "{0} (read-only)"
+ },
+ "vs/workbench/contrib/files/browser/files.contribution": {
+ "showExplorerViewlet": "Az Intéző megjelenítése",
+ "view": "Nézet",
+ "binaryFileEditor": "Bináris fájlszerkesztő",
+ "hotExit.off": "Disable hot exit. A prompt will show when attempting to close a window with dirty files.",
+ "hotExit.onExit": "Hot exit will be triggered when the last window is closed on Windows/Linux or when the `workbench.action.quit` command is triggered (command palette, keybinding, menu). All windows without folders opened will be restored upon next launch. A list of workspaces with unsaved files can be accessed via `File > Open Recent > More...`",
+ "hotExit.onExitAndWindowClose": "Hot exit will be triggered when the last window is closed on Windows/Linux or when the `workbench.action.quit` command is triggered (command palette, keybinding, menu), and also for any window with a folder opened regardless of whether it's the last window. All windows without folders opened will be restored upon next launch. A list of workspaces with unsaved files can be accessed via `File > Open Recent > More...`",
+ "hotExit": "Meghatározza, hogy a nem mentett fájlokra emlékezzen-e az alkalmazás a munkamenetek között, így ki lehet hagyni a mentéssel kapcsolatos felugró ablakokat kilépésnél.",
+ "hotExit.onExitAndWindowCloseBrowser": "Hot exit will be triggered when the browser quits or the window or tab is closed.",
+ "filesConfigurationTitle": "Fájlok",
+ "exclude": "Configure glob patterns for excluding files and folders. For example, the files 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. Read more about glob patterns [here](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options).",
+ "files.exclude.boolean": "Az a globális minta, amelyhez igazítani kell a fájlok elérési útját. A minta engedélyezéséhez vagy letiltásához állítsa igaz vagy hamis értékre.",
+ "files.exclude.when": "További ellenőrzés elvégzése az illeszkedő fájlok testvérein. Az illeszkedő fájl nevéhez használja a $(basename) változót!",
+ "associations": "Rendeljen nyelveket a fájlokhoz (pl: `\"*.kiterjesztés\": \"html\"`). Ezek a hozzárendelések elsőbbséget élveznek a telepített nyelvek által definiált alapértelmezett beállításokkal szemben.",
+ "encoding": "A fájlok írásánál és olvasásánál használt alapértelmezett karakterkészlet. A beállítás nyelvenként is konfigurálható.",
+ "autoGuessEncoding": "Ha engedélyezve van, a szerkesztő a fájlok megnyitásakor megpróbálja kitalálni a karakterkészletet. A beállítás nyelvenként is konfigurálható.",
+ "eol.LF": "LF",
+ "eol.CRLF": "CRLF",
+ "eol.auto": "Operációsrendszer-specifikus sorvégjel használata.",
+ "eol": "Az alapértelmezett sorvégjel.",
+ "useTrash": "Fájlok és mappák áthelyezése az operációs rendszer kukájába (Windowson a Lomtárba) törlés esetén. A beállítás letiltása esetén a fájlok és a mappák véglegesen törlődnek.",
+ "trimTrailingWhitespace": "Ha engedélyezve van, a fájl mentésekor levágja a sor végén található szóközöket.",
+ "insertFinalNewline": "Ha engedélyezve van, mentéskor beszúr egy záró újsort a fájl végére.",
+ "trimFinalNewlines": "Ha engedélyezve van, mentéskor levágja a fájl végérő az összes újsort az utolsó újsor után.",
+ "files.autoSave.off": "A dirty editor is never automatically saved.",
+ "files.autoSave.afterDelay": "A dirty editor is automatically saved after the configured `#files.autoSaveDelay#`.",
+ "files.autoSave.onFocusChange": "A dirty editor is automatically saved when the editor loses focus.",
+ "files.autoSave.onWindowChange": "A dirty editor is automatically saved when the window loses focus.",
+ "autoSave": "Controls auto save of dirty editors. Read more about autosave [here](https://code.visualstudio.com/docs/editor/codebasics#_save-auto-save).",
+ "autoSaveDelay": "Controls the delay in ms after which a dirty editor is saved automatically. Only applies when `#files.autoSave#` is set to `{0}`.",
+ "watcherExclude": "Globális minta, ami meghatározza azoknak a fájloknak a listáját, amelyek ki vannak szűrve a figyelésből. A mintáknak abszolút elérési utakra kell illeszkedniük (azaz előtagként adja hozzá a **-t vagy a teljes elérési utat a megfelelő illeszkedéshez). A beállítás módosítása újraindítást igényel. Ha úgy észleli, hogy a Code túl sok processzort használ indításnál, ki tudja szűrni a nagy mappákat a kezdeti terhelés csökkentés érdekében.",
+ "defaultLanguage": "The default language mode that is assigned to new files. If configured to `${activeEditorLanguage}`, will use the language mode of the currently active text editor if any.",
+ "maxMemoryForLargeFilesMB": "Meghatározza a VS Code számára elérhető memória mennyiségét újraindítás után, nagy fájlok megnyitása esetén. Hatása ugyanaz, mint a `--max-memory=ÚJMÉRET` kapcsoló megadása parancssorból való indítás esetén.",
+ "askUser": "Will refuse to save and ask for resolving the save conflict manually.",
+ "overwriteFileOnDisk": "Will resolve the save conflict by overwriting the file on disk with the changes in the editor.",
+ "files.saveConflictResolution": "A save conflict can occur when a file is saved to disk that was changed by another program in the meantime. To prevent data loss, the user is asked to compare the changes in the editor with the version on disk. This setting should only be changed if you frequently encounter save conflict errors and may result in data loss if used without caution.",
+ "files.simpleDialog.enable": "Enables the simple file dialog. The simple file dialog replaces the system file dialog when enabled.",
+ "formatOnSave": "Fájlok formázása mentéskor. Az adott nyelvhez rendelkezésre kell állni formázónak, a fájl mentése nem lehet késleltetve, és a szerkesztő nem lehet a leállási fázisban.",
+ "explorerConfigurationTitle": "Fájlkezelő",
+ "openEditorsVisible": "A megnyitott szerkesztőablakok panelen megjelenített szerkesztőablakok száma.",
+ "autoReveal": "Meghatározza, hogy a fájlkezelőben automatikusan fel legyenek fedve és ki legyenek jelölve a fájlok a megnyitásuk során.",
+ "enableDragAndDrop": "Meghatározza, hogy a fájlkezelőben húzással áthelyezhetők-e a fájlok és mappák.",
+ "confirmDragAndDrop": "Meghatározza, hogy a fájlkezelő kérjen-e megerősítést fájlok és mappák húzással történő áthelyezése esetén.",
+ "confirmDelete": "Meghatározza, hogy a fájlkezelő kérjen-e megerősítést a fájlok lomtárba történő helyezése esetén.",
+ "sortOrder.default": "A fájlok és mappák név szerint vannak rendezve, ABC-sorrendben. A mappák a fájlok előtt vannak listázva.",
+ "sortOrder.mixed": "A fájlok és mappák név szerint vannak rendezve, ABC-sorrendben. A fájlok és a mappák közösen vannak rendezve.",
+ "sortOrder.filesFirst": "A fájlok és mappák név szerint vannak rendezve, ABC-sorrendben. A fájlok a mappák előtt vannak listázva.",
+ "sortOrder.type": "A fájlok és mappák a kiterjesztésük szerint vannak rendezve, ABC-sorrendben. A mappák a fájlok előtt vannak listázva.",
+ "sortOrder.modified": "A fájlok és mappák a legutolsó módosítás dátuma szerint vannak rendezve, csökkenő sorrendben. A mappák a fájlok előtt vannak listázva.",
+ "sortOrder": "Meghatározza a fájlok és mappák rendezési módját a fájlkezelőben.",
+ "explorer.decorations.colors": "Meghatározza, hogy a fájldekorációk használjanak-e színeket.",
+ "explorer.decorations.badges": "Meghatározza, hogy a fájldekorációk használjanak-e jelvényeket.",
+ "simple": "Appends the word \"copy\" at the end of the duplicated name potentially followed by a number",
+ "smart": "Adds a number at the end of the duplicated name. If some number is already part of the name, tries to increase that number",
+ "explorer.incrementalNaming": "Controls what naming strategy to use when a giving a new name to a duplicated explorer item on paste.",
+ "compressSingleChildFolders": "Controls whether the explorer should render folders in a compact form. In such a form, single child folders will be compressed in a combined tree element. Useful for Java package structures, for example.",
+ "miViewExplorer": "&&Explorer"
+ },
+ "vs/workbench/contrib/files/browser/explorerViewlet": {
+ "folders": "Mappák",
+ "explore": "Fájlkezelő",
+ "noWorkspaceHelp": "You have not yet added a folder to the workspace.\n[Add Folder](command:{0})",
+ "remoteNoFolderHelp": "Connected to remote.\n[Open Folder](command:{0})",
+ "noFolderHelp": "You have not yet opened a folder.\n[Open Folder](command:{0})"
+ },
+ "vs/workbench/contrib/files/browser/fileActions.contribution": {
+ "filesCategory": "Fájl",
+ "workspaces": "Munkaterületek",
+ "file": "Fájl",
+ "copyPath": "Elérési út másolása",
+ "copyRelativePath": "Relatív elérési út másolása",
+ "revealInSideBar": "Megjelenítés az oldalsávon",
+ "acceptLocalChanges": "Use your changes and overwrite file contents",
+ "revertLocalChanges": "Discard your changes and revert to file contents",
+ "copyPathOfActive": "Aktív fájl elérési útjának másolása",
+ "copyRelativePathOfActive": "Aktív fájl relatív eléréséi útjának másolása",
+ "saveAllInGroup": "Összes mentése a csoportban",
+ "saveFiles": "Összes fájl mentése",
+ "revert": "Fájl visszaállítása",
+ "compareActiveWithSaved": "Aktív fájl összehasonlítása a mentett változattal",
+ "closeEditor": "Szerkesztőablak bezárása",
+ "view": "Nézet",
+ "openToSide": "Megnyitás oldalt",
+ "saveAll": "Összes mentése",
+ "compareWithSaved": "Összehasonlítás a mentett változattal",
+ "compareWithSelected": "Összehasonlítás a kiválasztottal",
+ "compareSource": "Kijelölés összehasonlításhoz",
+ "compareSelected": "Kiválasztottak összehasonlítása",
+ "close": "Bezárás",
+ "closeOthers": "Többi bezárása",
+ "closeSaved": "Mentettek bezárása",
+ "closeAll": "Összes bezárása",
+ "cut": "Kivágás",
+ "deleteFile": "Végleges törlés",
+ "newFile": "Új fájl",
+ "openFile": "Fájl megnyitása...",
+ "miNewFile": "Új &&fájl",
+ "miSave": "Menté&&s",
+ "miSaveAs": "Save &&As...",
+ "miSaveAll": "Save A&&ll",
+ "miOpen": "&&Megnyitás...",
+ "miOpenFile": "&&Fájl megnyitása...",
+ "miOpenFolder": "Mappa &&megnyitása...",
+ "miOpenWorkspace": "Open Wor&&kspace...",
+ "miAutoSave": "A&&uto Save",
+ "miRevert": "Re&&vert File",
+ "miCloseEditor": "&&Close Editor",
+ "miGotoFile": "Ugrás &&fájlhoz..."
+ },
+ "vs/workbench/contrib/files/browser/editors/textFileEditor": {
+ "textFileEditor": "Szövegfájlszerkesztő",
+ "openFolderError": "A fájl egy könyvtár",
+ "createFile": "Fájl létrehozása",
+ "readonlyFileEditorWithInputAriaLabel": "{0} readonly editor",
+ "readonlyFileEditorAriaLabel": "Readonly editor",
+ "fileEditorWithInputAriaLabel": "{0} editor",
+ "fileEditorAriaLabel": "Szerkesztőablak"
+ },
+ "vs/workbench/contrib/files/common/workspaceWatcher": {
+ "netVersionError": "A működéshez Microsoft .NET-keretrendszer 4.5 szükséges. A telepítéshez kövesse az alábbi hivatkozást!",
+ "installNet": ".NET Framework 4.5 letöltése",
+ "enospcError": "Unable to watch for file changes in this large workspace. Please follow the instructions link to resolve this issue.",
+ "learnMore": "Utasítások"
+ },
+ "vs/workbench/contrib/files/browser/editors/binaryFileEditor": {
+ "binaryFileEditor": "Bináris megjelenítő"
+ },
+ "vs/workbench/contrib/files/common/dirtyFilesIndicator": {
+ "dirtyFile": "1 unsaved file",
+ "dirtyFiles": "{0} nem mentett fájl"
+ },
+ "vs/workbench/contrib/files/browser/views/emptyView": {
+ "noWorkspace": "Nincs mappa megnyitva"
+ },
+ "vs/workbench/contrib/files/browser/editors/textFileSaveErrorHandler": {
+ "userGuide": "Use the actions in the editor tool bar to either undo your changes or overwrite the content of the file with your changes.",
+ "staleSaveError": "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.",
+ "retry": "Újra",
+ "discard": "Elvetés",
+ "readonlySaveErrorAdmin": "Failed to save '{0}': File is read-only. Select 'Overwrite as Admin' to retry as administrator.",
+ "readonlySaveErrorSudo": "Failed to save '{0}': File is read-only. Select 'Overwrite as Sudo' to retry as superuser.",
+ "readonlySaveError": "Failed to save '{0}': File is read-only. Select 'Overwrite' to attempt to make it writeable.",
+ "permissionDeniedSaveError": "Nem sikerült menteni a(z) '{0}' fájlt: nincs megfelelő jogosultság. Válassza az 'Újrapróbálkozás rendszergazdaként' lehetőséget az újrapróbálkozáshoz adminisztrátorként!",
+ "permissionDeniedSaveErrorSudo": "Failed to save '{0}': Insufficient permissions. Select 'Retry as Sudo' to retry as superuser.",
+ "genericSaveError": "Hiba a(z) {0} mentése közben ({1}).",
+ "learnMore": "További információ",
+ "dontShowAgain": "Ne jelenítse meg újra",
+ "compareChanges": "Összehasonlítás",
+ "saveConflictDiffLabel": "{0} (in file) ↔ {1} (in {2}) - Resolve save conflict",
+ "overwriteElevated": "Felülírás rendszergazdaként...",
+ "overwriteElevatedSudo": "Felülírás sudóként...",
+ "saveElevated": "Újrapróbálkozás rendszergazdaként...",
+ "saveElevatedSudo": "Újrapróbálkozás sudóként...",
+ "overwrite": "Felülírás",
+ "configure": "Beállítás"
+ },
+ "vs/workbench/contrib/files/browser/views/explorerView": {
+ "explorerSection": "Explorer Section: {0}",
+ "treeAriaLabel": "Fájlkezelő"
+ },
+ "vs/workbench/contrib/files/browser/views/openEditorsView": {
+ "openEditors": "Megnyitott szerkesztőablakok",
+ "dirtyCounter": "{0} nincs mentve"
+ },
+ "vs/workbench/contrib/files/browser/fileCommands": {
+ "saveAs": "Mentés másként...",
+ "save": "Mentés",
+ "saveWithoutFormatting": "Mentés formázás nélkül",
+ "saveAll": "Összes mentése",
+ "removeFolderFromWorkspace": "Mappa eltávolítása a munkaterületről",
+ "modifiedLabel": "{0} (in file) ↔ {1}",
+ "openFileToCopy": "Fájlok elérési útjának másolásához elősször nyisson meg egy fájlt",
+ "genericSaveError": "Hiba a(z) {0} mentése közben ({1}).",
+ "genericRevertError": "Nem sikerült a(z) '{0}' visszaállítása: {1}"
+ },
+ "vs/workbench/contrib/files/browser/fileActions": {
+ "newFile": "Új fájl",
+ "newFolder": "Új mappa",
+ "rename": "Átnevezés",
+ "delete": "Törlés",
+ "copyFile": "Másolás",
+ "pasteFile": "Beillesztés",
+ "download": "Letöltés",
+ "createNewFile": "Új fájl",
+ "createNewFolder": "Új mappa",
+ "newUntitledFile": "Új, névtelen fájl",
+ "deleteButtonLabelRecycleBin": "&&Move to Recycle Bin",
+ "deleteButtonLabelTrash": "&&Move to Trash",
+ "deleteButtonLabel": "&&Delete",
+ "dirtyMessageFilesDelete": "Olyan fájlokat készül törölni, amelyek nem mentett változtatásokat tartalmaznak. Folytatja?",
+ "dirtyMessageFolderOneDelete": "You are deleting a folder {0} with unsaved changes in 1 file. Do you want to continue?",
+ "dirtyMessageFolderDelete": "You are deleting a folder {0} with unsaved changes in {1} files. Do you want to continue?",
+ "dirtyMessageFileDelete": "You are deleting {0} with unsaved changes. Do you want to continue?",
+ "dirtyWarning": "A módosítások elvesznek, ha nem menti őket.",
+ "undoBinFiles": "You can restore these files from the Recycle Bin.",
+ "undoBin": "You can restore this file from the Recycle Bin.",
+ "undoTrashFiles": "You can restore these files from the Trash.",
+ "undoTrash": "You can restore this file from the Trash.",
+ "doNotAskAgain": "Ne kérdezze meg újra",
+ "irreversible": "A művelet nem vonható vissza!",
+ "binFailed": "Nem sikerült törölni a lomtár használatával. Szeretné helyette véglegesen törölni?",
+ "trashFailed": "Nem sikerült törölni a kuka használatával. Szeretné helyette véglegesen törölni?",
+ "deletePermanentlyButtonLabel": "&&Delete Permanently",
+ "retryButtonLabel": "&&Retry",
+ "confirmMoveTrashMessageFilesAndDirectories": "Törli a következő {0} fájlt vagy könyvtárat a teljes tartalmával együtt?",
+ "confirmMoveTrashMessageMultipleDirectories": "Törli a következő {0} könyvtárat a teljes tartalmával együtt?",
+ "confirmMoveTrashMessageMultiple": "Törli a következő {0} fájlt?",
+ "confirmMoveTrashMessageFolder": "Törli a(z) '{0}' nevű mappát és a teljes tartalmát?",
+ "confirmMoveTrashMessageFile": "Törli a(z) '{0}' nevű fájlt?",
+ "confirmDeleteMessageFilesAndDirectories": "Véglegesen törli a következő {0} fájlt vagy könyvtárat a teljes tartalmával együtt?",
+ "confirmDeleteMessageMultipleDirectories": "Véglegesen törli a következő {0} könyvtárat a teljes tartalmával együtt?",
+ "confirmDeleteMessageMultiple": "Véglegesen törli a következő {0} fájlt?",
+ "confirmDeleteMessageFolder": "Törli a(z) '{0}' nevű mappát és annak teljes tartalmát? ",
+ "confirmDeleteMessageFile": "Véglegesen törli a(z) '{0}' nevű fájlt?",
+ "globalCompareFile": "Aktív fájl összehasonlítása...",
+ "openFileToCompare": "Fájlok összehasonlításához elősször nyisson meg egy fájlt.",
+ "toggleAutoSave": "Automatikus mentés be- és kikapcsolása",
+ "saveAllInGroup": "Összes mentése a csoportban",
+ "closeGroup": "Csoport bezárása",
+ "focusFilesExplorer": "Váltás a fájlkezelőre",
+ "showInExplorer": "Aktív fájl megjelenítése az oldalsávon",
+ "openFileToShow": "Fájl fájlkezelőben történő megjelenítéséhez először nyisson meg egy fájlt",
+ "collapseExplorerFolders": "Mappák összecsukása a fájlkezelőben",
+ "refreshExplorer": "Fájlkezelő frissítése",
+ "openFileInNewWindow": "Aktív fájl megnyitása új ablakban",
+ "openFileToShowInNewWindow.unsupportedschema": "The active editor must contain an openable resource.",
+ "openFileToShowInNewWindow.nofile": "Fájl új ablakban történő megnyitásához először nyisson meg egy fájlt",
+ "emptyFileNameError": "A fájlnév vagy a mappanév megadása kötelező.",
+ "fileNameStartsWithSlashError": "A fájlok és mappák neve nem kezdődhet perjellel.",
+ "fileNameExistsError": "Már létezik **{0}** nevű fájl vagy mappa az adott mappában. Adjon meg egy másik nevet.",
+ "invalidFileNameError": "A(z) **{0}** név nem érvényes fájl- vagy mappanév. Adjon meg egy másik nevet!",
+ "fileNameWhitespaceWarning": "Leading or trailing whitespace detected in file or folder name.",
+ "compareWithClipboard": "Aktív fájl összehasonlítása a vágólap tartalmával",
+ "clipboardComparisonLabel": "Vágólap ↔ {0}",
+ "retry": "Újra",
+ "downloadFolder": "Download Folder",
+ "downloadFile": "Download File",
+ "fileIsAncestor": "A beillesztendő fájl a célmappa szülője",
+ "fileDeleted": "The file to paste has been deleted or moved since you copied it. {0}"
+ },
+ "vs/workbench/contrib/files/browser/views/explorerDecorationsProvider": {
+ "canNotResolve": "Unable to resolve workspace folder",
+ "symbolicLlink": "Szimbolikus hivatkozás",
+ "unknown": "Unknown File Type",
+ "label": "Fájlkezelő"
+ },
+ "vs/workbench/contrib/files/browser/views/explorerViewer": {
+ "fileInputAriaLabel": "Adja meg a fájl nevét. Nyomjon 'Enter'-t a megerősítéshez vagy 'Escape'-et a megszakításhoz.",
+ "confirmOverwrite": "A file or folder with the name '{0}' already exists in the destination folder. Do you want to replace it?",
+ "irreversible": "A művelet nem vonható vissza!",
+ "replaceButtonLabel": "&&Csere",
+ "copyFolders": "&&Copy Folders",
+ "copyFolder": "&&Copy Folder",
+ "cancel": "Mégse",
+ "copyfolders": "Are you sure to want to copy folders?",
+ "copyfolder": "Are you sure to want to copy '{0}'?",
+ "addFolders": "&&Add Folders to Workspace",
+ "addFolder": "&&Add Folder to Workspace",
+ "dropFolders": "Do you want to copy the folders or add the folders to the workspace?",
+ "dropFolder": "Do you want to copy '{0}' or add '{0}' as a folder to the workspace?",
+ "confirmRootsMove": "Szeretné módosítani több gyökérmappa sorrendjét a munkaterületen belül?",
+ "confirmMultiMove": "Are you sure you want to move the following {0} files into '{1}'?",
+ "confirmRootMove": "Szeretné módosítani a(z) '{0}' gyökérmappa sorrendjét a munkaterületen belül?",
+ "confirmMove": "Are you sure you want to move '{0}' into '{1}'?",
+ "doNotAskAgain": "Ne kérdezze meg újra",
+ "moveButtonLabel": "&&Move"
+ },
+ "vs/workbench/contrib/format/browser/formatActionsNone": {
+ "formatDocument.label.multiple": "Dokumentum formázása",
+ "no.provider": "There is no formatter for '{0}' files installed.",
+ "install.formatter": "Install Formatter..."
+ },
+ "vs/workbench/contrib/format/browser/formatActionsMultiple": {
+ "nullFormatterDescription": "Nincs",
+ "miss": "Extension '{0}' cannot format '{1}'",
+ "config.needed": "There are multiple formatters for '{0}' files. Select a default formatter to continue.",
+ "config.bad": "Extension '{0}' is configured as formatter but not available. Select a different default formatter to continue.",
+ "do.config": "Configure...",
+ "select": "Select a default formatter for '{0}' files",
+ "formatter.default": "Defines a default formatter which takes precedence over all other formatter settings. Must be the identifier of an extension contributing a formatter.",
+ "def": "(default)",
+ "config": "Configure Default Formatter...",
+ "format.placeHolder": "Select a formatter",
+ "formatDocument.label.multiple": "Format Document With...",
+ "formatSelection.label.multiple": "Format Selection With..."
+ },
+ "vs/workbench/contrib/issue/electron-browser/issue.contribution": {
+ "help": "Súgó",
+ "reportIssueInEnglish": "Probléma jelentése",
+ "developer": "Fejlesztői"
+ },
+ "vs/workbench/contrib/issue/electron-browser/issueActions": {
+ "openProcessExplorer": "Feladatkezelő megnyitása",
+ "reportPerformanceIssue": "Teljesítményproblémák jelentése"
+ },
+ "vs/workbench/contrib/localizations/browser/localizations.contribution": {
+ "updateLocale": "Szeretné a VS Code felületét {0} nyelvűre állítani és újraindítani az alkalmazást?",
+ "activateLanguagePack": "A VS Code {0} nyelven való használatához újraindítás szükséges.",
+ "yes": "Igen",
+ "restart now": "Restart Now",
+ "neverAgain": "Ne jelenítse meg újra",
+ "vscode.extension.contributes.localizations": "Lokalizációkat szolgáltat a szerkesztőhöz",
+ "vscode.extension.contributes.localizations.languageId": "Annak a nyelvnek az azonosítója, amelyre a megjelenített szövegek fordítva vannak.",
+ "vscode.extension.contributes.localizations.languageName": "A nyelv neve angolul.",
+ "vscode.extension.contributes.localizations.languageNameLocalized": "A nyelv neve a szolgáltatott nyelven.",
+ "vscode.extension.contributes.localizations.translations": "A nyelvhez rendelt fordítások listája.",
+ "vscode.extension.contributes.localizations.translations.id": "Azonosító, ami a VS Code-ra vagy arra a kiegészítőre hivatkozik, amihez a fordítás szolgáltatva van. A VS Code azonosítója mindig `vscode`, kiegészítők esetén pedig a `publisherId.extensionName` formátumban kell megadni.",
+ "vscode.extension.contributes.localizations.translations.id.pattern": "Az id értéke VS Code fordítása esetében `vscode`, egy kiegészítő esetében pedig `publisherId.extensionName` formátumú lehet.",
+ "vscode.extension.contributes.localizations.translations.path": "A nyelvhez tartozó fordításokat tartalmazó fájl relatív elérési útja."
+ },
+ "vs/workbench/contrib/localizations/browser/localizationsActions": {
+ "configureLocale": "Megjelenítési nyelv beállítása",
+ "installAdditionalLanguages": "Install additional languages...",
+ "chooseDisplayLanguage": "Select Display Language",
+ "relaunchDisplayLanguageMessage": "A restart is required for the change in display language to take effect.",
+ "relaunchDisplayLanguageDetail": "Press the restart button to restart {0} and change the display language.",
+ "restart": "&&Restart"
+ },
+ "vs/workbench/contrib/localizations/browser/minimalTranslations": {
+ "showLanguagePackExtensions": "Keressen nyelvi csomagokat a piactéren, ha {0} nyelven szeretné használni az alkalmazást!",
+ "searchMarketplace": "Keresés a piactéren",
+ "installAndRestartMessage": "Ha {0} nyelven szeretné használni az alkalmazást, telepítse a nyelvi csomagot!",
+ "installAndRestart": "Install and Restart"
+ },
+ "vs/workbench/contrib/logs/electron-browser/logs.contribution": {
+ "developer": "Fejlesztői"
+ },
+ "vs/workbench/contrib/logs/electron-browser/logsActions": {
+ "openLogsFolder": "Naplómappa megnyitása",
+ "openExtensionLogsFolder": "Open Extension Logs Folder"
+ },
+ "vs/workbench/contrib/logs/common/logs.contribution": {
+ "developer": "Fejlesztői",
+ "userDataSyncLog": "Preferences Sync",
+ "rendererLog": "Ablak",
+ "mainLog": "Elsődleges",
+ "sharedLog": "Megosztott",
+ "telemetryLog": "Telemetria"
+ },
+ "vs/workbench/contrib/logs/common/logsActions": {
+ "setLogLevel": "Naplózási szint beállítása...",
+ "trace": "Nyomkövetés",
+ "debug": "Hibakeresés",
+ "info": "Információ",
+ "warn": "Figyelmeztetés",
+ "err": "Hiba",
+ "critical": "Kritikus",
+ "off": "Kikapcsolva",
+ "selectLogLevel": "Naplózási szint beállítása",
+ "default and current": "Default & Current",
+ "default": "Alapértelmezett",
+ "current": "Current",
+ "openSessionLogFile": "Open Window Log File (Session)...",
+ "sessions placeholder": "Select Session",
+ "log placeholder": "Válasszon naplófájlt!"
+ },
+ "vs/workbench/contrib/markers/browser/markers.contribution": {
+ "copyMarker": "Másolás",
+ "copyMessage": "Üzenet másolása",
+ "focusProblemsList": "Focus problems view",
+ "focusProblemsFilter": "Focus problems filter",
+ "show multiline": "Show message in multiple lines",
+ "problems": "Problémák",
+ "show singleline": "Show message in single line",
+ "clearFiltersText": "Clear filters text",
+ "miMarker": "&&Problems",
+ "status.problems": "Problémák",
+ "totalErrors": "{0} hiba",
+ "totalWarnings": "{0} figyelmeztetés",
+ "totalInfos": "{0} információ",
+ "noProblems": "No Problems",
+ "manyProblems": "10k+"
+ },
+ "vs/workbench/contrib/markers/browser/markers": {
+ "totalProblems": "Összesen {0} probléma"
+ },
+ "vs/workbench/contrib/markers/browser/messages": {
+ "viewCategory": "Nézet",
+ "problems.view.toggle.label": "Problémák be- és kikapcsolása (hiba, figyelmeztetés, információ)",
+ "problems.view.focus.label": "Váltás a problémákra (hiba, figyelmeztetés, információ)",
+ "problems.panel.configuration.title": "Problémák-nézet",
+ "problems.panel.configuration.autoreveal": "Meghatározza, hogy a Problémák nézet automatikusan felfedje-e a fájlokat, amikor megnyitja őket.",
+ "problems.panel.configuration.showCurrentInStatus": "When enabled shows the current problem in the status bar.",
+ "markers.panel.title.problems": "Problémák",
+ "markers.panel.no.problems.build": "A munkaterületen eddig egyetlen hiba sem lett érzékelve.",
+ "markers.panel.no.problems.activeFile.build": "No problems have been detected in the current file so far.",
+ "markers.panel.no.problems.filters": "A megadott szűrőfeltételeknek egyetlen elem sem felel meg.",
+ "markers.panel.action.moreFilters": "More Filters...",
+ "markers.panel.filter.showErrors": "Show Errors",
+ "markers.panel.filter.showWarnings": "Show Warnings",
+ "markers.panel.filter.showInfos": "Show Infos",
+ "markers.panel.filter.useFilesExclude": "Hide Excluded Files",
+ "markers.panel.filter.activeFile": "Show Active File Only",
+ "markers.panel.action.filter": "Problémák szűrése",
+ "markers.panel.action.quickfix": "Javítások megjelenítése",
+ "markers.panel.filter.ariaLabel": "Problémák szűrése",
+ "markers.panel.filter.placeholder": "Filter. E.g.: text, **/*.ts, !**/node_modules/**",
+ "markers.panel.filter.errors": "hibák",
+ "markers.panel.filter.warnings": "figyelmeztetések",
+ "markers.panel.filter.infos": "információk",
+ "markers.panel.single.error.label": "1 hiba",
+ "markers.panel.multiple.errors.label": "{0} hiba",
+ "markers.panel.single.warning.label": "1 figyelmeztetés",
+ "markers.panel.multiple.warnings.label": "{0} figyelmeztetés",
+ "markers.panel.single.info.label": "1 információ",
+ "markers.panel.multiple.infos.label": "{0} információ",
+ "markers.panel.single.unknown.label": "1 ismeretlen",
+ "markers.panel.multiple.unknowns.label": "{0} ismeretlen",
+ "markers.panel.at.ln.col.number": "[{0}, {1}]",
+ "problems.tree.aria.label.resource": "{0} probléma a(z) {2} mappa {1} fájljában",
+ "problems.tree.aria.label.marker.relatedInformation": "Ez a probléma {0} helyre hivatkozik.",
+ "problems.tree.aria.label.error.marker": "{0} által generált hiba: {1}, sor: {2}, oszlop: {3}.{4}",
+ "problems.tree.aria.label.error.marker.nosource": "Hiba: {0}, sor: {1}, oszlop: {2}.{3}",
+ "problems.tree.aria.label.warning.marker": "{0} által generált figyelmeztetés: {1}, sor: {2}, oszlop: {3}.{4}",
+ "problems.tree.aria.label.warning.marker.nosource": "Figyelmeztetés: {0}, sor: {1}, oszlop: {2}.{3}",
+ "problems.tree.aria.label.info.marker": "{0} által generált információ: {1}, sor: {2}, oszlop: {3}.{4}",
+ "problems.tree.aria.label.info.marker.nosource": "Információ: {0}, sor: {1}, oszlop: {2}.{3}",
+ "problems.tree.aria.label.marker": "{0} által generált probléma: {1}, sor: {2}, oszlop: {3}.{4}",
+ "problems.tree.aria.label.marker.nosource": "Probléma: {0}, sor: {1}, oszlop: {2}.{3}",
+ "problems.tree.aria.label.relatedinfo.message": "{0}, sor: {1}, oszlop: {2}, a következő helyen: {3}",
+ "errors.warnings.show.label": "Hibák és figyelmezetések megjelenítése"
+ },
+ "vs/workbench/contrib/markers/browser/markersFileDecorations": {
+ "label": "Problémák",
+ "tooltip.1": "A fájlban 1 probléma található",
+ "tooltip.N": "A fájlban {0} probléma található",
+ "markers.showOnFile": "Show Errors & Warnings on files and folder."
+ },
+ "vs/workbench/contrib/markers/browser/markersViewActions": {
+ "showing filtered problems": "{0} megjelenítve (összesen: {1})"
+ },
+ "vs/workbench/contrib/markers/browser/markersView": {
+ "collapseAll": "Összes bezárása",
+ "filter": "Szűrés",
+ "No problems filtered": "{0} probléma megjelenítve",
+ "problems filtered": "{0} probléma megjelenítve (összesen: {1})",
+ "clearFilter": "Clear Filters"
+ },
+ "vs/workbench/contrib/markers/browser/markersTreeViewer": {
+ "single line": "Show message in single line",
+ "multi line": "Show message in multiple lines",
+ "links.navigate.follow": "Follow link",
+ "links.navigate.kb.meta": "ctrl + click",
+ "links.navigate.kb.meta.mac": "cmd + click",
+ "links.navigate.kb.alt.mac": "option + click",
+ "links.navigate.kb.alt": "alt + click"
+ },
+ "vs/workbench/contrib/notebook/browser/notebook.contribution": {
+ "notebookConfigurationTitle": "Notebook",
+ "notebook.displayOrder.description": "Priority list for output mime types"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/notebookActions": {
+ "notebookActions.category": "Notebook",
+ "notebookActions.execute": "Execute Cell",
+ "notebookActions.cancel": "Stop Execution",
+ "notebookActions.executeCell": "Execute Cell",
+ "notebookActions.CancelCell": "Cancel Execution",
+ "notebookActions.executeAndSelectBelow": "Execute Notebook Cell and Select Below",
+ "notebookActions.executeAndInsertBelow": "Execute Notebook Cell and Insert Below",
+ "notebookActions.executeNotebook": "Execute Notebook",
+ "notebookActions.cancelNotebook": "Cancel Notebook Execution",
+ "notebookActions.executeNotebookCell": "Execute Notebook Active Cell",
+ "notebookActions.quitEditing": "Quit Notebook Cell Editing",
+ "notebookActions.hideFind": "Hide Find in Notebook",
+ "notebookActions.findInNotebook": "Find in Notebook",
+ "notebookActions.menu.executeNotebook": "Execute Notebook (Run all cells)",
+ "notebookActions.menu.cancelNotebook": "Stop Notebook Execution",
+ "notebookActions.menu.execute": "Execute Notebook Cell",
+ "notebookActions.changeCellToCode": "Change Cell to Code",
+ "notebookActions.changeCellToMarkdown": "Change Cell to Markdown",
+ "notebookActions.insertCodeCellAbove": "Insert Code Cell Above",
+ "notebookActions.insertCodeCellBelow": "Insert Code Cell Below",
+ "notebookActions.insertMarkdownCellBelow": "Insert Markdown Cell Below",
+ "notebookActions.insertMarkdownCellAbove": "Insert Markdown Cell Above",
+ "notebookActions.editCell": "Edit Cell",
+ "notebookActions.saveCell": "Save Cell",
+ "notebookActions.deleteCell": "Delete Cell",
+ "notebookActions.moveCellUp": "Move Cell Up",
+ "notebookActions.copyCellUp": "Copy Cell Up",
+ "notebookActions.moveCellDown": "Move Cell Down",
+ "notebookActions.copyCellDown": "Copy Cell Down"
+ },
+ "vs/workbench/contrib/notebook/browser/notebookEditor": {
+ "notebook.focusedCellIndicator": "The color of the focused notebook cell indicator.",
+ "notebook.outputContainerBackgroundColor": "The Color of the notebook output container background.",
+ "cellToolbarSeperator": "The color of seperator in Cell bottom toolbar"
+ },
+ "vs/workbench/contrib/notebook/browser/extensionPoint": {
+ "contributes.notebook.provider": "Contributes notebook document provider.",
+ "contributes.notebook.provider.viewType": "Unique identifier of the notebook.",
+ "contributes.notebook.provider.displayName": "Human readable name of the notebook.",
+ "contributes.notebook.provider.selector": "Set of globs that the notebook is for.",
+ "contributes.notebook.provider.selector.filenamePattern": "Glob that the notebook is enabled for.",
+ "contributes.notebook.selector.provider.excludeFileNamePattern": "Glob that the notebook is disabled for.",
+ "contributes.notebook.renderer": "Contributes notebook output renderer provider.",
+ "contributes.notebook.renderer.viewType": "Unique identifier of the notebook output renderer.",
+ "contributes.notebook.renderer.displayName": "Human readable name of the notebook output renderer.",
+ "contributes.notebook.selector": "Set of globs that the notebook is for."
+ },
+ "vs/workbench/contrib/notebook/browser/view/renderers/codeCell": {
+ "curruentActiveMimeType": " (Currently Active)",
+ "promptChooseMimeType.placeHolder": "Select output mimetype to render for current output"
+ },
+ "vs/workbench/contrib/outline/browser/outline.contribution": {
+ "name": "Outline",
+ "outlineConfigurationTitle": "Outline",
+ "outline.showIcons": "Ikonok megjelenítése a vázlatban található elemek előtt.",
+ "outline.showProblem": "Show Errors & Warnings on Outline Elements.",
+ "outline.problem.colors": "Use colors for Errors & Warnings.",
+ "outline.problems.badges": "Use badges for Errors & Warnings.",
+ "filteredTypes.file": "When enabled outline shows `file`-symbols.",
+ "filteredTypes.module": "When enabled outline shows `module`-symbols.",
+ "filteredTypes.namespace": "When enabled outline shows `namespace`-symbols.",
+ "filteredTypes.package": "When enabled outline shows `package`-symbols.",
+ "filteredTypes.class": "When enabled outline shows `class`-symbols.",
+ "filteredTypes.method": "When enabled outline shows `method`-symbols.",
+ "filteredTypes.property": "When enabled outline shows `property`-symbols.",
+ "filteredTypes.field": "When enabled outline shows `field`-symbols.",
+ "filteredTypes.constructor": "When enabled outline shows `constructor`-symbols.",
+ "filteredTypes.enum": "When enabled outline shows `enum`-symbols.",
+ "filteredTypes.interface": "When enabled outline shows `interface`-symbols.",
+ "filteredTypes.function": "When enabled outline shows `function`-symbols.",
+ "filteredTypes.variable": "When enabled outline shows `variable`-symbols.",
+ "filteredTypes.constant": "When enabled outline shows `constant`-symbols.",
+ "filteredTypes.string": "When enabled outline shows `string`-symbols.",
+ "filteredTypes.number": "When enabled outline shows `number`-symbols.",
+ "filteredTypes.boolean": "When enabled outline shows `boolean`-symbols.",
+ "filteredTypes.array": "When enabled outline shows `array`-symbols.",
+ "filteredTypes.object": "When enabled outline shows `object`-symbols.",
+ "filteredTypes.key": "When enabled outline shows `key`-symbols.",
+ "filteredTypes.null": "When enabled outline shows `null`-symbols.",
+ "filteredTypes.enumMember": "When enabled outline shows `enumMember`-symbols.",
+ "filteredTypes.struct": "When enabled outline shows `struct`-symbols.",
+ "filteredTypes.event": "When enabled outline shows `event`-symbols.",
+ "filteredTypes.operator": "When enabled outline shows `operator`-symbols.",
+ "filteredTypes.typeParameter": "When enabled outline shows `typeParameter`-symbols."
+ },
+ "vs/workbench/contrib/outline/browser/outlinePane": {
+ "collapse": "Összes bezárása",
+ "sortByPosition": "Rendezés pozíció szerint",
+ "sortByName": "Rendezés név szerint",
+ "sortByKind": "Sort By: Category",
+ "followCur": "Kurzor követése",
+ "filterOnType": "Szűrés típus szerint",
+ "no-editor": "The active editor cannot provide outline information.",
+ "loading": "Szimbólumok betöltése a(z) „{0}” dokumentumból...",
+ "no-symbols": "A(z) „{0}” dokumentumban nem található egyetlen szimbólum sem."
+ },
+ "vs/workbench/contrib/output/browser/output.contribution": {
+ "output": "Kimenet",
+ "logViewer": "Naplófájl-megjelenítő",
+ "switchToOutput.label": "Váltás a kimenetre",
+ "clearOutput.label": "Kimenet törlése",
+ "viewCategory": "Nézet",
+ "outputCleared": "A kimenet törölve lett",
+ "toggleAutoScroll": "Toggle Auto Scrolling",
+ "outputScrollOff": "Turn Auto Scrolling Off",
+ "outputScrollOn": "Turn Auto Scrolling On",
+ "openActiveLogOutputFile": "Open Log Output File",
+ "toggleOutput": "Kimenet be- és kikapcsolása",
+ "developer": "Fejlesztői",
+ "showLogs": "Naplók megjelenítése...",
+ "selectlog": "Válasszon naplót!",
+ "openLogFile": "Naplófájl megnyitása...",
+ "selectlogFile": "Válasszon naplófájlt!",
+ "miToggleOutput": "&&Output",
+ "output.smartScroll.enabled": "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/output/browser/outputView": {
+ "output model title": "{0} – Kimenet",
+ "channel": "A(z) '{0}' kimeneti csatornája",
+ "output": "Kimenet",
+ "outputViewWithInputAriaLabel": "{0}, kimenetpanel",
+ "outputViewAriaLabel": "Kimenetpanel",
+ "outputChannels": "Output Channels.",
+ "logChannel": "Log ({0})"
+ },
+ "vs/workbench/contrib/output/browser/logViewer": {
+ "logViewerAriaLabel": "Naplófájl-megjelenítő"
+ },
+ "vs/workbench/contrib/performance/electron-browser/performance.contribution": {
+ "show.cat": "Fejlesztői",
+ "show.label": "Indulási teljesítmény"
+ },
+ "vs/workbench/contrib/performance/electron-browser/startupProfiler": {
+ "prof.message": "Profil sikeresen elkészítve.",
+ "prof.detail": "Készítsen egy hibajelentést, és manuálisan csatolja a következő fájlokat:\n{0}",
+ "prof.restartAndFileIssue": "Hibajelentés létrehozása és újraindítás",
+ "prof.restart": "Újraindítás",
+ "prof.thanks": "Köszönjük a segítséget!",
+ "prof.detail.restart": "Egy utolsó újraindítás szükséges a(z) '{0}' használatához. Ismételten köszönjük a közreműködését!"
+ },
+ "vs/workbench/contrib/performance/electron-browser/perfviewEditor": {
+ "name": "Indulási teljesítmény"
+ },
+ "vs/workbench/contrib/preferences/browser/keybindingsEditorContribution": {
+ "defineKeybinding.start": "Billentyűparancs megadása",
+ "defineKeybinding.kbLayoutErrorMessage": "A jelenlegi billentyűkiosztással nem használható ez a billentyűkombináció.",
+ "defineKeybinding.kbLayoutLocalAndUSMessage": "**{0}** a jelenlegi billentyűkiosztással (**{1}** az alapértelmezett amerikaival.",
+ "defineKeybinding.kbLayoutLocalMessage": "**{0}** a jelenlegi billentyűkiosztással."
+ },
+ "vs/workbench/contrib/preferences/browser/preferences.contribution": {
+ "defaultPreferencesEditor": "Alapértelmezett beállításszerkesztő",
+ "settingsEditor2": "Beállításszerkesztő 2",
+ "keybindingsEditor": "Billentyűparancs-szerkesztő",
+ "openSettings2": "Beállítások megnyitása (felhasználói felület)",
+ "preferences": "Beállítások",
+ "settings": "Beállítások",
+ "miOpenSettings": "&&Settings",
+ "openSettingsJson": "Beállítások megnyitása (JSON)",
+ "openGlobalSettings": "Felhasználói beállítások megnyitása",
+ "openRawDefaultSettings": "Open Default Settings (JSON)",
+ "openWorkspaceSettings": "Munkaterület beállításainak megnyitása",
+ "openWorkspaceSettingsFile": "Open Workspace Settings (JSON)",
+ "openFolderSettings": "Mappa beállításainak megnyitása",
+ "openFolderSettingsFile": "Open Folder Settings (JSON)",
+ "filterModifiedLabel": "Show modified settings",
+ "filterOnlineServicesLabel": "Online szolgáltatásokhoz tartozó beállítások megjelenítése",
+ "miOpenOnlineSettings": "&&Online Services Settings",
+ "onlineServices": "Online Services Settings",
+ "openRemoteSettings": "Open Remote Settings ({0})",
+ "settings.focusSearch": "Focus settings search",
+ "settings.clearResults": "Clear settings search results",
+ "settings.focusFile": "Focus settings file",
+ "settings.focusNextSetting": "Focus next setting",
+ "settings.focusPreviousSetting": "Focus previous setting",
+ "settings.editFocusedSetting": "Edit focused setting",
+ "settings.focusSettingsList": "Focus settings list",
+ "settings.focusSettingsTOC": "Focus settings TOC tree",
+ "settings.showContextMenu": "Show context menu",
+ "openGlobalKeybindings": "Billentyűparancsok megnyitása",
+ "Keyboard Shortcuts": "Billentyűparancsok",
+ "openDefaultKeybindingsFile": "Alapértelmezett billentyűparancsok megnyitása (JSON)",
+ "openGlobalKeybindingsFile": "Billentyűparancsok megnyitása (JSON)",
+ "showDefaultKeybindings": "Alapértelmezett billentyűparancsok megjelenítése",
+ "showUserKeybindings": "Felhasználói billentyűparancsok megjelenítése",
+ "clear": "Keresési eredmények törlése",
+ "miPreferences": "&&Beállítások"
+ },
+ "vs/workbench/contrib/preferences/browser/keybindingWidgets": {
+ "defineKeybinding.initial": "Üsse le a kívánt billentyűkombinációt, majd nyomja meg az ENTER-t.",
+ "defineKeybinding.oneExists": "1 másik parancshoz ez a billentyűparancs van rendelve",
+ "defineKeybinding.existing": "{0} másik parancshoz ez a billentyűparancs van rendelve",
+ "defineKeybinding.chordsTo": "kombináció a következőhöz:"
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesActions": {
+ "configureLanguageBasedSettings": "Nyelvspecifikus beállítások konfigurálása...",
+ "languageDescriptionConfigured": "(({0})",
+ "pickLanguage": "Nyelv kiválasztása"
+ },
+ "vs/workbench/contrib/preferences/common/preferencesContribution": {
+ "enableNaturalLanguageSettingsSearch": "Meghatározza, hogy engedélyezve van-e a természetes nyelvi keresési mód a beállításoknál. A természetes nyelvi keresés a Microsoft online szolgáltatása segítségével történik.",
+ "settingsSearchTocBehavior.hide": "Tartalomjegyzék elrejtése keresés közben.",
+ "settingsSearchTocBehavior.filter": "A tartalomjegyzékben csak azok a kategóriák jelenjenek meg, amelyekben vannak keresési találatok. Egy kategóriára kattintva a keresési eredmények az adott kategóriára lesznek leszűrve.",
+ "settingsSearchTocBehavior": "Meghatározza a beállításszerkesztő tartalomjegyzékének működését keresés közben."
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesWidgets": {
+ "defaultSettings": "A jobb oldalon lévő szerkesztőablakban elhelyezett beállítások felülírják az alapértelmezett beállításokat.",
+ "noSettingsFound": "Beállítás nem található.",
+ "settingsSwitcherBarAriaLabel": "Beállításkapcsoló",
+ "userSettings": "Felhasználói",
+ "userSettingsRemote": "Remote",
+ "workspaceSettings": "Munkaterület",
+ "folderSettings": "Folder"
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesEditor": {
+ "SearchSettingsWidget.AriaLabel": "Beállítások keresése",
+ "SearchSettingsWidget.Placeholder": "Beállítások keresése",
+ "noSettingsFound": "Nincs a keresési feltételeknek megfelelő beállítás",
+ "oneSettingFound": "1 egyező beállítás",
+ "settingsFound": "{0} egyező beállítás",
+ "totalSettingsMessage": "Összesen {0} beállítás",
+ "nlpResult": "Természetes nyelvi keresés eredményei",
+ "filterResult": "Szűrt találatok",
+ "defaultSettings": "Alapértelmezett beállítások",
+ "defaultUserSettings": "Default User Settings",
+ "defaultWorkspaceSettings": "Alapértelmezett munkaterületi beállítások",
+ "defaultFolderSettings": "Alapértelmezett mappabeállítások",
+ "defaultEditorReadonly": "A jobb oldalon lévő szerkesztőablak tartalmának módosításával írhatja felül az alapértelmezett beállításokat.",
+ "preferencesAriaLabel": "Default preferences. Readonly editor."
+ },
+ "vs/workbench/contrib/preferences/browser/keybindingsEditor": {
+ "recordKeysLabel": "Billentyűk rögzítése",
+ "recordKeysLabelWithKeybinding": "{0} ({1})",
+ "sortByPrecedeneLabel": "Rendezés precedencia szerint",
+ "sortByPrecedeneLabelWithKeybinding": "{0} ({1})",
+ "SearchKeybindings.FullTextSearchPlaceholder": "Kezdjen el gépelni a billentyűparancsok kereséséhez!",
+ "SearchKeybindings.KeybindingsSearchPlaceholder": "Billentyűk rögzítése folyamatban. Nyomja meg az Escape gombot a megszakításhoz!",
+ "clearInput": "Billentyűparancs-keresőmező tartalmának törlése",
+ "recording": "Billentyűk rögzítése",
+ "command": "Parancs",
+ "keybinding": "Billentyűparancs",
+ "when": "Mikor?",
+ "source": "Forrás",
+ "keybindingsLabel": "Billentyűparancsok",
+ "show sorted keybindings": "{0} billentyűparancs megjelenítve elsőbbségi sorrendben",
+ "show keybindings": "{0} billentyűparancs megjelenítve ABC-sorrendben",
+ "changeLabel": "Billentyűparancs módosítása",
+ "addLabel": "Billentyűparancs hozzáadása",
+ "editWhen": "Change When Expression",
+ "removeLabel": "Billentyűparancs eltávolítása",
+ "resetLabel": "Billentyűparancs visszaállítása",
+ "showSameKeybindings": "Egyező billentyűparancsok megjelenítése",
+ "copyLabel": "Másolás",
+ "copyCommandLabel": "Copy Command ID",
+ "error": "'{0}' hiba a billentyűparancsok szerkesztése közben. Nyissa meg a 'keybindings.json' fájlt, és keresse meg a hibákat!",
+ "editKeybindingLabelWithKey": "{0} billentyűparancs módosítása",
+ "editKeybindingLabel": "Billentyűparancs módosítása",
+ "addKeybindingLabelWithKey": "{0} billentyűparancs hozzáadása",
+ "addKeybindingLabel": "Billentyűparancs hozzáadása",
+ "title": "{0} ({1})",
+ "keybindingAriaLabel": "Billentyűparancs: {0}.",
+ "noKeybinding": "Nincs billentyűparancs hozzárendelve.",
+ "sourceAriaLabel": "Forrás: {0}.",
+ "whenContextInputAriaLabel": "Type when context. Press Enter to confirm or Escape to cancel.",
+ "whenAriaLabel": "Mikor: {0}.",
+ "noWhen": "Nincs 'mikor'-kontextus."
+ },
+ "vs/workbench/contrib/preferences/browser/settingsEditor2": {
+ "settingsContextMenuAriaShortcut": "További műveletekhez nyomja meg a következőt: {0}!",
+ "clearInput": "Clear Settings Search Input",
+ "SearchSettings.AriaLabel": "Beállítások keresése",
+ "noResults": "Nincs a keresési feltételeknek megfelelő beállítás",
+ "clearSearchFilters": "Clear Filters",
+ "settingsNoSaveNeeded": "A módosítások automatikusan mentve vannak szerkesztés közben.",
+ "oneResult": "1 egyező beállítás",
+ "moreThanOneResult": "{0} egyező beállítás",
+ "turnOnSyncButton": "Turn on Preferences Sync",
+ "lastSyncedLabel": "Last synced: {0}"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsLayout": {
+ "commonlyUsed": "Gyakran használt",
+ "textEditor": "Szövegszerkesztő",
+ "cursor": "Cursor",
+ "find": "Keresés",
+ "font": "Font",
+ "formatting": "Formatting",
+ "diffEditor": "Differenciaszerkesztő",
+ "minimap": "Kódtérkép",
+ "suggestions": "Suggestions",
+ "files": "Fájlok",
+ "workbench": "Munkaterület",
+ "appearance": "Megjelenés",
+ "breadcrumbs": "Navigációs sáv",
+ "editorManagement": "Szerkesztőablak-kezelés",
+ "settings": "Beállításszerkesztő",
+ "zenMode": "Zen-mód",
+ "screencastMode": "Screencast Mode",
+ "window": "Ablak",
+ "newWindow": "Új ablak",
+ "features": "Features",
+ "fileExplorer": "Fájlkezelő",
+ "search": "Keresés",
+ "debug": "Hibakeresés",
+ "scm": "VKR (SCM)",
+ "extensions": "Kiegészítők",
+ "terminal": "Terminál",
+ "task": "Task",
+ "problems": "Problémák",
+ "output": "Kimenet",
+ "comments": "Visszajelzés",
+ "remote": "Remote",
+ "timeline": "Timeline",
+ "application": "Application",
+ "proxy": "Proxy",
+ "keyboard": "Billentyűzet",
+ "update": "Frissítés",
+ "telemetry": "Telemetria",
+ "sync": "Szinkronizálás"
+ },
+ "vs/workbench/contrib/preferences/browser/tocTree": {
+ "groupRowAriaLabel": "{0}, csoport"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsTreeModels": {
+ "workspace": "Munkaterület",
+ "remote": "Remote",
+ "user": "Felhasználói"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsWidgets": {
+ "headerForeground": "The foreground color for a section header or active title.",
+ "modifiedItemForeground": "The color of the modified setting indicator.",
+ "settingsDropdownBackground": "A beállításszerkesztő legördülő menüinek háttérszíne.",
+ "settingsDropdownForeground": "A beállításszerkesztő legördülő menüinek előtérszíne.",
+ "settingsDropdownBorder": "A beállításszerkesztő legördülő menüinek keretszíne.",
+ "settingsDropdownListBorder": "Settings editor dropdown list border. This surrounds the options and separates the options from the description.",
+ "settingsCheckboxBackground": "A beállításszerkesztő jelölőnégyzeteinek háttérszíne.",
+ "settingsCheckboxForeground": "A beállításszerkesztő jelölőnégyzeteinek előtérszíne.",
+ "settingsCheckboxBorder": "A beállításszerkesztő jelölőnégyzeteinek keretszíne.",
+ "textInputBoxBackground": "A beállításszerkesztő szövegbeviteli mezőinek háttérszíne.",
+ "textInputBoxForeground": "A beállításszerkesztő szövegbeviteli mezőinek előtérszíne.",
+ "textInputBoxBorder": "A beállításszerkesztő szövegbeviteli mezőinek keretszíne.",
+ "numberInputBoxBackground": "A beállításszerkesztő számbeviteli mezőinek háttérszíne.",
+ "numberInputBoxForeground": "A beállításszerkesztő számbeviteli mezőinek előtérszíne.",
+ "numberInputBoxBorder": "A beállításszerkesztő számbeviteli mezőinek keretszíne.",
+ "removeItem": "Remove Item",
+ "editItem": "Edit Item",
+ "editItemInSettingsJson": "Edit Item in settings.json",
+ "addItem": "Add Item",
+ "itemInputPlaceholder": "String Item...",
+ "listSiblingInputPlaceholder": "Sibling...",
+ "listValueHintLabel": "List item `{0}`",
+ "listSiblingHintLabel": "List item `{0}` with sibling `${1}`",
+ "okButton": "OK",
+ "cancelButton": "Mégse",
+ "removeExcludeItem": "Kizárt elem eltávolítása",
+ "editExcludeItem": "Kizárt elem szerkesztése",
+ "editExcludeItemInSettingsJson": "Edit Exclude Item in settings.json",
+ "addPattern": "Add Pattern",
+ "excludePatternInputPlaceholder": "Kizárás minta alapján...",
+ "excludeSiblingInputPlaceholder": "Ha egy adott mintájú létezik...",
+ "excludePatternHintLabel": "`{0}` mintára illeszkedő fájlok kizárása",
+ "excludeSiblingHintLabel": "`{0}` mintára illeszkedő fájlok kizárása, ha létezik `{1}` mintára illeszkedő fájl"
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesRenderers": {
+ "emptyUserSettingsHeader": "Az ebben a fájlban elhelyezett beállítások felülírják az alapértelmezett beállításokat.",
+ "emptyWorkspaceSettingsHeader": "Az ebben a fájlban elhelyezett beállítások felülírják a felhasználói beállításokat.",
+ "emptyFolderSettingsHeader": "Az ebben a fájlban elhelyezett beállítások felülírják a munkaterületre vonatkozó beállításokat.",
+ "editTtile": "Szerkesztés",
+ "replaceDefaultValue": "Csere a beállításokban",
+ "copyDefaultValue": "Másolás a beállításokba",
+ "unknown configuration setting": "Unknown Configuration Setting",
+ "unsupportedRemoteMachineSetting": "This setting cannot be applied in this window. It will be applied when you open local window.",
+ "unsupportedWindowSetting": "This setting cannot be applied in this workspace. It will be applied when you open the containing workspace folder directly.",
+ "unsupportedApplicationSetting": "This setting can be applied only in application user settings",
+ "unsupportedMachineSetting": "This setting can only be applied in user settings in local window or in remote settings in remote window.",
+ "unsupportedProperty": "Unsupported Property"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsTree": {
+ "extensions": "Kiegészítők",
+ "extensionSyncIgnoredLabel": "Sync: Ignored",
+ "modified": "Módosítva",
+ "settingsContextMenuTitle": "More Actions... ",
+ "alsoConfiguredIn": "A következő helyen is be van állítva:",
+ "configuredIn": "A következő helyen be van állítva:",
+ "settings.Modified": "Módosítva.",
+ "newExtensionsButtonLabel": "Illeszkedő kiegészítők megjelenítése",
+ "editInSettingsJson": "Szerkesztés a settings.jsonban",
+ "settings.Default": "{0}",
+ "resetSettingLabel": "Reset Setting",
+ "validationError": "Validációs hiba.",
+ "treeAriaLabel": "Beállítások",
+ "copySettingIdLabel": "Beállításazonosító másolása",
+ "copySettingAsJSONLabel": "Beállítás másolása JSON-formátumban",
+ "stopSyncingSetting": "Sync This Setting"
+ },
+ "vs/workbench/contrib/quickaccess/browser/quickAccess.contribution": {
+ "helpQuickAccessPlaceholder": "Type '{0}' to get help on the actions you can take from here.",
+ "helpQuickAccess": "Show all Quick Access Providers",
+ "viewQuickAccessPlaceholder": "Type the name of a view, output channel or terminal to open.",
+ "viewQuickAccess": "Nézet megnyitása",
+ "commandsQuickAccessPlaceholder": "Type the name of a command to run.",
+ "commandsQuickAccess": "Parancsok megjelenítése és futtatása",
+ "miCommandPalette": "&&Parancspaletta...",
+ "miOpenView": "&&Open View...",
+ "miGotoSymbolInEditor": "Go to &&Symbol in Editor...",
+ "miGotoLine": "Go to &&Line/Column...",
+ "commandPalette": "Parancskatalógus...",
+ "view": "Nézet"
+ },
+ "vs/workbench/contrib/quickaccess/browser/commandsQuickAccess": {
+ "commandWithCategory": "{0}: {1}",
+ "showTriggerActions": "Minden parancs megjelenítése",
+ "clearCommandHistory": "Parancselőzmények törlése"
+ },
+ "vs/workbench/contrib/quickaccess/browser/viewQuickAccess": {
+ "views": "Oldalsáv",
+ "panels": "Panel",
+ "terminalTitle": "{0}: {1}",
+ "terminals": "Terminál",
+ "logChannel": "Log ({0})",
+ "channels": "Kimenet",
+ "openView": "Nézet megnyitása",
+ "quickOpenView": "Gyors megnyitás nézet"
+ },
+ "vs/workbench/contrib/quickopen/browser/quickopen.contribution": {
+ "view": "Nézet",
+ "commandsHandlerDescriptionDefault": "Parancsok megjelenítése és futtatása",
+ "gotoLineDescriptionMac": "Go to Line/Column",
+ "gotoLineDescriptionWin": "Go to Line/Column",
+ "gotoSymbolDescription": "Go to Symbol in Editor",
+ "gotoSymbolDescriptionScoped": "Go to Symbol in Editor by Category",
+ "helpDescription": "Súgó megjelenítése",
+ "viewPickerDescription": "Nézet megnyitása",
+ "miCommandPalette": "&&Parancspaletta...",
+ "miOpenView": "&&Open View...",
+ "miGotoSymbolInEditor": "Go to &&Symbol in Editor...",
+ "miGotoLine": "Go to &&Line/Column...",
+ "commandPalette": "Parancskatalógus..."
+ },
+ "vs/workbench/contrib/quickopen/browser/helpHandler": {
+ "entryAriaLabel": "{0}, választó súgó",
+ "globalCommands": "globális parancsok",
+ "editorCommands": "szerkesztőablak parancsai"
+ },
+ "vs/workbench/contrib/quickopen/browser/gotoLineHandler": {
+ "gotoLine": "Go to Line/Column...",
+ "gotoLineLabelEmptyWithLimit": "Current Line: {0}, Column: {1}. Type a line number between 1 and {2} to navigate to.",
+ "gotoLineLabelEmpty": "Current Line: {0}, Column: {1}. Type a line number to navigate to.",
+ "gotoLineColumnLabel": "Go to line {0} and column {1}.",
+ "gotoLineLabel": "Go to line {0}.",
+ "cannotRunGotoLine": "Open a text file first to go to a line."
+ },
+ "vs/workbench/contrib/quickopen/browser/viewPickerHandler": {
+ "entryAriaLabel": "{0}, nézetválasztó",
+ "views": "Oldalsáv",
+ "panels": "Panel",
+ "terminals": "Terminál",
+ "terminalTitle": "{0}: {1}",
+ "channels": "Kimenet",
+ "logChannel": "Log ({0})",
+ "openView": "Nézet megnyitása",
+ "quickOpenView": "Gyors megnyitás nézet"
+ },
+ "vs/workbench/contrib/quickopen/browser/gotoSymbolHandler": {
+ "property": "tulajdonságok ({0})",
+ "method": "metódusok ({0})",
+ "function": "függvények ({0})",
+ "_constructor": "konstruktorok ({0})",
+ "variable": "változók ({0})",
+ "class": "osztályok ({0})",
+ "struct": "struktúrák ({0})",
+ "event": "events ({0})",
+ "operator": "operátorok ({0})",
+ "interface": "interfészek ({0})",
+ "namespace": "névterek ({0})",
+ "package": "csomagok ({0})",
+ "typeParameter": "típusparaméterek ({0})",
+ "modules": "modulok ({0})",
+ "enum": "felsorolások ({0})",
+ "enumMember": "felsorolások tagjai ({0})",
+ "string": "karakterláncok ({0})",
+ "file": "fájlok ({0})",
+ "array": "tömbök ({0})",
+ "number": "számok ({0})",
+ "boolean": "logikai értékek ({0})",
+ "object": "objektumok ({0})",
+ "key": "kulcsok ({0})",
+ "field": "fields ({0})",
+ "constant": "konstansok ({0})",
+ "gotoSymbol": "Go to Symbol in Editor...",
+ "symbols": "szimbólumok ({0})",
+ "entryAriaLabel": "{0}, szimbólumok",
+ "noSymbolsMatching": "Nincs illeszkedő szimbólum",
+ "noSymbolsFound": "Szimbólum nem található",
+ "gotoSymbolHandlerAriaLabel": "Írjon az aktív szerkesztőablakban található szimbólumok szűréséhez.",
+ "cannotRunGotoSymbolInFile": "Ehhez a fájlhoz nincs szimbóluminformáció",
+ "cannotRunGotoSymbol": "Szimbólumra ugráshoz nyisson meg egy szövegfájlt!"
+ },
+ "vs/workbench/contrib/quickopen/browser/commandsHandler": {
+ "showTriggerActions": "Minden parancs megjelenítése",
+ "clearCommandHistory": "Parancselőzmények törlése",
+ "showCommands.label": "Parancskatalógus...",
+ "entryAriaLabelWithKey": "{0}, {1}, parancsok",
+ "entryAriaLabel": "{0}, parancs",
+ "actionNotEnabled": "Ebben a kontextusban nem engedélyezett a(z) '{0}' parancs futtatása.",
+ "canNotRun": "A(z) '{0}' parancs hibát eredményezett.",
+ "recentlyUsed": "legutóbb használt",
+ "morecCommands": "további parancsok",
+ "cat.title": "{0}: {1}",
+ "noCommandsMatching": "Parancs nem található"
+ },
+ "vs/workbench/contrib/relauncher/browser/relauncher.contribution": {
+ "relaunchSettingMessage": "Egy olyan beállítás változott, melynek hatályba lépéséhez újraindítás szükséges.",
+ "relaunchSettingMessageWeb": "A setting has changed that requires a reload to take effect.",
+ "relaunchSettingDetail": "A beállítás engedélyezéséhez nyomja meg az újraindítás gombot a {0} újraindításához.",
+ "relaunchSettingDetailWeb": "Press the reload button to reload {0} and enable the setting.",
+ "restart": "&&Restart",
+ "restartWeb": "&&Reload"
+ },
+ "vs/workbench/contrib/remote/electron-browser/remote.contribution": {
+ "remote": "Remote",
+ "remote.downloadExtensionsLocally": "When enabled extensions are downloaded locally and installed on remote.",
+ "remote.restoreForwardedPorts": "Restores the ports you forwarded in a workspace."
+ },
+ "vs/workbench/contrib/remote/common/remote.contribution": {
+ "remoteExtensionLog": "Remote Server",
+ "ui": "UI extension kind. In a remote window, such extensions are enabled only when available on the local machine.",
+ "workspace": "Workspace extension kind. In a remote window, such extensions are enabled only when available on the remote.",
+ "remote": "Remote",
+ "remote.extensionKind": "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."
+ },
+ "vs/workbench/contrib/remote/browser/remote": {
+ "RemoteHelpInformationExtPoint": "Contributes help information for Remote",
+ "RemoteHelpInformationExtPoint.getStarted": "The url to your project's Getting Started page",
+ "RemoteHelpInformationExtPoint.documentation": "The url to your project's documentation page",
+ "RemoteHelpInformationExtPoint.feedback": "The url to your project's feedback reporter",
+ "RemoteHelpInformationExtPoint.issues": "The url to your project's issues list",
+ "remote.help.getStarted": "Get Started",
+ "remote.help.documentation": "Read Documentation",
+ "remote.help.feedback": "Provide Feedback",
+ "remote.help.issues": "Review Issues",
+ "remote.help.report": "Probléma jelentése",
+ "pickRemoteExtension": "Select url to open",
+ "remote.help": "Help and feedback",
+ "remote.explorer": "Remote Explorer",
+ "toggleRemoteViewlet": "Show Remote Explorer",
+ "view": "Nézet",
+ "reconnectionWaitOne": "Újracsatlakozási kísérlet {0} másodperc múlva...",
+ "reconnectionWaitMany": "Attempting to reconnect in {0} seconds...",
+ "reconnectNow": "Reconnect Now",
+ "reloadWindow": "Ablak újratöltése",
+ "connectionLost": "Connection Lost",
+ "reconnectionRunning": "Attempting to reconnect...",
+ "reconnectionPermanentFailure": "Újracsatlakozás sikertelen. Kérjük frissítse az ablakot.",
+ "cancel": "Mégse"
+ },
+ "vs/workbench/contrib/remote/browser/explorerViewItems": {
+ "remotes": "Switch Remote",
+ "remote.explorer.switch": "Switch Remote"
+ },
+ "vs/workbench/contrib/remote/browser/remoteIndicator": {
+ "remote.category": "Remote",
+ "remote.showMenu": "Show Remote Menu",
+ "remote.close": "Close Remote Connection",
+ "miCloseRemote": "Close Re&&mote Connection",
+ "host.open": "Opening Remote...",
+ "host.tooltip": "Editing on {0}",
+ "disconnectedFrom": "Disconnected from",
+ "host.tooltipDisconnected": "Disconnected from {0}",
+ "noHost.tooltip": "Open a remote window",
+ "status.host": "Remote Host",
+ "cat.title": "{0}: {1}",
+ "closeRemote.title": "Close Remote Connection"
+ },
+ "vs/workbench/contrib/remote/browser/tunnelView": {
+ "remote.tunnelsView.add": "Forward a Port...",
+ "remote.tunnelsView.forwarded": "Forwarded",
+ "remote.tunnelsView.detected": "Existing Tunnels",
+ "remote.tunnelsView.candidates": "Not Forwarded",
+ "remote.tunnelsView.input": "Press Enter to confirm or Escape to cancel.",
+ "remote.tunnelsView.forwardedPortLabel0": "{0}",
+ "remote.tunnelsView.forwardedPortLabel2": "{0}:{1} → {2}",
+ "remote.tunnelsView.forwardedPortLabel3": "{0} → {1}",
+ "remote.tunnelsView.forwardedPortLabel4": "{0}:{1}",
+ "remote.tunnelsView.forwardedPortLabel5": "{0}",
+ "remote.tunnelsView.forwardedPortDescription0": "{0} to {1}",
+ "remote.tunnel": "Forwarded Ports",
+ "remote.tunnel.label": "Set Label",
+ "remote.tunnelsView.labelPlaceholder": "Port label",
+ "remote.tunnelsView.portNumberValid": "Forwarded port is invalid.",
+ "remote.tunnelsView.portNumberToHigh": "Port number must be ≥ 0 and < {0}.",
+ "remote.tunnel.forward": "Forward a Port",
+ "remote.tunnel.forwardItem": "Forward Port",
+ "remote.tunnel.forwardPrompt": "Port number or address (eg. 3000 or 10.10.10.10:2000).",
+ "remote.tunnel.forwardError": "Unable to forward {0}:{1}. The host may not be available or that remote port may already be forwarded",
+ "remote.tunnel.closeNoPorts": "No ports currently forwarded. Try running the {0} command",
+ "remote.tunnel.close": "Stop Forwarding Port",
+ "remote.tunnel.closePlaceholder": "Choose a port to stop forwarding",
+ "remote.tunnel.open": "Open in Browser",
+ "remote.tunnel.copyAddressInline": "Copy Address",
+ "remote.tunnel.copyAddressCommandPalette": "Copy Forwarded Port Address",
+ "remote.tunnel.copyAddressPlaceholdter": "Choose a forwarded port",
+ "remote.tunnel.refreshView": "Frissítés",
+ "remote.tunnel.changeLocalPort": "Change Local Port",
+ "remote.tunnel.changeLocalPortNumber": "The local port {0} is not available. Port number {1} has been used instead",
+ "remote.tunnelsView.changePort": "New local port"
+ },
+ "vs/workbench/contrib/scm/browser/scm.contribution": {
+ "toggleGitViewlet": "A git megjelenítése",
+ "source control": "Verziókezelő rendszer",
+ "toggleSCMViewlet": "Verziókezelő megjelenítése",
+ "view": "Nézet",
+ "scmConfigurationTitle": "VKR (SCM)",
+ "alwaysShowProviders": "Controls whether to show the Source Control Provider section even when there's only one Provider registered.",
+ "providersVisible": "Controls how many providers are visible in the Source Control Provider section. Set to `0` to be able to manually resize the view.",
+ "scm.diffDecorations.all": "Show the diff decorations in all available locations.",
+ "scm.diffDecorations.gutter": "Show the diff decorations only in the editor gutter.",
+ "scm.diffDecorations.overviewRuler": "Show the diff decorations only in the overview ruler.",
+ "scm.diffDecorations.minimap": "Show the diff decorations only in the minimap.",
+ "scm.diffDecorations.none": "Do not show the diff decorations.",
+ "diffDecorations": "Vezérli a szerkesztőablakban megjelenő, változásokat jelölő dekorátorokat.",
+ "diffGutterWidth": "Controls the width(px) of diff decorations in gutter (added & modified).",
+ "scm.diffDecorationsGutterVisibility.always": "Show the diff decorator in the gutter at all times.",
+ "scm.diffDecorationsGutterVisibility.hover": "Show the diff decorator in the gutter only on hover.",
+ "scm.diffDecorationsGutterVisibility": "Controls the visibility of the Source Control diff decorator in the gutter.",
+ "alwaysShowActions": "Meghatározza, hogy a sorközi műveletek mindig megjelenjenek-e a verziókezelő nézeten.",
+ "scm.countBadge.all": "Show the sum of all Source Control Providers count badges.",
+ "scm.countBadge.focused": "Show the count badge of the focused Source Control Provider.",
+ "scm.countBadge.off": "Disable the Source Control count badge.",
+ "scm.countBadge": "Controls the Source Control count badge.",
+ "scm.defaultViewMode.tree": "Show the repository changes as a tree.",
+ "scm.defaultViewMode.list": "Show the repository changes as a list.",
+ "scm.defaultViewMode": "Controls the default Source Control repository view mode.",
+ "autoReveal": "Controls whether the SCM view should automatically reveal and select files when opening them.",
+ "miViewSCM": "S&&CM",
+ "scm accept": "VKR (SCM): Bemenet elfogadása"
+ },
+ "vs/workbench/contrib/scm/browser/scmViewlet": {
+ "scm": "Verziókezelő rendszer",
+ "no open repo": "Nincs verziókezelő rendszer regisztrálva.",
+ "source control": "Verziókezelő rendszer",
+ "viewletTitle": "{0}: {1}"
+ },
+ "vs/workbench/contrib/scm/browser/activity": {
+ "status.scm": "Verziókezelő rendszer",
+ "scmPendingChangesBadge": "{0} függő módosítás"
+ },
+ "vs/workbench/contrib/scm/browser/mainPane": {
+ "scm providers": "Verziókezelő rendszerek"
+ },
+ "vs/workbench/contrib/scm/browser/repositoryPane": {
+ "toggleViewMode": "Toggle View Mode"
+ },
+ "vs/workbench/contrib/scm/browser/dirtydiffDecorator": {
+ "changes": "{0}. módosítás (összesen: {1})",
+ "change": "{0}. módosítás (összesen: {1})",
+ "show previous change": "Előző módosítás megjelenítése",
+ "show next change": "Következő módosítás megjelenítése",
+ "miGotoNextChange": "Next &&Change",
+ "miGotoPreviousChange": "Previous &&Change",
+ "move to previous change": "Ugrás az előző módosításra",
+ "move to next change": "Ugrás az következő módosításra",
+ "editorGutterModifiedBackground": "A szerkesztőablak margójának háttérszíne a módosított soroknál.",
+ "editorGutterAddedBackground": "A szerkesztőablak margójának háttérszíne a hozzáadott soroknál.",
+ "editorGutterDeletedBackground": "A szerkesztőablak margójának háttérszíne a törölt soroknál.",
+ "minimapGutterModifiedBackground": "Minimap gutter background color for lines that are modified.",
+ "minimapGutterAddedBackground": "Minimap gutter background color for lines that are added.",
+ "minimapGutterDeletedBackground": "Minimap gutter background color for lines that are deleted.",
+ "overviewRulerModifiedForeground": "A módosított tartalmat jelölő jelzések színe az áttekintősávon.",
+ "overviewRulerAddedForeground": "A hozzáadott tartalmat jelölő jelzések színe az áttekintősávon.",
+ "overviewRulerDeletedForeground": "A törölt tartalmat jelölő jelzések színe az áttekintősávon."
+ },
+ "vs/workbench/contrib/search/browser/search.contribution": {
+ "search": "Keresés",
+ "copyMatchLabel": "Másolás",
+ "copyPathLabel": "Elérési út másolása",
+ "copyAllLabel": "Összes másolása",
+ "revealInSideBar": "Megjelenítés az oldalsávon",
+ "clearSearchHistoryLabel": "Clear Search History",
+ "focusSearchListCommandLabel": "Váltás a listára",
+ "findInFolder": "Keresés mappában...",
+ "findInWorkspace": "Keresés a munkaterületen...",
+ "showTriggerActions": "Ugrás szimbólumhoz a munkaterületen...",
+ "name": "Keresés",
+ "view": "Nézet",
+ "findInFiles": "Keresés a fájlokban",
+ "miFindInFiles": "Keresés &&a fájlokban",
+ "miReplaceInFiles": "Replace &&in Files",
+ "anythingQuickAccessPlaceholder": "Search files by name (append {0} to go to line or {1} to go to symbol)",
+ "anythingQuickAccess": "Ugrás fájlhoz",
+ "symbolsQuickAccessPlaceholder": "Type the name of a symbol to open.",
+ "symbolsQuickAccess": "Ugrás szimbólumhoz a munkaterületen",
+ "searchConfigurationTitle": "Keresés",
+ "exclude": "Configure glob patterns for excluding files and folders in fulltext searches and quick open. Inherits all glob patterns from the `#files.exclude#` setting. Read more about glob patterns [here](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options).",
+ "exclude.boolean": "Az a globális minta, amelyhez igazítani kell a fájlok elérési útját. A minta engedélyezéséhez vagy letiltásához állítsa igaz vagy hamis értékre.",
+ "exclude.when": "További ellenőrzés elvégzése az illeszkedő fájlok testvérein. Az illeszkedő fájl nevéhez használja a $(basename) változót!",
+ "useRipgrep": "Ez a beállítás elavult, és a „search.usePCRE2” beállítás értékét használja.",
+ "useRipgrepDeprecated": "Elavult. A haladó funkciók használatához fontolja meg a „search.usePCRE2” beállítás használatát!",
+ "search.maintainFileSearchCache": "When enabled, the searchService process will be kept alive instead of being shut down after an hour of inactivity. This will keep the file search cache in memory.",
+ "useIgnoreFiles": "Meghatározza, hogy a `.gitignore` és `.ignore` fájlok használva legyenek-e fájok keresésénél.",
+ "useGlobalIgnoreFiles": "Meghatározza, hogy a globális `.gitignore` és `.ignore` fájlok használva legyenek-e fájok keresésénél.",
+ "search.quickOpen.includeSymbols": "Meghatározza, hogy a fájlok gyors megnyitásánál megjelenjenek-e a globális szimbólumkereső találatai.",
+ "search.quickOpen.includeHistory": "Meghatározza, hogy a fájlok gyors megnyitásánál megjelenjenek-e a legutóbb megnyitott fájlok.",
+ "filterSortOrder.default": "History entries are sorted by relevance based on the filter value used. More relevant entries appear first.",
+ "filterSortOrder.recency": "History entries are sorted by recency. More recently opened entries appear first.",
+ "filterSortOrder": "Controls sorting order of editor history in quick open when filtering.",
+ "search.followSymlinks": "Meghatározza, hogy keresés során követve legyenek-e a szimbolikus linkek.",
+ "search.smartCase": "Figyelmen kívül hagyja a kis- és nagybetűket, ha a minta csak kisbetűkből áll, ellenkező esetben kis- és nagybetűérzékenyen keres.",
+ "search.globalFindClipboard": "Meghatározza, hogy a keresőmodul olvassa és módosítsa-e a megosztott keresési vágólapot macOS-en.",
+ "search.location": "Meghatározza, hogy a keresés az oldalsávon jelenik meg vagy egy panelként a panelterületen, mely utóbbi esetén több vízszintes hely áll rendelkezésre.",
+ "search.location.deprecationMessage": "This setting is deprecated. Please use the search view's context menu instead.",
+ "search.collapseResults.auto": "Files with less than 10 results are expanded. Others are collapsed.",
+ "search.collapseAllResults": "Meghatározza, hogy a keresési eredmények be vannak csukva vagy ki vannak bontva.",
+ "search.useReplacePreview": "Csere előnézetének megnyitása keresési találat kiválasztásakor vagy cseréjénél.",
+ "search.showLineNumbers": "Meghatározza, hogy megjelenjenek-e a sorszámok a keresési eredményeknél.",
+ "search.usePCRE2": "PCRE2 reguláriskifejezés-motor használata a szövegben való kereséshez. Lehetővé teszi néhány fejlettebb funkció használatát a reguláris kifejezésekben, például az előretekintést és a visszahivatkozást. Azonban nem minden PCRE2-funkció támogatott, csak azok, amelyeket a JavaScript is támogat.",
+ "usePCRE2Deprecated": "Deprecated. PCRE2 will be used automatically when using regex features that are only supported by PCRE2.",
+ "search.actionsPositionAuto": "Ha a keresési nézet túl szűk, a műveleti gombsor a jobb oldalra legyen igazítva. Amennyiben széles, akkor közvetlenül a tartalom után jelenjen meg.",
+ "search.actionsPositionRight": "A műveleti gombsor mindig jobbra legyen igazítva.",
+ "search.actionsPosition": "Meghatározza a keresési nézet soraiban található műveleti gombsor elhelyezkedését.",
+ "search.searchOnType": "Search all files as you type.",
+ "search.searchOnTypeDebouncePeriod": "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.",
+ "search.searchEditor.doubleClickBehaviour.selectWord": "Double clicking selects the word under the cursor.",
+ "search.searchEditor.doubleClickBehaviour.goToLocation": "Double clicking opens the result in the active editor group.",
+ "search.searchEditor.doubleClickBehaviour.openLocationToSide": "Double clicking opens the result in the editor group to the side, creating one if it does not yet exist.",
+ "search.searchEditor.doubleClickBehaviour": "Configure effect of double clicking a result in a search editor.",
+ "searchSortOrder.default": "Results are sorted by folder and file names, in alphabetical order.",
+ "searchSortOrder.filesOnly": "Results are sorted by file names ignoring folder order, in alphabetical order.",
+ "searchSortOrder.type": "Results are sorted by file extensions, in alphabetical order.",
+ "searchSortOrder.modified": "Results are sorted by file last modified date, in descending order.",
+ "searchSortOrder.countDescending": "Results are sorted by count per file, in descending order.",
+ "searchSortOrder.countAscending": "Results are sorted by count per file, in ascending order.",
+ "search.sortOrder": "Controls sorting order of search results.",
+ "miViewSearch": "&&Search",
+ "miGotoSymbolInWorkspace": "Go to Symbol in &&Workspace..."
+ },
+ "vs/workbench/contrib/search/browser/symbolsQuickAccess": {
+ "openToSide": "Megnyitás oldalt",
+ "openToBottom": "Open to the Bottom"
+ },
+ "vs/workbench/contrib/search/common/queryBuilder": {
+ "search.noWorkspaceWithName": "Nincs {0} nevű mappa a munkaterületen"
+ },
+ "vs/workbench/contrib/search/browser/searchView": {
+ "searchCanceled": "A keresés meg lett szakítva, mielőtt eredményt hozott volna –",
+ "moreSearch": "Keresési részletek be- és kikapcsolása",
+ "searchScope.includes": "bele foglalt fájlok",
+ "label.includes": "Keresésbe bele foglalt fájlok",
+ "searchScope.excludes": "kizárt fájlok",
+ "label.excludes": "Keresésből kizárt fájlok",
+ "replaceAll.confirmation.title": "Az összes cseréje",
+ "replaceAll.confirm.button": "&&Csere",
+ "replaceAll.occurrence.file.message": "{0} előfordulás cserélve {1} fájlban a következőre: '{2}'.",
+ "removeAll.occurrence.file.message": "Replaced {0} occurrence across {1} file.",
+ "replaceAll.occurrence.files.message": "{0} előfordulás cserélve {1} fájlban a következőre: '{2}'.",
+ "removeAll.occurrence.files.message": "{0} előfordulás cserélve {1} fájlban.",
+ "replaceAll.occurrences.file.message": "{0} előfordulás cserélve {1} fájlban a következőre: '{2}'.",
+ "removeAll.occurrences.file.message": "Replaced {0} occurrences across {1} file.",
+ "replaceAll.occurrences.files.message": "{0} előfordulás cserélve {1} fájlban a következőre: '{2}'.",
+ "removeAll.occurrences.files.message": "{0} előfordulás cserélve {1} fájlban.",
+ "removeAll.occurrence.file.confirmation.message": "Cserél {0} előfordulás {1} fájlban a következőre: '{2}'?",
+ "replaceAll.occurrence.file.confirmation.message": "Replace {0} occurrence across {1} file?",
+ "removeAll.occurrence.files.confirmation.message": "Cserél {0} előfordulás {1} fájlban a következőre: '{2}'?",
+ "replaceAll.occurrence.files.confirmation.message": "Cserél {0} előfordulást {1} fájlban?",
+ "removeAll.occurrences.file.confirmation.message": "Cserél {0} előfordulás {1} fájlban a következőre: '{2}'?",
+ "replaceAll.occurrences.file.confirmation.message": "Replace {0} occurrences across {1} file?",
+ "removeAll.occurrences.files.confirmation.message": "Cserél {0} előfordulás {1} fájlban a következőre: '{2}'?",
+ "replaceAll.occurrences.files.confirmation.message": "Cserél {0} előfordulást {1} fájlban?",
+ "ariaSearchResultsClearStatus": "The search results have been cleared",
+ "searchPathNotFoundError": "A keresett elérési út nem található: {0}",
+ "searchMaxResultsWarning": "Az eredményhalmaz csak a találatok egy részét tartalmazza. Pontosítsa a keresést a keresési eredmények halmazának szűkítéséhez!",
+ "noResultsIncludesExcludes": "Nincs találat a következő helyen: '{0}', '{1}' kivételével –",
+ "noResultsIncludes": "Nincs találat a következő helyen: '{0}' –",
+ "noResultsExcludes": "Nincs találat '{1}' kivételével –",
+ "noResultsFound": "No results found. Review your settings for configured exclusions and check your gitignore files - ",
+ "rerunSearch.message": "Keresés megismétlése",
+ "rerunSearchInAll.message": "Ismételt keresés az összes fájlban",
+ "openSettings.message": "Beállítások megnyitása",
+ "openSettings.learnMore": "További információ",
+ "ariaSearchResultsStatus": "A keresés {0} találatot eredményezett {1} fájlban",
+ "useIgnoresAndExcludesDisabled": "– a kizárási beállítások és ignore-fájlok le vannak tiltva",
+ "openInEditor.message": "Open in editor",
+ "openInEditor.tooltip": "Copy current search results to an editor",
+ "search.file.result": "{0} találat {1} fájlban",
+ "search.files.result": "{0} találat {1} fájlban",
+ "search.file.results": "{0} találat {1} fájlban",
+ "search.files.results": "{0} találat {1} fájlban",
+ "searchWithoutFolder": "You have not opened or specified a folder. Only open files are currently searched - ",
+ "openFolder": "Mappa megnyitása"
+ },
+ "vs/workbench/contrib/search/browser/searchWidget": {
+ "search.action.replaceAll.disabled.label": "Összes cseréje (küldje el a keresést az engedélyezéshez)",
+ "search.action.replaceAll.enabled.label": "Az összes cseréje",
+ "search.replace.toggle.button.title": "Cseremd be- és kikapcsolása",
+ "label.Search": "Keresés: adja meg a keresőkifejezést, majd nyomjon Entert a kereséshez vagy Escape-et a megszakításhoz",
+ "search.placeHolder": "Keresés",
+ "showContext": "Show Context",
+ "label.Replace": "Csere: adja meg a cerekifejezést, majd nyomjon Entert a kereséshez vagy Escape-et a megszakításhoz",
+ "search.replace.placeHolder": "Csere"
+ },
+ "vs/workbench/contrib/search/browser/searchActions": {
+ "showSearch": "Keresés megjelenítése",
+ "replaceInFiles": "Csere a fájlokban",
+ "toggleTabs": "Toggle Search on Type",
+ "RefreshAction.label": "Frissítés",
+ "CollapseDeepestExpandedLevelAction.label": "Összes bezárása",
+ "ExpandAllAction.label": "Expand All",
+ "ToggleCollapseAndExpandAction.label": "Toggle Collapse and Expand",
+ "ClearSearchResultsAction.label": "Keresési eredmények törlése",
+ "CancelSearchAction.label": "Keresés megszakítása",
+ "FocusNextSearchResult.label": "Váltás a következő keresési eredményre",
+ "FocusPreviousSearchResult.label": "Váltás az előző keresési eredményre",
+ "RemoveAction.label": "Elvetés",
+ "file.replaceAll.label": "Az összes cseréje",
+ "match.replace.label": "Csere"
+ },
+ "vs/workbench/contrib/search/browser/replaceService": {
+ "fileReplaceChanges": "{0} ↔ {1} (csere előnézete)"
+ },
+ "vs/workbench/contrib/search/browser/patternInputWidget": {
+ "defaultLabel": "bemeneti adat",
+ "useExcludesAndIgnoreFilesDescription": "Kizárási beállítások és ignore-fájlok használata"
+ },
+ "vs/workbench/contrib/search/browser/anythingQuickAccess": {
+ "recentlyOpenedSeparator": "legutóbb megnyitott",
+ "fileAndSymbolResultsSeparator": "fájl- és szimbólumkeresés eredménye",
+ "fileResultsSeparator": "fájlkeresés eredménye",
+ "filePickAriaLabelDirty": "{0}, dirty",
+ "openToSide": "Megnyitás oldalt",
+ "openToBottom": "Open to the Bottom",
+ "closeEditor": "Eltávolítás a legutóbb megnyitottak listájáról"
+ },
+ "vs/workbench/contrib/search/browser/searchResultsView": {
+ "searchFolderMatch.other.label": "További fájlok",
+ "searchFileMatches": "{0} fájl található",
+ "searchFileMatch": "{0} fájl található",
+ "searchMatches": "{0} találat",
+ "searchMatch": "{0} találat",
+ "lineNumStr": "A(z) {0}. sorból",
+ "numLinesStr": "{0} további sor",
+ "folderMatchAriaLabel": "{0} találat a(z) {2} gyökérmappában. Keresési eredmény ",
+ "otherFilesAriaLabel": "{0} találat a munkaterületen kívül. Keresési eredmény",
+ "fileMatchAriaLabel": "{0} találat a(z) {2} mappa {1} fájljában. Keresési eredmény",
+ "replacePreviewResultAria": "{0} kifejezés cseréje a következőre: {1}, a(z) {2}. oszlopban, a következő szöveget tartalmazó sorban: {3}",
+ "searchResultAria": "Találat a(z) {0} kifejezésre a(z) {1}. oszlopban, a következő szöveget tartalmazó sorban: {2}"
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditor.contribution": {
+ "searchEditor": "Search Editor",
+ "search": "Search Editor"
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditorActions": {
+ "search.openNewEditor": "Open New Search Editor",
+ "search.openNewEditorToSide": "Open New Search Editor to Side",
+ "search.openResultsInEditor": "Open Results in Editor",
+ "search.rerunSearchInEditor": "Keresés megismétlése"
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditorInput": {
+ "searchTitle.withQuery": "Search: {0}",
+ "searchTitle": "Keresés"
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditor": {
+ "moreSearch": "Keresési részletek be- és kikapcsolása",
+ "searchScope.includes": "bele foglalt fájlok",
+ "label.includes": "Keresésbe bele foglalt fájlok",
+ "searchScope.excludes": "kizárt fájlok",
+ "label.excludes": "Keresésből kizárt fájlok",
+ "runSearch": "Run Search",
+ "searchResultItem": "Matched {0} at {1} in file {2}",
+ "searchEditor": "Search Editor",
+ "textInputBoxBorder": "Search editor text input box border."
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditorSerialization": {
+ "invalidQueryStringError": "All backslashes in Query string must be escaped (\\\\)",
+ "numFiles": "{0} files",
+ "oneFile": "1 file",
+ "numResults": "{0} találat",
+ "oneResult": "1 result",
+ "noResults": "Nincs eredmény"
+ },
+ "vs/workbench/contrib/snippets/browser/snippets.contribution": {
+ "snippetSchema.json.default": "Üres kódrészlet",
+ "snippetSchema.json": "Felhasználói kódtöredék-konfiguráció",
+ "snippetSchema.json.prefix": "A kódtöredék IntelliSense-ben történő kiválasztásakor használatos előtag",
+ "snippetSchema.json.body": "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'.",
+ "snippetSchema.json.description": "A kódtöredék leírása.",
+ "snippetSchema.json.scope": "A list of language names to which this snippet applies, e.g. 'typescript,javascript'."
+ },
+ "vs/workbench/contrib/snippets/browser/insertSnippet": {
+ "snippet.suggestions.label": "Kódrészlet beszúrása",
+ "sep.userSnippet": "Felhasználói kódrészletek",
+ "sep.extSnippet": "Kiegészítők kódrészletei",
+ "sep.workspaceSnippet": "Munkaterületi kódrészletek"
+ },
+ "vs/workbench/contrib/snippets/browser/configureSnippets": {
+ "global.scope": "(global)",
+ "global.1": "(({0})",
+ "name": "Type snippet file name",
+ "bad_name1": "Invalid file name",
+ "bad_name2": "a (z) \"{0}\" nem érvényes fájlnév.",
+ "bad_name3": "'{0}' already exists",
+ "new.global_scope": "global",
+ "new.global": "Új globális kódrészlet-fájl...",
+ "new.workspace_scope": "{0} workspace",
+ "new.folder": "Új kódrészlet-fájl a következőhöz: „{0}”...",
+ "group.global": "Létező kódrészletek",
+ "new.global.sep": "Új kódrészletek",
+ "openSnippet.pickLanguage": "Válasszon hozzon létre egy kódrészlet-fájlt!",
+ "openSnippet.label": "Felhasználói kódrészletek konfigurálása",
+ "preferences": "Beállítások",
+ "miOpenSnippets": "User &&Snippets",
+ "userSnippets": "Felhasználói kódrészletek"
+ },
+ "vs/workbench/contrib/snippets/browser/snippetsService": {
+ "invalid.path.0": "Hiányzó karakterlánc a `contributes.{0}.path`-ban. A megadott érték: {1}",
+ "invalid.language.0": "Nyelv elhagyása esetén a `contributes.{0}.path` értékének egy `.code-snippets`-fájlnak kell lennie. A megadott érték: {1}",
+ "invalid.language": "Ismeretlen nyelv található a következőben: `contributes.{0}.language`. A megadott érték: {1}",
+ "invalid.path.1": "A `contributes.{0}.path` ({1}) nem a kiegészítő mappáján belül található ({2}). Emiatt előfordulhat, hogy a kiegészítő nem lesz hordozható.",
+ "vscode.extension.contributes.snippets": "Kódrészleteket szolgáltat.",
+ "vscode.extension.contributes.snippets-language": "Azon nyelv azonosítója, amely számára szolgáltatva van ez a kódrészlet.",
+ "vscode.extension.contributes.snippets-path": "A kódrészlet-fájl elérési útja. Az elérési út relatív a kiegészítő mappájához, és általában a következővel kezdődik: './snippets/',",
+ "badVariableUse": "A(z) '{0}' kiegészítőben egy vagy több kódrészlet nagy valószínűséggel keveri a kódrészletváltozók és a kódrészlet-helyjelölők fogalmát (további információ a következő oldalon található: https://code.visualstudio.com/docs/editor/userdefinedsnippets#_snippet-syntax)",
+ "badFile": "A(z) \"{0}\" kódrészletet tartalmazó fájlt nem sikerült beolvasni."
+ },
+ "vs/workbench/contrib/snippets/browser/snippetCompletionProvider": {
+ "detail.snippet": "{0} ({1})",
+ "snippetSuggest.longLabel": "{0}, {1}"
+ },
+ "vs/workbench/contrib/snippets/browser/snippetsFile": {
+ "source.workspaceSnippetGlobal": "Munkaterületi kódrészlet",
+ "source.userSnippetGlobal": "Globális felhasználói kódrészket",
+ "source.userSnippet": "Felhasználói kódrészlet"
+ },
+ "vs/workbench/contrib/stats/electron-browser/workspaceStatsService": {
+ "workspaceFound": "Ebben a mappában található egy munkaterületfájl: „{0}”. Szeretné megnyitni? A munkaterületfájlokról [itt]({1}) talál további információt.",
+ "openWorkspace": "Munkaterület megnyitása",
+ "workspacesFound": "Ebben a mappában több munkaterületfájl is található. Szeretné megnyitni az egyiket? A munkaterületfájlokról [itt]({0}) talál további információt.",
+ "selectWorkspace": "Munkaterület kiválasztása",
+ "selectToOpen": "Válasszon munkaterületet!"
+ },
+ "vs/workbench/contrib/surveys/browser/nps.contribution": {
+ "surveyQuestion": "Lenne kedve egy gyors elégedettségi felméréshez?",
+ "takeSurvey": "Felmérés kitöltése",
+ "remindLater": "Emlékeztessen később",
+ "neverAgain": "Ne jelenítse meg újra"
+ },
+ "vs/workbench/contrib/surveys/browser/languageSurveys.contribution": {
+ "helpUs": "Segítsen javítani a {0}-támogatásunkat",
+ "takeShortSurvey": "Rövid felmérés kitöltése",
+ "remindLater": "Emlékeztessen később",
+ "neverAgain": "Ne jelenítse meg újra"
+ },
+ "vs/workbench/contrib/tags/electron-browser/workspaceTagsService": {
+ "workspaceFound": "Ebben a mappában található egy munkaterületfájl: „{0}”. Szeretné megnyitni? A munkaterületfájlokról [itt]({1}) talál további információt.",
+ "openWorkspace": "Munkaterület megnyitása",
+ "workspacesFound": "Ebben a mappában több munkaterületfájl is található. Szeretné megnyitni az egyiket? A munkaterületfájlokról [itt]({0}) talál további információt.",
+ "selectWorkspace": "Munkaterület kiválasztása",
+ "selectToOpen": "Válasszon munkaterületet!"
+ },
+ "vs/workbench/contrib/tasks/node/processRunnerDetector": {
+ "TaskSystemDetector.noGulpTasks": "A gulp --tasks-simple futtatása nem listázott egyetlen feladatot sem. Futtatta az npm install parancsot?",
+ "TaskSystemDetector.noJakeTasks": "A jake --tasks futtatása nem listázott egyetlen feladatot sem. Futtatta az npm install parancsot?",
+ "TaskSystemDetector.noGulpProgram": "A Gulp nincs telepítve a rendszerre. Futtassa az npm install -g gulp parancsot a telepítéshez!",
+ "TaskSystemDetector.noJakeProgram": "A Jake nincs telepítve a rendszerre. Futtassa az npm install -g jake parancsot a telepítéshez!",
+ "TaskSystemDetector.noGruntProgram": "A Grunt nincs telepítve a rendszerre. Futtassa az npm install -g grunt parancsot a telepítéshez!",
+ "TaskSystemDetector.noProgram": "Az) {0} program nem található. Az üzenet: {1}",
+ "TaskSystemDetector.buildTaskDetected": "Felderítésre került a következő buildelési feladat: '{0}'.",
+ "TaskSystemDetector.testTaskDetected": "Felderítésre került a következő tesztelési feladat: '{0}'. "
+ },
+ "vs/workbench/contrib/tasks/node/processTaskSystem": {
+ "version1_0": "A feladatfuttató rendszer a 0.1.0-s verzióhoz van konfigurálva (lásd a tasks.json fájlt), ami csak egyedi feladatokat tud végrehajtani. Váltson a 2.0.0-s verzióra a következő feladat futtatásához: {0}!",
+ "TaskRunnerSystem.unknownError": "Ismeretlen hiba történt a feladat végrehajtása közben. Részletek a feladat kimeneti naplójában találhatók.",
+ "TaskRunnerSystem.watchingBuildTaskFinished": "A figyelő buildelési feladat befejeződött.",
+ "TaskRunnerSystem.childProcessError": "Nem sikerült elindítani a külső programot: {0} {1}.",
+ "TaskRunnerSystem.cancelRequested": "Az) '{0}' feladat a felhasználó kérésére lett megszakítva.",
+ "unknownProblemMatcher": "A(z) {0} problémaillesztő nem található. Az illesztő figyelmen kívül lesz hagyva."
+ },
+ "vs/workbench/contrib/tasks/browser/task.contribution": {
+ "tasksCategory": "Feladatok",
+ "building": "Buildelés...",
+ "runningTasks": "Show Running Tasks",
+ "status.runningTasks": "Running Tasks",
+ "miRunTask": "&&Run Task...",
+ "miBuildTask": "Run &&Build Task...",
+ "miRunningTask": "Show Runnin&&g Tasks...",
+ "miRestartTask": "R&&estart Running Task...",
+ "miTerminateTask": "&&Terminate Task...",
+ "miConfigureTask": "&&Configure Tasks...",
+ "miConfigureBuildTask": "Configure De&&fault Build Task...",
+ "workbench.action.tasks.openWorkspaceFileTasks": "Open Workspace Tasks",
+ "ShowLogAction.label": "Feladatnapló megtekintése",
+ "RunTaskAction.label": "Feladat futtatása",
+ "ReRunTaskAction.label": "Előző feladat ismételt futtatása",
+ "RestartTaskAction.label": "Futó feladat újraindítása...",
+ "ShowTasksAction.label": "Show Running Tasks",
+ "TerminateAction.label": "Feladat megszakítása",
+ "BuildAction.label": "Buildelési feladat futtatása",
+ "TestAction.label": "Tesztelési feladat futtatása",
+ "ConfigureDefaultBuildTask.label": "Alapértelmezett buildelési feladat beállítása",
+ "ConfigureDefaultTestTask.label": "Alapértelmezett tesztelési feladat beállítása",
+ "workbench.action.tasks.openUserTasks": "Open User Tasks",
+ "tasksQuickAccessPlaceholder": "Type the name of a task to run.",
+ "tasksQuickAccessHelp": "Feladat futtatása",
+ "tasksConfigurationTitle": "Feladatok",
+ "task.problemMatchers.neverPrompt": "Configures whether to show the problem matcher prompt when running a task. Set to `true` to never prompt, or use a dictionary of task types to turn off prompting only for specific task types.",
+ "task.problemMatchers.neverPrompt.boolean": "Sets problem matcher prompting behavior for all tasks.",
+ "task.problemMatchers.neverPrompt.array": "An object containing task type-boolean pairs to never prompt for problem matchers on.",
+ "task.autoDetect": "Controls enablement of `provideTasks` for all task provider extension. If the Tasks: Run Task command is slow, disabling auto detect for task providers may help. Individual extensions may also provide settings that disable auto detection.",
+ "task.slowProviderWarning": "Configures whether a warning is shown when a provider is slow",
+ "task.slowProviderWarning.boolean": "Sets the slow provider warning for all tasks.",
+ "task.slowProviderWarning.array": "An array of task types to never show the slow provider warning.",
+ "task.quickOpen.history": "Controls the number of recent items tracked in task quick open dialog.",
+ "task.quickOpen.detail": "Controls whether to show the task detail for task that have a detail in the Run Task quick pick.",
+ "task.quickOpen.skip": "Controls whether the task quick pick is skipped when there is only one task to pick from."
+ },
+ "vs/workbench/contrib/tasks/common/tasks": {
+ "TaskDefinition.missingRequiredProperty": "Hiba: a(z) „{0}” feladatazonosítóból hiányzik a kötelezően kitöltendő „{1}” tulajdonság. A feladatazonosító figyelmen kívül lesz hagyva."
+ },
+ "vs/workbench/contrib/tasks/common/jsonSchema_v1": {
+ "JsonSchema.version.deprecated": "A feladatok 0.1.0-s verziója elavult. Használja a 2.0.0-t!",
+ "JsonSchema.version": "A konfiguráció verziószáma",
+ "JsonSchema._runner": "A futtató kikerült a kísérleti állapotból. Használja a hivatalos runner tulajdonságot!",
+ "JsonSchema.runner": "Meghatározza, hogy a feladat folyamatként van-e végrehajtva, és a kimenet a kimeneti ablakban jelenjen-e meg, vagy a terminálban.",
+ "JsonSchema.windows": "Windows-specifikus parancskonfiguráció",
+ "JsonSchema.mac": "Mac-specifikus parancskonfiguráció",
+ "JsonSchema.linux": "Linux-specifikus parancskonfiguráció",
+ "JsonSchema.shell": "Meghatározza, hogy a parancs egy rendszerparancs vagy egy külső program. Alapértelmezett értéke hamis, ha nincs megadva."
+ },
+ "vs/workbench/contrib/tasks/browser/tasksQuickAccess": {
+ "TaskService.pickRunTask": "Válassza ki a futtatandó feladatot!"
+ },
+ "vs/workbench/contrib/tasks/common/taskDefinitionRegistry": {
+ "TaskDefinition.description": "A feladat tényleges típusa. Megjegyzés: a „$” karakterrel kezdődő feladattípusok belső használatra vannak fenntartva.",
+ "TaskDefinition.properties": "A feladattípus további tulajdonságai",
+ "TaskTypeConfiguration.noType": "A feladattípus-konfigurációból hiányzik a kötelező 'taskType' tulajdonság",
+ "TaskDefinitionExtPoint": "Feladattípusokat szolgáltat"
+ },
+ "vs/workbench/contrib/tasks/browser/runAutomaticTasks": {
+ "tasks.run.allowAutomatic": "This folder has tasks ({0}) defined in 'tasks.json' that run automatically when you open this folder. Do you allow automatic tasks to run when you open this folder?",
+ "allow": "Allow and run",
+ "disallow": "Tiltás",
+ "openTasks": "Tasks.json megnyitása",
+ "workbench.action.tasks.manageAutomaticRunning": "Manage Automatic Tasks in Folder",
+ "workbench.action.tasks.allowAutomaticTasks": "Allow Automatic Tasks in Folder",
+ "workbench.action.tasks.disallowAutomaticTasks": "Disallow Automatic Tasks in Folder"
+ },
+ "vs/workbench/contrib/tasks/common/taskConfiguration": {
+ "ConfigurationParser.invalidCWD": "Figyelmeztetés: az options.cwd értékének string típusúnak kell lennie. A következő érték figyelmen kívül van hagyva: {0}.",
+ "ConfigurationParser.inValidArg": "Hiba: a parancssori argumentum egy string vagy egy idézőjeles string lehet. A megadott érték:\n{0}",
+ "ConfigurationParser.noShell": "Figyelmeztetés: a shellkonfiguráció csak akkor támogatott, ha a feladat a terminálban van végrehajtva.",
+ "ConfigurationParser.noName": "Hiba: a deklarációs hatókörben lévő problémailleszőnek kötelező nevet adni:\n{0}\n",
+ "ConfigurationParser.unknownMatcherKind": "Warning: the defined problem matcher is unknown. Supported types are string | ProblemMatcher | Array.\n{0}\n",
+ "ConfigurationParser.invalidVariableReference": "Hiba: érvénytelen problemMatcher-referencia: {0}\n",
+ "ConfigurationParser.noTaskType": "Hiba: a feladatkonfigurációnak rendelkeznie kell type tulajdonsággal. A konfiguráció figyelmen kívül lesz hagyva.\n{0}\n",
+ "ConfigurationParser.noTypeDefinition": "Hiba: nincs '{0}' azonosítójú feladattípus regisztrálva. Elfelejtett telepíteni egy kiegészítőt, ami a feladat szolgáltatásáért felelős?",
+ "ConfigurationParser.missingType": "Hiba: a(z) „{0}” feladatkonfigurációból hiányzik a kötelezően kitöltendő „{1}” tulajdonság, ezért figyelmen kívül lesz hagyva.",
+ "ConfigurationParser.incorrectType": "Hiba: a(z) „{0}” feladatkonfiguráció ismeretlen típust használ, ezért figyelmen kívül lesz hagyva.",
+ "ConfigurationParser.notCustom": "Hiba: a feladat nem egyedi feladatként van definiálva, ezért figyelmen kívül lesz hagyva.\n{0}\n",
+ "ConfigurationParser.noTaskName": "Hiba: a feladat nem rendelkezik label tulajdonsággal, ezért figyelmen kívül lesz hagyva.\n{0}",
+ "taskConfiguration.noCommandOrDependsOn": "Hiba: a(z) „{0}” feladat nem tartalmaz parancsot, és nem definiálja a dependsOn tulajdonságot sem, ezért figyelmen kívül lesz hagyva. A definíciója a következő:\n{1}",
+ "taskConfiguration.noCommand": "Hiba: a(z) „{0}” feladathoz nincs megadva parancs, ezért figyelmen kívül lesz hagyva.\nA definíciója a következő:\n{1}",
+ "TaskParse.noOsSpecificGlobalTasks": "A feladatok 2.0.0-s verziója nem támogatja a globális, operációs rendszer-specifikus feladatokat. Alakítsa át őket operációs rendszer-specifikus parancsot tartalmazó feladattá. Az érintett feladatok:\n{0}"
+ },
+ "vs/workbench/contrib/tasks/common/jsonSchema_v2": {
+ "JsonSchema.shell": "Meghatározza, hogy a parancs egy rendszerparancs vagy egy külső program. Alapértelmezett értéke hamis, ha nincs megadva.",
+ "JsonSchema.tasks.isShellCommand.deprecated": "Az isShellCommand tulajdonság elavult. Használja helyette a feladat type tulajdonságát és a shell tulajdonságot a beállításoknál. További információt az 1.14-es verzió kiadási jegyzékében talál.",
+ "JsonSchema.tasks.dependsOn.identifier": "The task identifier.",
+ "JsonSchema.tasks.dependsOn.string": "Egy másik feladat, amitől ez a feladat függ.",
+ "JsonSchema.tasks.dependsOn.array": "Más feladatok, amiktől ez a feladat függ.",
+ "JsonSchema.tasks.dependsOn": "Either a string representing another task or an array of other tasks that this task depends on.",
+ "JsonSchema.tasks.dependsOrder.parallel": "Run all dependsOn tasks in parallel.",
+ "JsonSchema.tasks.dependsOrder.sequence": "Run all dependsOn tasks in sequence.",
+ "JsonSchema.tasks.dependsOrder": "Determines the order of the dependsOn tasks for this task. Note that this property is not recursive.",
+ "JsonSchema.tasks.detail": "An optional description of a task that shows in the Run Task quick pick as a detail.",
+ "JsonSchema.tasks.presentation": "Configures the panel that is used to present the task's output and reads its input.",
+ "JsonSchema.tasks.presentation.echo": "Meghatározza, hogy a végrehajtott parancs ki van-e írva a terminálban. Alapértelmezett értéke true.",
+ "JsonSchema.tasks.presentation.focus": "Meghatározza, hogy a panel fókuszt kap-e. Az alapértelmezett értéke true. Ha true-ra van állítva, akkor a panel fel is lesz fedve.",
+ "JsonSchema.tasks.presentation.revealProblems.always": "Always reveals the problems panel when this task is executed.",
+ "JsonSchema.tasks.presentation.revealProblems.onProblem": "Only reveals the problems panel if a problem is found.",
+ "JsonSchema.tasks.presentation.revealProblems.never": "Never reveals the problems panel when this task is executed.",
+ "JsonSchema.tasks.presentation.revealProblems": "Controls whether the problems panel is revealed when running this task or not. Takes precedence over option \"reveal\". Default is \"never\".",
+ "JsonSchema.tasks.presentation.reveal.always": "A feladat végrehajtásakor mindig legyen felfedve a terminál.",
+ "JsonSchema.tasks.presentation.reveal.silent": "Only reveals the terminal if the task exits with an error or the problem matcher finds an error.",
+ "JsonSchema.tasks.presentation.reveal.never": "Soha ne legyen felfedve a terminál a feladat végrehajtása során.",
+ "JsonSchema.tasks.presentation.reveal": "Controls whether the terminal running the task is revealed or not. May be overridden by option \"revealProblems\". Default is \"always\".",
+ "JsonSchema.tasks.presentation.instance": "Meghatározza, hogy a panel meg van-e osztva a feladatok között, ennek a feladatnak van-e dedikálva, vagy új készül minden egyes futtatás során.",
+ "JsonSchema.tasks.presentation.showReuseMessage": "Meghatározza, hogy megjelenjen-e az „A terminál újra lesz hasznosítva a feladatok által. Nyomjon meg egy billentyűt a bezáráshoz.” üzenet.",
+ "JsonSchema.tasks.presentation.clear": "Terminál tartalmának törlése a feladat végrehajtása előtt.",
+ "JsonSchema.tasks.presentation.group": "Controls whether the task is executed in a specific terminal group using split panes.",
+ "JsonSchema.tasks.terminal": "A terminal tulajdonság elavult. Használja helyette a presentation tulajdonságot!",
+ "JsonSchema.tasks.group.kind": "A feladat végrehajtási csoportja.",
+ "JsonSchema.tasks.group.isDefault": "Meghatározza, hogy ez a feladat egy elsődleges feladat-e a csoportban.",
+ "JsonSchema.tasks.group.defaultBuild": "A feladatot az alapértelmezett buildelési feladatnak jelöli meg.",
+ "JsonSchema.tasks.group.defaultTest": "A feladatot az alapértelmezett tesztelési feladatnak jelöli meg.",
+ "JsonSchema.tasks.group.build": "Marks the task as a build task accessible through the 'Run Build Task' command.",
+ "JsonSchema.tasks.group.test": "Marks the task as a test task accessible through the 'Run Test Task' command.",
+ "JsonSchema.tasks.group.none": "A feladatot egyetlen csoporthoz sem rendeli",
+ "JsonSchema.tasks.group": "Meghatározza a feladat végrehajtási csoportját. A \"build\" esetén a buildelési csoportba, a \"test\" esetén a tesztelési csoportba kerül bele a feladat.",
+ "JsonSchema.tasks.type": "Meghatározza, hogy a feladat folyamatként van-e végrehajtva vagy egy parancsként a shellben.",
+ "JsonSchema.commandArray": "A végrehajtandó shell-parancs. A tömb elemei szóközzel elválasztva lesznek egymás után fűzve.",
+ "JsonSchema.command.quotedString.value": "A parancs tényleges értéke",
+ "JsonSchema.tasks.quoting.escape": "A karaktereket a shell saját feloldókarakterével oldja fel (pl. PowerShell alatt a `, míg bash alatt a \\ karakterrel).",
+ "JsonSchema.tasks.quoting.strong": "Az argumentumot a shell erős idézőjel-karakterével veszi körül (pl. PowerShell és bash alatt a \" karakterrel). ",
+ "JsonSchema.tasks.quoting.weak": "Az argumentumot a shell erős idézőjel-karakterével veszi körül (pl. PowerShell és bash alatt a ' karakterrel). ",
+ "JsonSchema.command.quotesString.quote": "Hogyan legyen idézőjelezve a parancs értéke.",
+ "JsonSchema.command": "A végrehajtandó parancs. Lehet egy külső parancs vagy egy rendszerparancs.",
+ "JsonSchema.args.quotedString.value": "Az argumentum tényleges értéke",
+ "JsonSchema.args.quotesString.quote": "Hogyan legyen idézőjelezve az argumentum értéke.",
+ "JsonSchema.tasks.args": "A parancs meghívásakor átadott argumentumok.",
+ "JsonSchema.tasks.label": "A feladat felhasználói felületen megjelenő neve",
+ "JsonSchema.version": "A konfiguráció verziószáma",
+ "JsonSchema.tasks.identifier": "A feladat felhasználó által definiált azonosítója, amivel hivatkozni lehet a feladatra a lauch.json-ban vagy egy dependsOn-utasításban.",
+ "JsonSchema.tasks.identifier.deprecated": "A felhasználó által megadott azonosítók elavultak. Egyedi feladatok esetén használja a nevet referenciaként, a kiegészítők által szolgáltatott feladatok esetén pedig a feladatokhoz definiált azonosítókat.",
+ "JsonSchema.tasks.reevaluateOnRerun": "A feladatok ismételt futtatása során újra legyenek kiértékelve a feladat változói.",
+ "JsonSchema.tasks.runOn": "Meghatározza, hogy mikor fusson a feladat. Ha az értéke folderOpen, akkor a feladat automatikusan elindul, amikor a mappát megnyitják.",
+ "JsonSchema.tasks.instanceLimit": "The number of instances of the task that are allowed to run simultaneously.",
+ "JsonSchema.tasks.runOptions": "A feladat futásával kapcsolatos beállítások",
+ "JsonSchema.tasks.taskLabel": "A feladat címkéje",
+ "JsonSchema.tasks.taskName": "A feladat neve.",
+ "JsonSchema.tasks.taskName.deprecated": "A feladat name tulajdonsága elavult. Használja a label tulajdonságot helyette!",
+ "JsonSchema.tasks.background": "A feladat folyamatosan fut-e és a háttérben fut-e.",
+ "JsonSchema.tasks.promptOnClose": "A felhasználó figyelmeztetve van-e, ha a VS Code egy futó feladat közben záródik be.",
+ "JsonSchema.tasks.matchers": "A használt problémaillesztők. Lehet karakterlánc, problémaillesztő, vagy egy tömb, ami karakterláncokat és problémaillesztőket tartalmaz.",
+ "JsonSchema.customizations.customizes.type": "Az egyedi konfigurációhoz használt feladattípus",
+ "JsonSchema.tasks.customize.deprecated": "A customize tulajdonság elavult. A feladat egyedi konfigurálásának új megközelítésével kapcsolatban további információt az 1.14-es verzió kiadási jegyzékében talál.",
+ "JsonSchema.tasks.showOutput.deprecated": "A showOutput tulajdonság elavult. Használja helyette a presentation tulajdonságon belül a reveal tulajdonságot! További információt az 1.14-es verzió kiadási jegyzékében talál.",
+ "JsonSchema.tasks.echoCommand.deprecated": "Az echoCommand tulajdonság elavult. Használja helyette a presentation tulajdonságon belül az echo tulajdonságot! További információt az 1.14-es verzió kiadási jegyzékében talál.",
+ "JsonSchema.tasks.suppressTaskName.deprecated": "Az suppressTaskName tulajdonság elavult. Helyette olvassza be a parancsot az argumentumaival együtt a feladatba! További információt az 1.14-es verzió kiadási jegyzékében talál.",
+ "JsonSchema.tasks.isBuildCommand.deprecated": "Az isBuildCommand tulajdonság elavult. Használja helyette a group tulajdonságot! További információt az 1.14-es verzió kiadási jegyzékében talál.",
+ "JsonSchema.tasks.isTestCommand.deprecated": "Az isTestCommand tulajdonság elavult. Használja helyette a group tulajdonságot! További információt az 1.14-es verzió kiadási jegyzékében talál.",
+ "JsonSchema.tasks.taskSelector.deprecated": "A taskSelector tulajdonság elavult. Helyette olvassza be a parancsot az argumentumaival együtt a feladatba! További információt az 1.14-es verzió kiadási jegyzékében talál.",
+ "JsonSchema.windows": "Windows-specifikus parancskonfiguráció",
+ "JsonSchema.mac": "Mac-specifikus parancskonfiguráció",
+ "JsonSchema.linux": "Linux-specifikus parancskonfiguráció"
+ },
+ "vs/workbench/contrib/tasks/common/jsonSchemaCommon": {
+ "JsonSchema.options": "További parancsbeálíltások",
+ "JsonSchema.options.cwd": "A végrehajtott program vagy parancsfájl munkakönyvtára. Ha nincs megadva, akkor a Code aktuális munkaterületének gyökérkönyvtára van használva.",
+ "JsonSchema.options.env": "A végrehajtott parancs vagy shell környezete. Ha nincs megadva, akkor a szülőfolyamat környezete van használva.",
+ "JsonSchema.shellConfiguration": "Meghatározza a használt shellt.",
+ "JsonSchema.shell.executable": "A használt shell.",
+ "JsonSchema.shell.args": "Shellargumentumok.",
+ "JsonSchema.command": "A végrehajtandó parancs. Lehet egy külső parancs vagy egy rendszerparancs.",
+ "JsonSchema.tasks.args": "A parancs meghívásakor átadott argumentumok.",
+ "JsonSchema.tasks.taskName": "A feladat neve.",
+ "JsonSchema.tasks.windows": "Windows-specifikus parancskonfiguráció",
+ "JsonSchema.tasks.matchers": "A használt problémaillesztők. Lehet karakterlánc, problémaillesztő, vagy egy tömb, ami karakterláncokat és problémaillesztőket tartalmaz.",
+ "JsonSchema.tasks.mac": "Mac-specifikus parancskonfiguráció",
+ "JsonSchema.tasks.linux": "Linux-specifikus parancskonfiguráció",
+ "JsonSchema.tasks.suppressTaskName": "Meghatározza, hogy a feladat neve hozzá van adva argumentumként a parancshoz. Ha nincs megadva, akkor a globálisan meghatározot érték van használva.",
+ "JsonSchema.tasks.showOutput": "Meghatározza, hogy a futó feladat kimenete meg van-e jelenítve, vagy sem. Ha nincs megadva, akkor a globálisan meghatározot érték van használva.",
+ "JsonSchema.echoCommand": "Meghatározza, hogy a végrehajtott parancs ki van-e írva a kimenetre. Alapértelmezett értéke hamis.",
+ "JsonSchema.tasks.watching.deprecation": "Elavult. Használja helyette az isBackground beállítást.",
+ "JsonSchema.tasks.watching": "A feladat folyamatosan fut-e és figyeli-e a fájlrendszert.",
+ "JsonSchema.tasks.background": "A feladat folyamatosan fut-e és a háttérben fut-e.",
+ "JsonSchema.tasks.promptOnClose": "A felhasználó figyelmeztetve van-e, ha a VS Code egy futó feladat közben záródik be.",
+ "JsonSchema.tasks.build": "A parancsot a Code alapértelmezett buildelési parancsához rendeli.",
+ "JsonSchema.tasks.test": "A parancsot a Code alapértelmezett tesztelési parancsához rendeli.",
+ "JsonSchema.args": "A parancsnak átadott további argumentumok.",
+ "JsonSchema.showOutput": "Meghatározza, hogy a futó feladat kimenete megjelenjen-e vagy sem. Ha nincs megadva, az 'always' érték van használva.",
+ "JsonSchema.watching.deprecation": "Elavult. Használja helyette az isBackground beállítást.",
+ "JsonSchema.watching": "A feladat folyamatosan fut-e és figyeli-e a fájlrendszert.",
+ "JsonSchema.background": "A feladat folyamatosan fut-e és a háttérben fut-e.",
+ "JsonSchema.promptOnClose": "A felhasználó figyelmeztetve van-e, ha a VS Code egy háttérben futó feladat közben záródik be.",
+ "JsonSchema.suppressTaskName": "Meghatározza, hogy a feladat neve hozzá van adva argumentumként a parancshoz. Alapértelmezett értéke hamis.",
+ "JsonSchema.taskSelector": "Előtag, ami jelzi, hogy az argumentum a feladat.",
+ "JsonSchema.matchers": "A használt problémaillesztők. Lehet karakterlánc, problémaillesztő, vagy egy tömb, ami karakterláncokat és problémaillesztőket tartalmaz.",
+ "JsonSchema.tasks": "Feladatkonfigurációk. Általában egy külső feladatfuttató rendszerben definiált feladatok kiegészítő beállításokkal ellátott változatai."
+ },
+ "vs/workbench/contrib/tasks/browser/taskQuickPick": {
+ "taskQuickPick.showAll": "Show All Tasks...",
+ "configureTask": "Feladat beállítása",
+ "contributedTasks": "contributed",
+ "recentlyUsed": "legutóbb használt",
+ "configured": "configured",
+ "TaskQuickPick.goBack": "Go back ↩",
+ "TaskQuickPick.noTasksForType": "No {0} tasks found. Go back ↩"
+ },
+ "vs/workbench/contrib/tasks/common/problemMatcher": {
+ "ProblemPatternParser.problemPattern.missingRegExp": "A problémamintából hiányzik egy reguláris kifejezés.",
+ "ProblemPatternParser.loopProperty.notLast": "A loop tulajdonság csak az utolsó, sorra illesztő kifejezésnél támogatott.",
+ "ProblemPatternParser.problemPattern.kindProperty.notFirst": "A problémaminta érvénytelen. A kind tulajdonságot csak az első elemnél kell megadni.",
+ "ProblemPatternParser.problemPattern.missingProperty": "A problémaminta érvénytelen. Legalább a fájlt és az üzenetet tartalmaznia kell.",
+ "ProblemPatternParser.problemPattern.missingLocation": "A problémaminta érvénytelen. A kind értéke \"file\" legyen vagy tartalmaznia kell egy sorra vagy helyszínre illeszkedő csoportot.",
+ "ProblemPatternParser.invalidRegexp": "Hiba: A(z) {0} karakterlánc nem érvényes reguláris kifejezés.\n",
+ "ProblemPatternSchema.regexp": "A kimenetben található hibák, figyelmeztetések és információk megkeresésére használt reguláris kifejezés.",
+ "ProblemPatternSchema.kind": "A minta egy helyre (fájlra és sorra) vagy csak egy fájlra illeszkedik.",
+ "ProblemPatternSchema.file": "Annak az illesztési csoportnak az indexe, amely tartalmazza azt, hogy a probléma melyik fájlban található. Ha nincs megadva, akkor az alapértelmezett érték, 1 van használva.",
+ "ProblemPatternSchema.location": "Annak az illesztési csoportnak az indexe, amely tartalmazza a probléma helyét. Az érvényes minták helyek illesztésére: (line), (line,column) és (startLine,startColumn,endLine,endColumn). Ha nincs megadva, akkor a (line,column) van feltételezve.",
+ "ProblemPatternSchema.line": "Annak az illesztési csoportnak az indexe, amely tartalmazza azt, hogy a probléma hanyadik sorban található. Alapértelmezett értéke 2.",
+ "ProblemPatternSchema.column": "Annak az illesztési csoportnak az indexe, amely tartalmazza azt, hogy a probléma az adott soron belül mely oszlopban található. Alapértelmezett értéke 3.",
+ "ProblemPatternSchema.endLine": "Annak az illesztési csoportnak az indexe, amely tartalmazza azt, hogy a probléma mely sorban ér véget. Alapértelmezett értéke határozatlan.",
+ "ProblemPatternSchema.endColumn": "Annak az illesztési csoportnak az indexe, amely tartalmazza azt, hogy a probléma vége a zárósoron belül mely oszlopban található. Alapértelmezett értéke határozatlan.",
+ "ProblemPatternSchema.severity": "Annak az illesztési csoportnak az indexe, amely tartalmazza a probléma súlyosságát. Alapértelmezett értéke határozatlan.",
+ "ProblemPatternSchema.code": "Annak az illesztési csoportnak az indexe, amely tartalmazza a problémás kódrészletet. Alapértelmezett értéke határozatlan.",
+ "ProblemPatternSchema.message": "Annak az illesztési csoportnak az indexe, amely tartalmazza az üzenetet. Ha nincs megadva, és a location paraméternek van értéke, akkor a 4, minden más esetben 5 az alapértelmezett érték.",
+ "ProblemPatternSchema.loop": "Több soros illesztés esetén meghatározza, hogy az aktuális minta mindaddig végre legyen-e hajtva, amíg eredményt talál. Csak többsoros minta esetén használható, utolsóként.",
+ "NamedProblemPatternSchema.name": "A problémaminta neve.",
+ "NamedMultiLineProblemPatternSchema.name": "A többsoros problémaminta neve.",
+ "NamedMultiLineProblemPatternSchema.patterns": "A konkrét minkák.",
+ "ProblemPatternExtPoint": "Problémamintákat szolgáltat.",
+ "ProblemPatternRegistry.error": "Érvénytelen problémaminta. A minta figyelmen kívül lesz hagyva.",
+ "ProblemMatcherParser.noProblemMatcher": "Hiba: a leírást nem sikerült problémaillesztővé alakítani:\n{0}\n",
+ "ProblemMatcherParser.noProblemPattern": "Hiba: a leírás nem definiál érvényes problémamintát:\n{0}\n",
+ "ProblemMatcherParser.noOwner": "Hiba: a leírás nem határoz meg tulajdonost:\n{0}\n",
+ "ProblemMatcherParser.noFileLocation": "Hiba: a leírás nem határoz meg fájlhelyszínt:\n{0}\n",
+ "ProblemMatcherParser.unknownSeverity": "Információ: ismeretlen súlyosság: {0}. Az érvényes értékek: error, warning és info.\n",
+ "ProblemMatcherParser.noDefinedPatter": "Hiba: nem létezik {0} azonosítóval rendelkező minta.",
+ "ProblemMatcherParser.noIdentifier": "Hiba: a minta tulajdonság egy üres azonosítóra hivatkozik.",
+ "ProblemMatcherParser.noValidIdentifier": "Hiba: a minta {0} tulajdonsága nem érvényes mintaváltozónév.",
+ "ProblemMatcherParser.problemPattern.watchingMatcher": "A problémaillesztőnek definiálnia kell a kezdőmintát és a zárómintát is a figyeléshez.",
+ "ProblemMatcherParser.invalidRegexp": "Hiba: A(z) {0} karakterlánc nem érvényes reguláris kifejezés.\n",
+ "WatchingPatternSchema.regexp": "Reguláris kifejezés a háttérben futó feladat indulásának vagy befejeződésének detektálására.",
+ "WatchingPatternSchema.file": "Annak az illesztési csoportnak az indexe, amely tartalmazza azt, hogy a probléma melyik fájlban található. Elhagyható.",
+ "PatternTypeSchema.name": "Egy szolgáltatott vagy elődefiniált minta neve",
+ "PatternTypeSchema.description": "Egy problémaminta vagy egy szolgáltatott vagy elődefiniált problémaminta neve. Elhagyható, ha az alapként használandó minta meg van adva.",
+ "ProblemMatcherSchema.base": "A alapként használni kívánt problémaillesztő neve.",
+ "ProblemMatcherSchema.owner": "A probléma tulajdonosa a Code-on belül. Elhagyható, ha az alapként használt minta meg van adva. Alapértelmezett értéke 'external', ha nem létezik és az alapként használt minta nincs meghatározva.",
+ "ProblemMatcherSchema.source": "A diagnosztika forrásának emberek számára szánt leírása, pl. 'typescript' vagy 'super lint'.",
+ "ProblemMatcherSchema.severity": "Az elkapott problémák alapértelmezett súlyossága. Ez az érték van használva, ha a minta nem definiál illesztési csoportot a súlyossághoz.",
+ "ProblemMatcherSchema.applyTo": "Meghatározza, hogy a szöveges dokumentumhoz jelentett probléma megnyitott, bezárt vagy minden dokumentumra legyen alkalmazva.",
+ "ProblemMatcherSchema.fileLocation": "Meghatározza, hogy a problémamintában talált fájlnevek hogyan legyenek értelmezve.",
+ "ProblemMatcherSchema.background": "Minták, melyekkel követhető egy háttérben futó feladaton aktív illesztő indulása és befejeződése.",
+ "ProblemMatcherSchema.background.activeOnStart": "If set to true the background monitor is in active mode when the task starts. This is equals of issuing a line that matches the beginsPattern",
+ "ProblemMatcherSchema.background.beginsPattern": "Ha illeszkedik a kimenetre, akkor a háttérben futó feladat elindulása lesz jelezve.",
+ "ProblemMatcherSchema.background.endsPattern": "Ha illeszkedik a kimenetre, akkor a háttérben futó feladat befejeződése lesz jelezve.",
+ "ProblemMatcherSchema.watching.deprecated": "A watching tulajdonság elavult. Használja a backgroundot helyette.",
+ "ProblemMatcherSchema.watching": "Minták, melyekkel következő a figyelő illesztők indulása és befejeződése.",
+ "ProblemMatcherSchema.watching.activeOnStart": "Ha értéke igaz, akkor a figyelő aktív módban van, amikor a feladat indul. Ez egyenlő egy olyan sor kimenetre történő kiírásával, ami illeszkedik a beginPatternre.",
+ "ProblemMatcherSchema.watching.beginsPattern": "Ha illeszkedik a kimenetre, akkor a figyelő feladat elindulása lesz jelezve.",
+ "ProblemMatcherSchema.watching.endsPattern": "Ha illeszkedik a kimenetre, akkor a figyelő feladat befejeződése lesz jelezve.",
+ "LegacyProblemMatcherSchema.watchedBegin.deprecated": "Ez a tulajdonság elavult. Használja a watching tulajdonságot helyette.",
+ "LegacyProblemMatcherSchema.watchedBegin": "Reguláris kifejezés, mely jelzi, hogy a figyeltő feladatok fájlmódosítás miatt éppen műveletet hajtanak végre.",
+ "LegacyProblemMatcherSchema.watchedEnd.deprecated": "Ez a tulajdonság elavult. Használja a watching tulajdonságot helyette.",
+ "LegacyProblemMatcherSchema.watchedEnd": "Reguláros kifejezés, ami jelzi, hogy a figyelő feladat befejezte a végrehajtást.",
+ "NamedProblemMatcherSchema.name": "A problémaillesztő neve, amivel hivatkozni lehet rá.",
+ "NamedProblemMatcherSchema.label": "A problémaillesztő leírása emberek számára.",
+ "ProblemMatcherExtPoint": "Problémaillesztőket szolgáltat.",
+ "msCompile": "Microsoft fordítói problémák",
+ "lessCompile": "Less-problémák",
+ "gulp-tsc": "Gulp TSC-problémák",
+ "jshint": "JSHint-problémák",
+ "jshint-stylish": "JSHint stylish-problémák",
+ "eslint-compact": "ESLint compact-problémák",
+ "eslint-stylish": "ESLint stylish-problémák",
+ "go": "Go-problémák"
+ },
+ "vs/workbench/contrib/tasks/browser/abstractTaskService": {
+ "ConfigureTaskRunnerAction.label": "Feladat beállítása",
+ "tasks": "Feladatok",
+ "TaskSystem.noHotSwap": "A feladatvégrehajtó motor megváltoztatása egy futó, aktív feladat esetén az ablak újraindítását igényli.",
+ "reloadWindow": "Ablak újratöltése",
+ "TaskService.pickBuildTaskForLabel": "Select the build task (there is no default build task defined)",
+ "taskServiceOutputPrompt": "There are task errors. See the output for details.",
+ "showOutput": "Kimenet megjelenítése",
+ "TaskServer.folderIgnored": "A(z) {0} mappa figyelmen kívül van hagyva, mert 0.1.0-s verziójú feladatkonfigurációt használ.",
+ "TaskService.noBuildTask1": "Nincs buildelési feladat definiálva. Jelöljön meg egy feladatot az 'isBuildCommand' tulajdonsággal a tasks.json fájlban!",
+ "TaskService.noBuildTask2": "Nincs buildelési feladat definiálva. Jelöljön meg egy feladatot a 'build' csoporttal a tasks.json fájlban!",
+ "TaskService.noTestTask1": "Nincs tesztelési feladat definiálva. Jelöljön meg egy feladatot az 'isTestCommand' tulajdonsággal a tasks.json fájlban!",
+ "TaskService.noTestTask2": "Nincs tesztelési feladat definiálva. Jelöljön meg egy feladatot a 'test' csoporttal a tasks.json fájlban!",
+ "TaskServer.noTask": "Task to execute is undefined",
+ "TaskService.associate": "társítás",
+ "TaskService.attachProblemMatcher.continueWithout": "Folytatás a feladat kimenetének átkutatása nélkül",
+ "TaskService.attachProblemMatcher.never": "Never scan the task output for this task",
+ "TaskService.attachProblemMatcher.neverType": "Never scan the task output for {0} tasks",
+ "TaskService.attachProblemMatcher.learnMoreAbout": "További információk a feladat kimenetének átkutatásáról",
+ "selectProblemMatcher": "Válassza ki, milyen típusú hibák és figyelmeztetések legyenek keresve a feladat kimenetében!",
+ "customizeParseErrors": "A jelenlegi feladatkonfigurációban hibák vannak. Feladat egyedivé tétele előtt javítsa a hibákat!",
+ "tasksJsonComment": "\t// See https://go.microsoft.com/fwlink/?LinkId=733558 \n\t// for the documentation about the tasks.json format",
+ "moreThanOneBuildTask": "Túl sok buildelési feladat van definiálva a tasks.json-ban. Az első lesz végrehajtva.\n",
+ "TaskSystem.activeSame.noBackground": "A(z) '{0}' azonosítójú feladat már aktiválva van.",
+ "terminateTask": "Feladat megszakítása",
+ "restartTask": "Feladat újraindítása",
+ "TaskSystem.active": "Már fut egy feladat. Szakítsa meg, mielőtt egy másik feladatot futtatna.",
+ "TaskSystem.restartFailed": "Nem sikerült a(z) {0} feladat befejezése és újraindítása.",
+ "TaskService.noConfiguration": "Hiba: a(z) {0} feladatok felderítése nem szolgáltatott feladatot a következő konfigurációhoz:\n{1}\nA feladat figyelmen kívül lesz hagyva.\n",
+ "TaskSystem.configurationErrors": "Hiba: a megadott feladatkonfigurációban validációs hibák vannak, és nem használható. Először javítsa ezeket a hibákat!",
+ "TaskSystem.invalidTaskJsonOther": "Error: The content of the tasks json in {0} has syntax errors. Please correct them before executing a task.\n",
+ "TasksSystem.locationWorkspaceConfig": "workspace file",
+ "TaskSystem.versionWorkspaceFile": "Only tasks version 2.0.0 permitted in .codeworkspace.",
+ "TasksSystem.locationUserConfig": "Felhasználói beállítások",
+ "TaskSystem.versionSettings": "Only tasks version 2.0.0 permitted in user settings.",
+ "taskService.ignoreingFolder": "Feladatkonfiguráció figyelmen kívül hagyva a munkaterület {0} nevű mappája esetében. Több mappás munkaterületen a feladatok támogatásához az összes mappának a 2.0-s verziójú feladatkonfigurációt kell használni.\n",
+ "TaskSystem.invalidTaskJson": "Hiba. A tasks.json fájlban szintaktikai hibák találhatók. Javítsa ezeket a hibákat feladatvégrehajtás előtt.\n",
+ "TaskSystem.runningTask": "Már fut egy feladat. Szeretné megszakítani?",
+ "TaskSystem.terminateTask": "&&Terminate Task",
+ "TaskSystem.noProcess": "Az elindított feladat már nem létezik. Ha a feladat egy háttérfolyamatot indított, a VS Code-ból való kilépés árva folyamatokat eredményezhet. Ennek megakadályozása érdekében indítsa el a legutóbbi háttérfolyamatot a wait kapcsolóval!",
+ "TaskSystem.exitAnyways": "&&Exit Anyways",
+ "TerminateAction.label": "Feladat megszakítása",
+ "TaskSystem.unknownError": "Hiba történt a feladat futtatása közben. További részletek a feladatnaplóban.",
+ "TaskService.noWorkspace": "A feladatok csak egy munkaterület mappájára vonatkozóan érhetők el.",
+ "TaskService.learnMore": "További információ",
+ "configureTask": "Feladat beállítása",
+ "recentlyUsed": "legutóbb futtatott feladatok",
+ "configured": "konfigurált feladatok",
+ "detected": "talált feladatok",
+ "TaskService.ignoredFolder": "A következő munkaterületi mappák figyelmen kívül vannak hagyva, mert 0.1.0-s verziójú feladatkonfigurációt használnak: {0}",
+ "TaskService.notAgain": "Ne jelenítse meg újra",
+ "TaskService.pickRunTask": "Válassza ki a futtatandó feladatot!",
+ "TaskService.noEntryToRun": "No configured tasks. Configure Tasks...",
+ "TaskService.fetchingBuildTasks": "Buildelési feladatok lekérése...",
+ "TaskService.pickBuildTask": "Válassza ki a futtatandó buildelési feladatot!",
+ "TaskService.noBuildTask": "Nincs futtatandó buildelési feladat. Buildelési feladatok konfigurálása...",
+ "TaskService.fetchingTestTasks": "Tesztelési feladatok lekérése...",
+ "TaskService.pickTestTask": "Válassza ki a futtatandó tesztelési feladatot",
+ "TaskService.noTestTaskTerminal": "Nincs futtatandó tesztelési feladat. Feladatok konfigurálása...",
+ "TaskService.taskToTerminate": "Select a task to terminate",
+ "TaskService.noTaskRunning": "Jelenleg nem fut feladat",
+ "TaskService.terminateAllRunningTasks": "All Running Tasks",
+ "TerminateAction.noProcess": "Az elindított folyamat már nem létezik. Ha a feladat háttérfeladatokat indított, a VS Code-ból való kilépés árva folyamatokat eredményezhet. ",
+ "TerminateAction.failed": "Nem sikerült megszakítani a futó feladatot",
+ "TaskService.taskToRestart": "Válassza ki az újraindítandó feladatot!",
+ "TaskService.noTaskToRestart": "Nincs újraindítható feladat",
+ "TaskService.template": "Válasszon feladatsablont!",
+ "taskQuickPick.userSettings": "Felhasználói beállítások",
+ "TaskService.createJsonFile": "Tasks.json fájl létrehozása sablon alapján",
+ "TaskService.openJsonFile": "Tasks.json-fájl megnyitása",
+ "TaskService.pickTask": "Válassza ki a konfigurálandó feladatot!",
+ "TaskService.defaultBuildTaskExists": "A(z) {0} már meg van jelölve alapértelmezett buildelési feladatnak",
+ "TaskService.pickDefaultBuildTask": "Válassza ki az alpértelmezett buildelési feladatként használt feladatot!",
+ "TaskService.defaultTestTaskExists": "A(z) {0} már meg van jelölve alapértelmezett tesztelési feladatként.",
+ "TaskService.pickDefaultTestTask": "Válassza ki az alpértelmezett tesztelési feladatként használt feladatot!",
+ "TaskService.pickShowTask": "Válassza ki a feladatot a kimenet megjelenítéséhez!",
+ "TaskService.noTaskIsRunning": "Nem fut feladat"
+ },
+ "vs/workbench/contrib/tasks/common/taskTemplates": {
+ "dotnetCore": "Végrehajt egy .NET Core buildelési parancsot",
+ "msbuild": "Végrehajtja a buildelés célpontját",
+ "externalCommand": "Példa egy tetszőleges külső parancs futtatására",
+ "Maven": "Általános maven parancsokat hajt végre"
+ },
+ "vs/workbench/contrib/tasks/browser/terminalTaskSystem": {
+ "TerminalTaskSystem.unknownError": "Ismeretlen hiba történt a feladat végrehajtása közben. Részletek a feladat kimeneti naplójában találhatók.",
+ "dependencyFailed": "Nem sikerült feloldani a(z) '{0}' függő feladatot a(z) '{1}' munkaterületi mappában",
+ "TerminalTaskSystem.nonWatchingMatcher": "Task {0} is a background task but uses a problem matcher without a background pattern",
+ "TerminalTaskSystem.terminalName": "Feladat – {0}",
+ "closeTerminal": "A folytatáshoz nyomjon meg egy billentyűt.",
+ "reuseTerminal": "A terminál fel lesz használva egy másik feladathoz. A bezáráshoz nyomjon meg egy billentyűt!",
+ "TerminalTaskSystem": "Rendszerparancsok nem hajthatók végre UNC-meghajtókon a cmd.exe használata esetén.",
+ "unknownProblemMatcher": "A(z) {0} problémaillesztő nem található. Az illesztő figyelmen kívül lesz hagyva."
+ },
+ "vs/workbench/contrib/terminal/common/terminalShellConfig": {
+ "terminalIntegratedConfigurationTitle": "Beépített terminál",
+ "terminal.integrated.shell.linux": "The path of the shell that the terminal uses on Linux (default: {0}). [Read more about configuring the shell](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shell.linux.noDefault": "A terminál által használt shell elérési útja Linuxon. [További információk a shell konfigurálásáról](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shell.osx": "The path of the shell that the terminal uses on macOS (default: {0}). [Read more about configuring the shell](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shell.osx.noDefault": "A terminál által használt shell elérési útja macOS-en. [További információk a shell konfigurálásáról](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shell.windows": "The path of the shell that the terminal uses on Windows (default: {0}). [Read more about configuring the shell](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shell.windows.noDefault": "A terminál által használt shell elérési útja Windowson. [További információk a shell konfigurálásáról](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration)."
+ },
+ "vs/workbench/contrib/terminal/common/terminal": {
+ "terminalCategory": "Terminál"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalView": {
+ "terminal.useMonospace": "'monospace' használata",
+ "terminal.monospaceOnly": "The terminal only supports monospace fonts. Be sure to restart VS Code if this is a newly installed font."
+ },
+ "vs/workbench/contrib/terminal/electron-browser/terminalRemote": {
+ "workbench.action.terminal.newLocal": "Create New Integrated Terminal (Local)"
+ },
+ "vs/workbench/contrib/terminal/browser/terminal.contribution": {
+ "tasksQuickAccessPlaceholder": "Type the name of a terminal to open.",
+ "tasksQuickAccessHelp": "Összes megnyitott terminál megjelenítése",
+ "terminalIntegratedConfigurationTitle": "Beépített terminál",
+ "terminal.integrated.automationShell.linux": "A path that when set will override {0} and ignore {1} values for automation-related terminal usage like tasks and debug.",
+ "terminal.integrated.automationShell.osx": "A path that when set will override {0} and ignore {1} values for automation-related terminal usage like tasks and debug.",
+ "terminal.integrated.automationShell.windows": "A path that when set will override {0} and ignore {1} values for automation-related terminal usage like tasks and debug.",
+ "terminal.integrated.shellArgs.linux": "Linux-terminál esetén használt parancssori argumentumok. [További információk a shell konfigurálásáról](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shellArgs.osx": "MacOS-terminál esetén használt parancssori argumentumok. [További információk a shell konfigurálásáról](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shellArgs.windows": "Windows-terminál esetén használt parancssori argumentumok. [További információk a shell konfigurálásáról](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shellArgs.windows.string": "A Windows-terminálon használt parancssori argumentumok listája [parancssor-formátumban](https://msdn.microsoft.com/en-au/08dfcab2-eb6e-49a4-80eb-87d4076c98c6). [További információ a shell konfigurálásáról](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.macOptionIsMeta": "Az option billentyű meta billentyűként legyen kezelve a terminálban, macOS-en.",
+ "terminal.integrated.macOptionClickForcesSelection": "Meghatározza, hogy Option+kattintás esetén esetén mindenképp kijelölés történjen-e. Hatására szokásos, soralapú a kijelölés, és nem használható az oszlopalapú kijelölési mód. Lehetővé teszi a másolást és beillesztést rendes terminálkijelöléssel, például ha az egér mód engedélyezve van tmuxban.",
+ "terminal.integrated.copyOnSelection": "Meghatározza, hogy a terminálban kijelölt szöveg a vágólapra lesz-e másolva.",
+ "terminal.integrated.drawBoldTextInBrightColors": "Meghatározza, hogy a félkövér szöveg a terminálban mindig a világos ANSI-színváltozattal jelenik-e meg.",
+ "terminal.integrated.fontFamily": "Meghatározza a terminál betűtípusát. Alapértelmezett értéke az `#editor.fontFamily#` értéke.",
+ "terminal.integrated.fontSize": "Meghatározza a terminálban használt betű méretét, pixelekben.",
+ "terminal.integrated.letterSpacing": "Meghatározza a terminál betűközét. Értéke egy szám, ami meghatározza, hogy további hány pixel legyen a karakterek között.",
+ "terminal.integrated.lineHeight": "Meghatározza a terminál sormagasságát. A tényleges méret a megadott szám és a terminál betűméretének szorzatából jön ki.",
+ "terminal.integrated.minimumContrastRatio": "When set the foreground color of each cell will change to try meet the contrast ratio specified. Example values:\n\n- 1: The default, do nothing.\n- 4.5: [WCAG AA compliance (minimum)](https://www.w3.org/TR/UNDERSTANDING-WCAG20/visual-audio-contrast-contrast.html).\n- 7: [WCAG AAA compliance (enhanced)](https://www.w3.org/TR/UNDERSTANDING-WCAG20/visual-audio-contrast7.html).\n- 21: White on black or black on white.",
+ "terminal.integrated.fastScrollSensitivity": "Scrolling speed multiplier when pressing `Alt`.",
+ "terminal.integrated.mouseWheelScrollSensitivity": "A multiplier to be used on the `deltaY` of mouse wheel scroll events.",
+ "terminal.integrated.fontWeight": "A nem félkövér szöveg esetén használt betűvastagság a terminálban.",
+ "terminal.integrated.fontWeightBold": "A félkövér szöveg esetén használt betűvastagság a terminálban.",
+ "terminal.integrated.cursorBlinking": "Meghatározza, hogy a terminál kurzora villog-e.",
+ "terminal.integrated.cursorStyle": "Meghatározza a terminál kurzorának stílusát.",
+ "terminal.integrated.cursorWidth": "Controls the width of the cursor when `#terminal.integrated.cursorStyle#` is set to `line`.",
+ "terminal.integrated.scrollback": "Meghatározza, hogy a terminál legfeljebb hány sort tárol a pufferben.",
+ "terminal.integrated.detectLocale": "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.",
+ "terminal.integrated.detectLocale.auto": "Set the `$LANG` environment variable if the existing variable does not exist or it does not end in `'.UTF-8'`.",
+ "terminal.integrated.detectLocale.off": "Do not set the `$LANG` environment variable.",
+ "terminal.integrated.detectLocale.on": "Always set the `$LANG` environment variable.",
+ "terminal.integrated.rendererType.auto": "A VS Code válassza ki a kirajzoláshoz használt motort.",
+ "terminal.integrated.rendererType.canvas": "Use the standard GPU/canvas-based renderer.",
+ "terminal.integrated.rendererType.dom": "Tartalékmegoldásként szolgáló DOM-alapú kirajzolómotor használata.",
+ "terminal.integrated.rendererType.experimentalWebgl": "Use the experimental webgl-based renderer. Note that this has some [known issues](https://github.com/xtermjs/xterm.js/issues?q=is%3Aopen+is%3Aissue+label%3Aarea%2Faddon%2Fwebgl) and this will only be enabled for new terminals (not hot swappable like the other renderers).",
+ "terminal.integrated.rendererType": "Meghatározza, hogy a terminál tartalma hogyan van kirajzolva.",
+ "terminal.integrated.rightClickBehavior.default": "Helyi menü megjelenítése.",
+ "terminal.integrated.rightClickBehavior.copyPaste": "Másolás, ha van kijelölés, egyébként beillesztés.",
+ "terminal.integrated.rightClickBehavior.paste": "Paste on right click.",
+ "terminal.integrated.rightClickBehavior.selectWord": "Jelölje ki a kurzor alatti szót, majd jelenítse meg a helyi menüt.",
+ "terminal.integrated.rightClickBehavior": "Meghatározza, hogy a terminál hogyan reagál a jobb kattintásra.",
+ "terminal.integrated.cwd": "Explicit elérési út, ahol a terminál indítva lesz. Ez a shellfolyamat munkakönyvtára (cwd) lesz. Ez a beállítás nagyon hasznos olyan munkaterületeken, ahol a gyökérkönyvtár nem felel meg munkakönyvtárnak.",
+ "terminal.integrated.confirmOnExit": "Meghatározza, hogy kérjen-e megerősítést az alkalmazás, ha van aktív terminál-munkamenet.",
+ "terminal.integrated.enableBell": "Meghatározza, hogy engedélyezve van-e a terminálcsengő.",
+ "terminal.integrated.commandsToSkipShell": "A set of command IDs whose keybindings will not be sent to the shell and instead always be handled by Code. This allows the use of keybindings that would normally be consumed by the shell to act the same as when the terminal is not focused, for example ctrl+p to launch Quick Open.\nDefault Skipped Commands:\n\n{0}",
+ "terminal.integrated.allowChords": "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).",
+ "terminal.integrated.allowMnemonics": "Whether to allow menubar mnemonics (eg. alt+f) to trigger the open the menubar. Note that this will cause all alt keystrokes will skip the shell when true. This does nothing on macOS.",
+ "terminal.integrated.inheritEnv": "Whether new shells should inherit their environment from VS Code. This is not supported on Windows.",
+ "terminal.integrated.env.osx": "A VS Code folyamatához hozzáadott környezeti változókat tartalmazó objektum, amit a terminál használ macOS-en. Állítsa `null`-ra, ha törölni szeretné a környezeti változót!",
+ "terminal.integrated.env.linux": "A VS Code folyamatához hozzáadott környezeti változókat tartalmazó objektum, amit a terminál használ Linuxon. Állítsa `null`-ra, ha törölni szeretné a környezeti változót!",
+ "terminal.integrated.env.windows": "A VS Code folyamatához hozzáadott környezeti változókat tartalmazó objektum, amit a terminál használ Windowson. Állítsa `null`-ra, ha törölni szeretné a környezeti változót!",
+ "terminal.integrated.showExitAlert": "Meghatározza, hogy megjelenjen-e az „A terminálfolyamat a következő kilépési kóddal állt le” üzenet, ha a kilépési kód nem nulla.",
+ "terminal.integrated.splitCwd": "Meghatározza a kettéosztott terminálok munkakönyvtárát.",
+ "terminal.integrated.splitCwd.workspaceRoot": "Az új kettéosztott terminálok a munkaterület gyökérkönyvtárát használják munkakönyvtárként. Több gyökérkönyvtáras munkaterületek esetén a felhasználó választhatja ki a munkakönyvtárat.",
+ "terminal.integrated.splitCwd.initial": "Az új kettéosztott terminálok munkakönyvtára az, amivel a szülőterminál indult.",
+ "terminal.integrated.splitCwd.inherited": "MacOS-en és Linuxon az új kettéosztott terminálok a szülőterminál munkakönyvtárát használják. Windowson ugyanúgy működik, mint az `initial`.",
+ "terminal.integrated.windowsEnableConpty": "Whether to use ConPTY for Windows terminal process communication (requires Windows 10 build number 18309+). Winpty will be used if this is false.",
+ "terminal.integrated.experimentalUseTitleEvent": "An experimental setting that will use the terminal title event for the dropdown title. This setting will only apply to new terminals.",
+ "terminal.integrated.enableFileLinks": "Whether to enable file links in the terminal. Links can be slow when working on a network drive in particular because each file link is verified against the file system.",
+ "terminal.integrated.unicodeVersion.six": "Version 6 of unicode, this is an older version which should work better on older systems.",
+ "terminal.integrated.unicodeVersion.eleven": "Version 11 of unicode, this version provides better support on modern systems that use modern versions of unicode.",
+ "terminal.integrated.unicodeVersion": "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.",
+ "terminal": "Terminál",
+ "viewCategory": "Nézet"
+ },
+ "vs/workbench/contrib/terminal/common/terminalColorRegistry": {
+ "terminal.background": "A terminál háttérszíne. Ez lehetővé teszi a terminál paneltől eltérő színezését.",
+ "terminal.foreground": "A terminál előtérszíne.",
+ "terminalCursor.foreground": "A terminál kurzorának előtérszíne.",
+ "terminalCursor.background": "A terminál kurzorának háttérszíne. Lehetővé teszik az olyan karakterek színének módosítását, amelyek fölött egy blokk-típusú kurzor áll.",
+ "terminal.selectionBackground": "A terminálban kijelölt tartalom háttérszíne.",
+ "terminal.border": "A terminálokat elválasztó keret színe. Alapértelmezett értéke megegyezik a panel.border értékével.",
+ "terminal.ansiColor": "'{0}' ANSI-szín a terminálban."
+ },
+ "vs/workbench/contrib/terminal/common/terminalMenu": {
+ "miToggleIntegratedTerminal": "&&Terminal",
+ "miNewTerminal": "&&New Terminal",
+ "miSplitTerminal": "&&Split Terminal",
+ "miRunActiveFile": "Run &&Active File",
+ "miRunSelectedText": "Run &&Selected Text"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalsQuickAccess": {
+ "renameTerminal": "Rename Terminal",
+ "killTerminal": "Terminálpéldány leállítása",
+ "workbench.action.terminal.newplus": "Új integrált terminál létrehozása"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalService": {
+ "workbench.action.terminal.allowWorkspaceShell": "Munkaterületspecifikus shellkonfiguráció engedélyezése",
+ "workbench.action.terminal.disallowWorkspaceShell": "Munkaterületspecifikus shellkonfiguráció letiltása",
+ "terminalService.terminalCloseConfirmationSingular": "Van egy aktív terminálmunkamenet. Szeretné megszakítani?",
+ "terminalService.terminalCloseConfirmationPlural": "{0} aktív terminálmunkamenet van. Szeretné megszakítani?",
+ "terminal.integrated.chooseWindowsShell": "Válassza ki a preferált terminál shellt! Ez később módosítható a beállításokban."
+ },
+ "vs/workbench/contrib/terminal/browser/terminalActions": {
+ "workbench.action.terminal.newWorkspacePlaceholder": "Az aktuális munkakönyvtár kiválasztása az új terminálhoz",
+ "workbench.action.terminal.toggleTerminal": "Integrált terminál be- és kikapcsolása",
+ "workbench.action.terminal.kill": "Az aktív terminálpéldány leállítása",
+ "workbench.action.terminal.kill.short": "Terminál leállítása",
+ "workbench.action.terminal.copySelection": "Kijelölés másolása",
+ "workbench.action.terminal.copySelection.short": "Másolás",
+ "workbench.action.terminal.selectAll": "Összes kijelölése",
+ "workbench.action.terminal.deleteWordLeft": "Balra lévő szó törlése",
+ "workbench.action.terminal.deleteWordRight": "Jobbra lévő szó törlése",
+ "workbench.action.terminal.deleteToLineStart": "Törlés sorkezdetig",
+ "workbench.action.terminal.moveToLineStart": "Ugrás a sor elejére",
+ "workbench.action.terminal.moveToLineEnd": "Ugrás a sor végére",
+ "workbench.action.terminal.sendSequence": "Egyedi szekvencia küldése a terminálnak",
+ "workbench.action.terminal.newWithCwd": "Create New Integrated Terminal Starting in a Custom Working Directory",
+ "workbench.action.terminal.newWithCwd.cwd": "The directory to start the terminal at",
+ "workbench.action.terminal.new": "Új integrált terminál létrehozása",
+ "workbench.action.terminal.new.short": "Új terminál",
+ "workbench.action.terminal.newInActiveWorkspace": "Új integrált terminál létrehozása (az aktív munkaterületen)",
+ "workbench.action.terminal.split": "Terminál kettéosztása",
+ "workbench.action.terminal.split.short": "Kettéosztás",
+ "workbench.action.terminal.splitInActiveWorkspace": "Terminál kettéosztása (az aktív munkaterületen)",
+ "workbench.action.terminal.focusPreviousPane": "Váltás az előző panelra",
+ "workbench.action.terminal.focusNextPane": "Ugrás a következő panelra",
+ "workbench.action.terminal.resizePaneLeft": "Méret növelése balra",
+ "workbench.action.terminal.resizePaneRight": "Méret növelése jobbra",
+ "workbench.action.terminal.resizePaneUp": "Méret növelése felfelé",
+ "workbench.action.terminal.resizePaneDown": "Méret növelése lefelé",
+ "workbench.action.terminal.focus": "Váltás a terminálra",
+ "workbench.action.terminal.focusNext": "Váltás a következő terminálra",
+ "workbench.action.terminal.focusPrevious": "Váltás az előző terminálra",
+ "workbench.action.terminal.paste": "Beillesztés az aktív terminálba",
+ "workbench.action.terminal.paste.short": "Beillesztés",
+ "workbench.action.terminal.selectDefaultShell": "Alapértelmezett shell kiválasztása",
+ "workbench.action.terminal.runSelectedText": "Kijelölt szöveg futtatása az aktív terminálban",
+ "workbench.action.terminal.runActiveFile": "Aktív fájl futtatása az az aktív terminálban",
+ "workbench.action.terminal.runActiveFile.noFile": "Csak a lemezen lévő fájlok futtathatók a terminálban",
+ "workbench.action.terminal.switchTerminal": "Terminál váltása",
+ "terminals": "Megnyitott terminálok.",
+ "workbench.action.terminal.scrollDown": "Görgetés lefelé (soronként)",
+ "workbench.action.terminal.scrollDownPage": "Görgetés lefelé (oldalanként)",
+ "workbench.action.terminal.scrollToBottom": "Görgetés az aljára",
+ "workbench.action.terminal.scrollUp": "Görgetés felfelé (soronként)",
+ "workbench.action.terminal.scrollUpPage": "G9rgetés felfelé (oldalanként)",
+ "workbench.action.terminal.scrollToTop": "Görgetés a tetejére",
+ "workbench.action.terminal.navigationModeExit": "Exit Navigation Mode",
+ "workbench.action.terminal.navigationModeFocusPrevious": "Focus Previous Line (Navigation Mode)",
+ "workbench.action.terminal.navigationModeFocusNext": "Focus Next Line (Navigation Mode)",
+ "workbench.action.terminal.clear": "Törlés",
+ "workbench.action.terminal.clearSelection": "Kijelölés megszüntetése",
+ "workbench.action.terminal.manageWorkspaceShellPermissions": "Manage Workspace Shell Permissions",
+ "workbench.action.terminal.rename": "Átnevezés",
+ "workbench.action.terminal.rename.prompt": "Adja meg a terminál nevét!",
+ "workbench.action.terminal.renameWithArg": "Rename the Currently Active Terminal",
+ "workbench.action.terminal.renameWithArg.name": "The new name for the terminal",
+ "workbench.action.terminal.renameWithArg.noTerminal": "No active terminal to rename",
+ "workbench.action.terminal.renameWithArg.noName": "No name argument provided",
+ "workbench.action.terminal.focusFindWidget": "Váltás a keresőmodulra",
+ "workbench.action.terminal.hideFindWidget": "Keresőmodul elrejtése",
+ "quickAccessTerminal": "Aktív terminál váltása",
+ "workbench.action.terminal.scrollToPreviousCommand": "Görgetés az előző parancshoz",
+ "workbench.action.terminal.scrollToNextCommand": "Görgetés a következő parancshoz",
+ "workbench.action.terminal.selectToPreviousCommand": "Előző parancs kiválasztása",
+ "workbench.action.terminal.selectToNextCommand": "Következő parancs kiválasztása",
+ "workbench.action.terminal.selectToPreviousLine": "Kijelölés az előző sorig",
+ "workbench.action.terminal.selectToNextLine": "Kijelölés a következő sorig",
+ "workbench.action.terminal.toggleEscapeSequenceLogging": "Vezérlősorozatok naplózásának be- és kikapcsolása",
+ "workbench.action.terminal.toggleFindRegex": "Keresés reguláris kifejezéssel be- és kikapcsolása",
+ "workbench.action.terminal.toggleFindWholeWord": "Teljes szavakra való keresés be- és kikapcsolása",
+ "workbench.action.terminal.toggleFindCaseSensitive": "Kis- és nagybetűérzékeny keresés be- és kikapcsolása",
+ "workbench.action.terminal.findNext": "Következő találat",
+ "workbench.action.terminal.findPrevious": "Előző találat"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalInstance": {
+ "terminal.integrated.a11yPromptLabel": "Terminál bemenet",
+ "terminal.integrated.a11yTooMuchOutput": "Túl sok felolvasásra váró kimenet, navigáljon a sorokhoz manuálisan a felolvasáshoz!",
+ "yes": "Igen",
+ "no": "Nem",
+ "dontShowAgain": "Ne jelenítse meg újra",
+ "terminal.slowRendering": "Úgy tűnik, hogy az integrált terminál alapértelmezett kirajzolására szolgáló motorja lassú ezen a számítógépen. Szeretne váltani az alternatív, DOM-alapú kirajzolóra, amely javíthat a teljesítményen? [További információ a terminál beállításairól](https://code.visualstudio.com/docs/editor/integrated-terminal#_changing-how-the-terminal-is-rendered).",
+ "terminal.integrated.copySelection.noSelection": "A terminálban nincs semmi kijelölve a másoláshoz",
+ "terminal.integrated.exitedWithInvalidPath": "The terminal shell path \"{0}\" does not exist",
+ "terminal.integrated.exitedWithInvalidPathDirectory": "The terminal shell path \"{0}\" is a directory",
+ "terminal.integrated.exitedWithInvalidCWD": "The terminal shell CWD \"{0}\" does not exist",
+ "terminal.integrated.legacyConsoleModeError": "The terminal failed to launch properly because your system has legacy console mode enabled, uncheck \"Use legacy console\" cmd.exe's properties to fix this.",
+ "terminal.integrated.launchFailed": "A(z) '{0}{1}' terminálfolyamat-parancsot nem sikerült elindítani (kilépési kód: {2})",
+ "terminal.integrated.launchFailedExtHost": "A terminálfolyamat nem tudott elindulni (kilépési kód: {0})",
+ "terminal.integrated.exitedWithCode": "A terminálfolyamat a következő kilépési kóddal állt le: {0}"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalConfigHelper": {
+ "terminal.integrated.allowWorkspaceShell": "Do you allow this workspace to modify your terminal shell? {0}",
+ "allow": "Engedélyezés",
+ "disallow": "Tiltás",
+ "useWslExtension.title": "The '{0}' extension is recommended for opening a terminal in WSL.",
+ "install": "Telepítés"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalTab": {
+ "terminalFocus": "{0}. terminál"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalLinkHandler": {
+ "terminalLinkHandler.followLinkAlt.mac": "Option + click",
+ "terminalLinkHandler.followLinkAlt": "Alt + click",
+ "terminalLinkHandler.followLinkCmd": "Cmd + click",
+ "terminalLinkHandler.followLinkCtrl": "Ctrl + click"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalProcessExtHostProxy": {
+ "terminal.integrated.starting": "Starting..."
+ },
+ "vs/workbench/contrib/testCustomEditors/browser/testCustomEditors": {
+ "openCustomEditor": "Test Open Custom Editor",
+ "testCustomEditor": "Test Custom Editor"
+ },
+ "vs/workbench/contrib/themes/browser/themes.contribution": {
+ "selectTheme.label": "Színtéma",
+ "themes.category.light": "világos témák",
+ "themes.category.dark": "sötét témák",
+ "themes.category.hc": "high contrast themes",
+ "installColorThemes": "További színtémák telepítése...",
+ "themes.selectTheme": "Válasszon színtémát! (Előnézet a fel/le billentyűvel.)",
+ "selectIconTheme.label": "Fájlikontéma",
+ "noIconThemeLabel": "Nincs",
+ "noIconThemeDesc": "Fájlikonok letiltása",
+ "installIconThemes": "További fájlikontémák telepítése...",
+ "themes.selectIconTheme": "Válasszon fájlikontémát!",
+ "selectProductIconTheme.label": "Product Icon Theme",
+ "defaultProductIconThemeLabel": "Alapértelmezett",
+ "themes.selectProductIconTheme": "Select Product Icon Theme",
+ "generateColorTheme.label": "Színtéma generálása az aktuális beállítások alapján",
+ "preferences": "Beállítások",
+ "developer": "Fejlesztői",
+ "miSelectColorTheme": "&&Color Theme",
+ "miSelectIconTheme": "File &&Icon Theme",
+ "themes.selectIconTheme.label": "Fájlikontéma"
+ },
+ "vs/workbench/contrib/timeline/browser/timeline.contribution": {
+ "timelineConfigurationTitle": "Timeline",
+ "timeline.excludeSources": "Experimental: An array of Timeline sources that should be excluded from the Timeline view",
+ "files.openTimeline": "Open Timeline"
+ },
+ "vs/workbench/contrib/timeline/browser/timelinePane": {
+ "timeline": "Timeline",
+ "timeline.loadMore": "Load more",
+ "timeline.editorCannotProvideTimeline": "The active editor cannot provide timeline information.",
+ "timeline.noTimelineInfo": "No timeline information was provided.",
+ "timeline.loading": "Loading timeline for {0}...",
+ "refresh": "Frissítés",
+ "timeline.toggleFollowActiveEditorCommand": "Toggle Active Editor Following",
+ "timeline.filterSource": "Include: {0}"
+ },
+ "vs/workbench/contrib/update/browser/update.contribution": {
+ "miReleaseNotes": "&&Kibocsátási megjegyzések"
+ },
+ "vs/workbench/contrib/update/browser/update": {
+ "releaseNotes": "Kiadási jegyzék",
+ "showReleaseNotes": "Kiadási jegyzék megjelenítése",
+ "read the release notes": "Üdvözöljük a {0} v{1} verziójában. Szeretné megtekinteni a kiadási jegyzéket?",
+ "licenseChanged": "A licencfeltételek változtak. A változások áttekintéséhez kattintson [ide]({0})!",
+ "updateIsReady": "Új {0}-frissítés érhető el.",
+ "checkingForUpdates": "Checking for Updates...",
+ "update service": "Update Service",
+ "noUpdatesAvailable": "Jelenleg nincs elérhető frissítés.",
+ "ok": "OK",
+ "thereIsUpdateAvailable": "Van elérhető frissítés.",
+ "download update": "Download Update",
+ "later": "Később",
+ "updateAvailable": "Frissítés érhető el: {0} {1}",
+ "installUpdate": "Frissítés telepítése",
+ "updateInstalling": "{0} {1} a háttérben települ. Jelzünk, ha elkészült.",
+ "updateNow": "Frissítés most",
+ "updateAvailableAfterRestart": "A {0} újraindításával telepíthető a legújabb frissítés.",
+ "checkForUpdates": "Frissítések keresése...",
+ "DownloadingUpdate": "Frissítés letöltése...",
+ "installUpdate...": "Frissítés telepítése...",
+ "installingUpdate": "Frissítés telepítése...",
+ "restartToUpdate": "Restart to Update (1)"
+ },
+ "vs/workbench/contrib/update/browser/releaseNotesEditor": {
+ "releaseNotesInputName": "Kiadási jegyzék: {0}",
+ "unassigned": "nincs hozzárendelve"
+ },
+ "vs/workbench/contrib/url/common/url.contribution": {
+ "openUrl": "Open URL",
+ "developer": "Fejlesztői"
+ },
+ "vs/workbench/contrib/url/common/trustedDomains": {
+ "trustedDomain.manageTrustedDomain": "Manage Trusted Domains",
+ "trustedDomain.trustDomain": "Trust {0}",
+ "trustedDomain.trustSubDomain": "Trust {0} and all its subdomains",
+ "trustedDomain.trustAllDomains": "Trust all domains (disables link protection)",
+ "trustedDomain.manageTrustedDomains": "Manage Trusted Domains"
+ },
+ "vs/workbench/contrib/url/common/trustedDomainsValidator": {
+ "openExternalLinkAt": "Do you want {0} to open the external website?",
+ "open": "Megnyitás",
+ "copy": "Másolás",
+ "cancel": "Mégse",
+ "configureTrustedDomains": "Configure Trusted Domains"
+ },
+ "vs/workbench/contrib/userData/browser/userData.contribution": {
+ "userConfiguration": "User Configuration",
+ "userConfiguration.enableSync": "When enabled, synchronises User Configuration: Settings, Keybindings, Extensions & Snippets.",
+ "resolve conflicts": "Resolve Conflicts",
+ "syncing": "Synchronising User Configuration...",
+ "conflicts detected": "Unable to sync due to conflicts. Please resolve them to continue.",
+ "resolve": "Resolve Conflicts",
+ "start sync": "Sync: Start",
+ "stop sync": "Sync: Stop",
+ "resolveConflicts": "Sync: Resolve Conflicts",
+ "continue sync": "Sync: Continue"
+ },
+ "vs/workbench/contrib/userDataSync/electron-browser/userDataSync.contribution": {
+ "Open Backup folder": "Open Local Backups Folder",
+ "sync preferences": "Preferences Sync"
+ },
+ "vs/workbench/contrib/userDataSync/browser/userDataSyncView": {
+ "sync preferences": "Preferences Sync",
+ "remote title": "Remote Backup",
+ "local title": "Local Backup",
+ "workbench.action.showSyncRemoteBackup": "Show Remote Backup",
+ "workbench.action.showSyncLocalBackup": "Show Local Backup",
+ "workbench.actions.sync.resolveResourceRef": "Show full content",
+ "workbench.actions.sync.commpareWithLocal": "Módosítások megnyitása"
+ },
+ "vs/workbench/contrib/userDataSync/browser/userDataSync": {
+ "settings": "Beállítások",
+ "keybindings": "Billentyűparancsok",
+ "snippets": "Felhasználói kódrészletek",
+ "extensions": "Kiegészítők",
+ "ui state label": "UI State",
+ "sync is on with syncing": "{0} (syncing)",
+ "sync is on with time": "{0} (synced {1})",
+ "turn on sync with category": "Preferences Sync: Turn on...",
+ "sign in": "Preferences Sync: Sign in to sync",
+ "stop sync": "Preferences Sync: Turn Off",
+ "showConflicts": "Preferences Sync: Show Settings Conflicts",
+ "showKeybindingsConflicts": "Preferences Sync: Show Keybindings Conflicts",
+ "showSnippetsConflicts": "Preferences Sync: Show User Snippets Conflicts",
+ "configure sync": "Preferences Sync: Configure...",
+ "show sync log": "Preferences Sync: Show Log",
+ "sync settings": "Preferences Sync: Show Settings",
+ "chooseAccountTitle": "Preferences Sync: Choose Account",
+ "chooseAccount": "Choose an account you would like to use for preferences sync",
+ "conflicts detected": "Unable to sync due to conflicts in {0}. Please resolve them to continue.",
+ "accept remote": "Accept Remote",
+ "accept local": "Accept Local",
+ "show conflicts": "Konfliktusok megjelenítése",
+ "sign in message": "Please sign in with your {0} account to continue sync",
+ "Sign in": "Sign in",
+ "turned off": "Sync was turned off from another device.",
+ "turn on sync": "Turn on Sync",
+ "too large": "Disabled syncing {0} because size of the {1} file to sync is larger than {2}. Please open the file and reduce the size and enable sync",
+ "open file": "Open {0} File",
+ "error incompatible": "Turned off sync because local data is incompatible with the data in the cloud. Please update {0} and turn on sync to continue syncing.",
+ "errorInvalidConfiguration": "Unable to sync {0} because there are some errors/warnings in the file. Please open the file to correct errors/warnings in it.",
+ "sign in to sync": "Sign in to Sync",
+ "has conflicts": "Preferences Sync: Conflicts Detected",
+ "sync preview message": "Synchronizing your preferences is a preview feature, please read the documentation before turning it on.",
+ "open doc": "Open Documentation",
+ "cancel": "Mégse",
+ "turn on sync confirmation": "Do you want to turn on preferences sync?",
+ "turn on": "Turn On",
+ "turn on title": "Preferences Sync: Turn On",
+ "sign in and turn on sync detail": "Sign in with your {0} account to synchronize your data across devices.",
+ "sign in and turn on sync": "Sign in & Turn on",
+ "configure sync placeholder": "Choose what to sync",
+ "pick account": "{0}: Pick an account",
+ "choose account placeholder": "Pick an account for syncing",
+ "existing": "{0}",
+ "signed in": "Signed in",
+ "choose another": "Use another account",
+ "sync turned on": "Preferences sync is turned on",
+ "firs time sync": "Szinkronizálás",
+ "merge": "Merge",
+ "replace": "Replace Local",
+ "first time sync detail": "It looks like this is the first time sync is set up.\nWould you like to merge or replace with the data from the cloud?",
+ "turn off sync confirmation": "Do you want to turn off sync?",
+ "turn off sync detail": "Your settings, keybindings, extensions and UI State will no longer be synced.",
+ "turn off": "Turn Off",
+ "turn off sync everywhere": "Turn off sync on all your devices and clear the data from the cloud.",
+ "loginFailed": "Logging in failed: {0}",
+ "settings conflicts preview": "Settings Conflicts (Remote ↔ Local)",
+ "keybindings conflicts preview": "Keybindings Conflicts (Remote ↔ Local)",
+ "snippets conflicts preview": "User Snippet Conflicts (Remote ↔ Local) - {0}",
+ "turn on failed": "Error while starting Sync: {0}",
+ "global activity turn on sync": "Turn on Preferences Sync...",
+ "sign in 2": "Preferences Sync: Sign in to sync (1)",
+ "resolveConflicts_global": "Preferences Sync: Show Settings Conflicts (1)",
+ "resolveKeybindingsConflicts_global": "Preferences Sync: Show Keybindings Conflicts (1)",
+ "resolveSnippetsConflicts_global": "Preferences Sync: Show User Snippets Conflicts ({0})",
+ "sync is on": "Preferences Sync is On",
+ "turn off failed": "Error while turning off sync: {0}",
+ "Sync accept remote": "Preferences Sync: {0}",
+ "Sync accept local": "Preferences Sync: {0}",
+ "confirm replace and overwrite local": "Would you like to accept remote {0} and replace local {1}?",
+ "confirm replace and overwrite remote": "Would you like to accept local {0} and replace remote {1}?",
+ "update conflicts": "Could not resolve conflicts as there is new local version available. Please try again."
+ },
+ "vs/workbench/contrib/watermark/browser/watermark": {
+ "watermark.showCommands": "Minden parancs megjelenítése",
+ "watermark.quickAccess": "Ugrás fájlhoz",
+ "watermark.openFile": "Fájl megnyitása",
+ "watermark.openFolder": "Mappa megnyitása",
+ "watermark.openFileFolder": "Fájl vagy mappa megnyitása",
+ "watermark.openRecent": "Legutóbbi megnyitása",
+ "watermark.newUntitledFile": "Új, névtelen fájl",
+ "watermark.toggleTerminal": "Terminál be- és kikapcsolása",
+ "watermark.findInFiles": "Keresés a fájlokban",
+ "watermark.startDebugging": "Hibakeresés indítása",
+ "tips.enabled": "Ha engedélyezve van, tippek jelennek meg vízjelként, ha nincs egyetlen szerkesztőablak sem nyitva."
+ },
+ "vs/workbench/contrib/webview/browser/webview": {
+ "developer": "Fejlesztői"
+ },
+ "vs/workbench/contrib/webview/browser/webview.contribution": {
+ "webview.editor.label": "webview-szerkesztő"
+ },
+ "vs/workbench/contrib/webview/electron-browser/webviewCommands": {
+ "openToolsLabel": "Webview-fejlesztőeszközök megnyitása",
+ "editor.action.webvieweditor.copy": "Copy2",
+ "editor.action.webvieweditor.paste": "Beillesztés",
+ "editor.action.webvieweditor.cut": "Kivágás",
+ "editor.action.webvieweditor.undo": "Visszavonás",
+ "editor.action.webvieweditor.redo": "Újra"
+ },
+ "vs/workbench/contrib/webview/browser/webviewCommands": {
+ "editor.action.webvieweditor.showFind": "Show find",
+ "editor.action.webvieweditor.hideFind": "Stop find",
+ "editor.action.webvieweditor.findNext": "Következő találat",
+ "editor.action.webvieweditor.findPrevious": "Előző találat",
+ "editor.action.webvieweditor.selectAll": "Összes kijelölése",
+ "refreshWebviewLabel": "Webview-k újratöltése"
+ },
+ "vs/workbench/contrib/welcome/walkThrough/browser/walkThrough.contribution": {
+ "walkThrough.editor.label": "Interaktív játszótér",
+ "help": "Súgó",
+ "miInteractivePlayground": "I&&nteractive Playground"
+ },
+ "vs/workbench/contrib/welcome/page/browser/welcomePage.contribution": {
+ "workbench.startupEditor.none": "Indítás szerkesztőablak nélkül.",
+ "workbench.startupEditor.welcomePage": "Üdvözlőlap megnyitása (alapértelmezett).",
+ "workbench.startupEditor.readme": "README megnyitása, ha a megnyitott mappában található ilyen fájl, egyébként a „welcomePage” beállításnak megfelelő oldal jelenjen meg.",
+ "workbench.startupEditor.newUntitledFile": "Új, névtelen fájl megnyitása (csak üres munkaterület megnyitása esetén)",
+ "workbench.startupEditor.welcomePageInEmptyWorkbench": "Üdvözlőlap megnyitása üres munkaterület megnyitása esetén.",
+ "workbench.startupEditor": "Meghatározza, hogy milyen szerkesztő jelenik meg indításnál, ha egyetlen sem lett helyreállítva az előző munkamenetből.",
+ "help": "Súgó",
+ "miWelcome": "&&Welcome"
+ },
+ "vs/workbench/contrib/welcome/overlay/browser/welcomeOverlay": {
+ "welcomeOverlay.explorer": "Fájlkezelő",
+ "welcomeOverlay.search": "Keresés a fájlok között",
+ "welcomeOverlay.git": "Forráskódkezelés",
+ "welcomeOverlay.debug": "Indítás és hibakeresés",
+ "welcomeOverlay.extensions": "Kiegészítők kezelése",
+ "welcomeOverlay.problems": "Hibák és figyelmeztetések megtekintése",
+ "welcomeOverlay.terminal": "Integrált terminál be- és kikapcsolása",
+ "welcomeOverlay.commandPalette": "Összes parancs megkeresése és futtatása",
+ "welcomeOverlay.notifications": "Értesítések megjelenítése",
+ "welcomeOverlay": "Felhasználói felület áttekintése",
+ "hideWelcomeOverlay": "Felület áttekintésének elrejtése",
+ "help": "Súgó"
+ },
+ "vs/workbench/contrib/welcome/walkThrough/browser/editor/editorWalkThrough": {
+ "editorWalkThrough.title": "Interaktív játszótér",
+ "editorWalkThrough": "Interaktív játszótér"
+ },
+ "vs/workbench/contrib/welcome/common/viewsWelcomeExtensionPoint": {
+ "contributes.viewsWelcome": "Contributed views welcome content. Welcome content will be rendered in 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.",
+ "contributes.viewsWelcome.view": "Contributed welcome content for a specific view.",
+ "contributes.viewsWelcome.view.view": "Target view identifier for this welcome content.",
+ "contributes.viewsWelcome.view.contents": "Welcome content to be displayed. The format of the contents is a subset of Markdown, with support for links only.",
+ "contributes.viewsWelcome.view.when": "Condition when the welcome content should be displayed."
+ },
+ "vs/workbench/contrib/welcome/telemetryOptOut/browser/telemetryOptOut": {
+ "telemetryOptOut.optOutNotice": "Segítsen a VS Code tökéletesítésében azzal, hogy engedélyezi a Microsoft számára a használati adatok gyűjtését! Olvasssa el az [adatvédelmi nyilatkozatot]({0}), és tudja meg, hogyan [kapcsolhatja ki]({1}) ezt a funkciót.",
+ "telemetryOptOut.optInNotice": "Segítsen a VS Code tökéletesítésében azzal, hogy engedélyezi a Microsoft számára a használati adatok gyűjtését! Olvasssa el az [adatvédelmi nyilatkozatot]({0}), és tudja meg, hogyan [kapcsolhatja be]({1}) ezt a funkciót.",
+ "telemetryOptOut.readMore": "További információk",
+ "telemetryOptOut.optOutOption": "Segítsen a Microsoftnak a Visual Studio Code fejlesztésében azzal, hogy engedélyezi a használati statisztikák gyűjtését! További információkat az [adatvédelmi nyilatkozatunkban]({0}) talál.",
+ "telemetryOptOut.OptIn": "Szeretnék segíteni",
+ "telemetryOptOut.OptOut": "Köszönöm, nem"
+ },
+ "vs/workbench/contrib/welcome/walkThrough/browser/walkThroughPart": {
+ "walkThrough.unboundCommand": "nincs hozzárendelve",
+ "walkThrough.gitNotFound": "Úgy tűnik, hogy a Git nincs telepítve a rendszerre.",
+ "walkThrough.embeddedEditorBackground": "Az interaktív játszótér szerkesztőablakainak háttérszíne."
+ },
+ "vs/workbench/contrib/welcome/page/browser/welcomePage": {
+ "welcomePage": "Üdvözöljük!",
+ "welcomePage.javaScript": "JavaScript",
+ "welcomePage.python": "Python",
+ "welcomePage.php": "PHP",
+ "welcomePage.azure": "Azure",
+ "welcomePage.showAzureExtensions": "Azure-kiegészítők megjelenítése",
+ "welcomePage.docker": "Docker",
+ "welcomePage.vim": "Vim",
+ "welcomePage.sublime": "Sublime",
+ "welcomePage.atom": "Atom",
+ "welcomePage.extensionPackAlreadyInstalled": "A(z) {0}-környezet már telepítve van.",
+ "welcomePage.willReloadAfterInstallingExtensionPack": "Az ablak újratölt a(z) {0} kiegészítő környezet telepítése után.",
+ "welcomePage.installingExtensionPack": "{0} kiegészítő környezet telepítése...",
+ "welcomePage.extensionPackNotFound": "A(z) {1} azonosítójú {0}-környezet nem található.",
+ "welcomePage.keymapAlreadyInstalled": "A(z) {0} billentyűparancsok már telepítve vannak.",
+ "welcomePage.willReloadAfterInstallingKeymap": "Az ablak újratölt a(z) {0} billentyűparancsok telepítése után.",
+ "welcomePage.installingKeymap": "{0} billentyűparancsok telepítése...",
+ "welcomePage.keymapNotFound": "A(z) {1} azonosítójú {0} billentyűparancsok nem találhatók.",
+ "welcome.title": "Üdvözöljük!",
+ "welcomePage.openFolderWithPath": "{1} elérési úton található {0} mappa megnyitása",
+ "welcomePage.extensionListSeparator": ", ",
+ "welcomePage.installKeymap": "{0}-billentyűkonfiguráció telepítése",
+ "welcomePage.installExtensionPack": "{0} kiegészítő környezet telepítése",
+ "welcomePage.installedKeymap": "A(z) {0}-billenyűkiosztás már telepítve van",
+ "welcomePage.installedExtensionPack": "A(z) {0}-környezet már telepítve van.",
+ "ok": "OK",
+ "details": "Részletek",
+ "welcomePage.buttonBackground": "Az üdvözlőlapon található gombok háttérszíne",
+ "welcomePage.buttonHoverBackground": "Az üdvözlőlapon található gombok háttérszíne, amikor a mutató fölöttük áll.",
+ "welcomePage.background": "Az üdvözlőlap háttérszíne."
+ },
+ "vs/workbench/contrib/welcome/page/browser/vs_code_welcome_page": {
+ "welcomePage.vscode": "Visual Studio Code",
+ "welcomePage.editingEvolved": "Szerkesztés, továbbfejlesztve",
+ "welcomePage.start": "Start",
+ "welcomePage.newFile": "Új fájl",
+ "welcomePage.openFolder": "Mappa megnyitása...",
+ "welcomePage.addWorkspaceFolder": "Mappa hozzáadása a munkaterülethez...",
+ "welcomePage.recent": "Legutóbbi",
+ "welcomePage.moreRecent": "Tovább...",
+ "welcomePage.noRecentFolders": "Nincsenek megnyitott mappák",
+ "welcomePage.help": "Súgó",
+ "welcomePage.keybindingsCheatsheet": "Nyomatható billentyűparancs-referencia",
+ "welcomePage.introductoryVideos": "Bemutatóvideók",
+ "welcomePage.tipsAndTricks": "Tippek és trükkök",
+ "welcomePage.productDocumentation": "Termékdokumentáció",
+ "welcomePage.gitHubRepository": "GitHub-forráskódtár",
+ "welcomePage.stackOverflow": "Stack Overflow",
+ "welcomePage.newsletterSignup": "Join our Newsletter",
+ "welcomePage.showOnStartup": "Üdvözlőlap megjelenítése induláskor",
+ "welcomePage.customize": "Testreszabás",
+ "welcomePage.installExtensionPacks": "Eszközök és nyelvek",
+ "welcomePage.installExtensionPacksDescription": "{0} és {1} fejlesztőkörnyezetek telepítése ",
+ "welcomePage.showLanguageExtensions": "További nyelvi kiegészítők",
+ "welcomePage.moreExtensions": "további",
+ "welcomePage.installKeymapDescription": "Beállítások és billentyűkombinációk",
+ "welcomePage.installKeymapExtension": "{0} és {1} billentyűparancsok és beállítások telepítése ",
+ "welcomePage.showKeymapExtensions": "További billentyűkombinációs kiegészítők megjelenítése",
+ "welcomePage.others": "további",
+ "welcomePage.colorTheme": "Színtéma",
+ "welcomePage.colorThemeDescription": "Alakítsa át szeretett szerkesztőjét úgy, ahogyan szeretné!",
+ "welcomePage.learn": "További információ",
+ "welcomePage.showCommands": "Összes parancs megkeresése és futtatása",
+ "welcomePage.showCommandsDescription": "Parancsok gyors listázása és keresése a parancskatalógusban ({0})",
+ "welcomePage.interfaceOverview": "Felhasználói felület áttekintése",
+ "welcomePage.interfaceOverviewDescription": "Fedvény, ami vizuálisan bemutatja a felhasználói felület legfőbb részeit.",
+ "welcomePage.interactivePlayground": "Interaktív játszótér",
+ "welcomePage.interactivePlaygroundDescription": "Try out essential editor features in a short walkthrough"
+ },
+ "vs/workbench/services/authentication/browser/authenticationService": {
+ "noAuthenticationProviders": "No authentication providers registered"
+ },
+ "vs/workbench/services/bulkEdit/browser/bulkEditService": {
+ "workspaceEdit": "Workspace Edit",
+ "summary.0": "Nem történtek változtatások",
+ "summary.nm": "{0} változtatást végzett {0} fájlban",
+ "summary.n0": "{0} változtatást végzett egy fájlban",
+ "nothing": "Nem történtek változtatások"
+ },
+ "vs/workbench/services/configuration/common/jsonEditingService": {
+ "errorInvalidFile": "Nem sikerült írni a fájlba. Nyissa meg a fájlt, javítsa a hibákat és figyelmeztetéseket a fájlban, majd próbálja újra!",
+ "errorFileDirty": "Nem sikerült írni a fájlba, mert a fájl módosítva lett. Mentse a fájlt, majd próbálja újra!"
+ },
+ "vs/workbench/services/configuration/common/configurationEditingService": {
+ "openTasksConfiguration": "Feladatkonfiguráció megnyitása",
+ "openLaunchConfiguration": "Indítási konfiguráció megnyitása",
+ "open": "Beállítások megnyitása",
+ "saveAndRetry": "Mentés és újrapróbálkozás",
+ "errorUnknownKey": "Nem sikerült írni a következőbe: {0}. A(z) {1} nem regisztrált beállítás.",
+ "errorInvalidWorkspaceConfigurationApplication": "Nem sikerült írni a munkaterület beállításaiba, mert ez a beállítás csak a felhasználói beállításokban használható. ",
+ "errorInvalidWorkspaceConfigurationMachine": "Nem sikerült írni a munkaterület beállításaiba, mert ez a beállítás csak a felhasználói beállításokban használható. ",
+ "errorInvalidFolderConfiguration": "Nem sikerült írni a mappa beállításaiba, mert a(z) {0} nem támogatott mappa típusú erőforrások hatókörében.",
+ "errorInvalidUserTarget": "Nem sikerült írni a felhasználói beállításokba, mert a(z) {0} nem támogatott globális hatókörben.",
+ "errorInvalidWorkspaceTarget": "Nem sikerült írni a munkaterület beállításaiba, mert a(z) {0} nem támogatott munkaterületi hatókörben egy több mappát tartalmazó munkaterületen.",
+ "errorInvalidFolderTarget": "Nem sikerült írni a mappa beállításaiba, mert nincs erőforrás megadva.",
+ "errorInvalidResourceLanguageConfiguraiton": "Unable to write to Language Settings because {0} is not a resource language setting.",
+ "errorNoWorkspaceOpened": "Nem sikerült írni a következőbe: {0}. Nincs munkaterület megnyitva. Nyisson meg egy munkaterületet, majd próbálja újra!",
+ "errorInvalidTaskConfiguration": "Nem sikerült írni a feladatokat tartalmazó konfigurációs fájljába. Nyissa meg a fájlt, javítsa a benne található hibákat és figyelmeztetéseket, majd próbálja újra!",
+ "errorInvalidLaunchConfiguration": "Nem sikerült írni az indítási konfigurációs fájlba. Nyissa meg a fájlt, javítsa a benne található hibákat és figyelmeztetéseket, majd próbálja újra!",
+ "errorInvalidConfiguration": "Nem sikerült írni a felhasználói beállításokba. Nyissa meg a felhasználói beállításokat, javítsa a hibákat és figyelmeztetéseket a fájlban, majd próbálja újra!",
+ "errorInvalidRemoteConfiguration": "Unable to write into remote user settings. Please open the remote user settings to correct errors/warnings in it and try again.",
+ "errorInvalidConfigurationWorkspace": "Nem sikerült írni a munkaterület beállításaiba. Nyissa meg a munkaterület beállításait, javítsa a hibákat és figyelmeztetéseket a fájlban, majd próbálja újra!",
+ "errorInvalidConfigurationFolder": "Nem sikerült írni a mappa beállításaiba. Nyissa meg a(z) '{0}' mappa beállításait, javítsa a hibákat és figyelmeztetéseket a fájlban, majd próbálja újra!",
+ "errorTasksConfigurationFileDirty": "Nem sikerült írni a feladatokat tartalmazó konfigurációs fájljába, mert módosítva lett. Mentse, majd próbálja újra!",
+ "errorLaunchConfigurationFileDirty": "Nem sikerült írni az indítási konfigurációs fájlba, mert a fájl módosítva lett. Mentse, majd próbálja újra!",
+ "errorConfigurationFileDirty": "Nem sikerült írni a felhasználói beállításokba, mert a fájl módosítva lett. Mentse a felhasználói beállításokat tartalmazó fájlt, majd próbálja újra!",
+ "errorRemoteConfigurationFileDirty": "Unable to write into remote user settings because the file is dirty. Please save the remote user settings file first and then try again.",
+ "errorConfigurationFileDirtyWorkspace": "Nem sikerült írni a munkaterületi beállításokba, mert a fájl módosítva lett. Mentse a munkaterület beállításait tartalmazó fájlt, majd próbálja újra!",
+ "errorConfigurationFileDirtyFolder": "Nem sikerült írni a mappa beállításait tartalmazó fájlba, mert a fájl módosítva lett. Mentse a(z) '{0}' mappa beállításait tartalmazó fájlt, majd próbálja újra!",
+ "errorTasksConfigurationFileModifiedSince": "Unable to write into tasks configuration file because the content of the file is newer.",
+ "errorLaunchConfigurationFileModifiedSince": "Unable to write into launch configuration file because the content of the file is newer.",
+ "errorConfigurationFileModifiedSince": "Unable to write into user settings because the content of the file is newer.",
+ "errorRemoteConfigurationFileModifiedSince": "Unable to write into remote user settings because the content of the file is newer.",
+ "errorConfigurationFileModifiedSinceWorkspace": "Unable to write into workspace settings because the content of the file is newer.",
+ "errorConfigurationFileModifiedSinceFolder": "Unable to write into folder settings because the content of the file is newer.",
+ "userTarget": "Felhasználói beállítások",
+ "remoteUserTarget": "Remote User Settings",
+ "workspaceTarget": "Munkaterület-beállítások",
+ "folderTarget": "Mappabeálíltások"
+ },
+ "vs/workbench/services/configurationResolver/browser/configurationResolverService": {
+ "commandVariable.noStringType": "Cannot substitute command variable '{0}' because command did not return a result of type string.",
+ "inputVariable.noInputSection": "Variable '{0}' must be defined in an '{1}' section of the debug or task configuration.",
+ "inputVariable.missingAttribute": "Input variable '{0}' is of type '{1}' and must include '{2}'.",
+ "inputVariable.defaultInputValue": "(Default)",
+ "inputVariable.command.noStringType": "Cannot substitute input variable '{0}' because command '{1}' did not return a result of type string.",
+ "inputVariable.unknownType": "Input variable '{0}' can only be of type 'promptString', 'pickString', or 'command'.",
+ "inputVariable.undefinedVariable": "Undefined input variable '{0}' encountered. Remove or define '{0}' to continue."
+ },
+ "vs/workbench/services/configurationResolver/common/variableResolver": {
+ "canNotResolveFile": "A(z) '{0}' értékét nem lehet feloldani. Nyisson meg egy szerkesztőablakot!",
+ "canNotFindFolder": "A(z) '{0}' értékét nem lehet feloldani, mert nincs '{1}' nevű mappa.",
+ "canNotResolveWorkspaceFolderMultiRoot": "Az) '{0}' értékét nem lehet feloldani egy többmappás munkaterületen. Pontosítsa a változó hatókörét a : karakterrel és a mappa nevének megadásával!",
+ "canNotResolveWorkspaceFolder": "A(z) '{0}' értékét nem lehet feloldani. Nyisson meg egy mappát!",
+ "missingEnvVarName": "A(z) '{0}' értékét nem lehet feloldani, mert nincs megadva a környezeti változó neve.",
+ "configNotFound": "A(z) '{0}' értékét nem lehet feloldani, mert a(z) '{1}' beállítás nem található.",
+ "configNoString": "A(z) '{0}' értékét nem lehet feloldani, mert a(z) '{1}' strukturált értékkel rendelkezik.",
+ "missingConfigName": "A(z) '{0}' értékét nem lehet feloldani, mert nincs megadva a beállítás neve.",
+ "canNotResolveLineNumber": "A(z) '{0}' értékét nem lehet feloldani. Jelöljön ki egy sort az aktív szerkesztőablakban!",
+ "canNotResolveSelectedText": "A(z) '{0}' értékét nem lehet feloldani. Jelöljön ki szöveget az aktív szerkesztőablakban!",
+ "noValueForCommand": "A(z) '{0}' értékét nem lehet feloldani, mert a parancsnak nincs értéke."
+ },
+ "vs/workbench/services/configurationResolver/common/configurationResolverUtils": {
+ "deprecatedVariables": "Az 'env.', 'config.' és 'command.' tujdonságok elavultak, használja helyette az 'env:', 'config:' és 'command:' tulajdonságokat."
+ },
+ "vs/workbench/services/configurationResolver/common/configurationResolverSchema": {
+ "JsonSchema.input.id": "The input's id is used to associate an input with a variable of the form ${input:id}.",
+ "JsonSchema.input.type": "The type of user input prompt to use.",
+ "JsonSchema.input.description": "A bemenet bekérése során megjelenített leírás.",
+ "JsonSchema.input.default": "A bemenet alapértelmezett értéke.",
+ "JsonSchema.inputs": "Felhasználói bemenetek listája. Felhasználói bemenetek, például szabad szöveges mezők és választólisták definiálására használható.",
+ "JsonSchema.input.type.promptString": "The 'promptString' type opens an input box to ask the user for input.",
+ "JsonSchema.input.password": "Controls if a password input is shown. Password input hides the typed text.",
+ "JsonSchema.input.type.pickString": "The 'pickString' type shows a selection list.",
+ "JsonSchema.input.options": "Karakterlánctömb, ami meghatározza a választható elemek listáját.",
+ "JsonSchema.input.pickString.optionLabel": "Label for the option.",
+ "JsonSchema.input.pickString.optionValue": "Value for the option.",
+ "JsonSchema.input.type.command": "The 'command' type executes a command.",
+ "JsonSchema.input.command.command": "The command to execute for this input variable.",
+ "JsonSchema.input.command.args": "Optional arguments passed to the command."
+ },
+ "vs/workbench/services/decorations/browser/decorationsService": {
+ "bubbleTitle": "Contains emphasized items"
+ },
+ "vs/workbench/services/dialogs/electron-browser/dialogService": {
+ "yesButton": "&&Yes",
+ "cancelButton": "Mégse",
+ "aboutDetail": "Verzió: {0}\nCommit: {1}\nDátum: {2}\nElectron: {3}\nChrome: {4}\nNode.js: {5}\nV8: {6}\nOperációs rendszer: {7}",
+ "okButton": "OK",
+ "copy": "&&Copy"
+ },
+ "vs/workbench/services/dialogs/browser/dialogService": {
+ "yesButton": "&&Yes",
+ "cancelButton": "Mégse",
+ "aboutDetail": "Version: {0}\nCommit: {1}\nDate: {2}\nBrowser: {3}",
+ "copy": "Másolás",
+ "ok": "OK"
+ },
+ "vs/workbench/services/dialogs/browser/abstractFileDialogService": {
+ "saveChangesDetail": "A módosítások elvesznek, ha nem menti őket.",
+ "saveChangesMessage": "Szeretné menteni a(z) {0} fájlban elvégzett módosításokat?",
+ "saveChangesMessages": "Szeretné menteni a következő {0} fájlban elvégzett módosításokat?",
+ "saveAll": "&&Save All",
+ "save": "Menté&&s",
+ "dontSave": "Do&&n't Save",
+ "cancel": "Mégse",
+ "openFileOrFolder.title": "Fájl vagy mappa megnyitása",
+ "openFile.title": "Fájl megnyitása",
+ "openFolder.title": "Mappa megnyitása",
+ "openWorkspace.title": "Munkaterület megnyitása",
+ "filterName.workspace": "Munkaterület",
+ "saveFileAs.title": "Save As",
+ "saveAsTitle": "Save As",
+ "allFiles": "Összes fájl",
+ "noExt": "Nincs kiterjesztés"
+ },
+ "vs/workbench/services/dialogs/browser/simpleFileDialog": {
+ "openLocalFile": "Open Local File...",
+ "saveLocalFile": "Save Local File...",
+ "openLocalFolder": "Open Local Folder...",
+ "openLocalFileFolder": "Open Local...",
+ "remoteFileDialog.notConnectedToRemote": "File system provider for {0} is not available.",
+ "remoteFileDialog.local": "Show Local",
+ "remoteFileDialog.badPath": "The path does not exist.",
+ "remoteFileDialog.cancel": "Mégse",
+ "remoteFileDialog.invalidPath": "Please enter a valid path.",
+ "remoteFileDialog.validateFolder": "The folder already exists. Please use a new file name.",
+ "remoteFileDialog.validateExisting": "{0} already exists. Are you sure you want to overwrite it?",
+ "remoteFileDialog.validateBadFilename": "Please enter a valid file name.",
+ "remoteFileDialog.validateNonexistentDir": "Please enter a path that exists.",
+ "remoteFileDialog.validateFileOnly": "Please select a file.",
+ "remoteFileDialog.validateFolderOnly": "Please select a folder."
+ },
+ "vs/workbench/services/editor/browser/editorService": {
+ "sideBySideLabels": "{0} – {1}",
+ "compareLabels": "{0} ↔ {1}"
+ },
+ "vs/workbench/services/extensionManagement/electron-browser/extensionManagementServerService": {
+ "local": "Helyi",
+ "remote": "Remote"
+ },
+ "vs/workbench/services/extensionManagement/common/extensionManagementService": {
+ "singleDependentError": "Nem sikerült eltávolítani a(z) '{0}' kiegészítőt: a(z) '{1}' kiegészítő függ tőle.",
+ "twoDependentsError": "Nem sikerült eltávolítani a(z) '{0}' kiegészítőt: a(z) '{1}' és '{2}' kiegészítők függnek tőle.",
+ "multipleDependentsError": "Nem sikerült eltávolítani a(z) '{0}' kiegészítőt: a(z) '{1}', '{2}' és más kiegészítők függnek tőle.",
+ "Manifest is not found": "Installing Extension {0} failed: Manifest is not found.",
+ "cannot be installed": "Cannot install '{0}' because this extension has defined that it cannot run on the remote server."
+ },
+ "vs/workbench/services/extensionManagement/common/extensionEnablementService": {
+ "noWorkspace": "Nincs munkaterület."
+ },
+ "vs/workbench/services/extensions/electron-browser/extensionService": {
+ "extensionsDisabled": "Ideiglenesen az összes telepített kiegészítő le van tiltva. A korábbi állapot visszaállításához töltse újra az ablakot!",
+ "Reload": "Újratöltés",
+ "looping": "The following extensions contain dependency loops and have been disabled: {0}",
+ "extensionService.versionMismatchCrash": "A kiegészítő gazdafolyamata nem indítható verzióeltérés miatt.",
+ "relaunch": "VS Code újraindítása",
+ "extensionService.crash": "A kiegészítő gazdafolyamata váratlanul leállt.",
+ "devTools": "Fejlesztői eszközök megnyitása",
+ "restart": "Kiegészítő gazdafolyamatának újraindítása",
+ "getEnvironmentFailure": "Could not fetch remote environment",
+ "enableResolver": "Extension '{0}' is required to open the remote window.\nOK to enable?",
+ "enable": "Enable and Reload",
+ "installResolver": "Extension '{0}' is required to open the remote window.\nnOK to install?",
+ "install": "Install and Reload",
+ "resolverExtensionNotFound": "`{0}` not found on marketplace",
+ "restartExtensionHost": "Kiegészítő gazdafolyamatának újraindítása",
+ "developer": "Fejlesztői"
+ },
+ "vs/workbench/services/extensions/electron-browser/remoteExtensionManagementIpc": {
+ "incompatible": "A(z) „{0}” kiegészítő nem telepíthető, mivel nem kompatibilis a VS Code „{1}” verziójával."
+ },
+ "vs/workbench/services/extensions/browser/extensionUrlHandler": {
+ "confirmUrl": "Allow an extension to open this URI?",
+ "rememberConfirmUrl": "Don't ask again for this extension.",
+ "open": "&&Open",
+ "reloadAndHandle": "A(z) „{0}” kiegészítő nincs betöltve. Szeretné újratölteni az ablakot, betölteni a kiegészítőt és megnyitni az URL-t?",
+ "reloadAndOpen": "&&Reload Window and Open",
+ "enableAndHandle": "A(z) „{0}” kiegészítő nincs betöltve. Szeretné engedélyezni a kiegészítőt és újratölteni az ablakot az URL megnyitásához?",
+ "enableAndReload": "&&Enable and Open",
+ "installAndHandle": "A(z) „{0}” kiegészítő nincs telepítve. Szeretné telepíteni a kiegészítőt és újratölteni az ablakot az URL megnyitásához?",
+ "install": "&&Install",
+ "Installing": "„{0}” kiegészítő telepítése...",
+ "reload": "Szeretné újratölteni az ablakot és megnyitni a következő URL-t: „{0}”?",
+ "Reload": "Ablak újratöltése és megnyitás",
+ "manage": "Manage Authorized Extension URIs..."
+ },
+ "vs/workbench/services/extensions/common/extensionsRegistry": {
+ "ui": "UI extension kind. In a remote window, such extensions are enabled only when available on the local machine.",
+ "workspace": "Workspace extension kind. In a remote window, such extensions are enabled only when available on the remote.",
+ "vscode.extension.engines": "Motorkompatibilitás.",
+ "vscode.extension.engines.vscode": "VS Code kiegészítőkhöz. Meghatározza azt a VS Code-verziót, amivel a kiegészítő kompatibilis. Nem lehet *. Például a ^0.10.5 a VS Code minimum 0.10.5-ös verziójával való kompatibilitást jelzi.",
+ "vscode.extension.publisher": "A VS Code-kiegészítő kiadója.",
+ "vscode.extension.displayName": "A kiegészítő VS Code galériában megjelenített neve.",
+ "vscode.extension.categories": "A VS Code-galériában való kategorizálásra használt kategóriák.",
+ "vscode.extension.category.languages.deprecated": "Használja helyette a „programozási nyelveket”!",
+ "vscode.extension.galleryBanner": "A VS Code piactéren használt szalagcím.",
+ "vscode.extension.galleryBanner.color": "A VS Code piactéren használt szalagcím színe.",
+ "vscode.extension.galleryBanner.theme": "A szalagcímben használt betűtípus színsémája.",
+ "vscode.extension.contributes": "A csomagban található összes szolgáltatás, amit ez a VS Code kiterjesztés tartalmaz.",
+ "vscode.extension.preview": "A kiegészítő előnézetesnek jelölése a piactéren.",
+ "vscode.extension.activationEvents": "A VS Code kiegészítő aktiválási eseményei.",
+ "vscode.extension.activationEvents.onLanguage": "Aktiváló esemény, ami akkor fut le, ha az adott nyelvhez társított fájl kerül megnyitásra.",
+ "vscode.extension.activationEvents.onCommand": "Aktiváló esemény, ami akkor fut le, amikor a megadott parancsot meghívják.",
+ "vscode.extension.activationEvents.onDebug": "Aktiváló esemény, ami akkor fut le, ha a felhasználó hibakeresést indít el vagy beállítani készül a hibakeresési konfigurációt.",
+ "vscode.extension.activationEvents.onDebugInitialConfigurations": "Aktivációs esemény, ami minden esetben kiváltódik, ha \"launch.json\"-t kell létrehozni (és az összes provideDebugConfigurations metódusokat meg kell hívni).",
+ "vscode.extension.activationEvents.onDebugResolve": "Aktiváló esemény, ami akkor fut, ha a megadott típusú hibakeresési munkamenetnek kell elindulnia (és a megfelelő resolveDebugConfiguration metódusokat meg kell hívni).",
+ "vscode.extension.activationEvents.onDebugAdapterProtocolTracker": "Aktiváló esemény, ami akkor fut, ha a megadott típusú hibakeresési munkamenetnek kell elindulnia, és egy hibakeresési követőre van szükség.",
+ "vscode.extension.activationEvents.workspaceContains": "Aktiváló esemény, ami akkor fut le, ha egy olyan mappa kerül megnyitásra, amiben legalább egy olyan fájl van, amely illeszkedik a megadott globális mintára.",
+ "vscode.extension.activationEvents.onFileSystem": "Aktiváló esemény, ami akkor fut le, amikor a megadott sémával rendelkező mappához akar valaki hozzáférni.",
+ "vscode.extension.activationEvents.onSearch": "Aktiváló esemény, ami akkor fut le, amikor keresés indul a megadott sémával rendelkező mappában.",
+ "vscode.extension.activationEvents.onView": "Aktiváló esemény, ami akkor fut le, amikor a megadott nézetet kiterjesztik.",
+ "vscode.extension.activationEvents.onIdentity": "An activation event emitted whenever the specified user identity.",
+ "vscode.extension.activationEvents.onUri": "Aktiváló esemény, ami akkor fut le, amikor megnyílik egy URI, ami ehhez a kiegészítőhöz van irányítva.",
+ "vscode.extension.activationEvents.onCustomEditor": "An activation event emitted whenever the specified custom editor becomes visible.",
+ "vscode.extension.activationEvents.star": "Aktiváló esemény, ami a VS Code indításakor fut le. A jó felhasználói élmény érdekében csak akkor használja ezt az eseményt, ha más aktiváló események nem alkalmasak az adott kiegészítő esetében.",
+ "vscode.extension.badges": "A kiegészítő piactéren található oldalának oldalsávjában megjelenő jelvények listája.",
+ "vscode.extension.badges.url": "A jelvény kép URL-je.",
+ "vscode.extension.badges.href": "A jelvény hivatkozása.",
+ "vscode.extension.badges.description": "A jelvény leírása.",
+ "vscode.extension.markdown": "Meghatározza a piactéren a markdown-tartalom megjelenítéséhez használt motort.",
+ "vscode.extension.qna": "Controls the Q&A link in the Marketplace. Set to marketplace to enable the default Marketplace Q & A site. Set to a string to provide the URL of a custom Q & A site. Set to false to disable Q & A altogether.",
+ "vscode.extension.extensionDependencies": "Más kiegészítők, melyek függőségei ennek a kiegészítőnek. A kiegészítők azonosítója mindig ${publisher}.${name} formájú. Például: vscode.csharp.",
+ "vscode.extension.contributes.extensionPack": "Kiegészítők csoportja, amelyeket együtt lehet telepíteni. A kiegészítők azonosítója mindig „${publisher}.${name}” formában van. Példa: „vscode.csharp”. ",
+ "extensionKind": "Define the kind of an extension. `ui` extensions are installed and run on the local machine while `workspace` extensions run on the remote.",
+ "extensionKind.ui": "Define an extension which can run only on the local machine when connected to remote window.",
+ "extensionKind.workspace": "Define an extension which can run only on the remote machine when connected remote window.",
+ "extensionKind.ui-workspace": "Define an extension which can run on either side, with a preference towards running on the local machine.",
+ "extensionKind.workspace-ui": "Define an extension which can run on either side, with a preference towards running on the remote machine.",
+ "extensionKind.empty": "Define an extension which cannot run in a remote context, neither on the local, nor on the remote machine.",
+ "vscode.extension.scripts.prepublish": "A VS Code kiegészítő publikálása előtt végrehajtott parancsfájl.",
+ "vscode.extension.scripts.uninstall": "Eltávolítási illesztőpont VS Code kiegészítők számára. Parancsfájl, ami a VS Code újraindítása (leállása és elindítása) esetén fut le a kiegészítő teljes eltávolítása után. Csak Node-parancsfájlok használhatók.",
+ "vscode.extension.icon": "Egy 128x128 pixeles ikon elérési útja."
+ },
+ "vs/workbench/services/extensions/common/remoteExtensionHostClient": {
+ "remote extension host Log": "Remote Extension Host"
+ },
+ "vs/workbench/services/extensions/common/extensionHostProcessManager": {
+ "measureExtHostLatency": "Measure Extension Host Latency",
+ "developer": "Fejlesztői"
+ },
+ "vs/workbench/services/extensions/electron-browser/cachedExtensionScanner": {
+ "overwritingExtension": "A(z) {0} kiegészítő felülírása a következővel: {1}.",
+ "extensionUnderDevelopment": "A(z) {0} elérési úton található fejlesztői kiegészítő betöltése",
+ "extensionCache.invalid": "A kiegészítők módosultak a lemezen. Töltse újra az ablakot!",
+ "reloadWindow": "Ablak újratöltése"
+ },
+ "vs/workbench/services/extensions/electron-browser/extensionHost": {
+ "extensionHost.startupFailDebug": "A kiegészítő gazdafolyamata nem idult el 10 másodperben belül. Elképzelhető, hogy megállt az első soron, és szüksége van a hibakeresőre a folytatáshoz.",
+ "extensionHost.startupFail": "A kiegészítő gazdafolyamata nem idult el 10 másodperben belül. Ez probléma lehet.",
+ "reloadWindow": "Ablak újratöltése",
+ "extension host Log": "Kiegészítő gazdafolyamata",
+ "extensionHost.error": "A kiegészítő gazdafolyamatától hiba érkezett: {0}"
+ },
+ "vs/workbench/services/extensions/node/extensionPoints": {
+ "jsonParseFail": "Failed to parse {0}: [{1}, {2}] {3}.",
+ "fileReadFail": "A(z) ({0}) fájl nem olvasható: {1}.",
+ "jsonsParseReportErrors": "Hiba a(z) {0} feldolgozása közben: {1}.",
+ "jsonInvalidFormat": "Invalid format {0}: JSON object expected.",
+ "missingNLSKey": "A(z) {0} kulcshoz tartozó üzenet nem található.",
+ "notSemver": "A kiegészítő verziója nem semver-kompatibilis.",
+ "extensionDescription.empty": "A kiegészítő leírása üres",
+ "extensionDescription.publisher": "a publisher tulajdonság értékének `string` típusúnak kell lennie.",
+ "extensionDescription.name": "a(z) `{0}` tulajdonság kötelező és `string` típusúnak kell lennie",
+ "extensionDescription.version": "a(z) `{0}` tulajdonság kötelező és `string` típusúnak kell lennie",
+ "extensionDescription.engines": "a(z) `{0}` tulajdonság kötelező és `object` típusúnak kell lennie",
+ "extensionDescription.engines.vscode": "a(z) `{0}` tulajdonság kötelező és `string` típusúnak kell lennie",
+ "extensionDescription.extensionDependencies": "a(z) `{0}` tulajdonság elhagyható vagy `string[]` típusúnak kell lennie",
+ "extensionDescription.activationEvents1": "a(z) `{0}` tulajdonság elhagyható vagy `string[]` típusúnak kell lennie",
+ "extensionDescription.activationEvents2": "a(z) `{0}` és `{1}` megadása kötelező vagy mindkettőt el kell hagyni",
+ "extensionDescription.main1": "a(z) `{0}` tulajdonság elhagyható vagy `string` típusúnak kell lennie",
+ "extensionDescription.main2": "A `main` ({0}) nem a kiegészítő mappáján belül található ({1}). Emiatt előfordulhat, hogy a kiegészítő nem lesz hordozható.",
+ "extensionDescription.main3": "a(z) `{0}` és `{1}` megadása kötelező vagy mindkettőt el kell hagyni"
+ },
+ "vs/workbench/services/files/common/workspaceWatcher": {
+ "netVersionError": "A működéshez Microsoft .NET-keretrendszer 4.5 szükséges. A telepítéshez kövesse az alábbi hivatkozást!",
+ "installNet": ".NET Framework 4.5 letöltése",
+ "enospcError": "Unable to watch for file changes in this large workspace. Please follow the instructions link to resolve this issue.",
+ "learnMore": "Utasítások"
+ },
+ "vs/workbench/services/integrity/node/integrityService": {
+ "integrity.prompt": "A feltelepített {0} hibásnak tűnik. Telepítse újra!",
+ "integrity.moreInformation": "További információ",
+ "integrity.dontShowAgain": "Ne jelenítse meg újra"
+ },
+ "vs/workbench/services/keybinding/electron-browser/keybinding.contribution": {
+ "keyboardConfigurationTitle": "Billentyűzet",
+ "touchbar.enabled": "Ha elérhető, engedélyezi a macOS érintősávgombokat a billentyűzeten.",
+ "touchbar.ignored": "A set of identifiers for entries in the touchbar that should not show up (for example `workbench.action.navigateBack`."
+ },
+ "vs/workbench/services/keybinding/common/keybindingEditing": {
+ "errorKeybindingsFileDirty": "Nem lehet írni a billentyűparancsokat tartalmazó fájlba, mert módosítva lett. Mentse, majd próbálja újra!",
+ "parseErrors": "Nem lehet írni a billentyűparancsokat tartalmazó konfigurációs fájlba. Nyissa meg a fájlt, javítsa a benne található hibákat vagy figyelmeztetéseket, majd próbálja újra!",
+ "errorInvalidConfiguration": "Nem lehet írni a billentyűparancsokat tartalmazó konfigurációs fájlt. A fájlban van egy objektum, ami nem tömb típusú. Nyissa meg a fájlt, javítsa a hibát, majd próbálja újra!",
+ "emptyKeybindingsHeader": "Az ebben a fájlban elhelyezett billentyűparancsok felülírják az alapértelmezett beállításokat"
+ },
+ "vs/workbench/services/keybinding/browser/keybindingService": {
+ "nonempty": "az érték nem lehet üres.",
+ "requirestring": "a(z) `{0}` tulajdonság kötelező és `string` típusúnak kell lennie",
+ "optstring": "a(z) `{0}` tulajdonság elhagyható vagy `string` típusúnak kell lennie",
+ "vscode.extension.contributes.keybindings.command": "A billentyűparancs aktiválása esetén futtatandó parancs azonosítója.",
+ "vscode.extension.contributes.keybindings.args": "Arguments to pass to the command to execute.",
+ "vscode.extension.contributes.keybindings.key": "Key or key sequence (separate keys with plus-sign and sequences with space, e.g. Ctrl+O and Ctrl+L L for a chord).",
+ "vscode.extension.contributes.keybindings.mac": "Mac-specifikus billentyű vagy billentyűsorozat.",
+ "vscode.extension.contributes.keybindings.linux": "Linux-specifikus billentyű vagy billentyűsorozat.",
+ "vscode.extension.contributes.keybindings.win": "Windows-specifikus billentyű vagy billentyűsorozat.",
+ "vscode.extension.contributes.keybindings.when": "A billentyűparancs aktiválási feltétele.",
+ "vscode.extension.contributes.keybindings": "Billentyűparancsok kezelését teszi lehetővé.",
+ "invalid.keybindings": "Érvénytelen `contributes.{0}`: {1}",
+ "unboundCommands": "A további elérhető parancsok a következők: ",
+ "keybindings.json.title": "Billentyűparancsok konfigurációja",
+ "keybindings.json.key": "Billentyű vagy billentyűsorozat (szóközzel elválasztva)",
+ "keybindings.json.command": "A végrehajtandó parancs neve",
+ "keybindings.json.when": "A billentyűparancs aktiválási feltétele.",
+ "keybindings.json.args": "A végrehajtandó parancs számára átadott argumentumok",
+ "keyboardConfigurationTitle": "Billentyűzet",
+ "dispatch": "Meghatározza, hogy a billentyűleütések észleléséhez a `code` (ajánlott) vagy `keyCode` esemény legyen használva."
+ },
+ "vs/workbench/services/label/common/labelService": {
+ "vscode.extension.contributes.resourceLabelFormatters": "Contributes resource label formatting rules.",
+ "vscode.extension.contributes.resourceLabelFormatters.scheme": "URI scheme on which to match the formatter on. For example \"file\". Simple glob patterns are supported.",
+ "vscode.extension.contributes.resourceLabelFormatters.authority": "URI authority on which to match the formatter on. Simple glob patterns are supported.",
+ "vscode.extension.contributes.resourceLabelFormatters.formatting": "Rules for formatting uri resource labels.",
+ "vscode.extension.contributes.resourceLabelFormatters.label": "Label rules to display. For example: myLabel:/${path}. ${path}, ${scheme} and ${authority} are supported as variables.",
+ "vscode.extension.contributes.resourceLabelFormatters.separator": "Separator to be used in the uri label display. '/' or '' as an example.",
+ "vscode.extension.contributes.resourceLabelFormatters.tildify": "Controls if the start of the uri label should be tildified when possible.",
+ "vscode.extension.contributes.resourceLabelFormatters.formatting.workspaceSuffix": "A munkaterület címéhez fűzött utótag.",
+ "untitledWorkspace": "Névtelen (munkaterület)",
+ "workspaceNameVerbose": "{0} (Workspace)",
+ "workspaceName": "{0} (Workspace)"
+ },
+ "vs/workbench/services/lifecycle/electron-browser/lifecycleService": {
+ "errorClose": "An unexpected error prevented the window from closing ({0}).",
+ "errorQuit": "An unexpected error prevented the application from closing ({0}).",
+ "errorReload": "An unexpected error prevented the window from reloading ({0}).",
+ "errorLoad": "An unexpected error prevented the window from changing it's workspace ({0})."
+ },
+ "vs/workbench/services/mode/common/workbenchModeService": {
+ "vscode.extension.contributes.languages": "Nyelvdeklarációkat definiál.",
+ "vscode.extension.contributes.languages.id": "A nyelv azonosítója",
+ "vscode.extension.contributes.languages.aliases": "A nyelv kiegészítő nevei.",
+ "vscode.extension.contributes.languages.extensions": "A nyelvhez hozzárendelt fájlkiterjesztések.",
+ "vscode.extension.contributes.languages.filenames": "A nyelvhez hozzárendelt fájlnevek.",
+ "vscode.extension.contributes.languages.filenamePatterns": "A nyelvhez hozzárendelt globális minták.",
+ "vscode.extension.contributes.languages.mimetypes": "A nyelvhez hozzárendelt MIME-típusok.",
+ "vscode.extension.contributes.languages.firstLine": "Reguláris kifejezés, ami az adott nyelven írt fájl első sorára illeszkedik.",
+ "vscode.extension.contributes.languages.configuration": "A nyelvhez tartozó konfigurációkat tartalmazó fájl relatív elérési útja.",
+ "invalid": "Érvénytelen `contributes.{0}`: a várt érték egy tömb.",
+ "invalid.empty": "A `contributes.{0}` értéke üres",
+ "require.id": "a(z) `{0}` tulajdonság kötelező és `string` típusúnak kell lennie",
+ "opt.extensions": "a(z) `{0}` tulajdonság elhagyható és `string[]` típusúnak kell lennie",
+ "opt.filenames": "a(z) `{0}` tulajdonság elhagyható és `string[]` típusúnak kell lennie",
+ "opt.firstLine": "a(z) `{0}` tulajdonság elhagyható és `string` típusúnak kell lennie",
+ "opt.configuration": "a(z) `{0}` tulajdonság elhagyható és `string` típusúnak kell lennie",
+ "opt.aliases": "a(z) `{0}` tulajdonság elhagyható és `string[]` típusúnak kell lennie",
+ "opt.mimetypes": "a(z) `{0}` tulajdonság elhagyható és `string[]` típusúnak kell lennie"
+ },
+ "vs/workbench/services/notification/common/notificationService": {
+ "neverShowAgain": "Ne jelenítse meg újra"
+ },
+ "vs/workbench/services/preferences/common/preferences": {
+ "userSettingsTarget": "Felhasználói beállítások",
+ "workspaceSettingsTarget": "Munkaterület-beállítások"
+ },
+ "vs/workbench/services/preferences/browser/preferencesService": {
+ "openFolderFirst": "Munkaterületspecifikus beállítások létrehozásához nyisson meg egy mappát",
+ "emptyKeybindingsHeader": "Az ebben a fájlban elhelyezett billentyűparancsok felülírják az alapértelmezett beállításokat",
+ "defaultKeybindings": "Alapértelmezett billentyűparancsok",
+ "defaultSettings": "Default Settings",
+ "folderSettingsName": "{0} (mappabeállítások)",
+ "fail.createSettings": "Nem sikerült a(z) '{0}' létrehozás ({1})."
+ },
+ "vs/workbench/services/preferences/common/preferencesEditorInput": {
+ "settingsEditorName": "Alapértelmezett beállítások",
+ "keybindingsInputName": "Billentyűparancsok",
+ "settingsEditor2InputName": "Beállítások"
+ },
+ "vs/workbench/services/preferences/common/preferencesModels": {
+ "commonlyUsed": "Gyakran használt",
+ "validations.stringArrayUniqueItems": "A tömb többször tartalmaz néhány elemet",
+ "validations.stringArrayMinItem": "Array must have at least {0} items",
+ "validations.stringArrayMaxItem": "Array must have at most {0} items",
+ "validations.stringArrayItemPattern": "Value {0} must match regex {1}.",
+ "validations.stringArrayItemEnum": "Value {0} is not one of {1}",
+ "validations.exclusiveMax": "Az értéknek szigorúan kisebbnek kell lennie, mint {0}.",
+ "validations.exclusiveMin": "Az értéknek szigorúan nagyobbnak kell lennie mint {0}.",
+ "validations.max": "Az értéknek kisebbnek vagy egyenlőnek kell lennie mint {0}.",
+ "validations.min": "Az értéknek nagyobbnak vagy egyenlőnek kell lennie mint {0}.",
+ "validations.multipleOf": "Az értéknek {0} többszörésének kell lennie.",
+ "validations.expectedInteger": "Az értéknek egész számnak kell lennie.",
+ "validations.maxLength": "Az értéknek {0} vagy kevesebb karakteresnek kell lennie.",
+ "validations.minLength": "Az értéknek {0} vagy több karakteresnek kell lennie.",
+ "validations.regex": "Az értéknek illeszkednie kell a következő reguláris kifejezésre: `{0}`.",
+ "validations.expectedNumeric": "Az értéknek számnak kell lennie.",
+ "defaultKeybindingsHeader": "A billentyűparancsok fájlban elhelyezett billentyűparancsok felülírják az alapértelmezett beállításokat"
+ },
+ "vs/workbench/services/preferences/common/keybindingsEditorModel": {
+ "default": "Alapértelmezett",
+ "user": "Felhasználói",
+ "cat.title": "{0}: {1}",
+ "meta": "meta",
+ "option": "beállítás"
+ },
+ "vs/workbench/services/progress/browser/progressService": {
+ "progress.text2": "{0}: {1}",
+ "progress.title3": "[{0}] {1}: {2}",
+ "progress.title2": "[{0}]: {1}",
+ "status.progress": "Progress Message",
+ "cancel": "Mégse",
+ "dismiss": "Elvetés"
+ },
+ "vs/workbench/services/remote/common/abstractRemoteAgentService": {
+ "connectionError": "Failed to connect to the remote extension host server (Error: {0})"
+ },
+ "vs/workbench/services/textfile/electron-browser/nativeTextFileService": {
+ "fileBinaryError": "A fájl binárisnak tűnik és nem nyitható meg szövegként",
+ "fileReadOnlyError": "A fájl csak olvasható"
+ },
+ "vs/workbench/services/textfile/browser/textFileService": {
+ "fileBinaryError": "A fájl binárisnak tűnik és nem nyitható meg szövegként",
+ "confirmOverwrite": "'{0}' already exists. Do you want to replace it?",
+ "irreversible": "A file or folder with the name '{0}' already exists in the folder '{1}'. Replacing it will overwrite its current contents.",
+ "replaceButtonLabel": "&&Csere"
+ },
+ "vs/workbench/services/textfile/common/textFileEditorModelManager": {
+ "genericSaveError": "Hiba a(z) {0} mentése közben ({1})."
+ },
+ "vs/workbench/services/textfile/common/textFileEditorModel": {
+ "saveFileFirst": "A fájl módosítva lett. Mentse, mielőtt megnyitná egy másik kódolással."
+ },
+ "vs/workbench/services/textfile/common/textFileSaveParticipant": {
+ "saveParticipants": "Saving '{0}'"
+ },
+ "vs/workbench/services/textMate/browser/abstractTextMateService": {
+ "invalid.language": "Ismeretlen nyelv található a következőben: `contributes.{0}.language`. A megadott érték: {1}",
+ "invalid.scopeName": "Hiányzó karakterlánc a `contributes.{0}.scopeName`-ben. A megadott érték: {1}",
+ "invalid.path.0": "Hiányzó karakterlánc a `contributes.{0}.path`-ban. A megadott érték: {1}",
+ "invalid.injectTo": "A `contributes.{0}.injectTo` értéke érvénytelen. Az értéke egy tömb lehet, ami nyelvhatókörök neveit tartalmazza. A megadott érték: {1}",
+ "invalid.embeddedLanguages": "A `contributes.{0}.embeddedLanguages` értéke érvénytelen. Az értéke egy hatókörnév-nyelv kulcs-érték párokat tartalmazó objektum lehet. A megadott érték: {1}",
+ "invalid.tokenTypes": "A `contributes.{0}.tokenTypes` értéke érvénytelen. Az értéke egy hatókörnév-tokentípus kulcs-érték párokat tartalmazó objektum lehet. A megadott érték: {1}",
+ "invalid.path.1": "A `contributes.{0}.path` ({1}) nem a kiegészítő mappáján belül található ({2}). Emiatt előfordulhat, hogy a kiegészítő nem lesz hordozható.",
+ "too many characters": "Tokenization is skipped for long lines for performance reasons. The length of a long line can be configured via `editor.maxTokenizationLineLength`.",
+ "neverAgain": "Ne jelenítse meg újra"
+ },
+ "vs/workbench/services/textMate/common/TMGrammarFactory": {
+ "no-tm-grammar": "Nincs TM Grammar regisztrálva ehhez a nyelvhez."
+ },
+ "vs/workbench/services/textMate/common/TMGrammars": {
+ "vscode.extension.contributes.grammars": "TextMate-tokenizálókat szolgáltat.",
+ "vscode.extension.contributes.grammars.language": "Annak a nyelvnek az azonosítója, amely számára szolgáltatva van ez a szintaxis.",
+ "vscode.extension.contributes.grammars.scopeName": "A tmLanguage-fájl által használt TextMate-hatókör neve.",
+ "vscode.extension.contributes.grammars.path": "A tmLanguage-fájl elérési útja. Az elérési út relatív a kiegészítő mappájához képest, és általában './syntaxes/'-zal kezdődik.",
+ "vscode.extension.contributes.grammars.embeddedLanguages": "Hatókörnév-nyelvazonosító kulcs-érték párokat tartalmazó objektum, ha a nyelvtan tartalmaz beágyazott nyelveket.",
+ "vscode.extension.contributes.grammars.tokenTypes": "Hatókörnevek leképezése tokentípusokra.",
+ "vscode.extension.contributes.grammars.injectTo": "Azon nyelvi hatókörök nevei, ahová be lesz ágyazva ez a nyelvtan."
+ },
+ "vs/workbench/services/themes/common/colorExtensionPoint": {
+ "contributes.color": "Kiegészítők által definiált, témázható színeket szolgáltat.",
+ "contributes.color.id": "A témázható szín azonosítója.",
+ "contributes.color.id.format": "Az azonosítókat az aa[.bb]* formában kell megadni.",
+ "contributes.color.description": "A témázható szín leírása.",
+ "contributes.defaults.light": "Az alapértelmezett szín világos témák esetén. Vagy egy szín hex formátumban (#RRGGBB[AA]) vagy egy témázható szín azonosítója, ami meghatározza az alapértelmezett értéket.",
+ "contributes.defaults.dark": "Az alapértelmezett szín sötét témák esetén. Vagy egy szín hex formátumban (#RRGGBB[AA]) vagy egy témázható szín azonosítója, ami meghatározza az alapértelmezett értéket.",
+ "contributes.defaults.highContrast": "Az alapértelmezett szín nagy kontrasztú témák esetén. Vagy egy szín hex formátumban (#RRGGBB[AA]) vagy egy témázható szín azonosítója, ami meghatározza az alapértelmezett értéket.",
+ "invalid.colorConfiguration": "a 'configuration.colors' értékét tömbként kell megadni",
+ "invalid.default.colorType": "A(z) {0} értéke egy szín hex formátumban (#RRGGBB[AA]) vagy egy témázható szín azonosítója, ami meghatározza az alapértelmezett értéket.",
+ "invalid.id": "A 'configuration.colors.id' értékét meg kell adni, és nem lehet üres",
+ "invalid.id.format": "A 'configuration.colors.id' értékét a word[.word]* formátumban kell megadni.",
+ "invalid.description": "A 'configuration.colors.description' értékét meg kell adni, és nem lehet üres",
+ "invalid.defaults": "A 'configuration.colors.defaults' értékét meg kell adni, és tartalmaznia kell 'light', 'dark' és 'highContrast' tulajdonságokat"
+ },
+ "vs/workbench/services/themes/browser/workbenchThemeService": {
+ "error.cannotloadtheme": "Nem sikerült betölteni a(z) '{0}' témát: {1}."
+ },
+ "vs/workbench/services/themes/common/tokenClassificationExtensionPoint": {
+ "contributes.semanticTokenTypes": "Contributes semantic token types.",
+ "contributes.semanticTokenTypes.id": "The identifier of the semantic token type",
+ "contributes.semanticTokenTypes.id.format": "Identifiers should be in the form letterOrDigit[_-letterOrDigit]*",
+ "contributes.semanticTokenTypes.superType": "The super type of the semantic token type",
+ "contributes.semanticTokenTypes.superType.format": "Super types should be in the form letterOrDigit[_-letterOrDigit]*",
+ "contributes.color.description": "The description of the semantic token type",
+ "contributes.semanticTokenModifiers": "Contributes semantic token modifiers.",
+ "contributes.semanticTokenModifiers.id": "The identifier of the semantic token modifier",
+ "contributes.semanticTokenModifiers.id.format": "Identifiers should be in the form letterOrDigit[_-letterOrDigit]*",
+ "contributes.semanticTokenModifiers.description": "The description of the semantic token modifier",
+ "contributes.semanticTokenScopes": "Contributes semantic token scope maps.",
+ "contributes.semanticTokenScopes.languages": "Lists the languge for which the defaults are.",
+ "contributes.semanticTokenScopes.scopes": "Maps a semantic token (described by semantic token selector) to one or more textMate scopes used to represent that token.",
+ "invalid.id": "'configuration.{0}.id' must be defined and can not be empty",
+ "invalid.id.format": "'configuration.{0}.id' must follow the pattern letterOrDigit[-_letterOrDigit]*",
+ "invalid.superType.format": "'configuration.{0}.superType' must follow the pattern letterOrDigit[-_letterOrDigit]*",
+ "invalid.description": "'configuration.{0}.description' must be defined and can not be empty",
+ "invalid.semanticTokenTypeConfiguration": "'configuration.semanticTokenType' must be an array",
+ "invalid.semanticTokenModifierConfiguration": "'configuration.semanticTokenModifier' must be an array",
+ "invalid.semanticTokenScopes.configuration": "'configuration.semanticTokenScopes' must be an array",
+ "invalid.semanticTokenScopes.language": "'configuration.semanticTokenScopes.language' must be a string",
+ "invalid.semanticTokenScopes.scopes": "'configuration.semanticTokenScopes.scopes' must be defined as an object",
+ "invalid.semanticTokenScopes.scopes.value": "'configuration.semanticTokenScopes.scopes' values must be an array of strings",
+ "invalid.semanticTokenScopes.scopes.selector": "configuration.semanticTokenScopes.scopes': Problems parsing selector {0}."
+ },
+ "vs/workbench/services/themes/browser/productIconThemeData": {
+ "defaultTheme": "Alapértelmezett",
+ "error.cannotparseicontheme": "Problems parsing product icons file: {0}",
+ "error.invalidformat": "Invalid format for product icons theme file: Object expected.",
+ "error.missingProperties": "Invalid format for product icons theme file: Must contain iconDefinitions and fonts."
+ },
+ "vs/workbench/services/themes/common/colorThemeSchema": {
+ "schema.token.settings": "A token színe és stílusa.",
+ "schema.token.foreground": "A token előtérszíne.",
+ "schema.token.background.warning": "A tokenek háttérszíne jelenleg nem támogatott.",
+ "schema.token.fontStyle": "A szabály betűstílusa 'italic', 'bold', 'underline', ezek kombinációja lehet. Az üres szöveg eltávolítja az örökölt beállításokat.",
+ "schema.fontStyle.error": "A betűstílus 'italic', 'bold', 'underline', ezek kombinációja vagy üres szöveg lehet.",
+ "schema.token.fontStyle.none": "Nincs (örökölt stílusok eltávolítása)",
+ "schema.properties.name": "Description of the rule.",
+ "schema.properties.scope": "Hatókörszelektor, amire ez a szabály illeszkedik.",
+ "schema.workbenchColors": "Colors in the workbench",
+ "schema.tokenColors.path": "Egy tmTheme-fájl elérési útja (az aktuális fájlhoz képest relatívan).",
+ "schema.colors": "A szintaktikai kiemeléshez használt színek",
+ "schema.supportsSemanticHighlighting": "Whether semantic highlighting should be enabled for this theme.",
+ "schema.semanticTokenColors": "Colors for semantic tokens"
+ },
+ "vs/workbench/services/themes/common/productIconThemeSchema": {
+ "schema.fonts": "Az ikondefiníciókban használt betűkészletek.",
+ "schema.id": "A betűkészlet azonosítója.",
+ "schema.src": "A betűkészlet elérési útja.",
+ "schema.font-path": "The font path, relative to the current workbench icon theme file.",
+ "schema.font-format": "A betűkészlet formátuma.",
+ "schema.font-weight": "A betűkészlet betűvastagsága.",
+ "schema.font-sstyle": "A betűkészlet stílusa.",
+ "schema.font-size": "A betűkészlet alapértelmezett mérete.",
+ "schema.iconDefinitions": "Assocation of icon name to a font character."
+ },
+ "vs/workbench/services/themes/common/fileIconThemeSchema": {
+ "schema.folderExpanded": "Kinyitott mappánál használt ikon. A kinyitott mappa ikonját nem kötelező megadni. Ha nincs megadva, akkor a mappaikon lesz megjelenítve.",
+ "schema.folder": "A bezárt mappák ikonja, illetve ha a folderExpanded nincs megadva, akkor a kinyitott mappáké is.",
+ "schema.file": "Az alapértelmezett fájlikon, ami minden olyan fájlnál megjelenik, ami nem illeszkedik egyetlen kiterjesztésre, fájlnévre vagy nyelvazonosítóra sem.",
+ "schema.folderNames": "Ikonokat társít mappanevekhez. Az objektum kulcsa a mappa neve elérési útvonalrészletek nélkül. Nem tartalmazhat mintákat és helyettesítő karaktereket. A mappa nevének vizsgálatánál a kis- és nagybetűk nincsenek megkülönböztetve.",
+ "schema.folderName": "A társításhoz tartozó ikondefiníció azonosítója. ",
+ "schema.folderNamesExpanded": "Ikonokat társít mappanevekhez kinyitott mappák esetén. Az objektum kulcsa a mappa neve elérési útvonalrészletek nélkül. Nem tartalmazhat mintákat és helyettesítő karaktereket. A mappa nevének vizsgálatánál a kis- és nagybetűk nincsenek megkülönböztetve.",
+ "schema.folderNameExpanded": "A társításhoz tartozó ikondefiníció azonosítója. ",
+ "schema.fileExtensions": "Ikonokat társít fájlkiterjesztésekhez. Az objektum kulcsa a fájlkiterjesztés neve. A kiterjesztés neve a fájl nevének utolsó része az utolsó pont után (a pont nélkül). A kiterjesztések vizsgálatánál a kis- és nagybetűk nincsenek megkülönböztetve. ",
+ "schema.fileExtension": "A társításhoz tartozó ikondefiníció azonosítója. ",
+ "schema.fileNames": "Ikonokat társít fájlnevekhez. Az objektum kulcsa a fájl teljes neve, az elérési út többi része nélkül. A fájlnév tartalmazhat pontokat és fájlkiterjesztést. Nem tartalmazhat mintákat és helyettesítő karaktereket. A fájlnevek vizsgálatánál a kis- és nagybetűk nincsenek megkülönböztetve.",
+ "schema.fileName": "A társításhoz tartozó ikondefiníció azonosítója. ",
+ "schema.languageIds": "Ikonokat társít nyelvekhez. Az objektum kulcsa a nyelvet szolgáltató komponens által definiált nyelvazonosító.",
+ "schema.languageId": "A társításhoz tartozó ikondefiníció azonosítója. ",
+ "schema.fonts": "Az ikondefiníciókban használt betűkészletek.",
+ "schema.id": "A betűkészlet azonosítója.",
+ "schema.src": "A betűkészlet elérési útja.",
+ "schema.font-path": "A betűkészlet elérési útja, relatívan az aktuális ikontémafájlhoz képest.",
+ "schema.font-format": "A betűkészlet formátuma.",
+ "schema.font-weight": "A betűkészlet betűvastagsága.",
+ "schema.font-sstyle": "A betűkészlet stílusa.",
+ "schema.font-size": "A betűkészlet alapértelmezett mérete.",
+ "schema.iconDefinitions": "A fájlok ikonokhoz történő rendelésénél használható ikonok leírása.",
+ "schema.iconDefinition": "Egy ikondefiníció. Az objektum kulcsa a definíció azonosítója.",
+ "schema.iconPath": "SVG vagy PNG használata esetén a kép elérési útja. Az elérési út relatív az ikonkészletfájlhoz képest.",
+ "schema.fontCharacter": "Betűkészlet használata esetén a betűkészletből használandó karakter.",
+ "schema.fontColor": "Betűkészlet használata esetén a használt szín.",
+ "schema.fontSize": "Betűkészlet használata esetén a betűkészlet mérete a szöveg betűkészletének méretéhez képest, százalékban. Ha nincs megadva, akkor a betűkészlet-definícióban megadott érték van használva.",
+ "schema.fontId": "Betűkészlet használata esetén a betűkészlet azonosítója. Ha nincs megadva, akkor az első betűkészlet-definíció van használva.",
+ "schema.light": "Fájlikon-társítások világos témák használata esetén. Nem kötelező megadni.",
+ "schema.highContrast": "Fájlikon-társítások nagy kontrasztú témák használata esetén. Nem kötelező megadni.",
+ "schema.hidesExplorerArrows": "Meghatározza, hogy a fájlkezelőben megjelenő nyilak el legyenek-e rejtve, amikor ez a téma aktív."
+ },
+ "vs/workbench/services/themes/browser/fileIconThemeData": {
+ "error.cannotparseicontheme": "Hiba a fájlikonokat leíró fájl feldolgozása közben: {0}",
+ "error.invalidformat": "Invalid format for file icons theme file: Object expected."
+ },
+ "vs/workbench/services/themes/common/themeConfiguration": {
+ "colorTheme": "Meghatározza a munkaterületen használt színtémát.",
+ "colorThemeError": "A téma ismeretlen vagy nincs telepítve.",
+ "preferredDarkColorTheme": "Specifies the preferred color theme for dark OS appearance when '{0}' is enabled.",
+ "preferredLightColorTheme": "Specifies the preferred color theme for light OS appearance when '{0}' is enabled.",
+ "preferredHCColorTheme": "Specifies the preferred color theme used in high contrast mode when '{0}' is enabled.",
+ "detectColorScheme": "If set, automatically switch to the preferred color theme based on the OS appearance.",
+ "workbenchColors": "Felülírja az aktuális színtémában definiált színeket.",
+ "iconTheme": "Specifies the file icon theme used in the workbench or 'null' to not show any file icons.",
+ "noIconThemeDesc": "Nincsenek fájlikonok",
+ "iconThemeError": "A fájlikontéma ismeretlen vagy nincs telepítve.",
+ "workbenchIconTheme": "Specifies the workbench icon theme used.",
+ "defaultWorkbenchIconThemeDesc": "Alapértelmezett",
+ "workbenchIconThemeError": "Workbench icon theme is unknown or not installed.",
+ "editorColors.comments": "Meghatározza a megjegyzések színét és stílusát.",
+ "editorColors.strings": "Meghatározza a sztringliterálok színét és stílusát.",
+ "editorColors.keywords": "Meghatározza a kulcsszavak színét és stílusát.",
+ "editorColors.numbers": "Meghatározza a számliterálok színét és stílusát.",
+ "editorColors.types": "Meghatározza a típusdeklarációk és -referenciák színét és stílusát.",
+ "editorColors.functions": "Meghatározza a függvénydeklarációk és -referenciák színét és stílusát.",
+ "editorColors.variables": "Meghatározza a változódeklarációk és -referenciák színét és stílusát.",
+ "editorColors.textMateRules": "Színek és stílusok beállítása textmate témázási szabályok alapján (haladó).",
+ "editorColors.semanticHighlighting": "Whether semantic highlighting should be enabled for this theme.",
+ "editorColors": "Felülírja az aktuális színtémában definiált, szerkesztőablakhoz kapcsolódó színeket és betűstílusokat.",
+ "editorColorsTokenStyles": "Overrides token color and styles from the currently selected color theme."
+ },
+ "vs/workbench/services/themes/common/themeExtensionPoints": {
+ "vscode.extension.contributes.themes": "TextMate-színtémákat szolgáltat.",
+ "vscode.extension.contributes.themes.id": "Id of the color theme as used in the user settings.",
+ "vscode.extension.contributes.themes.label": "A színtéma felhasználói felületen megjelenő neve.",
+ "vscode.extension.contributes.themes.uiTheme": "A szerkesztőablak körül megjelenő elemek alaptémája. A 'vs' a világos, a 'vs-dark' a sötét színtéma, a 'hc-black' pedig a sötét, nagy kontrasztú téma.",
+ "vscode.extension.contributes.themes.path": "Path of the tmTheme file. The path is relative to the extension folder and is typically './colorthemes/awesome-color-theme.json'.",
+ "vscode.extension.contributes.iconThemes": "Fájlikontémákat szolgáltat.",
+ "vscode.extension.contributes.iconThemes.id": "Id of the file icon theme as used in the user settings.",
+ "vscode.extension.contributes.iconThemes.label": "Label of the file icon theme as shown in the UI.",
+ "vscode.extension.contributes.iconThemes.path": "Path of the file icon theme definition file. The path is relative to the extension folder and is typically './fileicons/awesome-icon-theme.json'.",
+ "vscode.extension.contributes.productIconThemes": "Contributes product icon themes.",
+ "vscode.extension.contributes.productIconThemes.id": "Id of the product icon theme as used in the user settings.",
+ "vscode.extension.contributes.productIconThemes.label": "Label of the product icon theme as shown in the UI.",
+ "vscode.extension.contributes.productIconThemes.path": "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'.",
+ "reqarray": "a(z) `{0}` kiegszítési pontot tömbként kell megadni",
+ "reqpath": "Hiányzó karakterlánc a `contributes.{0}.path`-ban. A megadott érték: {1}",
+ "reqid": "Hiányzó karakterlánc a `contributes.{0}.id`-ben. A megadott érték: {1}",
+ "invalid.path.1": "A `contributes.{0}.path` ({1}) nem a kiegészítő mappáján belül található ({2}). Emiatt előfordulhat, hogy a kiegészítő nem lesz hordozható."
+ },
+ "vs/workbench/services/themes/common/colorThemeData": {
+ "error.cannotparsejson": "Hiba a JSON témafájl feldolgozása közben: {0}",
+ "error.invalidformat": "Invalid format for JSON theme file: Object expected.",
+ "error.invalidformat.colors": "Hiba a színtémafájl feldolgozása közben: {0}. A 'colors' értéke nem 'object' típusú.",
+ "error.invalidformat.tokenColors": "Hiba a színtémafájl feldolgozása közben: {0}. A 'tokenColors' tulajdonság vagy egy színeket tartalmazó tömb legyen vagy egy TextMate témafájl elérési útja.",
+ "error.invalidformat.semanticTokenColors": "Problem parsing color theme file: {0}. Property 'semanticTokenColors' conatains a invalid selector",
+ "error.plist.invalidformat": "Hiba a tmTheme-fájl feldolgozása közben: {0}. A 'settings' nem egy tömb.",
+ "error.cannotparse": "Hiba a tmTheme-fájl feldolgozása közben: {0}",
+ "error.cannotload": "Hiba a(z) {0} tmTheme fájl betöltése közben: {1}"
+ },
+ "vs/workbench/services/userData/common/settingsSync": {
+ "Settings Conflicts": "Local ↔ Remote (Settings Conflicts)",
+ "errorInvalidSettings": "Unable to sync settings. Please resolve conflicts without any errors/warnings and try again."
+ },
+ "vs/workbench/services/userDataSync/common/userDataSyncUtil": {
+ "select extensions": "Sync: Select Extensions to Sync",
+ "choose extensions to sync": "Choose extensions to sync"
+ },
+ "vs/workbench/services/workingCopy/common/workingCopyFileOperationParticipant": {
+ "msg-create": "Running 'File Create' participants...",
+ "msg-rename": "Running 'File Rename' participants...",
+ "msg-copy": "Running 'File Copy' participants...",
+ "msg-delete": "Running 'File Delete' participants..."
+ },
+ "vs/workbench/services/workspace/electron-browser/workspaceEditingService": {
+ "workspaceOpenedMessage": "Nem sikerült menteni a(z) '{0}' munkaterületet",
+ "ok": "OK",
+ "workspaceOpenedDetail": "A munkaterület már meg van nyitva egy másik ablakban. Zárja be azt az ablakot, majd próbálja újra!"
+ },
+ "vs/workbench/services/workspace/browser/workspaceEditingService": {
+ "save": "Mentés",
+ "doNotSave": "Ne mentse",
+ "cancel": "Mégse",
+ "saveWorkspaceMessage": "Szeretné menteni a munkaterület konfigurációját egy fájlba?",
+ "saveWorkspaceDetail": "Mentse el a munkaterületet, ha meg szeretné nyitni újra!",
+ "saveWorkspace": "Save Workspace",
+ "differentSchemeRoots": "Workspace folders from different providers are not allowed in the same workspace.",
+ "errorInvalidTaskConfiguration": "Nem sikerült írni a munkaterület konfigurációs fájljába. Nyissa meg a fájlt, javítsa a benne található hibákat és figyelmeztetéseket, majd próbálja újra!",
+ "errorWorkspaceConfigurationFileDirty": "Nem sikerült írni a munkaterület konfigurációs fájljába, mert módosítva lett. Mentse, majd próbálja újra!",
+ "openWorkspaceConfigurationFile": "Munkaterület-konfiguráció megnyitása"
+ },
+ "vs/workbench/services/workspaces/electron-browser/workspaceEditingService": {
+ "save": "Mentés",
+ "doNotSave": "Don't Save",
+ "cancel": "Mégse",
+ "saveWorkspaceMessage": "Szeretné menteni a munkaterület konfigurációját egy fájlba?",
+ "saveWorkspaceDetail": "Mentse el a munkaterületet, ha meg szeretné nyitni újra!",
+ "workspaceOpenedMessage": "Nem sikerült menteni a(z) '{0}' munkaterületet",
+ "ok": "OK",
+ "workspaceOpenedDetail": "A munkaterület már meg van nyitva egy másik ablakban. Zárja be azt az ablakot, majd próbálja újra!"
+ },
+ "vs/workbench/services/workspaces/browser/abstractWorkspaceEditingService": {
+ "save": "Mentés",
+ "saveWorkspace": "Save Workspace",
+ "differentSchemeRoots": "Workspace folders from different providers are not allowed in the same workspace.",
+ "errorInvalidTaskConfiguration": "Nem sikerült írni a munkaterület konfigurációs fájljába. Nyissa meg a fájlt, javítsa a benne található hibákat és figyelmeztetéseket, majd próbálja újra!",
+ "errorWorkspaceConfigurationFileDirty": "Nem sikerült írni a munkaterület konfigurációs fájljába, mert módosítva lett. Mentse, majd próbálja újra!",
+ "openWorkspaceConfigurationFile": "Munkaterület-konfiguráció megnyitása"
+ }
+}
diff --git a/internal/vite-plugin-monaco-editor-nls/src/locale/id.json b/internal/vite-plugin-monaco-editor-nls/src/locale/id.json
new file mode 100644
index 0000000..7c31f00
--- /dev/null
+++ b/internal/vite-plugin-monaco-editor-nls/src/locale/id.json
@@ -0,0 +1,7205 @@
+{
+ "win32/i18n/Default": {
+ "SetupAppTitle": "Pemasangan",
+ "SetupWindowTitle": "Pemasangan - %1",
+ "UninstallAppTitle": "Melepas",
+ "UninstallAppFullTitle": "Melepas - 1%",
+ "InformationTitle": "Informasi",
+ "ConfirmTitle": "Konfirmasi",
+ "ErrorTitle": "Kesalahan",
+ "SetupLdrStartupMessage": "Tindakan ini akan memasang %1. Apakah Anda ingin melanjutkan?",
+ "LdrCannotCreateTemp": "Tidak dapat membuat berkas sementara. Pemasangan dibatalkan",
+ "LdrCannotExecTemp": "Tidak dapat menjalankan berkas di lokasi sementara. Pemasangan dibatalkan",
+ "LastErrorMessage": "%1.%n%nKesalahan %2: %3",
+ "SetupFileMissing": "Berkas %1 tidak ditemukan di lokasi pemasangan. Mohon perbaiki masalah tersebut atau gunakan salinan program yang baru.",
+ "SetupFileCorrupt": "Berkas pemasangan rusak. Mohon dapatkan salinan program yang baru.",
+ "SetupFileCorruptOrWrongVer": "Berkas pemasangan rusak atau tidak kompatibel dengan versi pemasang ini. Mohon perbaiki masalah tersebut atau gunakan salinan program yang baru.",
+ "InvalidParameter": "Parameter yang tidak benar dimasukkan ke baris perintah:%n%n%1",
+ "SetupAlreadyRunning": "Pemasangan sudah berjalan.",
+ "WindowsVersionNotSupported": "Program ini tidak mendukung versi Windows yang komputer anda jalankan.",
+ "WindowsServicePackRequired": "Program ini membutuhkan %1 Service Pack %2 atau yang lebih tinggi.",
+ "NotOnThisPlatform": "Program ini tidak akan berjalan di %1.",
+ "OnlyOnThisPlatform": "Program ini harus berjalan di %1.",
+ "OnlyOnTheseArchitectures": "Program ini hanya dapat dipasang pada versi Windows yang dirancang untuk arsitektur prosesor berikut: %n%n %1",
+ "MissingWOW64APIs": "Versi Windows yang Anda jalankan tidak menyertakan fungsionalitas yang dibutuhkan oleh Pemasang untuk melakukan instalasi 64-bit. Untuk memperbaiki masalah ini, harap instal Service Pack %1.",
+ "WinVersionTooLowError": "Program ini membutuhkan %1 versi %2 atau lebih tinggi.",
+ "WinVersionTooHighError": "Program ini tidak bisa dipasang di %1 versi %2 atau yang lebih tinggi.",
+ "AdminPrivilegesRequired": "Anda harus masuk sebagai administrator ketika memasang program ini.",
+ "PowerUserPrivilegesRequired": "Anda harus masuk sebagain administrator atau anggota dari kelompok Power Users ketika memasang program ini.",
+ "SetupAppRunningError": "Pemasang mendeteksi bahwa %1 sedang berjalan.%n%nMohon tutup semuanya, lalu klik OK untuk melanjutkan atau Batal untuk keluar.",
+ "UninstallAppRunningError": "Penglepas mendeteksi bahwa %1 sedang berjalan.%n%nMohon tutup semuanya, lalu klik OK untuk melanjutkan atau Batal untuk keluar.",
+ "ErrorCreatingDir": "Pemasang tidak dapat membuat direktori \"%1\"",
+ "ErrorTooManyFilesInDir": "Tidak dapat membuat berkas di direktori \"%1\" karena mengandung terlalu banyak berkas",
+ "ExitSetupTitle": "Keluar dari Pemasangan",
+ "ExitSetupMessage": "Pemasangan belum selesai. Jika Anda keluar sekarang, program tidak akan dipasang%n%nAnda dapat menjalankan pemasangan di lain waktu. Keluar?",
+ "AboutSetupMenuItem": "&About Setup...",
+ "AboutSetupTitle": "Tentang Pemasangan",
+ "AboutSetupMessage": "%1 versi %2%n%3%n%n%1 laman depan:%n%4",
+ "ButtonBack": "< &Back",
+ "ButtonNext": "&Next >",
+ "ButtonInstall": "&Install",
+ "ButtonOK": "OK",
+ "ButtonCancel": "Batal",
+ "ButtonYes": "&Yes",
+ "ButtonYesToAll": "Yes to &All",
+ "ButtonNo": "&No",
+ "ButtonNoToAll": "N&o to All",
+ "ButtonFinish": "&Finish",
+ "ButtonBrowse": "&Browse...",
+ "ButtonWizardBrowse": "B&rowse...",
+ "ButtonNewFolder": "&Make New Folder",
+ "SelectLanguageTitle": "Pilih Bahasa Pemasangan",
+ "SelectLanguageLabel": "Pilih bahasa yang akan digunakan selama pemasangan:",
+ "ClickNext": "Klik Berikutnya untuk melanjutkan atau Batal untuk keluar dari pemasangan.",
+ "BrowseDialogTitle": "Jelajahi Folder",
+ "BrowseDialogLabel": "Pilih folder dari daftar berikut, lalu klik OK.",
+ "NewFolderName": "Folder Baru",
+ "WelcomeLabel1": "Selamat datang di Pemasangan [name]",
+ "WelcomeLabel2": "[name/ver] akan dipasang di komputer Anda.%n%nAnda disarankan untuk menutup semua aplikasi lain sebelum melanjutkan.",
+ "WizardPassword": "Kata Sandi",
+ "PasswordLabel1": "Pemasangan ini diproteksi kata sandi.",
+ "PasswordLabel3": "Mohon masukkan kata sandi, lalu klik Berikutnya untuk melanjutkan. Perhatikan kapitalisasi huruf.",
+ "PasswordEditLabel": "&Password:",
+ "IncorrectPassword": "Kata sandi yang Anda masukan tidak benar. Silakan coba lagi.",
+ "WizardLicense": "Perjanjian Lisensi",
+ "LicenseLabel": "Mohon baca informasi penting berikut sebelum melanjutkan.",
+ "LicenseLabel3": "Mohon baca perjanjian lisensi berikut. Anda harus menerima syarat-syarat perjanjian ini sebelum melanjutkan pemasangan.",
+ "LicenseAccepted": "Saya &setuju dengan perjanjian tersebut",
+ "LicenseNotAccepted": "I &do not accept the agreement",
+ "WizardInfoBefore": "Informasi",
+ "InfoBeforeLabel": "Mohon baca informasi penting berikut sebelum melanjutkan.",
+ "InfoBeforeClickLabel": "Jika Anda siap melanjutkan pemasangan, klik Berikutnya.",
+ "WizardInfoAfter": "Informasi",
+ "InfoAfterLabel": "Mohon baca informasi penting berikut sebelum melanjutkan.",
+ "InfoAfterClickLabel": "Jika Anda siap melanjutkan pemasangan, klik Berikutnya.",
+ "WizardUserInfo": "Informasi Pengguna",
+ "UserInfoDesc": "Silakan masukan informasi Anda.",
+ "UserInfoName": "&User Name:",
+ "UserInfoOrg": "&Organization:",
+ "UserInfoSerial": "&Serial Number:",
+ "UserInfoNameRequired": "Anda harus memasukan sebuah nama.",
+ "WizardSelectDir": "Pilih lokasi tujuan",
+ "SelectDirDesc": "Di mana [name] akan dipasang?",
+ "SelectDirLabel3": "[name] akan dipasang di folder berikut.",
+ "SelectDirBrowseLabel": "Untuk melanjutkan, klik Berikutnya. Jika Anda ingin memilih folder yang berbeda, klik Jelajahi.",
+ "DiskSpaceMBLabel": "Dibutuhkan setidaknya [mb] MB ruang bebas pada disk.",
+ "CannotInstallToNetworkDrive": "Pemasangan tidak dapat dilakukan di cakram jaringan.",
+ "CannotInstallToUNCPath": "Pemasangan tidak bisa dilakukan di lokasi UNC.",
+ "InvalidPath": "Anda harus memasukkan lokasi lengkap dengan huruf penanda cakram. Contoh: %n%nC:\\APP%n%natau lokasi UNC dengan format:%n%n\\\\server\\share",
+ "InvalidDrive": "Cakram atau lokasi UNC yang Anda pilih tidak ditemukan atau tidak bisa diakses. Mohon pilih yang lain.",
+ "DiskSpaceWarningTitle": "Ruang bebas pada cakram terlalu kecil",
+ "DiskSpaceWarning": "Pemasangan membutuhkan paling sedikit %1 KB ruang bebas, tapi ruang bebas cakram ini hanya %2 KB.%n%nApakah Anda tetap ingin melanjutkan?",
+ "DirNameTooLong": "Nama folder atau lokasi terlalu panjang.",
+ "InvalidDirName": "Nama folder tidak benar.",
+ "BadDirName32": "Nama folder tidak dapat mengandung karakter berikut:%n%n%1",
+ "DirExistsTitle": "Folder sudah ada",
+ "DirExists": "Folder:%n%n%1%n%nsudah ada. Apakah Anda tetap ingin memasang pada folder tersebut?",
+ "DirDoesntExistTitle": "Folder Tidak Ada",
+ "DirDoesntExist": "Tidak ada folder bernama:%n%n%1%n%n. Apakah Anda ingin membuat folder tersebut?",
+ "WizardSelectComponents": "Pilih Komponen",
+ "SelectComponentsDesc": "Komponen apa saja yang akan dipasang?",
+ "SelectComponentsLabel2": "Pilih komponen yang ingin Anda pasang; hilangkan pilihan pada komponen yang tidak ingin Anda pasang. Klik Berikutnya jika Anda siap untuk melanjutkan.",
+ "FullInstallation": "Pemasangan penuh",
+ "CompactInstallation": "Pemasangan ringkas",
+ "CustomInstallation": "Kustomisasi pemasangan",
+ "NoUninstallWarningTitle": "Komponen sudah ada",
+ "NoUninstallWarning": "Pemasang mendeteksi bahwa komponen berikut sudah dipasang:%n%n%1%n%nMenghilangkan pilihan pada komponen berikut tidak akan melepasnya.%n%nApakah Anda ingin melanjutkan?",
+ "ComponentSize1": "%1 KB",
+ "ComponentSize2": "%1 MB",
+ "ComponentsDiskSpaceMBLabel": "Pilihan saat ini membutuhkan ruang bebas paling sedikit [mb] MB.",
+ "WizardSelectTasks": "Pilih tugas tambahan",
+ "SelectTasksDesc": "Tugas apa lagi yang harus dijalankan?",
+ "SelectTasksLabel2": "Pilih tugas tambahan yang akan dijalankan saat pemasangan [name], lalu klik Berikutnya.",
+ "WizardSelectProgramGroup": "Pilih folder di menu Start",
+ "SelectStartMenuFolderDesc": "Di mana pemintas program akan dibuat?",
+ "SelectStartMenuFolderLabel3": "Pemintas program akan dibuat di folder menu Start berikut.",
+ "SelectStartMenuFolderBrowseLabel": "Untuk melanjutkan, klik Berikutnya. Jika Anda ingin memilih folder yang berbeda, klik Jelajahi.",
+ "MustEnterGroupName": "Anda harus memasukkan nama folder.",
+ "GroupNameTooLong": "Nama folder atau lokasi terlalu panjang.",
+ "InvalidGroupName": "Nama folder tidak benar.",
+ "BadGroupName": "Nama folder tidak dapat mengandung karakter berikut:%n%n%1",
+ "NoProgramGroupCheck2": "& Jangan buat folder Start Menu",
+ "WizardReady": "Siap melakukan pemasangan",
+ "ReadyLabel1": "Pemasang siap melakukan pemasangan [name] pada komputer Anda.",
+ "ReadyLabel2a": "Klik Pasang untuk memulai pemasangan, atau klik Kembali jika Anda ingin meninjau atau mengubah pengaturan.",
+ "ReadyLabel2b": "Klik Pasang untuk memulai pemasangan",
+ "ReadyMemoUserInfo": "Informasi pengguna:",
+ "ReadyMemoDir": "Lokasi tujuan:",
+ "ReadyMemoType": "Jenis pemasangan:",
+ "ReadyMemoComponents": "Komponen yang dipilih:",
+ "ReadyMemoGroup": "Folder pada menu Start:",
+ "ReadyMemoTasks": "Tugas tambahan:",
+ "WizardPreparing": "Bersiap untuk memasang",
+ "PreparingDesc": "Pemasang sedang bersiap memasang [name]",
+ "PreviousInstallNotCompleted": "Pemasangan/penglepasan program sebelumnya tidak lengkap. Anda harus memulai ulang komputer Anda untuk menyelesaikannya.%n%nSetelah itu, jalankan kembali pemasang untuk menyelesaikan pemasangan [name].",
+ "CannotContinue": "Pemasangan tidak dapat dilanjutkan. Klik Cancel untuk keluar.",
+ "ApplicationsFound": "Aplikasi berikut sedang menggunakan berkas yang akan diperbarui oleh pemasang. Anda disarankan untuk mengizinkan pemasang menutup aplikasi tersebut.",
+ "ApplicationsFound2": "Aplikasi berikut sedang menggunakan berkas yang akan diperbarui oleh pemasang. Anda disarankan untuk mengizinkan pemasang menutup aplikasi tersebut. Setelah pemasangan selesai, aplikasi tersebut akan dibuka ulang.",
+ "CloseApplications": "&Automatically close the applications",
+ "DontCloseApplications": "&Do not close the applications",
+ "ErrorCloseApplications": "Pemasang tidak dapat menutup semua aplikasi tersebut. Anda disarankan untuk menutupnya secara manual sebelum melanjutkan.",
+ "WizardInstalling": "Sedang memasang",
+ "InstallingLabel": "Silakan tunggu sembari [name] dipasang.",
+ "FinishedHeadingLabel": "Menyelesaikan pemasangan [name]",
+ "FinishedLabelNoIcons": "[name] telah selesai dipasang.",
+ "FinishedLabel": "Persiapan telah selesai menginsdtal [name] di komputer Anda. Aplikasi dapat diluncurkan dengan memilih ikon yang terinstal.",
+ "ClickFinish": "Klik Selesai untuk keluar dari pemasangan.",
+ "FinishedRestartLabel": "Untuk menyelesaikan pemasangan [name], komputer Anda harus dimulai ulang. Apakah Anda setuju?",
+ "FinishedRestartMessage": "Untuk menyelesaikan pemasangan [name], komputer Anda harus dimulai ulang.%n%nApakah Anda setuju?",
+ "ShowReadmeCheck": "Ya, saya ingin membaca berkas BACA SAYA",
+ "YesRadio": "&Yes, restart the computer now",
+ "NoRadio": "&No, I will restart the computer later",
+ "RunEntryExec": "Jalankan %1",
+ "RunEntryShellExec": "Lihat %1",
+ "ChangeDiskTitle": "Pemasang membutuhkan cakram berikutnya",
+ "SelectDiskLabel2": "Mohon masukkan cakram %1 dan klik OK.%n%nJika file juga ada di tempat lain, ketik lokasinya atau klik Jelajahi",
+ "PathLabel": "&Path:",
+ "FileNotInDir2": "Berkas \"%1\" tidak bisa ditemukan di \"&2\". Mohon masukkan cakram yang benar atau pilih folder lain.",
+ "SelectDirectoryLabel": "Mohon tentukan lokasi cakram berikutnya.",
+ "SetupAborted": "Pemasangan tidak dapat diselesaikan.%n%nMohon selesaikan masalahnya dan ulangi pemasangan.",
+ "EntryAbortRetryIgnore": "Klik Coba lagi untuk mencoba kembali, Abaikan untuk melanjutkan, atau Batalkan untuk membatalkan pemasangan.",
+ "StatusClosingApplications": "Menutup aplikasi...",
+ "StatusCreateDirs": "Membuat lokasi...",
+ "StatusExtractFiles": "Mengekstrak berkas...",
+ "StatusCreateIcons": "Membuat pemintas...",
+ "StatusCreateIniEntries": "Membuat entri INI...",
+ "StatusCreateRegistryEntries": "Membuat entri registri...",
+ "StatusRegisterFiles": "Mendaftarkan berkas...",
+ "StatusSavingUninstall": "Menyimpan informasi pelepasan...",
+ "StatusRunProgram": "Menyelesaikan pemasangan...",
+ "StatusRestartingApplications": "Memulai kembali program...",
+ "StatusRollback": "Membatalkan perubahan...",
+ "ErrorInternal2": "Kesalahan internal: %1",
+ "ErrorFunctionFailedNoCode": "%1 gagal",
+ "ErrorFunctionFailed": "%1 gagal; kode %2",
+ "ErrorFunctionFailedWithMessage": "%1 gagal; kode %2.%n%3",
+ "ErrorExecutingProgram": "Tidak dapat menjalankan berkas:%n%1",
+ "ErrorRegOpenKey": "Terjadi kesalahan saat membuka kunci registri:%n%1\\%2",
+ "ErrorRegCreateKey": "Terjadi kesalahan saat membuat kunci registri:%n%1\\%2",
+ "ErrorRegWriteKey": "Terjadi kesalahan saat menulis ke kunci registri:%n%1\\%2",
+ "ErrorIniEntry": "Terjadi kesalahan saat membuat entri INI di berkas \"%1\".",
+ "FileAbortRetryIgnore": "Klik Coba lagi untuk mencoba kembali, Abaikan untuk melewati file ini (tidak disarankan), atau Batalkan untuk membatalkan pemasangan.",
+ "FileAbortRetryIgnore2": "Klik Coba lagi untuk mencoba kembali, Abaikan untuk melanjutkan (tidak disarankan), atau Batalkan untuk membatalkan pemasangan.",
+ "SourceIsCorrupted": "Berkas asal mengalami kerusakan",
+ "SourceDoesntExist": "Berkas asal \"%1\" tidak ada",
+ "ExistingFileReadOnly": "Berkas ini ditandai sebagai baca saja.%n%nKlik Coba lagi untuk menghilangkan atribut baca saja dan mencoba lagi, Abaikan untuk melewati berkas ini, atau Batalkan untuk membatalkan pemasangan.",
+ "ErrorReadingExistingDest": "Terjadi kesalahan saat membaca file ini:",
+ "FileExists": "Berkas ini sudah ada.%n%nApakah Anda mengizinkan pemasang untuk menimpanya?",
+ "ExistingFileNewer": "Berkas ini lebih baru daripada yang ada pada pemasang. Anda disarankan untuk membiarkannya.%n%nApakah Anda ingin membiarkannya?",
+ "ErrorChangingAttr": "Terjadi kesalahan saat mengubah atribut berkas ini:",
+ "ErrorCreatingTemp": "Terjadi kesalahan saat membuat berkas di lokasi tujuan:",
+ "ErrorReadingSource": "Terjadi kesalahan saat membaca berkas asal:",
+ "ErrorCopying": "Terjadi kesalahan saat menyalin berkas:",
+ "ErrorReplacingExistingFile": "Terjadi kesalahan saat mengganti berkas:",
+ "ErrorRestartReplace": "Memulai ulang Mengganti gagal:",
+ "ErrorRenamingTemp": "Terjadi kesalahan saat mengubah nama berkas di lokasi tujuan:",
+ "ErrorRegisterServer": "Tidak dapat mendaftarkan DLL/OCX: %1",
+ "ErrorRegSvr32Failed": "RegSvr32 gagal dengan kode keluar %1",
+ "ErrorRegisterTypeLib": "Tidak dapat mendaftarkan tipe pustaka: %1",
+ "ErrorOpeningReadme": "Terjadi kesalahan saat membuka berkas BACA SAYA.",
+ "ErrorRestartingComputer": "Pemasang tidak dapat memulai ulang komputer. Mohon lakukan secara manual.",
+ "UninstallNotFound": "Berkas \"%1\" tidak ada. Penglepasan tidak dapat dilakukan.",
+ "UninstallOpenError": "Berkas \"%1\" tidak dapat dibuka. Penglepasan tidak dapat dilakukan.",
+ "UninstallUnsupportedVer": "Berkas catatan pelepasan \"%1\" memiliki format yang tidak dikenali oleh penglepas versi ini. Penglepasan tidak dapat dilakukan.",
+ "UninstallUnknownEntry": "Ditemukan entri tidak dikenal (%1) di catatan pelepasan",
+ "ConfirmUninstall": "Anda yakin ingin sepenuhnya menghapus %1? Ekstensi dan pengaturan tidak akan dihapus.",
+ "UninstallOnlyOnWin64": "Pelepasan ini hanya dapat dilakukan di Windows 64-bit.",
+ "OnlyAdminCanUninstall": "Pelepasan hanya dapat dilakukan oleh pengguna dengan kuasa administratif.",
+ "UninstallStatusLabel": "Silakan tunggu sembari %1 dihapus dari komputer Anda.",
+ "UninstalledAll": "%1 berhasil dihapus dari komputer anda.",
+ "UninstalledMost": "Berhasil melepas %1.%n%nBeberapa elemen tidak dapat dihapus. Penghapusan dapat dilakukan secara manual.",
+ "UninstalledAndNeedsRestart": "Untuk menyelesaikan penglepasan %1, komputer Anda harus dimulai ulang.%n%nApakah Anda ingin melakukannya sekarang?",
+ "UninstallDataCorrupted": "\"%1\" berkas mengalami kerusakan. Tidak dapat melakukan penglepasan",
+ "ConfirmDeleteSharedFileTitle": "Hapus berkas bersama?",
+ "ConfirmDeleteSharedFile2": "Berkas bersama berikut tidak lagi dipakai. Apakah Anda ingin menghapusnya?%n%nJika Ada program yang masih menggunakannya, program itu akan bermasalah. Jika Anda tidak yakin, pilih Tidak. Berkas ini tidak akan membahayakan sistem Anda.",
+ "SharedFileNameLabel": "Nama berkas:",
+ "SharedFileLocationLabel": "Lokasi:",
+ "WizardUninstalling": "Status penglepasan",
+ "StatusUninstalling": "Melepas pemasangan %1...",
+ "ShutdownBlockReasonInstallingApp": "Memasang %1.",
+ "ShutdownBlockReasonUninstallingApp": "Melepas pemasangan %1.",
+ "NameAndVersion": "%1 versi %2",
+ "AdditionalIcons": "Additional icons:",
+ "CreateDesktopIcon": "Create a &desktop icon",
+ "CreateQuickLaunchIcon": "Create a &Quick Launch icon",
+ "ProgramOnTheWeb": "%1 pada Web",
+ "UninstallProgram": "Melepas pemasangan %1",
+ "LaunchProgram": "Buka %1",
+ "AssocFileExtension": "&Associate %1 with the %2 file extension",
+ "AssocingFileExtension": "Sedang mengasosiasikan %1 dengan ekstensi berkas %2...",
+ "AutoStartProgramGroupDescription": "Memulai:",
+ "AutoStartProgram": "Jalankan %1 secara otomatis",
+ "AddonHostProgramNotFound": "%1 tidak dapat ditemukan di folder pilihan Anda.%n%nApakah Anda ingin melanjutkan?"
+ },
+ "vs/base/common/severity": {
+ "sev.error": "Kesalahan",
+ "sev.warning": "Peringatan",
+ "sev.info": "Info"
+ },
+ "vs/base/common/date": {
+ "date.fromNow.now": "now",
+ "date.fromNow.seconds.singular.ago": "{0} sec ago",
+ "date.fromNow.seconds.plural.ago": "{0} detik yang lalu",
+ "date.fromNow.seconds.singular": "{0} sec",
+ "date.fromNow.seconds.plural": "{0} secs",
+ "date.fromNow.minutes.singular.ago": "{0} min ago",
+ "date.fromNow.minutes.plural.ago": "{0} mins ago",
+ "date.fromNow.minutes.singular": "{0} min",
+ "date.fromNow.minutes.plural": "{0} mins",
+ "date.fromNow.hours.singular.ago": "{0} hr ago",
+ "date.fromNow.hours.plural.ago": "{0} hrs ago",
+ "date.fromNow.hours.singular": "{0} hr",
+ "date.fromNow.hours.plural": "{0} hrs",
+ "date.fromNow.days.singular.ago": "{0} day ago",
+ "date.fromNow.days.plural.ago": "{0} days ago",
+ "date.fromNow.days.singular": "{0} day",
+ "date.fromNow.days.plural": "{0} days",
+ "date.fromNow.weeks.singular.ago": "{0} wk ago",
+ "date.fromNow.weeks.plural.ago": "{0} wks ago",
+ "date.fromNow.weeks.singular": "{0} wk",
+ "date.fromNow.weeks.plural": "{0} wks",
+ "date.fromNow.months.singular.ago": "{0} mo ago",
+ "date.fromNow.months.plural.ago": "{0} mos ago",
+ "date.fromNow.months.singular": "{0} mo",
+ "date.fromNow.months.plural": "{0} mos",
+ "date.fromNow.years.singular.ago": "{0} yr ago",
+ "date.fromNow.years.plural.ago": "{0} yrs ago",
+ "date.fromNow.years.singular": "{0} yr",
+ "date.fromNow.years.plural": "{0} yrs"
+ },
+ "vs/base/common/errorMessage": {
+ "stackTrace.format": "{0}: {1}",
+ "nodeExceptionMessage": "Sebuah kesalahan sistem terjadi ({0})",
+ "error.defaultMessage": "Terjadi kesalahan yang tidak diketahui. Mohon periksa cacatan untuk rincian lebih lanjut",
+ "error.moreErrors": "{0} ({1} total kesalahan)"
+ },
+ "vs/base/node/zip": {
+ "invalid file": "Kesalahan mengekstrak {0}. Berkas tidak valid.",
+ "incompleteExtract": "Tidak lengkap. Ditemukan {0} dari {1} entri.",
+ "notFound": "{0} tidak ditemukan di dalam zip."
+ },
+ "vs/base/browser/ui/actionbar/actionbar": {
+ "titleLabel": "{0} ({1})"
+ },
+ "vs/base/node/processes": {
+ "TaskRunner.UNC": "Tidak dapat menjalankan perintah shell pada drive UNC."
+ },
+ "vs/base/browser/ui/aria/aria": {
+ "repeated": "{0} (terjadi lagi)",
+ "repeatedNtimes": "{0} (occurred {1} times)"
+ },
+ "vs/base/browser/ui/keybindingLabel/keybindingLabel": {
+ "unbound": "Unbound"
+ },
+ "vs/base/browser/ui/dialog/dialog": {
+ "ok": "OK",
+ "dialogClose": "Close Dialog"
+ },
+ "vs/base/common/keybindingLabels": {
+ "ctrlKey": "Ctrl",
+ "shiftKey": "Shift",
+ "altKey": "Alt",
+ "windowsKey": "Windows",
+ "superKey": "Super",
+ "ctrlKey.long": "Control",
+ "shiftKey.long": "Shift",
+ "altKey.long": "Alt",
+ "cmdKey.long": "Perintah",
+ "windowsKey.long": "Windows",
+ "superKey.long": "Super"
+ },
+ "vs/base/browser/ui/menu/menu": {
+ "titleLabel": "{0} ({1})"
+ },
+ "vs/base/browser/ui/list/listWidget": {
+ "aria list": "{0}. Gunakan tombol navigasi untuk berpindah."
+ },
+ "vs/base/common/jsonErrorMessages": {
+ "error.invalidSymbol": "Simbol tidak valid",
+ "error.invalidNumberFormat": "Format nomor tidak valid",
+ "error.propertyNameExpected": "Nama properti diharapkan",
+ "error.valueExpected": "Nilai diharapkan",
+ "error.colonExpected": "Titik dua diharapkan",
+ "error.commaExpected": "Koma diharapkan",
+ "error.closeBraceExpected": "Kurung kurawal tutup diharapkan",
+ "error.closeBracketExpected": "Kurung tutup diharapkan",
+ "error.endOfFileExpected": "Akhir berkas diharapkan"
+ },
+ "vs/base/browser/ui/toolbar/toolbar": {
+ "moreActions": "Tindakan Lainnya..."
+ },
+ "vs/base/browser/ui/findinput/replaceInput": {
+ "defaultLabel": "masukan",
+ "label.preserveCaseCheckbox": "Preserve Case"
+ },
+ "vs/base/browser/ui/inputbox/inputBox": {
+ "alertErrorMessage": "Kesalahan: {0}",
+ "alertWarningMessage": "Peringatan: {0}",
+ "alertInfoMessage": "Info: {0}"
+ },
+ "vs/base/browser/ui/findinput/findInput": {
+ "defaultLabel": "masukan"
+ },
+ "vs/base/browser/ui/tree/treeDefaults": {
+ "collapse all": "Collapse All"
+ },
+ "vs/base/browser/ui/findinput/findInputCheckboxes": {
+ "caseDescription": "Padankan Huruf",
+ "wordsDescription": "Padankan Seluruh Kata",
+ "regexDescription": "Gunakan Regular Expression"
+ },
+ "vs/base/parts/quickinput/browser/quickInput": {
+ "quickInput.back": "Back",
+ "quickInput.steps": "{0}/{1}",
+ "quickInputBox.ariaLabel": "Type to narrow down results.",
+ "inputModeEntry": "Press 'Enter' to confirm your input or 'Escape' to cancel",
+ "inputModeEntryDescription": "{0} (Press 'Enter' to confirm or 'Escape' to cancel)",
+ "quickInput.visibleCount": "{0} Hasil",
+ "quickInput.countSelected": "{0} Selected",
+ "ok": "OK",
+ "custom": "Custom",
+ "quickInput.backWithKeybinding": "Back ({0})"
+ },
+ "vs/base/browser/ui/tree/abstractTree": {
+ "clear": "Clear",
+ "disable filter on type": "Disable Filter on Type",
+ "enable filter on type": "Enable Filter on Type",
+ "empty": "No elements found",
+ "found": "Matched {0} out of {1} elements"
+ },
+ "vs/base/browser/ui/splitview/paneview": {
+ "viewSection": "{0} Section"
+ },
+ "vs/base/browser/ui/menu/menubar": {
+ "mAppMenu": "Application Menu",
+ "mMore": "lebih"
+ },
+ "vs/editor/common/services/modelServiceImpl": {
+ "undoRedoConfirm": "Keep the undo-redo stack for {0} in memory ({1} MB)?",
+ "nok": "Discard",
+ "ok": "Keep"
+ },
+ "vs/editor/common/standaloneStrings": {
+ "noSelection": "No selection",
+ "singleSelectionRange": "Line {0}, Column {1} ({2} selected)",
+ "singleSelection": "Line {0}, Column {1}",
+ "multiSelectionRange": "{0} selections ({1} characters selected)",
+ "multiSelection": "{0} selections",
+ "emergencyConfOn": "Now changing the setting `accessibilitySupport` to 'on'.",
+ "openingDocs": "Now opening the Editor Accessibility documentation page.",
+ "readonlyDiffEditor": " in a read-only pane of a diff editor.",
+ "editableDiffEditor": " in a pane of a diff editor.",
+ "readonlyEditor": " in a read-only code editor",
+ "editableEditor": " in a code editor",
+ "changeConfigToOnMac": "To configure the editor to be optimized for usage with a Screen Reader press Command+E now.",
+ "changeConfigToOnWinLinux": "To configure the editor to be optimized for usage with a Screen Reader press Control+E now.",
+ "auto_on": "The editor is configured to be optimized for usage with a Screen Reader.",
+ "auto_off": "The editor is configured to never be optimized for usage with a Screen Reader, which is not the case at this time.",
+ "tabFocusModeOnMsg": "Pressing Tab in the current editor will move focus to the next focusable element. Toggle this behavior by pressing {0}.",
+ "tabFocusModeOnMsgNoKb": "Pressing Tab in the current editor will move focus to the next focusable element. The command {0} is currently not triggerable by a keybinding.",
+ "tabFocusModeOffMsg": "Pressing Tab in the current editor will insert the tab character. Toggle this behavior by pressing {0}.",
+ "tabFocusModeOffMsgNoKb": "Pressing Tab in the current editor will insert the tab character. The command {0} is currently not triggerable by a keybinding.",
+ "openDocMac": "Press Command+H now to open a browser window with more information related to editor accessibility.",
+ "openDocWinLinux": "Press Control+H now to open a browser window with more information related to editor accessibility.",
+ "outroMsg": "You can dismiss this tooltip and return to the editor by pressing Escape or Shift+Escape.",
+ "showAccessibilityHelpAction": "Show Accessibility Help",
+ "inspectTokens": "Developer: Inspect Tokens",
+ "gotoLineActionLabel": "Go to Line/Column...",
+ "helpQuickAccess": "Show all Quick Access Providers",
+ "quickCommandActionLabel": "Command Palette",
+ "quickCommandActionHelp": "Show And Run Commands",
+ "quickOutlineActionLabel": "Go to Symbol...",
+ "quickOutlineByCategoryActionLabel": "Go to Symbol by Category...",
+ "editorViewAccessibleLabel": "Isi editor",
+ "accessibilityHelpMessage": "Press Alt+F1 for Accessibility Options.",
+ "toggleHighContrast": "Toggle High Contrast Theme",
+ "bulkEditServiceSummary": "Melakukan {0} suntingan dalam {1} file"
+ },
+ "vs/editor/common/modes/modesRegistry": {
+ "plainText.alias": "teks biasa"
+ },
+ "vs/editor/common/view/editorColorRegistry": {
+ "lineHighlight": "Warna latar belakang untuk baris yang disorot pada posisi kursor.",
+ "lineHighlightBorderBox": "Warna latar belakang untuk tepi sekitar baris pada posisi kursor.",
+ "rangeHighlight": "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.",
+ "rangeHighlightBorder": "Warna latar belakang ditepi area tersorot.",
+ "symbolHighlight": "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.",
+ "symbolHighlightBorder": "Background color of the border around highlighted symbols.",
+ "caret": "Warna kursor editor.",
+ "editorCursorBackground": "Warna latar belakang kursor. Memungkinkan penyesuaian warna karakter yang bertumpukan dengan blok kursor.",
+ "editorWhitespaces": "Warna karakter spasi pada editor.",
+ "editorIndentGuides": "Warna penanda indentasi di editor.",
+ "editorActiveIndentGuide": "Warna penanda indentasi di editor yang aktif.",
+ "editorLineNumbers": "Warna nomor baris pada editor.",
+ "editorActiveLineNumber": "Warna nomor baris yang aktif pada editor",
+ "deprecatedEditorActiveLineNumber": "Id telah usang. Sebaiknya gunakan 'editorLineNumber.activeForeground'.",
+ "editorRuler": "Warna penggaris pada editor.",
+ "editorCodeLensForeground": "Warna latar depan pada lensa kode editor ",
+ "editorBracketMatchBackground": "Warna latar dibelakang untuk kurung yang sesuai",
+ "editorBracketMatchBorder": "Warna untuk area kurung yang sesuai",
+ "editorOverviewRulerBorder": "Warna garis tepi penggaris pada ikhtisar.",
+ "editorGutter": "Warna latar belakang editor pada Tepi Editor. Tepi Editor adalah sisi kiri editor berisi simbol dan nomor baris kode.",
+ "unnecessaryCodeBorder": "Border color of unnecessary (unused) source code in the editor.",
+ "unnecessaryCodeOpacity": "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.",
+ "overviewRulerRangeHighlight": "Overview ruler marker color for range highlights. The color must not be opaque so as not to hide underlying decorations.",
+ "overviewRuleError": "Ikhtisar warna penanda penggaris untuk kesalahan.",
+ "overviewRuleWarning": "Ikhtisar warna penanda penggaris untuk peringatan.",
+ "overviewRuleInfo": "Ikhtisar warna penanda penggaris untuk informasi."
+ },
+ "vs/editor/common/model/editStack": {
+ "edit": "Typing"
+ },
+ "vs/editor/common/config/commonEditorConfig": {
+ "editorConfigurationTitle": "Editor",
+ "tabSize": "The number of spaces a tab is equal to. This setting is overridden based on the file contents when `#editor.detectIndentation#` is on.",
+ "insertSpaces": "Insert spaces when pressing `Tab`. This setting is overridden based on the file contents when `#editor.detectIndentation#` is on.",
+ "detectIndentation": "Controls whether `#editor.tabSize#` and `#editor.insertSpaces#` will be automatically detected when a file is opened based on the file contents.",
+ "trimAutoWhitespace": "Remove trailing auto inserted whitespace.",
+ "largeFileOptimizations": "Special handling for large files to disable certain memory intensive features.",
+ "wordBasedSuggestions": "Mengatur apakah penyelesaian harus dihitung berdasarkan kata-kata didalam dokumen.",
+ "semanticHighlighting.enabled": "Controls whether the semanticHighlighting is shown for the languages that support it.",
+ "stablePeek": "Keep peek editors open even when double clicking their content or when hitting `Escape`.",
+ "maxTokenizationLineLength": "Lines above this length will not be tokenized for performance reasons",
+ "maxComputationTime": "Timeout in milliseconds after which diff computation is cancelled. Use 0 for no timeout.",
+ "sideBySide": "Controls whether the diff editor shows the diff side by side or inline.",
+ "ignoreTrimWhitespace": "When enabled, the diff editor ignores changes in leading or trailing whitespace.",
+ "renderIndicators": "Controls whether the diff editor shows +/- indicators for added/removed changes."
+ },
+ "vs/editor/browser/controller/coreCommands": {
+ "miSelectAll": "&&Select All",
+ "selectAll": "Select All",
+ "miUndo": "&&Undo",
+ "undo": "Undo",
+ "miRedo": "&&Redo",
+ "redo": "Redo"
+ },
+ "vs/editor/browser/widget/codeEditorWidget": {
+ "cursors.maximum": "Jumlah kursor dibatasi hingga {0}."
+ },
+ "vs/editor/browser/widget/diffEditorWidget": {
+ "diff.tooLarge": "Tidak dapat membandingkan berkas karena salah satu berkas terlalu besar."
+ },
+ "vs/editor/browser/widget/inlineDiffMargin": {
+ "diff.clipboard.copyDeletedLinesContent.label": "Copy deleted lines",
+ "diff.clipboard.copyDeletedLinesContent.single.label": "Copy deleted line",
+ "diff.clipboard.copyDeletedLineContent.label": "Copy deleted line ({0})",
+ "diff.inline.revertChange.label": "Revert this change"
+ },
+ "vs/editor/common/config/editorOptions": {
+ "accessibilitySupport.auto": "Editor akan menggunakan API dari platform untuk mendeteksi apakah pembaca layar tersambung.",
+ "accessibilitySupport.on": "Editor akan dioptimisasi untuk penggunaan pembaca layar secara permanen.",
+ "accessibilitySupport.off": "Editor tidak akan dioptimisasi untuk penggunaan pembaca layar.",
+ "accessibilitySupport": "Mengatur apakah editor akan berjalan pada mode yang dioptimisasi untuk pembaca layar.",
+ "comments.insertSpace": "Controls whether a space character is inserted when commenting.",
+ "emptySelectionClipboard": "Mengatur apakah menyalin tanpa ada seleksi akan menyalin baris saat ini.",
+ "find.seedSearchStringFromSelection": "Controls whether the search string in the Find Widget is seeded from the editor selection.",
+ "editor.find.autoFindInSelection.never": "Never turn on Find in selection automatically (default)",
+ "editor.find.autoFindInSelection.always": "Always turn on Find in selection automatically",
+ "editor.find.autoFindInSelection.multiline": "Turn on Find in selection automatically when multiple lines of content are selected.",
+ "find.autoFindInSelection": "Controls whether the find operation is carried out on selected text or the entire file in the editor.",
+ "find.globalFindClipboard": "Controls whether the Find Widget should read or modify the shared find clipboard on macOS.",
+ "find.addExtraSpaceOnTop": "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.",
+ "fontLigatures": "Enables/Disables font ligatures.",
+ "fontFeatureSettings": "Explicit font-feature-settings.",
+ "fontLigaturesGeneral": "Configures font ligatures or font features.",
+ "fontSize": "Mengatur ukuran font dalam piksel.",
+ "editor.gotoLocation.multiple.peek": "Show peek view of the results (default)",
+ "editor.gotoLocation.multiple.gotoAndPeek": "Go to the primary result and show a peek view",
+ "editor.gotoLocation.multiple.goto": "Go to the primary result and enable peek-less navigation to others",
+ "editor.gotoLocation.multiple.deprecated": "This setting is deprecated, please use separate settings like 'editor.editor.gotoLocation.multipleDefinitions' or 'editor.editor.gotoLocation.multipleImplementations' instead.",
+ "editor.editor.gotoLocation.multipleDefinitions": "Controls the behavior the 'Go to Definition'-command when multiple target locations exist.",
+ "editor.editor.gotoLocation.multipleTypeDefinitions": "Controls the behavior the 'Go to Type Definition'-command when multiple target locations exist.",
+ "editor.editor.gotoLocation.multipleDeclarations": "Controls the behavior the 'Go to Declaration'-command when multiple target locations exist.",
+ "editor.editor.gotoLocation.multipleImplemenattions": "Controls the behavior the 'Go to Implementations'-command when multiple target locations exist.",
+ "editor.editor.gotoLocation.multipleReferences": "Controls the behavior the 'Go to References'-command when multiple target locations exist.",
+ "alternativeDefinitionCommand": "Alternative command id that is being executed when the result of 'Go to Definition' is the current location.",
+ "alternativeTypeDefinitionCommand": "Alternative command id that is being executed when the result of 'Go to Type Definition' is the current location.",
+ "alternativeDeclarationCommand": "Alternative command id that is being executed when the result of 'Go to Declaration' is the current location.",
+ "alternativeImplementationCommand": "Alternative command id that is being executed when the result of 'Go to Implementation' is the current location.",
+ "alternativeReferenceCommand": "Alternative command id that is being executed when the result of 'Go to Reference' is the current location.",
+ "hover.enabled": "Controls whether the hover is shown.",
+ "hover.delay": "Controls the delay in milliseconds after which the hover is shown.",
+ "hover.sticky": "Controls whether the hover should remain visible when mouse is moved over it.",
+ "codeActions": "Enables the code action lightbulb in the editor.",
+ "lineHeight": "Controls the line height. Use 0 to compute the line height from the font size.",
+ "minimap.enabled": "Controls whether the minimap is shown.",
+ "minimap.size.proportional": "The minimap has the same size as the editor contents (and might scroll).",
+ "minimap.size.fill": "The minimap will stretch or shrink as necessary to fill the height of the editor (no scrolling).",
+ "minimap.size.fit": "The minimap will shrink as necessary to never be larger than the editor (no scrolling).",
+ "minimap.size": "Controls the size of the minimap.",
+ "minimap.side": "Mengontrol sisi mana yang digunakan untuk menampilkan minimap.",
+ "minimap.showSlider": "Controls when the minimap slider is shown.",
+ "minimap.scale": "Scale of content drawn in the minimap: 1, 2 or 3.",
+ "minimap.renderCharacters": "Render the actual characters on a line as opposed to color blocks.",
+ "minimap.maxColumn": "Limit the width of the minimap to render at most a certain number of columns.",
+ "padding.top": "Controls the amount of space between the top edge of the editor and the first line.",
+ "padding.bottom": "Controls the amount of space between the bottom edge of the editor and the last line.",
+ "parameterHints.enabled": "Enables a pop-up that shows parameter documentation and type information as you type.",
+ "parameterHints.cycle": "Controls whether the parameter hints menu cycles or closes when reaching the end of the list.",
+ "quickSuggestions.strings": "Aktifkan saran cepat dalam string.",
+ "quickSuggestions.comments": "Aktifkan saran cepat di dalam komentar.",
+ "quickSuggestions.other": "Aktifkan saran cepat di luar string dan komentar.",
+ "quickSuggestions": "Controls whether suggestions should automatically show up while typing.",
+ "lineNumbers.off": "Nomor baris tidak ditampilkan.",
+ "lineNumbers.on": "Nomor baris ditampilkan sebagai angka mutlak.",
+ "lineNumbers.relative": "Nomor baris ditampilkan sebagai jarak dari baris ke posisi kursor.",
+ "lineNumbers.interval": "Nomor baris ditampilkan setiap 10 baris.",
+ "lineNumbers": "Mengatur tampilan pada nomor baris.",
+ "rulers.size": "Number of monospace characters at which this editor ruler will render.",
+ "rulers.color": "Color of this editor ruler.",
+ "rulers": "Render vertical rulers after a certain number of monospace characters. Use multiple values for multiple rulers. No rulers are drawn if array is empty.",
+ "suggest.insertMode.insert": "Insert suggestion without overwriting text right of the cursor.",
+ "suggest.insertMode.replace": "Insert suggestion and overwrite text right of the cursor.",
+ "suggest.insertMode": "Controls whether words are overwritten when accepting completions. Note that this depends on extensions opting into this feature.",
+ "suggest.filterGraceful": "Controls whether filtering and sorting suggestions accounts for small typos.",
+ "suggest.localityBonus": "Controls whether sorting favours words that appear close to the cursor.",
+ "suggest.shareSuggestSelections": "Controls whether remembered suggestion selections are shared between multiple workspaces and windows (needs `#editor.suggestSelection#`).",
+ "suggest.snippetsPreventQuickSuggestions": "Controls whether an active snippet prevents quick suggestions.",
+ "suggest.showIcons": "Controls whether to show or hide icons in suggestions.",
+ "suggest.maxVisibleSuggestions": "Controls how many suggestions IntelliSense will show before showing a scrollbar (maximum 15).",
+ "deprecated": "Setelan ini tidak digunakan lagi, gunakan setelan terpisah seperti 'editor.suggest.showKeywords' atau 'editor.suggest.showSnippets' sebagai gantinya.",
+ "editor.suggest.showMethods": "When enabled IntelliSense shows `method`-suggestions.",
+ "editor.suggest.showFunctions": "When enabled IntelliSense shows `function`-suggestions.",
+ "editor.suggest.showConstructors": "When enabled IntelliSense shows `constructor`-suggestions.",
+ "editor.suggest.showFields": "When enabled IntelliSense shows `field`-suggestions.",
+ "editor.suggest.showVariables": "When enabled IntelliSense shows `variable`-suggestions.",
+ "editor.suggest.showClasss": "When enabled IntelliSense shows `class`-suggestions.",
+ "editor.suggest.showStructs": "When enabled IntelliSense shows `struct`-suggestions.",
+ "editor.suggest.showInterfaces": "When enabled IntelliSense shows `interface`-suggestions.",
+ "editor.suggest.showModules": "When enabled IntelliSense shows `module`-suggestions.",
+ "editor.suggest.showPropertys": "When enabled IntelliSense shows `property`-suggestions.",
+ "editor.suggest.showEvents": "When enabled IntelliSense shows `event`-suggestions.",
+ "editor.suggest.showOperators": "When enabled IntelliSense shows `operator`-suggestions.",
+ "editor.suggest.showUnits": "When enabled IntelliSense shows `unit`-suggestions.",
+ "editor.suggest.showValues": "When enabled IntelliSense shows `value`-suggestions.",
+ "editor.suggest.showConstants": "When enabled IntelliSense shows `constant`-suggestions.",
+ "editor.suggest.showEnums": "When enabled IntelliSense shows `enum`-suggestions.",
+ "editor.suggest.showEnumMembers": "When enabled IntelliSense shows `enumMember`-suggestions.",
+ "editor.suggest.showKeywords": "When enabled IntelliSense shows `keyword`-suggestions.",
+ "editor.suggest.showTexts": "When enabled IntelliSense shows `text`-suggestions.",
+ "editor.suggest.showColors": "When enabled IntelliSense shows `color`-suggestions.",
+ "editor.suggest.showFiles": "When enabled IntelliSense shows `file`-suggestions.",
+ "editor.suggest.showReferences": "When enabled IntelliSense shows `reference`-suggestions.",
+ "editor.suggest.showCustomcolors": "When enabled IntelliSense shows `customcolor`-suggestions.",
+ "editor.suggest.showFolders": "When enabled IntelliSense shows `folder`-suggestions.",
+ "editor.suggest.showTypeParameters": "Ketika diaktifkan IntelliSense menunjukkan 'typeParameter'-saran.",
+ "editor.suggest.showSnippets": "When enabled IntelliSense shows `snippet`-suggestions.",
+ "editor.suggest.showUsers": "When enabled IntelliSense shows `user`-suggestions.",
+ "editor.suggest.showIssues": "When enabled IntelliSense shows `issues`-suggestions.",
+ "editor.suggest.statusBar.visible": "Controls the visibility of the status bar at the bottom of the suggest widget.",
+ "acceptSuggestionOnCommitCharacter": "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.",
+ "acceptSuggestionOnEnterSmart": "Only accept a suggestion with `Enter` when it makes a textual change.",
+ "acceptSuggestionOnEnter": "Controls whether suggestions should be accepted on `Enter`, in addition to `Tab`. Helps to avoid ambiguity between inserting new lines or accepting suggestions.",
+ "accessibilityPageSize": "Controls the number of lines in the editor that can be read out by a screen reader. Warning: this has a performance implication for numbers larger than the default.",
+ "editorViewAccessibleLabel": "Isi editor",
+ "editor.autoClosingBrackets.languageDefined": "Use language configurations to determine when to autoclose brackets.",
+ "editor.autoClosingBrackets.beforeWhitespace": "Autoclose brackets only when the cursor is to the left of whitespace.",
+ "autoClosingBrackets": "Controls whether the editor should automatically close brackets after the user adds an opening bracket.",
+ "editor.autoClosingOvertype.auto": "Type over closing quotes or brackets only if they were automatically inserted.",
+ "autoClosingOvertype": "Controls whether the editor should type over closing quotes or brackets.",
+ "editor.autoClosingQuotes.languageDefined": "Use language configurations to determine when to autoclose quotes.",
+ "editor.autoClosingQuotes.beforeWhitespace": "Autoclose quotes only when the cursor is to the left of whitespace.",
+ "autoClosingQuotes": "Controls whether the editor should automatically close quotes after the user adds an opening quote.",
+ "editor.autoIndent.none": "The editor will not insert indentation automatically.",
+ "editor.autoIndent.keep": "The editor will keep the current line's indentation.",
+ "editor.autoIndent.brackets": "The editor will keep the current line's indentation and honor language defined brackets.",
+ "editor.autoIndent.advanced": "The editor will keep the current line's indentation, honor language defined brackets and invoke special onEnterRules defined by languages.",
+ "editor.autoIndent.full": "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.",
+ "autoIndent": "Controls whether the editor should automatically adjust the indentation when users type, paste, move or indent lines.",
+ "editor.autoSurround.languageDefined": "Use language configurations to determine when to automatically surround selections.",
+ "editor.autoSurround.quotes": "Surround with quotes but not brackets.",
+ "editor.autoSurround.brackets": "Surround with brackets but not quotes.",
+ "autoSurround": "Controls whether the editor should automatically surround selections.",
+ "codeLens": "Controls whether the editor shows CodeLens.",
+ "colorDecorators": "Controls whether the editor should render the inline color decorators and color picker.",
+ "columnSelection": "Enable that the selection with the mouse and keys is doing column selection.",
+ "copyWithSyntaxHighlighting": "Controls whether syntax highlighting should be copied into the clipboard.",
+ "cursorBlinking": "Control the cursor animation style.",
+ "cursorSmoothCaretAnimation": "Controls whether the smooth caret animation should be enabled.",
+ "cursorStyle": "Controls the cursor style.",
+ "cursorSurroundingLines": "Controls the minimal number of visible leading and trailing lines surrounding the cursor. Known as 'scrollOff' or `scrollOffset` in some other editors.",
+ "cursorSurroundingLinesStyle.default": "`cursorSurroundingLines` is enforced only when triggered via the keyboard or API.",
+ "cursorSurroundingLinesStyle.all": "`cursorSurroundingLines` is enforced always.",
+ "cursorSurroundingLinesStyle": "Controls when `cursorSurroundingLines` should be enforced.",
+ "cursorWidth": "Mengatur lebar kursor ketika `#editor.cursorStyle#` diset ke `baris`.",
+ "dragAndDrop": "Controls whether the editor should allow moving selections via drag and drop.",
+ "fastScrollSensitivity": "Scrolling speed multiplier when pressing `Alt`.",
+ "folding": "Controls whether the editor has code folding enabled.",
+ "foldingStrategy.auto": "Use a language-specific folding strategy if available, else the indentation-based one.",
+ "foldingStrategy.indentation": "Use the indentation-based folding strategy.",
+ "foldingStrategy": "Controls the strategy for computing folding ranges.",
+ "foldingHighlight": "Controls whether the editor should highlight folded ranges.",
+ "unfoldOnClickAfterEndOfLine": "Controls whether clicking on the empty content after a folded line will unfold the line.",
+ "fontFamily": "Mengatur jenis font.",
+ "fontWeight": "Mengatur ketebalan font.",
+ "formatOnPaste": "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.",
+ "formatOnType": "Controls whether the editor should automatically format the line after typing.",
+ "glyphMargin": "Controls whether the editor should render the vertical glyph margin. Glyph margin is mostly used for debugging.",
+ "hideCursorInOverviewRuler": "Controls whether the cursor should be hidden in the overview ruler.",
+ "highlightActiveIndentGuide": "Controls whether the editor should highlight the active indent guide.",
+ "letterSpacing": "Mengatur jarak antarkarakter dalam piksel.",
+ "links": "Controls whether the editor should detect links and make them clickable.",
+ "matchBrackets": "Highlight matching brackets.",
+ "mouseWheelScrollSensitivity": "A multiplier to be used on the `deltaX` and `deltaY` of mouse wheel scroll events.",
+ "mouseWheelZoom": "Zoom the font of the editor when using mouse wheel and holding `Ctrl`.",
+ "multiCursorMergeOverlapping": "Merge multiple cursors when they are overlapping.",
+ "multiCursorModifier.ctrlCmd": "Petakan ke `Control` pada Windows dan Linux, dan `Command` pada macOS.",
+ "multiCursorModifier.alt": "Petakan untuk `Alt` pada Windows dan Linux dan untuk `Option` pada macOS.",
+ "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. [Read more](https://code.visualstudio.com/docs/editor/codebasics#_multicursor-modifier).",
+ "multiCursorPaste.spread": "Each cursor pastes a single line of the text.",
+ "multiCursorPaste.full": "Each cursor pastes the full text.",
+ "multiCursorPaste": "Controls pasting when the line count of the pasted text matches the cursor count.",
+ "occurrencesHighlight": "Controls whether the editor should highlight semantic symbol occurrences.",
+ "overviewRulerBorder": "Controls whether a border should be drawn around the overview ruler.",
+ "peekWidgetDefaultFocus.tree": "Focus the tree when opening peek",
+ "peekWidgetDefaultFocus.editor": "Focus the editor when opening peek",
+ "peekWidgetDefaultFocus": "Controls whether to focus the inline editor or the tree in the peek widget.",
+ "definitionLinkOpensInPeek": "Controls whether the Go to Definition mouse gesture always opens the peek widget.",
+ "quickSuggestionsDelay": "Controls the delay in milliseconds after which quick suggestions will show up.",
+ "renameOnType": "Controls whether the editor auto renames on type.",
+ "renderControlCharacters": "Controls whether the editor should render control characters.",
+ "renderIndentGuides": "Controls whether the editor should render indent guides.",
+ "renderFinalNewline": "Render last line number when the file ends with a newline.",
+ "renderLineHighlight.all": "Menyoroti gutter dan baris saat ini.",
+ "renderLineHighlight": "Controls how the editor should render the current line highlight.",
+ "renderLineHighlightOnlyWhenFocus": "Controls if the editor should render the current line highlight only when the editor is focused",
+ "renderWhitespace.selection": "Render whitespace characters only on selected text.",
+ "renderWhitespace": "Controls how the editor should render whitespace characters.",
+ "roundedSelection": "Controls whether selections should have rounded corners.",
+ "scrollBeyondLastColumn": "Controls the number of extra characters beyond which the editor will scroll horizontally.",
+ "scrollBeyondLastLine": "Controls whether the editor will scroll beyond the last line.",
+ "scrollPredominantAxis": "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.",
+ "selectionClipboard": "Controls whether the Linux primary clipboard should be supported.",
+ "selectionHighlight": "Controls whether the editor should highlight matches similar to the selection.",
+ "showFoldingControls.always": "Always show the folding controls.",
+ "showFoldingControls.mouseover": "Only show the folding controls when the mouse is over the gutter.",
+ "showFoldingControls": "Controls when the folding controls on the gutter are shown.",
+ "showUnused": "Controls fading out of unused code.",
+ "snippetSuggestions.top": "Tampilkan potongan saran di atas saran lain.",
+ "snippetSuggestions.bottom": "Tampilkan potongan saran di bawah saran lain.",
+ "snippetSuggestions.inline": "Tampilkan potongan saran dengan saran lain.",
+ "snippetSuggestions.none": "Jangan tampilkan cuplikan saran.",
+ "snippetSuggestions": "Mengatur apakah potongan saran ditampilkan dengan saran yang lainnya dan bagaimana mereka diurutkan",
+ "smoothScrolling": "Controls whether the editor will scroll using an animation.",
+ "suggestFontSize": "Font size for the suggest widget. When set to `0`, the value of `#editor.fontSize#` is used.",
+ "suggestLineHeight": "Line height for the suggest widget. When set to `0`, the value of `#editor.lineHeight#` is used.",
+ "suggestOnTriggerCharacters": "Controls whether suggestions should automatically show up when typing trigger characters.",
+ "suggestSelection.first": "Always select the first suggestion.",
+ "suggestSelection.recentlyUsed": "Select recent suggestions unless further typing selects one, e.g. `console.| -> console.log` because `log` has been completed recently.",
+ "suggestSelection.recentlyUsedByPrefix": "Select suggestions based on previous prefixes that have completed those suggestions, e.g. `co -> console` and `con -> const`.",
+ "suggestSelection": "Controls how suggestions are pre-selected when showing the suggest list.",
+ "tabCompletion.on": "Tab complete will insert the best matching suggestion when pressing tab.",
+ "tabCompletion.off": "Disable tab completions.",
+ "tabCompletion.onlySnippets": "Tab complete snippets when their prefix match. Works best when 'quickSuggestions' aren't enabled.",
+ "tabCompletion": "Enables tab completions.",
+ "useTabStops": "Inserting and deleting whitespace follows tab stops.",
+ "wordSeparators": "Characters that will be used as word separators when doing word related navigations or operations.",
+ "wordWrap.off": "Baris tidak akan di-wrap.",
+ "wordWrap.on": "Baris akan di-wrap berdasarkan lebar jendela editor.",
+ "wordWrap.wordWrapColumn": "Lines will wrap at `#editor.wordWrapColumn#`.",
+ "wordWrap.bounded": "Lines will wrap at the minimum of viewport and `#editor.wordWrapColumn#`.",
+ "wordWrap": "Controls how lines should wrap.",
+ "wordWrapColumn": "Controls the wrapping column of the editor when `#editor.wordWrap#` is `wordWrapColumn` or `bounded`.",
+ "wrappingIndent.none": "No indentation. Wrapped lines begin at column 1.",
+ "wrappingIndent.same": "Wrapped lines get the same indentation as the parent.",
+ "wrappingIndent.indent": "Wrapped lines get +1 indentation toward the parent.",
+ "wrappingIndent.deepIndent": "Wrapped lines get +2 indentation toward the parent.",
+ "wrappingIndent": "Controls the indentation of wrapped lines.",
+ "wrappingStrategy.simple": "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.",
+ "wrappingStrategy.advanced": "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.",
+ "wrappingStrategy": "Controls the algorithm that computes wrapping points."
+ },
+ "vs/editor/browser/widget/diffReview": {
+ "label.close": "Tutup",
+ "no_lines_changed": "no lines changed",
+ "one_line_changed": "1 line changed",
+ "more_lines_changed": "{0} lines changed",
+ "header": "Difference {0} of {1}: original line {2}, {3}, modified line {4}, {5}",
+ "blankLine": "kosong",
+ "equalLine": "{0} original line {1} modified line {2}",
+ "insertLine": "+ {0} modified line {1}",
+ "deleteLine": "- {0} original line {1}",
+ "editor.action.diffReview.next": "Pergi ke Perbedaan Selanjutnya",
+ "editor.action.diffReview.prev": "Pergi ke Perbedaan Sebelumnya"
+ },
+ "vs/editor/browser/controller/textAreaHandler": {
+ "accessibilityOffAriaLabel": "The editor is not accessible at this time. Press {0} for options."
+ },
+ "vs/editor/contrib/caretOperations/transpose": {
+ "transposeLetters.label": "Ubah urutan huruf"
+ },
+ "vs/editor/contrib/cursorUndo/cursorUndo": {
+ "cursor.undo": "Kursor membatalkan",
+ "cursor.redo": "Cursor Redo"
+ },
+ "vs/editor/contrib/comment/comment": {
+ "comment.line": "Beralih baris komentar",
+ "miToggleLineComment": "&&Toggle Line Comment",
+ "comment.line.add": "Tambahkan Baris Komentar",
+ "comment.line.remove": "Hapus Baris Komentar",
+ "comment.block": "Toggle Block Comment",
+ "miToggleBlockComment": "Toggle &&Block Comment"
+ },
+ "vs/editor/contrib/caretOperations/caretOperations": {
+ "caret.moveLeft": "Move Selected Text Left",
+ "caret.moveRight": "Move Selected Text Right"
+ },
+ "vs/editor/contrib/fontZoom/fontZoom": {
+ "EditorFontZoomIn.label": "Editor Font Zoom In",
+ "EditorFontZoomOut.label": "Editor Font Zoom Out",
+ "EditorFontZoomReset.label": "Editor Font Zoom Reset"
+ },
+ "vs/editor/contrib/parameterHints/parameterHints": {
+ "parameterHints.trigger.label": "Trigger Parameter Hints"
+ },
+ "vs/editor/contrib/tokenization/tokenization": {
+ "forceRetokenize": "Developer: Force Retokenize"
+ },
+ "vs/editor/contrib/toggleTabFocusMode/toggleTabFocusMode": {
+ "toggle.tabMovesFocus": "Toggle Tab Key Moves Focus",
+ "toggle.tabMovesFocus.on": "Pressing Tab will now move focus to the next focusable element",
+ "toggle.tabMovesFocus.off": "Pressing Tab will now insert the tab character"
+ },
+ "vs/editor/contrib/clipboard/clipboard": {
+ "actions.clipboard.cutLabel": "Potong",
+ "miCut": "Cu&&t",
+ "actions.clipboard.copyLabel": "Salin",
+ "miCopy": "&&Copy",
+ "actions.clipboard.pasteLabel": "Tempel",
+ "miPaste": "&&Paste",
+ "actions.clipboard.copyWithSyntaxHighlightingLabel": "Salin dengan penyorotan sintaks"
+ },
+ "vs/editor/contrib/format/formatActions": {
+ "formatDocument.label": "Format Dokumen",
+ "formatSelection.label": "Format Pilihan"
+ },
+ "vs/editor/contrib/contextmenu/contextmenu": {
+ "action.showContextMenu.label": "Tampilkan menu konteks editor"
+ },
+ "vs/editor/contrib/hover/hover": {
+ "showHover": "Tampilkan hover",
+ "showDefinitionPreviewHover": "Show Definition Preview Hover"
+ },
+ "vs/editor/contrib/inPlaceReplace/inPlaceReplace": {
+ "InPlaceReplaceAction.previous.label": "Replace with Previous Value",
+ "InPlaceReplaceAction.next.label": "Replace with Next Value"
+ },
+ "vs/editor/contrib/rename/rename": {
+ "no result": "Tidak ada hasil.",
+ "resolveRenameLocationFailed": "An unknown error occurred while resolving rename location",
+ "label": "Renaming '{0}'",
+ "quotableLabel": "Renaming {0}",
+ "aria": "Successfully renamed '{0}' to '{1}'. Summary: {2}",
+ "rename.failedApply": "Rename failed to apply edits",
+ "rename.failed": "Rename failed to compute edits",
+ "rename.label": "Rename Symbol",
+ "enablePreview": "Enable/disable the ability to preview changes before renaming"
+ },
+ "vs/editor/contrib/smartSelect/smartSelect": {
+ "smartSelect.expand": "Expand Selection",
+ "miSmartSelectGrow": "&&Expand Selection",
+ "smartSelect.shrink": "Shrink Selection",
+ "miSmartSelectShrink": "&&Shrink Selection"
+ },
+ "vs/editor/contrib/bracketMatching/bracketMatching": {
+ "overviewRulerBracketMatchForeground": "Warna ikhtisar garis penanda untuk mencocokkan kurung kurawal.",
+ "smartSelect.jumpBracket": "Pergi ke Kurawal",
+ "smartSelect.selectToBracket": "Pilih untuk kurung kurawal.",
+ "miGoToBracket": "Go to &&Bracket"
+ },
+ "vs/editor/contrib/codelens/codelensController": {
+ "showLensOnLine": "Show Code Lens Commands For Current Line"
+ },
+ "vs/editor/contrib/gotoSymbol/link/goToDefinitionAtPosition": {
+ "multipleResults": "Klik untuk menampilkan {0} definisi."
+ },
+ "vs/editor/contrib/links/links": {
+ "links.navigate.executeCmd": "Eksekusi perintah",
+ "links.navigate.follow": "Follow link",
+ "links.navigate.kb.meta.mac": "cmd + click",
+ "links.navigate.kb.meta": "Ctrl + klik",
+ "links.navigate.kb.alt.mac": "option + click",
+ "links.navigate.kb.alt": "alt + click",
+ "invalid.url": "Failed to open this link because it is not well-formed: {0}",
+ "missing.url": "Failed to open this link because its target is missing.",
+ "label": "Buka Tautan"
+ },
+ "vs/editor/contrib/gotoError/gotoError": {
+ "markerAction.next.label": "Go to Next Problem (Error, Warning, Info)",
+ "markerAction.previous.label": "Go to Previous Problem (Error, Warning, Info)",
+ "markerAction.nextInFiles.label": "Go to Next Problem in Files (Error, Warning, Info)",
+ "markerAction.previousInFiles.label": "Go to Previous Problem in Files (Error, Warning, Info)",
+ "miGotoNextProblem": "Next &&Problem",
+ "miGotoPreviousProblem": "Previous &&Problem"
+ },
+ "vs/editor/contrib/rename/onTypeRename": {
+ "onTypeRename.label": "On Type Rename Symbol"
+ },
+ "vs/editor/contrib/peekView/peekView": {
+ "label.close": "Tutup",
+ "peekViewTitleBackground": "Background color of the peek view title area.",
+ "peekViewTitleForeground": "Color of the peek view title.",
+ "peekViewTitleInfoForeground": "Warna info judul tampilan lihat.",
+ "peekViewBorder": "Color of the peek view borders and arrow.",
+ "peekViewResultsBackground": "Background color of the peek view result list.",
+ "peekViewResultsMatchForeground": "Foreground color for line nodes in the peek view result list.",
+ "peekViewResultsFileForeground": "Foreground color for file nodes in the peek view result list.",
+ "peekViewResultsSelectionBackground": "Background color of the selected entry in the peek view result list.",
+ "peekViewResultsSelectionForeground": "Foreground color of the selected entry in the peek view result list.",
+ "peekViewEditorBackground": "Background color of the peek view editor.",
+ "peekViewEditorGutterBackground": "Background color of the gutter in the peek view editor.",
+ "peekViewResultsMatchHighlight": "Match highlight color in the peek view result list.",
+ "peekViewEditorMatchHighlight": "Match highlight color in the peek view editor.",
+ "peekViewEditorMatchHighlightBorder": "Match highlight border in the peek view editor."
+ },
+ "vs/editor/contrib/gotoSymbol/goToCommands": {
+ "peek.submenu": "Peek",
+ "def.title": "Definitions",
+ "noResultWord": "Definisi untuk '{0}' tidak ditemukan",
+ "generic.noResults": "Tidak ada definisi ditemukan",
+ "actions.goToDecl.label": "Pergi ke Definisi",
+ "miGotoDefinition": "Go to &&Definition",
+ "actions.goToDeclToSide.label": "Buka Definisi ke Samping",
+ "actions.previewDecl.label": "Intip Definisi",
+ "decl.title": "Declarations",
+ "decl.noResultWord": "No declaration found for '{0}'",
+ "decl.generic.noResults": "No declaration found",
+ "actions.goToDeclaration.label": "Go to Declaration",
+ "miGotoDeclaration": "Go to &&Declaration",
+ "actions.peekDecl.label": "Peek Declaration",
+ "typedef.title": "Type Definitions",
+ "goToTypeDefinition.noResultWord": "No type definition found for '{0}'",
+ "goToTypeDefinition.generic.noResults": "Tidak ada jenis definisi ditemukan",
+ "actions.goToTypeDefinition.label": "Pergi ke Jenis Definisi",
+ "miGotoTypeDefinition": "Go to &&Type Definition",
+ "actions.peekTypeDefinition.label": "Peek Type Definition",
+ "impl.title": "Implementations",
+ "goToImplementation.noResultWord": "Implementasi untuk '{0}' tidak ditemukan",
+ "goToImplementation.generic.noResults": "Tidak ada implementasi ditemukan",
+ "actions.goToImplementation.label": "Go to Implementations",
+ "miGotoImplementation": "Go to &&Implementations",
+ "actions.peekImplementation.label": "Intip Implementasi",
+ "references.no": "No references found for '{0}'",
+ "references.noGeneric": "No references found",
+ "goToReferences.label": "Go to References",
+ "miGotoReference": "Go to &&References",
+ "ref.title": "Referensi",
+ "references.action.label": "Peek References",
+ "label.generic": "Go To Any Symbol",
+ "generic.title": "Locations",
+ "generic.noResult": "No results for '{0}'"
+ },
+ "vs/editor/contrib/indentation/indentation": {
+ "indentationToSpaces": "Convert Indentation to Spaces",
+ "indentationToTabs": "Convert Indentation to Tabs",
+ "configuredTabSize": "Configured Tab Size",
+ "selectTabWidth": "Select Tab Size for Current File",
+ "indentUsingTabs": "Indent Using Tabs",
+ "indentUsingSpaces": "Indent Using Spaces",
+ "detectIndentation": "Detect Indentation from Content",
+ "editor.reindentlines": "Indentasi ulang baris",
+ "editor.reindentselectedlines": "Reindent Selected Lines"
+ },
+ "vs/editor/contrib/wordHighlighter/wordHighlighter": {
+ "wordHighlight": "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.",
+ "wordHighlightStrong": "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.",
+ "wordHighlightBorder": "Border color of a symbol during read-access, like reading a variable.",
+ "wordHighlightStrongBorder": "Border color of a symbol during write-access, like writing to a variable.",
+ "overviewRulerWordHighlightForeground": "Overview ruler marker color for symbol highlights. The color must not be opaque so as not to hide underlying decorations.",
+ "overviewRulerWordHighlightStrongForeground": "Overview ruler marker color for write-access symbol highlights. The color must not be opaque so as not to hide underlying decorations.",
+ "wordHighlight.next.label": "Go to Next Symbol Highlight",
+ "wordHighlight.previous.label": "Go to Previous Symbol Highlight",
+ "wordHighlight.trigger.label": "Sorot simbol trigger"
+ },
+ "vs/editor/contrib/find/findController": {
+ "startFindAction": "Temukan",
+ "miFind": "&&Find",
+ "startFindWithSelectionAction": "Find With Selection",
+ "findNextMatchAction": "Cari berikutnya",
+ "findPreviousMatchAction": "Cari sebelumnya",
+ "nextSelectionMatchFindAction": "Temukan Seleksi Berikutnya",
+ "previousSelectionMatchFindAction": "Temukan Seleksi Sebelumnya",
+ "startReplace": "Ganti",
+ "miReplace": "&&Replace"
+ },
+ "vs/editor/contrib/suggest/suggestController": {
+ "arai.alert.snippet": "Accepting '{0}' made {1} additional edits",
+ "suggest.trigger.label": "Trigger Suggest",
+ "accept.accept": "{0} to insert",
+ "accept.insert": "{0} to insert",
+ "accept.replace": "{0} to replace",
+ "detail.more": "show less",
+ "detail.less": "show more"
+ },
+ "vs/editor/contrib/quickAccess/gotoLineQuickAccess": {
+ "cannotRunGotoLine": "Open a text editor first to go to a line.",
+ "gotoLineColumnLabel": "Go to line {0} and column {1}.",
+ "gotoLineLabel": "Go to line {0}.",
+ "gotoLineLabelEmptyWithLimit": "Current Line: {0}, Character: {1}. Type a line number between 1 and {2} to navigate to.",
+ "gotoLineLabelEmpty": "Current Line: {0}, Character: {1}. Type a line number to navigate to."
+ },
+ "vs/editor/contrib/folding/folding": {
+ "unfoldAction.label": "Membuka",
+ "unFoldRecursivelyAction.label": "Membuka Secara Rekursif",
+ "foldAction.label": "Lipat",
+ "toggleFoldAction.label": "Toggle Fold",
+ "foldRecursivelyAction.label": "Lipat Secara Rekursif",
+ "foldAllBlockComments.label": "Lipat semua blok komentar",
+ "foldAllMarkerRegions.label": "Lipat semua wilayah",
+ "unfoldAllMarkerRegions.label": "Buka semua wilayah",
+ "foldAllAction.label": "Lipat Semua",
+ "unfoldAllAction.label": "Membuka Semua",
+ "foldLevelAction.label": "Fold Level {0}",
+ "foldBackgroundBackground": "Background color behind folded ranges. The color must not be opaque so as not to hide underlying decorations."
+ },
+ "vs/editor/contrib/linesOperations/linesOperations": {
+ "lines.copyUp": "Salin Baris Ke Atas",
+ "miCopyLinesUp": "&&Copy Line Up",
+ "lines.copyDown": "Salin Baris Ke Bawah",
+ "miCopyLinesDown": "Co&&py Line Down",
+ "duplicateSelection": "Duplicate Selection",
+ "miDuplicateSelection": "&&Duplicate Selection",
+ "lines.moveUp": "Pindahkan Baris Ke Atas",
+ "miMoveLinesUp": "Mo&&ve Line Up",
+ "lines.moveDown": "Pindahkan Baris Ke Bawah",
+ "miMoveLinesDown": "Move &&Line Down",
+ "lines.sortAscending": "Urutkan baris menaik",
+ "lines.sortDescending": "Urutkan baris menurun",
+ "lines.trimTrailingWhitespace": "Hapus spasi beruntun",
+ "lines.delete": "Hapus baris",
+ "lines.indent": "Indentasi baris",
+ "lines.outdent": "Outdent Line",
+ "lines.insertBefore": "Menyisipkan baris di atas",
+ "lines.insertAfter": "Insert Line Below",
+ "lines.deleteAllLeft": "Delete All Left",
+ "lines.deleteAllRight": "Delete All Right",
+ "lines.joinLines": "Gabungkan baris",
+ "editor.transpose": "Transpose characters around the cursor",
+ "editor.transformToUppercase": "Ubah ke huruf kapital",
+ "editor.transformToLowercase": "Ubah ke huruf kecil",
+ "editor.transformToTitlecase": "Transform to Title Case"
+ },
+ "vs/editor/contrib/multicursor/multicursor": {
+ "mutlicursor.insertAbove": "Add Cursor Above",
+ "miInsertCursorAbove": "&&Add Cursor Above",
+ "mutlicursor.insertBelow": "Tambah Kursor Dibawah",
+ "miInsertCursorBelow": "A&&dd Cursor Below",
+ "mutlicursor.insertAtEndOfEachLineSelected": "Add Cursors to Line Ends",
+ "miInsertCursorAtEndOfEachLineSelected": "Add C&&ursors to Line Ends",
+ "mutlicursor.addCursorsToBottom": "Add Cursors To Bottom",
+ "mutlicursor.addCursorsToTop": "Add Cursors To Top",
+ "addSelectionToNextFindMatch": "Add Selection To Next Find Match",
+ "miAddSelectionToNextFindMatch": "Add &&Next Occurrence",
+ "addSelectionToPreviousFindMatch": "Add Selection To Previous Find Match",
+ "miAddSelectionToPreviousFindMatch": "Add P&&revious Occurrence",
+ "moveSelectionToNextFindMatch": "Move Last Selection To Next Find Match",
+ "moveSelectionToPreviousFindMatch": "Move Last Selection To Previous Find Match",
+ "selectAllOccurrencesOfFindMatch": "Select All Occurrences of Find Match",
+ "miSelectHighlights": "Select All &&Occurrences",
+ "changeAll.label": "Change All Occurrences"
+ },
+ "vs/editor/contrib/codeAction/codeActionCommands": {
+ "args.schema.kind": "Kind of the code action to run.",
+ "args.schema.apply": "Controls when the returned actions are applied.",
+ "args.schema.apply.first": "Always apply the first returned code action.",
+ "args.schema.apply.ifSingle": "Apply the first returned code action if it is the only one.",
+ "args.schema.apply.never": "Do not apply the returned code actions.",
+ "args.schema.preferred": "Controls if only preferred code actions should be returned.",
+ "applyCodeActionFailed": "An unknown error occurred while applying the code action",
+ "quickfix.trigger.label": "Quick Fix...",
+ "editor.action.quickFix.noneMessage": "No code actions available",
+ "editor.action.codeAction.noneMessage.preferred.kind": "No preferred code actions for '{0}' available",
+ "editor.action.codeAction.noneMessage.kind": "No code actions for '{0}' available",
+ "editor.action.codeAction.noneMessage.preferred": "No preferred code actions available",
+ "editor.action.codeAction.noneMessage": "No code actions available",
+ "refactor.label": "Refactor...",
+ "editor.action.refactor.noneMessage.preferred.kind": "No preferred refactorings for '{0}' available",
+ "editor.action.refactor.noneMessage.kind": "No refactorings for '{0}' available",
+ "editor.action.refactor.noneMessage.preferred": "No preferred refactorings available",
+ "editor.action.refactor.noneMessage": "No refactorings available",
+ "source.label": "Source Action...",
+ "editor.action.source.noneMessage.preferred.kind": "No preferred source actions for '{0}' available",
+ "editor.action.source.noneMessage.kind": "No source actions for '{0}' available",
+ "editor.action.source.noneMessage.preferred": "No preferred source actions available",
+ "editor.action.source.noneMessage": "No source actions available",
+ "organizeImports.label": "Organize Imports",
+ "editor.action.organize.noneMessage": "No organize imports action available",
+ "fixAll.label": "Fix All",
+ "fixAll.noneMessage": "No fix all action available",
+ "autoFix.label": "Auto Fix...",
+ "editor.action.autoFix.noneMessage": "No auto fixes available"
+ },
+ "vs/editor/contrib/rename/renameInputField": {
+ "renameAriaLabel": "Rename input. Type new name and press Enter to commit.",
+ "label": "{0} to Rename, {1} to Preview"
+ },
+ "vs/editor/contrib/parameterHints/parameterHintsWidget": {
+ "hint": "{0}, petunjuk"
+ },
+ "vs/editor/contrib/message/messageController": {
+ "editor.readonly": "Cannot edit in read-only editor"
+ },
+ "vs/editor/contrib/quickAccess/gotoSymbolQuickAccess": {
+ "cannotRunGotoSymbolWithoutEditor": "To go to a symbol, first open a text editor with symbol information.",
+ "cannotRunGotoSymbolWithoutSymbolProvider": "The active text editor does not provide symbol information.",
+ "openToSide": "Open to the Side",
+ "openToBottom": "Open to the Bottom",
+ "symbols": "symbols ({0})",
+ "property": "properties ({0})",
+ "method": "methods ({0})",
+ "function": "functions ({0})",
+ "_constructor": "constructors ({0})",
+ "variable": "variables ({0})",
+ "class": "classes ({0})",
+ "struct": "structs ({0})",
+ "event": "events ({0})",
+ "operator": "operators ({0})",
+ "interface": "interfaces ({0})",
+ "namespace": "namespaces ({0})",
+ "package": "packages ({0})",
+ "typeParameter": "type parameters ({0})",
+ "modules": "modules ({0})",
+ "enum": "enumerations ({0})",
+ "enumMember": "enumeration members ({0})",
+ "string": "strings ({0})",
+ "file": "files ({0})",
+ "array": "arrays ({0})",
+ "number": "numbers ({0})",
+ "boolean": "booleans ({0})",
+ "object": "objects ({0})",
+ "key": "keys ({0})",
+ "field": "fields ({0})",
+ "constant": "constants ({0})"
+ },
+ "vs/editor/contrib/snippet/snippetVariables": {
+ "Sunday": "Sunday",
+ "Monday": "Monday",
+ "Tuesday": "Tuesday",
+ "Wednesday": "Wednesday",
+ "Thursday": "Thursday",
+ "Friday": "Friday",
+ "Saturday": "Saturday",
+ "SundayShort": "Min",
+ "MondayShort": "Sen",
+ "TuesdayShort": "Sel",
+ "WednesdayShort": "Rab",
+ "ThursdayShort": "Kam",
+ "FridayShort": "Jum",
+ "SaturdayShort": "Sab",
+ "January": "January",
+ "February": "February",
+ "March": "March",
+ "April": "April",
+ "May": "Mei",
+ "June": "June",
+ "July": "July",
+ "August": "August",
+ "September": "September",
+ "October": "October",
+ "November": "November",
+ "December": "December",
+ "JanuaryShort": "Jan",
+ "FebruaryShort": "Feb",
+ "MarchShort": "Mar",
+ "AprilShort": "Apr",
+ "MayShort": "Mei",
+ "JuneShort": "Jun",
+ "JulyShort": "Jul",
+ "AugustShort": "Aug",
+ "SeptemberShort": "Sep",
+ "OctoberShort": "Oct",
+ "NovemberShort": "Nov",
+ "DecemberShort": "Dec"
+ },
+ "vs/editor/contrib/gotoSymbol/peek/referencesController": {
+ "labelLoading": "Memuat...",
+ "metaTitle.N": "{0} ({1})"
+ },
+ "vs/editor/contrib/format/format": {
+ "hint11": "Made 1 formatting edit on line {0}",
+ "hintn1": "Made {0} formatting edits on line {1}",
+ "hint1n": "Made 1 formatting edit between lines {0} and {1}",
+ "hintnn": "Made {0} formatting edits between lines {1} and {2}"
+ },
+ "vs/editor/contrib/gotoSymbol/referencesModel": {
+ "aria.oneReference": "symbol in {0} on line {1} at column {2}",
+ "aria.fileReferences.1": "1 symbol in {0}, full path {1}",
+ "aria.fileReferences.N": "{0} symbols in {1}, full path {2}",
+ "aria.result.0": "No results found",
+ "aria.result.1": "Found 1 symbol in {0}",
+ "aria.result.n1": "Found {0} symbols in {1}",
+ "aria.result.nm": "Found {0} symbols in {1} files"
+ },
+ "vs/editor/contrib/gotoSymbol/symbolNavigation": {
+ "location.kb": "Symbol {0} of {1}, {2} for next",
+ "location": "Symbol {0} of {1}"
+ },
+ "vs/editor/contrib/gotoError/gotoErrorWidget": {
+ "Error": "Kesalahan",
+ "Warning": "Peringatan",
+ "Info": "Info",
+ "Hint": "Hint",
+ "marker aria": "{0} at {1}. ",
+ "problems": "{0} of {1} problems",
+ "change": "{0} of {1} problem",
+ "editorMarkerNavigationError": "Editor marker navigation widget error color.",
+ "editorMarkerNavigationWarning": "Editor marker navigation widget warning color.",
+ "editorMarkerNavigationInfo": "Editor marker navigation widget info color.",
+ "editorMarkerNavigationBackground": "Editor marker navigation widget background."
+ },
+ "vs/editor/contrib/hover/modesContentHover": {
+ "modesContentHover.loading": "Memuat...",
+ "peek problem": "Peek Problem",
+ "titleAndKb": "{0} ({1})",
+ "checkingForQuickFixes": "Checking for quick fixes...",
+ "noQuickFixes": "No quick fixes available",
+ "quick fixes": "Quick Fix..."
+ },
+ "vs/editor/contrib/documentSymbols/outlineTree": {
+ "provider": "Outline Provider",
+ "title.template": "{0} ({1})",
+ "1.problem": "1 problem in this element",
+ "N.problem": "{0} problems in this element",
+ "deep.problem": "Contains elements with problems",
+ "Array": "array",
+ "Boolean": "boolean",
+ "Class": "class",
+ "Constant": "constant",
+ "Constructor": "constructor",
+ "Enum": "enumeration",
+ "EnumMember": "anggota enumerasi",
+ "Event": "event",
+ "Field": "field",
+ "File": "file",
+ "Function": "function",
+ "Interface": "interface",
+ "Key": "key",
+ "Method": "method",
+ "Module": "module",
+ "Namespace": "namespace",
+ "Null": "null",
+ "Number": "number",
+ "Object": "object",
+ "Operator": "operator",
+ "Package": "package",
+ "Property": "property",
+ "String": "string",
+ "Struct": "struct",
+ "TypeParameter": "type parameter",
+ "Variable": "variable",
+ "symbolIcon.arrayForeground": "The foreground color for array symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.booleanForeground": "The foreground color for boolean symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.classForeground": "The foreground color for class symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.colorForeground": "Warna latar depan untuk warna simbol. Simbol-simbol ini muncul di outline, breadcrumb, dan widget yang disarankan.",
+ "symbolIcon.constantForeground": "The foreground color for constant symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.constructorForeground": "The foreground color for constructor symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.enumeratorForeground": "The foreground color for enumerator symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.enumeratorMemberForeground": "The foreground color for enumerator member symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.eventForeground": "The foreground color for event symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.fieldForeground": "The foreground color for field symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.fileForeground": "The foreground color for file symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.folderForeground": "The foreground color for folder symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.functionForeground": "The foreground color for function symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.interfaceForeground": "The foreground color for interface symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.keyForeground": "The foreground color for key symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.keywordForeground": "The foreground color for keyword symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.methodForeground": "The foreground color for method symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.moduleForeground": "The foreground color for module symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.namespaceForeground": "The foreground color for namespace symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.nullForeground": "The foreground color for null symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.numberForeground": "The foreground color for number symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.objectForeground": "The foreground color for object symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.operatorForeground": "The foreground color for operator symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.packageForeground": "The foreground color for package symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.propertyForeground": "The foreground color for property symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.referenceForeground": "The foreground color for reference symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.snippetForeground": "The foreground color for snippet symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.stringForeground": "The foreground color for string symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.structForeground": "The foreground color for struct symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.textForeground": "The foreground color for text symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.typeParameterForeground": "The foreground color for type parameter symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.unitForeground": "The foreground color for unit symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.variableForeground": "The foreground color for variable symbols. These symbols appear in the outline, breadcrumb, and suggest widget."
+ },
+ "vs/editor/contrib/gotoSymbol/peek/referencesWidget": {
+ "missingPreviewMessage": "Pratinjau tidak tersedia",
+ "treeAriaLabel": "Referensi",
+ "noResults": "Tidak ada hasil",
+ "peekView.alternateTitle": "Referensi"
+ },
+ "vs/editor/contrib/find/findWidget": {
+ "label.find": "Temukan",
+ "placeholder.find": "Temukan",
+ "label.previousMatchButton": "Hasil sebelumnya",
+ "label.nextMatchButton": "Hasil berikutnya",
+ "label.toggleSelectionFind": "Cari dalam pilihan",
+ "label.closeButton": "Tutup",
+ "label.replace": "Ganti",
+ "placeholder.replace": "Ganti",
+ "label.replaceButton": "Ganti",
+ "label.replaceAllButton": "Ganti semua",
+ "label.toggleReplaceButton": "Toggle Replace mode",
+ "title.matchesCountLimit": "Only the first {0} results are highlighted, but all find operations work on the entire text.",
+ "label.matchesLocation": "{0} dari {1}",
+ "label.noResults": "Tidak ada hasil",
+ "ariaSearchNoResultEmpty": "{0} found",
+ "ariaSearchNoResult": "{0} found for '{1}'",
+ "ariaSearchNoResultWithLineNum": "{0} found for '{1}', at {2}",
+ "ariaSearchNoResultWithLineNumNoCurrentMatch": "{0} found for '{1}'",
+ "ctrlEnter.keybindingChanged": "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/suggest/suggestWidget": {
+ "editorSuggestWidgetBackground": "Background color of the suggest widget.",
+ "editorSuggestWidgetBorder": "Border color of the suggest widget.",
+ "editorSuggestWidgetForeground": "Foreground color of the suggest widget.",
+ "editorSuggestWidgetSelectedBackground": "Background color of the selected entry in the suggest widget.",
+ "editorSuggestWidgetHighlightForeground": "Color of the match highlights in the suggest widget.",
+ "readMore": "Baca lebih lanjut...{0}",
+ "readLess": "Baca lebih sedikit...{0}",
+ "loading": "Memuat...",
+ "suggestWidget.loading": "Memuat...",
+ "suggestWidget.noSuggestions": "Tidak ada saran.",
+ "ariaCurrenttSuggestionReadDetails": "Item {0}, docs: {1}"
+ },
+ "vs/editor/contrib/codeAction/lightBulbWidget": {
+ "prefferedQuickFixWithKb": "Show Fixes. Preferred Fix Available ({0})",
+ "quickFixWithKb": "Tampilkan perbaikan ({0})",
+ "quickFix": "Tampilkan perbaikan"
+ },
+ "vs/editor/contrib/gotoSymbol/peek/referencesTree": {
+ "referencesFailre": "Failed to resolve file.",
+ "referencesCount": "{0} referensi",
+ "referenceCount": "{0} referensi"
+ },
+ "vs/platform/extensionManagement/common/extensionManagement": {
+ "extensions": "Ekstensi",
+ "preferences": "Preferensi"
+ },
+ "vs/platform/environment/node/argvHelper": {
+ "unknownOption": "Warning: '{0}' is not in the list of known options, but still passed to Electron/Chromium.",
+ "multipleValues": "Option '{0}' is defined more than once. Using value '{1}.'",
+ "gotoValidation": "Argumen dalam mode `--goto` harus dalam format `BERKAS(:BARIS(:KARAKTER))`."
+ },
+ "vs/platform/extensionManagement/node/extensionManagementUtil": {
+ "invalidManifest": "VSIX invalid: package.json is not a JSON file."
+ },
+ "vs/platform/request/common/request": {
+ "httpConfigurationTitle": "HTTP",
+ "proxy": "The proxy setting to use. If not set, will be inherited from the `http_proxy` and `https_proxy` environment variables.",
+ "strictSSL": "Controls whether the proxy server certificate should be verified against the list of supplied CAs.",
+ "proxyAuthorization": "Nilai yang dikirim sebagai header `Proxy-Authorization` untuk setiap permintaan jaringan.",
+ "proxySupportOff": "Disable proxy support for extensions.",
+ "proxySupportOn": "Enable proxy support for extensions.",
+ "proxySupportOverride": "Enable proxy support for extensions, override request options.",
+ "proxySupport": "Use the proxy support for extensions.",
+ "systemCertificates": "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/platform/update/common/update.config.contribution": {
+ "updateConfigurationTitle": "Pembaruan",
+ "updateMode": "Configure whether you receive automatic updates. Requires a restart after change. The updates are fetched from a Microsoft online service.",
+ "none": "Disable updates.",
+ "manual": "Disable automatic background update checks. Updates will be available if you manually check for updates.",
+ "start": "Check for updates only on startup. Disable automatic background update checks.",
+ "default": "Enable automatic update checks. Code will check for updates automatically and periodically.",
+ "deprecated": "This setting is deprecated, please use '{0}' instead.",
+ "enableWindowsBackgroundUpdatesTitle": "Enable Background Updates on Windows",
+ "enableWindowsBackgroundUpdates": "Enable to download and install new VS Code Versions in the background on Windows",
+ "showReleaseNotes": "Show Release Notes after an update. The Release Notes are fetched from a Microsoft online service."
+ },
+ "vs/platform/telemetry/common/telemetryService": {
+ "telemetryConfigurationTitle": "Telemetri",
+ "telemetry.enableTelemetry": "Enable usage data and errors to be sent to a Microsoft online service."
+ },
+ "vs/platform/label/common/label": {
+ "untitledWorkspace": "Tanpa Nama (Ruang Kerja)",
+ "workspaceName": "{0} (Ruang Kerja)"
+ },
+ "vs/platform/files/electron-browser/diskFileSystemProvider": {
+ "binFailed": "Failed to move '{0}' to the recycle bin",
+ "trashFailed": "Failed to move '{0}' to the trash"
+ },
+ "vs/platform/files/common/files": {
+ "unknownError": "Unknown Error"
+ },
+ "vs/platform/environment/node/argv": {
+ "optionsUpperCase": "Opsi",
+ "extensionsManagement": "Manajemen Ekstensi",
+ "troubleshooting": "Troubleshooting",
+ "diff": "Bandingkan dua file satu sama lain.",
+ "add": "Tambahkan folder ke jendela aktif terakhir.",
+ "goto": "Buka file di jalur pada baris tertentu dan posisi karakter.",
+ "newWindow": "Paksa untuk membuka jendela baru.",
+ "reuseWindow": "Paksa untuk membuka berkas atau folder di jendela yang sudah dibuka.",
+ "folderUri": "Opens a window with given folder uri(s)",
+ "fileUri": "Opens a window with given file uri(s)",
+ "wait": "Menunggu berkas ditutup sebelum kembali.",
+ "locale": "Pelokalan yang digunakan (misal en-US atau zh-TW).",
+ "userDataDir": "Menentukan direktori dimana data pengguna akan disimpan. Dapat digunakan untuk membuka beberapa contoh yang berbeda dari Code.",
+ "help": "Tampilkan penggunaan.",
+ "extensionHomePath": "Atur lokasi utama untuk ekstensi.",
+ "listExtensions": "Daftar ektensi terpasang.",
+ "showVersions": "Tampilkan versi ekstensi yang terpasang saat menggunakan --list-extension.",
+ "category": "Filters installed extensions by provided category, when using --list-extension.",
+ "installExtension": "Pasang atau perbarui extensi. Gunakan argumen `--force` untuk menghindari prompt",
+ "uninstallExtension": "Melepas ekstensi.",
+ "experimentalApis": "Enables proposed API features for extensions. Can receive one or more extension IDs to enable individually.",
+ "version": "Tampilkan versi.",
+ "verbose": "Print verbose output (implies --wait).",
+ "log": "Tingkatan log yang akan digunakan. Nilai awal adalah 'info'. Nilai lain yang diperbolehkan adalah 'critical', 'warn', 'info', 'debug', 'trace', 'off'.",
+ "status": "Cetak penggunaan proses dan informasi diagnostik.",
+ "prof-startup": "Jalankan profiler CPU selama startup",
+ "disableExtensions": "Nonaktifkan semua ekstensi yang terpasang.",
+ "disableExtension": "Disable an extension.",
+ "turn sync": "Turn sync on or off",
+ "inspect-extensions": "Izinkan debugging dan profiling pada ektensi. Periksa alat pengembang untuk sambungan URI.",
+ "inspect-brk-extensions": "Izinkan debugging dan profilling pada ekstensi dengan host ekstensi yang berhenti setelah mulai. Periksa alat pengembang untuk sambungan URI.",
+ "disableGPU": "Nonaktifkan percepatan perangkat keras GPU",
+ "maxMemory": "Ukuran memori maksimal untuk sebuah jendela (dalam Mbytes).",
+ "telemetry": "Shows all telemetry events which VS code collects.",
+ "usage": "Penggunaan",
+ "options": "opsi",
+ "paths": "lokasi",
+ "stdinWindows": "Untuk membaca output dari program lain, tambahkan '-' (contohnya 'echo Hello World | {0} -')",
+ "stdinUnix": "Untuk membaca dari stdin, tambahkan '-' (misalnya ' ps aux | grep code | {0}-')",
+ "unknownVersion": "Unknown version",
+ "unknownCommit": "Unknown commit"
+ },
+ "vs/platform/markers/common/markers": {
+ "sev.error": "Kesalahan",
+ "sev.warning": "Peringatan",
+ "sev.info": "Info"
+ },
+ "vs/platform/dialogs/common/dialogs": {
+ "moreFile": "...1 berkas tambahan tidak ditampilkan",
+ "moreFiles": "...{0} berkas tambahan tidak ditampilkan"
+ },
+ "vs/platform/userDataSync/common/userDataSync": {
+ "sync": "Sync",
+ "sync.keybindingsPerPlatform": "Synchronize keybindings per platform.",
+ "sync.ignoredExtensions": "List of extensions to be ignored while synchronizing. The identifier of an extension is always ${publisher}.${name}. For example: vscode.csharp.",
+ "sync.ignoredSettings": "Configure settings to be ignored while synchronizing.",
+ "app.extension.identifier.errorMessage": "Expected format '${publisher}.${name}'. Example: 'vscode.csharp'."
+ },
+ "vs/platform/files/node/diskFileSystemProvider": {
+ "fileExists": "File already exists",
+ "fileNotExists": "File does not exist",
+ "moveError": "Unable to move '{0}' into '{1}' ({2}).",
+ "copyError": "Unable to copy '{0}' into '{1}' ({2}).",
+ "fileCopyErrorPathCase": "'File cannot be copied to same path with different path case",
+ "fileCopyErrorExists": "File at target already exists"
+ },
+ "vs/platform/configuration/common/configurationRegistry": {
+ "defaultConfigurations.title": "Timpa konfigurasi bawaan",
+ "overrideSettings.description": "Konfigurasikan pengaturan editor untuk diganti menggunakan bahasa {0}.",
+ "overrideSettings.defaultDescription": "Konfigurasikan pengaturan editor untuk diganti menggunakan sebuah bahasa.",
+ "overrideSettings.errorMessage": "This setting does not support per-language configuration.",
+ "config.property.languageDefault": "Tidak dapat mendaftarkan '{0}'. Ini sesuai dengan pola properti '\\\\[.*\\\\]$' untuk mendeskripsikan pengaturan editor bahasa yang spesifik. Gunakan kontribusi 'configurationDefaults'.",
+ "config.property.duplicate": "Tidak dapat mendaftarkan '{0}'. Properti ini telah didaftarkan."
+ },
+ "vs/platform/workspaces/common/workspaces": {
+ "codeWorkspace": "Ruang Kerja Kode"
+ },
+ "vs/platform/userDataSync/common/userDataSyncService": {
+ "turned off": "Cannot sync because syncing is turned off in the cloud",
+ "session expired": "Cannot sync because current session is expired"
+ },
+ "vs/platform/undoRedo/common/undoRedoService": {
+ "externalRemoval": "The following files have been closed: {0}.",
+ "noParallelUniverses": "The following files have been modified in an incompatible way: {0}.",
+ "cannotWorkspaceUndo": "Could not undo '{0}' across all files. {1}",
+ "cannotWorkspaceUndoDueToChanges": "Could not undo '{0}' across all files because changes were made to {1}",
+ "confirmWorkspace": "Would you like to undo '{0}' across all files?",
+ "ok": "Undo in {0} Files",
+ "nok": "Undo this File",
+ "cancel": "Batal",
+ "cannotWorkspaceRedo": "Could not redo '{0}' across all files. {1}",
+ "cannotWorkspaceRedoDueToChanges": "Could not redo '{0}' across all files because changes were made to {1}"
+ },
+ "vs/platform/files/common/fileService": {
+ "invalidPath": "Unable to resolve filesystem provider with relative file path '{0}'",
+ "noProviderFound": "No file system provider found for resource '{0}'",
+ "fileNotFoundError": "Unable to resolve non-existing file '{0}'",
+ "fileExists": "Unable to create file '{0}' that already exists when overwrite flag is not set",
+ "err.write": "Unable to write file '{0}' ({1})",
+ "fileIsDirectoryWriteError": "Unable to write file '{0}' that is actually a directory",
+ "fileModifiedError": "File Modified Since",
+ "err.read": "Unable to read file '{0}' ({1})",
+ "fileIsDirectoryReadError": "Unable to read file '{0}' that is actually a directory",
+ "fileNotModifiedError": "File not modified since",
+ "fileTooLargeError": "Unable to read file '{0}' that is too large to open",
+ "unableToMoveCopyError1": "Unable to copy when source '{0}' is same as target '{1}' with different path case on a case insensitive file system",
+ "unableToMoveCopyError2": "Unable to move/copy when source '{0}' is parent of target '{1}'.",
+ "unableToMoveCopyError3": "Unable to move/copy '{0}' because target '{1}' already exists at destination.",
+ "unableToMoveCopyError4": "Unable to move/copy '{0}' into '{1}' since a file would replace the folder it is contained in.",
+ "mkdirExistsError": "Unable to create folder '{0}' that already exists but is not a directory",
+ "deleteFailedTrashUnsupported": "Unable to delete file '{0}' via trash because provider does not support it.",
+ "deleteFailedNotFound": "Unable to delete non-existing file '{0}'",
+ "deleteFailedNonEmptyFolder": "Unable to delete non-empty folder '{0}'.",
+ "err.readonly": "Unable to modify readonly file '{0}'"
+ },
+ "vs/platform/quickinput/browser/helpQuickAccess": {
+ "globalCommands": "perintah global",
+ "editorCommands": "editor commands",
+ "helpPickAriaLabel": "{0}, {1}"
+ },
+ "vs/platform/list/browser/listService": {
+ "workbenchConfigurationTitle": "Workbench",
+ "multiSelectModifier.ctrlCmd": "Petakan ke `Control` pada Windows dan Linux, dan `Command` pada macOS.",
+ "multiSelectModifier.alt": "Petakan untuk `Alt` pada Windows dan Linux dan untuk `Option` pada macOS.",
+ "multiSelectModifier": "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.",
+ "openModeModifier": "Controls how to open items in trees and lists using the mouse (if supported). For parents with children in trees, this setting will control if a single click expands the parent or a double click. Note that some trees and lists might choose to ignore this setting if it is not applicable. ",
+ "horizontalScrolling setting": "Controls whether lists and trees support horizontal scrolling in the workbench. Warning: turning on this setting has a performance implication.",
+ "tree horizontalScrolling setting": "Controls whether trees support horizontal scrolling in the workbench.",
+ "deprecated": "This setting is deprecated, please use '{0}' instead.",
+ "tree indent setting": "Controls tree indentation in pixels.",
+ "render tree indent guides": "Controls whether the tree should render indent guides.",
+ "keyboardNavigationSettingKey.simple": "Simple keyboard navigation focuses elements which match the keyboard input. Matching is done only on prefixes.",
+ "keyboardNavigationSettingKey.highlight": "Highlight keyboard navigation highlights elements which match the keyboard input. Further up and down navigation will traverse only the highlighted elements.",
+ "keyboardNavigationSettingKey.filter": "Filter keyboard navigation will filter out and hide all the elements which do not match the keyboard input.",
+ "keyboardNavigationSettingKey": "Controls the keyboard navigation style for lists and trees in the workbench. Can be simple, highlight and filter.",
+ "automatic keyboard navigation setting": "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."
+ },
+ "vs/platform/files/common/io": {
+ "fileTooLargeForHeapError": "To open a file of this size, you need to restart and allow it to use more memory",
+ "fileTooLargeError": "File terlalu besar untuk dibuka"
+ },
+ "vs/platform/extensionManagement/node/extensionManagementService": {
+ "invalidManifest": "Ekstensi tidak tepat: package.json bukan merupakan berkas JSON.",
+ "incompatible": "Unable to install extension '{0}' as it is not compatible with VS Code '{1}'.",
+ "restartCode": "Please restart VS Code before reinstalling {0}.",
+ "MarketPlaceDisabled": "Marketplace tidak diaktifkan",
+ "malicious extension": "Tidak dapat memasang ekstensi karena dilaporkan bermasalah.",
+ "notFoundCompatibleDependency": "Unable to install '{0}' extension because it is not compatible with the current version of VS Code (version {1}).",
+ "removeError": "Kesalahan saat menghapus ekstensi : {0}. Silakan menutup dan membuka VS Code sebelum mencoba lagi.",
+ "Not a Marketplace extension": "Hanya ektensi dari Marketplace yang dapat dipasang ulang",
+ "quitCode": "Tidak dapat memasang ekstensi. Silakan keluar dan mulai VS Code sebelum menginstal ulang.",
+ "exitCode": "Tidak dapat memasang ekstensi. Silakan keluar dan mulai VS Code sebelum menginstal ulang.",
+ "errorDeleting": "Unable to delete the existing folder '{0}' while installing the extension '{1}'. Please delete the folder manually and try again",
+ "cannot read": "Cannot read the extension from {0}",
+ "renameError": "Kesalahan tidak diketahui ketika mengubah nama {0} menjadi {1}",
+ "notInstalled": "Ekstensi '{0}' belum terinstal.",
+ "singleDependentError": "Tidak dapat melepas ekstensi '{0}'. Ekstensi '{1}' bergantung pada ini.",
+ "twoDependentsError": "Tidak dapat melepas ekstensi '{0}'. Ekstensi '{1}' dan '{2}' bergantung pada ini.",
+ "multipleDependentsError": "Tidak dapat melepas ekstensi '{0}'. Ekstensi '{1}', '{2}', dsb. bergantung pada ini.",
+ "notExists": "Ekstensi tidak dapat ditemukan"
+ },
+ "vs/platform/actions/browser/menuEntryActionViewItem": {
+ "titleAndKb": "{0} ({1})"
+ },
+ "vs/platform/theme/common/colorRegistry": {
+ "foreground": "Warna latar keseluruhan. Hanya digunakan jika tidak ditimpa oleh komponen.",
+ "errorForeground": "Warna latar pesan kesalahan. Hanya digunakan jika tidak ditimpa oleh komponen.",
+ "descriptionForeground": "Warna latar depan untuk teks yang memberikan informasi tambahan, misalnya sebuah label.",
+ "iconForeground": "The default color for icons in the workbench.",
+ "focusBorder": "Warna latar elemen yang sedang fokus. Hanya digunakan jika tidak ditimpa oleh komponen.",
+ "contrastBorder": "Garis tepi tambahan pada elemen untuk memisahkan mereka dari elemen lain agar kontras lebih besar.",
+ "activeContrastBorder": "Garis tepi tambahan pada elemen aktif untuk memisahkan mereka dari elemen lain agar kontras lebih besar.",
+ "selectionBackground": "The background color of text selections in the workbench (e.g. for input fields or text areas). Note that this does not apply to selections within the editor.",
+ "textSeparatorForeground": "Warna untuk pemisah teks.",
+ "textLinkForeground": "Warna latar depan untuk tautan pada teks.",
+ "textLinkActiveForeground": "Foreground color for links in text when clicked on and on mouse hover.",
+ "textPreformatForeground": "Foreground color for preformatted text segments.",
+ "textBlockQuoteBackground": "Background color for block quotes in text.",
+ "textBlockQuoteBorder": "Border color for block quotes in text.",
+ "textCodeBlockBackground": "Background color for code blocks in text.",
+ "widgetShadow": "Shadow color of widgets such as find/replace inside the editor.",
+ "inputBoxBackground": "Latar belakang kotak input.",
+ "inputBoxForeground": "Latar depan kotak input.",
+ "inputBoxBorder": "Garis tepi kotak input.",
+ "inputBoxActiveOptionBorder": "Garis tepi opsi yang aktif di bidang input.",
+ "inputOption.activeBackground": "Background color of activated options in input fields.",
+ "inputPlaceholderForeground": "Input box foreground color for placeholder text.",
+ "inputValidationInfoBackground": "Warna latar belakang input validation untuk informasi tingkat keparahan.",
+ "inputValidationInfoForeground": "Input validation foreground color for information severity.",
+ "inputValidationInfoBorder": "Input validation border color for information severity.",
+ "inputValidationWarningBackground": "Input validation background color for warning severity.",
+ "inputValidationWarningForeground": "Input validation foreground color for warning severity.",
+ "inputValidationWarningBorder": "Input validation border color for warning severity.",
+ "inputValidationErrorBackground": "Input validation background color for error severity.",
+ "inputValidationErrorForeground": "Input validation foreground color for error severity.",
+ "inputValidationErrorBorder": "Input validation border color for error severity.",
+ "dropdownBackground": "Latar belakang menu pilihan menurun.",
+ "dropdownListBackground": "Dropdown list background.",
+ "dropdownForeground": "Latar menu pilihan menurun.",
+ "dropdownBorder": "Garis tepi menu pilihan menurun.",
+ "checkbox.background": "Background color of checkbox widget.",
+ "checkbox.foreground": "Foreground color of checkbox widget.",
+ "checkbox.border": "Border color of checkbox widget.",
+ "buttonForeground": "Warna latar tombol.",
+ "buttonBackground": "Warna latar belakang tombol.",
+ "buttonHoverBackground": "Warna latar belakang tombol saat melayang.",
+ "badgeBackground": "Badge background color. Badges are small information labels, e.g. for search results count.",
+ "badgeForeground": "Badge foreground color. Badges are small information labels, e.g. for search results count.",
+ "scrollbarShadow": "Scrollbar shadow to indicate that the view is scrolled.",
+ "scrollbarSliderBackground": "Scrollbar slider background color.",
+ "scrollbarSliderHoverBackground": "Scrollbar slider background color when hovering.",
+ "scrollbarSliderActiveBackground": "Scrollbar slider background color when clicked on.",
+ "progressBarBackground": "Background color of the progress bar that can show for long running operations.",
+ "editorError.foreground": "Warna latar depan dari garis bergelombang penunjuk kesalahan pada editor.",
+ "errorBorder": "Border color of error boxes in the editor.",
+ "editorWarning.foreground": "Warna latar depan dari garis bergelombang penunjuk peringatan pada editor.",
+ "warningBorder": "Border color of warning boxes in the editor.",
+ "editorInfo.foreground": "Warna latar depan dari garis bergelombang penunjuk informasi pada editor.",
+ "infoBorder": "Border color of info boxes in the editor.",
+ "editorHint.foreground": "Warna latar depan dari petunjuk squigglies di editor.",
+ "hintBorder": "Border color of hint boxes in the editor.",
+ "editorBackground": "Warna latar belakang editor",
+ "editorForeground": "Warna latar depan default editor",
+ "editorWidgetBackground": "Background color of editor widgets, such as find/replace.",
+ "editorWidgetForeground": "Foreground color of editor widgets, such as find/replace.",
+ "editorWidgetBorder": "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.",
+ "editorWidgetResizeBorder": "Border color of the resize bar of editor widgets. The color is only used if the widget chooses to have a resize border and if the color is not overridden by a widget.",
+ "pickerBackground": "Quick picker background color. The quick picker widget is the container for pickers like the command palette.",
+ "pickerForeground": "Quick picker foreground color. The quick picker widget is the container for pickers like the command palette.",
+ "pickerTitleBackground": "Quick picker title background color. The quick picker widget is the container for pickers like the command palette.",
+ "pickerGroupForeground": "Quick picker color for grouping labels.",
+ "pickerGroupBorder": "Quick picker color for grouping borders.",
+ "editorSelectionBackground": "Color of the editor selection.",
+ "editorSelectionForeground": "Color of the selected text for high contrast.",
+ "editorInactiveSelection": "Color of the selection in an inactive editor. The color must not be opaque so as not to hide underlying decorations.",
+ "editorSelectionHighlight": "Color for regions with the same content as the selection. The color must not be opaque so as not to hide underlying decorations.",
+ "editorSelectionHighlightBorder": "Border color for regions with the same content as the selection.",
+ "editorFindMatch": "Color of the current search match.",
+ "findMatchHighlight": "Color of the other search matches. The color must not be opaque so as not to hide underlying decorations.",
+ "findRangeHighlight": "Color of the range limiting the search. The color must not be opaque so as not to hide underlying decorations.",
+ "editorFindMatchBorder": "Border color of the current search match.",
+ "findMatchHighlightBorder": "Border color of the other search matches.",
+ "findRangeHighlightBorder": "Border color of the range limiting the search. The color must not be opaque so as not to hide underlying decorations.",
+ "searchEditor.queryMatch": "Color of the Search Editor query matches.",
+ "searchEditor.editorFindMatchBorder": "Border color of the Search Editor query matches.",
+ "hoverHighlight": "Highlight below the word for which a hover is shown. The color must not be opaque so as not to hide underlying decorations.",
+ "hoverBackground": "Background color of the editor hover.",
+ "hoverForeground": "Foreground color of the editor hover.",
+ "hoverBorder": "Border color of the editor hover.",
+ "statusBarBackground": "Warna latar belakang bilah status editor pada saat hover.",
+ "activeLinkForeground": "Warna tautan aktif.",
+ "editorLightBulbForeground": "The color used for the lightbulb actions icon.",
+ "editorLightBulbAutoFixForeground": "The color used for the lightbulb auto fix actions icon.",
+ "diffEditorInserted": "Background color for text that got inserted. The color must not be opaque so as not to hide underlying decorations.",
+ "diffEditorRemoved": "Background color for text that got removed. The color must not be opaque so as not to hide underlying decorations.",
+ "diffEditorInsertedOutline": "Outline color for the text that got inserted.",
+ "diffEditorRemovedOutline": "Outline color for text that got removed.",
+ "diffEditorBorder": "Border color between the two text editors.",
+ "listFocusBackground": "Warna latar belakang daftar/pohon untuk item yang difokuskan ketika daftar/pohon aktif. Daftar/pohon yang aktif memiliki fokus papan ketik, daftar/pohon yang tidak aktif tidak memilikinya.",
+ "listFocusForeground": "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.",
+ "listActiveSelectionBackground": "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.",
+ "listActiveSelectionForeground": "Warna latar depan daftar/pohon untuk item yang difokuskan ketika daftar/pohon aktif. Daftar/pohon yang aktif memiliki fokus papan ketik, daftar/pohon yang tidak aktif tidak memilikinya.",
+ "listInactiveSelectionBackground": "Warna latar belakang daftar/pohon untuk item yang difokuskan ketika daftar/pohon aktif. Daftar/pohon yang aktif memiliki fokus papan ketik, daftar/pohon yang tidak aktif tidak memilikinya.",
+ "listInactiveSelectionForeground": "List/Tree foreground color for the selected item when the list/tree is inactive. An active list/tree has keyboard focus, an inactive does not.",
+ "listInactiveFocusBackground": "List/Tree background color for the focused item when the list/tree is inactive. An active list/tree has keyboard focus, an inactive does not.",
+ "listHoverBackground": "List/Tree background when hovering over items using the mouse.",
+ "listHoverForeground": "List/Tree foreground when hovering over items using the mouse.",
+ "listDropBackground": "List/Tree drag and drop background when moving items around using the mouse.",
+ "highlight": "List/Tree foreground color of the match highlights when searching inside the list/tree.",
+ "invalidItemForeground": "List/Tree foreground color for invalid items, for example an unresolved root in explorer.",
+ "listErrorForeground": "Foreground color of list items containing errors.",
+ "listWarningForeground": "Foreground color of list items containing warnings.",
+ "listFilterWidgetBackground": "Background color of the type filter widget in lists and trees.",
+ "listFilterWidgetOutline": "Outline color of the type filter widget in lists and trees.",
+ "listFilterWidgetNoMatchesOutline": "Outline color of the type filter widget in lists and trees, when there are no matches.",
+ "listFilterMatchHighlight": "Background color of the filtered match.",
+ "listFilterMatchHighlightBorder": "Border color of the filtered match.",
+ "treeIndentGuidesStroke": "Tree stroke color for the indentation guides.",
+ "listDeemphasizedForeground": "List/Tree foreground color for items that are deemphasized. ",
+ "menuBorder": "Border color of menus.",
+ "menuForeground": "Foreground color of menu items.",
+ "menuBackground": "Background color of menu items.",
+ "menuSelectionForeground": "Foreground color of the selected menu item in menus.",
+ "menuSelectionBackground": "Background color of the selected menu item in menus.",
+ "menuSelectionBorder": "Border color of the selected menu item in menus.",
+ "menuSeparatorBackground": "Color of a separator menu item in menus.",
+ "snippetTabstopHighlightBackground": "Highlight background color of a snippet tabstop.",
+ "snippetTabstopHighlightBorder": "Highlight border color of a snippet tabstop.",
+ "snippetFinalTabstopHighlightBackground": "Highlight background color of the final tabstop of a snippet.",
+ "snippetFinalTabstopHighlightBorder": "Highlight border color of the final stabstop of a snippet.",
+ "breadcrumbsFocusForeground": "Color of focused breadcrumb items.",
+ "breadcrumbsBackground": "Background color of breadcrumb items.",
+ "breadcrumbsSelectedForegound": "Color of selected breadcrumb items.",
+ "breadcrumbsSelectedBackground": "Background color of breadcrumb item picker.",
+ "mergeCurrentHeaderBackground": "Current header background in inline merge-conflicts. The color must not be opaque so as not to hide underlying decorations.",
+ "mergeCurrentContentBackground": "Current content background in inline merge-conflicts. The color must not be opaque so as not to hide underlying decorations.",
+ "mergeIncomingHeaderBackground": "Incoming header background in inline merge-conflicts. The color must not be opaque so as not to hide underlying decorations.",
+ "mergeIncomingContentBackground": "Incoming content background in inline merge-conflicts. The color must not be opaque so as not to hide underlying decorations.",
+ "mergeCommonHeaderBackground": "Common ancestor header background in inline merge-conflicts. The color must not be opaque so as not to hide underlying decorations.",
+ "mergeCommonContentBackground": "Common ancestor content background in inline merge-conflicts. The color must not be opaque so as not to hide underlying decorations.",
+ "mergeBorder": "Border color on headers and the splitter in inline merge-conflicts.",
+ "overviewRulerCurrentContentForeground": "Current overview ruler foreground for inline merge-conflicts.",
+ "overviewRulerIncomingContentForeground": "Incoming overview ruler foreground for inline merge-conflicts.",
+ "overviewRulerCommonContentForeground": "Common ancestor overview ruler foreground for inline merge-conflicts.",
+ "overviewRulerFindMatchForeground": "Overview ruler marker color for find matches. The color must not be opaque so as not to hide underlying decorations.",
+ "overviewRulerSelectionHighlightForeground": "Overview ruler marker color for selection highlights. The color must not be opaque so as not to hide underlying decorations.",
+ "minimapFindMatchHighlight": "Minimap marker color for find matches.",
+ "minimapSelectionHighlight": "Minimap marker color for the editor selection.",
+ "minimapError": "Minimap marker color for errors.",
+ "overviewRuleWarning": "Minimap marker color for warnings.",
+ "minimapBackground": "Minimap background color.",
+ "minimapSliderBackground": "Minimap slider background color.",
+ "minimapSliderHoverBackground": "Minimap slider background color when hovering.",
+ "minimapSliderActiveBackground": "Minimap slider background color when clicked on.",
+ "problemsErrorIconForeground": "The color used for the problems error icon.",
+ "problemsWarningIconForeground": "The color used for the problems warning icon.",
+ "problemsInfoIconForeground": "The color used for the problems info icon."
+ },
+ "vs/platform/extensions/common/extensionValidator": {
+ "versionSyntax": "Could not parse `engines.vscode` value {0}. Please use, for example: ^1.22.0, ^1.22.x, etc.",
+ "versionSpecificity1": "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.",
+ "versionSpecificity2": "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.",
+ "versionMismatch": "Ekstensi tidak kompatibel dengan Code {0}. Ekstensi membutuhkan: {1}."
+ },
+ "vs/platform/userDataSync/common/settingsSync": {
+ "errorInvalidSettings": "Unable to sync settings as there are errors/warning in settings file."
+ },
+ "vs/platform/userDataSync/common/keybindingsSync": {
+ "errorInvalidSettings": "Unable to sync keybindings as there are errors/warning in keybindings file."
+ },
+ "vs/platform/workspaces/electron-main/workspacesMainService": {
+ "ok": "OK",
+ "workspaceOpenedMessage": "Tidak dapat menyimpan ruang kerja '{0}'",
+ "workspaceOpenedDetail": "The workspace is already opened in another window. Please close that window first and then try again."
+ },
+ "vs/platform/dialogs/electron-main/dialogs": {
+ "open": "Buka",
+ "openFolder": "Open Folder",
+ "openFile": "Buka Berkas",
+ "openWorkspaceTitle": "Buka Ruang Kerja",
+ "openWorkspace": "&&Buka"
+ },
+ "vs/platform/keybinding/common/abstractKeybindingService": {
+ "first.chord": "({0}) telah ditekan. Menunggu kombinasi tombol kedua...",
+ "missing.chord": "Kombinasi tombol ({0}, {1}) bukanlah sebuah perintah."
+ },
+ "vs/platform/issue/electron-main/issueMainService": {
+ "local": "Local",
+ "issueReporterWriteToClipboard": "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": "OK",
+ "cancel": "Batal",
+ "confirmCloseIssueReporter": "Your input will not be saved. Are you sure you want to close this window?",
+ "yes": "Ya",
+ "issueReporter": "Pelapor Masalah",
+ "processExplorer": "Penjelajah Proses."
+ },
+ "vs/platform/workspaces/electron-main/workspacesHistoryMainService": {
+ "newWindow": "Jendela Baru",
+ "newWindowDesc": "Buka jendela baru",
+ "recentFolders": "Ruang kerja terakhir",
+ "folderDesc": "{0} {1}",
+ "workspaceDesc": "{0} {1}"
+ },
+ "vs/platform/quickinput/browser/commandsQuickAccess": {
+ "commandPickAriaLabelWithKeybinding": "{0}, {1}",
+ "recentlyUsed": "recently used",
+ "morecCommands": "other commands",
+ "canNotRun": "Command '{0}' resulted in an error ({1})"
+ },
+ "vs/platform/theme/common/tokenClassificationRegistry": {
+ "schema.token.settings": "Colors and styles for the token.",
+ "schema.token.foreground": "Foreground color for the token.",
+ "schema.token.background.warning": "Token background colors are currently not supported.",
+ "schema.token.fontStyle": "Font style of the rule: 'italic', 'bold' or 'underline' or a combination. The empty string unsets inherited settings.",
+ "schema.fontStyle.error": "Font style must be 'italic', 'bold' or 'underline' or a combination. The empty string unsets all styles.",
+ "schema.token.fontStyle.none": "None (clear inherited style)",
+ "comment": "Style for comments.",
+ "string": "Style for strings.",
+ "keyword": "Style for keywords.",
+ "number": "Style for numbers.",
+ "regexp": "Style for expressions.",
+ "operator": "Style for operators.",
+ "namespace": "Style for namespaces.",
+ "type": "Style for types.",
+ "struct": "Style for structs.",
+ "class": "Style for classes.",
+ "interface": "Style for interfaces.",
+ "enum": "Style for enums.",
+ "typeParameter": "Style for type parameters.",
+ "function": "Style for functions",
+ "member": "Style for member",
+ "macro": "Style for macros.",
+ "variable": "Style for variables.",
+ "parameter": "Style for parameters.",
+ "property": "Style for properties.",
+ "enumMember": "Style for enum members.",
+ "event": "Style for events.",
+ "labels": "Style for labels. ",
+ "declaration": "Style for all symbol declarations.",
+ "documentation": "Style to use for references in documentation.",
+ "static": "Style to use for symbols that are static.",
+ "abstract": "Style to use for symbols that are abstract.",
+ "deprecated": "Style to use for symbols that are deprecated.",
+ "modification": "Style to use for write accesses.",
+ "async": "Style to use for symbols that are async.",
+ "readonly": "Style to use for symbols that are readonly."
+ },
+ "vs/platform/userDataSync/common/abstractSynchronizer": {
+ "incompatible": "Cannot sync {0} as its version {1} is not compatible with cloud {2}"
+ },
+ "vs/platform/menubar/electron-main/menubar": {
+ "miNewWindow": "New &&Window",
+ "mFile": "&&File",
+ "mEdit": "&&Edit",
+ "mSelection": "&&Selection",
+ "mView": "&&View",
+ "mGoto": "&&Go",
+ "mRun": "&&Run",
+ "mTerminal": "&&Terminal",
+ "mWindow": "Jendela",
+ "mHelp": "&&Bantuan",
+ "mAbout": "Tentang {0}",
+ "miPreferences": "&&Preferences",
+ "mServices": "Services",
+ "mHide": "Sembunyikan {0}",
+ "mHideOthers": "Sembunyikan Lainnya",
+ "mShowAll": "Tampilkan Semua",
+ "miQuit": "Keluar {0}",
+ "mMinimize": "Minimize",
+ "mZoom": "Zoom",
+ "mBringToFront": "Bring All to Front",
+ "miSwitchWindow": "Switch &&Window...",
+ "mNewTab": "New Tab",
+ "mShowPreviousTab": "Show Previous Tab",
+ "mShowNextTab": "Show Next Tab",
+ "mMoveTabToNewWindow": "Move Tab to New Window",
+ "mMergeAllWindows": "Merge All Windows",
+ "miCheckForUpdates": "Check for &&Updates...",
+ "miCheckingForUpdates": "Memeriksa Pembaruan...",
+ "miDownloadUpdate": "D&&ownload Available Update",
+ "miDownloadingUpdate": "Mengunduh Pembaruan...",
+ "miInstallUpdate": "Install &&Update...",
+ "miInstallingUpdate": "Memasang Pembaruan...",
+ "miRestartToUpdate": "Restart to &&Update"
+ },
+ "vs/platform/theme/common/iconRegistry": {},
+ "vs/platform/windows/electron-main/windowsMainService": {
+ "pathNotExistTitle": "Path tidak tersedia",
+ "pathNotExistDetail": "The path '{0}' does not seem to exist anymore on disk.",
+ "uriInvalidTitle": "URI can not be opened",
+ "uriInvalidDetail": "The URI '{0}' is not valid and can not be opened.",
+ "ok": "OK"
+ },
+ "win32/i18n/messages": {
+ "AddContextMenuFiles": "Tambahkan aksi \"Buka dengan %1\" ke menu konteks berkas Windows Explorer",
+ "AddContextMenuFolders": "Tambahkan aksi \"Buka dengan %1\" ke menu konteks direktori Windows Explorer",
+ "AssociateWithFiles": "Daftarkan %1 sebagai editor untuk jenis file yang didukung",
+ "AddToPath": "Add to PATH (requires shell restart)",
+ "RunAfter": "Jalankan %1 setelah instalasi",
+ "Other": "Lainnya:",
+ "SourceFile": "Sumber Berkas %1",
+ "OpenWithCodeContextMenu": "Open w&ith %1"
+ },
+ "vs/code/electron-browser/processExplorer/processExplorerMain": {
+ "cpu": "CPU %",
+ "memory": "Memory (MB)",
+ "pid": "pid",
+ "name": "Name",
+ "killProcess": "Kill Process",
+ "forceKillProcess": "Force Kill Process",
+ "copy": "Salin",
+ "copyAll": "Copy All",
+ "debug": "Debug"
+ },
+ "vs/code/node/cliProcessMain": {
+ "notFound": "Ekstensi '{0}' tidak ditemukan.",
+ "notInstalled": "Ekstensi '{0}' belum terinstal.",
+ "useId": "Make sure you use the full extension ID, including the publisher, e.g.: {0}",
+ "installingExtensions": "Installing extensions...",
+ "installation failed": "Failed Installing Extensions: {0}",
+ "successVsixInstall": "Extension '{0}' was successfully installed.",
+ "cancelVsixInstall": "Membatalkan pemasangan ekstensi '{0}'",
+ "alreadyInstalled": "Ekstensi '{0}' telah terinstal.",
+ "forceUpdate": "Extension '{0}' v{1} is already installed, but a newer version {2} is available in the marketplace. Use '--force' option to update to newer version.",
+ "updateMessage": "Updating the extension '{0}' to the version {1}",
+ "forceDowngrade": "A newer version of extension '{0}' v{1} is already installed. Use '--force' option to downgrade to older version.",
+ "installing": "Installing extension '{0}' v{1}...",
+ "successInstall": "Extension '{0}' v{1} was successfully installed.",
+ "uninstalling": "Uninstalling {0}...",
+ "successUninstall": "Extension '{0}' was successfully uninstalled!"
+ },
+ "vs/code/electron-main/main": {
+ "secondInstanceAdmin": "Instansi kedua dari {0} sedang berjalan sebagai administrator.",
+ "secondInstanceAdminDetail": "Silakan tutup instansi yang lain dan coba lagi.",
+ "secondInstanceNoResponse": "Instansi lain dari {0} sedang berjalan namun tidak menanggapi",
+ "secondInstanceNoResponseDetail": "Silakan tutup seluruh instansi lain dan coba lagi.",
+ "startupDataDirError": "Unable to write program user data.",
+ "startupUserDataAndExtensionsDirErrorDetail": "Please make sure the following directories are writeable:\n\n{0}",
+ "close": "&&Close"
+ },
+ "vs/code/electron-browser/issue/issueReporterMain": {
+ "hide": "sembunyikan",
+ "show": "show",
+ "previewOnGitHub": "Pratinjau pada Github",
+ "loadingData": "Memuat data...",
+ "rateLimited": "GitHub query limit exceeded. Please wait.",
+ "similarIssues": "Similar issues",
+ "open": "Buka",
+ "closed": "Closed",
+ "noSimilarIssues": "No similar issues found",
+ "settingsSearchIssue": "Settings Search Issue",
+ "bugReporter": "Laporan Bug",
+ "featureRequest": "Permintaan Fitur",
+ "performanceIssue": "Performance Issue",
+ "selectSource": "Select source",
+ "vscode": "Visual Studio Code",
+ "extension": "An extension",
+ "unknown": "Don't Know",
+ "stepsToReproduce": "Steps to Reproduce",
+ "bugDescription": "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.",
+ "performanceIssueDesciption": "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": "Description",
+ "featureRequestDescription": "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.",
+ "expectedResults": "Expected Results",
+ "settingsSearchResultsDescription": "Please list the results that you were expecting to see when you searched with this query. We support GitHub-flavored Markdown. You will be able to edit your issue and add screenshots when we preview it on GitHub.",
+ "pasteData": "We have written the needed data into your clipboard because it was too large to send. Please paste.",
+ "disabledExtensions": "Extensions are disabled"
+ },
+ "vs/code/electron-main/app": {
+ "trace.message": "Successfully created trace.",
+ "trace.detail": "Please create an issue and manually attach the following file:\n{0}",
+ "trace.ok": "OK"
+ },
+ "vs/code/electron-browser/issue/issueReporterPage": {
+ "completeInEnglish": "Please complete the form in English.",
+ "issueTypeLabel": "Ini adalah",
+ "issueSourceLabel": "File on",
+ "disableExtensionsLabelText": "Try to reproduce the problem after {0}. If the problem only reproduces when extensions are active, it is likely an issue with an extension.",
+ "disableExtensions": "disabling all extensions and reloading the window",
+ "chooseExtension": "Extension",
+ "extensionWithNonstandardBugsUrl": "The issue reporter is unable to create issues for this extension. Please visit {0} to report an issue.",
+ "extensionWithNoBugsUrl": "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.",
+ "issueTitleLabel": "Title",
+ "issueTitleRequired": "Silakan masukkan judul.",
+ "titleLengthValidation": "Judul terlalu panjang.",
+ "details": "Silakan masukkan rincian.",
+ "sendSystemInfo": "Include my system information ({0})",
+ "show": "show",
+ "sendProcessInfo": "Include my currently running processes ({0})",
+ "sendWorkspaceInfo": "Include my workspace metadata ({0})",
+ "sendExtensions": "Include my enabled extensions ({0})",
+ "sendSearchedExtensions": "Send searched extensions ({0})",
+ "sendSettingsSearchDetails": "Send settings search details ({0})"
+ },
+ "vs/code/electron-main/auth": {
+ "authRequire": "Proxy Authentication Required",
+ "proxyauth": "The proxy {0} requires authentication."
+ },
+ "vs/code/electron-main/window": {
+ "reopen": "&&Reopen",
+ "wait": "&&Keep Waiting",
+ "close": "&&Close",
+ "appStalled": "The window is no longer responding",
+ "appStalledDetail": "You can reopen or close the window or keep waiting.",
+ "appCrashed": "The window has crashed",
+ "appCrashedDetail": "We are sorry for the inconvenience! You can reopen the window to continue where you left off.",
+ "hiddenMenuBar": "You can still access the menu bar by pressing the Alt-key."
+ },
+ "vs/workbench/electron-browser/desktop.contribution": {
+ "view": "Tampilkan",
+ "newTab": "New Window Tab",
+ "showPreviousTab": "Show Previous Window Tab",
+ "showNextWindowTab": "Show Next Window Tab",
+ "moveWindowTabToNewWindow": "Move Window Tab to New Window",
+ "mergeAllWindowTabs": "Merge All Windows",
+ "toggleWindowTabsBar": "Toggle Window Tabs Bar",
+ "developer": "Developer",
+ "preferences": "Preferensi",
+ "miCloseWindow": "Clos&&e Window",
+ "miExit": "E&&xit",
+ "miZoomIn": "&&Zoom In",
+ "miZoomOut": "&&Zoom Out",
+ "miZoomReset": "&&Reset Zoom",
+ "miReportIssue": "Report &&Issue",
+ "miToggleDevTools": "&&Toggle Developer Tools",
+ "miOpenProcessExplorerer": "Open &&Process Explorer",
+ "windowConfigurationTitle": "Jendela",
+ "window.openWithoutArgumentsInNewWindow.on": "Open a new empty window.",
+ "window.openWithoutArgumentsInNewWindow.off": "Focus the last active running instance.",
+ "openWithoutArgumentsInNewWindow": "Controls whether a new empty window should open when starting a second instance without arguments or if the last running instance should get focus.\nNote that there can still be cases where this setting is ignored (e.g. when using the `--new-window` or `--reuse-window` command line option).",
+ "window.reopenFolders.all": "Reopen all windows.",
+ "window.reopenFolders.folders": "Reopen all folders. Empty workspaces will not be restored.",
+ "window.reopenFolders.one": "Reopen the last active window.",
+ "window.reopenFolders.none": "Jangan pernah membuka kembali jendela. Selalu mulai dengan jendela kosong.",
+ "restoreWindows": "Controls how windows are being reopened after a restart.",
+ "restoreFullscreen": "Controls whether a window should restore to full screen mode if it was exited in full screen mode.",
+ "zoomLevel": "Adjust the zoom level of the window. The original size is 0 and each increment above (e.g. 1) or below (e.g. -1) represents zooming 20% larger or smaller. You can also enter decimals to adjust the zoom level with a finer granularity.",
+ "window.newWindowDimensions.default": "Open new windows in the center of the screen.",
+ "window.newWindowDimensions.inherit": "Open new windows with same dimension as last active one.",
+ "window.newWindowDimensions.offset": "Open new windows with same dimension as last active one with an offset position.",
+ "window.newWindowDimensions.maximized": "Open new windows maximized.",
+ "window.newWindowDimensions.fullscreen": "Buka jendela baru dalam mode layar penuh.",
+ "newWindowDimensions": "Controls the dimensions of opening a new window when at least one window is already opened. Note that this setting does not have an impact on the first window that is opened. The first window will always restore the size and location as you left it before closing.",
+ "closeWhenEmpty": "Controls whether closing the last editor should also close the window. This setting only applies for windows that do not show folders.",
+ "autoDetectHighContrast": "If enabled, will automatically change to high contrast theme if Windows is using a high contrast theme, and to dark theme when switching away from a Windows high contrast theme.",
+ "window.doubleClickIconToClose": "If enabled, double clicking the application icon in the title bar will close the window and the window cannot be dragged by the icon. This setting only has an effect when `#window.titleBarStyle#` is set to `custom`.",
+ "titleBarStyle": "Adjust the appearance of the window title bar. On Linux and Windows, this setting also affects the application and context menu appearances. Changes require a full restart to apply.",
+ "window.nativeTabs": "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.",
+ "window.nativeFullScreen": "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.",
+ "window.clickThroughInactive": "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.",
+ "telemetryConfigurationTitle": "Telemetri",
+ "telemetry.enableCrashReporting": "Enable crash reports to be sent to a Microsoft online service. \nThis option requires restart to take effect.",
+ "argv.locale": "The display Language to use. Picking a different language requires the associated language pack to be installed.",
+ "argv.disableHardwareAcceleration": "Disables hardware acceleration. ONLY change this option if you encounter graphic issues.",
+ "argv.disableColorCorrectRendering": "Resolves issues around color profile selection. ONLY change this option if you encounter graphic issues.",
+ "argv.forceColorProfile": "Allows to override the color profile to use. If you experience colors appear badly, try to set this to `srgb` and restart.",
+ "argv.force-renderer-accessibility": "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/browser/actions/textInputActions": {
+ "undo": "Undo",
+ "redo": "Redo",
+ "cut": "Potong",
+ "copy": "Salin",
+ "paste": "Tempel",
+ "selectAll": "Select All"
+ },
+ "vs/workbench/browser/actions/workspaceCommands": {
+ "addFolderToWorkspace": "Add Folder to Workspace...",
+ "add": "&&Add",
+ "addFolderToWorkspaceTitle": "Add Folder to Workspace",
+ "workspaceFolderPickerPlaceholder": "Select workspace folder"
+ },
+ "vs/workbench/browser/actions/developerActions": {
+ "inspect context keys": "Inspect Context Keys",
+ "toggle screencast mode": "Toggle Screencast Mode",
+ "logStorage": "Log Storage Database Contents",
+ "logWorkingCopies": "Log Working Copies",
+ "developer": "Developer",
+ "screencastModeConfigurationTitle": "Screencast Mode",
+ "screencastMode.location.verticalPosition": "Controls the vertical offset of the screencast mode overlay from the bottom as a percentage of the workbench height.",
+ "screencastMode.onlyKeyboardShortcuts": "Only show keyboard shortcuts in Screencast Mode."
+ },
+ "vs/workbench/browser/actions/navigationActions": {
+ "navigateLeft": "Navigate to the View on the Left",
+ "navigateRight": "Navigate to the View on the Right",
+ "navigateUp": "Navigate to the View Above",
+ "navigateDown": "Navigate to the View Below",
+ "view": "Tampilkan"
+ },
+ "vs/workbench/browser/actions/quickAccessActions": {
+ "quickOpen": "Go to File...",
+ "quickNavigateNext": "Navigate Next in Quick Open",
+ "quickNavigatePrevious": "Navigate Previous in Quick Open",
+ "quickSelectNext": "Select Next in Quick Open",
+ "quickSelectPrevious": "Select Previous in Quick Open"
+ },
+ "vs/workbench/api/common/configurationExtensionPoint": {
+ "vscode.extension.contributes.configuration.title": "A summary of the settings. This label will be used in the settings file as separating comment.",
+ "vscode.extension.contributes.configuration.properties": "Deskripsi properti konfigurasi.",
+ "scope.application.description": "Configuration that can be configured only in the user settings.",
+ "scope.machine.description": "Configuration that can be configured only in the user settings or only in the remote settings.",
+ "scope.window.description": "Configuration that can be configured in the user, remote or workspace settings.",
+ "scope.resource.description": "Configuration that can be configured in the user, remote, workspace or folder settings.",
+ "scope.language-overridable.description": "Resource configuration that can be configured in language specific settings.",
+ "scope.machine-overridable.description": "Machine configuration that can be configured also in workspace or folder settings.",
+ "scope.description": "Scope in which the configuration is applicable. Available scopes are `application`, `machine`, `window`, `resource`, and `machine-overridable`.",
+ "scope.enumDescriptions": "Descriptions for enum values",
+ "scope.markdownEnumDescriptions": "Descriptions for enum values in the markdown format.",
+ "scope.markdownDescription": "The description in the markdown format.",
+ "scope.deprecationMessage": "If set, the property is marked as deprecated and the given message is shown as an explanation.",
+ "vscode.extension.contributes.defaultConfiguration": "Contributes default editor configuration settings by language.",
+ "vscode.extension.contributes.configuration": "Contributes configuration settings.",
+ "invalid.title": "'configuration.title' harus berupa string",
+ "invalid.properties": "'configuration.properties' harus berupa objek",
+ "invalid.property": "'configuration.property' must be an object",
+ "invalid.allOf": "'configuration.allOf' is deprecated and should no longer be used. Instead, pass multiple configuration sections as an array to the 'configuration' contribution point.",
+ "workspaceConfig.folders.description": "List of folders to be loaded in the workspace.",
+ "workspaceConfig.path.description": "A file path. e.g. `/root/folderA` or `./folderA` for a relative path that will be resolved against the location of the workspace file.",
+ "workspaceConfig.name.description": "An optional name for the folder. ",
+ "workspaceConfig.uri.description": "URI of the folder",
+ "workspaceConfig.settings.description": "Workspace settings",
+ "workspaceConfig.launch.description": "Workspace launch configurations",
+ "workspaceConfig.tasks.description": "Workspace task configurations",
+ "workspaceConfig.extensions.description": "Workspace extensions",
+ "workspaceConfig.remoteAuthority": "The remote server where the workspace is located. Only used by unsaved remote workspaces.",
+ "unknownWorkspaceProperty": "Unknown workspace configuration property"
+ },
+ "vs/workbench/browser/parts/sidebar/sidebarPart": {
+ "focusSideBar": "Focus into Side Bar",
+ "viewCategory": "View"
+ },
+ "vs/workbench/electron-browser/actions/developerActions": {
+ "toggleDevTools": "Toggle Developer Tools",
+ "toggleSharedProcess": "Toggle Shared Process",
+ "configureRuntimeArguments": "Configure Runtime Arguments"
+ },
+ "vs/workbench/browser/actions/helpActions": {
+ "keybindingsReference": "Keyboard Shortcuts Reference",
+ "openDocumentationUrl": "Documentation",
+ "openIntroductoryVideosUrl": "Introductory Videos",
+ "openTipsAndTricksUrl": "Tips and Tricks",
+ "newsletterSignup": "Signup for the VS Code Newsletter",
+ "openTwitterUrl": "Join Us on Twitter",
+ "openUserVoiceUrl": "Search Feature Requests",
+ "openLicenseUrl": "View License",
+ "openPrivacyStatement": "Privacy Statement",
+ "help": "Help",
+ "miDocumentation": "&&Documentation",
+ "miKeyboardShortcuts": "&&Keyboard Shortcuts Reference",
+ "miIntroductoryVideos": "Introductory &&Videos",
+ "miTipsAndTricks": "Tips and Tri&&cks",
+ "miTwitter": "&&Join Us on Twitter",
+ "miUserVoice": "&&Search Feature Requests",
+ "miLicense": "View &&License",
+ "miPrivacyStatement": "Privac&&y Statement"
+ },
+ "vs/workbench/api/browser/viewsExtensionPoint": {
+ "vscode.extension.contributes.views.containers.id": "Unique id used to identify the container in which views can be contributed using 'views' contribution point",
+ "vscode.extension.contributes.views.containers.title": "Human readable string used to render the container",
+ "vscode.extension.contributes.views.containers.icon": "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.",
+ "vscode.extension.contributes.viewsContainers": "Contributes views containers to the editor",
+ "views.container.activitybar": "Contribute views containers to Activity Bar",
+ "views.container.panel": "Contribute views containers to Panel",
+ "vscode.extension.contributes.view.id": "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`.",
+ "vscode.extension.contributes.view.name": "The human-readable name of the view. Will be shown",
+ "vscode.extension.contributes.view.when": "Condition which must be true to show this view",
+ "vscode.extension.contributes.view.group": "Nested group in the viewlet",
+ "vscode.extension.contributes.view.remoteName": "The name of the remote type associated with this view",
+ "vscode.extension.contributes.views": "Contributes views to the editor",
+ "views.explorer": "Contributes views to Explorer container in the Activity bar",
+ "views.debug": "Contributes views to Debug container in the Activity bar",
+ "views.scm": "Contributes views to SCM container in the Activity bar",
+ "views.test": "Contributes views to Test container in the Activity bar",
+ "views.remote": "Contributes views to Remote container in the Activity bar. To contribute to this container, enableProposedApi needs to be turned on",
+ "views.contributed": "Contributes views to contributed views container",
+ "test": "Test",
+ "viewcontainer requirearray": "views containers must be an array",
+ "requireidstring": "property `{0}` is mandatory and must be of type `string`. Only alphanumeric characters, '_', and '-' are allowed.",
+ "requirestring": "properti `{0}` adalah wajib dan harus bertipe `string`",
+ "showViewlet": "Show {0}",
+ "view": "Tampilkan",
+ "ViewContainerRequiresProposedAPI": "View container '{0}' requires 'enableProposedApi' turned on to be added to 'Remote'.",
+ "ViewContainerDoesnotExist": "Wadah tampilan '{0}' tidak ada dan semua tampilan yang terdaftar untuk itu akan ditambahkan ke 'Explorer'.",
+ "duplicateView1": "Cannot register multiple views with same id `{0}`",
+ "duplicateView2": "A view with id `{0}` is already registered.",
+ "requirearray": "views must be an array",
+ "optstring": "properti `{0}` dapat dihilangkan atau harus bertipe `string`"
+ },
+ "vs/workbench/browser/actions/workspaceActions": {
+ "openFile": "Open File...",
+ "openFolder": "Open Folder...",
+ "openFileFolder": "Buka...",
+ "openWorkspaceAction": "Open Workspace...",
+ "closeWorkspace": "Close Workspace",
+ "noWorkspaceOpened": "There is currently no workspace opened in this instance to close.",
+ "openWorkspaceConfigFile": "Open Workspace Configuration File",
+ "globalRemoveFolderFromWorkspace": "Remove Folder from Workspace...",
+ "saveWorkspaceAsAction": "Save Workspace As...",
+ "duplicateWorkspaceInNewWindow": "Duplicate Workspace in New Window",
+ "workspaces": "Workspaces",
+ "miAddFolderToWorkspace": "A&&dd Folder to Workspace...",
+ "miSaveWorkspaceAs": "Save Workspace As...",
+ "miCloseFolder": "Close &&Folder",
+ "miCloseWorkspace": "Close &&Workspace"
+ },
+ "vs/workbench/browser/actions/windowActions": {
+ "remove": "Remove from Recently Opened",
+ "dirtyRecentlyOpened": "Workspace With Dirty Files",
+ "workspaces": "workspaces",
+ "files": "files",
+ "dirtyWorkspace": "Workspace with Dirty Files",
+ "dirtyWorkspaceConfirm": "Do you want to open the workspace to review the dirty files?",
+ "dirtyWorkspaceConfirmDetail": "Workspaces with dirty files cannot be removed until all dirty files have been saved or reverted.",
+ "recentDirtyAriaLabel": "{0}, dirty workspace",
+ "openRecent": "Open Recent...",
+ "quickOpenRecent": "Quick Open Recent...",
+ "toggleFullScreen": "Toggle Full Screen",
+ "reloadWindow": "Reload Window",
+ "about": "About",
+ "newWindow": "Jendela Baru",
+ "file": "File",
+ "view": "Tampilkan",
+ "developer": "Developer",
+ "help": "Help",
+ "miNewWindow": "New &&Window",
+ "miOpenRecent": "Open &&Recent",
+ "miMore": "&&More...",
+ "miToggleFullScreen": "&&Full Screen",
+ "miAbout": "&&About"
+ },
+ "vs/workbench/api/common/menusExtensionPoint": {
+ "requirearray": "isi menu harus dalam bentuk larik",
+ "requirestring": "properti `{0}` adalah wajib dan harus bertipe `string`",
+ "optstring": "properti `{0}` dapat dihilangkan atau harus bertipe `string`",
+ "vscode.extension.contributes.menuItem.command": "Pengenal dari perintah untuk mengeksekusi. Perintah harus dideklarasikan di bagian 'perintah'",
+ "vscode.extension.contributes.menuItem.alt": "Identifier of an alternative command to execute. The command must be declared in the 'commands'-section",
+ "vscode.extension.contributes.menuItem.when": "Syarat yang harus dipenuhi untuk menampilkan item ini",
+ "vscode.extension.contributes.menuItem.group": "Kelompokkan perintah ini ke asalnya",
+ "vscode.extension.contributes.menus": "Kontribusikan item menu ke dalam editor",
+ "menus.commandPalette": "Palet Perintah",
+ "menus.touchBar": "Papan sentuh (hanya macOS)",
+ "menus.editorTitle": "Menu judul editor",
+ "menus.editorContext": "Menu konteks editor",
+ "menus.explorerContext": "menu konteks file explorer",
+ "menus.editorTabContext": "The editor tabs context menu",
+ "menus.debugCallstackContext": "The debug callstack context menu",
+ "menus.webNavigation": "The top level navigational menu (web only)",
+ "menus.scmTitle": "The Source Control title menu",
+ "menus.scmSourceControl": "The Source Control menu",
+ "menus.resourceGroupContext": "The Source Control resource group context menu",
+ "menus.resourceStateContext": "The Source Control resource state context menu",
+ "menus.resourceFolderContext": "The Source Control resource folder context menu",
+ "menus.changeTitle": "The Source Control inline change menu",
+ "view.viewTitle": "The contributed view title menu",
+ "view.itemContext": "The contributed view item context menu",
+ "commentThread.title": "The contributed comment thread title menu",
+ "commentThread.actions": "The contributed comment thread context menu, rendered as buttons below the comment editor",
+ "comment.title": "The contributed comment title menu",
+ "comment.actions": "The contributed comment context menu, rendered as buttons below the comment editor",
+ "notebook.cell.title": "The contributed notebook cell title menu",
+ "menus.extensionContext": "The extension context menu",
+ "view.timelineTitle": "The Timeline view title menu",
+ "view.timelineContext": "The Timeline view item context menu",
+ "nonempty": "diharapkan nilai yang tidak kosong.",
+ "opticon": "property `icon` can be omitted or must be either a string or a literal like `{dark, light}`",
+ "requireStringOrObject": "property `{0}` is mandatory and must be of type `string` or `object`",
+ "requirestrings": "properties `{0}` and `{1}` are mandatory and must be of type `string`",
+ "vscode.extension.contributes.commandType.command": "Pengenal perintah yang akan dijalankan",
+ "vscode.extension.contributes.commandType.title": "Title by which the command is represented in the UI",
+ "vscode.extension.contributes.commandType.category": "(Optional) Category string by the command is grouped in the UI",
+ "vscode.extension.contributes.commandType.precondition": "(Optional) Condition which must be true to enable the command",
+ "vscode.extension.contributes.commandType.icon": "(Optional) Icon which is used to represent the command in the UI. Either a file path, an object with file paths for dark and light themes, or a theme icon references, like `$(zap)`",
+ "vscode.extension.contributes.commandType.icon.light": "Lokasi ikon saat tema terang digunakan",
+ "vscode.extension.contributes.commandType.icon.dark": "Lokasi ikon saat tema gelap digunakan",
+ "vscode.extension.contributes.commands": "Contributes commands to the command palette.",
+ "dup": "Command `{0}` appears multiple times in the `commands` section.",
+ "menuId.invalid": "`{0}` bukan merupakan pengenal menu yang benar",
+ "proposedAPI.invalid": "{0} is a proposed menu identifier and is only available when running out of dev or with the following command line switch: --enable-proposed-api {1}",
+ "missing.command": "Menu item references a command `{0}` which is not defined in the 'commands' section.",
+ "missing.altCommand": "Menu item references an alt-command `{0}` which is not defined in the 'commands' section.",
+ "dupe.command": "Menu item references the same command as default and alt-command"
+ },
+ "vs/workbench/electron-browser/actions/windowActions": {
+ "closeWindow": "Close Window",
+ "zoomIn": "Zoom In",
+ "zoomOut": "Zoom Out",
+ "zoomReset": "Reset Zoom",
+ "reloadWindowWithExtensionsDisabled": "Reload With Extensions Disabled",
+ "close": "Close Window",
+ "switchWindowPlaceHolder": "Select a window to switch to",
+ "windowDirtyAriaLabel": "{0}, dirty window",
+ "current": "Current Window",
+ "switchWindow": "Switch Window...",
+ "quickSwitchWindow": "Quick Switch Window..."
+ },
+ "vs/workbench/browser/workbench.contribution": {
+ "workbench.editor.titleScrollbarSizing.default": "The default size.",
+ "workbench.editor.titleScrollbarSizing.large": "Increases the size, so it can be grabed more easily with the mouse",
+ "tabScrollbarHeight": "Controls the height of the scrollbars used for tabs and breadcrumbs in the editor title area.",
+ "showEditorTabs": "Mengontrol apakah editor yang terbuka ditampilkan di tab atau tidak.",
+ "highlightModifiedTabs": "Controls whether a top border is drawn on modified (dirty) editor tabs or not.",
+ "workbench.editor.labelFormat.default": "Show the name of the file. When tabs are enabled and two files have the same name in one group the distinguishing sections of each file's path are added. When tabs are disabled, the path relative to the workspace folder is shown if the editor is active.",
+ "workbench.editor.labelFormat.short": "Show the name of the file followed by its directory name.",
+ "workbench.editor.labelFormat.medium": "Show the name of the file followed by its path relative to the workspace folder.",
+ "workbench.editor.labelFormat.long": "Show the name of the file followed by its absolute path.",
+ "tabDescription": "Controls the format of the label for an editor.",
+ "workbench.editor.untitled.labelFormat.content": "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.",
+ "workbench.editor.untitled.labelFormat.name": "The name of the untitled file is not derived from the contents of the file.",
+ "untitledLabelFormat": "Controls the format of the label for an untitled editor.",
+ "editorTabCloseButton": "Controls the position of the editor's tabs close buttons, or disables them when set to 'off'.",
+ "workbench.editor.tabSizing.fit": "Always keep tabs large enough to show the full editor label.",
+ "workbench.editor.tabSizing.shrink": "Allow tabs to get smaller when the available space is not enough to show all tabs at once.",
+ "tabSizing": "Controls the sizing of editor tabs.",
+ "workbench.editor.splitSizingDistribute": "Splits all the editor groups to equal parts.",
+ "workbench.editor.splitSizingSplit": "Splits the active editor group to equal parts.",
+ "splitSizing": "Controls the sizing of editor groups when splitting them.",
+ "focusRecentEditorAfterClose": "Controls whether tabs are closed in most recently used order or from left to right.",
+ "showIcons": "Controls whether opened editors should show with an icon or not. This requires an icon theme to be enabled as well.",
+ "enablePreview": "Controls whether opened editors show as preview. Preview editors are reused until they are pinned (e.g. via double click or editing) and show up with an italic font style.",
+ "enablePreviewFromQuickOpen": "Controls whether editors opened from Quick Open show as preview. Preview editors are reused until they are pinned (e.g. via double click or editing).",
+ "closeOnFileDelete": "Controls whether editors showing a file that was opened during the session should close automatically when getting deleted or renamed by some other process. Disabling this will keep the editor open on such an event. Note that deleting from within the application will always close the editor and that dirty files will never close to preserve your data.",
+ "editorOpenPositioning": "Controls where editors open. Select `left` or `right` to open editors to the left or right of the currently active one. Select `first` or `last` to open editors independently from the currently active one.",
+ "sideBySideDirection": "Controls the default direction of editors that are opened side by side (e.g. from the explorer). By default, editors will open on the right hand side of the currently active one. If changed to `down`, the editors will open below the currently active one.",
+ "closeEmptyGroups": "Controls the behavior of empty editor groups when the last tab in the group is closed. When enabled, empty groups will automatically close. When disabled, empty groups will remain part of the grid.",
+ "revealIfOpen": "Controls whether an editor is revealed in any of the visible groups if opened. If disabled, an editor will prefer to open in the currently active editor group. If enabled, an already opened editor will be revealed instead of opened again in the currently active editor group. Note that there are some cases where this setting is ignored, e.g. when forcing an editor to open in a specific group or to the side of the currently active group.",
+ "mouseBackForwardToNavigate": "Navigate between open files using mouse buttons four and five if provided.",
+ "restoreViewState": "Restores the last view state (e.g. scroll position) when re-opening files after they have been closed.",
+ "centeredLayoutAutoResize": "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.",
+ "limitEditorsEnablement": "Controls if the number of opened editors should be limited or not. When enabled, less recently used editors that are not dirty will close to make space for newly opening editors.",
+ "limitEditorsMaximum": "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.",
+ "perEditorGroup": "Controls if the limit of maximum opened editors should apply per editor group or across all editor groups.",
+ "commandHistory": "Controls the number of recently used commands to keep in history for the command palette. Set to 0 to disable command history.",
+ "preserveInput": "Controls whether the last typed input to the command palette should be restored when opening it the next time.",
+ "closeOnFocusLost": "Controls whether Quick Open should close automatically once it loses focus.",
+ "workbench.quickOpen.preserveInput": "Controls whether the last typed input to Quick Open should be restored when opening it the next time.",
+ "openDefaultSettings": "Mengontrol apakah saat membuka pengaturan, juga akan membuka editor yang menampilkan semua pengaturan default.",
+ "useSplitJSON": "Controls whether to use the split JSON editor when editing settings as JSON.",
+ "openDefaultKeybindings": "Controls whether opening keybinding settings also opens an editor showing all default keybindings.",
+ "sideBarLocation": "Controls the location of the sidebar and activity bar. They can either show on the left or right of the workbench.",
+ "panelDefaultLocation": "Controls the default location of the panel (terminal, debug console, output, problems). It can either show at the bottom, right, or left of the workbench.",
+ "statusBarVisibility": "Controls the visibility of the status bar at the bottom of the workbench.",
+ "activityBarVisibility": "Controls the visibility of the activity bar in the workbench.",
+ "viewVisibility": "Controls the visibility of view header actions. View header actions may either be always visible, or only visible when that view is focused or hovered over.",
+ "fontAliasing": "Controls font aliasing method in the workbench.",
+ "workbench.fontAliasing.default": "Sub-pixel font smoothing. On most non-retina displays this will give the sharpest text.",
+ "workbench.fontAliasing.antialiased": "Smooth the font on the level of the pixel, as opposed to the subpixel. Can make the font appear lighter overall.",
+ "workbench.fontAliasing.none": "Disables font smoothing. Text will show with jagged sharp edges.",
+ "workbench.fontAliasing.auto": "Applies `default` or `antialiased` automatically based on the DPI of displays.",
+ "settings.editor.ui": "Use the settings UI editor.",
+ "settings.editor.json": "Use the JSON file editor.",
+ "settings.editor.desc": "Determines which settings editor to use by default.",
+ "windowTitle": "Kontrol judul jendela berdasarkan editor aktif. Variabel diganti berdasarkan konteks:",
+ "activeEditorShort": "`${activeEditorShort}`: the file name (e.g. myFile.txt).",
+ "activeEditorMedium": "`${activeEditorMedium}`: the path of the file relative to the workspace folder (e.g. myFolder/myFileFolder/myFile.txt).",
+ "activeEditorLong": "`${activeEditorLong}`: the full path of the file (e.g. /Users/Development/myFolder/myFileFolder/myFile.txt).",
+ "activeFolderShort": "`${activeFolderShort}`: the name of the folder the file is contained in (e.g. myFileFolder).",
+ "activeFolderMedium": "`${activeFolderMedium}`: the path of the folder the file is contained in, relative to the workspace folder (e.g. myFolder/myFileFolder).",
+ "activeFolderLong": "`${activeFolderLong}`: the full path of the folder the file is contained in (e.g. /Users/Development/myFolder/myFileFolder).",
+ "folderName": "`${folderName}`: name of the workspace folder the file is contained in (e.g. myFolder).",
+ "folderPath": "`${folderPath}`: file path of the workspace folder the file is contained in (e.g. /Users/Development/myFolder).",
+ "rootName": "`${rootName}`: name of the workspace (e.g. myFolder or myWorkspace).",
+ "rootPath": "`${rootPath}`: file path of the workspace (e.g. /Users/Development/myWorkspace).",
+ "appName": "`${appName}`: e.g. VS Code.",
+ "remoteName": "`${remoteName}`: e.g. SSH",
+ "dirty": "`${dirty}`: a dirty indicator if the active editor is dirty.",
+ "separator": "`${separator}`: a conditional separator (\" - \") that only shows when surrounded by variables with values or static text.",
+ "windowConfigurationTitle": "Jendela",
+ "window.menuBarVisibility.default": "Menu is only hidden in full screen mode.",
+ "window.menuBarVisibility.visible": "Menu is always visible even in full screen mode.",
+ "window.menuBarVisibility.toggle": "Menu is hidden but can be displayed via Alt key.",
+ "window.menuBarVisibility.hidden": "Menu is always hidden.",
+ "window.menuBarVisibility.compact": "Menu is displayed as a compact button in the sidebar. This value is ignored when 'window.titleBarStyle' is 'native'.",
+ "menuBarVisibility": "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. By default, the menu bar will be visible, unless the window is full screen.",
+ "enableMenuBarMnemonics": "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.",
+ "customMenuBarAltFocus": "Controls whether the menu bar will be focused by pressing the Alt-key. This setting has no effect on toggling the menu bar with the Alt-key.",
+ "window.openFilesInNewWindow.on": "Files will open in a new window.",
+ "window.openFilesInNewWindow.off": "Files will open in the window with the files' folder open or the last active window.",
+ "window.openFilesInNewWindow.defaultMac": "Files will open in the window with the files' folder open or the last active window unless opened via the Dock or from Finder.",
+ "window.openFilesInNewWindow.default": "Files will open in a new window unless picked from within the application (e.g. via the File menu).",
+ "openFilesInNewWindowMac": "Controls whether files should open in a new window. \nNote that there can still be cases where this setting is ignored (e.g. when using the `--new-window` or `--reuse-window` command line option).",
+ "openFilesInNewWindow": "Controls whether files should open in a new window.\nNote that there can still be cases where this setting is ignored (e.g. when using the `--new-window` or `--reuse-window` command line option).",
+ "window.openFoldersInNewWindow.on": "Folders will open in a new window.",
+ "window.openFoldersInNewWindow.off": "Folders will replace the last active window.",
+ "window.openFoldersInNewWindow.default": "Folders will open in a new window unless a folder is picked from within the application (e.g. via the File menu).",
+ "openFoldersInNewWindow": "Controls whether folders should open in a new window or replace the last active window.\nNote that there can still be cases where this setting is ignored (e.g. when using the `--new-window` or `--reuse-window` command line option).",
+ "zenModeConfigurationTitle": "Zen Mode",
+ "zenMode.fullScreen": "Controls whether turning on Zen Mode also puts the workbench into full screen mode.",
+ "zenMode.centerLayout": "Controls whether turning on Zen Mode also centers the layout.",
+ "zenMode.hideTabs": "Controls whether turning on Zen Mode also hides workbench tabs.",
+ "zenMode.hideStatusBar": "Controls whether turning on Zen Mode also hides the status bar at the bottom of the workbench.",
+ "zenMode.hideActivityBar": "Controls whether turning on Zen Mode also hides the activity bar at the left of the workbench.",
+ "zenMode.hideLineNumbers": "Controls whether turning on Zen Mode also hides the editor line numbers.",
+ "zenMode.restore": "Controls whether a window should restore to zen mode if it was exited in zen mode.",
+ "zenMode.silentNotifications": "Controls whether notifications are shown while in zen mode. If true, only error notifications will pop out."
+ },
+ "vs/workbench/browser/parts/titlebar/titlebarPart": {
+ "patchedWindowTitle": "[Unsupported]",
+ "userIsAdmin": "[Administrator]",
+ "userIsSudo": "[Superuser]",
+ "devExtensionWindowTitlePrefix": "[Extension Development Host]"
+ },
+ "vs/workbench/browser/workbench": {
+ "loaderErrorNative": "Failed to load a required file. Please restart the application to try again. Details: {0}"
+ },
+ "vs/workbench/common/editor": {
+ "sideBySideLabels": "{0} - {1}"
+ },
+ "vs/workbench/api/common/jsonValidationExtensionPoint": {
+ "contributes.jsonValidation": "Contributes json schema configuration.",
+ "contributes.jsonValidation.fileMatch": "The file pattern (or an array of patterns) to match, for example \"package.json\" or \"*.launch\". Exclusion patterns start with '!'",
+ "contributes.jsonValidation.url": "Skema URL ('http:', 'https:') atau lokasi relatif dari folder ekstensi ('./').",
+ "invalid.jsonValidation": "'configuration.jsonValidation' must be a array",
+ "invalid.fileMatch": "'configuration.jsonValidation.fileMatch' must be defined as a string or an array of strings.",
+ "invalid.url": "'configuration.jsonValidation.url' must be a URL or relative path",
+ "invalid.path.1": "Expected `contributes.{0}.url` ({1}) to be included inside extension's folder ({2}). This might make the extension non-portable.",
+ "invalid.url.fileschema": "'configuration.jsonValidation.url' is an invalid relative URL: {0}",
+ "invalid.url.schema": "'configuration.jsonValidation.url' must be an absolute URL or start with './' to reference schemas located in the extension."
+ },
+ "vs/workbench/api/browser/mainThreadMessageService": {
+ "extensionSource": "{0} (Extension)",
+ "defaultSource": "Extension",
+ "manageExtension": "Manage Extension",
+ "cancel": "Batal",
+ "ok": "OK"
+ },
+ "vs/workbench/api/browser/mainThreadFileSystemEventService": {
+ "files.participants.timeout": "Timeout in milliseconds after which file participants for create, rename, and delete are cancelled. Use `0` to disable participants."
+ },
+ "vs/workbench/api/browser/mainThreadProgress": {
+ "manageExtension": "Manage Extension"
+ },
+ "vs/workbench/api/browser/mainThreadSaveParticipant": {
+ "timeout.onWillSave": "Aborted onWillSaveTextDocument-event after 1750ms"
+ },
+ "vs/workbench/browser/actions/layoutActions": {
+ "view": "Tampilkan",
+ "closeSidebar": "Close Side Bar",
+ "toggleActivityBar": "Toggle Activity Bar Visibility",
+ "miShowActivityBar": "Show &&Activity Bar",
+ "toggleCenteredLayout": "Toggle Centered Layout",
+ "miToggleCenteredLayout": "Centered Layout",
+ "flipLayout": "Toggle Vertical/Horizontal Editor Layout",
+ "miToggleEditorLayout": "Flip &&Layout",
+ "toggleSidebarPosition": "Toggle Side Bar Position",
+ "moveSidebarRight": "Move Side Bar Right",
+ "moveSidebarLeft": "Move Side Bar Left",
+ "miMoveSidebarRight": "&&Move Side Bar Right",
+ "miMoveSidebarLeft": "&&Move Side Bar Left",
+ "toggleEditor": "Toggle Editor Area Visibility",
+ "miShowEditorArea": "Show &&Editor Area",
+ "toggleSidebar": "Toggle Side Bar Visibility",
+ "miAppearance": "&&Appearance",
+ "miShowSidebar": "Show &&Side Bar",
+ "toggleStatusbar": "Toggle Status Bar Visibility",
+ "miShowStatusbar": "Show S&&tatus Bar",
+ "toggleTabs": "Toggle Tab Visibility",
+ "toggleZenMode": "Toggle Zen Mode",
+ "miToggleZenMode": "Zen Mode",
+ "toggleMenuBar": "Toggle Menu Bar",
+ "miShowMenuBar": "Show Menu &&Bar",
+ "resetViewLocations": "Reset View Locations",
+ "moveFocusedView": "Move Focused View",
+ "moveFocusedView.error.noFocusedView": "There is no view currently focused.",
+ "moveFocusedView.error.nonMovableView": "The currently focused view is not movable.",
+ "moveFocusedView.selectDestination": "Select a Destination for the View",
+ "sidebar": "Side Bar",
+ "moveFocusedView.newContainerInSidebar": "New Container in Side Bar",
+ "panel": "Panel",
+ "moveFocusedView.newContainerInPanel": "New Container in Panel",
+ "resetFocusedViewLocation": "Reset Focused View Location",
+ "resetFocusedView.error.noFocusedView": "There is no view currently focused.",
+ "increaseViewSize": "Increase Current View Size",
+ "decreaseViewSize": "Decrease Current View Size"
+ },
+ "vs/workbench/browser/parts/panel/panelPart": {
+ "hidePanel": "Hide Panel"
+ },
+ "vs/workbench/browser/parts/activitybar/activitybarPart": {
+ "hideMenu": "Hide Menu",
+ "showMenu": "Show Menu",
+ "hideActivitBar": "Hide Activity Bar",
+ "manage": "Manage",
+ "accounts": "Accounts"
+ },
+ "vs/workbench/browser/parts/statusbar/statusbarPart": {
+ "hide": "Hide '{0}'",
+ "hideStatusBar": "Hide Status Bar"
+ },
+ "vs/workbench/common/configuration": {
+ "workbenchConfigurationTitle": "Workbench"
+ },
+ "vs/workbench/common/theme": {
+ "tabActiveBackground": "Active tab background color. 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.",
+ "tabUnfocusedActiveBackground": "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.",
+ "tabInactiveBackground": "Inactive tab background color. 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.",
+ "tabHoverBackground": "Tab background color when hovering. 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.",
+ "tabUnfocusedHoverBackground": "Tab background color in an unfocused group when hovering. 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.",
+ "tabBorder": "Border to separate tabs from each other. 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.",
+ "tabActiveBorder": "Border on the bottom of an active tab. 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.",
+ "tabActiveUnfocusedBorder": "Border on the bottom of an active tab 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.",
+ "tabActiveBorderTop": "Border to the top of an active tab. 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.",
+ "tabActiveUnfocusedBorderTop": "Border to the top of an active tab 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.",
+ "tabActiveModifiedBorder": "Border on the top of modified (dirty) active tabs 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.",
+ "tabInactiveModifiedBorder": "Border on the top of modified (dirty) inactive tabs 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.",
+ "unfocusedActiveModifiedBorder": "Border on the top of modified (dirty) active tabs 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.",
+ "unfocusedINactiveModifiedBorder": "Border on the top of modified (dirty) inactive tabs 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.",
+ "tabHoverBorder": "Border to highlight tabs when hovering. 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.",
+ "tabUnfocusedHoverBorder": "Border to highlight tabs in an unfocused group when hovering. 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.",
+ "tabActiveForeground": "Active tab foreground 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.",
+ "tabInactiveForeground": "Inactive tab foreground 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.",
+ "tabUnfocusedActiveForeground": "Active tab foreground 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.",
+ "tabUnfocusedInactiveForeground": "Inactive tab foreground 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.",
+ "editorPaneBackground": "Background color of the editor pane visible on the left and right side of the centered editor layout.",
+ "editorGroupBackground": "Deprecated background color of an editor group.",
+ "deprecatedEditorGroupBackground": "Deprecated: Background color of an editor group is no longer being supported with the introduction of the grid editor layout. You can use editorGroup.emptyBackground to set the background color of empty editor groups.",
+ "editorGroupEmptyBackground": "Background color of an empty editor group. Editor groups are the containers of editors.",
+ "editorGroupFocusedEmptyBorder": "Border color of an empty editor group that is focused. Editor groups are the containers of editors.",
+ "tabsContainerBackground": "Background color of the editor group title header when tabs are enabled. Editor groups are the containers of editors.",
+ "tabsContainerBorder": "Border color of the editor group title header when tabs are enabled. Editor groups are the containers of editors.",
+ "editorGroupHeaderBackground": "Background color of the editor group title header when tabs are disabled (`\"workbench.editor.showTabs\": false`). Editor groups are the containers of editors.",
+ "editorGroupBorder": "Color to separate multiple editor groups from each other. Editor groups are the containers of editors.",
+ "editorDragAndDropBackground": "Background color when dragging editors around. The color should have transparency so that the editor contents can still shine through.",
+ "imagePreviewBorder": "Border color for image in image preview.",
+ "panelBackground": "Panel background color. Panels are shown below the editor area and contain views like output and integrated terminal.",
+ "panelBorder": "Panel border color to separate the panel from the editor. Panels are shown below the editor area and contain views like output and integrated terminal.",
+ "panelActiveTitleForeground": "Title color for the active panel. Panels are shown below the editor area and contain views like output and integrated terminal.",
+ "panelInactiveTitleForeground": "Title color for the inactive panel. Panels are shown below the editor area and contain views like output and integrated terminal.",
+ "panelActiveTitleBorder": "Border color for the active panel title. Panels are shown below the editor area and contain views like output and integrated terminal.",
+ "panelDragAndDropBackground": "Drag and drop feedback color for the panel title items. The color should have transparency so that the panel entries can still shine through. Panels are shown below the editor area and contain views like output and integrated terminal.",
+ "panelInputBorder": "Input box border for inputs in the panel.",
+ "statusBarForeground": "Status bar foreground color when a workspace is opened. The status bar is shown in the bottom of the window.",
+ "statusBarNoFolderForeground": "Status bar foreground color when no folder is opened. The status bar is shown in the bottom of the window.",
+ "statusBarBackground": "Status bar background color when a workspace is opened. The status bar is shown in the bottom of the window.",
+ "statusBarNoFolderBackground": "Status bar background color when no folder is opened. The status bar is shown in the bottom of the window.",
+ "statusBarBorder": "Status bar border color separating to the sidebar and editor. The status bar is shown in the bottom of the window.",
+ "statusBarNoFolderBorder": "Status bar border color separating to the sidebar and editor when no folder is opened. The status bar is shown in the bottom of the window.",
+ "statusBarItemActiveBackground": "Status bar item background color when clicking. The status bar is shown in the bottom of the window.",
+ "statusBarItemHoverBackground": "Status bar item background color when hovering. The status bar is shown in the bottom of the window.",
+ "statusBarProminentItemForeground": "Status bar prominent items foreground color. Prominent items stand out from other status bar entries to indicate importance. Change mode `Toggle Tab Key Moves Focus` from command palette to see an example. The status bar is shown in the bottom of the window.",
+ "statusBarProminentItemBackground": "Status bar prominent items background color. Prominent items stand out from other status bar entries to indicate importance. Change mode `Toggle Tab Key Moves Focus` from command palette to see an example. The status bar is shown in the bottom of the window.",
+ "statusBarProminentItemHoverBackground": "Status bar prominent items background color when hovering. Prominent items stand out from other status bar entries to indicate importance. Change mode `Toggle Tab Key Moves Focus` from command palette to see an example. The status bar is shown in the bottom of the window.",
+ "activityBarBackground": "Activity bar background color. The activity bar is showing on the far left or right and allows to switch between views of the side bar.",
+ "activityBarForeground": "Activity bar item foreground color when it is active. The activity bar is showing on the far left or right and allows to switch between views of the side bar.",
+ "activityBarInActiveForeground": "Activity bar item foreground color when it is inactive. The activity bar is showing on the far left or right and allows to switch between views of the side bar.",
+ "activityBarBorder": "Activity bar border color separating to the side bar. The activity bar is showing on the far left or right and allows to switch between views of the side bar.",
+ "activityBarActiveBorder": "Activity bar border color for the active item. The activity bar is showing on the far left or right and allows to switch between views of the side bar.",
+ "activityBarActiveFocusBorder": "Activity bar focus border color for the active item. The activity bar is showing on the far left or right and allows to switch between views of the side bar.",
+ "activityBarActiveBackground": "Activity bar background color for the active item. The activity bar is showing on the far left or right and allows to switch between views of the side bar.",
+ "activityBarDragAndDropBackground": "Drag and drop feedback color for the activity bar items. The color should have transparency so that the activity bar entries can still shine through. The activity bar is showing on the far left or right and allows to switch between views of the side bar.",
+ "activityBarBadgeBackground": "Warna latar untuk lencana pemberitahuan aktivitas. Bilah aktivitas ditampilkan di paling kiri atau kanan dan dapat dialihkan sesuai dengan tampilan bilah sisi.",
+ "activityBarBadgeForeground": "Activity notification badge foreground color. The activity bar is showing on the far left or right and allows to switch between views of the side bar.",
+ "statusBarItemHostBackground": "Background color for the remote indicator on the status bar.",
+ "statusBarItemHostForeground": "Foreground color for the remote indicator on the status bar.",
+ "extensionBadge.remoteBackground": "Background color for the remote badge in the extensions view.",
+ "extensionBadge.remoteForeground": "Foreground color for the remote badge in the extensions view.",
+ "sideBarBackground": "Side bar background color. The side bar is the container for views like explorer and search.",
+ "sideBarForeground": "Side bar foreground color. The side bar is the container for views like explorer and search.",
+ "sideBarBorder": "Side bar border color on the side separating to the editor. The side bar is the container for views like explorer and search.",
+ "sideBarTitleForeground": "Side bar title foreground color. The side bar is the container for views like explorer and search.",
+ "sideBarDragAndDropBackground": "Drag and drop feedback color for the side bar sections. The color should have transparency so that the side bar sections can still shine through. The side bar is the container for views like explorer and search.",
+ "sideBarSectionHeaderBackground": "Side bar section header background color. The side bar is the container for views like explorer and search.",
+ "sideBarSectionHeaderForeground": "Side bar section header foreground color. The side bar is the container for views like explorer and search.",
+ "sideBarSectionHeaderBorder": "Side bar section header border color. The side bar is the container for views like explorer and search.",
+ "titleBarActiveForeground": "Title bar foreground when the window is active. Note that this color is currently only supported on macOS.",
+ "titleBarInactiveForeground": "Title bar foreground when the window is inactive. Note that this color is currently only supported on macOS.",
+ "titleBarActiveBackground": "Title bar background when the window is active. Note that this color is currently only supported on macOS.",
+ "titleBarInactiveBackground": "Title bar background when the window is inactive. Note that this color is currently only supported on macOS.",
+ "titleBarBorder": "Title bar border color. Note that this color is currently only supported on macOS.",
+ "menubarSelectionForeground": "Foreground color of the selected menu item in the menubar.",
+ "menubarSelectionBackground": "Background color of the selected menu item in the menubar.",
+ "menubarSelectionBorder": "Border color of the selected menu item in the menubar.",
+ "notificationCenterBorder": "Warna batas untuk Pusat Pemberitahuan. Pemberitahuan bergeser masuk dari kanan bawah jendela.",
+ "notificationToastBorder": "Notification toast border color. Notifications slide in from the bottom right of the window.",
+ "notificationsForeground": "Notifications foreground color. Notifications slide in from the bottom right of the window.",
+ "notificationsBackground": "Notifications background color. Notifications slide in from the bottom right of the window.",
+ "notificationsLink": "Notification links foreground color. Notifications slide in from the bottom right of the window.",
+ "notificationCenterHeaderForeground": "Notifications center header foreground color. Notifications slide in from the bottom right of the window.",
+ "notificationCenterHeaderBackground": "Notifications center header background color. Notifications slide in from the bottom right of the window.",
+ "notificationsBorder": "Notifications border color separating from other notifications in the notifications center. Notifications slide in from the bottom right of the window.",
+ "notificationsErrorIconForeground": "The color used for the icon of error notifications. Notifications slide in from the bottom right of the window.",
+ "notificationsWarningIconForeground": "The color used for the icon of warning notifications. Notifications slide in from the bottom right of the window.",
+ "notificationsInfoIconForeground": "The color used for the icon of info notifications. Notifications slide in from the bottom right of the window.",
+ "windowActiveBorder": "The color used for the border of the window when it is active. Only supported in the desktop client when using the custom title bar.",
+ "windowInactiveBorder": "The color used for the border of the window when it is inactive. Only supported in the desktop client when using the custom title bar."
+ },
+ "vs/workbench/api/node/extHostDebugService": {
+ "debug.terminal.title": "debuggee"
+ },
+ "vs/workbench/api/browser/mainThreadEditors": {
+ "diffLeftRightLabel": "{0} ⟷ {1}"
+ },
+ "vs/workbench/api/browser/mainThreadExtensionService": {
+ "reload window": "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": "Reload Window",
+ "disabledDep": "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 dep": "Enable and Reload",
+ "uninstalledDep": "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 missing dep": "Install and Reload",
+ "unknownDep": "Cannot activate the '{0}' extension because it depends on an unknown '{1}' extension ."
+ },
+ "vs/workbench/api/browser/mainThreadWorkspace": {
+ "folderStatusMessageAddSingleFolder": "Extension '{0}' added 1 folder to the workspace",
+ "folderStatusMessageAddMultipleFolders": "Extension '{0}' added {1} folders to the workspace",
+ "folderStatusMessageRemoveSingleFolder": "Extension '{0}' removed 1 folder from the workspace",
+ "folderStatusMessageRemoveMultipleFolders": "Extension '{0}' removed {1} folders from the workspace",
+ "folderStatusChangeFolder": "Extension '{0}' changed folders of the workspace"
+ },
+ "vs/workbench/browser/parts/views/views": {
+ "focus view": "Focus on {0} View",
+ "view category": "View",
+ "resetViewLocation": "Reset View Location"
+ },
+ "vs/workbench/api/browser/mainThreadAuthentication": {
+ "manageTrustedExtensions": "Manage Trusted Extensions",
+ "manageExensions": "Choose which extensions can access this account",
+ "addAnotherAccount": "Sign in to another {0} account",
+ "addAccount": "Sign in to {0}",
+ "signOut": "Sign Out",
+ "confirmAuthenticationAccess": "The extension '{0}' is trying to access authentication information for the {1} account '{2}'.",
+ "cancel": "Batal",
+ "allow": "Allow",
+ "confirmLogin": "The extension '{0}' wants to sign in using {1}."
+ },
+ "vs/workbench/common/views": {
+ "duplicateId": "A view with id '{0}' is already registered"
+ },
+ "vs/workbench/common/editor/diffEditorInput": {
+ "sideBySideLabels": "{0} ↔ {1}"
+ },
+ "vs/workbench/electron-browser/window": {
+ "runningAsRoot": "It is not recommended to run {0} as root user.",
+ "mPreferences": "Preferensi"
+ },
+ "vs/workbench/browser/viewlet": {
+ "compositePart.hideSideBarLabel": "Hide Side Bar",
+ "collapse": "Collapse All"
+ },
+ "vs/workbench/api/browser/mainThreadTask": {
+ "task.label": "{0}: {1}"
+ },
+ "vs/workbench/browser/parts/compositePart": {
+ "ariaCompositeToolbarLabel": "{0} actions",
+ "titleTooltip": "{0} ({1})"
+ },
+ "vs/workbench/browser/parts/editor/editorWidgets": {
+ "openWorkspace": "Buka Ruang Kerja"
+ },
+ "vs/workbench/browser/parts/editor/textResourceEditor": {
+ "textEditor": "Text Editor",
+ "readonlyEditorWithInputAriaLabel": "{0} readonly editor",
+ "readonlyEditorAriaLabel": "Readonly editor",
+ "writeableEditorWithInputAriaLabel": "{0} editor",
+ "writeableEditorAriaLabel": "Editor"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsAlerts": {
+ "alertErrorMessage": "Kesalahan: {0}",
+ "alertWarningMessage": "Peringatan: {0}",
+ "alertInfoMessage": "Info: {0}"
+ },
+ "vs/workbench/api/common/extHostWorkspace": {
+ "updateerror": "Extension '{0}' failed to update workspace folders: {1}"
+ },
+ "vs/workbench/api/browser/mainThreadWebview": {
+ "errorMessage": "An error occurred while restoring view:{0}",
+ "defaultEditLabel": "Edit"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsStatus": {
+ "status.notifications": "Pemberitahuan",
+ "hideNotifications": "Hide Notifications",
+ "zeroNotifications": "No Notifications",
+ "noNotifications": "No New Notifications",
+ "oneNotification": "1 New Notification",
+ "notifications": "{0} Pemberitahuan Baru",
+ "noNotificationsWithProgress": "No New Notifications ({0} in progress)",
+ "oneNotificationWithProgress": "1 New Notification ({0} in progress)",
+ "notificationsWithProgress": "{0} New Notifications ({0} in progress)",
+ "status.message": "Status Message"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsCommands": {
+ "notifications": "Pemberitahuan",
+ "showNotifications": "Show Notifications",
+ "hideNotifications": "Hide Notifications",
+ "clearAllNotifications": "Clear All Notifications",
+ "focusNotificationToasts": "Focus Notification Toast"
+ },
+ "vs/workbench/api/common/extHostExtensionService": {
+ "extensionTestError": "Path {0} does not point to a valid extension test runner."
+ },
+ "vs/workbench/browser/parts/panel/panelActions": {
+ "closePanel": "Close Panel",
+ "togglePanel": "Toggle Panel",
+ "focusPanel": "Focus into Panel",
+ "toggleMaximizedPanel": "Toggle Maximized Panel",
+ "maximizePanel": "Maximize Panel Size",
+ "minimizePanel": "Restore Panel Size",
+ "positionPanelLeft": "Move Panel Left",
+ "positionPanelRight": "Move Panel Right",
+ "positionPanelBottom": "Move Panel To Bottom",
+ "previousPanelView": "Previous Panel View",
+ "nextPanelView": "Next Panel View",
+ "view": "View",
+ "miShowPanel": "Show &&Panel"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsCenter": {
+ "notificationsEmpty": "No new notifications",
+ "notifications": "Pemberitahuan",
+ "notificationsToolbar": "Notification Center Actions",
+ "notificationsList": "Notifications List"
+ },
+ "vs/workbench/browser/parts/editor/textEditor": {
+ "editorLabelWithGroup": "{0}, {1}"
+ },
+ "vs/workbench/browser/parts/activitybar/activitybarActions": {
+ "previousSideBarView": "Previous Side Bar View",
+ "nextSideBarView": "Next Side Bar View",
+ "view": "View"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsToasts": {
+ "notificationsToast": "Notification Toast"
+ },
+ "vs/workbench/browser/parts/views/treeView": {
+ "no-dataprovider": "There is no data provider registered that can provide view data.",
+ "refresh": "Segarkan",
+ "collapseAll": "Collapse All",
+ "command-error": "Error running command {1}: {0}. This is likely caused by the extension that contributes {1}."
+ },
+ "vs/workbench/browser/parts/compositeBarActions": {
+ "badgeTitle": "{0} - {1}",
+ "additionalViews": "Additional Views",
+ "numberBadge": "{0} ({1})",
+ "manageExtension": "Manage Extension",
+ "titleKeybinding": "{0} ({1})",
+ "hide": "Sembunyikan",
+ "keep": "Keep",
+ "compositeActive": "{0} active",
+ "toggle": "Toggle View Pinned"
+ },
+ "vs/workbench/browser/parts/editor/binaryEditor": {
+ "binaryEditor": "Binary Viewer",
+ "sizeB": "{0}B",
+ "sizeKB": "{0}KB",
+ "sizeMB": "{0}MB",
+ "sizeGB": "{0}GB",
+ "sizeTB": "{0}TB",
+ "nativeFileTooLargeError": "The file is not displayed in the editor because it is too large ({0}).",
+ "nativeBinaryError": "The file is not displayed in the editor because it is either binary or uses an unsupported text encoding.",
+ "openAsText": "Do you want to open it anyway?"
+ },
+ "vs/workbench/browser/parts/editor/editorCommands": {
+ "editorCommand.activeEditorMove.description": "Move the active editor by tabs or groups",
+ "editorCommand.activeEditorMove.arg.name": "Active editor move argument",
+ "editorCommand.activeEditorMove.arg.description": "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.",
+ "toggleInlineView": "Toggle Inline View",
+ "compare": "Compare"
+ },
+ "vs/workbench/browser/parts/titlebar/menubarControl": {
+ "mFile": "&&File",
+ "mEdit": "&&Edit",
+ "mSelection": "&&Selection",
+ "mView": "&&View",
+ "mGoto": "&&Go",
+ "mRun": "&&Jalankan",
+ "mTerminal": "&&Terminal",
+ "mHelp": "&&Help",
+ "menubar.customTitlebarAccessibilityNotification": "Accessibility support is enabled for you. For the most accessible experience, we recommend the custom title bar style.",
+ "goToSetting": "Membuka pengaturan",
+ "checkForUpdates": "Periksa &&Pembaruan...",
+ "checkingForUpdates": "Memeriksa Pembaruan...",
+ "download now": "D&&ownload Update",
+ "DownloadingUpdate": "Mengunduh Pembaruan...",
+ "installUpdate...": "Install &&Update...",
+ "installingUpdate": "Memasang Pembaruan...",
+ "restartToUpdate": "Restart untuk &Memperbarui"
+ },
+ "vs/workbench/browser/parts/compositeBar": {
+ "activityBarAriaLabel": "Active View Switcher"
+ },
+ "vs/workbench/browser/parts/views/viewPaneContainer": {
+ "viewToolbarAriaLabel": "{0} actions",
+ "hideView": "Hide"
+ },
+ "vs/workbench/api/common/extHostExtensionActivator": {
+ "failedDep1": "Cannot activate extension '{0}' because it depends on extension '{1}', which failed to activate.",
+ "activationError": "Activating extension '{0}' failed: {1}."
+ },
+ "vs/workbench/browser/parts/notifications/notificationsActions": {
+ "clearNotification": "Clear Notification",
+ "clearNotifications": "Clear All Notifications",
+ "hideNotificationsCenter": "Hide Notifications",
+ "expandNotification": "Expand Notification",
+ "collapseNotification": "Collapse Notification",
+ "configureNotification": "Configure Notification",
+ "copyNotification": "Copy Text"
+ },
+ "vs/workbench/api/common/extHost.api.impl": {
+ "extensionLabel": "{0} (Extension)"
+ },
+ "vs/workbench/browser/parts/editor/editor.contribution": {
+ "textEditor": "Text Editor",
+ "textDiffEditor": "Text Diff Editor",
+ "binaryDiffEditor": "Binary Diff Editor",
+ "sideBySideEditor": "Side by Side Editor",
+ "editorQuickAccessPlaceholder": "Type the name of an editor to open it.",
+ "activeGroupEditorsByMostRecentlyUsedQuickAccess": "Show Editors in Active Group by Most Recently Used",
+ "allEditorsByAppearanceQuickAccess": "Show All Opened Editors By Appearance",
+ "allEditorsByMostRecentlyUsedQuickAccess": "Show All Opened Editors By Most Recently Used",
+ "view": "View",
+ "file": "File",
+ "splitUp": "Split Up",
+ "splitDown": "Split Down",
+ "splitLeft": "Split Left",
+ "splitRight": "Split Right",
+ "close": "Tutup",
+ "closeOthers": "Close Others",
+ "closeRight": "Close to the Right",
+ "closeAllSaved": "Close Saved",
+ "closeAll": "Close All",
+ "keepOpen": "Keep Open",
+ "toggleInlineView": "Toggle Inline View",
+ "showOpenedEditors": "Show Opened Editors",
+ "splitEditorRight": "Split Editor Right",
+ "splitEditorDown": "Split Editor Down",
+ "navigate.prev.label": "Perubahan sebelumnya",
+ "navigate.next.label": "Next Change",
+ "ignoreTrimWhitespace.label": "Ignore Leading/Trailing Whitespace Differences",
+ "showTrimWhitespace.label": "Show Leading/Trailing Whitespace Differences",
+ "keepEditor": "Keep Editor",
+ "closeEditorsInGroup": "Close All Editors in Group",
+ "closeSavedEditors": "Close Saved Editors in Group",
+ "closeOtherEditors": "Close Other Editors in Group",
+ "closeRightEditors": "Close Editors to the Right in Group",
+ "miReopenClosedEditor": "&&Reopen Closed Editor",
+ "miClearRecentOpen": "&&Clear Recently Opened",
+ "miEditorLayout": "Editor &&Layout",
+ "miSplitEditorUp": "Bagi ke &&Atas",
+ "miSplitEditorDown": "Split &&Down",
+ "miSplitEditorLeft": "Split &&Left",
+ "miSplitEditorRight": "Split &&Right",
+ "miSingleColumnEditorLayout": "& &Tunggal",
+ "miTwoColumnsEditorLayout": "&&Two Columns",
+ "miThreeColumnsEditorLayout": "T&&hree Columns",
+ "miTwoRowsEditorLayout": "T&&wo Rows",
+ "miThreeRowsEditorLayout": "Three &&Rows",
+ "miTwoByTwoGridEditorLayout": "&&Kisi (2x2)",
+ "miTwoRowsRightEditorLayout": "Two R&&ows Right",
+ "miTwoColumnsBottomEditorLayout": "Two &&Columns Bottom",
+ "miBack": "&&Back",
+ "miForward": "&&Forward",
+ "miLastEditLocation": "&&Last Edit Location",
+ "miNextEditor": "&&Next Editor",
+ "miPreviousEditor": "&&Previous Editor",
+ "miNextRecentlyUsedEditor": "&&Next Used Editor",
+ "miPreviousRecentlyUsedEditor": "&&Previous Used Editor",
+ "miNextEditorInGroup": "&&Next Editor in Group",
+ "miPreviousEditorInGroup": "&&Previous Editor in Group",
+ "miNextUsedEditorInGroup": "&&Next Used Editor in Group",
+ "miPreviousUsedEditorInGroup": "&&Previous Used Editor in Group",
+ "miSwitchEditor": "Switch &&Editor",
+ "miFocusFirstGroup": "Group &&1",
+ "miFocusSecondGroup": "Group &&2",
+ "miFocusThirdGroup": "Group &&3",
+ "miFocusFourthGroup": "Group &&4",
+ "miFocusFifthGroup": "Group &&5",
+ "miNextGroup": "&&Next Group",
+ "miPreviousGroup": "&&Previous Group",
+ "miFocusLeftGroup": "Group &&Left",
+ "miFocusRightGroup": "Group &&Right",
+ "miFocusAboveGroup": "Group &&Above",
+ "miFocusBelowGroup": "Group &&Below",
+ "miSwitchGroup": "Switch &&Group"
+ },
+ "vs/workbench/browser/parts/editor/editorQuickAccess": {
+ "entryAriaLabelWithGroupDirty": "{0}, dirty, {1}",
+ "entryAriaLabelWithGroup": "{0}, {1}",
+ "entryAriaLabelDirty": "{0}, dirty",
+ "closeEditor": "Close Editor"
+ },
+ "vs/workbench/browser/parts/editor/textDiffEditor": {
+ "textDiffEditor": "Text Diff Editor",
+ "readonlyEditorWithInputAriaLabel": "{0} readonly compare editor",
+ "readonlyEditorAriaLabel": "Readonly compare editor",
+ "editableEditorWithInputAriaLabel": "{0} compare editor",
+ "editableEditorAriaLabel": "Compare editor"
+ },
+ "vs/workbench/browser/parts/editor/editorGroupView": {
+ "araLabelGroupActions": "Editor group actions",
+ "closeGroupAction": "Tutup",
+ "emptyEditorGroup": "{0} (empty)",
+ "groupLabel": "Group {0}",
+ "groupAriaLabel": "Editor Group {0}",
+ "ok": "OK",
+ "cancel": "Batal",
+ "editorOpenErrorDialog": "Unable to open '{0}'",
+ "editorOpenError": "Unable to open '{0}': {1}."
+ },
+ "vs/workbench/api/common/extHostStatusBar": {
+ "status.extensionMessage": "Extension Status"
+ },
+ "vs/workbench/api/common/extHostProgress": {
+ "extensionSource": "{0} (Extension)"
+ },
+ "vs/workbench/browser/parts/editor/binaryDiffEditor": {
+ "metadataDiff": "{0} ↔ {1}"
+ },
+ "vs/workbench/api/common/extHostDiagnostics": {
+ "limitHit": "Not showing {0} further errors and warnings."
+ },
+ "vs/workbench/browser/parts/notifications/notificationsViewer": {
+ "executeCommand": "Klik untuk mengeksekusi perintah '{0}'",
+ "notificationActions": "Notification Actions",
+ "notificationSource": "Source: {0}"
+ },
+ "vs/workbench/api/common/extHostTreeViews": {
+ "treeView.notRegistered": "No tree view with id '{0}' registered.",
+ "treeView.duplicateElement": "Element with id {0} is already registered"
+ },
+ "vs/workbench/browser/parts/editor/editorActions": {
+ "splitEditor": "Split Editor",
+ "splitEditorOrthogonal": "Split Editor Orthogonal",
+ "splitEditorGroupLeft": "Split Editor Left",
+ "splitEditorGroupRight": "Split Editor Right",
+ "splitEditorGroupUp": "Split Editor Up",
+ "splitEditorGroupDown": "Split Editor Down",
+ "joinTwoGroups": "Join Editor Group with Next Group",
+ "joinAllGroups": "Join All Editor Groups",
+ "navigateEditorGroups": "Navigate Between Editor Groups",
+ "focusActiveEditorGroup": "Focus Active Editor Group",
+ "focusFirstEditorGroup": "Focus First Editor Group",
+ "focusLastEditorGroup": "Focus Last Editor Group",
+ "focusNextGroup": "Focus Next Editor Group",
+ "focusPreviousGroup": "Focus Previous Editor Group",
+ "focusLeftGroup": "Focus Left Editor Group",
+ "focusRightGroup": "Focus Right Editor Group",
+ "focusAboveGroup": "Focus Above Editor Group",
+ "focusBelowGroup": "Focus Below Editor Group",
+ "closeEditor": "Close Editor",
+ "closeOneEditor": "Tutup",
+ "revertAndCloseActiveEditor": "Revert and Close Editor",
+ "closeEditorsToTheLeft": "Close Editors to the Left in Group",
+ "closeAllEditors": "Close All Editors",
+ "closeAllGroups": "Close All Editor Groups",
+ "closeEditorsInOtherGroups": "Close Editors in Other Groups",
+ "closeEditorInAllGroups": "Menutup Editor di semua kelompok",
+ "moveActiveGroupLeft": "Move Editor Group Left",
+ "moveActiveGroupRight": "Move Editor Group Right",
+ "moveActiveGroupUp": "Move Editor Group Up",
+ "moveActiveGroupDown": "Move Editor Group Down",
+ "minimizeOtherEditorGroups": "Maximize Editor Group",
+ "evenEditorGroups": "Reset Editor Group Sizes",
+ "toggleEditorWidths": "Toggle Editor Group Sizes",
+ "maximizeEditor": "Maximize Editor Group and Hide Side Bar",
+ "openNextEditor": "Open Next Editor",
+ "openPreviousEditor": "Open Previous Editor",
+ "nextEditorInGroup": "Open Next Editor in Group",
+ "openPreviousEditorInGroup": "Open Previous Editor in Group",
+ "firstEditorInGroup": "Open First Editor in Group",
+ "lastEditorInGroup": "Open Last Editor in Group",
+ "navigateNext": "Go Forward",
+ "navigatePrevious": "Go Back",
+ "navigateToLastEditLocation": "Go to Last Edit Location",
+ "navigateLast": "Go Last",
+ "reopenClosedEditor": "Reopen Closed Editor",
+ "clearRecentFiles": "Clear Recently Opened",
+ "showEditorsInActiveGroup": "Show Editors in Active Group By Most Recently Used",
+ "showAllEditors": "Show All Editors By Appearance",
+ "showAllEditorsByMostRecentlyUsed": "Show All Editors By Most Recently Used",
+ "quickOpenPreviousRecentlyUsedEditor": "Quick Open Previous Recently Used Editor",
+ "quickOpenLeastRecentlyUsedEditor": "Quick Open Least Recently Used Editor",
+ "quickOpenPreviousRecentlyUsedEditorInGroup": "Quick Open Previous Recently Used Editor in Group",
+ "quickOpenLeastRecentlyUsedEditorInGroup": "Quick Open Least Recently Used Editor in Group",
+ "navigateEditorHistoryByInput": "Quick Open Previous Editor from History",
+ "openNextRecentlyUsedEditor": "Open Next Recently Used Editor",
+ "openPreviousRecentlyUsedEditor": "Open Previous Recently Used Editor",
+ "openNextRecentlyUsedEditorInGroup": "Open Next Recently Used Editor In Group",
+ "openPreviousRecentlyUsedEditorInGroup": "Open Previous Recently Used Editor In Group",
+ "clearEditorHistory": "Clear Editor History",
+ "moveEditorLeft": "Move Editor Left",
+ "moveEditorRight": "Move Editor Right",
+ "moveEditorToPreviousGroup": "Move Editor into Previous Group",
+ "moveEditorToNextGroup": "Move Editor into Next Group",
+ "moveEditorToAboveGroup": "Move Editor into Above Group",
+ "moveEditorToBelowGroup": "Move Editor into Below Group",
+ "moveEditorToLeftGroup": "Pindahkan Editor ke Grup Kiri",
+ "moveEditorToRightGroup": "Move Editor into Right Group",
+ "moveEditorToFirstGroup": "Move Editor into First Group",
+ "moveEditorToLastGroup": "Move Editor into Last Group",
+ "editorLayoutSingle": "Single Column Editor Layout",
+ "editorLayoutTwoColumns": "Two Columns Editor Layout",
+ "editorLayoutThreeColumns": "Three Columns Editor Layout",
+ "editorLayoutTwoRows": "Two Rows Editor Layout",
+ "editorLayoutThreeRows": "Tiga Baris Tata Letak Editor",
+ "editorLayoutTwoByTwoGrid": "Grid Editor Layout (2x2)",
+ "editorLayoutTwoColumnsBottom": "Dua kolom Layout Editor bawah",
+ "editorLayoutTwoRowsRight": "Two Rows Right Editor Layout",
+ "newEditorLeft": "New Editor Group to the Left",
+ "newEditorRight": "New Editor Group to the Right",
+ "newEditorAbove": "New Editor Group Above",
+ "newEditorBelow": "New Editor Group Below"
+ },
+ "vs/workbench/browser/parts/editor/titleControl": {
+ "araLabelEditorActions": "Editor actions",
+ "draggedEditorGroup": "{0} (+{1})"
+ },
+ "vs/workbench/browser/parts/editor/editorStatus": {
+ "singleSelectionRange": "Ln {0}, Col {1} ({2} selected)",
+ "singleSelection": "Baris {0}, Kolom {1}",
+ "multiSelectionRange": "{0} selections ({1} characters selected)",
+ "multiSelection": "{0} selections",
+ "endOfLineLineFeed": "LF",
+ "endOfLineCarriageReturnLineFeed": "CRLF",
+ "screenReaderDetectedExplanation.question": "Are you using a screen reader to operate VS Code? (Certain features like word wrap are disabled when using a screen reader)",
+ "screenReaderDetectedExplanation.answerYes": "Ya",
+ "screenReaderDetectedExplanation.answerNo": "Tidak",
+ "noEditor": "No text editor active at this time",
+ "noWritableCodeEditor": "The active code editor is read-only.",
+ "indentConvert": "convert file",
+ "indentView": "change view",
+ "pickAction": "Select Action",
+ "tabFocusModeEnabled": "Tab Moves Focus",
+ "disableTabMode": "Disable Accessibility Mode",
+ "status.editor.tabFocusMode": "Accessibility Mode",
+ "columnSelectionModeEnabled": "Column Selection",
+ "disableColumnSelectionMode": "Disable Column Selection Mode",
+ "status.editor.columnSelectionMode": "Column Selection Mode",
+ "screenReaderDetected": "Screen Reader Optimized",
+ "screenReaderDetectedExtra": "If you are not using a Screen Reader, please change the setting `editor.accessibilitySupport` to \"off\".",
+ "status.editor.screenReaderMode": "Screen Reader Mode",
+ "gotoLine": "Go to Line/Column",
+ "status.editor.selection": "Editor Selection",
+ "selectIndentation": "Select Indentation",
+ "status.editor.indentation": "Editor Indentation",
+ "selectEncoding": "Pilih Encoding",
+ "status.editor.encoding": "Editor Encoding",
+ "selectEOL": "Select End of Line Sequence",
+ "status.editor.eol": "Editor End of Line",
+ "selectLanguageMode": "Select Language Mode",
+ "status.editor.mode": "Editor Language",
+ "fileInfo": "File Information",
+ "status.editor.info": "File Information",
+ "spacesSize": "Spaces: {0}",
+ "tabSize": "Tab Size: {0}",
+ "currentProblem": "Current Problem",
+ "showLanguageExtensions": "Search Marketplace Extensions for '{0}'...",
+ "changeMode": "Change Language Mode",
+ "languageDescription": "({0}) - Configured Language",
+ "languageDescriptionConfigured": "({0})",
+ "languagesPicks": "languages (identifier)",
+ "configureModeSettings": "Configure '{0}' language based settings...",
+ "configureAssociationsExt": "Configure File Association for '{0}'...",
+ "autoDetect": "Auto Detect",
+ "pickLanguage": "Select Language Mode",
+ "currentAssociation": "Current Association",
+ "pickLanguageToConfigure": "Select Language Mode to Associate with '{0}'",
+ "changeEndOfLine": "Change End of Line Sequence",
+ "pickEndOfLine": "Select End of Line Sequence",
+ "changeEncoding": "Change File Encoding",
+ "noFileEditor": "No file active at this time",
+ "saveWithEncoding": "Save with Encoding",
+ "reopenWithEncoding": "Reopen with Encoding",
+ "guessedEncoding": "Guessed from content",
+ "pickEncodingForReopen": "Select File Encoding to Reopen File",
+ "pickEncodingForSave": "Select File Encoding to Save with"
+ },
+ "vs/workbench/browser/parts/editor/tabsTitleControl": {
+ "araLabelTabActions": "Tab actions"
+ },
+ "vs/workbench/browser/parts/editor/breadcrumbs": {
+ "title": "Breadcrumb Navigation",
+ "enabled": "Enable/disable navigation breadcrumbs.",
+ "filepath": "Controls whether and how file paths are shown in the breadcrumbs view.",
+ "filepath.on": "Show the file path in the breadcrumbs view.",
+ "filepath.off": "Do not show the file path in the breadcrumbs view.",
+ "filepath.last": "Only show the last element of the file path in the breadcrumbs view.",
+ "symbolpath": "Controls whether and how symbols are shown in the breadcrumbs view.",
+ "symbolpath.on": "Show all symbols in the breadcrumbs view.",
+ "symbolpath.off": "Jangan tampilkan simbol pada tampilan breadcumb.",
+ "symbolpath.last": "Only show the current symbol in the breadcrumbs view.",
+ "symbolSortOrder": "Controls how symbols are sorted in the breadcrumbs outline view.",
+ "symbolSortOrder.position": "Show symbol outline in file position order.",
+ "symbolSortOrder.name": "Show symbol outline in alphabetical order.",
+ "symbolSortOrder.type": "Show symbol outline in symbol type order.",
+ "icons": "Render breadcrumb items with icons.",
+ "filteredTypes.file": "When enabled breadcrumbs show `file`-symbols.",
+ "filteredTypes.module": "When enabled breadcrumbs show `module`-symbols.",
+ "filteredTypes.namespace": "When enabled breadcrumbs show `namespace`-symbols.",
+ "filteredTypes.package": "When enabled breadcrumbs show `package`-symbols.",
+ "filteredTypes.class": "When enabled breadcrumbs show `class`-symbols.",
+ "filteredTypes.method": "When enabled breadcrumbs show `method`-symbols.",
+ "filteredTypes.property": "When enabled breadcrumbs show `property`-symbols.",
+ "filteredTypes.field": "When enabled breadcrumbs show `field`-symbols.",
+ "filteredTypes.constructor": "When enabled breadcrumbs show `constructor`-symbols.",
+ "filteredTypes.enum": "When enabled breadcrumbs show `enum`-symbols.",
+ "filteredTypes.interface": "When enabled breadcrumbs show `interface`-symbols.",
+ "filteredTypes.function": "When enabled breadcrumbs show `function`-symbols.",
+ "filteredTypes.variable": "When enabled breadcrumbs show `variable`-symbols.",
+ "filteredTypes.constant": "When enabled breadcrumbs show `constant`-symbols.",
+ "filteredTypes.string": "When enabled breadcrumbs show `string`-symbols.",
+ "filteredTypes.number": "When enabled breadcrumbs show `number`-symbols.",
+ "filteredTypes.boolean": "When enabled breadcrumbs show `boolean`-symbols.",
+ "filteredTypes.array": "When enabled breadcrumbs show `array`-symbols.",
+ "filteredTypes.object": "When enabled breadcrumbs show `object`-symbols.",
+ "filteredTypes.key": "When enabled breadcrumbs show `key`-symbols.",
+ "filteredTypes.null": "When enabled breadcrumbs show `null`-symbols.",
+ "filteredTypes.enumMember": "When enabled breadcrumbs show `enumMember`-symbols.",
+ "filteredTypes.struct": "When enabled breadcrumbs show `struct`-symbols.",
+ "filteredTypes.event": "When enabled breadcrumbs show `event`-symbols.",
+ "filteredTypes.operator": "When enabled breadcrumbs show `operator`-symbols.",
+ "filteredTypes.typeParameter": "When enabled breadcrumbs show `typeParameter`-symbols."
+ },
+ "vs/workbench/browser/parts/editor/breadcrumbsControl": {
+ "cmd.toggle": "Toggle Breadcrumbs",
+ "cmd.category": "View",
+ "miShowBreadcrumbs": "Show &&Breadcrumbs",
+ "cmd.focus": "Focus Breadcrumbs"
+ },
+ "vs/workbench/contrib/backup/electron-browser/backupTracker": {
+ "backupTrackerBackupFailed": "One or many editors that are dirty could not be saved to the backup location.",
+ "backupTrackerConfirmFailed": "One or many editors that are dirty could not be saved or reverted.",
+ "ok": "OK",
+ "backupErrorDetails": "Try saving or reverting the dirty editors first and then try again."
+ },
+ "vs/workbench/contrib/bulkEdit/browser/bulkEdit.contribution": {
+ "overlap": "Another refactoring is being previewed.",
+ "cancel": "Batal",
+ "continue": "Continue",
+ "detail": "Press 'Continue' to discard the previous refactoring and continue with the current refactoring.",
+ "apply": "Apply Refactoring",
+ "cat": "Refactor Preview",
+ "Discard": "Discard Refactoring",
+ "toogleSelection": "Toggle Change",
+ "groupByFile": "Group Changes By File",
+ "groupByType": "Group Changes By Type",
+ "panel": "Refactor Preview"
+ },
+ "vs/workbench/contrib/bulkEdit/browser/bulkEditPane": {
+ "empty.msg": "Invoke a code action, like rename, to see a preview of its changes here.",
+ "conflict.1": "Cannot apply refactoring because '{0}' has changed in the meantime.",
+ "conflict.N": "Cannot apply refactoring because {0} other files have changed in the meantime.",
+ "edt.title.del": "{0} (delete, refactor preview)",
+ "rename": "rename",
+ "create": "create",
+ "edt.title.2": "{0} ({1}, refactor preview)",
+ "edt.title.1": "{0} (refactor preview)"
+ },
+ "vs/workbench/contrib/bulkEdit/browser/bulkEditPreview": {
+ "default": "Other"
+ },
+ "vs/workbench/contrib/bulkEdit/browser/bulkEditTree": {
+ "aria.renameAndEdit": "Renaming {0} to {1}, also making text edits",
+ "aria.createAndEdit": "Creating {0}, also making text edits",
+ "aria.deleteAndEdit": "Deleting {0}, also making text edits",
+ "aria.editOnly": "{0}, making text edits",
+ "aria.rename": "Renaming {0} to {1}",
+ "aria.create": "Creating {0}",
+ "aria.delete": "Deleting {0}",
+ "aria.replace": "line {0}, replacing {1} with {2}",
+ "aria.del": "line {0}, removing {1}",
+ "aria.insert": "line {0}, inserting {1}",
+ "rename.label": "{0} → {1}",
+ "detail.rename": "(renaming)",
+ "detail.create": "(creating)",
+ "detail.del": "(deleting)",
+ "title": "{0} - {1}"
+ },
+ "vs/workbench/contrib/callHierarchy/browser/callHierarchy.contribution": {
+ "no.item": "Tidak ada hasil",
+ "error": "Failed to show call hierarchy",
+ "title": "Peek Call Hierarchy",
+ "title.toggle": "Toggle Call Hierarchy",
+ "title.refocus": "Refocus Call Hierarchy"
+ },
+ "vs/workbench/contrib/callHierarchy/browser/callHierarchyPeek": {
+ "toggle.from": "Show Incoming Calls",
+ "toggle.to": "Showing Outgoing Calls",
+ "tree.aria": "Call Hierarchy",
+ "callFrom": "Calls from '{0}'",
+ "callsTo": "Callers of '{0}'",
+ "title.loading": "Memuat...",
+ "empt.callsFrom": "No calls from '{0}'",
+ "empt.callsTo": "No callers of '{0}'"
+ },
+ "vs/workbench/contrib/cli/node/cli.contribution": {
+ "install": "Pasang perintah '{0}' di PATH",
+ "not available": "Perintah ini tidak tersedia",
+ "successIn": "Shell command '{0}' successfully installed in PATH.",
+ "ok": "OK",
+ "cancel2": "Batal",
+ "warnEscalation": "Code will now prompt with 'osascript' for Administrator privileges to install the shell command.",
+ "cantCreateBinFolder": "Tidak dapat membuat '/usr/local/bin'.",
+ "aborted": "Dibatalkan",
+ "uninstall": "Hapus perintah '{0}' dari PATH",
+ "successFrom": "Shell command '{0}' successfully uninstalled from PATH.",
+ "warnEscalationUninstall": "Code will now prompt with 'osascript' for Administrator privileges to uninstall the shell command.",
+ "cantUninstall": "Unable to uninstall the shell command '{0}'.",
+ "shellCommand": "Perintah Shell"
+ },
+ "vs/workbench/contrib/codeActions/common/codeActionsContribution": {
+ "codeActionsOnSave.fixAll": "Controls whether auto fix action should be run on file save.",
+ "codeActionsOnSave": "Code action kinds to be run on save.",
+ "codeActionsOnSave.generic": "Controls whether '{0}' actions should be run on file save."
+ },
+ "vs/workbench/contrib/codeActions/common/documentationExtensionPoint": {
+ "contributes.documentation": "Contributed documentation.",
+ "contributes.documentation.refactorings": "Contributed documentation for refactorings.",
+ "contributes.documentation.refactoring": "Contributed documentation for refactoring.",
+ "contributes.documentation.refactoring.title": "Label for the documentation used in the UI.",
+ "contributes.documentation.refactoring.when": "When clause.",
+ "contributes.documentation.refactoring.command": "Command executed."
+ },
+ "vs/workbench/contrib/codeActions/common/codeActionsExtensionPoint": {
+ "contributes.codeActions": "Configure which editor to use for a resource.",
+ "contributes.codeActions.languages": "Language modes that the code actions are enabled for.",
+ "contributes.codeActions.kind": "`CodeActionKind` of the contributed code action.",
+ "contributes.codeActions.title": "Label for the code action used in the UI.",
+ "contributes.codeActions.description": "Description of what the code action does."
+ },
+ "vs/workbench/contrib/codeEditor/electron-browser/selectionClipboard": {
+ "actions.pasteSelectionClipboard": "Paste Selection Clipboard"
+ },
+ "vs/workbench/contrib/codeEditor/browser/largeFileOptimizations": {
+ "largeFile": "{0}: tokenization, wrapping and folding have been turned off for this large file in order to reduce memory usage and avoid freezing or crashing.",
+ "removeOptimizations": "Forcefully enable features",
+ "reopenFilePrompt": "Please reopen file in order for this setting to take effect."
+ },
+ "vs/workbench/contrib/codeEditor/browser/diffEditorHelper": {
+ "hintTimeout": "The diff algorithm was stopped early (after {0} ms.)",
+ "removeTimeout": "Remove limit",
+ "hintWhitespace": "Show Whitespace Differences"
+ },
+ "vs/workbench/contrib/codeEditor/browser/inspectKeybindings": {
+ "workbench.action.inspectKeyMap": "Developer: Inspect Key Mappings",
+ "workbench.action.inspectKeyMapJSON": "Inspect Key Mappings (JSON)",
+ "developer": "Developer"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleColumnSelection": {
+ "toggleColumnSelection": "Toggle Column Selection Mode",
+ "miColumnSelection": "Column &&Selection Mode"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleMinimap": {
+ "toggleMinimap": "Alihkan Minimap",
+ "view": "Tampilan",
+ "miShowMinimap": "Show &&Minimap"
+ },
+ "vs/workbench/contrib/codeEditor/browser/semanticTokensHelp": {
+ "semanticTokensHelp": "Code coloring of '{0}' has been updated as the theme '{1}' has [semantic highlighting](https://go.microsoft.com/fwlink/?linkid=2122588) enabled.",
+ "learnMoreButton": "Learn More"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleMultiCursorModifier": {
+ "toggleLocation": "Toggle Multi-Cursor Modifier",
+ "miMultiCursorAlt": "Switch to Alt+Click for Multi-Cursor",
+ "miMultiCursorCmd": "Switch to Cmd+Click for Multi-Cursor",
+ "miMultiCursorCtrl": "Switch to Ctrl+Click for Multi-Cursor"
+ },
+ "vs/workbench/contrib/codeEditor/browser/quickaccess/gotoLineQuickAccess": {
+ "gotoLineQuickAccessPlaceholder": "Type the line number and optional column to go to (e.g. 42:5 for line 42 and column 5).",
+ "gotoLineQuickAccess": "Go to Line/Column",
+ "gotoLine": "Go to Line/Column..."
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleRenderControlCharacter": {
+ "toggleRenderControlCharacters": "Toggle Control Characters",
+ "view": "Tampilkan",
+ "miToggleRenderControlCharacters": "Render &&Control Characters"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleRenderWhitespace": {
+ "toggleRenderWhitespace": "Toggle Render Whitespace",
+ "view": "View",
+ "miToggleRenderWhitespace": "&&Render Whitespace"
+ },
+ "vs/workbench/contrib/codeEditor/browser/quickaccess/gotoSymbolQuickAccess": {
+ "gotoSymbolQuickAccessPlaceholder": "Type the name of a symbol to go to.",
+ "gotoSymbolQuickAccess": "Go to Symbol in Editor",
+ "gotoSymbolByCategoryQuickAccess": "Go to Symbol in Editor by Category",
+ "gotoSymbol": "Go to Symbol in Editor..."
+ },
+ "vs/workbench/contrib/codeEditor/browser/accessibility/accessibility": {
+ "emergencyConfOn": "Now changing the setting `editor.accessibilitySupport` to 'on'.",
+ "openingDocs": "Now opening the VS Code Accessibility documentation page.",
+ "introMsg": "Thank you for trying out VS Code's accessibility options.",
+ "status": "Status:",
+ "changeConfigToOnMac": "To configure the editor to be permanently optimized for usage with a Screen Reader press Command+E now.",
+ "changeConfigToOnWinLinux": "To configure the editor to be permanently optimized for usage with a Screen Reader press Control+E now.",
+ "auto_unknown": "The editor is configured to use platform APIs to detect when a Screen Reader is attached, but the current runtime does not support this.",
+ "auto_on": "The editor has automatically detected a Screen Reader is attached.",
+ "auto_off": "The editor is configured to automatically detect when a Screen Reader is attached, which is not the case at this time.",
+ "configuredOn": "The editor is configured to be permanently optimized for usage with a Screen Reader - you can change this by editing the setting `editor.accessibilitySupport`.",
+ "configuredOff": "The editor is configured to never be optimized for usage with a Screen Reader.",
+ "tabFocusModeOnMsg": "Pressing Tab in the current editor will move focus to the next focusable element. Toggle this behavior by pressing {0}.",
+ "tabFocusModeOnMsgNoKb": "Pressing Tab in the current editor will move focus to the next focusable element. The command {0} is currently not triggerable by a keybinding.",
+ "tabFocusModeOffMsg": "Pressing Tab in the current editor will insert the tab character. Toggle this behavior by pressing {0}.",
+ "tabFocusModeOffMsgNoKb": "Pressing Tab in the current editor will insert the tab character. The command {0} is currently not triggerable by a keybinding.",
+ "openDocMac": "Press Command+H now to open a browser window with more VS Code information related to Accessibility.",
+ "openDocWinLinux": "Press Control+H now to open a browser window with more VS Code information related to Accessibility.",
+ "outroMsg": "You can dismiss this tooltip and return to the editor by pressing Escape or Shift+Escape.",
+ "ShowAccessibilityHelpAction": "Show Accessibility Help"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleWordWrap": {
+ "toggle.wordwrap": "View: Toggle Word Wrap",
+ "wordWrap.notInDiffEditor": "Cannot toggle word wrap in a diff editor.",
+ "unwrapMinified": "Disable wrapping for this file",
+ "wrapMinified": "Enable wrapping for this file",
+ "miToggleWordWrap": "Toggle &&Word Wrap"
+ },
+ "vs/workbench/contrib/codeEditor/browser/saveParticipants": {
+ "formatting": "Running '{0}' Formatter ([configure](command:workbench.action.openSettings?%5B%22editor.formatOnSave%22%5D)).",
+ "codeaction": "Quick Fixes",
+ "codeaction.get": "Getting code actions from '{0}' ([configure](command:workbench.action.openSettings?%5B%22editor.codeActionsOnSave%22%5D)).",
+ "codeAction.apply": "Applying code action '{0}'."
+ },
+ "vs/workbench/contrib/codeEditor/browser/languageConfigurationExtensionPoint": {
+ "parseErrors": "Kesalahan dalam mengurai {0}: {1}",
+ "formatError": "{0}: Invalid format, JSON object expected.",
+ "schema.openBracket": "kurung kurawal buka atau urutan string.",
+ "schema.closeBracket": "kurung kurawal tutup atau urutan string.",
+ "schema.comments": "Mendefinisikan simbol komentar",
+ "schema.blockComments": "Menentukan bagaimana blok komentar ditandai.",
+ "schema.blockComment.begin": "Urutan karakter yang mengawali blok komentar.",
+ "schema.blockComment.end": "Urutan karakter yang mengakhiri blok komentar.",
+ "schema.lineComment": "Urutan karakter yang mengawali komentar sebaris.",
+ "schema.brackets": "Menentukan tanda kurung yang mengatur besarnya indentasi.",
+ "schema.autoClosingPairs": "Menentukan pasangan tanda kurung. Tanda kurung penutup akan dimasukkan secara otomatis ketika tanda kurung pembuka dimasukkan.",
+ "schema.autoClosingPairs.notIn": "Mendefinisikan daftar cakupan dimana pasangan otomatis telah dimatikan.",
+ "schema.autoCloseBefore": "Defines what characters must be after the cursor in order for bracket or quote autoclosing to occur when using the 'languageDefined' autoclosing setting. This is typically the set of characters which can not start an expression.",
+ "schema.surroundingPairs": "Mendefinisikan pasangan kurung yang dapat digunakan untuk mengelilingi string yang dipilih.",
+ "schema.wordPattern": "Defines what is considered to be a word in the programming language.",
+ "schema.wordPattern.pattern": "Pola RegExp yang digunakan untuk memadankan kata.",
+ "schema.wordPattern.flags": "Penanda RegExp yang dipakai untuk memadankan kata.",
+ "schema.wordPattern.flags.errorMessage": "Harus cocok dengan pola `/^([gimuy]+)$/`.",
+ "schema.indentationRules": "The language's indentation settings.",
+ "schema.indentationRules.increaseIndentPattern": "If a line matches this pattern, then all the lines after it should be indented once (until another rule matches).",
+ "schema.indentationRules.increaseIndentPattern.pattern": "The RegExp pattern for increaseIndentPattern.",
+ "schema.indentationRules.increaseIndentPattern.flags": "The RegExp flags for increaseIndentPattern.",
+ "schema.indentationRules.increaseIndentPattern.errorMessage": "Harus cocok dengan pola `/^([gimuy]+)$/`.",
+ "schema.indentationRules.decreaseIndentPattern": "If a line matches this pattern, then all the lines after it should be unindented once (until another rule matches).",
+ "schema.indentationRules.decreaseIndentPattern.pattern": "The RegExp pattern for decreaseIndentPattern.",
+ "schema.indentationRules.decreaseIndentPattern.flags": "The RegExp flags for decreaseIndentPattern.",
+ "schema.indentationRules.decreaseIndentPattern.errorMessage": "Harus cocok dengan pola `/^([gimuy]+)$/`.",
+ "schema.indentationRules.indentNextLinePattern": "If a line matches this pattern, then **only the next line** after it should be indented once.",
+ "schema.indentationRules.indentNextLinePattern.pattern": "The RegExp pattern for indentNextLinePattern.",
+ "schema.indentationRules.indentNextLinePattern.flags": "The RegExp flags for indentNextLinePattern.",
+ "schema.indentationRules.indentNextLinePattern.errorMessage": "Harus cocok dengan pola `/^([gimuy]+)$/`.",
+ "schema.indentationRules.unIndentedLinePattern": "If a line matches this pattern, then its indentation should not be changed and it should not be evaluated against the other rules.",
+ "schema.indentationRules.unIndentedLinePattern.pattern": "The RegExp pattern for unIndentedLinePattern.",
+ "schema.indentationRules.unIndentedLinePattern.flags": "The RegExp flags for unIndentedLinePattern.",
+ "schema.indentationRules.unIndentedLinePattern.errorMessage": "Harus cocok dengan pola `/^([gimuy]+)$/`.",
+ "schema.folding": "The language's folding settings.",
+ "schema.folding.offSide": "A language adheres to the off-side rule if blocks in that language are expressed by their indentation. If set, empty lines belong to the subsequent block.",
+ "schema.folding.markers": "Language specific folding markers such as '#region' and '#endregion'. The start and end regexes will be tested against the contents of all lines and must be designed efficiently",
+ "schema.folding.markers.start": "The RegExp pattern for the start marker. The regexp must start with '^'.",
+ "schema.folding.markers.end": "The RegExp pattern for the end marker. The regexp must start with '^'."
+ },
+ "vs/workbench/contrib/codeEditor/browser/inspectEditorTokens/inspectEditorTokens": {
+ "inspectEditorTokens": "Developer: Inspect Editor Tokens and Scopes",
+ "inspectTMScopesWidget.loading": "Memuat..."
+ },
+ "vs/workbench/contrib/codeEditor/browser/find/simpleFindWidget": {
+ "label.find": "Temukan",
+ "placeholder.find": "Temukan",
+ "label.previousMatchButton": "Hasil sebelumnya",
+ "label.nextMatchButton": "Hasil berikutnya",
+ "label.closeButton": "Tutup"
+ },
+ "vs/workbench/contrib/codeEditor/browser/find/simpleFindReplaceWidget": {
+ "label.find": "Temukan",
+ "placeholder.find": "Temukan",
+ "label.previousMatchButton": "Hasil sebelumnya",
+ "label.nextMatchButton": "Hasil berikutnya",
+ "label.closeButton": "Tutup",
+ "label.toggleReplaceButton": "Toggle Replace mode",
+ "label.replace": "Ganti",
+ "placeholder.replace": "Ganti",
+ "label.replaceButton": "Ganti",
+ "label.replaceAllButton": "Ganti semua"
+ },
+ "vs/workbench/contrib/comments/browser/comments.contribution": {
+ "commentsConfigurationTitle": "Comments",
+ "openComments": "Controls when the comments panel should open."
+ },
+ "vs/workbench/contrib/comments/browser/commentsEditorContribution": {
+ "pickCommentService": "Select Comment Provider",
+ "nextCommentThreadAction": "Go to Next Comment Thread"
+ },
+ "vs/workbench/contrib/comments/browser/commentsView": {
+ "collapseAll": "Collapse All"
+ },
+ "vs/workbench/contrib/comments/browser/commentsTreeViewer": {
+ "imageWithLabel": "Image: {0}",
+ "image": "Image"
+ },
+ "vs/workbench/contrib/comments/browser/commentGlyphWidget": {
+ "editorGutterCommentRangeForeground": "Editor gutter decoration color for commenting ranges."
+ },
+ "vs/workbench/contrib/comments/common/commentModel": {
+ "noComments": "Tidak ada komentar pada ulasan ini."
+ },
+ "vs/workbench/contrib/comments/browser/commentThreadWidget": {
+ "label.collapse": "Runtuhkan",
+ "commentThreadParticipants": "Participants: {0}",
+ "startThread": "Start discussion",
+ "reply": "Reply...",
+ "newComment": "Type a new comment"
+ },
+ "vs/workbench/contrib/comments/browser/commentNode": {
+ "commentToggleReaction": "Toggle Reaction",
+ "commentToggleReactionError": "Mengalihkan reaksi komentar gagal: {0}.",
+ "commentToggleReactionDefaultError": "Toggling the comment reaction failed",
+ "commentDeleteReactionError": "Deleting the comment reaction failed: {0}.",
+ "commentDeleteReactionDefaultError": "Deleting the comment reaction failed",
+ "commentAddReactionError": "Menghapus komentar reaksi gagal: {0}.",
+ "commentAddReactionDefaultError": "Deleting the comment reaction failed"
+ },
+ "vs/workbench/contrib/comments/browser/reactionsAction": {
+ "pickReactions": "Pick Reactions..."
+ },
+ "vs/workbench/contrib/customEditor/browser/webviewEditor.contribution": {
+ "editor.editorAssociations": "Configure which editor to use for a resource.",
+ "editor.editorAssociations.viewType": "Editor view type.",
+ "editor.editorAssociations.mime": "Mime type the editor should be used for. This is used for binary files.",
+ "editor.editorAssociations.filenamePattern": "Glob pattern the editor should be used for."
+ },
+ "vs/workbench/contrib/customEditor/browser/commands": {
+ "viewCategory": "Tampilkan",
+ "reopenWith.title": "Reopen With..."
+ },
+ "vs/workbench/contrib/customEditor/browser/customEditors": {
+ "promptOpenWith.defaultEditor": "VS Code's standard text editor",
+ "openWithCurrentlyActive": "Currently Active",
+ "promptOpenWith.setDefaultTooltip": "Set as default editor for '{0}' files",
+ "promptOpenWith.placeHolder": "Select editor to use for '{0}'..."
+ },
+ "vs/workbench/contrib/customEditor/browser/extensionPoint": {
+ "contributes.customEditors": "Contributed custom editors.",
+ "contributes.viewType": "Unique identifier of the custom editor.",
+ "contributes.displayName": "Human readable name of the custom editor. This is displayed to users when selecting which editor to use.",
+ "contributes.selector": "Set of globs that the custom editor is enabled for.",
+ "contributes.selector.filenamePattern": "Glob that the custom editor is enabled for.",
+ "contributes.priority": "Controls when the custom editor is used. May be overridden by users.",
+ "contributes.priority.default": "Editor is automatically used for a resource if no other default custom editors are registered for it.",
+ "contributes.priority.option": "Editor is not automatically used but can be selected by a user.",
+ "contributes.priority.builtin": "Editor automatically used if no other `default` or `builtin` editors are registered for the resource."
+ },
+ "vs/workbench/contrib/debug/common/debug": {
+ "internalConsoleOptions": "Controls when the internal debug console should open."
+ },
+ "vs/workbench/contrib/debug/browser/callStackEditorContribution": {
+ "topStackFrameLineHighlight": "Background color for the highlight of line at the top stack frame position.",
+ "focusedStackFrameLineHighlight": "Background color for the highlight of line at focused stack frame position."
+ },
+ "vs/workbench/contrib/debug/browser/debugViewlet": {
+ "startAdditionalSession": "Start Additional Session",
+ "toggleDebugPanel": "Konsol Debug"
+ },
+ "vs/workbench/contrib/debug/browser/debugEditorContribution": {
+ "addConfiguration": "Add Configuration..."
+ },
+ "vs/workbench/contrib/debug/browser/breakpointEditorContribution": {
+ "logPoint": "Logpoint",
+ "breakpoint": "Breakpoint",
+ "breakpointHasConditionDisabled": "This {0} has a {1} that will get lost on remove. Consider enabling the {0} instead.",
+ "message": "message",
+ "condition": "condition",
+ "breakpointHasConditionEnabled": "This {0} has a {1} that will get lost on remove. Consider disabling the {0} instead.",
+ "removeLogPoint": "Remove {0}",
+ "disableLogPoint": "{0} {1}",
+ "disable": "Disable",
+ "enable": "Enable",
+ "cancel": "Batal",
+ "removeBreakpoint": "Remove {0}",
+ "editBreakpoint": "Edit {0}...",
+ "disableBreakpoint": "Disable {0}",
+ "enableBreakpoint": "Enable {0}",
+ "removeBreakpoints": "Menghapus Breakpoints",
+ "removeInlineBreakpointOnColumn": "Remove Inline Breakpoint on Column {0}",
+ "removeLineBreakpoint": "Remove Line Breakpoint",
+ "editBreakpoints": "Edit Breakpoints",
+ "editInlineBreakpointOnColumn": "Edit Inline Breakpoint on Column {0}",
+ "editLineBrekapoint": "Edit Line Breakpoint",
+ "enableDisableBreakpoints": "Enable/Disable Breakpoints",
+ "disableInlineColumnBreakpoint": "Disable Inline Breakpoint on Column {0}",
+ "disableBreakpointOnLine": "Disable Line Breakpoint",
+ "enableBreakpoints": "Enable Inline Breakpoint on Column {0}",
+ "enableBreakpointOnLine": "Enable Line Breakpoint",
+ "addBreakpoint": "Add Breakpoint",
+ "addConditionalBreakpoint": "Add Conditional Breakpoint...",
+ "addLogPoint": "Add Logpoint...",
+ "debugIcon.breakpointForeground": "Icon color for breakpoints.",
+ "debugIcon.breakpointDisabledForeground": "Icon color for disabled breakpoints.",
+ "debugIcon.breakpointUnverifiedForeground": "Icon color for unverified breakpoints.",
+ "debugIcon.breakpointCurrentStackframeForeground": "Icon color for the current breakpoint stack frame.",
+ "debugIcon.breakpointStackframeForeground": "Icon color for all breakpoint stack frames."
+ },
+ "vs/workbench/contrib/debug/browser/debug.contribution": {
+ "toggleDebugViewlet": "Show Run and Debug",
+ "run": "Run",
+ "debugPanel": "Konsol Debug",
+ "variables": "Variables",
+ "watch": "Watch",
+ "callStack": "Call Stack",
+ "breakpoints": "Breakpoints",
+ "loadedScripts": "Loaded Scripts",
+ "view": "View",
+ "debugCategory": "Debug",
+ "runCategory": "Run",
+ "terminateThread": "Terminate Thread",
+ "debugFocusConsole": "Fokus pada Tampilan Konsol Debug",
+ "jumpToCursor": "Jump to Cursor",
+ "inlineBreakpoint": "Inline Breakpoint",
+ "startDebugPlaceholder": "Type the name of a launch configuration to run.",
+ "startDebuggingHelp": "Start Debugging",
+ "debugConfigurationTitle": "Debug",
+ "allowBreakpointsEverywhere": "Allow setting breakpoints in any file.",
+ "openExplorerOnEnd": "Automatically open the explorer view at the end of a debug session.",
+ "inlineValues": "Show variable values inline in editor while debugging.",
+ "toolBarLocation": "Controls the location of the debug toolbar. Either `floating` in all views, `docked` in the debug view, or `hidden`.",
+ "never": "Never show debug in status bar",
+ "always": "Always show debug in status bar",
+ "onFirstSessionStart": "Show debug in status bar only after debug was started for the first time",
+ "showInStatusBar": "Controls when the debug status bar should be visible.",
+ "debug.console.closeOnEnd": "Controls if the debug console should be automatically closed when the debug session ends.",
+ "openDebug": "Controls when the debug view should open.",
+ "enableAllHovers": "Controls whether the non-debug hovers should be enabled while debugging. When enabled the hover providers will be called to provide a hover. Regular hovers will not be shown even if this setting is enabled.",
+ "showSubSessionsInToolBar": "Controls whether the debug sub-sessions are shown in the debug tool bar. When this setting is false the stop command on a sub-session will also stop the parent session.",
+ "debug.console.fontSize": "Controls the font size in pixels in the debug console.",
+ "debug.console.fontFamily": "Controls the font family in the debug console.",
+ "debug.console.lineHeight": "Controls the line height in pixels in the debug console. Use 0 to compute the line height from the font size.",
+ "debug.console.wordWrap": "Controls if the lines should wrap in the debug console.",
+ "debug.console.historySuggestions": "Controls if the debug console should suggest previously typed input.",
+ "launch": "Global debug launch configuration. Should be used as an alternative to 'launch.json' that is shared across workspaces.",
+ "debug.focusWindowOnBreak": "Controls whether the workbench window should be focused when the debugger breaks.",
+ "debugAnyway": "Ignore task errors and start debugging.",
+ "showErrors": "Show the Problems view and do not start debugging.",
+ "prompt": "Prompt user.",
+ "cancel": "Cancel debugging.",
+ "debug.onTaskErrors": "Controls what to do when errors are encountered after running a preLaunchTask.",
+ "showBreakpointsInOverviewRuler": "Controls whether breakpoints should be shown in the overview ruler.",
+ "showInlineBreakpointCandidates": "Controls whether inline breakpoints candidate decorations should be shown in the editor while debugging.",
+ "stepBackDebug": "Step Back",
+ "reverseContinue": "Reverse",
+ "restartFrame": "Restart Frame",
+ "copyStackTrace": "Copy Call Stack",
+ "miViewRun": "&&Run",
+ "miToggleDebugConsole": "De&&bug Console",
+ "miStartDebugging": "&&Start Debugging",
+ "miRun": "Run &&Without Debugging",
+ "miStopDebugging": "&&Stop Debugging",
+ "miRestart Debugging": "&&Restart Debugging",
+ "miOpenConfigurations": "Open &&Configurations",
+ "miAddConfiguration": "A&&dd Configuration...",
+ "miStepOver": "Step &&Over",
+ "miStepInto": "Step &&Into",
+ "miStepOut": "Step O&&ut",
+ "miContinue": "&&Continue",
+ "miToggleBreakpoint": "Toggle &&Breakpoint",
+ "miConditionalBreakpoint": "&&Conditional Breakpoint...",
+ "miInlineBreakpoint": "Inline Breakp&&oint",
+ "miFunctionBreakpoint": "&&Function Breakpoint...",
+ "miLogPoint": "&&Logpoint...",
+ "miNewBreakpoint": "&&New Breakpoint",
+ "miEnableAllBreakpoints": "&&Enable All Breakpoints",
+ "miDisableAllBreakpoints": "Disable A&&ll Breakpoints",
+ "miRemoveAllBreakpoints": "Remove &&All Breakpoints",
+ "miInstallAdditionalDebuggers": "&&Install Additional Debuggers..."
+ },
+ "vs/workbench/contrib/debug/browser/repl": {
+ "replAriaLabel": "Read Eval Print Loop Panel",
+ "debugConsole": "Konsol Debug",
+ "copy": "Salin",
+ "copyAll": "Copy All",
+ "collapse": "Collapse All",
+ "startDebugFirst": "Please start a debug session to evaluate expressions",
+ "actions.repl.acceptInput": "REPL Accept Input",
+ "repl.action.filter": "REPL Focus Content to Filter",
+ "actions.repl.copyAll": "Debug: Console Copy All",
+ "selectRepl": "Select Debug Console",
+ "clearRepl": "Clear Console",
+ "debugConsoleCleared": "Debug console was cleared"
+ },
+ "vs/workbench/contrib/debug/browser/welcomeView": {
+ "run": "Run",
+ "openAFileWhichCanBeDebugged": "[Open a file](command:{0}) which can be debugged or run.",
+ "runAndDebugAction": "[Run and Debug{0}](command:{1})",
+ "customizeRunAndDebug": "To customize Run and Debug [create a launch.json file](command:{0}).",
+ "customizeRunAndDebugOpenFolder": "To customize Run and Debug, [open a folder](command:{0}) and create a launch.json file."
+ },
+ "vs/workbench/contrib/debug/browser/debugActionViewItems": {
+ "debugLaunchConfigurations": "Debug Launch Configurations",
+ "noConfigurations": "No Configurations",
+ "addConfigTo": "Add Config ({0})...",
+ "addConfiguration": "Add Configuration...",
+ "debugSession": "Debug Session"
+ },
+ "vs/workbench/contrib/debug/browser/exceptionWidget": {
+ "debugExceptionWidgetBorder": "Exception widget border color.",
+ "debugExceptionWidgetBackground": "Exception widget background color.",
+ "exceptionThrownWithId": "Exception has occurred: {0}",
+ "exceptionThrown": "Exception has occurred."
+ },
+ "vs/workbench/contrib/debug/browser/debugToolBar": {
+ "debugToolBarBackground": "Debug toolbar background color.",
+ "debugToolBarBorder": "Debug toolbar border color.",
+ "debugIcon.startForeground": "Debug toolbar icon for start debugging.",
+ "debugIcon.pauseForeground": "Debug toolbar icon for pause.",
+ "debugIcon.stopForeground": "Debug toolbar icon for stop.",
+ "debugIcon.disconnectForeground": "Debug toolbar icon for disconnect.",
+ "debugIcon.restartForeground": "Debug toolbar icon for restart.",
+ "debugIcon.stepOverForeground": "Debug toolbar icon for step over.",
+ "debugIcon.stepIntoForeground": "Debug toolbar icon for step into.",
+ "debugIcon.stepOutForeground": "Debug toolbar icon for step over.",
+ "debugIcon.continueForeground": "Debug toolbar icon for continue.",
+ "debugIcon.stepBackForeground": "Debug toolbar icon for step back."
+ },
+ "vs/workbench/contrib/debug/browser/statusbarColorProvider": {
+ "statusBarDebuggingBackground": "Status bar background color when a program is being debugged. The status bar is shown in the bottom of the window",
+ "statusBarDebuggingForeground": "Status bar foreground color when a program is being debugged. The status bar is shown in the bottom of the window",
+ "statusBarDebuggingBorder": "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/common/debugContentProvider": {
+ "unable": "Unable to resolve the resource without a debug session",
+ "canNotResolveSourceWithError": "Could not load source '{0}': {1}.",
+ "canNotResolveSource": "Could not load source '{0}'."
+ },
+ "vs/workbench/contrib/debug/browser/debugStatus": {
+ "status.debug": "Debug",
+ "selectAndStartDebug": "Select and start debug configuration"
+ },
+ "vs/workbench/contrib/debug/browser/debugQuickAccess": {
+ "customizeLaunchConfig": "Configure Launch Configuration",
+ "addConfigTo": "Add Config ({0})...",
+ "addConfiguration": "Add Configuration..."
+ },
+ "vs/workbench/contrib/debug/browser/debugHover": {
+ "treeAriaLabel": "Debug Hover",
+ "variableAriaLabel": "{0} value {1}, variables, debug"
+ },
+ "vs/workbench/contrib/debug/browser/debugActions": {
+ "openLaunchJson": "Open {0}",
+ "launchJsonNeedsConfigurtion": "Configure or Fix 'launch.json'",
+ "noFolderDebugConfig": "Please first open a folder in order to do advanced debug configuration.",
+ "selectWorkspaceFolder": "Select a workspace folder to create a launch.json file in",
+ "startDebug": "Start Debugging",
+ "startWithoutDebugging": "Start Without Debugging",
+ "selectAndStartDebugging": "Select and Start Debugging",
+ "removeBreakpoint": "Remove Breakpoint",
+ "removeAllBreakpoints": "Remove All Breakpoints",
+ "enableAllBreakpoints": "Enable All Breakpoints",
+ "disableAllBreakpoints": "Menonaktifkan semua Breakpoints",
+ "activateBreakpoints": "Activate Breakpoints",
+ "deactivateBreakpoints": "Deactivate Breakpoints",
+ "reapplyAllBreakpoints": "Reapply All Breakpoints",
+ "addFunctionBreakpoint": "Add Function Breakpoint",
+ "addWatchExpression": "Add Expression",
+ "removeAllWatchExpressions": "Remove All Expressions",
+ "focusSession": "Focus Session",
+ "copyValue": "Copy Value"
+ },
+ "vs/workbench/contrib/debug/browser/debugEditorActions": {
+ "toggleBreakpointAction": "Debug: Toggle Breakpoint",
+ "conditionalBreakpointEditorAction": "Debug: Add Conditional Breakpoint...",
+ "logPointEditorAction": "Debug: Add Logpoint...",
+ "runToCursor": "Run to Cursor",
+ "evaluateInDebugConsole": "Evaluate in Debug Console",
+ "addToWatch": "Add to Watch",
+ "showDebugHover": "Debug: Show Hover",
+ "goToNextBreakpoint": "Debug: Go To Next Breakpoint",
+ "goToPreviousBreakpoint": "Debug: Go To Previous Breakpoint"
+ },
+ "vs/workbench/contrib/debug/browser/linkDetector": {
+ "fileLinkMac": "Cmd + klik untuk mengikuti tautan",
+ "fileLink": "Ctrl + klik untuk mengikuti tautan"
+ },
+ "vs/workbench/contrib/debug/common/replModel": {
+ "consoleCleared": "Console was cleared",
+ "snapshotObj": "Only primitive values are shown for this object."
+ },
+ "vs/workbench/contrib/debug/browser/breakpointWidget": {
+ "breakpointWidgetLogMessagePlaceholder": "Message to log when breakpoint is hit. Expressions within {} are interpolated. 'Enter' to accept, 'esc' to cancel.",
+ "breakpointWidgetHitCountPlaceholder": "Break when hit count condition is met. 'Enter' to accept, 'esc' to cancel.",
+ "breakpointWidgetExpressionPlaceholder": "Break when expression evaluates to true. 'Enter' to accept, 'esc' to cancel.",
+ "expression": "Expression",
+ "hitCount": "Hit Count",
+ "logMessage": "Log Message",
+ "breakpointType": "Breakpoint Type"
+ },
+ "vs/workbench/contrib/debug/browser/watchExpressionsView": {
+ "watchAriaTreeLabel": "Debug Watch Expressions",
+ "editWatchExpression": "Edit Expression",
+ "removeWatchExpression": "Remove Expression",
+ "watchExpressionInputAriaLabel": "Type watch expression",
+ "watchExpressionPlaceholder": "Expression to watch",
+ "watchExpressionAriaLabel": "{0} value {1}, watch, debug",
+ "watchVariableAriaLabel": "{0} value {1}, watch, debug"
+ },
+ "vs/workbench/contrib/debug/browser/variablesView": {
+ "variablesAriaTreeLabel": "Debug Variables",
+ "setValue": "Set Value",
+ "copyAsExpression": "Copy as Expression",
+ "addToWatchExpressions": "Add to Watch",
+ "breakWhenValueChanges": "Break When Value Changes",
+ "variableValueAriaLabel": "Type new variable value",
+ "variableScopeAriaLabel": "Scope {0}, variables, debug",
+ "variableAriaLabel": "{0} value {1}, variables, debug"
+ },
+ "vs/workbench/contrib/debug/browser/replViewer": {
+ "stateCapture": "Object state is captured from first evaluation",
+ "replVariableAriaLabel": "Variable {0} has value {1}, read eval print loop, debug",
+ "replValueOutputAriaLabel": "{0}, read eval print loop, debug",
+ "replRawObjectAriaLabel": "Repl variable {0} has value {1}, read eval print loop, debug",
+ "replGroup": "Repl group {0}, read eval print loop, debug"
+ },
+ "vs/workbench/contrib/debug/node/debugAdapter": {
+ "debugAdapterBinNotFound": "Debug adapter executable '{0}' does not exist.",
+ "debugAdapterCannotDetermineExecutable": "Cannot determine executable for debug adapter '{0}'.",
+ "unableToLaunchDebugAdapter": "Unable to launch debug adapter from '{0}'.",
+ "unableToLaunchDebugAdapterNoArgs": "Unable to launch debug adapter."
+ },
+ "vs/workbench/contrib/debug/browser/loadedScriptsView": {
+ "loadedScriptsAriaLabel": "Debug Loaded Scripts",
+ "loadedScriptsSession": "Debug Session",
+ "loadedScriptsRootFolderAriaLabel": "Workspace folder {0}, loaded script, debug",
+ "loadedScriptsSessionAriaLabel": "Session {0}, loaded script, debug",
+ "loadedScriptsFolderAriaLabel": "Folder {0}, loaded script, debug",
+ "loadedScriptsSourceAriaLabel": "{0}, loaded script, debug"
+ },
+ "vs/workbench/contrib/debug/browser/debugCommands": {
+ "restartDebug": "Restart",
+ "stepOverDebug": "Step Over",
+ "stepIntoDebug": "Step Into",
+ "stepOutDebug": "Step Out",
+ "pauseDebug": "Pause",
+ "disconnect": "Disconnect",
+ "stop": "Stop",
+ "continueDebug": "Continue",
+ "chooseLocation": "Pilih lokasi tertentu",
+ "noExecutableCode": "Tidak ada kode yang dapat dieksekusi pada posisi kursor saat ini.",
+ "jumpToCursor": "Jump to Cursor",
+ "debug": "Debug",
+ "noFolderDebugConfig": "Please first open a folder in order to do advanced debug configuration.",
+ "addInlineBreakpoint": "Add Inline Breakpoint"
+ },
+ "vs/workbench/contrib/debug/browser/breakpointsView": {
+ "Logpoint": "Logpoint",
+ "Breakpoint": "Breakpoint",
+ "editBreakpoint": "Edit {0}...",
+ "removeBreakpoint": "Remove {0}",
+ "functionBreakpointsNotSupported": "Function breakpoints are not supported by this debug type",
+ "dataBreakpointsNotSupported": "Data breakpoints are not supported by this debug type",
+ "functionBreakpointPlaceholder": "Function to break on",
+ "functionBreakPointInputAriaLabel": "Type function breakpoint",
+ "disabledLogpoint": "Disabled Logpoint",
+ "disabledBreakpoint": "Disabled Breakpoint",
+ "unverifiedLogpoint": "Unverified Logpoint",
+ "unverifiedBreakopint": "Unverified Breakpoint",
+ "functionBreakpointUnsupported": "Function breakpoints not supported by this debug type",
+ "functionBreakpoint": "Breakpoint Fungsi",
+ "dataBreakpointUnsupported": "Data breakpoints not supported by this debug type",
+ "dataBreakpoint": "Data Breakpoint",
+ "breakpointUnsupported": "Breakpoints of this type are not supported by the debugger",
+ "logMessage": "Log Message: {0}",
+ "expression": "Expression: {0}",
+ "hitCount": "Hit Count: {0}",
+ "breakpoint": "Breakpoint"
+ },
+ "vs/workbench/contrib/debug/common/debugSource": {
+ "unknownSource": "Sumber Tidak Diketahui"
+ },
+ "vs/workbench/contrib/debug/browser/callStackView": {
+ "debugStopped": "Paused on {0}",
+ "callStackAriaLabel": "Debug Call Stack",
+ "showMoreStackFrames2": "Show More Stack Frames",
+ "session": "Session",
+ "running": "Running",
+ "thread": "Thread",
+ "restartFrame": "Restart Frame",
+ "loadMoreStackFrames": "Load More Stack Frames",
+ "showMoreAndOrigin": "Show {0} More: {1}",
+ "showMoreStackFrames": "Tampilkan lagi {0} Frame Stack",
+ "threadAriaLabel": "Thread {0}, callstack, debug",
+ "stackFrameAriaLabel": "Stack Frame {0} line {1} {2}, callstack, debug",
+ "sessionLabel": "Debug Session {0}"
+ },
+ "vs/workbench/contrib/debug/browser/debugService": {
+ "1activeSession": "1 active session",
+ "nActiveSessions": "{0} active sessions",
+ "configurationAlreadyRunning": "There is already a debug configuration \"{0}\" running.",
+ "compoundMustHaveConfigurations": "Compound must have \"configurations\" attribute set in order to start multiple configurations.",
+ "noConfigurationNameInWorkspace": "Could not find launch configuration '{0}' in the workspace.",
+ "multipleConfigurationNamesInWorkspace": "There are multiple launch configurations '{0}' in the workspace. Use folder name to qualify the configuration.",
+ "noFolderWithName": "Can not find folder with name '{0}' for configuration '{1}' in compound '{2}'.",
+ "configMissing": "Configuration '{0}' is missing in 'launch.json'.",
+ "launchJsonDoesNotExist": "'launch.json' does not exist.",
+ "debugRequestNotSupported": "Attribute '{0}' has an unsupported value '{1}' in the chosen debug configuration.",
+ "debugRequesMissing": "Attribute '{0}' is missing from the chosen debug configuration.",
+ "debugTypeNotSupported": "Configured debug type '{0}' is not supported.",
+ "debugTypeMissing": "Missing property 'type' for the chosen launch configuration.",
+ "noFolderWorkspaceDebugError": "The active file can not be debugged. Make sure it is saved and that you have a debug extension installed for that file type.",
+ "debugAdapterCrash": "Debug adapter process has terminated unexpectedly ({0})",
+ "cancel": "Batal",
+ "debuggingPaused": "Debugging paused {0}, {1} {2} {3}",
+ "breakpointAdded": "Added breakpoint, line {0}, file {1}",
+ "breakpointRemoved": "Removed breakpoint, line {0}, file {1}"
+ },
+ "vs/workbench/contrib/debug/common/debugModel": {
+ "invalidVariableAttributes": "Invalid variable attributes",
+ "startDebugFirst": "Please start a debug session to evaluate expressions",
+ "notAvailable": "not available",
+ "pausedOn": "Paused on {0}",
+ "paused": "Paused",
+ "running": "Running",
+ "breakpointDirtydHover": "Unverified breakpoint. File is modified, please restart debug session."
+ },
+ "vs/workbench/contrib/debug/browser/debugTaskRunner": {
+ "preLaunchTaskErrors": "Errors exist after running preLaunchTask '{0}'.",
+ "preLaunchTaskError": "Error exists after running preLaunchTask '{0}'.",
+ "preLaunchTaskExitCode": "The preLaunchTask '{0}' terminated with exit code {1}.",
+ "preLaunchTaskTerminated": "The preLaunchTask '{0}' terminated.",
+ "debugAnyway": "Debug Anyway",
+ "showErrors": "Show Errors",
+ "abort": "Abort",
+ "remember": "Remember my choice in user settings",
+ "invalidTaskReference": "Task '{0}' can not be referenced from a launch configuration that is in a different workspace folder.",
+ "DebugTaskNotFoundWithTaskId": "Could not find the task '{0}'.",
+ "DebugTaskNotFound": "Could not find the specified task.",
+ "taskNotTrackedWithTaskId": "The specified task cannot be tracked.",
+ "taskNotTracked": "The task '{0}' cannot be tracked."
+ },
+ "vs/workbench/contrib/debug/browser/debugConfigurationManager": {
+ "debugNoType": "Debugger 'type' can not be omitted and must be of type 'string'.",
+ "more": "More...",
+ "selectDebug": "Select Environment",
+ "DebugConfig.failed": "Unable to create 'launch.json' file inside the '.vscode' folder ({0}).",
+ "workspace": "workspace",
+ "user settings": "Pengaturan Pengguna"
+ },
+ "vs/workbench/contrib/debug/browser/debugSession": {
+ "noDebugAdapter": "No debug adapter, can not send '{0}'",
+ "sessionNotReadyForBreakpoints": "Session is not ready for breakpoints",
+ "debuggingStarted": "Debugging started.",
+ "debuggingStopped": "Debugging stopped."
+ },
+ "vs/workbench/contrib/debug/common/debugger": {
+ "cannot.find.da": "Cannot find debug adapter for type '{0}'.",
+ "launch.config.comment1": "Gunakan IntelliSense untuk mempelajari atribut yang memungkinkan.",
+ "launch.config.comment2": "Hover to view descriptions of existing attributes.",
+ "launch.config.comment3": "For more information, visit: {0}",
+ "debugType": "Type of configuration.",
+ "debugTypeNotRecognised": "The debug type is not recognized. Make sure that you have a corresponding debug extension installed and that it is enabled.",
+ "node2NotSupported": "\"node2\" is no longer supported, use \"node\" instead and set the \"protocol\" attribute to \"inspector\".",
+ "debugName": "Name of configuration; appears in the launch configuration dropdown menu.",
+ "debugRequest": "Request type of configuration. Can be \"launch\" or \"attach\".",
+ "debugServer": "For debug extension development only: if a port is specified VS Code tries to connect to a debug adapter running in server mode",
+ "debugPrelaunchTask": "Task to run before debug session starts.",
+ "debugPostDebugTask": "Task to run after debug session ends.",
+ "debugWindowsConfiguration": "Windows specific launch configuration attributes.",
+ "debugOSXConfiguration": "OS X specific launch configuration attributes.",
+ "debugLinuxConfiguration": "Linux specific launch configuration attributes."
+ },
+ "vs/workbench/contrib/debug/browser/rawDebugSession": {
+ "noDebugAdapterStart": "No debug adapter, can not start debug session.",
+ "noDebugAdapter": "No debug adapter found. Can not send '{0}'.",
+ "moreInfo": "More Info"
+ },
+ "vs/workbench/contrib/debug/common/debugSchemas": {
+ "vscode.extension.contributes.debuggers": "Contributes debug adapters.",
+ "vscode.extension.contributes.debuggers.type": "Unique identifier for this debug adapter.",
+ "vscode.extension.contributes.debuggers.label": "Display name for this debug adapter.",
+ "vscode.extension.contributes.debuggers.program": "Path to the debug adapter program. Path is either absolute or relative to the extension folder.",
+ "vscode.extension.contributes.debuggers.args": "Optional arguments to pass to the adapter.",
+ "vscode.extension.contributes.debuggers.runtime": "Optional runtime in case the program attribute is not an executable but requires a runtime.",
+ "vscode.extension.contributes.debuggers.runtimeArgs": "Optional runtime arguments.",
+ "vscode.extension.contributes.debuggers.variables": "Mapping from interactive variables (e.g. ${action.pickProcess}) in `launch.json` to a command.",
+ "vscode.extension.contributes.debuggers.initialConfigurations": "Configurations for generating the initial 'launch.json'.",
+ "vscode.extension.contributes.debuggers.languages": "List of languages for which the debug extension could be considered the \"default debugger\".",
+ "vscode.extension.contributes.debuggers.configurationSnippets": "Snippets for adding new configurations in 'launch.json'.",
+ "vscode.extension.contributes.debuggers.configurationAttributes": "JSON schema configurations for validating 'launch.json'.",
+ "vscode.extension.contributes.debuggers.windows": "Windows specific settings.",
+ "vscode.extension.contributes.debuggers.windows.runtime": "Runtime used for Windows.",
+ "vscode.extension.contributes.debuggers.osx": "macOS specific settings.",
+ "vscode.extension.contributes.debuggers.osx.runtime": "Runtime used for macOS.",
+ "vscode.extension.contributes.debuggers.linux": "Linux specific settings.",
+ "vscode.extension.contributes.debuggers.linux.runtime": "Runtime used for Linux.",
+ "vscode.extension.contributes.breakpoints": "Contributes breakpoints.",
+ "vscode.extension.contributes.breakpoints.language": "Allow breakpoints for this language.",
+ "presentation": "Presentation options on how to show this configuration in the debug configuration dropdown and the command palette.",
+ "presentation.hidden": "Controls if this configuration should be shown in the configuration dropdown and the command palette.",
+ "presentation.group": "Group that this configuration belongs to. Used for grouping and sorting in the configuration dropdown and the command palette.",
+ "presentation.order": "Order of this configuration within a group. Used for grouping and sorting in the configuration dropdown and the command palette.",
+ "app.launch.json.title": "Launch",
+ "app.launch.json.version": "Version of this file format.",
+ "app.launch.json.configurations": "Daftar konfigurasi. Tambahkan konfigurasi baru atau sunting yang sudah ada dengan menggunakan IntelliSense.",
+ "app.launch.json.compounds": "List of compounds. Each compound references multiple configurations which will get launched together.",
+ "app.launch.json.compound.name": "Name of compound. Appears in the launch configuration drop down menu.",
+ "useUniqueNames": "Please use unique configuration names.",
+ "app.launch.json.compound.folder": "Name of folder in which the compound is located.",
+ "app.launch.json.compounds.configurations": "Names of configurations that will be started as part of this compound.",
+ "compoundPrelaunchTask": "Task to run before any of the compound configurations start."
+ },
+ "vs/workbench/contrib/emmet/browser/actions/showEmmetCommands": {
+ "showEmmetCommands": "Tampilkan Perintah Emmet",
+ "miShowEmmetCommands": "E&&mmet..."
+ },
+ "vs/workbench/contrib/emmet/browser/actions/expandAbbreviation": {
+ "expandAbbreviationAction": "Emmet: Perjelas Singkatan",
+ "miEmmetExpandAbbreviation": "Emmet: E&&xpand Abbreviation"
+ },
+ "vs/workbench/contrib/experiments/browser/experiments.contribution": {
+ "workbench.enableExperiments": "Fetches experiments to run from a Microsoft online service."
+ },
+ "vs/workbench/contrib/extensions/electron-browser/extensions.contribution": {
+ "runtimeExtension": "Running Extensions"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/runtimeExtensionsInput": {
+ "extensionsInputName": "Running Extensions"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/extensionsActions": {
+ "openExtensionsFolder": "Open Extensions Folder"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/extensionProfileService": {
+ "profilingExtensionHost": "Pembuatan profil host ekstensi",
+ "selectAndStartDebug": "Click to stop profiling.",
+ "profilingExtensionHostTime": "Profiling Extension Host ({0} sec)",
+ "status.profiler": "Extension Profiler",
+ "restart1": "Profile Extensions",
+ "restart2": "In order to profile extensions a restart is required. Do you want to restart '{0}' now?",
+ "restart3": "Restart",
+ "cancel": "Batal"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/extensionsAutoProfiler": {
+ "unresponsive-exthost": "The extension '{0}' took a very long time to complete its last operation and it has prevented other extensions from running.",
+ "show": "Show Extensions"
+ },
+ "vs/workbench/contrib/extensions/browser/extensions.contribution": {
+ "extension": "Extension",
+ "extensions": "Ekstensi",
+ "view": "View",
+ "extensionsConfigurationTitle": "Ekstensi",
+ "extensionsAutoUpdate": "When enabled, automatically installs updates for extensions. The updates are fetched from a Microsoft online service.",
+ "extensionsCheckUpdates": "When enabled, automatically checks extensions for updates. If an extension has an update, it is marked as outdated in the Extensions view. The updates are fetched from a Microsoft online service.",
+ "extensionsIgnoreRecommendations": "When enabled, the notifications for extension recommendations will not be shown.",
+ "extensionsShowRecommendationsOnlyOnDemand": "When enabled, recommendations will not be fetched or shown unless specifically requested by the user. Some recommendations are fetched from a Microsoft online service.",
+ "extensionsCloseExtensionDetailsOnViewChange": "When enabled, editors with extension details will be automatically closed upon navigating away from the Extensions View.",
+ "handleUriConfirmedExtensions": "When an extension is listed here, a confirmation prompt will not be shown when that extension handles a URI.",
+ "notFound": "Ekstensi '{0}' tidak ditemukan.",
+ "workbench.extensions.uninstallExtension.description": "Uninstall the given extension",
+ "workbench.extensions.uninstallExtension.arg.name": "Id of the extension to uninstall",
+ "id required": "Extension id required.",
+ "notInstalled": "Extension '{0}' is not installed. Make sure you use the full extension ID, including the publisher, e.g.: ms-vscode.csharp.",
+ "workbench.extensions.search.description": "Search for a specific extension",
+ "workbench.extensions.search.arg.name": "Query to use in search",
+ "miOpenKeymapExtensions": "&&Keymaps",
+ "miOpenKeymapExtensions2": "Keymaps",
+ "miPreferencesExtensions": "&&Extensions",
+ "miViewExtensions": "E&&xtensions",
+ "showExtensions": "Ekstensi",
+ "extensionInfoName": "Name: {0}",
+ "extensionInfoId": "Id: {0}",
+ "extensionInfoDescription": "Description: {0}",
+ "extensionInfoVersion": "Version: {0}",
+ "extensionInfoPublisher": "Publisher: {0}",
+ "extensionInfoVSMarketplaceLink": "VS Marketplace Link: {0}",
+ "workbench.extensions.action.configure": "Extension Settings",
+ "workbench.extensions.action.toggleIgnoreExtension": "Sync This Extension"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/runtimeExtensionsEditor": {
+ "workspaceContainsGlobActivation": "Activated by {1} because a file matching {1} exists in your workspace",
+ "workspaceContainsFileActivation": "Activated because file {0} exists in your workspace",
+ "workspaceContainsTimeout": "Activated because searching for {0} took too long",
+ "languageActivation": "Activated by {1} because you opened a {0} file",
+ "workspaceGenericActivation": "Activated by {1} on {0}",
+ "unresponsive.title": "Extension has caused the extension host to freeze.",
+ "errors": "{0} uncaught errors",
+ "disable workspace": "Disable (Workspace)",
+ "disable": "Disable",
+ "showRuntimeExtensions": "Show Running Extensions",
+ "reportExtensionIssue": "Laporkan masalah",
+ "debugExtensionHost": "Start Debugging Extension Host",
+ "restart1": "Profile Extensions",
+ "restart2": "In order to profile extensions a restart is required. Do you want to restart '{0}' now?",
+ "restart3": "Restart",
+ "cancel": "Batal",
+ "debugExtensionHost.launch.name": "Attach Extension Host",
+ "extensionHostProfileStart": "Start Extension Host Profile",
+ "stopExtensionHostProfileStart": "Stop Extension Host Profile",
+ "saveExtensionHostProfile": "Save Extension Host Profile"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsViewlet": {
+ "marketPlace": "Marketplace",
+ "enabledExtensions": "Enabled",
+ "disabledExtensions": "Disabled",
+ "popularExtensions": "Popular",
+ "recommendedExtensions": "Recommended",
+ "otherRecommendedExtensions": "Other Recommendations",
+ "workspaceRecommendedExtensions": "Workspace Recommendations",
+ "builtInExtensions": "Features",
+ "builtInThemesExtensions": "Themes",
+ "builtInBasicsExtensions": "Programming Languages",
+ "installed": "Terpasang",
+ "searchExtensions": "Search Extensions in Marketplace",
+ "sort by installs": "Sort By: Install Count",
+ "sort by rating": "Sort By: Rating",
+ "sort by name": "Sort By: Name",
+ "extensionFoundInSection": "1 extension found in the {0} section.",
+ "extensionFound": "1 extension found.",
+ "extensionsFoundInSection": "{0} extensions found in the {1} section.",
+ "extensionsFound": "{0} extensions found.",
+ "suggestProxyError": "Marketplace returned 'ECONNREFUSED'. Please check the 'http.proxy' setting.",
+ "open user settings": "Open User Settings",
+ "outdatedExtensions": "{0} Outdated Extensions",
+ "malicious warning": "We have uninstalled '{0}' which was reported to be problematic.",
+ "reloadNow": "Reload Now"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/extensionsSlowActions": {
+ "cmd.reportOrShow": "Performance Issue",
+ "cmd.report": "Laporkan masalah",
+ "attach.title": "Did you attach the CPU-Profile?",
+ "ok": "OK",
+ "attach.msg": "This is a reminder to make sure that you have not forgotten to attach '{0}' to the issue you have just created.",
+ "cmd.show": "Show Issues",
+ "attach.msg2": "This is a reminder to make sure that you have not forgotten to attach '{0}' to an existing performance issue."
+ },
+ "vs/workbench/contrib/extensions/common/extensionsFileTemplate": {
+ "app.extensions.json.title": "Ekstensi",
+ "app.extensions.json.recommendations": "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'.",
+ "app.extension.identifier.errorMessage": "Expected format '${publisher}.${name}'. Example: 'vscode.csharp'.",
+ "app.extensions.json.unwantedRecommendations": "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'."
+ },
+ "vs/workbench/contrib/extensions/browser/remoteExtensionsInstaller": {},
+ "vs/workbench/contrib/extensions/common/extensionsInput": {
+ "extensionsInputName": "Extension: {0}"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsQuickAccess": {
+ "searchFor": "Press Enter to search for extension '{0}'.",
+ "install": "Press Enter to install extension '{0}'.",
+ "manage": "Press Enter to manage your extensions."
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsDependencyChecker": {
+ "extensions": "Ekstensi",
+ "reload": "Reload Window"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsActivationProgress": {
+ "activation": "Activating Extensions..."
+ },
+ "vs/workbench/contrib/extensions/common/extensionsUtils": {
+ "disableOtherKeymapsConfirmation": "Disable other keymaps ({0}) to avoid conflicts between keybindings?",
+ "yes": "Ya",
+ "no": "Tidak"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsWorkbenchService": {
+ "Manifest is not found": "Manifest is not found",
+ "malicious": "This extension is reported to be problematic.",
+ "uninstallingExtension": "Uninstalling extension....",
+ "incompatible": "Unable to install extension '{0}' as it is not compatible with VS Code '{1}'.",
+ "installing named extension": "Installing '{0}' extension....",
+ "installing extension": "Installing extension....",
+ "singleDependentError": "Cannot disable extension '{0}'. Extension '{1}' depends on this.",
+ "twoDependentsError": "Cannot disable extension '{0}'. Extensions '{1}' and '{2}' depend on this.",
+ "multipleDependentsError": "Cannot disable extension '{0}'. Extensions '{1}', '{2}' and others depend on this."
+ },
+ "vs/workbench/contrib/extensions/browser/extensionEditor": {
+ "name": "Extension name",
+ "extension id": "Extension identifier",
+ "preview": "Preview",
+ "builtin": "Built-in",
+ "publisher": "Publisher name",
+ "install count": "Install count",
+ "rating": "Rating",
+ "repository": "Repository",
+ "license": "License",
+ "details": "Details",
+ "detailstooltip": "Extension details, rendered from the extension's 'README.md' file",
+ "contributions": "Contributions",
+ "contributionstooltip": "Lists contributions to VS Code by this extension",
+ "changelog": "Changelog",
+ "changelogtooltip": "Extension update history, rendered from the extension's 'CHANGELOG.md' file",
+ "dependencies": "Dependencies",
+ "dependenciestooltip": "Lists extensions this extension depends on",
+ "recommendationHasBeenIgnored": "You have chosen not to receive recommendations for this extension.",
+ "noReadme": "No README available.",
+ "noChangelog": "No Changelog available.",
+ "noContributions": "No Contributions",
+ "noDependencies": "No Dependencies",
+ "settings": "Settings ({0})",
+ "setting name": "Name",
+ "description": "Description",
+ "default": "Default",
+ "debuggers": "Debuggers ({0})",
+ "debugger name": "Name",
+ "debugger type": "Type",
+ "viewContainers": "View Containers ({0})",
+ "view container id": "ID",
+ "view container title": "Title",
+ "view container location": "Where",
+ "views": "Views ({0})",
+ "view id": "ID",
+ "view name": "Name",
+ "view location": "Dimana",
+ "localizations": "Localizations ({0})",
+ "localizations language id": "Language Id",
+ "localizations language name": "Language Name",
+ "localizations localized language name": "Language Name (Localized)",
+ "codeActions": "Code Actions ({0})",
+ "codeActions.title": "Title",
+ "codeActions.kind": "Kind",
+ "codeActions.description": "Description",
+ "codeActions.languages": "Languages",
+ "colorThemes": "Color Themes ({0})",
+ "iconThemes": "Icon Themes ({0})",
+ "colors": "Colors ({0})",
+ "colorId": "Id",
+ "defaultDark": "Dark Default",
+ "defaultLight": "Light Default",
+ "defaultHC": "High Contrast Default",
+ "JSON Validation": "JSON Validation ({0})",
+ "fileMatch": "File Match",
+ "schema": "Schema",
+ "commands": "Commands ({0})",
+ "command name": "Name",
+ "keyboard shortcuts": "Keyboard Shortcuts",
+ "menuContexts": "Menu konteks",
+ "languages": "Languages ({0})",
+ "language id": "ID",
+ "language name": "Name",
+ "file extensions": "File Extensions",
+ "grammar": "Grammar",
+ "snippets": "Snippets",
+ "find": "Temukan",
+ "find next": "Cari berikutnya",
+ "find previous": "Cari sebelumnya"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionTipsService": {
+ "neverShowAgain": "Jangan Tampilkan Lagi",
+ "searchMarketplace": "Search Marketplace",
+ "dynamicWorkspaceRecommendation": "This extension may interest you because it's popular among users of the {0} repository.",
+ "exeBasedRecommendation": "This extension is recommended because you have {0} installed.",
+ "fileBasedRecommendation": "This extension is recommended based on the files you recently opened.",
+ "workspaceRecommendation": "This extension is recommended by users of the current workspace.",
+ "workspaceRecommended": "This workspace has extension recommendations.",
+ "installAll": "Install All",
+ "showRecommendations": "Show Recommendations",
+ "exeRecommended": "The '{0}' extension is recommended as you have {1} installed on your system.",
+ "install": "Pasang",
+ "ignoreExtensionRecommendations": "Do you want to ignore all extension recommendations?",
+ "ignoreAll": "Yes, Ignore All",
+ "no": "Tidak",
+ "reallyRecommended2": "The '{0}' extension is recommended for this file type.",
+ "reallyRecommendedExtensionPack": "The '{0}' extension pack is recommended for this file type.",
+ "showLanguageExtensions": "The Marketplace has extensions that can help with '.{0}' files",
+ "dontShowAgainExtension": "Don't Show Again for '.{0}' files"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsViews": {
+ "extensions": "Ekstensi",
+ "galleryError": "We cannot connect to the Extensions Marketplace at this time, please try again later.",
+ "error": "Error while loading extensions. {0}",
+ "no extensions found": "No extensions found.",
+ "suggestProxyError": "Marketplace returned 'ECONNREFUSED'. Please check the 'http.proxy' setting.",
+ "open user settings": "Open User Settings"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsViewer": {
+ "error": "Kesalahan",
+ "Unknown Extension": "Unknown Extension:"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsWidgets": {
+ "ratedBySingleUser": "Rated by 1 user",
+ "ratedByUsers": "Rated by {0} users",
+ "noRating": "No rating",
+ "extension-arialabel": "{0}. Press enter for extension details.",
+ "viewExtensionDetailsAria": "{0}. Press enter for extension details.",
+ "remote extension title": "Extension in {0}"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsActions": {
+ "download": "Download Manually",
+ "install vsix": "Once downloaded, please manually install the downloaded VSIX of '{0}'.",
+ "noOfYearsAgo": "{0} years ago",
+ "one year ago": "1 year ago",
+ "noOfMonthsAgo": "{0} months ago",
+ "one month ago": "1 month ago",
+ "noOfDaysAgo": "{0} days ago",
+ "one day ago": "1 day ago",
+ "noOfHoursAgo": "{0} hours ago",
+ "one hour ago": "1 hour ago",
+ "just now": "Just now",
+ "install": "Pasang",
+ "installing": "Sedang memasang",
+ "installExtensionStart": "Installing extension {0} started. An editor is now open with more details on this extension",
+ "installExtensionComplete": "Installing extension {0} is completed. Please reload Visual Studio Code to enable it.",
+ "failedToInstall": "Failed to install '{0}'.",
+ "install locally": "Install Locally",
+ "uninstallAction": "Melepas",
+ "Uninstalling": "Uninstalling",
+ "uninstallExtensionStart": "Uninstalling extension {0} started.",
+ "uninstallExtensionComplete": "Please reload Visual Studio Code to complete the uninstallation of the extension {0}.",
+ "updateExtensionStart": "Updating extension {0} to version {1} started.",
+ "updateExtensionComplete": "Updating extension {0} to version {1} completed.",
+ "failedToUpdate": "Failed to update '{0}'.",
+ "updateTo": "Update to {0}",
+ "updateAction": "Pembaruan",
+ "manage": "Manage",
+ "ManageExtensionAction.uninstallingTooltip": "Uninstalling",
+ "install another version": "Install Another Version...",
+ "selectVersion": "Select Version to Install",
+ "current": "Current",
+ "enableForWorkspaceAction": "Enable (Workspace)",
+ "enableGloballyAction": "Enable",
+ "disableForWorkspaceAction": "Disable (Workspace)",
+ "disableGloballyAction": "Disable",
+ "enableAction": "Enable",
+ "disableAction": "Disable",
+ "checkForUpdates": "Check for Extension Updates",
+ "noUpdatesAvailable": "All Extensions are up to date.",
+ "ok": "OK",
+ "singleUpdateAvailable": "An extension update is available.",
+ "updatesAvailable": "{0} extension updates are available.",
+ "singleDisabledUpdateAvailable": "An update to an extension which is disabled is available.",
+ "updatesAvailableOneDisabled": "{0} extension updates are available. One of them is for a disabled extension.",
+ "updatesAvailableAllDisabled": "{0} extension updates are available. All of them are for disabled extensions.",
+ "updatesAvailableIncludingDisabled": "{0} extension updates are available. {1} of them are for disabled extensions.",
+ "enableAutoUpdate": "Mengaktifkan Pembaruan Ekstensi secara Otomatis",
+ "disableAutoUpdate": "Disable Auto Updating Extensions",
+ "updateAll": "Update All Extensions",
+ "reloadAction": "Reload",
+ "reloadRequired": "Reload Required",
+ "postUninstallTooltip": "Please reload Visual Studio Code to complete the uninstallation of this extension.",
+ "color theme": "Set Color Theme",
+ "select color theme": "Select Color Theme",
+ "file icon theme": "Set File Icon Theme",
+ "select file icon theme": "Select File Icon Theme",
+ "product icon theme": "Set Product Icon Theme",
+ "select product icon theme": "Select Product Icon Theme",
+ "toggleExtensionsViewlet": "Show Extensions",
+ "installExtensions": "Install Extensions",
+ "showEnabledExtensions": "Show Enabled Extensions",
+ "showInstalledExtensions": "Show Installed Extensions",
+ "showDisabledExtensions": "Show Disabled Extensions",
+ "clearExtensionsInput": "Clear Extensions Input",
+ "showBuiltInExtensions": "Show Built-in Extensions",
+ "showOutdatedExtensions": "Show Outdated Extensions",
+ "showPopularExtensions": "Show Popular Extensions",
+ "showRecommendedExtensions": "Show Recommended Extensions",
+ "installWorkspaceRecommendedExtensions": "Install All Workspace Recommended Extensions",
+ "installRecommendedExtension": "Install Recommended Extension",
+ "ignoreExtensionRecommendation": "Do not recommend this extension again",
+ "undo": "Undo",
+ "showRecommendedKeymapExtensionsShort": "Keymaps",
+ "showLanguageExtensionsShort": "Language Extensions",
+ "showAzureExtensionsShort": "Azure Extensions",
+ "extensions": "Ekstensi",
+ "OpenExtensionsFile.failed": "Unable to create 'extensions.json' file inside the '.vscode' folder ({0}).",
+ "configureWorkspaceRecommendedExtensions": "Configure Recommended Extensions (Workspace)",
+ "configureWorkspaceFolderRecommendedExtensions": "Configure Recommended Extensions (Workspace Folder)",
+ "addToWorkspaceFolderRecommendations": "Tambahkan ke ekstensi yang direkomendasikan (Folder Workspace)",
+ "addToWorkspaceFolderIgnoredRecommendations": "Ignore Recommended Extension (Workspace Folder)",
+ "AddToWorkspaceFolderRecommendations.noWorkspace": "There are no workspace folders open to add recommendations.",
+ "AddToWorkspaceFolderRecommendations.alreadyExists": "This extension is already present in this workspace folder's recommendations.",
+ "AddToWorkspaceFolderRecommendations.success": "Ekstensi telah berhasil ditambahkan ke folder rekomendasi area kerja ini.",
+ "viewChanges": "View Changes",
+ "AddToWorkspaceFolderRecommendations.failure": "Failed to write to extensions.json. {0}",
+ "AddToWorkspaceFolderIgnoredRecommendations.alreadyExists": "This extension is already present in this workspace folder's unwanted recommendations.",
+ "AddToWorkspaceFolderIgnoredRecommendations.success": "The extension was successfully added to this workspace folder's unwanted recommendations.",
+ "addToWorkspaceRecommendations": "Add to Recommended Extensions (Workspace)",
+ "addToWorkspaceIgnoredRecommendations": "Ignore Recommended Extension (Workspace)",
+ "AddToWorkspaceRecommendations.alreadyExists": "This extension is already present in workspace recommendations.",
+ "AddToWorkspaceRecommendations.success": "The extension was successfully added to this workspace's recommendations.",
+ "AddToWorkspaceRecommendations.failure": "Failed to write. {0}",
+ "AddToWorkspaceUnwantedRecommendations.alreadyExists": "This extension is already present in workspace unwanted recommendations.",
+ "AddToWorkspaceUnwantedRecommendations.success": "The extension was successfully added to this workspace's unwanted recommendations.",
+ "updated": "Updated",
+ "installed": "Terpasang",
+ "uninstalled": "Uninstalled",
+ "enabled": "Enabled",
+ "disabled": "Disabled",
+ "malicious tooltip": "This extension was reported to be problematic.",
+ "malicious": "Malicious",
+ "syncingore.label": "This extension is ignored during sync.",
+ "extension enabled on remote": "Extension is enabled on '{0}'",
+ "disabled because of extension kind": "This extension has defined that it cannot run on the remote server",
+ "disableAll": "Disable All Installed Extensions",
+ "disableAllWorkspace": "Disable All Installed Extensions for this Workspace",
+ "enableAll": "Enable All Extensions",
+ "enableAllWorkspace": "Enable All Extensions for this Workspace",
+ "installVSIX": "Memasang dari VSIX...",
+ "installFromVSIX": "Memasang dari VSIX",
+ "installButton": "&&Install",
+ "InstallVSIXAction.successReload": "Please reload Visual Studio Code to complete installing the extension {0}.",
+ "InstallVSIXAction.success": "Completed installing the extension {0}.",
+ "InstallVSIXAction.reloadNow": "Reload Now",
+ "reinstall": "Reinstall Extension...",
+ "selectExtensionToReinstall": "Select Extension to Reinstall",
+ "ReinstallAction.successReload": "Please reload Visual Studio Code to complete reinstalling the extension {0}.",
+ "ReinstallAction.success": "Reinstalling the extension {0} is completed.",
+ "install previous version": "Install Specific Version of Extension...",
+ "selectExtension": "Select Extension",
+ "InstallAnotherVersionExtensionAction.successReload": "Please reload Visual Studio Code to complete installing the extension {0}.",
+ "InstallAnotherVersionExtensionAction.success": "Installing the extension {0} is completed.",
+ "InstallAnotherVersionExtensionAction.reloadNow": "Reload Now",
+ "select extensions to install": "Select extensions to install",
+ "no local extensions": "There are no extensions to install.",
+ "installing extensions": "Installing Extensions...",
+ "reload": "Reload Window",
+ "extensionButtonProminentBackground": "Button background color for actions extension that stand out (e.g. install button).",
+ "extensionButtonProminentForeground": "Button foreground color for actions extension that stand out (e.g. install button).",
+ "extensionButtonProminentHoverBackground": "Button background hover color for actions extension that stand out (e.g. install button)."
+ },
+ "vs/workbench/contrib/externalTerminal/node/externalTerminalService": {
+ "console.title": "VS Code Console",
+ "mac.terminal.script.failed": "Script '{0}' failed with exit code {1}",
+ "mac.terminal.type.not.supported": "'{0}' not supported",
+ "press.any.key": "Press any key to continue...",
+ "linux.term.failed": "'{0}' failed with exit code {1}",
+ "ext.term.app.not.found": "can't find terminal application '{0}'",
+ "terminalConfigurationTitle": "External Terminal",
+ "terminal.explorerKind.integrated": "Use VS Code's integrated terminal.",
+ "terminal.explorerKind.external": "Use the configured external terminal.",
+ "explorer.openInTerminalKind": "Customizes what kind of terminal to launch.",
+ "terminal.external.windowsExec": "Customizes which terminal to run on Windows.",
+ "terminal.external.osxExec": "Customizes which terminal application to run on macOS.",
+ "terminal.external.linuxExec": "Customizes which terminal to run on Linux."
+ },
+ "vs/workbench/contrib/externalTerminal/browser/externalTerminal.contribution": {
+ "globalConsoleAction": "Open New External Terminal",
+ "scopedConsoleAction": "Open in Terminal"
+ },
+ "vs/workbench/contrib/feedback/browser/feedbackStatusbarItem": {
+ "status.feedback": "Tweet Feedback",
+ "help": "Help"
+ },
+ "vs/workbench/contrib/feedback/browser/feedback": {
+ "sendFeedback": "Tweet Feedback",
+ "label.sendASmile": "Tweet us your feedback.",
+ "close": "Tutup",
+ "patchedVersion1": "Your installation is corrupt.",
+ "patchedVersion2": "Please specify this if you submit a bug.",
+ "sentiment": "How was your experience?",
+ "smileCaption": "Happy Feedback Sentiment",
+ "frownCaption": "Sad Feedback Sentiment",
+ "other ways to contact us": "Other ways to contact us",
+ "submit a bug": "Submit a bug",
+ "request a missing feature": "Request a missing feature",
+ "tell us why": "Tell us why?",
+ "feedbackTextInput": "Tell us your feedback",
+ "showFeedback": "Show Feedback Smiley in Status Bar",
+ "tweet": "Tweet",
+ "tweetFeedback": "Tweet Feedback",
+ "character left": "character left",
+ "characters left": "characters left"
+ },
+ "vs/workbench/contrib/files/electron-browser/fileActions.contribution": {
+ "revealInWindows": "Reveal in File Explorer",
+ "revealInMac": "Reveal in Finder",
+ "openContainer": "Open Containing Folder",
+ "filesCategory": "File"
+ },
+ "vs/workbench/contrib/files/electron-browser/files.contribution": {
+ "textFileEditor": "Text File Editor"
+ },
+ "vs/workbench/contrib/files/electron-browser/fileCommands": {
+ "openFileToReveal": "Open a file first to reveal"
+ },
+ "vs/workbench/contrib/files/electron-browser/textFileEditor": {
+ "fileTooLargeForHeapError": "To open a file of this size, you need to restart and allow it to use more memory",
+ "relaunchWithIncreasedMemoryLimit": "Restart with {0} MB",
+ "configureMemoryLimit": "Configure Memory Limit"
+ },
+ "vs/workbench/contrib/files/common/editors/fileEditorInput": {
+ "orphanedReadonlyFile": "{0} (deleted, read-only)",
+ "orphanedFile": "{0} (deleted)",
+ "readonlyFile": "{0} (read-only)"
+ },
+ "vs/workbench/contrib/files/browser/files.contribution": {
+ "showExplorerViewlet": "Show Explorer",
+ "view": "Tampilkan",
+ "binaryFileEditor": "Editor berkas biner",
+ "hotExit.off": "Disable hot exit. A prompt will show when attempting to close a window with dirty files.",
+ "hotExit.onExit": "Hot exit will be triggered when the last window is closed on Windows/Linux or when the `workbench.action.quit` command is triggered (command palette, keybinding, menu). All windows without folders opened will be restored upon next launch. A list of workspaces with unsaved files can be accessed via `File > Open Recent > More...`",
+ "hotExit.onExitAndWindowClose": "Hot exit will be triggered when the last window is closed on Windows/Linux or when the `workbench.action.quit` command is triggered (command palette, keybinding, menu), and also for any window with a folder opened regardless of whether it's the last window. All windows without folders opened will be restored upon next launch. A list of workspaces with unsaved files can be accessed via `File > Open Recent > More...`",
+ "hotExit": "Controls whether unsaved files are remembered between sessions, allowing the save prompt when exiting the editor to be skipped.",
+ "hotExit.onExitAndWindowCloseBrowser": "Hot exit will be triggered when the browser quits or the window or tab is closed.",
+ "filesConfigurationTitle": "Files",
+ "exclude": "Configure glob patterns for excluding files and folders. For example, the files 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. Read more about glob patterns [here](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options).",
+ "files.exclude.boolean": "The glob pattern to match file paths against. Set to true or false to enable or disable the pattern.",
+ "files.exclude.when": "Additional check on the siblings of a matching file. Use $(basename) as variable for the matching file name.",
+ "associations": "Configure file associations to languages (e.g. `\"*.extension\": \"html\"`). These have precedence over the default associations of the languages installed.",
+ "encoding": "The default character set encoding to use when reading and writing files. This setting can also be configured per language.",
+ "autoGuessEncoding": "When enabled, the editor will attempt to guess the character set encoding when opening files. This setting can also be configured per language.",
+ "eol.LF": "LF",
+ "eol.CRLF": "CRLF",
+ "eol.auto": "Uses operating system specific end of line character.",
+ "eol": "The default end of line character.",
+ "useTrash": "Moves files/folders to the OS trash (recycle bin on Windows) when deleting. Disabling this will delete files/folders permanently.",
+ "trimTrailingWhitespace": "When enabled, will trim trailing whitespace when saving a file.",
+ "insertFinalNewline": "When enabled, insert a final new line at the end of the file when saving it.",
+ "trimFinalNewlines": "When enabled, will trim all new lines after the final new line at the end of the file when saving it.",
+ "files.autoSave.off": "A dirty editor is never automatically saved.",
+ "files.autoSave.afterDelay": "A dirty editor is automatically saved after the configured `#files.autoSaveDelay#`.",
+ "files.autoSave.onFocusChange": "A dirty editor is automatically saved when the editor loses focus.",
+ "files.autoSave.onWindowChange": "A dirty editor is automatically saved when the window loses focus.",
+ "autoSave": "Controls auto save of dirty editors. Read more about autosave [here](https://code.visualstudio.com/docs/editor/codebasics#_save-auto-save).",
+ "autoSaveDelay": "Controls the delay in ms after which a dirty editor is saved automatically. Only applies when `#files.autoSave#` is set to `{0}`.",
+ "watcherExclude": "Configure glob patterns of file paths to exclude from file watching. Patterns must match on absolute paths (i.e. prefix with ** or the full path to match properly). Changing this setting requires a restart. When you experience Code consuming lots of CPU time on startup, you can exclude large folders to reduce the initial load.",
+ "defaultLanguage": "The default language mode that is assigned to new files. If configured to `${activeEditorLanguage}`, will use the language mode of the currently active text editor if any.",
+ "maxMemoryForLargeFilesMB": "Controls the memory available to VS Code after restart when trying to open large files. Same effect as specifying `--max-memory=NEWSIZE` on the command line.",
+ "askUser": "Will refuse to save and ask for resolving the save conflict manually.",
+ "overwriteFileOnDisk": "Will resolve the save conflict by overwriting the file on disk with the changes in the editor.",
+ "files.saveConflictResolution": "A save conflict can occur when a file is saved to disk that was changed by another program in the meantime. To prevent data loss, the user is asked to compare the changes in the editor with the version on disk. This setting should only be changed if you frequently encounter save conflict errors and may result in data loss if used without caution.",
+ "files.simpleDialog.enable": "Enables the simple file dialog. The simple file dialog replaces the system file dialog when enabled.",
+ "formatOnSave": "Format a file on save. A formatter must be available, the file must not be saved after delay, and the editor must not be shutting down.",
+ "explorerConfigurationTitle": "File Explorer",
+ "openEditorsVisible": "Number of editors shown in the Open Editors pane.",
+ "autoReveal": "Controls whether the explorer should automatically reveal and select files when opening them.",
+ "enableDragAndDrop": "Controls whether the explorer should allow to move files and folders via drag and drop.",
+ "confirmDragAndDrop": "Controls whether the explorer should ask for confirmation to move files and folders via drag and drop.",
+ "confirmDelete": "Controls whether the explorer should ask for confirmation when deleting a file via the trash.",
+ "sortOrder.default": "Files and folders are sorted by their names, in alphabetical order. Folders are displayed before files.",
+ "sortOrder.mixed": "Files and folders are sorted by their names, in alphabetical order. Files are interwoven with folders.",
+ "sortOrder.filesFirst": "Files and folders are sorted by their names, in alphabetical order. Files are displayed before folders.",
+ "sortOrder.type": "Files and folders are sorted by their extensions, in alphabetical order. Folders are displayed before files.",
+ "sortOrder.modified": "Files and folders are sorted by last modified date, in descending order. Folders are displayed before files.",
+ "sortOrder": "Controls sorting order of files and folders in the explorer.",
+ "explorer.decorations.colors": "Controls whether file decorations should use colors.",
+ "explorer.decorations.badges": "Controls whether file decorations should use badges.",
+ "simple": "Appends the word \"copy\" at the end of the duplicated name potentially followed by a number",
+ "smart": "Adds a number at the end of the duplicated name. If some number is already part of the name, tries to increase that number",
+ "explorer.incrementalNaming": "Controls what naming strategy to use when a giving a new name to a duplicated explorer item on paste.",
+ "compressSingleChildFolders": "Controls whether the explorer should render folders in a compact form. In such a form, single child folders will be compressed in a combined tree element. Useful for Java package structures, for example.",
+ "miViewExplorer": "&&Explorer"
+ },
+ "vs/workbench/contrib/files/browser/explorerViewlet": {
+ "folders": "Folders",
+ "explore": "Explorer",
+ "noWorkspaceHelp": "You have not yet added a folder to the workspace.\n[Add Folder](command:{0})",
+ "remoteNoFolderHelp": "Connected to remote.\n[Open Folder](command:{0})",
+ "noFolderHelp": "You have not yet opened a folder.\n[Open Folder](command:{0})"
+ },
+ "vs/workbench/contrib/files/browser/fileActions.contribution": {
+ "filesCategory": "File",
+ "workspaces": "Workspaces",
+ "file": "File",
+ "copyPath": "Copy Path",
+ "copyRelativePath": "Copy Relative Path",
+ "revealInSideBar": "Reveal in Side Bar",
+ "acceptLocalChanges": "Gunakan perubahan-perubahan Anda dan ganti konten berkas",
+ "revertLocalChanges": "Discard your changes and revert to file contents",
+ "copyPathOfActive": "Salin path file aktif",
+ "copyRelativePathOfActive": "Copy Relative Path of Active File",
+ "saveAllInGroup": "Save All in Group",
+ "saveFiles": "Save All Files",
+ "revert": "Revert File",
+ "compareActiveWithSaved": "Compare Active File with Saved",
+ "closeEditor": "Close Editor",
+ "view": "Tampilkan",
+ "openToSide": "Open to the Side",
+ "saveAll": "Save All",
+ "compareWithSaved": "Compare with Saved",
+ "compareWithSelected": "Compare with Selected",
+ "compareSource": "Select for Compare",
+ "compareSelected": "Compare Selected",
+ "close": "Tutup",
+ "closeOthers": "Close Others",
+ "closeSaved": "Close Saved",
+ "closeAll": "Close All",
+ "cut": "Potong",
+ "deleteFile": "Delete Permanently",
+ "newFile": "File baru",
+ "openFile": "Open File...",
+ "miNewFile": "&&New File",
+ "miSave": "&&Save",
+ "miSaveAs": "Save &&As...",
+ "miSaveAll": "Save A&&ll",
+ "miOpen": "&&Open...",
+ "miOpenFile": "&&Open File...",
+ "miOpenFolder": "Open &&Folder...",
+ "miOpenWorkspace": "Open Wor&&kspace...",
+ "miAutoSave": "A&&uto Save",
+ "miRevert": "Re&&vert File",
+ "miCloseEditor": "&&Close Editor",
+ "miGotoFile": "Go to &&File..."
+ },
+ "vs/workbench/contrib/files/browser/editors/textFileEditor": {
+ "textFileEditor": "Text File Editor",
+ "openFolderError": "File is a directory",
+ "createFile": "Create File",
+ "readonlyFileEditorWithInputAriaLabel": "{0} readonly editor",
+ "readonlyFileEditorAriaLabel": "Readonly editor",
+ "fileEditorWithInputAriaLabel": "{0} editor",
+ "fileEditorAriaLabel": "Editor"
+ },
+ "vs/workbench/contrib/files/common/workspaceWatcher": {
+ "netVersionError": "The Microsoft .NET Framework 4.5 is required. Please follow the link to install it.",
+ "installNet": "Unduh .NET Framework 4.5",
+ "enospcError": "Unable to watch for file changes in this large workspace. Please follow the instructions link to resolve this issue.",
+ "learnMore": "Instructions"
+ },
+ "vs/workbench/contrib/files/browser/editors/binaryFileEditor": {
+ "binaryFileEditor": "Binary File Viewer"
+ },
+ "vs/workbench/contrib/files/common/dirtyFilesIndicator": {
+ "dirtyFile": "1 unsaved file",
+ "dirtyFiles": "{0} unsaved files"
+ },
+ "vs/workbench/contrib/files/browser/views/emptyView": {
+ "noWorkspace": "Tidak ada folder terbuka"
+ },
+ "vs/workbench/contrib/files/browser/editors/textFileSaveErrorHandler": {
+ "userGuide": "Use the actions in the editor tool bar to either undo your changes or overwrite the content of the file with your changes.",
+ "staleSaveError": "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.",
+ "retry": "Retry",
+ "discard": "Discard",
+ "readonlySaveErrorAdmin": "Failed to save '{0}': File is read-only. Select 'Overwrite as Admin' to retry as administrator.",
+ "readonlySaveErrorSudo": "Failed to save '{0}': File is read-only. Select 'Overwrite as Sudo' to retry as superuser.",
+ "readonlySaveError": "Failed to save '{0}': File is read-only. Select 'Overwrite' to attempt to make it writeable.",
+ "permissionDeniedSaveError": "Failed to save '{0}': Insufficient permissions. Select 'Retry as Admin' to retry as administrator.",
+ "permissionDeniedSaveErrorSudo": "Failed to save '{0}': Insufficient permissions. Select 'Retry as Sudo' to retry as superuser.",
+ "genericSaveError": "Failed to save '{0}': {1}",
+ "learnMore": "Learn More",
+ "dontShowAgain": "Jangan Tampilkan Lagi",
+ "compareChanges": "Compare",
+ "saveConflictDiffLabel": "{0} (in file) ↔ {1} (in {2}) - Resolve save conflict",
+ "overwriteElevated": "Overwrite as Admin...",
+ "overwriteElevatedSudo": "Overwrite as Sudo...",
+ "saveElevated": "Retry as Admin...",
+ "saveElevatedSudo": "Retry as Sudo...",
+ "overwrite": "Overwrite",
+ "configure": "Configure"
+ },
+ "vs/workbench/contrib/files/browser/views/explorerView": {
+ "explorerSection": "Explorer Section: {0}",
+ "treeAriaLabel": "Files Explorer"
+ },
+ "vs/workbench/contrib/files/browser/views/openEditorsView": {
+ "openEditors": "Open Editors",
+ "dirtyCounter": "{0} unsaved"
+ },
+ "vs/workbench/contrib/files/browser/fileCommands": {
+ "saveAs": "Save As...",
+ "save": "Save",
+ "saveWithoutFormatting": "Save without Formatting",
+ "saveAll": "Save All",
+ "removeFolderFromWorkspace": "Remove Folder from Workspace",
+ "modifiedLabel": "{0} (in file) ↔ {1}",
+ "openFileToCopy": "Open a file first to copy its path",
+ "genericSaveError": "Failed to save '{0}': {1}",
+ "genericRevertError": "Failed to revert '{0}': {1}"
+ },
+ "vs/workbench/contrib/files/browser/fileActions": {
+ "newFile": "New File",
+ "newFolder": "Folder Baru",
+ "rename": "Rename",
+ "delete": "Delete",
+ "copyFile": "Salin",
+ "pasteFile": "Tempel",
+ "download": "Download",
+ "createNewFile": "New File",
+ "createNewFolder": "Folder Baru",
+ "newUntitledFile": "Berkas baru",
+ "deleteButtonLabelRecycleBin": "&&Move to Recycle Bin",
+ "deleteButtonLabelTrash": "&&Move to Trash",
+ "deleteButtonLabel": "&&Delete",
+ "dirtyMessageFilesDelete": "You are deleting files with unsaved changes. Do you want to continue?",
+ "dirtyMessageFolderOneDelete": "You are deleting a folder {0} with unsaved changes in 1 file. Do you want to continue?",
+ "dirtyMessageFolderDelete": "You are deleting a folder {0} with unsaved changes in {1} files. Do you want to continue?",
+ "dirtyMessageFileDelete": "You are deleting {0} with unsaved changes. Do you want to continue?",
+ "dirtyWarning": "Your changes will be lost if you don't save them.",
+ "undoBinFiles": "You can restore these files from the Recycle Bin.",
+ "undoBin": "You can restore this file from the Recycle Bin.",
+ "undoTrashFiles": "You can restore these files from the Trash.",
+ "undoTrash": "You can restore this file from the Trash.",
+ "doNotAskAgain": "Do not ask me again",
+ "irreversible": "Tindakan ini tidak dapat diubah!",
+ "binFailed": "Failed to delete using the Recycle Bin. Do you want to permanently delete instead?",
+ "trashFailed": "Failed to delete using the Trash. Do you want to permanently delete instead?",
+ "deletePermanentlyButtonLabel": "&&Delete Permanently",
+ "retryButtonLabel": "&&Coba Lagi",
+ "confirmMoveTrashMessageFilesAndDirectories": "Are you sure you want to delete the following {0} files/directories and their contents?",
+ "confirmMoveTrashMessageMultipleDirectories": "Are you sure you want to delete the following {0} directories and their contents?",
+ "confirmMoveTrashMessageMultiple": "Are you sure you want to delete the following {0} files?",
+ "confirmMoveTrashMessageFolder": "Are you sure you want to delete '{0}' and its contents?",
+ "confirmMoveTrashMessageFile": "Are you sure you want to delete '{0}'?",
+ "confirmDeleteMessageFilesAndDirectories": "Are you sure you want to permanently delete the following {0} files/directories and their contents?",
+ "confirmDeleteMessageMultipleDirectories": "Are you sure you want to permanently delete the following {0} directories and their contents?",
+ "confirmDeleteMessageMultiple": "Apakah Anda yakin ingin menghapus secara permanen {0} berkas berikut?",
+ "confirmDeleteMessageFolder": "Are you sure you want to permanently delete '{0}' and its contents?",
+ "confirmDeleteMessageFile": "Are you sure you want to permanently delete '{0}'?",
+ "globalCompareFile": "Compare Active File With...",
+ "openFileToCompare": "Open a file first to compare it with another file.",
+ "toggleAutoSave": "Toggle Auto Save",
+ "saveAllInGroup": "Save All in Group",
+ "closeGroup": "Close Group",
+ "focusFilesExplorer": "Focus on Files Explorer",
+ "showInExplorer": "Reveal Active File in Side Bar",
+ "openFileToShow": "Open a file first to show it in the explorer",
+ "collapseExplorerFolders": "Collapse Folders in Explorer",
+ "refreshExplorer": "Refresh Explorer",
+ "openFileInNewWindow": "Open Active File in New Window",
+ "openFileToShowInNewWindow.unsupportedschema": "The active editor must contain an openable resource.",
+ "openFileToShowInNewWindow.nofile": "Open a file first to open in new window",
+ "emptyFileNameError": "A file or folder name must be provided.",
+ "fileNameStartsWithSlashError": "A file or folder name cannot start with a slash.",
+ "fileNameExistsError": "A file or folder **{0}** already exists at this location. Please choose a different name.",
+ "invalidFileNameError": "The name **{0}** is not valid as a file or folder name. Please choose a different name.",
+ "fileNameWhitespaceWarning": "Leading or trailing whitespace detected in file or folder name.",
+ "compareWithClipboard": "Compare Active File with Clipboard",
+ "clipboardComparisonLabel": "Clipboard ↔ {0}",
+ "retry": "Retry",
+ "downloadFolder": "Download Folder",
+ "downloadFile": "Download File",
+ "fileIsAncestor": "File to paste is an ancestor of the destination folder",
+ "fileDeleted": "The file to paste has been deleted or moved since you copied it. {0}"
+ },
+ "vs/workbench/contrib/files/browser/views/explorerDecorationsProvider": {
+ "canNotResolve": "Unable to resolve workspace folder",
+ "symbolicLlink": "Symbolic Link",
+ "unknown": "Jenis file tidak diketahui",
+ "label": "Explorer"
+ },
+ "vs/workbench/contrib/files/browser/views/explorerViewer": {
+ "fileInputAriaLabel": "Type file name. Press Enter to confirm or Escape to cancel.",
+ "confirmOverwrite": "File atau folder dengan nama '{0}' sudah ada di folder tujuan. Apakah Anda ingin menggantinya?",
+ "irreversible": "Tindakan ini tidak dapat diubah!",
+ "replaceButtonLabel": "&&Replace",
+ "copyFolders": "&&Copy Folders",
+ "copyFolder": "&&Copy Folder",
+ "cancel": "Batal",
+ "copyfolders": "Are you sure to want to copy folders?",
+ "copyfolder": "Are you sure to want to copy '{0}'?",
+ "addFolders": "&&Add Folders to Workspace",
+ "addFolder": "&&Add Folder to Workspace",
+ "dropFolders": "Do you want to copy the folders or add the folders to the workspace?",
+ "dropFolder": "Do you want to copy '{0}' or add '{0}' as a folder to the workspace?",
+ "confirmRootsMove": "Are you sure you want to change the order of multiple root folders in your workspace?",
+ "confirmMultiMove": "Are you sure you want to move the following {0} files into '{1}'?",
+ "confirmRootMove": "Are you sure you want to change the order of root folder '{0}' in your workspace?",
+ "confirmMove": "Are you sure you want to move '{0}' into '{1}'?",
+ "doNotAskAgain": "Do not ask me again",
+ "moveButtonLabel": "&&Move"
+ },
+ "vs/workbench/contrib/format/browser/formatActionsNone": {
+ "formatDocument.label.multiple": "Format Dokumen",
+ "no.provider": "There is no formatter for '{0}' files installed.",
+ "install.formatter": "Install Formatter..."
+ },
+ "vs/workbench/contrib/format/browser/formatActionsMultiple": {
+ "nullFormatterDescription": "None",
+ "miss": "Extension '{0}' cannot format '{1}'",
+ "config.needed": "There are multiple formatters for '{0}' files. Select a default formatter to continue.",
+ "config.bad": "Extension '{0}' is configured as formatter but not available. Select a different default formatter to continue.",
+ "do.config": "Configure...",
+ "select": "Select a default formatter for '{0}' files",
+ "formatter.default": "Defines a default formatter which takes precedence over all other formatter settings. Must be the identifier of an extension contributing a formatter.",
+ "def": "(default)",
+ "config": "Configure Default Formatter...",
+ "format.placeHolder": "Select a formatter",
+ "formatDocument.label.multiple": "Format Document With...",
+ "formatSelection.label.multiple": "Format Selection With..."
+ },
+ "vs/workbench/contrib/issue/electron-browser/issue.contribution": {
+ "help": "Help",
+ "reportIssueInEnglish": "Laporkan masalah",
+ "developer": "Developer"
+ },
+ "vs/workbench/contrib/issue/electron-browser/issueActions": {
+ "openProcessExplorer": "Open Process Explorer",
+ "reportPerformanceIssue": "Report Performance Issue"
+ },
+ "vs/workbench/contrib/localizations/browser/localizations.contribution": {
+ "updateLocale": "Would you like to change VS Code's UI language to {0} and restart?",
+ "activateLanguagePack": "In order to use VS Code in {0}, VS Code needs to restart.",
+ "yes": "Ya",
+ "restart now": "Restart Now",
+ "neverAgain": "Jangan Tampilkan Lagi",
+ "vscode.extension.contributes.localizations": "Contributes localizations to the editor",
+ "vscode.extension.contributes.localizations.languageId": "Id of the language into which the display strings are translated.",
+ "vscode.extension.contributes.localizations.languageName": "Name of the language in English.",
+ "vscode.extension.contributes.localizations.languageNameLocalized": "Name of the language in contributed language.",
+ "vscode.extension.contributes.localizations.translations": "List of translations associated to the language.",
+ "vscode.extension.contributes.localizations.translations.id": "Id of VS Code or Extension for which this translation is contributed to. Id of VS Code is always `vscode` and of extension should be in format `publisherId.extensionName`.",
+ "vscode.extension.contributes.localizations.translations.id.pattern": "Id should be `vscode` or in format `publisherId.extensionName` for translating VS code or an extension respectively.",
+ "vscode.extension.contributes.localizations.translations.path": "A relative path to a file containing translations for the language."
+ },
+ "vs/workbench/contrib/localizations/browser/localizationsActions": {
+ "configureLocale": "Configure Display Language",
+ "installAdditionalLanguages": "Install additional languages...",
+ "chooseDisplayLanguage": "Select Display Language",
+ "relaunchDisplayLanguageMessage": "A restart is required for the change in display language to take effect.",
+ "relaunchDisplayLanguageDetail": "Press the restart button to restart {0} and change the display language.",
+ "restart": "&&Restart"
+ },
+ "vs/workbench/contrib/localizations/browser/minimalTranslations": {
+ "showLanguagePackExtensions": "Search language packs in the Marketplace to change the display language to {0}.",
+ "searchMarketplace": "Search Marketplace",
+ "installAndRestartMessage": "Install language pack to change the display language to {0}.",
+ "installAndRestart": "Install and Restart"
+ },
+ "vs/workbench/contrib/logs/electron-browser/logs.contribution": {
+ "developer": "Developer"
+ },
+ "vs/workbench/contrib/logs/electron-browser/logsActions": {
+ "openLogsFolder": "Buka Folder Log",
+ "openExtensionLogsFolder": "Open Extension Logs Folder"
+ },
+ "vs/workbench/contrib/logs/common/logs.contribution": {
+ "developer": "Developer",
+ "userDataSyncLog": "Preferences Sync",
+ "rendererLog": "Window",
+ "mainLog": "Main",
+ "sharedLog": "Shared",
+ "telemetryLog": "Telemetri"
+ },
+ "vs/workbench/contrib/logs/common/logsActions": {
+ "setLogLevel": "Set Log Level...",
+ "trace": "Trace",
+ "debug": "Debug",
+ "info": "Info",
+ "warn": "Peringatan",
+ "err": "Kesalahan",
+ "critical": "Critical",
+ "off": "Off",
+ "selectLogLevel": "Select log level",
+ "default and current": "Default & Current",
+ "default": "Default",
+ "current": "Current",
+ "openSessionLogFile": "Open Window Log File (Session)...",
+ "sessions placeholder": "Select Session",
+ "log placeholder": "Select Log file"
+ },
+ "vs/workbench/contrib/markers/browser/markers.contribution": {
+ "copyMarker": "Salin",
+ "copyMessage": "Copy Message",
+ "focusProblemsList": "Focus problems view",
+ "focusProblemsFilter": "Focus problems filter",
+ "show multiline": "Show message in multiple lines",
+ "problems": "Problems",
+ "show singleline": "Show message in single line",
+ "clearFiltersText": "Clear filters text",
+ "miMarker": "&&Problems",
+ "status.problems": "Problems",
+ "totalErrors": "{0} Errors",
+ "totalWarnings": "{0} Warnings",
+ "totalInfos": "{0} Infos",
+ "noProblems": "No Problems",
+ "manyProblems": "10K+"
+ },
+ "vs/workbench/contrib/markers/browser/markers": {
+ "totalProblems": "Total {0} Problems"
+ },
+ "vs/workbench/contrib/markers/browser/messages": {
+ "viewCategory": "View",
+ "problems.view.toggle.label": "Toggle Problems (Errors, Warnings, Infos)",
+ "problems.view.focus.label": "Focus Problems (Errors, Warnings, Infos)",
+ "problems.panel.configuration.title": "Problems View",
+ "problems.panel.configuration.autoreveal": "Controls whether Problems view should automatically reveal files when opening them.",
+ "problems.panel.configuration.showCurrentInStatus": "When enabled shows the current problem in the status bar.",
+ "markers.panel.title.problems": "Problems",
+ "markers.panel.no.problems.build": "No problems have been detected in the workspace so far.",
+ "markers.panel.no.problems.activeFile.build": "No problems have been detected in the current file so far.",
+ "markers.panel.no.problems.filters": "No results found with provided filter criteria.",
+ "markers.panel.action.moreFilters": "More Filters...",
+ "markers.panel.filter.showErrors": "Show Errors",
+ "markers.panel.filter.showWarnings": "Show Warnings",
+ "markers.panel.filter.showInfos": "Show Infos",
+ "markers.panel.filter.useFilesExclude": "Hide Excluded Files",
+ "markers.panel.filter.activeFile": "Show Active File Only",
+ "markers.panel.action.filter": "Filter Problems",
+ "markers.panel.action.quickfix": "Tampilkan perbaikan",
+ "markers.panel.filter.ariaLabel": "Filter Problems",
+ "markers.panel.filter.placeholder": "Filter. E.g.: text, **/*.ts, !**/node_modules/**",
+ "markers.panel.filter.errors": "errors",
+ "markers.panel.filter.warnings": "warnings",
+ "markers.panel.filter.infos": "infos",
+ "markers.panel.single.error.label": "1 Error",
+ "markers.panel.multiple.errors.label": "{0} Errors",
+ "markers.panel.single.warning.label": "1 Warning",
+ "markers.panel.multiple.warnings.label": "{0} Warnings",
+ "markers.panel.single.info.label": "1 Info",
+ "markers.panel.multiple.infos.label": "{0} Infos",
+ "markers.panel.single.unknown.label": "1 Unknown",
+ "markers.panel.multiple.unknowns.label": "{0} Unknowns",
+ "markers.panel.at.ln.col.number": "[{0}, {1}]",
+ "problems.tree.aria.label.resource": "{0} problems in file {1} of folder {2}",
+ "problems.tree.aria.label.marker.relatedInformation": " This problem has references to {0} locations.",
+ "problems.tree.aria.label.error.marker": "Error generated by {0}: {1} at line {2} and character {3}.{4}",
+ "problems.tree.aria.label.error.marker.nosource": "Error: {0} at line {1} and character {2}.{3}",
+ "problems.tree.aria.label.warning.marker": "Warning generated by {0}: {1} at line {2} and character {3}.{4}",
+ "problems.tree.aria.label.warning.marker.nosource": "Warning: {0} at line {1} and character {2}.{3}",
+ "problems.tree.aria.label.info.marker": "Info generated by {0}: {1} at line {2} and character {3}.{4}",
+ "problems.tree.aria.label.info.marker.nosource": "Info: {0} at line {1} and character {2}.{3}",
+ "problems.tree.aria.label.marker": "Problem generated by {0}: {1} at line {2} and character {3}.{4}",
+ "problems.tree.aria.label.marker.nosource": "Problem: {0} at line {1} and character {2}.{3}",
+ "problems.tree.aria.label.relatedinfo.message": "{0} at line {1} and character {2} in {3}",
+ "errors.warnings.show.label": "Show Errors and Warnings"
+ },
+ "vs/workbench/contrib/markers/browser/markersFileDecorations": {
+ "label": "Problems",
+ "tooltip.1": "1 problem in this file",
+ "tooltip.N": "{0} problems in this file",
+ "markers.showOnFile": "Show Errors & Warnings on files and folder."
+ },
+ "vs/workbench/contrib/markers/browser/markersViewActions": {
+ "showing filtered problems": "Showing {0} of {1}"
+ },
+ "vs/workbench/contrib/markers/browser/markersView": {
+ "collapseAll": "Collapse All",
+ "filter": "Filter",
+ "No problems filtered": "Showing {0} problems",
+ "problems filtered": "Showing {0} of {1} problems",
+ "clearFilter": "Clear Filters"
+ },
+ "vs/workbench/contrib/markers/browser/markersTreeViewer": {
+ "single line": "Show message in single line",
+ "multi line": "Show message in multiple lines",
+ "links.navigate.follow": "Follow link",
+ "links.navigate.kb.meta": "ctrl + click",
+ "links.navigate.kb.meta.mac": "cmd + click",
+ "links.navigate.kb.alt.mac": "option + click",
+ "links.navigate.kb.alt": "alt + click"
+ },
+ "vs/workbench/contrib/notebook/browser/notebook.contribution": {
+ "notebookConfigurationTitle": "Notebook",
+ "notebook.displayOrder.description": "Priority list for output mime types"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/notebookActions": {
+ "notebookActions.category": "Notebook",
+ "notebookActions.execute": "Execute Cell",
+ "notebookActions.cancel": "Stop Execution",
+ "notebookActions.executeCell": "Execute Cell",
+ "notebookActions.CancelCell": "Cancel Execution",
+ "notebookActions.executeAndSelectBelow": "Execute Notebook Cell and Select Below",
+ "notebookActions.executeAndInsertBelow": "Execute Notebook Cell and Insert Below",
+ "notebookActions.executeNotebook": "Execute Notebook",
+ "notebookActions.cancelNotebook": "Cancel Notebook Execution",
+ "notebookActions.executeNotebookCell": "Execute Notebook Active Cell",
+ "notebookActions.quitEditing": "Quit Notebook Cell Editing",
+ "notebookActions.hideFind": "Hide Find in Notebook",
+ "notebookActions.findInNotebook": "Find in Notebook",
+ "notebookActions.menu.executeNotebook": "Execute Notebook (Run all cells)",
+ "notebookActions.menu.cancelNotebook": "Stop Notebook Execution",
+ "notebookActions.menu.execute": "Execute Notebook Cell",
+ "notebookActions.changeCellToCode": "Change Cell to Code",
+ "notebookActions.changeCellToMarkdown": "Change Cell to Markdown",
+ "notebookActions.insertCodeCellAbove": "Insert Code Cell Above",
+ "notebookActions.insertCodeCellBelow": "Insert Code Cell Below",
+ "notebookActions.insertMarkdownCellBelow": "Insert Markdown Cell Below",
+ "notebookActions.insertMarkdownCellAbove": "Insert Markdown Cell Above",
+ "notebookActions.editCell": "Edit Cell",
+ "notebookActions.saveCell": "Save Cell",
+ "notebookActions.deleteCell": "Delete Cell",
+ "notebookActions.moveCellUp": "Move Cell Up",
+ "notebookActions.copyCellUp": "Copy Cell Up",
+ "notebookActions.moveCellDown": "Move Cell Down",
+ "notebookActions.copyCellDown": "Copy Cell Down"
+ },
+ "vs/workbench/contrib/notebook/browser/notebookEditor": {
+ "notebook.focusedCellIndicator": "The color of the focused notebook cell indicator.",
+ "notebook.outputContainerBackgroundColor": "The Color of the notebook output container background.",
+ "cellToolbarSeperator": "The color of seperator in Cell bottom toolbar"
+ },
+ "vs/workbench/contrib/notebook/browser/extensionPoint": {
+ "contributes.notebook.provider": "Contributes notebook document provider.",
+ "contributes.notebook.provider.viewType": "Unique identifier of the notebook.",
+ "contributes.notebook.provider.displayName": "Human readable name of the notebook.",
+ "contributes.notebook.provider.selector": "Set of globs that the notebook is for.",
+ "contributes.notebook.provider.selector.filenamePattern": "Glob that the notebook is enabled for.",
+ "contributes.notebook.selector.provider.excludeFileNamePattern": "Glob that the notebook is disabled for.",
+ "contributes.notebook.renderer": "Contributes notebook output renderer provider.",
+ "contributes.notebook.renderer.viewType": "Unique identifier of the notebook output renderer.",
+ "contributes.notebook.renderer.displayName": "Human readable name of the notebook output renderer.",
+ "contributes.notebook.selector": "Set of globs that the notebook is for."
+ },
+ "vs/workbench/contrib/notebook/browser/view/renderers/codeCell": {
+ "curruentActiveMimeType": " (Currently Active)",
+ "promptChooseMimeType.placeHolder": "Select output mimetype to render for current output"
+ },
+ "vs/workbench/contrib/outline/browser/outline.contribution": {
+ "name": "Outline",
+ "outlineConfigurationTitle": "Outline",
+ "outline.showIcons": "Render Outline Elements with Icons.",
+ "outline.showProblem": "Show Errors & Warnings on Outline Elements.",
+ "outline.problem.colors": "Use colors for Errors & Warnings.",
+ "outline.problems.badges": "Use badges for Errors & Warnings.",
+ "filteredTypes.file": "When enabled outline shows `file`-symbols.",
+ "filteredTypes.module": "When enabled outline shows `module`-symbols.",
+ "filteredTypes.namespace": "When enabled outline shows `namespace`-symbols.",
+ "filteredTypes.package": "When enabled outline shows `package`-symbols.",
+ "filteredTypes.class": "When enabled outline shows `class`-symbols.",
+ "filteredTypes.method": "When enabled outline shows `method`-symbols.",
+ "filteredTypes.property": "When enabled outline shows `property`-symbols.",
+ "filteredTypes.field": "When enabled outline shows `field`-symbols.",
+ "filteredTypes.constructor": "When enabled outline shows `constructor`-symbols.",
+ "filteredTypes.enum": "When enabled outline shows `enum`-symbols.",
+ "filteredTypes.interface": "When enabled outline shows `interface`-symbols.",
+ "filteredTypes.function": "When enabled outline shows `function`-symbols.",
+ "filteredTypes.variable": "When enabled outline shows `variable`-symbols.",
+ "filteredTypes.constant": "When enabled outline shows `constant`-symbols.",
+ "filteredTypes.string": "When enabled outline shows `string`-symbols.",
+ "filteredTypes.number": "When enabled outline shows `number`-symbols.",
+ "filteredTypes.boolean": "When enabled outline shows `boolean`-symbols.",
+ "filteredTypes.array": "When enabled outline shows `array`-symbols.",
+ "filteredTypes.object": "When enabled outline shows `object`-symbols.",
+ "filteredTypes.key": "When enabled outline shows `key`-symbols.",
+ "filteredTypes.null": "When enabled outline shows `null`-symbols.",
+ "filteredTypes.enumMember": "When enabled outline shows `enumMember`-symbols.",
+ "filteredTypes.struct": "When enabled outline shows `struct`-symbols.",
+ "filteredTypes.event": "When enabled outline shows `event`-symbols.",
+ "filteredTypes.operator": "When enabled outline shows `operator`-symbols.",
+ "filteredTypes.typeParameter": "When enabled outline shows `typeParameter`-symbols."
+ },
+ "vs/workbench/contrib/outline/browser/outlinePane": {
+ "collapse": "Collapse All",
+ "sortByPosition": "Sort By: Position",
+ "sortByName": "Sort By: Name",
+ "sortByKind": "Sort By: Category",
+ "followCur": "Follow Cursor",
+ "filterOnType": "Filter on Type",
+ "no-editor": "The active editor cannot provide outline information.",
+ "loading": "Loading document symbols for '{0}'...",
+ "no-symbols": "No symbols found in document '{0}'"
+ },
+ "vs/workbench/contrib/output/browser/output.contribution": {
+ "output": "Output",
+ "logViewer": "Penampil Log",
+ "switchToOutput.label": "Switch to Output",
+ "clearOutput.label": "Clear Output",
+ "viewCategory": "View",
+ "outputCleared": "Output was cleared",
+ "toggleAutoScroll": "Toggle Auto Scrolling",
+ "outputScrollOff": "Turn Auto Scrolling Off",
+ "outputScrollOn": "Turn Auto Scrolling On",
+ "openActiveLogOutputFile": "Open Log Output File",
+ "toggleOutput": "Toggle Output",
+ "developer": "Developer",
+ "showLogs": "Show Logs...",
+ "selectlog": "Select Log",
+ "openLogFile": "Open Log File...",
+ "selectlogFile": "Select Log file",
+ "miToggleOutput": "&&Output",
+ "output.smartScroll.enabled": "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/output/browser/outputView": {
+ "output model title": "{0} - Output",
+ "channel": "Output channel for '{0}'",
+ "output": "Output",
+ "outputViewWithInputAriaLabel": "{0}, Output panel",
+ "outputViewAriaLabel": "Output panel",
+ "outputChannels": "Output Channels.",
+ "logChannel": "Log ({0})"
+ },
+ "vs/workbench/contrib/output/browser/logViewer": {
+ "logViewerAriaLabel": "Penampil Log"
+ },
+ "vs/workbench/contrib/performance/electron-browser/performance.contribution": {
+ "show.cat": "Developer",
+ "show.label": "Startup Performance"
+ },
+ "vs/workbench/contrib/performance/electron-browser/startupProfiler": {
+ "prof.message": "Successfully created profiles.",
+ "prof.detail": "Please create an issue and manually attach the following files:\n{0}",
+ "prof.restartAndFileIssue": "Create Issue and Restart",
+ "prof.restart": "Restart",
+ "prof.thanks": "Thanks for helping us.",
+ "prof.detail.restart": "A final restart is required to continue to use '{0}'. Again, thank you for your contribution."
+ },
+ "vs/workbench/contrib/performance/electron-browser/perfviewEditor": {
+ "name": "Startup Performance"
+ },
+ "vs/workbench/contrib/preferences/browser/keybindingsEditorContribution": {
+ "defineKeybinding.start": "Define Keybinding",
+ "defineKeybinding.kbLayoutErrorMessage": "You won't be able to produce this key combination under your current keyboard layout.",
+ "defineKeybinding.kbLayoutLocalAndUSMessage": "**{0}** for your current keyboard layout (**{1}** for US standard).",
+ "defineKeybinding.kbLayoutLocalMessage": "**{0}** for your current keyboard layout."
+ },
+ "vs/workbench/contrib/preferences/browser/preferences.contribution": {
+ "defaultPreferencesEditor": "Default Preferences Editor",
+ "settingsEditor2": "Settings Editor 2",
+ "keybindingsEditor": "Keybindings Editor",
+ "openSettings2": "Open Settings (UI)",
+ "preferences": "Preferensi",
+ "settings": "Settings",
+ "miOpenSettings": "&&Settings",
+ "openSettingsJson": "Open Settings (JSON)",
+ "openGlobalSettings": "Open User Settings",
+ "openRawDefaultSettings": "Open Default Settings (JSON)",
+ "openWorkspaceSettings": "Open Workspace Settings",
+ "openWorkspaceSettingsFile": "Open Workspace Settings (JSON)",
+ "openFolderSettings": "Open Folder Settings",
+ "openFolderSettingsFile": "Open Folder Settings (JSON)",
+ "filterModifiedLabel": "Show modified settings",
+ "filterOnlineServicesLabel": "Show settings for online services",
+ "miOpenOnlineSettings": "&&Online Services Settings",
+ "onlineServices": "Online Services Settings",
+ "openRemoteSettings": "Open Remote Settings ({0})",
+ "settings.focusSearch": "Focus settings search",
+ "settings.clearResults": "Clear settings search results",
+ "settings.focusFile": "Focus settings file",
+ "settings.focusNextSetting": "Focus next setting",
+ "settings.focusPreviousSetting": "Focus previous setting",
+ "settings.editFocusedSetting": "Edit focused setting",
+ "settings.focusSettingsList": "Focus settings list",
+ "settings.focusSettingsTOC": "Focus settings TOC tree",
+ "settings.showContextMenu": "Show context menu",
+ "openGlobalKeybindings": "Open Keyboard Shortcuts",
+ "Keyboard Shortcuts": "Keyboard Shortcuts",
+ "openDefaultKeybindingsFile": "Open Default Keyboard Shortcuts (JSON)",
+ "openGlobalKeybindingsFile": "Open Keyboard Shortcuts (JSON)",
+ "showDefaultKeybindings": "Show Default Keybindings",
+ "showUserKeybindings": "Show User Keybindings",
+ "clear": "Clear Search Results",
+ "miPreferences": "&&Preferences"
+ },
+ "vs/workbench/contrib/preferences/browser/keybindingWidgets": {
+ "defineKeybinding.initial": "Press desired key combination and then press ENTER.",
+ "defineKeybinding.oneExists": "1 existing command has this keybinding",
+ "defineKeybinding.existing": "{0} existing commands have this keybinding",
+ "defineKeybinding.chordsTo": "chord to"
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesActions": {
+ "configureLanguageBasedSettings": "Configure Language Specific Settings...",
+ "languageDescriptionConfigured": "({0})",
+ "pickLanguage": "Select Language"
+ },
+ "vs/workbench/contrib/preferences/common/preferencesContribution": {
+ "enableNaturalLanguageSettingsSearch": "Controls whether to enable the natural language search mode for settings. The natural language search is provided by a Microsoft online service.",
+ "settingsSearchTocBehavior.hide": "Hide the Table of Contents while searching.",
+ "settingsSearchTocBehavior.filter": "Filter the Table of Contents to just categories that have matching settings. Clicking a category will filter the results to that category.",
+ "settingsSearchTocBehavior": "Controls the behavior of the settings editor Table of Contents while searching."
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesWidgets": {
+ "defaultSettings": "Place your settings in the right hand side editor to override.",
+ "noSettingsFound": "No Settings Found.",
+ "settingsSwitcherBarAriaLabel": "Settings Switcher",
+ "userSettings": "User",
+ "userSettingsRemote": "Remote",
+ "workspaceSettings": "Workspace",
+ "folderSettings": "Folder"
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesEditor": {
+ "SearchSettingsWidget.AriaLabel": "Search settings",
+ "SearchSettingsWidget.Placeholder": "Search Settings",
+ "noSettingsFound": "Tidak ada pengaturan yang ditemukan",
+ "oneSettingFound": "1 Setting Found",
+ "settingsFound": "{0} Settings Found",
+ "totalSettingsMessage": "Total {0} Settings",
+ "nlpResult": "Natural Language Results",
+ "filterResult": "Filtered Results",
+ "defaultSettings": "Default Settings",
+ "defaultUserSettings": "Default User Settings",
+ "defaultWorkspaceSettings": "Default Workspace Settings",
+ "defaultFolderSettings": "Default Folder Settings",
+ "defaultEditorReadonly": "Edit in the right hand side editor to override defaults.",
+ "preferencesAriaLabel": "Default preferences. Readonly editor."
+ },
+ "vs/workbench/contrib/preferences/browser/keybindingsEditor": {
+ "recordKeysLabel": "Record Keys",
+ "recordKeysLabelWithKeybinding": "{0} ({1})",
+ "sortByPrecedeneLabel": "Sort by Precedence",
+ "sortByPrecedeneLabelWithKeybinding": "{0} ({1})",
+ "SearchKeybindings.FullTextSearchPlaceholder": "Type to search in keybindings",
+ "SearchKeybindings.KeybindingsSearchPlaceholder": "Recording Keys. Press Escape to exit",
+ "clearInput": "Clear Keybindings Search Input",
+ "recording": "Recording Keys",
+ "command": "Perintah",
+ "keybinding": "Keybinding",
+ "when": "When",
+ "source": "Source",
+ "keybindingsLabel": "Keybindings",
+ "show sorted keybindings": "Showing {0} Keybindings in precedence order",
+ "show keybindings": "Showing {0} Keybindings in alphabetical order",
+ "changeLabel": "Change Keybinding",
+ "addLabel": "Add Keybinding",
+ "editWhen": "Change When Expression",
+ "removeLabel": "Remove Keybinding",
+ "resetLabel": "Reset Keybinding",
+ "showSameKeybindings": "Show Same Keybindings",
+ "copyLabel": "Salin",
+ "copyCommandLabel": "Copy Command ID",
+ "error": "Error '{0}' while editing the keybinding. Please open 'keybindings.json' file and check for errors.",
+ "editKeybindingLabelWithKey": "Change Keybinding {0}",
+ "editKeybindingLabel": "Change Keybinding",
+ "addKeybindingLabelWithKey": "Add Keybinding {0}",
+ "addKeybindingLabel": "Add Keybinding",
+ "title": "{0} ({1})",
+ "keybindingAriaLabel": "Keybinding is {0}.",
+ "noKeybinding": "No Keybinding assigned.",
+ "sourceAriaLabel": "Source is {0}.",
+ "whenContextInputAriaLabel": "Type when context. Press Enter to confirm or Escape to cancel.",
+ "whenAriaLabel": "When is {0}.",
+ "noWhen": "No when context."
+ },
+ "vs/workbench/contrib/preferences/browser/settingsEditor2": {
+ "settingsContextMenuAriaShortcut": "For more actions, Press {0}.",
+ "clearInput": "Clear Settings Search Input",
+ "SearchSettings.AriaLabel": "Search settings",
+ "noResults": "No Settings Found",
+ "clearSearchFilters": "Clear Filters",
+ "settingsNoSaveNeeded": "Your changes are automatically saved as you edit.",
+ "oneResult": "1 Setting Found",
+ "moreThanOneResult": "{0} Settings Found",
+ "turnOnSyncButton": "Turn on Preferences Sync",
+ "lastSyncedLabel": "Last synced: {0}"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsLayout": {
+ "commonlyUsed": "Commonly Used",
+ "textEditor": "Text Editor",
+ "cursor": "Cursor",
+ "find": "Temukan",
+ "font": "Font",
+ "formatting": "Formatting",
+ "diffEditor": "Diff Editor",
+ "minimap": "Minimap",
+ "suggestions": "Suggestions",
+ "files": "Files",
+ "workbench": "Workbench",
+ "appearance": "Appearance",
+ "breadcrumbs": "Breadcrumbs",
+ "editorManagement": "Editor Management",
+ "settings": "Settings Editor",
+ "zenMode": "Zen Mode",
+ "screencastMode": "Screencast Mode",
+ "window": "Window",
+ "newWindow": "Jendela Baru",
+ "features": "Features",
+ "fileExplorer": "Explorer",
+ "search": "Search",
+ "debug": "Debug",
+ "scm": "SCM",
+ "extensions": "Ekstensi",
+ "terminal": "Terminal",
+ "task": "Task",
+ "problems": "Problems",
+ "output": "Output",
+ "comments": "Comments",
+ "remote": "Remote",
+ "timeline": "Timeline",
+ "application": "Application",
+ "proxy": "Proxy",
+ "keyboard": "Keyboard",
+ "update": "Pembaruan",
+ "telemetry": "Telemetri",
+ "sync": "Sync"
+ },
+ "vs/workbench/contrib/preferences/browser/tocTree": {
+ "groupRowAriaLabel": "{0}, group"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsTreeModels": {
+ "workspace": "Workspace",
+ "remote": "Remote",
+ "user": "User"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsWidgets": {
+ "headerForeground": "The foreground color for a section header or active title.",
+ "modifiedItemForeground": "The color of the modified setting indicator.",
+ "settingsDropdownBackground": "Settings editor dropdown background.",
+ "settingsDropdownForeground": "Settings editor dropdown foreground.",
+ "settingsDropdownBorder": "Settings editor dropdown border.",
+ "settingsDropdownListBorder": "Settings editor dropdown list border. This surrounds the options and separates the options from the description.",
+ "settingsCheckboxBackground": "Settings editor checkbox background.",
+ "settingsCheckboxForeground": "Settings editor checkbox foreground.",
+ "settingsCheckboxBorder": "Settings editor checkbox border.",
+ "textInputBoxBackground": "Settings editor text input box background.",
+ "textInputBoxForeground": "Settings editor text input box foreground.",
+ "textInputBoxBorder": "Settings editor text input box border.",
+ "numberInputBoxBackground": "Settings editor number input box background.",
+ "numberInputBoxForeground": "Settings editor number input box foreground.",
+ "numberInputBoxBorder": "Settings editor number input box border.",
+ "removeItem": "Remove Item",
+ "editItem": "Edit Item",
+ "editItemInSettingsJson": "Edit Item in settings.json",
+ "addItem": "Add Item",
+ "itemInputPlaceholder": "String Item...",
+ "listSiblingInputPlaceholder": "Sibling...",
+ "listValueHintLabel": "List item `{0}`",
+ "listSiblingHintLabel": "List item `{0}` with sibling `${1}`",
+ "okButton": "OK",
+ "cancelButton": "Batal",
+ "removeExcludeItem": "Remove Exclude Item",
+ "editExcludeItem": "Edit Exclude Item",
+ "editExcludeItemInSettingsJson": "Edit Exclude Item in settings.json",
+ "addPattern": "Add Pattern",
+ "excludePatternInputPlaceholder": "Exclude Pattern...",
+ "excludeSiblingInputPlaceholder": "When Pattern Is Present...",
+ "excludePatternHintLabel": "Exclude files matching `{0}`",
+ "excludeSiblingHintLabel": "Exclude files matching `{0}`, only when a file matching `{1}` is present"
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesRenderers": {
+ "emptyUserSettingsHeader": "Place your settings here to override the Default Settings.",
+ "emptyWorkspaceSettingsHeader": "Place your settings here to override the User Settings.",
+ "emptyFolderSettingsHeader": "Place your folder settings here to override those from the Workspace Settings.",
+ "editTtile": "Edit",
+ "replaceDefaultValue": "Replace in Settings",
+ "copyDefaultValue": "Copy to Settings",
+ "unknown configuration setting": "Unknown Configuration Setting",
+ "unsupportedRemoteMachineSetting": "This setting cannot be applied in this window. It will be applied when you open local window.",
+ "unsupportedWindowSetting": "This setting cannot be applied in this workspace. It will be applied when you open the containing workspace folder directly.",
+ "unsupportedApplicationSetting": "This setting can be applied only in application user settings",
+ "unsupportedMachineSetting": "This setting can only be applied in user settings in local window or in remote settings in remote window.",
+ "unsupportedProperty": "Unsupported Property"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsTree": {
+ "extensions": "Ekstensi",
+ "extensionSyncIgnoredLabel": "Sync: Ignored",
+ "modified": "Modified",
+ "settingsContextMenuTitle": "Tindakan Lainnya...",
+ "alsoConfiguredIn": "Also modified in",
+ "configuredIn": "Modified in",
+ "settings.Modified": " Modified. ",
+ "newExtensionsButtonLabel": "Show matching extensions",
+ "editInSettingsJson": "Edit in settings.json",
+ "settings.Default": "{0}",
+ "resetSettingLabel": "Reset Setting",
+ "validationError": "Validation Error.",
+ "treeAriaLabel": "Settings",
+ "copySettingIdLabel": "Copy Setting ID",
+ "copySettingAsJSONLabel": "Copy Setting as JSON",
+ "stopSyncingSetting": "Sync This Setting"
+ },
+ "vs/workbench/contrib/quickaccess/browser/quickAccess.contribution": {
+ "helpQuickAccessPlaceholder": "Type '{0}' to get help on the actions you can take from here.",
+ "helpQuickAccess": "Show all Quick Access Providers",
+ "viewQuickAccessPlaceholder": "Type the name of a view, output channel or terminal to open.",
+ "viewQuickAccess": "Open View",
+ "commandsQuickAccessPlaceholder": "Type the name of a command to run.",
+ "commandsQuickAccess": "Show and Run Commands",
+ "miCommandPalette": "&&Command Palette...",
+ "miOpenView": "&&Open View...",
+ "miGotoSymbolInEditor": "Go to &&Symbol in Editor...",
+ "miGotoLine": "Go to &&Line/Column...",
+ "commandPalette": "Command Palette...",
+ "view": "Tampilkan"
+ },
+ "vs/workbench/contrib/quickaccess/browser/commandsQuickAccess": {
+ "commandWithCategory": "{0}: {1}",
+ "showTriggerActions": "Show All Commands",
+ "clearCommandHistory": "Clear Command History"
+ },
+ "vs/workbench/contrib/quickaccess/browser/viewQuickAccess": {
+ "views": "Side Bar",
+ "panels": "Panel",
+ "terminalTitle": "{0}: {1}",
+ "terminals": "Terminal",
+ "logChannel": "Log ({0})",
+ "channels": "Output",
+ "openView": "Open View",
+ "quickOpenView": "Quick Open View"
+ },
+ "vs/workbench/contrib/quickopen/browser/quickopen.contribution": {
+ "view": "View",
+ "commandsHandlerDescriptionDefault": "Show and Run Commands",
+ "gotoLineDescriptionMac": "Go to Line/Column",
+ "gotoLineDescriptionWin": "Go to Line/Column",
+ "gotoSymbolDescription": "Go to Symbol in Editor",
+ "gotoSymbolDescriptionScoped": "Go to Symbol in Editor by Category",
+ "helpDescription": "Show Help",
+ "viewPickerDescription": "Open View",
+ "miCommandPalette": "&&Command Palette...",
+ "miOpenView": "&&Open View...",
+ "miGotoSymbolInEditor": "Go to &&Symbol in Editor...",
+ "miGotoLine": "Go to &&Line/Column...",
+ "commandPalette": "Command Palette..."
+ },
+ "vs/workbench/contrib/quickopen/browser/helpHandler": {
+ "entryAriaLabel": "{0}, picker help",
+ "globalCommands": "global commands",
+ "editorCommands": "editor commands"
+ },
+ "vs/workbench/contrib/quickopen/browser/gotoLineHandler": {
+ "gotoLine": "Go to Line/Column...",
+ "gotoLineLabelEmptyWithLimit": "Current Line: {0}, Column: {1}. Type a line number between 1 and {2} to navigate to.",
+ "gotoLineLabelEmpty": "Current Line: {0}, Column: {1}. Type a line number to navigate to.",
+ "gotoLineColumnLabel": "Go to line {0} and column {1}.",
+ "gotoLineLabel": "Go to line {0}.",
+ "cannotRunGotoLine": "Open a text file first to go to a line."
+ },
+ "vs/workbench/contrib/quickopen/browser/viewPickerHandler": {
+ "entryAriaLabel": "{0}, view picker",
+ "views": "Side Bar",
+ "panels": "Panel",
+ "terminals": "Terminal",
+ "terminalTitle": "{0}: {1}",
+ "channels": "Output",
+ "logChannel": "Log ({0})",
+ "openView": "Open View",
+ "quickOpenView": "Quick Open View"
+ },
+ "vs/workbench/contrib/quickopen/browser/gotoSymbolHandler": {
+ "property": "properties ({0})",
+ "method": "methods ({0})",
+ "function": "functions ({0})",
+ "_constructor": "constructors ({0})",
+ "variable": "variables ({0})",
+ "class": "classes ({0})",
+ "struct": "structs ({0})",
+ "event": "events ({0})",
+ "operator": "operators ({0})",
+ "interface": "interfaces ({0})",
+ "namespace": "namespaces ({0})",
+ "package": "packages ({0})",
+ "typeParameter": "type parameters ({0})",
+ "modules": "modules ({0})",
+ "enum": "enumerations ({0})",
+ "enumMember": "enumeration members ({0})",
+ "string": "strings ({0})",
+ "file": "files ({0})",
+ "array": "arrays ({0})",
+ "number": "numbers ({0})",
+ "boolean": "booleans ({0})",
+ "object": "objects ({0})",
+ "key": "keys ({0})",
+ "field": "fields ({0})",
+ "constant": "constants ({0})",
+ "gotoSymbol": "Go to Symbol in Editor...",
+ "symbols": "symbols ({0})",
+ "entryAriaLabel": "{0}, symbols",
+ "noSymbolsMatching": "No symbols matching",
+ "noSymbolsFound": "No symbols found",
+ "gotoSymbolHandlerAriaLabel": "Type to narrow down symbols of the currently active editor.",
+ "cannotRunGotoSymbolInFile": "No symbol information for the file",
+ "cannotRunGotoSymbol": "Open a text file first to go to a symbol"
+ },
+ "vs/workbench/contrib/quickopen/browser/commandsHandler": {
+ "showTriggerActions": "Show All Commands",
+ "clearCommandHistory": "Clear Command History",
+ "showCommands.label": "Command Palette...",
+ "entryAriaLabelWithKey": "{0}, {1}, commands",
+ "entryAriaLabel": "{0}, commands",
+ "actionNotEnabled": "Command '{0}' is not enabled in the current context.",
+ "canNotRun": "Command '{0}' resulted in an error.",
+ "recentlyUsed": "recently used",
+ "morecCommands": "other commands",
+ "cat.title": "{0}: {1}",
+ "noCommandsMatching": "No commands matching"
+ },
+ "vs/workbench/contrib/relauncher/browser/relauncher.contribution": {
+ "relaunchSettingMessage": "A setting has changed that requires a restart to take effect.",
+ "relaunchSettingMessageWeb": "A setting has changed that requires a reload to take effect.",
+ "relaunchSettingDetail": "Tekan tombol restart untuk memuat ulang {0} dan mengaktifkan pengaturan.",
+ "relaunchSettingDetailWeb": "Press the reload button to reload {0} and enable the setting.",
+ "restart": "&&Restart",
+ "restartWeb": "&&Reload"
+ },
+ "vs/workbench/contrib/remote/electron-browser/remote.contribution": {
+ "remote": "Remote",
+ "remote.downloadExtensionsLocally": "When enabled extensions are downloaded locally and installed on remote.",
+ "remote.restoreForwardedPorts": "Restores the ports you forwarded in a workspace."
+ },
+ "vs/workbench/contrib/remote/common/remote.contribution": {
+ "remoteExtensionLog": "Remote Server",
+ "ui": "UI extension kind. In a remote window, such extensions are enabled only when available on the local machine.",
+ "workspace": "Workspace extension kind. In a remote window, such extensions are enabled only when available on the remote.",
+ "remote": "Remote",
+ "remote.extensionKind": "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."
+ },
+ "vs/workbench/contrib/remote/browser/remote": {
+ "RemoteHelpInformationExtPoint": "Contributes help information for Remote",
+ "RemoteHelpInformationExtPoint.getStarted": "The url to your project's Getting Started page",
+ "RemoteHelpInformationExtPoint.documentation": "The url to your project's documentation page",
+ "RemoteHelpInformationExtPoint.feedback": "The url to your project's feedback reporter",
+ "RemoteHelpInformationExtPoint.issues": "The url to your project's issues list",
+ "remote.help.getStarted": "Get Started",
+ "remote.help.documentation": "Read Documentation",
+ "remote.help.feedback": "Provide Feedback",
+ "remote.help.issues": "Review Issues",
+ "remote.help.report": "Laporkan masalah",
+ "pickRemoteExtension": "Select url to open",
+ "remote.help": "Help and feedback",
+ "remote.explorer": "Remote Explorer",
+ "toggleRemoteViewlet": "Show Remote Explorer",
+ "view": "Tampilkan",
+ "reconnectionWaitOne": "Attempting to reconnect in {0} second...",
+ "reconnectionWaitMany": "Attempting to reconnect in {0} seconds...",
+ "reconnectNow": "Reconnect Now",
+ "reloadWindow": "Reload Window",
+ "connectionLost": "Koneksi hilang",
+ "reconnectionRunning": "Attempting to reconnect...",
+ "reconnectionPermanentFailure": "Cannot reconnect. Please reload the window.",
+ "cancel": "Batal"
+ },
+ "vs/workbench/contrib/remote/browser/explorerViewItems": {
+ "remotes": "Switch Remote",
+ "remote.explorer.switch": "Switch Remote"
+ },
+ "vs/workbench/contrib/remote/browser/remoteIndicator": {
+ "remote.category": "Remote",
+ "remote.showMenu": "Show Remote Menu",
+ "remote.close": "Close Remote Connection",
+ "miCloseRemote": "Close Re&&mote Connection",
+ "host.open": "Opening Remote...",
+ "host.tooltip": "Editing on {0}",
+ "disconnectedFrom": "Disconnected from",
+ "host.tooltipDisconnected": "Disconnected from {0}",
+ "noHost.tooltip": "Open a remote window",
+ "status.host": "Remote Host",
+ "cat.title": "{0}: {1}",
+ "closeRemote.title": "Close Remote Connection"
+ },
+ "vs/workbench/contrib/remote/browser/tunnelView": {
+ "remote.tunnelsView.add": "Forward a Port...",
+ "remote.tunnelsView.forwarded": "Forwarded",
+ "remote.tunnelsView.detected": "Existing Tunnels",
+ "remote.tunnelsView.candidates": "Not Forwarded",
+ "remote.tunnelsView.input": "Press Enter to confirm or Escape to cancel.",
+ "remote.tunnelsView.forwardedPortLabel0": "{0}",
+ "remote.tunnelsView.forwardedPortLabel2": "{0}:{1} → {2}",
+ "remote.tunnelsView.forwardedPortLabel3": "{0} → {1}",
+ "remote.tunnelsView.forwardedPortLabel4": "{0}:{1}",
+ "remote.tunnelsView.forwardedPortLabel5": "{0}",
+ "remote.tunnelsView.forwardedPortDescription0": "{0} to {1}",
+ "remote.tunnel": "Port yang diteruskan",
+ "remote.tunnel.label": "Set Label",
+ "remote.tunnelsView.labelPlaceholder": "Port label",
+ "remote.tunnelsView.portNumberValid": "Forwarded port is invalid.",
+ "remote.tunnelsView.portNumberToHigh": "Port number must be ≥ 0 and < {0}.",
+ "remote.tunnel.forward": "Forward a Port",
+ "remote.tunnel.forwardItem": "Forward Port",
+ "remote.tunnel.forwardPrompt": "Port number or address (eg. 3000 or 10.10.10.10:2000).",
+ "remote.tunnel.forwardError": "Unable to forward {0}:{1}. The host may not be available or that remote port may already be forwarded",
+ "remote.tunnel.closeNoPorts": "No ports currently forwarded. Try running the {0} command",
+ "remote.tunnel.close": "Stop Forwarding Port",
+ "remote.tunnel.closePlaceholder": "Choose a port to stop forwarding",
+ "remote.tunnel.open": "Open in Browser",
+ "remote.tunnel.copyAddressInline": "Copy Address",
+ "remote.tunnel.copyAddressCommandPalette": "Copy Forwarded Port Address",
+ "remote.tunnel.copyAddressPlaceholdter": "Choose a forwarded port",
+ "remote.tunnel.refreshView": "Segarkan",
+ "remote.tunnel.changeLocalPort": "Change Local Port",
+ "remote.tunnel.changeLocalPortNumber": "The local port {0} is not available. Port number {1} has been used instead",
+ "remote.tunnelsView.changePort": "New local port"
+ },
+ "vs/workbench/contrib/scm/browser/scm.contribution": {
+ "toggleGitViewlet": "Show Git",
+ "source control": "Source Control",
+ "toggleSCMViewlet": "Show SCM",
+ "view": "View",
+ "scmConfigurationTitle": "SCM",
+ "alwaysShowProviders": "Controls whether to show the Source Control Provider section even when there's only one Provider registered.",
+ "providersVisible": "Controls how many providers are visible in the Source Control Provider section. Set to `0` to be able to manually resize the view.",
+ "scm.diffDecorations.all": "Show the diff decorations in all available locations.",
+ "scm.diffDecorations.gutter": "Show the diff decorations only in the editor gutter.",
+ "scm.diffDecorations.overviewRuler": "Show the diff decorations only in the overview ruler.",
+ "scm.diffDecorations.minimap": "Show the diff decorations only in the minimap.",
+ "scm.diffDecorations.none": "Do not show the diff decorations.",
+ "diffDecorations": "Controls diff decorations in the editor.",
+ "diffGutterWidth": "Controls the width(px) of diff decorations in gutter (added & modified).",
+ "scm.diffDecorationsGutterVisibility.always": "Show the diff decorator in the gutter at all times.",
+ "scm.diffDecorationsGutterVisibility.hover": "Show the diff decorator in the gutter only on hover.",
+ "scm.diffDecorationsGutterVisibility": "Controls the visibility of the Source Control diff decorator in the gutter.",
+ "alwaysShowActions": "Controls whether inline actions are always visible in the Source Control view.",
+ "scm.countBadge.all": "Show the sum of all Source Control Providers count badges.",
+ "scm.countBadge.focused": "Show the count badge of the focused Source Control Provider.",
+ "scm.countBadge.off": "Disable the Source Control count badge.",
+ "scm.countBadge": "Controls the Source Control count badge.",
+ "scm.defaultViewMode.tree": "Show the repository changes as a tree.",
+ "scm.defaultViewMode.list": "Show the repository changes as a list.",
+ "scm.defaultViewMode": "Controls the default Source Control repository view mode.",
+ "autoReveal": "Controls whether the SCM view should automatically reveal and select files when opening them.",
+ "miViewSCM": "S&&CM",
+ "scm accept": "SCM: Accept Input"
+ },
+ "vs/workbench/contrib/scm/browser/scmViewlet": {
+ "scm": "Source Control",
+ "no open repo": "No source control providers registered.",
+ "source control": "Source Control",
+ "viewletTitle": "{0}: {1}"
+ },
+ "vs/workbench/contrib/scm/browser/activity": {
+ "status.scm": "Source Control",
+ "scmPendingChangesBadge": "{0} pending changes"
+ },
+ "vs/workbench/contrib/scm/browser/mainPane": {
+ "scm providers": "Source Control Providers"
+ },
+ "vs/workbench/contrib/scm/browser/repositoryPane": {
+ "toggleViewMode": "Toggle View Mode"
+ },
+ "vs/workbench/contrib/scm/browser/dirtydiffDecorator": {
+ "changes": "{0} of {1} changes",
+ "change": "{0} of {1} change",
+ "show previous change": "Show Previous Change",
+ "show next change": "Show Next Change",
+ "miGotoNextChange": "Next &&Change",
+ "miGotoPreviousChange": "Previous &&Change",
+ "move to previous change": "Move to Previous Change",
+ "move to next change": "Move to Next Change",
+ "editorGutterModifiedBackground": "Editor gutter background color for lines that are modified.",
+ "editorGutterAddedBackground": "Editor gutter background color for lines that are added.",
+ "editorGutterDeletedBackground": "Editor gutter background color for lines that are deleted.",
+ "minimapGutterModifiedBackground": "Minimap gutter background color for lines that are modified.",
+ "minimapGutterAddedBackground": "Minimap gutter background color for lines that are added.",
+ "minimapGutterDeletedBackground": "Minimap gutter background color for lines that are deleted.",
+ "overviewRulerModifiedForeground": "Overview ruler marker color for modified content.",
+ "overviewRulerAddedForeground": "Overview ruler marker color for added content.",
+ "overviewRulerDeletedForeground": "Overview ruler marker color for deleted content."
+ },
+ "vs/workbench/contrib/search/browser/search.contribution": {
+ "search": "Search",
+ "copyMatchLabel": "Salin",
+ "copyPathLabel": "Copy Path",
+ "copyAllLabel": "Copy All",
+ "revealInSideBar": "Reveal in Side Bar",
+ "clearSearchHistoryLabel": "Clear Search History",
+ "focusSearchListCommandLabel": "Focus List",
+ "findInFolder": "Find in Folder...",
+ "findInWorkspace": "Find in Workspace...",
+ "showTriggerActions": "Go to Symbol in Workspace...",
+ "name": "Search",
+ "view": "View",
+ "findInFiles": "Find in Files",
+ "miFindInFiles": "Find &&in Files",
+ "miReplaceInFiles": "Replace &&in Files",
+ "anythingQuickAccessPlaceholder": "Search files by name (append {0} to go to line or {1} to go to symbol)",
+ "anythingQuickAccess": "Go to File",
+ "symbolsQuickAccessPlaceholder": "Type the name of a symbol to open.",
+ "symbolsQuickAccess": "Go to Symbol in Workspace",
+ "searchConfigurationTitle": "Search",
+ "exclude": "Configure glob patterns for excluding files and folders in fulltext searches and quick open. Inherits all glob patterns from the `#files.exclude#` setting. Read more about glob patterns [here](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options).",
+ "exclude.boolean": "The glob pattern to match file paths against. Set to true or false to enable or disable the pattern.",
+ "exclude.when": "Additional check on the siblings of a matching file. Use $(basename) as variable for the matching file name.",
+ "useRipgrep": "This setting is deprecated and now falls back on \"search.usePCRE2\".",
+ "useRipgrepDeprecated": "Deprecated. Consider \"search.usePCRE2\" for advanced regex feature support.",
+ "search.maintainFileSearchCache": "When enabled, the searchService process will be kept alive instead of being shut down after an hour of inactivity. This will keep the file search cache in memory.",
+ "useIgnoreFiles": "Controls whether to use `.gitignore` and `.ignore` files when searching for files.",
+ "useGlobalIgnoreFiles": "Controls whether to use global `.gitignore` and `.ignore` files when searching for files.",
+ "search.quickOpen.includeSymbols": "Whether to include results from a global symbol search in the file results for Quick Open.",
+ "search.quickOpen.includeHistory": "Whether to include results from recently opened files in the file results for Quick Open.",
+ "filterSortOrder.default": "History entries are sorted by relevance based on the filter value used. More relevant entries appear first.",
+ "filterSortOrder.recency": "History entries are sorted by recency. More recently opened entries appear first.",
+ "filterSortOrder": "Controls sorting order of editor history in quick open when filtering.",
+ "search.followSymlinks": "Controls whether to follow symlinks while searching.",
+ "search.smartCase": "Search case-insensitively if the pattern is all lowercase, otherwise, search case-sensitively.",
+ "search.globalFindClipboard": "Controls whether the search view should read or modify the shared find clipboard on macOS.",
+ "search.location": "Mengontrol apakah pencarian akan ditampilkan sebagai tampilan di sidebar atau sebagai panel di daerah panel untuk ruang horisontal yang lebih lega.",
+ "search.location.deprecationMessage": "This setting is deprecated. Please use the search view's context menu instead.",
+ "search.collapseResults.auto": "Files with less than 10 results are expanded. Others are collapsed.",
+ "search.collapseAllResults": "Controls whether the search results will be collapsed or expanded.",
+ "search.useReplacePreview": "Controls whether to open Replace Preview when selecting or replacing a match.",
+ "search.showLineNumbers": "Controls whether to show line numbers for search results.",
+ "search.usePCRE2": "Whether to use the PCRE2 regex engine in text search. This enables using some advanced regex features like lookahead and backreferences. However, not all PCRE2 features are supported - only features that are also supported by JavaScript.",
+ "usePCRE2Deprecated": "Deprecated. PCRE2 will be used automatically when using regex features that are only supported by PCRE2.",
+ "search.actionsPositionAuto": "Position the actionbar to the right when the search view is narrow, and immediately after the content when the search view is wide.",
+ "search.actionsPositionRight": "Always position the actionbar to the right.",
+ "search.actionsPosition": "Controls the positioning of the actionbar on rows in the search view.",
+ "search.searchOnType": "Search all files as you type.",
+ "search.searchOnTypeDebouncePeriod": "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.",
+ "search.searchEditor.doubleClickBehaviour.selectWord": "Double clicking selects the word under the cursor.",
+ "search.searchEditor.doubleClickBehaviour.goToLocation": "Double clicking opens the result in the active editor group.",
+ "search.searchEditor.doubleClickBehaviour.openLocationToSide": "Double clicking opens the result in the editor group to the side, creating one if it does not yet exist.",
+ "search.searchEditor.doubleClickBehaviour": "Configure effect of double clicking a result in a search editor.",
+ "searchSortOrder.default": "Results are sorted by folder and file names, in alphabetical order.",
+ "searchSortOrder.filesOnly": "Results are sorted by file names ignoring folder order, in alphabetical order.",
+ "searchSortOrder.type": "Results are sorted by file extensions, in alphabetical order.",
+ "searchSortOrder.modified": "Hasil diurutkan berdasarkan tanggal terakhir modifikasi berkas, dalam urutan menurun.",
+ "searchSortOrder.countDescending": "Results are sorted by count per file, in descending order.",
+ "searchSortOrder.countAscending": "Results are sorted by count per file, in ascending order.",
+ "search.sortOrder": "Controls sorting order of search results.",
+ "miViewSearch": "&&Search",
+ "miGotoSymbolInWorkspace": "Go to Symbol in &&Workspace..."
+ },
+ "vs/workbench/contrib/search/browser/symbolsQuickAccess": {
+ "openToSide": "Open to the Side",
+ "openToBottom": "Open to the Bottom"
+ },
+ "vs/workbench/contrib/search/common/queryBuilder": {
+ "search.noWorkspaceWithName": "No folder in workspace with name: {0}"
+ },
+ "vs/workbench/contrib/search/browser/searchView": {
+ "searchCanceled": "Search was canceled before any results could be found - ",
+ "moreSearch": "Toggle Search Details",
+ "searchScope.includes": "Berkas untuk disertakan",
+ "label.includes": "Search Include Patterns",
+ "searchScope.excludes": "files to exclude",
+ "label.excludes": "Search Exclude Patterns",
+ "replaceAll.confirmation.title": "Ganti semua",
+ "replaceAll.confirm.button": "&&Replace",
+ "replaceAll.occurrence.file.message": "Replaced {0} occurrence across {1} file with '{2}'.",
+ "removeAll.occurrence.file.message": "Replaced {0} occurrence across {1} file.",
+ "replaceAll.occurrence.files.message": "Replaced {0} occurrence across {1} files with '{2}'.",
+ "removeAll.occurrence.files.message": "Replaced {0} occurrence across {1} files.",
+ "replaceAll.occurrences.file.message": "Replaced {0} occurrences across {1} file with '{2}'.",
+ "removeAll.occurrences.file.message": "Replaced {0} occurrences across {1} file.",
+ "replaceAll.occurrences.files.message": "Replaced {0} occurrences across {1} files with '{2}'.",
+ "removeAll.occurrences.files.message": "Replaced {0} occurrences across {1} files.",
+ "removeAll.occurrence.file.confirmation.message": "Replace {0} occurrence across {1} file with '{2}'?",
+ "replaceAll.occurrence.file.confirmation.message": "Replace {0} occurrence across {1} file?",
+ "removeAll.occurrence.files.confirmation.message": "Replace {0} occurrence across {1} files with '{2}'?",
+ "replaceAll.occurrence.files.confirmation.message": "Replace {0} occurrence across {1} files?",
+ "removeAll.occurrences.file.confirmation.message": "Replace {0} occurrences across {1} file with '{2}'?",
+ "replaceAll.occurrences.file.confirmation.message": "Replace {0} occurrences across {1} file?",
+ "removeAll.occurrences.files.confirmation.message": "Ganti {0} kemunculan dalam {1} berkas dengan '{2}'?",
+ "replaceAll.occurrences.files.confirmation.message": "Replace {0} occurrences across {1} files?",
+ "ariaSearchResultsClearStatus": "The search results have been cleared",
+ "searchPathNotFoundError": "Search path not found: {0}",
+ "searchMaxResultsWarning": "The result set only contains a subset of all matches. Please be more specific in your search to narrow down the results.",
+ "noResultsIncludesExcludes": "No results found in '{0}' excluding '{1}' - ",
+ "noResultsIncludes": "No results found in '{0}' - ",
+ "noResultsExcludes": "No results found excluding '{0}' - ",
+ "noResultsFound": "No results found. Review your settings for configured exclusions and check your gitignore files - ",
+ "rerunSearch.message": "Search again",
+ "rerunSearchInAll.message": "Search again in all files",
+ "openSettings.message": "Open Settings",
+ "openSettings.learnMore": "Learn More",
+ "ariaSearchResultsStatus": "Search returned {0} results in {1} files",
+ "useIgnoresAndExcludesDisabled": " - exclude settings and ignore files are disabled",
+ "openInEditor.message": "Open in editor",
+ "openInEditor.tooltip": "Copy current search results to an editor",
+ "search.file.result": "{0} result in {1} file",
+ "search.files.result": "{0} result in {1} files",
+ "search.file.results": "{0} results in {1} file",
+ "search.files.results": "{0} results in {1} files",
+ "searchWithoutFolder": "You have not opened or specified a folder. Only open files are currently searched - ",
+ "openFolder": "Open Folder"
+ },
+ "vs/workbench/contrib/search/browser/searchWidget": {
+ "search.action.replaceAll.disabled.label": "Replace All (Submit Search to Enable)",
+ "search.action.replaceAll.enabled.label": "Ganti semua",
+ "search.replace.toggle.button.title": "Toggle Replace",
+ "label.Search": "Search: Type Search Term and press Enter to search or Escape to cancel",
+ "search.placeHolder": "Search",
+ "showContext": "Show Context",
+ "label.Replace": "Replace: Type replace term and press Enter to preview or Escape to cancel",
+ "search.replace.placeHolder": "Ganti"
+ },
+ "vs/workbench/contrib/search/browser/searchActions": {
+ "showSearch": "Show Search",
+ "replaceInFiles": "Replace in Files",
+ "toggleTabs": "Toggle Search on Type",
+ "RefreshAction.label": "Segarkan",
+ "CollapseDeepestExpandedLevelAction.label": "Collapse All",
+ "ExpandAllAction.label": "Expand All",
+ "ToggleCollapseAndExpandAction.label": "Toggle Collapse and Expand",
+ "ClearSearchResultsAction.label": "Clear Search Results",
+ "CancelSearchAction.label": "Cancel Search",
+ "FocusNextSearchResult.label": "Focus Next Search Result",
+ "FocusPreviousSearchResult.label": "Focus Previous Search Result",
+ "RemoveAction.label": "Dismiss",
+ "file.replaceAll.label": "Ganti semua",
+ "match.replace.label": "Ganti"
+ },
+ "vs/workbench/contrib/search/browser/replaceService": {
+ "fileReplaceChanges": "{0} ↔ {1} (Replace Preview)"
+ },
+ "vs/workbench/contrib/search/browser/patternInputWidget": {
+ "defaultLabel": "masukan",
+ "useExcludesAndIgnoreFilesDescription": "Use Exclude Settings and Ignore Files"
+ },
+ "vs/workbench/contrib/search/browser/anythingQuickAccess": {
+ "recentlyOpenedSeparator": "recently opened",
+ "fileAndSymbolResultsSeparator": "file and symbol results",
+ "fileResultsSeparator": "file results",
+ "filePickAriaLabelDirty": "{0}, dirty",
+ "openToSide": "Open to the Side",
+ "openToBottom": "Open to the Bottom",
+ "closeEditor": "Remove from Recently Opened"
+ },
+ "vs/workbench/contrib/search/browser/searchResultsView": {
+ "searchFolderMatch.other.label": "Other files",
+ "searchFileMatches": "{0} files found",
+ "searchFileMatch": "{0} file found",
+ "searchMatches": "{0} matches found",
+ "searchMatch": "{0} match found",
+ "lineNumStr": "From line {0}",
+ "numLinesStr": "{0} more lines",
+ "folderMatchAriaLabel": "{0} matches in folder root {1}, Search result",
+ "otherFilesAriaLabel": "{0} matches outside of the workspace, Search result",
+ "fileMatchAriaLabel": "{0} matches in file {1} of folder {2}, Search result",
+ "replacePreviewResultAria": "Replace term {0} with {1} at column position {2} in line with text {3}",
+ "searchResultAria": "Found term {0} at column position {1} in line with text {2}"
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditor.contribution": {
+ "searchEditor": "Search Editor",
+ "search": "Search Editor"
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditorActions": {
+ "search.openNewEditor": "Open New Search Editor",
+ "search.openNewEditorToSide": "Open New Search Editor to Side",
+ "search.openResultsInEditor": "Open Results in Editor",
+ "search.rerunSearchInEditor": "Search Again"
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditorInput": {
+ "searchTitle.withQuery": "Search: {0}",
+ "searchTitle": "Search"
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditor": {
+ "moreSearch": "Toggle Search Details",
+ "searchScope.includes": "Berkas untuk disertakan",
+ "label.includes": "Search Include Patterns",
+ "searchScope.excludes": "files to exclude",
+ "label.excludes": "Search Exclude Patterns",
+ "runSearch": "Run Search",
+ "searchResultItem": "Matched {0} at {1} in file {2}",
+ "searchEditor": "Search Editor",
+ "textInputBoxBorder": "Search editor text input box border."
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditorSerialization": {
+ "invalidQueryStringError": "All backslashes in Query string must be escaped (\\\\)",
+ "numFiles": "{0} files",
+ "oneFile": "1 file",
+ "numResults": "{0} Hasil",
+ "oneResult": "1 result",
+ "noResults": "Tidak ada hasil"
+ },
+ "vs/workbench/contrib/snippets/browser/snippets.contribution": {
+ "snippetSchema.json.default": "Empty snippet",
+ "snippetSchema.json": "User snippet configuration",
+ "snippetSchema.json.prefix": "The prefix to used when selecting the snippet in intellisense",
+ "snippetSchema.json.body": "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'.",
+ "snippetSchema.json.description": "The snippet description.",
+ "snippetSchema.json.scope": "A list of language names to which this snippet applies, e.g. 'typescript,javascript'."
+ },
+ "vs/workbench/contrib/snippets/browser/insertSnippet": {
+ "snippet.suggestions.label": "Insert Snippet",
+ "sep.userSnippet": "User Snippets",
+ "sep.extSnippet": "Extension Snippets",
+ "sep.workspaceSnippet": "Workspace Snippets"
+ },
+ "vs/workbench/contrib/snippets/browser/configureSnippets": {
+ "global.scope": "(global)",
+ "global.1": "({0})",
+ "name": "Type snippet file name",
+ "bad_name1": "Invalid file name",
+ "bad_name2": "'{0}' is not a valid file name",
+ "bad_name3": "'{0}' already exists",
+ "new.global_scope": "global",
+ "new.global": "New Global Snippets file...",
+ "new.workspace_scope": "{0} workspace",
+ "new.folder": "New Snippets file for '{0}'...",
+ "group.global": "Existing Snippets",
+ "new.global.sep": "New Snippets",
+ "openSnippet.pickLanguage": "Select Snippets File or Create Snippets",
+ "openSnippet.label": "Configure User Snippets",
+ "preferences": "Preferensi",
+ "miOpenSnippets": "User &&Snippets",
+ "userSnippets": "User Snippets"
+ },
+ "vs/workbench/contrib/snippets/browser/snippetsService": {
+ "invalid.path.0": "Expected string in `contributes.{0}.path`. Provided value: {1}",
+ "invalid.language.0": "When omitting the language, the value of `contributes.{0}.path` must be a `.code-snippets`-file. Provided value: {1}",
+ "invalid.language": "Unknown language in `contributes.{0}.language`. Provided value: {1}",
+ "invalid.path.1": "Expected `contributes.{0}.path` ({1}) to be included inside extension's folder ({2}). This might make the extension non-portable.",
+ "vscode.extension.contributes.snippets": "Contributes snippets.",
+ "vscode.extension.contributes.snippets-language": "Language identifier for which this snippet is contributed to.",
+ "vscode.extension.contributes.snippets-path": "Path of the snippets file. The path is relative to the extension folder and typically starts with './snippets/'.",
+ "badVariableUse": "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)",
+ "badFile": "The snippet file \"{0}\" could not be read."
+ },
+ "vs/workbench/contrib/snippets/browser/snippetCompletionProvider": {
+ "detail.snippet": "{0} ({1})",
+ "snippetSuggest.longLabel": "{0}, {1}"
+ },
+ "vs/workbench/contrib/snippets/browser/snippetsFile": {
+ "source.workspaceSnippetGlobal": "Workspace Snippet",
+ "source.userSnippetGlobal": "Global User Snippet",
+ "source.userSnippet": "User Snippet"
+ },
+ "vs/workbench/contrib/stats/electron-browser/workspaceStatsService": {
+ "workspaceFound": "This folder contains a workspace file '{0}'. Do you want to open it? [Learn more]({1}) about workspace files.",
+ "openWorkspace": "Buka Ruang Kerja",
+ "workspacesFound": "This folder contains multiple workspace files. Do you want to open one? [Learn more]({0}) about workspace files.",
+ "selectWorkspace": "Select Workspace",
+ "selectToOpen": "Pilih ruang kerja yang akan dibuka"
+ },
+ "vs/workbench/contrib/surveys/browser/nps.contribution": {
+ "surveyQuestion": "Do you mind taking a quick feedback survey?",
+ "takeSurvey": "Take Survey",
+ "remindLater": "Remind Me later",
+ "neverAgain": "Jangan Tampilkan Lagi"
+ },
+ "vs/workbench/contrib/surveys/browser/languageSurveys.contribution": {
+ "helpUs": "Help us improve our support for {0}",
+ "takeShortSurvey": "Take Short Survey",
+ "remindLater": "Remind Me later",
+ "neverAgain": "Jangan Tampilkan Lagi"
+ },
+ "vs/workbench/contrib/tags/electron-browser/workspaceTagsService": {
+ "workspaceFound": "This folder contains a workspace file '{0}'. Do you want to open it? [Learn more]({1}) about workspace files.",
+ "openWorkspace": "Buka Ruang Kerja",
+ "workspacesFound": "This folder contains multiple workspace files. Do you want to open one? [Learn more]({0}) about workspace files.",
+ "selectWorkspace": "Select Workspace",
+ "selectToOpen": "Pilih ruang kerja yang akan dibuka"
+ },
+ "vs/workbench/contrib/tasks/node/processRunnerDetector": {
+ "TaskSystemDetector.noGulpTasks": "Running gulp --tasks-simple didn't list any tasks. Did you run npm install?",
+ "TaskSystemDetector.noJakeTasks": "Running jake --tasks didn't list any tasks. Did you run npm install?",
+ "TaskSystemDetector.noGulpProgram": "Gulp is not installed on your system. Run npm install -g gulp to install it.",
+ "TaskSystemDetector.noJakeProgram": "Jake is not installed on your system. Run npm install -g jake to install it.",
+ "TaskSystemDetector.noGruntProgram": "Grunt is not installed on your system. Run npm install -g grunt to install it.",
+ "TaskSystemDetector.noProgram": "Program {0} was not found. Message is {1}",
+ "TaskSystemDetector.buildTaskDetected": "Build task named '{0}' detected.",
+ "TaskSystemDetector.testTaskDetected": "Test task named '{0}' detected."
+ },
+ "vs/workbench/contrib/tasks/node/processTaskSystem": {
+ "version1_0": "The task system is configured for version 0.1.0 (see tasks.json file), which can only execute custom tasks. Upgrade to version 2.0.0 to run the task: {0}",
+ "TaskRunnerSystem.unknownError": "A unknown error has occurred while executing a task. See task output log for details.",
+ "TaskRunnerSystem.watchingBuildTaskFinished": "\nWatching build tasks has finished.",
+ "TaskRunnerSystem.childProcessError": "Failed to launch external program {0} {1}.",
+ "TaskRunnerSystem.cancelRequested": "\nThe task '{0}' was terminated per user request.",
+ "unknownProblemMatcher": "Problem matcher {0} can't be resolved. The matcher will be ignored"
+ },
+ "vs/workbench/contrib/tasks/browser/task.contribution": {
+ "tasksCategory": "Tasks",
+ "building": "Building...",
+ "runningTasks": "Show Running Tasks",
+ "status.runningTasks": "Running Tasks",
+ "miRunTask": "&&Run Task...",
+ "miBuildTask": "Run &&Build Task...",
+ "miRunningTask": "Show Runnin&&g Tasks...",
+ "miRestartTask": "R&&estart Running Task...",
+ "miTerminateTask": "&&Terminate Task...",
+ "miConfigureTask": "&&Configure Tasks...",
+ "miConfigureBuildTask": "Configure De&&fault Build Task...",
+ "workbench.action.tasks.openWorkspaceFileTasks": "Open Workspace Tasks",
+ "ShowLogAction.label": "Show Task Log",
+ "RunTaskAction.label": "Run Task",
+ "ReRunTaskAction.label": "Rerun Last Task",
+ "RestartTaskAction.label": "Restart Running Task",
+ "ShowTasksAction.label": "Show Running Tasks",
+ "TerminateAction.label": "Terminate Task",
+ "BuildAction.label": "Run Build Task",
+ "TestAction.label": "Run Test Task",
+ "ConfigureDefaultBuildTask.label": "Configure Default Build Task",
+ "ConfigureDefaultTestTask.label": "Configure Default Test Task",
+ "workbench.action.tasks.openUserTasks": "Open User Tasks",
+ "tasksQuickAccessPlaceholder": "Type the name of a task to run.",
+ "tasksQuickAccessHelp": "Run Task",
+ "tasksConfigurationTitle": "Tasks",
+ "task.problemMatchers.neverPrompt": "Configures whether to show the problem matcher prompt when running a task. Set to `true` to never prompt, or use a dictionary of task types to turn off prompting only for specific task types.",
+ "task.problemMatchers.neverPrompt.boolean": "Sets problem matcher prompting behavior for all tasks.",
+ "task.problemMatchers.neverPrompt.array": "An object containing task type-boolean pairs to never prompt for problem matchers on.",
+ "task.autoDetect": "Controls enablement of `provideTasks` for all task provider extension. If the Tasks: Run Task command is slow, disabling auto detect for task providers may help. Individual extensions may also provide settings that disable auto detection.",
+ "task.slowProviderWarning": "Configures whether a warning is shown when a provider is slow",
+ "task.slowProviderWarning.boolean": "Sets the slow provider warning for all tasks.",
+ "task.slowProviderWarning.array": "An array of task types to never show the slow provider warning.",
+ "task.quickOpen.history": "Controls the number of recent items tracked in task quick open dialog.",
+ "task.quickOpen.detail": "Controls whether to show the task detail for task that have a detail in the Run Task quick pick.",
+ "task.quickOpen.skip": "Controls whether the task quick pick is skipped when there is only one task to pick from."
+ },
+ "vs/workbench/contrib/tasks/common/tasks": {
+ "TaskDefinition.missingRequiredProperty": "Error: the task identifier '{0}' is missing the required property '{1}'. The task identifier will be ignored."
+ },
+ "vs/workbench/contrib/tasks/common/jsonSchema_v1": {
+ "JsonSchema.version.deprecated": "Task version 0.1.0 is deprecated. Please use 2.0.0",
+ "JsonSchema.version": "The config's version number",
+ "JsonSchema._runner": "The runner has graduated. Use the offical runner property",
+ "JsonSchema.runner": "Defines whether the task is executed as a process and the output is shown in the output window or inside the terminal.",
+ "JsonSchema.windows": "Windows specific command configuration",
+ "JsonSchema.mac": "Mac specific command configuration",
+ "JsonSchema.linux": "Linux specific command configuration",
+ "JsonSchema.shell": "Specifies whether the command is a shell command or an external program. Defaults to false if omitted."
+ },
+ "vs/workbench/contrib/tasks/browser/tasksQuickAccess": {
+ "TaskService.pickRunTask": "Select the task to run"
+ },
+ "vs/workbench/contrib/tasks/common/taskDefinitionRegistry": {
+ "TaskDefinition.description": "The actual task type. Please note that types starting with a '$' are reserved for internal usage.",
+ "TaskDefinition.properties": "Additional properties of the task type",
+ "TaskTypeConfiguration.noType": "The task type configuration is missing the required 'taskType' property",
+ "TaskDefinitionExtPoint": "Contributes task kinds"
+ },
+ "vs/workbench/contrib/tasks/browser/runAutomaticTasks": {
+ "tasks.run.allowAutomatic": "This folder has tasks ({0}) defined in 'tasks.json' that run automatically when you open this folder. Do you allow automatic tasks to run when you open this folder?",
+ "allow": "Allow and run",
+ "disallow": "Disallow",
+ "openTasks": "Open tasks.json",
+ "workbench.action.tasks.manageAutomaticRunning": "Manage Automatic Tasks in Folder",
+ "workbench.action.tasks.allowAutomaticTasks": "Allow Automatic Tasks in Folder",
+ "workbench.action.tasks.disallowAutomaticTasks": "Disallow Automatic Tasks in Folder"
+ },
+ "vs/workbench/contrib/tasks/common/taskConfiguration": {
+ "ConfigurationParser.invalidCWD": "Warning: options.cwd must be of type string. Ignoring value {0}\n",
+ "ConfigurationParser.inValidArg": "Error: command argument must either be a string or a quoted string. Provided value is:\n{0}",
+ "ConfigurationParser.noShell": "Warning: shell configuration is only supported when executing tasks in the terminal.",
+ "ConfigurationParser.noName": "Error: Problem Matcher in declare scope must have a name:\n{0}\n",
+ "ConfigurationParser.unknownMatcherKind": "Warning: the defined problem matcher is unknown. Supported types are string | ProblemMatcher | Array.\n{0}\n",
+ "ConfigurationParser.invalidVariableReference": "Error: Invalid problemMatcher reference: {0}\n",
+ "ConfigurationParser.noTaskType": "Error: tasks configuration must have a type property. The configuration will be ignored.\n{0}\n",
+ "ConfigurationParser.noTypeDefinition": "Error: there is no registered task type '{0}'. Did you miss to install an extension that provides a corresponding task provider?",
+ "ConfigurationParser.missingType": "Error: the task configuration '{0}' is missing the required property 'type'. The task configuration will be ignored.",
+ "ConfigurationParser.incorrectType": "Error: the task configuration '{0}' is using an unknown type. The task configuration will be ignored.",
+ "ConfigurationParser.notCustom": "Kesalahan: tugas tidak dinyatakan sebagai tugas kustom. Konfigurasi akan diabaikan.\n{0}\n",
+ "ConfigurationParser.noTaskName": "Error: sebuah task harus menyediakan properti label. Task ini akan diabaikan. {0}",
+ "taskConfiguration.noCommandOrDependsOn": "Error: the task '{0}' neither specifies a command nor a dependsOn property. The task will be ignored. Its definition is:\n{1}",
+ "taskConfiguration.noCommand": "Error: the task '{0}' doesn't define a command. The task will be ignored. Its definition is:\n{1}",
+ "TaskParse.noOsSpecificGlobalTasks": "Task version 2.0.0 doesn't support global OS specific tasks. Convert them to a task with a OS specific command. Affected tasks are:\n{0}"
+ },
+ "vs/workbench/contrib/tasks/common/jsonSchema_v2": {
+ "JsonSchema.shell": "Specifies whether the command is a shell command or an external program. Defaults to false if omitted.",
+ "JsonSchema.tasks.isShellCommand.deprecated": "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.",
+ "JsonSchema.tasks.dependsOn.identifier": "The task identifier.",
+ "JsonSchema.tasks.dependsOn.string": "Another task this task depends on.",
+ "JsonSchema.tasks.dependsOn.array": "The other tasks this task depends on.",
+ "JsonSchema.tasks.dependsOn": "Either a string representing another task or an array of other tasks that this task depends on.",
+ "JsonSchema.tasks.dependsOrder.parallel": "Run all dependsOn tasks in parallel.",
+ "JsonSchema.tasks.dependsOrder.sequence": "Run all dependsOn tasks in sequence.",
+ "JsonSchema.tasks.dependsOrder": "Determines the order of the dependsOn tasks for this task. Note that this property is not recursive.",
+ "JsonSchema.tasks.detail": "An optional description of a task that shows in the Run Task quick pick as a detail.",
+ "JsonSchema.tasks.presentation": "Configures the panel that is used to present the task's output and reads its input.",
+ "JsonSchema.tasks.presentation.echo": "Controls whether the executed command is echoed to the panel. Default is true.",
+ "JsonSchema.tasks.presentation.focus": "Controls whether the panel takes focus. Default is false. If set to true the panel is revealed as well.",
+ "JsonSchema.tasks.presentation.revealProblems.always": "Always reveals the problems panel when this task is executed.",
+ "JsonSchema.tasks.presentation.revealProblems.onProblem": "Only reveals the problems panel if a problem is found.",
+ "JsonSchema.tasks.presentation.revealProblems.never": "Never reveals the problems panel when this task is executed.",
+ "JsonSchema.tasks.presentation.revealProblems": "Controls whether the problems panel is revealed when running this task or not. Takes precedence over option \"reveal\". Default is \"never\".",
+ "JsonSchema.tasks.presentation.reveal.always": "Always reveals the terminal when this task is executed.",
+ "JsonSchema.tasks.presentation.reveal.silent": "Only reveals the terminal if the task exits with an error or the problem matcher finds an error.",
+ "JsonSchema.tasks.presentation.reveal.never": "Jangan tampilkan terminal saat tugas ini dijalankan.",
+ "JsonSchema.tasks.presentation.reveal": "Controls whether the terminal running the task is revealed or not. May be overridden by option \"revealProblems\". Default is \"always\".",
+ "JsonSchema.tasks.presentation.instance": "Controls if the panel is shared between tasks, dedicated to this task or a new one is created on every run.",
+ "JsonSchema.tasks.presentation.showReuseMessage": "Controls whether to show the `Terminal will be reused by tasks, press any key to close it` message.",
+ "JsonSchema.tasks.presentation.clear": "Controls whether the terminal is cleared before executing the task.",
+ "JsonSchema.tasks.presentation.group": "Controls whether the task is executed in a specific terminal group using split panes.",
+ "JsonSchema.tasks.terminal": "The terminal property is deprecated. Use presentation instead",
+ "JsonSchema.tasks.group.kind": "The task's execution group.",
+ "JsonSchema.tasks.group.isDefault": "Defines if this task is the default task in the group.",
+ "JsonSchema.tasks.group.defaultBuild": "Marks the task as the default build task.",
+ "JsonSchema.tasks.group.defaultTest": "Marks the task as the default test task.",
+ "JsonSchema.tasks.group.build": "Marks the task as a build task accessible through the 'Run Build Task' command.",
+ "JsonSchema.tasks.group.test": "Marks the task as a test task accessible through the 'Run Test Task' command.",
+ "JsonSchema.tasks.group.none": "Assigns the task to no group",
+ "JsonSchema.tasks.group": "Defines to which execution group this task belongs to. It supports \"build\" to add it to the build group and \"test\" to add it to the test group.",
+ "JsonSchema.tasks.type": "Defines whether the task is run as a process or as a command inside a shell.",
+ "JsonSchema.commandArray": "The shell command to be executed. Array items will be joined using a space character",
+ "JsonSchema.command.quotedString.value": "The actual command value",
+ "JsonSchema.tasks.quoting.escape": "Escapes characters using the shell's escape character (e.g. ` under PowerShell and \\ under bash).",
+ "JsonSchema.tasks.quoting.strong": "Quotes the argument using the shell's strong quote character (e.g. \" under PowerShell and bash).",
+ "JsonSchema.tasks.quoting.weak": "Quotes the argument using the shell's weak quote character (e.g. ' under PowerShell and bash).",
+ "JsonSchema.command.quotesString.quote": "How the command value should be quoted.",
+ "JsonSchema.command": "The command to be executed. Can be an external program or a shell command.",
+ "JsonSchema.args.quotedString.value": "The actual argument value",
+ "JsonSchema.args.quotesString.quote": "How the argument value should be quoted.",
+ "JsonSchema.tasks.args": "Arguments passed to the command when this task is invoked.",
+ "JsonSchema.tasks.label": "The task's user interface label",
+ "JsonSchema.version": "The config's version number.",
+ "JsonSchema.tasks.identifier": "A user defined identifier to reference the task in launch.json or a dependsOn clause.",
+ "JsonSchema.tasks.identifier.deprecated": "User defined identifiers are deprecated. For custom task use the name as a reference and for tasks provided by extensions use their defined task identifier.",
+ "JsonSchema.tasks.reevaluateOnRerun": "Whether to reevaluate task variables on rerun.",
+ "JsonSchema.tasks.runOn": "Configures when the task should be run. If set to folderOpen, then the task will be run automatically when the folder is opened.",
+ "JsonSchema.tasks.instanceLimit": "The number of instances of the task that are allowed to run simultaneously.",
+ "JsonSchema.tasks.runOptions": "The task's run related options",
+ "JsonSchema.tasks.taskLabel": "The task's label",
+ "JsonSchema.tasks.taskName": "The task's name",
+ "JsonSchema.tasks.taskName.deprecated": "The task's name property is deprecated. Use the label property instead.",
+ "JsonSchema.tasks.background": "Apakah tugas yang dieksekusi tetap hidup dan berjalan di latar belakang.",
+ "JsonSchema.tasks.promptOnClose": "Whether the user is prompted when VS Code closes with a running task.",
+ "JsonSchema.tasks.matchers": "The problem matcher(s) to use. Can either be a string or a problem matcher definition or an array of strings and problem matchers.",
+ "JsonSchema.customizations.customizes.type": "The task type to customize",
+ "JsonSchema.tasks.customize.deprecated": "The customize property is deprecated. See the 1.14 release notes on how to migrate to the new task customization approach",
+ "JsonSchema.tasks.showOutput.deprecated": "The property showOutput is deprecated. Use the reveal property inside the presentation property instead. See also the 1.14 release notes.",
+ "JsonSchema.tasks.echoCommand.deprecated": "The property echoCommand is deprecated. Use the echo property inside the presentation property instead. See also the 1.14 release notes.",
+ "JsonSchema.tasks.suppressTaskName.deprecated": "The property suppressTaskName is deprecated. Inline the command with its arguments into the task instead. See also the 1.14 release notes.",
+ "JsonSchema.tasks.isBuildCommand.deprecated": "The property isBuildCommand is deprecated. Use the group property instead. See also the 1.14 release notes.",
+ "JsonSchema.tasks.isTestCommand.deprecated": "The property isTestCommand is deprecated. Use the group property instead. See also the 1.14 release notes.",
+ "JsonSchema.tasks.taskSelector.deprecated": "The property taskSelector is deprecated. Inline the command with its arguments into the task instead. See also the 1.14 release notes.",
+ "JsonSchema.windows": "Windows specific command configuration",
+ "JsonSchema.mac": "Mac specific command configuration",
+ "JsonSchema.linux": "Linux specific command configuration"
+ },
+ "vs/workbench/contrib/tasks/common/jsonSchemaCommon": {
+ "JsonSchema.options": "Additional command options",
+ "JsonSchema.options.cwd": "The current working directory of the executed program or script. If omitted Code's current workspace root is used.",
+ "JsonSchema.options.env": "The environment of the executed program or shell. If omitted the parent process' environment is used.",
+ "JsonSchema.shellConfiguration": "Configures the shell to be used.",
+ "JsonSchema.shell.executable": "The shell to be used.",
+ "JsonSchema.shell.args": "The shell arguments.",
+ "JsonSchema.command": "The command to be executed. Can be an external program or a shell command.",
+ "JsonSchema.tasks.args": "Arguments passed to the command when this task is invoked.",
+ "JsonSchema.tasks.taskName": "The task's name",
+ "JsonSchema.tasks.windows": "Windows specific command configuration",
+ "JsonSchema.tasks.matchers": "The problem matcher(s) to use. Can either be a string or a problem matcher definition or an array of strings and problem matchers.",
+ "JsonSchema.tasks.mac": "Mac specific command configuration",
+ "JsonSchema.tasks.linux": "Linux specific command configuration",
+ "JsonSchema.tasks.suppressTaskName": "Controls whether the task name is added as an argument to the command. If omitted the globally defined value is used.",
+ "JsonSchema.tasks.showOutput": "Controls whether the output of the running task is shown or not. If omitted the globally defined value is used.",
+ "JsonSchema.echoCommand": "Controls whether the executed command is echoed to the output. Default is false.",
+ "JsonSchema.tasks.watching.deprecation": "Deprecated. Use isBackground instead.",
+ "JsonSchema.tasks.watching": "Whether the executed task is kept alive and is watching the file system.",
+ "JsonSchema.tasks.background": "Apakah tugas yang dieksekusi tetap hidup dan berjalan di latar belakang.",
+ "JsonSchema.tasks.promptOnClose": "Whether the user is prompted when VS Code closes with a running task.",
+ "JsonSchema.tasks.build": "Maps this task to Code's default build command.",
+ "JsonSchema.tasks.test": "Maps this task to Code's default test command.",
+ "JsonSchema.args": "Additional arguments passed to the command.",
+ "JsonSchema.showOutput": "Controls whether the output of the running task is shown or not. If omitted 'always' is used.",
+ "JsonSchema.watching.deprecation": "Deprecated. Use isBackground instead.",
+ "JsonSchema.watching": "Whether the executed task is kept alive and is watching the file system.",
+ "JsonSchema.background": "Whether the executed task is kept alive and is running in the background.",
+ "JsonSchema.promptOnClose": "Whether the user is prompted when VS Code closes with a running background task.",
+ "JsonSchema.suppressTaskName": "Controls whether the task name is added as an argument to the command. Default is false.",
+ "JsonSchema.taskSelector": "Prefix to indicate that an argument is task.",
+ "JsonSchema.matchers": "The problem matcher(s) to use. Can either be a string or a problem matcher definition or an array of strings and problem matchers.",
+ "JsonSchema.tasks": "The task configurations. Usually these are enrichments of task already defined in the external task runner."
+ },
+ "vs/workbench/contrib/tasks/browser/taskQuickPick": {
+ "taskQuickPick.showAll": "Show All Tasks...",
+ "configureTask": "Mengkonfigurasi Tugas",
+ "contributedTasks": "contributed",
+ "recentlyUsed": "recently used",
+ "configured": "configured",
+ "TaskQuickPick.goBack": "Go back ↩",
+ "TaskQuickPick.noTasksForType": "No {0} tasks found. Go back ↩"
+ },
+ "vs/workbench/contrib/tasks/common/problemMatcher": {
+ "ProblemPatternParser.problemPattern.missingRegExp": "The problem pattern is missing a regular expression.",
+ "ProblemPatternParser.loopProperty.notLast": "The loop property is only supported on the last line matcher.",
+ "ProblemPatternParser.problemPattern.kindProperty.notFirst": "The problem pattern is invalid. The kind property must be provided only in the first element",
+ "ProblemPatternParser.problemPattern.missingProperty": "The problem pattern is invalid. It must have at least have a file and a message.",
+ "ProblemPatternParser.problemPattern.missingLocation": "The problem pattern is invalid. It must either have kind: \"file\" or have a line or location match group.",
+ "ProblemPatternParser.invalidRegexp": "Error: The string {0} is not a valid regular expression.\n",
+ "ProblemPatternSchema.regexp": "The regular expression to find an error, warning or info in the output.",
+ "ProblemPatternSchema.kind": "whether the pattern matches a location (file and line) or only a file.",
+ "ProblemPatternSchema.file": "The match group index of the filename. If omitted 1 is used.",
+ "ProblemPatternSchema.location": "The match group index of the problem's location. Valid location patterns are: (line), (line,column) and (startLine,startColumn,endLine,endColumn). If omitted (line,column) is assumed.",
+ "ProblemPatternSchema.line": "The match group index of the problem's line. Defaults to 2",
+ "ProblemPatternSchema.column": "The match group index of the problem's line character. Defaults to 3",
+ "ProblemPatternSchema.endLine": "The match group index of the problem's end line. Defaults to undefined",
+ "ProblemPatternSchema.endColumn": "The match group index of the problem's end line character. Defaults to undefined",
+ "ProblemPatternSchema.severity": "The match group index of the problem's severity. Defaults to undefined",
+ "ProblemPatternSchema.code": "The match group index of the problem's code. Defaults to undefined",
+ "ProblemPatternSchema.message": "The match group index of the message. If omitted it defaults to 4 if location is specified. Otherwise it defaults to 5.",
+ "ProblemPatternSchema.loop": "In a multi line matcher loop indicated whether this pattern is executed in a loop as long as it matches. Can only specified on a last pattern in a multi line pattern.",
+ "NamedProblemPatternSchema.name": "The name of the problem pattern.",
+ "NamedMultiLineProblemPatternSchema.name": "The name of the problem multi line problem pattern.",
+ "NamedMultiLineProblemPatternSchema.patterns": "The actual patterns.",
+ "ProblemPatternExtPoint": "Contributes problem patterns",
+ "ProblemPatternRegistry.error": "Invalid problem pattern. The pattern will be ignored.",
+ "ProblemMatcherParser.noProblemMatcher": "Error: the description can't be converted into a problem matcher:\n{0}\n",
+ "ProblemMatcherParser.noProblemPattern": "Error: the description doesn't define a valid problem pattern:\n{0}\n",
+ "ProblemMatcherParser.noOwner": "Error: the description doesn't define an owner:\n{0}\n",
+ "ProblemMatcherParser.noFileLocation": "Error: the description doesn't define a file location:\n{0}\n",
+ "ProblemMatcherParser.unknownSeverity": "Info: unknown severity {0}. Valid values are error, warning and info.\n",
+ "ProblemMatcherParser.noDefinedPatter": "Error: the pattern with the identifier {0} doesn't exist.",
+ "ProblemMatcherParser.noIdentifier": "Error: the pattern property refers to an empty identifier.",
+ "ProblemMatcherParser.noValidIdentifier": "Error: the pattern property {0} is not a valid pattern variable name.",
+ "ProblemMatcherParser.problemPattern.watchingMatcher": "A problem matcher must define both a begin pattern and an end pattern for watching.",
+ "ProblemMatcherParser.invalidRegexp": "Error: The string {0} is not a valid regular expression.\n",
+ "WatchingPatternSchema.regexp": "The regular expression to detect the begin or end of a background task.",
+ "WatchingPatternSchema.file": "The match group index of the filename. Can be omitted.",
+ "PatternTypeSchema.name": "The name of a contributed or predefined pattern",
+ "PatternTypeSchema.description": "A problem pattern or the name of a contributed or predefined problem pattern. Can be omitted if base is specified.",
+ "ProblemMatcherSchema.base": "The name of a base problem matcher to use.",
+ "ProblemMatcherSchema.owner": "The owner of the problem inside Code. Can be omitted if base is specified. Defaults to 'external' if omitted and base is not specified.",
+ "ProblemMatcherSchema.source": "A human-readable string describing the source of this diagnostic, e.g. 'typescript' or 'super lint'.",
+ "ProblemMatcherSchema.severity": "The default severity for captures problems. Is used if the pattern doesn't define a match group for severity.",
+ "ProblemMatcherSchema.applyTo": "Controls if a problem reported on a text document is applied only to open, closed or all documents.",
+ "ProblemMatcherSchema.fileLocation": "Defines how file names reported in a problem pattern should be interpreted.",
+ "ProblemMatcherSchema.background": "Patterns to track the begin and end of a matcher active on a background task.",
+ "ProblemMatcherSchema.background.activeOnStart": "If set to true the background monitor is in active mode when the task starts. This is equals of issuing a line that matches the beginsPattern",
+ "ProblemMatcherSchema.background.beginsPattern": "If matched in the output the start of a background task is signaled.",
+ "ProblemMatcherSchema.background.endsPattern": "If matched in the output the end of a background task is signaled.",
+ "ProblemMatcherSchema.watching.deprecated": "The watching property is deprecated. Use background instead.",
+ "ProblemMatcherSchema.watching": "Patterns to track the begin and end of a watching matcher.",
+ "ProblemMatcherSchema.watching.activeOnStart": "If set to true the watcher is in active mode when the task starts. This is equals of issuing a line that matches the beginPattern",
+ "ProblemMatcherSchema.watching.beginsPattern": "If matched in the output the start of a watching task is signaled.",
+ "ProblemMatcherSchema.watching.endsPattern": "If matched in the output the end of a watching task is signaled.",
+ "LegacyProblemMatcherSchema.watchedBegin.deprecated": "This property is deprecated. Use the watching property instead.",
+ "LegacyProblemMatcherSchema.watchedBegin": "A regular expression signaling that a watched tasks begins executing triggered through file watching.",
+ "LegacyProblemMatcherSchema.watchedEnd.deprecated": "This property is deprecated. Use the watching property instead.",
+ "LegacyProblemMatcherSchema.watchedEnd": "A regular expression signaling that a watched tasks ends executing.",
+ "NamedProblemMatcherSchema.name": "The name of the problem matcher used to refer to it.",
+ "NamedProblemMatcherSchema.label": "A human readable label of the problem matcher.",
+ "ProblemMatcherExtPoint": "Contributes problem matchers",
+ "msCompile": "Microsoft compiler problems",
+ "lessCompile": "Less problems",
+ "gulp-tsc": "Gulp TSC Problems",
+ "jshint": "JSHint problems",
+ "jshint-stylish": "JSHint stylish problems",
+ "eslint-compact": "Masalah ESLint compact",
+ "eslint-stylish": "ESLint stylish problems",
+ "go": "Go problems"
+ },
+ "vs/workbench/contrib/tasks/browser/abstractTaskService": {
+ "ConfigureTaskRunnerAction.label": "Configure Task",
+ "tasks": "Tasks",
+ "TaskSystem.noHotSwap": "Changing the task execution engine with an active task running requires to reload the Window",
+ "reloadWindow": "Reload Window",
+ "TaskService.pickBuildTaskForLabel": "Select the build task (there is no default build task defined)",
+ "taskServiceOutputPrompt": "There are task errors. See the output for details.",
+ "showOutput": "Show output",
+ "TaskServer.folderIgnored": "The folder {0} is ignored since it uses task version 0.1.0",
+ "TaskService.noBuildTask1": "No build task defined. Mark a task with 'isBuildCommand' in the tasks.json file.",
+ "TaskService.noBuildTask2": "No build task defined. Mark a task with as a 'build' group in the tasks.json file.",
+ "TaskService.noTestTask1": "No test task defined. Mark a task with 'isTestCommand' in the tasks.json file.",
+ "TaskService.noTestTask2": "No test task defined. Mark a task with as a 'test' group in the tasks.json file.",
+ "TaskServer.noTask": "Task to execute is undefined",
+ "TaskService.associate": "associate",
+ "TaskService.attachProblemMatcher.continueWithout": "Continue without scanning the task output",
+ "TaskService.attachProblemMatcher.never": "Never scan the task output for this task",
+ "TaskService.attachProblemMatcher.neverType": "Never scan the task output for {0} tasks",
+ "TaskService.attachProblemMatcher.learnMoreAbout": "Learn more about scanning the task output",
+ "selectProblemMatcher": "Select for which kind of errors and warnings to scan the task output",
+ "customizeParseErrors": "The current task configuration has errors. Please fix the errors first before customizing a task.",
+ "tasksJsonComment": "\t// See https://go.microsoft.com/fwlink/?LinkId=733558 \n\t// for the documentation about the tasks.json format",
+ "moreThanOneBuildTask": "There are many build tasks defined in the tasks.json. Executing the first one.\n",
+ "TaskSystem.activeSame.noBackground": "The task '{0}' is already active.",
+ "terminateTask": "Terminate Task",
+ "restartTask": "Mulai ulang Tugas",
+ "TaskSystem.active": "There is already a task running. Terminate it first before executing another task.",
+ "TaskSystem.restartFailed": "Failed to terminate and restart task {0}",
+ "TaskService.noConfiguration": "Error: The {0} task detection didn't contribute a task for the following configuration:\n{1}\nThe task will be ignored.\n",
+ "TaskSystem.configurationErrors": "Error: the provided task configuration has validation errors and can't not be used. Please correct the errors first.",
+ "TaskSystem.invalidTaskJsonOther": "Error: The content of the tasks json in {0} has syntax errors. Please correct them before executing a task.\n",
+ "TasksSystem.locationWorkspaceConfig": "workspace file",
+ "TaskSystem.versionWorkspaceFile": "Only tasks version 2.0.0 permitted in .codeworkspace.",
+ "TasksSystem.locationUserConfig": "Pengaturan Pengguna",
+ "TaskSystem.versionSettings": "Only tasks version 2.0.0 permitted in user settings.",
+ "taskService.ignoreingFolder": "Ignoring task configurations for workspace folder {0}. Multi folder workspace task support requires that all folders use task version 2.0.0\n",
+ "TaskSystem.invalidTaskJson": "Error: The content of the tasks.json file has syntax errors. Please correct them before executing a task.\n",
+ "TaskSystem.runningTask": "There is a task running. Do you want to terminate it?",
+ "TaskSystem.terminateTask": "&&Terminate Task",
+ "TaskSystem.noProcess": "Tugas yang dijalankan tidak tersedia lagi. Apabila tugas tersebut menjalankan proses latar belakang, keluar dari VS Code dapat mengakibatkan proses tersebut tidak berinduk. Untuk menghindarinya, jalankan proses latar belakang terakhir dengan tanda tunggu.",
+ "TaskSystem.exitAnyways": "&&Exit Anyways",
+ "TerminateAction.label": "Terminate Task",
+ "TaskSystem.unknownError": "An error has occurred while running a task. See task log for details.",
+ "TaskService.noWorkspace": "Tasks are only available on a workspace folder.",
+ "TaskService.learnMore": "Learn More",
+ "configureTask": "Mengkonfigurasi Tugas",
+ "recentlyUsed": "recently used tasks",
+ "configured": "configured tasks",
+ "detected": "detected tasks",
+ "TaskService.ignoredFolder": "Folder area kerja berikut diabaikan karena menggunakan tugas versi 0.1.0: {0}",
+ "TaskService.notAgain": "Jangan Tampilkan Lagi",
+ "TaskService.pickRunTask": "Select the task to run",
+ "TaskService.noEntryToRun": "No configured tasks. Configure Tasks...",
+ "TaskService.fetchingBuildTasks": "Fetching build tasks...",
+ "TaskService.pickBuildTask": "Select the build task to run",
+ "TaskService.noBuildTask": "No build task to run found. Configure Build Task...",
+ "TaskService.fetchingTestTasks": "Fetching test tasks...",
+ "TaskService.pickTestTask": "Select the test task to run",
+ "TaskService.noTestTaskTerminal": "No test task to run found. Configure Tasks...",
+ "TaskService.taskToTerminate": "Select a task to terminate",
+ "TaskService.noTaskRunning": "Tidak ada tugas yang sedang berjalan",
+ "TaskService.terminateAllRunningTasks": "All Running Tasks",
+ "TerminateAction.noProcess": "The launched process doesn't exist anymore. If the task spawned background tasks exiting VS Code might result in orphaned processes.",
+ "TerminateAction.failed": "Failed to terminate running task",
+ "TaskService.taskToRestart": "Select the task to restart",
+ "TaskService.noTaskToRestart": "No task to restart",
+ "TaskService.template": "Select a Task Template",
+ "taskQuickPick.userSettings": "Pengaturan Pengguna",
+ "TaskService.createJsonFile": "Create tasks.json file from template",
+ "TaskService.openJsonFile": "Open tasks.json file",
+ "TaskService.pickTask": "Select a task to configure",
+ "TaskService.defaultBuildTaskExists": "{0} is already marked as the default build task",
+ "TaskService.pickDefaultBuildTask": "Select the task to be used as the default build task",
+ "TaskService.defaultTestTaskExists": "{0} is already marked as the default test task.",
+ "TaskService.pickDefaultTestTask": "Select the task to be used as the default test task",
+ "TaskService.pickShowTask": "Select the task to show its output",
+ "TaskService.noTaskIsRunning": "No task is running"
+ },
+ "vs/workbench/contrib/tasks/common/taskTemplates": {
+ "dotnetCore": "Mengeksekusi perintah membangun .NET Core",
+ "msbuild": "Executes the build target",
+ "externalCommand": "Example to run an arbitrary external command",
+ "Maven": "Executes common maven commands"
+ },
+ "vs/workbench/contrib/tasks/browser/terminalTaskSystem": {
+ "TerminalTaskSystem.unknownError": "A unknown error has occurred while executing a task. See task output log for details.",
+ "dependencyFailed": "Couldn't resolve dependent task '{0}' in workspace folder '{1}'",
+ "TerminalTaskSystem.nonWatchingMatcher": "Tugas {0} adalah tugas latar belakang tetapi menggunakan pengenalan masalah tanpa pola latar belakang",
+ "TerminalTaskSystem.terminalName": "Task - {0}",
+ "closeTerminal": "Press any key to close the terminal.",
+ "reuseTerminal": "Terminal will be reused by tasks, press any key to close it.",
+ "TerminalTaskSystem": "Can't execute a shell command on an UNC drive using cmd.exe.",
+ "unknownProblemMatcher": "Problem matcher {0} can't be resolved. The matcher will be ignored"
+ },
+ "vs/workbench/contrib/terminal/common/terminalShellConfig": {
+ "terminalIntegratedConfigurationTitle": "Integrated Terminal",
+ "terminal.integrated.shell.linux": "The path of the shell that the terminal uses on Linux (default: {0}). [Read more about configuring the shell](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shell.linux.noDefault": "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#_configuration).",
+ "terminal.integrated.shell.osx": "The path of the shell that the terminal uses on macOS (default: {0}). [Read more about configuring the shell](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shell.osx.noDefault": "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#_configuration).",
+ "terminal.integrated.shell.windows": "The path of the shell that the terminal uses on Windows (default: {0}). [Read more about configuring the shell](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shell.windows.noDefault": "Jalur ke shell yang digunakan oleh terminal pada Windows. [Baca lebih lanjut tentang cara mengonfigurasi shell] (https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration)."
+ },
+ "vs/workbench/contrib/terminal/common/terminal": {
+ "terminalCategory": "Terminal"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalView": {
+ "terminal.useMonospace": "Use 'monospace'",
+ "terminal.monospaceOnly": "The terminal only supports monospace fonts. Be sure to restart VS Code if this is a newly installed font."
+ },
+ "vs/workbench/contrib/terminal/electron-browser/terminalRemote": {
+ "workbench.action.terminal.newLocal": "Buat Terminal Terpadu Baru (Lokal)"
+ },
+ "vs/workbench/contrib/terminal/browser/terminal.contribution": {
+ "tasksQuickAccessPlaceholder": "Type the name of a terminal to open.",
+ "tasksQuickAccessHelp": "Show All Opened Terminals",
+ "terminalIntegratedConfigurationTitle": "Integrated Terminal",
+ "terminal.integrated.automationShell.linux": "A path that when set will override {0} and ignore {1} values for automation-related terminal usage like tasks and debug.",
+ "terminal.integrated.automationShell.osx": "A path that when set will override {0} and ignore {1} values for automation-related terminal usage like tasks and debug.",
+ "terminal.integrated.automationShell.windows": "A path that when set will override {0} and ignore {1} values for automation-related terminal usage like tasks and debug.",
+ "terminal.integrated.shellArgs.linux": "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#_configuration).",
+ "terminal.integrated.shellArgs.osx": "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#_configuration).",
+ "terminal.integrated.shellArgs.windows": "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#_configuration).",
+ "terminal.integrated.shellArgs.windows.string": "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#_configuration).",
+ "terminal.integrated.macOptionIsMeta": "Controls whether to treat the option key as the meta key in the terminal on macOS.",
+ "terminal.integrated.macOptionClickForcesSelection": "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.",
+ "terminal.integrated.copyOnSelection": "Controls whether text selected in the terminal will be copied to the clipboard.",
+ "terminal.integrated.drawBoldTextInBrightColors": "Controls whether bold text in the terminal will always use the \"bright\" ANSI color variant.",
+ "terminal.integrated.fontFamily": "Controls the font family of the terminal, this defaults to `#editor.fontFamily#`'s value.",
+ "terminal.integrated.fontSize": "Controls the font size in pixels of the terminal.",
+ "terminal.integrated.letterSpacing": "Controls the letter spacing of the terminal, this is an integer value which represents the amount of additional pixels to add between characters.",
+ "terminal.integrated.lineHeight": "Controls the line height of the terminal, this number is multiplied by the terminal font size to get the actual line-height in pixels.",
+ "terminal.integrated.minimumContrastRatio": "When set the foreground color of each cell will change to try meet the contrast ratio specified. Example values:\n\n- 1: The default, do nothing.\n- 4.5: [WCAG AA compliance (minimum)](https://www.w3.org/TR/UNDERSTANDING-WCAG20/visual-audio-contrast-contrast.html).\n- 7: [WCAG AAA compliance (enhanced)](https://www.w3.org/TR/UNDERSTANDING-WCAG20/visual-audio-contrast7.html).\n- 21: White on black or black on white.",
+ "terminal.integrated.fastScrollSensitivity": "Scrolling speed multiplier when pressing `Alt`.",
+ "terminal.integrated.mouseWheelScrollSensitivity": "A multiplier to be used on the `deltaY` of mouse wheel scroll events.",
+ "terminal.integrated.fontWeight": "The font weight to use within the terminal for non-bold text.",
+ "terminal.integrated.fontWeightBold": "The font weight to use within the terminal for bold text.",
+ "terminal.integrated.cursorBlinking": "Controls whether the terminal cursor blinks.",
+ "terminal.integrated.cursorStyle": "Controls the style of terminal cursor.",
+ "terminal.integrated.cursorWidth": "Controls the width of the cursor when `#terminal.integrated.cursorStyle#` is set to `line`.",
+ "terminal.integrated.scrollback": "Controls the maximum amount of lines the terminal keeps in its buffer.",
+ "terminal.integrated.detectLocale": "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.",
+ "terminal.integrated.detectLocale.auto": "Set the `$LANG` environment variable if the existing variable does not exist or it does not end in `'.UTF-8'`.",
+ "terminal.integrated.detectLocale.off": "Do not set the `$LANG` environment variable.",
+ "terminal.integrated.detectLocale.on": "Always set the `$LANG` environment variable.",
+ "terminal.integrated.rendererType.auto": "Let VS Code guess which renderer to use.",
+ "terminal.integrated.rendererType.canvas": "Use the standard GPU/canvas-based renderer.",
+ "terminal.integrated.rendererType.dom": "Use the fallback DOM-based renderer.",
+ "terminal.integrated.rendererType.experimentalWebgl": "Use the experimental webgl-based renderer. Note that this has some [known issues](https://github.com/xtermjs/xterm.js/issues?q=is%3Aopen+is%3Aissue+label%3Aarea%2Faddon%2Fwebgl) and this will only be enabled for new terminals (not hot swappable like the other renderers).",
+ "terminal.integrated.rendererType": "Controls how the terminal is rendered.",
+ "terminal.integrated.rightClickBehavior.default": "Show the context menu.",
+ "terminal.integrated.rightClickBehavior.copyPaste": "Copy when there is a selection, otherwise paste.",
+ "terminal.integrated.rightClickBehavior.paste": "Paste on right click.",
+ "terminal.integrated.rightClickBehavior.selectWord": "Select the word under the cursor and show the context menu.",
+ "terminal.integrated.rightClickBehavior": "Controls how terminal reacts to right click.",
+ "terminal.integrated.cwd": "An explicit start path where the terminal will be launched, this is used as the current working directory (cwd) for the shell process. This may be particularly useful in workspace settings if the root directory is not a convenient cwd.",
+ "terminal.integrated.confirmOnExit": "Controls whether to confirm on exit if there are active terminal sessions.",
+ "terminal.integrated.enableBell": "Controls whether the terminal bell is enabled.",
+ "terminal.integrated.commandsToSkipShell": "A set of command IDs whose keybindings will not be sent to the shell and instead always be handled by Code. This allows the use of keybindings that would normally be consumed by the shell to act the same as when the terminal is not focused, for example ctrl+p to launch Quick Open.\nDefault Skipped Commands:\n\n{0}",
+ "terminal.integrated.allowChords": "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).",
+ "terminal.integrated.allowMnemonics": "Whether to allow menubar mnemonics (eg. alt+f) to trigger the open the menubar. Note that this will cause all alt keystrokes will skip the shell when true. This does nothing on macOS.",
+ "terminal.integrated.inheritEnv": "Whether new shells should inherit their environment from VS Code. This is not supported on Windows.",
+ "terminal.integrated.env.osx": "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.",
+ "terminal.integrated.env.linux": "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.",
+ "terminal.integrated.env.windows": "Object with environment variables that will be added to the VS Code process to be used by the terminal on Windows. Set to `null` to delete the environment variable.",
+ "terminal.integrated.showExitAlert": "Controls whether to show the alert \"The terminal process terminated with exit code\" when exit code is non-zero.",
+ "terminal.integrated.splitCwd": "Controls the working directory a split terminal starts with.",
+ "terminal.integrated.splitCwd.workspaceRoot": "A new split terminal will use the workspace root as the working directory. In a multi-root workspace a choice for which root folder to use is offered.",
+ "terminal.integrated.splitCwd.initial": "A new split terminal will use the working directory that the parent terminal started with.",
+ "terminal.integrated.splitCwd.inherited": "On macOS and Linux, a new split terminal will use the working directory of the parent terminal. On Windows, this behaves the same as initial.",
+ "terminal.integrated.windowsEnableConpty": "Whether to use ConPTY for Windows terminal process communication (requires Windows 10 build number 18309+). Winpty will be used if this is false.",
+ "terminal.integrated.experimentalUseTitleEvent": "An experimental setting that will use the terminal title event for the dropdown title. This setting will only apply to new terminals.",
+ "terminal.integrated.enableFileLinks": "Whether to enable file links in the terminal. Links can be slow when working on a network drive in particular because each file link is verified against the file system.",
+ "terminal.integrated.unicodeVersion.six": "Version 6 of unicode, this is an older version which should work better on older systems.",
+ "terminal.integrated.unicodeVersion.eleven": "Version 11 of unicode, this version provides better support on modern systems that use modern versions of unicode.",
+ "terminal.integrated.unicodeVersion": "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.",
+ "terminal": "Terminal",
+ "viewCategory": "View"
+ },
+ "vs/workbench/contrib/terminal/common/terminalColorRegistry": {
+ "terminal.background": "The background color of the terminal, this allows coloring the terminal differently to the panel.",
+ "terminal.foreground": "The foreground color of the terminal.",
+ "terminalCursor.foreground": "The foreground color of the terminal cursor.",
+ "terminalCursor.background": "The background color of the terminal cursor. Allows customizing the color of a character overlapped by a block cursor.",
+ "terminal.selectionBackground": "The selection background color of the terminal.",
+ "terminal.border": "The color of the border that separates split panes within the terminal. This defaults to panel.border.",
+ "terminal.ansiColor": "'{0}' ANSI color in the terminal."
+ },
+ "vs/workbench/contrib/terminal/common/terminalMenu": {
+ "miToggleIntegratedTerminal": "&&Terminal",
+ "miNewTerminal": "&&New Terminal",
+ "miSplitTerminal": "&&Split Terminal",
+ "miRunActiveFile": "Menjalankan & &Berkas aktif",
+ "miRunSelectedText": "Run &&Selected Text"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalsQuickAccess": {
+ "renameTerminal": "Rename Terminal",
+ "killTerminal": "Kill Terminal Instance",
+ "workbench.action.terminal.newplus": "Create New Integrated Terminal"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalService": {
+ "workbench.action.terminal.allowWorkspaceShell": "Izinkan Konfigurasi Workspace Shell",
+ "workbench.action.terminal.disallowWorkspaceShell": "Disallow Workspace Shell Configuration",
+ "terminalService.terminalCloseConfirmationSingular": "There is an active terminal session, do you want to kill it?",
+ "terminalService.terminalCloseConfirmationPlural": "There are {0} active terminal sessions, do you want to kill them?",
+ "terminal.integrated.chooseWindowsShell": "Select your preferred terminal shell, you can change this later in your settings"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalActions": {
+ "workbench.action.terminal.newWorkspacePlaceholder": "Select current working directory for new terminal",
+ "workbench.action.terminal.toggleTerminal": "Toggle Integrated Terminal",
+ "workbench.action.terminal.kill": "Kill the Active Terminal Instance",
+ "workbench.action.terminal.kill.short": "Kill Terminal",
+ "workbench.action.terminal.copySelection": "Copy Selection",
+ "workbench.action.terminal.copySelection.short": "Salin",
+ "workbench.action.terminal.selectAll": "Select All",
+ "workbench.action.terminal.deleteWordLeft": "Delete Word Left",
+ "workbench.action.terminal.deleteWordRight": "Delete Word Right",
+ "workbench.action.terminal.deleteToLineStart": "Delete To Line Start",
+ "workbench.action.terminal.moveToLineStart": "Move To Line Start",
+ "workbench.action.terminal.moveToLineEnd": "Move To Line End",
+ "workbench.action.terminal.sendSequence": "Send Custom Sequence To Terminal",
+ "workbench.action.terminal.newWithCwd": "Create New Integrated Terminal Starting in a Custom Working Directory",
+ "workbench.action.terminal.newWithCwd.cwd": "The directory to start the terminal at",
+ "workbench.action.terminal.new": "Create New Integrated Terminal",
+ "workbench.action.terminal.new.short": "New Terminal",
+ "workbench.action.terminal.newInActiveWorkspace": "Create New Integrated Terminal (In Active Workspace)",
+ "workbench.action.terminal.split": "Split Terminal",
+ "workbench.action.terminal.split.short": "Split",
+ "workbench.action.terminal.splitInActiveWorkspace": "Split Terminal (In Active Workspace)",
+ "workbench.action.terminal.focusPreviousPane": "Focus Previous Pane",
+ "workbench.action.terminal.focusNextPane": "Focus Next Pane",
+ "workbench.action.terminal.resizePaneLeft": "Resize Pane Left",
+ "workbench.action.terminal.resizePaneRight": "Resize Pane Right",
+ "workbench.action.terminal.resizePaneUp": "Resize Pane Up",
+ "workbench.action.terminal.resizePaneDown": "Resize Pane Down",
+ "workbench.action.terminal.focus": "Focus Terminal",
+ "workbench.action.terminal.focusNext": "Focus Next Terminal",
+ "workbench.action.terminal.focusPrevious": "Focus Previous Terminal",
+ "workbench.action.terminal.paste": "Paste into Active Terminal",
+ "workbench.action.terminal.paste.short": "Tempel",
+ "workbench.action.terminal.selectDefaultShell": "Select Default Shell",
+ "workbench.action.terminal.runSelectedText": "Run Selected Text In Active Terminal",
+ "workbench.action.terminal.runActiveFile": "Run Active File In Active Terminal",
+ "workbench.action.terminal.runActiveFile.noFile": "Only files on disk can be run in the terminal",
+ "workbench.action.terminal.switchTerminal": "Switch Terminal",
+ "terminals": "Open Terminals.",
+ "workbench.action.terminal.scrollDown": "Scroll Down (Line)",
+ "workbench.action.terminal.scrollDownPage": "Scroll Down (Page)",
+ "workbench.action.terminal.scrollToBottom": "Scroll to Bottom",
+ "workbench.action.terminal.scrollUp": "Scroll Up (Line)",
+ "workbench.action.terminal.scrollUpPage": "Scroll Up (Page)",
+ "workbench.action.terminal.scrollToTop": "Scroll to Top",
+ "workbench.action.terminal.navigationModeExit": "Exit Navigation Mode",
+ "workbench.action.terminal.navigationModeFocusPrevious": "Focus Previous Line (Navigation Mode)",
+ "workbench.action.terminal.navigationModeFocusNext": "Focus Next Line (Navigation Mode)",
+ "workbench.action.terminal.clear": "Clear",
+ "workbench.action.terminal.clearSelection": "Clear Selection",
+ "workbench.action.terminal.manageWorkspaceShellPermissions": "Manage Workspace Shell Permissions",
+ "workbench.action.terminal.rename": "Rename",
+ "workbench.action.terminal.rename.prompt": "Enter terminal name",
+ "workbench.action.terminal.renameWithArg": "Rename the Currently Active Terminal",
+ "workbench.action.terminal.renameWithArg.name": "The new name for the terminal",
+ "workbench.action.terminal.renameWithArg.noTerminal": "No active terminal to rename",
+ "workbench.action.terminal.renameWithArg.noName": "No name argument provided",
+ "workbench.action.terminal.focusFindWidget": "Focus Find Widget",
+ "workbench.action.terminal.hideFindWidget": "Hide Find Widget",
+ "quickAccessTerminal": "Switch Active Terminal",
+ "workbench.action.terminal.scrollToPreviousCommand": "Scroll To Previous Command",
+ "workbench.action.terminal.scrollToNextCommand": "Scroll To Next Command",
+ "workbench.action.terminal.selectToPreviousCommand": "Select To Previous Command",
+ "workbench.action.terminal.selectToNextCommand": "Select To Next Command",
+ "workbench.action.terminal.selectToPreviousLine": "Select To Previous Line",
+ "workbench.action.terminal.selectToNextLine": "Select To Next Line",
+ "workbench.action.terminal.toggleEscapeSequenceLogging": "Toggle Escape Sequence Logging",
+ "workbench.action.terminal.toggleFindRegex": "Toggle find using regex",
+ "workbench.action.terminal.toggleFindWholeWord": "Toggle find using whole word",
+ "workbench.action.terminal.toggleFindCaseSensitive": "Toggle find using case sensitive",
+ "workbench.action.terminal.findNext": "Cari berikutnya",
+ "workbench.action.terminal.findPrevious": "Cari sebelumnya"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalInstance": {
+ "terminal.integrated.a11yPromptLabel": "Terminal input",
+ "terminal.integrated.a11yTooMuchOutput": "Too much output to announce, navigate to rows manually to read",
+ "yes": "Ya",
+ "no": "Tidak",
+ "dontShowAgain": "Jangan Tampilkan Lagi",
+ "terminal.slowRendering": "The standard renderer for the integrated terminal appears to be slow on your computer. Would you like to switch to the alternative DOM-based renderer which may improve performance? [Read more about terminal settings](https://code.visualstudio.com/docs/editor/integrated-terminal#_changing-how-the-terminal-is-rendered).",
+ "terminal.integrated.copySelection.noSelection": "The terminal has no selection to copy",
+ "terminal.integrated.exitedWithInvalidPath": "The terminal shell path \"{0}\" does not exist",
+ "terminal.integrated.exitedWithInvalidPathDirectory": "The terminal shell path \"{0}\" is a directory",
+ "terminal.integrated.exitedWithInvalidCWD": "The terminal shell CWD \"{0}\" does not exist",
+ "terminal.integrated.legacyConsoleModeError": "The terminal failed to launch properly because your system has legacy console mode enabled, uncheck \"Use legacy console\" cmd.exe's properties to fix this.",
+ "terminal.integrated.launchFailed": "The terminal process command '{0}{1}' failed to launch (exit code: {2})",
+ "terminal.integrated.launchFailedExtHost": "The terminal process failed to launch (exit code: {0})",
+ "terminal.integrated.exitedWithCode": "The terminal process terminated with exit code: {0}"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalConfigHelper": {
+ "terminal.integrated.allowWorkspaceShell": "Do you allow this workspace to modify your terminal shell? {0}",
+ "allow": "Allow",
+ "disallow": "Disallow",
+ "useWslExtension.title": "The '{0}' extension is recommended for opening a terminal in WSL.",
+ "install": "Install"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalTab": {
+ "terminalFocus": "Terminal {0}"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalLinkHandler": {
+ "terminalLinkHandler.followLinkAlt.mac": "Option + click",
+ "terminalLinkHandler.followLinkAlt": "Alt + click",
+ "terminalLinkHandler.followLinkCmd": "Cmd + click",
+ "terminalLinkHandler.followLinkCtrl": "Ctrl + click"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalProcessExtHostProxy": {
+ "terminal.integrated.starting": "Starting..."
+ },
+ "vs/workbench/contrib/testCustomEditors/browser/testCustomEditors": {
+ "openCustomEditor": "Test Open Custom Editor",
+ "testCustomEditor": "Test Custom Editor"
+ },
+ "vs/workbench/contrib/themes/browser/themes.contribution": {
+ "selectTheme.label": "Color Theme",
+ "themes.category.light": "light themes",
+ "themes.category.dark": "dark themes",
+ "themes.category.hc": "high contrast themes",
+ "installColorThemes": "Install Additional Color Themes...",
+ "themes.selectTheme": "Select Color Theme (Up/Down Keys to Preview)",
+ "selectIconTheme.label": "File Icon Theme",
+ "noIconThemeLabel": "None",
+ "noIconThemeDesc": "Disable file icons",
+ "installIconThemes": "Install Additional File Icon Themes...",
+ "themes.selectIconTheme": "Select File Icon Theme",
+ "selectProductIconTheme.label": "Product Icon Theme",
+ "defaultProductIconThemeLabel": "Bawaan",
+ "themes.selectProductIconTheme": "Select Product Icon Theme",
+ "generateColorTheme.label": "Generate Color Theme From Current Settings",
+ "preferences": "Preferensi",
+ "developer": "Developer",
+ "miSelectColorTheme": "&&Color Theme",
+ "miSelectIconTheme": "File &&Icon Theme",
+ "themes.selectIconTheme.label": "File Icon Theme"
+ },
+ "vs/workbench/contrib/timeline/browser/timeline.contribution": {
+ "timelineConfigurationTitle": "Timeline",
+ "timeline.excludeSources": "Experimental: An array of Timeline sources that should be excluded from the Timeline view",
+ "files.openTimeline": "Open Timeline"
+ },
+ "vs/workbench/contrib/timeline/browser/timelinePane": {
+ "timeline": "Timeline",
+ "timeline.loadMore": "Load more",
+ "timeline.editorCannotProvideTimeline": "The active editor cannot provide timeline information.",
+ "timeline.noTimelineInfo": "No timeline information was provided.",
+ "timeline.loading": "Loading timeline for {0}...",
+ "refresh": "Segarkan",
+ "timeline.toggleFollowActiveEditorCommand": "Toggle Active Editor Following",
+ "timeline.filterSource": "Include: {0}"
+ },
+ "vs/workbench/contrib/update/browser/update.contribution": {
+ "miReleaseNotes": "&&Release Notes"
+ },
+ "vs/workbench/contrib/update/browser/update": {
+ "releaseNotes": "Release Notes",
+ "showReleaseNotes": "Show Release Notes",
+ "read the release notes": "Welcome to {0} v{1}! Would you like to read the Release Notes?",
+ "licenseChanged": "Our license terms have changed, please click [here]({0}) to go through them.",
+ "updateIsReady": "Pembaharuan {0} telah tersedia.",
+ "checkingForUpdates": "Checking for Updates...",
+ "update service": "Update Service",
+ "noUpdatesAvailable": "There are currently no updates available.",
+ "ok": "OK",
+ "thereIsUpdateAvailable": "There is an available update.",
+ "download update": "Download Update",
+ "later": "Nanti",
+ "updateAvailable": "There's an update available: {0} {1}",
+ "installUpdate": "Install Update",
+ "updateInstalling": "{0} {1} is being installed in the background; we'll let you know when it's done.",
+ "updateNow": "Update Now",
+ "updateAvailableAfterRestart": "Restart {0} to apply the latest update.",
+ "checkForUpdates": "Check for Updates...",
+ "DownloadingUpdate": "Mengunduh Pembaruan...",
+ "installUpdate...": "Install Update...",
+ "installingUpdate": "Memasang Pembaruan...",
+ "restartToUpdate": "Restart to Update (1)"
+ },
+ "vs/workbench/contrib/update/browser/releaseNotesEditor": {
+ "releaseNotesInputName": "Release Notes: {0}",
+ "unassigned": "unassigned"
+ },
+ "vs/workbench/contrib/url/common/url.contribution": {
+ "openUrl": "Open URL",
+ "developer": "Developer"
+ },
+ "vs/workbench/contrib/url/common/trustedDomains": {
+ "trustedDomain.manageTrustedDomain": "Kelola Domain Terpercaya",
+ "trustedDomain.trustDomain": "Trust {0}",
+ "trustedDomain.trustSubDomain": "Trust {0} and all its subdomains",
+ "trustedDomain.trustAllDomains": "Trust all domains (disables link protection)",
+ "trustedDomain.manageTrustedDomains": "Manage Trusted Domains"
+ },
+ "vs/workbench/contrib/url/common/trustedDomainsValidator": {
+ "openExternalLinkAt": "Do you want {0} to open the external website?",
+ "open": "Buka",
+ "copy": "Salin",
+ "cancel": "Batal",
+ "configureTrustedDomains": "Configure Trusted Domains"
+ },
+ "vs/workbench/contrib/userData/browser/userData.contribution": {
+ "userConfiguration": "User Configuration",
+ "userConfiguration.enableSync": "When enabled, synchronises User Configuration: Settings, Keybindings, Extensions & Snippets.",
+ "resolve conflicts": "Resolve Conflicts",
+ "syncing": "Synchronising User Configuration...",
+ "conflicts detected": "Unable to sync due to conflicts. Please resolve them to continue.",
+ "resolve": "Resolve Conflicts",
+ "start sync": "Sync: Start",
+ "stop sync": "Sync: Stop",
+ "resolveConflicts": "Sync: Resolve Conflicts",
+ "continue sync": "Sync: Continue"
+ },
+ "vs/workbench/contrib/watermark/browser/watermark": {
+ "watermark.showCommands": "Show All Commands",
+ "watermark.quickAccess": "Go to File",
+ "watermark.openFile": "Buka Berkas",
+ "watermark.openFolder": "Open Folder",
+ "watermark.openFileFolder": "Open File or Folder",
+ "watermark.openRecent": "Open Recent",
+ "watermark.newUntitledFile": "New Untitled File",
+ "watermark.toggleTerminal": "Toggle Terminal",
+ "watermark.findInFiles": "Find in Files",
+ "watermark.startDebugging": "Start Debugging",
+ "tips.enabled": "When enabled, will show the watermark tips when no editor is open."
+ },
+ "vs/workbench/contrib/webview/browser/webview": {
+ "developer": "Developer"
+ },
+ "vs/workbench/contrib/webview/browser/webview.contribution": {
+ "webview.editor.label": "webview editor"
+ },
+ "vs/workbench/contrib/webview/electron-browser/webviewCommands": {
+ "openToolsLabel": "Open Webview Developer Tools",
+ "editor.action.webvieweditor.copy": "Copy2",
+ "editor.action.webvieweditor.paste": "Tempel",
+ "editor.action.webvieweditor.cut": "Potong",
+ "editor.action.webvieweditor.undo": "Undo",
+ "editor.action.webvieweditor.redo": "Redo"
+ },
+ "vs/workbench/contrib/webview/browser/webviewCommands": {
+ "editor.action.webvieweditor.showFind": "Show find",
+ "editor.action.webvieweditor.hideFind": "Stop find",
+ "editor.action.webvieweditor.findNext": "Cari berikutnya",
+ "editor.action.webvieweditor.findPrevious": "Cari sebelumnya",
+ "editor.action.webvieweditor.selectAll": "Select all",
+ "refreshWebviewLabel": "Reload Webviews"
+ },
+ "vs/workbench/contrib/welcome/walkThrough/browser/walkThrough.contribution": {
+ "walkThrough.editor.label": "Interactive Playground",
+ "help": "Help",
+ "miInteractivePlayground": "I&&nteractive Playground"
+ },
+ "vs/workbench/contrib/welcome/page/browser/welcomePage.contribution": {
+ "workbench.startupEditor.none": "Start without an editor.",
+ "workbench.startupEditor.welcomePage": "Open the Welcome page (default).",
+ "workbench.startupEditor.readme": "Open the README when opening a folder that contains one, fallback to 'welcomePage' otherwise.",
+ "workbench.startupEditor.newUntitledFile": "Open a new untitled file (only applies when opening an empty workspace).",
+ "workbench.startupEditor.welcomePageInEmptyWorkbench": "Open the Welcome page when opening an empty workbench.",
+ "workbench.startupEditor": "Controls which editor is shown at startup, if none are restored from the previous session.",
+ "help": "Help",
+ "miWelcome": "&&Welcome"
+ },
+ "vs/workbench/contrib/welcome/overlay/browser/welcomeOverlay": {
+ "welcomeOverlay.explorer": "File explorer",
+ "welcomeOverlay.search": "Search across files",
+ "welcomeOverlay.git": "Source code management",
+ "welcomeOverlay.debug": "Launch and debug",
+ "welcomeOverlay.extensions": "Manage extensions",
+ "welcomeOverlay.problems": "View errors and warnings",
+ "welcomeOverlay.terminal": "Toggle integrated terminal",
+ "welcomeOverlay.commandPalette": "Find and run all commands",
+ "welcomeOverlay.notifications": "Show notifications",
+ "welcomeOverlay": "User Interface Overview",
+ "hideWelcomeOverlay": "Hide Interface Overview",
+ "help": "Help"
+ },
+ "vs/workbench/contrib/welcome/walkThrough/browser/editor/editorWalkThrough": {
+ "editorWalkThrough.title": "Interactive Playground",
+ "editorWalkThrough": "Interactive Playground"
+ },
+ "vs/workbench/contrib/welcome/common/viewsWelcomeExtensionPoint": {
+ "contributes.viewsWelcome": "Contributed views welcome content. Welcome content will be rendered in 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.",
+ "contributes.viewsWelcome.view": "Contributed welcome content for a specific view.",
+ "contributes.viewsWelcome.view.view": "Target view identifier for this welcome content.",
+ "contributes.viewsWelcome.view.contents": "Welcome content to be displayed. The format of the contents is a subset of Markdown, with support for links only.",
+ "contributes.viewsWelcome.view.when": "Condition when the welcome content should be displayed."
+ },
+ "vs/workbench/contrib/welcome/telemetryOptOut/browser/telemetryOptOut": {
+ "telemetryOptOut.optOutNotice": "Help improve VS Code by allowing Microsoft to collect usage data. Read our [privacy statement]({0}) and learn how to [opt out]({1}).",
+ "telemetryOptOut.optInNotice": "Help improve VS Code by allowing Microsoft to collect usage data. Read our [privacy statement]({0}) and learn how to [opt in]({1}).",
+ "telemetryOptOut.readMore": "Read More",
+ "telemetryOptOut.optOutOption": "Please help Microsoft improve Visual Studio Code by allowing the collection of usage data. Read our [privacy statement]({0}) for more details.",
+ "telemetryOptOut.OptIn": "Yes, glad to help",
+ "telemetryOptOut.OptOut": "No, thanks"
+ },
+ "vs/workbench/contrib/welcome/walkThrough/browser/walkThroughPart": {
+ "walkThrough.unboundCommand": "Tidak terikat",
+ "walkThrough.gitNotFound": "It looks like Git is not installed on your system.",
+ "walkThrough.embeddedEditorBackground": "Background color for the embedded editors on the Interactive Playground."
+ },
+ "vs/workbench/contrib/welcome/page/browser/welcomePage": {
+ "welcomePage": "Welcome",
+ "welcomePage.javaScript": "JavaScript",
+ "welcomePage.python": "Python",
+ "welcomePage.php": "PHP",
+ "welcomePage.azure": "Azure",
+ "welcomePage.showAzureExtensions": "Show Azure extensions",
+ "welcomePage.docker": "Docker",
+ "welcomePage.vim": "Vim",
+ "welcomePage.sublime": "Sublime",
+ "welcomePage.atom": "Atom",
+ "welcomePage.extensionPackAlreadyInstalled": "Support for {0} is already installed.",
+ "welcomePage.willReloadAfterInstallingExtensionPack": "The window will reload after installing additional support for {0}.",
+ "welcomePage.installingExtensionPack": "Memasang dukungan tambahan untuk {0}...",
+ "welcomePage.extensionPackNotFound": "Support for {0} with id {1} could not be found.",
+ "welcomePage.keymapAlreadyInstalled": "The {0} keyboard shortcuts are already installed.",
+ "welcomePage.willReloadAfterInstallingKeymap": "The window will reload after installing the {0} keyboard shortcuts.",
+ "welcomePage.installingKeymap": "Installing the {0} keyboard shortcuts...",
+ "welcomePage.keymapNotFound": "The {0} keyboard shortcuts with id {1} could not be found.",
+ "welcome.title": "Welcome",
+ "welcomePage.openFolderWithPath": "Open folder {0} with path {1}",
+ "welcomePage.extensionListSeparator": ", ",
+ "welcomePage.installKeymap": "Install {0} keymap",
+ "welcomePage.installExtensionPack": "Install additional support for {0}",
+ "welcomePage.installedKeymap": "{0} keymap sudah terpasang",
+ "welcomePage.installedExtensionPack": "{0} support is already installed",
+ "ok": "OK",
+ "details": "Details",
+ "welcomePage.buttonBackground": "Background color for the buttons on the Welcome page.",
+ "welcomePage.buttonHoverBackground": "Hover background color for the buttons on the Welcome page.",
+ "welcomePage.background": "Background color for the Welcome page."
+ },
+ "vs/workbench/contrib/welcome/page/browser/vs_code_welcome_page": {
+ "welcomePage.vscode": "Visual Studio Code",
+ "welcomePage.editingEvolved": "Editing evolved",
+ "welcomePage.start": "Start",
+ "welcomePage.newFile": "New file",
+ "welcomePage.openFolder": "Open folder...",
+ "welcomePage.addWorkspaceFolder": "Add workspace folder...",
+ "welcomePage.recent": "Recent",
+ "welcomePage.moreRecent": "More...",
+ "welcomePage.noRecentFolders": "No recent folders",
+ "welcomePage.help": "Help",
+ "welcomePage.keybindingsCheatsheet": "Printable keyboard cheatsheet",
+ "welcomePage.introductoryVideos": "Introductory videos",
+ "welcomePage.tipsAndTricks": "Tips and Tricks",
+ "welcomePage.productDocumentation": "Product documentation",
+ "welcomePage.gitHubRepository": "GitHub repository",
+ "welcomePage.stackOverflow": "Stack Overflow",
+ "welcomePage.newsletterSignup": "Join our Newsletter",
+ "welcomePage.showOnStartup": "Show welcome page on startup",
+ "welcomePage.customize": "Customize",
+ "welcomePage.installExtensionPacks": "Tools and languages",
+ "welcomePage.installExtensionPacksDescription": "Install support for {0} and {1}",
+ "welcomePage.showLanguageExtensions": "Show more language extensions",
+ "welcomePage.moreExtensions": "more",
+ "welcomePage.installKeymapDescription": "Pengaturan dan keybinding",
+ "welcomePage.installKeymapExtension": "Install the settings and keyboard shortcuts of {0} and {1}",
+ "welcomePage.showKeymapExtensions": "Show other keymap extensions",
+ "welcomePage.others": "others",
+ "welcomePage.colorTheme": "Color theme",
+ "welcomePage.colorThemeDescription": "Make the editor and your code look the way you love",
+ "welcomePage.learn": "Learn",
+ "welcomePage.showCommands": "Find and run all commands",
+ "welcomePage.showCommandsDescription": "Rapidly access and search commands from the Command Palette ({0})",
+ "welcomePage.interfaceOverview": "Interface overview",
+ "welcomePage.interfaceOverviewDescription": "Get a visual overlay highlighting the major components of the UI",
+ "welcomePage.interactivePlayground": "Interactive playground",
+ "welcomePage.interactivePlaygroundDescription": "Try out essential editor features in a short walkthrough"
+ },
+ "vs/workbench/services/authentication/browser/authenticationService": {
+ "noAuthenticationProviders": "No authentication providers registered"
+ },
+ "vs/workbench/services/bulkEdit/browser/bulkEditService": {
+ "workspaceEdit": "Workspace Edit",
+ "summary.0": "Tidak melakukan penyuntingan",
+ "summary.nm": "Melakukan {0} penyuntingan teks pada {1} berkas",
+ "summary.n0": "Melakukan {0} penyuntingan teks pada satu berkas",
+ "nothing": "Tidak melakukan penyuntingan"
+ },
+ "vs/workbench/services/configuration/common/jsonEditingService": {
+ "errorInvalidFile": "Unable to write into the file. Please open the file to correct errors/warnings in the file and try again.",
+ "errorFileDirty": "Unable to write into the file because the file is dirty. Please save the file and try again."
+ },
+ "vs/workbench/services/configuration/common/configurationEditingService": {
+ "openTasksConfiguration": "Buka Konfigurasi Tugas",
+ "openLaunchConfiguration": "Open Launch Configuration",
+ "open": "Open Settings",
+ "saveAndRetry": "Save and Retry",
+ "errorUnknownKey": "Unable to write to {0} because {1} is not a registered configuration.",
+ "errorInvalidWorkspaceConfigurationApplication": "Unable to write {0} to Workspace Settings. This setting can be written only into User settings.",
+ "errorInvalidWorkspaceConfigurationMachine": "Unable to write {0} to Workspace Settings. This setting can be written only into User settings.",
+ "errorInvalidFolderConfiguration": "Unable to write to Folder Settings because {0} does not support the folder resource scope.",
+ "errorInvalidUserTarget": "Unable to write to User Settings because {0} does not support for global scope.",
+ "errorInvalidWorkspaceTarget": "Unable to write to Workspace Settings because {0} does not support for workspace scope in a multi folder workspace.",
+ "errorInvalidFolderTarget": "Unable to write to Folder Settings because no resource is provided.",
+ "errorInvalidResourceLanguageConfiguraiton": "Unable to write to Language Settings because {0} is not a resource language setting.",
+ "errorNoWorkspaceOpened": "Unable to write to {0} because no workspace is opened. Please open a workspace first and try again.",
+ "errorInvalidTaskConfiguration": "Unable to write into the tasks configuration file. Please open it to correct errors/warnings in it and try again.",
+ "errorInvalidLaunchConfiguration": "Unable to write into the launch configuration file. Please open it to correct errors/warnings in it and try again.",
+ "errorInvalidConfiguration": "Unable to write into user settings. Please open the user settings to correct errors/warnings in it and try again.",
+ "errorInvalidRemoteConfiguration": "Unable to write into remote user settings. Please open the remote user settings to correct errors/warnings in it and try again.",
+ "errorInvalidConfigurationWorkspace": "Unable to write into workspace settings. Please open the workspace settings to correct errors/warnings in the file and try again.",
+ "errorInvalidConfigurationFolder": "Unable to write into folder settings. Please open the '{0}' folder settings to correct errors/warnings in it and try again.",
+ "errorTasksConfigurationFileDirty": "Unable to write into tasks configuration file because the file is dirty. Please save it first and then try again.",
+ "errorLaunchConfigurationFileDirty": "Tidak dapat menulis ke berkas konfigurasi peluncuran karena berkasnya kotor. Harap simpan terlebih dahulu kemudian coba lagi.",
+ "errorConfigurationFileDirty": "Unable to write into user settings because the file is dirty. Please save the user settings file first and then try again.",
+ "errorRemoteConfigurationFileDirty": "Unable to write into remote user settings because the file is dirty. Please save the remote user settings file first and then try again.",
+ "errorConfigurationFileDirtyWorkspace": "Unable to write into workspace settings because the file is dirty. Please save the workspace settings file first and then try again.",
+ "errorConfigurationFileDirtyFolder": "Unable to write into folder settings because the file is dirty. Please save the '{0}' folder settings file first and then try again.",
+ "errorTasksConfigurationFileModifiedSince": "Unable to write into tasks configuration file because the content of the file is newer.",
+ "errorLaunchConfigurationFileModifiedSince": "Unable to write into launch configuration file because the content of the file is newer.",
+ "errorConfigurationFileModifiedSince": "Unable to write into user settings because the content of the file is newer.",
+ "errorRemoteConfigurationFileModifiedSince": "Unable to write into remote user settings because the content of the file is newer.",
+ "errorConfigurationFileModifiedSinceWorkspace": "Unable to write into workspace settings because the content of the file is newer.",
+ "errorConfigurationFileModifiedSinceFolder": "Unable to write into folder settings because the content of the file is newer.",
+ "userTarget": "Pengaturan Pengguna",
+ "remoteUserTarget": "Remote User Settings",
+ "workspaceTarget": "Workspace Settings",
+ "folderTarget": "Folder Settings"
+ },
+ "vs/workbench/services/configurationResolver/browser/configurationResolverService": {
+ "commandVariable.noStringType": "Cannot substitute command variable '{0}' because command did not return a result of type string.",
+ "inputVariable.noInputSection": "Variable '{0}' must be defined in an '{1}' section of the debug or task configuration.",
+ "inputVariable.missingAttribute": "Input variable '{0}' is of type '{1}' and must include '{2}'.",
+ "inputVariable.defaultInputValue": "(Default)",
+ "inputVariable.command.noStringType": "Cannot substitute input variable '{0}' because command '{1}' did not return a result of type string.",
+ "inputVariable.unknownType": "Input variable '{0}' can only be of type 'promptString', 'pickString', or 'command'.",
+ "inputVariable.undefinedVariable": "Undefined input variable '{0}' encountered. Remove or define '{0}' to continue."
+ },
+ "vs/workbench/services/configurationResolver/common/variableResolver": {
+ "canNotResolveFile": "'{0}' can not be resolved. Please open an editor.",
+ "canNotFindFolder": "'{0}' can not be resolved. No such folder '{1}'.",
+ "canNotResolveWorkspaceFolderMultiRoot": "'{0}' can not be resolved in a multi folder workspace. Scope this variable using ':' and a workspace folder name.",
+ "canNotResolveWorkspaceFolder": "'{0}' can not be resolved. Please open a folder.",
+ "missingEnvVarName": "'{0}' can not be resolved because no environment variable name is given.",
+ "configNotFound": "'{0}' can not be resolved because setting '{1}' not found.",
+ "configNoString": "'{0}' can not be resolved because '{1}' is a structured value.",
+ "missingConfigName": "'{0}' can not be resolved because no settings name is given.",
+ "canNotResolveLineNumber": "'{0}' can not be resolved. Make sure to have a line selected in the active editor.",
+ "canNotResolveSelectedText": "'{0}' can not be resolved. Make sure to have some text selected in the active editor.",
+ "noValueForCommand": "'{0}' can not be resolved because the command has no value."
+ },
+ "vs/workbench/services/configurationResolver/common/configurationResolverUtils": {
+ "deprecatedVariables": "'env.', 'config.' and 'command.' are deprecated, use 'env:', 'config:' and 'command:' instead."
+ },
+ "vs/workbench/services/configurationResolver/common/configurationResolverSchema": {
+ "JsonSchema.input.id": "The input's id is used to associate an input with a variable of the form ${input:id}.",
+ "JsonSchema.input.type": "The type of user input prompt to use.",
+ "JsonSchema.input.description": "The description is shown when the user is prompted for input.",
+ "JsonSchema.input.default": "The default value for the input.",
+ "JsonSchema.inputs": "User inputs. Used for defining user input prompts, such as free string input or a choice from several options.",
+ "JsonSchema.input.type.promptString": "The 'promptString' type opens an input box to ask the user for input.",
+ "JsonSchema.input.password": "Controls if a password input is shown. Password input hides the typed text.",
+ "JsonSchema.input.type.pickString": "The 'pickString' type shows a selection list.",
+ "JsonSchema.input.options": "An array of strings that defines the options for a quick pick.",
+ "JsonSchema.input.pickString.optionLabel": "Label for the option.",
+ "JsonSchema.input.pickString.optionValue": "Value for the option.",
+ "JsonSchema.input.type.command": "The 'command' type executes a command.",
+ "JsonSchema.input.command.command": "The command to execute for this input variable.",
+ "JsonSchema.input.command.args": "Optional arguments passed to the command."
+ },
+ "vs/workbench/services/decorations/browser/decorationsService": {
+ "bubbleTitle": "Contains emphasized items"
+ },
+ "vs/workbench/services/dialogs/electron-browser/dialogService": {
+ "yesButton": "&&Yes",
+ "cancelButton": "Batal",
+ "aboutDetail": "Version: {0}\nCommit: {1}\nDate: {2}\nElectron: {3}\nChrome: {4}\nNode.js: {5}\nV8: {6}\nOS: {7}",
+ "okButton": "OK",
+ "copy": "&&Copy"
+ },
+ "vs/workbench/services/dialogs/browser/dialogService": {
+ "yesButton": "&&Yes",
+ "cancelButton": "Batal",
+ "aboutDetail": "Version: {0}\nCommit: {1}\nDate: {2}\nBrowser: {3}",
+ "copy": "Salin",
+ "ok": "OK"
+ },
+ "vs/workbench/services/dialogs/browser/abstractFileDialogService": {
+ "saveChangesDetail": "Your changes will be lost if you don't save them.",
+ "saveChangesMessage": "Do you want to save the changes you made to {0}?",
+ "saveChangesMessages": "Do you want to save the changes to the following {0} files?",
+ "saveAll": "&&Save All",
+ "save": "&&Save",
+ "dontSave": "&&Jangan Simpan",
+ "cancel": "Batal",
+ "openFileOrFolder.title": "Open File Or Folder",
+ "openFile.title": "Buka Berkas",
+ "openFolder.title": "Open Folder",
+ "openWorkspace.title": "Buka Ruang Kerja",
+ "filterName.workspace": "Workspace",
+ "saveFileAs.title": "Save As",
+ "saveAsTitle": "Save As",
+ "allFiles": "All Files",
+ "noExt": "No Extension"
+ },
+ "vs/workbench/services/dialogs/browser/simpleFileDialog": {
+ "openLocalFile": "Open Local File...",
+ "saveLocalFile": "Save Local File...",
+ "openLocalFolder": "Open Local Folder...",
+ "openLocalFileFolder": "Open Local...",
+ "remoteFileDialog.notConnectedToRemote": "File system provider for {0} is not available.",
+ "remoteFileDialog.local": "Show Local",
+ "remoteFileDialog.badPath": "The path does not exist.",
+ "remoteFileDialog.cancel": "Batal",
+ "remoteFileDialog.invalidPath": "Please enter a valid path.",
+ "remoteFileDialog.validateFolder": "The folder already exists. Please use a new file name.",
+ "remoteFileDialog.validateExisting": "{0} already exists. Are you sure you want to overwrite it?",
+ "remoteFileDialog.validateBadFilename": "Please enter a valid file name.",
+ "remoteFileDialog.validateNonexistentDir": "Please enter a path that exists.",
+ "remoteFileDialog.validateFileOnly": "Please select a file.",
+ "remoteFileDialog.validateFolderOnly": "Please select a folder."
+ },
+ "vs/workbench/services/editor/browser/editorService": {
+ "sideBySideLabels": "{0} - {1}",
+ "compareLabels": "{0} ↔ {1}"
+ },
+ "vs/workbench/services/extensionManagement/electron-browser/extensionManagementServerService": {
+ "local": "Local",
+ "remote": "Remote"
+ },
+ "vs/workbench/services/extensionManagement/common/extensionManagementService": {
+ "singleDependentError": "Tidak dapat melepas ekstensi '{0}'. Ekstensi '{1}' bergantung pada ini.",
+ "twoDependentsError": "Tidak dapat melepas ekstensi '{0}'. Ekstensi '{1}' dan '{2}' bergantung pada ini.",
+ "multipleDependentsError": "Tidak dapat melepas ekstensi '{0}'. Ekstensi '{1}', '{2}', dsb. bergantung pada ini.",
+ "Manifest is not found": "Installing Extension {0} failed: Manifest is not found.",
+ "cannot be installed": "Cannot install '{0}' because this extension has defined that it cannot run on the remote server."
+ },
+ "vs/workbench/services/extensionManagement/common/extensionEnablementService": {
+ "noWorkspace": "Tidak ada ruang kerja."
+ },
+ "vs/workbench/services/extensions/electron-browser/extensionService": {
+ "extensionsDisabled": "All installed extensions are temporarily disabled. Reload the window to return to the previous state.",
+ "Reload": "Muat ulang",
+ "looping": "The following extensions contain dependency loops and have been disabled: {0}",
+ "extensionService.versionMismatchCrash": "Extension host cannot start: version mismatch.",
+ "relaunch": "Relaunch VS Code",
+ "extensionService.crash": "Extension host terminated unexpectedly.",
+ "devTools": "Open Developer Tools",
+ "restart": "Restart Extension Host",
+ "getEnvironmentFailure": "Could not fetch remote environment",
+ "enableResolver": "Extension '{0}' is required to open the remote window.\nOK to enable?",
+ "enable": "Enable and Reload",
+ "installResolver": "Extension '{0}' is required to open the remote window.\nnOK to install?",
+ "install": "Install and Reload",
+ "resolverExtensionNotFound": "`{0}` not found on marketplace",
+ "restartExtensionHost": "Restart Extension Host",
+ "developer": "Developer"
+ },
+ "vs/workbench/services/extensions/electron-browser/remoteExtensionManagementIpc": {
+ "incompatible": "Unable to install extension '{0}' as it is not compatible with VS Code '{1}'."
+ },
+ "vs/workbench/services/extensions/browser/extensionUrlHandler": {
+ "confirmUrl": "Allow an extension to open this URI?",
+ "rememberConfirmUrl": "Don't ask again for this extension.",
+ "open": "&&Open",
+ "reloadAndHandle": "Extension '{0}' is not loaded. Would you like to reload the window to load the extension and open the URL?",
+ "reloadAndOpen": "&&Reload Window and Open",
+ "enableAndHandle": "Extension '{0}' is disabled. Would you like to enable the extension and reload the window to open the URL?",
+ "enableAndReload": "&&Enable and Open",
+ "installAndHandle": "Extension '{0}' is not installed. Would you like to install the extension and reload the window to open this URL?",
+ "install": "&&Pasang",
+ "Installing": "Installing Extension '{0}'...",
+ "reload": "Would you like to reload the window and open the URL '{0}'?",
+ "Reload": "Reload Window and Open",
+ "manage": "Manage Authorized Extension URIs..."
+ },
+ "vs/workbench/services/extensions/common/extensionsRegistry": {
+ "ui": "UI extension kind. In a remote window, such extensions are enabled only when available on the local machine.",
+ "workspace": "Workspace extension kind. In a remote window, such extensions are enabled only when available on the remote.",
+ "vscode.extension.engines": "Engine compatibility.",
+ "vscode.extension.engines.vscode": "For VS Code extensions, specifies the VS Code version that the extension is compatible with. Cannot be *. For example: ^0.10.5 indicates compatibility with a minimum VS Code version of 0.10.5.",
+ "vscode.extension.publisher": "Penerbit ekstensi VS Code.",
+ "vscode.extension.displayName": "The display name for the extension used in the VS Code gallery.",
+ "vscode.extension.categories": "The categories used by the VS Code gallery to categorize the extension.",
+ "vscode.extension.category.languages.deprecated": "Use 'Programming Languages' instead",
+ "vscode.extension.galleryBanner": "Banner yang digunakan dalam marketplace VS Code.",
+ "vscode.extension.galleryBanner.color": "The banner color on the VS Code marketplace page header.",
+ "vscode.extension.galleryBanner.theme": "The color theme for the font used in the banner.",
+ "vscode.extension.contributes": "All contributions of the VS Code extension represented by this package.",
+ "vscode.extension.preview": "Sets the extension to be flagged as a Preview in the Marketplace.",
+ "vscode.extension.activationEvents": "Activation events for the VS Code extension.",
+ "vscode.extension.activationEvents.onLanguage": "An activation event emitted whenever a file that resolves to the specified language gets opened.",
+ "vscode.extension.activationEvents.onCommand": "An activation event emitted whenever the specified command gets invoked.",
+ "vscode.extension.activationEvents.onDebug": "An activation event emitted whenever a user is about to start debugging or about to setup debug configurations.",
+ "vscode.extension.activationEvents.onDebugInitialConfigurations": "An activation event emitted whenever a \"launch.json\" needs to be created (and all provideDebugConfigurations methods need to be called).",
+ "vscode.extension.activationEvents.onDebugResolve": "An activation event emitted whenever a debug session with the specific type is about to be launched (and a corresponding resolveDebugConfiguration method needs to be called).",
+ "vscode.extension.activationEvents.onDebugAdapterProtocolTracker": "An activation event emitted whenever a debug session with the specific type is about to be launched and a debug protocol tracker might be needed.",
+ "vscode.extension.activationEvents.workspaceContains": "An activation event emitted whenever a folder is opened that contains at least a file matching the specified glob pattern.",
+ "vscode.extension.activationEvents.onFileSystem": "An activation event emitted whenever a file or folder is accessed with the given scheme.",
+ "vscode.extension.activationEvents.onSearch": "An activation event emitted whenever a search is started in the folder with the given scheme.",
+ "vscode.extension.activationEvents.onView": "An activation event emitted whenever the specified view is expanded.",
+ "vscode.extension.activationEvents.onIdentity": "An activation event emitted whenever the specified user identity.",
+ "vscode.extension.activationEvents.onUri": "An activation event emitted whenever a system-wide Uri directed towards this extension is open.",
+ "vscode.extension.activationEvents.onCustomEditor": "An activation event emitted whenever the specified custom editor becomes visible.",
+ "vscode.extension.activationEvents.star": "An activation event emitted on VS Code startup. To ensure a great end user experience, please use this activation event in your extension only when no other activation events combination works in your use-case.",
+ "vscode.extension.badges": "Array of badges to display in the sidebar of the Marketplace's extension page.",
+ "vscode.extension.badges.url": "Badge image URL.",
+ "vscode.extension.badges.href": "Badge link.",
+ "vscode.extension.badges.description": "Badge description.",
+ "vscode.extension.markdown": "Controls the Markdown rendering engine used in the Marketplace. Either github (default) or standard.",
+ "vscode.extension.qna": "Controls the Q&A link in the Marketplace. Set to marketplace to enable the default Marketplace Q & A site. Set to a string to provide the URL of a custom Q & A site. Set to false to disable Q & A altogether.",
+ "vscode.extension.extensionDependencies": "Dependencies to other extensions. The identifier of an extension is always ${publisher}.${name}. For example: vscode.csharp.",
+ "vscode.extension.contributes.extensionPack": "A set of extensions that can be installed together. The identifier of an extension is always ${publisher}.${name}. For example: vscode.csharp.",
+ "extensionKind": "Define the kind of an extension. `ui` extensions are installed and run on the local machine while `workspace` extensions run on the remote.",
+ "extensionKind.ui": "Define an extension which can run only on the local machine when connected to remote window.",
+ "extensionKind.workspace": "Define an extension which can run only on the remote machine when connected remote window.",
+ "extensionKind.ui-workspace": "Define an extension which can run on either side, with a preference towards running on the local machine.",
+ "extensionKind.workspace-ui": "Define an extension which can run on either side, with a preference towards running on the remote machine.",
+ "extensionKind.empty": "Define an extension which cannot run in a remote context, neither on the local, nor on the remote machine.",
+ "vscode.extension.scripts.prepublish": "Script executed before the package is published as a VS Code extension.",
+ "vscode.extension.scripts.uninstall": "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.",
+ "vscode.extension.icon": "The path to a 128x128 pixel icon."
+ },
+ "vs/workbench/services/extensions/common/remoteExtensionHostClient": {
+ "remote extension host Log": "Remote Extension Host"
+ },
+ "vs/workbench/services/extensions/common/extensionHostProcessManager": {
+ "measureExtHostLatency": "Mengukur Latensi Host Ekstensi",
+ "developer": "Developer"
+ },
+ "vs/workbench/services/extensions/electron-browser/cachedExtensionScanner": {
+ "overwritingExtension": "Timpa ekstensi {0} dengan {1}.",
+ "extensionUnderDevelopment": "Loading development extension at {0}",
+ "extensionCache.invalid": "Extensions have been modified on disk. Please reload the window.",
+ "reloadWindow": "Reload Window"
+ },
+ "vs/workbench/services/extensions/electron-browser/extensionHost": {
+ "extensionHost.startupFailDebug": "Extension host did not start in 10 seconds, it might be stopped on the first line and needs a debugger to continue.",
+ "extensionHost.startupFail": "Extension host did not start in 10 seconds, that might be a problem.",
+ "reloadWindow": "Reload Window",
+ "extension host Log": "Extension Host",
+ "extensionHost.error": "Error from the extension host: {0}"
+ },
+ "vs/workbench/services/extensions/node/extensionPoints": {
+ "jsonParseFail": "Failed to parse {0}: [{1}, {2}] {3}.",
+ "fileReadFail": "Cannot read file {0}: {1}.",
+ "jsonsParseReportErrors": "Failed to parse {0}: {1}.",
+ "jsonInvalidFormat": "Invalid format {0}: JSON object expected.",
+ "missingNLSKey": "Couldn't find message for key {0}.",
+ "notSemver": "Extension version is not semver compatible.",
+ "extensionDescription.empty": "Got empty extension description",
+ "extensionDescription.publisher": "property publisher must be of type `string`.",
+ "extensionDescription.name": "properti `{0}` adalah wajib dan harus bertipe `string`",
+ "extensionDescription.version": "properti `{0}` adalah wajib dan harus bertipe `string`",
+ "extensionDescription.engines": "property `{0}` is mandatory and must be of type `object`",
+ "extensionDescription.engines.vscode": "properti `{0}` adalah wajib dan harus bertipe `string`",
+ "extensionDescription.extensionDependencies": "Properti '{0}' dapat diabaikan atau harus bertipe 'string []'",
+ "extensionDescription.activationEvents1": "property `{0}` can be omitted or must be of type `string[]`",
+ "extensionDescription.activationEvents2": "properties `{0}` and `{1}` must both be specified or must both be omitted",
+ "extensionDescription.main1": "properti `{0}` dapat dihilangkan atau harus bertipe `string`",
+ "extensionDescription.main2": "Expected `main` ({0}) to be included inside extension's folder ({1}). This might make the extension non-portable.",
+ "extensionDescription.main3": "properties `{0}` and `{1}` must both be specified or must both be omitted"
+ },
+ "vs/workbench/services/files/common/workspaceWatcher": {
+ "netVersionError": "The Microsoft .NET Framework 4.5 is required. Please follow the link to install it.",
+ "installNet": "Unduh .NET Framework 4.5",
+ "enospcError": "Unable to watch for file changes in this large workspace. Please follow the instructions link to resolve this issue.",
+ "learnMore": "Instructions"
+ },
+ "vs/workbench/services/integrity/node/integrityService": {
+ "integrity.prompt": "Tampaknya pemasangan {0} Anda bermasalah. Mohon ulangi pemasangan.",
+ "integrity.moreInformation": "Informasi Lebih Lanjut",
+ "integrity.dontShowAgain": "Jangan Tampilkan Lagi"
+ },
+ "vs/workbench/services/keybinding/electron-browser/keybinding.contribution": {
+ "keyboardConfigurationTitle": "Keyboard",
+ "touchbar.enabled": "Enables the macOS touchbar buttons on the keyboard if available.",
+ "touchbar.ignored": "A set of identifiers for entries in the touchbar that should not show up (for example `workbench.action.navigateBack`."
+ },
+ "vs/workbench/services/keybinding/common/keybindingEditing": {
+ "errorKeybindingsFileDirty": "Unable to write because the keybindings configuration file is dirty. Please save it first and then try again.",
+ "parseErrors": "Unable to write to the keybindings configuration file. Please open it to correct errors/warnings in the file and try again.",
+ "errorInvalidConfiguration": "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.",
+ "emptyKeybindingsHeader": "Place your key bindings in this file to override the defaults"
+ },
+ "vs/workbench/services/keybinding/browser/keybindingService": {
+ "nonempty": "diharapkan nilai yang tidak kosong.",
+ "requirestring": "properti `{0}` adalah wajib dan harus bertipe `string`",
+ "optstring": "properti `{0}` dapat dihilangkan atau harus bertipe `string`",
+ "vscode.extension.contributes.keybindings.command": "Identifier of the command to run when keybinding is triggered.",
+ "vscode.extension.contributes.keybindings.args": "Arguments to pass to the command to execute.",
+ "vscode.extension.contributes.keybindings.key": "Key or key sequence (separate keys with plus-sign and sequences with space, e.g. Ctrl+O and Ctrl+L L for a chord).",
+ "vscode.extension.contributes.keybindings.mac": "Mac specific key or key sequence.",
+ "vscode.extension.contributes.keybindings.linux": "Linux specific key or key sequence.",
+ "vscode.extension.contributes.keybindings.win": "Windows specific key or key sequence.",
+ "vscode.extension.contributes.keybindings.when": "Condition when the key is active.",
+ "vscode.extension.contributes.keybindings": "Contributes keybindings.",
+ "invalid.keybindings": "Invalid `contributes.{0}`: {1}",
+ "unboundCommands": "Here are other available commands: ",
+ "keybindings.json.title": "Keybindings configuration",
+ "keybindings.json.key": "Key or key sequence (separated by space)",
+ "keybindings.json.command": "Name of the command to execute",
+ "keybindings.json.when": "Condition when the key is active.",
+ "keybindings.json.args": "Arguments to pass to the command to execute.",
+ "keyboardConfigurationTitle": "Keyboard",
+ "dispatch": "Controls the dispatching logic for key presses to use either `code` (recommended) or `keyCode`."
+ },
+ "vs/workbench/services/label/common/labelService": {
+ "vscode.extension.contributes.resourceLabelFormatters": "Contributes resource label formatting rules.",
+ "vscode.extension.contributes.resourceLabelFormatters.scheme": "URI scheme on which to match the formatter on. For example \"file\". Simple glob patterns are supported.",
+ "vscode.extension.contributes.resourceLabelFormatters.authority": "URI authority on which to match the formatter on. Simple glob patterns are supported.",
+ "vscode.extension.contributes.resourceLabelFormatters.formatting": "Rules for formatting uri resource labels.",
+ "vscode.extension.contributes.resourceLabelFormatters.label": "Label rules to display. For example: myLabel:/${path}. ${path}, ${scheme} and ${authority} are supported as variables.",
+ "vscode.extension.contributes.resourceLabelFormatters.separator": "Separator to be used in the uri label display. '/' or '' as an example.",
+ "vscode.extension.contributes.resourceLabelFormatters.tildify": "Controls if the start of the uri label should be tildified when possible.",
+ "vscode.extension.contributes.resourceLabelFormatters.formatting.workspaceSuffix": "Suffix appended to the workspace label.",
+ "untitledWorkspace": "Tanpa Nama (Ruang Kerja)",
+ "workspaceNameVerbose": "{0} (Ruang Kerja)",
+ "workspaceName": "{0} (Ruang Kerja)"
+ },
+ "vs/workbench/services/lifecycle/electron-browser/lifecycleService": {
+ "errorClose": "An unexpected error prevented the window from closing ({0}).",
+ "errorQuit": "An unexpected error prevented the application from closing ({0}).",
+ "errorReload": "An unexpected error prevented the window from reloading ({0}).",
+ "errorLoad": "An unexpected error prevented the window from changing it's workspace ({0})."
+ },
+ "vs/workbench/services/mode/common/workbenchModeService": {
+ "vscode.extension.contributes.languages": "Contributes language declarations.",
+ "vscode.extension.contributes.languages.id": "ID bahasa.",
+ "vscode.extension.contributes.languages.aliases": "Nama lain untuk bahasa.",
+ "vscode.extension.contributes.languages.extensions": "Ekstensi berkas yang terkait dengan bahasa.",
+ "vscode.extension.contributes.languages.filenames": "File names associated to the language.",
+ "vscode.extension.contributes.languages.filenamePatterns": "File name glob patterns associated to the language.",
+ "vscode.extension.contributes.languages.mimetypes": "Mime types associated to the language.",
+ "vscode.extension.contributes.languages.firstLine": "A regular expression matching the first line of a file of the language.",
+ "vscode.extension.contributes.languages.configuration": "A relative path to a file containing configuration options for the language.",
+ "invalid": "Invalid `contributes.{0}`. Expected an array.",
+ "invalid.empty": "Empty value for `contributes.{0}`",
+ "require.id": "properti `{0}` adalah wajib dan harus bertipe `string`",
+ "opt.extensions": "property `{0}` can be omitted and must be of type `string[]`",
+ "opt.filenames": "property `{0}` can be omitted and must be of type `string[]`",
+ "opt.firstLine": "property `{0}` can be omitted and must be of type `string`",
+ "opt.configuration": "property `{0}` can be omitted and must be of type `string`",
+ "opt.aliases": "property `{0}` can be omitted and must be of type `string[]`",
+ "opt.mimetypes": "property `{0}` can be omitted and must be of type `string[]`"
+ },
+ "vs/workbench/services/notification/common/notificationService": {
+ "neverShowAgain": "Jangan Tampilkan Lagi"
+ },
+ "vs/workbench/services/preferences/common/preferences": {
+ "userSettingsTarget": "Pengaturan Pengguna",
+ "workspaceSettingsTarget": "Workspace Settings"
+ },
+ "vs/workbench/services/preferences/browser/preferencesService": {
+ "openFolderFirst": "Open a folder first to create workspace settings",
+ "emptyKeybindingsHeader": "Place your key bindings in this file to override the defaults",
+ "defaultKeybindings": "Default Keybindings",
+ "defaultSettings": "Default Settings",
+ "folderSettingsName": "{0} (Folder Settings)",
+ "fail.createSettings": "Unable to create '{0}' ({1})."
+ },
+ "vs/workbench/services/preferences/common/preferencesEditorInput": {
+ "settingsEditorName": "Default Settings",
+ "keybindingsInputName": "Keyboard Shortcuts",
+ "settingsEditor2InputName": "Settings"
+ },
+ "vs/workbench/services/preferences/common/preferencesModels": {
+ "commonlyUsed": "Commonly Used",
+ "validations.stringArrayUniqueItems": "Array has duplicate items",
+ "validations.stringArrayMinItem": "Array must have at least {0} items",
+ "validations.stringArrayMaxItem": "Array must have at most {0} items",
+ "validations.stringArrayItemPattern": "Nilai {0} harus sesuai dengan regex {1}.",
+ "validations.stringArrayItemEnum": "Value {0} is not one of {1}",
+ "validations.exclusiveMax": "Value must be strictly less than {0}.",
+ "validations.exclusiveMin": "Value must be strictly greater than {0}.",
+ "validations.max": "Value must be less than or equal to {0}.",
+ "validations.min": "Value must be greater than or equal to {0}.",
+ "validations.multipleOf": "Value must be a multiple of {0}.",
+ "validations.expectedInteger": "Value must be an integer.",
+ "validations.maxLength": "Value must be {0} or fewer characters long.",
+ "validations.minLength": "Value must be {0} or more characters long.",
+ "validations.regex": "Value must match regex `{0}`.",
+ "validations.expectedNumeric": "Value must be a number.",
+ "defaultKeybindingsHeader": "Override key bindings by placing them into your key bindings file."
+ },
+ "vs/workbench/services/preferences/common/keybindingsEditorModel": {
+ "default": "Default",
+ "user": "User",
+ "cat.title": "{0}: {1}",
+ "meta": "meta",
+ "option": "option"
+ },
+ "vs/workbench/services/progress/browser/progressService": {
+ "progress.text2": "{0}: {1}",
+ "progress.title3": "[{0}] {1}: {2}",
+ "progress.title2": "[{0}]: {1}",
+ "status.progress": "Progress Message",
+ "cancel": "Cancel",
+ "dismiss": "Dismiss"
+ },
+ "vs/workbench/services/remote/common/abstractRemoteAgentService": {
+ "connectionError": "Failed to connect to the remote extension host server (Error: {0})"
+ },
+ "vs/workbench/services/textfile/electron-browser/nativeTextFileService": {
+ "fileBinaryError": "File seems to be binary and cannot be opened as text",
+ "fileReadOnlyError": "File is Read Only"
+ },
+ "vs/workbench/services/textfile/browser/textFileService": {
+ "fileBinaryError": "File seems to be binary and cannot be opened as text",
+ "confirmOverwrite": "'{0}' already exists. Do you want to replace it?",
+ "irreversible": "A file or folder with the name '{0}' already exists in the folder '{1}'. Replacing it will overwrite its current contents.",
+ "replaceButtonLabel": "&&Replace"
+ },
+ "vs/workbench/services/textfile/common/textFileEditorModelManager": {
+ "genericSaveError": "Failed to save '{0}': {1}"
+ },
+ "vs/workbench/services/textfile/common/textFileEditorModel": {
+ "saveFileFirst": "The file is dirty. Please save it first before reopening it with another encoding."
+ },
+ "vs/workbench/services/textfile/common/textFileSaveParticipant": {
+ "saveParticipants": "Saving '{0}'"
+ },
+ "vs/workbench/services/textMate/browser/abstractTextMateService": {
+ "invalid.language": "Unknown language in `contributes.{0}.language`. Provided value: {1}",
+ "invalid.scopeName": "Expected string in `contributes.{0}.scopeName`. Provided value: {1}",
+ "invalid.path.0": "Expected string in `contributes.{0}.path`. Provided value: {1}",
+ "invalid.injectTo": "Invalid value in `contributes.{0}.injectTo`. Must be an array of language scope names. Provided value: {1}",
+ "invalid.embeddedLanguages": "Invalid value in `contributes.{0}.embeddedLanguages`. Must be an object map from scope name to language. Provided value: {1}",
+ "invalid.tokenTypes": "Invalid value in `contributes.{0}.tokenTypes`. Must be an object map from scope name to token type. Provided value: {1}",
+ "invalid.path.1": "Expected `contributes.{0}.path` ({1}) to be included inside extension's folder ({2}). This might make the extension non-portable.",
+ "too many characters": "Tokenization is skipped for long lines for performance reasons. The length of a long line can be configured via `editor.maxTokenizationLineLength`.",
+ "neverAgain": "Jangan Tampilkan Lagi"
+ },
+ "vs/workbench/services/textMate/common/TMGrammarFactory": {
+ "no-tm-grammar": "No TM Grammar registered for this language."
+ },
+ "vs/workbench/services/textMate/common/TMGrammars": {
+ "vscode.extension.contributes.grammars": "Contributes textmate tokenizers.",
+ "vscode.extension.contributes.grammars.language": "Language identifier for which this syntax is contributed to.",
+ "vscode.extension.contributes.grammars.scopeName": "Textmate scope name used by the tmLanguage file.",
+ "vscode.extension.contributes.grammars.path": "Path of the tmLanguage file. The path is relative to the extension folder and typically starts with './syntaxes/'.",
+ "vscode.extension.contributes.grammars.embeddedLanguages": "A map of scope name to language id if this grammar contains embedded languages.",
+ "vscode.extension.contributes.grammars.tokenTypes": "A map of scope name to token types.",
+ "vscode.extension.contributes.grammars.injectTo": "List of language scope names to which this grammar is injected to."
+ },
+ "vs/workbench/services/themes/common/colorExtensionPoint": {
+ "contributes.color": "Contributes extension defined themable colors",
+ "contributes.color.id": "The identifier of the themable color",
+ "contributes.color.id.format": "Identifiers should be in the form aa[.bb]*",
+ "contributes.color.description": "The description of the themable color",
+ "contributes.defaults.light": "The default color for light themes. Either a color value in hex (#RRGGBB[AA]) or the identifier of a themable color which provides the default.",
+ "contributes.defaults.dark": "The default color for dark themes. Either a color value in hex (#RRGGBB[AA]) or the identifier of a themable color which provides the default.",
+ "contributes.defaults.highContrast": "The default color for high contrast themes. Either a color value in hex (#RRGGBB[AA]) or the identifier of a themable color which provides the default.",
+ "invalid.colorConfiguration": "'configuration.colors' must be a array",
+ "invalid.default.colorType": "{0} must be either a color value in hex (#RRGGBB[AA] or #RGB[A]) or the identifier of a themable color which provides the default.",
+ "invalid.id": "'configuration.colors.id' must be defined and can not be empty",
+ "invalid.id.format": "'configuration.colors.id' must follow the word[.word]*",
+ "invalid.description": "'configuration.colors.description' must be defined and can not be empty",
+ "invalid.defaults": "'configuration.colors.defaults' must be defined and must contain 'light', 'dark' and 'highContrast'"
+ },
+ "vs/workbench/services/themes/browser/workbenchThemeService": {
+ "error.cannotloadtheme": "Unable to load {0}: {1}"
+ },
+ "vs/workbench/services/themes/common/tokenClassificationExtensionPoint": {
+ "contributes.semanticTokenTypes": "Contributes semantic token types.",
+ "contributes.semanticTokenTypes.id": "The identifier of the semantic token type",
+ "contributes.semanticTokenTypes.id.format": "Identifiers should be in the form letterOrDigit[_-letterOrDigit]*",
+ "contributes.semanticTokenTypes.superType": "The super type of the semantic token type",
+ "contributes.semanticTokenTypes.superType.format": "Super types should be in the form letterOrDigit[_-letterOrDigit]*",
+ "contributes.color.description": "The description of the semantic token type",
+ "contributes.semanticTokenModifiers": "Contributes semantic token modifiers.",
+ "contributes.semanticTokenModifiers.id": "The identifier of the semantic token modifier",
+ "contributes.semanticTokenModifiers.id.format": "Identifiers should be in the form letterOrDigit[_-letterOrDigit]*",
+ "contributes.semanticTokenModifiers.description": "The description of the semantic token modifier",
+ "contributes.semanticTokenScopes": "Contributes semantic token scope maps.",
+ "contributes.semanticTokenScopes.languages": "Lists the languge for which the defaults are.",
+ "contributes.semanticTokenScopes.scopes": "Maps a semantic token (described by semantic token selector) to one or more textMate scopes used to represent that token.",
+ "invalid.id": "'configuration.{0}.id' must be defined and can not be empty",
+ "invalid.id.format": "'configuration.{0}.id' must follow the pattern letterOrDigit[-_letterOrDigit]*",
+ "invalid.superType.format": "'configuration.{0}.superType' must follow the pattern letterOrDigit[-_letterOrDigit]*",
+ "invalid.description": "'configuration.{0}.description' must be defined and can not be empty",
+ "invalid.semanticTokenTypeConfiguration": "'configuration.semanticTokenType' must be an array",
+ "invalid.semanticTokenModifierConfiguration": "'configuration.semanticTokenModifier' must be an array",
+ "invalid.semanticTokenScopes.configuration": "'configuration.semanticTokenScopes' must be an array",
+ "invalid.semanticTokenScopes.language": "'configuration.semanticTokenScopes.language' must be a string",
+ "invalid.semanticTokenScopes.scopes": "'configuration.semanticTokenScopes.scopes' must be defined as an object",
+ "invalid.semanticTokenScopes.scopes.value": "'configuration.semanticTokenScopes.scopes' values must be an array of strings",
+ "invalid.semanticTokenScopes.scopes.selector": "configuration.semanticTokenScopes.scopes': Problems parsing selector {0}."
+ },
+ "vs/workbench/services/themes/browser/productIconThemeData": {
+ "defaultTheme": "Bawaan",
+ "error.cannotparseicontheme": "Problems parsing product icons file: {0}",
+ "error.invalidformat": "Invalid format for product icons theme file: Object expected.",
+ "error.missingProperties": "Invalid format for product icons theme file: Must contain iconDefinitions and fonts."
+ },
+ "vs/workbench/services/themes/common/colorThemeSchema": {
+ "schema.token.settings": "Colors and styles for the token.",
+ "schema.token.foreground": "Foreground color for the token.",
+ "schema.token.background.warning": "Token background colors are currently not supported.",
+ "schema.token.fontStyle": "Font style of the rule: 'italic', 'bold' or 'underline' or a combination. The empty string unsets inherited settings.",
+ "schema.fontStyle.error": "Font style must be 'italic', 'bold' or 'underline' or a combination or the empty string.",
+ "schema.token.fontStyle.none": "None (clear inherited style)",
+ "schema.properties.name": "Description of the rule.",
+ "schema.properties.scope": "Scope selector against which this rule matches.",
+ "schema.workbenchColors": "Colors in the workbench",
+ "schema.tokenColors.path": "Jalur ke berkas tmTheme (relatif terhadap berkas saat ini).",
+ "schema.colors": "Colors for syntax highlighting",
+ "schema.supportsSemanticHighlighting": "Whether semantic highlighting should be enabled for this theme.",
+ "schema.semanticTokenColors": "Colors for semantic tokens"
+ },
+ "vs/workbench/services/themes/common/productIconThemeSchema": {
+ "schema.fonts": "Fonts that are used in the icon definitions.",
+ "schema.id": "The ID of the font.",
+ "schema.src": "The location of the font.",
+ "schema.font-path": "The font path, relative to the current workbench icon theme file.",
+ "schema.font-format": "The format of the font.",
+ "schema.font-weight": "The weight of the font.",
+ "schema.font-sstyle": "The style of the font.",
+ "schema.font-size": "The default size of the font.",
+ "schema.iconDefinitions": "Assocation of icon name to a font character."
+ },
+ "vs/workbench/services/themes/common/fileIconThemeSchema": {
+ "schema.folderExpanded": "The folder icon for expanded folders. The expanded folder icon is optional. If not set, the icon defined for folder will be shown.",
+ "schema.folder": "The folder icon for collapsed folders, and if folderExpanded is not set, also for expanded folders.",
+ "schema.file": "The default file icon, shown for all files that don't match any extension, filename or language id.",
+ "schema.folderNames": "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.",
+ "schema.folderName": "The ID of the icon definition for the association.",
+ "schema.folderNamesExpanded": "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.",
+ "schema.folderNameExpanded": "The ID of the icon definition for the association.",
+ "schema.fileExtensions": "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.",
+ "schema.fileExtension": "The ID of the icon definition for the association.",
+ "schema.fileNames": "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.",
+ "schema.fileName": "The ID of the icon definition for the association.",
+ "schema.languageIds": "Associates languages to icons. The object key is the language id as defined in the language contribution point.",
+ "schema.languageId": "The ID of the icon definition for the association.",
+ "schema.fonts": "Fonts that are used in the icon definitions.",
+ "schema.id": "The ID of the font.",
+ "schema.src": "The location of the font.",
+ "schema.font-path": "The font path, relative to the current icon theme file.",
+ "schema.font-format": "The format of the font.",
+ "schema.font-weight": "The weight of the font.",
+ "schema.font-sstyle": "The style of the font.",
+ "schema.font-size": "The default size of the font.",
+ "schema.iconDefinitions": "Description of all icons that can be used when associating files to icons.",
+ "schema.iconDefinition": "An icon definition. The object key is the ID of the definition.",
+ "schema.iconPath": "When using a SVG or PNG: The path to the image. The path is relative to the icon set file.",
+ "schema.fontCharacter": "When using a glyph font: The character in the font to use.",
+ "schema.fontColor": "When using a glyph font: The color to use.",
+ "schema.fontSize": "When using a font: The font size in percentage to the text font. If not set, defaults to the size in the font definition.",
+ "schema.fontId": "When using a font: The id of the font. If not set, defaults to the first font definition.",
+ "schema.light": "Optional associations for file icons in light color themes.",
+ "schema.highContrast": "Optional associations for file icons in high contrast color themes.",
+ "schema.hidesExplorerArrows": "Configures whether the file explorer's arrows should be hidden when this theme is active."
+ },
+ "vs/workbench/services/themes/browser/fileIconThemeData": {
+ "error.cannotparseicontheme": "Problems parsing file icons file: {0}",
+ "error.invalidformat": "Invalid format for file icons theme file: Object expected."
+ },
+ "vs/workbench/services/themes/common/themeConfiguration": {
+ "colorTheme": "Specifies the color theme used in the workbench.",
+ "colorThemeError": "Theme is unknown or not installed.",
+ "preferredDarkColorTheme": "Specifies the preferred color theme for dark OS appearance when '{0}' is enabled.",
+ "preferredLightColorTheme": "Specifies the preferred color theme for light OS appearance when '{0}' is enabled.",
+ "preferredHCColorTheme": "Specifies the preferred color theme used in high contrast mode when '{0}' is enabled.",
+ "detectColorScheme": "If set, automatically switch to the preferred color theme based on the OS appearance.",
+ "workbenchColors": "Overrides colors from the currently selected color theme.",
+ "iconTheme": "Specifies the file icon theme used in the workbench or 'null' to not show any file icons.",
+ "noIconThemeDesc": "No file icons",
+ "iconThemeError": "File icon theme is unknown or not installed.",
+ "workbenchIconTheme": "Specifies the workbench icon theme used.",
+ "defaultWorkbenchIconThemeDesc": "Bawaan",
+ "workbenchIconThemeError": "Workbench icon theme is unknown or not installed.",
+ "editorColors.comments": "Menetapkan warna dan gaya untuk komentar",
+ "editorColors.strings": "Sets the colors and styles for strings literals.",
+ "editorColors.keywords": "Sets the colors and styles for keywords.",
+ "editorColors.numbers": "Sets the colors and styles for number literals.",
+ "editorColors.types": "Sets the colors and styles for type declarations and references.",
+ "editorColors.functions": "Sets the colors and styles for functions declarations and references.",
+ "editorColors.variables": "Sets the colors and styles for variables declarations and references.",
+ "editorColors.textMateRules": "Sets colors and styles using textmate theming rules (advanced).",
+ "editorColors.semanticHighlighting": "Whether semantic highlighting should be enabled for this theme.",
+ "editorColors": "Overrides editor colors and font style from the currently selected color theme.",
+ "editorColorsTokenStyles": "Overrides token color and styles from the currently selected color theme."
+ },
+ "vs/workbench/services/themes/common/themeExtensionPoints": {
+ "vscode.extension.contributes.themes": "Contributes textmate color themes.",
+ "vscode.extension.contributes.themes.id": "Id of the color theme as used in the user settings.",
+ "vscode.extension.contributes.themes.label": "Label of the color theme as shown in the UI.",
+ "vscode.extension.contributes.themes.uiTheme": "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.",
+ "vscode.extension.contributes.themes.path": "Path of the tmTheme file. The path is relative to the extension folder and is typically './colorthemes/awesome-color-theme.json'.",
+ "vscode.extension.contributes.iconThemes": "Contributes file icon themes.",
+ "vscode.extension.contributes.iconThemes.id": "Id of the file icon theme as used in the user settings.",
+ "vscode.extension.contributes.iconThemes.label": "Label of the file icon theme as shown in the UI.",
+ "vscode.extension.contributes.iconThemes.path": "Path of the file icon theme definition file. The path is relative to the extension folder and is typically './fileicons/awesome-icon-theme.json'.",
+ "vscode.extension.contributes.productIconThemes": "Contributes product icon themes.",
+ "vscode.extension.contributes.productIconThemes.id": "Id of the product icon theme as used in the user settings.",
+ "vscode.extension.contributes.productIconThemes.label": "Label of the product icon theme as shown in the UI.",
+ "vscode.extension.contributes.productIconThemes.path": "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'.",
+ "reqarray": "Extension point `{0}` must be an array.",
+ "reqpath": "Expected string in `contributes.{0}.path`. Provided value: {1}",
+ "reqid": "Expected string in `contributes.{0}.id`. Provided value: {1}",
+ "invalid.path.1": "Expected `contributes.{0}.path` ({1}) to be included inside extension's folder ({2}). This might make the extension non-portable."
+ },
+ "vs/workbench/services/themes/common/colorThemeData": {
+ "error.cannotparsejson": "Problems parsing JSON theme file: {0}",
+ "error.invalidformat": "Invalid format for JSON theme file: Object expected.",
+ "error.invalidformat.colors": "Problem parsing color theme file: {0}. Property 'colors' is not of type 'object'.",
+ "error.invalidformat.tokenColors": "Problem parsing color theme file: {0}. Property 'tokenColors' should be either an array specifying colors or a path to a TextMate theme file",
+ "error.invalidformat.semanticTokenColors": "Problem parsing color theme file: {0}. Property 'semanticTokenColors' conatains a invalid selector",
+ "error.plist.invalidformat": "Problem parsing tmTheme file: {0}. 'settings' is not array.",
+ "error.cannotparse": "Problems parsing tmTheme file: {0}",
+ "error.cannotload": "Problems loading tmTheme file {0}: {1}"
+ },
+ "vs/workbench/services/userData/common/settingsSync": {
+ "Settings Conflicts": "Local ↔ Remote (Settings Conflicts)",
+ "errorInvalidSettings": "Unable to sync settings. Please resolve conflicts without any errors/warnings and try again."
+ },
+ "vs/workbench/services/userDataSync/common/userDataSyncUtil": {
+ "select extensions": "Sync: Select Extensions to Sync",
+ "choose extensions to sync": "Choose extensions to sync"
+ },
+ "vs/workbench/services/workingCopy/common/workingCopyFileOperationParticipant": {
+ "msg-create": "Running 'File Create' participants...",
+ "msg-rename": "Running 'File Rename' participants...",
+ "msg-copy": "Running 'File Copy' participants...",
+ "msg-delete": "Running 'File Delete' participants..."
+ },
+ "vs/workbench/services/workspace/electron-browser/workspaceEditingService": {
+ "workspaceOpenedMessage": "Tidak dapat menyimpan ruang kerja '{0}'",
+ "ok": "OK",
+ "workspaceOpenedDetail": "The workspace is already opened in another window. Please close that window first and then try again."
+ },
+ "vs/workbench/services/workspace/browser/workspaceEditingService": {
+ "save": "Save",
+ "doNotSave": "Don't Save",
+ "cancel": "Batal",
+ "saveWorkspaceMessage": "Do you want to save your workspace configuration as a file?",
+ "saveWorkspaceDetail": "Simpan ruang kerja anda jika Anda berencana untuk membukanya lagi",
+ "saveWorkspace": "Simpan Ruang Kerja",
+ "differentSchemeRoots": "Workspace folders from different providers are not allowed in the same workspace.",
+ "errorInvalidTaskConfiguration": "Tidak dapat menulis ke dalam berkas konfigurasi ruang kerja. Silakan buka berkas untuk memperbaiki kesalahan/peringatan di dalamnya dan coba lagi.",
+ "errorWorkspaceConfigurationFileDirty": "Unable to write into workspace configuration file because the file is dirty. Please save it and try again.",
+ "openWorkspaceConfigurationFile": "Open Workspace Configuration"
+ },
+ "vs/workbench/services/workspaces/electron-browser/workspaceEditingService": {
+ "save": "Save",
+ "doNotSave": "Don't Save",
+ "cancel": "Batal",
+ "saveWorkspaceMessage": "Do you want to save your workspace configuration as a file?",
+ "saveWorkspaceDetail": "Simpan ruang kerja anda jika Anda berencana untuk membukanya lagi",
+ "workspaceOpenedMessage": "Tidak dapat menyimpan ruang kerja '{0}'",
+ "ok": "OK",
+ "workspaceOpenedDetail": "The workspace is already opened in another window. Please close that window first and then try again."
+ },
+ "vs/workbench/services/workspaces/browser/abstractWorkspaceEditingService": {
+ "save": "Save",
+ "saveWorkspace": "Simpan Ruang Kerja",
+ "differentSchemeRoots": "Workspace folders from different providers are not allowed in the same workspace.",
+ "errorInvalidTaskConfiguration": "Tidak dapat menulis ke dalam berkas konfigurasi ruang kerja. Silakan buka berkas untuk memperbaiki kesalahan/peringatan di dalamnya dan coba lagi.",
+ "errorWorkspaceConfigurationFileDirty": "Unable to write into workspace configuration file because the file is dirty. Please save it and try again.",
+ "openWorkspaceConfigurationFile": "Open Workspace Configuration"
+ }
+}
diff --git a/internal/vite-plugin-monaco-editor-nls/src/locale/it.json b/internal/vite-plugin-monaco-editor-nls/src/locale/it.json
new file mode 100644
index 0000000..1daafd5
--- /dev/null
+++ b/internal/vite-plugin-monaco-editor-nls/src/locale/it.json
@@ -0,0 +1,8306 @@
+{
+ "vs/base/common/date": {
+ "date.fromNow.in": "in {0}",
+ "date.fromNow.now": "ora",
+ "date.fromNow.seconds.singular.ago": "{0} secondo fa",
+ "date.fromNow.seconds.plural.ago": "{0} secondi fa",
+ "date.fromNow.seconds.singular": "{0} secondo",
+ "date.fromNow.seconds.plural": "{0} secondi",
+ "date.fromNow.minutes.singular.ago": "{0} minuto fa",
+ "date.fromNow.minutes.plural.ago": "{0} minuti fa",
+ "date.fromNow.minutes.singular": "{0} minuto",
+ "date.fromNow.minutes.plural": "{0} minuti",
+ "date.fromNow.hours.singular.ago": "{0} ora fa",
+ "date.fromNow.hours.plural.ago": "{0} ore fa",
+ "date.fromNow.hours.singular": "{0} ora",
+ "date.fromNow.hours.plural": "{0} ore",
+ "date.fromNow.days.singular.ago": "{0} giorno fa",
+ "date.fromNow.days.plural.ago": "{0} giorni fa",
+ "date.fromNow.days.singular": "{0} giorno",
+ "date.fromNow.days.plural": "{0} giorni",
+ "date.fromNow.weeks.singular.ago": "{0} settimana fa",
+ "date.fromNow.weeks.plural.ago": "{0} settimane fa",
+ "date.fromNow.weeks.singular": "{0} settimana",
+ "date.fromNow.weeks.plural": "{0} settimane",
+ "date.fromNow.months.singular.ago": "{0} mese fa",
+ "date.fromNow.months.plural.ago": "{0} mesi fa",
+ "date.fromNow.months.singular": "{0} mese",
+ "date.fromNow.months.plural": "{0} mesi",
+ "date.fromNow.years.singular.ago": "{0} anno fa",
+ "date.fromNow.years.plural.ago": "{0} anni fa",
+ "date.fromNow.years.singular": "{0} anno",
+ "date.fromNow.years.plural": "{0} anni"
+ },
+ "vs/base/common/codicons": {
+ "dropDownButton": "Icona per pulsanti a discesa."
+ },
+ "vs/base/common/actions": {
+ "submenu.empty": "(vuoto)"
+ },
+ "vs/base/node/processes": {
+ "TaskRunner.UNC": "Non è possibile eseguire un comando della shell su un'unità UNC."
+ },
+ "vs/base/common/errorMessage": {
+ "stackTrace.format": "{0}: {1}",
+ "nodeExceptionMessage": "Si è verificato un errore di sistema ({0})",
+ "error.defaultMessage": "Si è verificato un errore sconosciuto. Per altri dettagli, vedere il log.",
+ "error.moreErrors": "{0} ({1} errori in totale)"
+ },
+ "vs/base/node/zip": {
+ "invalid file": "Errore durante l'estrazione di {0}. File non valido.",
+ "incompleteExtract": "Non completato. Trovate {0} di {1} voci",
+ "notFound": "{0} non è stato trovato all'interno del file ZIP."
+ },
+ "vs/base/browser/ui/dialog/dialog": {
+ "ok": "OK",
+ "dialogInfoMessage": "Informazioni",
+ "dialogErrorMessage": "Errore",
+ "dialogWarningMessage": "Avviso",
+ "dialogPendingMessage": "In corso",
+ "dialogClose": "Chiudi finestra di dialogo"
+ },
+ "vs/base/browser/ui/actionbar/actionViewItems": {
+ "titleLabel": "{0} ({1})"
+ },
+ "vs/base/browser/ui/keybindingLabel/keybindingLabel": {
+ "unbound": "Non associato"
+ },
+ "vs/base/browser/ui/menu/menubar": {
+ "mAppMenu": "Menu applicazione",
+ "mMore": "altro"
+ },
+ "vs/base/browser/ui/menu/menu": {
+ "titleLabel": "{0} ({1})"
+ },
+ "vs/base/common/jsonErrorMessages": {
+ "error.invalidSymbol": "Simbolo non valido",
+ "error.invalidNumberFormat": "Formato di numero non valido",
+ "error.propertyNameExpected": "È previsto un nome di proprietà",
+ "error.valueExpected": "È previsto un valore",
+ "error.colonExpected": "Sono previsti i due punti",
+ "error.commaExpected": "È prevista la virgola",
+ "error.closeBraceExpected": "È prevista la parentesi graffa di chiusura",
+ "error.closeBracketExpected": "È prevista la parentesi quadra di chiusura",
+ "error.endOfFileExpected": "È previsto un carattere di fine file"
+ },
+ "vs/base/common/keybindingLabels": {
+ "ctrlKey": "CTRL",
+ "shiftKey": "MAIUSC",
+ "altKey": "ALT",
+ "windowsKey": "Windows",
+ "superKey": "Super",
+ "ctrlKey.long": "CTRL",
+ "shiftKey.long": "MAIUSC",
+ "altKey.long": "ALT",
+ "cmdKey.long": "Comando",
+ "windowsKey.long": "Windows",
+ "superKey.long": "Super"
+ },
+ "vs/base/browser/ui/tree/abstractTree": {
+ "clear": "Cancella",
+ "disable filter on type": "Disabilita filtro sul tipo",
+ "enable filter on type": "Abilita filtro sul tipo",
+ "empty": "Non sono stati trovati elementi",
+ "found": "Abbinamento di {0} su {1} elementi"
+ },
+ "vs/base/browser/ui/tree/treeDefaults": {
+ "collapse all": "Comprimi tutto"
+ },
+ "vs/base/browser/ui/toolbar/toolbar": {
+ "moreActions": "Altre azioni..."
+ },
+ "vs/base/browser/ui/splitview/paneview": {
+ "viewSection": "Sezione {0}"
+ },
+ "vs/base/browser/ui/inputbox/inputBox": {
+ "alertErrorMessage": "Errore: {0}",
+ "alertWarningMessage": "Avviso: {0}",
+ "alertInfoMessage": "Info: {0}"
+ },
+ "vs/base/parts/quickinput/browser/quickInput": {
+ "backButtonIcon": "Icona del pulsante Indietro nella finestra di dialogo Input rapido.",
+ "quickInput.back": "Indietro",
+ "quickInput.steps": "{0}/{1}",
+ "quickInputBox.ariaLabel": "Digitare per ridurre il numero di risultati.",
+ "inputModeEntry": "Premere 'INVIO' per confermare l'input oppure 'ESC' per annullare",
+ "inputModeEntryDescription": "{0} (premere 'INVIO' per confermare oppure 'ESC' per annullare)",
+ "quickInput.visibleCount": "{0} risultati",
+ "quickInput.countSelected": "{0} selezionati",
+ "ok": "OK",
+ "custom": "Personalizzato",
+ "quickInput.backWithKeybinding": "Indietro ({0})"
+ },
+ "vs/base/browser/ui/findinput/findInput": {
+ "defaultLabel": "input"
+ },
+ "vs/base/browser/ui/findinput/replaceInput": {
+ "defaultLabel": "input",
+ "label.preserveCaseCheckbox": "Mantieni maiuscole/minuscole"
+ },
+ "vs/base/browser/ui/findinput/findInputCheckboxes": {
+ "caseDescription": "Maiuscole/minuscole",
+ "wordsDescription": "Parola intera",
+ "regexDescription": "Usa espressione regolare"
+ },
+ "vs/base/parts/quickinput/browser/quickInputList": {
+ "quickInput": "Input rapido"
+ },
+ "vs/base/browser/ui/selectBox/selectBoxCustom": {
+ "selectBox": "Casella di selezione"
+ },
+ "vs/editor/browser/editorExtensions": {
+ "miUndo": "&&Annulla",
+ "undo": "Annulla",
+ "miRedo": "&&Ripeti",
+ "redo": "Ripeti",
+ "miSelectAll": "&&Seleziona tutto",
+ "selectAll": "Seleziona tutto"
+ },
+ "vs/editor/common/modes/modesRegistry": {
+ "plainText.alias": "Testo normale"
+ },
+ "vs/editor/common/config/editorOptions": {
+ "accessibilitySupport.auto": "L'editor userà le API della piattaforma per rilevare quando viene collegata un'utilità per la lettura dello schermo.",
+ "accessibilitySupport.on": "L'editor verrà definitivamente ottimizzato per l'utilizzo con un'utilità per la lettura dello schermo. Il ritorno a capo automatico verrà disabilitato.",
+ "accessibilitySupport.off": "L'editor non verrà mai ottimizzato per l'utilizzo con un'utilità per la lettura dello schermo.",
+ "accessibilitySupport": "Controlla se l'editor deve essere eseguito in una modalità ottimizzata per le utilità per la lettura dello schermo. Se viene attivata, il ritorno a capo automatico verrà disabilitato.",
+ "comments.insertSpace": "Consente di controllare se viene inserito uno spazio quando si aggiungono commenti.",
+ "comments.ignoreEmptyLines": "Controlla se ignorare le righe vuote con le opzioni per attivare/disattivare, aggiungere o rimuovere relative ai commenti di riga.",
+ "emptySelectionClipboard": "Controlla se, quando si copia senza aver effettuato una selezione, viene copiata la riga corrente.",
+ "find.cursorMoveOnType": "Controlla se il cursore deve passare direttamente alla ricerca delle corrispondenze durante la digitazione.",
+ "find.seedSearchStringFromSelection": "Controlla se inizializzare la stringa di ricerca nel Widget Trova con il testo selezionato nell'editor.",
+ "editor.find.autoFindInSelection.never": "Non attivare mai automaticamente la funzione Trova nella selezione (impostazione predefinita)",
+ "editor.find.autoFindInSelection.always": "Attiva sempre automaticamente la funzione Trova nella selezione",
+ "editor.find.autoFindInSelection.multiline": "Attiva automaticamente la funzione Trova nella selezione quando sono selezionate più righe di contenuto.",
+ "find.autoFindInSelection": "Controlla la condizione per attivare automaticamente la funzione Trova nella selezione.",
+ "find.globalFindClipboard": "Controlla se il widget Trova deve leggere o modificare gli appunti di ricerca condivisi in macOS.",
+ "find.addExtraSpaceOnTop": "Controlla se il widget Trova deve aggiungere altre righe nella parte superiore dell'editor. Quando è true, è possibile scorrere oltre la prima riga quando il widget Trova è visibile.",
+ "find.loop": "Controlla se la ricerca viene riavviata automaticamente dall'inizio o dalla fine quando non è possibile trovare ulteriori corrispondenze.",
+ "fontLigatures": "Abilita/Disabilita i caratteri legatura (funzionalità dei tipi di carattere 'calt' e 'liga'). Impostare su una stringa per un controllo più specifico sulla proprietà CSS 'font-feature-settings'.",
+ "fontFeatureSettings": "Proprietà CSS 'font-feature-settings' esplicita. Se è necessario solo attivare/disattivare le legature, è possibile passare un valore booleano.",
+ "fontLigaturesGeneral": "Consente di configurare i caratteri legatura o le funzionalità dei tipi di carattere. Può essere un valore booleano per abilitare/disabilitare le legature o una stringa per il valore della proprietà CSS 'font-feature-settings'.",
+ "fontSize": "Controlla le dimensioni del carattere in pixel.",
+ "fontWeightErrorMessage": "Sono consentiti solo le parole chiave \"normal\" e \"bold\" o i numeri compresi tra 1 e 1000.",
+ "fontWeight": "Controlla lo spessore del carattere. Accetta le parole chiave \"normal\" e \"bold\" o i numeri compresi tra 1 e 1000.",
+ "editor.gotoLocation.multiple.peek": "Mostra la visualizzazione rapida dei risultati (impostazione predefinita)",
+ "editor.gotoLocation.multiple.gotoAndPeek": "Passa al risultato principale e mostra una visualizzazione rapida",
+ "editor.gotoLocation.multiple.goto": "Passa al risultato principale e abilita l'esplorazione senza anteprima per gli altri",
+ "editor.gotoLocation.multiple.deprecated": "Questa impostazione è deprecata. In alternativa, usare impostazioni diverse, come 'editor.editor.gotoLocation.multipleDefinitions' o 'editor.editor.gotoLocation.multipleImplementations'.",
+ "editor.editor.gotoLocation.multipleDefinitions": "Controlla il comportamento del comando 'Vai alla definizione' quando esistono più posizioni di destinazione.",
+ "editor.editor.gotoLocation.multipleTypeDefinitions": "Controlla il comportamento del comando 'Vai alla definizione di tipo' quando esistono più posizioni di destinazione.",
+ "editor.editor.gotoLocation.multipleDeclarations": "Controlla il comportamento del comando 'Vai a dichiarazione' quando esistono più posizioni di destinazione.",
+ "editor.editor.gotoLocation.multipleImplemenattions": "Controlla il comportamento del comando 'Vai a implementazioni' quando esistono più posizioni di destinazione.",
+ "editor.editor.gotoLocation.multipleReferences": "Controlla il comportamento del comando 'Vai a riferimenti' quando esistono più posizioni di destinazione.",
+ "alternativeDefinitionCommand": "ID comando alternativo eseguito quando il risultato di 'Vai alla definizione' è la posizione corrente.",
+ "alternativeTypeDefinitionCommand": "ID comando alternativo eseguito quando il risultato di 'Vai alla definizione di tipo' è la posizione corrente.",
+ "alternativeDeclarationCommand": "ID comando alternativo eseguito quando il risultato di 'Vai a dichiarazione' è la posizione corrente.",
+ "alternativeImplementationCommand": "ID comando alternativo eseguito quando il risultato di 'Vai a implementazione' è la posizione corrente.",
+ "alternativeReferenceCommand": "ID comando alternativo eseguito quando il risultato di 'Vai a riferimento' è la posizione corrente.",
+ "hover.enabled": "Controlla se mostrare l'area sensibile al passaggio del mouse.",
+ "hover.delay": "Controlla il ritardo in millisecondi dopo il quale viene mostrato il passaggio del mouse.",
+ "hover.sticky": "Controlla se l'area sensibile al passaggio del mouse deve rimanere visibile quando vi si passa sopra con il puntatore del mouse.",
+ "codeActions": "Abilita la lampadina delle azioni codice nell'editor.",
+ "lineHeight": "Controlla l'altezza della riga. Usare 0 per calcolare l'altezza della riga dalle dimensioni del carattere.",
+ "minimap.enabled": "Controlla se la minimappa è visualizzata.",
+ "minimap.size.proportional": "La minimappa ha le stesse dimensioni del contenuto dell'editor (e potrebbe supportare lo scorrimento).",
+ "minimap.size.fill": "Se necessario, la minimappa si ridurrà o si ingrandirà in modo da adattarsi all'altezza dell'editor (nessuno scorrimento).",
+ "minimap.size.fit": "Se necessario, la minimappa si ridurrà in modo che la larghezza non superi mai quella dell'editor (nessuno scorrimento).",
+ "minimap.size": "Controlla le dimensioni della minimappa.",
+ "minimap.side": "Definisce il lato in cui eseguire il rendering della minimappa.",
+ "minimap.showSlider": "Controlla se il dispositivo di scorrimento della minimappa è visualizzato.",
+ "minimap.scale": "Scala del contenuto disegnato nella minimappa: 1, 2 o 3.",
+ "minimap.renderCharacters": "Esegue il rendering dei caratteri effettivi di una riga in contrapposizione ai blocchi colore.",
+ "minimap.maxColumn": "Limita la larghezza della minimappa in modo da eseguire il rendering al massimo di un certo numero di colonne.",
+ "padding.top": "Controlla la quantità di spazio tra il bordo superiore dell'editor e la prima riga.",
+ "padding.bottom": "Controlla la quantità di spazio tra il bordo inferiore dell'editor e l'ultima riga.",
+ "parameterHints.enabled": "Abilita un popup che mostra documentazione sui parametri e informazioni sui tipi mentre si digita.",
+ "parameterHints.cycle": "Controlla se il menu dei suggerimenti per i parametri esegue un ciclo o si chiude quando viene raggiunta la fine dell'elenco.",
+ "quickSuggestions.strings": "Abilita i suggerimenti rapidi all'interno di stringhe.",
+ "quickSuggestions.comments": "Abilita i suggerimenti rapidi all'interno di commenti.",
+ "quickSuggestions.other": "Abilita i suggerimenti rapidi all'esterno di stringhe e commenti.",
+ "quickSuggestions": "Controlla se visualizzare automaticamente i suggerimenti durante la digitazione.",
+ "lineNumbers.off": "I numeri di riga non vengono visualizzati.",
+ "lineNumbers.on": "I numeri di riga vengono visualizzati come numeri assoluti.",
+ "lineNumbers.relative": "I numeri di riga vengono visualizzati come distanza in linee alla posizione del cursore.",
+ "lineNumbers.interval": "I numeri di riga vengono visualizzati ogni 10 righe.",
+ "lineNumbers": "Controlla la visualizzazione dei numeri di riga.",
+ "rulers.size": "Numero di caratteri a spaziatura fissa in corrispondenza del quale verrà eseguito il rendering di questo righello dell'editor.",
+ "rulers.color": "Colore di questo righello dell'editor.",
+ "rulers": "Esegue il rendering dei righelli verticali dopo un certo numero di caratteri a spaziatura fissa. Usare più valori per più righelli. Se la matrice è vuota, non viene disegnato alcun righello.",
+ "suggest.insertMode.insert": "Inserisce il suggerimento senza sovrascrivere il testo a destra del cursore.",
+ "suggest.insertMode.replace": "Inserisce il suggerimento e sovrascrive il testo a destra del cursore.",
+ "suggest.insertMode": "Controlla se le parole vengono sovrascritte quando si accettano i completamenti. Tenere presente che questa opzione dipende dalle estensioni che accettano esplicitamente questa funzionalità.",
+ "suggest.filterGraceful": "Controlla se i suggerimenti di filtro e ordinamento valgono per piccoli errori di battitura.",
+ "suggest.localityBonus": "Controlla se l'ordinamento privilegia le parole che appaiono più vicine al cursore.",
+ "suggest.shareSuggestSelections": "Controlla se condividere le selezioni dei suggerimenti memorizzati tra aree di lavoro e finestre (richiede `#editor.suggestSelection#`).",
+ "suggest.snippetsPreventQuickSuggestions": "Controlla se un frammento attivo impedisce i suggerimenti rapidi.",
+ "suggest.showIcons": "Controlla se mostrare o nascondere le icone nei suggerimenti.",
+ "suggest.showStatusBar": "Controlla la visibilità della barra di stato nella parte inferiore del widget dei suggerimenti.",
+ "suggest.showInlineDetails": "Controlla se i dettagli del suggerimento vengono visualizzati inline con l'etichetta o solo nel widget dei dettagli",
+ "suggest.maxVisibleSuggestions.dep": "Questa impostazione è deprecata. Il widget dei suggerimenti può ora essere ridimensionato.",
+ "deprecated": "Questa impostazione è deprecata. In alternativa, usare impostazioni diverse, come 'editor.suggest.showKeywords' o 'editor.suggest.showSnippets'.",
+ "editor.suggest.showMethods": "Se è abilitata, IntelliSense mostra i suggerimenti relativi a `method`.",
+ "editor.suggest.showFunctions": "Se è abilitata, IntelliSense mostra i suggerimenti relativi a `function`.",
+ "editor.suggest.showConstructors": "Se è abilitata, IntelliSense mostra i suggerimenti relativi a `constructor`.",
+ "editor.suggest.showFields": "Se è abilitata, IntelliSense mostra i suggerimenti relativi a `field`.",
+ "editor.suggest.showVariables": "Se è abilitata, IntelliSense mostra i suggerimenti relativi a `variable`.",
+ "editor.suggest.showClasss": "Se è abilitata, IntelliSense mostra i suggerimenti relativi a `class`.",
+ "editor.suggest.showStructs": "Se è abilitata, IntelliSense mostra i suggerimenti relativi a `struct`.",
+ "editor.suggest.showInterfaces": "Se è abilitata, IntelliSense mostra i suggerimenti relativi a `interface`.",
+ "editor.suggest.showModules": "Se è abilitata, IntelliSense mostra i suggerimenti relativi a `module`.",
+ "editor.suggest.showPropertys": "Se è abilitata, IntelliSense mostra i suggerimenti relativi a `property`.",
+ "editor.suggest.showEvents": "Se è abilitata, IntelliSense mostra i suggerimenti relativi a `event`.",
+ "editor.suggest.showOperators": "Se è abilitata, IntelliSense mostra i suggerimenti relativi a `operator`.",
+ "editor.suggest.showUnits": "Se è abilitata, IntelliSense mostra i suggerimenti relativi a `unit`.",
+ "editor.suggest.showValues": "Se è abilitata, IntelliSense mostra i suggerimenti relativi a `value`.",
+ "editor.suggest.showConstants": "Se è abilitata, IntelliSense mostra i suggerimenti relativi a `constant`.",
+ "editor.suggest.showEnums": "Se è abilitata, IntelliSense mostra i suggerimenti relativi a `enum`.",
+ "editor.suggest.showEnumMembers": "Se è abilitata, IntelliSense mostra i suggerimenti relativi a `enumMember`.",
+ "editor.suggest.showKeywords": "Se è abilitata, IntelliSense mostra i suggerimenti relativi a `keyword`.",
+ "editor.suggest.showTexts": "Se è abilitata, IntelliSense mostra i suggerimenti relativi a `text`.",
+ "editor.suggest.showColors": "Se è abilitata, IntelliSense mostra i suggerimenti relativi a `color`.",
+ "editor.suggest.showFiles": "Se è abilitata, IntelliSense mostra i suggerimenti relativi a `file`.",
+ "editor.suggest.showReferences": "Se è abilitata, IntelliSense mostra i suggerimenti relativi a `reference`.",
+ "editor.suggest.showCustomcolors": "Se è abilitata, IntelliSense mostra i suggerimenti relativi a `customcolor`.",
+ "editor.suggest.showFolders": "Se è abilitata, IntelliSense mostra i suggerimenti relativi a `folder`.",
+ "editor.suggest.showTypeParameters": "Se è abilitata, IntelliSense mostra i suggerimenti relativi a `typeParameter`.",
+ "editor.suggest.showSnippets": "Se è abilitata, IntelliSense mostra i suggerimenti relativi a `snippet`.",
+ "editor.suggest.showUsers": "Se è abilitata, IntelliSense mostra i suggerimenti relativi a `user`.",
+ "editor.suggest.showIssues": "Se è abilitata, IntelliSense mostra i suggerimenti relativi a `issues`.",
+ "selectLeadingAndTrailingWhitespace": "Indica se gli spazi vuoti iniziali e finali devono essere sempre selezionati.",
+ "acceptSuggestionOnCommitCharacter": "Controlla se accettare i suggerimenti con i caratteri di commit. Ad esempio, in JavaScript il punto e virgola (';') può essere un carattere di commit che accetta un suggerimento e digita tale carattere.",
+ "acceptSuggestionOnEnterSmart": "Accetta un suggerimento con 'Invio' solo quando si apporta una modifica al testo.",
+ "acceptSuggestionOnEnter": "Controlla se i suggerimenti devono essere accettati con 'INVIO' in aggiunta a 'TAB'. In questo modo è possibile evitare ambiguità tra l'inserimento di nuove righe e l'accettazione di suggerimenti.",
+ "accessibilityPageSize": "Controlla il numero di righe nell'editor che possono essere lette da un utilità per la lettura dello schermo. Avviso: questa opzione può influire sulle prestazioni se il numero di righe è superiore a quello predefinito.",
+ "editorViewAccessibleLabel": "Contenuto editor",
+ "editor.autoClosingBrackets.languageDefined": "Usa le configurazioni del linguaggio per determinare la chiusura automatica delle parentesi.",
+ "editor.autoClosingBrackets.beforeWhitespace": "Chiudi automaticamente le parentesi solo quando il cursore si trova alla sinistra di uno spazio vuoto.",
+ "autoClosingBrackets": "Controlla se l'editor deve chiudere automaticamente le parentesi quadre dopo che sono state aperte.",
+ "editor.autoClosingOvertype.auto": "Digita sopra le virgolette o le parentesi quadre di chiusura solo se sono state inserite automaticamente.",
+ "autoClosingOvertype": "Controlla se l'editor deve digitare su virgolette o parentesi quadre.",
+ "editor.autoClosingQuotes.languageDefined": "Usa le configurazioni del linguaggio per determinare la chiusura automatica delle virgolette.",
+ "editor.autoClosingQuotes.beforeWhitespace": "Chiudi automaticamente le virgolette solo quando il cursore si trova alla sinistra di uno spazio vuoto.",
+ "autoClosingQuotes": "Controlla se l'editor deve chiudere automaticamente le citazioni dopo che sono state aperte.",
+ "editor.autoIndent.none": "L'editor non inserirà automaticamente il rientro.",
+ "editor.autoIndent.keep": "L'editor manterrà il rientro della riga corrente.",
+ "editor.autoIndent.brackets": "L'editor manterrà il rientro della riga corrente e rispetterà le parentesi definite dalla lingua.",
+ "editor.autoIndent.advanced": "L'editor manterrà il rientro della riga corrente, rispetterà le parentesi definite dalla lingua e richiamerà le regole onEnterRules speciali definite dalle lingue.",
+ "editor.autoIndent.full": "L'editor manterrà il rientro della riga corrente, rispetterà le parentesi definite dalla lingua, richiamerà le regole onEnterRules speciali definite dalle lingue e rispetterà le regole indentationRules definite dalle lingue.",
+ "autoIndent": "Controlla se l'editor deve regolare automaticamente il rientro quando gli utenti digitano, incollano, spostano le righe o applicano il rientro.",
+ "editor.autoSurround.languageDefined": "Usa le configurazioni del linguaggio per determinare quando racchiudere automaticamente le selezioni tra parentesi quadre o virgolette.",
+ "editor.autoSurround.quotes": "Racchiude la selezione tra virgolette ma non tra parentesi quadre.",
+ "editor.autoSurround.brackets": "Racchiude la selezione tra parentesi quadre ma non tra virgolette.",
+ "autoSurround": "Controlla se l'editor deve racchiudere automaticamente le selezioni quando si digitano virgolette o parentesi quadre.",
+ "stickyTabStops": "Emula il comportamento di selezione dei caratteri di tabulazione quando si usano gli spazi per il rientro. La selezione verrà applicata alle tabulazioni.",
+ "codeLens": "Controlla se l'editor visualizza CodeLens.",
+ "codeLensFontFamily": "Controlla la famiglia di caratteri per CodeLens.",
+ "codeLensFontSize": "Controlla le dimensioni del carattere in pixel per CodeLens. Quando è impostata su `0`, viene usato il 90% del valore di `#editor.fontSize#`.",
+ "colorDecorators": "Controlla se l'editor deve eseguire il rendering della selezione colori e degli elementi Decorator di tipo colore inline.",
+ "columnSelection": "Abilita l'uso di mouse e tasti per la selezione delle colonne.",
+ "copyWithSyntaxHighlighting": "Controlla se l'evidenziazione della sintassi deve essere copiata negli Appunti.",
+ "cursorBlinking": "Controllo dello stile di animazione del cursore.",
+ "cursorSmoothCaretAnimation": "Controlla se l'animazione del cursore con anti-aliasing deve essere abilitata.",
+ "cursorStyle": "Controlla lo stile del cursore.",
+ "cursorSurroundingLines": "Controlla il numero minimo di righe iniziali e finali visibili che circondano il cursore. Noto come 'scrollOff' o 'scrollOffset' in altri editor.",
+ "cursorSurroundingLinesStyle.default": "`cursorSurroundingLines` viene applicato solo quando è attivato tramite la tastiera o l'API.",
+ "cursorSurroundingLinesStyle.all": "`cursorSurroundingLines` viene sempre applicato.",
+ "cursorSurroundingLinesStyle": "Controlla quando deve essere applicato `cursorSurroundingLines`.",
+ "cursorWidth": "Controlla la larghezza del cursore quando `#editor.cursorStyle#` è impostato su `line`.",
+ "dragAndDrop": "Controlla se l'editor deve consentire lo spostamento di selezioni tramite trascinamento della selezione.",
+ "fastScrollSensitivity": "Moltiplicatore della velocità di scorrimento quando si preme `Alt`.",
+ "folding": "Controlla se per l'editor è abilitata la riduzione del codice.",
+ "foldingStrategy.auto": "Usa una strategia di riduzione specifica della lingua, se disponibile; altrimenti ne usa una basata sui rientri.",
+ "foldingStrategy.indentation": "Usa la strategia di riduzione basata sui rientri.",
+ "foldingStrategy": "Controlla la strategia per il calcolo degli intervalli di riduzione.",
+ "foldingHighlight": "Controlla se l'editor deve evidenziare gli intervalli con riduzione del codice.",
+ "unfoldOnClickAfterEndOfLine": "Controlla se, facendo clic sul contenuto vuoto dopo una riga ridotta, la riga viene espansa.",
+ "fontFamily": "Controlla la famiglia di caratteri.",
+ "formatOnPaste": "Controlla se l'editor deve formattare automaticamente il contenuto incollato. Deve essere disponibile un formattatore che deve essere in grado di formattare un intervallo in un documento.",
+ "formatOnType": "Controlla se l'editor deve formattare automaticamente la riga dopo la digitazione.",
+ "glyphMargin": "Controlla se l'editor deve eseguire il rendering del margine verticale del glifo. Il margine del glifo viene usato principalmente per il debug.",
+ "hideCursorInOverviewRuler": "Controlla se il cursore deve essere nascosto nel righello delle annotazioni.",
+ "highlightActiveIndentGuide": "Controlla se l'editor deve evidenziare la guida con rientro attiva.",
+ "letterSpacing": "Controlla la spaziatura tra le lettere in pixel.",
+ "linkedEditing": "Controlla se la modifica collegata è abilitata per l'editor. A seconda del linguaggio, i simboli correlati, ad esempio i tag HTML, vengono aggiornati durante la modifica.",
+ "links": "Controlla se l'editor deve individuare i collegamenti e renderli selezionabili.",
+ "matchBrackets": "Evidenzia le parentesi graffe corrispondenti.",
+ "mouseWheelScrollSensitivity": "Moltiplicatore da usare sui valori `deltaX` e `deltaY` degli eventi di scorrimento della rotellina del mouse.",
+ "mouseWheelZoom": "Ingrandisce il carattere dell'editor quando si usa la rotellina del mouse e si tiene premuto 'CTRL'.",
+ "multiCursorMergeOverlapping": "Unire i cursori multipli se sovrapposti.",
+ "multiCursorModifier.ctrlCmd": "Rappresenta il tasto 'Control' in Windows e Linux e il tasto 'Comando' in macOS.",
+ "multiCursorModifier.alt": "Rappresenta il tasto 'Alt' in Windows e Linux e il tasto 'Opzione' in macOS.",
+ "multiCursorModifier": "Modificatore da usare per aggiungere più cursori con il mouse. I gesti del mouse Vai alla definizione e Apri il collegamento si adatteranno in modo da non entrare in conflitto con il modificatore di selezione multipla. [Altre informazioni](https://code.visualstudio.com/docs/editor/codebasics#_multicursor-modifier).",
+ "multiCursorPaste.spread": "Ogni cursore incolla una singola riga del testo.",
+ "multiCursorPaste.full": "Ogni cursore incolla il testo completo.",
+ "multiCursorPaste": "Controlla l'operazione Incolla quando il conteggio delle righe del testo incollato corrisponde al conteggio dei cursori.",
+ "occurrencesHighlight": "Controlla se l'editor deve evidenziare le occorrenze di simboli semantici.",
+ "overviewRulerBorder": "Controlla se deve essere disegnato un bordo intorno al righello delle annotazioni.",
+ "peekWidgetDefaultFocus.tree": "Sposta lo stato attivo sull'albero quando si apre l'anteprima",
+ "peekWidgetDefaultFocus.editor": "Sposta lo stato attivo sull'editor quando si apre l'anteprima",
+ "peekWidgetDefaultFocus": "Controlla se spostare lo stato attivo sull'editor inline o sull'albero nel widget di anteprima.",
+ "definitionLinkOpensInPeek": "Controlla se il movimento del mouse Vai alla definizione consente sempre di aprire il widget di anteprima.",
+ "quickSuggestionsDelay": "Controlla il ritardo in millisecondi dopo il quale verranno visualizzati i suggerimenti rapidi.",
+ "renameOnType": "Controlla se l'editor viene rinominato automaticamente in base al tipo.",
+ "renameOnTypeDeprecate": "Deprecata. In alternativa, usare `editor.linkedEditing`.",
+ "renderControlCharacters": "Controlla se l'editor deve eseguire il rendering dei caratteri di controllo.",
+ "renderIndentGuides": "Controlla se l'editor deve eseguire il rendering delle guide con rientro.",
+ "renderFinalNewline": "Esegue il rendering dell'ultimo numero di riga quando il file termina con un carattere di nuova riga.",
+ "renderLineHighlight.all": "Mette in evidenza sia la barra di navigazione sia la riga corrente.",
+ "renderLineHighlight": "Controlla in che modo l'editor deve eseguire il rendering dell'evidenziazione di riga corrente.",
+ "renderLineHighlightOnlyWhenFocus": "Controlla se l'editor deve eseguire il rendering dell'evidenziazione della riga corrente solo quando l'editor ha lo stato attivo",
+ "renderWhitespace.boundary": "Esegue il rendering dei caratteri di spazio vuoto ad eccezione dei singoli spazi tra le parole.",
+ "renderWhitespace.selection": "Esegui il rendering dei caratteri di spazio vuoto solo nel testo selezionato.",
+ "renderWhitespace.trailing": "Esegui il rendering solo dei caratteri di spazio vuoto finali",
+ "renderWhitespace": "Controlla in che modo l'editor deve eseguire il rendering dei caratteri di spazio vuoto.",
+ "roundedSelection": "Controlla se le selezioni devono avere gli angoli arrotondati.",
+ "scrollBeyondLastColumn": "Controlla il numero di caratteri aggiuntivi oltre i quali l'editor scorrerà orizzontalmente.",
+ "scrollBeyondLastLine": "Controlla se l'editor scorrerà oltre l'ultima riga.",
+ "scrollPredominantAxis": "Scorre solo lungo l'asse predominante durante lo scorrimento verticale e orizzontale simultaneo. Impedisce la deviazione orizzontale quando si scorre in verticale su un trackpad.",
+ "selectionClipboard": "Controlla se gli appunti primari di Linux devono essere supportati.",
+ "selectionHighlight": "Controlla se l'editor deve evidenziare gli elementi corrispondenti simili alla selezione.",
+ "showFoldingControls.always": "Mostra sempre i comandi di riduzione.",
+ "showFoldingControls.mouseover": "Mostra i comandi di riduzione solo quando il mouse è posizionato sul margine della barra di scorrimento.",
+ "showFoldingControls": "Controlla se i controlli di riduzione sul margine della barra di scorrimento vengono visualizzati.",
+ "showUnused": "Controllo dissolvenza del codice inutilizzato.",
+ "showDeprecated": "Controlla le variabili deprecate barrate.",
+ "snippetSuggestions.top": "Visualizza i suggerimenti del frammento prima degli altri suggerimenti.",
+ "snippetSuggestions.bottom": "Visualizza i suggerimenti del frammento dopo gli altri suggerimenti.",
+ "snippetSuggestions.inline": "Visualizza i suggerimenti del frammento insieme agli altri suggerimenti.",
+ "snippetSuggestions.none": "Non mostrare i suggerimenti del frammento.",
+ "snippetSuggestions": "Controlla se i frammenti di codice sono visualizzati con altri suggerimenti e il modo in cui sono ordinati.",
+ "smoothScrolling": "Controlla se per lo scorrimento dell'editor verrà usata un'animazione.",
+ "suggestFontSize": "Dimensioni del carattere per il widget dei suggerimenti. Se impostato su `0`, viene usato il valore di `#editor.fontSize#`.",
+ "suggestLineHeight": "Altezza della riga per il widget dei suggerimenti. Se impostato su `0`, viene usato il valore `editor.lineHeight#`. Il valore minimo è 8.",
+ "suggestOnTriggerCharacters": "Controlla se i suggerimenti devono essere visualizzati automaticamente durante la digitazione dei caratteri trigger.",
+ "suggestSelection.first": "Consente di selezionare sempre il primo suggerimento.",
+ "suggestSelection.recentlyUsed": "Consente di selezionare suggerimenti recenti a meno che continuando a digitare non ne venga selezionato uno, ad esempio `console.| ->; console.log` perché `log` è stato completato di recente.",
+ "suggestSelection.recentlyUsedByPrefix": "Consente di selezionare i suggerimenti in base a prefissi precedenti che hanno completato tali suggerimenti, ad esempio `co ->; console` e `con -> const`.",
+ "suggestSelection": "Controlla la modalità di preselezione dei suggerimenti durante la visualizzazione dell'elenco dei suggerimenti.",
+ "tabCompletion.on": "La funzionalità di completamento con tasto TAB inserirà il migliore suggerimento alla pressione del tasto TAB.",
+ "tabCompletion.off": "Disabilita le funzionalità di completamento con tasto TAB.",
+ "tabCompletion.onlySnippets": "Completa i frammenti con il tasto TAB quando i rispettivi prefissi corrispondono. Funziona in modo ottimale quando 'quickSuggestions' non è abilitato.",
+ "tabCompletion": "Abilità la funzionalità di completamento con tasto TAB.",
+ "unusualLineTerminators.auto": "I caratteri di terminazione di riga insoliti vengono rimossi automaticamente.",
+ "unusualLineTerminators.off": "I caratteri di terminazione di riga insoliti vengono ignorati.",
+ "unusualLineTerminators.prompt": "Prompt per i caratteri di terminazione di riga insoliti da rimuovere.",
+ "unusualLineTerminators": "Rimuovi caratteri di terminazione di riga insoliti che potrebbero causare problemi.",
+ "useTabStops": "Inserimento ed eliminazione dello spazio vuoto dopo le tabulazioni.",
+ "wordSeparators": "Caratteri che verranno usati come separatori di parola quando si eseguono operazioni o spostamenti correlati a parole.",
+ "wordWrap.off": "Il ritorno a capo automatico delle righe non viene mai applicato.",
+ "wordWrap.on": "Il ritorno a capo automatico delle righe viene applicato in corrispondenza della larghezza del viewport.",
+ "wordWrap.wordWrapColumn": "Il ritorno a capo automatico delle righe viene applicato in corrispondenza di `#editor.wordWrapColumn#`.",
+ "wordWrap.bounded": "Il ritorno a capo automatico delle righe viene applicato in corrispondenza della larghezza minima del viewport e di `#editor.wordWrapColumn#`.",
+ "wordWrap": "Controlla il ritorno a capo automatico delle righe.",
+ "wordWrapColumn": "Controlla la colonna per il ritorno a capo automatico dell'editor quando il valore di `#editor.wordWrap#` è `wordWrapColumn` o `bounded`.",
+ "wrappingIndent.none": "Nessun rientro. Le righe con ritorno a capo iniziano dalla colonna 1. ",
+ "wrappingIndent.same": "Le righe con ritorno a capo hanno lo stesso rientro della riga padre.",
+ "wrappingIndent.indent": "Le righe con ritorno a capo hanno un rientro di +1 rispetto alla riga padre.",
+ "wrappingIndent.deepIndent": "Le righe con ritorno a capo hanno un rientro di +2 rispetto alla riga padre.",
+ "wrappingIndent": "Controlla il rientro delle righe con ritorno a capo.",
+ "wrappingStrategy.simple": "Presuppone che la larghezza sia identica per tutti caratteri. Si tratta di un algoritmo veloce che funziona correttamente per i tipi di carattere a spaziatura fissa e determinati script (come i caratteri latini) in cui i glifi hanno larghezza identica.",
+ "wrappingStrategy.advanced": "Delega il calcolo dei punti di ritorno a capo al browser. Si tratta di un algoritmo lento che potrebbe causare blocchi con file di grandi dimensioni, ma funziona correttamente in tutti gli altri casi.",
+ "wrappingStrategy": "Controlla l'algoritmo che calcola i punti di ritorno a capo."
+ },
+ "vs/editor/common/view/editorColorRegistry": {
+ "lineHighlight": "Colore di sfondo per l'evidenziazione della riga alla posizione del cursore.",
+ "lineHighlightBorderBox": "Colore di sfondo per il bordo intorno alla riga alla posizione del cursore.",
+ "rangeHighlight": "Colore di sfondo degli intervalli evidenziati, ad esempio dalle funzionalità Quick Open e Trova. Il colore non deve essere opaco per evitare di nascondere le decorazioni sottostanti.",
+ "rangeHighlightBorder": "Colore di sfondo del bordo intorno agli intervalli selezionati.",
+ "symbolHighlight": "Colore di sfondo del simbolo evidenziato, ad esempio per passare alla definizione o al simbolo successivo/precedente. Il colore non deve essere opaco per evitare di nascondere le decorazioni sottostanti.",
+ "symbolHighlightBorder": "Colore di sfondo del bordo intorno ai simboli selezionati.",
+ "caret": "Colore del cursore dell'editor.",
+ "editorCursorBackground": "Colore di sfondo del cursore editor. Permette di personalizzare il colore di un carattere quando sovrapposto da un blocco cursore.",
+ "editorWhitespaces": "Colore dei caratteri di spazio vuoto nell'editor.",
+ "editorIndentGuides": "Colore delle guide per i rientri dell'editor.",
+ "editorActiveIndentGuide": "Colore delle guide di indentazione dell'editor attivo",
+ "editorLineNumbers": "Colore dei numeri di riga dell'editor.",
+ "editorActiveLineNumber": "Colore del numero di riga attivo dell'editor",
+ "deprecatedEditorActiveLineNumber": "Id è deprecato. In alternativa usare 'editorLineNumber.activeForeground'.",
+ "editorRuler": "Colore dei righelli dell'editor.",
+ "editorCodeLensForeground": "Colore primo piano delle finestre di CodeLens dell'editor",
+ "editorBracketMatchBackground": "Colore di sfondo delle parentesi corrispondenti",
+ "editorBracketMatchBorder": "Colore delle caselle di parentesi corrispondenti",
+ "editorOverviewRulerBorder": "Colore del bordo del righello delle annotazioni.",
+ "editorOverviewRulerBackground": "Colore di sfondo del righello delle annotazioni dell'editor. Viene usato solo quando la minimappa è abilitata e posizionata sul lato destro dell'editor.",
+ "editorGutter": "Colore di sfondo della barra di navigazione dell'editor. La barra contiene i margini di glifo e i numeri di riga.",
+ "unnecessaryCodeBorder": "Colore del bordo del codice sorgente non necessario (non usato) nell'editor.",
+ "unnecessaryCodeOpacity": "Opacità del codice sorgente non necessario (non usato) nell'editor. Ad esempio, con \"#000000c0\" il rendering del codice verrà eseguito con il 75% di opacità. Per i temi a contrasto elevato, usare il colore del tema 'editorUnnecessaryCode.border' per sottolineare il codice non necessario invece di opacizzarlo.",
+ "overviewRulerRangeHighlight": "Colore del marcatore del righello delle annotazioni per le evidenziazioni degli intervalli. Il colore non deve essere opaco per evitare di nascondere le decorazioni sottostanti.",
+ "overviewRuleError": "Colore del marcatore del righello delle annotazioni per gli errori.",
+ "overviewRuleWarning": "Colore del marcatore del righello delle annotazioni per gli avvisi.",
+ "overviewRuleInfo": "Colore del marcatore del righello delle annotazioni per i messaggi di tipo informativo."
+ },
+ "vs/editor/common/model/editStack": {
+ "edit": "Digitazione"
+ },
+ "vs/editor/browser/controller/coreCommands": {
+ "stickydesc": "Si attiene alla fine anche quando si passa a righe più lunghe"
+ },
+ "vs/editor/browser/widget/codeEditorWidget": {
+ "cursors.maximum": "Il numero di cursori è stato limitato a {0}."
+ },
+ "vs/editor/browser/widget/diffEditorWidget": {
+ "diffInsertIcon": "Effetto di riga per gli inserimenti nell'editor diff.",
+ "diffRemoveIcon": "Effetto di riga per le rimozioni nell'editor diff.",
+ "diff.tooLarge": "Non è possibile confrontare i file perché uno è troppo grande."
+ },
+ "vs/editor/common/standaloneStrings": {
+ "noSelection": "Nessuna selezione",
+ "singleSelectionRange": "Riga {0}, colonna {1} ({2} selezionate)",
+ "singleSelection": "Riga {0}, colonna {1}",
+ "multiSelectionRange": "{0} selezioni ({1} caratteri selezionati)",
+ "multiSelection": "{0} selezioni",
+ "emergencyConfOn": "Modifica dell'impostazione `accessibilitySupport` in `on`.",
+ "openingDocs": "Apertura della pagina di documentazione sull'accessibilità dell'editor.",
+ "readonlyDiffEditor": "in un riquadro di sola lettura di un editor diff.",
+ "editableDiffEditor": "in un riquadro di un editor diff.",
+ "readonlyEditor": " in un editor di codice di sola lettura",
+ "editableEditor": " in un editor di codice",
+ "changeConfigToOnMac": "Per configurare l'editor da ottimizzare per l'utilizzo con un'utilità per la lettura dello schermo, premere Comando+E.",
+ "changeConfigToOnWinLinux": "Per configurare l'editor da ottimizzare per l'utilizzo con un'utilità per la lettura dello schermo, premere CTRL+E.",
+ "auto_on": "L'editor è configurato per essere ottimizzato per l'utilizzo con un'utilità per la lettura dello schermo.",
+ "auto_off": "L'editor è configurato per non essere ottimizzato per l'utilizzo con un'utilità per la lettura dello schermo, che non viene usata in questo momento.",
+ "tabFocusModeOnMsg": "Premere TAB nell'editor corrente per spostare lo stato attivo sull'elemento con stato attivabile successivo. Per attivare/disattivare questo comportamento, premere {0}.",
+ "tabFocusModeOnMsgNoKb": "Premere TAB nell'editor corrente per spostare lo stato attivo sull'elemento con stato attivabile successivo. Il comando {0} non può essere attualmente attivato con un tasto di scelta rapida.",
+ "tabFocusModeOffMsg": "Premere TAB nell'editor corrente per inserire il carattere di tabulazione. Per attivare/disattivare questo comportamento, premere {0}.",
+ "tabFocusModeOffMsgNoKb": "Premere TAB nell'editor corrente per inserire il carattere di tabulazione. Il comando {0} non può essere attualmente attivato con un tasto di scelta rapida.",
+ "openDocMac": "Premere Comando+H per aprire una finestra del browser contenente maggiori informazioni correlate all'accessibilità dell'editor.",
+ "openDocWinLinux": "Premere CTRL+H per aprire una finestra del browser contenente maggiori informazioni correlate all'accessibilità dell'editor.",
+ "outroMsg": "Per chiudere questa descrizione comando e tornare all'editor, premere ESC o MAIUSC+ESC.",
+ "showAccessibilityHelpAction": "Visualizza la Guida sull'accessibilità",
+ "inspectTokens": "Sviluppatore: Controlla token",
+ "gotoLineActionLabel": "Vai a Riga/Colonna...",
+ "helpQuickAccess": "Mostra tutti i provider di accesso rapido",
+ "quickCommandActionLabel": "Riquadro comandi",
+ "quickCommandActionHelp": "Mostra ed esegui comandi",
+ "quickOutlineActionLabel": "Vai al simbolo...",
+ "quickOutlineByCategoryActionLabel": "Vai al simbolo per categoria...",
+ "editorViewAccessibleLabel": "Contenuto editor",
+ "accessibilityHelpMessage": "Premere ALT+F1 per le opzioni di accessibilità.",
+ "toggleHighContrast": "Attiva/disattiva tema a contrasto elevato",
+ "bulkEditServiceSummary": "Effettuate {0} modifiche in {1} file"
+ },
+ "vs/editor/common/config/commonEditorConfig": {
+ "editorConfigurationTitle": "Editor",
+ "tabSize": "Numero di spazi a cui equivale una tabulazione. Quando `#editor.detectIndentation#` è attivo, questa impostazione viene sostituita in base al contenuto del file.",
+ "insertSpaces": "Inserisce spazi quando viene premuto TAB. Quando `#editor.detectIndentation#` è attivo, questa impostazione viene sostituita in base al contenuto del file.",
+ "detectIndentation": "Controlla se `#editor.tabSize#` e `#editor.insertSpaces#` verranno rilevati automaticamente quando un file viene aperto in base al contenuto del file.",
+ "trimAutoWhitespace": "Rimuovi gli spazi finali inseriti automaticamente.",
+ "largeFileOptimizations": "Gestione speciale dei file di grandi dimensioni per disabilitare alcune funzionalità che fanno un uso intensivo della memoria.",
+ "wordBasedSuggestions": "Controlla se calcolare i completamenti in base alle parole presenti nel documento.",
+ "wordBasedSuggestionsMode.currentDocument": "Suggerisci parole solo dal documento attivo.",
+ "wordBasedSuggestionsMode.matchingDocuments": "Suggerisci parole da tutti i documenti aperti della stessa lingua.",
+ "wordBasedSuggestionsMode.allDocuments": "Suggerisci parole da tutti i documenti aperti.",
+ "wordBasedSuggestionsMode": "Controlla i documenti da cui vengono calcolati i completamenti basati su parole.",
+ "semanticHighlighting.true": "L'evidenziazione semantica è abilitata per tutti i temi colore.",
+ "semanticHighlighting.false": "L'evidenziazione semantica è disabilitata per tutti i temi colore.",
+ "semanticHighlighting.configuredByTheme": "La configurazione dell'evidenziazione semantica è gestita tramite l'impostazione `semanticHighlighting` del tema colori corrente.",
+ "semanticHighlighting.enabled": "Controlla se l'evidenziazione semanticHighlighting è visualizzata per i linguaggi che la supportano.",
+ "stablePeek": "Mantiene aperti gli editor rapidi anche quando si fa doppio clic sul contenuto o si preme 'ESC'.",
+ "maxTokenizationLineLength": "Per motivi di prestazioni le righe di lunghezza superiore non verranno tokenizzate",
+ "maxComputationTime": "Timeout in millisecondi dopo il quale il calcolo delle differenze viene annullato. Usare 0 per indicare nessun timeout.",
+ "sideBySide": "Controlla se l'editor diff mostra le differenze affiancate o incorporate.",
+ "ignoreTrimWhitespace": "Se abilitato, l'editor differenze ignora le modifiche relative a spazi vuoti iniziali e finali.",
+ "renderIndicators": "Controlla se l'editor diff mostra gli indicatori +/- per le modifiche aggiunte/rimosse.",
+ "codeLens": "Controlla se l'editor visualizza CodeLens.",
+ "wordWrap.off": "Il ritorno a capo automatico delle righe non viene mai applicato.",
+ "wordWrap.on": "Il ritorno a capo automatico delle righe viene applicato in corrispondenza della larghezza del viewport.",
+ "wordWrap.inherit": "Il ritorno a capo automatico delle righe viene applicato in base all'impostazione `#editor.wordWrap#`."
+ },
+ "vs/editor/browser/widget/diffReview": {
+ "diffReviewInsertIcon": "Icona per 'Inserisci' nella revisione diff.",
+ "diffReviewRemoveIcon": "Icona per 'Rimuovi' nella revisione diff.",
+ "diffReviewCloseIcon": "Icona per 'Chiudi' nella revisione diff.",
+ "label.close": "Chiudi",
+ "no_lines_changed": "nessuna riga modificata",
+ "one_line_changed": "1 riga modificata",
+ "more_lines_changed": "{0} righe modificate",
+ "header": "Differenza {0} di {1}: riga originale {2}, {3}, riga modificata {4}, {5}",
+ "blankLine": "vuota",
+ "unchangedLine": "{0} riga non modificata {1}",
+ "equalLine": "{0} riga originale {1} riga modificata {2}",
+ "insertLine": "+ {0} riga modificata {1}",
+ "deleteLine": "- {0} riga originale {1}",
+ "editor.action.diffReview.next": "Vai alla differenza successiva",
+ "editor.action.diffReview.prev": "Vai alla differenza precedente"
+ },
+ "vs/editor/browser/widget/inlineDiffMargin": {
+ "diff.clipboard.copyDeletedLinesContent.label": "Copia le righe eliminate",
+ "diff.clipboard.copyDeletedLinesContent.single.label": "Copia la riga eliminata",
+ "diff.clipboard.copyDeletedLineContent.label": "Copia la riga eliminata ({0})",
+ "diff.inline.revertChange.label": "Ripristina questa modifica"
+ },
+ "vs/editor/browser/controller/textAreaHandler": {
+ "editor": "editor",
+ "accessibilityOffAriaLabel": "L'editor non è accessibile in questo momento. Premere {0} per le opzioni."
+ },
+ "vs/editor/contrib/clipboard/clipboard": {
+ "miCut": "&&Taglia",
+ "actions.clipboard.cutLabel": "Taglia",
+ "miCopy": "&&Copia",
+ "actions.clipboard.copyLabel": "Copia",
+ "miPaste": "&&Incolla",
+ "actions.clipboard.pasteLabel": "Incolla",
+ "actions.clipboard.copyWithSyntaxHighlightingLabel": "Copia con evidenziazione sintassi"
+ },
+ "vs/editor/contrib/anchorSelect/anchorSelect": {
+ "selectionAnchor": "Ancoraggio della selezione",
+ "anchorSet": "Ancoraggio impostato alla posizione {0}:{1}",
+ "setSelectionAnchor": "Imposta ancoraggio della selezione",
+ "goToSelectionAnchor": "Vai ad ancoraggio della selezione",
+ "selectFromAnchorToCursor": "Seleziona da ancoraggio a cursore",
+ "cancelSelectionAnchor": "Annulla ancoraggio della selezione"
+ },
+ "vs/editor/contrib/bracketMatching/bracketMatching": {
+ "overviewRulerBracketMatchForeground": "Colore del marcatore del righello delle annotazioni per la corrispondenza delle parentesi.",
+ "smartSelect.jumpBracket": "Vai alla parentesi quadra",
+ "smartSelect.selectToBracket": "Seleziona fino alla parentesi",
+ "miGoToBracket": "Vai alla parentesi &&quadra"
+ },
+ "vs/editor/contrib/caretOperations/caretOperations": {
+ "caret.moveLeft": "Sposta testo selezionato a sinistra",
+ "caret.moveRight": "Sposta testo selezionato a destra"
+ },
+ "vs/editor/contrib/caretOperations/transpose": {
+ "transposeLetters.label": "Trasponi lettere"
+ },
+ "vs/editor/contrib/codelens/codelensController": {
+ "showLensOnLine": "Mostra comandi di CodeLens per la riga corrente"
+ },
+ "vs/editor/contrib/comment/comment": {
+ "comment.line": "Attiva/disattiva commento per la riga",
+ "miToggleLineComment": "Attiva/Disattiva commento per la &&riga",
+ "comment.line.add": "Aggiungi commento per la riga",
+ "comment.line.remove": "Rimuovi commento per la riga",
+ "comment.block": "Attiva/Disattiva commento per il blocco",
+ "miToggleBlockComment": "Attiva/Disattiva commento per il &&blocco"
+ },
+ "vs/editor/contrib/contextmenu/contextmenu": {
+ "action.showContextMenu.label": "Mostra il menu di scelta rapida editor"
+ },
+ "vs/editor/contrib/cursorUndo/cursorUndo": {
+ "cursor.undo": "Cursore - Annulla",
+ "cursor.redo": "Cursore - Ripeti"
+ },
+ "vs/editor/contrib/find/findController": {
+ "startFindAction": "Trova",
+ "miFind": "&&Trova",
+ "startFindWithSelectionAction": "Trova con selezione",
+ "findNextMatchAction": "Trova successivo",
+ "findPreviousMatchAction": "Trova precedente",
+ "nextSelectionMatchFindAction": "Trova selezione successiva",
+ "previousSelectionMatchFindAction": "Trova selezione precedente",
+ "startReplace": "Sostituisci",
+ "miReplace": "&&Sostituisci"
+ },
+ "vs/editor/contrib/folding/folding": {
+ "unfoldAction.label": "Espandi",
+ "unFoldRecursivelyAction.label": "Espandi in modo ricorsivo",
+ "foldAction.label": "Riduci",
+ "toggleFoldAction.label": "Attiva/Disattiva riduzione",
+ "foldRecursivelyAction.label": "Riduci in modo ricorsivo",
+ "foldAllBlockComments.label": "Riduci tutti i blocchi commento",
+ "foldAllMarkerRegions.label": "Riduci tutte le regioni",
+ "unfoldAllMarkerRegions.label": "Espandi tutte le regioni",
+ "foldAllAction.label": "Riduci tutto",
+ "unfoldAllAction.label": "Espandi tutto",
+ "foldLevelAction.label": "Livello riduzione {0}",
+ "foldBackgroundBackground": "Colore di sfondo degli intervalli con riduzione. Il colore non deve essere opaco per evitare di nascondere le decorazioni sottostanti.",
+ "editorGutter.foldingControlForeground": "Colore del controllo di riduzione nella barra di navigazione dell'editor."
+ },
+ "vs/editor/contrib/fontZoom/fontZoom": {
+ "EditorFontZoomIn.label": "Zoom avanti tipo di carattere editor",
+ "EditorFontZoomOut.label": "Zoom indietro tipo di carattere editor",
+ "EditorFontZoomReset.label": "Reimpostazione zoom tipo di carattere editor"
+ },
+ "vs/editor/contrib/format/formatActions": {
+ "formatDocument.label": "Formatta documento",
+ "formatSelection.label": "Formatta selezione"
+ },
+ "vs/editor/contrib/gotoSymbol/goToCommands": {
+ "peek.submenu": "Anteprima",
+ "def.title": "Definizioni",
+ "noResultWord": "Non è stata trovata alcuna definizione per '{0}'",
+ "generic.noResults": "Non è stata trovata alcuna definizione",
+ "actions.goToDecl.label": "Vai alla definizione",
+ "miGotoDefinition": "Vai alla &&definizione",
+ "actions.goToDeclToSide.label": "Apri definizione lateralmente",
+ "actions.previewDecl.label": "Visualizza in anteprima la definizione",
+ "decl.title": "Dichiarazioni",
+ "decl.noResultWord": "Non è stata trovata alcuna dichiarazione per '{0}'",
+ "decl.generic.noResults": "Dichiarazione non trovata",
+ "actions.goToDeclaration.label": "Vai a dichiarazione",
+ "miGotoDeclaration": "Vai a &&dichiarazione",
+ "actions.peekDecl.label": "Anteprima dichiarazione",
+ "typedef.title": "Definizioni di tipo",
+ "goToTypeDefinition.noResultWord": "Non sono state trovate definizioni di tipi per '{0}'",
+ "goToTypeDefinition.generic.noResults": "Non sono state trovate definizioni di tipi",
+ "actions.goToTypeDefinition.label": "Vai alla definizione di tipo",
+ "miGotoTypeDefinition": "Vai alla &&definizione di tipo",
+ "actions.peekTypeDefinition.label": "Anteprima definizione di tipo",
+ "impl.title": "Implementazioni",
+ "goToImplementation.noResultWord": "Non sono state trovate implementazioni per '{0}'",
+ "goToImplementation.generic.noResults": "Non sono state trovate implementazioni",
+ "actions.goToImplementation.label": "Vai a implementazioni",
+ "miGotoImplementation": "Vai a &&Implementazioni",
+ "actions.peekImplementation.label": "Visualizza implementazioni",
+ "references.no": "Non sono stati trovati riferimenti per '{0}'",
+ "references.noGeneric": "Non sono stati trovati riferimenti",
+ "goToReferences.label": "Vai a Riferimenti",
+ "miGotoReference": "Vai a &&riferimenti",
+ "ref.title": "Riferimenti",
+ "references.action.label": "Anteprima riferimenti",
+ "label.generic": "Vai a qualsiasi simbolo",
+ "generic.title": "Posizioni",
+ "generic.noResult": "Nessun risultato per '{0}'"
+ },
+ "vs/editor/contrib/hover/hover": {
+ "showHover": "Visualizza passaggio del mouse",
+ "showDefinitionPreviewHover": "Mostra anteprima definizione al passaggio del mouse"
+ },
+ "vs/editor/contrib/gotoSymbol/link/goToDefinitionAtPosition": {
+ "multipleResults": "Fare clic per visualizzare {0} definizioni."
+ },
+ "vs/editor/contrib/gotoError/gotoError": {
+ "markerAction.next.label": "Vai al problema successivo (Errore, Avviso, Informazioni)",
+ "nextMarkerIcon": "Icona per il marcatore Vai a successivo.",
+ "markerAction.previous.label": "Vai al problema precedente (Errore, Avviso, Informazioni)",
+ "previousMarkerIcon": "Icona per il marcatore Vai a precedente.",
+ "markerAction.nextInFiles.label": "Vai al problema successivo nei file (Errore, Avviso, Informazioni)",
+ "miGotoNextProblem": "&&Problema successivo",
+ "markerAction.previousInFiles.label": "Vai al problema precedente nei file (Errore, Avviso, Informazioni)",
+ "miGotoPreviousProblem": "&&Problema precedente"
+ },
+ "vs/editor/contrib/indentation/indentation": {
+ "indentationToSpaces": "Converti rientro in spazi",
+ "indentationToTabs": "Converti rientro in tabulazioni",
+ "configuredTabSize": "Dimensione tabulazione configurata",
+ "selectTabWidth": "Seleziona dimensione tabulazione per il file corrente",
+ "indentUsingTabs": "Imposta rientro con tabulazioni",
+ "indentUsingSpaces": "Imposta rientro con spazi",
+ "detectIndentation": "Rileva rientro dal contenuto",
+ "editor.reindentlines": "Imposta nuovo rientro per righe",
+ "editor.reindentselectedlines": "Re-Indenta le Linee Selezionate"
+ },
+ "vs/editor/contrib/inPlaceReplace/inPlaceReplace": {
+ "InPlaceReplaceAction.previous.label": "Sostituisci con il valore precedente",
+ "InPlaceReplaceAction.next.label": "Sostituisci con il valore successivo"
+ },
+ "vs/editor/contrib/linesOperations/linesOperations": {
+ "lines.copyUp": "Copia la riga in alto",
+ "miCopyLinesUp": "&&Copia la riga in alto",
+ "lines.copyDown": "Copia la riga in basso",
+ "miCopyLinesDown": "Co&&pia la riga in basso",
+ "duplicateSelection": "Duplica selezione",
+ "miDuplicateSelection": "&&Duplica selezione",
+ "lines.moveUp": "Sposta la riga in alto",
+ "miMoveLinesUp": "Sposta la riga in &&alto",
+ "lines.moveDown": "Sposta la riga in basso",
+ "miMoveLinesDown": "Sposta la riga in &&basso",
+ "lines.sortAscending": "Ordinamento righe crescente",
+ "lines.sortDescending": "Ordinamento righe decrescente",
+ "lines.trimTrailingWhitespace": "Taglia spazio vuoto finale",
+ "lines.delete": "Elimina riga",
+ "lines.indent": "Imposta un rientro per la riga",
+ "lines.outdent": "Riduci il rientro per la riga",
+ "lines.insertBefore": "Inserisci la riga sopra",
+ "lines.insertAfter": "Inserisci la riga sotto",
+ "lines.deleteAllLeft": "Elimina tutto a sinistra",
+ "lines.deleteAllRight": "Elimina tutto a destra",
+ "lines.joinLines": "Unisci righe",
+ "editor.transpose": "Trasponi caratteri intorno al cursore",
+ "editor.transformToUppercase": "Converti in maiuscolo",
+ "editor.transformToLowercase": "Converti in minuscolo",
+ "editor.transformToTitlecase": "Trasforma in Tutte Iniziali Maiuscole"
+ },
+ "vs/editor/contrib/linkedEditing/linkedEditing": {
+ "linkedEditing.label": "Avvia modifica collegata",
+ "editorLinkedEditingBackground": "Colore di sfondo quando l'editor viene rinominato automaticamente in base al tipo."
+ },
+ "vs/editor/contrib/links/links": {
+ "links.navigate.executeCmd": "Esegui il comando",
+ "links.navigate.follow": "Visita il collegamento",
+ "links.navigate.kb.meta.mac": "CMD+clic",
+ "links.navigate.kb.meta": "CTRL+clic",
+ "links.navigate.kb.alt.mac": "Opzione+clic",
+ "links.navigate.kb.alt": "ALT+clic",
+ "tooltip.explanation": "Esegue il comando {0}",
+ "invalid.url": "Non è stato possibile aprire questo collegamento perché il formato non è valido: {0}",
+ "missing.url": "Non è stato possibile aprire questo collegamento perché manca la destinazione.",
+ "label": "Apri collegamento"
+ },
+ "vs/editor/contrib/multicursor/multicursor": {
+ "mutlicursor.insertAbove": "Aggiungi cursore sopra",
+ "miInsertCursorAbove": "&&Aggiungi cursore sopra",
+ "mutlicursor.insertBelow": "Aggiungi cursore sotto",
+ "miInsertCursorBelow": "A&&ggiungi cursore sotto",
+ "mutlicursor.insertAtEndOfEachLineSelected": "Aggiungi cursori a fine riga",
+ "miInsertCursorAtEndOfEachLineSelected": "Aggiungi c&&ursori a fine riga",
+ "mutlicursor.addCursorsToBottom": "Aggiungi cursori alla fine",
+ "mutlicursor.addCursorsToTop": "Aggiungi cursori all'inizio",
+ "addSelectionToNextFindMatch": "Aggiungi selezione a risultato ricerca successivo",
+ "miAddSelectionToNextFindMatch": "Aggiungi &&occorrenza successiva",
+ "addSelectionToPreviousFindMatch": "Aggiungi selezione a risultato ricerca precedente",
+ "miAddSelectionToPreviousFindMatch": "Aggiungi occorrenza &&precedente",
+ "moveSelectionToNextFindMatch": "Sposta ultima selezione a risultato ricerca successivo",
+ "moveSelectionToPreviousFindMatch": "Sposta ultima selezione a risultato ricerca precedente",
+ "selectAllOccurrencesOfFindMatch": "Seleziona tutte le occorrenze del risultato ricerca",
+ "miSelectHighlights": "Seleziona &&tutte le occorrenze",
+ "changeAll.label": "Cambia tutte le occorrenze"
+ },
+ "vs/editor/contrib/parameterHints/parameterHints": {
+ "parameterHints.trigger.label": "Attiva i suggerimenti per i parametri"
+ },
+ "vs/editor/contrib/rename/rename": {
+ "no result": "Nessun risultato.",
+ "resolveRenameLocationFailed": "Si è verificato un errore sconosciuto durante la risoluzione del percorso di ridenominazione",
+ "label": "Ridenominazione di '{0}'",
+ "quotableLabel": "Ridenominazione di {0}",
+ "aria": "Correttamente rinominato '{0}' in '{1}'. Sommario: {2}",
+ "rename.failedApply": "La ridenominazione non è riuscita ad applicare le modifiche",
+ "rename.failed": "La ridenominazione non è riuscita a calcolare le modifiche",
+ "rename.label": "Rinomina simbolo",
+ "enablePreview": "Abilita/Disabilita l'opzione per visualizzare le modifiche in anteprima prima della ridenominazione"
+ },
+ "vs/editor/contrib/smartSelect/smartSelect": {
+ "smartSelect.expand": "Espandi selezione",
+ "miSmartSelectGrow": "Espan&&di selezione",
+ "smartSelect.shrink": "Riduci selezione",
+ "miSmartSelectShrink": "&&Riduci selezione"
+ },
+ "vs/editor/contrib/suggest/suggestController": {
+ "aria.alert.snippet": "In seguito all'accettazione di '{0}' sono state apportate altre {1} modifiche",
+ "suggest.trigger.label": "Attiva suggerimento",
+ "accept.insert": "Inserisci",
+ "accept.replace": "Sostituisci",
+ "detail.more": "nascondi dettagli",
+ "detail.less": "mostra dettagli",
+ "suggest.reset.label": "Reimposta le dimensioni del widget dei suggerimenti"
+ },
+ "vs/editor/contrib/tokenization/tokenization": {
+ "forceRetokenize": "Sviluppatore: Forza retokenizzazione"
+ },
+ "vs/editor/contrib/toggleTabFocusMode/toggleTabFocusMode": {
+ "toggle.tabMovesFocus": "Attiva/Disattiva l'uso di TAB per spostare lo stato attivo",
+ "toggle.tabMovesFocus.on": "Se si preme TAB, lo stato attivo verrà spostato sull'elemento con stato attivabile successivo.",
+ "toggle.tabMovesFocus.off": "Se si preme TAB, verrà inserito il carattere di tabulazione"
+ },
+ "vs/editor/contrib/unusualLineTerminators/unusualLineTerminators": {
+ "unusualLineTerminators.title": "Caratteri di terminazione di riga insoliti",
+ "unusualLineTerminators.message": "Sono stati rilevati caratteri di terminazione di riga insoliti",
+ "unusualLineTerminators.detail": "Questo file contiene uno o più caratteri di terminazione di riga insoliti, come separatore di riga (LS) o separatore di paragrafo (PS).\r\n\r\nÈ consigliabile rimuoverli dal file. È possibile configurare questa opzione tramite `editor.unusualLineTerminators`.",
+ "unusualLineTerminators.fix": "Correggi questo file",
+ "unusualLineTerminators.ignore": "Ignora il problema per questo file"
+ },
+ "vs/editor/contrib/wordHighlighter/wordHighlighter": {
+ "wordHighlight": "Colore di sfondo di un simbolo durante l'accesso in lettura, ad esempio durante la lettura di una variabile. Il colore non deve essere opaco per evitare di nascondere le decorazioni sottostanti.",
+ "wordHighlightStrong": "Colore di sfondo di un simbolo durante l'accesso in scrittura, ad esempio durante la scrittura in una variabile. Il colore non deve essere opaco per evitare di nascondere le decorazioni sottostanti.",
+ "wordHighlightBorder": "Colore del bordo di un simbolo durante l'accesso in lettura, ad esempio durante la lettura di una variabile.",
+ "wordHighlightStrongBorder": "Colore del bordo di un simbolo durante l'accesso in scrittura, ad esempio durante la scrittura in una variabile.",
+ "overviewRulerWordHighlightForeground": "Colore del marcatore del righello delle annotazioni per le evidenziazioni dei simboli. Il colore non deve essere opaco per evitare di nascondere le decorazioni sottostanti.",
+ "overviewRulerWordHighlightStrongForeground": "Colore del marcatore del righello delle annotazioni per le evidenziazioni dei simboli di accesso in scrittura. Il colore non deve essere opaco per evitare di nascondere le decorazioni sottostanti.",
+ "wordHighlight.next.label": "Vai al prossimo simbolo evidenziato",
+ "wordHighlight.previous.label": "Vai al precedente simbolo evidenziato",
+ "wordHighlight.trigger.label": "Attiva/disattiva evidenziazione simbolo"
+ },
+ "vs/editor/contrib/wordOperations/wordOperations": {
+ "deleteInsideWord": "Elimina parola"
+ },
+ "vs/editor/contrib/quickAccess/gotoLineQuickAccess": {
+ "cannotRunGotoLine": "Aprire prima un editor di testo per passare a una riga.",
+ "gotoLineColumnLabel": "Passa a riga {0} e colonna {1}.",
+ "gotoLineLabel": "Vai alla riga {0}.",
+ "gotoLineLabelEmptyWithLimit": "Riga corrente: {0}, carattere: {1}. Digitare un numero di riga a cui passare compreso tra 1 e {2}.",
+ "gotoLineLabelEmpty": "Riga corrente: {0}, Carattere: {1}. Digitare un numero di riga a cui passare."
+ },
+ "vs/editor/contrib/peekView/peekView": {
+ "label.close": "Chiudi",
+ "peekViewTitleBackground": "Colore di sfondo dell'area del titolo della visualizzazione rapida.",
+ "peekViewTitleForeground": "Colore del titolo della visualizzazione rapida.",
+ "peekViewTitleInfoForeground": "Colore delle informazioni del titolo della visualizzazione rapida.",
+ "peekViewBorder": "Colore dei bordi e della freccia della visualizzazione rapida.",
+ "peekViewResultsBackground": "Colore di sfondo dell'elenco risultati della visualizzazione rapida.",
+ "peekViewResultsMatchForeground": "Colore primo piano dei nodi riga nell'elenco risultati della visualizzazione rapida.",
+ "peekViewResultsFileForeground": "Colore primo piano dei nodi file nell'elenco risultati della visualizzazione rapida.",
+ "peekViewResultsSelectionBackground": "Colore di sfondo della voce selezionata nell'elenco risultati della visualizzazione rapida.",
+ "peekViewResultsSelectionForeground": "Colore primo piano della voce selezionata nell'elenco risultati della visualizzazione rapida.",
+ "peekViewEditorBackground": "Colore di sfondo dell'editor di visualizzazioni rapide.",
+ "peekViewEditorGutterBackground": "Colore di sfondo della barra di navigazione nell'editor visualizzazione rapida.",
+ "peekViewResultsMatchHighlight": "Colore dell'evidenziazione delle corrispondenze nell'elenco risultati della visualizzazione rapida.",
+ "peekViewEditorMatchHighlight": "Colore dell'evidenziazione delle corrispondenze nell'editor di visualizzazioni rapide.",
+ "peekViewEditorMatchHighlightBorder": "Bordo dell'evidenziazione delle corrispondenze nell'editor di visualizzazioni rapide."
+ },
+ "vs/editor/contrib/codeAction/codeActionCommands": {
+ "args.schema.kind": "Tipo dell'azione codice da eseguire.",
+ "args.schema.apply": "Controlla quando vengono applicate le azioni restituite.",
+ "args.schema.apply.first": "Applica sempre la prima azione codice restituita.",
+ "args.schema.apply.ifSingle": "Applica la prima azione codice restituita se è l'unica.",
+ "args.schema.apply.never": "Non applicare le azioni codice restituite.",
+ "args.schema.preferred": "Controlla se devono essere restituite solo le azioni codice preferite.",
+ "applyCodeActionFailed": "Si è verificato un errore sconosciuto durante l'applicazione dell'azione del codice",
+ "quickfix.trigger.label": "Correzione rapida...",
+ "editor.action.quickFix.noneMessage": "Azioni codice non disponibili",
+ "editor.action.codeAction.noneMessage.preferred.kind": "Non sono disponibili azioni codice preferite per '{0}'",
+ "editor.action.codeAction.noneMessage.kind": "Non sono disponibili azioni codice per '{0}'",
+ "editor.action.codeAction.noneMessage.preferred": "Non sono disponibili azioni codice preferite",
+ "editor.action.codeAction.noneMessage": "Azioni codice non disponibili",
+ "refactor.label": "Effettua refactoring...",
+ "editor.action.refactor.noneMessage.preferred.kind": "Non sono disponibili refactoring preferiti per '{0}'",
+ "editor.action.refactor.noneMessage.kind": "Non sono disponibili refactoring per '{0}'",
+ "editor.action.refactor.noneMessage.preferred": "Non sono disponibili refactoring preferiti",
+ "editor.action.refactor.noneMessage": "Refactoring non disponibili",
+ "source.label": "Azione origine...",
+ "editor.action.source.noneMessage.preferred.kind": "Non sono disponibili azioni origine preferite per '{0}'",
+ "editor.action.source.noneMessage.kind": "Non sono disponibili azioni origine per '{0}'",
+ "editor.action.source.noneMessage.preferred": "Non sono disponibili azioni origine preferite",
+ "editor.action.source.noneMessage": "Azioni origine non disponibili",
+ "organizeImports.label": "Organizza import",
+ "editor.action.organize.noneMessage": "Azioni di organizzazione Imports non disponibili",
+ "fixAll.label": "Correggi tutto",
+ "fixAll.noneMessage": "Non è disponibile alcuna azione Correggi tutto",
+ "autoFix.label": "Correzione automatica...",
+ "editor.action.autoFix.noneMessage": "Non sono disponibili correzioni automatiche"
+ },
+ "vs/editor/contrib/find/findWidget": {
+ "findSelectionIcon": "Icona per 'Trova nella selezione' nel widget di ricerca dell'editor.",
+ "findCollapsedIcon": "Icona per indicare che il widget di ricerca dell'editor è compresso.",
+ "findExpandedIcon": "Icona per indicare che il widget di ricerca dell'editor è espanso.",
+ "findReplaceIcon": "Icona per 'Sostituisci' nel widget di ricerca dell'editor.",
+ "findReplaceAllIcon": "Icona per 'Sostituisci tutto' nel widget di ricerca dell'editor.",
+ "findPreviousMatchIcon": "Icona per 'Trova precedente' nel widget di ricerca dell'editor.",
+ "findNextMatchIcon": "Icona per 'Trova successivo' nel widget di ricerca dell'editor.",
+ "label.find": "Trova",
+ "placeholder.find": "Trova",
+ "label.previousMatchButton": "Corrispondenza precedente",
+ "label.nextMatchButton": "Corrispondenza successiva",
+ "label.toggleSelectionFind": "Trova nella selezione",
+ "label.closeButton": "Chiudi",
+ "label.replace": "Sostituisci",
+ "placeholder.replace": "Sostituisci",
+ "label.replaceButton": "Sostituisci",
+ "label.replaceAllButton": "Sostituisci tutto",
+ "label.toggleReplaceButton": "Attiva/Disattiva modalità sostituzione",
+ "title.matchesCountLimit": "Solo i primi {0} risultati vengono evidenziati, ma tutte le operazioni di ricerca funzionano su tutto il testo.",
+ "label.matchesLocation": "{0} di {1}",
+ "label.noResults": "Nessun risultato",
+ "ariaSearchNoResultEmpty": "{0} trovato",
+ "ariaSearchNoResult": "{0} trovati per '{1}'",
+ "ariaSearchNoResultWithLineNum": "{0} trovati per '{1}' alla posizione {2}",
+ "ariaSearchNoResultWithLineNumNoCurrentMatch": "{0} trovati per '{1}'",
+ "ctrlEnter.keybindingChanged": "Il tasto di scelta rapida CTRL+INVIO ora consente di inserire l'interruzione di linea invece di sostituire tutto. Per eseguire l'override di questo comportamento, è possibile modificare il tasto di scelta rapida per editor.action.replaceAll."
+ },
+ "vs/editor/contrib/folding/foldingDecorations": {
+ "foldingExpandedIcon": "Icona per gli intervalli espansi nel margine del glifo dell'editor.",
+ "foldingCollapsedIcon": "Icona per gli intervalli compressi nel margine del glifo dell'editor."
+ },
+ "vs/editor/contrib/format/format": {
+ "hint11": "È stata apportata 1 modifica di formattazione a riga {0}",
+ "hintn1": "Sono state apportate {0} modifiche di formattazione a riga {1}",
+ "hint1n": "È stata apportata 1 modifica di formattazione tra le righe {0} e {1}",
+ "hintnn": "Sono state apportate {0} modifiche di formattazione tra le righe {1} e {2}"
+ },
+ "vs/editor/contrib/message/messageController": {
+ "editor.readonly": "Non è possibile modificare nell'editor di sola lettura"
+ },
+ "vs/editor/contrib/gotoSymbol/peek/referencesController": {
+ "labelLoading": "Caricamento...",
+ "metaTitle.N": "{0} ({1})"
+ },
+ "vs/editor/contrib/gotoSymbol/referencesModel": {
+ "aria.oneReference": "simbolo in {0} alla riga {1} colonna {2}",
+ "aria.oneReference.preview": "simbolo in {0} alla riga {1} colonna {2}, {3}",
+ "aria.fileReferences.1": "1 simbolo in {0}, percorso completo {1}",
+ "aria.fileReferences.N": "{0} simboli in {1}, percorso completo {2}",
+ "aria.result.0": "Non sono stati trovati risultati",
+ "aria.result.1": "Trovato 1 simbolo in {0}",
+ "aria.result.n1": "Trovati {0} simboli in {1}",
+ "aria.result.nm": "Trovati {0} simboli in {1} file"
+ },
+ "vs/editor/contrib/gotoSymbol/symbolNavigation": {
+ "location.kb": "Simbolo {0} di {1}, {2} per il successivo",
+ "location": "Simbolo {0} di {1}"
+ },
+ "vs/editor/contrib/hover/modesContentHover": {
+ "modesContentHover.loading": "Caricamento...",
+ "peek problem": "Posiziona puntatore sul problema",
+ "noQuickFixes": "Non sono disponibili correzioni rapide",
+ "checkingForQuickFixes": "Verifica disponibilità correzioni rapide...",
+ "quick fixes": "Correzione rapida..."
+ },
+ "vs/editor/contrib/gotoError/gotoErrorWidget": {
+ "Error": "Errore",
+ "Warning": "Avviso",
+ "Info": "Info",
+ "Hint": "Suggerimento",
+ "marker aria": "{0} a {1}. ",
+ "problems": "{0} di {1} problemi",
+ "change": "{0} di {1} problema",
+ "editorMarkerNavigationError": "Colore per gli errori del widget di spostamento tra marcatori dell'editor.",
+ "editorMarkerNavigationWarning": "Colore per gli avvisi del widget di spostamento tra marcatori dell'editor.",
+ "editorMarkerNavigationInfo": "Colore delle informazioni del widget di navigazione marcatori dell'editor.",
+ "editorMarkerNavigationBackground": "Sfondo del widget di spostamento tra marcatori dell'editor."
+ },
+ "vs/editor/contrib/parameterHints/parameterHintsWidget": {
+ "parameterHintsNextIcon": "Icona per visualizzare il suggerimento del parametro successivo.",
+ "parameterHintsPreviousIcon": "Icona per visualizzare il suggerimento del parametro precedente.",
+ "hint": "{0}, suggerimento"
+ },
+ "vs/editor/contrib/rename/renameInputField": {
+ "renameAriaLabel": "Consente di rinominare l'input. Digitare il nuovo nome e premere INVIO per eseguire il commit.",
+ "label": "{0} per rinominare, {1} per visualizzare in anteprima"
+ },
+ "vs/editor/contrib/suggest/suggestWidget": {
+ "editorSuggestWidgetBackground": "Colore di sfondo del widget dei suggerimenti.",
+ "editorSuggestWidgetBorder": "Colore del bordo del widget dei suggerimenti.",
+ "editorSuggestWidgetForeground": "Colore primo piano del widget dei suggerimenti.",
+ "editorSuggestWidgetSelectedBackground": "Colore di sfondo della voce selezionata del widget dei suggerimenti.",
+ "editorSuggestWidgetHighlightForeground": "Colore delle evidenziazioni corrispondenze nel widget dei suggerimenti.",
+ "suggestWidget.loading": "Caricamento...",
+ "suggestWidget.noSuggestions": "Non ci sono suggerimenti.",
+ "ariaCurrenttSuggestionReadDetails": "{0}, documenti: {1}",
+ "suggest": "Suggerisci"
+ },
+ "vs/editor/contrib/quickAccess/gotoSymbolQuickAccess": {
+ "cannotRunGotoSymbolWithoutEditor": "Per passare a un simbolo, aprire prima un editor di testo con informazioni sui simboli.",
+ "cannotRunGotoSymbolWithoutSymbolProvider": "L'editor di testo attivo non fornisce informazioni sui simboli.",
+ "noMatchingSymbolResults": "Non ci sono simboli dell'editor corrispondenti",
+ "noSymbolResults": "Non ci sono simboli dell'editor",
+ "openToSide": "Apri lateralmente",
+ "openToBottom": "Apri in basso",
+ "symbols": "simboli ({0})",
+ "property": "proprietà ({0})",
+ "method": "metodi ({0})",
+ "function": "funzioni ({0})",
+ "_constructor": "costruttori ({0})",
+ "variable": "variabili ({0})",
+ "class": "classi ({0})",
+ "struct": "struct ({0})",
+ "event": "eventi ({0})",
+ "operator": "operatori ({0})",
+ "interface": "interfacce ({0})",
+ "namespace": "spazi dei nomi ({0})",
+ "package": "pacchetti ({0})",
+ "typeParameter": "parametri di tipo ({0})",
+ "modules": "moduli ({0})",
+ "enum": "enumerazioni ({0})",
+ "enumMember": "membri di enumerazione ({0})",
+ "string": "stringhe ({0})",
+ "file": "file ({0})",
+ "array": "matrici ({0})",
+ "number": "numeri ({0})",
+ "boolean": "valori booleani ({0})",
+ "object": "oggetti ({0})",
+ "key": "chiavi ({0})",
+ "field": "campi ({0})",
+ "constant": "costanti ({0})"
+ },
+ "vs/editor/contrib/snippet/snippetVariables": {
+ "Sunday": "Domenica",
+ "Monday": "Lunedì",
+ "Tuesday": "Martedì",
+ "Wednesday": "Mercoledì",
+ "Thursday": "Giovedì",
+ "Friday": "Venerdì",
+ "Saturday": "Sabato",
+ "SundayShort": "Dom",
+ "MondayShort": "Lun",
+ "TuesdayShort": "Mar",
+ "WednesdayShort": "Mer",
+ "ThursdayShort": "Gio",
+ "FridayShort": "Ven",
+ "SaturdayShort": "Sab",
+ "January": "Gennaio",
+ "February": "Febbraio",
+ "March": "Marzo",
+ "April": "Aprile",
+ "May": "Mag",
+ "June": "Giugno",
+ "July": "Luglio",
+ "August": "Agosto",
+ "September": "Settembre",
+ "October": "Ottobre",
+ "November": "Novembre",
+ "December": "Dicembre",
+ "JanuaryShort": "Gen",
+ "FebruaryShort": "Feb",
+ "MarchShort": "Mar",
+ "AprilShort": "Apr",
+ "MayShort": "Mag",
+ "JuneShort": "Giu",
+ "JulyShort": "Lug",
+ "AugustShort": "Ago",
+ "SeptemberShort": "Set",
+ "OctoberShort": "Ott",
+ "NovemberShort": "Nov",
+ "DecemberShort": "Dic"
+ },
+ "vs/editor/contrib/documentSymbols/outlineTree": {
+ "title.template": "{0} ({1})",
+ "1.problem": "1 problema in questo elemento",
+ "N.problem": "{0} problemi in questo elemento",
+ "deep.problem": "Contiene elementi con problemi",
+ "Array": "matrice",
+ "Boolean": "valore booleano",
+ "Class": "classe",
+ "Constant": "costante",
+ "Constructor": "costruttore",
+ "Enum": "enumerazione",
+ "EnumMember": "membro di enumerazione",
+ "Event": "evento",
+ "Field": "campo",
+ "File": "file",
+ "Function": "funzione",
+ "Interface": "interfaccia",
+ "Key": "chiave",
+ "Method": "metodo",
+ "Module": "modulo",
+ "Namespace": "spazio dei nomi",
+ "Null": "Null",
+ "Number": "numero",
+ "Object": "oggetto",
+ "Operator": "operatore",
+ "Package": "pacchetto",
+ "Property": "proprietà",
+ "String": "stringa",
+ "Struct": "struct",
+ "TypeParameter": "parametro di tipo",
+ "Variable": "variabile",
+ "symbolIcon.arrayForeground": "Colore primo piano per i simboli di matrice. Questi simboli vengono visualizzati nella struttura, nell'elemento di navigazione e nel widget dei suggerimenti.",
+ "symbolIcon.booleanForeground": "Colore primo piano per i simboli booleani. Questi simboli vengono visualizzati nella struttura, nell'elemento di navigazione e nel widget dei suggerimenti.",
+ "symbolIcon.classForeground": "Colore primo piano per i simboli di classe. Questi simboli vengono visualizzati nella struttura, nell'elemento di navigazione e nel widget dei suggerimenti.",
+ "symbolIcon.colorForeground": "Colore primo piano per i simboli di colore. Questi simboli vengono visualizzati nella struttura, nell'elemento di navigazione e nel widget dei suggerimenti.",
+ "symbolIcon.constantForeground": "Colore primo piano per i simboli di costante. Questi simboli vengono visualizzati nella struttura, nell'elemento di navigazione e nel widget dei suggerimenti.",
+ "symbolIcon.constructorForeground": "Colore primo piano per i simboli di costruttore. Questi simboli vengono visualizzati nella struttura, nell'elemento di navigazione e nel widget dei suggerimenti.",
+ "symbolIcon.enumeratorForeground": "Colore primo piano per i simboli di enumeratore. Questi simboli vengono visualizzati nella struttura, nell'elemento di navigazione e nel widget dei suggerimenti.",
+ "symbolIcon.enumeratorMemberForeground": "Colore primo piano per i simboli di membro di enumeratore. Questi simboli vengono visualizzati nella struttura, nell'elemento di navigazione e nel widget dei suggerimenti.",
+ "symbolIcon.eventForeground": "Colore primo piano per i simboli di evento. Questi simboli vengono visualizzati nella struttura, nell'elemento di navigazione e nel widget dei suggerimenti.",
+ "symbolIcon.fieldForeground": "Colore primo piano per i simboli di campo. Questi simboli vengono visualizzati nella struttura, nell'elemento di navigazione e nel widget dei suggerimenti.",
+ "symbolIcon.fileForeground": "Colore primo piano per i simboli di file. Questi simboli vengono visualizzati nella struttura, nell'elemento di navigazione e nel widget dei suggerimenti.",
+ "symbolIcon.folderForeground": "Colore primo piano per i simboli di cartella. Questi simboli vengono visualizzati nella struttura, nell'elemento di navigazione e nel widget dei suggerimenti.",
+ "symbolIcon.functionForeground": "Colore primo piano per i simboli di funzione. Questi simboli vengono visualizzati nella struttura, nell'elemento di navigazione e nel widget dei suggerimenti.",
+ "symbolIcon.interfaceForeground": "Colore primo piano per i simboli di interfaccia. Questi simboli vengono visualizzati nella struttura, nell'elemento di navigazione e nel widget dei suggerimenti.",
+ "symbolIcon.keyForeground": "Colore primo piano per i simboli di chiave. Questi simboli vengono visualizzati nella struttura, nell'elemento di navigazione e nel widget dei suggerimenti.",
+ "symbolIcon.keywordForeground": "Colore primo piano per i simboli di parola chiave. Questi simboli vengono visualizzati nella struttura, nell'elemento di navigazione e nel widget dei suggerimenti.",
+ "symbolIcon.methodForeground": "Colore primo piano per i simboli di metodo. Questi simboli vengono visualizzati nella struttura, nell'elemento di navigazione e nel widget dei suggerimenti.",
+ "symbolIcon.moduleForeground": "Colore primo piano per i simboli di modulo. Questi simboli vengono visualizzati nella struttura, nell'elemento di navigazione e nel widget dei suggerimenti.",
+ "symbolIcon.namespaceForeground": "Colore primo piano per i simboli di spazio dei nomi. Questi simboli vengono visualizzati nella struttura, nell'elemento di navigazione e nel widget dei suggerimenti.",
+ "symbolIcon.nullForeground": "Colore primo piano per i simboli Null. Questi simboli vengono visualizzati nella struttura, nell'elemento di navigazione e nel widget dei suggerimenti.",
+ "symbolIcon.numberForeground": "Colore primo piano per i simboli numerici. Questi simboli vengono visualizzati nella struttura, nell'elemento di navigazione e nel widget dei suggerimenti.",
+ "symbolIcon.objectForeground": "Colore primo piano per i simboli di oggetto. Questi simboli vengono visualizzati nella struttura, nell'elemento di navigazione e nel widget dei suggerimenti.",
+ "symbolIcon.operatorForeground": "Colore primo piano per i simboli di operatore. Questi simboli vengono visualizzati nella struttura, nell'elemento di navigazione e nel widget dei suggerimenti.",
+ "symbolIcon.packageForeground": "Colore primo piano per i simboli di pacchetto. Questi simboli vengono visualizzati nella struttura, nell'elemento di navigazione e nel widget dei suggerimenti.",
+ "symbolIcon.propertyForeground": "Colore primo piano per i simboli di proprietà. Questi simboli vengono visualizzati nella struttura, nell'elemento di navigazione e nel widget dei suggerimenti.",
+ "symbolIcon.referenceForeground": "Colore primo piano per i simboli di riferimento. Questi simboli vengono visualizzati nella struttura, nell'elemento di navigazione e nel widget dei suggerimenti.",
+ "symbolIcon.snippetForeground": "Colore primo piano per i simboli di frammento. Questi simboli vengono visualizzati nella struttura, nell'elemento di navigazione e nel widget dei suggerimenti.",
+ "symbolIcon.stringForeground": "Colore primo piano per i simboli di stringa. Questi simboli vengono visualizzati nella struttura, nell'elemento di navigazione e nel widget dei suggerimenti.",
+ "symbolIcon.structForeground": "Colore primo piano per i simboli di struct. Questi simboli vengono visualizzati nella struttura, nell'elemento di navigazione e nel widget dei suggerimenti.",
+ "symbolIcon.textForeground": "Colore primo piano per i simboli di testo. Questi simboli vengono visualizzati nella struttura, nell'elemento di navigazione e nel widget dei suggerimenti.",
+ "symbolIcon.typeParameterForeground": "Colore primo piano per i simboli di parametro di tipo. Questi simboli vengono visualizzati nella struttura, nell'elemento di navigazione e nel widget dei suggerimenti.",
+ "symbolIcon.unitForeground": "Colore primo piano per i simboli di unità. Questi simboli vengono visualizzati nella struttura, nell'elemento di navigazione e nel widget dei suggerimenti.",
+ "symbolIcon.variableForeground": "Colore primo piano per i simboli di variabile. Questi simboli vengono visualizzati nella struttura, nell'elemento di navigazione e nel widget dei suggerimenti."
+ },
+ "vs/editor/contrib/gotoSymbol/peek/referencesWidget": {
+ "missingPreviewMessage": "anteprima non disponibile",
+ "noResults": "Nessun risultato",
+ "peekView.alternateTitle": "Riferimenti"
+ },
+ "vs/editor/contrib/suggest/suggestWidgetDetails": {
+ "details.close": "Chiudi",
+ "loading": "Caricamento..."
+ },
+ "vs/editor/contrib/suggest/suggestWidgetStatus": {
+ "ddd": "{0} ({1})"
+ },
+ "vs/editor/contrib/suggest/suggestWidgetRenderer": {
+ "suggestMoreInfoIcon": "Icona per visualizzare altre informazioni nel widget dei suggerimenti.",
+ "readMore": "Altre informazioni"
+ },
+ "vs/editor/contrib/codeAction/lightBulbWidget": {
+ "prefferedQuickFixWithKb": "Mostra correzioni. Correzione preferita disponibile ({0})",
+ "quickFixWithKb": "Mostra correzioni ({0})",
+ "quickFix": "Mostra correzioni"
+ },
+ "vs/editor/contrib/gotoSymbol/peek/referencesTree": {
+ "referencesCount": "{0} riferimenti",
+ "referenceCount": "{0} riferimento",
+ "treeAriaLabel": "Riferimenti"
+ },
+ "vs/platform/environment/node/argvHelper": {
+ "unknownOption": "Avviso: '{0}' non è incluso nell'elenco delle opzioni note, ma viene comunque passato a Electron/Chromium.",
+ "multipleValues": "L'opzione '{0}' è definita più di una volta. Verrà usato il valore '{1}'.",
+ "gotoValidation": "Gli argomenti nella modalità `--goto` devono essere espressi nel formato `FILE(:LINE(:CHARACTER))`."
+ },
+ "vs/platform/request/common/request": {
+ "httpConfigurationTitle": "HTTP",
+ "proxy": "Impostazione proxy da usare. Se non è impostata, verrà ereditata dalle variabili di ambiente `http_proxy` e `https_proxy`.",
+ "strictSSL": "Controlla se il certificato del server proxy deve essere verificato in base all'elenco di CA specificate.",
+ "proxyAuthorization": "Valore da inviare come intestazione `Proxy-Authorization` per ogni richiesta di rete.",
+ "proxySupportOff": "Disabilita il supporto proxy per le estensioni.",
+ "proxySupportOn": "Abilita il supporto proxy per le estensioni.",
+ "proxySupportOverride": "Abilita il supporto proxy per le estensioni ed esegue l'override delle opzioni di richiesta.",
+ "proxySupport": "Usa il supporto proxy per le estensioni.",
+ "systemCertificates": "Controlla se i certificati della CA devono essere caricati dal sistema operativo. Dopo la disattivazione in Windows e macOS è richiesto un riavvio della finestra."
+ },
+ "vs/platform/files/common/fileService": {
+ "invalidPath": "Non è possibile risolvere il provider di file system con il percorso file relativo '{0}'",
+ "noProviderFound": "Non sono stati trovati provider del file system per la risorsa '{0}'",
+ "fileNotFoundError": "Non è possibile risolvere il file non esistente '{0}'",
+ "fileExists": "Non è possibile creare il file '{0}' già esistente quando il flag di sovrascrittura non è impostato",
+ "err.write": "Non è possibile scrivere il file '{0}' ({1})",
+ "fileIsDirectoryWriteError": "Non è possibile scrivere il file '{0}' che è in realtà una directory",
+ "fileModifiedError": "File modificato da",
+ "err.read": "Non è possibile leggere il file '{0}' ({1})",
+ "fileIsDirectoryReadError": "Non è possibile leggere il file '{0}' che è in realtà una directory",
+ "fileNotModifiedError": "File non modificato dal giorno",
+ "fileTooLargeError": "Non è possibile leggere il file '{0}' che è troppo grande per essere aperto",
+ "unableToMoveCopyError1": "Non è possibile copiare quando l'origine '{0}' è uguale alla destinazione '{1}' e per il percorso viene usata una combinazione di maiuscole/minuscole diversa in un file system che non fa distinzione tra maiuscole e minuscole",
+ "unableToMoveCopyError2": "Non è possibile spostare/copiare quando l'origine '{0}' è un elemento padre della destinazione '{1}'.",
+ "unableToMoveCopyError3": "Non è possibile spostare/copiare '{0}' perché nella destinazione esiste già un file di destinazione '{1}'.",
+ "unableToMoveCopyError4": "Non è possibile spostare/copiare '{0}' in '{1}' perché un file sostituirebbe la cartella in cui è contenuto.",
+ "mkdirExistsError": "Non è possibile creare la cartella '{0}' che esiste già ma non è una directory",
+ "deleteFailedTrashUnsupported": "Non è possibile eliminare il file '{0}' tramite il Cestino perché il provider non lo supporta.",
+ "deleteFailedNotFound": "Non è possibile eliminare il file non esistente '{0}'",
+ "deleteFailedNonEmptyFolder": "Non è possibile eliminare la cartella non vuota '{0}'.",
+ "err.readonly": "Non è possibile modificare il file di sola lettura '{0}'"
+ },
+ "vs/platform/files/node/diskFileSystemProvider": {
+ "fileExists": "Il file esiste già",
+ "fileNotExists": "Il file non esiste",
+ "moveError": "Non è possibile spostare '{0}' in '{1}' ({2}).",
+ "copyError": "Non è possibile copiare '{0}' in '{1}' ({2}).",
+ "fileCopyErrorPathCase": "'Non è possibile copiare il file nello stesso percorso usando un percorso con una combinazione di maiuscole/minuscole diversa",
+ "fileCopyErrorExists": "Il file nella destinazione esiste già"
+ },
+ "vs/platform/files/common/files": {
+ "unknownError": "Errore sconosciuto",
+ "sizeB": "{0} B",
+ "sizeKB": "{0} KB",
+ "sizeMB": "{0} MB",
+ "sizeGB": "{0} GB",
+ "sizeTB": "{0} TB"
+ },
+ "vs/platform/update/common/update.config.contribution": {
+ "updateConfigurationTitle": "Aggiorna",
+ "updateMode": "Consente di configurare la ricezione degli aggiornamenti automatici. Richiede un riavvio dopo la modifica. Gli aggiornamenti vengono recuperati da un servizio online Microsoft.",
+ "none": "Disabilita gli aggiornamenti.",
+ "manual": "Disabilita il controllo automatico degli aggiornamenti in background. Gli aggiornamenti saranno disponibili solo se il controllo della disponibilità di aggiornamenti viene eseguito manualmente.",
+ "start": "Controlla la disponibilità di aggiornamenti solo all'avvio. Disabilita i controlli automatici degli aggiornamenti in background.",
+ "default": "Abilita il controllo automatico degli aggiornamenti. Code controlla periodicamente la disponibilità di aggiornamenti in modo automatico.",
+ "deprecated": "Questa impostazione è deprecata. In alternativa, usare '{0}'.",
+ "enableWindowsBackgroundUpdatesTitle": "Abilita gli aggiornamenti in background in Windows",
+ "enableWindowsBackgroundUpdates": "Abilitare questa opzione per scaricare e installare le nuove versioni di VS Code in background in Windows",
+ "showReleaseNotes": "Visualizza le note sulla versione dopo un aggiornamento. Le note verranno recuperate da un servizio online di Microsoft."
+ },
+ "vs/platform/environment/node/argv": {
+ "optionsUpperCase": "Opzioni",
+ "extensionsManagement": "Gestione estensioni",
+ "troubleshooting": "Risoluzione dei problemi",
+ "diff": "Confronta due file tra loro.",
+ "add": "Aggiunge la cartella o le cartelle all'ultima finestra attiva.",
+ "goto": "Apre un file nel percorso alla posizione specificata di riga e carattere.",
+ "newWindow": "Forza l'apertura di una nuova finestra.",
+ "reuseWindow": "Forza l'apertura di un file o di una cartella in una finestra già aperta.",
+ "wait": "Attendere la chiusura dei file prima della restituzione.",
+ "locale": "Impostazioni locali da usare, ad esempio en-US o it-IT.",
+ "userDataDir": "Specifica la directory in cui si trovano i dati utente. Può essere usata per aprire più istanze diverse di Code.",
+ "help": "Visualizza la sintassi.",
+ "extensionHomePath": "Impostare il percorso radice per le estensioni.",
+ "listExtensions": "Elenca le estensioni installate.",
+ "showVersions": "Mostra le versioni delle estensioni installate, quando si usa --list-extension.",
+ "category": "Filtra le estensioni installate in base alla categoria specificata, quando si usa --list-extension.",
+ "installExtension": "Installa o aggiorna l'estensione. L'identificatore di un estensione è sempre `${publisher}.${name}`. Usare l'argomento `--force` per eseguire l'aggiornamento alla versione più recente. Per installare una determinata versione, specificare `@${version}`, ad esempio 'vscode.csharp@1.2.3'.",
+ "uninstallExtension": "Disinstalla un'estensione.",
+ "experimentalApis": "Abilita le funzionalità API proposte per un'estensione. Può ricevere uno o più ID estensione da abilitare singolarmente.",
+ "version": "Visualizza la versione.",
+ "verbose": "Visualizza l'output dettagliato (implica --wait).",
+ "log": "Livello di registrazione da usare. Il valore predefinito è 'info'. I valori consentiti sono 'critical, 'error', 'warn', 'info', 'debug', 'trace', 'off'.",
+ "status": "Stampare le informazioni di utilizzo e diagnostica di processo.",
+ "prof-startup": "Esegui il profiler della CPU durante l'avvio",
+ "disableExtensions": "Disabilita tutte le estensioni installate.",
+ "disableExtension": "Disabilita un'estensione.",
+ "turn sync": "Attiva o disattiva la sincronizzazione",
+ "inspect-extensions": "Consente il debug e profilatura delle estensioni. Controllare gli strumenti di sviluppo per la URI di connessione.",
+ "inspect-brk-extensions": "Consente di eseguire debug e profilatura delle estensioni con l'host dell'estensione messo in pausa dopo l'avvio. Controllare gli strumenti di sviluppo per l'URI di connessione.",
+ "disableGPU": "Disabilita l'accelerazione hardware della GPU.",
+ "maxMemory": "Dimensione massima della memoria per una finestra (in Mbytes).",
+ "telemetry": "Mostra tutti gli eventi di telemetria raccolti da VS Code.",
+ "usage": "Sintassi",
+ "options": "opzioni",
+ "paths": "percorsi",
+ "stdinWindows": "Per leggere l'output da un altro programma, aggiungere alla fine '-' (ad esempio 'echo Hello World | {0} -')",
+ "stdinUnix": "Per leggere da stdin, aggiungere alla fine '-' (ad esempio 'ps aux | grep code | {0} -')",
+ "unknownVersion": "Versione sconosciuta",
+ "unknownCommit": "Commit sconosciuto"
+ },
+ "vs/platform/extensionManagement/common/extensionManagement": {
+ "extensions": "Estensioni",
+ "preferences": "Preferenze"
+ },
+ "vs/platform/extensionManagement/node/extensionManagementService": {
+ "incompatible": "Non è possibile installare l'estensione '{0}' perché non è compatibile con VS Code '{1}'.",
+ "restartCode": "Riavviare VS Code prima di reinstallare {0}.",
+ "MarketPlaceDisabled": "Il Marketplace non è abilitato",
+ "malicious extension": "Non è possibile installare l'estensione poiché è stata segnalata come problematica.",
+ "notFoundCompatibleDependency": "Non è possibile installare l'estensione '{0}' perché non è compatibile con la versione corrente di VS Code (versione {1}).",
+ "Not a Marketplace extension": "È possibile reinstallare solo le estensioni del Marketplace",
+ "removeError": "Errore durante la rimozione dell'estensione: {0}. Chiudere e riavviare VS Code prima di riprovare.",
+ "quitCode": "Non è possibile installare l'estensione. Uscire e avviare VS Code prima di ripetere l'installazione.",
+ "exitCode": "Non è possibile installare l'estensione. Chiudere e riavviare VS Code prima di ripetere l'installazione.",
+ "notInstalled": "L'estensione '{0}' non è installata.",
+ "singleDependentError": "Non è possibile disinstallare l'estensione '{0}'. L'estensione '{1}' dipende da tale estensione.",
+ "twoDependentsError": "Non è possibile disinstallare l'estensione '{0}'. Le estensioni '{1}' e '{2}' dipendono da tale estensione.",
+ "multipleDependentsError": "Non è possibile disinstallare l'estensione '{0}'. Altre estensioni, tra cui '{1}' e '{2}', dipendono da tale estensione.",
+ "singleIndirectDependentError": "Non è possibile disinstallare l'estensione '{0}'. Include la disinstallazione dell'estensione '{1}' e l'estensione '{2}' dipende da tale estensione.",
+ "twoIndirectDependentsError": "Non è possibile disinstallare l'estensione '{0}'. Include la disinstallazione dell'estensione '{1}' e le estensioni '{2}' e '{3}' dipendono da tale estensione.",
+ "multipleIndirectDependentsError": "Non è possibile disinstallare l'estensione '{0}'. Include la disinstallazione dell'estensione '{1}' e altre estensioni, tra cui '{2}' e '{3}', dipendono da tale estensione.",
+ "notExists": "L'estensione non è stata trovata"
+ },
+ "vs/platform/telemetry/common/telemetryService": {
+ "telemetryConfigurationTitle": "Telemetria",
+ "telemetry.enableTelemetry": "Abilita raccolta e invio dati di utilizzo ed errori ad un servizio online di Microsoft.",
+ "telemetry.enableTelemetryMd": "Abilita raccolta e invio dati di utilizzo ed errori ad un servizio online di Microsoft. Leggere l'informativa sulla privacy disponibile [qui]({0})."
+ },
+ "vs/platform/extensionManagement/node/extensionManagementUtil": {
+ "invalidManifest": "VSIX non valido: package.json non è un file JSON."
+ },
+ "vs/platform/userDataSync/common/userDataSync": {
+ "settings sync": "Sincronizzazione impostazioni",
+ "settingsSync.keybindingsPerPlatform": "Sincronizza i tasti di scelta rapida per ogni piattaforma.",
+ "sync.keybindingsPerPlatform.deprecated": "Deprecato. In alternativa, usare settingsSync.keybindingsPerPlatform",
+ "settingsSync.ignoredExtensions": "Elenco delle estensioni da ignorare durante la sincronizzazione. L'identificatore di un'estensione è sempre `${publisher}.${name}`. Ad esempio: `vscode.csharp`.",
+ "app.extension.identifier.errorMessage": "Formato imprevisto '${publisher}.${name}'. Esempio: 'vscode.csharp'.",
+ "sync.ignoredExtensions.deprecated": "Deprecato. In alternativa, usare settingsSync.ignoredExtensions",
+ "settingsSync.ignoredSettings": "Configura le impostazioni da ignorare durante la sincronizzazione.",
+ "sync.ignoredSettings.deprecated": "Deprecato. In alternativa, usare settingsSync.ignoredSettings"
+ },
+ "vs/platform/extensionManagement/electron-sandbox/extensionTipsService": {
+ "exeRecommended": "Nel sistema è installato {0}. Installare le estensioni consigliate?"
+ },
+ "vs/platform/userDataSync/common/userDataSyncMachines": {
+ "error incompatible": "Non è possibile leggere i dati dei computer perché la versione corrente non è compatibile. Aggiornare {0} e riprovare."
+ },
+ "vs/platform/userDataSync/common/userDataAutoSyncService": {
+ "default service changed": "Non è possibile eseguire la sincronizzazione perché il servizio predefinito è cambiato",
+ "service changed": "Non è possibile eseguire la sincronizzazione perché il servizio di sincronizzazione è cambiato",
+ "turned off": "Non è possibile eseguire la sincronizzazione perché questa operazione è disattivata nel cloud",
+ "session expired": "Non è possibile eseguire la sincronizzazione perché la sessione corrente è scaduta",
+ "turned off machine": "Non è possibile eseguire la sincronizzazione perché questa operazione è disattivata in questo computer da un altro computer."
+ },
+ "vs/platform/workspaces/common/workspaces": {
+ "codeWorkspace": "Area di lavoro del codice"
+ },
+ "vs/platform/files/electron-browser/diskFileSystemProvider": {
+ "binFailed": "Non è stato possibile spostare '{0}' nel Cestino",
+ "trashFailed": "Non è stato possibile spostare '{0}' nel Cestino"
+ },
+ "vs/platform/dialogs/common/dialogs": {
+ "moreFile": "...1 altro file non visualizzato",
+ "moreFiles": "...{0} altri file non visualizzati"
+ },
+ "vs/platform/theme/common/colorRegistry": {
+ "foreground": "Colore primo piano generale. Questo colore viene usato solo se non è sostituito da quello di un componente.",
+ "errorForeground": "Colore primo piano globale per i messaggi di errore. Questo colore viene usato solo se non è sostituito da quello di un componente.",
+ "descriptionForeground": "Colore primo piano del testo che fornisce informazioni aggiuntive, ad esempio per un'etichetta di testo.",
+ "iconForeground": "Colore predefinito per le icone nel workbench.",
+ "focusBorder": "Colore del bordo globale per gli elementi evidenziati. Questo colore viene usato solo se non è sostituito da quello di un componente.",
+ "contrastBorder": "Un bordo supplementare attorno agli elementi per contrastarli maggiormente rispetto agli altri.",
+ "activeContrastBorder": "Un bordo supplementare intorno agli elementi attivi per contrastarli maggiormente rispetto agli altri.",
+ "selectionBackground": "Il colore di sfondo delle selezioni di testo in workbench (ad esempio per i campi di input o aree di testo). Si noti che questo non si applica alle selezioni all'interno dell'editor.",
+ "textSeparatorForeground": "Colore dei separatori di testo.",
+ "textLinkForeground": "Colore primo piano dei link nel testo.",
+ "textLinkActiveForeground": "Colore primo piano per i collegamenti nel testo quando vengono selezionati o al passaggio del mouse.",
+ "textPreformatForeground": "Colore primo piano dei segmenti di testo preformattato.",
+ "textBlockQuoteBackground": "Colore di sfondo per le citazioni nel testo.",
+ "textBlockQuoteBorder": "Colore del bordo per le citazioni nel testo.",
+ "textCodeBlockBackground": "Colore di sfondo per i blocchi di codice nel testo.",
+ "widgetShadow": "Colore ombreggiatura dei widget, ad es. Trova/Sostituisci all'interno dell'editor.",
+ "inputBoxBackground": "Sfondo della casella di input.",
+ "inputBoxForeground": "Primo piano della casella di input.",
+ "inputBoxBorder": "Bordo della casella di input.",
+ "inputBoxActiveOptionBorder": "Colore del bordo di opzioni attivate nei campi di input.",
+ "inputOption.activeBackground": "Colore di sfondo di opzioni attivate nei campi di input.",
+ "inputOption.activeForeground": "Colore primo piano di opzioni attivate nei campi di input.",
+ "inputPlaceholderForeground": "Colore primo piano di casella di input per il testo segnaposto.",
+ "inputValidationInfoBackground": "Colore di sfondo di convalida dell'input di tipo Informazione.",
+ "inputValidationInfoForeground": "Colore primo piano di convalida dell'input di tipo Informazione.",
+ "inputValidationInfoBorder": "Colore del bordo della convalida dell'input di tipo Informazione.",
+ "inputValidationWarningBackground": "Colore di sfondo di convalida dell'input di tipo Avviso.",
+ "inputValidationWarningForeground": "Colore primo piano di convalida dell'input di tipo Avviso.",
+ "inputValidationWarningBorder": "Colore del bordo della convalida dell'input di tipo Avviso.",
+ "inputValidationErrorBackground": "Colore di sfondo di convalida dell'input di tipo Errore.",
+ "inputValidationErrorForeground": "Colore primo piano di convalida dell'input di tipo Errore.",
+ "inputValidationErrorBorder": "Colore del bordo della convalida dell'input di tipo Errore.",
+ "dropdownBackground": "Sfondo dell'elenco a discesa.",
+ "dropdownListBackground": "Sfondo dell'elenco a discesa.",
+ "dropdownForeground": "Primo piano dell'elenco a discesa.",
+ "dropdownBorder": "Bordo dell'elenco a discesa.",
+ "checkbox.background": "Colore di sfondo del widget della casella di controllo.",
+ "checkbox.foreground": "Colore primo piano del widget della casella di controllo.",
+ "checkbox.border": "Colore del bordo del widget della casella di controllo.",
+ "buttonForeground": "Colore primo piano del pulsante.",
+ "buttonBackground": "Colore di sfondo del pulsante.",
+ "buttonHoverBackground": "Colore di sfondo del pulsante al passaggio del mouse.",
+ "buttonSecondaryForeground": "Colore primo piano secondario del pulsante.",
+ "buttonSecondaryBackground": "Colore di sfondo secondario del pulsante.",
+ "buttonSecondaryHoverBackground": "Colore di sfondo secondario del pulsante al passaggio del mouse.",
+ "badgeBackground": "Colore di sfondo del badge. I badge sono piccole etichette informative, ad esempio per mostrare il conteggio dei risultati della ricerca.",
+ "badgeForeground": "Colore primo piano del badge. I badge sono piccole etichette informative, ad esempio per mostrare il conteggio dei risultati di una ricerca.",
+ "scrollbarShadow": "Ombra della barra di scorrimento per indicare lo scorrimento della visualizzazione.",
+ "scrollbarSliderBackground": "Colore di sfondo del cursore della barra di scorrimento.",
+ "scrollbarSliderHoverBackground": "Colore di sfondo del cursore della barra di scorrimento al passaggio del mouse.",
+ "scrollbarSliderActiveBackground": "Colore di sfondo del cursore della barra di scorrimento quando si fa clic con il mouse.",
+ "progressBarBackground": "Colore di sfondo dell'indicatore di stato che può essere mostrato per operazioni a esecuzione prolungata.",
+ "editorError.background": "Colore di sfondo del testo dell'errore nell'editor. Il colore non deve essere opaco per evitare di nascondere le decorazioni sottostanti.",
+ "editorError.foreground": "Colore primo piano degli indicatori di errore nell'editor.",
+ "errorBorder": "Colore del bordo delle caselle di errore nell'editor.",
+ "editorWarning.background": "Colore di sfondo del testo dell'avviso nell'editor. Il colore non deve essere opaco per evitare di nascondere le decorazioni sottostanti.",
+ "editorWarning.foreground": "Colore primo piano degli indicatori di avviso nell'editor.",
+ "warningBorder": "Colore del bordo delle caselle di avviso nell'editor.",
+ "editorInfo.background": "Colore di sfondo del testo delle informazioni nell'editor. Il colore non deve essere opaco per evitare di nascondere le decorazioni sottostanti.",
+ "editorInfo.foreground": "Colore primo piano degli indicatori di informazioni nell'editor.",
+ "infoBorder": "Colore del bordo delle caselle informative nell'editor.",
+ "editorHint.foreground": "Colore primo piano degli indicatori di suggerimento nell'editor.",
+ "hintBorder": "Colore del bordo delle caselle dei suggerimenti nell'editor.",
+ "sashActiveBorder": "Colore dei bordi di ridimensionamento attivi.",
+ "editorBackground": "Colore di sfondo dell'editor.",
+ "editorForeground": "Colore primo piano predefinito dell'editor.",
+ "editorWidgetBackground": "Colore di sfondo dei widget dell'editor, ad esempio Trova/Sostituisci.",
+ "editorWidgetForeground": "Colore primo piano dei widget dell'editor, ad esempio Trova/Sostituisci.",
+ "editorWidgetBorder": "Colore del bordo dei widget dell'editor. Il colore viene usato solo se il widget sceglie di avere un bordo e se il colore non è sottoposto a override da un widget.",
+ "editorWidgetResizeBorder": "Colore del bordo della barra di ridimensionamento dei widget dell'editor. Il colore viene usato solo se il widget sceglie di avere un bordo di ridimensionamento e se il colore non è sostituito da quello di un widget.",
+ "pickerBackground": "Colore di sfondo di Selezione rapida. Il widget Selezione rapida è il contenitore di selezioni quali il riquadro comandi.",
+ "pickerForeground": "Colore primo piano di Selezione rapida. Il widget Selezione rapida è il contenitore di selezioni quali il riquadro comandi.",
+ "pickerTitleBackground": "Colore di sfondo del titolo di Selezione rapida. Il widget Selezione rapida è il contenitore di selezioni quali il riquadro comandi.",
+ "pickerGroupForeground": "Colore di selezione rapida per il raggruppamento delle etichette.",
+ "pickerGroupBorder": "Colore di selezione rapida per il raggruppamento dei bordi.",
+ "editorSelectionBackground": "Colore della selezione dell'editor.",
+ "editorSelectionForeground": "Colore del testo selezionato per il contrasto elevato.",
+ "editorInactiveSelection": "Colore della selezione in un editor inattivo. Il colore non deve essere opaco per evitare di nascondere le decorazioni sottostanti.",
+ "editorSelectionHighlight": "Colore delle aree con lo stesso contenuto della selezione. Il colore non deve essere opaco per evitare di nascondere le decorazioni sottostanti.",
+ "editorSelectionHighlightBorder": "Colore del bordo delle regioni con lo stesso contenuto della selezione.",
+ "editorFindMatch": "Colore della corrispondenza di ricerca corrente.",
+ "findMatchHighlight": "Colore degli altri risultati della ricerca. Il colore non deve essere opaco per evitare di nascondere le decorazioni sottostanti.",
+ "findRangeHighlight": "Colore dell'intervallo di limite della ricerca. Il colore non deve essere opaco per evitare di nascondere le decorazioni sottostanti.",
+ "editorFindMatchBorder": "Colore del bordo della corrispondenza della ricerca corrente.",
+ "findMatchHighlightBorder": "Colore del bordo delle altre corrispondenze della ricerca.",
+ "findRangeHighlightBorder": "Colore del bordo dell'intervallo che limita la ricerca. Il colore non deve essere opaco per evitare di nascondere le decorazioni sottostanti.",
+ "searchEditor.queryMatch": "Colore delle corrispondenze query dell'editor della ricerca.",
+ "searchEditor.editorFindMatchBorder": "Colore del bordo delle corrispondenze query dell'editor della ricerca.",
+ "hoverHighlight": "Evidenziazione sotto la parola per cui è visualizzata un'area sensibile al passaggio del mouse. Il colore non deve essere opaco per evitare di nascondere le decorazioni sottostanti.",
+ "hoverBackground": "Colore di sfondo dell'area sensibile al passaggio del mouse dell'editor.",
+ "hoverForeground": "Colore primo piano dell'area sensibile al passaggio del mouse dell'editor.",
+ "hoverBorder": "Colore del bordo dell'area sensibile al passaggio del mouse dell'editor.",
+ "statusBarBackground": "Colore di sfondo della barra di stato sensibile al passaggio del mouse dell'editor.",
+ "activeLinkForeground": "Colore dei collegamenti attivi.",
+ "editorLightBulbForeground": "Colore usato per l'icona delle azioni con lampadina.",
+ "editorLightBulbAutoFixForeground": "Colore usato per l'icona delle azioni di correzione automatica con lampadina.",
+ "diffEditorInserted": "Colore di sfondo per il testo che è stato inserito. Il colore non deve essere opaco per evitare di nascondere le decorazioni sottostanti.",
+ "diffEditorRemoved": "Colore di sfondo per il testo che è stato rimosso. Il colore non deve essere opaco per evitare di nascondere le decorazioni sottostanti.",
+ "diffEditorInsertedOutline": "Colore del contorno del testo che è stato inserito.",
+ "diffEditorRemovedOutline": "Colore del contorno del testo che è stato rimosso.",
+ "diffEditorBorder": "Colore del bordo tra due editor di testo.",
+ "diffDiagonalFill": "Colore del riempimento diagonale dell'editor diff. Il riempimento diagonale viene usato nelle visualizzazioni diff affiancate.",
+ "listFocusBackground": "Colore di sfondo dell'elenco/albero per l'elemento con lo stato attivo quando l'elenco/albero è attivo. Un elenco/albero attivo ha lo stato attivo della tastiera, a differenza di uno inattivo.",
+ "listFocusForeground": "Colore primo piano dell'elenco/albero per l'elemento con lo stato attivo quando l'elenco/albero è attivo. Un elenco/albero attivo ha lo stato attivo della tastiera, a differenza di uno inattivo.",
+ "listActiveSelectionBackground": "Colore di sfondo dell'elenco/albero per l'elemento selezionato quando l'elenco/albero è attivo. Un elenco/albero attivo ha lo stato attivo della tastiera, a differenza di uno inattivo.",
+ "listActiveSelectionForeground": "Colore primo piano dell'elenco/albero per l'elemento selezionato quando l'elenco/albero è attivo. Un elenco/albero attivo ha lo stato attivo della tastiera, a differenza di uno inattivo.",
+ "listInactiveSelectionBackground": "Colore di sfondo dell'elenco/albero per l'elemento selezionato quando l'elenco/albero è inattivo. Un elenco/albero attivo ha lo stato attivo della tastiera, a differenza di uno inattivo.",
+ "listInactiveSelectionForeground": "Colore primo piano dell'elenco/albero per l'elemento selezionato quando l'elenco/albero è inattivo. Un elenco/albero attivo ha lo stato attivo della tastiera, a differenza di uno inattivo.",
+ "listInactiveFocusBackground": "Colore di sfondo dell'elenco/albero per l'elemento con lo stato attivo quando l'elenco/albero è inattivo. Un elenco/albero attivo ha lo stato attivo della tastiera, uno inattivo no.",
+ "listHoverBackground": "Sfondo dell'elenco/albero al passaggio del mouse sugli elementi.",
+ "listHoverForeground": "Primo piano dell'elenco/albero al passaggio del mouse sugli elementi.",
+ "listDropBackground": "Sfondo dell'elenco/albero durante il trascinamento degli elementi selezionati.",
+ "highlight": "Colore primo piano Elenco/Struttura ad albero delle occorrenze trovate durante la ricerca nell'Elenco/Struttura ad albero.",
+ "invalidItemForeground": "Colore primo piano dell'elenco/albero delle occorrenze trovate durante la ricerca nell'elenco/albero.",
+ "listErrorForeground": "Colore primo piano delle voci di elenco contenenti errori.",
+ "listWarningForeground": "Colore primo piano delle voci di elenco contenenti avvisi.",
+ "listFilterWidgetBackground": "Colore di sfondo del widget del filtro per tipo in elenchi e alberi.",
+ "listFilterWidgetOutline": "Colore del contorno del widget del filtro per tipo in elenchi e alberi.",
+ "listFilterWidgetNoMatchesOutline": "Colore del contorno del widget del filtro per tipo in elenchi e alberi quando non sono presenti corrispondenze.",
+ "listFilterMatchHighlight": "Colore di sfondo della corrispondenza filtrata.",
+ "listFilterMatchHighlightBorder": "Colore del bordo della corrispondenza filtrata.",
+ "treeIndentGuidesStroke": "Colore del tratto dell'albero per le guide per i rientri.",
+ "listDeemphasizedForeground": "Colore primo piano dell'elenco/albero per gli elementi non evidenziati.",
+ "menuBorder": "Colore del bordo del menu.",
+ "menuForeground": "Colore primo piano delle voci di menu.",
+ "menuBackground": "Colore di sfondo delle voci di menu.",
+ "menuSelectionForeground": "Colore primo piano della voce di menu selezionata nei menu.",
+ "menuSelectionBackground": "Colore di sfondo della voce di menu selezionata nei menu.",
+ "menuSelectionBorder": "Colore del bordo della voce di menu selezionata nei menu.",
+ "menuSeparatorBackground": "Colore di un elemento separatore delle voci di menu.",
+ "snippetTabstopHighlightBackground": "Colore di sfondo dell'evidenziazione della tabulazione di un frammento.",
+ "snippetTabstopHighlightBorder": "Colore del bordo dell'evidenziazione della tabulazione di un frammento.",
+ "snippetFinalTabstopHighlightBackground": "Colore di sfondo dell'evidenziazione della tabulazione finale di un frammento.",
+ "snippetFinalTabstopHighlightBorder": "Colore del bordo dell'evidenziazione della tabulazione finale di un frammento.",
+ "breadcrumbsFocusForeground": "Colore degli elementi di navigazione in evidenza.",
+ "breadcrumbsBackground": "Colore di sfondo degli elementi di navigazione.",
+ "breadcrumbsSelectedForegound": "Colore degli elementi di navigazione selezionati.",
+ "breadcrumbsSelectedBackground": "Colore di sfondo del controllo di selezione elementi di navigazione.",
+ "mergeCurrentHeaderBackground": "Sfondo dell'intestazione delle modifiche correnti nei conflitti di merge inline. Il colore non deve essere opaco per evitare di nascondere le decorazioni sottostanti.",
+ "mergeCurrentContentBackground": "Sfondo del contenuto delle modifiche correnti nei conflitti di merge inline. Il colore non deve essere opaco per evitare di nascondere le decorazioni sottostanti.",
+ "mergeIncomingHeaderBackground": "Sfondo dell'intestazione delle modifiche in ingresso nei conflitti di merge inline. Il colore non deve essere opaco per evitare di nascondere le decorazioni sottostanti.",
+ "mergeIncomingContentBackground": "Sfondo del contenuto delle modifiche in ingresso nei conflitti di merge inline. Il colore non deve essere opaco per evitare di nascondere le decorazioni sottostanti.",
+ "mergeCommonHeaderBackground": "Sfondo dell'intestazione del predecessore comune nei conflitti di merge inline. Il colore non deve essere opaco per evitare di nascondere le decorazioni sottostanti.",
+ "mergeCommonContentBackground": "Sfondo del contenuto del predecessore comune nei conflitti di merge inline. Il colore non deve essere opaco per evitare di nascondere le decorazioni sottostanti.",
+ "mergeBorder": "Colore del bordo nelle intestazioni e sulla barra di divisione di conflitti di merge in linea.",
+ "overviewRulerCurrentContentForeground": "Colore primo piano del righello delle annotazioni delle modifiche correnti per i conflitti di merge inline.",
+ "overviewRulerIncomingContentForeground": "Colore primo piano del righello delle annotazioni delle modifiche in ingresso per i conflitti di merge inline.",
+ "overviewRulerCommonContentForeground": "Colore primo piano del righello delle annotazioni del predecessore comune per i conflitti di merge inline.",
+ "overviewRulerFindMatchForeground": "Colore del marcatore del righello delle annotazioni per la ricerca di corrispondenze. Il colore non deve essere opaco per evitare di nascondere le decorazioni sottostanti.",
+ "overviewRulerSelectionHighlightForeground": "Colore del marcatore del righello delle annotazioni per le evidenziazioni delle selezioni. Il colore non deve essere opaco per evitare di nascondere le decorazioni sottostanti.",
+ "minimapFindMatchHighlight": "Colore del marcatore della minimappa per la ricerca delle corrispondenze.",
+ "minimapSelectionHighlight": "Colore del marcatore della minimappa per la selezione dell'editor.",
+ "minimapError": "Colore del marcatore della minimappa per gli errori.",
+ "overviewRuleWarning": "Colore del marcatore della minimappa per gli avvisi.",
+ "minimapBackground": "Colore di sfondo della minimappa.",
+ "minimapSliderBackground": "Colore di sfondo del dispositivo di scorrimento della minimappa.",
+ "minimapSliderHoverBackground": "Colore di sfondo del dispositivo di scorrimento della minimappa al passaggio del mouse.",
+ "minimapSliderActiveBackground": "Colore di sfondo del dispositivo di scorrimento della minimappa quando si fa clic con il mouse.",
+ "problemsErrorIconForeground": "Colore usato per l'icona di errore dei problemi.",
+ "problemsWarningIconForeground": "Colore usato per l'icona di avviso dei problemi.",
+ "problemsInfoIconForeground": "Colore usato per l'icona informazioni dei problemi.",
+ "chartsForeground": "Colore primo piano usato nei grafici.",
+ "chartsLines": "Colore usato per le linee orizzontali nei grafici.",
+ "chartsRed": "Colore rosso usato nelle visualizzazioni grafico.",
+ "chartsBlue": "Colore blu usato nelle visualizzazioni grafico.",
+ "chartsYellow": "Colore giallo usato nelle visualizzazioni grafico.",
+ "chartsOrange": "Colore arancione usato nelle visualizzazioni grafico.",
+ "chartsGreen": "Colore verde usato nelle visualizzazioni grafico.",
+ "chartsPurple": "Colore viola usato nelle visualizzazioni grafico."
+ },
+ "vs/platform/configuration/common/configurationRegistry": {
+ "defaultLanguageConfigurationOverrides.title": "Override configurazione predefinita del linguaggio",
+ "defaultLanguageConfiguration.description": "Consente di configurare le impostazioni di cui eseguire l'override per il linguaggio {0}.",
+ "overrideSettings.defaultDescription": "Consente di configurare le impostazioni dell'editor di cui eseguire l'override per un linguaggio.",
+ "overrideSettings.errorMessage": "Questa impostazione non supporta la configurazione per lingua.",
+ "config.property.empty": "Non è possibile registrare una proprietà vuota",
+ "config.property.languageDefault": "Non è possibile registrare '{0}'. Corrisponde al criterio di proprietà '\\\\[.*\\\\]$' per la descrizione delle impostazioni dell'editor specifiche del linguaggio. Usare il contributo 'configurationDefaults'.",
+ "config.property.duplicate": "Non è possibile registrare '{0}'. Questa proprietà è già registrata."
+ },
+ "vs/platform/markers/common/markers": {
+ "sev.error": "Errore",
+ "sev.warning": "Avviso",
+ "sev.info": "Info"
+ },
+ "vs/platform/windows/electron-main/windowsMainService": {
+ "pathNotExistTitle": "Il percorso non esiste",
+ "pathNotExistDetail": "Il percorso '{0}' sembra non esistere più sul disco.",
+ "uriInvalidTitle": "L'URI non può essere aperto",
+ "uriInvalidDetail": "L'URI '{0}' non è valido e non può essere aperto.",
+ "ok": "OK"
+ },
+ "vs/platform/issue/electron-main/issueMainService": {
+ "local": "LOCAL",
+ "issueReporterWriteToClipboard": "I dati sono eccessivi per inviarli direttamente a GitHub. Verranno quindi copiati negli Appunti. Incollarli nella pagina relativa al problema visualizzata in GitHub.",
+ "ok": "OK",
+ "cancel": "Annulla",
+ "confirmCloseIssueReporter": "L'input non verrà salvato. Chiudere questa finestra?",
+ "yes": "Sì",
+ "issueReporter": "Segnalazione problemi",
+ "processExplorer": "Esplora processi"
+ },
+ "vs/platform/workspaces/electron-main/workspacesHistoryMainService": {
+ "newWindow": "Nuova finestra",
+ "newWindowDesc": "Apre una nuova finestra",
+ "recentFolders": "Aree di lavoro recenti",
+ "folderDesc": "{0} {1}",
+ "workspaceDesc": "{0} {1}",
+ "untitledWorkspace": "Senza titolo (Area di lavoro)",
+ "workspaceName": "{0} (Area di lavoro)"
+ },
+ "vs/platform/workspaces/electron-main/workspacesMainService": {
+ "ok": "OK",
+ "workspaceOpenedMessage": "Non è possibile salvare l'area di lavoro '{0}'",
+ "workspaceOpenedDetail": "L'area di lavoro è già aperta in un'altra finestra. Chiudere tale finestra prima di riprovare."
+ },
+ "vs/platform/dialogs/electron-main/dialogs": {
+ "open": "Apri",
+ "openFolder": "Apri cartella",
+ "openFile": "Apri file",
+ "openWorkspaceTitle": "Apri area di lavoro",
+ "openWorkspace": "&&Apri"
+ },
+ "vs/platform/files/common/io": {
+ "fileTooLargeForHeapError": "Per aprire un file di queste dimensioni, è necessario riavviare e consentirgli di usare più memoria",
+ "fileTooLargeError": "Il file è troppo grande per essere aperto"
+ },
+ "vs/platform/extensions/common/extensionValidator": {
+ "versionSyntax": "Non è stato possibile analizzare il valore {0} di `engines.vscode`. Usare ad esempio: ^1.22.0, ^1.22.x e così via.",
+ "versionSpecificity1": "La versione specificata in `engines.vscode` ({0}) non è abbastanza specifica. Per le versioni di vscode precedenti alla 1.0.0, definire almeno le versioni principale e secondaria desiderate, ad esempio ^0.10.0, 0.10.x, 0.11.0 e così via.",
+ "versionSpecificity2": "La versione specificata in `engines.vscode` ({0}) non è abbastanza specifica. Per le versioni di vscode successive alla 1.0.0, definire almeno la versione principale desiderata, ad esempio ^1.10.0, 1.10.x, 1.x.x, 2.x.x e così via.",
+ "versionMismatch": "L'estensione non è compatibile con Visual Studio Code {0}. Per l'estensione è richiesto: {1}."
+ },
+ "vs/platform/extensionManagement/node/extensionsScanner": {
+ "errorDeleting": "Non è possibile eliminare la cartella esistente '{0}' durante l'installazione dell'estensione '{1}'. Eliminare la cartella manualmente e riprovare",
+ "cannot read": "Non è possibile leggere l'estensione da {0}",
+ "renameError": "Errore sconosciuto durante la ridenominazione di {0} in {1}",
+ "invalidManifest": "Estensione non valida: package.json non è un file JSON."
+ },
+ "vs/platform/userDataSync/common/keybindingsSync": {
+ "errorInvalidSettings": "Non è possibile sincronizzare i tasti di scelta rapida perché il contenuto del file non è valido. Aprire il file e correggerlo."
+ },
+ "vs/platform/userDataSync/common/settingsSync": {
+ "errorInvalidSettings": "Non è possibile sincronizzare le impostazioni perché sono presenti errori/avvisi nel file delle impostazioni."
+ },
+ "vs/platform/list/browser/listService": {
+ "workbenchConfigurationTitle": "Workbench",
+ "multiSelectModifier.ctrlCmd": "Rappresenta il tasto 'Control' in Windows e Linux e il tasto 'Comando' in macOS.",
+ "multiSelectModifier.alt": "Rappresenta il tasto 'Alt' in Windows e Linux e il tasto 'Opzione' in macOS.",
+ "multiSelectModifier": "Il modificatore da utilizzare per aggiungere un elemento di alberi e liste ad una selezione multipla con il mouse (ad esempio in Esplora Risorse, apre gli editor e le viste scm). Le gesture del mouse 'Apri a lato' - se supportate - si adatteranno in modo da non creare conflitti con il modificatore di selezione multipla.",
+ "openModeModifier": "Controlla l'apertura degli elementi di alberi ed elenchi tramite il mouse (se supportato). Per i nodi con figli, questa impostazione ne controlla l'apertura tramite singolo o doppio clic. Si noti che alcuni alberi ed elenchi potrebbero scegliere di ignorare questa impostazione se non applicabile.",
+ "horizontalScrolling setting": "Controlla se elenchi e alberi supportano lo scorrimento orizzontale nell'area di lavoro. Avviso: l'attivazione di questa impostazione può influire sulle prestazioni.",
+ "tree indent setting": "Controlla il rientro dell'albero in pixel.",
+ "render tree indent guides": "Controlla se l'albero deve eseguire il rendering delle guide per i rientri.",
+ "list smoothScrolling setting": "Controlla se elenchi e alberi prevedono lo scorrimento uniforme.",
+ "keyboardNavigationSettingKey.simple": "Con lo stile di spostamento da tastiera simple lo stato attivo si trova sugli elementi che corrispondono all'input da tastiera. L'abbinamento viene effettuato solo in base ai prefissi.",
+ "keyboardNavigationSettingKey.highlight": "Con lo stile di spostamento da tastiera highlight vengono evidenziati gli elementi corrispondenti all'input da tastiera. Spostandosi ulteriormente verso l'alto o verso il basso ci si sposterà solo negli elementi evidenziati.",
+ "keyboardNavigationSettingKey.filter": "Con lo stile di spostamento da tastiera filter verranno filtrati e nascosti tutti gli elementi che non corrispondono all'input da tastiera.",
+ "keyboardNavigationSettingKey": "Controlla lo stile di spostamento da tastiera per elenchi e alberi nel workbench. Le opzioni sono: simple, highlight e filter.",
+ "automatic keyboard navigation setting": "Controlla se gli spostamenti da tastiera per elenchi e alberi vengono attivati semplicemente premendo un tasto. Se è impostato su `false`, gli spostamenti da tastiera vengono attivati solo durante l'esecuzione del comando `list.toggleKeyboardNavigation`, al quale è possibile assegnare un tasto di scelta rapida.",
+ "expand mode": "Controlla la modalità di espansione delle cartelle dell'albero quando si fa clic sui nomi di cartella."
+ },
+ "vs/platform/undoRedo/common/undoRedoService": {
+ "externalRemoval": "I file seguenti sono stati chiusi e modificati nel disco: {0}.",
+ "noParallelUniverses": "I file seguenti sono stati modificati in modo incompatibile: {0}.",
+ "cannotWorkspaceUndo": "Non è stato possibile annullare '{0}' in tutti i file. {1}",
+ "cannotWorkspaceUndoDueToChanges": "Non è stato possibile annullare '{0}' in tutti i file perché sono state apportate modifiche a {1}",
+ "cannotWorkspaceUndoDueToInProgressUndoRedo": "Non è stato possibile annullare '{0}' su tutti i file perché è già in esecuzione un'operazione di annullamento o ripetizione su {1}",
+ "cannotWorkspaceUndoDueToInMeantimeUndoRedo": "Non è stato possibile annullare '{0}' su tutti i file perché nel frattempo è stata eseguita un'operazione di annullamento o ripetizione",
+ "confirmWorkspace": "Annullare '{0}' in tutti i file?",
+ "ok": "Annulla in {0} file",
+ "nok": "Annulla questo file",
+ "cancel": "Annulla",
+ "cannotResourceUndoDueToInProgressUndoRedo": "Non è stato possibile annullare '{0}' perché è già in esecuzione un'operazione di annullamento o ripetizione.",
+ "confirmDifferentSource": "Annullare '{0}'?",
+ "confirmDifferentSource.ok": "Annulla",
+ "cannotWorkspaceRedo": "Non è stato possibile ripetere '{0}' in tutti i file. {1}",
+ "cannotWorkspaceRedoDueToChanges": "Non è stato possibile ripetere '{0}' in tutti i file perché sono state apportate modifiche a {1}",
+ "cannotWorkspaceRedoDueToInProgressUndoRedo": "Non è stato possibile ripetere l'operazione '{0}' su tutti i file perché è già in esecuzione un'operazione di annullamento o ripetizione sull'elenco di file {1}",
+ "cannotWorkspaceRedoDueToInMeantimeUndoRedo": "Non è stato possibile ripetere '{0}' su tutti i file perché nel frattempo è stata eseguita un'operazione di annullamento o ripetizione",
+ "cannotResourceRedoDueToInProgressUndoRedo": "Non è stato possibile ripetere '{0}' perché è già in esecuzione un'operazione di annullamento o ripetizione."
+ },
+ "vs/platform/actions/browser/menuEntryActionViewItem": {
+ "titleAndKb": "{0} ({1})"
+ },
+ "vs/platform/theme/common/iconRegistry": {
+ "iconDefintion.fontId": "ID del tipo di carattere da usare. Se non è impostato, viene usato il tipo di carattere definito per primo.",
+ "iconDefintion.fontCharacter": "Tipo di carattere associato alla definizione di icona.",
+ "widgetClose": "Icona dell'azione di chiusura nei widget.",
+ "previousChangeIcon": "Icona per la posizione di Vai a editor precedente.",
+ "nextChangeIcon": "Icona per la posizione di Vai a editor successivo."
+ },
+ "vs/platform/menubar/electron-main/menubar": {
+ "miNewWindow": "&&Nuova finestra",
+ "mFile": "&&File",
+ "mEdit": "&&Modifica",
+ "mSelection": "&&Selezione",
+ "mView": "&&Visualizza",
+ "mGoto": "&&Vai",
+ "mRun": "&&Esegui",
+ "mTerminal": "&&Terminale",
+ "mWindow": "Finestra",
+ "mHelp": "&&Guida",
+ "mAbout": "Informazioni su {0}",
+ "miPreferences": "&&Preferenze",
+ "mServices": "Servizi",
+ "mHide": "Nascondi {0}",
+ "mHideOthers": "Nascondi altri",
+ "mShowAll": "Mostra tutto",
+ "miQuit": "Chiudi {0}",
+ "mMinimize": "Riduci a icona",
+ "mZoom": "Zoom",
+ "mBringToFront": "Porta tutto in primo piano",
+ "miSwitchWindow": "Cambia &&finestra...",
+ "mNewTab": "Nuova scheda",
+ "mShowPreviousTab": "Mostra scheda precedente",
+ "mShowNextTab": "Mostra scheda successiva",
+ "mMoveTabToNewWindow": "Sposta scheda in una nuova finestra",
+ "mMergeAllWindows": "Unisci tutte le finestre",
+ "miCheckForUpdates": "Controlla la disponibilità di &&aggiornamenti...",
+ "miCheckingForUpdates": "Controllo della disponibilità di aggiornamenti...",
+ "miDownloadUpdate": "Scarica l'aggiornamento &&disponibile",
+ "miDownloadingUpdate": "Download dell'aggiornamento...",
+ "miInstallUpdate": "Installa &&aggiornamento...",
+ "miInstallingUpdate": "Installazione dell'aggiornamento...",
+ "miRestartToUpdate": "Riavvia per &&aggiornare"
+ },
+ "vs/platform/userDataSync/common/abstractSynchronizer": {
+ "incompatible": "Non è possibile sincronizzare {0} perché la relativa versione locale {1} non è compatibile con la relativa versione remota {2}",
+ "incompatible sync data": "Non è possibile analizzare i dati di sincronizzazione perché non sono compatibili con la versione corrente."
+ },
+ "vs/platform/keybinding/common/abstractKeybindingService": {
+ "first.chord": "È stato premuto ({0}). In attesa del secondo tasto...",
+ "missing.chord": "La combinazione di tasti ({0}, {1}) non è un comando."
+ },
+ "vs/platform/quickinput/browser/helpQuickAccess": {
+ "globalCommands": "comandi globali",
+ "editorCommands": "comandi dell'editor",
+ "helpPickAriaLabel": "{0}, {1}"
+ },
+ "vs/platform/theme/common/tokenClassificationRegistry": {
+ "schema.token.settings": "Colori e stili per il token.",
+ "schema.token.foreground": "Colore primo piano per il token.",
+ "schema.token.background.warning": "I colori di sfondo del token non sono supportati.",
+ "schema.token.fontStyle": "Imposta tutti gli stili del carattere della regola: 'italic', 'bold' o 'underline' oppure una combinazione. L'impostazione di tutti gli stili non in elenco verrà annullata. Specificare una stringa vuota per annullare l'impostazione di tutti gli stili.",
+ "schema.fontStyle.error": "Lo stile del carattere deve essere 'italic', 'bold' o 'underline' o una combinazione di queste impostazioni. Con una stringa vuota vengono rimossi tutti gli stili.",
+ "schema.token.fontStyle.none": "Nessuno (cancella lo stile ereditato)",
+ "schema.token.bold": "Imposta o annulla lo stile del carattere su grassetto. Nota: 'fontStyle' ha la precedenza su questa impostazione.",
+ "schema.token.italic": "Imposta o annulla lo stile del carattere su corsivo. Nota: 'fontStyle' ha la precedenza su questa impostazione.",
+ "schema.token.underline": "Imposta o annulla lo stile del carattere su sottolineato. Nota: 'fontStyle' ha la precedenza su questa impostazione.",
+ "comment": "Stile per i commenti.",
+ "string": "Stile per le stringhe.",
+ "keyword": "Stile per le parole chiave.",
+ "number": "Stile per i numeri.",
+ "regexp": "Stile per le espressioni.",
+ "operator": "Stile per gli operatori.",
+ "namespace": "Stile per gli spazi dei nomi.",
+ "type": "Stile per i tipi.",
+ "struct": "Stile per gli struct.",
+ "class": "Stile per le classi.",
+ "interface": "Stile per le interfacce.",
+ "enum": "Stile per le enumerazioni.",
+ "typeParameter": "Stile per i parametri di tipo.",
+ "function": "Stile per le funzioni",
+ "member": "Stile per le funzioni membro",
+ "method": "Stile per il metodo (funzioni membro)",
+ "macro": "Stile per le macro.",
+ "variable": "Stile per le variabili.",
+ "parameter": "Stile per i parametri.",
+ "property": "Stile per le proprietà.",
+ "enumMember": "Stile per i membri di enumerazione.",
+ "event": "Stile per gli eventi.",
+ "labels": "Stile per le etichette. ",
+ "declaration": "Stile per tutte le dichiarazioni di simbolo.",
+ "documentation": "Stile da usare per i riferimenti nella documentazione.",
+ "static": "Stile da usare per i simboli statici.",
+ "abstract": "Stile da usare per i simboli astratti.",
+ "deprecated": "Stile da usare per i simboli deprecati.",
+ "modification": "Stile da usare per gli accessi in scrittura.",
+ "async": "Stile da usare per i simboli asincroni.",
+ "readonly": "Stile da usare per i simboli di sola lettura."
+ },
+ "vs/platform/quickinput/browser/commandsQuickAccess": {
+ "commandPickAriaLabelWithKeybinding": "{0}, {1}",
+ "recentlyUsed": "usate di recente",
+ "morecCommands": "altri comandi",
+ "canNotRun": "Il comando '{0}' ha restituito un errore ({1})"
+ },
+ "win32/i18n/Default": {
+ "SetupAppTitle": "Installa",
+ "SetupWindowTitle": "Installazione - %1",
+ "UninstallAppTitle": "Disinstalla",
+ "UninstallAppFullTitle": "Disinstallazione di %1",
+ "InformationTitle": "Informazioni",
+ "ConfirmTitle": "Conferma",
+ "ErrorTitle": "Errore",
+ "SetupLdrStartupMessage": "%1 verrà installato. Continuare?",
+ "LdrCannotCreateTemp": "Non è possibile creare un file temporaneo. L'installazione è stata interrotta",
+ "LdrCannotExecTemp": "Non è possibile eseguire il file nella directory temporanea. L'installazione è stata interrotta",
+ "LastErrorMessage": "%1.%n%nErrore %2: %3",
+ "SetupFileMissing": "Nella directory di installazione manca il file %1. Risolvere il problema o procurarsi una nuova copia del programma.",
+ "SetupFileCorrupt": "I file di installazione sono danneggiati. Procurarsi una nuova copia del programma.",
+ "SetupFileCorruptOrWrongVer": "I file di installazione sono danneggiati o sono incompatibili con questa versione del programma di installazione. Risolvere il problema o procurarsi una nuova copia del programma.",
+ "InvalidParameter": "Alla riga di comando è stato passato un parametro non valido:%n%n%1",
+ "SetupAlreadyRunning": "Il programma di installazione è già in esecuzione.",
+ "WindowsVersionNotSupported": "Questo programma non supporta la versione di Windows in esecuzione nel computer.",
+ "WindowsServicePackRequired": "Per questo programma è necessario %1 Service Pack %2 o versione successiva.",
+ "NotOnThisPlatform": "Questo programma non verrà eseguito in %1.",
+ "OnlyOnThisPlatform": "Questo programma deve essere eseguito in %1.",
+ "OnlyOnTheseArchitectures": "Questo programma può essere installato solo in versioni di Windows progettate per le architetture di processori seguenti:%n%n%1",
+ "MissingWOW64APIs": "La versione di Windows in esecuzione non include la funzionalità richiesta dal programma di installazione per eseguire un'installazione a 64 bit. Per risolvere il problema, installare il Service Pack %1.",
+ "WinVersionTooLowError": "Per questo programma è necessario %1 %2 o versione successiva.",
+ "WinVersionTooHighError": "Questo programma non può essere installato in %1 %2 o versione successiva.",
+ "AdminPrivilegesRequired": "Per installare questo programma, è necessario aver eseguito l'accesso come amministratore.",
+ "PowerUserPrivilegesRequired": "Per installare questo programma, è necessario aver eseguito l'accesso come amministratore o come membro del gruppo Power Users.",
+ "SetupAppRunningError": "Il programma di installazione ha rilevato che %1 è attualmente in esecuzione.%n%nChiuderne ora tutte le istanze, quindi fare clic su OK per continuare o su Annulla per uscire.",
+ "UninstallAppRunningError": "Il programma di disinstallazione ha rilevato che %1 è attualmente in esecuzione.%n%nChiuderne ora tutte le istanze, quindi fare clic su OK per continuare o su Annulla per uscire.",
+ "ErrorCreatingDir": "Il programma di installazione non è riuscito a creare la directory \"%1\"",
+ "ErrorTooManyFilesInDir": "Non è possibile creare un file nella directory \"%1\" perché contiene troppi file",
+ "ExitSetupTitle": "Esci",
+ "ExitSetupMessage": "L'installazione non è completa. Se si esce ora, il programma non verrà installato.%n%nÈ possibile eseguire di nuovo il programma di installazione in un altro momento per completare l'installazione.%n%nUscire dall'installazione?",
+ "AboutSetupMenuItem": "&Informazioni sull'installazione...",
+ "AboutSetupTitle": "Informazioni sull'installazione",
+ "AboutSetupMessage": "%1 versione %2%n%3%n%nHome page di %1:%n%4",
+ "ButtonBack": "< In&dietro",
+ "ButtonNext": "&Avanti >",
+ "ButtonInstall": "&Installa",
+ "ButtonOK": "OK",
+ "ButtonCancel": "Annulla",
+ "ButtonYes": "&Sì",
+ "ButtonYesToAll": "Sì a t&utti",
+ "ButtonNo": "&No",
+ "ButtonNoToAll": "N&o a tutti",
+ "ButtonFinish": "&Fine",
+ "ButtonBrowse": "Sfo&glia...",
+ "ButtonWizardBrowse": "S&foglia...",
+ "ButtonNewFolder": "&Crea nuova cartella",
+ "SelectLanguageTitle": "Seleziona lingua di installazione",
+ "SelectLanguageLabel": "Selezionare la lingua da usare durante l'installazione:",
+ "ClickNext": "Fare clic su Avanti per continuare o su Annulla per uscire dall'installazione.",
+ "BrowseDialogTitle": "Cerca cartella",
+ "BrowseDialogLabel": "Selezionare una cartella nell'elenco seguente, quindi fare clic su OK.",
+ "NewFolderName": "Nuova cartella",
+ "WelcomeLabel1": "Installazione guidata di [name]",
+ "WelcomeLabel2": "[name/ver] verrà installato nel computer.%n%nPrima di continuare, è consigliabile chiudere tutte le altre applicazioni.",
+ "WizardPassword": "Password",
+ "PasswordLabel1": "Questa installazione è protetta da password.",
+ "PasswordLabel3": "Digitare la password, quindi fare clic su Avanti per continuare. Per le password viene fatta distinzione tra maiuscole e minuscole.",
+ "PasswordEditLabel": "&Password:",
+ "IncorrectPassword": "La password immessa non è corretta. Riprovare.",
+ "WizardLicense": "Contratto di licenza",
+ "LicenseLabel": "Leggere le informazioni importanti riportate di seguito prima di continuare.",
+ "LicenseLabel3": "Leggere il contratto di licenza seguente. Per proseguire con l'installazione, è necessario accettare le condizioni del contratto.",
+ "LicenseAccepted": "&Accetto il contratto",
+ "LicenseNotAccepted": "&Non accetto il contratto",
+ "WizardInfoBefore": "Informazioni",
+ "InfoBeforeLabel": "Leggere le informazioni importanti riportate di seguito prima di continuare.",
+ "InfoBeforeClickLabel": "Quando si è pronti per continuare con l'installazione, fare clic su Avanti.",
+ "WizardInfoAfter": "Informazioni",
+ "InfoAfterLabel": "Leggere le informazioni importanti riportate di seguito prima di continuare.",
+ "InfoAfterClickLabel": "Quando si è pronti per continuare con l'installazione, fare clic su Avanti.",
+ "WizardUserInfo": "Informazioni utente",
+ "UserInfoDesc": "Immettere le informazioni personali.",
+ "UserInfoName": "&Nome utente:",
+ "UserInfoOrg": "&Organizzazione:",
+ "UserInfoSerial": "Numero di &serie:",
+ "UserInfoNameRequired": "Immettere un nome.",
+ "WizardSelectDir": "Seleziona percorso di destinazione",
+ "SelectDirDesc": "Specificare la cartella in cui installare [name].",
+ "SelectDirLabel3": "Il programma di installazione installerà [name] nella cartella seguente.",
+ "SelectDirBrowseLabel": "Per continuare, fare clic su Avanti. Per selezionare una cartella diversa, fare clic su Sfoglia.",
+ "DiskSpaceMBLabel": "Sono necessari almeno [mb] MB di spazio libero su disco.",
+ "CannotInstallToNetworkDrive": "Non è possibile eseguire l'installazione su un'unità di rete.",
+ "CannotInstallToUNCPath": "Non è possibile eseguire l'installazione in un percorso UNC.",
+ "InvalidPath": "È necessario immettere un percorso completo che include la lettera di unità, ad esempio:%n%nC:\\APP%n%noppure un percorso UNC nel formato:%n%n\\\\server\\condivisione",
+ "InvalidDrive": "L'unità o la condivisione UNC selezionata non esiste o non è accessibile. Selezionarne un'altra.",
+ "DiskSpaceWarningTitle": "Spazio su disco insufficiente",
+ "DiskSpaceWarning": "Per l'installazione sono necessari almeno %1 KB di spazio libero, ma nell'unità selezionata sono disponibili solo %2 KB.%n%nContinuare comunque?",
+ "DirNameTooLong": "Il nome o il percorso della cartella è troppo lungo.",
+ "InvalidDirName": "Il nome della cartella non è valido.",
+ "BadDirName32": "I nomi di cartella non possono includere nessuno dei caratteri seguenti:%n%n%1",
+ "DirExistsTitle": "Cartella già esistente",
+ "DirExists": "La cartella:%n%n%1%n%nesiste già. Eseguire comunque l'installazione in tale cartella?",
+ "DirDoesntExistTitle": "Cartella non esistente",
+ "DirDoesntExist": "La cartella:%n%n%1%n%nnon esiste. Crearla?",
+ "WizardSelectComponents": "Seleziona componenti",
+ "SelectComponentsDesc": "Specificare i componenti da installare.",
+ "SelectComponentsLabel2": "Selezionare i componenti da installare e deselezionare quelli da non installare. Quando si è pronti, fare clic su Avanti.",
+ "FullInstallation": "Installazione completa",
+ "CompactInstallation": "Installazione compatta",
+ "CustomInstallation": "Installazione personalizzata",
+ "NoUninstallWarningTitle": "Componenti esistenti",
+ "NoUninstallWarning": "Il programma di installazione ha rilevato che i componenti seguenti sono già installati nel computer:%n%n%1%n%nLa deselezione di questi componenti non ne implica la disinstallazione.%n%nContinuare comunque?",
+ "ComponentSize1": "%1 KB",
+ "ComponentSize2": "%1 MB",
+ "ComponentsDiskSpaceMBLabel": "Con la selezione corrente sono necessari almeno [mb] MB di spazio su disco.",
+ "WizardSelectTasks": "Seleziona attività aggiuntive",
+ "SelectTasksDesc": "Indicare le eventuali attività aggiuntive da eseguire.",
+ "SelectTasksLabel2": "Selezionare le attività aggiuntive da eseguire durante l'installazione di [name], quindi fare clic su Avanti.",
+ "WizardSelectProgramGroup": "Seleziona cartella del menu Start",
+ "SelectStartMenuFolderDesc": "Specificare la cartella in cui inserire i collegamenti del programma.",
+ "SelectStartMenuFolderLabel3": "Il programma di installazione creerà i collegamenti del programma nella cartella del menu Start seguente.",
+ "SelectStartMenuFolderBrowseLabel": "Per continuare, fare clic su Avanti. Per selezionare una cartella diversa, fare clic su Sfoglia.",
+ "MustEnterGroupName": "Specificare un nome di cartella.",
+ "GroupNameTooLong": "Il nome o il percorso della cartella è troppo lungo.",
+ "InvalidGroupName": "Il nome della cartella non è valido.",
+ "BadGroupName": "Il nome di cartella non può includere nessuno dei caratteri seguenti:%n%n%1",
+ "NoProgramGroupCheck2": "&Non creare la cartella del menu Start",
+ "WizardReady": "Pronto per l'installazione",
+ "ReadyLabel1": "Il programma di installazione è pronto per avviare l'installazione di [name] nel computer.",
+ "ReadyLabel2a": "Fare clic su Installa per continuare con l'installazione oppure su Indietro per rivedere o modificare le impostazioni.",
+ "ReadyLabel2b": "Fare clic su Installa per continuare con l'installazione.",
+ "ReadyMemoUserInfo": "Informazioni utente:",
+ "ReadyMemoDir": "Percorso di destinazione:",
+ "ReadyMemoType": "Tipo di installazione:",
+ "ReadyMemoComponents": "Componenti selezionati:",
+ "ReadyMemoGroup": "Cartella del menu Start:",
+ "ReadyMemoTasks": "Attività aggiuntive:",
+ "WizardPreparing": "Preparazione dell'installazione",
+ "PreparingDesc": "Il programma di installazione sta preparando l'installazione di [name] nel computer.",
+ "PreviousInstallNotCompleted": "L'installazione e/o la rimozione di un programma precedente non è stata completata. Per completarla, è necessario riavviare il computer.%n%nDopo il riavvio del computer, eseguire di nuovo il programma di installazione per completare l'installazione di [name].",
+ "CannotContinue": "L'installazione non può continuare. Fare clic su Annulla per uscire.",
+ "ApplicationsFound": "Le applicazioni seguenti usano file che devono essere aggiornati dal programma di installazione. È consigliabile consentire al programma di installazione di chiudere automaticamente le applicazioni.",
+ "ApplicationsFound2": "Le applicazioni seguenti usano file che devono essere aggiornati dal programma di installazione. È consigliabile consentire al programma di installazione di chiudere automaticamente le applicazioni. Al termine dell'installazione, il programma di installazione proverà a riavviarle.",
+ "CloseApplications": "&Chiudi automaticamente le applicazioni",
+ "DontCloseApplications": "&Non chiudere le applicazioni",
+ "ErrorCloseApplications": "Il programma di installazione non è riuscito a chiudere automaticamente tutte le applicazioni. Prima di continuare, è consigliabile chiudere tutte le applicazioni che usano i file da aggiornare.",
+ "WizardInstalling": "Installazione",
+ "InstallingLabel": "Attendere. [name] verrà installato nel computer.",
+ "FinishedHeadingLabel": "Completamento dell'Installazione guidata di [name]",
+ "FinishedLabelNoIcons": "Il programma di installazione ha completato l'installazione di [name] nel computer.",
+ "FinishedLabel": "L'installazione di [name] nel computer è stata completata. Per avviare l'applicazione, selezionare le icone installate.",
+ "ClickFinish": "Per uscire dal programma di installazione, scegliere Fine.",
+ "FinishedRestartLabel": "Per completare l'installazione di [name], il programma di installazione deve riavviare il computer. Riavviare ora?",
+ "FinishedRestartMessage": "Per completare l'installazione di [name], il programma di installazione deve riavviare il computer.%n%nRiavviare ora?",
+ "ShowReadmeCheck": "Sì, visualizza il file README",
+ "YesRadio": "&Sì, riavvia il computer ora",
+ "NoRadio": "&No, non riavviare",
+ "RunEntryExec": "Esegui %1",
+ "RunEntryShellExec": "Visualizza %1",
+ "ChangeDiskTitle": "Inserire il disco successivo",
+ "SelectDiskLabel2": "Inserire il disco %1 e fare clic su OK.%n%nSe i file nel disco si trovano in una cartella diversa da quella specificata di seguito, immettere il percorso corretto oppure fare clic su Sfoglia.",
+ "PathLabel": "&Percorso:",
+ "FileNotInDir2": "Il file \"%1\" non è stato trovato in \"%2\". Inserire il disco corretto o selezionare un'altra cartella.",
+ "SelectDirectoryLabel": "Specificare il percorso del disco successivo.",
+ "SetupAborted": "L'installazione non è stata completata.%n%nRisolvere il problema ed eseguire di nuovo il programma di installazione.",
+ "EntryAbortRetryIgnore": "Fare clic su Riprova per riprovare, su Ignora per procedere comunque oppure su Interrompi per annullare l'installazione.",
+ "StatusClosingApplications": "Chiusura delle applicazioni...",
+ "StatusCreateDirs": "Creazione delle directory...",
+ "StatusExtractFiles": "Estrazione dei file...",
+ "StatusCreateIcons": "Creazione dei collegamenti...",
+ "StatusCreateIniEntries": "Creazione delle voci INI...",
+ "StatusCreateRegistryEntries": "Creazione delle voci del Registro di sistema...",
+ "StatusRegisterFiles": "Registrazione dei file...",
+ "StatusSavingUninstall": "Salvataggio delle informazioni per la disinstallazione...",
+ "StatusRunProgram": "Completamento dell'installazione...",
+ "StatusRestartingApplications": "Riavvio delle applicazioni...",
+ "StatusRollback": "Roll back delle modifiche...",
+ "ErrorInternal2": "Errore interno: %1",
+ "ErrorFunctionFailedNoCode": "%1 non riuscito",
+ "ErrorFunctionFailed": "%1 non riuscito. Codice: %2",
+ "ErrorFunctionFailedWithMessage": "%1 non riuscito. Codice %2.%n%3",
+ "ErrorExecutingProgram": "Non è possibile eseguire il file:%n%1",
+ "ErrorRegOpenKey": "Errore durante l'apertura della chiave del registro di sistema:%n%1\\%2",
+ "ErrorRegCreateKey": "Si è verificato un errore durante la creazione della chiave del Registro di sistema:%n%1\\%2",
+ "ErrorRegWriteKey": "Si è verificato un errore durante la scrittura nella chiave del Registro di sistema:%n%1\\%2",
+ "ErrorIniEntry": "Si è verificato un errore durante la creazione della voce INI nel file \"%1\".",
+ "FileAbortRetryIgnore": "Fare clic su Riprova per riprovare, su Ignora per ignorare questo file (scelta non consigliata) oppure su Interrompi per annullare l'installazione.",
+ "FileAbortRetryIgnore2": "Fare clic su Riprova per riprovare, su Ignora per procedere comunque (scelta non consigliata) oppure su Interrompi per annullare l'installazione.",
+ "SourceIsCorrupted": "Il file di origine è danneggiato",
+ "SourceDoesntExist": "Il file di origine \"%1\" non esiste",
+ "ExistingFileReadOnly": "Il file esistente è contrassegnato come di sola lettura.%n%nFare clic su Riprova per rimuovere l'attributo di sola lettura e riprovare, su Ignora per ignorare questo file e su Interrompi per annullare l'installazione.",
+ "ErrorReadingExistingDest": "Si è verificato un errore durante il tentativo di leggere il file esistente:",
+ "FileExists": "Il file esiste già.%n%nSovrascriverlo?",
+ "ExistingFileNewer": "Il file esistente è più recente di quello che il programma di installazione sta provando a installare. È consigliabile mantenere il file esistente.%n%nMantenere il file esistente?",
+ "ErrorChangingAttr": "Si è verificato un errore durante il tentativo di cambiare gli attributi del file esistente:",
+ "ErrorCreatingTemp": "Si è verificato un errore durante il tentativo di creare un file nella directory di destinazione:",
+ "ErrorReadingSource": "Si è verificato un errore durante il tentativo di leggere il file di origine:",
+ "ErrorCopying": "Si è verificato un errore durante il tentativo di copiare un file:",
+ "ErrorReplacingExistingFile": "Si è verificato un errore durante il tentativo di sostituire il file esistente:",
+ "ErrorRestartReplace": "RestartReplace non è riuscito:",
+ "ErrorRenamingTemp": "Si è verificato un errore durante il tentativo di rinominare un file nella directory di destinazione:",
+ "ErrorRegisterServer": "Non è possibile registrare il file DLL/OCX: %1",
+ "ErrorRegSvr32Failed": "RegSvr32 non è riuscito. Codice di uscita: %1",
+ "ErrorRegisterTypeLib": "Non è possibile registrare la libreria dei tipi: %1",
+ "ErrorOpeningReadme": "Si è verificato un errore durante il tentativo di aprire il file README.",
+ "ErrorRestartingComputer": "Il programma di installazione non è riuscito ad avviare il computer. Eseguire manualmente questa operazione.",
+ "UninstallNotFound": "Non è possibile disinstallare: il file \"%1\" non esiste.",
+ "UninstallOpenError": "Non è possibile disinstallare: il file \"%1\" non può essere aperto",
+ "UninstallUnsupportedVer": "Non è possibile disinstallare: il formato del file di log di disinstallazione \"%1\" non è riconosciuto in questa versione del programma di disinstallazione",
+ "UninstallUnknownEntry": "Nel log di disinstallazione è stata rilevata una voce sconosciuta (%1)",
+ "ConfirmUninstall": "Rimuovere completamente %1? Le estensioni e le impostazioni non verranno rimosse.",
+ "UninstallOnlyOnWin64": "Questa installazione può essere disinstallata solo in Windows a 64 bit.",
+ "OnlyAdminCanUninstall": "Questa installazione può essere disinstallata solo da un utente con privilegi amministrativi.",
+ "UninstallStatusLabel": "Attendere. %1 verrà rimosso dal computer.",
+ "UninstalledAll": "%1 è stato rimosso dal computer.",
+ "UninstalledMost": "La disinstallazione di %1 è stata completata.%n%nNon è stato possibile rimuovere alcuni elementi, che possono essere rimossi manualmente.",
+ "UninstalledAndNeedsRestart": "Per completare la disinstallazione di %1, è necessario riavviare il computer.%n%nRiavviare ora?",
+ "UninstallDataCorrupted": "Il file \"%1\" è danneggiato. Non è possibile disinstallare",
+ "ConfirmDeleteSharedFileTitle": "Rimuovere il file condiviso?",
+ "ConfirmDeleteSharedFile2": "Il sistema indica che il file condiviso seguente non viene più usato da nessun programma. Disinstallare per rimuovere questo file condiviso?%n%nSe questo file viene rimosso anche se è ancora usato in altri programmi, questi potrebbero non funzionare correttamente. Se non si è certi, scegliere No. La presenza del file nel sistema non causa alcun problema.",
+ "SharedFileNameLabel": "Nome file:",
+ "SharedFileLocationLabel": "Posizione:",
+ "WizardUninstalling": "Stato disinstallazione",
+ "StatusUninstalling": "Disinstallazione di %1...",
+ "ShutdownBlockReasonInstallingApp": "Installazione di %1.",
+ "ShutdownBlockReasonUninstallingApp": "Disinstallazione di %1.",
+ "NameAndVersion": "%1 versione %2",
+ "AdditionalIcons": "Icone aggiuntive:",
+ "CreateDesktopIcon": "Crea un'icona &desktop",
+ "CreateQuickLaunchIcon": "Crea un'icona &Avvio veloce",
+ "ProgramOnTheWeb": "%1 sul Web",
+ "UninstallProgram": "Disinstalla %1",
+ "LaunchProgram": "Avvia %1",
+ "AssocFileExtension": "&Associa %1 all'estensione di file %2",
+ "AssocingFileExtension": "Associazione di %1 all'estensione di file %2...",
+ "AutoStartProgramGroupDescription": "Avvio:",
+ "AutoStartProgram": "Avvia automaticamente %1",
+ "AddonHostProgramNotFound": "%1 non è stato trovato nella cartella selezionata.%n%nContinuare comunque?"
+ },
+ "win32/i18n/messages": {
+ "FinishedLabel": "Il programma di installazione ha completato l'installazione di [name] nel computer. Per avviare l'applicazione, è possibile selezionare i collegamenti installati.",
+ "ConfirmUninstall": "Rimuovere completamente %1 e tutti i relativi componenti?",
+ "AdditionalIcons": "Icone aggiuntive:",
+ "CreateDesktopIcon": "Crea un'icona &desktop",
+ "CreateQuickLaunchIcon": "Crea un'icona &Avvio veloce",
+ "AddContextMenuFiles": "Aggiungi azione \"Apri con %1\" al menu di scelta rapida file di Esplora risorse",
+ "AddContextMenuFolders": "Aggiungi azione \"Apri con %1\" al menu di scelta rapida directory di Esplora risorse",
+ "AssociateWithFiles": "Registra %1 come editor per i tipi di file supportati",
+ "AddToPath": "Aggiungi a PATH (richiede il riavvio della Shell)",
+ "RunAfter": "Esegui %1 dopo l'installazione",
+ "Other": "Altro:",
+ "SourceFile": "File di origine %1",
+ "OpenWithCodeContextMenu": "Apr&i con %1"
+ },
+ "vs/code/electron-main/main": {
+ "secondInstanceAdmin": "Una seconda istanza di {0} è già in esecuzione come amministratore.",
+ "secondInstanceAdminDetail": "Chiudere l'altra istanza e riprovare.",
+ "secondInstanceNoResponse": "Un'altra istanza di {0} è in esecuzione ma non risponde",
+ "secondInstanceNoResponseDetail": "Chiudere tutte le altre istanze e riprovare.",
+ "startupDataDirError": "Non è possibile scrivere i dati utente del programma.",
+ "startupUserDataAndExtensionsDirErrorDetail": "Assicurarsi che le directory seguenti siano scrivibili:\r\n\r\n{0}",
+ "close": "&&Chiudi"
+ },
+ "vs/code/node/cliProcessMain": {
+ "notFound": "L'estensione '{0}' non è stata trovata.",
+ "notInstalled": "L'estensione '{0}' non è installata.",
+ "useId": "Assicurarsi di usare l'ID estensione completo, incluso l'editore, ad esempio {0}",
+ "installingExtensions": "Installazione delle estensioni...",
+ "alreadyInstalled-checkAndUpdate": "L'estensione '{0}' v{1} è già installata. Usare l'opzione '--force' per eseguire l'aggiornamento alla versione più recente oppure specificare '@' per installare una versione specifica, ad esempio: '{2}@1.2.3'.",
+ "alreadyInstalled": "L'estensione '{0}' è già installata.",
+ "installation failed": "Non è stato possibile installare le estensioni: {0}",
+ "successVsixInstall": "L'estensione '{0}' è stata installata.",
+ "cancelVsixInstall": "Installazione dell'estensione '{0}' annullata.",
+ "updateMessage": "Aggiornamento dell'estensione '{0}' alla versione {1}",
+ "installing builtin ": "Installazione dell'estensione predefinita '{0}' versione {1}...",
+ "installing": "Installazione dell'estensione '{0}' versione {1}...",
+ "successInstall": "L'estensione '{0}' versione {1} è stata installata.",
+ "cancelInstall": "Installazione dell'estensione '{0}' annullata.",
+ "forceDowngrade": "È già installata una versione più recente dell'estensione '{0}' versione {1}. Usare l'opzione '--force' per eseguire il downgrade alla versione precedente.",
+ "builtin": "'{0}' è un'estensione predefinita e non può essere installata",
+ "forceUninstall": "'{0}' è contrassegnata come estensione predefinita dall'utente. Per disinstallarla, usare l'opzione '--force'.",
+ "uninstalling": "Disinstallazione di {0}...",
+ "successUninstall": "L'estensione '{0}' è stata disinstallata."
+ },
+ "vs/code/electron-sandbox/issue/issueReporterMain": {
+ "hide": "nascondi",
+ "show": "mostra",
+ "previewOnGitHub": "Anteprima in GitHub",
+ "loadingData": "Caricamento dei dati...",
+ "rateLimited": "Superato il limite di query GitHub. Attendere prego.",
+ "similarIssues": "Problemi simili",
+ "open": "Apri",
+ "closed": "Chiuso",
+ "noSimilarIssues": "Nessun problema simile trovato",
+ "bugReporter": "Report sui bug",
+ "featureRequest": "Richiesta di funzionalità",
+ "performanceIssue": "Problema di prestazioni",
+ "selectSource": "Selezionare l'origine",
+ "vscode": "Visual Studio Code",
+ "extension": "Un'estensione",
+ "unknown": "Sconosciuto",
+ "stepsToReproduce": "Passaggi da riprodurre",
+ "bugDescription": "Indicare i passaggi necessari per riprodurre il problema in modo affidabile. Includere i risultati effettivi e quelli previsti. È supportato il linguaggio Markdown per GitHub. Sarà possibile modificare il problema e aggiungere screenshot quando verrà visualizzato in anteprima in GitHub.",
+ "performanceIssueDesciption": "Quando si è verificato questo problema di prestazioni? All'avvio o dopo una serie specifiche di azioni? È supportato il linguaggio Markdown per GitHub. Sarà possibile modificare il problema e aggiungere screenshot quando verrà visualizzato in anteprima in GitHub.",
+ "description": "Descrizione",
+ "featureRequestDescription": "Descrivere la funzionalità desiderata. È supportato il linguaggio Markdown per GitHub. Sarà possibile modificare il problema e aggiungere screenshot quando verrà visualizzato in anteprima in GitHub.",
+ "pasteData": "I dati necessari sono stati scritti negli appunti perché erano eccessivi per l'invio. Incollarli.",
+ "disabledExtensions": "Le estensioni sono disabilitate",
+ "noCurrentExperiments": "Non sono presenti esperimenti correnti."
+ },
+ "vs/code/electron-sandbox/processExplorer/processExplorerMain": {
+ "cpu": "% CPU",
+ "memory": "Memoria (MB)",
+ "pid": "PID",
+ "name": "Nome",
+ "killProcess": "Termina processo",
+ "forceKillProcess": "Forza terminazione del processo",
+ "copy": "Copia",
+ "copyAll": "Copia tutto",
+ "debug": "Esegui debug"
+ },
+ "vs/code/electron-main/app": {
+ "trace.message": "L'analisi è stata creata.",
+ "trace.detail": "Creare un problema e allegare manualmente il file seguente:\r\n{0}",
+ "trace.ok": "OK",
+ "open": "&&Sì",
+ "cancel": "&&No",
+ "confirmOpenMessage": "Un'applicazione esterna vuole aprire '{0}' in {1}. Aprire il file o la cartella?",
+ "confirmOpenDetail": "Se questa richiesta non è stata avviata, potrebbe rappresentare un tentativo di attacco nel sistema. Se non è stata intrapresa un'azione esplicita per avviare questa richiesta, è consigliabile fare clic su 'No'"
+ },
+ "vs/code/electron-sandbox/issue/issueReporterPage": {
+ "completeInEnglish": "Completare il modulo in lingua inglese.",
+ "issueTypeLabel": "Questo è un",
+ "issueSourceLabel": "File in",
+ "issueSourceEmptyValidation": "L'origine del problema è obbligatoria.",
+ "disableExtensionsLabelText": "Provare a riprodurre il problema dopo {0}. Se il problema si verifica solo quando le estensioni sono attive, è probabilmente un problema legato ad un'estensione.",
+ "disableExtensions": "disabilitando tutte le estensioni e ricaricando la finestra",
+ "chooseExtension": "Estensione",
+ "extensionWithNonstandardBugsUrl": "Lo strumento di segnalazione problemi non riesce a creare problemi per questa estensione. Per segnalare un problema, visitare {0}.",
+ "extensionWithNoBugsUrl": "Lo strumento di segnalazione problemi non riesce a creare problemi per questa estensione, perché non specifica un URL per la segnalazione dei problemi. Vedere la pagina relativa a questa estensione nel marketplace per verificare se sono disponibili altre istruzioni.",
+ "issueTitleLabel": "Titolo",
+ "issueTitleRequired": "Immettere un titolo.",
+ "titleEmptyValidation": "Il titolo è obbligatorio.",
+ "titleLengthValidation": "Il titolo è troppo lungo.",
+ "details": "Immettere i dettagli.",
+ "descriptionEmptyValidation": "La descrizione è obbligatoria.",
+ "sendSystemInfo": "Includi informazioni sul sistema ({0})",
+ "show": "mostra",
+ "sendProcessInfo": "Includi i processi attualmente in esecuzione ({0})",
+ "sendWorkspaceInfo": "Includi i metadati dell'area di lavoro ({0})",
+ "sendExtensions": "Includi le estensioni abilitate ({0})",
+ "sendExperiments": "Includi informazioni sull'esperimento A/B ({0})"
+ },
+ "vs/code/electron-main/auth": {
+ "authRequire": "Autenticazione proxy necessaria",
+ "proxyauth": "Il proxy {0} richiede l'autenticazione."
+ },
+ "vs/code/electron-main/window": {
+ "reopen": "&&Riapri",
+ "wait": "&&Continua ad attendere",
+ "close": "&&Chiudi",
+ "appStalled": "La finestra non risponde",
+ "appStalledDetail": "È possibile riaprire la finestra, chiuderla oppure attendere.",
+ "appCrashedDetails": "Si è verificato un arresto anomalo della finestra (motivo: '{0}')",
+ "appCrashed": "Si è verificato un arresto anomalo della finestra",
+ "appCrashedDetail": "Ci scusiamo per l'inconveniente. Per riprendere dal punto in cui si è verificata l'interruzione, riaprire la finestra.",
+ "hiddenMenuBar": "È comunque possibile accedere alla barra dei menu premendo ALT."
+ },
+ "vs/workbench/electron-browser/actions/developerActions": {
+ "toggleSharedProcess": "Attiva/Disattiva processo condiviso"
+ },
+ "vs/workbench/electron-sandbox/desktop.contribution": {
+ "newTab": "Nuova scheda della finestra",
+ "showPreviousTab": "Visualizza scheda della finestra precedente",
+ "showNextWindowTab": "Visualizza scheda della finestra successiva",
+ "moveWindowTabToNewWindow": "Sposta scheda della finestra in una nuova finestra",
+ "mergeAllWindowTabs": "Unisci tutte le finestre",
+ "toggleWindowTabsBar": "Attiva/Disattiva barra delle schede delle finestre",
+ "preferences": "Preferenze",
+ "miCloseWindow": "Chiudi &&finestra",
+ "miExit": "E&&sci",
+ "miZoomIn": "&&Zoom avanti",
+ "miZoomOut": "&&Zoom indietro",
+ "miZoomReset": "&&Reimposta zoom",
+ "miReportIssue": "&&Segnala problema",
+ "miToggleDevTools": "&&Attiva/Disattiva strumenti di sviluppo",
+ "miOpenProcessExplorerer": "Apri &&Process Explorer",
+ "windowConfigurationTitle": "Finestra",
+ "window.openWithoutArgumentsInNewWindow.on": "Apre una nuova finestra vuota.",
+ "window.openWithoutArgumentsInNewWindow.off": "Imposta lo stato attivo sull'ultima istanza in esecuzione attiva.",
+ "openWithoutArgumentsInNewWindow": "Controlla se deve essere aperta una nuova finestra vuota quando si avvia una seconda istanza senza argomenti o se è necessario impostare lo stato attivo sull'ultima istanza in esecuzione.\r\nTenere presente che in alcuni casi questa impostazione viene ignorata, ad esempio quando si usa l'opzione della riga di comando `--new-window` o `--reuse-window`.",
+ "window.reopenFolders.preserve": "Riapri sempre tutte le finestre. Se si apre una cartella o un'area di lavoro (ad esempio dalla riga di comando), viene aperta come una nuova finestra a meno che non sia stata aperta in precedenza. I file vengono aperti in una delle finestre ripristinate.",
+ "window.reopenFolders.all": "Riapri tutte le finestre a meno che non venga aperta una cartella, un'area di lavoro o un file (ad esempio dalla riga di comando).",
+ "window.reopenFolders.folders": "Riapri tutte le finestre con cartelle o aree di lavoro aperte a meno che non venga aperta una cartella, un'area di lavoro o un file (ad esempio dalla riga di comando).",
+ "window.reopenFolders.one": "Riapri l'ultima finestra attiva a meno che non venga aperta una cartella, un'area di lavoro o un file (ad esempio dalla riga di comando).",
+ "window.reopenFolders.none": "Non riaprire mai una finestra. A meno che non venga aperta una cartella o un'area di lavoro (ad esempio dalla riga di comando), viene visualizzata una finestra vuota.",
+ "restoreWindows": "Controlla la modalità di riapertura delle finestre dopo il primo avvio. Questa impostazione non ha alcun effetto quando l'applicazione è già in esecuzione.",
+ "restoreFullscreen": "Controlla se una finestra deve essere ripristinata a schermo intero se è stata chiusa in questa modalità.",
+ "zoomLevel": "Consente di modificare il livello di zoom della finestra. Il valore originale è 0 e ogni incremento superiore (ad esempio 1) o inferiore (ad esempio -1) rappresenta un aumento o una diminuzione del 20% della percentuale di zoom. È anche possibile immettere valori decimali per modificare il livello di zoom con maggiore granularità.",
+ "window.newWindowDimensions.default": "Apre nuove finestre al centro della schermata.",
+ "window.newWindowDimensions.inherit": "Apre nuove finestre le cui dimensioni sono uguali a quelle dell'ultima finestra attiva.",
+ "window.newWindowDimensions.offset": "Apre nuove finestre le cui dimensioni sono uguali a quelle dell'ultima finestra attiva con una posizione di offset.",
+ "window.newWindowDimensions.maximized": "Apre nuove finestre ingrandite a schermo intero.",
+ "window.newWindowDimensions.fullscreen": "Apre nuove finestre nella modalità a schermo intero.",
+ "newWindowDimensions": "Controlla le dimensioni relative all'apertura di una nuova finestra quando almeno un'altra finestra è già aperta. Si noti che questa impostazione non influisce sulla prima finestra aperta. La prima finestra si riaprirà sempre con le dimensioni e la posizione che aveva prima della chiusura.",
+ "closeWhenEmpty": "Controlla se con la chiusura dell'ultimo editor deve essere chiusa anche la finestra. Questa impostazione viene applicata solo alle finestre che non contengono cartelle.",
+ "window.doubleClickIconToClose": "Se è abilitata, quando si fa doppio clic sull'icona dell'applicazione nella barra del titolo la finestra viene chiusa e non è possibile trascinarla dall'icona. Questa impostazione ha effetto solo quando `#window.titleBarStyle#` è impostato su `custom`.",
+ "titleBarStyle": "Regola l'aspetto della barra del titolo della finestra. In Linux e Windows questa impostazione influisce anche sull'aspetto dell'applicazione e dei menu di scelta rapida. Per applicare le modifiche, è necessario un riavvio completo.",
+ "dialogStyle": "Consente di modificare l'aspetto delle finestre di dialogo.",
+ "window.nativeTabs": "Abilita le finestre di tab per macOS Sierra. La modifica richiede un riavvio. Eventuali personalizzazioni della barra del titolo verranno disabilitate",
+ "window.nativeFullScreen": "Controlla se usare la modalità a schermo intero nativa in macOS. Disabilitare questa opzione per impedire a macOS di creare un nuovo spazio quando si passa alla modalità a schermo intero.",
+ "window.clickThroughInactive": "Se è abilitata, facendo clic su una finestra inattiva si attiverà non solo la finestra, ma anche l'elemento su cui è posizionato il puntatore del mouse se è selezionabile. Se è disabilitata, facendo clic in un punto qualsiasi in una finestra inattiva verrà attivata solo la finestra e sarà necessario fare di nuovo clic sull'elemento.",
+ "window.enableExperimentalProxyLoginDialog": "Abilita una nuova finestra di dialogo di accesso per l'autenticazione proxy. È necessario riavviare per rendere effettiva questa impostazione.",
+ "telemetryConfigurationTitle": "Telemetria",
+ "telemetry.enableCrashReporting": "Consente l'invio di segnalazioni di arresto anomalo del sistema a un servizio online Microsoft. \r\nPer rendere effettiva questa opzione, è necessario riavviare.",
+ "keyboardConfigurationTitle": "Tastiera",
+ "touchbar.enabled": "Abilita i pulsanti della Touch Bar di macOS sulla tastiera se disponibili.",
+ "touchbar.ignored": "Set di identificatori per le voci della Touch Bar che non dovrebbero essere visualizzati, ad esempio `workbench.action.navigateBack`.",
+ "argv.locale": "Lingua di visualizzazione da usare. Per selezionare una lingua diversa, è necessario installare il Language Pack associato.",
+ "argv.disableHardwareAcceleration": "Disabilita l'accelerazione hardware. Modificare questa opzione SOLO in caso di problemi di grafica.",
+ "argv.disableColorCorrectRendering": "Risolve i problemi relativi alla selezione del profilo colore. Modificare questa opzione SOLO in caso di problemi di grafica.",
+ "argv.forceColorProfile": "Consente di eseguire l'override del profilo colori da usare. Se i colori non vengono visualizzati correttamente, provare a impostare questo valore su `srgb` e riavviare.",
+ "argv.enableCrashReporter": "Consente di disabilitare la segnalazione degli arresti anomali del sistema. Se si modifica il valore, è necessario riavviare l'app.",
+ "argv.crashReporterId": "ID univoco usato per correlare i report di arresto anomalo del sistema inviati da questa istanza dell'app.",
+ "argv.enebleProposedApi": "Abilita le API proposte per un elenco di ID estensione, ad esempio `vscode.git`. Le API proposte sono instabili e soggette a interruzione senza preavviso in qualsiasi momento. Questa impostazione deve essere impostata solo per lo sviluppo e il test di estensioni.",
+ "argv.force-renderer-accessibility": "Forza il renderer ad essere accessibile. Modificarlo SOLO se si usa un'utilità per la lettura dello schermo in Linux. Su altre piattaforme il renderer sarà accessibile automaticamente. Questo flag viene impostato automaticamente se editor.accessibilitySupport è impostato su on."
+ },
+ "vs/workbench/common/actions": {
+ "view": "Visualizza",
+ "help": "Guida",
+ "developer": "Sviluppatore"
+ },
+ "vs/workbench/browser/workbench": {
+ "loaderErrorNative": "Non è stato possibile caricare un file obbligatorio. Riavviare l'applicazione e riprovare. Dettagli: {0}"
+ },
+ "vs/workbench/electron-sandbox/window": {
+ "learnMode": "Altre informazioni",
+ "shellEnvSlowWarning": "La risoluzione dell'ambiente shell richiede molto tempo. Controllare la configurazione della shell.",
+ "shellEnvTimeoutError": "Non è possibile risolvere l'ambiente della shell in un tempo ragionevole. Verificare la configurazione della shell.",
+ "proxyAuthRequired": "Autenticazione proxy obbligatoria",
+ "loginButton": "A&&ccedi",
+ "cancelButton": "&&Annulla",
+ "username": "Nome utente",
+ "password": "Password",
+ "proxyDetail": "Il proxy {0} richiede un nome utente e una password.",
+ "rememberCredentials": "Memorizza le credenziali",
+ "runningAsRoot": "Non è consigliabile eseguire {0} come utente root.",
+ "mPreferences": "Preferenze"
+ },
+ "vs/workbench/common/theme": {
+ "tabActiveBackground": "Colore di sfondo delle schede attive. Le schede sono i contenitori degli editor nell'area degli editor. È possibile aprire più schede in un gruppo di editor e possono esistere più gruppi di editor.",
+ "tabUnfocusedActiveBackground": "Colore di sfondo delle schede attive in un gruppo con stato non attivo. Le schede sono i contenitori degli editor nell'area degli editor. È possibile aprire più schede in un gruppo di editor e possono esistere più gruppi di editor.",
+ "tabInactiveBackground": "Colore di sfondo delle schede inattive. Le schede sono i contenitori degli editor nell'area degli editor. È possibile aprire più schede in un gruppo di editor e possono esistere più gruppi di editor.",
+ "tabUnfocusedInactiveBackground": "Colore di sfondo delle schede inattive in un gruppo con stato non attivo. Le schede sono i contenitori degli editor nell'area degli editor. È possibile aprire più schede in un gruppo di editor e possono esistere più gruppi di editor.",
+ "tabActiveForeground": "Colore di primo piano delle schede attive in un gruppo attivo. Le schede sono i contenitori degli editor nell'area degli editor. È possibile aprire più schede in un gruppo di editor e possono esistere più gruppi di editor.",
+ "tabInactiveForeground": "Colore di primo piano delle schede inattive in un gruppo attivo. Le schede sono i contenitori degli editor nell'area degli editor. È possibile aprire più schede in un gruppo di editor e possono esistere più gruppi di editor.",
+ "tabUnfocusedActiveForeground": "Colore primo piano delle schede attive in un gruppo con stato non attivo. Le schede sono i contenitori degli editor nell'area degli editor. È possibile aprire più schede in un gruppo di editor e possono esistere più gruppi di editor.",
+ "tabUnfocusedInactiveForeground": "Colore primo piano delle schede inattiva in un gruppo con stato non attivo. Le schede sono i contenitori degli editor nell'area degli editor. È possibile aprire più schede in un gruppo di editor e possono esistere più gruppi di editor.",
+ "tabHoverBackground": "Colore di sfondo al passaggio del mouse sulle schede. Le schede sono i contenitori degli editor nell'area degli editor. È possibile aprire più schede in un gruppo di editor e possono esistere più gruppi di editor.",
+ "tabUnfocusedHoverBackground": "Colore di sfondo al passaggio del mouse sulle schede in un gruppo non attivo. Le schede sono i contenitori degli editor nell'area degli editor. È possibile aprire più schede in un gruppo di editor e possono esistere più gruppi di editor.",
+ "tabHoverForeground": "Colore primo piano delle schede al passaggio del mouse. Le schede sono i contenitori degli editor nell'area degli editor. È possibile aprire più schede in un gruppo di editor e possono esistere più gruppi di editor.",
+ "tabUnfocusedHoverForeground": "Colore primo piano delle schede al passaggio del mouse in un gruppo non attivo. Le schede sono i contenitori degli editor nell'area degli editor. È possibile aprire più schede in un gruppo di editor e possono esistere più gruppi di editor.",
+ "tabBorder": "Bordo per separare le schede l'una dall'altra. Le schede sono i contenitori degli editor nell'area degli editor. È possibile aprire più schede in un gruppo di editor e possono esistere più gruppi di editor.",
+ "lastPinnedTabBorder": "Bordo per separare le schede aggiunte da altre schede. Le schede sono i contenitori degli editor nell'area degli editor. È possibile aprire più schede in un gruppo di editor e possono esistere più gruppi di editor.",
+ "tabActiveBorder": "Bordo nella parte inferiore di una scheda attiva. Le schede sono i contenitori degli editor nell'area degli editor. È possibile aprire più schede in un gruppo di editor e possono esistere più gruppi di editor.",
+ "tabActiveUnfocusedBorder": "Bordo nella parte inferiore di una scheda attiva in un gruppo con stato non attivo. Le schede sono i contenitori degli editor nell'area degli editor. È possibile aprire più schede in un gruppo di editor e possono esistere più gruppi di editor.",
+ "tabActiveBorderTop": "Bordo nella parte superiore di una scheda attiva. Le schede sono i contenitori degli editor nell'area degli editor. È possibile aprire più schede in un gruppo di editor e possono esistere più gruppi di editor.",
+ "tabActiveUnfocusedBorderTop": "Bordo nella parte superiore di una scheda attiva in un gruppo con stato non attivo. Le schede sono i contenitori degli editor nell'area degli editor. È possibile aprire più schede in un gruppo di editor e possono esistere più gruppi di editor.",
+ "tabHoverBorder": "Bordo da utilizzare per evidenziare la scheda al passaggio del mouse. Le schede sono i contenitori degli editor nell'area degli editor. È possibile aprire più schede in un gruppo di editor e possono esistere più gruppi di editor.",
+ "tabUnfocusedHoverBorder": "Bordo da utilizzare per evidenziare la scheda non attiva al passaggio del mouse. Le schede sono i contenitori degli editor nell'area degli editor. È possibile aprire più schede in un gruppo di editor e possono esistere più gruppi di editor.",
+ "tabActiveModifiedBorder": "Bordo nella parte superiore delle schede modificate (ma non salvate) attive in un gruppo attivo. Le schede sono i contenitori degli editor nell'area degli editor. È possibile aprire più schede in un gruppo di editor e possono esistere più gruppi di editor.",
+ "tabInactiveModifiedBorder": "Bordo nella parte superiore delle schede modificate (ma non salvate) inattive in un gruppo attivo. Le schede sono i contenitori degli editor nell'area degli editor. È possibile aprire più schede in un gruppo di editor e possono esistere più gruppi di editor.",
+ "unfocusedActiveModifiedBorder": "Bordo nella parte superiore delle schede modificate (ma non salvate) attive in un gruppo con stato non attivo. Le schede sono i contenitori degli editor nell'area degli editor. È possibile aprire più schede in un gruppo di editor e possono esistere più gruppi di editor.",
+ "unfocusedINactiveModifiedBorder": "Bordo nella parte superiore delle schede modificate (ma non salvate) inattive in un gruppo con stato non attivo. Le schede sono i contenitori degli editor nell'area degli editor. È possibile aprire più schede in un gruppo di editor e possono esistere più gruppi di editor.",
+ "editorPaneBackground": "Colore di sfondo del riquadro degli editor visibile a sinistra e a destra del layout editor centrato.",
+ "editorGroupBackground": "Colore di sfondo deprecato di un gruppo di editor.",
+ "deprecatedEditorGroupBackground": "Deprecato: in seguito all'introduzione del layout dell'editor griglia, il colore di sfondo di un gruppo di editor non è più supportato. È possibile usare editorGroup.emptyBackground per impostare il colore di sfondo di gruppi di editor vuoti.",
+ "editorGroupEmptyBackground": "Colore di sfondo di un gruppo di editor vuoto. I gruppi di editor sono contenitori di editor.",
+ "editorGroupFocusedEmptyBorder": "Colore del bordo di un gruppo di editor vuoto con stato attivo. I gruppi di editor sono contenitori di editor.",
+ "tabsContainerBackground": "Colore di sfondo dell'intestazione del titolo di gruppo di editor, quando le schede sono abilitate. I gruppi di editor sono i contenitori degli editor.",
+ "tabsContainerBorder": "Colore del bordo dell'intestazione del titolo di gruppo di editor, quando le schede sono abilitate. I gruppi di editor sono i contenitori degli editor.",
+ "editorGroupHeaderBackground": "Colore di sfondo dell'intestazione del titolo dell'editor quando le schede sono disabilitate (`\"workbench.editor.showTabs\": false`). I gruppi di editor sono contenitori di editor.",
+ "editorTitleContainerBorder": "Colore del bordo dell'intestazione del titolo di gruppo di editor. I gruppi di editor sono i contenitori degli editor.",
+ "editorGroupBorder": "Colore per separare più gruppi di editor l'uno dall'altro. I gruppi di editor sono i contenitori degli editor.",
+ "editorDragAndDropBackground": "Colore di sfondo quando si trascinano gli editor. Il colore dovrebbe avere una trasparenza impostata in modo che il contenuto dell'editor sia ancora visibile.",
+ "imagePreviewBorder": "Colore del bordo per l'immagine nell'anteprima immagine.",
+ "panelBackground": "Colore di sfondo dei pannelli. I pannelli sono visualizzati sotto l'area degli editor e contengono visualizzazioni quali quella di output e del terminale integrato.",
+ "panelBorder": "Colore del bordo dei pannelli per separarli dall'editor. I pannelli sono visualizzati sotto l'area dell'editor e contengono viste quali quella di output e del terminale integrato.",
+ "panelActiveTitleForeground": "Colore del titolo del pannello attivo. I pannelli sono visualizzati sotto l'area degli editor e contengono visualizzazioni quali quella di output e quella del terminale integrato.",
+ "panelInactiveTitleForeground": "Colore del titolo del pannello inattivo. I pannelli sono visualizzati sotto l'area degli editor e contengono visualizzazioni quali quella di output e quella del terminale integrato.",
+ "panelActiveTitleBorder": "Colore del bordo per il titolo del pannello attivo. I pannelli sono visualizzati sotto l'area degli editor e contengono visualizzazioni quali quella di output e quella del terminale integrato.",
+ "panelInputBorder": "Bordo della casella di input per gli input nel pannello.",
+ "panelDragAndDropBorder": "Colore di feedback trascinamento della selezione per i titoli dei pannelli. I pannelli sono visualizzati sotto l'area degli editor e contengono visualizzazioni quali quella di output e quella del terminale integrato.",
+ "panelSectionDragAndDropBackground": "Colore di feedback trascinamento della selezione per le sezioni dei pannelli. Il colore dovrebbe avere una trasparenza impostata in modo che le sezioni dei pannelli siano ancora visibili. I pannelli vengono visualizzati sotto l'area dell'editor e contengono visualizzazioni come quella di output e del terminale integrato. Le sezioni dei pannelli sono visualizzazioni annidate nei pannelli.",
+ "panelSectionHeaderBackground": "Colore di sfondo dell'intestazione delle sezioni dei pannelli. I pannelli sono visualizzati sotto l'area degli editor e contengono visualizzazioni quali quella di output e del terminale integrato. Le sezioni dei pannelli sono visualizzazioni annidate nei pannelli.",
+ "panelSectionHeaderForeground": "Colore primo piano dell'intestazione delle sezioni dei pannelli. I pannelli sono visualizzati sotto l'area degli editor e contengono visualizzazioni quali quella di output e del terminale integrato. Le sezioni dei pannelli sono visualizzazioni annidate nei pannelli.",
+ "panelSectionHeaderBorder": "Colore del bordo dell'intestazione delle sezioni dei pannelli usato quando più visualizzazioni sono distribuite con spaziatura verticale nel pannello. I pannelli sono visualizzati sotto l'area degli editor e contengono visualizzazioni quali quella di output e del terminale integrato. Le sezioni dei pannelli sono visualizzazioni annidate nei pannelli.",
+ "panelSectionBorder": "Colore del bordo delle sezioni dei pannelli usato quando più visualizzazioni sono distribuite con spaziatura orizzontalmente nel pannello. I pannelli sono visualizzati sotto l'area degli editor e contengono visualizzazioni quali quella di output e del terminale integrato. Le sezioni dei pannelli sono visualizzazioni annidate nei pannelli.",
+ "statusBarForeground": "Colore primo piano quando viene aperta un'area di lavoro. La barra di stato è visualizzata nella parte inferiore della finestra.",
+ "statusBarNoFolderForeground": "Colore primo piano quando non ci sono cartelle aperte. La barra di stato è visualizzata nella parte inferiore della finestra.",
+ "statusBarBackground": "Colore di sfondo della barra di stato quando viene aperta un'area di lavoro. La barra di stato è visualizzata nella parte inferiore della finestra.",
+ "statusBarNoFolderBackground": "Colore di sfondo della barra di stato quando non ci sono cartelle aperte. La barra di stato è visualizzata nella parte inferiore della finestra.",
+ "statusBarBorder": "Colore del bordo della barra di stato che la separa dalla sidebar e dall'editor. La barra di stato è visualizzata nella parte inferiore della finestra.",
+ "statusBarNoFolderBorder": "Colore del bordo della barra di stato che la separa dalla barra laterale e dall'editor quando non ci sono cartelle aperte. La barra di stato è visualizzata nella parte inferiore della finestra.",
+ "statusBarItemActiveBackground": "Colore di sfondo degli elementi della barra di stato quando si fa clic. La barra di stato è visualizzata nella parte inferiore della finestra.",
+ "statusBarItemHoverBackground": "Colore di sfondo degli elementi della barra di stato al passaggio del mouse. La barra di stato è visualizzata nella parte inferiore della finestra.",
+ "statusBarProminentItemForeground": "Colore primo piano degli elementi rilevanti della barra di stato. Gli elementi rilevanti spiccano rispetto ad altre voci della barra di stato. Per vedere un esempio, cambiare la modalità `Attiva/Disattiva l'uso di TAB per spostare lo stato attivo` nel riquadro comandi. La barra di stato è visualizzata nella parte inferiore della finestra.",
+ "statusBarProminentItemBackground": "Colore di sfondo degli elementi rilevanti della barra di stato. Gli elementi rilevanti spiccano rispetto ad altre voci della barra di stato. Per vedere un esempio, cambiare la modalità `Toggle Tab Key Moves Focus` nella barra dei comandi. La barra di stato è visualizzata nella parte inferiore della finestra.",
+ "statusBarProminentItemHoverBackground": "Colore di sfondo degli elementi rilevanti della barra di stato al passaggio del mouse. Gli elementi rilevanti spiccano rispetto ad altre voci della barra di stato. Per vedere un esempio, cambiare la modalità `Toggle Tab Key Moves Focus` nella barra dei comandi. La barra di stato è visualizzata nella parte inferiore della finestra.",
+ "statusBarErrorItemBackground": "Colore di sfondo degli elementi di errore della barra di stato. Gli elementi di errore spiccano rispetto ad altre voci della barra di stato per indicare condizioni di errore. La barra di stato è visualizzata nella parte inferiore della finestra.",
+ "statusBarErrorItemForeground": "Colore primo piano degli elementi di errore della barra di stato. Gli elementi di errore spiccano rispetto ad altre voci della barra di stato per indicare condizioni di errore. La barra di stato è visualizzata nella parte inferiore della finestra.",
+ "activityBarBackground": "Colore di sfondo della barra attività. La barra attività viene visualizzata nella parte inferiore sinistra/destra e consente il passaggio tra diverse visualizzazioni della barra laterale",
+ "activityBarForeground": "Colore primo piano dell'elemento della barra attività quando è attivo. La barra attività viene visualizzata all'estrema sinistra o all'estrema destra e consente di spostarsi tra le visualizzazioni della barra laterale.",
+ "activityBarInActiveForeground": "Colore primo piano dell'elemento della barra attività quando è inattivo. La barra attività viene visualizzata all'estrema sinistra o all'estrema destra e consente di spostarsi tra le visualizzazioni della barra laterale.",
+ "activityBarBorder": "Colore del bordo della barra attività che la separa dalla barra laterale. La barra di attività viene mostrata all'estrema sinistra o destra e permette di alternare le visualizzazioni della barra laterale.",
+ "activityBarActiveBorder": "Colore del bordo della barra attività per l'elemento attivo. La barra attività viene visualizzata all'estrema sinistra o all'estrema destra e consente di spostarsi tra le visualizzazioni della barra laterale.",
+ "activityBarActiveFocusBorder": "Colore del bordo dello stato attivo della barra attività per l'elemento attivo. La barra attività viene visualizzata all'estrema sinistra o all'estrema destra e consente di spostarsi tra le visualizzazioni della barra laterale.",
+ "activityBarActiveBackground": "Colore di sfondo della barra attività per l'elemento attivo. La barra attività viene visualizzata all'estrema sinistra o all'estrema destra e consente di spostarsi tra le visualizzazioni della barra laterale.",
+ "activityBarDragAndDropBorder": "Colore di feedback trascinamento della selezione per gli elementi della barra attività. La barra attività viene visualizzata all'estrema sinistra o all'estrema destra e consente di spostarsi tra le visualizzazioni della barra laterale.",
+ "activityBarBadgeBackground": "Colore di sfondo della notifica utente dell'attività. La barra attività viene visualizzata all'estrema sinistra o all'estrema destra e consente di spostarsi tra le visualizzazioni della barra laterale.",
+ "activityBarBadgeForeground": "Colore primo piano della notifica utente dell'attività. La barra attività viene visualizzata all'estrema sinistra o all'estrema destra e consente di spostarsi tra le visualizzazioni della barra laterale.",
+ "statusBarItemHostBackground": "Colore di sfondo per l'indicatore di remoto sulla barra di stato.",
+ "statusBarItemHostForeground": "Colore primo piano per l'indicatore di remoto sulla barra di stato.",
+ "extensionBadge.remoteBackground": "Colore di sfondo per la notifica di remoto nella visualizzazione delle estensioni.",
+ "extensionBadge.remoteForeground": "Colore primo piano per la notifica di remoto nella visualizzazione delle estensioni.",
+ "sideBarBackground": "Colore di sfondo della barra laterale. La barra laterale è il contenitore di visualizzazioni quali Esplora risorse e Cerca.",
+ "sideBarForeground": "Colore primo piano della barra laterale. La barra laterale è il contenitore per le visualizzazioni come Esplora risorse e Cerca.",
+ "sideBarBorder": "Colore del bordo della barra laterale che la separa all'editor. La barra laterale è il contenitore per visualizzazioni come Esplora risorse e Cerca.",
+ "sideBarTitleForeground": "Colore primo piano del titolo della barra laterale. La barra laterale è il contenitore di visualizzazioni quali Esplora risorse e Cerca.",
+ "sideBarDragAndDropBackground": "Colore di feedback trascinamento della selezione per le sezioni della barra laterale. Il colore dovrebbe avere una trasparenza impostata in modo che le sezioni della barra laterale siano ancora visibili. La barra laterale è il contenitore di visualizzazioni come Esplora risorse e Cerca. Le sezioni della barra laterale sono visualizzazioni annidate nella barra laterale.",
+ "sideBarSectionHeaderBackground": "Colore di sfondo dell'intestazione di sezione della barra laterale. La barra laterale è il contenitore di visualizzazioni quali Esplora risorse e Cerca. Le sezioni della barra laterale sono visualizzazioni annidate nella barra laterale.",
+ "sideBarSectionHeaderForeground": "Colore primo piano dell'intestazione di sezione della barra laterale. La barra laterale è il contenitore di visualizzazioni come Esplora risorse e Cerca. Le sezioni della barra laterale sono visualizzazioni annidate nella barra laterale.",
+ "sideBarSectionHeaderBorder": "Colore del bordo dell'intestazione di sezione della barra laterale. La barra laterale è il contenitore di visualizzazioni quali Esplora risorse e Cerca. Le sezioni della barra laterale sono visualizzazioni annidate nella barra laterale.",
+ "titleBarActiveForeground": "Primo piano della barra del titolo quando la finestra è attiva.",
+ "titleBarInactiveForeground": "Primo piano della barra del titolo quando la finestra è inattiva.",
+ "titleBarActiveBackground": "Sfondo della barra del titolo quando la finestra è attiva.",
+ "titleBarInactiveBackground": "Sfondo della barra del titolo quando la finestra è inattiva.",
+ "titleBarBorder": "Colore del bordo della barra del titolo.",
+ "menubarSelectionForeground": "Colore di primo piano della voce di menu selezionata.",
+ "menubarSelectionBackground": "Colore di sfondo della voce di menu selezionata nella barra dei menu.",
+ "menubarSelectionBorder": "Colore del bordo della voce di menu selezionata nella barra dei menu.",
+ "notificationCenterBorder": "Colore del bordo del centro notifiche. Le notifiche scorrono dalla parte inferiore destra della finestra.",
+ "notificationToastBorder": "Colore del bordo dell'avviso popup di notifica. Le notifiche scorrono dalla parte inferiore destra della finestra.",
+ "notificationsForeground": "Colore primo piano delle notifiche. Le notifiche scorrono dalla parte inferiore destra della finestra.",
+ "notificationsBackground": "Colore di sfondo delle notifiche. Le notifiche scorrono dalla parte inferiore destra della finestra.",
+ "notificationsLink": "Colore primo piano dei collegamenti delle notifiche. Le notifiche scorrono dalla parte inferiore destra della finestra.",
+ "notificationCenterHeaderForeground": "Colore primo piano dell'intestazione del centro notifiche. Le notifiche scorrono dalla parte inferiore destra della finestra.",
+ "notificationCenterHeaderBackground": "Colore di sfondo dell'intestazione del centro notifiche. Le notifiche scorrono dalla parte inferiore destra della finestra.",
+ "notificationsBorder": "Colore del bordo che separa le notifiche da altre notifiche nel centro notifiche. Le notifiche scorrono dalla parte inferiore destra della finestra.",
+ "notificationsErrorIconForeground": "Colore usato per l'icona delle notifiche di errore. Le notifiche scorrono dalla parte inferiore destra della finestra.",
+ "notificationsWarningIconForeground": "Colore usato per l'icona delle notifiche di avviso. Le notifiche scorrono dalla parte inferiore destra della finestra.",
+ "notificationsInfoIconForeground": "Colore usato per l'icona delle notifiche di informazioni. Le notifiche scorrono dalla parte inferiore destra della finestra.",
+ "windowActiveBorder": "Colore usato per il bordo della finestra quando è attiva. Supportato solo nel client desktop quando si usa la barra del titolo personalizzata.",
+ "windowInactiveBorder": "Colore usato per il bordo della finestra quando è inattiva. Supportato solo nel client desktop quando si usa la barra del titolo personalizzata."
+ },
+ "vs/workbench/common/editor": {
+ "sideBySideLabels": "{0} - {1}",
+ "preview": "{0}, anteprima",
+ "pinned": "{0}, aggiunto"
+ },
+ "vs/workbench/common/views": {
+ "testViewIcon": "Icona della visualizzazione Test.",
+ "defaultViewIcon": "Icona della visualizzazione predefinita.",
+ "duplicateId": "Una visualizzazione con ID '{0}' è già registrata"
+ },
+ "vs/workbench/api/common/extHostExtensionService": {
+ "extensionTestError": "Il percorso {0} non punta a un Test Runner di estensioni valido."
+ },
+ "vs/workbench/api/common/extHostTerminalService": {
+ "launchFail.idMissingOnExtHost": "Non è stato possibile trovare il terminale con ID {0} nell'host dell'estensione"
+ },
+ "vs/workbench/api/common/extHostWorkspace": {
+ "updateerror": "L'estensione '{0}' non è riuscita ad aggiornare le cartelle dell'area di lavoro: {1}"
+ },
+ "vs/workbench/browser/workbench.contribution": {
+ "workbench.editor.titleScrollbarSizing.default": "Dimensioni predefinite.",
+ "workbench.editor.titleScrollbarSizing.large": "Aumenta le dimensioni, in modo da facilitare la selezione con il mouse",
+ "tabScrollbarHeight": "Controlla l'altezza delle barre di scorrimento usate per le schede e le barre di navigazione nell'area del titolo dell'editor.",
+ "showEditorTabs": "Controlla se visualizzare o meno gli editor aperti in schede.",
+ "scrollToSwitchTabs": "Controlla l'apertura delle schede durante lo scorrimento. Per impostazione predefinita, durante lo scorrimento le schede verranno visualizzate, ma non aperte. È possibile tenere premuto il tasto MAIUSC durante lo scorrimento per modificare questo comportamento per il tempo necessario. Questo valore viene ignorato quando `#workbench.editor.showTabs#` è impostato su `false`.",
+ "highlightModifiedTabs": "Controlla se viene o meno disegnato un bordo superiore nelle schede dell'editor modificate (non salvate). Questo valore viene ignorato quando `#workbench.editor.showTabs#` è impostato su `false`.",
+ "workbench.editor.labelFormat.default": "Visualizza il nome del file. Quando le schede sono abilitate e due file presentano lo stesso nome in un unico gruppo, vengono aggiunte le sezioni distintive del percorso di ciascun file. Quando le schede sono disabilitate, viene visualizzato il percorso relativo alla cartella dell'area di lavoro se l'editor è attivo.",
+ "workbench.editor.labelFormat.short": "Visualizza il nome del file seguito dal nome della directory.",
+ "workbench.editor.labelFormat.medium": "Visualizza il nome del file seguito dal percorso corrispondente relativo alla cartella dell'area di lavoro.",
+ "workbench.editor.labelFormat.long": "Visualizza il nome del file seguito dal relativo percorso assoluto.",
+ "tabDescription": "Controlla il formato dell'etichetta per un editor.",
+ "workbench.editor.untitled.labelFormat.content": "Il nome del file senza nome deriva dal contenuto della prima riga, a meno che ad esso non sia associato un percorso di file. Verrà usato il nome nel caso in cui la riga sia vuota o non contenga caratteri alfanumerici.",
+ "workbench.editor.untitled.labelFormat.name": "Il nome del file senza nome non deriva dal contenuto del file.",
+ "untitledLabelFormat": "Controlla il formato dell'etichetta per un editor senza titolo.",
+ "editorTabCloseButton": "Controlla la posizione dei pulsanti di chiusura delle schede dell'editor oppure li disabilita quando è impostata su 'off'. Questo valore viene ignorato quando `#workbench.editor.showTabs#` è impostato su `false`.",
+ "workbench.editor.tabSizing.fit": "Adatta sempre le dimensioni delle schede in modo da visualizzare l'etichetta completa dell'editor.",
+ "workbench.editor.tabSizing.shrink": "Consente di ridurre le dimensioni delle schede quando lo spazio disponibile non è sufficiente per visualizzare tutte le schede contemporaneamente.",
+ "tabSizing": "Controlla il dimensionamento delle schede dell'editor. Questo valore viene ignorato quando `#workbench.editor.showTabs#` è impostato su `false`.",
+ "workbench.editor.pinnedTabSizing.normal": "Una scheda bloccata eredita l'aspetto delle schede non bloccate.",
+ "workbench.editor.pinnedTabSizing.compact": "Una scheda bloccata viene visualizzata in formato compatto che include solo l'icona o la prima lettera del nome dell'editor.",
+ "workbench.editor.pinnedTabSizing.shrink": "Una scheda bloccata viene ridotta in base a dimensioni compatte fisse che prevedono la visualizzazione di parti del nome dell'editor.",
+ "pinnedTabSizing": "Controlla il dimensionamento delle schede bloccate. Le schede bloccate sono visualizzate all'inizio di tutte le schede aperte e in genere non vengono chiuse finché non vengono rimosse. Questo valore viene ignorato quando `#workbench.editor.showTabs#` è impostato su `false`.",
+ "workbench.editor.splitSizingDistribute": "Divide tutti i gruppi di editor in parti uguali.",
+ "workbench.editor.splitSizingSplit": "Divide il gruppo di editor attivo in parti uguali.",
+ "splitSizing": "Controlla il ridimensionamento dei gruppi di editor durante la divisione.",
+ "splitOnDragAndDrop": "Controlla se i gruppi di editor possono essere divisi da operazioni di trascinamento della selezione rilasciando un editor o un file sui bordi dell'area dell'editor.",
+ "focusRecentEditorAfterClose": "Controlla se le schede vengono chiuse nell'ordine in cui sono state aperte a partire dall'ultima aperta oppure da sinistra verso destra.",
+ "showIcons": "Controlla se visualizzare o meno un'icona per gli editor aperti. Richiede l'abilitazione anche di un tema dell'icona di file.",
+ "enablePreview": "Controlla se gli editor aperti vengono visualizzati come anteprima. Le anteprime editor non vengono mantenute aperte, vengono riutilizzate finché non vengono impostate esplicitamente per rimanere aperte, ad esempio tramite doppio clic o modifica, e vengono visualizzate nello stile del carattere corsivo.",
+ "enablePreviewFromQuickOpen": "Controlla se gli editor aperti da Quick Open vengono visualizzati come anteprima. Le anteprime editor non vengono mantenute aperte e vengono riutilizzate finché non vengono impostate esplicitamente per rimanere aperte, ad esempio tramite doppio clic o modifica.",
+ "closeOnFileDelete": "Controlla se gli editor che visualizzano un file aperto durante la sessione devono chiudersi automaticamente quando il file viene eliminato o rinominato da un altro processo. Se si disabilita questa opzione, in una simile circostanza l'editor rimarrà aperto. Tenere presente che si elimina il file dall'interno dell'applicazione, l'editor verrà sempre chiuso e i file modificati ma non salvati non verranno mai chiusi allo scopo di salvaguardare i dati.",
+ "editorOpenPositioning": "Controlla la posizione in cui vengono aperti gli editor. Selezionare `left` o `right` per aprire gli editor a sinistra o a destra di quello attualmente attivo. Selezionare `first` o `last` per aprire gli editor indipendentemente da quello attualmente attivo.",
+ "sideBySideDirection": "Controlla la direzione predefinita degli editor aperti affiancati, ad esempio da Esplora risorse. Per impostazione predefinita, gli editor verranno aperti sul lato destro di quello attualmente attivo. Se si modifica l'impostazione in `down`, gli editor verranno aperti sotto quello attualmente attivo.",
+ "closeEmptyGroups": "Controlla il comportamento dei gruppi vuoti di editor quando viene chiusa l'ultima scheda nel gruppo. Quando abilitato, i gruppi vuoti si chiuderanno automaticamente. Quando disabilitato, i gruppi vuoti rimarranno parte della griglia.",
+ "revealIfOpen": "Controlla se un editor viene visualizzato in uno qualsiasi dei gruppi visibili quando viene aperto. Se l'opzione è disabilitata, un editor verrà aperto preferibilmente nel gruppo di editor attualmente attivo. Se è abilitata, un editor già aperto verrà visualizzato e non aperto di nuovo nel gruppo di editor attualmente attivo. Tenere presente che alcuni casi questa impostazione viene ignorata, ad esempio quando si forza l'apertura di un editor in un gruppo specifico oppure a lato del gruppo attualmente attivo.",
+ "mouseBackForwardToNavigate": "Consente di spostarsi tra i file aperti usando i pulsanti quattro e cinque del mouse, se forniti.",
+ "restoreViewState": "Ripristina l'ultimo stato della visualizzazione, ad esempio posizione dello scorrimento, quando si riaprono editor di testo chiusi in precedenza.",
+ "centeredLayoutAutoResize": "Controlla se il layout centrato deve essere ridimensionato automaticamente alla massima larghezza quando è aperto più di un gruppo. Quando è aperto un solo gruppo, verrà ridimensionato alla larghezza originale del layout centrato.",
+ "limitEditorsEnablement": "Controlla se il numero di editor aperti deve essere o meno limitato. Se è abilitata, gli editor usati meno di recente e non modificati ma non salvati verranno chiusi per fare spazio ai nuovi editor aperti.",
+ "limitEditorsMaximum": "Controlla il numero massimo di editor aperti. Usare l'impostazione `#workbench.editor.limit.perEditorGroup#` per controllare questo limite per singolo gruppo di editor o per tutti i gruppi.",
+ "perEditorGroup": "Controlla se applicare il limite massimo di editor aperti al singolo gruppo di editor o a tutti i gruppi di editor.",
+ "commandHistory": "Controlla il numero di comandi utilizzati di recente da mantenere nella cronologia. Impostare a 0 per disabilitare la cronologia dei comandi.",
+ "preserveInput": "Controlla se l'ultimo input digitato nel riquadro comandi deve essere ripristinato alla successiva riapertura del riquadro.",
+ "closeOnFocusLost": "Controlla se Quick Open deve essere chiuso automaticamente quando perde lo stato attivo.",
+ "workbench.quickOpen.preserveInput": "Controlla se l'ultimo input digitato in Quick Open deve essere ripristinato alla riapertura successiva.",
+ "openDefaultSettings": "Controlla se all'apertura delle impostazioni viene aperto anche un editor che mostra tutte le impostazioni predefinite.",
+ "useSplitJSON": "Controlla se usare l'editor JSON diviso quando si modificano impostazioni come JSON.",
+ "openDefaultKeybindings": "Controlla se all'apertura delle impostazioni dei tasti di scelta rapida viene aperto anche un editor che mostra tutti i tasti di scelta rapida predefiniti.",
+ "sideBarLocation": "Controlla la posizione della barra laterale della barra attività. Possono essere visualizzate a sinistra o a destra dell'area di lavoro.",
+ "panelDefaultLocation": "Controlla la posizione predefinita del pannello (terminale, console di debug, output, problemi). Può essere visualizzato nella parte inferiore oppure a destra o a sinistra dell'area di lavoro.",
+ "panelOpensMaximized": "Controlla se il pannello viene aperto a schermo intero. Può essere sempre aperto a schermo intero, mai aperto a schermo intero oppure aperto nell'ultimo stato in cui si trovava prima di essere chiuso.",
+ "workbench.panel.opensMaximized.always": "Apri sempre il pannello a schermo intero.",
+ "workbench.panel.opensMaximized.never": "Non aprire mai il pannello a schermo intero. Il pannello verrà aperto non a schermo intero.",
+ "workbench.panel.opensMaximized.preserve": "Apri il pannello nello stato in cui si trovava prima della chiusura.",
+ "statusBarVisibility": "Controlla la visibilità della barra di stato nella parte inferiore del workbench.",
+ "activityBarVisibility": "Controlla la visibilità della barra attività in Workbench.",
+ "activityBarIconClickBehavior": "Controlla il comportamento del clic su un'icona della barra attività nel workbench.",
+ "workbench.activityBar.iconClickBehavior.toggle": "Nasconde la barra laterale se l'elemento selezionato è già visibile.",
+ "workbench.activityBar.iconClickBehavior.focus": "Sposta lo stato attivo sulla barra laterale se l'elemento selezionato è già visibile.",
+ "viewVisibility": "Controlla la visibilità delle azioni dell'intestazione della visualizzazione. Le azioni dell'intestazione della visualizzazione possono essere sempre visibili oppure visibili solo quando lo stato attivo è spostato sulla visualizzazione o si passa con il puntatore sulla visualizzazione.",
+ "fontAliasing": "Controlla il metodo di aliasing dei caratteri nell'area di lavoro.",
+ "workbench.fontAliasing.default": "Anti-aliasing dei caratteri a livello di sub-pixel. Nella maggior parte delle visualizzazioni non retina consentirà di ottenere un testo con il massimo contrasto.",
+ "workbench.fontAliasing.antialiased": "Anti-aliasing dei caratteri a livello di pixel, invece che a livello di sub-pixel. Consente di visualizzare i caratteri più chiari.",
+ "workbench.fontAliasing.none": "Disabilita l'anti-aliasing dei caratteri. Il testo verrà visualizzato con contorni irregolari. ",
+ "workbench.fontAliasing.auto": "Applica automaticamente `default` o `antialiased` in base al valore DPI degli schermi.",
+ "settings.editor.ui": "Usa l'editor dell'interfaccia utente per le impostazioni.",
+ "settings.editor.json": "Usa l'editor di file JSON.",
+ "settings.editor.desc": "Determina l'editor di impostazioni da usare per impostazione predefinita.",
+ "windowTitle": "Controlla il titolo della finestra in base all'editor attivo. Le variabili vengono sostituite in base al contesto:",
+ "activeEditorShort": "`${activeEditorShort}`: nome file (ad esempio File.txt).",
+ "activeEditorMedium": "`${activeEditorMedium}`: percorso del file relativo alla cartella dell'area di lavoro (ad esempio Cartella/CartellaFile/File.txt).",
+ "activeEditorLong": "`${activeEditorLong}`: percorso completo del file (ad esempio /Utenti/Sviluppo/Cartella/CartellaFile/File.txt).",
+ "activeFolderShort": "`${activeFolderShort}`: nome della cartella in cui si trova il file (ad esempio CartellaFile).",
+ "activeFolderMedium": "`${activeFolderMedium}`: percorso della cartella che contiene il file, relativo alla cartella dell'area di lavoro (ad esempio Cartella/CartellaFile).",
+ "activeFolderLong": "`${activeFolderLong}`: percorso completo della cartella che contiene il file (ad esempio /Utenti/Sviluppo/Cartella/CartellaFile).",
+ "folderName": "`${folderName}`: nome della cartella dell'area di lavoro in cui si trova il file (ad esempio Cartella).",
+ "folderPath": "`${folderPath}`: percorso file della cartella dell'area di lavoro in cui si trova il file (ad esempio /Utenti/Sviluppo/Cartella).",
+ "rootName": "`${rootName}`: nome dell'area di lavoro (ad esempio Cartella o AreaDiLavoro).",
+ "rootPath": "`${rootPath}`: percorso file dell'area di lavoro (ad esempio /Utenti/Sviluppo/AreaDiLavoro).",
+ "appName": "`${appName}`: ad esempio VS Code.",
+ "remoteName": "`${remoteName}`: ad esempio SSH",
+ "dirty": "`${dirty}`: indicatore che segnala se l'editor attivo è modificato ma non salvato.",
+ "separator": "`${separator}`: separatore condizionale (\" - \") visualizzato solo se circondato da variabili con valori o testo statico.",
+ "windowConfigurationTitle": "Finestra",
+ "window.titleSeparator": "Separatore usato da `window.title`.",
+ "window.menuBarVisibility.default": "Il menu è nascosto solo nella modalità a schermo intero.",
+ "window.menuBarVisibility.visible": "Il menu è sempre visibile, anche nella modalità a schermo intero.",
+ "window.menuBarVisibility.toggle": "Il menu è nascosto ma può essere visualizzato premendo ALT.",
+ "window.menuBarVisibility.hidden": "Il menu è sempre nascosto.",
+ "window.menuBarVisibility.compact": "Il menu viene visualizzato sotto forma di pulsante compatto nella barra laterale. Questo valore viene ignorato quando `#window.titleBarStyle#` è impostato su `native`.",
+ "menuBarVisibility": "Controlla la visibilità della barra dei menu. L'impostazione 'toggle' indica che la barra dei menu è nascosta e che per visualizzarla è necessario premere una sola volta il tasto ALT. Per impostazione predefinita, la barra dei menu è visibile a meno che la finestra non sia a schermo intero.",
+ "enableMenuBarMnemonics": "Controlla se è possibile aprire i menu principali tramite tasti di scelta rapida con ALT. Disattivare i tasti di scelta se invece si intende associare i tasti di scelta rapida con ALT ai comandi dell'editor.",
+ "customMenuBarAltFocus": "Controlla se, quando si preme ALT, lo stato attivo verrà spostato sulla barra dei menu. Questa impostazione non ha effetto sull'attivazione/disattivazione della barra dei menu con ALT.",
+ "window.openFilesInNewWindow.on": "I file verranno aperti in una nuova finestra.",
+ "window.openFilesInNewWindow.off": "I file verranno aperti nella finestra con la cartella dei file aperta o nell'ultima finestra attiva.",
+ "window.openFilesInNewWindow.defaultMac": "I file verranno aperti nella finestra con la cartella dei file aperta o nell'ultima finestra attiva a meno che non vengano aperti tramite il pannello Dock o da Finder.",
+ "window.openFilesInNewWindow.default": "I file verranno aperti in una nuova finestra a meno che non vengano selezionati all'interno dell'applicazione, ad esempio tramite il menu File.",
+ "openFilesInNewWindowMac": "Controlla se i file devono essere aperti in una nuova finestra. \r\nTenere presente che in alcuni casi questa impostazione viene ignorata, ad esempio quando si usa l'opzione della riga di comando `--new-window` o `--reuse-window`.",
+ "openFilesInNewWindow": "Controlla se i file devono essere aperti in una nuova finestra.\r\nTenere presente che in alcuni casi questa impostazione viene ignorata, ad esempio quando si usa l'opzione della riga di comando `--new-window` o `--reuse-window`.",
+ "window.openFoldersInNewWindow.on": "Le cartelle verranno aperte in una nuova finestra.",
+ "window.openFoldersInNewWindow.off": "Le cartelle sostituiranno l'ultima finestra attiva.",
+ "window.openFoldersInNewWindow.default": "Le cartelle verranno aperte in una nuova finestra a meno che non si selezioni una cartella dall'interno dell'applicazione, ad esempio tramite il menu File.",
+ "openFoldersInNewWindow": "Controlla se le cartelle devono essere aperte in una nuova finestra o sostituire l'ultima finestra attiva.\r\nTenere presente che in alcuni casi questa impostazione viene ignorata, ad esempio quando si usa l'opzione della riga di comando `--new-window` o `--reuse-window`.",
+ "window.confirmBeforeClose.always": "Prova sempre a chiedere conferma. Si noti che i browser possono ancora decidere di chiudere una scheda o una finestra senza conferma.",
+ "window.confirmBeforeClose.keyboardOnly": "Chiede conferma solo se è stato rilevato un tasto di scelta rapida. Si noti che in alcuni casi il rilevamento potrebbe non essere possibile.",
+ "window.confirmBeforeClose.never": "Non chiedere mai conferma in modo esplicito a meno che la perdita di dati non sia imminente.",
+ "confirmBeforeCloseWeb": "Controlla se visualizzare una finestra di dialogo di conferma prima di chiudere la scheda o la finestra del browser. Si noti che, anche se questa impostazione è abilitata, i browser possono comunque decidere di chiudere una scheda o una finestra senza conferma e che questa impostazione è solo un suggerimento che potrebbe non funzionare in tutti i casi.",
+ "zenModeConfigurationTitle": "Modalità Zen",
+ "zenMode.fullScreen": "Consente di controllare se attivando la modalità Zen anche l'area di lavoro passa alla modalità schermo intero.",
+ "zenMode.centerLayout": "Controlla se attivando la modalità Zen viene centrato anche il layout.",
+ "zenMode.hideTabs": "Controlla se attivando la modalità Zen vengono nascoste anche le schede del workbench.",
+ "zenMode.hideStatusBar": "Controlla se attivando la modalità Zen viene nascosta anche la barra di stato nella parte inferiore del workbench.",
+ "zenMode.hideActivityBar": "Controlla se attivando la modalità Zen viene nascosta anche la barra di stato a sinistra o a destra dell'area di lavoro.",
+ "zenMode.hideLineNumbers": "Controlla se attivando la modalità Zen vengono nascosti anche i numeri di riga dell'editor.",
+ "zenMode.restore": "Controlla se una finestra deve essere ripristinata nella modalità Zen se è stata chiusa in questa modalità.",
+ "zenMode.silentNotifications": "Controlla se le notifiche vengono visualizzate in modalità zen. Se è true, verranno visualizzate solo le notifiche di errore."
+ },
+ "vs/workbench/browser/actions/textInputActions": {
+ "undo": "Annulla",
+ "redo": "Ripeti",
+ "cut": "Taglia",
+ "copy": "Copia",
+ "paste": "Incolla",
+ "selectAll": "Seleziona tutto"
+ },
+ "vs/workbench/browser/actions/developerActions": {
+ "inspect context keys": "Esamina le chiavi di contesto",
+ "toggle screencast mode": "Attiva/disattiva modalità Screencast",
+ "logStorage": "Registra contenuto del database di archiviazione",
+ "logWorkingCopies": "Registra copie di lavoro",
+ "screencastModeConfigurationTitle": "Modalità Screencast",
+ "screencastMode.location.verticalPosition": "Controlla l'offset verticale della sovrimpressione della modalità Screencast dal basso come percentuale dell'altezza del workbench.",
+ "screencastMode.fontSize": "Controlla le dimensioni del carattere in pixel della tastiera in modalità Screencast.",
+ "screencastMode.onlyKeyboardShortcuts": "Visualizza solo i tasti di scelta rapida in modalità Screencast.",
+ "screencastMode.keyboardOverlayTimeout": "Controlla l'intervallo in millisecondi relativo alla visualizzazione della sovrimpressione della tastiera in modalità Screencast.",
+ "screencastMode.mouseIndicatorColor": "Controlla il colore in formato esadecimale (#RGB, #RGBA, #RRGGBB o #RRGGBBAA) dell'indicatore del mouse in modalità Screencast.",
+ "screencastMode.mouseIndicatorSize": "Controlla le dimensioni in pixel dell'indicatore del mouse in modalità Screencast."
+ },
+ "vs/workbench/browser/actions/helpActions": {
+ "keybindingsReference": "Riferimento per tasti di scelta rapida",
+ "openDocumentationUrl": "Documentazione",
+ "openIntroductoryVideosUrl": "Video introduttivi",
+ "openTipsAndTricksUrl": "Suggerimenti e trucchi",
+ "newsletterSignup": "Iscrizione alla newsletter VS Code",
+ "openTwitterUrl": "Seguici su Twitter",
+ "openUserVoiceUrl": "Cerca in richieste di funzionalità",
+ "openLicenseUrl": "Visualizza licenza",
+ "openPrivacyStatement": "Informativa sulla privacy",
+ "miDocumentation": "&&Documentazione",
+ "miKeyboardShortcuts": "&&Riferimento per tasti di scelta rapida",
+ "miIntroductoryVideos": "&&Video introduttivi",
+ "miTipsAndTricks": "Suggerimenti e trucc&&hi",
+ "miTwitter": "Seguici su T&&witter",
+ "miUserVoice": "&&Cerca in richieste di funzionalità",
+ "miLicense": "&&Visualizza licenza",
+ "miPrivacyStatement": "&&Informativa sulla privacy"
+ },
+ "vs/workbench/browser/actions/layoutActions": {
+ "closeSidebar": "Chiudi barra laterale",
+ "toggleActivityBar": "Attiva/Disattiva visibilità della barra attività",
+ "miShowActivityBar": "Mostra &&barra attività",
+ "toggleCenteredLayout": "Attiva/Disattiva layout centrato",
+ "miToggleCenteredLayout": "Layout &¢rato",
+ "flipLayout": "Attiva/Disattiva il layout editor verticale/orizzontale",
+ "miToggleEditorLayout": "Inverti &&layout",
+ "toggleSidebarPosition": "Attiva/Disattiva posizione della barra laterale",
+ "moveSidebarRight": "Sposta barra laterale a destra",
+ "moveSidebarLeft": "Sposta barra laterale a sinistra",
+ "miMoveSidebarRight": "Sposta barra laterale a &&destra",
+ "miMoveSidebarLeft": "Sp&&osta barra laterale a sinistra",
+ "toggleEditor": "Attiva/Disattiva la visibilità dell'area degli editor",
+ "miShowEditorArea": "Mostra area &&editor",
+ "toggleSidebar": "Attiva/Disattiva visibilità della barra laterale",
+ "miAppearance": "&&Aspetto",
+ "miShowSidebar": "Mostra barra &&laterale",
+ "toggleStatusbar": "Attiva/Disattiva visibilità della barra di stato",
+ "miShowStatusbar": "Mostra &&barra di stato",
+ "toggleTabs": "Attiva/disattiva visibilità delle schede",
+ "toggleZenMode": "Attiva/Disattiva modalità Zen",
+ "miToggleZenMode": "Modalità Zen",
+ "toggleMenuBar": "Attiva/Disattiva barra dei menu",
+ "miShowMenuBar": "Mostra &&barra dei menu",
+ "resetViewLocations": "Reimposta posizioni visualizzazioni",
+ "moveView": "Sposta visualizzazione",
+ "sidebarContainer": "Barra laterale / {0}",
+ "panelContainer": "Pannello / {0}",
+ "moveFocusedView.selectView": "Seleziona un visualizzazione da spostare",
+ "moveFocusedView": "Sposta visualizzazione con stato attivo",
+ "moveFocusedView.error.noFocusedView": "Non ci sono attualmente visualizzazioni con stato attivo.",
+ "moveFocusedView.error.nonMovableView": "La visualizzazione attualmente con stato attivo non può essere spostata.",
+ "moveFocusedView.selectDestination": "Seleziona una destinazione per la visualizzazione",
+ "moveFocusedView.title": "Visualizzazione: Sposta {0}",
+ "moveFocusedView.newContainerInPanel": "Nuova voce del pannello",
+ "moveFocusedView.newContainerInSidebar": "Nuova voce della barra laterale",
+ "sidebar": "Barra laterale",
+ "panel": "Pannello",
+ "resetFocusedViewLocation": "Reimposta posizione visualizzazione con stato attivo",
+ "resetFocusedView.error.noFocusedView": "Non ci sono attualmente visualizzazioni con stato attivo.",
+ "increaseViewSize": "Aumenta dimensioni della visualizzazione corrente",
+ "increaseEditorWidth": "Aumenta larghezza dell'editor",
+ "increaseEditorHeight": "Aumenta altezza dell'editor",
+ "decreaseViewSize": "Riduci dimensioni della visualizzazione corrente",
+ "decreaseEditorWidth": "Riduci larghezza dell'editor",
+ "decreaseEditorHeight": "Riduci altezza dell'editor"
+ },
+ "vs/workbench/browser/actions/navigationActions": {
+ "navigateLeft": "Passa alla visualizzazione a sinistra",
+ "navigateRight": "Passa alla visualizzazione a destra",
+ "navigateUp": "Passa alla visualizzazione in alto",
+ "navigateDown": "Passa alla visualizzazione in basso",
+ "focusNextPart": "Sposta stato attivo sulla parte successiva",
+ "focusPreviousPart": "Sposta stato attivo sulla parte precedente"
+ },
+ "vs/workbench/browser/actions/windowActions": {
+ "remove": "Rimuovi dagli elementi aperti di recente",
+ "dirtyRecentlyOpened": "Area di lavoro con file modificati ma non salvati",
+ "workspaces": "aree di lavoro",
+ "files": "File",
+ "openRecentPlaceholderMac": "Selezionare per aprire (tenere premuto CMD per forzare l'apertura di una nuova finestra oppure ALT per aprire la stessa finestra)",
+ "openRecentPlaceholder": "Selezionare per aprire (tenere premuto CTRL per forzare l'apertura di una nuova finestra oppure ALT per aprire la stessa finestra)",
+ "dirtyWorkspace": "Area di lavoro con file modificati ma non salvati",
+ "dirtyWorkspaceConfirm": "Aprire l'area di lavoro per esaminare i file modificati ma non salvati?",
+ "dirtyWorkspaceConfirmDetail": "Non è possibile rimuovere le aree di lavoro con file modificati ma non salvati finché tutti i file non sono stati salvati o ripristinati.",
+ "recentDirtyAriaLabel": "{0}, area di lavoro modificata ma non salvata",
+ "openRecent": "Apri recenti...",
+ "quickOpenRecent": "Apertura rapida recenti...",
+ "toggleFullScreen": "Attiva/Disattiva schermo intero",
+ "reloadWindow": "Ricarica finestra",
+ "about": "Informazioni",
+ "newWindow": "Nuova finestra",
+ "blur": "Rimuovi lo stato attivo della tastiera dall'elemento con stato attivo",
+ "file": "File",
+ "miConfirmClose": "Conferma prima di chiudere",
+ "miNewWindow": "&&Nuova finestra",
+ "miOpenRecent": "Apri &&recenti",
+ "miMore": "&&Altro...",
+ "miToggleFullScreen": "&&Schermo intero",
+ "miAbout": "&&Informazioni su"
+ },
+ "vs/workbench/browser/actions/workspaceActions": {
+ "openFile": "Apri file...",
+ "openFolder": "Apri cartella...",
+ "openFileFolder": "Apri...",
+ "openWorkspaceAction": "Apri area di lavoro...",
+ "closeWorkspace": "Chiudi area di lavoro",
+ "noWorkspaceOpened": "In questa istanza non ci sono attualmente aree di lavoro aperte da chiudere.",
+ "openWorkspaceConfigFile": "Apri file di configurazione dell'area di lavoro",
+ "globalRemoveFolderFromWorkspace": "Rimuovi cartella dall'area di lavoro...",
+ "saveWorkspaceAsAction": "Salva area di lavoro con nome...",
+ "duplicateWorkspaceInNewWindow": "Duplica area di lavoro nella nuova finestra",
+ "workspaces": "Aree di lavoro",
+ "miAddFolderToWorkspace": "A&&ggiungi cartella all'area di lavoro...",
+ "miSaveWorkspaceAs": "Salva area di lavoro con nome...",
+ "miCloseFolder": "Chiudi &&cartella",
+ "miCloseWorkspace": "Chiudi &&area di lavoro"
+ },
+ "vs/workbench/browser/actions/workspaceCommands": {
+ "addFolderToWorkspace": "Aggiungi cartella all'area di lavoro...",
+ "add": "&&Aggiungi",
+ "addFolderToWorkspaceTitle": "Aggiungi cartella all'area di lavoro",
+ "workspaceFolderPickerPlaceholder": "Selezionare la cartella dell'area di lavoro"
+ },
+ "vs/workbench/browser/actions/quickAccessActions": {
+ "quickOpen": "Vai al file...",
+ "quickNavigateNext": "Passa a successiva in Quick Open",
+ "quickNavigatePrevious": "Passa a precedente in Quick Open",
+ "quickSelectNext": "Seleziona successiva in Quick Open",
+ "quickSelectPrevious": "Seleziona precedente in Quick Open"
+ },
+ "vs/workbench/api/common/menusExtensionPoint": {
+ "menus.commandPalette": "Riquadro comandi",
+ "menus.touchBar": "La Touch Bar (solo Mac OS)",
+ "menus.editorTitle": "Menu del titolo dell'editor",
+ "menus.editorContext": "Menu di scelta rapida dell'editor",
+ "menus.explorerContext": "Menu di scelta rapida Esplora file",
+ "menus.editorTabContext": "Menu di scelta rapida delle schede dell'editor",
+ "menus.debugCallstackContext": "Menu di scelta rapida per la visualizzazione dello stack di chiamate di debug",
+ "menus.debugVariablesContext": "Menu di scelta rapida per la visualizzazione delle variabili di debug",
+ "menus.debugToolBar": "Menu della barra degli strumenti di debug",
+ "menus.file": "Menu file di primo livello",
+ "menus.home": "Menu di scelta rapida dell'indicatore della home page (solo Web)",
+ "menus.scmTitle": "Menu del titolo del controllo del codice sorgente",
+ "menus.scmSourceControl": "Menu del controllo del codice sorgente",
+ "menus.resourceGroupContext": "Menu di scelta rapida del gruppo di risorse del controllo del codice sorgente",
+ "menus.resourceStateContext": "Menu di scelta rapida dello stato delle risorse del controllo del codice sorgente",
+ "menus.resourceFolderContext": "Menu di scelta rapida della cartella delle risorse del controllo del codice sorgente",
+ "menus.changeTitle": "Menu delle modifiche inline del codice sorgente",
+ "menus.statusBarWindowIndicator": "Menu dell'indicatore di finestra nella barra di stato",
+ "view.viewTitle": "Menu del titolo della visualizzazione aggiunto come contributo",
+ "view.itemContext": "Menu di scelta rapida dell'elemento visualizzazione aggiunto come contributo",
+ "commentThread.title": "Menu del titolo del thread del commento aggiunto come contributo",
+ "commentThread.actions": "Menu di scelta rapida del thread del commento aggiunto come contributo, visualizzato sotto forma di pulsanti sotto l'editor dei commenti",
+ "comment.title": "Menu del titolo del commento aggiunto come contributo",
+ "comment.actions": "Menu di scelta rapida del commento aggiunto come contributo, visualizzato sotto forma di pulsanti sotto l'editor dei commenti",
+ "notebook.cell.title": "Menu del titolo della cella del notebook aggiunto come contributo",
+ "menus.extensionContext": "Menu di scelta rapida dell'estensione",
+ "view.timelineTitle": "Menu del titolo della visualizzazione Sequenza temporale",
+ "view.timelineContext": "Menu di scelta rapida dell'elemento visualizzazione Sequenza temporale",
+ "requirestring": "la proprietà `{0}` è obbligatoria e deve essere di tipo `string`",
+ "optstring": "la proprietà `{0}` può essere omessa o deve essere di tipo `string`",
+ "requirearray": "le voci di sottomenu devono essere una matrice",
+ "require": "le voci di sottomenu devono essere un oggetto",
+ "vscode.extension.contributes.menuItem.command": "Identificatore del comando da eseguire. Il comando deve essere dichiarato nella sezione 'commands'",
+ "vscode.extension.contributes.menuItem.alt": "Identificatore di un comando alternativo da eseguire. Il comando deve essere dichiarato nella sezione 'commands'",
+ "vscode.extension.contributes.menuItem.when": "Condizione che deve essere vera per mostrare questo elemento",
+ "vscode.extension.contributes.menuItem.group": "Gruppo a cui appartiene questo elemento",
+ "vscode.extension.contributes.menuItem.submenu": "Identificatore del sottomenu da visualizzare in questo elemento.",
+ "vscode.extension.contributes.submenu.id": "Identificatore del menu da visualizzare come sottomenu.",
+ "vscode.extension.contributes.submenu.label": "Etichetta della voce di menu che porta a questo sottomenu.",
+ "vscode.extension.contributes.submenu.icon": "(Facoltativo) Icona usata per rappresentare il sottomenu nell'interfaccia utente. Può essere un percorso di file, un oggetto con percorsi di file per temi scuri e chiari o riferimenti a un'icona del tema, ad esempio `\\$(zap)`",
+ "vscode.extension.contributes.submenu.icon.light": "Percorso dell'icona quando viene usato un tema chiaro",
+ "vscode.extension.contributes.submenu.icon.dark": "Percorso dell'icona quando viene usato un tema scuro",
+ "vscode.extension.contributes.menus": "Aggiunge come contributo le voci di menu all'editor",
+ "proposed": "API proposta",
+ "vscode.extension.contributes.submenus": "Aggiunge come contributo le voci di sottomenu all'editor",
+ "nonempty": "è previsto un valore non vuoto.",
+ "opticon": "la proprietà `icon` può essere omessa o deve essere una stringa o un valore letterale come `{dark, light}`",
+ "requireStringOrObject": "la proprietà `{0}` è obbligatoria e deve essere di tipo `object` o `string`",
+ "requirestrings": "le proprietà `{0}` e `{1}` sono obbligatorie e devono essere di tipo `string`",
+ "vscode.extension.contributes.commandType.command": "Identificatore del comando da eseguire",
+ "vscode.extension.contributes.commandType.title": "Titolo con cui è rappresentato il comando nell'interfaccia utente",
+ "vscode.extension.contributes.commandType.category": "(Facoltativo) Stringa di categoria in base a cui è raggruppato il comando nell'interfaccia utente",
+ "vscode.extension.contributes.commandType.precondition": "(Facoltativo) Condizione che deve essere vera per abilitare il comando nell'interfaccia utente (menu e tasti di scelta rapida). Non impedisce l'esecuzione del comando in altri modi, come `executeCommand`-api.",
+ "vscode.extension.contributes.commandType.icon": "(Facoltativo) Icona usata per rappresentare il comando nell'interfaccia utente. Può essere un percorso di file, un oggetto con percorsi di file per temi scuri e chiari o riferimenti a un'icona del tema, ad esempio `\\$(zap)`",
+ "vscode.extension.contributes.commandType.icon.light": "Percorso dell'icona quando viene usato un tema chiaro",
+ "vscode.extension.contributes.commandType.icon.dark": "Percorso dell'icona quando viene usato un tema scuro",
+ "vscode.extension.contributes.commands": "Aggiunge come contributo i comandi al riquadro comandi.",
+ "dup": "Il comando `{0}` è presente più volte nella sezione `commands`.",
+ "submenuId.invalid.id": "`{0}` non è un identificatore di sottomenu valido",
+ "submenuId.duplicate.id": "Il sottomenu `{0}` è già stato registrato in precedenza.",
+ "submenuId.invalid.label": "`{0}` non è un'etichetta di sottomenu valida",
+ "menuId.invalid": "`{0}` non è un identificatore di menu valido",
+ "proposedAPI.invalid": "{0} è un identificatore di menu proposto ed è disponibile solo durante l'esecuzione all'esterno di dev o con l'opzione della riga di comando seguente: --enable-proposed-api {1}",
+ "missing.command": "La voce di menu fa riferimento a un comando `{0}` che non è definito nella sezione 'commands'.",
+ "missing.altCommand": "La voce di menu fa riferimento a un comando alternativo `{0}` che non è definito nella sezione 'commands'.",
+ "dupe.command": "La voce di menu fa riferimento allo stesso comando come comando predefinito e come comando alternativo",
+ "unsupported.submenureference": "La voce di menu fa riferimento a un sottomenu di un menu per cui non sono supportati sottomenu.",
+ "missing.submenu": "La voce di menu fa riferimento a un sottomenu `{0}` che non è definito nella sezione 'submenus'.",
+ "submenuItem.duplicate": "Il sottomenu `{0}` è già stato aggiunto come contributo al menu `{1}`."
+ },
+ "vs/workbench/api/common/configurationExtensionPoint": {
+ "vscode.extension.contributes.configuration.title": "Riepilogo delle impostazioni. Questa etichetta verrà usata nel file di impostazioni come commento di separazione.",
+ "vscode.extension.contributes.configuration.properties": "Descrizione delle proprietà di configurazione.",
+ "vscode.extension.contributes.configuration.property.empty": "La proprietà non deve essere vuota.",
+ "scope.application.description": "Configurazione che può essere definita solo nelle impostazioni utente.",
+ "scope.machine.description": "Configurazione che può essere definita solo nelle impostazioni utente o solo nelle impostazioni remote.",
+ "scope.window.description": "Configurazione che può essere definita nelle impostazioni dell'utente, dell'area di lavoro o dell'ambiente remoto.",
+ "scope.resource.description": "Configurazione che può essere definita nelle impostazioni dell'utente, dell'ambiente remoto, dell'area di lavoro o della cartella.",
+ "scope.language-overridable.description": "Configurazione delle risorse che può essere definita nelle impostazioni specifiche della lingua.",
+ "scope.machine-overridable.description": "Configurazione del computer che può essere definita anche nelle impostazioni dell'area di lavoro o della cartella.",
+ "scope.description": "Ambito in cui la configurazione è applicabile. Gli ambiti disponibili sono `application`, `machine`, `window`, `resource` e `machine-overridable`.",
+ "scope.enumDescriptions": "Descrizioni dei valori di enumerazione",
+ "scope.markdownEnumDescriptions": "Descrizioni dei valori di enumerazione nel formato Markdown.",
+ "scope.markdownDescription": "Descrizione nel formato Markdown.",
+ "scope.deprecationMessage": "Se impostata, la proprietà è contrassegnata come deprecata e viene visualizzato il messaggio con la spiegazione.",
+ "scope.markdownDeprecationMessage": "Se impostata, la proprietà è contrassegnata come deprecata e viene visualizzato il messaggio con la spiegazione in formato Markdown.",
+ "vscode.extension.contributes.defaultConfiguration": "Aggiunge come contributo le impostazioni di configurazione predefinite dell'editor in base al linguaggio.",
+ "config.property.defaultConfiguration.languageExpected": "È previsto un selettore di linguaggio, ad esempio [\"java\"]",
+ "config.property.defaultConfiguration.warning": "Non è possibile registrare le impostazioni predefinite della configurazione per '{0}'. Sono supportate solo le impostazioni predefinite per impostazioni specifiche del linguaggio.",
+ "vscode.extension.contributes.configuration": "Aggiunge come contributo le impostazioni di configurazione.",
+ "invalid.title": "'configuration.title' deve essere una stringa",
+ "invalid.properties": "'configuration.properties' deve essere un oggetto",
+ "invalid.property": "'configuration.property' deve essere un oggetto",
+ "invalid.allOf": "'configuration.allOf' è deprecato e non deve più essere usato. Passare invece una matrice di sezioni di configurazione al punto di aggiunta contributo 'configuration'.",
+ "workspaceConfig.folders.description": "Elenco di cartelle da caricare nell'area di lavoro.",
+ "workspaceConfig.path.description": "Percorso di file, ad esempio `/root/folderA` o `./folderA` per un percorso relativo che verrà risolto in base alla posizione del file dell'area di lavoro.",
+ "workspaceConfig.name.description": "Nome facoltativo per la cartella. ",
+ "workspaceConfig.uri.description": "URI della cartella",
+ "workspaceConfig.settings.description": "Impostazioni area di lavoro",
+ "workspaceConfig.launch.description": "Configurazioni di avvio dell'area di lavoro",
+ "workspaceConfig.tasks.description": "Configurazioni delle attività dell'area di lavoro",
+ "workspaceConfig.extensions.description": "Estensioni dell'area di lavoro",
+ "workspaceConfig.remoteAuthority": "Server remoto in cui si trova l'area di lavoro. Usato solo in aree di lavoro remote non salvate.",
+ "unknownWorkspaceProperty": "La proprietà di configurazione dell'area di lavoro è sconosciuta"
+ },
+ "vs/workbench/api/browser/viewsExtensionPoint": {
+ "vscode.extension.contributes.views.containers.id": "ID univoco usato per identificare il contenitore in cui è possibile aggiungere visualizzazioni come contributo usando il punto di aggiunta contributo 'views'",
+ "vscode.extension.contributes.views.containers.title": "Stringa leggibile usata per il rendering del contenitore",
+ "vscode.extension.contributes.views.containers.icon": "Percorso dell'icona del contenitore. Le icone, le cui dimensioni sono 24x24, sono centrate in un blocco le cui dimensioni sono 50x40 e sono caratterizzate dal colore di riempimento 'rgb(215, 218, 224)' o '#d7dae0'. Anche se è accettato qualsiasi tipo di file immagine, per le icone è consigliabile usare il formato SVG.",
+ "vscode.extension.contributes.viewsContainers": "Aggiunge come contributo contenitori di visualizzazioni all'editor",
+ "views.container.activitybar": "Aggiunge come contributo contenitori di visualizzazioni alla barra attività",
+ "views.container.panel": "Aggiunge come contributo contenitori di visualizzazioni al pannello",
+ "vscode.extension.contributes.view.type": "Tipo della visualizzazione. Può essere `tree` per una visualizzazione struttura ad albero o `webview` per una visualizzazione basata su webview. L'impostazione predefinita è `tree`.",
+ "vscode.extension.contributes.view.tree": "La visualizzazione è supportata da un elemento `TreeView` creato da `createTreeView`.",
+ "vscode.extension.contributes.view.webview": "La visualizzazione è supportata da un elemento `WebviewView` registrato da `registerWebviewViewProvider`.",
+ "vscode.extension.contributes.view.id": "Identificatore della visualizzazione. Deve essere univoco in tutte le visualizzazioni. È consigliabile includere l'ID estensione nell'ID visualizzazione. Usare questa impostazione per registrare un provider di dati tramite l'API `vscode.window.registerTreeDataProviderForView`, nonché per avviare l'attivazione dell'estensione tramite la registrazione dell'evento `onView:${id}` in `activationEvents`.",
+ "vscode.extension.contributes.view.name": "Nome leggibile della visualizzazione. Verrà visualizzato",
+ "vscode.extension.contributes.view.when": "Condizione che deve essere vera per mostrare questa visualizzazione",
+ "vscode.extension.contributes.view.icon": "Percorso dell'icona della visualizzazione. Le icone delle visualizzazioni vengono visualizzate quando non è possibile mostrare il nome della visualizzazione. Anche se è accettato qualsiasi tipo di file immagine, è consigliabile usare il formato SVG per le icone.",
+ "vscode.extension.contributes.view.contextualTitle": "Contesto in formato leggibile quando la visualizzazione viene spostata dalla posizione originale. Per impostazione predefinita, verrà usato il nome contenitore della visualizzazione. Verrà visualizzato",
+ "vscode.extension.contributes.view.initialState": "Stato iniziale della visualizzazione quando l'estensione viene installata per la prima volta. Dopo che l'utente ha modificato lo stato di visualizzazione comprimendo, spostando o nascondendo la vista, lo stato iniziale non verrà più usato.",
+ "vscode.extension.contributes.view.initialState.visible": "Stato iniziale predefinito della visualizzazione. Nella maggior parte dei contenitori la visualizzazione verrà espansa. Con alcuni contenitori predefiniti (explorer, scm e debug), però, mostra come espanse tutte le visualizzazioni aggiunte come contributo indipendentemente dal valore di `visibility`.",
+ "vscode.extension.contributes.view.initialState.hidden": "La visualizzazione non verrà mostrata nel contenitore di visualizzazioni, ma sarà individuabile tramite il menu Visualizzazioni e altri punti di ingresso delle visualizzazioni e può essere resa visibile dall'utente.",
+ "vscode.extension.contributes.view.initialState.collapsed": "La visualizzazione verrà mostrata nel contenitore di visualizzazioni, ma sarà compressa.",
+ "vscode.extension.contributes.view.group": "Gruppo nidificato nel viewlet",
+ "vscode.extension.contributes.view.remoteName": "Nome del tipo remoto associato a questa visualizzazione",
+ "vscode.extension.contributes.views": "Aggiunge come contributo le visualizzazioni all'editor",
+ "views.explorer": "Aggiunge come contributo visualizzazioni al contenitore Esplora risorse nella barra attività",
+ "views.debug": "Aggiunge come contributo visualizzazioni al contenitore Debug nella barra attività",
+ "views.scm": "Aggiunge come contributo visualizzazioni al contenitore Gestione controllo servizi nella barra attività",
+ "views.test": "Aggiunge come contributo visualizzazioni al contenitore Test nella barra attività",
+ "views.remote": "Aggiunge come contributo le visualizzazioni al contenitore Remote nella barra delle attività. Per aggiungere contributi a questo contenitore, è necessario abilitare enableProposedApi",
+ "views.contributed": "Aggiunge come contributo le visualizzazioni al contenitore delle visualizzazioni aggiunto come contributo",
+ "test": "test",
+ "viewcontainer requirearray": "i contenitori di visualizzazioni devono essere una matrice",
+ "requireidstring": "la proprietà `{0}` è obbligatoria e deve essere di tipo `string`. Sono consentiti solo caratteri alfanumerici, '_' e '-'.",
+ "requirestring": "la proprietà `{0}` è obbligatoria e deve essere di tipo `string`",
+ "showViewlet": "Mostra {0}",
+ "ViewContainerRequiresProposedAPI": "Per poter aggiungere il contenitore di visualizzazioni '{0}' a 'Remote', è necessario attivare 'enableProposedApi'.",
+ "ViewContainerDoesnotExist": "Il contenitore di visualizzazioni '{0}' non esiste e tutte le visualizzazioni registrate verranno aggiunte a 'Esplora risorse'.",
+ "duplicateView1": "Non è possibile registrare più visualizzazioni con lo stesso ID `{0}`",
+ "duplicateView2": "Una visualizzazione con ID `{0}` è già registrata.",
+ "unknownViewType": "Il tipo di visualizzazione `{0}` è sconosciuto.",
+ "requirearray": "le visualizzazioni devono essere una matrice",
+ "optstring": "la proprietà `{0}` può essere omessa o deve essere di tipo `string`",
+ "optenum": "la proprietà `{0}` può essere omessa o deve essere di uno dei tipi {1}"
+ },
+ "vs/workbench/browser/parts/activitybar/activitybarPart": {
+ "settingsViewBarIcon": "Icona Impostazioni nella barra della visualizzazione.",
+ "accountsViewBarIcon": "Icona Account nella barra della visualizzazione.",
+ "hideHomeBar": "Nascondi pulsante Home",
+ "showHomeBar": "Mostra pulsante Home",
+ "hideMenu": "Nascondi menu",
+ "showMenu": "Mostra menu",
+ "hideAccounts": "Nascondi account",
+ "showAccounts": "Mostra account",
+ "hideActivitBar": "Nascondi barra attività",
+ "resetLocation": "Reimposta posizione",
+ "homeIndicator": "Home",
+ "home": "Home",
+ "manage": "Gestisci",
+ "accounts": "Account",
+ "focusActivityBar": "Sposta stato attivo sulla barra attività"
+ },
+ "vs/workbench/browser/parts/panel/panelPart": {
+ "hidePanel": "Nascondi pannello",
+ "panel.emptyMessage": "Trascinare una visualizzazione da visualizzare nel pannello."
+ },
+ "vs/workbench/browser/parts/sidebar/sidebarPart": {
+ "focusSideBar": "Sposta lo stato attivo nella barra laterale"
+ },
+ "vs/workbench/browser/parts/statusbar/statusbarPart": {
+ "hide": "Nascondi '{0}'",
+ "hideStatusBar": "Nascondi barra di stato"
+ },
+ "vs/workbench/browser/parts/views/viewsService": {
+ "focus view": "Sposta stato attivo sulla visualizzazione {0}",
+ "resetViewLocation": "Reimposta posizione"
+ },
+ "vs/workbench/browser/parts/dialogs/dialogHandler": {
+ "yesButton": "&&Sì",
+ "cancelButton": "Annulla",
+ "aboutDetail": "Versione: {0}\r\nCommit: {1}\r\nData: {2}\r\nBrowser: {3}",
+ "copy": "Copia",
+ "ok": "OK"
+ },
+ "vs/workbench/electron-sandbox/parts/dialogs/dialogHandler": {
+ "yesButton": "&&Sì",
+ "cancelButton": "Annulla",
+ "aboutDetail": "Versione: {0}\r\nCommit: {1}\r\nData: {2}\r\nElectron: {3}\r\nChrome: {4}\r\nNode.js: {5}\r\nV8: {6}\r\nSistema operativo: {7}",
+ "okButton": "OK",
+ "copy": "&&Copia"
+ },
+ "vs/workbench/electron-sandbox/actions/developerActions": {
+ "toggleDevTools": "Attiva/Disattiva strumenti di sviluppo",
+ "configureRuntimeArguments": "Configura argomenti del runtime"
+ },
+ "vs/workbench/electron-sandbox/actions/windowActions": {
+ "closeWindow": "Chiudi finestra",
+ "zoomIn": "Zoom avanti",
+ "zoomOut": "Zoom indietro",
+ "zoomReset": "Reimposta zoom",
+ "reloadWindowWithExtensionsDisabled": "Ricarica con le estensioni disabilitate",
+ "close": "Chiudi finestra",
+ "switchWindowPlaceHolder": "Selezionare una finestra a cui passare",
+ "windowDirtyAriaLabel": "{0}, finestra modificata ma non salvata",
+ "current": "Finestra corrente",
+ "switchWindow": "Cambia finestra...",
+ "quickSwitchWindow": "Cambio rapido finestra..."
+ },
+ "vs/workbench/browser/parts/notifications/notificationsCenter": {
+ "notificationsEmpty": "Nessuna nuova notifica",
+ "notifications": "Notifiche",
+ "notificationsToolbar": "Azioni del centro notifiche"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsAlerts": {
+ "alertErrorMessage": "Errore: {0}",
+ "alertWarningMessage": "Avviso: {0}",
+ "alertInfoMessage": "Info: {0}"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsStatus": {
+ "status.notifications": "Notifiche",
+ "hideNotifications": "Nascondi notifiche",
+ "zeroNotifications": "Nessuna notifica",
+ "noNotifications": "Nessuna nuova notifica",
+ "oneNotification": "1 nuova notifica",
+ "notifications": "{0} nuove notifiche",
+ "noNotificationsWithProgress": "Nessuna nuova notifica ({0} in corso)",
+ "oneNotificationWithProgress": "1 nuova notifica ({0} in corso)",
+ "notificationsWithProgress": "{0} nuove notifiche ({1} in corso)",
+ "status.message": "Messaggio di stato"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsCommands": {
+ "notifications": "Notifiche",
+ "showNotifications": "Mostra notifiche",
+ "hideNotifications": "Nascondi notifiche",
+ "clearAllNotifications": "Cancella tutte le notifiche",
+ "focusNotificationToasts": "Sposta stato attivo sull'avviso popup di notifica"
+ },
+ "vs/workbench/browser/parts/titlebar/menubarControl": {
+ "mFile": "&&File",
+ "mEdit": "&&Modifica",
+ "mSelection": "&&Selezione",
+ "mView": "&&Visualizza",
+ "mGoto": "&&Vai",
+ "mRun": "&&Esegui",
+ "mTerminal": "&&Terminale",
+ "mHelp": "&&Guida",
+ "menubar.customTitlebarAccessibilityNotification": "Il supporto dell'accessibilità è abilitato. Per un'esperienza più accessibile, si consiglia lo stile di barra del titolo personalizzato.",
+ "goToSetting": "Apri impostazioni",
+ "focusMenu": "Sposta lo stato attivo sul menu dell'applicazione",
+ "checkForUpdates": "Controlla la disponibilità di &&aggiornamenti...",
+ "checkingForUpdates": "Controllo della disponibilità di aggiornamenti...",
+ "download now": "&&Scarica aggiornamento",
+ "DownloadingUpdate": "Download dell'aggiornamento...",
+ "installUpdate...": "Installa &&aggiornamento...",
+ "installingUpdate": "Installazione dell'aggiornamento...",
+ "restartToUpdate": "Riavvia per &&aggiornare"
+ },
+ "vs/workbench/api/common/extHostExtensionActivator": {
+ "failedDep1": "Non è possibile attivare l'estensione '{0}' perché dipende dall'estensione '{1}', che non è stato possibile attivare.",
+ "activationError": "L'attivazione dell'estensione '{0}' non è riuscita: {1}."
+ },
+ "vs/workbench/api/common/extHost.api.impl": {
+ "extensionLabel": "{0} (Estensione)"
+ },
+ "vs/workbench/api/node/extHostDebugService": {
+ "debug.terminal.title": "oggetto del debug"
+ },
+ "vs/workbench/api/common/jsonValidationExtensionPoint": {
+ "contributes.jsonValidation": "Aggiunge come contributo la configurazione dello schema JSON.",
+ "contributes.jsonValidation.fileMatch": "Criteri (o matrice di criteri) dei file da soddisfare, ad esempio \"package.json\" o \"*.launch\". I criteri di esclusione iniziano con '!'",
+ "contributes.jsonValidation.url": "URL dello schema ('http:', 'https:') o percorso relativo della cartella delle estensioni ('./').",
+ "invalid.jsonValidation": "'configuration.jsonValidation' deve essere una matrice",
+ "invalid.fileMatch": "'configuration.jsonValidation.fileMatch' deve essere definito come una stringa o una matrice di stringhe.",
+ "invalid.url": "'configuration.jsonValidation.url' deve essere un URL o un percorso relativo",
+ "invalid.path.1": "Valore previsto di `contributes.{0}.url` ({1}) da includere nella cartella dell'estensione ({2}). L'estensione potrebbe non essere più portatile.",
+ "invalid.url.fileschema": "'configuration.jsonValidation.url' è un URL relativo non valido: {0}",
+ "invalid.url.schema": "'configuration.jsonValidation.url' deve essere un URL assoluto o iniziare con './' per fare riferimento a schemi presenti nell'estensione."
+ },
+ "vs/workbench/api/browser/mainThreadExtensionService": {
+ "reload window": "Non è possibile attivare l'estensione '{0}' perché dipende dall'estensione '{1}', che non è caricata. Ricaricare la finestra per caricare l'estensione?",
+ "reload": "Ricarica finestra",
+ "disabledDep": "Non è possibile attivare l'estensione '{0}' perché si basa sull'estensione '{1}', che è disabilitata. Abilitare l'estensione e ricaricare la finestra?",
+ "enable dep": "Abilita e ricarica",
+ "uninstalledDep": "Non è possibile attivare l'estensione '{0}' perché si basa sull'estensione '{1}', che non è installata. Installare l'estensione e ricaricare la finestra?",
+ "install missing dep": "Installa e ricarica",
+ "unknownDep": "Non è possibile attivare l'estensione '{0}' perché dipende da un'estensione sconosciuta '{1}'."
+ },
+ "vs/workbench/api/browser/mainThreadFileSystemEventService": {
+ "files.participants.timeout": "Timeout in millisecondi dopo il quale i partecipanti file per le operazioni di creazione, ridenominazione ed eliminazione vengono annullati. Usare `0` per disabilitare i partecipanti."
+ },
+ "vs/workbench/api/browser/mainThreadMessageService": {
+ "extensionSource": "{0} (estensione)",
+ "defaultSource": "Estensione",
+ "manageExtension": "Gestisci estensione",
+ "cancel": "Annulla",
+ "ok": "OK"
+ },
+ "vs/workbench/api/browser/mainThreadProgress": {
+ "manageExtension": "Gestisci estensione"
+ },
+ "vs/workbench/api/browser/mainThreadSaveParticipant": {
+ "timeout.onWillSave": "Evento onWillSaveTextDocument interrotto dopo 1750 ms"
+ },
+ "vs/workbench/api/browser/mainThreadWorkspace": {
+ "folderStatusMessageAddSingleFolder": "L'estensione '{0}' ha aggiunto 1 cartella all'area di lavoro",
+ "folderStatusMessageAddMultipleFolders": "L'estensione '{0}' ha aggiunto {1} cartelle all'area di lavoro",
+ "folderStatusMessageRemoveSingleFolder": "L'estensione '{0}' ha rimosso 1 cartella dall'area di lavoro",
+ "folderStatusMessageRemoveMultipleFolders": "L'estensione '{0}' ha rimosso {1} cartelle dall'area di lavoro",
+ "folderStatusChangeFolder": "L'estensione '{0}' ha cambiato le cartelle dell'area di lavoro"
+ },
+ "vs/workbench/api/browser/mainThreadComments": {
+ "commentsViewIcon": "Icona della visualizzazione Commenti."
+ },
+ "vs/workbench/api/browser/mainThreadTask": {
+ "task.label": "{0}: {1}"
+ },
+ "vs/workbench/api/browser/mainThreadAuthentication": {
+ "noTrustedExtensions": "Questo account non è stato usato da alcuna estensione.",
+ "accountLastUsedDate": "Ultimo utilizzo di questo account: {0}",
+ "notUsed": "Account non usato",
+ "manageTrustedExtensions": "Gestisci estensioni attendibili",
+ "manageExensions": "Scegliere le estensioni che possono accedere a questo account",
+ "signOutConfirm": "Esci da {0}",
+ "signOutMessagve": "L'account {0} è stato usato da: \r\n\r\n{1}\r\n\r\nDisconnettersi da queste funzionalità?",
+ "signOutMessageSimple": "Disconnettersi da {0}?",
+ "signedOut": "La disconnessione è riuscita.",
+ "useOtherAccount": "Accedi a un altro account",
+ "selectAccount": "L'estensione '{0}' vuole accedere a un account {1}",
+ "getSessionPlateholder": "Selezionare un account utilizzabile da '{0}' oppure premere ESC per annullare",
+ "confirmAuthenticationAccess": "L'estensione '{0}' prova ad accedere alle informazioni di autenticazione per l'account '{2}' di {1}.",
+ "allow": "Consenti",
+ "cancel": "Annulla",
+ "confirmLogin": "L'estensione '{0}' vuole eseguire l'accesso con {1}."
+ },
+ "vs/workbench/common/configuration": {
+ "workbenchConfigurationTitle": "Workbench"
+ },
+ "vs/workbench/browser/parts/views/treeView": {
+ "no-dataprovider": "Non ci sono provider di dati registrati che possono fornire i dati della visualizzazione.",
+ "refresh": "Aggiorna",
+ "collapseAll": "Comprimi tutto",
+ "command-error": "Si è verificato un errore durante l'esecuzione del comando {1}: {0}. Il problema può dipendere dall'estensione che aggiunge come contributo {1}."
+ },
+ "vs/workbench/browser/viewlet": {
+ "compositePart.hideSideBarLabel": "Nascondi barra laterale",
+ "views": "Visualizzazioni",
+ "collapse": "Comprimi tutto"
+ },
+ "vs/workbench/browser/parts/views/viewPaneContainer": {
+ "viewPaneContainerExpandedIcon": "Icona per un contenitore del riquadro di visualizzazione espanso.",
+ "viewPaneContainerCollapsedIcon": "Icona per un contenitore del riquadro di visualizzazione compresso.",
+ "viewToolbarAriaLabel": "{0} azioni",
+ "hideView": "Nascondi",
+ "viewMoveUp": "Sposta visualizzazione in alto",
+ "viewMoveLeft": "Sposta visualizzazione a sinistra",
+ "viewMoveDown": "Sposta visualizzazione in basso",
+ "viewMoveRight": "Sposta visualizzazione a destra"
+ },
+ "vs/workbench/browser/parts/editor/editorGroupView": {
+ "ariaLabelGroupActions": "Azioni del gruppo di editor",
+ "closeGroupAction": "Chiudi",
+ "emptyEditorGroup": "{0} (vuoto)",
+ "groupLabel": "Gruppo {0}",
+ "groupAriaLabel": "Gruppo di editor {0}",
+ "ok": "OK",
+ "cancel": "Annulla",
+ "editorOpenErrorDialog": "Non è possibile aprire '{0}'",
+ "editorOpenError": "Non è possibile aprire '{0}': {1}."
+ },
+ "vs/workbench/browser/parts/editor/editorDropTarget": {
+ "fileTooLarge": "Il file è troppo grande per essere aperto come editor senza titolo. Caricarlo prima in Esplora file, quindi riprovare."
+ },
+ "vs/workbench/browser/parts/editor/editor.contribution": {
+ "textEditor": "Editor di testo",
+ "textDiffEditor": "Editor diff di testo",
+ "binaryDiffEditor": "Editor diff file binari",
+ "sideBySideEditor": "Editor affiancato",
+ "editorQuickAccessPlaceholder": "Digitare il nome di un editor per aprirlo.",
+ "activeGroupEditorsByMostRecentlyUsedQuickAccess": "Mostra gli editor nel gruppo attivo in base a quello usato di recente",
+ "allEditorsByAppearanceQuickAccess": "Mostra tutti gli editor aperti in base all'aspetto",
+ "allEditorsByMostRecentlyUsedQuickAccess": "Mostra tutti gli editor aperti in base a quello usato di recente",
+ "file": "File",
+ "splitUp": "Dividi Sopra",
+ "splitDown": "Dividi Sotto",
+ "splitLeft": "Dividi Sinistra",
+ "splitRight": "Dividi Destra",
+ "close": "Chiudi",
+ "closeOthers": "Chiudi altri",
+ "closeRight": "Chiudi a destra",
+ "closeAllSaved": "Chiudi salvati",
+ "closeAll": "Chiudi tutto",
+ "keepOpen": "Mantieni aperto",
+ "pin": "Aggiungi",
+ "unpin": "Rimuovi",
+ "toggleInlineView": "Attiva/Disattiva visualizzazione inline",
+ "showOpenedEditors": "Mostra editor aperti",
+ "toggleKeepEditors": "Mantieni editor aperti",
+ "splitEditorRight": "Dividi editor a destra",
+ "splitEditorDown": "Dividi editor sotto",
+ "previousChangeIcon": "Icona per l'azione Modifica precedente nell'editor diff.",
+ "nextChangeIcon": "Icona per l'azione Modifica successiva nell'editor diff.",
+ "toggleWhitespace": "Icona per l'azione di attivazione/disattivazione spazi vuoti nell'editor diff.",
+ "navigate.prev.label": "Modifica precedente",
+ "navigate.next.label": "Modifica successiva",
+ "ignoreTrimWhitespace.label": "Ignora differenze spazi vuoti iniziali/finali",
+ "showTrimWhitespace.label": "Mostra differenze spazi vuoti iniziali/finali",
+ "keepEditor": "Mantieni editor",
+ "pinEditor": "Aggiungi editor",
+ "unpinEditor": "Rimuovi editor",
+ "closeEditor": "Chiudi editor",
+ "closePinnedEditor": "Chiudi editor bloccato",
+ "closeEditorsInGroup": "Chiudi tutti gli editor del gruppo",
+ "closeSavedEditors": "Chiudi editor salvati del gruppo",
+ "closeOtherEditors": "Chiudi gli altri editor del gruppo",
+ "closeRightEditors": "Chiudi gli editor a destra nel gruppo",
+ "closeEditorGroup": "Chiudi gruppo di editor",
+ "miReopenClosedEditor": "&&Riapri editor chiuso",
+ "miClearRecentOpen": "&&Cancella elementi aperti di recente",
+ "miEditorLayout": "&&Layout editor",
+ "miSplitEditorUp": "Dividi &&Sopra",
+ "miSplitEditorDown": "Dividi &&Sotto",
+ "miSplitEditorLeft": "Dividi &&Sinistra",
+ "miSplitEditorRight": "Dividi &&Destra",
+ "miSingleColumnEditorLayout": "&&Singolo",
+ "miTwoColumnsEditorLayout": "&&Due Colonne",
+ "miThreeColumnsEditorLayout": "T&&re Colonne",
+ "miTwoRowsEditorLayout": "D&&ue Righe",
+ "miThreeRowsEditorLayout": "Tre &&Righe",
+ "miTwoByTwoGridEditorLayout": "&&Griglia (2x2)",
+ "miTwoRowsRightEditorLayout": "Due R&&ighe a destra",
+ "miTwoColumnsBottomEditorLayout": "Due &&Colonne sotto",
+ "miBack": "&&Indietro",
+ "miForward": "&&Avanti",
+ "miLastEditLocation": "&&Posizione ultima modifica",
+ "miNextEditor": "&&Editor successivo",
+ "miPreviousEditor": "Editor &&precedente",
+ "miNextRecentlyUsedEditor": "&&Editor successivo usato",
+ "miPreviousRecentlyUsedEditor": "Editor &&precedente usato",
+ "miNextEditorInGroup": "&&Editor successivo nel gruppo",
+ "miPreviousEditorInGroup": "Editor &&precedente nel gruppo",
+ "miNextUsedEditorInGroup": "&&Editor successivo usato nel gruppo",
+ "miPreviousUsedEditorInGroup": "Editor &&precedente usato nel gruppo",
+ "miSwitchEditor": "Cambia &&editor",
+ "miFocusFirstGroup": "Gruppo &&1",
+ "miFocusSecondGroup": "Gruppo &&2",
+ "miFocusThirdGroup": "Gruppo &&3",
+ "miFocusFourthGroup": "Gruppo &&4",
+ "miFocusFifthGroup": "Gruppo &&5",
+ "miNextGroup": "&&Gruppo successivo",
+ "miPreviousGroup": "Gruppo &&precedente",
+ "miFocusLeftGroup": "Gruppo &&Sinistra",
+ "miFocusRightGroup": "Gruppo &&Destra",
+ "miFocusAboveGroup": "Gruppo &&Sopra",
+ "miFocusBelowGroup": "Gruppo &&Sotto",
+ "miSwitchGroup": "Cambia &&gruppo"
+ },
+ "vs/workbench/browser/parts/activitybar/activitybarActions": {
+ "goHome": "Passa alla home page",
+ "hide": "Nascondi",
+ "manageTrustedExtensions": "Gestisci estensioni attendibili",
+ "signOut": "Disconnetti",
+ "authProviderUnavailable": "{0} non è attualmente disponibile",
+ "previousSideBarView": "Visualizzazione barra laterale precedente",
+ "nextSideBarView": "Visualizzazione barra laterale successiva"
+ },
+ "vs/workbench/browser/parts/compositeBar": {
+ "activityBarAriaLabel": "Cambio visualizzazione attiva"
+ },
+ "vs/workbench/browser/parts/compositeBarActions": {
+ "badgeTitle": "{0} - {1}",
+ "additionalViews": "Visualizzazioni aggiuntive",
+ "numberBadge": "{0} ({1})",
+ "manageExtension": "Gestisci estensione",
+ "titleKeybinding": "{0} ({1})",
+ "hide": "Nascondi",
+ "keep": "Mantieni",
+ "toggle": "Attiva/Disattiva visualizzazione bloccata"
+ },
+ "vs/workbench/browser/parts/compositePart": {
+ "ariaCompositeToolbarLabel": "{0} azioni",
+ "viewsAndMoreActions": "Visualizzazioni e altre azioni...",
+ "titleTooltip": "{0} ({1})"
+ },
+ "vs/workbench/browser/parts/panel/panelActions": {
+ "maximizeIcon": "Icona per ingrandire un pannello.",
+ "restoreIcon": "Icona per ripristinare un pannello.",
+ "closeIcon": "Icona per chiudere un pannello.",
+ "closePanel": "Chiudi pannello",
+ "togglePanel": "Attiva/Disattiva pannello",
+ "focusPanel": "Sposta lo stato attivo nel pannello",
+ "toggleMaximizedPanel": "Attiva/Disattiva pannello ingrandito",
+ "maximizePanel": "Ingrandisci dimensioni del pannello",
+ "minimizePanel": "Ripristina dimensioni del pannello",
+ "positionPanelLeft": "Sposta pannello a sinistra",
+ "positionPanelRight": "Sposta pannello a destra",
+ "positionPanelBottom": "Sposta pannello verso il basso",
+ "previousPanelView": "Visualizzazione pannello precedente",
+ "nextPanelView": "Visualizzazione pannello successivo",
+ "miShowPanel": "Mostra &&pannello"
+ },
+ "vs/workbench/common/editor/diffEditorInput": {
+ "sideBySideLabels": "{0} ↔ {1}"
+ },
+ "vs/workbench/browser/parts/editor/editorWidgets": {
+ "openWorkspace": "Apri area di lavoro"
+ },
+ "vs/workbench/browser/parts/editor/editorCommands": {
+ "editorCommand.activeEditorMove.description": "Consente di spostare l'editor attivo per schede o gruppi",
+ "editorCommand.activeEditorMove.arg.name": "Argomento per spostamento editor attivo",
+ "editorCommand.activeEditorMove.arg.description": "Proprietà degli argomenti:\r\n\t* 'to': valore stringa che specifica dove eseguire lo spostamento.\r\n\t* 'by': valore stringa che specifica l'unità per lo spostamento, ovvero per scheda o per gruppo.\r\n\t* 'value': valore numerico che specifica il numero di posizioni o una posizione assoluta per lo spostamento.",
+ "toggleInlineView": "Attiva/Disattiva visualizzazione inline",
+ "compare": "Confronta",
+ "enablePreview": "Gli editor in anteprima sono stati abilitati nelle impostazioni.",
+ "disablePreview": "Gli editor in anteprima sono stati disabilitati nelle impostazioni.",
+ "learnMode": "Altre informazioni"
+ },
+ "vs/workbench/browser/parts/editor/textResourceEditor": {
+ "textEditor": "Editor di testo"
+ },
+ "vs/workbench/browser/parts/titlebar/titlebarPart": {
+ "patchedWindowTitle": "[Non supportata]",
+ "userIsAdmin": "[Amministratore]",
+ "userIsSudo": "[Superutente]",
+ "devExtensionWindowTitlePrefix": "[Host di sviluppo estensione]"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsList": {
+ "notificationAriaLabel": "{0}, notifica",
+ "notificationWithSourceAriaLabel": "{0}, origine: {1}, notifica",
+ "notificationsList": "Elenco notifiche"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsActions": {
+ "clearIcon": "Icona per l'azione Cancella nelle notifiche.",
+ "clearAllIcon": "Icona per l'azione Cancella tutto nelle notifiche.",
+ "hideIcon": "Icona per l'azione Nascondi nelle notifiche.",
+ "expandIcon": "Icona per l'azione Espandi nelle notifiche.",
+ "collapseIcon": "Icona per l'azione Comprimi nelle notifiche.",
+ "configureIcon": "Icona per l'azione Configura nelle notifiche.",
+ "clearNotification": "Cancella notifica",
+ "clearNotifications": "Cancella tutte le notifiche",
+ "hideNotificationsCenter": "Nascondi notifiche",
+ "expandNotification": "Espandi notifica",
+ "collapseNotification": "Comprimi notifica",
+ "configureNotification": "Configura notifica",
+ "copyNotification": "Copia testo"
+ },
+ "vs/workbench/api/common/extHostDiagnostics": {
+ "limitHit": "Non verranno visualizzati altri {0} errori e avvisi."
+ },
+ "vs/workbench/api/common/extHostProgress": {
+ "extensionSource": "{0} (estensione)"
+ },
+ "vs/workbench/api/common/extHostStatusBar": {
+ "status.extensionMessage": "Stato estensione"
+ },
+ "vs/workbench/api/common/extHostTreeViews": {
+ "treeView.notRegistered": "Non è stata registrata alcuna visualizzazione struttura ad albero con ID '{0}'.",
+ "treeView.duplicateElement": "L'elemento con id {0} è già registrato"
+ },
+ "vs/workbench/browser/parts/editor/textEditor": {
+ "editor": "Editor"
+ },
+ "vs/workbench/api/browser/mainThreadCustomEditors": {
+ "defaultEditLabel": "Modifica"
+ },
+ "vs/workbench/api/browser/mainThreadWebviews": {
+ "errorMessage": "Si è verificato un errore durante il tentativo di ripristinare la visualizzazione: {0}"
+ },
+ "vs/workbench/browser/parts/editor/tabsTitleControl": {
+ "ariaLabelTabActions": "Azioni delle schede"
+ },
+ "vs/workbench/browser/parts/editor/textDiffEditor": {
+ "textDiffEditor": "Editor diff di testo"
+ },
+ "vs/workbench/browser/parts/editor/binaryDiffEditor": {
+ "metadataDiff": "{0} ↔ {1}"
+ },
+ "vs/workbench/browser/parts/editor/editorStatus": {
+ "singleSelectionRange": "Ri {0}, col {1} ({2} selezionate)",
+ "singleSelection": "Riga {0}, colonna {1}",
+ "multiSelectionRange": "{0} selezioni ({1} caratteri selezionati)",
+ "multiSelection": "{0} selezioni",
+ "endOfLineLineFeed": "LF",
+ "endOfLineCarriageReturnLineFeed": "CRLF",
+ "screenReaderDetectedExplanation.question": "Si usa un'utilità per la lettura dello schermo per VS Code? Il ritorno a capo automatico è disabilitato quando si usa un'utilità per la lettura dello schermo",
+ "screenReaderDetectedExplanation.answerYes": "Sì",
+ "screenReaderDetectedExplanation.answerNo": "No",
+ "noEditor": "Al momento non ci sono editor di testo attivi",
+ "noWritableCodeEditor": "L'editor di testo attivo è di sola lettura.",
+ "indentConvert": "converti file",
+ "indentView": "cambia visualizzazione",
+ "pickAction": "Seleziona azione",
+ "tabFocusModeEnabled": "TAB per spostare lo stato attivo",
+ "disableTabMode": "Disabilita modalità accessibilità",
+ "status.editor.tabFocusMode": "Modalità accessibilità",
+ "columnSelectionModeEnabled": "Selezione colonne",
+ "disableColumnSelectionMode": "Disabilita modalità di selezione colonne",
+ "status.editor.columnSelectionMode": "Modalità di selezione colonne",
+ "screenReaderDetected": "Ottimizzato per l'utilità per la lettura dello schermo",
+ "status.editor.screenReaderMode": "Modalità utilità per la lettura dello schermo",
+ "gotoLine": "Vai a riga/colonna",
+ "status.editor.selection": "Selezione editor",
+ "selectIndentation": "Seleziona rientro",
+ "status.editor.indentation": "Rientri editor",
+ "selectEncoding": "Seleziona codifica",
+ "status.editor.encoding": "Codifica editor",
+ "selectEOL": "Seleziona sequenza di fine riga",
+ "status.editor.eol": "Fine riga editor",
+ "selectLanguageMode": "Seleziona modalità linguaggio",
+ "status.editor.mode": "Lingua editor",
+ "fileInfo": "Informazioni sul file",
+ "status.editor.info": "Informazioni sul file",
+ "spacesSize": "Spazi: {0}",
+ "tabSize": "Dimensione tabulazione: {0}",
+ "currentProblem": "Problema corrente",
+ "showLanguageExtensions": "Cerca '{0}' nelle estensioni del Marketplace...",
+ "changeMode": "Cambia modalità linguaggio",
+ "languageDescription": "({0}) - Linguaggio configurato",
+ "languageDescriptionConfigured": "({0})",
+ "languagesPicks": "linguaggi (identificatore)",
+ "configureModeSettings": "Configura impostazioni basate su linguaggio '{0}'...",
+ "configureAssociationsExt": "Configura associazione file per '{0}'...",
+ "autoDetect": "Rilevamento automatico",
+ "pickLanguage": "Seleziona modalità linguaggio",
+ "currentAssociation": "Associazione corrente",
+ "pickLanguageToConfigure": "Seleziona la modalità linguaggio da associare a '{0}'",
+ "changeEndOfLine": "Cambia sequenza di fine riga",
+ "pickEndOfLine": "Seleziona sequenza di fine riga",
+ "changeEncoding": "Cambia codifica file",
+ "noFileEditor": "Al momento non ci sono file attivi",
+ "saveWithEncoding": "Salva con codifica",
+ "reopenWithEncoding": "Riapri con codifica",
+ "guessedEncoding": "Ipotizzata dal contenuto",
+ "pickEncodingForReopen": "Seleziona codifica per la riapertura del file",
+ "pickEncodingForSave": "Seleziona codifica per il salvataggio del file"
+ },
+ "vs/workbench/browser/parts/editor/editorActions": {
+ "splitEditor": "Dividi editor",
+ "splitEditorOrthogonal": "Dividi l'editor ortogonalmente",
+ "splitEditorGroupLeft": "Dividi l'Editor a sinistra",
+ "splitEditorGroupRight": "Dividi editor a destra",
+ "splitEditorGroupUp": "Dividi l'Editor Sopra",
+ "splitEditorGroupDown": "Dividi editor sotto",
+ "joinTwoGroups": "Unisci gruppo di editor con il gruppo successivo",
+ "joinAllGroups": "Unisci tutti i gruppi di editor",
+ "navigateEditorGroups": "Esplora gruppi di editor",
+ "focusActiveEditorGroup": "Sposta stato attivo sul gruppo di editor attivo",
+ "focusFirstEditorGroup": "Sposta stato attivo sul primo gruppo di editor",
+ "focusLastEditorGroup": "Sposta lo stato attivo sull'ultimo gruppo di editor",
+ "focusNextGroup": "Sposta lo stato attivo sul gruppo di editor successivo",
+ "focusPreviousGroup": "Sposta lo stato attivo sul gruppo di editor precedente",
+ "focusLeftGroup": "Sposta lo stato attivo sul gruppo di editor di sinistra",
+ "focusRightGroup": "Sposta lo stato attivo sul gruppo di editor di destra",
+ "focusAboveGroup": "Sposta lo stato attivo sul gruppo di editor sopra",
+ "focusBelowGroup": "Sposta lo stato attivo sul gruppo di editor sotto",
+ "closeEditor": "Chiudi editor",
+ "unpinEditor": "Sblocca editor",
+ "closeOneEditor": "Chiudi",
+ "revertAndCloseActiveEditor": "Ripristina e chiudi editor",
+ "closeEditorsToTheLeft": "Chiudi gli editor a sinistra nel gruppo",
+ "closeAllEditors": "Chiudi tutti gli editor",
+ "closeAllGroups": "Chiudi tutti i gruppi di editor",
+ "closeEditorsInOtherGroups": "Chiudi editor in altri gruppi",
+ "closeEditorInAllGroups": "Chiudi editor in tutti i gruppi",
+ "moveActiveGroupLeft": "Sposta gruppo di editor a sinistra",
+ "moveActiveGroupRight": "Sposta gruppo di editor a destra",
+ "moveActiveGroupUp": "Sposta il gruppo di editor su",
+ "moveActiveGroupDown": "Sposta il gruppo di editor giù",
+ "minimizeOtherEditorGroups": "Ingrandisci gruppo di editor",
+ "evenEditorGroups": "Reimposta le dimensioni del gruppo di editor",
+ "toggleEditorWidths": "Attiva/Disattiva le dimensioni del gruppo di editor",
+ "maximizeEditor": "Ingrandisci gruppo di editor e nascondi barra laterale",
+ "openNextEditor": "Apri editor successivo",
+ "openPreviousEditor": "Apri editor precedente",
+ "nextEditorInGroup": "Apri editor successivo del gruppo",
+ "openPreviousEditorInGroup": "Apri editor precedente del gruppo",
+ "firstEditorInGroup": "Apri il primo editor nel gruppo",
+ "lastEditorInGroup": "Apri ultimo editor del gruppo",
+ "navigateNext": "Avanti",
+ "navigatePrevious": "Indietro",
+ "navigateToLastEditLocation": "Vai all'ultima posizione di modifica",
+ "navigateLast": "Vai all'ultima",
+ "reopenClosedEditor": "Riapri editor chiuso",
+ "clearRecentFiles": "Cancella elementi aperti di recente",
+ "showEditorsInActiveGroup": "Mostra gli editor nel gruppo attivo in base a quello usato di recente",
+ "showAllEditors": "Mostra tutti gli editor in base all'aspetto",
+ "showAllEditorsByMostRecentlyUsed": "Mostra tutti gli editor in base a quello usato di recente",
+ "quickOpenPreviousRecentlyUsedEditor": "Apri editor precedente usato di recente in Quick Open",
+ "quickOpenLeastRecentlyUsedEditor": "Apri editor meno usato di recente in Quick Open",
+ "quickOpenPreviousRecentlyUsedEditorInGroup": "Apri editor precedente usato di recente nel gruppo in Quick Open",
+ "quickOpenLeastRecentlyUsedEditorInGroup": "Apri editor meno usato di recente nel gruppo in Quick Open",
+ "navigateEditorHistoryByInput": "Apri editor precedente dalla cronologia in Quick Open",
+ "openNextRecentlyUsedEditor": "Apri editor successivo usato di recente",
+ "openPreviousRecentlyUsedEditor": "Apri editor precedente usato di recente",
+ "openNextRecentlyUsedEditorInGroup": "Apri editor successivo usato di recente nel gruppo",
+ "openPreviousRecentlyUsedEditorInGroup": "Apri editor precedente usato di recente nel gruppo",
+ "clearEditorHistory": "Cancella cronologia degli editor",
+ "moveEditorLeft": "Sposta editor a sinistra",
+ "moveEditorRight": "Sposta editor a destra",
+ "moveEditorToPreviousGroup": "Sposta editor nel gruppo precedente",
+ "moveEditorToNextGroup": "Sposta editor nel gruppo successivo",
+ "moveEditorToAboveGroup": "Sposta l'editor nel gruppo sopra",
+ "moveEditorToBelowGroup": "Sposta l'editor nel gruppo sotto",
+ "moveEditorToLeftGroup": "Sposta l'editor nel gruppo di sinistra",
+ "moveEditorToRightGroup": "Sposta l'editor nel gruppo di destra",
+ "moveEditorToFirstGroup": "Sposta l'Editor nel primo gruppo",
+ "moveEditorToLastGroup": "Sposta l'editor nell'ultimo gruppo",
+ "editorLayoutSingle": "Layout di editor a singola colonna",
+ "editorLayoutTwoColumns": "Layout di editor a due colonne",
+ "editorLayoutThreeColumns": "Layout di editor a tre colonne",
+ "editorLayoutTwoRows": "Layout di editor a due righe",
+ "editorLayoutThreeRows": "Layout di editor a tre righe",
+ "editorLayoutTwoByTwoGrid": "Layout di editor a griglia (2x2)",
+ "editorLayoutTwoColumnsBottom": "Layout di editor a due colonne in basso",
+ "editorLayoutTwoRowsRight": "Editor layout con due righe a destra",
+ "newEditorLeft": "Nuovo gruppo di editor a sinistra",
+ "newEditorRight": "Nuovo gruppo di editor a destra",
+ "newEditorAbove": "Nuovo gruppo di editor sopra",
+ "newEditorBelow": "Nuovo gruppo di editor sotto",
+ "workbench.action.reopenWithEditor": "Riapri editor con...",
+ "workbench.action.toggleEditorType": "Attiva/Disattiva tipo di editor"
+ },
+ "vs/workbench/browser/parts/editor/editorQuickAccess": {
+ "noViewResults": "Non ci sono editor corrispondenti",
+ "entryAriaLabelWithGroupDirty": "{0}, modificato ma non salvato, {1}",
+ "entryAriaLabelWithGroup": "{0}, {1}",
+ "entryAriaLabelDirty": "{0}, modificato ma non salvato",
+ "closeEditor": "Chiudi editor"
+ },
+ "vs/workbench/browser/parts/editor/binaryEditor": {
+ "binaryEditor": "Visualizzatore file binari",
+ "nativeFileTooLargeError": "Il file non viene visualizzato nell'editor perché è troppo grande ({0}).",
+ "nativeBinaryError": "Il file non viene visualizzato nell'editor perché è binario o usa una codifica di testo non supportata.",
+ "openAsText": "Aprirlo comunque?"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsViewer": {
+ "executeCommand": "Fare clic per eseguire il comando '{0}'",
+ "notificationActions": "Azioni notifica",
+ "notificationSource": "Origine: {0}"
+ },
+ "vs/workbench/browser/parts/editor/titleControl": {
+ "ariaLabelEditorActions": "Azioni dell'editor",
+ "draggedEditorGroup": "{0} (+{1})"
+ },
+ "vs/workbench/browser/parts/editor/breadcrumbsControl": {
+ "cmd.toggle": "Attiva/Disattiva percorsi di navigazione",
+ "miShowBreadcrumbs": "Mostra &&percorsi di navigazione",
+ "cmd.focus": "Percorsi di navigazione con stato attivo"
+ },
+ "vs/workbench/browser/parts/editor/breadcrumbs": {
+ "title": "Percorso di navigazione",
+ "enabled": "Abilita/disabilita la barra di navigazione.",
+ "filepath": "Controlla se e come i percorsi dei file sono visualizzati nei percorsi di navigazione.",
+ "filepath.on": "Mostra il percorso del file nella vista di navigazione.",
+ "filepath.off": "Non mostra il percorso del file nella vista di navigazione.",
+ "filepath.last": "Mostra solo l'ultimo elemento del percorso del file nella vista di navigazione.",
+ "symbolpath": "Controlla se e come i simboli sono visualizzati nei percorsi di navigazione.",
+ "symbolpath.on": "Mostra tutti i simboli nella vista di navigazione.",
+ "symbolpath.off": "Non mostra i simboli nella vista di navigazione.",
+ "symbolpath.last": "Mostra solo il simbolo corrente nella vista di navigazione.",
+ "symbolSortOrder": "Controlla in che modo sono ordinati i simboli nella visualizzazione della struttura di spostamento.",
+ "symbolSortOrder.position": "Mostra la struttura dei simboli nell'ordine della posizione del file.",
+ "symbolSortOrder.name": "Mostra la struttura dei simboli in ordine alfabetico.",
+ "symbolSortOrder.type": "Mostra la struttura dei simboli nell'ordine dei tipi di simboli.",
+ "icons": "Esegue il rendering degli elementi di navigazione con le icone.",
+ "filteredTypes.file": "Se è abilitata, gli elementi di navigazione mostrano i simboli relativi a `file`.",
+ "filteredTypes.module": "Se è abilitata, gli elementi di navigazione mostrano i simboli relativi a `module`.",
+ "filteredTypes.namespace": "Se è abilitata, gli elementi di navigazione mostrano i simboli relativi a `namespace`.",
+ "filteredTypes.package": "Se è abilitata, gli elementi di navigazione mostrano i simboli relativi a `package`.",
+ "filteredTypes.class": "Se è abilitata, gli elementi di navigazione mostrano i simboli relativi a `class`.",
+ "filteredTypes.method": "Se è abilitata, gli elementi di navigazione mostrano i simboli relativi a `method`.",
+ "filteredTypes.property": "Se è abilitata, gli elementi di navigazione mostrano i simboli relativi a `property`.",
+ "filteredTypes.field": "Se è abilitata, gli elementi di navigazione mostrano i simboli relativi a `field`.",
+ "filteredTypes.constructor": "Se è abilitata, gli elementi di navigazione mostrano i simboli relativi a `constructor`.",
+ "filteredTypes.enum": "Se è abilitata, gli elementi di navigazione mostrano i simboli relativi a `enum`.",
+ "filteredTypes.interface": "Se è abilitata, gli elementi di navigazione mostrano i simboli relativi a `interface`.",
+ "filteredTypes.function": "Se è abilitata, gli elementi di navigazione mostrano i simboli relativi a `function`.",
+ "filteredTypes.variable": "Se è abilitata, gli elementi di navigazione mostrano i simboli relativi a `variable`.",
+ "filteredTypes.constant": "Se è abilitata, gli elementi di navigazione mostrano i simboli relativi a `constant`.",
+ "filteredTypes.string": "Se è abilitata, gli elementi di navigazione mostrano i simboli relativi a `string`.",
+ "filteredTypes.number": "Se è abilitata, gli elementi di navigazione mostrano i simboli relativi a `number`.",
+ "filteredTypes.boolean": "Se è abilitata, gli elementi di navigazione mostrano i simboli relativi a `boolean`.",
+ "filteredTypes.array": "Se è abilitata, gli elementi di navigazione mostrano i simboli relativi a `array`.",
+ "filteredTypes.object": "Se è abilitata, gli elementi di navigazione mostrano i simboli relativi a `object`.",
+ "filteredTypes.key": "Se è abilitata, gli elementi di navigazione mostrano i simboli relativi a `key`.",
+ "filteredTypes.null": "Se è abilitata, gli elementi di navigazione mostrano i simboli relativi a `null`.",
+ "filteredTypes.enumMember": "Se è abilitata, gli elementi di navigazione mostrano i simboli relativi a `enumMember`.",
+ "filteredTypes.struct": "Se è abilitata, gli elementi di navigazione mostrano i simboli relativi a `struct`.",
+ "filteredTypes.event": "Se è abilitata, gli elementi di navigazione mostrano i simboli relativi a `event`.",
+ "filteredTypes.operator": "Se è abilitata, gli elementi di navigazione mostrano i simboli relativi a `operator`.",
+ "filteredTypes.typeParameter": "Se è abilitata, gli elementi di navigazione mostrano i simboli relativi a `typeParameter`."
+ },
+ "vs/workbench/browser/parts/editor/breadcrumbsPicker": {
+ "breadcrumbs": "Percorsi di navigazione"
+ },
+ "vs/workbench/contrib/backup/electron-sandbox/backupTracker": {
+ "backupTrackerBackupFailed": "Non è stato possibile salvare nel percorso di backup uno o più editor modificati ma non salvati.",
+ "backupTrackerConfirmFailed": "Non è stato possibile salvare o ripristinare uno o più editor modificati ma non salvati.",
+ "ok": "OK",
+ "backupErrorDetails": "Salvare o ripristinare gli editor modificati ma non salvati prima di riprovare."
+ },
+ "vs/workbench/contrib/bulkEdit/browser/bulkEditService": {
+ "summary.0": "Non sono state apportate modifiche",
+ "summary.nm": "Effettuate {0} modifiche al testo in {1} file",
+ "summary.n0": "Effettuate {0} modifiche al testo in un file",
+ "workspaceEdit": "Modifica area di lavoro",
+ "nothing": "Non sono state apportate modifiche"
+ },
+ "vs/workbench/contrib/bulkEdit/browser/preview/bulkEdit.contribution": {
+ "overlap": "Un altro refactoring è visualizzato in anteprima.",
+ "cancel": "Annulla",
+ "continue": "Continua",
+ "detail": "Fare clic su 'Continua' per rimuovere il refactoring precedente e continuare con quello corrente.",
+ "apply": "Applica refactoring",
+ "cat": "Anteprima refactoring",
+ "Discard": "Rimuovi refactoring",
+ "toogleSelection": "Attiva/Disattiva modifica",
+ "groupByFile": "Raggruppa modifiche per file",
+ "groupByType": "Raggruppa modifiche per tipo",
+ "refactorPreviewViewIcon": "Icona della visualizzazione Anteprima refactoring.",
+ "panel": "Anteprima refactoring"
+ },
+ "vs/workbench/contrib/bulkEdit/browser/preview/bulkEditPane": {
+ "empty.msg": "Richiamare un'azione codice, come rename, per visualizzare qui un'anteprima delle modifiche.",
+ "conflict.1": "Non è possibile applicare il refactoring perché nel frattempo '{0}' è stato modificato.",
+ "conflict.N": "Non è possibile applicare il refactoring perché nel frattempo altri {0} file sono stati modificati.",
+ "edt.title.del": "{0} (eliminazione, anteprima refactoring)",
+ "rename": "Rinomina",
+ "create": "Crea",
+ "edt.title.2": "{0} ({1}, anteprima refactoring)",
+ "edt.title.1": "{0} (anteprima refactoring)"
+ },
+ "vs/workbench/contrib/bulkEdit/browser/preview/bulkEditPreview": {
+ "default": "Altro"
+ },
+ "vs/workbench/contrib/bulkEdit/browser/preview/bulkEditTree": {
+ "bulkEdit": "Modifica in blocco",
+ "aria.renameAndEdit": "Ridenominazione di {0} in {1}, nonché inserimento di modifiche al testo",
+ "aria.createAndEdit": "Creazione di {0}, nonché inserimento di modifiche al testo",
+ "aria.deleteAndEdit": "Eliminazione di {0}, nonché inserimento di modifiche al testo",
+ "aria.editOnly": "{0}, inserimento di modifiche al testo",
+ "aria.rename": "Ridenominazione di {0} in {1}",
+ "aria.create": "Creazione di {0}",
+ "aria.delete": "Eliminazione di {0}",
+ "aria.replace": "riga {0}, sostituzione di {1} con {2}",
+ "aria.del": "riga {0}, rimozione di {1}",
+ "aria.insert": "riga {0}, inserimento di {1}",
+ "rename.label": "{0} → {1}",
+ "detail.rename": "(ridenominazione)",
+ "detail.create": "(creazione)",
+ "detail.del": "(eliminazione)",
+ "title": "{0} - {1}"
+ },
+ "vs/workbench/contrib/callHierarchy/browser/callHierarchy.contribution": {
+ "no.item": "Nessun risultato",
+ "error": "Non è stato possibile visualizzare la gerarchia delle chiamate",
+ "title": "Anteprima gerarchia di chiamata",
+ "title.incoming": "Mostra chiamate in arrivo",
+ "showIncomingCallsIcons": "Icona per le chiamate in arrivo nella visualizzazione della gerarchia di chiamata.",
+ "title.outgoing": "Mostra chiamate in uscita",
+ "showOutgoingCallsIcon": "Icona per le chiamate in uscita nella visualizzazione della gerarchia di chiamata.",
+ "title.refocus": "Ripristina stato attivo per gerarchia delle chiamate",
+ "close": "Chiudi"
+ },
+ "vs/workbench/contrib/callHierarchy/browser/callHierarchyPeek": {
+ "callFrom": "Chiamate da '{0}'",
+ "callsTo": "Chiamanti di '{0}'",
+ "title.loading": "Caricamento...",
+ "empt.callsFrom": "Nessuna chiamata da '{0}'",
+ "empt.callsTo": "Nessun chiamante di '{0}'"
+ },
+ "vs/workbench/contrib/callHierarchy/browser/callHierarchyTree": {
+ "tree.aria": "Gerarchia di chiamata",
+ "from": "chiamate da {0}",
+ "to": "chiamanti di {0}"
+ },
+ "vs/workbench/contrib/cli/node/cli.contribution": {
+ "shellCommand": "Comando della shell",
+ "install": "Installa il comando '{0}' in PATH",
+ "not available": "Questo comando non è disponibile",
+ "ok": "OK",
+ "cancel2": "Annulla",
+ "warnEscalation": "Visual Studio Code eseguirà 'osascript' per richiedere i privilegi di amministratore per installare il comando della shell.",
+ "cantCreateBinFolder": "Non è possibile creare '/usr/local/bin'.",
+ "aborted": "Operazione interrotta",
+ "successIn": "Il comando della shell '{0}' è stato installato in PATH.",
+ "uninstall": "Disinstalla il comando '{0}' da PATH",
+ "warnEscalationUninstall": "Visual Studio Code richiederà i privilegi di amministratore per disinstallare il comando della shell con 'osascript'.",
+ "cantUninstall": "Non è possibile disinstallare il comando '{0}' della shell.",
+ "successFrom": "Il comando della shell '{0}' è stato disinstallato da PATH."
+ },
+ "vs/workbench/contrib/codeActions/common/codeActionsContribution": {
+ "codeActionsOnSave.fixAll": "Controlla se eseguire l'azione di correzione automatica al salvataggio del file.",
+ "codeActionsOnSave": "Tipi di azione codice da eseguire durante il salvataggio.",
+ "codeActionsOnSave.generic": "Controlla se eseguire le azioni '{0}' al salvataggio del file."
+ },
+ "vs/workbench/contrib/codeActions/common/codeActionsExtensionPoint": {
+ "contributes.codeActions": "Configura l'editor da usare per una risorsa.",
+ "contributes.codeActions.languages": "Modalità del linguaggio per le quali sono abilitate le azioni codice.",
+ "contributes.codeActions.kind": "`CodeActionKind` dell'azione codice aggiunta come contributo.",
+ "contributes.codeActions.title": "Etichetta dell'azione codice usata nell'interfaccia utente.",
+ "contributes.codeActions.description": "Descrizione dello scopo dell'azione codice."
+ },
+ "vs/workbench/contrib/codeActions/common/documentationExtensionPoint": {
+ "contributes.documentation": "Documentazione aggiunta come contributo.",
+ "contributes.documentation.refactorings": "Documentazione aggiunta come contributo per i refactoring.",
+ "contributes.documentation.refactoring": "Documentazione aggiunta come contributo per il refactoring.",
+ "contributes.documentation.refactoring.title": "Etichetta della documentazione usata nell'interfaccia utente.",
+ "contributes.documentation.refactoring.when": "Clausola WHEN.",
+ "contributes.documentation.refactoring.command": "Comando eseguito."
+ },
+ "vs/workbench/contrib/codeEditor/electron-browser/startDebugTextMate": {
+ "startDebugTextMate": "Avvia registrazione della grammatica per sintassi TextMate"
+ },
+ "vs/workbench/contrib/codeEditor/electron-sandbox/selectionClipboard": {
+ "actions.pasteSelectionClipboard": "Incolla selezione da Appunti"
+ },
+ "vs/workbench/contrib/codeEditor/browser/languageConfigurationExtensionPoint": {
+ "parseErrors": "Errori durante l'analisi di {0}: {1}",
+ "formatError": "{0}: formato non valido. È previsto l'oggetto JSON.",
+ "schema.openBracket": "Sequenza di stringa o carattere parentesi quadra di apertura.",
+ "schema.closeBracket": "Sequenza di stringa o carattere parentesi quadra di chiusura.",
+ "schema.comments": "Definisce i simboli di commento",
+ "schema.blockComments": "Definisce il modo in cui sono contrassegnati i commenti per il blocco.",
+ "schema.blockComment.begin": "Sequenza di caratteri che indica l'inizio di un commento per il blocco.",
+ "schema.blockComment.end": "Sequenza di caratteri che termina i commenti per il blocco.",
+ "schema.lineComment": "Sequenza di caratteri che indica l'inizio di un commento per la riga.",
+ "schema.brackets": "Definisce i simboli di parentesi quadra che aumentano o riducono il rientro.",
+ "schema.autoClosingPairs": "Definisce le coppie di parentesi quadre. Quando viene immessa una parentesi quadra di apertura, quella di chiusura viene inserita automaticamente.",
+ "schema.autoClosingPairs.notIn": "Definisce un elenco di ambiti in cui la corrispondenza automatica delle coppie è disabilitata.",
+ "schema.autoCloseBefore": "Definisce i caratteri che devono trovarsi dopo il cursore per applicare la chiusura automatica di parentesi quadre o virgolette quando si usa l'impostazione di chiusura automatica 'languageDefined'. Si tratta in genere di un set di caratteri con cui non può iniziare un'espressione.",
+ "schema.surroundingPairs": "Definisce le coppie di parentesi quadre che possono essere usate per racchiudere una stringa selezionata.",
+ "schema.wordPattern": "Consente di definire che cosa si intende per parola nel linguaggio di programmazione.",
+ "schema.wordPattern.pattern": "Il modello di RegExp utilizzato per trovare parole.",
+ "schema.wordPattern.flags": "I flag di RegExp utilizzati per trovare parole.",
+ "schema.wordPattern.flags.errorMessage": "Deve corrispondere al modello `/^([gimuy]+)$/`.",
+ "schema.indentationRules": "Impostazioni di rientro del linguaggio.",
+ "schema.indentationRules.increaseIndentPattern": "Se una riga corrisponde a questo criterio, tutte le linee successive devono essere rientrate una volta (fino alla corrispondenza di un'altra regola).",
+ "schema.indentationRules.increaseIndentPattern.pattern": "Criterio di RegExp per increaseIndentPattern.",
+ "schema.indentationRules.increaseIndentPattern.flags": "Flag di RegExp per increaseIndentPattern.",
+ "schema.indentationRules.increaseIndentPattern.errorMessage": "Deve corrispondere al modello `/^([gimuy]+)$/`.",
+ "schema.indentationRules.decreaseIndentPattern": "Se una riga corrisponde a questo criterio, il rientro di tutte le linee successive verrà ridotto una volta (fino alla corrispondenza di un'altra regola).",
+ "schema.indentationRules.decreaseIndentPattern.pattern": "Criterio di RegExp per decreaseIndentPattern.",
+ "schema.indentationRules.decreaseIndentPattern.flags": "Flag di RegExp per decreaseIndentPattern.",
+ "schema.indentationRules.decreaseIndentPattern.errorMessage": "Deve corrispondere al modello `/^([gimuy]+)$/`.",
+ "schema.indentationRules.indentNextLinePattern": "Se una riga corrisponde a questo criterio, il rientro verrà applicato una sola volta **solo alla riga successiva**.",
+ "schema.indentationRules.indentNextLinePattern.pattern": "Criterio di RegExp per indentNextLinePattern.",
+ "schema.indentationRules.indentNextLinePattern.flags": "Flag di RegExp per indentNextLinePattern.",
+ "schema.indentationRules.indentNextLinePattern.errorMessage": "Deve corrispondere al modello `/^([gimuy]+)$/`.",
+ "schema.indentationRules.unIndentedLinePattern": "Se una riga corrisponde a questo criterio, il rientro non deve essere modificato e la riga non deve essere valutata rispetto alle altre regole.",
+ "schema.indentationRules.unIndentedLinePattern.pattern": "Criterio di RegExp per unIndentedLinePattern.",
+ "schema.indentationRules.unIndentedLinePattern.flags": "Flag di RegExp per unIndentedLinePattern.",
+ "schema.indentationRules.unIndentedLinePattern.errorMessage": "Deve corrispondere al modello `/^([gimuy]+)$/`.",
+ "schema.folding": "Impostazioni di riduzione del codice del linguaggio.",
+ "schema.folding.offSide": "Un linguaggio è conforme alla regola di offside se i blocchi in tale linguaggio vengono espressi in base al relativo rientro. Se questa opzione è impostata, le righe vuote appartengono al blocco successivo.",
+ "schema.folding.markers": "Marcatori di riduzione del codice specifici del linguaggio, come '#region' e '#endregion'. Le espressioni regolari di inizio e fine verranno confrontate con il contenuto di tutte le righe e devono essere progettate in modo efficace",
+ "schema.folding.markers.start": "Criterio di espressione regolare per il marcatore di inizio. L'espressione regolare deve iniziare con '^'.",
+ "schema.folding.markers.end": "Criterio di espressione regolare per il marcatore di fine. L'espressione regolare deve iniziare con '^'."
+ },
+ "vs/workbench/contrib/codeEditor/browser/quickaccess/gotoSymbolQuickAccess": {
+ "empty": "Non ci sono voci corrispondenti",
+ "gotoSymbolQuickAccessPlaceholder": "Digitare il nome di un simbolo a cui passare.",
+ "gotoSymbolQuickAccess": "Vai al simbolo nell'editor",
+ "gotoSymbolByCategoryQuickAccess": "Vai al simbolo nell'editor per categoria",
+ "gotoSymbol": "Vai al simbolo nell'editor..."
+ },
+ "vs/workbench/contrib/codeEditor/browser/accessibility/accessibility": {
+ "emergencyConfOn": "Modifica dell'impostazione `editor.accessibilitySupport` in 'on'.",
+ "openingDocs": "Apertura della pagina di documentazione sull'accessibilità di VS Code in corso.",
+ "introMsg": "Grazie per aver provato le opzioni di accessibilità di Visual Studio Code.",
+ "status": "Stato:",
+ "changeConfigToOnMac": "Premere Comando+E per configurare l'editor per essere definitivamente ottimizzato per l'utilizzo con un'utilità per la lettura dello schermo.",
+ "changeConfigToOnWinLinux": "Premere Control+E per configurare l'editor per essere definitivamente ottimizzato per l'utilizzo con un'utilità per la lettura dello schermo.",
+ "auto_unknown": "L'editor è configurato per utilizzare le API della piattaforma per rilevare quando è collegata un'utilità per la lettura dello schermo ma il runtime corrente non lo supporta.",
+ "auto_on": "L'editor ha rilevato automaticamente che è collegata un'utilità per la lettura dello schermo.",
+ "auto_off": "L'editor è configurato per rilevare automaticamente quando è collegata un'utilità per la lettura dello schermo, che non è collegata in questo momento.",
+ "configuredOn": "L'editor è configurato per essere definitivamente ottimizzato per l'utilizzo con un'utilità per la lettura dello schermo - è possibile modificare questo modificando l'impostazione 'editor.accessibilitySupport'.",
+ "configuredOff": "L'editor è configurato per non essere ottimizzato per l'utilizzo con un'utilità per la lettura dello schermo.",
+ "tabFocusModeOnMsg": "Premere TAB nell'editor corrente per spostare lo stato attivo sull'elemento con stato attivabile successivo. Per attivare/disattivare questo comportamento, premere {0}.",
+ "tabFocusModeOnMsgNoKb": "Premere TAB nell'editor corrente per spostare lo stato attivo sull'elemento con stato attivabile successivo. Il comando {0} non può essere attualmente attivato con un tasto di scelta rapida.",
+ "tabFocusModeOffMsg": "Premere TAB nell'editor corrente per inserire il carattere di tabulazione. Per attivare/disattivare questo comportamento, premere {0}.",
+ "tabFocusModeOffMsgNoKb": "Premere TAB nell'editor corrente per inserire il carattere di tabulazione. Il comando {0} non può essere attualmente attivato con un tasto di scelta rapida.",
+ "openDocMac": "Premere Comando+H per aprire una finestra del browser con maggiori informazioni relative all'accessibilità di VS Code.",
+ "openDocWinLinux": "Premere Control+H per aprire una finestra del browser con maggiori informazioni relative all'accessibilità di VS Code.",
+ "outroMsg": "Per chiudere questa descrizione comando e tornare all'editor, premere ESC o MAIUSC+ESC.",
+ "ShowAccessibilityHelpAction": "Visualizza la Guida sull'accessibilità"
+ },
+ "vs/workbench/contrib/codeEditor/browser/diffEditorHelper": {
+ "hintTimeout": "L'algoritmo di calcolo delle differenze è stato arrestato in anticipo (dopo {0} ms).",
+ "removeTimeout": "Rimuovi il limite",
+ "hintWhitespace": "Mostra differenze spazi vuoti"
+ },
+ "vs/workbench/contrib/codeEditor/browser/inspectKeybindings": {
+ "workbench.action.inspectKeyMap": "Sviluppatore: controlla mapping tasti",
+ "workbench.action.inspectKeyMapJSON": "Esamina mapping dei tasti (JSON)"
+ },
+ "vs/workbench/contrib/codeEditor/browser/largeFileOptimizations": {
+ "largeFile": "{0}: per questo file di grandi dimensioni sono state disattivate le opzioni di tokenizzazione, ritorno a capo automatico e riduzione del codice allo scopo di ridurre l'utilizzo della memoria ed evitare blocchi o arresti anomali.",
+ "removeOptimizations": "Abilita le funzionalità in modo forzato",
+ "reopenFilePrompt": "Riaprire il file per rendere effettiva questa impostazione."
+ },
+ "vs/workbench/contrib/codeEditor/browser/inspectEditorTokens/inspectEditorTokens": {
+ "inspectEditorTokens": "Sviluppatore: Controlla token e ambiti dell'editor",
+ "inspectTMScopesWidget.loading": "Caricamento..."
+ },
+ "vs/workbench/contrib/codeEditor/browser/quickaccess/gotoLineQuickAccess": {
+ "gotoLineQuickAccessPlaceholder": "Digitare il numero di riga e la colonna facoltativa a cui passare, ad esempio 42:5 per la riga 42 e la colonna 5.",
+ "gotoLineQuickAccess": "Vai a riga/colonna",
+ "gotoLine": "Vai a Riga/Colonna..."
+ },
+ "vs/workbench/contrib/codeEditor/browser/saveParticipants": {
+ "formatting": "Esecuzione del formattatore '{0}' ([configura](command:workbench.action.openSettings?%5B%22editor.formatOnSave%22%5D)).",
+ "codeaction": "Correzioni rapide",
+ "codeaction.get": "Recupero delle azioni codice da '{0}' ([configura](command:workbench.action.openSettings?%5B%22editor.codeActionsOnSave%22%5D)).",
+ "codeAction.apply": "Applicazione dell'azione codice '{0}'."
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleColumnSelection": {
+ "toggleColumnSelection": "Attiva/Disattiva modalità di selezione colonne",
+ "miColumnSelection": "Modalità di &&selezione colonne"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleMinimap": {
+ "toggleMinimap": "Attiva/Disattiva minimappa",
+ "miShowMinimap": "Mostra &&minimappa"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleMultiCursorModifier": {
+ "toggleLocation": "Modificatore per l'attivazione/disattivazione multi-cursore",
+ "miMultiCursorAlt": "Passare ad ALT+clic per multi-cursore",
+ "miMultiCursorCmd": "Passare a Cmd+clic per multi-cursore",
+ "miMultiCursorCtrl": "Passare a CTRL+clic per multi-cursore"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleRenderControlCharacter": {
+ "toggleRenderControlCharacters": "Attiva/Disattiva caratteri di controllo",
+ "miToggleRenderControlCharacters": "Esegui rendering dei &&caratteri di controllo"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleRenderWhitespace": {
+ "toggleRenderWhitespace": "Attiva/Disattiva rendering spazi vuoti",
+ "miToggleRenderWhitespace": "Esegui rendering degli spazi &&vuoti"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleWordWrap": {
+ "toggle.wordwrap": "Visualizza: Attiva/Disattiva ritorno a capo automatico",
+ "unwrapMinified": "Disabilita il ritorno a capo automatico per questo file",
+ "wrapMinified": "Abilita il ritorno a capo automatico per questo file",
+ "miToggleWordWrap": "Attiva/Disattiva &&ritorno a capo automatico"
+ },
+ "vs/workbench/contrib/codeEditor/browser/find/simpleFindWidget": {
+ "label.find": "Trova",
+ "placeholder.find": "Trova",
+ "label.previousMatchButton": "Risultato precedente",
+ "label.nextMatchButton": "Risultato successivo",
+ "label.closeButton": "Chiudi"
+ },
+ "vs/workbench/contrib/codeEditor/browser/find/simpleFindReplaceWidget": {
+ "label.find": "Trova",
+ "placeholder.find": "Trova",
+ "label.previousMatchButton": "Risultato precedente",
+ "label.nextMatchButton": "Risultato successivo",
+ "label.closeButton": "Chiudi",
+ "label.toggleReplaceButton": "Attiva/Disattiva modalità sostituzione",
+ "label.replace": "Sostituisci",
+ "placeholder.replace": "Sostituisci",
+ "label.replaceButton": "Sostituisci",
+ "label.replaceAllButton": "Sostituisci tutto"
+ },
+ "vs/workbench/contrib/comments/browser/comments.contribution": {
+ "commentsConfigurationTitle": "Commenti",
+ "openComments": "Controlla l'apertura del pannello dei commenti."
+ },
+ "vs/workbench/contrib/comments/browser/commentsEditorContribution": {
+ "pickCommentService": "Seleziona provider di commenti",
+ "nextCommentThreadAction": "Vai al thread di commento successivo"
+ },
+ "vs/workbench/contrib/comments/browser/commentsView": {
+ "collapseAll": "Comprimi tutto",
+ "rootCommentsLabel": "Commenti per l'area di lavoro corrente",
+ "resourceWithCommentThreadsLabel": "Commenti in {0}, percorso completo {1}",
+ "resourceWithCommentLabel": "Commento di ${0} alla riga {1} colonna {2} in {3}, origine: {4}"
+ },
+ "vs/workbench/contrib/comments/browser/commentsTreeViewer": {
+ "imageWithLabel": "Immagine: {0}",
+ "image": "Immagine"
+ },
+ "vs/workbench/contrib/comments/browser/commentGlyphWidget": {
+ "editorGutterCommentRangeForeground": "Colore delle decorazioni della barra di navigazione dell'editor per commentare gli intervalli."
+ },
+ "vs/workbench/contrib/comments/browser/commentThreadWidget": {
+ "collapseIcon": "Icona per comprimere un commento alla revisione.",
+ "label.collapse": "Comprimi",
+ "startThread": "Avvia discussione",
+ "reply": "Rispondi...",
+ "newComment": "Digitare un nuovo commento"
+ },
+ "vs/workbench/contrib/comments/common/commentModel": {
+ "noComments": "Non sono ancora presenti commenti in questa area di lavoro."
+ },
+ "vs/workbench/contrib/comments/browser/commentNode": {
+ "commentToggleReaction": "Attiva/Disattiva reazione",
+ "commentToggleReactionError": "L'attivazione o la disattivazione della reazione al commento non è riuscita: {0}.",
+ "commentToggleReactionDefaultError": "L'attivazione o la disattivazione della reazione al commento non è riuscita",
+ "commentDeleteReactionError": "L'eliminazione della reazione al commento non è riuscita: {0}.",
+ "commentDeleteReactionDefaultError": "L'eliminazione della reazione al commento non è riuscita",
+ "commentAddReactionError": "L'eliminazione della reazione al commento non è riuscita: {0}.",
+ "commentAddReactionDefaultError": "L'eliminazione della reazione al commento non è riuscita"
+ },
+ "vs/workbench/contrib/comments/browser/reactionsAction": {
+ "pickReactions": "Seleziona reazioni..."
+ },
+ "vs/workbench/contrib/customEditor/browser/customEditors": {
+ "openWithCurrentlyActive": "Attualmente attivo",
+ "promptOpenWith.setDefaultTooltip": "Imposta come editor predefinito per i file '{0}'",
+ "promptOpenWith.placeHolder": "Seleziona l'editor da usare per '{0}'..."
+ },
+ "vs/workbench/contrib/customEditor/common/contributedCustomEditors": {
+ "builtinProviderDisplayName": "Predefinita",
+ "promptOpenWith.defaultEditor.displayName": "Editor di testo"
+ },
+ "vs/workbench/contrib/customEditor/common/extensionPoint": {
+ "contributes.customEditors": "Editor personalizzati aggiunti come contributo.",
+ "contributes.viewType": "Identificatore dell'editor personalizzato. Deve essere univoco in tutti gli editor personalizzati, di conseguenza è consigliabile includere l'ID estensione in `viewType`. `viewType` viene usato quando si registrano editor personalizzati con `vscode.registerCustomEditorProvider` e nell'[evento di attivazione](https://code.visualstudio.com/api/references/activation-events) `onCustomEditor:${id}`.",
+ "contributes.displayName": "Nome leggibile dell'editor personalizzato. Viene visualizzato agli utenti quando selezionano l'editor da usare.",
+ "contributes.selector": "Set di GLOB per cui è abilitato l'editor personalizzato.",
+ "contributes.selector.filenamePattern": "GLOB per cui è abilitato l'editor personalizzato.",
+ "contributes.priority": "Controlla se l'editor personalizzato viene abilitato automaticamente quando l'utente apre un file. Gli utenti possono eseguirne l'override usando l'impostazione `workbench.editorAssociations`.",
+ "contributes.priority.default": "L'editor viene usato automaticamente quando l'utente apre una risorsa, purché non siano stati registrati altri editor personalizzati predefiniti per tale risorsa.",
+ "contributes.priority.option": "L'editor non viene usato automaticamente quando l'utente apre una risorsa, ma può passare all'editor usando il comando `Riapri con`."
+ },
+ "vs/workbench/contrib/debug/common/debug": {
+ "internalConsoleOptions": "Controlla quando aprire la console di debug interna."
+ },
+ "vs/workbench/contrib/debug/browser/debug.contribution": {
+ "debugCategory": "Debug",
+ "runCategory": "Esegui",
+ "startDebugPlaceholder": "Digitare il nome di una configurazione di avvio da eseguire.",
+ "startDebuggingHelp": "Avvia debug",
+ "terminateThread": "Termina thread",
+ "debugFocusConsole": "Stato attivo su visualizzazione console di debug",
+ "jumpToCursor": "Passa al cursore",
+ "SetNextStatement": "Imposta istruzione successiva",
+ "inlineBreakpoint": "Punto di interruzione in linea",
+ "stepBackDebug": "Torna indietro",
+ "reverseContinue": "Inverti",
+ "restartFrame": "Riavvia frame",
+ "copyStackTrace": "Copia stack di chiamate",
+ "setValue": "Imposta valore",
+ "copyValue": "Copia valore",
+ "copyAsExpression": "Copia come espressione",
+ "addToWatchExpressions": "Aggiungi a espressione di controllo",
+ "breakWhenValueChanges": "Interrompi quando cambia il valore",
+ "miViewRun": "&&Esegui",
+ "miToggleDebugConsole": "Console di de&&bug",
+ "miStartDebugging": "&&Avvia debug",
+ "miRun": "Esegui &&senza eseguire il debug",
+ "miStopDebugging": "A&&rresta debug",
+ "miRestart Debugging": "&&Riavvia debug",
+ "miOpenConfigurations": "Apri &&configurazioni",
+ "miAddConfiguration": "A&&ggiungi configurazione...",
+ "miStepOver": "Ese&&gui istruzione/routine",
+ "miStepInto": "&&Esegui istruzione",
+ "miStepOut": "Esci da &&istruzione/routine",
+ "miContinue": "&&Continua",
+ "miToggleBreakpoint": "Attiva/Disattiva &&punto di interruzione",
+ "miConditionalBreakpoint": "Punto di interruzione &&condizionale...",
+ "miInlineBreakpoint": "P&&unto di interruzione in linea",
+ "miFunctionBreakpoint": "Punto di interruzione &&funzione...",
+ "miLogPoint": "&&Punto di inserimento istruzione di registrazione...",
+ "miNewBreakpoint": "&&Nuovo punto di interruzione",
+ "miEnableAllBreakpoints": "A&&bilita tutti i punti di interruzione",
+ "miDisableAllBreakpoints": "Disabilita tutti i &&punti di interruzione",
+ "miRemoveAllBreakpoints": "Rimuovi &&tutti i punti di interruzione",
+ "miInstallAdditionalDebuggers": "&&Installa debugger aggiuntivi...",
+ "debugPanel": "Console di debug",
+ "run": "Esegui",
+ "variables": "Variabili",
+ "watch": "Espressione di controllo",
+ "callStack": "Stack di chiamate",
+ "breakpoints": "Punti di interruzione",
+ "loadedScripts": "Script caricati",
+ "debugConfigurationTitle": "Debug",
+ "allowBreakpointsEverywhere": "Consente di impostare punti di interruzione in qualsiasi file.",
+ "openExplorerOnEnd": "Apre automaticamente la visualizzazione di esplorazione al termine di una sessione di debug.",
+ "inlineValues": "Mostra i valori delle variabili inline nell'editor durante il debug.",
+ "toolBarLocation": "Controlla la posizione della barra degli strumenti di debug. Le opzioni sono: `floating`, ovvero mobile in tutte le visualizzazioni, `docked`, ovvero ancorata nella visualizzazione di debug oppure `hidden`, ovvero nascosta.",
+ "never": "Non mostrare mai debug nella barra di stato",
+ "always": "Visualizzare sempre debug nella barra di stato",
+ "onFirstSessionStart": "Mostra debug nella barra solo stato dopo il primo avvio del debug",
+ "showInStatusBar": "Controlla quando rendere visibile la barra di stato del debug.",
+ "debug.console.closeOnEnd": "Controlla se chiudere automaticamente la console di debug al termine della sessione di debug.",
+ "openDebug": "Controlla quando aprire la visualizzazione di debug.",
+ "showSubSessionsInToolBar": "Controlla se le sessioni secondarie di debug vengono visualizzate nella barra degli strumenti di debug. Quando questa impostazione è false, il comando di arresto di una sessione secondaria avrà effetto anche sulla sessione padre.",
+ "debug.console.fontSize": "Controllare le dimensioni del carattere in pixel nella console di debug.",
+ "debug.console.fontFamily": "Controlla la famiglia di caratteri nella console di debug.",
+ "debug.console.lineHeight": "Controlla l'altezza della riga in pixel nella console di debug. Usare 0 per calcolare l'altezza della riga dalle dimensioni del carattere.",
+ "debug.console.wordWrap": "Controlla se le righe devono andare a capo nella console di debug.",
+ "debug.console.historySuggestions": "Controlla se la console di debug deve suggerire input digitato in precedenza.",
+ "launch": "Configurazione globale per l'avvio del debug. Deve essere usata in alternativa a 'launch.json' che è condiviso tra più aree di lavoro.",
+ "debug.focusWindowOnBreak": "Controlla se la finestra del workbench deve ricevere lo stato attivo in caso di interruzione del debugger.",
+ "debugAnyway": "Ignora gli errori delle attività e avvia il debug.",
+ "showErrors": "Mostra la visualizzazione Problemi e non avvia il debug.",
+ "prompt": "Chiede conferma all'utente.",
+ "cancel": "Annulla il debug.",
+ "debug.onTaskErrors": "Controlla le operazioni da eseguire quando vengono rilevati errori dopo l'esecuzione di un'attività di preavvio.",
+ "showBreakpointsInOverviewRuler": "Controlla se i punti di interruzione devono essere visualizzati nel righello delle annotazioni.",
+ "showInlineBreakpointCandidates": "Controlla se gli elementi Decorator candidati dei punti di interruzione inline devono essere visualizzati nell'editor durante il debug."
+ },
+ "vs/workbench/contrib/debug/browser/debugEditorContribution": {
+ "addConfiguration": "Aggiungi configurazione..."
+ },
+ "vs/workbench/contrib/debug/browser/breakpointEditorContribution": {
+ "logPoint": "Punto di inserimento istruzione di registrazione",
+ "breakpoint": "Punto di interruzione",
+ "breakpointHasConditionDisabled": "Questo {0} ha un {1} che potrebbe essere perso dopo il Rimuovi. È consigliabile attivare il {0}.",
+ "message": "Messaggio",
+ "condition": "Condizione",
+ "breakpointHasConditionEnabled": "Per questo {0} è presente un {1} che verrà perso in seguito alla rimozione. Provare invece a disabilitare il {0}.",
+ "removeLogPoint": "Rimuovi {0}",
+ "disableLogPoint": "{0} {1}",
+ "disable": "Disabilita",
+ "enable": "Abilita",
+ "cancel": "Annulla",
+ "removeBreakpoint": "Rimuovi {0}",
+ "editBreakpoint": "Modifica {0}...",
+ "disableBreakpoint": "Disabilita {0}",
+ "enableBreakpoint": "Abilita {0}",
+ "removeBreakpoints": "Rimuovi punti di interruzione",
+ "removeInlineBreakpointOnColumn": "Rimuovi punto di interruzione in linea a colonna {0}",
+ "removeLineBreakpoint": "Rimuovi punto di interruzione riga",
+ "editBreakpoints": "Modifica punti di interruzione",
+ "editInlineBreakpointOnColumn": "Modifica punto di interruzione in linea a colonna {0}",
+ "editLineBrekapoint": "Modifica punto di interruzione riga",
+ "enableDisableBreakpoints": "Abilita/Disabilita punti di interruzione",
+ "disableInlineColumnBreakpoint": "Disabilita punto di interruzione in linea a colonna {0}",
+ "disableBreakpointOnLine": "Disabilita punto di interruzione riga",
+ "enableBreakpoints": "Abilita punto di interruzione in linea a colonna {0}",
+ "enableBreakpointOnLine": "Abilita punto di interruzione riga",
+ "addBreakpoint": "Aggiungi punto di interruzione",
+ "addConditionalBreakpoint": "Aggiungi punto di interruzione condizionale...",
+ "addLogPoint": "Aggiungi punto di inserimento istruzione di registrazione...",
+ "debugIcon.breakpointForeground": "Colore dell'icona per i punti di interruzione.",
+ "debugIcon.breakpointDisabledForeground": "Colore dell'icona per i punti di interruzione disabilitati.",
+ "debugIcon.breakpointUnverifiedForeground": "Colore dell'icona per i punti di interruzione non verificati.",
+ "debugIcon.breakpointCurrentStackframeForeground": "Colore dell'icona per lo stack frame corrente dei punti di interruzione.",
+ "debugIcon.breakpointStackframeForeground": "Colore dell'icona per tutti gli stack frame dei punti di interruzione."
+ },
+ "vs/workbench/contrib/debug/browser/callStackEditorContribution": {
+ "topStackFrameLineHighlight": "Colore di sfondo per l'evidenziazione della riga in corrispondenza della posizione iniziale dello stack frame.",
+ "focusedStackFrameLineHighlight": "Colore di sfondo per l'evidenziazione della riga in corrispondenza dello stack frame attivo."
+ },
+ "vs/workbench/contrib/debug/browser/repl": {
+ "workbench.debug.filter.placeholder": "Filtro, ad esempio text, !exclude",
+ "debugConsole": "Console di debug",
+ "copy": "Copia",
+ "copyAll": "Copia tutti",
+ "paste": "Incolla",
+ "collapse": "Comprimi tutto",
+ "startDebugFirst": "Per valutare le espressioni, avviare una sessione di debug",
+ "actions.repl.acceptInput": "Accetta input da REPL",
+ "repl.action.filter": "REPL Sposta stato attivo su contenuto da filtrare",
+ "actions.repl.copyAll": "Debug: copia tutto in console",
+ "selectRepl": "Seleziona console di debug",
+ "clearRepl": "Cancella console",
+ "debugConsoleCleared": "La console di debug è stata cancellata"
+ },
+ "vs/workbench/contrib/debug/browser/debugViewlet": {
+ "startAdditionalSession": "Avvia sessione aggiuntiva",
+ "toggleDebugPanel": "Console di debug",
+ "toggleDebugViewlet": "Mostra Esegui con debug"
+ },
+ "vs/workbench/contrib/debug/common/abstractDebugAdapter": {
+ "timeout": "Timeout dopo {0} ms per '{1}'"
+ },
+ "vs/workbench/contrib/debug/browser/breakpointsView": {
+ "editCondition": "Modifica condizione",
+ "Logpoint": "Punto di inserimento istruzione di registrazione",
+ "Breakpoint": "Punto di interruzione",
+ "editBreakpoint": "Modifica {0}...",
+ "removeBreakpoint": "Rimuovi {0}",
+ "expressionCondition": "Condizione dell'espressione: {0}",
+ "functionBreakpointsNotSupported": "Punti di interruzione delle funzioni non sono supportati da questo tipo di debug",
+ "dataBreakpointsNotSupported": "I punti di interruzione dati non sono supportati da questo tipo di debug",
+ "functionBreakpointPlaceholder": "Funzione per cui inserire il punto di interruzione",
+ "functionBreakPointInputAriaLabel": "Digitare il punto di interruzione della funzione",
+ "exceptionBreakpointPlaceholder": "Interrompi quando l'espressione restituisce true",
+ "exceptionBreakpointAriaLabel": "Condizione punto di interruzione dell'eccezione di tipo",
+ "breakpoints": "Punti di interruzione",
+ "disabledLogpoint": "Punto di inserimento istruzione di registrazione disabilitato",
+ "disabledBreakpoint": "Punto di interruzione disabilitato",
+ "unverifiedLogpoint": "Punto di inserimento istruzione di registrazione non verificato",
+ "unverifiedBreakopint": "Punto di interruzione non verificato",
+ "functionBreakpointUnsupported": "Punti di interruzione di funzione non supportati da questo tipo di debug",
+ "functionBreakpoint": "Punto di interruzione della funzione",
+ "dataBreakpointUnsupported": "Punti di interruzione dati non supportati da questo tipo di debug",
+ "dataBreakpoint": "Punto di interruzione dei dati",
+ "breakpointUnsupported": "I punti di interruzione di questo tipo non sono supportati dal debugger",
+ "logMessage": "Messaggio del log: {0}",
+ "expression": "Condizione dell'espressione: {0}",
+ "hitCount": "Numero di passaggi: {0}",
+ "breakpoint": "Punto di interruzione"
+ },
+ "vs/workbench/contrib/debug/browser/callStackView": {
+ "running": "In esecuzione",
+ "showMoreStackFrames2": "Mostra altri stack frame",
+ "session": "Sessione",
+ "thread": "Thread",
+ "restartFrame": "Riavvia frame",
+ "loadAllStackFrames": "Carica tutti gli stack frame",
+ "showMoreAndOrigin": "Mostra altri {0}: {1}",
+ "showMoreStackFrames": "Mostra altri {0} stack frame",
+ "callStackAriaLabel": "Esegui debug stack di chiamate",
+ "threadAriaLabel": "Thread {0} {1}",
+ "stackFrameAriaLabel": "Stack frame {0}, riga {1}, {2}",
+ "sessionLabel": "Sessione {0} {1}"
+ },
+ "vs/workbench/contrib/debug/browser/debugActions": {
+ "openLaunchJson": "Apri {0}",
+ "launchJsonNeedsConfigurtion": "Configurare o correggere 'launch.json'",
+ "noFolderDebugConfig": "Per completare la configurazione di debug avanzata, aprire prima una cartella.",
+ "selectWorkspaceFolder": "Selezionare una cartella dell'area di lavoro in cui creare un file launch.json o aggiungerla al file di configurazione dell'area di lavoro",
+ "startDebug": "Avvia debug",
+ "startWithoutDebugging": "Avvia senza eseguire debug",
+ "selectAndStartDebugging": "Seleziona e avvia il debug",
+ "removeBreakpoint": "Rimuovi punto di interruzione",
+ "removeAllBreakpoints": "Rimuovi tutti i punti di interruzione",
+ "enableAllBreakpoints": "Abilita tutti i punti di interruzione",
+ "disableAllBreakpoints": "Disabilita tutti i punti di interruzione",
+ "activateBreakpoints": "Attiva punti di interruzione",
+ "deactivateBreakpoints": "Disattiva punti di interruzione",
+ "reapplyAllBreakpoints": "Riapplica tutti i punti di interruzione",
+ "addFunctionBreakpoint": "Aggiungi punto di interruzione della funzione",
+ "addWatchExpression": "Aggiungi espressione",
+ "removeAllWatchExpressions": "Rimuovi tutte le espressioni",
+ "focusSession": "Sposta stato attivo su sessione",
+ "copyValue": "Copia valore"
+ },
+ "vs/workbench/contrib/debug/browser/debugToolBar": {
+ "debugToolBarBackground": "Colore di sfondo della barra degli strumenti di debug.",
+ "debugToolBarBorder": "Colore del bordo della barra degli strumenti di debug.",
+ "debugIcon.startForeground": "Icona della barra degli strumenti di Debug per l'avvio del debug.",
+ "debugIcon.pauseForeground": "Icona della barra degli strumenti di Debug per la pausa.",
+ "debugIcon.stopForeground": "Icona della barra degli strumenti di Debug per l'arresto.",
+ "debugIcon.disconnectForeground": "Icona della barra degli strumenti di Debug per la disconnessione.",
+ "debugIcon.restartForeground": "Icona della barra degli strumenti di Debug per il riavvio.",
+ "debugIcon.stepOverForeground": "Icona della barra degli strumenti di Debug per l'esecuzione di un'istruzione o di una routine.",
+ "debugIcon.stepIntoForeground": "Icona della barra degli strumenti di Debug per l'esecuzione di un'istruzione.",
+ "debugIcon.stepOutForeground": "Icona della barra degli strumenti di Debug per l'esecuzione di un'istruzione/routine.",
+ "debugIcon.continueForeground": "Icona della barra degli strumenti di Debug per la continuazione.",
+ "debugIcon.stepBackForeground": "Icona della barra degli strumenti di debug per tornare indietro."
+ },
+ "vs/workbench/contrib/debug/browser/debugService": {
+ "1activeSession": "1 sessione attiva",
+ "nActiveSessions": "{0} sessioni attive",
+ "configurationAlreadyRunning": "Una configurazione di debug \"{0}\" è già in esecuzione.",
+ "compoundMustHaveConfigurations": "Per avviare più configurazioni, deve essere impostato l'attributo \"configurations\" dell'elemento compounds.",
+ "noConfigurationNameInWorkspace": "Non è stato possibile trovare la configurazione di avvio '{0}' nell'area di lavoro.",
+ "multipleConfigurationNamesInWorkspace": "Nell'area di lavoro sono presenti più configurazioni di avvio '{0}'. Usare il nome di cartella per qualificare la configurazione.",
+ "noFolderWithName": "La cartella denominata '{0}' per la configurazione '{1}' nell'elemento compounds '{2}' non è stata trovata.",
+ "configMissing": "In 'launch.json' manca la configurazione '{0}'.",
+ "launchJsonDoesNotExist": "'launch.json' non esiste per la cartella dell'area di lavoro passata.",
+ "debugRequestNotSupported": "Nella configurazione di debug scelta l'attributo '{0}' ha un valore non supportato '{1}'.",
+ "debugRequesMissing": "Nella configurazione di debug scelta manca l'attributo '{0}'.",
+ "debugTypeNotSupported": "Il tipo di debug configurato '{0}' non è supportato.",
+ "debugTypeMissing": "Manca la proprietà 'type' per la configurazione di avvio scelta.",
+ "installAdditionalDebuggers": "Installa l'estensione {0}",
+ "noFolderWorkspaceDebugError": "Non è possibile eseguire il debug del file attivo. Assicurarsi che sia salvato e che sia installata un'estensione di debug per tale tipo di file.",
+ "debugAdapterCrash": "Il processo dell'adattatore di debug è stato terminato in modo imprevisto ({0})",
+ "cancel": "Annulla",
+ "debuggingPaused": "{0}:{1}, debug sospeso {2}, {3}",
+ "breakpointAdded": "Aggiunto un punto di interruzione alla riga {0} del file {1}",
+ "breakpointRemoved": "Rimosso un punto di interruzione alla riga {0} del file {1}"
+ },
+ "vs/workbench/contrib/debug/browser/statusbarColorProvider": {
+ "statusBarDebuggingBackground": "Colore di sfondo della barra di stato quando è in corso il debug di un programma. La barra di stato è visualizzata nella parte inferiore della finestra",
+ "statusBarDebuggingForeground": "Colore primo piano della barra di stato quando è in corso il debug di un programma. La barra di stato è visualizzata nella parte inferiore della finestra",
+ "statusBarDebuggingBorder": "Colore del bordo della barra di stato che la separa dalla barra laterale e dall'editor durante il debug di un programma. La barra di stato è visualizzata nella parte inferiore della finestra."
+ },
+ "vs/workbench/contrib/debug/browser/debugStatus": {
+ "status.debug": "Debug",
+ "debugTarget": "Debug: {0}",
+ "selectAndStartDebug": "Selezionare e avviare la configurazione di debug"
+ },
+ "vs/workbench/contrib/debug/browser/debugCommands": {
+ "restartDebug": "Riavvia",
+ "stepOverDebug": "Esegui istruzione/routine",
+ "stepIntoDebug": "Esegui istruzione",
+ "stepOutDebug": "Esci da istruzione/routine",
+ "pauseDebug": "Pausa",
+ "disconnect": "Disconnetti",
+ "stop": "Arresta",
+ "continueDebug": "Continua",
+ "chooseLocation": "Scegli il percorso specifico",
+ "noExecutableCode": "In corrispondenza della posizione corrente del cursore non è associato alcun codice eseguibile.",
+ "jumpToCursor": "Passa al cursore",
+ "debug": "Debug",
+ "noFolderDebugConfig": "Per completare la configurazione di debug avanzata, aprire prima una cartella.",
+ "addInlineBreakpoint": "Aggiungi punto di interruzione in linea"
+ },
+ "vs/workbench/contrib/debug/browser/loadedScriptsView": {
+ "loadedScriptsSession": "Sessione di debug",
+ "loadedScriptsAriaLabel": "Script caricati da debug",
+ "loadedScriptsRootFolderAriaLabel": "Cartella dell'area di lavoro {0}, script caricato, debug",
+ "loadedScriptsSessionAriaLabel": "Sessione {0}, script caricato, debug",
+ "loadedScriptsFolderAriaLabel": "Cartella {0}, script caricato, debug",
+ "loadedScriptsSourceAriaLabel": "{0}, script caricato, debug"
+ },
+ "vs/workbench/contrib/debug/browser/debugEditorActions": {
+ "toggleBreakpointAction": "Debug: Attiva/Disattiva punto di interruzione",
+ "conditionalBreakpointEditorAction": "Debug: Aggiungi Punto di interruzione condizionale...",
+ "logPointEditorAction": "Debug: Aggiungi punto di inserimento istruzione di registrazione...",
+ "runToCursor": "Esegui fino al cursore",
+ "evaluateInDebugConsole": "Valuta nella console di debug",
+ "addToWatch": "Aggiungi a espressione di controllo",
+ "showDebugHover": "Debug: Visualizza passaggio del mouse",
+ "stepIntoTargets": "Esegui istruzione in destinazioni...",
+ "goToNextBreakpoint": "Debug: Vai al punto di interruzione successivo",
+ "goToPreviousBreakpoint": "Debug: Vai al punto di interruzione precedente",
+ "closeExceptionWidget": "Chiudi il widget Eccezione"
+ },
+ "vs/workbench/contrib/debug/browser/watchExpressionsView": {
+ "editWatchExpression": "Modifica espressione",
+ "removeWatchExpression": "Rimuovi espressione",
+ "watchExpressionInputAriaLabel": "Digitare l'espressione di controllo",
+ "watchExpressionPlaceholder": "Espressione da controllare",
+ "watchAriaTreeLabel": "Esegui debug espressioni di controllo",
+ "watchExpressionAriaLabel": "{0}, valore {1}",
+ "watchVariableAriaLabel": "{0}, valore {1}"
+ },
+ "vs/workbench/contrib/debug/browser/variablesView": {
+ "variableValueAriaLabel": "Digitare il nuovo valore della variabile",
+ "variablesAriaTreeLabel": "Esegui debug variabili",
+ "variableScopeAriaLabel": "Ambito {0}",
+ "variableAriaLabel": "{0}, valore {1}"
+ },
+ "vs/workbench/contrib/debug/common/debugContentProvider": {
+ "unable": "Non è possibile risolvere la risorsa senza una sessione di debug",
+ "canNotResolveSourceWithError": "Non è stato possibile caricare l'origine '{0}': {1}.",
+ "canNotResolveSource": "Non è stato possibile caricare l'origine '{0}'."
+ },
+ "vs/workbench/contrib/debug/browser/welcomeView": {
+ "run": "Esegui",
+ "openAFileWhichCanBeDebugged": "[Aprire un file](command:{0}) che può essere sottoposto a debug o eseguito.",
+ "runAndDebugAction": "[Esegui con debug{0}](command:{1})",
+ "detectThenRunAndDebug": "[Mostra](command:{0}) tutte le configurazioni di debug automatiche.",
+ "customizeRunAndDebug": "Per personalizzare Esegui con debug, [creare un file launch.json](command:{0}).",
+ "customizeRunAndDebugOpenFolder": "Per personalizzare Esegui con debug, [aprire una cartella](command:{0}) e creare un file launch.json."
+ },
+ "vs/workbench/contrib/debug/browser/debugQuickAccess": {
+ "noDebugResults": "Non ci sono configurazioni di avvio corrispondenti",
+ "customizeLaunchConfig": "Imposta configurazione di avvio",
+ "contributed": "aggiunte come contributo",
+ "providerAriaLabel": "Configurazioni di {0} aggiunte come contributo",
+ "configure": "configura",
+ "addConfigTo": "Aggiungi configurazione ({0})...",
+ "addConfiguration": "Aggiungi configurazione..."
+ },
+ "vs/workbench/contrib/debug/browser/debugIcons": {
+ "debugConsoleViewIcon": "Icona della visualizzazione Console di debug.",
+ "runViewIcon": "Icona della visualizzazione Esecuzione.",
+ "variablesViewIcon": "Icona della visualizzazione Variabili.",
+ "watchViewIcon": "Icona della visualizzazione Espressione di controllo.",
+ "callStackViewIcon": "Icona della visualizzazione Stack di chiamate.",
+ "breakpointsViewIcon": "Icona della visualizzazione Punti di interruzione.",
+ "loadedScriptsViewIcon": "Icona della visualizzazione Script caricati.",
+ "debugBreakpoint": "Icona per i punti di interruzione.",
+ "debugBreakpointDisabled": "Icona per i punti di interruzione disabilitati.",
+ "debugBreakpointUnverified": "Icona per i punti di interruzione non verificati.",
+ "debugBreakpointHint": "Icona per i suggerimenti dei punti di interruzione visualizzati al passaggio del mouse nel margine del glifo dell'editor.",
+ "debugBreakpointFunction": "Icona per i punti di interruzione delle funzioni.",
+ "debugBreakpointFunctionUnverified": "Icona per i punti di interruzione delle funzioni non verificati.",
+ "debugBreakpointFunctionDisabled": "Icona per i punti di interruzione delle funzioni disabilitati.",
+ "debugBreakpointUnsupported": "Icona per i punti di interruzione non supportati.",
+ "debugBreakpointConditionalUnverified": "Icona per i punti di interruzione condizionali non verificati.",
+ "debugBreakpointConditional": "Icona per i punti di interruzione condizionali.",
+ "debugBreakpointConditionalDisabled": "Icona per i punti di interruzione condizionali disabilitati.",
+ "debugBreakpointDataUnverified": "Icona per i punti di interruzione dei dati non verificati.",
+ "debugBreakpointData": "Icona per i punti di interruzione dei dati.",
+ "debugBreakpointDataDisabled": "Icona per i punti di interruzione dei dati disabilitati.",
+ "debugBreakpointLogUnverified": "Icona per i punti di interruzione dei log non verificati.",
+ "debugBreakpointLog": "Icona per i punti di interruzione dei log.",
+ "debugBreakpointLogDisabled": "Icona per i punti di interruzione dei log disabilitati.",
+ "debugStackframe": "Icona per uno stack frame visualizzato nel margine del glifo dell'editor.",
+ "debugStackframeFocused": "Icona per uno stack frame in primo piano visualizzato nel margine del glifo dell'editor.",
+ "debugGripper": "Icona per la barretta verticale di ridimensionamento della barra di debug.",
+ "debugRestartFrame": "Icona per l'azione di riavvio frame del debug.",
+ "debugStop": "Icona per l'azione di arresto del debug.",
+ "debugDisconnect": "Icona per l'azione di disconnessione del debug.",
+ "debugRestart": "Icona per l'azione di riavvio del debug.",
+ "debugStepOver": "Icona per l'azione Esegui istruzione/routine del debug.",
+ "debugStepInto": "Icona per l'azione Esegui istruzione del debug.",
+ "debugStepOut": "Icona per l'azione Esci da istruzione/routine del debug.",
+ "debugStepBack": "Icona per l'azione Torna indietro del debug.",
+ "debugPause": "Icona per l'azione di sospensione del debug.",
+ "debugContinue": "Icona per l'azione di continuazione del debug.",
+ "debugReverseContinue": "Icona per l'azione di continuazione all'indietro del debug.",
+ "debugStart": "Icona per l'azione di avvio del debug.",
+ "debugConfigure": "Icona per l'azione di configurazione del debug.",
+ "debugConsole": "Icona per l'azione di apertura della Console di debug.",
+ "debugCollapseAll": "Icona per l'azione Comprimi tutto nelle visualizzazioni di debug.",
+ "callstackViewSession": "Icona dell'icona di sessione nella visualizzazione Stack di chiamate.",
+ "debugConsoleClearAll": "Icona per l'azione Cancella tutto nella Console di debug.",
+ "watchExpressionsRemoveAll": "Icona per l'azione Rimuovi tutto nella visualizzazione Espressione di controllo.",
+ "watchExpressionsAdd": "Icona dell'azione di aggiunta nella visualizzazione Espressione di controllo.",
+ "watchExpressionsAddFuncBreakpoint": "Icona per l'azione Aggiungi punto di interruzione della funzione nella visualizzazione Espressione di controllo.",
+ "breakpointsRemoveAll": "Icona per l'azione Rimuovi tutto nella visualizzazione Punti di interruzione.",
+ "breakpointsActivate": "Icona dell'azione di attivazione nella visualizzazione Punti di interruzione.",
+ "debugConsoleEvaluationInput": "Icona per il marcatore di input della valutazione del debug.",
+ "debugConsoleEvaluationPrompt": "Icona per il prompt di valutazione del debug."
+ },
+ "vs/workbench/contrib/debug/browser/exceptionWidget": {
+ "debugExceptionWidgetBorder": "Colore del bordo del widget Eccezione.",
+ "debugExceptionWidgetBackground": "Colore di sfondo del widget Eccezione.",
+ "exceptionThrownWithId": "Si è verificata un'eccezione: {0}",
+ "exceptionThrown": "Si è verificata un'eccezione",
+ "close": "Chiudi"
+ },
+ "vs/workbench/contrib/debug/browser/debugHover": {
+ "quickTip": "Tenere premuto {0} per visualizzare la lingua dell'editor al passaggio del mouse",
+ "treeAriaLabel": "Esegui debug al passaggio del mouse",
+ "variableAriaLabel": "{0}, valore {1}, variabili, debug"
+ },
+ "vs/workbench/contrib/debug/browser/breakpointWidget": {
+ "breakpointWidgetLogMessagePlaceholder": "Messaggio da registrare quando viene raggiunto il punto di interruzione. Le espressioni tra parentesi graffe ({}) vengono interpolate. Premere 'INVIO' per accettare, \"ESC\" per annullare.",
+ "breakpointWidgetHitCountPlaceholder": "Interrompe quando viene soddisfatta la condizione del numero di passaggi. Premere 'INVIO' per accettare oppure 'ESC' per annullare.",
+ "breakpointWidgetExpressionPlaceholder": "Interrompe quando l'espressione restituisce true. Premere 'INVIO' per accettare oppure 'ESC' per annullare.",
+ "expression": "Espressione",
+ "hitCount": "Numero di passaggi",
+ "logMessage": "Messaggio del log",
+ "breakpointType": "Tipo di punto di interruzione"
+ },
+ "vs/workbench/contrib/debug/browser/debugActionViewItems": {
+ "debugLaunchConfigurations": "Configurazioni di esecuzione debug",
+ "noConfigurations": "Non ci sono configurazioni",
+ "addConfigTo": "Aggiungi configurazione ({0})...",
+ "addConfiguration": "Aggiungi configurazione...",
+ "debugSession": "Sessione di debug"
+ },
+ "vs/workbench/contrib/debug/browser/linkDetector": {
+ "fileLinkMac": "Cmd + clic per seguire il collegamento",
+ "fileLink": "CTRL + clic per seguire il collegamento"
+ },
+ "vs/workbench/contrib/debug/browser/replViewer": {
+ "debugConsole": "Console di debug",
+ "replVariableAriaLabel": "Variabile {0}, valore {1}",
+ "occurred": ", che si è verificato {0} volte",
+ "replRawObjectAriaLabel": "Variabile {0} della console di debug, valore {1}",
+ "replGroup": "Gruppo {0} della console di debug"
+ },
+ "vs/workbench/contrib/debug/common/replModel": {
+ "consoleCleared": "La console è stata cancellata",
+ "snapshotObj": "Per questo oggetto vengono visualizzati solo i valori primitivi."
+ },
+ "vs/workbench/contrib/debug/browser/replFilter": {
+ "showing filtered repl lines": "Visualizzazione di {0} elementi su {1}"
+ },
+ "vs/workbench/contrib/debug/node/debugAdapter": {
+ "debugAdapterBinNotFound": "Il file eseguibile '{0}' dell'adattatore di debug non esiste.",
+ "debugAdapterCannotDetermineExecutable": "Non è possibile determinare il file eseguibile per l'adattatore di debug '{0}'.",
+ "unableToLaunchDebugAdapter": "Non è possibile avviare l'adattatore di debug da '{0}'.",
+ "unableToLaunchDebugAdapterNoArgs": "Non è possibile avviare l'adattatore di debug."
+ },
+ "vs/workbench/contrib/debug/common/debugModel": {
+ "invalidVariableAttributes": "Attributi di variabile non validi",
+ "startDebugFirst": "Per valutare le espressioni, avviare una sessione di debug",
+ "notAvailable": "Non disponibile",
+ "pausedOn": "Sospeso in caso di {0}",
+ "paused": "In pausa",
+ "running": "In esecuzione",
+ "breakpointDirtydHover": "Punto di interruzione non verificato. Il file è stato modificato. Riavviare la sessione di debug."
+ },
+ "vs/workbench/contrib/debug/browser/debugConfigurationManager": {
+ "selectConfiguration": "Seleziona configurazione di avvio",
+ "editLaunchConfig": "Modifica configurazione di debug in launch.json",
+ "DebugConfig.failed": "Non è possibile creare il file 'launch.json' all'interno della cartella '.vscode' ({0}).",
+ "workspace": "Area di lavoro",
+ "user settings": "Impostazioni utente"
+ },
+ "vs/workbench/contrib/debug/browser/debugSession": {
+ "noDebugAdapter": "Non è disponibile alcun debugger. Non è possibile inviare '{0}'",
+ "sessionNotReadyForBreakpoints": "La sessione non è pronta per i punti di interruzione",
+ "debuggingStarted": "Il debug è stato avviato.",
+ "debuggingStopped": "Il debug è stato arrestato."
+ },
+ "vs/workbench/contrib/debug/browser/debugTaskRunner": {
+ "preLaunchTaskErrors": "Sono presenti errori dopo l'esecuzione di preLaunchTask '{0}'.",
+ "preLaunchTaskError": "È presente un errore dopo l'esecuzione di preLaunchTask '{0}'.",
+ "preLaunchTaskExitCode": "L'attività di preavvio '{0}' è stata terminata ed è stato restituito il codice di uscita {1}.",
+ "preLaunchTaskTerminated": "L'attività '{0}' di preLaunchTask è stata terminata.",
+ "debugAnyway": "Esegui comunque il debug",
+ "showErrors": "Mostra errori",
+ "abort": "Interrompi",
+ "remember": "Memorizza la scelta nelle impostazioni utente",
+ "invalidTaskReference": "Non è possibile fare riferimento all'attività '{0}' da una configurazione di avvio che si trova in una cartella diversa dell'area di lavoro.",
+ "DebugTaskNotFoundWithTaskId": "Non è stato possibile trovare l'attività '{0}'.",
+ "DebugTaskNotFound": "Non è stato possibile trovare l'attività specificata.",
+ "taskNotTrackedWithTaskId": "Non è possibile tenere traccia dell'attività specificata.",
+ "taskNotTracked": "L'attività '{0}' non può essere rintracciata."
+ },
+ "vs/workbench/contrib/debug/browser/debugAdapterManager": {
+ "debugNoType": "Il \"tipo\" del debugger non può essere omesso e deve essere di tipo \"string\"",
+ "more": "Altro...",
+ "selectDebug": "Seleziona ambiente"
+ },
+ "vs/workbench/contrib/debug/common/debugSource": {
+ "unknownSource": "Origine sconosciuta"
+ },
+ "vs/workbench/contrib/debug/common/debugSchemas": {
+ "vscode.extension.contributes.debuggers": "Aggiunge come contributo gli adattatori di debug.",
+ "vscode.extension.contributes.debuggers.type": "Identificatore univoco per questo adattatore di debug.",
+ "vscode.extension.contributes.debuggers.label": "Nome visualizzato per questo adattatore di debug.",
+ "vscode.extension.contributes.debuggers.program": "Percorso del programma dell'adattatore di debug. Il percorso è assoluto o relativo alla cartella delle estensioni.",
+ "vscode.extension.contributes.debuggers.args": "Argomenti facoltativi da passare all'adattatore.",
+ "vscode.extension.contributes.debuggers.runtime": "Runtime facoltativo nel caso in cui l'attributo del programma non sia un eseguibile ma richieda un runtime.",
+ "vscode.extension.contributes.debuggers.runtimeArgs": "Argomenti del runtime facoltativo.",
+ "vscode.extension.contributes.debuggers.variables": "Mapping tra le variabili interattive, ad esempio ${action.pickProcess}, in `launch.json` e un comando.",
+ "vscode.extension.contributes.debuggers.initialConfigurations": "Configurazioni per generare la versione iniziale di 'launch.json'.",
+ "vscode.extension.contributes.debuggers.languages": "Elenco dei linguaggi. per cui l'estensione di debug può essere considerata il \"debugger predefinito\".",
+ "vscode.extension.contributes.debuggers.configurationSnippets": "Frammenti per l'aggiunta di nuove configurazioni in 'launch.json'.",
+ "vscode.extension.contributes.debuggers.configurationAttributes": "Configurazioni dello schema JSON per la convalida di 'launch.json'.",
+ "vscode.extension.contributes.debuggers.windows": "Impostazioni specifiche di Windows.",
+ "vscode.extension.contributes.debuggers.windows.runtime": "Runtime usato per Windows.",
+ "vscode.extension.contributes.debuggers.osx": "Impostazioni specifiche di macOS.",
+ "vscode.extension.contributes.debuggers.osx.runtime": "Runtime usato per macOS.",
+ "vscode.extension.contributes.debuggers.linux": "Impostazioni specifiche di Linux.",
+ "vscode.extension.contributes.debuggers.linux.runtime": "Runtime usato per Linux.",
+ "vscode.extension.contributes.breakpoints": "Aggiunge come contributo i punti di interruzione.",
+ "vscode.extension.contributes.breakpoints.language": "Consente i punti di interruzione per questo linguaggio.",
+ "presentation": "Opzioni di presentazione per indicare come visualizzare questa configurazione nell'elenco a discesa delle configurazioni e nel riquadro comandi.",
+ "presentation.hidden": "Controlla se visualizzare questa configurazione nell'elenco a discesa delle configurazioni e nel riquadro comandi.",
+ "presentation.group": "Gruppo a cui appartiene questa configurazione. Viene usato per il raggruppamento e l'ordinamento nell'elenco a discesa delle configurazioni e nel riquadro comandi.",
+ "presentation.order": "Ordine di questa configurazione in un gruppo. Viene usato per il raggruppamento e l'ordinamento nell'elenco a discesa delle configurazioni e nel riquadro comandi.",
+ "app.launch.json.title": "Avvia",
+ "app.launch.json.version": "Versione di questo formato di file.",
+ "app.launch.json.configurations": "Elenco delle configurazioni. Aggiungere nuove configurazioni o modificare quelle esistenti con IntelliSense.",
+ "app.launch.json.compounds": "Elenco degli elementi compounds. Ogni elemento compounds fa riferimento a più configurazioni che verranno avviate insieme.",
+ "app.launch.json.compound.name": "Nome dell'elemento compounds. Viene visualizzato nel menu a discesa della configurazione di avvio.",
+ "useUniqueNames": "Usare nomi di configurazione univoci.",
+ "app.launch.json.compound.folder": "Nome della cartella in cui si trova l'elemento compounds.",
+ "app.launch.json.compounds.configurations": "Nomi delle configurazioni che verranno avviate per questo elemento compounds.",
+ "app.launch.json.compound.stopAll": "Controlla se la terminazione manuale di una sessione implica l'arresto di tutte le sessioni composte.",
+ "compoundPrelaunchTask": "Attività da eseguire prima dell'avvio di una qualsiasi delle configurazioni composite."
+ },
+ "vs/workbench/contrib/debug/browser/rawDebugSession": {
+ "noDebugAdapterStart": "Non è possibile avviare la sessione di debug perché non è stato trovato alcun adattatore di debug.",
+ "noDebugAdapter": "Non è stato trovato alcun debugger disponibile. Non è possibile inviare '{0}'.",
+ "moreInfo": "Altre info"
+ },
+ "vs/workbench/contrib/debug/common/debugger": {
+ "cannot.find.da": "Non è possibile trovare l'adattatore di debug per il tipo '{0}'.",
+ "launch.config.comment1": "Usare IntelliSense per informazioni sui possibili attributi.",
+ "launch.config.comment2": "Al passaggio del mouse vengono visualizzate le descrizioni degli attributi esistenti.",
+ "launch.config.comment3": "Per altre informazioni, visitare: {0}",
+ "debugType": "Tipo di configurazione.",
+ "debugTypeNotRecognised": "Il tipo di debug non è riconosciuto. Assicurarsi di avere un'estensione appropriata per il debug installata e che sia abilitata.",
+ "node2NotSupported": "\"node2\" non è più supportato. In alternativa, usare \"node\" e impostare l'attributo \"protocol\" su \"inspector\".",
+ "debugName": "Nome della configurazione. Viene visualizzato nel menu a discesa delle configurazioni di avvio.",
+ "debugRequest": "Tipo della richiesta di configurazione. Può essere \"launch\" o \"attach\".",
+ "debugServer": "Solo per lo sviluppo dell'estensione di debug: se si specifica una porta, Visual Studio Code prova a connettersi a un adattatore di debug in esecuzione in modalità server",
+ "debugPrelaunchTask": "Attività da eseguire prima dell'avvio della sessione di debug.",
+ "debugPostDebugTask": "Attività da eseguire al termine della sessione di debug.",
+ "debugWindowsConfiguration": "Attributi della configurazione di avvio specifici di Windows.",
+ "debugOSXConfiguration": "Attributi della configurazione di avvio specifici di OS X.",
+ "debugLinuxConfiguration": "Attributi della configurazione di avvio specifici di Linux."
+ },
+ "vs/workbench/contrib/dialogs/browser/dialogHandler": {
+ "yesButton": "&&Sì",
+ "cancelButton": "Annulla",
+ "aboutDetail": "Versione: {0}\r\nCommit: {1}\r\nData: {2}\r\nBrowser: {3}",
+ "copy": "Copia",
+ "ok": "OK"
+ },
+ "vs/workbench/contrib/dialogs/electron-sandbox/dialogHandler": {
+ "yesButton": "&&Sì",
+ "cancelButton": "Annulla",
+ "aboutDetail": "Versione: {0}\r\nCommit: {1}\r\nData: {2}\r\nElectron: {3}\r\nChrome: {4}\r\nNode.js: {5}\r\nV8: {6}\r\nSistema operativo: {7}",
+ "okButton": "OK",
+ "copy": "&&Copia"
+ },
+ "vs/workbench/contrib/emmet/browser/actions/expandAbbreviation": {
+ "expandAbbreviationAction": "Emmet: Espandi abbreviazione",
+ "miEmmetExpandAbbreviation": "Emmet: &&Espandi abbreviazione"
+ },
+ "vs/workbench/contrib/experiments/browser/experiments.contribution": {
+ "workbench.enableExperiments": "Recupera gli esperimenti da eseguire da un servizio online Microsoft."
+ },
+ "vs/workbench/contrib/extensions/electron-browser/extensions.contribution": {
+ "runtimeExtension": "Estensioni in esecuzione"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/runtimeExtensionsEditor": {
+ "extensionHostProfileStart": "Avvia profilo host dell'estensione",
+ "stopExtensionHostProfileStart": "Arresta profilo host dell'estensione",
+ "saveExtensionHostProfile": "Salva profilo host dell'estensione"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/debugExtensionHostAction": {
+ "debugExtensionHost": "Avvia debug host dell'estensione",
+ "restart1": "Profila estensioni",
+ "restart2": "Per profilare le estensioni, è richiesto un riavvio. Riavviare '{0}' ora?",
+ "restart3": "&&Riavvia",
+ "cancel": "&&Annulla",
+ "debugExtensionHost.launch.name": "Collega host dell'estensione"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/extensionProfileService": {
+ "profilingExtensionHost": "Profilatura dell'host dell'estensione",
+ "selectAndStartDebug": "Fare clic per arrestare la profilatura.",
+ "profilingExtensionHostTime": "Profilatura dell'host dell'estensione ({0} sec)",
+ "status.profiler": "Profiler estensione",
+ "restart1": "Profila estensioni",
+ "restart2": "Per profilare le estensioni, è richiesto un riavvio. Riavviare '{0}' ora?",
+ "restart3": "&&Riavvia",
+ "cancel": "&&Annulla"
+ },
+ "vs/workbench/contrib/extensions/common/runtimeExtensionsInput": {
+ "extensionsInputName": "Estensioni in esecuzione"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/extensionsAutoProfiler": {
+ "unresponsive-exthost": "L'estensione '{0}' ha richiesto molto tempo per completare l'ultima operazione e ha impedito l'esecuzione di altre estensioni.",
+ "show": "Mostra estensioni"
+ },
+ "vs/workbench/contrib/extensions/electron-sandbox/extensionsActions": {
+ "openExtensionsFolder": "Apri cartella estensioni"
+ },
+ "vs/workbench/contrib/extensions/browser/extensions.contribution": {
+ "manageExtensionsQuickAccessPlaceholder": "Premere INVIO per gestire le estensioni.",
+ "manageExtensionsHelp": "Gestisci estensioni",
+ "installVSIX": "Installa VSIX dell'estensione",
+ "extension": "Estensione",
+ "extensions": "Estensioni",
+ "extensionsConfigurationTitle": "Estensioni",
+ "extensionsAutoUpdate": "Se è abilitata, installa automaticamente gli aggiornamenti per le estensioni. Gli aggiornamenti vengono recuperati da un servizio Microsoft online.",
+ "extensionsCheckUpdates": "Se è abilitata, controlla automaticamente la disponibilità di aggiornamenti per le estensioni. Se per un'estensione è disponibile un aggiornamento, l'estensione viene contrassegnata come obsoleta nella visualizzazione Estensioni. Gli aggiornamenti vengono recuperati da un servizio Microsoft online.",
+ "extensionsIgnoreRecommendations": "Se è abilitata, le notifiche per le estensioni consigliate non verranno mostrate.",
+ "extensionsShowRecommendationsOnlyOnDemand_Deprecated": "Questa impostazione è deprecata. Usare extensions.ignoreRecommendations per controllare le notifiche delle raccomandazioni. Usare le azioni di visibilità della visualizzazione Estensioni per nascondere la visualizzazione Consigliate per impostazione predefinita.",
+ "extensionsCloseExtensionDetailsOnViewChange": "Se è abilitata, gli editor con dettagli di estensione verranno chiusi automaticamente quando si esce dalla visualizzazione delle estensioni.",
+ "handleUriConfirmedExtensions": "Quando un'estensione è presente in questo elenco, non verrà visualizzata alcuna richiesta di conferma quando l'estensione gestisce un URI.",
+ "extensionsWebWorker": "Abilita l'host dell'estensione Web worker.",
+ "workbench.extensions.installExtension.description": "Installa l'estensione specificata",
+ "workbench.extensions.installExtension.arg.name": "ID estensione o URI di risorsa VSIX",
+ "notFound": "L'estensione '{0}' non è stata trovata.",
+ "InstallVSIXAction.successReload": "L'installazione dell'estensione {0} da VSIX è stata completata. Per abilitarla, ricaricare Visual Studio Code.",
+ "InstallVSIXAction.success": "L'installazione dell'estensione {0} da VSIX è stata completata.",
+ "InstallVSIXAction.reloadNow": "Ricarica ora",
+ "workbench.extensions.uninstallExtension.description": "Disinstalla l'estensione specificata",
+ "workbench.extensions.uninstallExtension.arg.name": "ID dell'estensione da disinstallare",
+ "id required": "ID estensione obbligatorio.",
+ "notInstalled": "L'estensione '{0}' non è installata. Assicurarsi di usare l'ID estensione completo, incluso l'editore, ad esempio ms-vscode.csharp.",
+ "builtin": "'{0}' è un'estensione predefinita e non può essere installata",
+ "workbench.extensions.search.description": "Cerca un'estensione specifica",
+ "workbench.extensions.search.arg.name": "Query da usare nella ricerca",
+ "miOpenKeymapExtensions": "&&Mappature tastiera",
+ "miOpenKeymapExtensions2": "Mappature tastiera",
+ "miPreferencesExtensions": "&&Estensioni",
+ "miViewExtensions": "E&&stensioni",
+ "showExtensions": "Estensioni",
+ "installExtensionQuickAccessPlaceholder": "Digitare il nome di un'estensione da installare o cercare.",
+ "installExtensionQuickAccessHelp": "Installa o cerca estensioni",
+ "workbench.extensions.action.copyExtension": "Coppia",
+ "extensionInfoName": "Nome: {0}",
+ "extensionInfoId": "ID: {0}",
+ "extensionInfoDescription": "Descrizione: {0}",
+ "extensionInfoVersion": "Versione: {0}",
+ "extensionInfoPublisher": "Editore: {0}",
+ "extensionInfoVSMarketplaceLink": "Collegamento di Visual Studio Marketplace: {0}",
+ "workbench.extensions.action.copyExtensionId": "Copia ID estensione",
+ "workbench.extensions.action.configure": "Impostazioni estensione",
+ "workbench.extensions.action.toggleIgnoreExtension": "Sincronizza questa estensione",
+ "workbench.extensions.action.ignoreRecommendation": "Ignora raccomandazione",
+ "workbench.extensions.action.undoIgnoredRecommendation": "Annulla raccomandazione ignorata",
+ "workbench.extensions.action.addExtensionToWorkspaceRecommendations": "Aggiungi a raccomandazioni dell'area di lavoro",
+ "workbench.extensions.action.removeExtensionFromWorkspaceRecommendations": "Rimuovi dalle raccomandazioni dell'area di lavoro",
+ "workbench.extensions.action.addToWorkspaceRecommendations": "Aggiungi estensione a raccomandazioni dell'area di lavoro",
+ "workbench.extensions.action.addToWorkspaceFolderRecommendations": "Aggiungi estensione alle raccomandazioni della cartella dell'area di lavoro",
+ "workbench.extensions.action.addToWorkspaceIgnoredRecommendations": "Aggiungi estensione alle raccomandazioni ignorate dell'area di lavoro",
+ "workbench.extensions.action.addToWorkspaceFolderIgnoredRecommendations": "Aggiungi estensione alle raccomandazioni ignorate della cartella dell'area di lavoro"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsViewlet": {
+ "installed": "Installate",
+ "popularExtensions": "Più comuni",
+ "recommendedExtensions": "Consigliate",
+ "enabledExtensions": "Abilitato",
+ "disabledExtensions": "Disabilitato",
+ "marketPlace": "Marketplace",
+ "enabled": "Abilitate",
+ "disabled": "Disabilitate",
+ "outdated": "Non aggiornate",
+ "builtin": "Predefinite",
+ "workspaceRecommendedExtensions": "Consigli per l'area di lavoro",
+ "otherRecommendedExtensions": "Altri consigli",
+ "builtinFeatureExtensions": "Funzionalità",
+ "builtInThemesExtensions": "Temi",
+ "builtinProgrammingLanguageExtensions": "Linguaggi di programmazione",
+ "sort by installs": "Conteggio delle installazioni",
+ "sort by rating": "Valutazione",
+ "sort by name": "Nome",
+ "sort by date": "Data di pubblicazione",
+ "searchExtensions": "Cerca le estensioni nel Marketplace",
+ "builtin filter": "Predefinito",
+ "installed filter": "Installate",
+ "enabled filter": "Abilitate",
+ "disabled filter": "Disabilitate",
+ "outdated filter": "Non aggiornate",
+ "featured filter": "In primo piano",
+ "most popular filter": "Più usate",
+ "most popular recommended": "Consigliate",
+ "recently published filter": "Pubblicate di recente",
+ "filter by category": "Categoria",
+ "sorty by": "Ordina per",
+ "filterExtensions": "Filtra estensioni...",
+ "extensionFoundInSection": "1 estensione trovata nella sezione {0}.",
+ "extensionFound": "1 estensione trovata.",
+ "extensionsFoundInSection": "{0} estensioni trovate nella sezione {1}.",
+ "extensionsFound": "{0} estensioni trovate.",
+ "suggestProxyError": "Marketplace ha restituito 'ECONNREFUSED'. Controllare l'impostazione 'http.proxy'.",
+ "open user settings": "Apri impostazioni utente",
+ "outdatedExtensions": "{0} estensioni obsolete",
+ "malicious warning": "L'estensione '{0}' è stata disinstallata perché è stata segnalata come problematica.",
+ "reloadNow": "Ricarica ora"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/extensionsSlowActions": {
+ "cmd.reportOrShow": "Problema di prestazioni",
+ "cmd.report": "Segnala problema",
+ "attach.title": "Il profilo della CPU è stato collegato?",
+ "ok": "OK",
+ "attach.msg": "Questo è un promemoria per assicurarsi di non aver dimenticato di allegare '{0}' al problema appena creato.",
+ "cmd.show": "Mostra problemi",
+ "attach.msg2": "Questo è un promemoria per assicurarsi di non aver dimenticato di allegare '{0}' a un problema di prestazioni esistente."
+ },
+ "vs/workbench/contrib/extensions/electron-browser/reportExtensionIssueAction": {
+ "reportExtensionIssue": "Segnala problema"
+ },
+ "vs/workbench/contrib/extensions/browser/abstractRuntimeExtensionsEditor": {
+ "starActivation": "Attivata da {0} all'avvio",
+ "workspaceContainsGlobActivation": "Attivata da {1} perché nell'area di lavoro è presente un file corrispondente a {1}",
+ "workspaceContainsFileActivation": "Attivata da {1} perché nell'area di lavoro è presente il file {0}",
+ "workspaceContainsTimeout": "Attivata da {1} perché la ricerca di {0} ha impiegato troppo tempo",
+ "startupFinishedActivation": "Attivata da un evento {0} al termine dell'avvio",
+ "languageActivation": "Attivata da {1} perché è stato aperto un file {0}",
+ "workspaceGenericActivation": "Attivata da {1} in seguito a un evento di tipo {0}",
+ "unresponsive.title": "L'estensione ha causato il blocco dell'host dell'estensione.",
+ "errors": "{0} errori non rilevati",
+ "runtimeExtensions": "Estensioni di runtime",
+ "disable workspace": "Disabilita (area di lavoro)",
+ "disable": "Disabilita",
+ "showRuntimeExtensions": "Mostra estensioni in esecuzione"
+ },
+ "vs/workbench/contrib/extensions/common/extensionsInput": {
+ "extensionsInputName": "Estensione: {0}"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsActions": {
+ "noOfYearsAgo": "{0} anni fa",
+ "one year ago": "1 anno fa",
+ "noOfMonthsAgo": "{0} mesi fa",
+ "one month ago": "1 mese fa",
+ "noOfDaysAgo": "{0} giorni fa",
+ "one day ago": "1 giorno fa",
+ "noOfHoursAgo": "{0} ore fa",
+ "one hour ago": "1 ora fa",
+ "just now": "Adesso",
+ "update operation": "Si è verificato un errore durante l'aggiornamento dell'estensione '{0}'.",
+ "install operation": "Si è verificato un errore durante l'installazione dell'estensione '{0}'.",
+ "download": "Prova a scaricare manualmente...",
+ "install vsix": "Dopo il download, installare manualmente il VSIX scaricato di '{0}'.",
+ "check logs": "Per altri dettagli, vedere il [log]({0}).",
+ "installExtensionStart": "L'installazione dell'estensione {0} è stata avviata. Viene ora aperto un editor con maggiori dettagli su questa estensione",
+ "installExtensionComplete": "L'installazione dell'estensione {0} è stata completata.",
+ "install": "Installa",
+ "install and do no sync": "Installa (non sincronizzare)",
+ "install in remote and do not sync": "Installa in {0} (non sincronizzare)",
+ "install in remote": "Installa in {0}",
+ "install locally and do not sync": "Installa in locale (non sincronizzare)",
+ "install locally": "Installazione locale",
+ "install everywhere tooltip": "Installa questa estensione in tutte le istanze sincronizzate di {0}",
+ "installing": "Installazione",
+ "install browser": "Installa nel browser",
+ "uninstallAction": "Disinstalla",
+ "Uninstalling": "Disinstallazione",
+ "uninstallExtensionStart": "La disinstallazione dell'estensione {0} è stata avviata.",
+ "uninstallExtensionComplete": "Ricaricare Visual Studio Code per completare la disinstallazione dell'estensione {0}.",
+ "updateExtensionStart": "L'aggiornamento dell'estensione {0} alla versione {1} è stata avviata.",
+ "updateExtensionComplete": "L'aggiornamento dell'estensione {0} alla versione {1} è stata completata.",
+ "updateTo": "Aggiorna a {0}",
+ "updateAction": "Aggiorna",
+ "manage": "Gestisci",
+ "ManageExtensionAction.uninstallingTooltip": "Disinstallazione",
+ "install another version": "Installa un'altra versione...",
+ "selectVersion": "Seleziona versione da installare",
+ "current": "Corrente",
+ "enableForWorkspaceAction": "Abilita (area di lavoro)",
+ "enableForWorkspaceActionToolTip": "Abilita questa estensione solo in questa area di lavoro",
+ "enableGloballyAction": "Abilita",
+ "enableGloballyActionToolTip": "Abilita questa estensione",
+ "disableForWorkspaceAction": "Disabilita (area di lavoro)",
+ "disableForWorkspaceActionToolTip": "Disabilita questa estensione solo in questa area di lavoro",
+ "disableGloballyAction": "Disabilita",
+ "disableGloballyActionToolTip": "Disabilita questa estensione",
+ "enableAction": "Abilita",
+ "disableAction": "Disabilita",
+ "checkForUpdates": "Controlla la disponibilità di aggiornamenti per le estensioni",
+ "noUpdatesAvailable": "Tutte le estensioni sono aggiornate.",
+ "singleUpdateAvailable": "È disponibile un aggiornamento per le estensioni.",
+ "updatesAvailable": "Sono disponibili {0} aggiornamenti per l'estensione.",
+ "singleDisabledUpdateAvailable": "È disponibile un aggiornamento per un'estensione che è disabilitata.",
+ "updatesAvailableOneDisabled": "Sono disponibili {0} aggiornamenti per le estensioni. Uno si riferisce a un'estensione disabilitata.",
+ "updatesAvailableAllDisabled": "Sono disponibili {0} aggiornamenti per le estensioni. Si riferiscono tutti a estensioni disabilitate.",
+ "updatesAvailableIncludingDisabled": "Sono disponibili {0} aggiornamenti per le estensioni. {1} si riferiscono a estensioni disabilitate.",
+ "enableAutoUpdate": "Abilita l'aggiornamento automatico delle estensioni",
+ "disableAutoUpdate": "Disabilita l'aggiornamento automatico delle estensioni",
+ "updateAll": "Aggiorna tutte le estensioni",
+ "reloadAction": "Ricarica",
+ "reloadRequired": "Ricarica necessaria",
+ "postUninstallTooltip": "Ricaricare Visual Studio Code per completare la disinstallazione di questa estensione.",
+ "postUpdateTooltip": "Ricaricare Visual Studio Code per abilitare l'estensione aggiornata.",
+ "enable locally": "Ricaricare Visual Studio Code per abilitare questa estensione in locale.",
+ "enable remote": "Ricaricare Visual Studio Code per abilitare questa estensione in {0}.",
+ "postEnableTooltip": "Ricaricare Visual Studio Code per abilitare questa estensione.",
+ "postDisableTooltip": "Ricaricare Visual Studio Code per disabilitare questa estensione.",
+ "installExtensionCompletedAndReloadRequired": "L'installazione dell'estensione {0} è stata completata. Ricaricare Visual Studio Code per abilitarla.",
+ "color theme": "Imposta tema colori",
+ "select color theme": "Seleziona tema colori",
+ "file icon theme": "Imposta il tema dell'icona file",
+ "select file icon theme": "Seleziona il tema dell'icona file",
+ "product icon theme": "Imposta il tema dell'icona di prodotto",
+ "select product icon theme": "Seleziona il tema dell'icona di prodotto",
+ "toggleExtensionsViewlet": "Mostra estensioni",
+ "installExtensions": "Installa estensioni",
+ "showEnabledExtensions": "Mostra estensioni abilitate",
+ "showInstalledExtensions": "Mostra estensioni installate",
+ "showDisabledExtensions": "Mostra estensioni disabilitate",
+ "clearExtensionsSearchResults": "Cancella risultati della ricerca delle estensioni",
+ "refreshExtension": "Aggiorna",
+ "showBuiltInExtensions": "Mostra estensioni predefinite",
+ "showOutdatedExtensions": "Mostra estensioni obsolete",
+ "showPopularExtensions": "Mostra estensioni più richieste",
+ "recentlyPublishedExtensions": "Estensioni pubblicate di recente",
+ "showRecommendedExtensions": "Mostra estensioni consigliate",
+ "showRecommendedExtension": "Mostra estensioni consigliate",
+ "installRecommendedExtension": "Installa l'estensione consigliata",
+ "ignoreExtensionRecommendation": "Non consigliare più questa estensione",
+ "undo": "Annulla",
+ "showRecommendedKeymapExtensionsShort": "Mappature tastiera",
+ "showLanguageExtensionsShort": "Estensioni del linguaggio",
+ "search recommendations": "Cerca nelle estensioni",
+ "OpenExtensionsFile.failed": "Non è possibile creare il file 'extensions.json' all'interno della cartella '.vscode' ({0}).",
+ "configureWorkspaceRecommendedExtensions": "Configura estensioni consigliate (area di lavoro)",
+ "configureWorkspaceFolderRecommendedExtensions": "Configura estensioni consigliate (cartella dell'area di lavoro)",
+ "updated": "Aggiornata",
+ "installed": "Installate",
+ "uninstalled": "Disinstallata",
+ "enabled": "Abilitato",
+ "disabled": "Disabilitato",
+ "malicious tooltip": "Questa estensione è stata segnalata come problematica.",
+ "malicious": "Di tipo dannoso",
+ "ignored": "Questa estensione viene ignorata durante la sincronizzazione",
+ "synced": "Questa estensione è sincronizzata",
+ "sync": "Sincronizza questa estensione",
+ "do not sync": "Non sincronizzare questa estensione",
+ "extension enabled on remote": "L'estensione è abilitata in '{0}'",
+ "globally enabled": "Questa estensione è abilitata a livello globale.",
+ "workspace enabled": "Questa estensione è stata abilitata dall'utente per l'area di lavoro.",
+ "globally disabled": "Questa estensione è stata disabilitata dall'utente a livello globale.",
+ "workspace disabled": "Questa estensione è stata disabilitata dall'utente per l'area di lavoro.",
+ "Install language pack also in remote server": "Installare l'estensione del Language Pack in '{0}' per abilitarla anche in tale posizione.",
+ "Install language pack also locally": "Installare l'estensione del Language Pack in locale per abilitarla anche in tale posizione.",
+ "Install in other server to enable": "Installare l'estensione in '{0}' per abilitarla.",
+ "disabled because of extension kind": "Questa estensione è stata definita in modo da non poter essere eseguita nel server remoto",
+ "disabled locally": "L'estensione è abilitata in '{0}' e disabilitata in locale.",
+ "disabled remotely": "L'estensione è abilitata in locale e disabilitata in '{0}'.",
+ "disableAll": "Disabilita tutte le estensioni installate",
+ "disableAllWorkspace": "Disabilita tutte le estensioni installate per questa area di lavoro",
+ "enableAll": "Abilita tutte le estensioni",
+ "enableAllWorkspace": "Abilita tutte le estensioni per questa area di lavoro",
+ "installVSIX": "Installa da VSIX...",
+ "installFromVSIX": "Installa da VSIX",
+ "installButton": "&&Installa",
+ "reinstall": "Reinstalla estensione...",
+ "selectExtensionToReinstall": "Seleziona l'estensione da reinstallare",
+ "ReinstallAction.successReload": "Ricaricare Visual Studio Code per completare la reinstallazione dell'estensione {0}.",
+ "ReinstallAction.success": "La reinstallazione dell'estensione {0} è stata completata.",
+ "InstallVSIXAction.reloadNow": "Ricarica ora",
+ "install previous version": "Installa versione specifica dell'estensione...",
+ "selectExtension": "Seleziona l'estensione",
+ "InstallAnotherVersionExtensionAction.successReload": "Ricaricare Visual Studio Code per completare l'installazione dell'estensione {0}.",
+ "InstallAnotherVersionExtensionAction.success": "L'installazione dell'estensione {0} è stata completata.",
+ "InstallAnotherVersionExtensionAction.reloadNow": "Ricarica ora",
+ "select extensions to install": "Seleziona le estensioni da installare",
+ "no local extensions": "Non ci sono estensioni da installare.",
+ "installing extensions": "Installazione delle estensioni...",
+ "finished installing": "Le estensioni sono state installate.",
+ "select and install local extensions": "Installa estensioni locali in '{0}'...",
+ "install local extensions title": "Installa estensioni locali in '{0}'",
+ "select and install remote extensions": "Installa estensioni remote in locale...",
+ "install remote extensions": "Installa estensioni remote in locale",
+ "extensionButtonProminentBackground": "Colore di sfondo delle azioni di estensioni che si distinguono (es. pulsante Installa).",
+ "extensionButtonProminentForeground": "Colore primo piano di pulsanti per azioni di estensioni che si distinguono (es. pulsante Installa).",
+ "extensionButtonProminentHoverBackground": "Colore di sfondo al passaggio del mouse dei pulsanti per azioni di estensione che si distinguono (es. pulsante Installa)."
+ },
+ "vs/workbench/contrib/extensions/common/extensionsFileTemplate": {
+ "app.extensions.json.title": "Estensioni",
+ "app.extensions.json.recommendations": "Elenco delle estensioni che dovrebbero essere consigliate per gli utenti di questa area di lavoro. L'identificatore di un'estensione è sempre '${publisher}.${name}'. Ad esempio: 'vscode.csharp'.",
+ "app.extension.identifier.errorMessage": "Formato imprevisto '${publisher}.${name}'. Esempio: 'vscode.csharp'.",
+ "app.extensions.json.unwantedRecommendations": "Elenco delle estensioni consigliate da VS Code che non dovrebbero essere consigliate per gli utenti di questa area di lavoro. L'identificatore di un'estensione è sempre '${publisher}.${name}'. Ad esempio: 'vscode.csharp'."
+ },
+ "vs/workbench/contrib/extensions/browser/extensionEditor": {
+ "name": "Nome dell'estensione",
+ "extension id": "Identificatore dell'estensione",
+ "preview": "Anteprima",
+ "builtin": "Predefinita",
+ "publisher": "Nome dell'editore",
+ "install count": "Conteggio delle installazioni",
+ "rating": "Valutazione",
+ "repository": "Repository",
+ "license": "Licenza",
+ "version": "Versione",
+ "details": "Dettagli",
+ "detailstooltip": "Dettagli dell'estensione. Rendering eseguito dal file 'README.md' dell'estensione",
+ "contributions": "Contributi",
+ "contributionstooltip": "Elenca i contributi a VS Code aggiunti da questa estensione",
+ "changelog": "Log delle modifiche",
+ "changelogtooltip": "Cronologia degli aggiornamenti dell'estensione. Rendering eseguito dal file 'CHANGELOG.md' dell'estensione",
+ "dependencies": "Dipendenze",
+ "dependenciestooltip": "Elenca le estensioni da cui dipende questa estensione",
+ "recommendationHasBeenIgnored": "Si è scelto di non ricevere raccomandazioni per questa estensione.",
+ "noReadme": "File LEGGIMI non disponibile.",
+ "extension pack": "Pacchetto di estensione ({0})",
+ "noChangelog": "Changelog non disponibile.",
+ "noContributions": "Nessun contributo",
+ "noDependencies": "Nessuna dipendenza",
+ "settings": "Impostazioni ({0})",
+ "setting name": "Nome",
+ "description": "Descrizione",
+ "default": "Predefinito",
+ "debuggers": "Debugger ({0})",
+ "debugger name": "Nome",
+ "debugger type": "Tipo",
+ "viewContainers": "Visualizza contenitori ({0})",
+ "view container id": "ID",
+ "view container title": "Titolo",
+ "view container location": "Dove",
+ "views": "Visualizzazioni ({0})",
+ "view id": "ID",
+ "view name": "Nome",
+ "view location": "Dove",
+ "localizations": "Localizzazioni ({0})",
+ "localizations language id": "ID lingua",
+ "localizations language name": "Nome del linguaggio",
+ "localizations localized language name": "Nome della lingua (localizzato)",
+ "customEditors": "Editor personalizzati ({0})",
+ "customEditors view type": "Tipo di visualizzazione",
+ "customEditors priority": "Priorità",
+ "customEditors filenamePattern": "Criterio nome file",
+ "codeActions": "Azioni codice ({0})",
+ "codeActions.title": "Titolo",
+ "codeActions.kind": "Tipologia",
+ "codeActions.description": "Descrizione",
+ "codeActions.languages": "Lingue",
+ "authentication": "Autenticazione ({0})",
+ "authentication.label": "Etichetta",
+ "authentication.id": "ID",
+ "colorThemes": "Temi colore ({0})",
+ "iconThemes": "Temi icona ({0})",
+ "colors": "Colori ({0})",
+ "colorId": "ID",
+ "defaultDark": "Predefinito scuro",
+ "defaultLight": "Predefinito chiaro",
+ "defaultHC": "Predefinito contrasto elevato",
+ "JSON Validation": "Convalida JSON ({0})",
+ "fileMatch": "Corrispondenza file",
+ "schema": "Schema",
+ "commands": "Comandi ({0})",
+ "command name": "Nome",
+ "keyboard shortcuts": "Tasti di scelta rapida",
+ "menuContexts": "Contesti menu",
+ "languages": "Linguaggi ({0})",
+ "language id": "ID",
+ "language name": "Nome",
+ "file extensions": "Estensioni di file",
+ "grammar": "Grammatica",
+ "snippets": "Frammenti",
+ "activation events": "Eventi di attivazione ({0})",
+ "find": "Trova",
+ "find next": "Trova successivo",
+ "find previous": "Trova precedente"
+ },
+ "vs/workbench/contrib/extensions/common/extensionsUtils": {
+ "disableOtherKeymapsConfirmation": "Disabilitare altre mappature tastiera ({0}) per evitare conflitti tra tasti di scelta rapida?",
+ "yes": "Sì",
+ "no": "No"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsActivationProgress": {
+ "activation": "Attivazione delle estensioni..."
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsDependencyChecker": {
+ "extensions": "Estensioni",
+ "auto install missing deps": "Installa dipendenze mancanti",
+ "finished installing missing deps": "L'installazione delle dipendenze mancanti è stata completata. Ricaricare la finestra.",
+ "reload": "Ricarica finestra",
+ "no missing deps": "Non ci sono dipendenze mancanti da installare."
+ },
+ "vs/workbench/contrib/extensions/browser/remoteExtensionsInstaller": {
+ "remote": "Repository remoto",
+ "install remote in local": "Installa estensioni remote in locale..."
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsWorkbenchService": {
+ "Manifest is not found": "Il manifesto non è stato trovato",
+ "malicious": "Questa estensione è segnalata come problematica.",
+ "uninstallingExtension": "Disinstallazione estensione in corso...",
+ "incompatible": "Non è possibile installare l'estensione '{0}' perché non è compatibile con VS Code '{1}'.",
+ "installing named extension": "Installazione dell'estensione '{0}'...",
+ "installing extension": "Installazione dell'estensione...",
+ "disable all": "Disabilita tutto",
+ "singleDependentError": "Non è possibile disabilitare solo l'estensione '{0}' perché da essa dipende l'estensione '{1}'. Disabilitare tutte queste estensioni?",
+ "twoDependentsError": "Non è possibile disabilitare solo l'estensione '{0}' perché da essa dipendono le estensioni '{1}' e '{2}'. Disabilitare tutte queste estensioni?",
+ "multipleDependentsError": "Non è possibile disabilitare solo l'estensione '{0}' perché da essa dipendono '{1}', '{2}' e altre estensioni. Disabilitare tutte queste estensioni?"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsQuickAccess": {
+ "type": "Digitare il nome di un'estensione da installare o cercare.",
+ "searchFor": "Premere INVIO per cercare l'estensione '{0}'.",
+ "install": "Premere INVIO per installare l'estensione '{0}'.",
+ "manage": "Premere INVIO per gestire le estensioni."
+ },
+ "vs/workbench/contrib/extensions/browser/extensionRecommendationNotificationService": {
+ "neverShowAgain": "Non visualizzare più questo messaggio",
+ "ignoreExtensionRecommendations": "Ignorare tutti i suggerimenti per le estensioni?",
+ "ignoreAll": "Sì, ignora tutti",
+ "no": "No",
+ "workspaceRecommended": "Installare le estensioni consigliate per questo repository?",
+ "install": "Installa",
+ "install and do no sync": "Installa (non sincronizzare)",
+ "show recommendations": "Mostra elementi consigliati"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsIcons": {
+ "extensionsViewIcon": "Icona della visualizzazione Estensioni.",
+ "manageExtensionIcon": "Icona per l'azione 'Gestisci' nella visualizzazione Estensioni.",
+ "clearSearchResultsIcon": "Icona per l'azione 'Cancella risultati della ricerca' nella visualizzazione Estensioni.",
+ "refreshIcon": "Icona per l'azione 'Aggiorna' nella visualizzazione Estensioni.",
+ "filterIcon": "Icona per l'azione 'Filtro' nella visualizzazione Estensioni.",
+ "installLocalInRemoteIcon": "Icona per l'azione 'Installa l'estensione locale nel repository remoto' nella visualizzazione Estensioni.",
+ "installWorkspaceRecommendedIcon": "Icona per l'azione 'Installa le estensioni consigliate per l'area di lavoro' nella visualizzazione Estensioni.",
+ "configureRecommendedIcon": "Icona per l'azione 'Configura estensioni consigliate' nella visualizzazione Estensioni.",
+ "syncEnabledIcon": "Icona per indicare che un'estensione è sincronizzata.",
+ "syncIgnoredIcon": "Icona per indicare che un'estensione viene ignorata durante la sincronizzazione.",
+ "remoteIcon": "Icona per indicare che un'estensione è remota nell'editor e nella visualizzazione Estensioni.",
+ "installCountIcon": "Icona visualizzata unitamente al numero di installazioni nell'editor e nella visualizzazione Estensioni.",
+ "ratingIcon": "Icona visualizzata unitamente alla classificazione nell'editor e nella visualizzazione Estensioni.",
+ "starFullIcon": "Icona di stella piena usata per la classificazione nell'editor delle estensioni.",
+ "starHalfIcon": "Icona di mezza stella usata per la classificazione nell'editor delle estensioni.",
+ "starEmptyIcon": "Icona di stella vuota usata per la classificazione nell'editor delle estensioni.",
+ "warningIcon": "Icona visualizzata con un messaggio di avviso nell'editor delle estensioni.",
+ "infoIcon": "Icona visualizzata con un messaggio informativo nell'editor delle estensioni."
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsViews": {
+ "extension-arialabel": "{0}, {1}, {2}, premere INVIO per i dettagli sull'estensione.",
+ "extensions": "Estensioni",
+ "galleryError": "Al momento non è possibile connettersi al Marketplace Estensioni. Riprovare più tardi.",
+ "error": "Si è verificato un errore durante il caricamento delle estensioni. {0}",
+ "no extensions found": "Non sono state trovate estensioni.",
+ "suggestProxyError": "Marketplace ha restituito 'ECONNREFUSED'. Controllare l'impostazione 'http.proxy'.",
+ "open user settings": "Apri impostazioni utente",
+ "installWorkspaceRecommendedExtensions": "Installa le estensioni consigliate per l'area di lavoro"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsWidgets": {
+ "ratedBySingleUser": "Votato da 1 utente",
+ "ratedByUsers": "Valutato da {0} utenti",
+ "noRating": "Nessuna valutazione",
+ "remote extension title": "Estensione in {0}",
+ "syncingore.label": "Questa estensione viene ignorata durante la sincronizzazione."
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsViewer": {
+ "error": "Errore",
+ "Unknown Extension": "Estensione sconosciuta:",
+ "extension-arialabel": "{0}, {1}, {2}, premere INVIO per i dettagli sull'estensione.",
+ "extensions": "Estensioni"
+ },
+ "vs/workbench/contrib/extensions/browser/dynamicWorkspaceRecommendations": {
+ "dynamicWorkspaceRecommendation": "Questa estensione potrebbe essere interessante perché viene usata da altri utenti del repository {0}."
+ },
+ "vs/workbench/contrib/extensions/browser/exeBasedRecommendations": {
+ "exeBasedRecommendation": "Questa estensione è consigliata perché è stato installato {0}."
+ },
+ "vs/workbench/contrib/extensions/browser/workspaceRecommendations": {
+ "workspaceRecommendation": "Questa estensione è consigliata dagli utenti dell'area di lavoro corrente."
+ },
+ "vs/workbench/contrib/extensions/browser/fileBasedRecommendations": {
+ "searchMarketplace": "Cerca nel Marketplace",
+ "fileBasedRecommendation": "Questa estensione è consigliata in base ai file aperti di recente.",
+ "reallyRecommended": "Installare le estensioni consigliate per {0}?",
+ "showLanguageExtensions": "Nel Marketplace sono presenti estensioni utili per i file '.{0}'",
+ "dontShowAgainExtension": "Non visualizzare più per i file '.{0}'"
+ },
+ "vs/workbench/contrib/extensions/browser/configBasedRecommendations": {
+ "exeBasedRecommendation": "Questa estensione è consigliata in considerazione della configurazione dell'area di lavoro corrente"
+ },
+ "vs/workbench/contrib/externalTerminal/node/externalTerminal.contribution": {
+ "globalConsoleAction": "Apri nuovo terminale esterno",
+ "terminalConfigurationTitle": "Terminale esterno",
+ "terminal.explorerKind.integrated": "Usare il terminale integrato di VS Code. ",
+ "terminal.explorerKind.external": "Usare il terminale esterno configurato. ",
+ "explorer.openInTerminalKind": "Personalizza il tipo di terminale da avviare.",
+ "terminal.external.windowsExec": "Personalizza il terminale da eseguire in Windows.",
+ "terminal.external.osxExec": "Personalizza l'applicazione di terminale da eseguire in macOS.",
+ "terminal.external.linuxExec": "Personalizza il terminale da eseguire in Linux."
+ },
+ "vs/workbench/contrib/externalTerminal/node/externalTerminalService": {
+ "console.title": "Console di Visual Studio Code",
+ "mac.terminal.script.failed": "Lo script '{0}' non è riuscito. Codice di uscita: {1}",
+ "mac.terminal.type.not.supported": "'{0}' non supportato",
+ "press.any.key": "Premere un tasto qualsiasi per continuare...",
+ "linux.term.failed": "'{0}' non riuscito. Codice di uscita: {1}",
+ "ext.term.app.not.found": "non è possibile trovare l'applicazione di terminale '{0}'"
+ },
+ "vs/workbench/contrib/externalTerminal/browser/externalTerminal.contribution": {
+ "scopedConsoleAction": "Apri nel terminale",
+ "scopedConsoleAction.integrated": "Apri nel terminale integrato",
+ "scopedConsoleAction.wt": "Apri in Terminale Windows",
+ "scopedConsoleAction.external": "Apri nel terminale esterno"
+ },
+ "vs/workbench/contrib/feedback/browser/feedbackStatusbarItem": {
+ "status.feedback": "Invia commenti e suggerimenti tramite Twitter"
+ },
+ "vs/workbench/contrib/feedback/browser/feedback": {
+ "sendFeedback": "Invia commenti e suggerimenti tramite Twitter",
+ "label.sendASmile": "Invia commenti e suggerimenti tramite Twitter.",
+ "close": "Chiudi",
+ "patchedVersion1": "L'installazione è danneggiata.",
+ "patchedVersion2": "Specificare questo fattore se si invia una segnalazione di bug.",
+ "sentiment": "Grado di soddisfazione dell'esperienza",
+ "smileCaption": "Feedback positivo",
+ "frownCaption": "Feedback negativo",
+ "other ways to contact us": "Altri modi per contattare Microsoft",
+ "submit a bug": "Segnala un bug",
+ "request a missing feature": "Richiedi una funzionalità mancante",
+ "tell us why": "Motivo",
+ "feedbackTextInput": "Invia feedback",
+ "showFeedback": "Mostra icona di feedback nella barra di stato",
+ "tweet": "Invia un tweet",
+ "tweetFeedback": "Invia commenti e suggerimenti tramite Twitter",
+ "character left": "carattere rimasto",
+ "characters left": "caratteri rimasti"
+ },
+ "vs/workbench/contrib/files/electron-sandbox/files.contribution": {
+ "textFileEditor": "Editor file di testo"
+ },
+ "vs/workbench/contrib/files/electron-sandbox/fileActions.contribution": {
+ "revealInWindows": "Visualizza in Esplora file",
+ "revealInMac": "Visualizza in Finder",
+ "openContainer": "Apri cartella superiore",
+ "filesCategory": "File"
+ },
+ "vs/workbench/contrib/files/browser/explorerViewlet": {
+ "explorerViewIcon": "Icona della visualizzazione Esplora risorse.",
+ "folders": "Cartelle",
+ "explore": "Esplora risorse",
+ "noWorkspaceHelp": "Non sono ancora state aggiunte cartelle all'area di lavoro.\r\n[Aggiungi cartella](command:{0})",
+ "remoteNoFolderHelp": "Connesso a repository remoto.\r\n[Apri cartella](command:{0})",
+ "noFolderHelp": "Non ci sono ancora cartelle aperte.\r\n[Apri cartella](command:{0})"
+ },
+ "vs/workbench/contrib/files/browser/files.contribution": {
+ "showExplorerViewlet": "Mostra Esplora risorse",
+ "binaryFileEditor": "Editor file binari",
+ "hotExit.off": "Disabilita Hot Exit. Verrà visualizzato un prompt quando si prova a chiudere una finestra con file modificati ma non salvati.",
+ "hotExit.onExit": "La funzionalità Hot Exit verrà attivata quando si chiude l'ultima finestra in Windows/Linux o quando si attiva il comando `workbench.action.quit` (riquadro comandi, tasto di scelta rapida, menu). Tutte le finestre senza cartelle aperte verranno ripristinate al successivo avvio. Per accedere a un elenco di aree di lavoro con file non salvati, fare clic su `File > Apri recenti > Altro...`",
+ "hotExit.onExitAndWindowClose": "La funzionalità Hot Exit verrà attivata quando si chiude l'ultima finestra in Windows/Linux o quando si attiva il comando `workbench.action.quit` (riquadro comandi, tasto di scelta rapida, menu), nonché per qualsiasi finestra con una cartella aperta indipendentemente dal fatto che sia l'ultima. Tutte le finestre senza cartelle aperte verranno ripristinate al successivo avvio. Per accedere a un elenco di aree di lavoro con file non salvati, fare clic su `File > Apri recenti > Altro...`",
+ "hotExit": "Controlla se i file non salvati verranno memorizzati tra una sessione e l'altra, consentendo di ignorare il prompt di salvataggio alla chiusura dell'editor.",
+ "hotExit.onExitAndWindowCloseBrowser": "La funzionalità Hot Exit verrà attivata alla chiusura del browser o di una finestra o una scheda.",
+ "filesConfigurationTitle": "File",
+ "exclude": "Consente di configurare i criteri GLOB per escludere file e cartelle. Ad esempio, la funzionalità Esplora file stabilisce quali file e cartelle mostrare o nascondere in base a questa impostazione. Fare riferimento all'impostazione `#search.exclude#`, per definire esclusioni specifiche della ricerca. Per altre informazioni sui criteri GLOB, fare clic [qui](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options).",
+ "files.exclude.boolean": "Criterio GLOB da usare per trovare percorsi file. Impostare su True o False per abilitare o disabilitare il criterio.",
+ "files.exclude.when": "Controllo aggiuntivo sugli elementi di pari livello di un file corrispondente. Usare $(basename) come variabile del nome file corrispondente.",
+ "associations": "Consente di configurare le associazioni tra file e linguaggi, ad esempio `\"*.extension\": \"html\"`. Queste hanno la precedenza sulle associazioni predefinite dei linguaggi installati.",
+ "encoding": "Codifica del set di caratteri predefinita da usare durante la lettura e la scrittura di file. È possibile configurare questa impostazione anche in base alla lingua.",
+ "autoGuessEncoding": "Quando questa opzione è abilitata, l'editor proverà a ipotizzare la codifica del set di caratteri all'apertura dei file. È possibile configurare questa impostazione anche in base alla lingua.",
+ "eol.LF": "LF",
+ "eol.CRLF": "CRLF",
+ "eol.auto": "Usa il carattere di fine riga specifico del sistema operativo.",
+ "eol": "Carattere di fine riga predefinito.",
+ "useTrash": "Sposta i file e/o le cartelle nel cestino del sistema operativo (Cestino in Windows) quando vengono eliminati. La disabilitazione di questa opzione comporta l'eliminazione definitiva di file e/o cartelle.",
+ "trimTrailingWhitespace": "Se è abilitato, taglierà lo spazio vuoto quando si salva un file.",
+ "insertFinalNewline": "Se è abilitato, inserisce un carattere di nuova riga finale alla fine del file durante il salvataggio.",
+ "trimFinalNewlines": "Se è abilitato, taglia tutte le nuove righe dopo il carattere di nuova riga finale alla fine del file durante il salvataggio.",
+ "files.autoSave.off": "Un editor modificato ma non salvato non viene mai salvato automaticamente.",
+ "files.autoSave.afterDelay": "Un editor modificato ma non salvato viene salvato automaticamente dopo l'istruzione `#files.autoSaveDelay#` configurata.",
+ "files.autoSave.onFocusChange": "Un editor modificato ma non salvato viene salvato automaticamente quando perde lo stato attivo.",
+ "files.autoSave.onWindowChange": "Un editor modificato ma non salvato viene salvato automaticamente quando la finestra perde lo stato attivo.",
+ "autoSave": "Controlla il salvataggio automatico degli editor modificati ma non salvati. Per altre informazioni sul salvataggio automatico, vedere [qui](https://code.visualstudio.com/docs/editor/codebasics#_save-auto-save).",
+ "autoSaveDelay": "Controlla il ritardo in ms dopo il quale un editor modificato ma non salvato viene salvato automaticamente. Si applica solo quando `#files.autoSave#` è impostato su `{0}`.",
+ "watcherExclude": "Consente di configurare i criteri GLOB dei percorsi file da escludere dal controllo dei file. I criteri devono corrispondere in percorsi assoluti (per una corretta corrispondenza aggiungere come prefisso ** il percorso completo). Se si modifica questa impostazione, è necessario riavviare. Quando si nota che Code consuma troppo tempo della CPU all'avvio, è possibile escludere le cartelle di grandi dimensioni per ridurre il carico iniziale.",
+ "defaultLanguage": "Modalità linguaggio predefinita assegnata ai nuovi file. Se è configurata su `${activeEditorLanguage}`, verrà usata la modalità linguaggio dell'editor di testo attualmente attivo se presente.",
+ "maxMemoryForLargeFilesMB": "Controlla la memoria disponibile per VS Code dopo il riavvio durante il tentativo di aprire file di grandi dimensioni. Il risultato è uguale a quando si specifica `--max-memory=NEWSIZE` sulla riga di comando.",
+ "files.restoreUndoStack": "Ripristina lo stack di annullamento alla riapertura di un file.",
+ "askUser": "Il salvataggio non verrà eseguito e verrà chiesto di risolvere il conflitto.",
+ "overwriteFileOnDisk": "Per risolvere il conflitto di salvataggio, il file su disco verrà sovrascritto con le modifiche nell'editor.",
+ "files.saveConflictResolution": "Può verificarsi un conflitto di salvataggio quando un file viene salvato su disco che nel frattempo è stato modificato da un altro programma. Per evitare la perdita di dati, all'utente viene chiesto di confrontare le modifiche nell'editor con la versione su disco. Questa impostazione deve essere modificata solo se si verificano errori di conflitto di salvataggio frequenti e può causare la perdita di dati se usata senza prestare la dovuta attenzione.",
+ "files.simpleDialog.enable": "Abilita la finestra di dialogo semplice dei file. Tale finestra sostituisce quella di sistema se abilitata.",
+ "formatOnSave": "Formatta un file durante il salvataggio. Deve essere disponibile un formattatore, il file non deve essere salvato dopo il ritardo e l'editor non deve essere in fase di arresto.",
+ "everything": "Formatta l'intero file.",
+ "modification": "Formatta le modifiche (richiede il controllo del codice sorgente).",
+ "formatOnSaveMode": "Controlla se con Formatta dopo salvataggio viene formattato l'intero file o vengono formattate solo le modifiche. Si applica solo quando `#editor.formatOnSave#` è `true`.",
+ "explorerConfigurationTitle": "Esplora file",
+ "openEditorsVisible": "Numero di editor visualizzati nel riquadro degli editor aperti. Impostarlo su 0 per nascondere il riquadro.",
+ "openEditorsSortOrder": "Controlla l'ordinamento degli editor nel riquadro Editor aperti.",
+ "sortOrder.editorOrder": "Gli editor sono visualizzati nello stesso ordine in cui vengono visualizzate le schede dell'editor.",
+ "sortOrder.alphabetical": "Gli editor sono visualizzati in ordine alfabetico in ogni gruppo di editor.",
+ "autoReveal.on": "I file verranno visualizzati e selezionati.",
+ "autoReveal.off": "I file non verranno visualizzati e selezionati.",
+ "autoReveal.focusNoScroll": "Lo scorrimento dei file non è attivo nella visualizzazione, ma lo stato attivo verrà applicato ugualmente.",
+ "autoReveal": "Controlla se Esplora risorse deve visualizzare e selezionare automaticamente i file all'apertura.",
+ "enableDragAndDrop": "Controlla se Esplora risorse deve consentire lo spostamento di file e cartelle tramite il trascinamento della selezione. Questa impostazione ha effetto solo sul trascinamento della selezione in Esplora risorse.",
+ "confirmDragAndDrop": "Controlla se Esplora risorse deve chiedere conferma prima di spostare file e cartelle tramite il trascinamento della selezione.",
+ "confirmDelete": "Controlla se Esplora risorse deve chiedere conferma quando si elimina un file tramite il cestino.",
+ "sortOrder.default": "I file e le cartelle vengono ordinati in ordine alfabetico in base al nome. Le cartelle vengono visualizzate prima dei file.",
+ "sortOrder.mixed": "I file e le cartelle vengono ordinati ordine alfabetico in base al nome, in un unico elenco ordinato.",
+ "sortOrder.filesFirst": "I file e le cartelle vengono ordinati in ordine alfabetico in base al nome. I file vengono visualizzati prima delle cartelle.",
+ "sortOrder.type": "I file e le cartelle vengono ordinati in ordine alfabetico in base all'estensione. Le cartelle vengono visualizzate prima dei file.",
+ "sortOrder.modified": "I file e le cartelle vengono ordinati in ordine decrescente in base alla data dell'ultima modifica. Le cartelle vengono visualizzate prima dei file.",
+ "sortOrder": "Controlla l'ordinamento di file e cartelle in Esplora risorse.",
+ "explorer.decorations.colors": "Controlla se le decorazioni file devono usare i colori.",
+ "explorer.decorations.badges": "Controlli se le decorazioni file devono usare le notifiche.",
+ "simple": "Aggiunge la parola \"copy\" alla fine del nome duplicato potenzialmente seguito da un numero",
+ "smart": "Aggiunge un numero alla fine del nome duplicato. Se il nome file include già un numero, prova a incrementare tale numero",
+ "explorer.incrementalNaming": "Controlla la strategia di denominazione da usare quando si assegna un nuovo nome a un elemento di Explorer duplicato in seguito a un'operazione Incolla.",
+ "compressSingleChildFolders": "Controlla se Esplora risorse deve eseguire il rendering delle cartelle in formato compatto. In tale formato le cartelle figlio verranno compresse in un elemento albero combinato. Utile, ad esempio, per strutture di pacchetti Java.",
+ "miViewExplorer": "&&Esplora risorse"
+ },
+ "vs/workbench/contrib/files/browser/fileActions.contribution": {
+ "filesCategory": "File",
+ "workspaces": "Aree di lavoro",
+ "file": "FILE",
+ "copyPath": "Copia percorso",
+ "copyRelativePath": "Copia il percorso relativo ",
+ "revealInSideBar": "Visualizza nella barra laterale",
+ "acceptLocalChanges": "Usa modifiche e sovrascrivi contenuto del file",
+ "revertLocalChanges": "Annulla le modifiche e torna al contenuto del file",
+ "copyPathOfActive": "Copia percorso del file attivo",
+ "copyRelativePathOfActive": "Copia il percorso relativo del File attivo",
+ "saveAllInGroup": "Salva tutto nel gruppo",
+ "saveFiles": "Salva tutti i file",
+ "revert": "Ripristina file",
+ "compareActiveWithSaved": "Confronta file attivo con file salvato",
+ "openToSide": "Apri lateralmente",
+ "saveAll": "Salva tutto",
+ "compareWithSaved": "Confronta con file salvato",
+ "compareWithSelected": "Confronta con selezionati",
+ "compareSource": "Seleziona per il confronto",
+ "compareSelected": "Confronta selezionati",
+ "close": "Chiudi",
+ "closeOthers": "Chiudi altri",
+ "closeSaved": "Chiudi salvati",
+ "closeAll": "Chiudi tutto",
+ "explorerOpenWith": "Apri con...",
+ "cut": "Taglia",
+ "deleteFile": "Elimina definitivamente",
+ "newFile": "Nuovo file",
+ "openFile": "Apri file...",
+ "miNewFile": "&&Nuovo file",
+ "miSave": "&&Salva",
+ "miSaveAs": "Salva &&con nome...",
+ "miSaveAll": "Salva &&tutto",
+ "miOpen": "&&Apri...",
+ "miOpenFile": "&&Apri file...",
+ "miOpenFolder": "Apri &&cartella...",
+ "miOpenWorkspace": "Aprire Wor&&kspace...",
+ "miAutoSave": "Salvataggio a&&utomatico",
+ "miRevert": "Ri&&pristina file",
+ "miCloseEditor": "Chiudi &&editor",
+ "miGotoFile": "Vai al &&file..."
+ },
+ "vs/workbench/contrib/files/electron-sandbox/fileCommands": {
+ "openFileToReveal": "Aprire prima un file per visualizzarlo"
+ },
+ "vs/workbench/contrib/files/common/editors/fileEditorInput": {
+ "orphanedReadonlyFile": "{0} (eliminati, di sola lettura)",
+ "orphanedFile": "{0} (eliminato)",
+ "readonlyFile": "{0} (di sola lettura)"
+ },
+ "vs/workbench/contrib/files/electron-sandbox/textFileEditor": {
+ "fileTooLargeForHeapError": "Per aprire un file di queste dimensioni, è necessario riavviare e consentirgli di usare più memoria",
+ "relaunchWithIncreasedMemoryLimit": "Riavvia con {0} MB",
+ "configureMemoryLimit": "Configura limite di memoria"
+ },
+ "vs/workbench/contrib/files/browser/views/emptyView": {
+ "noWorkspace": "Nessuna cartella aperta"
+ },
+ "vs/workbench/contrib/files/browser/views/explorerView": {
+ "explorerSection": "Sezione di Esplora risorse: {0}"
+ },
+ "vs/workbench/contrib/files/browser/views/openEditorsView": {
+ "openEditors": "Editor aperti",
+ "dirtyCounter": "{0} non salvati"
+ },
+ "vs/workbench/contrib/files/browser/editors/textFileSaveErrorHandler": {
+ "userGuide": "Usare le azioni della barra degli strumenti dell'editor per annullare le modifiche oppure sovrascrivere il contenuto del file con le modifiche.",
+ "staleSaveError": "Non è stato possibile salvare '{0}': il contenuto del file è più recente. Confrontare la versione corrente con il contenuto del file oppure sovrascrivere il contenuto del file con le modifiche apportate.",
+ "retry": "Riprova",
+ "discard": "Scarta",
+ "readonlySaveErrorAdmin": "Non è stato possibile salvare '{0}': il file è di sola lettura. Selezionare 'Sovrascrivi come Admin' per riprovare come amministratore.",
+ "readonlySaveErrorSudo": "Non è stato possibile salvare '{0}': il file è di sola lettura. Selezionare 'Sovrascrivi come Sudo' per riprovare come utente con privilegi avanzati.",
+ "readonlySaveError": "Non è stato possibile salvare '{0}': il file è di sola lettura. Selezionare 'Sovrascrivi' per provare a renderlo scrivibile.",
+ "permissionDeniedSaveError": "Impossibile salvare '{0}': Autorizzazioni insufficienti. Selezionare 'Riprova come Admin' per eseguire come amministratore.",
+ "permissionDeniedSaveErrorSudo": "Non è stato possibile salvare '{0}': autorizzazioni insufficienti. Selezionare 'Riprova come Sudo' per riprovare come utente con privilegi avanzati.",
+ "genericSaveError": "Non è stato possibile salvare '{0}': {1}",
+ "learnMore": "Altre informazioni",
+ "dontShowAgain": "Non visualizzare più questo messaggio",
+ "compareChanges": "Confronta",
+ "saveConflictDiffLabel": "{0} (nel file) ↔ {1} (in {2}) - Risolvi conflitto di salvataggio",
+ "overwriteElevated": "Sovrascrivi come admin...",
+ "overwriteElevatedSudo": "Sovrascrivere come Sudo...",
+ "saveElevated": "Riprova come amministratore...",
+ "saveElevatedSudo": "Riprova come Sudo...",
+ "overwrite": "Sovrascrivi",
+ "configure": "Configura"
+ },
+ "vs/workbench/contrib/files/browser/editors/binaryFileEditor": {
+ "binaryFileEditor": "Visualizzatore file binari"
+ },
+ "vs/workbench/contrib/files/common/workspaceWatcher": {
+ "netVersionError": "Microsoft .NET Framework 4.5 è obbligatorio. Selezionare il collegamento per installarlo.",
+ "installNet": "Scarica .NET Framework 4.5",
+ "enospcError": "Non è possibile controllare le modifiche di un'area di lavoro di grandi dimensioni. Per risolvere questo problema, seguire il collegamento alle istruzioni.",
+ "learnMore": "Istruzioni"
+ },
+ "vs/workbench/contrib/files/common/dirtyFilesIndicator": {
+ "dirtyFile": "1 file non salvato",
+ "dirtyFiles": "{0} file non salvati"
+ },
+ "vs/workbench/contrib/files/browser/fileActions": {
+ "newFile": "Nuovo file",
+ "newFolder": "Nuova cartella",
+ "rename": "Rinomina",
+ "delete": "Elimina",
+ "copyFile": "Copia",
+ "pasteFile": "Incolla",
+ "download": "Scarica...",
+ "createNewFile": "Nuovo file",
+ "createNewFolder": "Nuova cartella",
+ "deleteButtonLabelRecycleBin": "&&Sposta nel Cestino",
+ "deleteButtonLabelTrash": "&&Sposta nel cestino",
+ "deleteButtonLabel": "&&Elimina",
+ "dirtyMessageFilesDelete": "Si sta per eliminare file con modifiche non salvate. Continuare?",
+ "dirtyMessageFolderOneDelete": "Si sta per eliminare una cartella {0} con modifiche non salvate in un file. Continuare?",
+ "dirtyMessageFolderDelete": "Si sta per eliminare una cartella {0} con modifiche non salvate in {1} file. Continuare?",
+ "dirtyMessageFileDelete": "Si sta per eliminare {0} che contiene modifiche non salvate. Continuare?",
+ "dirtyWarning": "Le modifiche apportate andranno perse se non vengono salvate.",
+ "undoBinFiles": "È possibile ripristinare questi file dal Cestino.",
+ "undoBin": "È possibile ripristinare questo file dal Cestino.",
+ "undoTrashFiles": "È possibile ripristinare questi file dal Cestino.",
+ "undoTrash": "È possibile ripristinare questo file dal Cestino.",
+ "doNotAskAgain": "Non visualizzare più questo messaggio",
+ "irreversible": "Questa azione è irreversibile.",
+ "deleteBulkEdit": "Elimina {0} file",
+ "deleteFileBulkEdit": "Elimina {0}",
+ "deletingBulkEdit": "Eliminazione di {0} file",
+ "deletingFileBulkEdit": "Eliminazione di {0}",
+ "binFailed": "Impossibile eliminare utilizzando il Cestino. Si desidera eliminare definitivamente invece?",
+ "trashFailed": "Impossibile eliminare utilizzando il Cestino. Si desidera eliminare definitivamente invece?",
+ "deletePermanentlyButtonLabel": "&&Eliminare in modo permanente",
+ "retryButtonLabel": "&&Riprova",
+ "confirmMoveTrashMessageFilesAndDirectories": "Eliminare i {0} file/directory seguenti e il relativo contenuto?",
+ "confirmMoveTrashMessageMultipleDirectories": "Eliminare le {0} directory seguenti e il relativo contenuto?",
+ "confirmMoveTrashMessageMultiple": "Sei sicuro di voler eliminarei seguenti {0} file?",
+ "confirmMoveTrashMessageFolder": "Eliminare '{0}' e il relativo contenuto?",
+ "confirmMoveTrashMessageFile": "Eliminare '{0}'?",
+ "confirmDeleteMessageFilesAndDirectories": "Eliminare definitivamente i {0} file/directory seguenti e il relativo contenuto?",
+ "confirmDeleteMessageMultipleDirectories": "Eliminare definitivamente le {0} directory seguenti e il relativo contenuto?",
+ "confirmDeleteMessageMultiple": "Sei sicuro di voler eliminare permanentemente i seguenti {0} file?",
+ "confirmDeleteMessageFolder": "Eliminare definitivamente '{0}' e il relativo contenuto?",
+ "confirmDeleteMessageFile": "Eliminare definitivamente '{0}'?",
+ "globalCompareFile": "Confronta file attivo con...",
+ "fileToCompareNoFile": "Selezionare un file per il confronto.",
+ "openFileToCompare": "Aprire prima un file per confrontarlo con un altro file.",
+ "toggleAutoSave": "Attiva/Disattiva salvataggio automatico",
+ "saveAllInGroup": "Salva tutto nel gruppo",
+ "closeGroup": "Chiudi gruppo",
+ "focusFilesExplorer": "Stato attivo su Esplora file",
+ "showInExplorer": "Visualizza file attivo nella barra laterale",
+ "openFileToShow": "Aprire prima di tutto un file per visualizzarlo in Esplora risorse",
+ "collapseExplorerFolders": "Comprimi cartelle in Explorer",
+ "refreshExplorer": "Aggiorna Explorer",
+ "openFileInNewWindow": "Apri file attivo in un'altra finestra",
+ "openFileToShowInNewWindow.unsupportedschema": "L'editor attivo deve contenere una risorsa apribile.",
+ "openFileToShowInNewWindow.nofile": "Aprire prima un file per visualizzarlo in un'altra finestra",
+ "emptyFileNameError": "È necessario specificare un nome file o un nome di cartella.",
+ "fileNameStartsWithSlashError": "Un nome di file o cartella non può iniziare con una barra.",
+ "fileNameExistsError": "In questo percorso esiste già un file o una cartella **{0}**. Scegliere un nome diverso.",
+ "invalidFileNameError": "Il nome **{0}** non è valido per un nome file o un nome di cartella. Scegliere un nome diverso.",
+ "fileNameWhitespaceWarning": "Sono stati rilevati spazi vuoti iniziali e finali nel nome del file o della cartella.",
+ "compareWithClipboard": "Confronta il file attivo con gli appunti",
+ "clipboardComparisonLabel": "Appunti ↔ {0}",
+ "retry": "Riprova",
+ "createBulkEdit": "Crea {0}",
+ "creatingBulkEdit": "Creazione di {0}",
+ "renameBulkEdit": "Rinomina {0} in {1}",
+ "renamingBulkEdit": "Ridenominazione di {0} in {1}",
+ "downloadingFiles": "In fase di download",
+ "downloadProgressSmallMany": "{0} di {1} file ({2}/s)",
+ "downloadProgressLarge": "{0} ({1} di {2}, {3}/s)",
+ "downloadButton": "Scarica",
+ "downloadFolder": "Scarica cartella",
+ "downloadFile": "Scarica file",
+ "downloadBulkEdit": "Scarica {0}",
+ "downloadingBulkEdit": "Download di {0}",
+ "fileIsAncestor": "Il file da incollare è un predecessore della cartella di destinazione",
+ "movingBulkEdit": "Spostamento di {0} file",
+ "movingFileBulkEdit": "Spostamento di {0}",
+ "moveBulkEdit": "Sposta {0} file",
+ "moveFileBulkEdit": "Sposta {0}",
+ "copyingBulkEdit": "Copia di {0} file",
+ "copyingFileBulkEdit": "Copia di {0}",
+ "copyBulkEdit": "Copia {0} file",
+ "copyFileBulkEdit": "Copia {0}",
+ "fileDeleted": "Il file o i file da incollare sono stati eliminati o spostati da quando sono stati copiati. {0}"
+ },
+ "vs/workbench/contrib/files/browser/fileCommands": {
+ "saveAs": "Salva con nome...",
+ "save": "Salva",
+ "saveWithoutFormatting": "Salva senza formattazione",
+ "saveAll": "Salva tutto",
+ "removeFolderFromWorkspace": "Rimuovi cartella dall'area di lavoro",
+ "newUntitledFile": "Nuovo file senza nome",
+ "modifiedLabel": "{0} (nel file) ↔ {1}",
+ "openFileToCopy": "Aprire prima un file per copiarne il percorso",
+ "genericSaveError": "Non è stato possibile salvare '{0}': {1}",
+ "genericRevertError": "Impossibile ripristinare '{0}': {1}"
+ },
+ "vs/workbench/contrib/files/browser/editors/textFileEditor": {
+ "textFileEditor": "Editor file di testo",
+ "openFolderError": "Il file è una directory",
+ "createFile": "Crea file"
+ },
+ "vs/workbench/contrib/files/browser/views/explorerDecorationsProvider": {
+ "canNotResolve": "Non è possibile risolvere la cartella dell'area di lavoro",
+ "symbolicLlink": "Collegamento simbolico",
+ "unknown": "Tipo di file sconosciuto",
+ "label": "Esplora risorse"
+ },
+ "vs/workbench/contrib/files/browser/views/explorerViewer": {
+ "treeAriaLabel": "Esplora file",
+ "fileInputAriaLabel": "Digitare il nome file. Premere INVIO per confermare oppure ESC per annullare.",
+ "confirmOverwrite": "Nella cartella di destinazione esiste già un file o una cartella denominata '{0}'. Sovrascrivere?",
+ "irreversible": "Questa azione è irreversibile.",
+ "replaceButtonLabel": "&&Sostituisci",
+ "confirmManyOverwrites": "I {0} file e/o cartelle seguenti esistono già nella cartella di destinazione. Sostituirli?",
+ "uploadingFiles": "In fase di caricamento",
+ "overwrite": "Sovrascrivi {0}",
+ "overwriting": "Sovrascrittura di {0}",
+ "uploadProgressSmallMany": "{0} di {1} file ({2}/s)",
+ "uploadProgressLarge": "{0} ({1} di {2}, {3}/s)",
+ "copyFolders": "&&Copia cartelle",
+ "copyFolder": "&&Copia cartella",
+ "cancel": "Annulla",
+ "copyfolders": "Copiare le cartelle?",
+ "copyfolder": "Copiare '{0}'?",
+ "addFolders": "&&Aggiungi cartelle all'area di lavoro",
+ "addFolder": "&&Aggiungi cartella all'area di lavoro",
+ "dropFolders": "Copiare le cartelle oppure aggiungerle all'area di lavoro?",
+ "dropFolder": "Copiare '{0}' oppure aggiungere '{0}' come cartella all'area di lavoro?",
+ "copyFile": "Copia {0}",
+ "copynFile": "Copia risorse di {0}",
+ "copyingFile": "Copia di {0}",
+ "copyingnFile": "Copia delle risorse di {0}",
+ "confirmRootsMove": "Modificare l'ordine di più cartelle radice nell'area di lavoro?",
+ "confirmMultiMove": "Spostare i {0} file seguenti in '{1}'?",
+ "confirmRootMove": "Modificare l'ordine della cartella radice '{0}' nell'area di lavoro?",
+ "confirmMove": "Spostare '{0}' in '{1}'?",
+ "doNotAskAgain": "Non visualizzare più questo messaggio",
+ "moveButtonLabel": "&&Sposta",
+ "copy": "Copia {0}",
+ "copying": "Copia di {0}",
+ "move": "Sposta {0}",
+ "moving": "Spostamento di {0}"
+ },
+ "vs/workbench/contrib/format/browser/formatActionsMultiple": {
+ "nullFormatterDescription": "Nessuno",
+ "miss": "L'estensione '{0}' non può formattare '{1}'",
+ "config.needed": "Sono disponibili più formattatori per i file '{0}'. Selezionare un formattatore predefinito per continuare.",
+ "config.bad": "L'estensione '{0}' è configurata come formattatore, ma non è disponibile. Per continuare, selezionare un altro formattatore predefinito.",
+ "do.config": "Configura...",
+ "select": "Selezionare un formattatore predefinito per i file '{0}'",
+ "formatter.default": "Consente di definire un formattatore predefinito che ha la precedenza su tutte le altre impostazioni di formattatore. Deve essere l'identificatore di un'estensione che contribuisce a un formattatore.",
+ "def": "(Predefinita)",
+ "config": "Configura il formattatore predefinito...",
+ "format.placeHolder": "Selezionare un formattatore",
+ "formatDocument.label.multiple": "Formatta documento con...",
+ "formatSelection.label.multiple": "Formatta selezione con..."
+ },
+ "vs/workbench/contrib/format/browser/formatActionsNone": {
+ "formatDocument.label.multiple": "Formatta documento",
+ "too.large": "Non è possibile formattare questo file perché è troppo grande",
+ "no.provider": "Non è installato alcun formattatore per i file '{0}'.",
+ "install.formatter": "Installa formattatore..."
+ },
+ "vs/workbench/contrib/format/browser/formatModified": {
+ "formatChanges": "Formatta righe modificate"
+ },
+ "vs/workbench/contrib/issue/electron-sandbox/issue.contribution": {
+ "reportIssueInEnglish": "Segnala problema..."
+ },
+ "vs/workbench/contrib/issue/electron-sandbox/issueActions": {
+ "openProcessExplorer": "Apri Esplora processi",
+ "reportPerformanceIssue": "Segnala problema di prestazioni"
+ },
+ "vs/workbench/contrib/keybindings/browser/keybindings.contribution": {
+ "toggleKeybindingsLog": "Attiva/Disattiva risoluzione dei problemi per tasti di scelta rapida"
+ },
+ "vs/workbench/contrib/localizations/browser/localizations.contribution": {
+ "updateLocale": "Cambiare la lingua dell'interfaccia utente di VS Code in {0} e riavviare?",
+ "activateLanguagePack": "Per poter usare VS Code in {0}, è necessario riavviare l'applicazione.",
+ "yes": "Sì",
+ "restart now": "Riavvia ora",
+ "neverAgain": "Non visualizzare più questo messaggio",
+ "vscode.extension.contributes.localizations": "Aggiunge come contributo le localizzazioni all'editor",
+ "vscode.extension.contributes.localizations.languageId": "Id della lingua in cui sono tradotte le stringhe visualizzate.",
+ "vscode.extension.contributes.localizations.languageName": "Nome della lingua in inglese.",
+ "vscode.extension.contributes.localizations.languageNameLocalized": "Nome della lingua nella lingua stessa.",
+ "vscode.extension.contributes.localizations.translations": "Elenco delle traduzioni associate alla lingua.",
+ "vscode.extension.contributes.localizations.translations.id": "ID di VS Code o dell'estensione cui si riferisce questa traduzione. L'ID di VS Code è sempre 'vscode' e quello di un'estensione deve essere nel formato 'publisherId.extensionName'.",
+ "vscode.extension.contributes.localizations.translations.id.pattern": "L'ID deve essere 'vscode' o essere nel formato 'publisherId.extensionName' per tradurre rispettivamente VS Code o un'estensione.",
+ "vscode.extension.contributes.localizations.translations.path": "Percorso relativo di un file che contiene le traduzioni per la lingua."
+ },
+ "vs/workbench/contrib/localizations/browser/localizationsActions": {
+ "configureLocale": "Configura la lingua visualizzata",
+ "installAdditionalLanguages": "Installa lingue aggiuntive...",
+ "chooseDisplayLanguage": "Seleziona lingua visualizzata",
+ "relaunchDisplayLanguageMessage": "Per rendere effettiva la modifica relativa alla lingua visualizzata, è necessario riavviare il sistema.",
+ "relaunchDisplayLanguageDetail": "Fare clic sul pulsante di riavvio per riavviare {0} e cambiare la lingua visualizzata.",
+ "restart": "&&Riavvia"
+ },
+ "vs/workbench/contrib/localizations/browser/minimalTranslations": {
+ "showLanguagePackExtensions": "Consente di cercare i Language Pack nel Marketplace per impostare la lingua visualizzata su {0}.",
+ "searchMarketplace": "Cerca nel Marketplace",
+ "installAndRestartMessage": "Consente di installare il Language Pack per impostare la lingua visualizzata su {0}.",
+ "installAndRestart": "Installa e riavvia"
+ },
+ "vs/workbench/contrib/logs/common/logs.contribution": {
+ "userDataSyncLog": "Sincronizzazione impostazioni",
+ "rendererLog": "Finestra",
+ "telemetryLog": "Telemetria",
+ "show window log": "Mostra log della finestra",
+ "mainLog": "Principale",
+ "sharedLog": "Condiviso"
+ },
+ "vs/workbench/contrib/logs/electron-sandbox/logsActions": {
+ "openLogsFolder": "Apri cartella dei log",
+ "openExtensionLogsFolder": "Apri cartella dei log dell'estensione"
+ },
+ "vs/workbench/contrib/logs/common/logsActions": {
+ "setLogLevel": "Imposta livello log...",
+ "trace": "Analisi",
+ "debug": "Debug",
+ "info": "Info",
+ "warn": "Avviso",
+ "err": "Errore",
+ "critical": "Errori critici",
+ "off": "OFF",
+ "selectLogLevel": "Seleziona il livello log",
+ "default and current": "Predefinito e corrente",
+ "default": "Predefinito",
+ "current": "Corrente",
+ "openSessionLogFile": "Apri file di log della finestra (sessione)...",
+ "sessions placeholder": "Seleziona sessione",
+ "log placeholder": "Seleziona file di log"
+ },
+ "vs/workbench/contrib/markers/browser/markers.contribution": {
+ "markersViewIcon": "Icona della visualizzazione Marcatori.",
+ "copyMarker": "Copia",
+ "copyMessage": "Copia messaggio ",
+ "focusProblemsList": "Stato attivo su visualizzazione problemi",
+ "focusProblemsFilter": "Stato attivo su filtro problemi",
+ "show multiline": "Mostra il messaggio su più righe",
+ "problems": "Problemi",
+ "show singleline": "Mostra il messaggio su un'unica riga",
+ "clearFiltersText": "Cancella il testo dei filtri",
+ "miMarker": "&&Problemi",
+ "status.problems": "Problemi",
+ "totalErrors": "{0} errori",
+ "totalWarnings": "{0} avvisi",
+ "totalInfos": "{0} messaggi informativi",
+ "noProblems": "Nessun problema",
+ "manyProblems": "Più di 10.000"
+ },
+ "vs/workbench/contrib/markers/browser/markersView": {
+ "collapseAll": "Comprimi tutto",
+ "filter": "Filtro",
+ "No problems filtered": "Visualizza {0} problemi",
+ "problems filtered": "Visualizza il problema {0} di {1}",
+ "clearFilter": "Rimuovi i filtri"
+ },
+ "vs/workbench/contrib/markers/browser/markersViewActions": {
+ "filterIcon": "Icona per la configurazione del filtro nella visualizzazione Marcatori.",
+ "showing filtered problems": "Visualizzazione di {0} elementi su {1}"
+ },
+ "vs/workbench/contrib/markers/browser/messages": {
+ "problems.view.toggle.label": "Attiva/Disattiva Problemi (Errori, Avvisi, Informazioni)",
+ "problems.view.focus.label": "Sposta lo stato attivo su problemi (Errori, Avvisi, Informazioni)",
+ "problems.panel.configuration.title": "Visualizzazione Problemi",
+ "problems.panel.configuration.autoreveal": "Controlla se la visualizzazione Problemi deve visualizzare automaticamente i file all'apertura.",
+ "problems.panel.configuration.showCurrentInStatus": "Se è abilitato, mostra il problema corrente nella barra di stato.",
+ "markers.panel.title.problems": "Problemi",
+ "markers.panel.no.problems.build": "Finora non sono stati rilevati problemi nell'area di lavoro.",
+ "markers.panel.no.problems.activeFile.build": "Finora non sono stati rilevati problemi nel file corrente.",
+ "markers.panel.no.problems.filters": "Non sono stati trovati risultati corrispondenti ai criteri di filtro specificati.",
+ "markers.panel.action.moreFilters": "Altri filtri...",
+ "markers.panel.filter.showErrors": "Mostra errori",
+ "markers.panel.filter.showWarnings": "Mostra avvisi",
+ "markers.panel.filter.showInfos": "Mostra informazioni",
+ "markers.panel.filter.useFilesExclude": "Nascondi file esclusi",
+ "markers.panel.filter.activeFile": "Mostra solo file attivo",
+ "markers.panel.action.filter": "Filtra problemi",
+ "markers.panel.action.quickfix": "Mostra correzioni",
+ "markers.panel.filter.ariaLabel": "Filtra problemi",
+ "markers.panel.filter.placeholder": "Filtro, ad esempio text, **/*.ts, !**/node_modules/**",
+ "markers.panel.filter.errors": "errori",
+ "markers.panel.filter.warnings": "avvisi",
+ "markers.panel.filter.infos": "messaggi informativi",
+ "markers.panel.single.error.label": "1 errore",
+ "markers.panel.multiple.errors.label": "{0} errori",
+ "markers.panel.single.warning.label": "1 avviso",
+ "markers.panel.multiple.warnings.label": "{0} avvisi",
+ "markers.panel.single.info.label": "1 messaggio informativo",
+ "markers.panel.multiple.infos.label": "{0} messaggi informativi",
+ "markers.panel.single.unknown.label": "1 sconosciuto",
+ "markers.panel.multiple.unknowns.label": "{0} sconosciuti",
+ "markers.panel.at.ln.col.number": "[{0}, {1}]",
+ "problems.tree.aria.label.resource": "{0} problemi nel file {1} della cartella {2}",
+ "problems.tree.aria.label.marker.relatedInformation": " Questo problema include riferimenti a {0} percorsi.",
+ "problems.tree.aria.label.error.marker": "Errore generato da {0}: {1} a riga {2} e carattere {3}.{4}",
+ "problems.tree.aria.label.error.marker.nosource": "Errore: {0} a riga {1} e carattere {2}.{3}",
+ "problems.tree.aria.label.warning.marker": "Avviso generato da {0}: {1} a riga {2} e carattere {3}.{4}",
+ "problems.tree.aria.label.warning.marker.nosource": "Avviso: {0} a riga {1} e carattere {2}.{3}",
+ "problems.tree.aria.label.info.marker": "Messaggio informativo generato da {0}: {1} a riga {2} e carattere {3}.{4}",
+ "problems.tree.aria.label.info.marker.nosource": "Messaggio informativo: {0} a riga {1} e carattere {2}.{3}",
+ "problems.tree.aria.label.marker": "Problema generato da {0}: {1} a riga {2} e carattere {3}.{4}",
+ "problems.tree.aria.label.marker.nosource": "Problema: {0} a riga {1} e carattere {2}.{3}",
+ "problems.tree.aria.label.relatedinfo.message": "{0} a riga {1} e carattere {2} in {3}",
+ "errors.warnings.show.label": "Mostra errori e avvisi"
+ },
+ "vs/workbench/contrib/markers/browser/markers": {
+ "totalProblems": "Totale {0} problemi"
+ },
+ "vs/workbench/contrib/markers/browser/markersFileDecorations": {
+ "label": "Problemi",
+ "tooltip.1": "1 problema in questo file ",
+ "tooltip.N": "{0} problemi in questo file",
+ "markers.showOnFile": "Mostra errori e avvisi relativi a file e cartella."
+ },
+ "vs/workbench/contrib/markers/browser/markersTreeViewer": {
+ "problemsView": "Visualizzazione Problemi",
+ "expandedIcon": "Icona per indicare che più righe sono visibili nella visualizzazione Marcatori.",
+ "collapsedIcon": "Icona per indicare che più righe sono compresse nella visualizzazione Marcatori.",
+ "single line": "Mostra il messaggio su un'unica riga",
+ "multi line": "Mostra il messaggio su più righe",
+ "links.navigate.follow": "Visita il collegamento",
+ "links.navigate.kb.meta": "CTRL+clic",
+ "links.navigate.kb.meta.mac": "CMD+clic",
+ "links.navigate.kb.alt.mac": "Opzione+clic",
+ "links.navigate.kb.alt": "ALT+clic"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/coreActions": {
+ "notebookActions.category": "Notebook",
+ "notebookActions.execute": "Esegui cella",
+ "notebookActions.cancel": "Arresta esecuzione della cella",
+ "notebookActions.executeCell": "Esegui cella",
+ "notebookActions.CancelCell": "Annulla esecuzione",
+ "notebookActions.deleteCell": "Elimina cella",
+ "notebookActions.executeAndSelectBelow": "Esegui cella del notebook e seleziona in basso",
+ "notebookActions.executeAndInsertBelow": "Esegui cella del notebook e inserisci in basso",
+ "notebookActions.renderMarkdown": "Esegui rendering di tutte le celle Markdown",
+ "notebookActions.executeNotebook": "Esegui notebook",
+ "notebookActions.cancelNotebook": "Annulla esecuzione del notebook",
+ "notebookMenu.insertCell": "Inserisci cella",
+ "notebookMenu.cellTitle": "Cella del notebook",
+ "notebookActions.menu.executeNotebook": "Esegui notebook (tutte le celle)",
+ "notebookActions.menu.cancelNotebook": "Arresta esecuzione del notebook",
+ "notebookActions.changeCellToCode": "Modifica cella in codice",
+ "notebookActions.changeCellToMarkdown": "Modifica cella in Markdown",
+ "notebookActions.insertCodeCellAbove": "Inserisci cella di codice in alto",
+ "notebookActions.insertCodeCellBelow": "Inserisci cella di codice in basso",
+ "notebookActions.insertCodeCellAtTop": "Aggiungi cella di codice in alto",
+ "notebookActions.insertMarkdownCellAtTop": "Aggiungi cella Markdown in alto",
+ "notebookActions.menu.insertCode": "$(add) codice",
+ "notebookActions.menu.insertCode.tooltip": "Aggiungi cella di codice",
+ "notebookActions.insertMarkdownCellAbove": "Inserisci cella Markdown in alto",
+ "notebookActions.insertMarkdownCellBelow": "Inserisci cella Markdown in basso",
+ "notebookActions.menu.insertMarkdown": "$(add) markdown",
+ "notebookActions.menu.insertMarkdown.tooltip": "Aggiungi cella Markdown",
+ "notebookActions.editCell": "Modifica cella",
+ "notebookActions.quitEdit": "Arresta modifica della cella",
+ "notebookActions.moveCellUp": "Sposta cella in alto",
+ "notebookActions.moveCellDown": "Sposta cella in basso",
+ "notebookActions.copy": "Copia cella",
+ "notebookActions.cut": "Taglia cella",
+ "notebookActions.paste": "Incolla cella",
+ "notebookActions.pasteAbove": "Incolla cella in alto",
+ "notebookActions.copyCellUp": "Copia cella in alto",
+ "notebookActions.copyCellDown": "Copia cella in basso",
+ "cursorMoveDown": "Sposta lo stato attivo sull'editor celle successivo",
+ "cursorMoveUp": "Sposta lo stato attivo sull'editor celle precedente",
+ "focusOutput": "Abilita stato attivo per output della cella attiva",
+ "focusOutputOut": "Disabilita stato attivo per output della cella attiva",
+ "focusFirstCell": "Sposta stato attivo sulla prima cella",
+ "focusLastCell": "Sposta stato attivo sull'ultima cella",
+ "clearCellOutputs": "Cancella output della cella",
+ "changeLanguage": "Cambia linguaggio della cella",
+ "languageDescription": "({0}) - Linguaggio corrente",
+ "languageDescriptionConfigured": "({0})",
+ "pickLanguageToConfigure": "Seleziona modalità linguaggio",
+ "clearAllCellsOutputs": "Cancella output di tutte le celle",
+ "notebookActions.splitCell": "Dividi cella",
+ "notebookActions.joinCellAbove": "Unisci con cella precedente",
+ "notebookActions.joinCellBelow": "Unisci con cella successiva",
+ "notebookActions.centerActiveCell": "Centra cella attiva",
+ "notebookActions.collapseCellInput": "Comprimi input delle celle",
+ "notebookActions.expandCellContent": "Espandi contenuto delle celle",
+ "notebookActions.collapseCellOutput": "Comprimi output delle celle",
+ "notebookActions.expandCellOutput": "Espandi output delle celle",
+ "notebookActions.inspectLayout": "Ispeziona layout del notebook"
+ },
+ "vs/workbench/contrib/notebook/browser/notebook.contribution": {
+ "diffLeftRightLabel": "{0} ⟷ {1}",
+ "notebookConfigurationTitle": "Blocco appunti",
+ "notebook.displayOrder.description": "Elenco di priorità per i tipi MIME di output",
+ "notebook.cellToolbarLocation.description": "Indica la posizione in cui visualizzare la barra degli strumenti della cella o se deve essere nascosta.",
+ "notebook.showCellStatusbar.description": "Indica se visualizzare la barra di stato della cella.",
+ "notebook.diff.enablePreview.description": "Indica se usare l'editor diff di testo avanzato per il notebook."
+ },
+ "vs/workbench/contrib/notebook/browser/notebookIcons": {
+ "configureKernel": "Icona di configurazione nel widget di configurazione del kernel degli editor di notebook.",
+ "selectKernelIcon": "Icona di configurazione per selezionare un kernel negli editor di notebook.",
+ "executeIcon": "Icona per l'esecuzione negli editor di notebook.",
+ "stopIcon": "Icona per arrestare un'esecuzione negli editor di notebook.",
+ "deleteCellIcon": "Icona per eliminare una cella negli editor di notebook.",
+ "executeAllIcon": "Icona per eseguire tutte le celle negli editor di notebook.",
+ "editIcon": "Icona per modificare una cella negli editor di notebook.",
+ "stopEditIcon": "Icona per arrestare la modifica di una cella negli editor di notebook.",
+ "moveUpIcon": "Icona per spostare una cella verso l'alto negli editor di notebook.",
+ "moveDownIcon": "Icona per spostare una cella verso il basso negli editor di notebook.",
+ "clearIcon": "Icona per cancellare l'output delle celle negli editor di notebook.",
+ "splitCellIcon": "Icona per dividere una cella negli editor di notebook.",
+ "unfoldIcon": "Icona per espandere una cella negli editor di notebook.",
+ "successStateIcon": "Icona per indicare uno stato di operazione riuscita negli editor di notebook.",
+ "errorStateIcon": "Icona per indicare uno stato di errore negli editor di notebook.",
+ "collapsedIcon": "Icona per annotare una sezione compressa negli editor di notebook.",
+ "expandedIcon": "Icona per annotare una sezione espansa negli editor di notebook.",
+ "openAsTextIcon": "Icona per aprire il notebook in un editor di testo.",
+ "revertIcon": "Icona per il ripristino negli editor di notebook.",
+ "mimetypeIcon": "Icona per un tipo MIME negli editor di notebook."
+ },
+ "vs/workbench/contrib/notebook/browser/notebookEditor": {
+ "fail.noEditor": "Non è possibile aprire la risorsa con il tipo di editor di notebook '{0}'. Verificare se l'estensione corretta è installata o abilitata.",
+ "fail.reOpen": "Riapri il file con l'editor di testo standard di VS Code"
+ },
+ "vs/workbench/contrib/notebook/browser/notebookServiceImpl": {
+ "builtinProviderDisplayName": "Predefinito"
+ },
+ "vs/workbench/contrib/notebook/browser/diff/notebookTextDiffEditor": {
+ "notebookTreeAriaLabel": "Differenze di testo notebook"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/find/findController": {
+ "notebookActions.hideFind": "Nascondi Trova nel notebook",
+ "notebookActions.findInNotebook": "Trova nel notebook"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/fold/folding": {
+ "fold.cell": "Riduci cella",
+ "unfold.cell": "Espandi cella"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/format/formatting": {
+ "format.title": "Formatta notebook",
+ "label": "Formatta notebook",
+ "formatCell.label": "Formatta cella"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/status/editorStatus": {
+ "notebookActions.selectKernel": "Seleziona kernel del notebook",
+ "notebook.runCell.selectKernel": "Selezionare un kernel per l'esecuzione di questo notebook",
+ "currentActiveKernel": " (Attualmente attivo)",
+ "notebook.promptKernel.setDefaultTooltip": "Imposta come provider di kernel predefinito per '{0}'",
+ "chooseActiveKernel": "Scegliere il kernel per il notebook corrente",
+ "notebook.selectKernel": "Scegliere il kernel per il notebook corrente"
+ },
+ "vs/workbench/contrib/notebook/browser/diff/notebookDiffActions": {
+ "notebook.diff.switchToText": "Apri editor diff di testo",
+ "notebook.diff.cell.revertMetadata": "Ripristina metadati",
+ "notebook.diff.cell.revertOutputs": "Ripristina output",
+ "notebook.diff.cell.revertInput": "Ripristina input"
+ },
+ "vs/workbench/contrib/notebook/browser/extensionPoint": {
+ "contributes.notebook.provider": "Aggiunge come contributo il provider di documenti del notebook.",
+ "contributes.notebook.provider.viewType": "Identificatore univoco del notebook.",
+ "contributes.notebook.provider.displayName": "Nome leggibile del notebook.",
+ "contributes.notebook.provider.selector": "Set di GLOB per cui è viene usato il notebook.",
+ "contributes.notebook.provider.selector.filenamePattern": "GLOB per cui è abilitato il notebook.",
+ "contributes.notebook.selector.provider.excludeFileNamePattern": "GLOB per cui è disabilitato il notebook.",
+ "contributes.priority": "Controlla se l'editor personalizzato viene abilitato automaticamente quando l'utente apre un file. Gli utenti possono eseguirne l'override usando l'impostazione `workbench.editorAssociations`.",
+ "contributes.priority.default": "L'editor viene usato automaticamente quando l'utente apre una risorsa, purché non siano stati registrati altri editor personalizzati predefiniti per tale risorsa.",
+ "contributes.priority.option": "L'editor non viene usato automaticamente quando l'utente apre una risorsa, ma può passare all'editor usando il comando `Riapri con`.",
+ "contributes.notebook.renderer": "Aggiunge come contributo il provider di renderer di output del notebook.",
+ "contributes.notebook.renderer.viewType": "Identificatore univoco del renderer di output del notebook.",
+ "contributes.notebook.provider.viewType.deprecated": "Rinomina `viewType` in `id`.",
+ "contributes.notebook.renderer.displayName": "Nome leggibile del renderer di output del notebook.",
+ "contributes.notebook.selector": "Set di GLOB per cui è viene usato il notebook.",
+ "contributes.notebook.renderer.entrypoint": "File da caricare nella Webview per eseguire il rendering dell'estensione."
+ },
+ "vs/workbench/contrib/notebook/browser/notebookKernelAssociation": {
+ "notebook.kernelProviderAssociations": "Consente di definire un provider di kernel predefinito che ha la precedenza su tutte le altre impostazioni di provider di kernel. Deve essere l'identificatore di un'estensione che contribuisce a un provider di kernel."
+ },
+ "vs/workbench/contrib/notebook/common/model/notebookTextModel": {
+ "defaultEditLabel": "Modifica"
+ },
+ "vs/workbench/contrib/notebook/common/notebookEditorModel": {
+ "notebook.staleSaveError": "Il contenuto del file è cambiato nel disco. Aprire la versione aggiornata oppure sovrascrivere il file con le modifiche apportate?",
+ "notebook.staleSaveError.revert": "Ripristina",
+ "notebook.staleSaveError.overwrite.": "Sovrascrivi"
+ },
+ "vs/workbench/contrib/notebook/browser/notebookEditorWidget": {
+ "notebookTreeAriaLabel": "Notebook",
+ "notebook.runCell.selectKernel": "Selezionare un kernel per l'esecuzione di questo notebook",
+ "notebook.promptKernel.setDefaultTooltip": "Imposta come provider di kernel predefinito per '{0}'",
+ "notebook.cellBorderColor": "Colore del bordo per le celle del notebook.",
+ "notebook.focusedEditorBorder": "Colore del bordo dell'editor di cella del notebook.",
+ "notebookStatusSuccessIcon.foreground": "Colore dell'icona di errore delle celle del notebook nella barra di stato delle celle.",
+ "notebookStatusErrorIcon.foreground": "Colore dell'icona di errore delle celle del notebook nella barra di stato delle celle.",
+ "notebookStatusRunningIcon.foreground": "Colore dell'icona di esecuzione delle celle del notebook nella barra di stato delle celle.",
+ "notebook.outputContainerBackgroundColor": "Colore dello sfondo del contenitore di output del notebook.",
+ "notebook.cellToolbarSeparator": "Colore del separatore nella barra degli strumenti inferiore della cella",
+ "focusedCellBackground": "Colore di sfondo di una cella con lo stato attivo.",
+ "notebook.cellHoverBackground": "Colore di sfondo di una cella al passaggio del mouse.",
+ "notebook.selectedCellBorder": "Colore del bordo superiore e inferiore della cella quando è selezionata ma non con lo stato attivo.",
+ "notebook.focusedCellBorder": "Colore del bordo superiore e inferiore della cella con lo stato attivo.",
+ "notebook.cellStatusBarItemHoverBackground": "Colore di sfondo degli elementi della barra di stato delle celle del notebook.",
+ "notebook.cellInsertionIndicator": "Colore dell'indicatore di inserimento cella del notebook.",
+ "notebookScrollbarSliderBackground": "Colore di sfondo del cursore della barra di scorrimento del notebook.",
+ "notebookScrollbarSliderHoverBackground": "Colore di sfondo del cursore della barra di scorrimento del notebook al passaggio del mouse.",
+ "notebookScrollbarSliderActiveBackground": "Colore di sfondo del cursore della barra di scorrimento del notebook quando si fa clic con il mouse.",
+ "notebook.symbolHighlightBackground": "Colore di sfondo della cella evidenziata"
+ },
+ "vs/workbench/contrib/notebook/browser/view/renderers/cellRenderer": {
+ "cellExpandButtonLabel": "Espandi"
+ },
+ "vs/workbench/contrib/notebook/browser/viewModel/markdownCellViewModel": {
+ "notebook.emptyMarkdownPlaceholder": "Cella Markdown vuota. Fare doppio clic o premere INVIO per modificare."
+ },
+ "vs/workbench/contrib/notebook/browser/view/renderers/cellWidgets": {
+ "notebook.cell.status.language": "Seleziona modalità linguaggio della cella"
+ },
+ "vs/workbench/contrib/notebook/browser/view/renderers/cellOutput": {
+ "mimeTypePicker": "Scegliere un tipo MIME di output diverso. Tipi MIME disponibili: {0}",
+ "curruentActiveMimeType": "Attualmente attivo",
+ "promptChooseMimeTypeInSecure.placeHolder": "Selezionare il tipo MIME per il rendering dell'output corrente. I tipi MIME avanzati sono disponibili solo quando il notebook è attendibile",
+ "promptChooseMimeType.placeHolder": "Selezionare il tipo MIME per il rendering dell'output corrente",
+ "builtinRenderInfo": "predefinito"
+ },
+ "vs/workbench/contrib/outline/browser/outline.contribution": {
+ "outlineViewIcon": "Icona della visualizzazione Struttura.",
+ "name": "Struttura",
+ "outlineConfigurationTitle": "Struttura",
+ "outline.showIcons": "Esegui il rendering degli elementi di contorno con le icone.",
+ "outline.showProblem": "Mostra errori e avvisi su elementi della struttura.",
+ "outline.problem.colors": "Usa i colori per errori e avvisi.",
+ "outline.problems.badges": "Usa le notifiche per errori e avvisi.",
+ "filteredTypes.file": "Se è abilitata, la struttura mostra i simboli relativi a `file`.",
+ "filteredTypes.module": "Se è abilitata, la struttura mostra i simboli relativi a `module`.",
+ "filteredTypes.namespace": "Se è abilitata, la struttura mostra i simboli relativi a `namespace`.",
+ "filteredTypes.package": "Se è abilitata, la struttura mostra i simboli relativi a `package`.",
+ "filteredTypes.class": "Se è abilitata, la struttura mostra i simboli relativi a `class`.",
+ "filteredTypes.method": "Se è abilitata, la struttura mostra i simboli relativi a `method`.",
+ "filteredTypes.property": "Se è abilitata, la struttura mostra i simboli relativi a `property`.",
+ "filteredTypes.field": "Se è abilitata, la struttura mostra i simboli relativi a `field`.",
+ "filteredTypes.constructor": "Se è abilitata, la struttura mostra i simboli relativi a `constructor`.",
+ "filteredTypes.enum": "Se è abilitata, la struttura mostra i simboli relativi a `enum`.",
+ "filteredTypes.interface": "Se è abilitata, la struttura mostra i simboli relativi a `interface`.",
+ "filteredTypes.function": "Se è abilitata, la struttura mostra i simboli relativi a `function`.",
+ "filteredTypes.variable": "Se è abilitata, la struttura mostra i simboli relativi a `variable`.",
+ "filteredTypes.constant": "Se è abilitata, la struttura mostra i simboli relativi a `constant`.",
+ "filteredTypes.string": "Se è abilitata, la struttura mostra i simboli relativi a `string`.",
+ "filteredTypes.number": "Se è abilitata, la struttura mostra i simboli relativi a `number`.",
+ "filteredTypes.boolean": "Se è abilitata, la struttura mostra i simboli relativi a `boolean`.",
+ "filteredTypes.array": "Se è abilitata, la struttura mostra i simboli relativi a `array`.",
+ "filteredTypes.object": "Se è abilitata, la struttura mostra i simboli relativi a `object`.",
+ "filteredTypes.key": "Se è abilitata, la struttura mostra i simboli relativi a `key`.",
+ "filteredTypes.null": "Se è abilitata, la struttura mostra i simboli relativi a `null`.",
+ "filteredTypes.enumMember": "Se è abilitata, la struttura mostra i simboli relativi a `enumMember`.",
+ "filteredTypes.struct": "Se è abilitata, la struttura mostra i simboli relativi a `struct`.",
+ "filteredTypes.event": "Se è abilitata, la struttura mostra i simboli relativi a `event`.",
+ "filteredTypes.operator": "Se è abilitata, la struttura mostra i simboli relativi a `operator`.",
+ "filteredTypes.typeParameter": "Se è abilitata, la struttura mostra i simboli relativi a `typeParameter`."
+ },
+ "vs/workbench/contrib/outline/browser/outlinePane": {
+ "outline": "Struttura",
+ "sortByPosition": "Ordina Per: Posizione",
+ "sortByName": "Ordina per: Nome",
+ "sortByKind": "Ordina per: Categoria",
+ "followCur": "Segui il cursore",
+ "filterOnType": "Filtra per tipo",
+ "no-editor": "L'editor attivo non può fornire informazioni sulla struttura.",
+ "loading": "Caricamento dei simboli del documento per '{0}'...",
+ "no-symbols": "Non sono stati trovati simboli nel documento '{0}'"
+ },
+ "vs/workbench/contrib/output/browser/output.contribution": {
+ "outputViewIcon": "Icona della visualizzazione Output.",
+ "output": "Output",
+ "logViewer": "Visualizzatore Log",
+ "switchToOutput.label": "Passa all'output",
+ "clearOutput.label": "Cancella output",
+ "outputCleared": "L'output è stato cancellato",
+ "toggleAutoScroll": "Attiva/disattiva scorrimento automatico",
+ "outputScrollOff": "Disattiva scorrimento automatico",
+ "outputScrollOn": "Attiva scorrimento automatico",
+ "openActiveLogOutputFile": "Apri file di output del log",
+ "toggleOutput": "Attiva/Disattiva output",
+ "showLogs": "Mostra log...",
+ "selectlog": "Seleziona il log",
+ "openLogFile": "Apri file di Log...",
+ "selectlogFile": "Seleziona file di log",
+ "miToggleOutput": "&&Output",
+ "output.smartScroll.enabled": "Abilita/Disabilita lo scorrimento intelligente nella visualizzazione di output. Lo scorrimento intelligente consente di bloccare automaticamente lo scorrimento quando si fa clic nella visualizzazione di output e di sbloccarlo quando si fa clic nell'ultima riga."
+ },
+ "vs/workbench/contrib/output/browser/outputView": {
+ "output model title": "{0} - Output",
+ "channel": "Canale Output per '{0}'",
+ "output": "Output",
+ "outputViewWithInputAriaLabel": "{0}, Pannello di output",
+ "outputViewAriaLabel": "Pannello di output",
+ "outputChannels": "Canali di uscita.",
+ "logChannel": "Log ({0})"
+ },
+ "vs/workbench/contrib/output/browser/logViewer": {
+ "logViewerAriaLabel": "Visualizzatore Log"
+ },
+ "vs/workbench/contrib/performance/electron-browser/startupProfiler": {
+ "prof.message": "I profili sono stati creati.",
+ "prof.detail": "Creare un problema e allegare manualmente i file seguenti:\r\n{0}",
+ "prof.restartAndFileIssue": "&&Crea problema e riavvia",
+ "prof.restart": "&&Riavvia",
+ "prof.thanks": "Grazie per l'aiuto.",
+ "prof.detail.restart": "È necessario un riavvio finale per continuare a usare '{0}'. Grazie per il contributo.",
+ "prof.restart.button": "&&Riavvia"
+ },
+ "vs/workbench/contrib/performance/browser/performance.contribution": {
+ "show.label": "Prestazioni all'avvio"
+ },
+ "vs/workbench/contrib/performance/browser/perfviewEditor": {
+ "name": "Prestazioni all'avvio"
+ },
+ "vs/workbench/contrib/preferences/browser/keybindingsEditorContribution": {
+ "defineKeybinding.start": "Definisci tasto di scelta rapida",
+ "defineKeybinding.kbLayoutErrorMessage": "Non sarà possibile produrre questa combinazione di tasti con il layout di tastiera corrente.",
+ "defineKeybinding.kbLayoutLocalAndUSMessage": "**{0}** per il layout di tastiera corrente (**{1}** per quello standard US).",
+ "defineKeybinding.kbLayoutLocalMessage": "**{0}** per il layout di tastiera corrente."
+ },
+ "vs/workbench/contrib/preferences/browser/preferences.contribution": {
+ "defaultPreferencesEditor": "Editor preferenze predefinite",
+ "settingsEditor2": "Editor impostazioni 2",
+ "keybindingsEditor": "Editor tasti di scelta rapida",
+ "openSettings2": "Apri impostazioni (interfaccia utente)",
+ "preferences": "Preferenze",
+ "settings": "Impostazioni",
+ "miOpenSettings": "&&Impostazioni",
+ "openSettingsJson": "Apri impostazioni (JSON)",
+ "openGlobalSettings": "Apri impostazioni utente",
+ "openRawDefaultSettings": "Apri impostazioni predefinite (JSON)",
+ "openWorkspaceSettings": "Apri impostazioni area di lavoro",
+ "openWorkspaceSettingsFile": "Apri impostazioni area di lavoro (JSON)",
+ "openFolderSettings": "Apri impostazioni cartella",
+ "openFolderSettingsFile": "Apri impostazioni cartella (JSON)",
+ "filterModifiedLabel": "Mostra impostazioni modificate",
+ "filterOnlineServicesLabel": "Mostra impostazioni per i servizi online",
+ "miOpenOnlineSettings": "Impostazioni servizi &&online",
+ "onlineServices": "Impostazioni servizi online",
+ "openRemoteSettings": "Apri impostazioni remote ({0})",
+ "settings.focusSearch": "Sposta stato attivo sulla ricerca impostazioni",
+ "settings.clearResults": "Cancella risultati della ricerca impostazioni",
+ "settings.focusFile": "Sposta lo stato attivo sul file di impostazioni",
+ "settings.focusNextSetting": "Sposta lo stato attivo sull'impostazione successiva",
+ "settings.focusPreviousSetting": "Sposta lo stato attivo sull'impostazione precedente",
+ "settings.editFocusedSetting": "Modifica impostazione con stato attivo",
+ "settings.focusSettingsList": "Sposta lo stato attivo sull'elenco impostazioni",
+ "settings.focusSettingsTOC": "Sposta stato attivo sul sommario impostazioni",
+ "settings.focusSettingControl": "Sposta stato attivo sul controllo impostazione",
+ "settings.showContextMenu": "Mostra il menu di scelta rapida impostazioni",
+ "settings.focusLevelUp": "Sposta stato attivo in alto di un livello",
+ "openGlobalKeybindings": "Apri tasti di scelta rapida",
+ "Keyboard Shortcuts": "Tasti di scelta rapida",
+ "openDefaultKeybindingsFile": "Apri tasti di scelta rapida predefiniti (JSON)",
+ "openGlobalKeybindingsFile": "Apri tasti di scelta rapida (JSON)",
+ "showDefaultKeybindings": "Mostra tasti di scelta rapida predefiniti",
+ "showUserKeybindings": "Mostra tasti di scelta rapida utente",
+ "clear": "Cancella risultati della ricerca",
+ "miPreferences": "&&Preferenze"
+ },
+ "vs/workbench/contrib/preferences/browser/keybindingWidgets": {
+ "defineKeybinding.initial": "Premere la combinazione di tasti desiderata, quindi INVIO.",
+ "defineKeybinding.oneExists": "Questo tasto di scelta rapida è assegnato a 1 comando esistente",
+ "defineKeybinding.existing": "Questo tasto di scelta rapida è assegnato a {0} comandi esistenti",
+ "defineKeybinding.chordsTo": "premi contemporaneamente per"
+ },
+ "vs/workbench/contrib/preferences/browser/keybindingsEditor": {
+ "recordKeysLabel": "Registra tasti",
+ "recordKeysLabelWithKeybinding": "{0} ({1})",
+ "sortByPrecedeneLabel": "Ordina per Precedenza",
+ "sortByPrecedeneLabelWithKeybinding": "{0} ({1})",
+ "SearchKeybindings.FullTextSearchPlaceholder": "Digitare per cercare nei tasti di scelta rapida",
+ "SearchKeybindings.KeybindingsSearchPlaceholder": "Registrazione dei tasti. Premere ESC per uscire",
+ "clearInput": "Cancella input per la ricerca di tasti di scelta rapida",
+ "recording": "Registrazione dei tasti",
+ "command": "Comando",
+ "keybinding": "Tasto di scelta rapida",
+ "when": "Quando",
+ "source": "ORIGINE",
+ "show sorted keybindings": "Visualizzazione di {0} tasti di scelta rapida con ordine di precedenza",
+ "show keybindings": "Visualizzazione di {0} tasti di scelta rapida con ordine alfabetico",
+ "changeLabel": "Cambia tasto di scelta rapida...",
+ "addLabel": "Aggiungi tasto di scelta rapida...",
+ "editWhen": "Cambia espressione when",
+ "removeLabel": "Rimuovi tasto di scelta rapida",
+ "resetLabel": "Reimposta tasto di scelta rapida",
+ "showSameKeybindings": "Mostra gli stessi tasti di scelta rapida",
+ "copyLabel": "Copia",
+ "copyCommandLabel": "Copia ID comando",
+ "error": "Si è verificato l'errore '{0}' durante la modifica del tasto di scelta rapida. Aprire il file 'keybindings.json' e verificare la presenza di errori.",
+ "editKeybindingLabelWithKey": "Cambia tasto di scelta rapida {0}",
+ "editKeybindingLabel": "Cambia tasto di scelta rapida",
+ "addKeybindingLabelWithKey": "Aggiungi tasto di scelta rapida {0}",
+ "addKeybindingLabel": "Aggiungi tasto di scelta rapida",
+ "title": "{0} ({1})",
+ "whenContextInputAriaLabel": "Digitare il contesto per when. Premere INVIO per confermare oppure ESC per annullare.",
+ "keybindingsLabel": "Tasti di scelta rapida",
+ "noKeybinding": "Non è stato assegnato alcun tasto di scelta rapida.",
+ "noWhen": "Non esiste alcun contesto per Quando."
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesActions": {
+ "configureLanguageBasedSettings": "Configura impostazioni specifiche del linguaggio...",
+ "languageDescriptionConfigured": "({0})",
+ "pickLanguage": "Seleziona linguaggio"
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesEditor": {
+ "SearchSettingsWidget.AriaLabel": "Cerca impostazioni",
+ "SearchSettingsWidget.Placeholder": "Cerca impostazioni",
+ "noSettingsFound": "Non sono state trovate impostazioni",
+ "oneSettingFound": "1 impostazione trovata",
+ "settingsFound": "{0} impostazioni trovate",
+ "totalSettingsMessage": "{0} impostazioni in totale",
+ "nlpResult": "Risultati linguaggio naturale",
+ "filterResult": "Risultati filtrati",
+ "defaultSettings": "Impostazioni predefinite",
+ "defaultUserSettings": "Impostazioni predefinite utente",
+ "defaultWorkspaceSettings": "Impostazioni area di lavoro predefinite",
+ "defaultFolderSettings": "Impostazioni cartella predefinite",
+ "defaultEditorReadonly": "Modificare nell'editor a destra per ignorare le impostazioni predefinite.",
+ "preferencesAriaLabel": "Preferenze predefinite. Editor di sola lettura."
+ },
+ "vs/workbench/contrib/preferences/browser/settingsEditor2": {
+ "SearchSettings.AriaLabel": "Cerca impostazioni",
+ "clearInput": "Cancella input per la ricerca di impostazioni",
+ "noResults": "Non sono state trovate impostazioni",
+ "clearSearchFilters": "Rimuovi i filtri",
+ "settings": "Impostazioni",
+ "settingsNoSaveNeeded": "Le modifiche alle impostazioni vengono salvate automaticamente.",
+ "oneResult": "1 impostazione trovata",
+ "moreThanOneResult": "{0} impostazioni trovate",
+ "turnOnSyncButton": "Attiva Sincronizzazione impostazioni",
+ "lastSyncedLabel": "Ultima sincronizzazione: {0}"
+ },
+ "vs/workbench/contrib/preferences/common/preferencesContribution": {
+ "enableNaturalLanguageSettingsSearch": "Controlla se abilitare la modalità di ricerca in linguaggio naturale per le impostazioni. La ricerca in linguaggio naturale è fornita da un servizio Microsoft online.",
+ "settingsSearchTocBehavior.hide": "Nasconde il sommario durante la ricerca.",
+ "settingsSearchTocBehavior.filter": "Filtra il sommario in modo da visualizzare solo le categorie con impostazioni corrispondenti. Fare clic su una categoria per filtrare i risultati in base a tale categoria.",
+ "settingsSearchTocBehavior": "Controlla il comportamento del sommario dell'editor impostazioni durante la ricerca."
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesIcons": {
+ "settingsGroupExpandedIcon": "Icona per una sezione espansa nell'editor delle impostazioni JSON diviso.",
+ "settingsGroupCollapsedIcon": "Icona per una sezione compressa nell'editor delle impostazioni JSON diviso.",
+ "settingsScopeDropDownIcon": "Icona per il pulsante a discesa della cartella nell'editor delle impostazioni JSON diviso.",
+ "settingsMoreActionIcon": "Icona per l'azione 'Altre azioni' nell'interfaccia utente delle impostazioni.",
+ "keybindingsRecordKeysIcon": "Icona per l'azione 'Registra tasti' nell'interfaccia utente del tasto di scelta rapida.",
+ "keybindingsSortIcon": "Icona per l'interruttore 'Ordina per Precedenza' nell'interfaccia utente del tasto di scelta rapida.",
+ "keybindingsEditIcon": "Icona per l'azione di modifica nell'interfaccia utente del tasto di scelta rapida.",
+ "keybindingsAddIcon": "Icona per l'azione di aggiunta nell'interfaccia utente del tasto di scelta rapida.",
+ "settingsEditIcon": "Icona per l'azione di modifica nell'interfaccia utente delle impostazioni.",
+ "settingsAddIcon": "Icona per l'azione di aggiunta nell'interfaccia utente delle impostazioni.",
+ "settingsRemoveIcon": "Icona per l'azione di rimozione nell'interfaccia utente delle impostazioni.",
+ "preferencesDiscardIcon": "Icona per l'azione di rimozione nell'interfaccia utente delle impostazioni.",
+ "preferencesClearInput": "Icona per cancellare l'input nell'interfaccia utente delle impostazioni e del tasto di scelta rapida.",
+ "preferencesOpenSettings": "Icona per aprire i comandi delle impostazioni."
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesWidgets": {
+ "defaultSettings": "Inserire le impostazioni nell'editor di destra per eseguire l'override.",
+ "noSettingsFound": "Non sono state trovate impostazioni.",
+ "settingsSwitcherBarAriaLabel": "Selezione impostazioni",
+ "userSettings": "Utente",
+ "userSettingsRemote": "Remoto",
+ "workspaceSettings": "Area di lavoro",
+ "folderSettings": "Cartella"
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesRenderers": {
+ "emptyUserSettingsHeader": "Inserire qui le impostazioni qui per eseguire l'override delle impostazioni predefinite.",
+ "emptyWorkspaceSettingsHeader": "Inserire qui le impostazioni per eseguire l'override di Impostazioni utente.",
+ "emptyFolderSettingsHeader": "Inserire qui le impostazioni di cartella per eseguire l'override di quelle di Impostazioni area di lavoro.",
+ "editTtile": "Modifica",
+ "replaceDefaultValue": "Sostituisci nelle impostazioni",
+ "copyDefaultValue": "Copia nelle impostazioni",
+ "unknown configuration setting": "Impostazione di configurazione sconosciuta",
+ "unsupportedRemoteMachineSetting": "Non è possibile applicare l'impostazione in questa finestra. Verrà applicata direttamente all'apertura della finestra locale.",
+ "unsupportedWindowSetting": "Non è possibile applicare l'impostazione in questa area di lavoro. Verrà applicata direttamente all'apertura della cartella dell'area di lavoro contenitore.",
+ "unsupportedApplicationSetting": "Questa impostazione può essere applicata solo nelle impostazioni utente dell'applicazione",
+ "unsupportedMachineSetting": "Questa impostazione può essere applicata solo nelle impostazioni utente nella finestra locale o nelle impostazioni dell'ambiente remoto nella finestra dell'ambiente remoto.",
+ "unsupportedProperty": "Proprietà non supportata"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsLayout": {
+ "commonlyUsed": "Più usate",
+ "textEditor": "Editor di testo",
+ "cursor": "Cursore",
+ "find": "Trova",
+ "font": "Tipo di carattere",
+ "formatting": "Formattazione",
+ "diffEditor": "Editor diff",
+ "minimap": "Minimappa",
+ "suggestions": "Suggerimenti",
+ "files": "File",
+ "workbench": "Workbench",
+ "appearance": "Aspetto",
+ "breadcrumbs": "Percorsi di navigazione",
+ "editorManagement": "Gestione editor",
+ "settings": "Editor impostazioni",
+ "zenMode": "Modalità Zen",
+ "screencastMode": "Modalità Screencast",
+ "window": "Finestra",
+ "newWindow": "Nuova finestra",
+ "features": "Funzionalità",
+ "fileExplorer": "Esplora risorse",
+ "search": "Cerca",
+ "debug": "Debug",
+ "scm": "Gestione controllo servizi",
+ "extensions": "Estensioni",
+ "terminal": "Terminale",
+ "task": "Attività",
+ "problems": "Problemi",
+ "output": "Output",
+ "comments": "Commenti",
+ "remote": "Remoto",
+ "timeline": "Sequenza temporale",
+ "notebook": "Notebook",
+ "application": "Applicazione",
+ "proxy": "Proxy",
+ "keyboard": "Tastiera",
+ "update": "Aggiorna",
+ "telemetry": "Telemetria",
+ "settingsSync": "Sincronizzazione impostazioni"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsTree": {
+ "extensions": "Estensioni",
+ "extensionSyncIgnoredLabel": "Sincronizzazione: Ignorato",
+ "modified": "Modificato",
+ "settingsContextMenuTitle": "Altre azioni...",
+ "alsoConfiguredIn": "Modificato anche in",
+ "configuredIn": "Modificato in",
+ "newExtensionsButtonLabel": "Mostra le estensioni corrispondenti",
+ "editInSettingsJson": "Modifica in settings.json",
+ "settings.Default": "impostazione predefinita",
+ "resetSettingLabel": "Reimposta impostazione",
+ "validationError": "Errore di convalida.",
+ "settings.Modified": "Modificate.",
+ "settings": "Impostazioni",
+ "copySettingIdLabel": "Copia ID impostazione",
+ "copySettingAsJSONLabel": "Copia impostazione come JSON",
+ "stopSyncingSetting": "Sincronizza questa impostazione"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsTreeModels": {
+ "workspace": "Area di lavoro",
+ "remote": "Remoto",
+ "user": "Utente"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsWidgets": {
+ "headerForeground": "Colore primo piano di un'intestazione di sezione o un titolo attivo.",
+ "modifiedItemForeground": "Colore dell'indicatore di impostazione modificata.",
+ "settingsDropdownBackground": "Sfondo dell'elenco a discesa dell'editor impostazioni.",
+ "settingsDropdownForeground": "Primo piano dell'elenco a discesa dell'editor impostazioni.",
+ "settingsDropdownBorder": "Bordo dell'elenco a discesa dell'editor impostazioni.",
+ "settingsDropdownListBorder": "Bordo dell'elenco a discesa dell'editor impostazioni. Racchiude le opzioni e le separa dalla descrizione.",
+ "settingsCheckboxBackground": "Sfondo della casella di controllo dell'editor impostazioni.",
+ "settingsCheckboxForeground": "Primo piano della casella di controllo dell'editor impostazioni.",
+ "settingsCheckboxBorder": "Bordo della casella di controllo dell'editor delle impostazioni.",
+ "textInputBoxBackground": "Sfondo della casella di input di testo dell'editor impostazioni.",
+ "textInputBoxForeground": "Primo piano della casella di input di testo dell'editor impostazioni.",
+ "textInputBoxBorder": "Bordo della casella di input di testo dell'editor impostazioni.",
+ "numberInputBoxBackground": "Sfondo della casella di input numero dell'editor impostazioni.",
+ "numberInputBoxForeground": "Primo piano della casella di input numero dell'editor impostazioni.",
+ "numberInputBoxBorder": "Bordo della casella di input numero dell'editor impostazioni.",
+ "focusedRowBackground": "Colore di sfondo di una riga di impostazioni con stato attivo.",
+ "notebook.rowHoverBackground": "Colore di sfondo di una riga di impostazioni al passaggio del mouse.",
+ "notebook.focusedRowBorder": "Colore del bordo superiore e inferiore della riga con lo stato attivo.",
+ "okButton": "OK",
+ "cancelButton": "Annulla",
+ "listValueHintLabel": "Voce di elenco `{0}`",
+ "listSiblingHintLabel": "Voce di elenco `{0}` con elemento di pari livello `${1}`",
+ "removeItem": "Rimuovi elemento",
+ "editItem": "Modifica elemento",
+ "addItem": "Aggiungi elemento",
+ "itemInputPlaceholder": "Elemento stringa...",
+ "listSiblingInputPlaceholder": "Elemento di pari livello...",
+ "excludePatternHintLabel": "Escludi i file corrispondenti a '{0}'",
+ "excludeSiblingHintLabel": "Escludi i file corrispondenti a '{0}', solo quando è presente un file corrispondente a '{1}'",
+ "removeExcludeItem": "Rimuovi elemento Exclude",
+ "editExcludeItem": "Modifica elemento di esclusione",
+ "addPattern": "Aggiungi criterio",
+ "excludePatternInputPlaceholder": "Escludi criterio...",
+ "excludeSiblingInputPlaceholder": "Quando il criterio è presente...",
+ "objectKeyInputPlaceholder": "Chiave",
+ "objectValueInputPlaceholder": "Valore",
+ "objectPairHintLabel": "La proprietà `{0}` è impostata su `{1}`.",
+ "resetItem": "Reimposta elemento",
+ "objectKeyHeader": "Elemento",
+ "objectValueHeader": "Valore"
+ },
+ "vs/workbench/contrib/preferences/browser/tocTree": {
+ "settingsTOC": "Sommario impostazioni",
+ "groupRowAriaLabel": "{0}, gruppo"
+ },
+ "vs/workbench/contrib/quickaccess/browser/quickAccess.contribution": {
+ "helpQuickAccessPlaceholder": "Digitare '{0}' per visualizzare la Guida relativa alle azioni che è possibile eseguire qui.",
+ "helpQuickAccess": "Mostra tutti i provider di accesso rapido",
+ "viewQuickAccessPlaceholder": "Digitare il nome di una visualizzazione, un canale di output o un terminale da aprire.",
+ "viewQuickAccess": "Apri visualizzazione",
+ "commandsQuickAccessPlaceholder": "Digitare il nome di un comando da eseguire.",
+ "commandsQuickAccess": "Mostra ed esegui comandi",
+ "miCommandPalette": "Riquadro &&comandi...",
+ "miOpenView": "&&Apri visualizzazione...",
+ "miGotoSymbolInEditor": "Vai al &&simbolo nell'editor...",
+ "miGotoLine": "Vai a &&riga/colonna...",
+ "commandPalette": "Riquadro comandi..."
+ },
+ "vs/workbench/contrib/quickaccess/browser/viewQuickAccess": {
+ "noViewResults": "Non ci sono visualizzazioni corrispondenti",
+ "views": "Barra laterale",
+ "panels": "Pannello",
+ "terminalTitle": "{0}: {1}",
+ "terminals": "Terminale",
+ "logChannel": "Log ({0})",
+ "channels": "Output",
+ "openView": "Apri visualizzazione",
+ "quickOpenView": "Visualizzazione Quick Open"
+ },
+ "vs/workbench/contrib/quickaccess/browser/commandsQuickAccess": {
+ "noCommandResults": "Non ci sono comandi corrispondenti",
+ "configure keybinding": "Configura tasto di scelta rapida",
+ "commandWithCategory": "{0}: {1}",
+ "showTriggerActions": "Mostra tutti i comandi",
+ "clearCommandHistory": "Cancella cronologia dei comandi"
+ },
+ "vs/workbench/contrib/relauncher/browser/relauncher.contribution": {
+ "relaunchSettingMessage": "È necessario riavviare per rendere effettiva un'impostazione modificata.",
+ "relaunchSettingMessageWeb": "Per rendere effettiva un'impostazione modificata, è necessario riavviare.",
+ "relaunchSettingDetail": "Fare clic sul pulsante di riavvio per riavviare {0} e abilitare l'impostazione.",
+ "relaunchSettingDetailWeb": "Fare clic sul pulsante di ricaricamento per ricaricare {0} e abilitare l'impostazione.",
+ "restart": "&&Riavvia",
+ "restartWeb": "&&Ricarica"
+ },
+ "vs/workbench/contrib/remote/electron-sandbox/remote.contribution": {
+ "remote": "Remoto",
+ "remote.downloadExtensionsLocally": "Se è abilitato, le estensioni vengono scaricate in locale e installate nel computer remoto."
+ },
+ "vs/workbench/contrib/remote/common/remote.contribution": {
+ "remoteExtensionLog": "Server remoto",
+ "ui": "Tipo di estensione UI. In una finestra remota tali estensioni sono abilitate solo se disponibili nel computer locale.",
+ "workspace": "Tipo di estensione workspace. In una finestra remota tali estensioni sono abilitate solo se disponibili nel computer remoto.",
+ "web": "Tipo dell'estensione Web worker. Una tale estensione può essere eseguita in un host dell'estensione Web worker.",
+ "remote": "Remoto",
+ "remote.extensionKind": "Esegue l'override di un'estensione. Le estensioni `ui` vengono installate ed eseguite nel computer locale, mentre quelle `workspace` vengono eseguite nel computer remoto. Quando si esegue l'override del tipo predefinito di un'estensione, si specifica che l'estensione deve essere installata e abilitata in locale o in remoto.",
+ "remote.restoreForwardedPorts": "Ripristina le porte inoltrate in un'area di lavoro.",
+ "remote.autoForwardPorts": "Quando è abilitata, i nuovi processi in esecuzione vengono rilevati e le porte su cui sono in ascolto vengono inoltrate automaticamente."
+ },
+ "vs/workbench/contrib/remote/browser/remote": {
+ "RemoteHelpInformationExtPoint": "Aggiunge come contributo le informazioni della Guida per Remote",
+ "RemoteHelpInformationExtPoint.getStarted": "URL o comando che restituisce l'URL della pagina Attività iniziali del progetto",
+ "RemoteHelpInformationExtPoint.documentation": "URL o comando che restituisce l'URL della pagina della documentazione del progetto",
+ "RemoteHelpInformationExtPoint.feedback": "URL o comando che restituisce l'URL della pagina per l'invio di feedback del progetto",
+ "RemoteHelpInformationExtPoint.issues": "URL o comando che restituisce l'URL dell'elenco dei problemi del progetto",
+ "getStartedIcon": "Icona Attività iniziali nella visualizzazione Explorer remoto.",
+ "documentationIcon": "Icona della documentazione nella visualizzazione Explorer remoto.",
+ "feedbackIcon": "Icona del feedback nella visualizzazione Explorer remoto.",
+ "reviewIssuesIcon": "Icona per Esamina problemi nella visualizzazione Explorer remoto.",
+ "reportIssuesIcon": "Icona per Segnala problema nella visualizzazione Explorer remoto.",
+ "remoteExplorerViewIcon": "Icona della visualizzazione Explorer remoto.",
+ "remote.help.getStarted": "Per iniziare",
+ "remote.help.documentation": "Leggi la documentazione",
+ "remote.help.feedback": "Invia commenti e suggerimenti",
+ "remote.help.issues": "Esamina problemi",
+ "remote.help.report": "Segnala problema",
+ "pickRemoteExtension": "Selezionare l'URL da aprire",
+ "remote.help": "Guida e commenti",
+ "remotehelp": "Guida per il repository remoto",
+ "remote.explorer": "Explorer remoto",
+ "toggleRemoteViewlet": "Mostra Explorer remoto",
+ "reconnectionWaitOne": "Verrà effettuato un tentativo di riconnessione tra {0} secondo...",
+ "reconnectionWaitMany": "Verrà effettuato un tentativo di riconnessione tra {0} secondi...",
+ "reconnectNow": "Riconnetti ora",
+ "reloadWindow": "Ricarica finestra",
+ "connectionLost": "Connessione persa",
+ "reconnectionRunning": "Tentativo di riconnessione...",
+ "reconnectionPermanentFailure": "Non è possibile riconnettersi. Ricaricare la finestra.",
+ "cancel": "Annulla"
+ },
+ "vs/workbench/contrib/remote/browser/remoteExplorer": {
+ "ports": "Porte",
+ "1forwardedPort": "1 porta inoltrata",
+ "nForwardedPorts": "{0} porte inoltrate",
+ "status.forwardedPorts": "Porte inoltrate",
+ "remote.forwardedPorts.statusbarTextNone": "Nessuna porta inoltrata",
+ "remote.forwardedPorts.statusbarTooltip": "Porte inoltrate: {0}",
+ "remote.tunnelsView.automaticForward": "Il servizio in esecuzione sulla porta {0} è disponibile. [Visualizza tutte le porte disponibili](command:{1}.focus)"
+ },
+ "vs/workbench/contrib/remote/browser/explorerViewItems": {
+ "remotes": "Cambia computer remoto",
+ "remote.explorer.switch": "Cambia computer remoto"
+ },
+ "vs/workbench/contrib/remote/browser/remoteIndicator": {
+ "remote.category": "Remoto",
+ "remote.showMenu": "Mostra menu remoto",
+ "remote.close": "Chiudi connessione remota",
+ "miCloseRemote": "Chiudi connessione re&&mota",
+ "host.open": "Apertura del computer remoto...",
+ "disconnectedFrom": "Disconnesso da {0}",
+ "host.tooltipDisconnected": "Disconnesso da {0}",
+ "host.tooltip": "Modifica in {0}",
+ "noHost.tooltip": "Apre una finestra remota",
+ "remoteHost": "Host remoto",
+ "cat.title": "{0}: {1}",
+ "closeRemote.title": "Chiudi connessione remota"
+ },
+ "vs/workbench/contrib/remote/browser/tunnelView": {
+ "remote.tunnelsView.add": "Inoltra una porta...",
+ "remote.tunnelsView.detected": "Tunnel esistenti",
+ "remote.tunnelsView.candidates": "Non inoltrati",
+ "remote.tunnelsView.input": "Premere INVIO per confermare oppure ESC per annullare.",
+ "remote.tunnelsView.forwardedPortLabel0": "{0}",
+ "remote.tunnelsView.forwardedPortLabel1": "{0} → {1}",
+ "remote.tunnelsView.forwardedPortLabel2": "{0}",
+ "remote.tunnelsView.forwardedPortDescription0": "{0} → {1}",
+ "remote.tunnel": "Porte",
+ "remote.tunnel.ariaLabelForwarded": "La porta remota {0}:{1} è stata inoltrata all'indirizzo locale {2}",
+ "remote.tunnel.ariaLabelCandidate": "La porta remota {0}:{1} non è stata inoltrata",
+ "tunnelView": "Visualizzazione tunnel",
+ "remote.tunnel.label": "Imposta etichetta",
+ "remote.tunnelsView.labelPlaceholder": "Etichetta della porta",
+ "remote.tunnelsView.portNumberValid": "La porta inoltrata non è valida.",
+ "remote.tunnelsView.portNumberToHigh": "Il numero di porta deve essere ≥ 0 e < {0}.",
+ "remote.tunnel.forward": "Inoltra una porta",
+ "remote.tunnel.forwardItem": "Inoltra porta",
+ "remote.tunnel.forwardPrompt": "Numero di porta o indirizzo (ad esempio 3000 o 10.10.10.10:2000).",
+ "remote.tunnel.forwardError": "Non è possibile inoltrare {0}:{1}. L'host potrebbe non essere disponibile o la porta remota potrebbe essere stata già inoltrata",
+ "remote.tunnel.closeNoPorts": "Non ci sono attualmente porte inoltrate. Provare a eseguire il comando {0}",
+ "remote.tunnel.close": "Arresta inoltro della porta",
+ "remote.tunnel.closePlaceholder": "Scegliere una porta per arrestare l'inoltro",
+ "remote.tunnel.open": "Apri nel browser",
+ "remote.tunnel.openCommandPalette": "Apri la porta nel browser",
+ "remote.tunnel.openCommandPaletteNone": "Non ci sono attualmente porte inoltrate. Aprire la visualizzazione Porte per iniziare.",
+ "remote.tunnel.openCommandPaletteView": "Apri la visualizzazione Porte...",
+ "remote.tunnel.openCommandPalettePick": "Scegliere la porta da aprire",
+ "remote.tunnel.copyAddressInline": "Copia indirizzo",
+ "remote.tunnel.copyAddressCommandPalette": "Copia indirizzo della porta inoltrata",
+ "remote.tunnel.copyAddressPlaceholdter": "Scegliere una porta inoltrata",
+ "remote.tunnel.changeLocalPort": "Cambia porta locale",
+ "remote.tunnel.changeLocalPortNumber": "La porta locale {0} non è disponibile. È stato usato il numero di porta {1}",
+ "remote.tunnelsView.changePort": "Nuova porta locale"
+ },
+ "vs/workbench/contrib/sash/browser/sash.contribution": {
+ "sashSize": "Controlla le dimensioni dell'area di feedback in pixel dell'area di trascinamento tra visualizzazioni/editor. Impostarla su un valore più elevato se si ritiene che il ridimensionamento delle visualizzazioni con il mouse non sia agevole."
+ },
+ "vs/workbench/contrib/scm/browser/scm.contribution": {
+ "sourceControlViewIcon": "Icona della visualizzazione Controllo del codice sorgente.",
+ "source control": "Controllo del codice sorgente",
+ "no open repo": "Non esistono provider di controllo del codice sorgente registrati.",
+ "source control repositories": "Repository del controllo del codice sorgente",
+ "toggleSCMViewlet": "Mostra Gestione controllo servizi",
+ "scmConfigurationTitle": "Gestione controllo servizi",
+ "scm.diffDecorations.all": "Mostra gli elementi Decorator per le differenze in tutte le posizioni disponibili.",
+ "scm.diffDecorations.gutter": "Mostra gli elementi Decorator per le differenze solo nel margine dell'editor.",
+ "scm.diffDecorations.overviewRuler": "Mostra gli elementi Decorator per le differenze solo nel righello delle annotazioni.",
+ "scm.diffDecorations.minimap": "Mostra gli elementi Decorator per le differenze solo nella minimappa.",
+ "scm.diffDecorations.none": "Non visualizza gli elementi Decorator per le differenze.",
+ "diffDecorations": "Controlla decorazioni diff nell'editor.",
+ "diffGutterWidth": "Controlla la larghezza (px) delle decorazioni diff nella barra di navigazione (aggiunte e modificate).",
+ "scm.diffDecorationsGutterVisibility.always": "Mostra a margine l'elemento Decorator per le differenze in qualsiasi circostanza.",
+ "scm.diffDecorationsGutterVisibility.hover": "Mostra a margine l'elemento Decorator per le differenze solo al passaggio del puntatore.",
+ "scm.diffDecorationsGutterVisibility": "Controlla la visibilità a margine dell'elemento Decorator per le differenze del controllo del codice sorgente.",
+ "scm.diffDecorationsGutterAction.diff": "Mostra la visualizzazione in anteprima delle differenze inline quando si fa clic.",
+ "scm.diffDecorationsGutterAction.none": "Non eseguire alcuna operazione.",
+ "scm.diffDecorationsGutterAction": "Controlla il comportamento degli elementi Decorator a margine per le differenze del controllo del codice sorgente.",
+ "alwaysShowActions": "Controlla se le azioni inline sono sempre visibili nella visualizzazione Controllo del codice sorgente.",
+ "scm.countBadge.all": "Visualizza la somma di tutte le notifiche di conteggio di Provider di controllo del codice sorgente.",
+ "scm.countBadge.focused": "Mostra la notifica del conteggio del provider del controllo del codice sorgente evidenziato.",
+ "scm.countBadge.off": "Disabilita la notifica del conteggio del codice sorgente.",
+ "scm.countBadge": "Controlla la notifica di conteggio sull'icona Controllo del codice sorgente sulla barra attività.",
+ "scm.providerCountBadge.hidden": "Nasconde le notifiche di conteggio di Provider di controllo del codice sorgente.",
+ "scm.providerCountBadge.auto": "Mostra la notifica di conteggio per Provider di controllo del codice sorgente solo quando è diversa da zero.",
+ "scm.providerCountBadge.visible": "Mostra le notifiche di conteggio di Provider di controllo del codice sorgente.",
+ "scm.providerCountBadge": "Controlla le notifiche di conteggio sulle intestazioni di Provider di controllo del codice sorgente. Tali intestazioni vengono visualizzate solo quando è presente più di un provider.",
+ "scm.defaultViewMode.tree": "Mostra le modifiche del repository sotto forma di albero.",
+ "scm.defaultViewMode.list": "Mostra le modifiche del repository sotto forma di elenco.",
+ "scm.defaultViewMode": "Controlla la modalità di visualizzazione predefinita del repository del controllo del codice sorgente.",
+ "autoReveal": "Controlla se la visualizzazione di Gestione controllo servizi deve visualizzare e selezionare automaticamente i file all'apertura.",
+ "inputFontFamily": "Controlla il tipo di carattere del messaggio di input. Usare `default` per la famiglia di caratteri dell'interfaccia utente di Workbench, `editor` per il valore di `#editor.fontFamily#` oppure una famiglia di caratteri personalizzata.",
+ "alwaysShowRepository": "Controlla se i repository devono sempre essere visibili nella visualizzazione di Gestione controllo servizi.",
+ "providersVisible": "Consente di controllare il numero di repository visibili nella sezione Repository del controllo del codice sorgente. Impostare su `0` per poter ridimensionare manualmente la visualizzazione.",
+ "miViewSCM": "&&Gestione controllo del codice sorgente",
+ "scm accept": "SCM: Accetta input",
+ "scm view next commit": "Gestione controllo servizi: Visualizza commit successivo",
+ "scm view previous commit": "Gestione controllo servizi: Visualizza commit precedente",
+ "open in terminal": "Apri nel terminale"
+ },
+ "vs/workbench/contrib/scm/browser/activity": {
+ "status.scm": "Controllo del codice sorgente",
+ "scmPendingChangesBadge": "{0} modifiche in sospeso"
+ },
+ "vs/workbench/contrib/scm/browser/dirtydiffDecorator": {
+ "changes": "{0} di {1} modifiche",
+ "change": "{0} di {1} modifica",
+ "show previous change": "Mostra modifica precedente",
+ "show next change": "Mostra modifica successiva",
+ "miGotoNextChange": "Modifica &&successiva",
+ "miGotoPreviousChange": "Modifica &&precedente",
+ "move to previous change": "Passa alla modifica precedente",
+ "move to next change": "Passa alla modifica successiva",
+ "editorGutterModifiedBackground": "Colore di sfondo della barra di navigazione dell'editor per le righe che sono state modificate.",
+ "editorGutterAddedBackground": "Colore di sfondo della barra di navigazione dell'editor per le righe che sono state aggiunte.",
+ "editorGutterDeletedBackground": "Colore di sfondo della barra di navigazione dell'editor per le righe che sono state cancellate.",
+ "minimapGutterModifiedBackground": "Colore di sfondo del margine della minimappa per le righe che sono state modificate.",
+ "minimapGutterAddedBackground": "Colore di sfondo del margine della minimappa per le righe che sono state aggiunte.",
+ "minimapGutterDeletedBackground": "Colore di sfondo del margine della minimappa per le righe che sono state eliminate.",
+ "overviewRulerModifiedForeground": "Colore del marcatore del righello delle annotazioni per il contenuto modificato.",
+ "overviewRulerAddedForeground": "Colore del marcatore del righello delle annotazioni per il contenuto aggiunto.",
+ "overviewRulerDeletedForeground": "Colore del marcatore del righello delle annotazioni per il contenuto eliminato."
+ },
+ "vs/workbench/contrib/scm/browser/scmViewPaneContainer": {
+ "source control": "Controllo del codice sorgente"
+ },
+ "vs/workbench/contrib/scm/browser/scmRepositoriesViewPane": {
+ "scm": "Repository del controllo del codice sorgente"
+ },
+ "vs/workbench/contrib/scm/browser/scmViewPane": {
+ "scm": "Gestione controllo del codice sorgente",
+ "input": "Input controllo del codice sorgente",
+ "repositories": "Repository",
+ "sortAction": "Visualizza e ordina",
+ "toggleViewMode": "Attiva/Disattiva modalità visualizzazione",
+ "viewModeList": "Visualizza come elenco",
+ "viewModeTree": "Visualizza come albero",
+ "sortByName": "Ordina per nome",
+ "sortByPath": "Ordina per percorso",
+ "sortByStatus": "Ordina per stato",
+ "expand all": "Espandi tutti i repository",
+ "collapse all": "Comprimi tutti i repository",
+ "scm.providerBorder": "Bordo del separatore del provider Gestione controllo servizi."
+ },
+ "vs/workbench/contrib/search/browser/search.contribution": {
+ "search": "Cerca",
+ "copyMatchLabel": "Copia",
+ "copyPathLabel": "Copia percorso",
+ "copyAllLabel": "Copia tutti",
+ "revealInSideBar": "Visualizza nella barra laterale",
+ "clearSearchHistoryLabel": "Cancella cronologia di ricerca",
+ "focusSearchListCommandLabel": "Elenco con stato attivo",
+ "findInFolder": "Trova nella cartella...",
+ "findInWorkspace": "Trova nell'area di lavoro...",
+ "showTriggerActions": "Vai al simbolo nell'area di lavoro...",
+ "name": "Cerca",
+ "findInFiles.description": "Apre il viewlet di ricerca",
+ "findInFiles.args": "Set di opzioni per il viewlet di ricerca",
+ "findInFiles": "Cerca nei file",
+ "miFindInFiles": "Cerca nei &&file",
+ "miReplaceInFiles": "Sostituisci nei &&file",
+ "anythingQuickAccessPlaceholder": "Cerca i file per nome (aggiungere {0} per passare alla riga oppure {1} per passare al simbolo)",
+ "anythingQuickAccess": "Vai al file",
+ "symbolsQuickAccessPlaceholder": "Digitare il nome di un simbolo da aprire.",
+ "symbolsQuickAccess": "Vai al simbolo nell'area di lavoro",
+ "searchConfigurationTitle": "Cerca",
+ "exclude": "Consente di configurare i criteri GLOB per escludere file e cartelle nelle ricerche full-text e in Quick Open. Eredita tutti i criteri GLOB dall'impostazione `#files.exclude#`. Per altre informazioni sui criteri GLOB, fare clic [qui](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options).",
+ "exclude.boolean": "Criterio GLOB da usare per trovare percorsi file. Impostare su True o False per abilitare o disabilitare il criterio.",
+ "exclude.when": "Controllo aggiuntivo sugli elementi di pari livello di un file corrispondente. Usare $(basename) come variabile del nome file corrispondente.",
+ "useRipgrep": "Questa impostazione è deprecata. Verrà ora eseguito il fallback a \"search.usePCRE2\".",
+ "useRipgrepDeprecated": "Deprecata. Per il supporto della funzionalità avanzate delle espressioni regex provare a usare \"search.usePCRE2\".",
+ "search.maintainFileSearchCache": "Se abilitato, il processo searchService verrà mantenuto attivo invece di essere arrestato dopo un'ora di inattività. In questo modo la cache di ricerca dei file rimarrà in memoria.",
+ "useIgnoreFiles": "Controlla se utilizzare i file `.gitignore` e `.ignore` durante la ricerca di file.",
+ "useGlobalIgnoreFiles": "Controlla se usare i file `.gitignore` e `.ignore` globali durante la ricerca di file.",
+ "search.quickOpen.includeSymbols": "Indica se includere i risultati di una ricerca di simboli globale nei risultati dei file per Quick Open.",
+ "search.quickOpen.includeHistory": "Indica se includere i risultati di file aperti di recente nel file dei risultati per Quick Open.",
+ "filterSortOrder.default": "Le voci della cronologia sono ordinate per pertinenza in base al valore di filtro usato. Le voci più pertinenti vengono visualizzate per prime.",
+ "filterSortOrder.recency": "Le voci della cronologia sono ordinate in base alla data. Le voci aperte più di recente vengono visualizzate per prime.",
+ "filterSortOrder": "Controlla l'ordinamento della cronologia dell'editor in Quick Open quando viene applicato il filtro.",
+ "search.followSymlinks": "Controlla se seguire i collegamenti simbolici durante la ricerca.",
+ "search.smartCase": "Esegue la ricera senza fare distinzione tra maiuscole/minuscole se il criterio è tutto minuscolo, in caso contrario esegue la ricerca facendo distinzione tra maiuscole/minuscole.",
+ "search.globalFindClipboard": "Controlla se il viewlet di ricerca deve leggere o modificare gli appunti di ricerca condivisi in macOS.",
+ "search.location": "Controlla se la ricerca verrà mostrata come visualizzazione nella barra laterale o come pannello nell'area pannelli per ottenere più spazio orizzontale.",
+ "search.location.deprecationMessage": "Questa opzione è deprecata. Usare il trascinamento della selezione invece di trascinare l'icona di ricerca.",
+ "search.collapseResults.auto": "I file con meno di 10 risultati vengono espansi. Gli altri vengono compressi.",
+ "search.collapseAllResults": "Controlla se i risultati della ricerca verranno compressi o espansi.",
+ "search.useReplacePreview": "Controlla se aprire Anteprima sostituzione quando si seleziona o si sostituisce una corrispondenza.",
+ "search.showLineNumbers": "Controlla se visualizzare i numeri di riga per i risultati della ricerca.",
+ "search.usePCRE2": "Indica se usare il motore regex PCRE2 nella ricerca di testo. In questo modo è possibile usare alcune funzionalità avanzate di regex, come lookahead e backreference. Non sono però supportate tutte le funzionalità di PCRE2, ma solo quelle supportate anche da JavaScript.",
+ "usePCRE2Deprecated": "Deprecata. PCRE2 verrà usato automaticamente se si usano funzionalità regex supportate solo da PCRE2.",
+ "search.actionsPositionAuto": "Posiziona la barra azioni a destra quando la visualizzazione di ricerca è stretta e subito dopo il contenuto quando la visualizzazione di ricerca è ampia.",
+ "search.actionsPositionRight": "Posiziona sempre la barra azioni a destra.",
+ "search.actionsPosition": "Controlla il posizionamento in righe della barra azioni nella visualizzazione di ricerca.",
+ "search.searchOnType": "Cerca in tutti i file durante la digitazione.",
+ "search.seedWithNearestWord": "Abilita il seeding della ricerca a partire dalla parola più vicina al cursore quando non ci sono selezioni nell'editor attivo.",
+ "search.seedOnFocus": "Aggiorna la query di ricerca dell'area di lavoro in base al testo selezionato dell'editor quando lo stato attivo si trova nella visualizzazione di ricerca. Si verifica in caso di clic o quando si attiva il comando `workbench.views.search.focus`.",
+ "search.searchOnTypeDebouncePeriod": "Se `#search.searchOnType#` è abilitato, controlla il timeout in millisecondi tra la digitazione di un carattere e l'avvio della ricerca. Non ha effetto quando `search.searchOnType` è disabilitato.",
+ "search.searchEditor.doubleClickBehaviour.selectWord": "Facendo doppio clic viene selezionata la parola sotto il cursore.",
+ "search.searchEditor.doubleClickBehaviour.goToLocation": "Facendo doppio clic il risultato viene aperto nel gruppo di editor attivo.",
+ "search.searchEditor.doubleClickBehaviour.openLocationToSide": "Facendo doppio clic il risultato viene aperto nel gruppo di editor laterale e viene creato un gruppo se non esiste ancora.",
+ "search.searchEditor.doubleClickBehaviour": "Configura l'effetto del doppio clic su un risultato nell'editor della ricerca.",
+ "search.searchEditor.reusePriorSearchConfiguration": "Se è abilitata, i nuovi editor della ricerca riutilizzeranno le impostazioni include, excludes e flag dell'editor della ricerca aperto in precedenza",
+ "search.searchEditor.defaultNumberOfContextLines": "Numero predefinito delle righe di contesto circostanti da usare durante la creazione di nuovi editor di ricerca. Se si usa `#search.searchEditor.reusePriorSearchConfiguration#`, può essere impostato su `null` (vuoto) per usare la configurazione precedente dell'editor di ricerca.",
+ "searchSortOrder.default": "I risultati vengono visualizzati in ordine alfabetico in base ai nomi di file e cartella.",
+ "searchSortOrder.filesOnly": "I risultati vengono visualizzati in ordine alfabetico in base ai nomi file ignorando l'ordine delle cartelle.",
+ "searchSortOrder.type": "I risultati vengono visualizzati in ordine alfabetico in base all'estensione del file.",
+ "searchSortOrder.modified": "I risultati vengono visualizzati in ordine decrescente in base alla data dell'ultima modifica del file.",
+ "searchSortOrder.countDescending": "I risultati vengono visualizzati in ordine decrescente in base al conteggio per file.",
+ "searchSortOrder.countAscending": "I risultati vengono visualizzati in ordine crescente in base al conteggio per file.",
+ "search.sortOrder": "Controlla l'ordinamento dei risultati della ricerca.",
+ "miViewSearch": "&&Cerca",
+ "miGotoSymbolInWorkspace": "Vai al &&simbolo nell'area di lavoro..."
+ },
+ "vs/workbench/contrib/search/browser/searchView": {
+ "searchCanceled": "La ricerca è stata annullata prima della visualizzazione dei risultati - ",
+ "moreSearch": "Attiva/Disattiva dettagli ricerca",
+ "searchScope.includes": "file da includere",
+ "label.includes": "Criteri di inclusione per la ricerca",
+ "searchScope.excludes": "file da escludere",
+ "label.excludes": "Criteri di esclusione per la ricerca",
+ "replaceAll.confirmation.title": "Sostituisci tutto",
+ "replaceAll.confirm.button": "&&Sostituisci",
+ "replaceAll.occurrence.file.message": "{0} occorrenza in {1} file è stata sostituita con '{2}'.",
+ "removeAll.occurrence.file.message": "È stata sostituita {0} occorrenza in {1} file.",
+ "replaceAll.occurrence.files.message": "{0} occorrenza in {1} file è stata sostituita con '{2}'.",
+ "removeAll.occurrence.files.message": "È stata sostituita {0} occorrenze in {1} file.",
+ "replaceAll.occurrences.file.message": "{0} occorrenze in {1} file sono state sostituite con '{2}'.",
+ "removeAll.occurrences.file.message": "Sono state sostituite {0} occorrenze in {1} file.",
+ "replaceAll.occurrences.files.message": "{0} occorrenze in {1} file sono state sostituite con '{2}'.",
+ "removeAll.occurrences.files.message": "Sono state sostituite {0} occorrenze in {1} file.",
+ "removeAll.occurrence.file.confirmation.message": "Sostituire {0} occorrenza in {1} file con '{2}'?",
+ "replaceAll.occurrence.file.confirmation.message": "Sostituire {0} occorrenza in {1} file?",
+ "removeAll.occurrence.files.confirmation.message": "Sostituire {0} occorrenza in {1} file con '{2}'?",
+ "replaceAll.occurrence.files.confirmation.message": "Sostituire {0} occorrenza in {1} file?",
+ "removeAll.occurrences.file.confirmation.message": "Sostituire {0} occorrenze in {1} file con '{2}'?",
+ "replaceAll.occurrences.file.confirmation.message": "Sostituire {0} occorrenze in {1} file?",
+ "removeAll.occurrences.files.confirmation.message": "Sostituire {0} occorrenze in {1} file con '{2}'?",
+ "replaceAll.occurrences.files.confirmation.message": "Sostituire {0} occorrenze in {1} file?",
+ "emptySearch": "Ricerca vuota",
+ "ariaSearchResultsClearStatus": "I risultati della ricerca sono stati cancellati",
+ "searchPathNotFoundError": "Percorso di ricerca non trovato: {0}",
+ "searchMaxResultsWarning": "Il set di risultati contiene solo un subset di tutte le corrispondenze. Eseguire una ricerca più specifica per ridurre il numero di risultati.",
+ "noResultsIncludesExcludes": "Non sono stati trovati risultati in '{0}' escludendo '{1}' - ",
+ "noResultsIncludes": "Non sono stati trovati risultati in '{0}' - ",
+ "noResultsExcludes": "Non sono stati trovati risultati escludendo '{0}' - ",
+ "noResultsFound": "Non sono stati trovati risultati. Rivedere le impostazioni relative alle esclusioni configurate e verificare i file gitignore -",
+ "rerunSearch.message": "Cerca di nuovo",
+ "rerunSearchInAll.message": "Cerca di nuovo in tutti i file",
+ "openSettings.message": "Apri impostazioni",
+ "openSettings.learnMore": "Altre informazioni",
+ "ariaSearchResultsStatus": "La ricerca ha restituito {0} risultati in {1} file",
+ "forTerm": " - Ricerca: {0}",
+ "useIgnoresAndExcludesDisabled": " - escludere le impostazioni e ignorare i file sono disabilitati",
+ "openInEditor.message": "Apri nell'editor",
+ "openInEditor.tooltip": "Copia i risultati della ricerca corrente in un editor",
+ "search.file.result": "{0} risultato in {1} file",
+ "search.files.result": "{0} risultato in {1} file",
+ "search.file.results": "{0} risultati in {1} file",
+ "search.files.results": "{0} risultati in {1} file",
+ "searchWithoutFolder": "Non è stata ancora aperta o specificata alcuna cartella. La ricerca verrà eseguita solo nei file aperti -",
+ "openFolder": "Apri cartella"
+ },
+ "vs/workbench/contrib/search/browser/searchActions": {
+ "showSearch": "Mostra Cerca",
+ "replaceInFiles": "Sostituisci nei file",
+ "toggleTabs": "Attiva/Disattiva ricerca durante la digitazione",
+ "RefreshAction.label": "Aggiorna",
+ "CollapseDeepestExpandedLevelAction.label": "Comprimi tutto",
+ "ExpandAllAction.label": "Espandi tutto",
+ "ToggleCollapseAndExpandAction.label": "Attiva/Disattiva Comprimi ed espandi",
+ "ClearSearchResultsAction.label": "Cancella risultati della ricerca",
+ "CancelSearchAction.label": "Annulla ricerca",
+ "FocusNextSearchResult.label": "Sposta lo stato attivo sul risultato della ricerca successivo",
+ "FocusPreviousSearchResult.label": "Sposta lo stato attivo sul risultato della ricerca precedente",
+ "RemoveAction.label": "Chiudi",
+ "file.replaceAll.label": "Sostituisci tutto",
+ "match.replace.label": "Sostituisci"
+ },
+ "vs/workbench/contrib/search/browser/symbolsQuickAccess": {
+ "noSymbolResults": "Non ci sono simboli dell'area di lavoro corrispondenti",
+ "openToSide": "Apri lateralmente",
+ "openToBottom": "Apri in basso"
+ },
+ "vs/workbench/contrib/search/browser/anythingQuickAccess": {
+ "noAnythingResults": "Non ci sono risultati corrispondenti",
+ "recentlyOpenedSeparator": "aperti di recente",
+ "fileAndSymbolResultsSeparator": "risultati per file e simboli",
+ "fileResultsSeparator": "risultati dei file",
+ "filePickAriaLabelDirty": "{0}, modificato ma non salvato",
+ "openToSide": "Apri lateralmente",
+ "openToBottom": "Apri in basso",
+ "closeEditor": "Rimuovi dagli elementi aperti di recente"
+ },
+ "vs/workbench/contrib/search/browser/searchWidget": {
+ "search.action.replaceAll.disabled.label": "Sostituisci tutto (inviare la ricerca per abilitare)",
+ "search.action.replaceAll.enabled.label": "Sostituisci tutto",
+ "search.replace.toggle.button.title": "Attiva/Disattiva sostituzione",
+ "label.Search": "Cerca: digitare il termine di ricerca e premere INVIO per cercare",
+ "search.placeHolder": "Cerca",
+ "showContext": "Attiva/Disattiva la righe di contesto",
+ "label.Replace": "Sostituisci: digitare il termine da sostituire e premere INVIO per visualizzare l'anteprima",
+ "search.replace.placeHolder": "Sostituisci"
+ },
+ "vs/workbench/contrib/search/browser/searchIcons": {
+ "searchDetailsIcon": "Icona per rendere visibili i dettagli della ricerca.",
+ "searchShowContextIcon": "Icona per attivare/disattivare il contesto nell'editor della ricerca.",
+ "searchHideReplaceIcon": "Icona per comprimere la sezione di sostituzione nella visualizzazione di ricerca.",
+ "searchShowReplaceIcon": "Icona per espandere la sezione di sostituzione nella visualizzazione di ricerca.",
+ "searchReplaceAllIcon": "Icona per Sostituisci tutto nella visualizzazione di ricerca.",
+ "searchReplaceIcon": "Icona per Sostituisci nella visualizzazione di ricerca.",
+ "searchRemoveIcon": "Icona per rimuovere un risultato della ricerca.",
+ "searchRefreshIcon": "Icona per aggiornare nella visualizzazione di ricerca.",
+ "searchCollapseAllIcon": "Icona per Comprimi risultati nella visualizzazione di ricerca.",
+ "searchExpandAllIcon": "Icona per Espandi risultati nella visualizzazione di ricerca.",
+ "searchClearIcon": "Icona per Cancella i risultati nella visualizzazione di ricerca.",
+ "searchStopIcon": "Icona per Arresta nella visualizzazione di ricerca.",
+ "searchViewIcon": "Icona della visualizzazione Ricerca.",
+ "searchNewEditorIcon": "Icona per l'azione di apertura di un nuovo editor di ricerca."
+ },
+ "vs/workbench/contrib/search/browser/patternInputWidget": {
+ "defaultLabel": "Input",
+ "useExcludesAndIgnoreFilesDescription": "Usa impostazioni di esclusione e file ignorati"
+ },
+ "vs/workbench/contrib/search/browser/searchResultsView": {
+ "searchFolderMatch.other.label": "Altri file",
+ "searchFileMatches": "{0} file trovati",
+ "searchFileMatch": "{0} file trovato",
+ "searchMatches": "{0} corrispondenze trovate",
+ "searchMatch": "{0} corrispondenza trovata",
+ "lineNumStr": "Da riga {0}",
+ "numLinesStr": "Altre {0} righe",
+ "search": "Cerca",
+ "folderMatchAriaLabel": "{0} corrispondenze nella cartella radice {1}, risultato della ricerca",
+ "otherFilesAriaLabel": "{0} corrispondenze esterne all'area di lavoro. Risultato della ricerca",
+ "fileMatchAriaLabel": "{0} corrispondenze nel file {1} della cartella {2}, risultato della ricerca",
+ "replacePreviewResultAria": "Sostituisce il termine {0} con {1} alla colonna {2} in linea con il testo {3}",
+ "searchResultAria": "Trovato termine {0} alla colonna {1} in linea con il testo {2}"
+ },
+ "vs/workbench/contrib/search/common/queryBuilder": {
+ "search.noWorkspaceWithName": "Nell'area di lavoro non ci sono cartelle denominate {0}"
+ },
+ "vs/workbench/contrib/search/browser/replaceService": {
+ "fileReplaceChanges": "{0} ↔ {1} (Anteprima sostituzione)"
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditor.contribution": {
+ "searchEditor": "Editor della ricerca",
+ "search": "Editor della ricerca",
+ "searchEditor.deleteResultBlock": "Elimina risultati dei file",
+ "search.openNewSearchEditor": "Nuovo editor della ricerca",
+ "search.openSearchEditor": "Apri editor della ricerca",
+ "search.openNewEditorToSide": "Apri nuovo editor della ricerca a lato",
+ "search.openResultsInEditor": "Apri risultati nell'editor",
+ "search.rerunSearchInEditor": "Cerca di nuovo",
+ "search.action.focusQueryEditorWidget": "Sposta stato attivo sull'input dell'editor della ricerca",
+ "searchEditor.action.toggleSearchEditorCaseSensitive": "Attiva/Disattiva Maiuscole/minuscole",
+ "searchEditor.action.toggleSearchEditorWholeWord": "Attiva/Disattiva Parola intera",
+ "searchEditor.action.toggleSearchEditorRegex": "Attiva/Disattiva Usa espressione regolare",
+ "searchEditor.action.toggleSearchEditorContextLines": "Attiva/Disattiva la righe di contesto",
+ "searchEditor.action.increaseSearchEditorContextLines": "Aumenta le righe di contesto",
+ "searchEditor.action.decreaseSearchEditorContextLines": "Riduci le righe di contesto",
+ "searchEditor.action.selectAllSearchEditorMatches": "Seleziona tutte le corrispondenze"
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditorActions": {
+ "search.openNewEditor": "Apri nuovo editor della ricerca"
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditor": {
+ "moreSearch": "Attiva/Disattiva dettagli ricerca",
+ "searchScope.includes": "file da includere",
+ "label.includes": "Criteri di inclusione per la ricerca",
+ "searchScope.excludes": "file da escludere",
+ "label.excludes": "Criteri di esclusione per la ricerca",
+ "runSearch": "Esegui ricerca",
+ "searchResultItem": "{0} corrispondente alla posizione {1} nel file {2}",
+ "searchEditor": "Cerca",
+ "textInputBoxBorder": "Bordo della casella di input di testo dell'editor di ricerca."
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditorInput": {
+ "searchTitle.withQuery": "Ricerca: {0}",
+ "searchTitle": "Cerca"
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditorSerialization": {
+ "invalidQueryStringError": "Tutte le barre rovesciate nella stringa di query devono essere precedute da un carattere di escape (\\\\)",
+ "numFiles": "{0} file",
+ "oneFile": "1 file",
+ "numResults": "{0} risultati",
+ "oneResult": "1 risultato",
+ "noResults": "Nessun risultato",
+ "searchMaxResultsWarning": "Il set di risultati contiene solo un subset di tutte le corrispondenze. Eseguire una ricerca più specifica per ridurre il numero di risultati."
+ },
+ "vs/workbench/contrib/snippets/browser/snippets.contribution": {
+ "snippetSchema.json.prefix": "Prefisso da usare quando si seleziona il frammento in IntelliSense",
+ "snippetSchema.json.body": "Contenuto del frammento. Usare '$1', '${1:defaultText}' per definire le posizioni del cursore e '$0' per la posizione finale del cursore. Inserire i valori delle variabili con '${varName}' e '${varName:defaultText}', ad esempio 'Nome del file: $TM_FILENAME'.",
+ "snippetSchema.json.description": "Descrizione del frammento.",
+ "snippetSchema.json.default": "Frammento vuoto",
+ "snippetSchema.json": "Configurazione del frammento utente",
+ "snippetSchema.json.scope": "Elenco di nomi di linguaggio a cui si applica questo frammento di codice, ad esempio 'typescript,javascript'."
+ },
+ "vs/workbench/contrib/snippets/browser/insertSnippet": {
+ "snippet.suggestions.label": "Inserisci frammento",
+ "sep.userSnippet": "Frammenti utente",
+ "sep.extSnippet": "Frammenti estensione",
+ "sep.workspaceSnippet": "Frammenti area di lavoro",
+ "disableSnippet": "Nascondi in IntelliSense",
+ "isDisabled": "(nascosto in IntelliSense)",
+ "enable.snippet": "Mostra in IntelliSense",
+ "pick.placeholder": "Selezionare un frammento"
+ },
+ "vs/workbench/contrib/snippets/browser/snippetsService": {
+ "invalid.path.0": "È previsto un valore stringa in `contributes.{0}.path`. Valore specificato: {1}",
+ "invalid.language.0": "Quando si omette il linguaggio, il valore di `contributes.{0}.path` deve essere un file `.code-snippets`. Fornire il valore: {1}",
+ "invalid.language": "Il linguaggio in `contributes.{0}.language` è sconosciuto. Valore specificato: {1}",
+ "invalid.path.1": "Valore previsto di `contributes.{0}.path` ({1}) da includere nella cartella dell'estensione ({2}). L'estensione potrebbe non essere più portatile.",
+ "vscode.extension.contributes.snippets": "Aggiunge come contributo i frammenti.",
+ "vscode.extension.contributes.snippets-language": "Identificatore di linguaggio per cui si aggiunge come contributo questo frammento.",
+ "vscode.extension.contributes.snippets-path": "Percorso del file snippets. È relativo alla cartella delle estensioni e in genere inizia con './snippets/'.",
+ "badVariableUse": "Uno o più frammenti dall'estensione '{0}' confondono molto probabilmente variabili-frammento e segnaposto-frammento (Vedere https://code.visualstudio.com/docs/editor/userdefinedsnippets#_snippet-syntax per maggiori dettagli)",
+ "badFile": "Non è stato possibile leggere il file di frammento \"{0}\"."
+ },
+ "vs/workbench/contrib/snippets/browser/configureSnippets": {
+ "global.scope": "(globale)",
+ "global.1": "({0})",
+ "name": "Digitare il nome file del frammento",
+ "bad_name1": "Nome file non valido",
+ "bad_name2": "'{0}' non è un nome di file valido",
+ "bad_name3": "'{0}' esiste già",
+ "new.global_scope": "GLOBAL",
+ "new.global": "Nuovo file di Frammenti globali...",
+ "new.workspace_scope": "Area di lavoro {0}",
+ "new.folder": "Nuovo file di frammenti per '{0}'...",
+ "group.global": "Frammenti esistenti",
+ "new.global.sep": "Nuovi frammenti di codice",
+ "openSnippet.pickLanguage": "Seleziona file di frammenti o crea frammenti",
+ "openSnippet.label": "Configura Frammenti utente",
+ "preferences": "Preferenze",
+ "miOpenSnippets": "&&Frammenti utente",
+ "userSnippets": "Frammenti utente"
+ },
+ "vs/workbench/contrib/snippets/browser/snippetsFile": {
+ "source.workspaceSnippetGlobal": "Frammento area di lavoro",
+ "source.userSnippetGlobal": "Frammento utente globale",
+ "source.userSnippet": "Frammento utente"
+ },
+ "vs/workbench/contrib/snippets/browser/snippetCompletionProvider": {
+ "detail.snippet": "{0} ({1})",
+ "snippetSuggest.longLabel": "{0}, {1}"
+ },
+ "vs/workbench/contrib/surveys/browser/nps.contribution": {
+ "surveyQuestion": "Partecipare a un breve sondaggio?",
+ "takeSurvey": "Partecipa a sondaggio",
+ "remindLater": "Visualizza più tardi",
+ "neverAgain": "Non visualizzare più questo messaggio"
+ },
+ "vs/workbench/contrib/surveys/browser/languageSurveys.contribution": {
+ "helpUs": "Aiutaci a migliorare il nostro supporto all'{0}",
+ "takeShortSurvey": "Partecipa a un breve sondaggio",
+ "remindLater": "Visualizza più tardi",
+ "neverAgain": "Non visualizzare più questo messaggio"
+ },
+ "vs/workbench/contrib/tags/electron-browser/workspaceTagsService": {
+ "workspaceFound": "Questa cartella contiene il file dell'area di lavoro '{0}'. Aprirlo? [Altre informazioni]({1}) sui file dell'area di lavoro.",
+ "openWorkspace": "Apri area di lavoro",
+ "workspacesFound": "Questa cartella contiene più file nell'area di lavoro. Vuoi aprire uno? [Ulteriori informazioni] ({0}) sui file nell'area di lavoro.",
+ "selectWorkspace": "Seleziona area di lavoro",
+ "selectToOpen": "Selezionare un'area di lavoro da aprire"
+ },
+ "vs/workbench/contrib/tasks/electron-browser/taskService": {
+ "TaskSystem.runningTask": "È presente un'attività in esecuzione. Terminarla?",
+ "TaskSystem.terminateTask": "&&Termina attività",
+ "TaskSystem.noProcess": "L'attività avviata non esiste più. Se l'attività implica la generazione di processi in background, uscendo da Visual Studio Code potrebbero essere presenti processi orfani. Per evitarlo, avviare l'ultimo processo in background con un flag di attesa.",
+ "TaskSystem.exitAnyways": "&&Esci comunque"
+ },
+ "vs/workbench/contrib/tasks/common/tasks": {
+ "tasksCategory": "Attività",
+ "TaskDefinition.missingRequiredProperty": "Errore: nell'identificatore di attività '{0}' manca la proprietà obbligatoria '{1}'. L'identificatore di attività verrà ignorato."
+ },
+ "vs/workbench/contrib/tasks/common/taskConfiguration": {
+ "ConfigurationParser.invalidCWD": "Avviso: options.cwd deve essere di tipo stringa. Il valore {0} verrà ignorato\r\n",
+ "ConfigurationParser.inValidArg": "Errore: l'argomento del comando deve essere una stringa o una stringa tra virgolette. Il valore specificato è:\r\n{0}",
+ "ConfigurationParser.noShell": "Avviso: la configurazione della shell è supportata solo quando si eseguono attività nel terminale.",
+ "ConfigurationParser.noName": "Errore: è necessario specificare un nome per il matcher problemi nell'ambito di dichiarazione:\r\n{0}\r\n",
+ "ConfigurationParser.unknownMatcherKind": "Avviso: il matcher problemi definito è sconosciuto. I tipi supportati sono string | ProblemMatcher | Array.\r\n{0}\r\n",
+ "ConfigurationParser.invalidVariableReference": "Errore: il riferimento a problemMatcher non è valido: {0}\r\n",
+ "ConfigurationParser.noTaskType": "Errore: la configurazione di tasks deve contenere una proprietà type. La configurazione verrà ignorata.\r\n{0}\r\n",
+ "ConfigurationParser.noTypeDefinition": "Errore: non ci sono attività registrate di tipo '{0}'. Non è stata installata un'estensione che fornisce un provider di task corrispondente?",
+ "ConfigurationParser.missingType": "Errore: nella configurazione di attività '{0}' manca la proprietà obbligatoria 'type'. La configurazione dell'attività verrà ignorata.",
+ "ConfigurationParser.incorrectType": "Errore: la configurazione di attività '{0}' usa un tipo sconosciuto. La configurazione dell'attività verrà ignorata.",
+ "ConfigurationParser.notCustom": "Errore: tasks non è dichiarato come un'attività personalizzata. La configurazione verrà ignorata.\r\n{0}\r\n",
+ "ConfigurationParser.noTaskName": "Errore: un'attività deve specificare una proprietà label. L'attività verrà ignorata.\r\n{0}\r\n",
+ "taskConfiguration.providerUnavailable": "Avviso: {0} attività non sono disponibili nell'ambiente corrente.\r\n",
+ "taskConfiguration.noCommandOrDependsOn": "Errore: l'attività '{0}' non specifica un comando o una proprietà dependsOn. L'attività verrà ignorata. Definizione dell'attività:\r\n{1}",
+ "taskConfiguration.noCommand": "Errore: l'attività '{0}' non definisce un comando. L'attività verrà ignorata. Definizione dell'attività:\r\n{1}",
+ "TaskParse.noOsSpecificGlobalTasks": "L'attività version 2.0.0 non supporta attività specifiche globali del sistema operativo. Convertirle in un'attività con un comando specifico del sistema operativo. Attività interessate:\r\n{0}"
+ },
+ "vs/workbench/contrib/tasks/node/processTaskSystem": {
+ "version1_0": "Il sistema delle attività è configurato per la versione 0.1.0 (vedere il file tasks.json), che può eseguire solo attività personalizzate. Eseguire l'aggiornamento alla versione 2.0.0 per eseguire l'attività: {0}",
+ "TaskRunnerSystem.unknownError": "Si è verificato un errore sconosciuto durante l'esecuzione di un'attività. Per dettagli, vedere il log di output dell'attività.",
+ "TaskRunnerSystem.watchingBuildTaskFinished": "\r\nIl controllo delle attività di compilazione è terminato.",
+ "TaskRunnerSystem.childProcessError": "Non è stato possibile avviare il programma esterno {0} {1}.",
+ "TaskRunnerSystem.cancelRequested": "\r\nL'attività '{0}' è stata terminata come richiesto dall'utente.",
+ "unknownProblemMatcher": "Il matcher problemi {0} non può essere risolto e verrà ignorato"
+ },
+ "vs/workbench/contrib/tasks/node/processRunnerDetector": {
+ "TaskSystemDetector.noGulpTasks": "Eseguendo gulp --tasks-simple non è stata elencata alcuna attività. È stato eseguito npm install?",
+ "TaskSystemDetector.noJakeTasks": "Eseguendo jake --tasks non è stata elencata alcuna attività. È stato eseguito npm install?",
+ "TaskSystemDetector.noGulpProgram": "Gulp non è installato nel sistema. Eseguire npm install -g gulp per installarlo.",
+ "TaskSystemDetector.noJakeProgram": "Jake non è installato nel sistema. Eseguire npm install -g jake per installarlo.",
+ "TaskSystemDetector.noGruntProgram": "Grunt non è installato nel sistema. Eseguire npm install -g grunt per installarlo.",
+ "TaskSystemDetector.noProgram": "Il programma {0} non è stato trovato. Messaggio: {1}",
+ "TaskSystemDetector.buildTaskDetected": "È stata rilevata l'attività di compilazione denominata '{0}'.",
+ "TaskSystemDetector.testTaskDetected": "È stata rilevata l'attività di test denominata '{0}'."
+ },
+ "vs/workbench/contrib/tasks/browser/abstractTaskService": {
+ "ConfigureTaskRunnerAction.label": "Configura attività",
+ "tasks": "Attività",
+ "TaskSystem.noHotSwap": "Se si cambia il motore di esecuzione delle attività con un'attività attiva in esecuzione, è necessario ricaricare la finestra",
+ "reloadWindow": "Ricarica finestra",
+ "TaskService.pickBuildTaskForLabel": "Selezionare l'attività di compilazione (non è presente alcuna attività di compilazione predefinita)",
+ "taskServiceOutputPrompt": "Sono presenti errori nell'attività. Per maggiori dettagli, vedere l'output.",
+ "showOutput": "Mostra output",
+ "TaskServer.folderIgnored": "La cartella {0} viene ignorata poiché utilizza attività (task) versione 0.1.0",
+ "TaskService.providerUnavailable": "Avviso: {0} attività non sono disponibili nell'ambiente corrente.\r\n",
+ "TaskService.noBuildTask1": "Non è stata definita alcuna attività di compilazione. Contrassegnare un'attività con 'isBuildCommand' nel file tasks.json.",
+ "TaskService.noBuildTask2": "Non è stata definita alcuna attività di compilazione. Contrassegnare un'attività come gruppo 'build' nel file tasks.json.",
+ "TaskService.noTestTask1": "Non è stata definita alcuna attività di test. Contrassegnare un'attività con 'isTestCommand' nel file tasks.json.",
+ "TaskService.noTestTask2": "Non è stata definita alcuna attività di test. Contrassegnare un'attività come gruppo 'test' nel file tasks.json.",
+ "TaskServer.noTask": "L'attività da eseguire non è definita",
+ "TaskService.associate": "associa",
+ "TaskService.attachProblemMatcher.continueWithout": "Continua senza analizzare l'output dell'attività",
+ "TaskService.attachProblemMatcher.never": "Non analizzare mai l'output dell'attività per questa attività",
+ "TaskService.attachProblemMatcher.neverType": "Non analizzare mai l'output dell'attività per le attività di tipo {0}",
+ "TaskService.attachProblemMatcher.learnMoreAbout": "Ulteriori informazioni sull'analisi dell'output della attività",
+ "selectProblemMatcher": "Selezionare il tipo di errori e di avvisi per cui analizzare l'output dell'attività",
+ "customizeParseErrors": "La configurazione dell'attività corrente presenta errori. Per favore correggere gli errori prima di personalizzazione un'attività.",
+ "tasksJsonComment": "\t// Vedere https://go.microsoft.com/fwlink/?LinkId=733558 \r\n\t// per la documentazione relativa al formato tasks.json",
+ "moreThanOneBuildTask": "Nel file tasks.json sono definite molte attività di compilazione. Verrà eseguita la prima.\r\n",
+ "TaskSystem.saveBeforeRun.prompt.title": "Salvare tutti gli editor?",
+ "saveBeforeRun.save": "Salva",
+ "saveBeforeRun.dontSave": "Non salvare",
+ "detail": "Salvare tutti gli editor prima di eseguire l'attività?",
+ "TaskSystem.activeSame.noBackground": "L'attività '{0}' è già attiva.",
+ "terminateTask": "Termina attività",
+ "restartTask": "Riavvia attività",
+ "TaskSystem.active": "Esiste già un'attività in esecuzione. Terminarla prima di eseguirne un'altra.",
+ "TaskSystem.restartFailed": "Non è stato possibile terminare e riavviare l'attività {0}",
+ "unexpectedTaskType": "Il provider di attività per le attività \"{0}\" ha fornito in modo imprevisto un'attività di tipo \"{1}\".\r\n",
+ "TaskService.noConfiguration": "Errore: il rilevamento attività {0} non ha aggiunto come contributo un'attività per la configurazione seguente:\r\n{1}\r\nL'attività verrà ignorata.\r\n",
+ "TaskSystem.configurationErrors": "Errore: la configurazione delle attività specificata contiene errori di convalida e non è utilizzabile. Correggere prima gli errori.",
+ "TaskSystem.invalidTaskJsonOther": "Errore: nel contenuto del file tasks.json in {0} sono presenti errori di sintassi. Correggerli prima di eseguire un'attività.\r\n",
+ "TasksSystem.locationWorkspaceConfig": "file di area di lavoro",
+ "TaskSystem.versionWorkspaceFile": "In .codeworkspace sono consentite solo attività della versione 2.0.0.",
+ "TasksSystem.locationUserConfig": "Impostazioni utente",
+ "TaskSystem.versionSettings": "Nelle impostazioni utente sono consentite solo attività della versione 2.0.0.",
+ "taskService.ignoreingFolder": "Le configurazioni delle attività per la cartella {0} dell'area di lavoro verranno ignorate. Per il supporto delle attività delle aree di lavoro in più cartelle è necessario usare la versione 2.0.0 delle attività per tutte le cartelle\r\n",
+ "TaskSystem.invalidTaskJson": "Errore: nel contenuto del file tasks.json sono presenti errori di sintassi. Correggerli prima di eseguire un'attività.\r\n",
+ "TerminateAction.label": "Termina attività",
+ "TaskSystem.unknownError": "Si è verificato un errore durante l'esecuzione di un'attività. Per dettagli, vedere il log attività.",
+ "configureTask": "Configura attività",
+ "recentlyUsed": "attività usate di recente",
+ "configured": "attività configurate",
+ "detected": "attività rilevate",
+ "TaskService.ignoredFolder": "Le cartelle dell'area di lavoro seguenti verranno ignorate perché usano la versione 0.1.0 delle attività: {0}",
+ "TaskService.notAgain": "Non visualizzare più questo messaggio",
+ "TaskService.pickRunTask": "Selezionare l'attività da eseguire",
+ "TaskService.noEntryToRunSlow": "$(plus) Configura un'attività",
+ "TaskService.noEntryToRun": "$(plus) Configura un'attività",
+ "TaskService.fetchingBuildTasks": "Recupero delle attività di compilazione...",
+ "TaskService.pickBuildTask": "Selezionare l'attività di compilazione da eseguire",
+ "TaskService.noBuildTask": "Nessuna attività di compilazione da eseguire trovato. Configurare l'attività di compilazione...",
+ "TaskService.fetchingTestTasks": "Recupero delle attività di test...",
+ "TaskService.pickTestTask": "Selezionare l'attività di test da eseguire",
+ "TaskService.noTestTaskTerminal": "Non è stata trovata alcuna attività di test da eseguire. Configurare le attività...",
+ "TaskService.taskToTerminate": "Selezionare un'attività da terminare",
+ "TaskService.noTaskRunning": "Non ci sono attività attualmente in esecuzione",
+ "TaskService.terminateAllRunningTasks": "Tutte le attività in esecuzione",
+ "TerminateAction.noProcess": "Il processo avviato non esiste più. Se l'attività implica la generazione di attività in background, uscendo da Visual Studio Code potrebbero essere presenti processi orfani.",
+ "TerminateAction.failed": "Non è stato possibile terminare l'attività in esecuzione",
+ "TaskService.taskToRestart": "Selezionare l'attività da riavviare",
+ "TaskService.noTaskToRestart": "Non ci sono attività da riavviare",
+ "TaskService.template": "Seleziona un modello di attività",
+ "taskQuickPick.userSettings": "Impostazioni utente",
+ "TaskService.createJsonFile": "Crea il file tasks.json dal modello",
+ "TaskService.openJsonFile": "Apri il file tasks.json",
+ "TaskService.pickTask": "Selezionare un'attività da configurare",
+ "TaskService.defaultBuildTaskExists": "{0} è già contrassegnato come attività di compilazione predefinita",
+ "TaskService.pickDefaultBuildTask": "Selezionare l'attività da usare come attività di compilazione predefinita",
+ "TaskService.defaultTestTaskExists": "{0} è già contrassegnato come attività di test predefinita.",
+ "TaskService.pickDefaultTestTask": "Selezionare l'attività da usare come attività di test predefinita",
+ "TaskService.pickShowTask": "Selezionare l'attività di cui mostrare l'output",
+ "TaskService.noTaskIsRunning": "Non ci sono attività in esecuzione"
+ },
+ "vs/workbench/contrib/tasks/browser/terminalTaskSystem": {
+ "TerminalTaskSystem.unknownError": "Si è verificato un errore sconosciuto durante l'esecuzione di un'attività. Per dettagli, vedere il log di output dell'attività.",
+ "dependencyCycle": "È presente un ciclo di dipendenze. Vedere l'attività \"{0}\".",
+ "dependencyFailed": "Non è stato possibile risolvere l'attività dipendente '{0}' nella cartella dell'area di lavoro '{1}'",
+ "TerminalTaskSystem.nonWatchingMatcher": "L'attività {0} è un'attività in background ma usa un matcher problemi senza un criterio di background",
+ "TerminalTaskSystem.terminalName": "Attività - {0}",
+ "closeTerminal": "Premere un tasto qualsiasi per chiudere il terminale.",
+ "reuseTerminal": "Terminale verrà riutilizzato dalle attività, premere un tasto qualsiasi per chiuderlo.",
+ "TerminalTaskSystem": "Non è possibile eseguire un comando della shell su un'unità UNC con cmd.exe.",
+ "unknownProblemMatcher": "Il matcher problemi {0} non può essere risolto e verrà ignorato"
+ },
+ "vs/workbench/contrib/tasks/browser/task.contribution": {
+ "building": "Compilazione...",
+ "numberOfRunningTasks": "{0} attività in esecuzione",
+ "runningTasks": "Mostra attività in esecuzione",
+ "status.runningTasks": "Attività in esecuzione",
+ "miRunTask": "E&&segui attività...",
+ "miBuildTask": "Esegui attività di &&compilazione...",
+ "miRunningTask": "Mostra attività in esec&&uzione...",
+ "miRestartTask": "Riavvia attività in &&esecuzione...",
+ "miTerminateTask": "&&Termina attività...",
+ "miConfigureTask": "Con&&figura attività...",
+ "miConfigureBuildTask": "Configura atti&&vità di compilazione predefinita...",
+ "workbench.action.tasks.openWorkspaceFileTasks": "Apri attività area di lavoro",
+ "ShowLogAction.label": "Mostra log attività",
+ "RunTaskAction.label": "Esegui attività",
+ "ReRunTaskAction.label": "Ripeti ultima attività",
+ "RestartTaskAction.label": "Riavvia attività in esecuzione",
+ "ShowTasksAction.label": "Mostra attività in esecuzione",
+ "TerminateAction.label": "Termina attività",
+ "BuildAction.label": "Esegui attività di compilazione",
+ "TestAction.label": "Esegui attività di test",
+ "ConfigureDefaultBuildTask.label": "Configura attività di compilazione predefinita",
+ "ConfigureDefaultTestTask.label": "Configura attività di test predefinita",
+ "workbench.action.tasks.openUserTasks": "Apri attività utente",
+ "tasksQuickAccessPlaceholder": "Digitare il nome di un'attività da eseguire.",
+ "tasksQuickAccessHelp": "Esegui attività",
+ "tasksConfigurationTitle": "Attività",
+ "task.problemMatchers.neverPrompt": "Configura se visualizzare o meno il prompt del matcher problemi durante l'esecuzione di un'attività. Impostare su `true` per non visualizzare mai il prompt oppure usare un dizionario dei tipi di attività per disattivare il prompt solo per tipi di attività specifici.",
+ "task.problemMatchers.neverPrompt.boolean": "Imposta il comportamento dei suggerimenti del matcher problemi per tutte le attività.",
+ "task.problemMatchers.neverPrompt.array": "Oggetto contenente coppie booleane di tipi di attività per i quali non chiedere mai i matcher problemi.",
+ "task.autoDetect": "Controlla l'abilitazione di `provideTasks` per l'estensione del provider di tutte le attività. Se il comando Attività: Esegui attività è lento, può essere utile disabilitare il rilevamento automatico per i provider attività. Le singole estensioni possono anche fornire impostazioni che disabilitano il rilevamento automatico.",
+ "task.slowProviderWarning": "Configura la visualizzazione di un avviso quando un provider è lento",
+ "task.slowProviderWarning.boolean": "Imposta l'avviso di provider lento per tutte le attività.",
+ "task.slowProviderWarning.array": "Matrice di tipi di attività per cui non visualizzare mai l'avviso di provider lento.",
+ "task.quickOpen.history": "Controlla il numero di elementi recenti di cui viene tenuto traccia nella finestra di dialogo Quick Open dell'attività.",
+ "task.quickOpen.detail": "Controlla se visualizzare o meno i dettagli per le attività per cui è presente un dettaglio nella selezione rapida delle attività, ad esempio Esegui attività.",
+ "task.quickOpen.skip": "Controlla se la selezione rapida delle attività viene ignorata in presenza di una sola attività da selezionare.",
+ "task.quickOpen.showAll": "Fa in modo che il comando Attività: Esegui attività usi il comportamento più lento \"Mostra tutto\" invece del selettore a due livelli più rapido in cui le attività vengono raggruppate in base al provider.",
+ "task.saveBeforeRun": "Salva tutti gli editor modificati ma non salvati prima di eseguire un'attività.",
+ "task.saveBeforeRun.always": "Salva sempre tutti gli editor prima dell'esecuzione.",
+ "task.saveBeforeRun.never": "Non salva mai gli editor prima dell'esecuzione.",
+ "task.SaveBeforeRun.prompt": "Chiede se salvare gli editor prima dell'esecuzione."
+ },
+ "vs/workbench/contrib/tasks/common/taskDefinitionRegistry": {
+ "TaskDefinition.description": "Tipo di attività effettivo. Notare che i tipi che iniziano con il carattere '$' sono riservati per l'utilizzo interno.",
+ "TaskDefinition.properties": "Proprietà aggiuntive del tipo di attività",
+ "TaskDefinition.when": "Condizione che deve essere vera per abilitare questo tipo di attività. Provare a usare `shellExecutionSupported`, `processExecutionSupported` e `customExecutionSupported` a seconda dei casi per questa definizione di attività.",
+ "TaskTypeConfiguration.noType": "Nella configurazione del tipo di attività manca la proprietà obbligatoria 'taskType'",
+ "TaskDefinitionExtPoint": "Aggiunge come contributo i tipi di attività"
+ },
+ "vs/workbench/contrib/tasks/common/problemMatcher": {
+ "ProblemPatternParser.problemPattern.missingRegExp": "Nel criterio del problema manca un'espressione regolare.",
+ "ProblemPatternParser.loopProperty.notLast": "La proprietà loop è supportata solo sul matcher dell'ultima riga.",
+ "ProblemPatternParser.problemPattern.kindProperty.notFirst": "Il criterio del problema non è valido. La proprietà kind deve essere specificata solo nel primo elemento",
+ "ProblemPatternParser.problemPattern.missingProperty": "Il criterio del problema non è valido. Deve includere almeno un file e un messaggio.",
+ "ProblemPatternParser.problemPattern.missingLocation": "Il criterio del problema non è valido. Il tipo deve essere \"file\" oppure deve il criterio deve includere un gruppo di corrispondenze di tipo line o posizione.",
+ "ProblemPatternParser.invalidRegexp": "Errore: la stringa {0} non è un'espressione regolare valida.\r\n",
+ "ProblemPatternSchema.regexp": "Espressione regolare per trovare un messaggio di tipo errore, avviso o info nell'output.",
+ "ProblemPatternSchema.kind": "Indica se il criterio corrisponde a una posizione (file e riga) o solo a un file.",
+ "ProblemPatternSchema.file": "Indice del gruppo di corrispondenze del nome file. Se omesso, viene usato 1.",
+ "ProblemPatternSchema.location": "Indice del gruppo di corrispondenze della posizione del problema. I criteri di posizione validi sono: (line), (line,column) e (startLine,startColumn,endLine,endColumn). Se omesso, si presuppone che sia impostato su (line,column).",
+ "ProblemPatternSchema.line": "Indice del gruppo di corrispondenze della riga del problema. Il valore predefinito è 2",
+ "ProblemPatternSchema.column": "Indice del gruppo di corrispondenze del carattere di riga del problema. Il valore predefinito è 3",
+ "ProblemPatternSchema.endLine": "Indice del gruppo di corrispondenze della riga finale del problema. Il valore predefinito è undefined",
+ "ProblemPatternSchema.endColumn": "Indice del gruppo di corrispondenze del carattere di fine riga del problema. Il valore predefinito è undefined",
+ "ProblemPatternSchema.severity": "Indice del gruppo di corrispondenze della gravità del problema. Il valore predefinito è undefined",
+ "ProblemPatternSchema.code": "Indice del gruppo di corrispondenze del codice del problema. Il valore predefinito è undefined",
+ "ProblemPatternSchema.message": "Indice del gruppo di corrispondenze del messaggio. Se omesso, il valore predefinito è 4 se si specifica la posizione; in caso contrario, il valore predefinito è 5.",
+ "ProblemPatternSchema.loop": "In un matcher di più righe il ciclo indica se questo criterio viene eseguito in un ciclo finché esiste la corrispondenza. Può essere specificato solo come ultimo criterio in un criterio su più righe.",
+ "NamedProblemPatternSchema.name": "Nome del criterio di problema.",
+ "NamedMultiLineProblemPatternSchema.name": "Nome del criterio di problema a più righe.",
+ "NamedMultiLineProblemPatternSchema.patterns": "Criteri effettivi.",
+ "ProblemPatternExtPoint": "Aggiunge come contributo i criteri di problema",
+ "ProblemPatternRegistry.error": "Il criterio di problema non è valido e verrà ignorato.",
+ "ProblemMatcherParser.noProblemMatcher": "Errore: non è possibile convertire la descrizione in un matcher problemi:\r\n{0}\r\n",
+ "ProblemMatcherParser.noProblemPattern": "Errore: la descrizione non definisce un criterio di problema valido:\r\n{0}\r\n",
+ "ProblemMatcherParser.noOwner": "Errore: la descrizione non definisce un proprietario:\r\n{0}\r\n",
+ "ProblemMatcherParser.noFileLocation": "Errore: la descrizione non definisce un percorso di file:\r\n{0}\r\n",
+ "ProblemMatcherParser.unknownSeverity": "Info: la gravità {0} è sconosciuta. I valori validi sono error, warning e info.\r\n",
+ "ProblemMatcherParser.noDefinedPatter": "Errore: il criterio con identificatore {0} non esiste.",
+ "ProblemMatcherParser.noIdentifier": "Errore: la proprietà del criterio fa riferimento a un identificatore vuoto.",
+ "ProblemMatcherParser.noValidIdentifier": "Errore: la proprietà {0} del criterio non è un nome di variabile criterio valido.",
+ "ProblemMatcherParser.problemPattern.watchingMatcher": "Un matcher problemi deve definire un criterio di inizio e un criterio di fine per il controllo.",
+ "ProblemMatcherParser.invalidRegexp": "Errore: la stringa {0} non è un'espressione regolare valida.\r\n",
+ "WatchingPatternSchema.regexp": "L'espressione regolare per rilevare l'inizio o la fine di un'attività in background.",
+ "WatchingPatternSchema.file": "Indice del gruppo di corrispondenze del nome file. Può essere omesso.",
+ "PatternTypeSchema.name": "Nome di un criterio predefinito o aggiunto come contributo",
+ "PatternTypeSchema.description": "Criterio di problema o nome di un criterio di problema predefinito o aggiunto come contributo. Può essere omesso se si specifica base.",
+ "ProblemMatcherSchema.base": "Nome di un matcher problemi di base da usare.",
+ "ProblemMatcherSchema.owner": "Proprietario del problema in Visual Studio Code. Può essere omesso se si specifica base. Se è omesso e non si specifica base, viene usato il valore predefinito 'external'.",
+ "ProblemMatcherSchema.source": "Stringa in formato leggibile che descrive l'origine di questa diagnostica, ad esempio 'typescript' o 'super lint'.",
+ "ProblemMatcherSchema.severity": "Gravità predefinita per i problemi di acquisizione. Viene usato se il criterio non definisce un gruppo di corrispondenze per la gravità.",
+ "ProblemMatcherSchema.applyTo": "Controlla se un problema segnalato in un documento di testo è valido solo per i documenti aperti o chiusi oppure per tutti i documenti.",
+ "ProblemMatcherSchema.fileLocation": "Consente di definire come interpretare i nomi file indicati in un criterio di problema. Un elemento fileLocation relativo può essere una matrice, in cui il secondo elemento della matrice è il percorso file relativo.",
+ "ProblemMatcherSchema.background": "Criteri per tenere traccia dell'inizio e della fine di un matcher attivo su un'attività in background.",
+ "ProblemMatcherSchema.background.activeOnStart": "Se è impostato su true, il monitoraggio in background è in modalità attiva all'avvio dell'attività. Equivale a inviare una riga che corrisponde a beginPattern",
+ "ProblemMatcherSchema.background.beginsPattern": "Se corrisponde nell'output, viene segnalato l'avvio di un'attività in background.",
+ "ProblemMatcherSchema.background.endsPattern": "Se corrisponde nell'output, viene segnalata la fine di un'attività in background.",
+ "ProblemMatcherSchema.watching.deprecated": "La proprietà watching è deprecata. In alternativa, utilizzare background (sfondo).",
+ "ProblemMatcherSchema.watching": "Criteri per tenere traccia dell'inizio e della fine di un matcher watching.",
+ "ProblemMatcherSchema.watching.activeOnStart": "Se impostato su true, indica che il watcher è in modalità attiva all'avvio dell'attività. Equivale a inviare una riga che corrisponde al criterio di avvio",
+ "ProblemMatcherSchema.watching.beginsPattern": "Se corrisponde nell'output, viene segnalato l'avvio di un'attività di controllo.",
+ "ProblemMatcherSchema.watching.endsPattern": "Se corrisponde nell'output, viene segnalata la fine di un'attività di controllo.",
+ "LegacyProblemMatcherSchema.watchedBegin.deprecated": "Questa proprietà è deprecata. In alternativa, usare la proprietà watching.",
+ "LegacyProblemMatcherSchema.watchedBegin": "Espressione regolare con cui viene segnalato l'avvio dell'esecuzione di un'attività controllata attivato tramite il controllo dei file.",
+ "LegacyProblemMatcherSchema.watchedEnd.deprecated": "Questa proprietà è deprecata. In alternativa, usare la proprietà watching.",
+ "LegacyProblemMatcherSchema.watchedEnd": "Espressione regolare con cui viene segnalato il termine dell'esecuzione di un'attività controllata.",
+ "NamedProblemMatcherSchema.name": "Nome del matcher problemi utilizzato per riferirsi ad esso.",
+ "NamedProblemMatcherSchema.label": "Un'etichetta leggibile del matcher problemi.",
+ "ProblemMatcherExtPoint": "Aggiunge come contributo i matcher problemi",
+ "msCompile": "Problemi del compilatore di Microsoft",
+ "lessCompile": "Problemi Less",
+ "gulp-tsc": "Problemi TSC Gulp",
+ "jshint": "Problemi JSHint",
+ "jshint-stylish": "Problemi di stile di JSHint",
+ "eslint-compact": "Problemi di compattazione di ESLint",
+ "eslint-stylish": "Problemi di stile di ESLint",
+ "go": "Problemi di Go"
+ },
+ "vs/workbench/contrib/tasks/common/taskTemplates": {
+ "dotnetCore": "Esegue il comando di compilazione di .NET Core",
+ "msbuild": "Esegue la destinazione di compilazione",
+ "externalCommand": "Esempio per eseguire un comando esterno arbitrario",
+ "Maven": "Consente di eseguire comandi Maven comuni"
+ },
+ "vs/workbench/contrib/tasks/browser/runAutomaticTasks": {
+ "tasks.run.allowAutomatic": "Questa cartella contiene attività ({0}) definite in 'tasks.json' che vengono eseguite automaticamente all'apertura della cartella. Consentire l'esecuzione di attività automatiche all'apertura di questa cartella?",
+ "allow": "Consenti ed esegui",
+ "disallow": "Non consentire",
+ "openTasks": "Apri tasks.json",
+ "workbench.action.tasks.manageAutomaticRunning": "Gestisci attività automatiche nella cartella",
+ "workbench.action.tasks.allowAutomaticTasks": "Consenti attività automatiche nella cartella",
+ "workbench.action.tasks.disallowAutomaticTasks": "Non consentire attività automatiche nella cartella"
+ },
+ "vs/workbench/contrib/tasks/browser/taskQuickPick": {
+ "taskQuickPick.showAll": "Mostra tutte le attività...",
+ "configureTaskIcon": "Icona di configurazione nell'elenco di selezione delle attività.",
+ "removeTaskIcon": "Icona per la rimozione nell'elenco di selezione delle attività.",
+ "configureTask": "Configura attività",
+ "contributedTasks": "aggiunte come contributo",
+ "taskType": "Tutte le attività {0}",
+ "removeRecent": "Rimuovi attività usata di recente",
+ "recentlyUsed": "usate di recente",
+ "configured": "configurate",
+ "TaskQuickPick.goBack": "Torna indietro ↩",
+ "TaskQuickPick.noTasksForType": "Non sono state trovate attività di tipo {0}. Torna indietro ↩",
+ "noProviderForTask": "Non ci sono provider di attività registrati per le attività di tipo \"{0}\"."
+ },
+ "vs/workbench/contrib/tasks/common/jsonSchema_v1": {
+ "JsonSchema.version.deprecated": "La versione 0.1.0 dell'attività è deprecata. Usare la versione 2.0.0",
+ "JsonSchema.version": "Numero di versione della configurazione",
+ "JsonSchema._runner": "La proprietà runner è stata promossa. Usare quella ufficiale",
+ "JsonSchema.runner": "Definisce se l'attività viene eseguita come un processo e l'output viene visualizzato nella finestra di output o all'interno del terminale.",
+ "JsonSchema.windows": "Configurazione dei comandi specifica di Windows",
+ "JsonSchema.mac": "Configurazione dei comandi specifica di Mac",
+ "JsonSchema.linux": "Configurazione dei comandi specifica di Linux",
+ "JsonSchema.shell": "Specifica se il comando è un comando della shell o un programma esterno. Se omessa, viene usato il valore predefinito false."
+ },
+ "vs/workbench/contrib/tasks/common/jsonSchema_v2": {
+ "JsonSchema.shell": "Specifica se il comando è un comando della shell o un programma esterno. Se omessa, viene usato il valore predefinito false.",
+ "JsonSchema.tasks.isShellCommand.deprecated": "La proprietà isShellCommand è deprecata. Usare la proprietà type dell'attività e la proprietà shell nelle opzioni. Vedere anche le note sulla versione 1.14.",
+ "JsonSchema.tasks.dependsOn.identifier": "Identificatore di attività.",
+ "JsonSchema.tasks.dependsOn.string": "Altra attività da cui dipende questa attività.",
+ "JsonSchema.tasks.dependsOn.array": "Altre attività da cui dipende questa attività.",
+ "JsonSchema.tasks.dependsOn": "Stringa che rappresenta un'altra attività o matrice di altre attività da cui dipende questa attività.",
+ "JsonSchema.tasks.dependsOrder.parallel": "Esegue tutte le attività dependsOn in parallelo.",
+ "JsonSchema.tasks.dependsOrder.sequence": "Esegue tutte le attività dependsOn in sequenza.",
+ "JsonSchema.tasks.dependsOrder": "Determina l'ordine delle attività dependsOn per questa attività. Si noti che questa proprietà non è ricorsiva.",
+ "JsonSchema.tasks.detail": "Descrizione facoltativa di un'attività visualizzata come dettaglio nella selezione rapida Esegui attività.",
+ "JsonSchema.tasks.presentation": "Consente di configurare il pannello usato per presentare l'output dell'attività e legge il relativo input.",
+ "JsonSchema.tasks.presentation.echo": "Controlla se l'eco del comando eseguito viene visualizzato nel pannello. Il valore predefinito è true.",
+ "JsonSchema.tasks.presentation.focus": "Controlla se il pannello riceve lo stato attivo. Il valore predefinito è false. Se è impostato su true, il pannello viene anche visualizzato.",
+ "JsonSchema.tasks.presentation.revealProblems.always": "Visualizza sempre il pannello dei problemi quando viene eseguita questa attività.",
+ "JsonSchema.tasks.presentation.revealProblems.onProblem": "Visualizza il pannello dei problemi solo quando viene trovato un problema.",
+ "JsonSchema.tasks.presentation.revealProblems.never": "Non visualizza mai il pannello dei problemi quando viene eseguita questa attività.",
+ "JsonSchema.tasks.presentation.revealProblems": "Controlla se il pannello dei problemi viene visualizzato o meno durante l'esecuzione di questa attività. Ha la precedenza sull'opzione \"reveal\". L'impostazione predefinita è \"never\".",
+ "JsonSchema.tasks.presentation.reveal.always": "Visualizza sempre il terminale quando viene eseguita questa attività.",
+ "JsonSchema.tasks.presentation.reveal.silent": "Visualizza il terminale solo se l'attività termina con un errore o il matcher problemi trova un errore.",
+ "JsonSchema.tasks.presentation.reveal.never": "Non visualizza mai il terminale quando viene eseguita questa attività.",
+ "JsonSchema.tasks.presentation.reveal": "Controlla se il terminale che esegue l'attività viene visualizzato o meno. È possibile eseguirne l'override con l'opzione \"revealProblems\". L'impostazione predefinita è \"always\".",
+ "JsonSchema.tasks.presentation.instance": "Controlli se il pannello è condiviso tra le attività, dedicato a quest'attività o se ne viene creato uno nuovo a ogni esecuzione.",
+ "JsonSchema.tasks.presentation.showReuseMessage": "Controlla se visualizzare il messaggio `Terminale verrà riutilizzato dalle attività, premere un tasto qualsiasi per chiuderlo`.",
+ "JsonSchema.tasks.presentation.clear": "Controlla se il terminale viene pulito prima di eseguire l'attività.",
+ "JsonSchema.tasks.presentation.group": "Controlla se l'attività viene eseguita in uno gruppo di terminali specifico usando riquadri divisi.",
+ "JsonSchema.tasks.terminal": "La proprietà terminal è deprecata. In alternativa, usare presentation.",
+ "JsonSchema.tasks.group.kind": "Gruppo di esecuzione dell'attività.",
+ "JsonSchema.tasks.group.isDefault": "Definisce se questa attività è l'attività predefinita nel gruppo.",
+ "JsonSchema.tasks.group.defaultBuild": "Contrassegna l'attività come attività di compilazione predefinita.",
+ "JsonSchema.tasks.group.defaultTest": "Contrassegna l'attività come attività di test predefinita.",
+ "JsonSchema.tasks.group.build": "Contrassegna l'attività come attività di compilazione accessibile tramite il comando 'Esegui attività di compilazione'.",
+ "JsonSchema.tasks.group.test": "Contrassegna l'attività come attività di test accessibile tramite il comando 'Esegui attività di test'.",
+ "JsonSchema.tasks.group.none": "Non assegna l'attività ad alcun gruppo",
+ "JsonSchema.tasks.group": "Definisce il gruppo di esecuzione a cui appartiene questa attività. Supporta \"build\" per aggiungerlo al gruppo di compilazione e \"test\" per aggiungerlo al gruppo di test.",
+ "JsonSchema.tasks.type": "Definisce se l'attività viene eseguita come un processo o come un comando all'interno di una shell.",
+ "JsonSchema.commandArray": "Comando della shell da eseguire. Per unire gli elementi della matrice verrà usato un carattere di spazio",
+ "JsonSchema.command.quotedString.value": "Valore effettivo del comando",
+ "JsonSchema.tasks.quoting.escape": "Antepone ai caratteri il carattere di escape della shell (ad esempio ` in PowerShell e \\ in bash).",
+ "JsonSchema.tasks.quoting.strong": "Racchiude l'argomento tra virgolette usando il carattere di singolo apice della shell (ad esempio ' in PowerShell e bash).",
+ "JsonSchema.tasks.quoting.weak": "Racchiude l'argomento tra virgolette usando il carattere di doppio apice della shell (ad esempio \" in PowerShell e bash).",
+ "JsonSchema.command.quotesString.quote": "Indica il tipo di virgolette da usare con il valore del comando.",
+ "JsonSchema.command": "Comando da eseguire. Può essere un programma esterno o un comando della shell.",
+ "JsonSchema.args.quotedString.value": "Valore effettivo dell'argomento",
+ "JsonSchema.args.quotesString.quote": "Indica il tipo di virgolette da usare con il valore dell'argomento.",
+ "JsonSchema.tasks.args": "Argomenti passati al comando quando viene richiamata questa attività.",
+ "JsonSchema.tasks.label": "Etichetta dell'attività per l'interfaccia utente ",
+ "JsonSchema.version": "Numero di versione della configurazione.",
+ "JsonSchema.tasks.identifier": "Identificatore definito dall'utente per fare riferimento all'attività in launch.json o in una clausola dependsOn.",
+ "JsonSchema.tasks.identifier.deprecated": "Gli identificatori definiti dall'utente sono deprecati. Per attività personalizzate utilizzare il nome come riferimento e per le attività fornite dalle estensioni utilizzare il relativo identificatore di attività definito.",
+ "JsonSchema.tasks.reevaluateOnRerun": "Se a rivalutare le variabili di attività su Riesegui.",
+ "JsonSchema.tasks.runOn": "Consente di configurare quando eseguire l'attività. Se è impostata su folderOpen, l'attività verrà eseguita automaticamente quando si apre la cartella.",
+ "JsonSchema.tasks.instanceLimit": "Numero di istanze dell'attività che possono essere eseguite contemporaneamente.",
+ "JsonSchema.tasks.runOptions": "Opzioni correlate all'esecuzione dell'attività",
+ "JsonSchema.tasks.taskLabel": "Etichetta dell'attività",
+ "JsonSchema.tasks.taskName": "Nome dell'attività",
+ "JsonSchema.tasks.taskName.deprecated": "La proprietà name dell'attività è deprecata. In alternativa, usare la proprietà label.",
+ "JsonSchema.tasks.background": "Indica se l'attività eseguita viene mantenuta attiva ed è in esecuzione in background.",
+ "JsonSchema.tasks.promptOnClose": "Indica se viene visualizzato un prompt utente quando VS Code viene chiuso con un'attività in esecuzione.",
+ "JsonSchema.tasks.matchers": "Matcher problemi da usare. Può essere una stringa o una definizione di matcher problemi oppure una matrice di stringhe e matcher problemi.",
+ "JsonSchema.customizations.customizes.type": "Tipo di attività da personalizzare",
+ "JsonSchema.tasks.customize.deprecated": "La proprietà customize è deprecata. Vedere le note sulla versione 1.14 per informazioni su come eseguire la migrazione al nuovo approccio di personalizzazione delle attività",
+ "JsonSchema.tasks.showOutput.deprecated": "La proprietà showOutput è deprecata. In alternativa, usare invece la proprietà reveal all'interno della proprietà presentation. Vedere anche le note sulla versione 1.14.",
+ "JsonSchema.tasks.echoCommand.deprecated": "La proprietà echoCommand è deprecata. In alternativa, usare la proprietà echo all'interno della proprietà presentation. Vedere anche le note sulla versione 1.14.",
+ "JsonSchema.tasks.suppressTaskName.deprecated": "La proprietà suppressTaskName è deprecata. In alternativa, incorporare nell'attività il comando con i relativi argomenti. Vedere anche le note sulla versione 1.14.",
+ "JsonSchema.tasks.isBuildCommand.deprecated": "La proprietà isBuildCommand è deprecata. In alternativa, usare la proprietà group. Vedere anche le note sulla versione 1.14.",
+ "JsonSchema.tasks.isTestCommand.deprecated": "La proprietà isTestCommand è deprecata. In alternativa, usare la proprietà group. Vedere anche le note sulla versione 1.14.",
+ "JsonSchema.tasks.taskSelector.deprecated": "La proprietà taskSelector è deprecata. In alternativa, incorporare nell'attività il comando con i relativi argomenti. Vedere anche le note sulla versione 1.14. ",
+ "JsonSchema.windows": "Configurazione dei comandi specifica di Windows",
+ "JsonSchema.mac": "Configurazione dei comandi specifica di Mac",
+ "JsonSchema.linux": "Configurazione dei comandi specifica di Linux"
+ },
+ "vs/workbench/contrib/tasks/browser/tasksQuickAccess": {
+ "noTaskResults": "Non ci sono attività corrispondenti",
+ "TaskService.pickRunTask": "Selezionare l'attività da eseguire"
+ },
+ "vs/workbench/contrib/tasks/common/jsonSchemaCommon": {
+ "JsonSchema.options": "Opzioni dei comandi aggiuntive",
+ "JsonSchema.options.cwd": "Directory di lavoro corrente del programma o dello script eseguito. Se omesso, viene usata la radice dell'area di lavoro corrente di Visual Studio Code.",
+ "JsonSchema.options.env": "Ambiente della shell o del programma eseguito. Se omesso, viene usato l'ambiente del processo padre.",
+ "JsonSchema.tasks.matcherError": "Matcher problemi non riconosciuto. L'estensione che contribuisce a questo matcher problemi è installata?",
+ "JsonSchema.shellConfiguration": "Configura la shell da usare.",
+ "JsonSchema.shell.executable": "Shell da usare.",
+ "JsonSchema.shell.args": "Argomenti della shell.",
+ "JsonSchema.command": "Comando da eseguire. Può essere un programma esterno o un comando della shell.",
+ "JsonSchema.tasks.args": "Argomenti passati al comando quando viene richiamata questa attività.",
+ "JsonSchema.tasks.taskName": "Nome dell'attività",
+ "JsonSchema.tasks.windows": "Configurazione dei comandi specifica di Windows",
+ "JsonSchema.tasks.matchers": "Matcher problemi da usare. Può essere una stringa o una definizione di matcher problemi oppure una matrice di stringhe e matcher problemi.",
+ "JsonSchema.tasks.mac": "Configurazione dei comandi specifica di Mac",
+ "JsonSchema.tasks.linux": "Configurazione dei comandi specifica di Linux",
+ "JsonSchema.tasks.suppressTaskName": "Controlla se il nome dell'attività viene aggiunto come argomento al comando. Se omesso, viene usato il valore definito globalmente.",
+ "JsonSchema.tasks.showOutput": "Controlla la visualizzazione dell'output dell'attività in esecuzione. Se omesso, viene usato il valore definito globalmente.",
+ "JsonSchema.echoCommand": "Controlla se l'eco del comando eseguito viene incluso nell'output. Il valore predefinito è false.",
+ "JsonSchema.tasks.watching.deprecation": "Deprecato. In alternativa, usare isBackground.",
+ "JsonSchema.tasks.watching": "Indica se l'attività eseguita viene mantenuta attiva e controlla il file system.",
+ "JsonSchema.tasks.background": "Indica se l'attività eseguita viene mantenuta attiva ed è in esecuzione in background.",
+ "JsonSchema.tasks.promptOnClose": "Indica se viene visualizzato un prompt utente quando VS Code viene chiuso con un'attività in esecuzione.",
+ "JsonSchema.tasks.build": "Esegue il mapping di questa attività al comando di compilazione predefinito di Visual Studio Code.",
+ "JsonSchema.tasks.test": "Esegue il mapping di questa attività al comando di test predefinito di Visual Studio Code.",
+ "JsonSchema.args": "Argomenti aggiuntivi passati al comando.",
+ "JsonSchema.showOutput": "Controlla la visualizzazione dell'output dell'attività in esecuzione. Se omesso, viene usato 'always'.",
+ "JsonSchema.watching.deprecation": "Deprecato. In alternativa, usare isBackground.",
+ "JsonSchema.watching": "Indica se l'attività eseguita viene mantenuta attiva e controlla il file system.",
+ "JsonSchema.background": "Indica se l'attività eseguita viene mantenuta attiva ed è in esecuzione in background.",
+ "JsonSchema.promptOnClose": "Indica se viene visualizzato un prompt utente quando Visual Studio Code viene chiuso con un'attività in background in esecuzione.",
+ "JsonSchema.suppressTaskName": "Controlla se il nome dell'attività viene aggiunto come argomento al comando. Il valore predefinito è false.",
+ "JsonSchema.taskSelector": "Prefisso per indicare che un argomento è l'attività.",
+ "JsonSchema.matchers": "Matcher problemi da usare. Può essere una stringa oppure una definizione di matcher problemi oppure una matrice di stringhe e matcher problemi.",
+ "JsonSchema.tasks": "Configurazioni dell'attività. In genere si tratta di arricchimenti dell'attività già definite nello strumento di esecuzione attività esterno."
+ },
+ "vs/workbench/contrib/terminal/common/terminalConfiguration": {
+ "terminalIntegratedConfigurationTitle": "Terminale integrato",
+ "terminal.integrated.sendKeybindingsToShell": "Invia tramite dispatcher la maggior parte dei tasti di scelta rapida al terminale anziché al Workbench, eseguendo l'override di `#terminal.integrated.commandsToSkipShell#`, che può essere usato in alternativa per l'affinamento.",
+ "terminal.integrated.automationShell.linux": "Percorso che, se impostato, eseguirà l'override di {0} e ignorerà i valori di {1} per l'utilizzo del terminale correlato all'automazione, come nel caso di attività e debug.",
+ "terminal.integrated.automationShell.osx": "Percorso che, se impostato, eseguirà l'override di {0} e ignorerà i valori di {1} per l'utilizzo del terminale correlato all'automazione, come nel caso di attività e debug.",
+ "terminal.integrated.automationShell.windows": "Percorso che, se impostato, eseguirà l'override di {0} e ignorerà i valori di {1} per l'utilizzo del terminale correlato all'automazione, come nel caso di attività e debug.",
+ "terminal.integrated.shellArgs.linux": "Argomenti della riga di comando da usare nel terminale Linux. [Altre informazioni sulla configurazione della shell](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shellArgs.osx": "Argomenti della riga di comando da usare nel terminale macOS. [Altre informazioni sulla configurazione della shell](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shellArgs.windows": "Argomenti della riga di comando da usare nel terminale Windows. [Altre informazioni sulla configurazione della shell] (https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shellArgs.windows.string": "Argomenti della riga di comando nel [formato della riga di comando](https://msdn.microsoft.com/it-it/08dfcab2-eb6e-49a4-80eb-87d4076c98c6) da usare nel terminale Windows. [Altre informazioni sulla configurazione della shell](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.macOptionIsMeta": "Controlla se usare il tasto opzione come tasto meta nel terminale in macOS.",
+ "terminal.integrated.macOptionClickForcesSelection": "Controlla se forzare la selezione quando si usa Opzione+clic in macOS. In questo modo viene forzata la selezione normale (riga) impedendo l'uso della modalità di selezione colonna ed è possibile copiare e incollare usando la selezione normale del terminale quando, ad esempio, è abilitata la modalità mouse in tmux.",
+ "terminal.integrated.copyOnSelection": "Controlla se il testo selezionato nel terminale verrà copiato negli Appunti.",
+ "terminal.integrated.drawBoldTextInBrightColors": "Controlla se il testo in grassetto nel terminale userà sempre la variante di colore ANSI \"bright\".",
+ "terminal.integrated.fontFamily": "Controlla la famiglia di caratteri del terminale. L'impostazione predefinita è il valore di `#editor.fontFamily#`.",
+ "terminal.integrated.fontSize": "Controlla le dimensioni del carattere in pixel del terminale.",
+ "terminal.integrated.letterSpacing": "Controlla la spaziatura delle lettere del terminale. Si tratta di un valore intero che rappresenta il numero di pixel da aggiungere tra i caratteri.",
+ "terminal.integrated.lineHeight": "Controlla l'altezza della riga del terminale. Questo numero è moltiplicato per le dimensioni del carattere del terminale per ottenere l'altezza effettiva della riga in pixel.",
+ "terminal.integrated.minimumContrastRatio": "Se è impostata, il colore primo piano di ogni cella cambia in base al rapporto di contrasto specificato. Valori di esempio:\r\n\r\n- 1: Impostazione predefinita; non viene apportata alcuna modifica.\r\n- 4.5: [Conformità alle norme WCAG AA (minima)](https://www.w3.org/TR/UNDERSTANDING-WCAG20/visual-audio-contrast-contrast.html).\r\n- 7: [Conformità alle norme WCAG AAA (avanzata)](https://www.w3.org/TR/UNDERSTANDING-WCAG20/visual-audio-contrast7.html).\r\n- 21: Bianco su nero o nero su bianco.",
+ "terminal.integrated.fastScrollSensitivity": "Moltiplicatore della velocità di scorrimento quando si preme `Alt`.",
+ "terminal.integrated.mouseWheelScrollSensitivity": "Moltiplicatore da usare sul valore `deltaY` degli eventi di scorrimento della rotellina del mouse.",
+ "terminal.integrated.fontWeightError": "Sono consentiti solo le parole chiave \"normal\" e \"bold\" o i numeri compresi tra 1 e 1000.",
+ "terminal.integrated.fontWeight": "Spessore del carattere da usare nel terminale per il testo non in grassetto. Accetta le parole chiave \"normal\" e \"bold\" o i numeri compresi tra 1 e 1000.",
+ "terminal.integrated.fontWeightBold": "Spessore del carattere da usare nel terminale per il testo in grassetto. Accetta le parole chiave \"normal\" e \"bold\" o i numeri compresi tra 1 e 1000.",
+ "terminal.integrated.cursorBlinking": "Controlla se il cursore del terminale è intermittente.",
+ "terminal.integrated.cursorStyle": "Controlla lo stile del cursore del terminale.",
+ "terminal.integrated.cursorWidth": "Controlla la larghezza del cursore quando `#terminal.integrated.cursorStyle#` è impostato su `line`.",
+ "terminal.integrated.scrollback": "Controlla il numero massimo di righe che il terminale mantiene nel buffer.",
+ "terminal.integrated.detectLocale": "Controlla se rilevare e impostare la variabile di ambiente `$LANG` su un'opzione conforme a UTF-8 perché il terminale di VS Code supporta solo dati con codifica UTF-8 provenienti dalla shell.",
+ "terminal.integrated.detectLocale.auto": "Imposta la variabile di ambiente `$LANG` se quella esistente non è presente o non termina con `'.UTF-8'`.",
+ "terminal.integrated.detectLocale.off": "Non imposta la variabile di ambiente `$LANG`.",
+ "terminal.integrated.detectLocale.on": "Imposta sempre la variabile di ambiente `$LANG`.",
+ "terminal.integrated.rendererType.auto": "Consente a VS Code di individuare il renderer da usare.",
+ "terminal.integrated.rendererType.canvas": "Usa il renderer GPU standard/basato su canvas.",
+ "terminal.integrated.rendererType.dom": "Usa il renderer di fallback basato su DOM.",
+ "terminal.integrated.rendererType.experimentalWebgl": "Usa il renderer sperimentale basato su webgl. Tenere presente che tale renderer presenta alcuni [problemi noti](https://github.com/xtermjs/xterm.js/issues?q=is%3Aopen+is%3Aissue+label%3Aarea%2Faddon%2Fwebgl).",
+ "terminal.integrated.rendererType": "Controlla la modalità di rendering del terminale.",
+ "terminal.integrated.rightClickBehavior.default": "Mostra il menu di scelta rapida.",
+ "terminal.integrated.rightClickBehavior.copyPaste": "Copia in presenza di una selezione, in caso contrario incolla.",
+ "terminal.integrated.rightClickBehavior.paste": "Incolla con il pulsante destro del mouse.",
+ "terminal.integrated.rightClickBehavior.selectWord": "Seleziona la parola sotto il cursore e mostra il menu di scelta rapida.",
+ "terminal.integrated.rightClickBehavior": "Controlla la reazione del terminale quando viene fatto clic con il pulsante destro del mouse.",
+ "terminal.integrated.cwd": "Percorso di avvio esplicito in cui verrà avviato il terminale. Viene usato come directory di lavoro corrente (cwd) per il processo della shell. Può risultare particolarmente utile nelle impostazioni dell'area di lavoro se la directory radice non costituisce una directory di lavoro corrente comoda.",
+ "terminal.integrated.confirmOnExit": "Controlla se confermare all'uscita la presenza di sessioni di terminale attive.",
+ "terminal.integrated.enableBell": "Controlla se il segnale acustico di avviso del terminale è abilitato.",
+ "terminal.integrated.commandsToSkipShell": "Set di ID comando i cui tasti di scelta rapida non verranno inviati alla shell, ma gestiti sempre da VS Code. In questo modo i tasti di scelta rapida che verrebbero normalmente utilizzati dalla shell si comportano come quando il terminale non si trova nello stato attivo, ad esempio con `CTRL+P` viene avviato Quick Open.\r\n\r\n \r\n\r\nMolti comandi vengono ignorati per impostazione predefinita. Per sostituire un'impostazione predefinita e passare il tasto di scelta rapida del comando alla shell, aggiungere prima del comando il prefisso `-`. Ad esempio, aggiungere `-workbench.action.quickOpen` per consentire a `CTRL+P` di usare la shell.\r\n\r\n \r\n\r\nL'elenco seguente di comandi ignorati predefiniti è troncato quando viene visualizzato in Editor impostazioni. Per visualizzare l'elenco completo, [aprire il file JSON delle impostazioni predefinite](comando: workbench.action.openRawDefaultSettings 'Apri impostazioni predefinite (JSON)') e cercare il primo comando nell'elenco seguente.\r\n\r\n \r\n\r\nComandi ignorati predefiniti:\r\n\r\n{0}",
+ "terminal.integrated.allowChords": "Indica se consentire o meno la pressione simultanea di più tasti per i tasti di scelta rapida nel terminale. Tenere presente che quando è true e il tasto di scelta rapida prevede la pressione di più tasti, ignorerà `#terminal.integrated.commandsToSkipShell#`. Impostare su false se si vuole usare CTRL+K per passare alla shell (non VS Code).",
+ "terminal.integrated.allowMnemonics": "Indica se consentire i tasti di scelta della barra dei menu, ad esempio ALT+F, per attivare l'apertura della barra dei menu. Se è impostata su true, tutte le sequenze di tasti con ALT ignoreranno la shell. Non ha alcun effetto in macOS.",
+ "terminal.integrated.inheritEnv": "Indica se le nuove shell devono ereditare l'ambiente da VS Code. Questa impostazione non è supportata in Windows.",
+ "terminal.integrated.env.osx": "Oggetto con variabili di ambiente che verrà aggiunto al processo VS Code per essere usato dal terminale in macOS. Impostare su `null` per eliminare la variabile di ambiente.",
+ "terminal.integrated.env.linux": "Oggetto con variabili di ambiente che verrà aggiunto al processo VS Code per essere usato dal terminale in Linux. Impostare su `null` per eliminare la variabile di ambiente.",
+ "terminal.integrated.env.windows": "Oggetto con variabili di ambiente che verrà aggiunto al processo VS Code per essere usato dal terminale in Windows. Impostare su `null` per eliminare la variabile di ambiente.",
+ "terminal.integrated.environmentChangesIndicator": "Indica se visualizzare in ogni terminale l'indicatore delle modifiche dell'ambiente che spiega se sono state create estensioni o se si vogliono apportare modifiche all'ambiente del terminale.",
+ "terminal.integrated.environmentChangesIndicator.off": "Disabilita l'indicatore.",
+ "terminal.integrated.environmentChangesIndicator.on": "Abilita l'indicatore.",
+ "terminal.integrated.environmentChangesIndicator.warnonly": "Mostra solo l'indicatore di avviso quando lo stato dell'ambiente di un terminale è 'stale' e non l'indicatore di informazioni che mostra quando un'estensione ha modificato un terminale.",
+ "terminal.integrated.showExitAlert": "Controlla se mostrare l'avviso \"Il processo del terminale è stato terminato. Codice di uscita\" quando il codice di uscita è diverso da zero.",
+ "terminal.integrated.splitCwd": "Controlla la directory di lavoro con cui avviare un terminale diviso.",
+ "terminal.integrated.splitCwd.workspaceRoot": "Un nuovo terminale diviso userà la radice dell'area di lavoro come directory di lavoro. In un'area di lavoro con più radici è possibile scegliere la cartella radice da usare.",
+ "terminal.integrated.splitCwd.initial": "Un nuovo terminale diviso userà la directory di lavoro con cui è stato avviato il terminale padre.",
+ "terminal.integrated.splitCwd.inherited": "In macOS e Linux un nuovo terminale diviso userà la directory di lavoro del terminale padre. In Windows il comportamento è uguale a quello iniziale.",
+ "terminal.integrated.windowsEnableConpty": "Indica se usare ConPTY per le comunicazioni dei processi di terminale Windows (richiede almeno Windows 10 numero di build 18309). Se è false verrà usato Winpty.",
+ "terminal.integrated.wordSeparators": "Stringa contenente tutti i caratteri da considerare come separatori di parole quando si fa doppio clic per selezionare la funzionalità per parola.",
+ "terminal.integrated.experimentalUseTitleEvent": "Impostazione sperimentale che userà l'evento del titolo del terminale come titolo dell'elenco a discesa. Si applica solo ai nuovi terminali.",
+ "terminal.integrated.enableFileLinks": "Indica se abilitare i collegamenti di file nel terminale. I collegamenti possono essere lenti se si usa un'unità di rete, in particolare perché ogni collegamento di file viene verificato in base al file system. La modifica di questa impostazione ha effetto solo nel nuovi terminali.",
+ "terminal.integrated.unicodeVersion.six": "Versione 6 di Unicode. Si tratta di una versione precedente che dovrebbe funzionare meglio in sistemi meno recenti.",
+ "terminal.integrated.unicodeVersion.eleven": "Versione 11 di Unicode. Questa versione offre un migliore supporto in sistemi moderni che usano versioni moderne di Unicode.",
+ "terminal.integrated.unicodeVersion": "Controlla la versione di Unicode da usare per valutare la larghezza dei caratteri nel terminale. È consigliabile provare a modificare questa impostazione se emoji o altri caratteri wide non occupano la quantità di spazio corretta oppure premendo BACKSPACE viene cancellato un numero eccessivo o ridotto di caratteri.",
+ "terminal.integrated.experimentalLinkProvider": "Impostazione sperimentale che serve a ottimizzare il rilevamento dei collegamenti nel terminale incrementando i casi di rilevamento e abilitando il rilevamento dei collegamenti condivisi con l'editor. Al momento sono supportati solo i collegamenti Web.",
+ "terminal.integrated.localEchoLatencyThreshold": "Sperimentale: durata del ritardo di rete, in millisecondi, in cui l'eco delle modifiche locali verrà visualizzato nel terminale senza attendere la conferma del server. Se è '0', l'eco locale sarà sempre attivo, se è '-1' sarà disabilitato.",
+ "terminal.integrated.localEchoExcludePrograms": "Sperimentale: l'eco locale verrà disabilitato quando nel titolo del terminale viene trovato uno di questi nomi di programma.",
+ "terminal.integrated.localEchoStyle": "Sperimentale: stile terminale del testo con eco locale, ovvero uno stile di carattere o un colore RGB.",
+ "terminal.integrated.serverSpawn": "Sperimentale: genera terminali remoti dal processo dell'agente remoto invece che dall'host dell'estensione remoto",
+ "terminal.integrated.enablePersistentSessions": "Sperimentale: salva in modo permanente le sessioni di terminale per l'area di lavoro tra un ricaricamento e l'altro della finestra. Attualmente supportato solo nelle aree di lavoro remote di VS Code.",
+ "terminal.integrated.shell.linux": "Percorso della shell usata dal terminale in Linux (impostazione predefinita: {0}). [Altre informazioni sulla configurazione della shell](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shell.linux.noDefault": "Percorso della shell usato dal terminale in Linux. [Altre informazioni sulla configurazione della shell](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shell.osx": "Percorso della shell usata dal terminale in macOS (impostazione predefinita: {0}). [Altre informazioni sulla configurazione della shell](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shell.osx.noDefault": "Percorso della shell usato dal terminale in macOS. [Altre informazioni sulla configurazione della shell](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shell.windows": "Percorso della shell usata dal terminale in Windows (impostazione predefinita: {0}). [Altre informazioni sulla configurazione della shell](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shell.windows.noDefault": "Percorso della shell usata dal terminale in Windows. [Altre informazioni sulla configurazione della shell](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration)."
+ },
+ "vs/workbench/contrib/terminal/common/terminal": {
+ "terminalCategory": "Terminale",
+ "vscode.extension.contributes.terminal": "Aggiunge come contributo la funzionalità del terminale.",
+ "vscode.extension.contributes.terminal.types": "Definisce i tipi di terminale aggiuntivi che l'utente può creare.",
+ "vscode.extension.contributes.terminal.types.command": "Comando da eseguire quando l'utente crea questo tipo di terminale.",
+ "vscode.extension.contributes.terminal.types.title": "Titolo di questo tipo di terminale."
+ },
+ "vs/workbench/contrib/terminal/browser/terminal.contribution": {
+ "tasksQuickAccessPlaceholder": "Digitare il nome di un terminale da aprire.",
+ "tasksQuickAccessHelp": "Mostra tutti i terminali aperti",
+ "terminal": "Terminale"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalView": {
+ "terminal.useMonospace": "Usa 'monospace'",
+ "terminal.monospaceOnly": "Il terminale supporta solo tipi di carattere a spaziatura fissa. Assicurarsi di riavviare VS Code se si tratta di un tipo di carattere appena installato."
+ },
+ "vs/workbench/contrib/terminal/browser/remoteTerminalService": {
+ "terminal.integrated.starting": "Avvio..."
+ },
+ "vs/workbench/contrib/terminal/node/terminalProcess": {
+ "launchFail.cwdNotDirectory": "La directory di avvio (cwd) \"{0}\" non è una directory",
+ "launchFail.cwdDoesNotExist": "La directory di avvio (cwd) \"{0}\" non esiste",
+ "launchFail.executableIsNotFileOrSymlink": "Il percorso \"{0}\" dell'eseguibile della shell non è un file di un collegamento simbolico",
+ "launchFail.executableDoesNotExist": "Il percorso \"{0}\" dell'eseguibile della shell non esiste"
+ },
+ "vs/workbench/contrib/terminal/electron-browser/terminalRemote": {
+ "workbench.action.terminal.newLocal": "Crea nuovo terminale integrato (locale)"
+ },
+ "vs/workbench/contrib/terminal/common/terminalColorRegistry": {
+ "terminal.background": "Il colore di sfondo del terminale, questo consente di colorare il terminale in modo diverso dal pannello.",
+ "terminal.foreground": "Il colore di primo piano del terminale.",
+ "terminalCursor.foreground": "Colore di primo piano del cursore del terminale.",
+ "terminalCursor.background": "Colore di sfondo del cursore del terminale. Permette di personalizzare il colore di un carattere quando sovrapposto da un blocco cursore.",
+ "terminal.selectionBackground": "Colore di sfondo di selezione del terminale.",
+ "terminal.border": "Colore del bordo che separa i riquadri divisi all'interno del terminale. L'impostazione predefinita è panel.border.",
+ "terminal.ansiColor": "'{0}' colori ANSI nel terminale. "
+ },
+ "vs/workbench/contrib/terminal/browser/terminalActions": {
+ "workbench.action.terminal.newWorkspacePlaceholder": "Selezionare la cartella di lavoro corrente per un nuovo terminale.",
+ "workbench.action.terminal.toggleTerminal": "Attiva/Disattiva terminale integrato ",
+ "workbench.action.terminal.kill": "Termina istanza attiva del terminale",
+ "workbench.action.terminal.kill.short": "Termina il terminale",
+ "workbench.action.terminal.copySelection": "Copia selezione",
+ "workbench.action.terminal.copySelection.short": "Copia",
+ "workbench.action.terminal.selectAll": "Seleziona tutto",
+ "workbench.action.terminal.new": "Crea nuovo terminale integrato",
+ "workbench.action.terminal.new.short": "Nuovo terminale",
+ "workbench.action.terminal.split": "Terminale diviso",
+ "workbench.action.terminal.split.short": "Dividi",
+ "workbench.action.terminal.splitInActiveWorkspace": "Terminale diviso (nell'area di lavoro attiva)",
+ "workbench.action.terminal.paste": "Incolla nel terminale attivo",
+ "workbench.action.terminal.paste.short": "Incolla",
+ "workbench.action.terminal.selectDefaultShell": "Seleziona shell predefinita",
+ "workbench.action.terminal.openSettings": "Configura impostazioni del terminale",
+ "workbench.action.terminal.switchTerminal": "Cambia terminale",
+ "terminals": "Apri i terminali.",
+ "terminalConnectingLabel": "Avvio...",
+ "workbench.action.terminal.clear": "Cancella",
+ "terminalLaunchHelp": "Apri Guida",
+ "workbench.action.terminal.newInActiveWorkspace": "Crea un nuovo terminale integrato (nel workspace attivo)",
+ "workbench.action.terminal.focusPreviousPane": "Sposta stato attivo sul riquadro precedente",
+ "workbench.action.terminal.focusNextPane": "Sposta stato attivo sul riquadro successivo",
+ "workbench.action.terminal.resizePaneLeft": "Ridimensiona il riquadro a sinistra",
+ "workbench.action.terminal.resizePaneRight": "Ridimensiona il riquadro a destra",
+ "workbench.action.terminal.resizePaneUp": "Ridimensiona il riquadro in alto",
+ "workbench.action.terminal.resizePaneDown": "Ridimensiona il riquadro in basso",
+ "workbench.action.terminal.focus": "Sposta stato attivo su terminale",
+ "workbench.action.terminal.focusNext": "Sposta stato attivo su terminale successivo",
+ "workbench.action.terminal.focusPrevious": "Sposta stato attivo su terminale precedente",
+ "workbench.action.terminal.runSelectedText": "Esegui testo selezionato nel terminale attivo",
+ "workbench.action.terminal.runActiveFile": "Esegui file attivo nel terminale attivo",
+ "workbench.action.terminal.runActiveFile.noFile": "Nel terminale è possibile eseguire solo file su disco",
+ "workbench.action.terminal.scrollDown": "Scorri giù (riga)",
+ "workbench.action.terminal.scrollDownPage": "Scorri giù (pagina)",
+ "workbench.action.terminal.scrollToBottom": "Scorri alla fine",
+ "workbench.action.terminal.scrollUp": "Scorri su (riga)",
+ "workbench.action.terminal.scrollUpPage": "Scorri su (pagina)",
+ "workbench.action.terminal.scrollToTop": "Scorri all'inizio",
+ "workbench.action.terminal.navigationModeExit": "Esci da modalità di spostamento",
+ "workbench.action.terminal.navigationModeFocusPrevious": "Sposta stato attivo sulla riga precedente (modalità di spostamento)",
+ "workbench.action.terminal.navigationModeFocusNext": "Sposta stato attivo sulla riga successiva (modalità di spostamento)",
+ "workbench.action.terminal.clearSelection": "Cancella selezione",
+ "workbench.action.terminal.manageWorkspaceShellPermissions": "Gestisci autorizzazioni della shell per l'area di lavoro",
+ "workbench.action.terminal.rename": "Rinomina",
+ "workbench.action.terminal.rename.prompt": "Immettere il nome del terminale",
+ "workbench.action.terminal.focusFind": "Sposta stato attivo su Trova",
+ "workbench.action.terminal.hideFind": "Nascondi Trova",
+ "workbench.action.terminal.attachToRemote": "Associa a sessione",
+ "quickAccessTerminal": "Cambia terminale attivo",
+ "workbench.action.terminal.scrollToPreviousCommand": "Scorri al comando precedente",
+ "workbench.action.terminal.scrollToNextCommand": "Scorri al comando successivo",
+ "workbench.action.terminal.selectToPreviousCommand": "Aggiungi selezione a comando precedente",
+ "workbench.action.terminal.selectToNextCommand": "Aggiungi selezione a comando successivo",
+ "workbench.action.terminal.selectToPreviousLine": "Aggiungi selezione a riga precedente",
+ "workbench.action.terminal.selectToNextLine": "Aggiungi selezione a riga successiva",
+ "workbench.action.terminal.toggleEscapeSequenceLogging": "Attiva/Disattiva sequenza di escape",
+ "workbench.action.terminal.sendSequence": "Invia sequenza personalizzata al terminale",
+ "workbench.action.terminal.newWithCwd": "Crea nuovo terminale integrato avviato in una directory di lavoro personalizzata",
+ "workbench.action.terminal.newWithCwd.cwd": "Directory con cui avviare il terminale",
+ "workbench.action.terminal.renameWithArg": "Rinomina il terminale attualmente attivo",
+ "workbench.action.terminal.renameWithArg.name": "Nuovo nome del terminale",
+ "workbench.action.terminal.renameWithArg.noName": "Non è stato specificato alcun argomento per il nome",
+ "workbench.action.terminal.toggleFindRegex": "Attiva/Disattiva ricerca con espressioni regex",
+ "workbench.action.terminal.toggleFindWholeWord": "Attiva/Disattiva ricerca con parole intere",
+ "workbench.action.terminal.toggleFindCaseSensitive": "Attiva/Disattiva ricerca con distinzione tra maiuscole e minuscole",
+ "workbench.action.terminal.findNext": "Trova successivo",
+ "workbench.action.terminal.findPrevious": "Trova precedente",
+ "workbench.action.terminal.searchWorkspace": "Cerca nell'area di lavoro",
+ "workbench.action.terminal.relaunch": "Riavvia terminale attivo",
+ "workbench.action.terminal.showEnvironmentInformation": "Mostra informazioni sull'ambiente"
+ },
+ "vs/workbench/contrib/terminal/common/terminalMenu": {
+ "miToggleIntegratedTerminal": "&&Terminale",
+ "miNewTerminal": "&&Nuovo terminale",
+ "miSplitTerminal": "Terminale &&diviso",
+ "miRunActiveFile": "Esegui &&file attivo",
+ "miRunSelectedText": "Esegui testo &&selezionato"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalService": {
+ "workbench.action.terminal.allowWorkspaceShell": "Consente la configurazione della Shell dell'area di lavoro",
+ "workbench.action.terminal.disallowWorkspaceShell": "Non consente la configurazione della Shell dell'area di lavoro",
+ "terminalService.terminalCloseConfirmationSingular": "C'è una sessione di terminale attiva. Terminarla?",
+ "terminalService.terminalCloseConfirmationPlural": "Ci sono {0} sessioni di terminale attive. Terminarle?",
+ "terminal.integrated.chooseWindowsShell": "Seleziona la shell di terminale preferita - è possibile modificare questa impostazione dopo"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalQuickAccess": {
+ "renameTerminal": "Rinomina terminale",
+ "killTerminal": "Termina istanza del terminale",
+ "workbench.action.terminal.newplus": "Crea nuovo terminale integrato"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalIcons": {
+ "terminalViewIcon": "Icona della visualizzazione Terminale.",
+ "renameTerminalIcon": "Icona per la ridenominazione nel menu rapido del terminale.",
+ "killTerminalIcon": "Icona per terminare un'istanza del terminale.",
+ "newTerminalIcon": "Icona per creare una nuova istanza del terminale."
+ },
+ "vs/workbench/contrib/terminal/browser/terminalConfigHelper": {
+ "terminal.integrated.allowWorkspaceShell": "Consentire a quest'area di lavoro di modificare la shell del terminale? {0}",
+ "allow": "Consenti",
+ "disallow": "Non consentire",
+ "useWslExtension.title": "Per aprire un terminale in WSL, è consigliata l'estensione '{0}'.",
+ "install": "Installa"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalInstance": {
+ "terminal.integrated.a11yPromptLabel": "Input di terminale",
+ "terminal.integrated.a11yTooMuchOutput": "Troppo output da annunciare. Per leggere, spostarsi manualmente nelle righe",
+ "terminalTextBoxAriaLabelNumberAndTitle": "Terminale {0}, {1}",
+ "terminalTextBoxAriaLabel": "Terminale {0}",
+ "configure terminal settings": "Alcuni tasti di scelta rapida vengono inviati al Workbench tramite dispatcher per impostazione predefinita.",
+ "configureTerminalSettings": "Configura impostazioni del terminale",
+ "yes": "Sì",
+ "no": "No",
+ "dontShowAgain": "Non visualizzare più questo messaggio",
+ "terminal.slowRendering": "Il renderer standard per il terminale integrato sembra lento nel computer. Passare al renderer alternativo basato su DOM che potrebbe offrire migliori prestazioni? [Altre informazioni sulle impostazioni del terminale](https://code.visualstudio.com/docs/editor/integrated-terminal#_changing-how-the-terminal-is-rendered).",
+ "terminal.integrated.copySelection.noSelection": "Il terminale non contiene alcuna selezione da copiare",
+ "launchFailed.exitCodeAndCommandLine": "Non è stato possibile avviare il processo del terminale \"{0}\". Codice di uscita: {1}.",
+ "launchFailed.exitCodeOnly": "Non è stato possibile avviare il processo del terminale (codice di uscita: {0}).",
+ "terminated.exitCodeAndCommandLine": "Il processo del terminale \"{0}\" è stato terminato. Codice di uscita: {1}.",
+ "terminated.exitCodeOnly": "Il processo del terminale è stato terminato. Codice di uscita: {0}.",
+ "launchFailed.errorMessage": "Non è stato possibile avviare il processo del terminale: {0}.",
+ "terminalStaleTextBoxAriaLabel": "L'ambiente del terminale {0} è obsoleto. Per altre informazioni, eseguire il comando 'Mostra informazioni sull'ambiente'"
+ },
+ "vs/workbench/contrib/terminal/browser/links/terminalLinkManager": {
+ "terminalLinkHandler.followLinkAlt.mac": "Opzione+clic",
+ "terminalLinkHandler.followLinkAlt": "ALT+clic",
+ "terminalLinkHandler.followLinkCmd": "CMD+clic",
+ "terminalLinkHandler.followLinkCtrl": "CTRL+clic",
+ "followLink": "Visita il collegamento"
+ },
+ "vs/workbench/contrib/terminal/browser/links/terminalWordLinkProvider": {
+ "searchWorkspace": "Cerca nell'area di lavoro"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalProcessExtHostProxy": {
+ "terminal.integrated.starting": "Avvio..."
+ },
+ "vs/workbench/contrib/terminal/browser/environmentVariableInfo": {
+ "extensionEnvironmentContributionChanges": "Le estensioni vogliono apportare le modifiche seguenti all'ambiente del terminale:",
+ "extensionEnvironmentContributionRemoval": "Le estensioni vogliono rimuovere queste modifiche esistenti dall'ambiente del terminale:",
+ "relaunchTerminalLabel": "Riavvia il terminale",
+ "extensionEnvironmentContributionInfo": "Le estensioni hanno apportato modifiche all'ambiente di questo terminale"
+ },
+ "vs/workbench/contrib/terminal/browser/links/terminalLink": {
+ "openFile": "Apri file nell'editor",
+ "focusFolder": "Sposta lo stato attivo sulla cartella in Esplora risorse",
+ "openFolder": "Apri cartella in una nuova finestra"
+ },
+ "vs/workbench/contrib/themes/browser/themes.contribution": {
+ "selectTheme.label": "Tema colori",
+ "themes.category.light": "temi chiari",
+ "themes.category.dark": "temi scuri",
+ "themes.category.hc": "temi a contrasto elevato",
+ "installColorThemes": "Installa temi colori aggiuntivi...",
+ "themes.selectTheme": "Selezionare il Tema colori (tasti su/giù per anteprima)",
+ "selectIconTheme.label": "Tema icona file",
+ "noIconThemeLabel": "Nessuno",
+ "noIconThemeDesc": "Disabilita le icone dei file",
+ "installIconThemes": "Installa temi dell'icona file aggiuntivi...",
+ "themes.selectIconTheme": "Seleziona il tema dell'icona file",
+ "selectProductIconTheme.label": "Tema dell'icona di prodotto",
+ "defaultProductIconThemeLabel": "Predefinito",
+ "themes.selectProductIconTheme": "Seleziona il tema dell'icona di prodotto",
+ "generateColorTheme.label": "Genera tema colore da impostazioni correnti",
+ "preferences": "Preferenze",
+ "miSelectColorTheme": "Tema &&colori",
+ "miSelectIconTheme": "Tema &&icona file",
+ "themes.selectIconTheme.label": "Tema icona file"
+ },
+ "vs/workbench/contrib/timeline/browser/timeline.contribution": {
+ "timelineViewIcon": "Icona della visualizzazione Sequenza temporale.",
+ "timelineOpenIcon": "Icona per l'azione di apertura della sequenza temporale.",
+ "timelineConfigurationTitle": "Sequenza temporale",
+ "timeline.excludeSources": "Sperimentale: matrice di origini Sequenza temporale che devono essere escluse dalla visualizzazione Sequenza temporale",
+ "timeline.pageSize": "Numero di elementi da mostrare nella visualizzazione Sequenza temporale per impostazione predefinita e durante il caricamento di altri elementi. Se si imposta su `null` (impostazione predefinita), le dimensioni della pagina verranno selezionate automaticamente in base all'area visibile della visualizzazione Sequenza temporale",
+ "timeline.pageOnScroll": "Sperimentale. Controlla se la visualizzazione Sequenza temporale caricherà la pagina successiva di elementi quando si scorre fino alla fine dell'elenco",
+ "files.openTimeline": "Apri sequenza temporale"
+ },
+ "vs/workbench/contrib/timeline/browser/timelinePane": {
+ "timeline.loadingMore": "Caricamento...",
+ "timeline.loadMore": "Carica altro",
+ "timeline": "Sequenza temporale",
+ "timeline.editorCannotProvideTimeline": "L'editor attivo non può fornire informazioni sulla sequenza temporale.",
+ "timeline.noTimelineInfo": "Non sono state specificate informazioni sulla sequenza temporale.",
+ "timeline.aria.item": "{0}: {1}",
+ "timeline.loading": "Caricamento della sequenza temporale per {0}...",
+ "timelineRefresh": "Icona per l'azione di aggiornamento della sequenza temporale.",
+ "timelinePin": "Icona per l'azione di aggiunta della sequenza temporale.",
+ "timelineUnpin": "Icona per l'azione di rimozione della sequenza temporale.",
+ "refresh": "Aggiorna",
+ "timeline.toggleFollowActiveEditorCommand.follow": "Aggiungi la sequenza temporale corrente",
+ "timeline.toggleFollowActiveEditorCommand.unfollow": "Rimuovi la sequenza temporale corrente",
+ "timeline.filterSource": "Includi: {0}"
+ },
+ "vs/workbench/contrib/update/browser/update.contribution": {
+ "miReleaseNotes": "&&Note sulla versione"
+ },
+ "vs/workbench/contrib/update/browser/update": {
+ "releaseNotes": "Note sulla versione",
+ "update.noReleaseNotesOnline": "Per questa versione di {0} non esistono note sulla versione online",
+ "showReleaseNotes": "Mostra note sulla versione",
+ "read the release notes": "Benvenuti in {0} versione {1}. Leggere le note sulla versione?",
+ "licenseChanged": "I termini della licenza sono cambiati. Fare clic [qui]({0}) e leggerli con attenzione.",
+ "updateIsReady": "Nuovo aggiornamento per {0} disponibile.",
+ "checkingForUpdates": "Controllo della disponibilità di aggiornamenti...",
+ "update service": "Aggiorna servizio",
+ "noUpdatesAvailable": "Al momento non sono disponibili aggiornamenti.",
+ "ok": "OK",
+ "thereIsUpdateAvailable": "È disponibile un aggiornamento.",
+ "download update": "Scarica aggiornamento",
+ "later": "In seguito",
+ "updateAvailable": "È disponibile un aggiornamento: {0} {1}",
+ "installUpdate": "Installa aggiornamento",
+ "updateInstalling": "{0} {1} verrà installato in background. Al termine, verrà visualizzato un messaggio.",
+ "updateNow": "Aggiorna adesso",
+ "updateAvailableAfterRestart": "Riavviare {0} per applicare l'aggiornamento più recente.",
+ "checkForUpdates": "Controlla la disponibilità di aggiornamenti...",
+ "download update_1": "Scarica aggiornamento (1)",
+ "DownloadingUpdate": "Download dell'aggiornamento...",
+ "installUpdate...": "Installa aggiornamento... (1)",
+ "installingUpdate": "Installazione dell'aggiornamento...",
+ "good luck": "'Restart to Update' is not working properly on macOS Big Sur. Click 'Quit to Update' to quit {0} and update it. Then, relaunch it from Finder.",
+ "quit": "Quit to Update",
+ "learn more": "Learn More",
+ "cancel": "Cancel",
+ "restartToUpdate": "Riavvia per aggiornare (1)",
+ "relaunchMessage": "Per rendere effettiva la modifica della versione, è necessario ricaricare",
+ "relaunchDetailInsiders": "Premere il pulsante Ricarica per passare alla versione di pre-produzione serale di VS Code.",
+ "relaunchDetailStable": "Premere il pulsante Ricarica per passare alla versione stabile rilasciata ogni mese di VS Code.",
+ "reload": "&&Ricarica",
+ "switchToInsiders": "Passa alla versione Insider...",
+ "switchToStable": "Passa alla versione stabile..."
+ },
+ "vs/workbench/contrib/update/browser/releaseNotesEditor": {
+ "releaseNotesInputName": "Note sulla versione: {0}",
+ "unassigned": "non assegnato"
+ },
+ "vs/workbench/contrib/url/browser/url.contribution": {
+ "openUrl": "Apri URL",
+ "urlToOpen": "URL da aprire"
+ },
+ "vs/workbench/contrib/url/browser/trustedDomains": {
+ "trustedDomain.manageTrustedDomain": "Gestisci domini attendibili",
+ "trustedDomain.trustDomain": "Considera attendibile {0}",
+ "trustedDomain.trustAllPorts": "Considera attendibile {0} su tutte le porte",
+ "trustedDomain.trustSubDomain": "Considera attendibile {0} e tutti i relativi sottodomini",
+ "trustedDomain.trustAllDomains": "Considera attendibili tutti i domini (disabilita la protezione dei collegamenti)",
+ "trustedDomain.manageTrustedDomains": "Gestisci domini attendibili",
+ "configuringURL": "Configurazione dell'attendibilità per {0}"
+ },
+ "vs/workbench/contrib/url/browser/trustedDomainsValidator": {
+ "openExternalLinkAt": "Si vuole che {0} apra il sito Web esterno?",
+ "open": "Apri",
+ "copy": "Copia",
+ "cancel": "Annulla",
+ "configureTrustedDomains": "Configura domini attendibili"
+ },
+ "vs/workbench/contrib/userDataSync/electron-browser/userDataSync.contribution": {
+ "operationId": "ID operazione: {0}",
+ "too many requests": "La sincronizzazione delle impostazioni è disabilitata perché il dispositivo corrente effettua troppe richieste. Segnalare un problema fornendo i log di sincronizzazione.",
+ "settings sync": "Sincronizzazione impostazioni. ID operazione: {0}",
+ "show sync logs": "Mostra log",
+ "report issue": "Segnala problema",
+ "Open Backup folder": "Apri cartella dei backup locale",
+ "no backups": "La cartella dei backup locale non esiste"
+ },
+ "vs/workbench/contrib/userDataSync/browser/userDataSync.contribution": {
+ "operationId": "ID operazione: {0}",
+ "too many requests": "La sincronizzazione delle impostazioni è stata disattivata in questo dispositivo perché genera troppe richieste."
+ },
+ "vs/workbench/contrib/userDataSync/browser/userDataSync": {
+ "turn on sync with category": "{0}: Attiva...",
+ "stop sync": "{0}: Disattiva",
+ "configure sync": "{0}: Configura...",
+ "showConflicts": "{0}: Mostra le impostazioni in conflitto",
+ "showKeybindingsConflicts": "{0}: Mostra i tasti di scelta rapida in conflitto",
+ "showSnippetsConflicts": "{0}: Mostra i frammenti utente in conflitto",
+ "sync now": "{0}: Sincronizza ora",
+ "syncing": "sincronizzazione",
+ "synced with time": "ora di sincronizzazione {0}",
+ "sync settings": "{0}: Mostra impostazioni",
+ "show synced data": "{0}: Mostra dati sincronizzati",
+ "conflicts detected": "Non è possibile eseguire la sincronizzazione a causa di conflitti in {0}. Risolverli prima di continuare.",
+ "accept remote": "Accetta remoto",
+ "accept local": "Accetta locale",
+ "show conflicts": "Mostra conflitti",
+ "accept failed": "Si è verificato un errore durante l'accettazione delle modifiche. Per altri dettagli, vedere i [log]({0}).",
+ "session expired": "La sincronizzazione delle impostazioni è stata disattivata perché la sessione corrente è scaduta. Eseguire di nuovo l'accesso per attivare la sincronizzazione.",
+ "turn on sync": "Attiva Sincronizzazione impostazioni...",
+ "turned off": "La sincronizzazione delle impostazioni è stata disattivata da un altro dispositivo. Eseguire di nuovo l'accesso per attivare la sincronizzazione.",
+ "too large": "La sincronizzazione di {0} è stata disabilitata perché le dimensioni del file {1} da sincronizzare sono maggiori di {2}. Aprire il file e ridurre le dimensioni, quindi abilitare la sincronizzazione",
+ "error upgrade required": "La sincronizzazione delle impostazioni è disabilitata perché la versione corrente ({0}, {1}) non è compatibile con il servizio di sincronizzazione. Aggiornare prima di attivare la sincronizzazione.",
+ "operationId": "ID operazione: {0}",
+ "error reset required": "La sincronizzazione delle impostazioni è disabilitata perché i dati nel cloud sono precedenti a quelli del client. Prima di attivare la sincronizzazione, cancellare i dati nel cloud.",
+ "reset": "Cancella dati nel cloud...",
+ "show synced data action": "Mostra dati sincronizzati",
+ "switched to insiders": "Per la sincronizzazione delle impostazioni si usa ora un apposito servizio. Per altre informazioni, vedere le [note sulla versione](https://code.visualstudio.com/updates/v1_48#_settings-sync).",
+ "open file": "Apri il file {0}",
+ "errorInvalidConfiguration": "Non è possibile sincronizzare {0} perché il contenuto del file non è valido. Aprire il file e correggerlo.",
+ "has conflicts": "{0}: Rilevati conflitti",
+ "turning on syncing": "Attivazione di Sincronizzazione impostazioni...",
+ "sign in to sync": "Accedi per sincronizzare le impostazioni",
+ "no authentication providers": "Non sono disponibili provider di autenticazione.",
+ "too large while starting sync": "Non è possibile attivare la sincronizzazione delle impostazioni perché le dimensioni del file {0} sono maggiori di {1}. Aprire il file e ridurre le dimensioni, quindi attivare la sincronizzazione",
+ "error upgrade required while starting sync": "Non è possibile attivare la sincronizzazione delle impostazioni perché la versione corrente ({0}, {1}) non è compatibile con il servizio di sincronizzazione. Aggiornare prima di attivare la sincronizzazione.",
+ "error reset required while starting sync": "Non è possibile attivare la sincronizzazione delle impostazioni perché i dati nel cloud sono meno recenti rispetto a quelli del client. Prima di attivare la sincronizzazione, cancellare i dati nel cloud.",
+ "auth failed": "Si è verificato un errore durante l'attivazione di Sincronizzazione impostazioni: l'autenticazione non è riuscita.",
+ "turn on failed": "Si è verificato un errore durante l'attivazione di Sincronizzazione impostazioni. Per altri dettagli, vedere i [log]({0}).",
+ "sync preview message": "La sincronizzazione delle impostazioni è una funzionalità di anteprima. Leggere la documentazione prima di attivarla.",
+ "turn on": "Attiva",
+ "open doc": "Apri documentazione",
+ "cancel": "Annulla",
+ "sign in and turn on": "Accedi e attiva",
+ "configure and turn on sync detail": "Accedere per sincronizzare i dati tra i dispositivi.",
+ "per platform": "per ogni piattaforma",
+ "configure sync placeholder": "Scegliere gli elementi da sincronizzare",
+ "turn off sync confirmation": "Disattivare la sincronizzazione?",
+ "turn off sync detail": "Le impostazioni, i tasti di scelta rapida, le estensioni, i frammenti e lo stato dell'interfaccia utente non verranno più sincronizzati.",
+ "turn off": "&&Disattiva",
+ "turn off sync everywhere": "Disattiva la sincronizzazione in tutti i dispositivi e cancella i dati dal cloud.",
+ "leftResourceName": "{0} (remoto)",
+ "merges": "{0} (merge)",
+ "sideBySideLabels": "{0} ↔ {1}",
+ "sideBySideDescription": "Sincronizzazione impostazioni",
+ "switchSyncService.title": "{0}: Seleziona servizio",
+ "switchSyncService.description": "Assicurarsi di usare lo stesso servizio di sincronizzazione delle impostazioni quando si esegue la sincronizzazione con più ambienti",
+ "default": "Predefiniti",
+ "insiders": "Insider",
+ "stable": "Stabile",
+ "global activity turn on sync": "Attiva Sincronizzazione impostazioni...",
+ "turnin on sync": "Attivazione di Sincronizzazione impostazioni...",
+ "sign in global": "Accedi per sincronizzare le impostazioni",
+ "sign in accounts": "Accedi per sincronizzare le impostazioni (1)",
+ "resolveConflicts_global": "{0}: Mostra le impostazioni in conflitto (1)",
+ "resolveKeybindingsConflicts_global": "{0}: Mostra i tasti di scelta rapida in conflitto (1)",
+ "resolveSnippetsConflicts_global": "{0}: Mostra i frammenti utente in conflitto ({1})",
+ "sync is on": "La sincronizzazione delle impostazioni è attiva",
+ "workbench.action.showSyncRemoteBackup": "Mostra dati sincronizzati",
+ "turn off failed": "Si è verificato un errore durante la disattivazione di Sincronizzazione impostazioni. Per altri dettagli, vedere i [log]({0}).",
+ "show sync log title": "{0}: Mostra log",
+ "accept merges": "Accetta merge",
+ "accept remote button": "Accetta &&remoto",
+ "accept merges button": "Accetta &&merge",
+ "Sync accept remote": "{0}: {1}",
+ "Sync accept merges": "{0}: {1}",
+ "confirm replace and overwrite local": "Accettare la versione remota {0} e sostituire quella locale {1}?",
+ "confirm replace and overwrite remote": "Accettare i merge e sostituire la versione remota {0}?",
+ "update conflicts": "Non è stato possibile risolvere i conflitti perché è disponibile una nuova versione locale. Riprovare."
+ },
+ "vs/workbench/contrib/userDataSync/browser/userDataSyncViews": {
+ "showLog": "Mostra log",
+ "configure": "Configura...",
+ "workbench.actions.syncData.reset": "Cancella dati nel cloud...",
+ "merges": "Merge",
+ "synced machines": "Computer sincronizzati",
+ "workbench.actions.sync.editMachineName": "Modifica nome",
+ "workbench.actions.sync.turnOffSyncOnMachine": "Disattiva Sincronizzazione impostazioni",
+ "remote sync activity title": "Attività di sincronizzazione (remota)",
+ "local sync activity title": "Attività di sincronizzazione (locale)",
+ "workbench.actions.sync.resolveResourceRef": "Mostra i dati sincronizzati JSON non elaborati",
+ "workbench.actions.sync.replaceCurrent": "Ripristina",
+ "confirm replace": "Sostituire i dati correnti di {0} locale con la versione selezionata?",
+ "workbench.actions.sync.compareWithLocal": "Apri modifiche",
+ "leftResourceName": "{0} (remoto)",
+ "rightResourceName": "{0} (locale)",
+ "sideBySideLabels": "{0} ↔ {1}",
+ "sideBySideDescription": "Sincronizzazione impostazioni",
+ "reset": "Reimposta dati sincronizzati",
+ "current": "Corrente",
+ "no machines": "Nessun computer",
+ "not found": "non è stato trovato alcun computer con ID: {0}",
+ "turn off sync on machine": "Disattivare la sincronizzazione in {0}?",
+ "turn off": "&&Disattiva",
+ "placeholder": "Immettere il nome del computer",
+ "valid message": "Il nome del computer deve essere univoco e non vuoto"
+ },
+ "vs/workbench/contrib/userDataSync/browser/userDataSyncMergesView": {
+ "explanation": "Esaminare le singole voci ed eseguire il merge per abilitare la sincronizzazione.",
+ "turn on sync": "Attiva Sincronizzazione impostazioni",
+ "cancel": "Annulla",
+ "workbench.actions.sync.acceptRemote": "Accetta remoto",
+ "workbench.actions.sync.acceptLocal": "Accetta locale",
+ "workbench.actions.sync.merge": "Esegui merge",
+ "workbench.actions.sync.discard": "Rimuovi",
+ "workbench.actions.sync.showChanges": "Apri modifiche",
+ "conflicts detected": "Rilevati conflitti",
+ "resolve": "Non è possibile eseguire il merge a causa di conflitti. Risolverli prima di continuare.",
+ "turning on": "Attivazione...",
+ "preview": "{0} (anteprima)",
+ "leftResourceName": "{0} (remoto)",
+ "merges": "{0} (merge)",
+ "rightResourceName": "{0} (locale)",
+ "sideBySideLabels": "{0} ↔ {1}",
+ "sideBySideDescription": "Sincronizzazione impostazioni",
+ "label": "UserDataSyncResources",
+ "conflict": "Rilevati conflitti",
+ "accepted": "Accettato",
+ "accept remote": "Accetta remoto",
+ "accept local": "Accetta locale",
+ "accept merges": "Accetta merge"
+ },
+ "vs/workbench/contrib/views/browser/treeView": {
+ "no-dataprovider": "Non ci sono provider di dati registrati che possono fornire i dati della visualizzazione.",
+ "refresh": "Aggiorna",
+ "collapseAll": "Comprimi tutto",
+ "command-error": "Si è verificato un errore durante l'esecuzione del comando {1}: {0}. Il problema può dipendere dall'estensione che aggiunge come contributo {1}."
+ },
+ "vs/workbench/contrib/watermark/browser/watermark": {
+ "watermark.showCommands": "Mostra tutti i comandi",
+ "watermark.quickAccess": "Vai al file",
+ "watermark.openFile": "Apri file",
+ "watermark.openFolder": "Apri cartella",
+ "watermark.openFileFolder": "Apri file o cartella",
+ "watermark.openRecent": "Apri recenti",
+ "watermark.newUntitledFile": "Nuovo file senza nome",
+ "watermark.toggleTerminal": "Attiva/Disattiva terminale",
+ "watermark.findInFiles": "Cerca nei file",
+ "watermark.startDebugging": "Avvia debug",
+ "tips.enabled": "Quando questa opzione è abilitata, se non ci sono editor aperti, verranno visualizzati i suggerimenti filigrana."
+ },
+ "vs/workbench/contrib/webview/electron-browser/webviewCommands": {
+ "openToolsLabel": "Apri strumenti di sviluppo Webview"
+ },
+ "vs/workbench/contrib/webview/browser/baseWebviewElement": {
+ "fatalErrorMessage": "Si è verificato un errore durante il caricamento della webview: {0}"
+ },
+ "vs/workbench/contrib/webviewPanel/browser/webviewPanel.contribution": {
+ "webview.editor.label": "editor webview"
+ },
+ "vs/workbench/contrib/webviewPanel/browser/webviewCommands": {
+ "editor.action.webvieweditor.showFind": "Mostra ricerca",
+ "editor.action.webvieweditor.hideFind": "Interrompi ricerca",
+ "editor.action.webvieweditor.findNext": "Trova successivo",
+ "editor.action.webvieweditor.findPrevious": "Trova precedente",
+ "refreshWebviewLabel": "Ricarica webview"
+ },
+ "vs/workbench/contrib/welcome/overlay/browser/welcomeOverlay": {
+ "welcomeOverlay.explorer": "Esplora file",
+ "welcomeOverlay.search": "Cerca nei file",
+ "welcomeOverlay.git": "Gestione del codice sorgente",
+ "welcomeOverlay.debug": "Avvia ed esegui il debug",
+ "welcomeOverlay.extensions": "Gestisci le estensioni",
+ "welcomeOverlay.problems": "Visualizza errori e avvisi",
+ "welcomeOverlay.terminal": "Attiva/Disattiva terminale integrato ",
+ "welcomeOverlay.commandPalette": "Trova ed esegui tutti i comandi",
+ "welcomeOverlay.notifications": "Mostra notifiche",
+ "welcomeOverlay": "Panoramica interfaccia utente",
+ "hideWelcomeOverlay": "Nascondi panoramica interfaccia"
+ },
+ "vs/workbench/contrib/welcome/page/browser/welcomePage.contribution": {
+ "workbench.startupEditor.none": "Avvia senza un editor.",
+ "workbench.startupEditor.welcomePage": "Apre la pagina di benvenuto (impostazione predefinita).",
+ "workbench.startupEditor.readme": "Apre il file README quando si apre una cartella che ne contiene uno; in caso contrario, torna alla pagina 'welcomePage'.",
+ "workbench.startupEditor.newUntitledFile": "Apre un nuovo file senza nome. Valido solo quando si apre un'area di lavoro vuota.",
+ "workbench.startupEditor.welcomePageInEmptyWorkbench": "Aprire la pagina di benvenuto quando si apre un'area di lavoro vuota.",
+ "workbench.startupEditor.gettingStarted": "Apri la pagina Attività iniziali (sperimentale).",
+ "workbench.startupEditor": "Controlla quale editor viene visualizzato all'avvio se non ne viene ripristinato nessuno dalla sessione precedente.",
+ "miWelcome": "&&Benvenuti"
+ },
+ "vs/workbench/contrib/welcome/gettingStarted/browser/gettingStarted.contribution": {
+ "Getting Started": "Attività iniziali",
+ "help": "Guida",
+ "gettingStartedDescription": "Abilita una pagina Attività iniziali sperimentale, accessibile dal menu Guida."
+ },
+ "vs/workbench/contrib/welcome/walkThrough/browser/walkThrough.contribution": {
+ "walkThrough.editor.label": "Playground interattivo",
+ "miInteractivePlayground": "Playground i&&nterattivo"
+ },
+ "vs/workbench/contrib/welcome/page/browser/welcomePage": {
+ "welcomePage": "Benvenuti",
+ "welcomePage.javaScript": "JavaScript",
+ "welcomePage.python": "Python",
+ "welcomePage.java": "Java",
+ "welcomePage.php": "PHP",
+ "welcomePage.azure": "Azure",
+ "welcomePage.showAzureExtensions": "Mostra estensioni di Azure",
+ "welcomePage.docker": "Docker",
+ "welcomePage.vim": "Vim",
+ "welcomePage.sublime": "Sublime",
+ "welcomePage.atom": "Atom",
+ "welcomePage.extensionPackAlreadyInstalled": "Il supporto per {0} è già installato.",
+ "welcomePage.willReloadAfterInstallingExtensionPack": "La finestra verrà ricaricata dopo l'installazione di supporto aggiuntivo per {0}.",
+ "welcomePage.installingExtensionPack": "Installazione di supporto aggiuntivo per {0} in corso...",
+ "welcomePage.extensionPackNotFound": "Il supporto per {0} con ID {1} non è stato trovato.",
+ "welcomePage.keymapAlreadyInstalled": "I tasti di scelta rapida di {0} sono già installati.",
+ "welcomePage.willReloadAfterInstallingKeymap": "La finestra verrà ricaricata dopo l'installazione dei tasti di scelta rapida di {0}.",
+ "welcomePage.installingKeymap": "Installazione dei tasti di scelta rapida di {0}...",
+ "welcomePage.keymapNotFound": "I tasti di scelta rapida di {0} con ID {1} non sono stati trovati.",
+ "welcome.title": "Benvenuti",
+ "welcomePage.openFolderWithPath": "Apri la cartella {0} con percorso {1}",
+ "welcomePage.extensionListSeparator": ",",
+ "welcomePage.installKeymap": "Installa mappatura tastiera {0}",
+ "welcomePage.installExtensionPack": "Installa supporto aggiuntivo per {0}",
+ "welcomePage.installedKeymap": "Mappatura tastiera {0} è già installata",
+ "welcomePage.installedExtensionPack": "Il supporto {0} è già installato",
+ "ok": "OK",
+ "details": "Dettagli"
+ },
+ "vs/workbench/contrib/welcome/gettingStarted/browser/gettingStarted": {
+ "editorGettingStarted.title": "Attività iniziali",
+ "next": "Avanti"
+ },
+ "vs/workbench/contrib/welcome/walkThrough/browser/walkThroughPart": {
+ "walkThrough.unboundCommand": "non associato",
+ "walkThrough.gitNotFound": "Sembra che GIT non sia installato nel sistema.",
+ "walkThrough.embeddedEditorBackground": "Colore di sfondo degli editor incorporati nel playground interattivo."
+ },
+ "vs/workbench/contrib/welcome/walkThrough/browser/editor/editorWalkThrough": {
+ "editorWalkThrough.title": "Playground interattivo",
+ "editorWalkThrough": "Playground interattivo"
+ },
+ "vs/workbench/contrib/welcome/common/viewsWelcomeContribution": {
+ "ViewsWelcomeExtensionPoint.proposedAPI": "Il contributo viewsWelcome in '{0}' richiede l'abilitazione di 'enableProposedApi'."
+ },
+ "vs/workbench/contrib/welcome/common/viewsWelcomeExtensionPoint": {
+ "contributes.viewsWelcome": "Contenuto di benvenuto delle visualizzazioni aggiunte come contributo. Il rendering del contenuto di benvenuto verrà eseguito quando nelle visualizzazioni ad albero non ci sono contenuti significativi da visualizzare, ad esempio Esplora file quando non ci sono cartelle aperte. Tale contenuto può essere usato come documentazione interna al prodotto per invitare gli utenti a usare determinate funzionalità prima che siano disponibili. Un valido esempio è il pulsante `Clona repository` nella visualizzazione di benvenuto di Esplora file.",
+ "contributes.viewsWelcome.view": "Contenuto di benvenuto aggiunto come contributo per una visualizzazione specifica.",
+ "contributes.viewsWelcome.view.view": "Identificatore visualizzazione di destinazione per questo contenuto di benvenuto. Sono supportate solo le visualizzazioni ad albero.",
+ "contributes.viewsWelcome.view.contents": "Contenuto di benvenuto da visualizzare. Il formato del contenuto è un sottoinsieme di Markdown e include solo il supporto per i collegamenti.",
+ "contributes.viewsWelcome.view.when": "Condizione in cui visualizzare il contenuto di benvenuto.",
+ "contributes.viewsWelcome.view.group": "Gruppo a cui appartiene questo contenuto di benvenuto.",
+ "contributes.viewsWelcome.view.enablement": "Condizione per cui i pulsanti del contenuto di benvenuto devono essere abilitati."
+ },
+ "vs/workbench/contrib/welcome/telemetryOptOut/browser/telemetryOptOut": {
+ "telemetryOptOut.optOutNotice": "Per contribuire al miglioramento di VS Code, è possibile consentire a Microsoft di raccogliere i dati di utilizzo. Leggere l'[informativa sulla privacy]({0}) per informazioni su come [rifiutare esplicitamente]({1}).",
+ "telemetryOptOut.optInNotice": "Per contribuire al miglioramento di VS Code, è possibile consentire a Microsoft di raccogliere i dati di utilizzo. Leggere l'[informativa sulla privacy]({0}) per informazioni su come [acconsentire esplicitamente]({1}).",
+ "telemetryOptOut.readMore": "Altre informazioni",
+ "telemetryOptOut.optOutOption": "Per contribuire al miglioramento di VS Code, è possibile consentire a Microsoft di raccogliere i dati di utilizzo. Leggere l'[informativa sulla privacy]({0}) per altri dettagli.",
+ "telemetryOptOut.OptIn": "Sì, accetto",
+ "telemetryOptOut.OptOut": "No, grazie"
+ },
+ "vs/workbench/contrib/welcome/page/browser/welcomePageColors": {
+ "welcomePage.buttonBackground": "Colore di sfondo dei pulsanti nella pagina di benvenuto.",
+ "welcomePage.buttonHoverBackground": "Colore di sfondo al passaggio del mouse dei pulsanti nella pagina di benvenuto.",
+ "welcomePage.background": "Colore di sfondo della pagina di benvenuto."
+ },
+ "vs/workbench/contrib/welcome/page/browser/vs_code_welcome_page": {
+ "welcomePage.vscode": "Visual Studio Code",
+ "welcomePage.editingEvolved": "Evoluzione dell'editor",
+ "welcomePage.start": "Avvia",
+ "welcomePage.newFile": "Nuovo file",
+ "welcomePage.openFolder": "Apri cartella...",
+ "welcomePage.gitClone": "clona repository...",
+ "welcomePage.recent": "Recenti",
+ "welcomePage.moreRecent": "Altro...",
+ "welcomePage.noRecentFolders": "Non ci sono cartelle recenti",
+ "welcomePage.help": "Guida",
+ "welcomePage.keybindingsCheatsheet": "Bigino combinazione tasti stampabile",
+ "welcomePage.introductoryVideos": "Video introduttivi",
+ "welcomePage.tipsAndTricks": "Suggerimenti e trucchi",
+ "welcomePage.productDocumentation": "Documentazione del prodotto",
+ "welcomePage.gitHubRepository": "Repository GitHub",
+ "welcomePage.stackOverflow": "Stack Overflow",
+ "welcomePage.newsletterSignup": "Iscriviti alla newsletter",
+ "welcomePage.showOnStartup": "Mostra la pagina iniziale all'avvio",
+ "welcomePage.customize": "Personalizza",
+ "welcomePage.installExtensionPacks": "Strumenti e linguaggi",
+ "welcomePage.installExtensionPacksDescription": "Installare il supporto per {0} e {1}",
+ "welcomePage.showLanguageExtensions": "Mostra altre estensioni del linguaggio",
+ "welcomePage.moreExtensions": "altro",
+ "welcomePage.installKeymapDescription": "Impostazioni e tasti di scelta rapida",
+ "welcomePage.installKeymapExtension": "Installa le impostazioni e i tasti di scelta rapida di {0} e {1}",
+ "welcomePage.showKeymapExtensions": "Mostra altre estensioni mappature tastiera",
+ "welcomePage.others": "altri",
+ "welcomePage.colorTheme": "Tema colori",
+ "welcomePage.colorThemeDescription": "Tutto quel che serve per configurare editor e codice nel modo desiderato",
+ "welcomePage.learn": "Impara",
+ "welcomePage.showCommands": "Trova ed esegui tutti i comandi",
+ "welcomePage.showCommandsDescription": "Accesso e ricerca rapida di comandi dal riquadro comandi ({0})",
+ "welcomePage.interfaceOverview": "Panoramica dell'interfaccia",
+ "welcomePage.interfaceOverviewDescription": "Immagine in sovrimpressione che evidenzia i principali componenti dell'interfaccia utente",
+ "welcomePage.interactivePlayground": "Playground interattivo",
+ "welcomePage.interactivePlaygroundDescription": "Breve panoramica delle funzionalità essenziali dell'editor"
+ },
+ "vs/workbench/contrib/welcome/gettingStarted/browser/vs_code_editor_getting_started": {
+ "gettingStarted.vscode": "Visual Studio Code",
+ "gettingStarted.editingRedefined": "Un nuovo strumento per la modifica del codice"
+ },
+ "vs/workbench/contrib/workspaces/browser/workspaces.contribution": {
+ "workspaceFound": "Questa cartella contiene il file dell'area di lavoro '{0}'. Aprirlo? [Altre informazioni]({1}) sui file dell'area di lavoro.",
+ "openWorkspace": "Apri area di lavoro",
+ "workspacesFound": "Questa cartella contiene più file nell'area di lavoro. Vuoi aprire uno? [Ulteriori informazioni] ({0}) sui file nell'area di lavoro.",
+ "selectWorkspace": "Seleziona area di lavoro",
+ "selectToOpen": "Selezionare un'area di lavoro da aprire"
+ },
+ "vs/workbench/services/authentication/browser/authenticationService": {
+ "authentication.id": "ID del provider di autenticazione.",
+ "authentication.label": "Nome leggibile del provider di autenticazione.",
+ "authenticationExtensionPoint": "Aggiunge come contributo l'autenticazione",
+ "loading": "Caricamento…",
+ "authentication.missingId": "Un contributo di autenticazione deve specificare un ID.",
+ "authentication.missingLabel": "Un contributo di autenticazione deve specificare un'etichetta.",
+ "authentication.idConflict": "L'ID autenticazione '{0}' è già stato registrato",
+ "noAccounts": "Non è stato eseguito l'accesso ad alcun account",
+ "sign in": "È richiesto l'accesso",
+ "signInRequest": "Eseguire l'accesso per usare {0} (1)"
+ },
+ "vs/workbench/services/bulkEdit/browser/bulkEditService": {
+ "summary.0": "Non sono state effettuate modifiche",
+ "summary.nm": "Effettuate {0} modifiche al testo in {1} file",
+ "summary.n0": "Effettuate {0} modifiche al testo in un file",
+ "workspaceEdit": "Modifica area di lavoro",
+ "nothing": "Non sono state effettuate modifiche"
+ },
+ "vs/workbench/services/configuration/common/jsonEditingService": {
+ "errorInvalidFile": "Impossibile scrivere nel file. Si prega di aprire il file per correggere eventuali errori o avvisi nel file e riprovare.",
+ "errorFileDirty": "Impossibile scrivere nel file perché il file è stato modificato. Si prega di salvare il file e riprovare."
+ },
+ "vs/workbench/services/configuration/common/configurationEditingService": {
+ "openTasksConfiguration": "Apri configurazione attività",
+ "openLaunchConfiguration": "Apri configurazione di avvio",
+ "open": "Apri impostazioni",
+ "saveAndRetry": "Salva e riprova",
+ "errorUnknownKey": "Impossibile scrivere {0} perché {1} non è una configurazione registrata.",
+ "errorInvalidWorkspaceConfigurationApplication": "Non è possibile scrivere {0} in Impostazioni area di lavoro. Questa impostazione può essere scritta solo in Impostazioni utente.",
+ "errorInvalidWorkspaceConfigurationMachine": "Non è possibile scrivere {0} in Impostazioni area di lavoro. Questa impostazione può essere scritta solo in Impostazioni utente.",
+ "errorInvalidFolderConfiguration": "Impossibile scrivere nella cartella impostazioni perché {0} non supporta l'ambito di risorsa della cartella.",
+ "errorInvalidUserTarget": "Impossibile scrivere le impostazioni utente perché {0} non supporta l'ambito globale.",
+ "errorInvalidWorkspaceTarget": "Impossibile scrivere nell'area di lavoro perché {0} non supporta l'ambito globale in un'area di lavoro a cartelle multiple.",
+ "errorInvalidFolderTarget": "Impossibile scrivere nella cartella impostazioni perché non viene fornita alcuna risorsa.",
+ "errorInvalidResourceLanguageConfiguraiton": "Non è possibile scrivere in Impostazioni lingua perché {0} non è un'impostazione di lingua risorse.",
+ "errorNoWorkspaceOpened": "Impossibile scrivere su {0} poiché nessuna area di lavoro è aperta. Si prega di aprire un'area di lavoro e riprovare.",
+ "errorInvalidTaskConfiguration": "Non è possibile scrivere nel file di configurazione delle attività. Aprirlo per correggere eventuali errori/avvisi e riprovare.",
+ "errorInvalidLaunchConfiguration": "Non è possibile scrivere nel file di configurazione di avvio. Aprirlo per correggere eventuali errori/avvisi e riprovare.",
+ "errorInvalidConfiguration": "Non è possibile scrivere nelle impostazioni utente. Aprirlo per correggere eventuali errori/avvisi e riprovare.",
+ "errorInvalidRemoteConfiguration": "Non è possibile scrivere nelle impostazioni utente remote. Aprire le impostazioni utente remote per correggere eventuali errori/avvisi e riprovare.",
+ "errorInvalidConfigurationWorkspace": "Non è possibile scrivere nelle impostazioni dell'area di lavoro. Aprire le impostazioni dell'area di lavoro e per correggere eventuali errori/avvisi presenti nel file e riprovare.",
+ "errorInvalidConfigurationFolder": "Non è possibile scrivere nelle impostazioni della cartella. Aprire le impostazioni della cartella '{0}' per correggere eventuali errori/avvisi e riprovare.",
+ "errorTasksConfigurationFileDirty": "Non è possibile scrivere nel file di configurazione delle attività perché il file è stato modificato. Salvarlo prima, quindi riprovare.",
+ "errorLaunchConfigurationFileDirty": "Non è possibile scrivere nel file di configurazione di avvio perché il file è stato modificato. Salvarlo prima, quindi riprovare.",
+ "errorConfigurationFileDirty": "Non è possibile scrivere nelle impostazioni utente perché il file è stato modificato. Salvare prima il file delle impostazioni utente, quindi riprovare.",
+ "errorRemoteConfigurationFileDirty": "Non è possibile scrivere nelle impostazioni utente remote perché il file è stato modificato. Salvare prima il file delle impostazioni utente remote, quindi riprovare.",
+ "errorConfigurationFileDirtyWorkspace": "Non è possibile scrivere nelle impostazioni dell'area di lavoro perché il file è stato modificato. Salvare prima il file delle impostazioni dell'area di lavoro, quindi riprovare.",
+ "errorConfigurationFileDirtyFolder": "Non è possibile scrivere nelle impostazioni della cartella perché il file è stato modificato. Salvare prima il file di impostazioni della cartella '{0}', quindi riprovare.",
+ "errorTasksConfigurationFileModifiedSince": "Non è possibile scrivere nel file di configurazione delle attività perché il contenuto del file è più recente.",
+ "errorLaunchConfigurationFileModifiedSince": "Non è possibile scrivere nel file di configurazione di avvio perché il contenuto del file è più recente.",
+ "errorConfigurationFileModifiedSince": "Non è possibile scrivere nelle impostazioni utente perché il contenuto del file è più recente.",
+ "errorRemoteConfigurationFileModifiedSince": "Non è possibile scrivere nelle impostazioni dell'utente remoto perché il contenuto del file è più recente.",
+ "errorConfigurationFileModifiedSinceWorkspace": "Non è possibile scrivere nelle impostazioni dell'area di lavoro perché il contenuto del file è più recente.",
+ "errorConfigurationFileModifiedSinceFolder": "Non è possibile scrivere nelle impostazioni della cartella perché il contenuto del file è più recente.",
+ "userTarget": "Impostazioni utente",
+ "remoteUserTarget": "Impostazioni utente remote",
+ "workspaceTarget": "Impostazioni area di lavoro",
+ "folderTarget": "Impostazioni cartella"
+ },
+ "vs/workbench/services/configurationResolver/browser/configurationResolverService": {
+ "commandVariable.noStringType": "Non è possibile sostituire la variabile di comando '{0}' perché il comando non ha restituito un risultato di tipo stringa.",
+ "inputVariable.noInputSection": "È necessario definire la variabile '{0}' in una sezione '{1}' della configurazione del debug o dell'attività.",
+ "inputVariable.missingAttribute": "La variabile di input '{0}' è di tipo '{1}' e deve includere '{2}'.",
+ "inputVariable.defaultInputValue": "(Predefinita)",
+ "inputVariable.command.noStringType": "Non è possibile sostituire la variabile di input '{0}' perché il comando '{1}' non ha restituito un risultato di tipo stringa.",
+ "inputVariable.unknownType": "La variabile di input '{0}' può essere solo di tipo 'promptString', 'pickString', o 'command'.",
+ "inputVariable.undefinedVariable": "È stata rilevata una variabile di input '{0}' non definita. Per continuare, rimuovere o definire '{0}'."
+ },
+ "vs/workbench/services/configurationResolver/common/variableResolver": {
+ "canNotResolveFile": "Non è possibile risolvere la variabile {0}. Aprire un editor.",
+ "canNotResolveFolderForFile": "Variabile {0}: non è possibile trovare la cartella dell'area di lavoro di '{1}'.",
+ "canNotFindFolder": "Non è possibile risolvere la variabile {0}. La cartella '{1}' non esiste.",
+ "canNotResolveWorkspaceFolderMultiRoot": "Non è possibile risolvere la variabile {0} in un'area di lavoro a cartelle multiple. Assegnare un ambito a questa variabile usando ':' e un nome di cartella dell'area di lavoro.",
+ "canNotResolveWorkspaceFolder": "Non è possibile risolvere la variabile {0}. Aprire una cartella.",
+ "missingEnvVarName": "Non è possibile risolvere la variabile {0} perché non è assegnato alcun nome di variabile di ambiente.",
+ "configNotFound": "Non è possibile risolvere la variabile {0} perché l'impostazione '{1}' non è stata trovata.",
+ "configNoString": "Non è possibile risolvere la variabile {0} perché '{1}' è un valore strutturato.",
+ "missingConfigName": "Non è possibile risolvere la variabile {0} perché non è assegnato alcun nome di impostazioni.",
+ "canNotResolveLineNumber": "Non è possibile risolvere la variabile {0}. Assicurarsi che sia selezionata una riga nell'editor attivo.",
+ "canNotResolveSelectedText": "Non è possibile risolvere la variabile {0}. Assicurarsi che sia selezionato del testo nell'editor attivo.",
+ "noValueForCommand": "Non è possibile risolvere la variabile {0} perché al comando non è assegnato alcun valore."
+ },
+ "vs/workbench/services/configurationResolver/common/configurationResolverUtils": {
+ "deprecatedVariables": "'env.', 'config.' e 'command.' sono deprecati. In alternativa, usare 'env:', 'config:' e 'command:'."
+ },
+ "vs/workbench/services/configurationResolver/common/configurationResolverSchema": {
+ "JsonSchema.input.id": "L'ID dell'input viene usato per associare un input a una variabile in formato ${input:id}.",
+ "JsonSchema.input.type": "Tipo di richiesta input utente da usare.",
+ "JsonSchema.input.description": "La descrizione viene visualizzata quando viene richiesto input all'utente.",
+ "JsonSchema.input.default": "Valore predefinito per l'input.",
+ "JsonSchema.inputs": "Input dell'utente. Usato per la definizione di richieste di input utente, ad esempio input di una stringa di testo libero o selezione tra diverse opzioni.",
+ "JsonSchema.input.type.promptString": "Con il tipo 'promptString' viene aperta una casella di input per chiedere all'utente di inserire un valore.",
+ "JsonSchema.input.password": "Controlla se l'input della password viene visualizzato. Il testo digitato come input della password è nascosto.",
+ "JsonSchema.input.type.pickString": "Con il tipo 'pickString' viene visualizzato un elenco di selezione.",
+ "JsonSchema.input.options": "Matrice di stringhe che definisce le opzioni per una selezione rapida.",
+ "JsonSchema.input.pickString.optionLabel": "Etichetta dell'opzione.",
+ "JsonSchema.input.pickString.optionValue": "Valore dell'opzione.",
+ "JsonSchema.input.type.command": "Con il tipo 'command' viene eseguito un comando.",
+ "JsonSchema.input.command.command": "Comando da eseguire per questa variabile di input.",
+ "JsonSchema.input.command.args": "Argomenti facoltativi passati al comando."
+ },
+ "vs/workbench/services/decorations/browser/decorationsService": {
+ "bubbleTitle": "Contiene elementi enfatizzati"
+ },
+ "vs/workbench/services/dialogs/browser/abstractFileDialogService": {
+ "saveChangesDetail": "Le modifiche apportate andranno perse se non vengono salvate.",
+ "saveChangesMessage": "Salvare le modifiche apportate a {0}?",
+ "saveChangesMessages": "Salvare le modifiche apportate ai file seguenti di {0}?",
+ "saveAll": "&&Salva tutto",
+ "save": "&&Salva",
+ "dontSave": "&&Non salvare",
+ "cancel": "Annulla",
+ "openFileOrFolder.title": "Apri file o cartella",
+ "openFile.title": "Apri file",
+ "openFolder.title": "Apri cartella",
+ "openWorkspace.title": "Apri area di lavoro",
+ "filterName.workspace": "Area di lavoro",
+ "saveFileAs.title": "Salva con nome",
+ "saveAsTitle": "Salva con nome",
+ "allFiles": "Tutti i file",
+ "noExt": "Nessuna estensione"
+ },
+ "vs/workbench/services/dialogs/browser/simpleFileDialog": {
+ "openLocalFile": "Apri file locale...",
+ "saveLocalFile": "Salva file locale...",
+ "openLocalFolder": "Apri cartella locale...",
+ "openLocalFileFolder": "Apri locale...",
+ "remoteFileDialog.notConnectedToRemote": "Il provider del file system per {0} non è disponibile.",
+ "remoteFileDialog.local": "Mostra locale",
+ "remoteFileDialog.badPath": "Il percorso non esiste.",
+ "remoteFileDialog.cancel": "Annulla",
+ "remoteFileDialog.invalidPath": "Immettere un percorso valido.",
+ "remoteFileDialog.validateFolder": "La cartella esiste già. Usare un nuovo nome file.",
+ "remoteFileDialog.validateExisting": "Il file {0} esiste già. Sovrascriverlo?",
+ "remoteFileDialog.validateBadFilename": "Immettere un nome di file valido.",
+ "remoteFileDialog.validateNonexistentDir": "Immettere un percorso esistente.",
+ "remoteFileDialog.windowsDriveLetter": "Iniziare il percorso con una lettera di unità.",
+ "remoteFileDialog.validateFileOnly": "Selezionare un file.",
+ "remoteFileDialog.validateFolderOnly": "Selezionare una cartella."
+ },
+ "vs/workbench/services/editor/browser/editorService": {
+ "editorAssociations.viewType.sourceDescription": "Origine: {0}"
+ },
+ "vs/workbench/services/editor/common/editorOpenWith": {
+ "promptOpenWith.currentlyActive": "Attualmente attivo",
+ "promptOpenWith.setDefaultTooltip": "Imposta come editor predefinito per i file '{0}'",
+ "promptOpenWith.placeHolder": "Seleziona l'editor per '{0}'",
+ "builtinProviderDisplayName": "Predefinita",
+ "promptOpenWith.defaultEditor.displayName": "Editor di testo",
+ "editor.editorAssociations": "Configura l'editor da usare per tipi di file specifici.",
+ "editor.editorAssociations.viewType": "ID univoco dell'editor da usare.",
+ "editor.editorAssociations.filenamePattern": "Criterio GLOB che specifica i file per cui usare l'editor."
+ },
+ "vs/workbench/services/extensionManagement/electron-browser/extensionManagementServerService": {
+ "local": "LOCAL",
+ "remote": "Remoto"
+ },
+ "vs/workbench/services/extensionManagement/electron-sandbox/remoteExtensionManagementService": {
+ "incompatible": "Non è possibile installare l'estensione '{0}' perché non è compatibile con VS Code '{1}'."
+ },
+ "vs/workbench/services/extensionManagement/common/webExtensionsScannerService": {
+ "cannot be installed": "Non è possibile installare '{0}' perché questa estensione non è un'estensione Web."
+ },
+ "vs/workbench/services/extensionManagement/browser/extensionEnablementService": {
+ "extensionsDisabled": "Tutte le estensioni installate sono temporaneamente disabilitate.",
+ "Reload": "Ricarica e abilita le estensioni",
+ "cannot disable language pack extension": "Non è possibile modificare l'abilitazione dell'estensione {0} perché aggiunge come contributo i Language Pack.",
+ "cannot disable auth extension": "Non è possibile modificare l'abilitazione dell'estensione {0} perché da essa dipende Sincronizzazione impostazioni.",
+ "noWorkspace": "Non esiste alcuna area di lavoro.",
+ "cannot disable auth extension in workspace": "Non è possibile modificare l'abilitazione dell'estensione {0} nell'area di lavoro perché aggiunge come contributo i provider di autenticazione"
+ },
+ "vs/workbench/services/extensionManagement/common/extensionManagementService": {
+ "singleDependentError": "Non è possibile disinstallare l'estensione '{0}'. L'estensione '{1}' dipende da tale estensione.",
+ "twoDependentsError": "Non è possibile disinstallare l'estensione '{0}'. Le estensioni '{1}' e '{2}' dipendono da tale estensione.",
+ "multipleDependentsError": "Non è possibile disinstallare l'estensione '{0}'. Alcune estensioni, tra cui '{1}' e '{2}' dipendono da tale estensione.",
+ "Manifest is not found": "Non è stato possibile installare l'estensione {0}: il manifesto non è stato trovato.",
+ "cannot be installed": "Non è possibile installare '{0}' perché questa estensione è stata definita in modo da non poter essere eseguita nel server remoto.",
+ "cannot be installed on web": "Non è possibile installare '{0}' perché questa estensione è stata definita in modo da non poter essere eseguita nel server Web.",
+ "install extension": "Installa estensione",
+ "install extensions": "Installa estensioni",
+ "install": "Installa",
+ "install and do no sync": "Installa (non sincronizzare)",
+ "cancel": "Annulla",
+ "install single extension": "Installare e sincronizzare l'estensione '{0}' tra i dispositivi?",
+ "install multiple extensions": "Installare e sincronizzare le estensioni tra i dispositivi?"
+ },
+ "vs/workbench/services/extensionManagement/browser/extensionBisect": {
+ "bisect": "La funzionalità Bisezione estensioni è attiva e ha disabilitato {0} estensioni. Verificare se è ancora possibile riprodurre il problema e procedere selezionando una di queste opzioni.",
+ "title.start": "Avvia Bisezione estensioni",
+ "help": "Guida",
+ "msg.start": "Bisezione estensioni",
+ "detail.start": "La funzionalità Bisezione estensioni userà la ricerca binaria per trovare un'estensione che causa un problema. Durante il processo la finestra viene ricaricata ripetutamente (circa {0} volte). Ogni volta è necessario confermare se i problemi sono ancora presenti.",
+ "msg2": "Avvia Bisezione estensioni",
+ "title.isBad": "Continua Bisezione estensioni",
+ "done.msg": "Bisezione estensioni",
+ "done.detail2": "La funzionalità Bisezione estensioni è stata eseguita ma non è stata identificata alcuna estensione. Il problema potrebbe dipendere da {0}.",
+ "report": "Segnala problema e continua",
+ "done": "Continua",
+ "done.detail": "La funzionalità Bisezione estensioni è stata eseguita e ha riscontrato che il problema è causato dall'estensione {0}.",
+ "done.disbale": "Mantieni disabilitata questa estensione",
+ "msg.next": "Bisezione estensioni",
+ "next.good": "Corretto",
+ "next.bad": "Errore",
+ "next.stop": "Arresta bisezione",
+ "next.cancel": "Annulla",
+ "title.stop": "Arresta Bisezione estensioni"
+ },
+ "vs/workbench/services/extensionRecommendations/common/workspaceExtensionsConfig": {
+ "select for remove": "Rimuovi la raccomandazione di estensione da",
+ "select for add": "Aggiungi la raccomandazione di estensione a",
+ "workspace folder": "Cartella dell'area di lavoro",
+ "workspace": "Area di lavoro"
+ },
+ "vs/workbench/services/extensions/electron-browser/extensionService": {
+ "extensionService.versionMismatchCrash": "Non è possibile avviare l'host dell'estensione: le versioni non corrispondono.",
+ "relaunch": "Riavvia VS Code",
+ "extensionService.crash": "L'host dell'estensione è stato terminato in modo imprevisto.",
+ "devTools": "Apri strumenti di sviluppo",
+ "restart": "Riavvia host dell'estensione",
+ "getEnvironmentFailure": "Non è stato possibile recuperare l'ambiente remoto",
+ "looping": "Le estensioni seguenti contengono cicli di dipendenza e sono state disabilitate: {0}",
+ "enableResolver": "Per aprire la finestra remota, è necessaria l'estensione '{0}'.\r\nAbilitarla?",
+ "enable": "Abilita e ricarica",
+ "installResolver": "Per aprire la finestra remota, è necessaria l'estensione '{0}'.\r\nInstallare l'estensione?",
+ "install": "Installa e ricarica",
+ "resolverExtensionNotFound": "`{0}` non trovato nel Marketplace",
+ "restartExtensionHost": "Riavvia host dell'estensione"
+ },
+ "vs/workbench/services/extensions/electron-browser/cachedExtensionScanner": {
+ "overwritingExtension": "Sovrascrittura dell'estensione {0} con {1}.",
+ "extensionUnderDevelopment": "Caricamento dell'estensione di sviluppo in {0}",
+ "extensionCache.invalid": "Le estensioni sono state modificate sul disco. Ricaricare la finestra.",
+ "reloadWindow": "Ricarica finestra"
+ },
+ "vs/workbench/services/extensions/electron-browser/localProcessExtensionHost": {
+ "extensionHost.startupFailDebug": "L'host dell'estensione non è stato avviato entro 10 secondi. Potrebbe essersi arrestato alla prima riga e richiedere un debugger per continuare.",
+ "extensionHost.startupFail": "L'host dell'estensione non è stato avviato entro 10 secondi. Potrebbe essersi verificato un problema.",
+ "reloadWindow": "Ricarica finestra",
+ "extension host Log": "Host dell'estensione",
+ "extensionHost.error": "Errore restituito dall'host dell'estensione: {0}"
+ },
+ "vs/workbench/services/extensions/common/abstractExtensionService": {
+ "looping": "Le estensioni seguenti contengono cicli di dipendenza e sono state disabilitate: {0}"
+ },
+ "vs/workbench/services/extensions/common/remoteExtensionHost": {
+ "remote extension host Log": "Host dell'estensione remoto"
+ },
+ "vs/workbench/services/extensions/browser/webWorkerExtensionHost": {
+ "name": "Host dell'estensione worker"
+ },
+ "vs/workbench/services/extensions/browser/extensionUrlHandler": {
+ "confirmUrl": "Consentire a un'estensione di aprire questo URI?",
+ "rememberConfirmUrl": "Non chiedere più per questa estensione.",
+ "open": "&&Apri",
+ "reloadAndHandle": "L'estensione '{0}' non è caricata. Ricaricare la finestra per caricare l'estensione e aprire l'URL?",
+ "reloadAndOpen": "&&Ricarica la finestra e apri",
+ "enableAndHandle": "L'estensione '{0}' è disabilitata. Abilitare l'estensione e caricare la finestra per aprire l'URL?",
+ "enableAndReload": "&&Abilita e apri",
+ "installAndHandle": "L'estensione '{0}' non è installata. Installare l'estensione e ricaricare la finestra per aprire l'URL?",
+ "install": "&&Installa",
+ "Installing": "Installazione dell'estensione '{0}'...",
+ "reload": "Ricaricare la finestra e aprire l'URL '{0}'?",
+ "Reload": "Ricarica finestra e apri",
+ "manage": "Gestisci URI delle estensioni autorizzate...",
+ "extensions": "Estensioni",
+ "no": "Al momento non sono presenti URI di estensione autorizzati."
+ },
+ "vs/workbench/services/extensions/common/extensionsRegistry": {
+ "ui": "Tipo di estensione UI. In una finestra remota tali estensioni sono abilitate solo se disponibili nel computer locale.",
+ "workspace": "Tipo di estensione workspace. In una finestra remota tali estensioni sono abilitate solo se disponibili nel computer remoto.",
+ "web": "Tipo dell'estensione Web worker. Una tale estensione può essere eseguita in un host dell'estensione Web worker.",
+ "vscode.extension.engines": "Compatibilità del motore.",
+ "vscode.extension.engines.vscode": "Per le estensioni di Visual Studio Code consente di specificare la versione di Visual Studio Code con cui è compatibile l'estensione. Non può essere *. Ad esempio: ^0.10.5 indica la compatibilità con la versione minima 0.10.5 di Visual Studio Code.",
+ "vscode.extension.publisher": "Editore dell'estensione Visual Studio Code.",
+ "vscode.extension.displayName": "Nome visualizzato per l'estensione usato nella raccolta di Visual Studio Code.",
+ "vscode.extension.categories": "Categorie usate dalla raccolta di Visual Studio Code per definire la categoria dell'estensione.",
+ "vscode.extension.category.languages.deprecated": "Usa in alternativa 'Linguaggi di programmazione'",
+ "vscode.extension.galleryBanner": "Banner usato nel marketplace di Visual Studio Code.",
+ "vscode.extension.galleryBanner.color": "Colore del banner nell'intestazione pagina del marketplace di Visual Studio Code.",
+ "vscode.extension.galleryBanner.theme": "Tema colori per il tipo di carattere usato nel banner.",
+ "vscode.extension.contributes": "Tutti i contributi dell'estensione Visual Studio Code rappresentati da questo pacchetto.",
+ "vscode.extension.preview": "Imposta l'estensione in modo che venga contrassegnata come Anteprima nel Marketplace.",
+ "vscode.extension.activationEvents": "Eventi di attivazione per l'estensione Visual Studio Code.",
+ "vscode.extension.activationEvents.onLanguage": "Un evento di attivazione emesso ogni volta che viene aperto un file che risolve nella lingua specificata.",
+ "vscode.extension.activationEvents.onCommand": "Un evento di attivazione emesso ogni volta che viene invocato il comando specificato.",
+ "vscode.extension.activationEvents.onDebug": "Un evento di attivazione emesso ogni volta che un utente sta per avviare il debug o sta per impostare le configurazioni di debug.",
+ "vscode.extension.activationEvents.onDebugInitialConfigurations": "Un evento di attivazione emesso ogni volta che un \"launch.json\" deve essere creato (e tutti i metodi di provideDebugConfigurations devono essere chiamati).",
+ "vscode.extension.activationEvents.onDebugDynamicConfigurations": "Evento di attivazione generato ogni volta che è necessario creare un elenco di tutte le configurazioni di debug (ed è necessario chiamare tutti i metodi provideDebugConfigurations per l'ambito \"dynamic\").",
+ "vscode.extension.activationEvents.onDebugResolve": "Un evento di attivazione emesso ogni volta che una sessione di debug di tipo specifico sta per essere lanciata (e un corrispondente metodo resolveDebugConfiguration deve essere chiamato).",
+ "vscode.extension.activationEvents.onDebugAdapterProtocolTracker": "Un evento di attivazione emesso ogni volta che una sessione di debug di tipo specifico sta per essere lanciata (e un corrispondente metodo resolveDebugConfiguration deve essere chiamato).",
+ "vscode.extension.activationEvents.workspaceContains": "Un evento di attivazione emesso ogni volta che si apre una cartella che contiene almeno un file corrispondente al criterio GLOB specificato.",
+ "vscode.extension.activationEvents.onStartupFinished": "Evento di attivazione generato al termine dell'avvio (dopo l'attivazione di tutte le estensioni attivate tramite `*`).",
+ "vscode.extension.activationEvents.onFileSystem": "Un evento di attivazione emesso ogni volta che si accede a un file o a una cartella con lo schema specificato.",
+ "vscode.extension.activationEvents.onSearch": "Un evento di attivazione emesso ogni volta che viene avviata una ricerca nella cartella con lo schema specificato.",
+ "vscode.extension.activationEvents.onView": "Un evento di attivazione emesso ogni volta che la visualizzazione specificata viene espansa.",
+ "vscode.extension.activationEvents.onIdentity": "Evento di attivazione creato ogni volta che si usa l'identità utente specificata.",
+ "vscode.extension.activationEvents.onUri": "Un evento di attivazione emesso ogni volta che viene aperto un URI a livello di sistema indirizzato a questa estensione.",
+ "vscode.extension.activationEvents.onCustomEditor": "Evento di attivazione generato ogni volta che l'editor personalizzato specificato diventa visibile.",
+ "vscode.extension.activationEvents.star": "Un evento di attivazione emesso all'avvio di VS Code. Per garantire la migliore esperienza per l'utente finale, sei pregato di utilizzare questo evento di attivazione nella tua estensione solo quando nessun'altra combinazione di eventi di attivazione funziona nel tuo caso.",
+ "vscode.extension.badges": "Matrice di notifiche da visualizzare nella barra laterale della pagina delle estensioni del Marketplace.",
+ "vscode.extension.badges.url": "URL di immagine della notifica.",
+ "vscode.extension.badges.href": "Collegamento della notifica.",
+ "vscode.extension.badges.description": "Descrizione della notifica.",
+ "vscode.extension.markdown": "Controlla il motore di rendering di Markdown usato nel Marketplace. Può essere github (impostazione predefinita) o standard.",
+ "vscode.extension.qna": "Controlla il collegamento alle domande frequenti nel Marketplace. Impostare su marketplace per abilitare il sito predefinito delle domande frequenti nel Marketplace. Impostare su una stringa per specificare l'URL di un sito personalizzato di domande frequenti. Impostare su false per disabilitare la sezione delle domande frequenti.",
+ "vscode.extension.extensionDependencies": "Dipendenze ad altre estensioni. L'identificatore di un'estensione è sempre ${publisher}.${name}. Ad esempio: vscode.csharp.",
+ "vscode.extension.contributes.extensionPack": "Un set di estensioni che possono essere installate insieme. L'identificatore di un'estensione è sempre ${publisher}.${name}. Ad esempio: vscode.csharp.",
+ "extensionKind": "Definisce il tipo di un'estensione. Le estensioni `ui` vengono installate ed eseguite nel computer locale, mentre quelle `workspace` vengono eseguite nel computer remoto.",
+ "extensionKind.ui": "Consente di definire un'estensione che può essere eseguita solo nel computer locale durante la connessione alla finestra remota.",
+ "extensionKind.workspace": "Consente di definire un'estensione che può essere eseguita solo nel computer remoto durante la connessione alla finestra remota.",
+ "extensionKind.ui-workspace": "Definisce un'estensione che può essere eseguita su entrambi i lati, con una preferenza per l'esecuzione nel computer locale.",
+ "extensionKind.workspace-ui": "Definisce un'estensione che può essere eseguita su entrambi i lati, con una preferenza per l'esecuzione nel computer remoto.",
+ "extensionKind.empty": "Definire un'estensione che non può essere eseguita in un contesto remoto, né in locale, né nel computer remoto.",
+ "vscode.extension.scripts.prepublish": "Script eseguito prima che il pacchetto venga pubblicato come estensione Visual Studio Code.",
+ "vscode.extension.scripts.uninstall": "Hook di disinstallazione per l'estensione VS Code. Script che viene eseguito quando l'estensione viene disinstallata completamente da VS Code, ovvero quando VS Code viene riavviato (arresto e avvio) dopo la disinstallazione dell'estensione. Sono supportati solo gli script Node.",
+ "vscode.extension.icon": "Percorso di un'icona da 128x128 pixel."
+ },
+ "vs/workbench/services/extensions/node/extensionPoints": {
+ "jsonParseInvalidType": "Il file manifesto {0} non è valido: non è un oggetto JSON.",
+ "jsonParseFail": "Non è stato analizzare {0}: [{1}, {2}] {3}.",
+ "fileReadFail": "Non è possibile leggere il file {0}: {1}.",
+ "jsonsParseReportErrors": "Non è stato possibile analizzare {0}: {1}.",
+ "jsonInvalidFormat": "Formato {0} non valido: è previsto l'oggetto JSON.",
+ "missingNLSKey": "Il messaggio per la chiave {0} non è stato trovato.",
+ "notSemver": "La versione dell'estensione non è compatibile con semver.",
+ "extensionDescription.empty": "La descrizione dell'estensione restituita è vuota",
+ "extensionDescription.publisher": "l'autore della proprietà deve essere di tipo `string`.",
+ "extensionDescription.name": "la proprietà `{0}` è obbligatoria e deve essere di tipo `string`",
+ "extensionDescription.version": "la proprietà `{0}` è obbligatoria e deve essere di tipo `string`",
+ "extensionDescription.engines": "la proprietà `{0}` è obbligatoria e deve essere di tipo `object`",
+ "extensionDescription.engines.vscode": "la proprietà `{0}` è obbligatoria e deve essere di tipo `string`",
+ "extensionDescription.extensionDependencies": "la proprietà `{0}` può essere omessa o deve essere di tipo `string[]`",
+ "extensionDescription.activationEvents1": "la proprietà `{0}` può essere omessa o deve essere di tipo `string[]`",
+ "extensionDescription.activationEvents2": "le proprietà `{0}` e `{1}` devono essere specificate o omesse entrambi",
+ "extensionDescription.main1": "la proprietà `{0}` può essere omessa o deve essere di tipo `string`",
+ "extensionDescription.main2": "Valore previsto di `main` ({0}) da includere nella cartella dell'estensione ({1}). L'estensione potrebbe non essere più portatile.",
+ "extensionDescription.main3": "le proprietà `{0}` e `{1}` devono essere specificate o omesse entrambi",
+ "extensionDescription.browser1": "la proprietà `{0}` può essere omessa o deve essere di tipo `string`",
+ "extensionDescription.browser2": "Valore previsto di `browser` ({0}) da includere nella cartella dell'estensione ({1}). L'estensione potrebbe non essere più portabile.",
+ "extensionDescription.browser3": "le proprietà `{0}` e `{1}` devono essere specificate o omesse entrambi"
+ },
+ "vs/workbench/services/extensions/common/extensionHostManager": {
+ "measureExtHostLatency": "Misura latenza host dell'estensione"
+ },
+ "vs/workbench/services/gettingStarted/common/gettingStartedContent": {
+ "gettingStarted.beginner.title": "Guida introduttiva",
+ "gettingStarted.beginner.description": "Introduzione al nuovo editor",
+ "pickColorTask.description": "Consente di modificare i colori dell'interfaccia utente in base alle proprie preferenze e all'ambiente di lavoro.",
+ "pickColorTask.title": "Tema colori",
+ "pickColorTask.button": "Trova un tema",
+ "findKeybindingsTask.description": "Consente di trovare i tasti di scelta rapida per Vim, Sublime, Atom e altri linguaggi.",
+ "findKeybindingsTask.title": "Configura tasti di scelta rapida",
+ "findKeybindingsTask.button": "Cerca mappature tastiera",
+ "findLanguageExtsTask.description": "Consente di accedere al supporto per diversi linguaggi, come JavaScript, Python, Java, Azure, Docker e altri ancora.",
+ "findLanguageExtsTask.title": "Linguaggi e strumenti",
+ "findLanguageExtsTask.button": "Installa supporto per linguaggi",
+ "gettingStartedOpenFolder.description": "Per iniziare, crea una cartella di progetto.",
+ "gettingStartedOpenFolder.title": "Apri cartella",
+ "gettingStartedOpenFolder.button": "Seleziona cartella",
+ "gettingStarted.intermediate.title": "Funzionalità essenziali",
+ "gettingStarted.intermediate.description": "Funzionalità essenziali di sicura utilità",
+ "commandPaletteTask.description": "Il modo più semplice per cercare e scoprire tutte le funzionalità di VS Code.",
+ "commandPaletteTask.title": "Riquadro comandi",
+ "commandPaletteTask.button": "Visualizza tutti i comandi",
+ "gettingStarted.advanced.title": "Suggerimenti e consigli",
+ "gettingStarted.advanced.description": "Preferiti degli esperti di VS Code",
+ "gettingStarted.openFolder.title": "Apri cartella",
+ "gettingStarted.openFolder.description": "Consente di aprire un progetto e iniziare a lavorare",
+ "gettingStarted.playground.title": "Playground interattivo",
+ "gettingStarted.interactivePlayground.description": "Informazioni sulle funzionalità essenziali dell'editor"
+ },
+ "vs/workbench/services/integrity/node/integrityService": {
+ "integrity.prompt": "L'installazione di {0} sembra danneggiata. Reinstallare.",
+ "integrity.moreInformation": "Altre informazioni",
+ "integrity.dontShowAgain": "Non visualizzare più questo messaggio"
+ },
+ "vs/workbench/services/keybinding/common/keybindingEditing": {
+ "errorKeybindingsFileDirty": "Non è possibile scrivere perché il file di configurazione dei tasti di scelta rapida è modificato ma non salvato. Salvarlo prima, quindi riprovare.",
+ "parseErrors": "Non è possibile scrivere nel file di configurazione dei tasti di scelta rapida. Aprirlo e correggere gli errori/avvisi nel file, quindi riprovare.",
+ "errorInvalidConfiguration": "Non è possibile scrivere nel file di configurazione dei tasti di scelta rapida. Contiene un oggetto non di tipo Array. Aprire il file per pulirlo e riprovare.",
+ "emptyKeybindingsHeader": "Inserire in questo file i tasti di scelta rapida per eseguire l'override di quelli predefiniti"
+ },
+ "vs/workbench/services/keybinding/browser/keybindingService": {
+ "nonempty": "è previsto un valore non vuoto.",
+ "requirestring": "la proprietà `{0}` è obbligatoria e deve essere di tipo `string`",
+ "optstring": "la proprietà `{0}` può essere omessa o deve essere di tipo `string`",
+ "vscode.extension.contributes.keybindings.command": "Identificatore del comando da eseguire quando si attiva il tasto di scelta rapida.",
+ "vscode.extension.contributes.keybindings.args": "Argomenti da passare al comando da eseguire.",
+ "vscode.extension.contributes.keybindings.key": "Tasto o sequenza di tasti (separare i tasti con un segno di addizione e le sequenze con uno spazio, ad esempio CTRL+O e CTRL+L L per una combinazione).",
+ "vscode.extension.contributes.keybindings.mac": "Tasto o sequenza di tasti specifica di Mac.",
+ "vscode.extension.contributes.keybindings.linux": "Tasto o sequenza di tasti specifica di Linux.",
+ "vscode.extension.contributes.keybindings.win": "Tasto o sequenza di tasti specifica di Windows.",
+ "vscode.extension.contributes.keybindings.when": "Condizione quando il tasto è attivo.",
+ "vscode.extension.contributes.keybindings": "Aggiunge come contributo i tasti di scelta rapida.",
+ "invalid.keybindings": "Il valore di `contributes.{0}` non è valido: {1}",
+ "unboundCommands": "Altri comandi disponibili: ",
+ "keybindings.json.title": "Configurazione dei tasti di scelta rapida",
+ "keybindings.json.key": "Tasto o sequenza di tasti (separati da spazio)",
+ "keybindings.json.command": "Nome del comando da eseguire",
+ "keybindings.json.when": "Condizione quando il tasto è attivo.",
+ "keybindings.json.args": "Argomenti da passare al comando da eseguire.",
+ "keyboardConfigurationTitle": "Tastiera",
+ "dispatch": "Controlla la logica di invio delle pressioni di tasti da usare, tra `code` (scelta consigliata) e `keyCode`."
+ },
+ "vs/workbench/services/label/common/labelService": {
+ "vscode.extension.contributes.resourceLabelFormatters": "Aggiunge come contributo le regole di formattazione etichetta per le risorse.",
+ "vscode.extension.contributes.resourceLabelFormatters.scheme": "Schema URI in base a cui abbinare il formattatore, ad esempio \"file\". Sono supportati criteri GLOB semplici.",
+ "vscode.extension.contributes.resourceLabelFormatters.authority": "Autorità URI in base a cui abbinare il formattatore. Sono supportati criteri GLOB semplici.",
+ "vscode.extension.contributes.resourceLabelFormatters.formatting": "Regole per la formattazione delle etichette delle risorse URI.",
+ "vscode.extension.contributes.resourceLabelFormatters.label": "Regole di etichetta da visualizzare. Ad esempio: myLabel:/${path}. ${path}, ${scheme} e ${authority} sono supportate come variabili.",
+ "vscode.extension.contributes.resourceLabelFormatters.separator": "Separatore da usare per la visualizzazione dell'etichetta dell'URI, ad esempio '/' o ''.",
+ "vscode.extension.contributes.resourceLabelFormatters.stripPathStartingSeparator": "Controlla se rimuovere i caratteri separatore iniziali nelle sostituzioni di `${path}`.",
+ "vscode.extension.contributes.resourceLabelFormatters.tildify": "Controlla se aggiungere quando possibile una tilde all'inizio dell'etichetta dell'URI.",
+ "vscode.extension.contributes.resourceLabelFormatters.formatting.workspaceSuffix": "Suffisso aggiunto all'etichetta dell'area di lavoro.",
+ "untitledWorkspace": "Senza titolo (Area di lavoro)",
+ "workspaceNameVerbose": "{0} (Area di lavoro)",
+ "workspaceName": "{0} (Area di lavoro)"
+ },
+ "vs/workbench/services/lifecycle/electron-sandbox/lifecycleService": {
+ "errorClose": "È stato generato un errore imprevisto durante il tentativo di chiudere la finestra ({0}).",
+ "errorQuit": "È stato generato un errore imprevisto durante il tentativo di uscire dall'applicazione ({0}).",
+ "errorReload": "È stato generato un errore imprevisto durante il tentativo di ricaricare la finestra ({0}).",
+ "errorLoad": "È stato generato un errore imprevisto durante il tentativo di modificare l'area di lavoro della finestra ({0})."
+ },
+ "vs/workbench/services/mode/common/workbenchModeService": {
+ "vscode.extension.contributes.languages": "Aggiunge come contributo le dichiarazioni di linguaggio.",
+ "vscode.extension.contributes.languages.id": "ID del linguaggio.",
+ "vscode.extension.contributes.languages.aliases": "Alias di nome per il linguaggio.",
+ "vscode.extension.contributes.languages.extensions": "Estensioni di file associate al linguaggio.",
+ "vscode.extension.contributes.languages.filenames": "Nomi file associati al linguaggio.",
+ "vscode.extension.contributes.languages.filenamePatterns": "Criteri GLOB dei nomi file associati al linguaggio.",
+ "vscode.extension.contributes.languages.mimetypes": "Tipi MIME associati al linguaggio.",
+ "vscode.extension.contributes.languages.firstLine": "Espressione regolare corrispondente alla prima riga di un file del linguaggio.",
+ "vscode.extension.contributes.languages.configuration": "Percorso relativo di un file che contiene le opzioni di configurazione per il linguaggio.",
+ "invalid": "Il valore di `contributes.{0}` non è valido. È prevista una matrice.",
+ "invalid.empty": "Il valore di `contributes.{0}` è vuoto",
+ "require.id": "la proprietà `{0}` è obbligatoria e deve essere di tipo `string`",
+ "opt.extensions": "la proprietà `{0}` può essere omessa e deve essere di tipo `string[]`",
+ "opt.filenames": "la proprietà `{0}` può essere omessa e deve essere di tipo `string[]`",
+ "opt.firstLine": "la proprietà `{0}` può essere omessa e deve essere di tipo `string`",
+ "opt.configuration": "la proprietà `{0}` può essere omessa e deve essere di tipo `string`",
+ "opt.aliases": "la proprietà `{0}` può essere omessa e deve essere di tipo `string[]`",
+ "opt.mimetypes": "la proprietà `{0}` può essere omessa e deve essere di tipo `string[]`"
+ },
+ "vs/workbench/services/notification/common/notificationService": {
+ "neverShowAgain": "Non visualizzare più questo messaggio"
+ },
+ "vs/workbench/services/preferences/common/preferences": {
+ "userSettingsTarget": "Impostazioni utente",
+ "workspaceSettingsTarget": "Impostazioni area di lavoro"
+ },
+ "vs/workbench/services/preferences/browser/preferencesService": {
+ "openFolderFirst": "Aprire prima una cartella per creare le impostazioni dell'area di lavoro",
+ "emptyKeybindingsHeader": "Inserire in questo file i tasti di scelta rapida per eseguire l'override di quelli predefiniti",
+ "defaultKeybindings": "Tasti di scelta rapida predefiniti",
+ "defaultSettings": "Impostazioni predefinite",
+ "folderSettingsName": "{0} (Impostazioni cartella)",
+ "fail.createSettings": "Non è possibile creare '{0}' ({1})."
+ },
+ "vs/workbench/services/preferences/common/preferencesEditorInput": {
+ "settingsEditorName": "Impostazioni predefinite",
+ "keybindingsInputName": "Tasti di scelta rapida",
+ "settingsEditor2InputName": "Impostazioni"
+ },
+ "vs/workbench/services/preferences/common/preferencesModels": {
+ "commonlyUsed": "Più usate",
+ "defaultKeybindingsHeader": "Per eseguire l'overrride dei tasti di scelta rapida, inserirli nel file dei tasti di scelta rapida."
+ },
+ "vs/workbench/services/preferences/common/keybindingsEditorModel": {
+ "default": "Predefinito",
+ "extension": "Estensione",
+ "user": "Utente",
+ "cat.title": "{0}: {1}",
+ "option": "Opzione",
+ "meta": "meta"
+ },
+ "vs/workbench/services/preferences/common/preferencesValidation": {
+ "validations.expectedNumeric": "Il valore deve essere un numero.",
+ "invalidTypeError": "Il tipo dell'impostazione non è valido. È previsto {0}. Correggerlo in JSON.",
+ "validations.maxLength": "Il valore deve essere composto da un massimo di {0} caratteri.",
+ "validations.minLength": "Il valore deve essere composto da almeno {0} caratteri.",
+ "validations.regex": "Il valore deve corrispondere all'espressione regex `{0}`.",
+ "validations.colorFormat": "Formato colore non valido. Usare #RGB, #RGBA, #RRGGBB o #RRGGBBAA.",
+ "validations.uriEmpty": "È previsto un URI.",
+ "validations.uriMissing": "È previsto un URI.",
+ "validations.uriSchemeMissing": "È previsto un URI con schema.",
+ "validations.exclusiveMax": "Il valore deve essere assolutamente minore di {0}.",
+ "validations.exclusiveMin": "Il valore deve essere assolutamente maggiore di {0}.",
+ "validations.max": "Il valore deve essere minore o uguale a {0}.",
+ "validations.min": "Il valore deve essere maggiore o uguale a {0}.",
+ "validations.multipleOf": "Il valore deve essere un multiplo di {0}.",
+ "validations.expectedInteger": "Il valore deve essere di tipo Integer.",
+ "validations.stringArrayUniqueItems": "La matrice contiene elementi duplicati",
+ "validations.stringArrayMinItem": "La matrice deve contenere almeno {0} elementi",
+ "validations.stringArrayMaxItem": "La matrice deve contenere al massimo {0} elementi",
+ "validations.stringArrayItemPattern": "Il valore {0} deve corrispondere all'espressione regex {1}.",
+ "validations.stringArrayItemEnum": "Il valore {0} non è compreso in {1}"
+ },
+ "vs/workbench/services/progress/browser/progressService": {
+ "progress.text2": "{0}: {1}",
+ "progress.title3": "[{0}] {1}: {2}",
+ "progress.title2": "[{0}]: {1}",
+ "status.progress": "Messaggio di stato",
+ "cancel": "Annulla",
+ "dismiss": "Chiudi"
+ },
+ "vs/workbench/services/remote/common/abstractRemoteAgentService": {
+ "connectionError": "Non è stato possibile connettersi al server host dell'estensione remota (errore: {0})"
+ },
+ "vs/workbench/services/textfile/electron-browser/nativeTextFileService": {
+ "fileReadOnlyError": "Il file è di sola lettura"
+ },
+ "vs/workbench/services/textfile/browser/textFileService": {
+ "fileBinaryError": "Il file sembra essere binario e non può essere aperto come file di testo",
+ "confirmOverwrite": "'{0}' esiste già. Sostituirlo?",
+ "irreversible": "Nella cartella '{1}' esiste già un file o una cartella denominata {0}. Sostituendo il file o la cartella, il relativo contenuto verrà sovrascritto.",
+ "replaceButtonLabel": "&&Sostituisci"
+ },
+ "vs/workbench/services/textfile/common/textFileEditorModelManager": {
+ "genericSaveError": "Non è stato possibile salvare '{0}': {1}"
+ },
+ "vs/workbench/services/textfile/common/textFileEditorModel": {
+ "saveFileFirst": "Il file è modificato ma non salvato. Salvarlo prima di riaprirlo con un'altra codifica."
+ },
+ "vs/workbench/services/textfile/common/textFileSaveParticipant": {
+ "saveParticipants": "Salvataggio di '{0}'"
+ },
+ "vs/workbench/services/textMate/browser/abstractTextMateService": {
+ "alreadyDebugging": "Registrazione già in corso.",
+ "stop": "Arresta",
+ "progress1": "Operazioni preliminari per la registrazione dell'analisi della grammatica TextMate. Al termine, fare clic su Arresta.",
+ "progress2": "Registrazione dell'analisi della grammatica TextMate in corso. Al termine, fare clic su Arresta.",
+ "invalid.language": "Il linguaggio in `contributes.{0}.language` è sconosciuto. Valore specificato: {1}",
+ "invalid.scopeName": "È previsto un valore stringa in `contributes.{0}.scopeName`. Valore specificato: {1}",
+ "invalid.path.0": "È previsto un valore stringa in `contributes.{0}.path`. Valore specificato: {1}",
+ "invalid.injectTo": "Il valore in `contributes.{0}.injectTo` non è valido. Deve essere una matrice di nomi di ambito del linguaggio. Valore specificato: {1}",
+ "invalid.embeddedLanguages": "Il valore in `contributes.{0}.embeddedLanguages` non è valido. Deve essere un mapping di oggetti tra nome ambito e linguaggio. Valore specificato: {1}",
+ "invalid.tokenTypes": "Il valore in `contributes.{0}.tokenTypes` non è valido. Deve essere un mapping di oggetti tra nome ambito e tipo di token. Valore specificato: {1}",
+ "invalid.path.1": "Valore previsto di `contributes.{0}.path` ({1}) da includere nella cartella dell'estensione ({2}). L'estensione potrebbe non essere più portatile.",
+ "too many characters": "Per motivi di prestazioni la tokenizzazione viene ignorata per le righe lunghe. È possibile configurare la lunghezza di una riga lunga `editor.maxTokenizationLineLength`.",
+ "neverAgain": "Non visualizzare più questo messaggio"
+ },
+ "vs/workbench/services/textMate/common/TMGrammars": {
+ "vscode.extension.contributes.grammars": "Aggiunge come contributo i tokenizer TextMate.",
+ "vscode.extension.contributes.grammars.language": "Identificatore di linguaggio per cui si aggiunge come contributo questa sintassi.",
+ "vscode.extension.contributes.grammars.scopeName": "Nome dell'ambito TextMate usato dal file tmLanguage.",
+ "vscode.extension.contributes.grammars.path": "Percorso del file tmLanguage. È relativo alla cartella delle estensioni e in genere inizia con './syntaxes/'.",
+ "vscode.extension.contributes.grammars.embeddedLanguages": "Mapping tra nome ambito e ID linguaggio se questa grammatica contiene linguaggi incorporati.",
+ "vscode.extension.contributes.grammars.tokenTypes": "Mapping tra nome di ambito e tipi di token.",
+ "vscode.extension.contributes.grammars.injectTo": "Elenco di nomi di ambito del linguaggio in cui viene inserita questa grammatica."
+ },
+ "vs/workbench/services/textMate/common/TMGrammarFactory": {
+ "no-tm-grammar": "Non è stata registrata alcuna grammatica TM per questo linguaggio."
+ },
+ "vs/workbench/services/themes/browser/workbenchThemeService": {
+ "error.cannotloadtheme": "Non è possibile caricare {0}: {1}"
+ },
+ "vs/workbench/services/themes/common/colorExtensionPoint": {
+ "contributes.color": "Aggiunge come contributo i colori con tema definiti dall'estensione",
+ "contributes.color.id": "Identificatore del colore che supporta i temi",
+ "contributes.color.id.format": "Gli identificatori devono contenere solo lettere, cifre e punti e non possono iniziare con un punto",
+ "contributes.color.description": "Descrizione del colore che supporta i temi",
+ "contributes.defaults.light": "Colore predefinito per i temi chiari. Può essere un valore di colore in formato esadecimale (#RRGGBB[AA]) oppure l'identificativo di un colore che supporta i temi e fornisce l'impostazione predefinita.",
+ "contributes.defaults.dark": "Colore predefinito per i temi scuri. Può essere un valore di colore in formato esadecimale (#RRGGBB[AA]) oppure l'identificativo di un colore che supporta i temi e fornisce l'impostazione predefinita.",
+ "contributes.defaults.highContrast": "Colore predefinito per i temi a contrasto elevato. Può essere un valore di colore in formato esadecimale (#RRGGBB[AA]) oppure l'identificativo di un colore che supporta i temi e fornisce l'impostazione predefinita.",
+ "invalid.colorConfiguration": "'configuration.colors' deve essere un array",
+ "invalid.default.colorType": "{0} deve essere un valore di colore in formato esadecimale (#RRGGBB [AA] o #RGB[A]) o l'identificativo di un colore che supporta i temi e che fornisce il valore predefinito. ",
+ "invalid.id": "'configuration.colors.id' deve essere definito e non può essere vuoto",
+ "invalid.id.format": "'configuration.colors.id' deve contenere solo lettere, cifre e punti e non può iniziare con un punto",
+ "invalid.description": "'configuration.colors.description' deve essere definito e non può essere vuoto",
+ "invalid.defaults": "'configuration.colors.defaults' deve essere definito e deve contenere 'light', 'dark' e 'highContrast'"
+ },
+ "vs/workbench/services/themes/common/tokenClassificationExtensionPoint": {
+ "contributes.semanticTokenTypes": "Aggiunge come contributo i tipi di token semantici.",
+ "contributes.semanticTokenTypes.id": "Identificatore del tipo di token semantico",
+ "contributes.semanticTokenTypes.id.format": "Gli identificatori devono essere conformi al formato letteraOCifra[_-letteraOCifra]*",
+ "contributes.semanticTokenTypes.superType": "Tipo super del tipo di token semantico",
+ "contributes.semanticTokenTypes.superType.format": "I tipi super devono essere conformi al formato letteraOCifra[_-letteraOCifra]*",
+ "contributes.color.description": "Descrizione del tipo di token semantico",
+ "contributes.semanticTokenModifiers": "Aggiunge come contributo i modificatori di token semantici.",
+ "contributes.semanticTokenModifiers.id": "Identificatore del modificatore di token semantico",
+ "contributes.semanticTokenModifiers.id.format": "Gli identificatori devono essere conformi al formato letteraOCifra[_-letteraOCifra]*",
+ "contributes.semanticTokenModifiers.description": "Descrizione del modificatore di token semantico",
+ "contributes.semanticTokenScopes": "Aggiunge come contributo i mapping di ambito dei token semantici.",
+ "contributes.semanticTokenScopes.languages": "Elenca la lingua per cui vengono usate le impostazioni predefiniti.",
+ "contributes.semanticTokenScopes.scopes": "Esegue il mapping di un token semantico (descritto dal selettore di token semantico) a uno o più ambiti textMate usati per rappresentare il token.",
+ "invalid.id": "'configuration.{0}.id' deve essere definito e non può essere vuoto",
+ "invalid.id.format": "'configuration.{0}.id' deve essere conforme al formato letteraOCifra[-_letteraOCifra]*",
+ "invalid.superType.format": "'configuration.{0}.superType' deve essere conforme al formato letteraOCifra[-_letteraOCifra]*",
+ "invalid.description": "'configuration.{0}.description' deve essere definito e non può essere vuoto",
+ "invalid.semanticTokenTypeConfiguration": "'configuration.semanticTokenType' deve essere una matrice",
+ "invalid.semanticTokenModifierConfiguration": "'configuration.semanticTokenModifier' deve essere una matrice",
+ "invalid.semanticTokenScopes.configuration": "'configuration.semanticTokenScopes' deve essere una matrice",
+ "invalid.semanticTokenScopes.language": "'configuration.semanticTokenScopes.language' deve essere una stringa",
+ "invalid.semanticTokenScopes.scopes": "'configuration.semanticTokenScopes.scopes' deve essere definito come un oggetto",
+ "invalid.semanticTokenScopes.scopes.value": "I valori di 'configuration.semanticTokenScopes.scopes' devono essere una matrice di stringhe",
+ "invalid.semanticTokenScopes.scopes.selector": "'configuration.semanticTokenScopes.scopes': si sono verificati problemi durante l'analisi del selettore {0}."
+ },
+ "vs/workbench/services/themes/common/colorThemeData": {
+ "error.cannotparsejson": "Problemi durante l'analisi del file di tema di JSON: {0}",
+ "error.invalidformat": "Formato non valido per il file di tema di JSON: è previsto un oggetto.",
+ "error.invalidformat.colors": "Si è verificato un problema durante l'analisi del file di tema {0}. La proprietà 'colors' non è di tipo 'object'.",
+ "error.invalidformat.tokenColors": "Si è verificato un problema durante l'analisi del file del tema colori {0}. La proprietà 'tokenColors' deve essere una matrice che specifica colori oppure un percorso di un file di tema TextMate",
+ "error.invalidformat.semanticTokenColors": "Si è verificato un problema durante l'analisi del file di tema {0}. La proprietà 'semanticTokenColors' contiene un selettore non valido",
+ "error.plist.invalidformat": "Si è verificato un problema durante l'analisi del file tmTheme {0}. 'settings' non è una matrice.",
+ "error.cannotparse": "Si sono verificati problemi durante l'analisi del file tmTheme {0}",
+ "error.cannotload": "Si sono verificati problemi durante il caricamento del file tmTheme {0}: {1}"
+ },
+ "vs/workbench/services/themes/common/fileIconThemeSchema": {
+ "schema.folderExpanded": "Icona di cartella per le cartelle espanse. L'icona di cartella espansa è facoltativa. Se non è impostata, verrà visualizzata l'icona definita per la cartella.",
+ "schema.folder": "Icona della cartella per le cartelle compresse e, se folderExpanded non è impostato, anche per le cartelle espanse.",
+ "schema.file": "Icona del file predefinita, visualizzata per tutti i file che non corrispondono ad alcuna estensione, nome file o ID lingua.",
+ "schema.folderNames": "Associa i nomi delle cartelle alle icone. La chiave di oggetto è il nome della cartella, segmenti di percorso esclusi. I modelli o i caratteri jolly non sono consentiti. La corrispondenza di nomi di cartella è case insensitive.",
+ "schema.folderName": "ID della definizione di icona per l'associazione.",
+ "schema.folderNamesExpanded": "Associa i nomi delle cartelle alle icone per le cartelle espanse. La chiave di oggetto è il nome della cartella, segmenti di percorso esclusi. I modelli o i caratteri jolly non sono consentiti. La corrispondenza di nomi di cartella è case insensitive.",
+ "schema.folderNameExpanded": "ID della definizione di icona per l'associazione.",
+ "schema.fileExtensions": "Associa le estensioni di file alle icone. L'oggetto chiave è il nome di estensione del file. Il nome dell'estensione è l'ultimo segmento di un nome di file dopo l'ultimo punto (non compreso il punto). Le estensioni vengono confrontate tra maiuscole e minuscole.",
+ "schema.fileExtension": "ID della definizione di icona per l'associazione.",
+ "schema.fileNames": "Associa i nomi dei file alle icone. La chiave di oggetto è il nome completo del file, segmenti di percorso esclusi. Il nome del file può includere punti e l'eventuale estensione. I modelli o i caratteri jolly non sono consentiti. La corrispondenza del nome del file è case insensitive.",
+ "schema.fileName": "ID della definizione di icona per l'associazione.",
+ "schema.languageIds": "Associa i linguaggi alle icone. La chiave dell'oggetto è l'ID linguaggio definito nel punto di aggiunta contributo del linguaggio.",
+ "schema.languageId": "ID della definizione di icona per l'associazione.",
+ "schema.fonts": "Tipi di carattere usati nelle definizioni di icona.",
+ "schema.id": "ID del tipo di carattere.",
+ "schema.id.formatError": "L'ID deve contenere solo lettere, numeri, caratteri di sottolineatura e trattini.",
+ "schema.src": "Percorso del tipo di carattere.",
+ "schema.font-path": "Percorso del tipo di carattere, relativo al file di tema delle icone dei file corrente.",
+ "schema.font-format": "Formato del tipo di carattere.",
+ "schema.font-weight": "Peso del tipo di carattere. Per i valori validi, vedere https://developer.mozilla.org/en-US/docs/Web/CSS/font-weight.",
+ "schema.font-style": "Stile del tipo di carattere. Per i valori validi, vedere https://developer.mozilla.org/en-US/docs/Web/CSS/font-style.",
+ "schema.font-size": "Dimensioni predefinite del tipo di carattere. Per i valori validi, vedere https://developer.mozilla.org/en-US/docs/Web/CSS/font-size.",
+ "schema.iconDefinitions": "Descrizione di tutte le icone utilizzabili quando si associano file a icone.",
+ "schema.iconDefinition": "Definizione di icona. La chiave dell'oggetto è l'ID della definizione.",
+ "schema.iconPath": "Quando si usa un file SVG o PNG: percorso dell'immagine. Il percorso è relativo al file impostato dell'icona.",
+ "schema.fontCharacter": "Quando si usa un tipo di carattere glifo: carattere nel tipo di carattere da usare.",
+ "schema.fontColor": "Quando si usa un tipo di carattere glifo: colore da usare.",
+ "schema.fontSize": "Quando si usa un tipo di carattere: dimensioni del carattere in percentuale rispetto al tipo di carattere del testo. Se non è impostato, per impostazione predefinita vengono usate le dimensioni della definizione del tipo di carattere.",
+ "schema.fontId": "Quando si usa un tipo di carattere: ID del tipo di carattere. Se non è impostato, per impostazione predefinita viene usata la prima definizione del tipo di carattere.",
+ "schema.light": "Associazioni facoltative per le icone di file nei temi colori chiari.",
+ "schema.highContrast": "Associazioni facoltative per le icone di file in temi colore a contrasto elevato.",
+ "schema.hidesExplorerArrows": "Determina se le frecce dell'esploratore di file devono essere nascoste quando è attivo questo tema."
+ },
+ "vs/workbench/services/themes/browser/fileIconThemeData": {
+ "error.cannotparseicontheme": "Si sono verificati problemi durante l'analisi del file delle icone dei file: {0}",
+ "error.invalidformat": "Formato non valido per il file di tema delle icone dei file: è previsto un oggetto."
+ },
+ "vs/workbench/services/themes/common/colorThemeSchema": {
+ "schema.token.settings": "Colori e stili per il token.",
+ "schema.token.foreground": "Colore primo piano per il token.",
+ "schema.token.background.warning": "I colori di sfondo del token non sono supportati.",
+ "schema.token.fontStyle": "Stile del carattere della regola: 'italic', 'bold' o 'underline' o una combinazione. Con una stringa vuota le impostazioni ereditate vengono annullate.",
+ "schema.fontStyle.error": "Lo stile del carattere deve 'italic', 'bold' o 'underline' oppure una combinazione di tali impostazioni oppure la stringa vuota.",
+ "schema.token.fontStyle.none": "Nessuno (cancella lo stile ereditato)",
+ "schema.properties.name": "Descrizione della regola.",
+ "schema.properties.scope": "Selettore di ambito usato per la corrispondenza della regola.",
+ "schema.workbenchColors": "Colori nel workbench",
+ "schema.tokenColors.path": "Percorso di un file tmTheme (relativo al file corrente).",
+ "schema.colors": "Colori per l'evidenziazione della sintassi",
+ "schema.supportsSemanticHighlighting": "Indica se abilitare l'evidenziazione semantica per questo tema.",
+ "schema.semanticTokenColors": "Colori per i token semantici"
+ },
+ "vs/workbench/services/themes/common/themeExtensionPoints": {
+ "vscode.extension.contributes.themes": "Aggiunge come contributo i temi colori TextMate.",
+ "vscode.extension.contributes.themes.id": "ID del tema colori usato nelle impostazioni utente.",
+ "vscode.extension.contributes.themes.label": "Etichetta del tema colori visualizzata nell'interfaccia utente.",
+ "vscode.extension.contributes.themes.uiTheme": "Tema di base che definisce i colori nell'editor: 'vs' è il tema colori chiaro, mentre 'vs-dark' è il tema colori scuro e 'hc-black' è il tema a contrasto elevato scuro.",
+ "vscode.extension.contributes.themes.path": "Percorso del file tmTheme. È relativo alla cartella delle estensioni e corrisponde in genere a './colorthemes/awesome-color-theme.json'.",
+ "vscode.extension.contributes.iconThemes": "Aggiunge come contributo i temi dell'icona del file.",
+ "vscode.extension.contributes.iconThemes.id": "ID del tema dell'icona di file usato nelle impostazioni utente.",
+ "vscode.extension.contributes.iconThemes.label": "Etichetta del tema dell'icona di file visualizzata nell'interfaccia utente.",
+ "vscode.extension.contributes.iconThemes.path": "Percorso del file di definizione del tema dell'icona di file. È relativo alla cartella delle estensioni e corrisponde in genere a './fileicons/awesome-icon-theme.json'.",
+ "vscode.extension.contributes.productIconThemes": "Aggiunge come contributo i temi dell'icona di prodotto.",
+ "vscode.extension.contributes.productIconThemes.id": "ID del tema dell'icona di prodotto usato nelle impostazioni utente.",
+ "vscode.extension.contributes.productIconThemes.label": "Etichetta del tema dell'icona di prodotto visualizzata nell'interfaccia utente.",
+ "vscode.extension.contributes.productIconThemes.path": "Percorso del file di definizione del tema dell'icona di prodotto. È relativo alla cartella delle estensioni e corrisponde in genere a './producticons/awesome-product-icon-theme.json'.",
+ "reqarray": "Il punto di estensione `{0}` deve essere una matrice.",
+ "reqpath": "È previsto un valore stringa in `contributes.{0}.path`. Valore specificato: {1}",
+ "reqid": "È previsto un valore stringa in `contributes.{0}.id`. Valore specificato: {1}",
+ "invalid.path.1": "Valore previsto di `contributes.{0}.path` ({1}) da includere nella cartella dell'estensione ({2}). L'estensione potrebbe non essere più portatile."
+ },
+ "vs/workbench/services/themes/common/themeConfiguration": {
+ "colorTheme": "Specifica il tema colori usato nell'area di lavoro.",
+ "colorThemeError": "Il tema è sconosciuto o non è installato.",
+ "preferredDarkColorTheme": "Specifica il tema colori preferito per l'aspetto scuro del sistema operativo quando `#{0}#` è abilitato.",
+ "preferredLightColorTheme": "Specifica il tema colori preferito per l'aspetto chiaro del sistema operativo quando è abilitata l'impostazione `#{0}#`.",
+ "preferredHCColorTheme": "Specifica il tema colori preferito per la modalità a contrasto elevato quando `#{0}#` è abilitato.",
+ "detectColorScheme": "Se è impostato, passa automaticamente al tema colori preferito in base all'aspetto del sistema operativo.",
+ "workbenchColors": "Sostituisce i colori del tema colori attualmente selezionato.",
+ "iconTheme": "Specifica il tema dell'icona di file usato nell'area di lavoro oppure 'null' se non viene visualizzato alcun icona di file.",
+ "noIconThemeLabel": "Nessuno",
+ "noIconThemeDesc": "Non ci sono icone di file",
+ "iconThemeError": "Il tema dell'icona file è sconosciuto o non è installato.",
+ "productIconTheme": "Specifica il tema delle icone dei prodotti usato.",
+ "defaultProductIconThemeLabel": "Predefinito",
+ "defaultProductIconThemeDesc": "Predefinito",
+ "productIconThemeError": "Il tema delle icone dei prodotti è sconosciuto o non è stato installato.",
+ "autoDetectHighContrast": "Se è abilitata, passa automaticamente a un tema a contrasto elevato se il sistema operativo usa un tema di questo tipo.",
+ "editorColors.comments": "Imposta i colori e gli stili per i commenti",
+ "editorColors.strings": "Imposta i colori e gli stili per i valori letterali stringa.",
+ "editorColors.keywords": "Imposta i colori e gli stili per le parole chiave.",
+ "editorColors.numbers": "Imposta i colori e stili per i valori letterali numerici.",
+ "editorColors.types": "Imposta i colori e gli stili per i riferimenti e le dichiarazioni di tipo.",
+ "editorColors.functions": "Imposta i colori e gli stili per i riferimenti e le dichiarazioni di funzioni.",
+ "editorColors.variables": "Imposta i colori e gli stili per i riferimenti e le dichiarazioni di variabili.",
+ "editorColors.textMateRules": "Imposta i colori e gli stili usando le regole di creazione temi di TextMate (impostazione avanzata).",
+ "editorColors.semanticHighlighting": "Indica se abilitare l'evidenziazione semantica per questo tema.",
+ "editorColors.semanticHighlighting.deprecationMessage": "In alternativa usare `enabled` nell'impostazione `editor.semanticTokenColorCustomizations`.",
+ "editorColors.semanticHighlighting.deprecationMessageMarkdown": "In alternativa, usare `enabled` nell'impostazione `#editor.semanticTokenColorCustomizations#`.",
+ "editorColors": "Sostituisce i colori della sintassi dell'editor e lo stile del tipo di carattere nel tema colori attualmente selezionato.",
+ "editorColors.semanticHighlighting.enabled": "Indica se l'evidenziazione semantica è abilitata o disabilitata per questo tema",
+ "editorColors.semanticHighlighting.rules": "Regole di definizione dello stile dei token semantici per questo tema.",
+ "semanticTokenColors": "Esegue l'override del colore e degli stili dei token semantici dell'editor nel tema colori attualmente selezionato.",
+ "editorColors.experimentalTokenStyling.deprecationMessage": "In alternativa, usare `editor.semanticTokenColorCustomizations`.",
+ "editorColors.experimentalTokenStyling.deprecationMessageMarkdown": "In alternativa, usare `#editor.semanticTokenColorCustomizations#`."
+ },
+ "vs/workbench/services/themes/browser/productIconThemeData": {
+ "error.parseicondefs": "Si sono verificati problemi durante l'elaborazione delle definizioni delle icone di prodotto in {0}:\r\n{1}",
+ "defaultTheme": "Predefinito",
+ "error.cannotparseicontheme": "Si sono verificati problemi durante l'analisi del file delle icone dei prodotti: {0}",
+ "error.invalidformat": "Formato non valido per il file di tema delle icone dei prodotti: è previsto un oggetto.",
+ "error.missingProperties": "Formato non valido per il file di tema delle icone di prodotto: deve contenere iconDefinitions e fonts.",
+ "error.fontWeight": "Spessore del carattere non valido nel tipo di carattere '{0}'. L'impostazione verrà ignorata.",
+ "error.fontStyle": "Stile del carattere non valido nel tipo di carattere '{0}'. L'impostazione verrà ignorata.",
+ "error.fontId": "ID carattere '{0}' mancante o non valido. La definizione del tipo di carattere verrà ignorata.",
+ "error.icon.fontId": "La definizione dell'icona '{0}' verrà ignorata. ID carattere sconosciuto.",
+ "error.icon.fontCharacter": "La definizione dell'icona '{0}' verrà ignorata. Tipo di carattere sconosciuto."
+ },
+ "vs/workbench/services/themes/common/productIconThemeSchema": {
+ "schema.id": "ID del tipo di carattere.",
+ "schema.id.formatError": "L'ID deve contenere solo lettere, numeri, caratteri di sottolineatura e trattini.",
+ "schema.src": "Percorso del tipo di carattere.",
+ "schema.font-path": "Percorso del tipo di carattere, relativo al file di tema delle icone dei prodotti corrente.",
+ "schema.font-format": "Formato del tipo di carattere.",
+ "schema.font-weight": "Peso del tipo di carattere. Per i valori validi, vedere https://developer.mozilla.org/en-US/docs/Web/CSS/font-weight.",
+ "schema.font-style": "Stile del tipo di carattere. Per i valori validi, vedere https://developer.mozilla.org/en-US/docs/Web/CSS/font-style.",
+ "schema.iconDefinitions": "Associazione del nome dell'icona a un tipo di carattere."
+ },
+ "vs/workbench/services/userDataSync/common/userDataSync": {
+ "settings": "Impostazioni",
+ "keybindings": "Tasti di scelta rapida",
+ "snippets": "Frammenti utente",
+ "extensions": "Estensioni",
+ "ui state label": "Stato interfaccia utente",
+ "sync category": "Sincronizzazione impostazioni",
+ "syncViewIcon": "Icona della visualizzazione Sincronizzazione impostazioni."
+ },
+ "vs/workbench/services/userDataSync/browser/userDataSyncWorkbenchService": {
+ "no authentication providers": "Non è possibile attivare la sincronizzazione delle impostazioni perché non sono disponibili provider di autenticazione.",
+ "no account": "Non ci sono account disponibili",
+ "show log": "mostra log",
+ "sync turned on": "{0} è attivata",
+ "sync in progress": "La funzionalità Sincronizzazione impostazioni verrà attivata. Annullarla?",
+ "settings sync": "Sincronizzazione impostazioni",
+ "yes": "&&Sì",
+ "no": "&&No",
+ "turning on": "Attivazione...",
+ "syncing resource": "Sincronizzazione di {0}...",
+ "conflicts detected": "Rilevati conflitti",
+ "merge Manually": "Esegui merge manuale...",
+ "resolve": "Non è possibile eseguire il merge a causa di conflitti. Per continuare, eseguire il merge manualmente...",
+ "merge or replace": "Esegui merge o sostituisci",
+ "merge": "Unisci",
+ "replace local": "Sostituisci locale",
+ "cancel": "Annulla",
+ "first time sync detail": "L'ultima sincronizzazione è stata eseguita da un altro computer.\r\nEseguire il merge o sostituire con i dati nel cloud?",
+ "reset": "I dati verranno cancellati dal cloud e la sincronizzazione verrà arrestata in tutti i dispositivi.",
+ "reset title": "Cancella",
+ "resetButton": "&&Reimposta",
+ "choose account placeholder": "Selezionare un account per l'accesso",
+ "signed in": "Accesso eseguito",
+ "last used": "Ultimo usato con la sincronizzazione",
+ "others": "Altri",
+ "sign in using account": "Accedi con {0}",
+ "successive auth failures": "La sincronizzazione delle impostazioni è sospesa a causa di ripetuti errori di autorizzazione. Eseguire di nuovo l'accesso per continuare la sincronizzazione",
+ "sign in": "Accedi"
+ },
+ "vs/workbench/services/views/browser/viewDescriptorService": {
+ "resetViewLocation": "Reimposta posizione"
+ },
+ "vs/workbench/services/workingCopy/common/workingCopyFileOperationParticipant": {
+ "msg-create": "Esecuzione dei partecipanti di 'Creazione file'...",
+ "msg-rename": "Esecuzione dei partecipanti di 'Ridenominazione file'...",
+ "msg-copy": "Esecuzione dei partecipanti di 'Copia dei file'...",
+ "msg-delete": "Esecuzione dei partecipanti di 'Eliminazione file'..."
+ },
+ "vs/workbench/services/workspaces/electron-sandbox/workspaceEditingService": {
+ "save": "Salva",
+ "doNotSave": "Non salvare",
+ "cancel": "Annulla",
+ "saveWorkspaceMessage": "Salvare la configurazione dell'area di lavoro in un file?",
+ "saveWorkspaceDetail": "Salvare l'area di lavoro se si prevede di aprirla di nuovo.",
+ "workspaceOpenedMessage": "Non è possibile salvare l'area di lavoro '{0}'",
+ "ok": "OK",
+ "workspaceOpenedDetail": "L'area di lavoro è già aperta in un'altra finestra. Chiudere tale finestra prima di riprovare."
+ },
+ "vs/workbench/services/workspaces/browser/abstractWorkspaceEditingService": {
+ "save": "Salva",
+ "saveWorkspace": "Salva area di lavoro",
+ "errorInvalidTaskConfiguration": "Impossibile scrivere nel file di configurazione dell'area di lavoro. Si prega di aprire il file per correggere eventuali errori/avvisi e riprovare.",
+ "errorWorkspaceConfigurationFileDirty": "Impossibile scrivere nel file di configurazione dell'area di lavoro, perché il file è sporco. Si prega di salvarlo e riprovare.",
+ "openWorkspaceConfigurationFile": "Apri configurazione dell'area di lavoro"
+ }
+}
diff --git a/internal/vite-plugin-monaco-editor-nls/src/locale/ja.json b/internal/vite-plugin-monaco-editor-nls/src/locale/ja.json
new file mode 100644
index 0000000..ad20cc1
--- /dev/null
+++ b/internal/vite-plugin-monaco-editor-nls/src/locale/ja.json
@@ -0,0 +1,8306 @@
+{
+ "vs/base/common/date": {
+ "date.fromNow.in": "{0} 内",
+ "date.fromNow.now": "現在",
+ "date.fromNow.seconds.singular.ago": "{0} 秒前",
+ "date.fromNow.seconds.plural.ago": "{0} 秒前",
+ "date.fromNow.seconds.singular": "{0} 秒",
+ "date.fromNow.seconds.plural": "{0} 秒",
+ "date.fromNow.minutes.singular.ago": "{0} 分前",
+ "date.fromNow.minutes.plural.ago": "{0} 分前",
+ "date.fromNow.minutes.singular": "{0} 分",
+ "date.fromNow.minutes.plural": "{0} 分",
+ "date.fromNow.hours.singular.ago": "{0} 時間前",
+ "date.fromNow.hours.plural.ago": "{0} 時間前",
+ "date.fromNow.hours.singular": "{0} 時間",
+ "date.fromNow.hours.plural": "{0} 時間",
+ "date.fromNow.days.singular.ago": "{0} 日前",
+ "date.fromNow.days.plural.ago": "{0} 日前",
+ "date.fromNow.days.singular": "{0} 日",
+ "date.fromNow.days.plural": "{0} 日",
+ "date.fromNow.weeks.singular.ago": "{0} 週間前",
+ "date.fromNow.weeks.plural.ago": "{0} 週間前",
+ "date.fromNow.weeks.singular": "{0} 週間",
+ "date.fromNow.weeks.plural": "{0} 週間",
+ "date.fromNow.months.singular.ago": "{0} か月前",
+ "date.fromNow.months.plural.ago": "{0} か月前",
+ "date.fromNow.months.singular": "{0} 月",
+ "date.fromNow.months.plural": "{0} か月",
+ "date.fromNow.years.singular.ago": "{0} 年前",
+ "date.fromNow.years.plural.ago": "{0} 年前",
+ "date.fromNow.years.singular": "{0} 年",
+ "date.fromNow.years.plural": "{0} 年"
+ },
+ "vs/base/common/codicons": {
+ "dropDownButton": "ドロップ ダウン ボタンのアイコン。"
+ },
+ "vs/base/common/actions": {
+ "submenu.empty": "(空)"
+ },
+ "vs/base/node/processes": {
+ "TaskRunner.UNC": "UNC ドライブ上でシェル コマンドを実行できません。"
+ },
+ "vs/base/common/errorMessage": {
+ "stackTrace.format": "{0}: {1}",
+ "nodeExceptionMessage": "システム エラーが発生しました ({0})",
+ "error.defaultMessage": "不明なエラーが発生しました。ログで詳細を確認してください。",
+ "error.moreErrors": "{0} (合計 {1} エラー)"
+ },
+ "vs/base/node/zip": {
+ "invalid file": "{0} の抽出中にエラーが発生しました。無効なファイルです。",
+ "incompleteExtract": "不完全です。{0} / {1} 個のエントリが見つかりました",
+ "notFound": "zip ファイルの中に {0} が見つかりません。"
+ },
+ "vs/base/browser/ui/dialog/dialog": {
+ "ok": "OK",
+ "dialogInfoMessage": "情報",
+ "dialogErrorMessage": "エラー",
+ "dialogWarningMessage": "警告",
+ "dialogPendingMessage": "進行中",
+ "dialogClose": "ダイアログを閉じる"
+ },
+ "vs/base/browser/ui/actionbar/actionViewItems": {
+ "titleLabel": "{0} ({1})"
+ },
+ "vs/base/browser/ui/keybindingLabel/keybindingLabel": {
+ "unbound": "バインドなし"
+ },
+ "vs/base/browser/ui/menu/menubar": {
+ "mAppMenu": "アプリケーション メニュー",
+ "mMore": "その他"
+ },
+ "vs/base/browser/ui/menu/menu": {
+ "titleLabel": "{0} ({1})"
+ },
+ "vs/base/common/jsonErrorMessages": {
+ "error.invalidSymbol": "シンボルが無効です",
+ "error.invalidNumberFormat": "数値表示形式が無効です",
+ "error.propertyNameExpected": "プロパティ名が必要です",
+ "error.valueExpected": "値が必要です",
+ "error.colonExpected": "コロンが必要です",
+ "error.commaExpected": "コンマが必要です",
+ "error.closeBraceExpected": "右中かっこが必要です",
+ "error.closeBracketExpected": "右角かっこが必要です",
+ "error.endOfFileExpected": "ファイルの終わりが必要です"
+ },
+ "vs/base/common/keybindingLabels": {
+ "ctrlKey": "Ctrl",
+ "shiftKey": "Shift",
+ "altKey": "Alt",
+ "windowsKey": "Windows",
+ "superKey": "Super",
+ "ctrlKey.long": "Control",
+ "shiftKey.long": "Shift",
+ "altKey.long": "Alt",
+ "cmdKey.long": "コマンド",
+ "windowsKey.long": "Windows",
+ "superKey.long": "Super"
+ },
+ "vs/base/browser/ui/tree/abstractTree": {
+ "clear": "クリア",
+ "disable filter on type": "型のフィルターを無効にする",
+ "enable filter on type": "型のフィルターを有効にする",
+ "empty": "要素が見つかりません",
+ "found": "{1} 個の要素のうち {0} 個の要素が一致しました"
+ },
+ "vs/base/browser/ui/tree/treeDefaults": {
+ "collapse all": "すべて折りたたんで表示します。"
+ },
+ "vs/base/browser/ui/toolbar/toolbar": {
+ "moreActions": "その他の操作..."
+ },
+ "vs/base/browser/ui/splitview/paneview": {
+ "viewSection": "{0}セクション"
+ },
+ "vs/base/browser/ui/inputbox/inputBox": {
+ "alertErrorMessage": "エラー: {0}",
+ "alertWarningMessage": "警告: {0}",
+ "alertInfoMessage": "情報: {0}"
+ },
+ "vs/base/parts/quickinput/browser/quickInput": {
+ "backButtonIcon": "クイック入力ダイアログの [戻る] ボタンのアイコン。",
+ "quickInput.back": "戻る",
+ "quickInput.steps": "{0}/{1}",
+ "quickInputBox.ariaLabel": "入力すると結果が絞り込まれます。",
+ "inputModeEntry": "'Enter' を押して入力を確認するか 'Escape' を押して取り消します",
+ "inputModeEntryDescription": "{0} ('Enter' を押して確認するか 'Escape' を押して取り消します)",
+ "quickInput.visibleCount": "{0} 件の結果",
+ "quickInput.countSelected": "{0} 個選択済み",
+ "ok": "OK",
+ "custom": "カスタム",
+ "quickInput.backWithKeybinding": "戻る ({0})"
+ },
+ "vs/base/browser/ui/findinput/findInput": {
+ "defaultLabel": "入力"
+ },
+ "vs/base/browser/ui/findinput/replaceInput": {
+ "defaultLabel": "入力",
+ "label.preserveCaseCheckbox": "保持する"
+ },
+ "vs/base/browser/ui/findinput/findInputCheckboxes": {
+ "caseDescription": "大文字と小文字を区別する",
+ "wordsDescription": "単語単位で検索する",
+ "regexDescription": "正規表現を使用する"
+ },
+ "vs/base/parts/quickinput/browser/quickInputList": {
+ "quickInput": "クイック入力"
+ },
+ "vs/base/browser/ui/selectBox/selectBoxCustom": {
+ "selectBox": "ボックスを選択"
+ },
+ "vs/editor/browser/editorExtensions": {
+ "miUndo": "元に戻す(&&U)",
+ "undo": "元に戻す",
+ "miRedo": "やり直し(&&R)",
+ "redo": "やり直し",
+ "miSelectAll": "すべて選択(&&S)",
+ "selectAll": "すべてを選択"
+ },
+ "vs/editor/common/modes/modesRegistry": {
+ "plainText.alias": "プレーンテキスト"
+ },
+ "vs/editor/common/config/editorOptions": {
+ "accessibilitySupport.auto": "エディターはスクリーン リーダーがいつ接続されたかを検出するためにプラットフォーム API を使用します。",
+ "accessibilitySupport.on": "エディターは永続的にスクリーン リーダーでの使用向けに最適化されます。単語の折り返しは無効になります。",
+ "accessibilitySupport.off": "エディターはスクリーン リーダー向けに最適化されません。",
+ "accessibilitySupport": "エディターをスクリーン リーダーに最適化されたモードで実行するかどうかを制御します。オンに設定すると単語の折り返しが無効になります。",
+ "comments.insertSpace": "コメント時に空白文字を挿入するかどうかを制御します。",
+ "comments.ignoreEmptyLines": "行コメントの追加または削除アクションの切り替えで、空の行を無視するかどうかを制御します。",
+ "emptySelectionClipboard": "選択範囲を指定しないでコピーする場合に現在の行をコピーするかどうかを制御します。",
+ "find.cursorMoveOnType": "入力中に一致を検索するためにカーソルをジャンプさせるかどうかを制御します。",
+ "find.seedSearchStringFromSelection": "エディターの選択範囲から検索ウィジェット内の検索文字列を与えるかどうかを制御します。",
+ "editor.find.autoFindInSelection.never": "[選択範囲を検索] を自動的にオンにしない (既定)",
+ "editor.find.autoFindInSelection.always": "[選択範囲を検索] を常に自動的にオンにする",
+ "editor.find.autoFindInSelection.multiline": "複数行のコンテンツが選択されている場合は、自動的に [選択範囲を検索] をオンにします。",
+ "find.autoFindInSelection": "[選択範囲を検索] を自動的にオンにする条件を制御します。",
+ "find.globalFindClipboard": "macOS で検索ウィジェットが共有の検索クリップボードを読み取りまたは変更するかどうかを制御します。",
+ "find.addExtraSpaceOnTop": "検索ウィジェットがエディターの上に行をさらに追加するかどうかを制御します。true の場合、検索ウィジェットが表示されているときに最初の行を超えてスクロールできます。",
+ "find.loop": "以降で一致が見つからない場合に、検索を先頭から (または末尾から) 自動的に再実行するかどうか制御します。",
+ "fontLigatures": "フォントの合字 ('calt' および 'liga' フォントの機能) を有効または無効にします。'font-feature-settings' CSS プロパティを詳細に制御するには、これを文字列に変更します。",
+ "fontFeatureSettings": "明示的な 'font-feature-settings' CSS プロパティ。合字を有効または無効にする必要があるのが 1 つだけである場合は、代わりにブール値を渡すことができます。",
+ "fontLigaturesGeneral": "フォントの合字やフォントの機能を構成します。合字を有効または無効にするブール値または CSS 'font-feature-settings' プロパティの値の文字列を指定できます。",
+ "fontSize": "フォント サイズ (ピクセル単位) を制御します。",
+ "fontWeightErrorMessage": "使用できるのは \"標準\" および \"太字\" のキーワードまたは 1 ~ 1000 の数字のみです。",
+ "fontWeight": "フォントの太さを制御します。\"標準\" および \"太字\" のキーワードまたは 1 ~ 1000 の数字を受け入れます。",
+ "editor.gotoLocation.multiple.peek": "結果のピーク ビューを表示 (既定)",
+ "editor.gotoLocation.multiple.gotoAndPeek": "主な結果に移動し、ピーク ビューを表示します",
+ "editor.gotoLocation.multiple.goto": "プライマリ結果に移動し、他のユーザーへのピークレス ナビゲーションを有効にします",
+ "editor.gotoLocation.multiple.deprecated": "この設定は非推奨です。代わりに、'editor.editor.gotoLocation.multipleDefinitions' や 'editor.editor.gotoLocation.multipleImplementations' などの個別の設定を使用してください。",
+ "editor.editor.gotoLocation.multipleDefinitions": "複数のターゲットの場所があるときの '定義へ移動' コマンドの動作を制御します。",
+ "editor.editor.gotoLocation.multipleTypeDefinitions": "複数のターゲットの場所があるときの '型定義へ移動' コマンドの動作を制御します。",
+ "editor.editor.gotoLocation.multipleDeclarations": "複数のターゲットの場所があるときの '宣言へ移動' コマンドの動作を制御します。",
+ "editor.editor.gotoLocation.multipleImplemenattions": "複数のターゲットの場所があるときの '実装に移動' コマンドの動作を制御します。",
+ "editor.editor.gotoLocation.multipleReferences": "ターゲットの場所が複数存在する場合の '参照へ移動' コマンドの動作を制御します。",
+ "alternativeDefinitionCommand": "'定義へ移動' の結果が現在の場所である場合に実行される代替コマンド ID。",
+ "alternativeTypeDefinitionCommand": "'型定義へ移動' の結果が現在の場所である場合に実行される代替コマンド ID。",
+ "alternativeDeclarationCommand": "'宣言へ移動' の結果が現在の場所である場合に実行される代替コマンド ID。",
+ "alternativeImplementationCommand": "'実装へ移動' の結果が現在の場所である場合に実行される代替コマンド ID。",
+ "alternativeReferenceCommand": "'参照へ移動' の結果が現在の場所である場合に実行される代替コマンド ID。",
+ "hover.enabled": "ホバーを表示するかどうかを制御します。",
+ "hover.delay": "ホバーを表示後の待ち時間 (ミリ秒) を制御します。",
+ "hover.sticky": "ホバーにマウスを移動したときに、ホバーを表示し続けるかどうかを制御します。",
+ "codeActions": "エディターでコード アクションの電球を有効にします。",
+ "lineHeight": "行の高さを制御します。フォント サイズに基づいて行の高さを計算する場合には、0 を使用します。",
+ "minimap.enabled": "ミニマップを表示するかどうかを制御します。",
+ "minimap.size.proportional": "ミニマップのサイズは、エディターのコンテンツと同じです (スクロールする場合があります)。",
+ "minimap.size.fill": "ミニマップは、必要に応じて、エディターの高さを埋めるため、拡大または縮小します (スクロールしません)。",
+ "minimap.size.fit": "ミニマップは必要に応じて縮小し、エディターより大きくなることはありません (スクロールしません)。",
+ "minimap.size": "ミニマップのサイズを制御します。",
+ "minimap.side": "ミニマップを表示する場所を制御します。",
+ "minimap.showSlider": "ミニマップ スライダーを表示するタイミングを制御します。",
+ "minimap.scale": "ミニマップに描画されるコンテンツのスケール: 1、2、または 3。",
+ "minimap.renderCharacters": "行にカラー ブロックではなく実際の文字を表示します。",
+ "minimap.maxColumn": "表示するミニマップの最大幅を特定の列数に制限します。",
+ "padding.top": "エディターの上端と最初の行の間の余白の大きさを制御します。",
+ "padding.bottom": "エディターの下端と最後の行の間の余白の大きさを制御します。",
+ "parameterHints.enabled": "入力時にパラメーター ドキュメントと型情報を表示するポップアップを有効にします。",
+ "parameterHints.cycle": "パラメーター ヒント メニューを周回するか、リストの最後で閉じるかどうかを制御します。",
+ "quickSuggestions.strings": "文字列内でクイック候補を有効にします。",
+ "quickSuggestions.comments": "コメント内でクイック候補を有効にします。",
+ "quickSuggestions.other": "文字列およびコメント外でクイック候補を有効にします。",
+ "quickSuggestions": "入力中に候補を自動的に表示するかどうかを制御します。",
+ "lineNumbers.off": "行番号は表示されません。",
+ "lineNumbers.on": "行番号は、絶対値として表示されます。",
+ "lineNumbers.relative": "行番号は、カーソル位置までの行数として表示されます。",
+ "lineNumbers.interval": "行番号は 10 行ごとに表示されます。",
+ "lineNumbers": "行番号の表示を制御します。",
+ "rulers.size": "このエディターのルーラーがレンダリングする単一領域の文字数。",
+ "rulers.color": "このエディターのルーラーの色です。",
+ "rulers": "特定の等幅文字数の後に垂直ルーラーを表示します。複数のルーラーには複数の値を使用します。配列が空の場合はルーラーを表示しません。",
+ "suggest.insertMode.insert": "カーソルの右のテキストを上書きせずに候補を挿入します。",
+ "suggest.insertMode.replace": "候補を挿入し、カーソルの右のテキストを上書きします。",
+ "suggest.insertMode": "入力候補を受け入れるときに単語を上書きするかどうかを制御します。これは、この機能の利用を選択する拡張機能に依存することにご注意ください。",
+ "suggest.filterGraceful": "候補のフィルター処理と並び替えでささいな入力ミスを考慮するかどうかを制御します。",
+ "suggest.localityBonus": "並べ替えがカーソル付近に表示される単語を優先するかどうかを制御します。",
+ "suggest.shareSuggestSelections": "保存された候補セクションを複数のワークプレースとウィンドウで共有するかどうかを制御します (`#editor.suggestSelection#` が必要)。",
+ "suggest.snippetsPreventQuickSuggestions": "アクティブ スニペットがクイック候補を防止するかどうかを制御します。",
+ "suggest.showIcons": "提案のアイコンを表示するか、非表示にするかを制御します。",
+ "suggest.showStatusBar": "候補ウィジェットの下部にあるステータス バーの表示を制御します。",
+ "suggest.showInlineDetails": "候補の詳細をラベル付きのインラインで表示するか、詳細ウィジェットにのみ表示するかを制御します",
+ "suggest.maxVisibleSuggestions.dep": "この設定は非推奨です。候補ウィジェットのサイズ変更ができるようになりました。",
+ "deprecated": "この設定は非推奨です。代わりに、'editor.suggest.showKeywords' や 'editor.suggest.showSnippets' などの個別の設定を使用してください。",
+ "editor.suggest.showMethods": "有効にすると、IntelliSense に `メソッド` 候補が表示されます。",
+ "editor.suggest.showFunctions": "有効にすると、IntelliSense に `関数` 候補が表示されます。",
+ "editor.suggest.showConstructors": "有効にすると、IntelliSense に `コンストラクター` 候補が表示されます。",
+ "editor.suggest.showFields": "有効にすると、IntelliSense に `フィールド` 候補が表示されます。",
+ "editor.suggest.showVariables": "有効にすると、IntelliSense に `変数` 候補が表示されます。",
+ "editor.suggest.showClasss": "有効にすると、IntelliSense に 'クラス' 候補が表示されます。",
+ "editor.suggest.showStructs": "有効にすると、IntelliSense に `構造体` 候補が表示されます。",
+ "editor.suggest.showInterfaces": "有効にすると、IntelliSense に `インターフェイス` 候補が表示されます。",
+ "editor.suggest.showModules": "有効にすると、IntelliSense に `モジュール` 候補が表示されます。",
+ "editor.suggest.showPropertys": "有効にすると、IntelliSense に `プロパティ` 候補が表示されます。",
+ "editor.suggest.showEvents": "有効にすると、IntelliSense に `イベント` 候補が表示されます。",
+ "editor.suggest.showOperators": "有効にすると、IntelliSense に `演算子` 候補が表示されます。",
+ "editor.suggest.showUnits": "有効にすると、IntelliSense に `ユニット` 候補が表示されます。",
+ "editor.suggest.showValues": "有効にすると、IntelliSense に `値` 候補が表示されます。",
+ "editor.suggest.showConstants": "有効にすると、IntelliSense に `定数` 候補が表示されます。",
+ "editor.suggest.showEnums": "有効にすると、IntelliSense に `列挙型` 候補が表示されます。",
+ "editor.suggest.showEnumMembers": "有効にすると、IntelliSense に `enumMember` 候補が表示されます。",
+ "editor.suggest.showKeywords": "有効にすると、IntelliSense に `キーワード` 候補が表示されます。",
+ "editor.suggest.showTexts": "有効にすると、IntelliSense に 'テキスト' -候補が表示されます。",
+ "editor.suggest.showColors": "有効にすると、IntelliSense に `色` 候補が表示されます。",
+ "editor.suggest.showFiles": "有効にすると、IntelliSense に 'ファイル' 候補が表示されます。",
+ "editor.suggest.showReferences": "有効にすると、IntelliSense に `参照` 候補が表示されます。",
+ "editor.suggest.showCustomcolors": "有効にすると、IntelliSense に `customcolor` 候補が表示されます。",
+ "editor.suggest.showFolders": "有効にすると、IntelliSense に `フォルダー` 候補が表示されます。",
+ "editor.suggest.showTypeParameters": "有効にすると、IntelliSense に `typeParameter` 候補が表示されます。",
+ "editor.suggest.showSnippets": "有効にすると、IntelliSense に `スニペット` 候補が表示されます。",
+ "editor.suggest.showUsers": "有効な場合、IntelliSense によって 'ユーザー' 候補が示されます。",
+ "editor.suggest.showIssues": "有効にすると、IntelliSense によって '問題' 候補が示されます。",
+ "selectLeadingAndTrailingWhitespace": "先頭と末尾の空白を常に選択するかどうか。",
+ "acceptSuggestionOnCommitCharacter": "コミット文字で候補を受け入れるかどうかを制御します。たとえば、JavaScript ではセミコロン (`;`) をコミット文字にして、候補を受け入れてその文字を入力することができます。",
+ "acceptSuggestionOnEnterSmart": "テキストの変更を行うとき、`Enter` を使用する場合にのみ候補を受け付けます。",
+ "acceptSuggestionOnEnter": "`Tab` キーに加えて `Enter` キーで候補を受け入れるかどうかを制御します。改行の挿入や候補の反映の間であいまいさを解消するのに役立ちます。",
+ "accessibilityPageSize": "スクリーン リーダーで読み上げることができるエディターの行数を制御します。警告: 既定値を上回る数を指定すると、パフォーマンスに影響を与えます。",
+ "editorViewAccessibleLabel": "エディターのコンテンツ",
+ "editor.autoClosingBrackets.languageDefined": "言語設定を使用して、いつかっこを自動クローズするか決定します。",
+ "editor.autoClosingBrackets.beforeWhitespace": "カーソルが空白文字の左にあるときだけ、かっこを自動クローズします。",
+ "autoClosingBrackets": "エディターで左角かっこを追加した後に自動的に右角かっこを挿入するかどうかを制御します。",
+ "editor.autoClosingOvertype.auto": "終わり引用符または括弧が自動的に挿入された場合にのみ、それらを上書きします。",
+ "autoClosingOvertype": "エディターで終わり引用符または括弧を上書きするかどうかを制御します。",
+ "editor.autoClosingQuotes.languageDefined": "言語設定を使用して、いつ引用符を自動クローズするか決定します。",
+ "editor.autoClosingQuotes.beforeWhitespace": "カーソルが空白文字の左にあるときだけ、引用符を自動クローズします。",
+ "autoClosingQuotes": "ユーザーが開始引用符を追加した後、エディター自動的に引用符を閉じるかどうかを制御します。",
+ "editor.autoIndent.none": "エディターはインデントを自動的に挿入しません。",
+ "editor.autoIndent.keep": "エディターは、現在の行のインデントを保持します。",
+ "editor.autoIndent.brackets": "エディターは、現在の行のインデントを保持し、言語が定義されたかっこを優先します。",
+ "editor.autoIndent.advanced": "エディターは、現在の行のインデントを保持し、言語が定義されたかっこを優先し、言語で定義された特別な onEnterRules を呼び出します。",
+ "editor.autoIndent.full": "エディターは、現在の行のインデントを保持し、言語が定義されたかっこを優先し、言語で定義された特別な onEnterRules を呼び出し、言語で定義された indentationRules を優先します。",
+ "autoIndent": "ユーザーが行を入力、貼り付け、移動、またはインデントするときに、エディターでインデントを自動的に調整するかどうかを制御します。",
+ "editor.autoSurround.languageDefined": "言語構成を使用して、選択範囲をいつ自動的に囲むかを判断します。",
+ "editor.autoSurround.quotes": "角かっこではなく、引用符で囲みます。",
+ "editor.autoSurround.brackets": "引用符ではなく、角かっこで囲みます。",
+ "autoSurround": "引用符または角かっこを入力するときに、エディターが選択範囲を自動的に囲むかどうかを制御します。",
+ "stickyTabStops": "インデントにスペースを使用するときは、タブ文字の選択動作をエミュレートします。選択範囲はタブ位置に留まります。",
+ "codeLens": "エディターで CodeLens を表示するかどうかを制御します。",
+ "codeLensFontFamily": "CodeLens のフォント ファミリを制御します。",
+ "codeLensFontSize": "CodeLens のフォント サイズをピクセル単位で制御します。'0' に設定すると、'#editor.fontSize#' の 90% が使用されます。",
+ "colorDecorators": "エディターでインライン カラー デコレーターと色の選択を表示する必要があるかどうかを制御します。",
+ "columnSelection": "マウスとキーでの選択により列の選択を実行できるようにします。",
+ "copyWithSyntaxHighlighting": "構文ハイライトをクリップボードにコピーするかどうかを制御します。",
+ "cursorBlinking": "カーソルのアニメーション方式を制御します。",
+ "cursorSmoothCaretAnimation": "滑らかなキャレットアニメーションを有効にするかどうかを制御します。",
+ "cursorStyle": "カーソルのスタイルを制御します。",
+ "cursorSurroundingLines": "カーソル前後の表示可能な先頭と末尾の行の最小数を制御します。他の一部のエディターでは 'scrollOff' または `scrollOffset` と呼ばれます。",
+ "cursorSurroundingLinesStyle.default": "`cursorSurroundingLines` は、キーボードまたは API でトリガーされた場合にのみ強制されます。",
+ "cursorSurroundingLinesStyle.all": "`cursorSurroundingLines` は常に適用されます。",
+ "cursorSurroundingLinesStyle": "'カーソルの周囲の行' を適用するタイミングを制御します。",
+ "cursorWidth": "`#editor.cursorStyle#` が `line` に設定されている場合、カーソルの幅を制御します。",
+ "dragAndDrop": "ドラッグ アンド ドロップによる選択範囲の移動をエディターが許可するかどうかを制御します。",
+ "fastScrollSensitivity": "`Alt` を押すと、スクロール速度が倍増します。",
+ "folding": "エディターでコードの折りたたみを有効にするかどうかを制御します。",
+ "foldingStrategy.auto": "利用可能な場合は言語固有の折りたたみ方法を使用し、利用可能ではない場合はインデントベースの方法を使用します。",
+ "foldingStrategy.indentation": "インデントベースの折りたたみ方法を使用します。",
+ "foldingStrategy": "折りたたみ範囲の計算方法を制御します。",
+ "foldingHighlight": "エディターで折りたたまれた範囲を強調表示するかどうかをコントロールします。",
+ "unfoldOnClickAfterEndOfLine": "折りたたまれた線の後の空のコンテンツをクリックすると線が展開されるかどうかを制御します。",
+ "fontFamily": "フォント ファミリを制御します。",
+ "formatOnPaste": "貼り付けた内容がエディターにより自動的にフォーマットされるかどうかを制御します。フォーマッタを使用可能にする必要があります。また、フォーマッタがドキュメント内の範囲をフォーマットできなければなりません。",
+ "formatOnType": "エディターで入力後に自動的に行のフォーマットを行うかどうかを制御します。",
+ "glyphMargin": "エディターで縦のグリフ余白が表示されるかどうかを制御します。ほとんどの場合、グリフ余白はデバッグに使用されます。",
+ "hideCursorInOverviewRuler": "概要ルーラーでカーソルを非表示にするかどうかを制御します。",
+ "highlightActiveIndentGuide": "エディターでアクティブなインデントのガイドを強調表示するかどうかを制御します。",
+ "letterSpacing": "文字間隔 (ピクセル単位) を制御します。",
+ "linkedEditing": "リンクされた編集がエディターで有効にされるかどうかを制御します。言語によっては、編集中に HTML タグなどの関連する記号が更新されます。",
+ "links": "エディターがリンクを検出してクリック可能な状態にするかどうかを制御します。",
+ "matchBrackets": "対応するかっこを強調表示します。",
+ "mouseWheelScrollSensitivity": "マウス ホイール スクロール イベントの `deltaX` と `deltaY` で使用される乗数。",
+ "mouseWheelZoom": "`Ctrl` キーを押しながらマウス ホイールを使用してエディターのフォントをズームします。",
+ "multiCursorMergeOverlapping": "複数のカーソルが重なっているときは、マージします。",
+ "multiCursorModifier.ctrlCmd": "Windows および Linux 上の `Control` キーと macOS 上の `Command` キーに割り当てます。",
+ "multiCursorModifier.alt": "Windows および Linux 上の `Alt` キーと macOS 上の `Option` キーに割り当てます。",
+ "multiCursorModifier": "マウスを使用して複数のカーソルを追加するときに使用する修飾キーです。「定義に移動」や「リンクを開く」のマウス操作は、マルチカーソルの修飾キーと競合しないように適用されます。[詳細](https://code.visualstudio.com/docs/editor/codebasics#_multicursor-modifier)",
+ "multiCursorPaste.spread": "カーソルごとにテキストを 1 行ずつ貼り付けます。",
+ "multiCursorPaste.full": "各カーソルは全文を貼り付けます。",
+ "multiCursorPaste": "貼り付けたテキストの行数がカーソル数と一致する場合の貼り付けを制御します。",
+ "occurrencesHighlight": "エディターでセマンティック シンボルの出現箇所を強調表示するかどうかを制御します。",
+ "overviewRulerBorder": "概要ルーラーの周囲に境界線が描画されるかどうかを制御します。",
+ "peekWidgetDefaultFocus.tree": "ピークを開くときにツリーにフォーカスする",
+ "peekWidgetDefaultFocus.editor": "ピークを開くときにエディターにフォーカスする",
+ "peekWidgetDefaultFocus": "ピーク ウィジェットのインライン エディターまたはツリーをフォーカスするかどうかを制御します。",
+ "definitionLinkOpensInPeek": "[定義へ移動] マウス ジェスチャーで、常にピーク ウィジェットを開くかどうかを制御します。",
+ "quickSuggestionsDelay": "クイック候補が表示されるまでのミリ秒を制御します。",
+ "renameOnType": "エディターでの型の自動名前変更を制御します。",
+ "renameOnTypeDeprecate": "非推奨です。代わりに、`editor.linkedEditing` を使用してください。",
+ "renderControlCharacters": "エディターで制御文字を表示するかどうかを制御します。",
+ "renderIndentGuides": "エディターでインデント ガイドを表示するかどうかを制御します。",
+ "renderFinalNewline": "ファイルの末尾が改行の場合は、最後の行番号を表示します。",
+ "renderLineHighlight.all": "余白と現在の行を強調表示します。",
+ "renderLineHighlight": "エディターが現在の行をどのように強調表示するかを制御します。",
+ "renderLineHighlightOnlyWhenFocus": "エディターにフォーカスがある場合にのみ現在の行をエディターで強調表示する必要があるかどうかを制御します",
+ "renderWhitespace.boundary": "単語間の単一スペース以外の空白文字を表示します。",
+ "renderWhitespace.selection": "選択したテキストにのみ空白文字を表示します。",
+ "renderWhitespace.trailing": "末尾の空白文字のみを表示する",
+ "renderWhitespace": "エディターで空白文字を表示するかどうかを制御します。",
+ "roundedSelection": "選択範囲の角を丸くするかどうかを制御します。",
+ "scrollBeyondLastColumn": "エディターが水平方向に余分にスクロールする文字数を制御します。",
+ "scrollBeyondLastLine": "エディターが最後の行を越えてスクロールするかどうかを制御します。",
+ "scrollPredominantAxis": "垂直および水平方向の両方に同時にスクロールする場合は、主要な軸に沿ってスクロールします。トラックパッド上で垂直方向にスクロールする場合は、水平ドリフトを防止します。",
+ "selectionClipboard": "Linux の PRIMARY クリップボードをサポートするかどうかを制御します。",
+ "selectionHighlight": "エディターが選択項目と類似の一致項目を強調表示するかどうかを制御します。",
+ "showFoldingControls.always": "常に折りたたみコントロールを表示します。",
+ "showFoldingControls.mouseover": "マウスがとじしろの上にあるときにのみ、折りたたみコントロールを表示します。",
+ "showFoldingControls": "とじしろのの折りたたみコントロールを表示するタイミングを制御します。",
+ "showUnused": "使用されていないコードのフェードアウトを制御します。",
+ "showDeprecated": "非推奨の変数の取り消し線を制御します。",
+ "snippetSuggestions.top": "他の候補の上にスニペットの候補を表示します。",
+ "snippetSuggestions.bottom": "他の候補の下にスニペットの候補を表示します。",
+ "snippetSuggestions.inline": "他の候補と一緒にスニペットの候補を表示します。",
+ "snippetSuggestions.none": "スニペットの候補を表示しません。",
+ "snippetSuggestions": "他の修正候補と一緒にスニペットを表示するかどうか、およびその並び替えの方法を制御します。",
+ "smoothScrolling": "アニメーションでエディターをスクロールするかどうかを制御します。",
+ "suggestFontSize": "候補ウィジェットのフォント サイズ。`0` に設定すると、`#editor.fontSize#` の値が使用されます。",
+ "suggestLineHeight": "候補ウィジェットの行の高さ。`0` に設定すると、`#editor.lineHeight#` の値が使用されます。最小値は 8 です。",
+ "suggestOnTriggerCharacters": "トリガー文字の入力時に候補が自動的に表示されるようにするかどうかを制御します。",
+ "suggestSelection.first": "常に最初の候補を選択します。",
+ "suggestSelection.recentlyUsed": "`console.| -> console.log` などと選択対象に関して入力しない限りは、最近の候補を選択します。`log` は最近完了したためです。",
+ "suggestSelection.recentlyUsedByPrefix": "これらの候補を完了した以前のプレフィックスに基づいて候補を選択します。例: `co -> console` および `con -> const`。",
+ "suggestSelection": "候補リストを表示するときに候補を事前に選択する方法を制御します。",
+ "tabCompletion.on": "タブ補完は、tab キーを押したときに最適な候補を挿入します。",
+ "tabCompletion.off": "タブ補完を無効にします。",
+ "tabCompletion.onlySnippets": "プレフィックスが一致する場合に、タブでスニペットを補完します。'quickSuggestions' が無効な場合に最適です。",
+ "tabCompletion": "タブ補完を有効にします。",
+ "unusualLineTerminators.auto": "通常とは異なる行の終端文字は自動的に削除される。",
+ "unusualLineTerminators.off": "通常とは異なる行の終端文字は無視される。",
+ "unusualLineTerminators.prompt": "通常とは異なる行の終端文字の削除プロンプトが表示される。",
+ "unusualLineTerminators": "問題を起こす可能性がある、普通ではない行終端記号は削除してください。",
+ "useTabStops": "空白の挿入や削除はタブ位置に従って行われます。",
+ "wordSeparators": "単語に関連したナビゲーションまたは操作を実行するときに、単語の区切り文字として使用される文字。",
+ "wordWrap.off": "行を折り返しません。",
+ "wordWrap.on": "行をビューポートの幅で折り返します。",
+ "wordWrap.wordWrapColumn": "`#editor.wordWrapColumn#` で行を折り返します。",
+ "wordWrap.bounded": "ビューポートと `#editor.wordWrapColumn#` の最小値で行を折り返します。",
+ "wordWrap": "行の折り返し方法を制御します。",
+ "wordWrapColumn": "`#editor.wordWrap#` が `wordWrapColumn` または `bounded` の場合に、エディターの折り返し桁を制御します。",
+ "wrappingIndent.none": "インデントしません。 折り返し行は列 1 から始まります。",
+ "wrappingIndent.same": "折り返し行は、親と同じインデントになります。",
+ "wrappingIndent.indent": "折り返し行は、親 +1 のインデントになります。",
+ "wrappingIndent.deepIndent": "折り返し行は、親 +2 のインデントになります。",
+ "wrappingIndent": "折り返し行のインデントを制御します。",
+ "wrappingStrategy.simple": "すべての文字の幅が同じであると仮定します。これは、モノスペース フォントや、グリフの幅が等しい特定のスクリプト (ラテン文字など) で正しく動作する高速アルゴリズムです。",
+ "wrappingStrategy.advanced": "折り返しポイントの計算をブラウザーにデリゲートします。これは、大きなファイルのフリーズを引き起こす可能性があるものの、すべてのケースで正しく動作する低速なアルゴリズムです。",
+ "wrappingStrategy": "折り返しポイントを計算するアルゴリズムを制御します。"
+ },
+ "vs/editor/common/view/editorColorRegistry": {
+ "lineHighlight": "カーソル位置の行を強調表示する背景色。",
+ "lineHighlightBorderBox": "カーソル位置の行の境界線を強調表示する背景色。",
+ "rangeHighlight": "(Quick Open や検出機能などにより) 強調表示されている範囲の色。この色は、基本装飾が非表示にならないよう不透明にすることはできません。",
+ "rangeHighlightBorder": "強調表示された範囲の境界線の背景色。",
+ "symbolHighlight": "強調表示された記号の背景色 (定義へ移動、次または前の記号へ移動など)。基になる装飾が覆われないようにするため、色を不透明にすることはできません。",
+ "symbolHighlightBorder": "強調表示された記号の周りの境界線の背景色。",
+ "caret": "エディターのカーソルの色。",
+ "editorCursorBackground": "選択された文字列の背景色です。選択された文字列の背景色をカスタマイズ出来ます。",
+ "editorWhitespaces": "エディターのスペース文字の色。",
+ "editorIndentGuides": "エディター インデント ガイドの色。",
+ "editorActiveIndentGuide": "アクティブなエディターのインデント ガイドの色。",
+ "editorLineNumbers": "エディターの行番号の色。",
+ "editorActiveLineNumber": "エディターのアクティブ行番号の色",
+ "deprecatedEditorActiveLineNumber": "id は使用しないでください。代わりに 'EditorLineNumber.activeForeground' を使用してください。",
+ "editorRuler": "エディター ルーラーの色。",
+ "editorCodeLensForeground": "CodeLens エディターの前景色。",
+ "editorBracketMatchBackground": "一致するかっこの背景色",
+ "editorBracketMatchBorder": "一致するかっこ内のボックスの色",
+ "editorOverviewRulerBorder": "概要ルーラーの境界色。",
+ "editorOverviewRulerBackground": "エディターの概要ルーラーの背景色です。ミニマップが有効で、エディターの右側に配置されている場合にのみ使用します。",
+ "editorGutter": "エディターの余白の背景色。余白にはグリフ マージンと行番号が含まれます。",
+ "unnecessaryCodeBorder": "エディターでの不要な (未使用の) ソース コードの罫線の色。",
+ "unnecessaryCodeOpacity": "エディター内の不要な (未使用の) ソース コードの不透明度。たとえば、\"#000000c0\" は不透明度 75% でコードを表示します。ハイ コントラストのテーマの場合、'editorUnnecessaryCode.border' テーマ色を使用して、不要なコードをフェードアウトするのではなく下線を付けます。",
+ "overviewRulerRangeHighlight": "範囲強調表示のための概要ルーラー マーカーの色。この色は、基本装飾が非表示にならないよう不透明にすることはできません。",
+ "overviewRuleError": "エラーを示す概要ルーラーのマーカー色。",
+ "overviewRuleWarning": "警告を示す概要ルーラーのマーカー色。",
+ "overviewRuleInfo": "情報を示す概要ルーラーのマーカー色。"
+ },
+ "vs/editor/common/model/editStack": {
+ "edit": "入力しています"
+ },
+ "vs/editor/browser/controller/coreCommands": {
+ "stickydesc": "長い行に移動しても行末に位置します"
+ },
+ "vs/editor/browser/widget/codeEditorWidget": {
+ "cursors.maximum": "カーソルの数は {0} 個に制限されています。"
+ },
+ "vs/editor/browser/widget/diffEditorWidget": {
+ "diffInsertIcon": "差分エディターで挿入を示す線の装飾。",
+ "diffRemoveIcon": "差分エディターで削除を示す線の装飾。",
+ "diff.tooLarge": "一方のファイルが大きすぎるため、ファイルを比較できません。"
+ },
+ "vs/editor/common/standaloneStrings": {
+ "noSelection": "選択されていません",
+ "singleSelectionRange": "行 {0}、列 {1} ({2} 個選択済み)",
+ "singleSelection": "行 {0}、列 {1}",
+ "multiSelectionRange": "{0} 個の選択項目 ({1} 文字を選択)",
+ "multiSelection": "{0} 個の選択項目",
+ "emergencyConfOn": "`accessibilitySupport` 設定を 'on' に変更しています。",
+ "openingDocs": "エディターのアクセシビリティに関連するドキュメント ページを開いています。",
+ "readonlyDiffEditor": "差分エディターの読み取り専用ウィンドウ内。",
+ "editableDiffEditor": "差分エディターのウィンドウ内。",
+ "readonlyEditor": "読み取り専用コード エディター内",
+ "editableEditor": "コード エディター内",
+ "changeConfigToOnMac": "エディターを構成してスクリーン エディターで使用するように最適化するには、Command+E を押してください。",
+ "changeConfigToOnWinLinux": "エディターを構成してスクリーン リーダーで使用するように最適化するには、Control+E を押します。",
+ "auto_on": "エディターは、スクリーン リーダーで使用するよう最適化されるように構成されています。",
+ "auto_off": "エディターは、スクリーン リーダーで使用するよう最適化されないように構成されていますが、現時点でこの設定は当てはまりません。",
+ "tabFocusModeOnMsg": "現在のエディターで Tab キーを押すと、次のフォーカス可能な要素にフォーカスを移動します。{0} を押すと、この動作が切り替わります。",
+ "tabFocusModeOnMsgNoKb": "現在のエディターで Tab キーを押すと、次のフォーカス可能な要素にフォーカスを移動します。コマンド {0} は、キー バインドでは現在トリガーできません。",
+ "tabFocusModeOffMsg": "現在のエディターで Tab キーを押すと、タブ文字が挿入されます。{0} を押すと、この動作が切り替わります。",
+ "tabFocusModeOffMsgNoKb": "現在のエディターで Tab キーを押すと、タブ文字が挿入されます。コマンド {0} は、キー バインドでは現在トリガーできません。",
+ "openDocMac": "エディターのアクセシビリティに関する詳細情報が記されたブラウザー ウィンドウを開くには、Command+H を押してください。",
+ "openDocWinLinux": "エディターのアクセシビリティに関する詳細情報が記されたブラウザー ウィンドウを開くには、Control+H を押してください。",
+ "outroMsg": "Esc キー か Shift+Esc を押すと、ヒントを消してエディターに戻ることができます。",
+ "showAccessibilityHelpAction": "アクセシビリティのヘルプを表示します",
+ "inspectTokens": "開発者: トークンの検査",
+ "gotoLineActionLabel": "行/列に移動する...",
+ "helpQuickAccess": "すべてのクイック アクセス プロバイダーを表示",
+ "quickCommandActionLabel": "コマンド パレット",
+ "quickCommandActionHelp": "コマンドの表示と実行",
+ "quickOutlineActionLabel": "シンボルに移動...",
+ "quickOutlineByCategoryActionLabel": "カテゴリ別のシンボルへ移動...",
+ "editorViewAccessibleLabel": "エディターのコンテンツ",
+ "accessibilityHelpMessage": "アクティビティ オプションを表示するには、Alt+F1 キーを押します。",
+ "toggleHighContrast": "ハイ コントラスト テーマの切り替え",
+ "bulkEditServiceSummary": "{1} 個のファイルに {0} 個の編集が行われました"
+ },
+ "vs/editor/common/config/commonEditorConfig": {
+ "editorConfigurationTitle": "エディター",
+ "tabSize": "1 つのタブに相当するスペースの数。`#editor.detectIndentation#` がオンの場合、この設定はファイル コンテンツに基づいて上書きされます。",
+ "insertSpaces": "`Tab` キーを押すとスペースが挿入されます。`#editor.detectIndentation#` がオンの場合、この設定はファイル コンテンツに基づいて上書きされます。",
+ "detectIndentation": "ファイルがファイルの内容に基づいて開かれる場合、`#editor.tabSize#` と `#editor.insertSpaces#` を自動的に検出するかどうかを制御します。",
+ "trimAutoWhitespace": "自動挿入された末尾の空白を削除します。",
+ "largeFileOptimizations": "大きなファイルでメモリが集中する特定の機能を無効にするための特別な処理。",
+ "wordBasedSuggestions": "ドキュメント内の単語に基づいて入力候補を計算するかどうかを制御します。",
+ "wordBasedSuggestionsMode.currentDocument": "アクティブなドキュメントからのみ単語の候補を表示します。",
+ "wordBasedSuggestionsMode.matchingDocuments": "同じ言語の開いているすべてのドキュメントから単語の候補を表示します。",
+ "wordBasedSuggestionsMode.allDocuments": "開いているすべてのドキュメントから単語の候補を表示します。",
+ "wordBasedSuggestionsMode": "単語ベースの補完が計算されるドキュメントを制御します。",
+ "semanticHighlighting.true": "セマンティックの強調表示がすべての配色テーマについて有効になりました。",
+ "semanticHighlighting.false": "セマンティックの強調表示がすべての配色テーマについて無効になりました。",
+ "semanticHighlighting.configuredByTheme": "セマンティックの強調表示は、現在の配色テーマの 'semanticHighlighting' 設定によって構成されています。",
+ "semanticHighlighting.enabled": "semanticHighlighting をサポートされる言語で表示するかどうかを制御します。",
+ "stablePeek": "エディターのコンテンツをダブルクリックするか、`Escape` キーを押しても、ピーク エディターを開いたままにします。",
+ "maxTokenizationLineLength": "この長さを越える行は、パフォーマンス上の理由によりトークン化されません。",
+ "maxComputationTime": "差分計算が取り消された後のタイムアウト (ミリ秒単位)。タイムアウトなしには 0 を使用します。",
+ "sideBySide": "差分エディターが差分を横に並べて表示するか、行内に表示するかを制御します。",
+ "ignoreTrimWhitespace": "有効にすると、差分エディターは先頭または末尾の空白文字の変更を無視します。",
+ "renderIndicators": "差分エディターが追加/削除された変更に +/- インジケーターを示すかどうかを制御します。",
+ "codeLens": "エディターで CodeLens を表示するかどうかを制御します。",
+ "wordWrap.off": "行を折り返しません。",
+ "wordWrap.on": "行をビューポートの幅で折り返します。",
+ "wordWrap.inherit": "行は、`#editor.wordWrap#` 設定に従って折り返されます。"
+ },
+ "vs/editor/browser/widget/diffReview": {
+ "diffReviewInsertIcon": "差分レビューでの '挿入' のアイコン。",
+ "diffReviewRemoveIcon": "差分レビューでの '削除' のアイコン。",
+ "diffReviewCloseIcon": "差分レビューでの '閉じる' のアイコン。",
+ "label.close": "閉じる",
+ "no_lines_changed": "変更された行はありません",
+ "one_line_changed": "1 行が変更されました",
+ "more_lines_changed": "{0} 行が変更されました",
+ "header": "相違 {0}/{1}: 元の行 {2}、{3}。変更された行 {4}、{5}",
+ "blankLine": "空白",
+ "unchangedLine": "{0} 変更されていない行 {1}",
+ "equalLine": "{0} 元の行 {1} 変更された行 {2}",
+ "insertLine": "+ {0} 変更された行 {1}",
+ "deleteLine": "- {0} 元の行 {1}",
+ "editor.action.diffReview.next": "次の差分に移動",
+ "editor.action.diffReview.prev": "前の差分に移動"
+ },
+ "vs/editor/browser/widget/inlineDiffMargin": {
+ "diff.clipboard.copyDeletedLinesContent.label": "削除された行のコピー",
+ "diff.clipboard.copyDeletedLinesContent.single.label": "削除された行のコピー",
+ "diff.clipboard.copyDeletedLineContent.label": "削除された行のコピー ({0})",
+ "diff.inline.revertChange.label": "この変更を元に戻す"
+ },
+ "vs/editor/browser/controller/textAreaHandler": {
+ "editor": "エディター",
+ "accessibilityOffAriaLabel": "この時点では、エディターにアクセスできません。オプションを表示するには、{0} を押します。"
+ },
+ "vs/editor/contrib/clipboard/clipboard": {
+ "miCut": "切り取り(&&T)",
+ "actions.clipboard.cutLabel": "切り取り",
+ "miCopy": "コピー(&&C)",
+ "actions.clipboard.copyLabel": "コピー",
+ "miPaste": "貼り付け(&&P)",
+ "actions.clipboard.pasteLabel": "貼り付け",
+ "actions.clipboard.copyWithSyntaxHighlightingLabel": "構文を強調表示してコピー"
+ },
+ "vs/editor/contrib/anchorSelect/anchorSelect": {
+ "selectionAnchor": "選択アンカー",
+ "anchorSet": "アンカーが {0}:{1} に設定されました",
+ "setSelectionAnchor": "選択アンカーの設定",
+ "goToSelectionAnchor": "選択アンカーへ移動",
+ "selectFromAnchorToCursor": "アンカーからカーソルへ選択",
+ "cancelSelectionAnchor": "選択アンカーの取り消し"
+ },
+ "vs/editor/contrib/bracketMatching/bracketMatching": {
+ "overviewRulerBracketMatchForeground": "一致するブラケットを示す概要ルーラーのマーカー色。",
+ "smartSelect.jumpBracket": "ブラケットへ移動",
+ "smartSelect.selectToBracket": "ブラケットに選択",
+ "miGoToBracket": "ブラケットに移動(&&B)"
+ },
+ "vs/editor/contrib/caretOperations/caretOperations": {
+ "caret.moveLeft": "選択したテキストを左に移動",
+ "caret.moveRight": "選択したテキストを右に移動"
+ },
+ "vs/editor/contrib/caretOperations/transpose": {
+ "transposeLetters.label": "文字の入れ替え"
+ },
+ "vs/editor/contrib/codelens/codelensController": {
+ "showLensOnLine": "現在の行のコード レンズ コマンドを表示"
+ },
+ "vs/editor/contrib/comment/comment": {
+ "comment.line": "行コメントの切り替え",
+ "miToggleLineComment": "行コメントの切り替え(&&T)",
+ "comment.line.add": "行コメントの追加",
+ "comment.line.remove": "行コメントの削除",
+ "comment.block": "ブロック コメントの切り替え",
+ "miToggleBlockComment": "ブロック コメントの切り替え(&&B)"
+ },
+ "vs/editor/contrib/contextmenu/contextmenu": {
+ "action.showContextMenu.label": "エディターのコンテキスト メニューの表示"
+ },
+ "vs/editor/contrib/cursorUndo/cursorUndo": {
+ "cursor.undo": "カーソルを元に戻す",
+ "cursor.redo": "カーソルのやり直し"
+ },
+ "vs/editor/contrib/find/findController": {
+ "startFindAction": "検索",
+ "miFind": "検索(&&F)",
+ "startFindWithSelectionAction": "選択範囲で検索",
+ "findNextMatchAction": "次を検索",
+ "findPreviousMatchAction": "前を検索",
+ "nextSelectionMatchFindAction": "次の選択項目を検索",
+ "previousSelectionMatchFindAction": "前の選択項目を検索",
+ "startReplace": "置換",
+ "miReplace": "置換(&&R)"
+ },
+ "vs/editor/contrib/folding/folding": {
+ "unfoldAction.label": "展開",
+ "unFoldRecursivelyAction.label": "再帰的に展開する",
+ "foldAction.label": "折りたたみ",
+ "toggleFoldAction.label": "折りたたみの切り替え",
+ "foldRecursivelyAction.label": "再帰的に折りたたむ",
+ "foldAllBlockComments.label": "すべてのブロック コメントの折りたたみ",
+ "foldAllMarkerRegions.label": "すべての領域を折りたたむ",
+ "unfoldAllMarkerRegions.label": "すべての領域を展開",
+ "foldAllAction.label": "すべて折りたたみ",
+ "unfoldAllAction.label": "すべて展開",
+ "foldLevelAction.label": "レベル {0} で折りたたむ",
+ "foldBackgroundBackground": "折り曲げる範囲の背景色。基の装飾を隠さないように、色は不透明であってはなりません。",
+ "editorGutter.foldingControlForeground": "エディターの余白にある折りたたみコントロールの色。"
+ },
+ "vs/editor/contrib/fontZoom/fontZoom": {
+ "EditorFontZoomIn.label": "エディターのフォントを拡大",
+ "EditorFontZoomOut.label": "エディターのフォントを縮小",
+ "EditorFontZoomReset.label": "エディターのフォントのズームをリセット"
+ },
+ "vs/editor/contrib/format/formatActions": {
+ "formatDocument.label": "ドキュメントのフォーマット",
+ "formatSelection.label": "選択範囲のフォーマット"
+ },
+ "vs/editor/contrib/gotoSymbol/goToCommands": {
+ "peek.submenu": "ピーク",
+ "def.title": "定義",
+ "noResultWord": "'{0}' の定義は見つかりません",
+ "generic.noResults": "定義が見つかりません",
+ "actions.goToDecl.label": "定義へ移動",
+ "miGotoDefinition": "定義に移動(&&D)",
+ "actions.goToDeclToSide.label": "定義を横に開く",
+ "actions.previewDecl.label": "定義をここに表示",
+ "decl.title": "宣言",
+ "decl.noResultWord": "'{0}' の宣言が見つかりません",
+ "decl.generic.noResults": "宣言が見つかりません",
+ "actions.goToDeclaration.label": "宣言へ移動",
+ "miGotoDeclaration": "宣言へ移動(&&D)",
+ "actions.peekDecl.label": "宣言をここに表示",
+ "typedef.title": "型定義",
+ "goToTypeDefinition.noResultWord": "'{0}' の型定義が見つかりません",
+ "goToTypeDefinition.generic.noResults": "型定義が見つかりません",
+ "actions.goToTypeDefinition.label": "型定義へ移動",
+ "miGotoTypeDefinition": "型定義に移動(&&T)",
+ "actions.peekTypeDefinition.label": "型定義を表示",
+ "impl.title": "実装",
+ "goToImplementation.noResultWord": "'{0}' の実装が見つかりません",
+ "goToImplementation.generic.noResults": "実装が見つかりません",
+ "actions.goToImplementation.label": "実装へ移動",
+ "miGotoImplementation": "実装箇所に移動(&&I)",
+ "actions.peekImplementation.label": "実装のピーク",
+ "references.no": "'{0}' の参照が見つかりません",
+ "references.noGeneric": "参照が見つかりません",
+ "goToReferences.label": "参照へ移動",
+ "miGotoReference": "参照へ移動(&&R)",
+ "ref.title": "参照設定",
+ "references.action.label": "参照をここに表示",
+ "label.generic": "任意の記号へ移動",
+ "generic.title": "場所",
+ "generic.noResult": "'{0}' に一致する結果は見つかりませんでした"
+ },
+ "vs/editor/contrib/hover/hover": {
+ "showHover": "ホバーの表示",
+ "showDefinitionPreviewHover": "定義プレビューのホバーを表示する"
+ },
+ "vs/editor/contrib/gotoSymbol/link/goToDefinitionAtPosition": {
+ "multipleResults": "クリックして、{0} の定義を表示します。"
+ },
+ "vs/editor/contrib/gotoError/gotoError": {
+ "markerAction.next.label": "次の問題 (エラー、警告、情報) へ移動",
+ "nextMarkerIcon": "次のマーカーへ移動するためのアイコン。",
+ "markerAction.previous.label": "前の問題 (エラー、警告、情報) へ移動",
+ "previousMarkerIcon": "前のマーカーへ移動するためのアイコン。",
+ "markerAction.nextInFiles.label": "ファイル内の次の問題 (エラー、警告、情報) へ移動",
+ "miGotoNextProblem": "次の問題箇所(&&P)",
+ "markerAction.previousInFiles.label": "ファイル内の前の問題 (エラー、警告、情報) へ移動",
+ "miGotoPreviousProblem": "前の問題箇所(&&P)"
+ },
+ "vs/editor/contrib/indentation/indentation": {
+ "indentationToSpaces": "インデントをスペースに変換",
+ "indentationToTabs": "インデントをタブに変換",
+ "configuredTabSize": "構成されたタブのサイズ",
+ "selectTabWidth": "現在のファイルのタブのサイズを選択",
+ "indentUsingTabs": "タブによるインデント",
+ "indentUsingSpaces": "スペースによるインデント",
+ "detectIndentation": "内容からインデントを検出",
+ "editor.reindentlines": "行の再インデント",
+ "editor.reindentselectedlines": "選択行を再インデント"
+ },
+ "vs/editor/contrib/inPlaceReplace/inPlaceReplace": {
+ "InPlaceReplaceAction.previous.label": "前の値に置換",
+ "InPlaceReplaceAction.next.label": "次の値に置換"
+ },
+ "vs/editor/contrib/linesOperations/linesOperations": {
+ "lines.copyUp": "行を上へコピー",
+ "miCopyLinesUp": "行を上へコピー(&&C)",
+ "lines.copyDown": "行を下へコピー",
+ "miCopyLinesDown": "行を下へコピー(&&P)",
+ "duplicateSelection": "選択範囲の複製",
+ "miDuplicateSelection": "選択範囲の複製(&&D)",
+ "lines.moveUp": "行を上へ移動",
+ "miMoveLinesUp": "行を上へ移動(&&V)",
+ "lines.moveDown": "行を下へ移動",
+ "miMoveLinesDown": "行を下へ移動(&&L)",
+ "lines.sortAscending": "行を昇順に並べ替え",
+ "lines.sortDescending": "行を降順に並べ替え",
+ "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": "先頭文字を大文字に変換する"
+ },
+ "vs/editor/contrib/linkedEditing/linkedEditing": {
+ "linkedEditing.label": "リンクされた編集の開始",
+ "editorLinkedEditingBackground": "エディターが型の名前の自動変更を行うときの背景色です。"
+ },
+ "vs/editor/contrib/links/links": {
+ "links.navigate.executeCmd": "コマンドの実行",
+ "links.navigate.follow": "リンク先を表示",
+ "links.navigate.kb.meta.mac": "cmd + クリック",
+ "links.navigate.kb.meta": "ctrl + クリック",
+ "links.navigate.kb.alt.mac": "option + クリック",
+ "links.navigate.kb.alt": "alt + クリック",
+ "tooltip.explanation": "コマンド {0} の実行",
+ "invalid.url": "このリンクは形式が正しくないため開くことができませんでした: {0}",
+ "missing.url": "このリンクはターゲットが存在しないため開くことができませんでした。",
+ "label": "リンクを開く"
+ },
+ "vs/editor/contrib/multicursor/multicursor": {
+ "mutlicursor.insertAbove": "カーソルを上に挿入",
+ "miInsertCursorAbove": "カーソルを上に挿入(&&A)",
+ "mutlicursor.insertBelow": "カーソルを下に挿入",
+ "miInsertCursorBelow": "カーソルを下に挿入(&&D)",
+ "mutlicursor.insertAtEndOfEachLineSelected": "カーソルを行末に挿入",
+ "miInsertCursorAtEndOfEachLineSelected": "カーソルを行末に挿入(&&U)",
+ "mutlicursor.addCursorsToBottom": "カーソルを下に挿入",
+ "mutlicursor.addCursorsToTop": "カーソルを上に挿入",
+ "addSelectionToNextFindMatch": "選択した項目を次の一致項目に追加",
+ "miAddSelectionToNextFindMatch": "次の出現個所を追加(&&N)",
+ "addSelectionToPreviousFindMatch": "選択項目を次の一致項目に追加",
+ "miAddSelectionToPreviousFindMatch": "前の出現箇所を追加(&&R)",
+ "moveSelectionToNextFindMatch": "最後に選択した項目を次の一致項目に移動",
+ "moveSelectionToPreviousFindMatch": "最後に選んだ項目を前の一致項目に移動する",
+ "selectAllOccurrencesOfFindMatch": "一致するすべての出現箇所を選択します",
+ "miSelectHighlights": "すべての出現箇所を選択(&&O)",
+ "changeAll.label": "すべての出現箇所を変更"
+ },
+ "vs/editor/contrib/parameterHints/parameterHints": {
+ "parameterHints.trigger.label": "パラメーター ヒントをトリガー"
+ },
+ "vs/editor/contrib/rename/rename": {
+ "no result": "結果がありません。",
+ "resolveRenameLocationFailed": "名前変更の場所を解決しようとして不明なエラーが発生しました",
+ "label": "'{0}' の名前の変更中",
+ "quotableLabel": "{0} の名前を変更しています",
+ "aria": "'{0}' から '{1}' への名前変更が正常に完了しました。概要: {2}",
+ "rename.failedApply": "名前の変更で編集を適用できませんでした",
+ "rename.failed": "名前の変更によって編集の計算に失敗しました",
+ "rename.label": "シンボルの名前変更",
+ "enablePreview": "名前を変更する前に変更をプレビューする機能を有効または無効にする"
+ },
+ "vs/editor/contrib/smartSelect/smartSelect": {
+ "smartSelect.expand": "選択範囲を拡張",
+ "miSmartSelectGrow": "選択範囲の展開(&&E)",
+ "smartSelect.shrink": "選択範囲を縮小",
+ "miSmartSelectShrink": "選択範囲の縮小(&&S)"
+ },
+ "vs/editor/contrib/suggest/suggestController": {
+ "aria.alert.snippet": "{1} が追加編集した '{0}' を受け入れる",
+ "suggest.trigger.label": "候補をトリガー",
+ "accept.insert": "挿入",
+ "accept.replace": "置換",
+ "detail.more": "表示を減らす",
+ "detail.less": "さらに表示",
+ "suggest.reset.label": "候補のウィジェットのサイズをリセット"
+ },
+ "vs/editor/contrib/tokenization/tokenization": {
+ "forceRetokenize": "開発者: トークン再作成の強制"
+ },
+ "vs/editor/contrib/toggleTabFocusMode/toggleTabFocusMode": {
+ "toggle.tabMovesFocus": "Tab キーを切り替えるとフォーカスが移動します",
+ "toggle.tabMovesFocus.on": "Tab キーを押すと、次のフォーカス可能な要素にフォーカスを移動します",
+ "toggle.tabMovesFocus.off": "Tab キーを押すと、タブ文字が挿入されます"
+ },
+ "vs/editor/contrib/unusualLineTerminators/unusualLineTerminators": {
+ "unusualLineTerminators.title": "普通ではない行終端記号",
+ "unusualLineTerminators.message": "普通ではない行終端記号が検出されました",
+ "unusualLineTerminators.detail": "このファイルには、行区切り文字 (LS) や段落区切り記号 (PS) などの特殊な行の終端文字が 1 つ以上含まれています。\r\n\r\nそれらの終端文字はファイルから削除することをお勧めします。これは 'editor.unusualLineTerminators' を使用して構成できます。",
+ "unusualLineTerminators.fix": "このファイルを修正",
+ "unusualLineTerminators.ignore": "このファイルでは問題を無視する"
+ },
+ "vs/editor/contrib/wordHighlighter/wordHighlighter": {
+ "wordHighlight": "変数の読み取りなど、読み取りアクセス中のシンボルの背景色。下にある装飾を隠さないために、色は不透過であってはなりません。",
+ "wordHighlightStrong": "変数への書き込みなど、書き込みアクセス中のシンボル背景色。下にある装飾を隠さないために、色は不透過であってはなりません。",
+ "wordHighlightBorder": "変数の読み取りなど読み取りアクセス中のシンボルの境界線の色。",
+ "wordHighlightStrongBorder": "変数への書き込みなど書き込みアクセス中のシンボルの境界線の色。",
+ "overviewRulerWordHighlightForeground": "シンボルによって強調表示される概要ルーラーのマーカーの色。マーカーの色は、基になる装飾を隠さないように不透明以外にします。",
+ "overviewRulerWordHighlightStrongForeground": "書き込みアクセス シンボルを強調表示する概要ルーラーのマーカー色。下にある装飾を隠さないために、色は不透過であってはなりません。",
+ "wordHighlight.next.label": "次のシンボル ハイライトに移動",
+ "wordHighlight.previous.label": "前のシンボル ハイライトに移動",
+ "wordHighlight.trigger.label": "シンボル ハイライトをトリガー"
+ },
+ "vs/editor/contrib/wordOperations/wordOperations": {
+ "deleteInsideWord": "単語の削除"
+ },
+ "vs/editor/contrib/quickAccess/gotoLineQuickAccess": {
+ "cannotRunGotoLine": "最初にテキスト エディターを開いて、行に移動します。",
+ "gotoLineColumnLabel": "行 {0}、列 {1} に移動します。",
+ "gotoLineLabel": "{0} 行に移動します。",
+ "gotoLineLabelEmptyWithLimit": "現在の行: {0}、文字: {1}。移動先となる、1 から {2} までの行番号を入力します。",
+ "gotoLineLabelEmpty": "現在の行: {0}、文字: {1}。移動先の行番号を入力します。"
+ },
+ "vs/editor/contrib/peekView/peekView": {
+ "label.close": "閉じる",
+ "peekViewTitleBackground": "ピーク ビューのタイトル領域の背景色。",
+ "peekViewTitleForeground": "ピーク ビュー タイトルの色。",
+ "peekViewTitleInfoForeground": "ピーク ビューのタイトル情報の色。",
+ "peekViewBorder": "ピーク ビューの境界と矢印の色。",
+ "peekViewResultsBackground": "ピーク ビュー結果リストの背景色。",
+ "peekViewResultsMatchForeground": "ピーク ビュー結果リストのライン ノードの前景色。",
+ "peekViewResultsFileForeground": "ピーク ビュー結果リストのファイル ノードの前景色。",
+ "peekViewResultsSelectionBackground": "ピーク ビュー結果リストの選択済みエントリの背景色。",
+ "peekViewResultsSelectionForeground": "ピーク ビュー結果リストの選択済みエントリの前景色。",
+ "peekViewEditorBackground": "ピーク ビュー エディターの背景色。",
+ "peekViewEditorGutterBackground": "ピーク ビュー エディターの余白の背景色。",
+ "peekViewResultsMatchHighlight": "ピーク ビュー結果リストの一致した強調表示色。",
+ "peekViewEditorMatchHighlight": "ピーク ビュー エディターの一致した強調表示色。",
+ "peekViewEditorMatchHighlightBorder": "ピーク ビュー エディターの一致した強調境界色。"
+ },
+ "vs/editor/contrib/codeAction/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": "'{0}' に対して使用できる優先コード アクションがありません",
+ "editor.action.codeAction.noneMessage.kind": "{0}' に対して使用できるコード アクションがありません",
+ "editor.action.codeAction.noneMessage.preferred": "使用できる優先コード アクションがありません",
+ "editor.action.codeAction.noneMessage": "利用可能なコード アクションはありません",
+ "refactor.label": "リファクター...",
+ "editor.action.refactor.noneMessage.preferred.kind": "'{0}' に対して使用できる優先リファクタリングがありません",
+ "editor.action.refactor.noneMessage.kind": "'{0}' に対して使用できるリファクタリングがありません",
+ "editor.action.refactor.noneMessage.preferred": "使用できる優先リファクタリングがありません",
+ "editor.action.refactor.noneMessage": "利用可能なリファクタリングはありません",
+ "source.label": "ソース アクション...",
+ "editor.action.source.noneMessage.preferred.kind": "'{0}' に対して使用できる優先ソース アクションがありません",
+ "editor.action.source.noneMessage.kind": "'{0}' に対して使用できるソース アクションがありません",
+ "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/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": "最初の {0} 件の結果だけが強調表示されますが、すべての検索操作はテキスト全体で機能します。",
+ "label.matchesLocation": "{0} / {1} 件",
+ "label.noResults": "結果はありません。",
+ "ariaSearchNoResultEmpty": "{0} が見つかりました",
+ "ariaSearchNoResult": "{0} が '{1}' で見つかりました",
+ "ariaSearchNoResultWithLineNum": "{0} は '{1}' で {2} に見つかりました",
+ "ariaSearchNoResultWithLineNumNoCurrentMatch": "{0} が '{1}' で見つかりました",
+ "ctrlEnter.keybindingChanged": "Ctrl + Enter キーを押すと、すべて置換するのではなく、改行が挿入されるようになりました。editor.action.replaceAll のキーバインドを変更して、この動作をオーバーライドできます。"
+ },
+ "vs/editor/contrib/folding/foldingDecorations": {
+ "foldingExpandedIcon": "エディターのグリフ余白内の展開された範囲のアイコン。",
+ "foldingCollapsedIcon": "エディターのグリフ余白内の折りたたまれた範囲のアイコン。"
+ },
+ "vs/editor/contrib/format/format": {
+ "hint11": "行 {0} で 1 つの書式設定を編集",
+ "hintn1": "行 {1} で {0} 個の書式設定を編集",
+ "hint1n": "行 {0} と {1} の間で 1 つの書式設定を編集",
+ "hintnn": "行 {1} と {2} の間で {0} 個の書式設定を編集"
+ },
+ "vs/editor/contrib/message/messageController": {
+ "editor.readonly": "読み取り専用のエディターは編集できません"
+ },
+ "vs/editor/contrib/gotoSymbol/peek/referencesController": {
+ "labelLoading": "読み込んでいます...",
+ "metaTitle.N": "{0} ({1})"
+ },
+ "vs/editor/contrib/gotoSymbol/referencesModel": {
+ "aria.oneReference": "列 {2} の {1} 行目に {0} つのシンボル",
+ "aria.oneReference.preview": "列 {2}、{3} の {1} 行目の {0} にある記号",
+ "aria.fileReferences.1": "{0} に 1 個のシンボル、完全なパス {1}",
+ "aria.fileReferences.N": "{1} に {0} 個のシンボル、完全なパス {2}",
+ "aria.result.0": "一致する項目はありません",
+ "aria.result.1": "{0} に 1 個のシンボルが見つかりました",
+ "aria.result.n1": "{1} に {0} 個のシンボルが見つかりました",
+ "aria.result.nm": "{1} 個のファイルに {0} 個のシンボルが見つかりました"
+ },
+ "vs/editor/contrib/gotoSymbol/symbolNavigation": {
+ "location.kb": "{1} のシンボル {0}、次に {2}",
+ "location": "シンボル {0}/{1}"
+ },
+ "vs/editor/contrib/hover/modesContentHover": {
+ "modesContentHover.loading": "読み込んでいます...",
+ "peek problem": "問題を表示",
+ "noQuickFixes": "利用できるクイックフィックスはありません",
+ "checkingForQuickFixes": "クイックフィックスを確認しています...",
+ "quick fixes": "クイック フィックス..."
+ },
+ "vs/editor/contrib/gotoError/gotoErrorWidget": {
+ "Error": "エラー",
+ "Warning": "警告",
+ "Info": "情報",
+ "Hint": "ヒント",
+ "marker aria": "{0} ({1})。",
+ "problems": "{1} 件中 {0} 件の問題",
+ "change": "問題 {0} / {1}",
+ "editorMarkerNavigationError": "エディターのマーカー ナビゲーション ウィジェットのエラーの色。",
+ "editorMarkerNavigationWarning": "エディターのマーカー ナビゲーション ウィジェットの警告の色。",
+ "editorMarkerNavigationInfo": "エディターのマーカー ナビゲーション ウィジェットの情報の色。",
+ "editorMarkerNavigationBackground": "エディターのマーカー ナビゲーション ウィジェットの背景。"
+ },
+ "vs/editor/contrib/parameterHints/parameterHintsWidget": {
+ "parameterHintsNextIcon": "次のパラメーター ヒントを表示するためのアイコン。",
+ "parameterHintsPreviousIcon": "前のパラメーター ヒントを表示するためのアイコン。",
+ "hint": "{0}、ヒント"
+ },
+ "vs/editor/contrib/rename/renameInputField": {
+ "renameAriaLabel": "名前変更入力。新しい名前を入力し、Enter キーを押してコミットしてください。",
+ "label": "名前を変更するには {0}、プレビューするには {1}"
+ },
+ "vs/editor/contrib/suggest/suggestWidget": {
+ "editorSuggestWidgetBackground": "候補のウィジェットの背景色。",
+ "editorSuggestWidgetBorder": "候補ウィジェットの境界線色。",
+ "editorSuggestWidgetForeground": "候補ウィジェットの前景色。",
+ "editorSuggestWidgetSelectedBackground": "候補ウィジェット内で選択済みエントリの背景色。",
+ "editorSuggestWidgetHighlightForeground": "候補のウィジェット内で一致したハイライトの色。",
+ "suggestWidget.loading": "読み込んでいます...",
+ "suggestWidget.noSuggestions": "候補はありません。",
+ "ariaCurrenttSuggestionReadDetails": "{0}、ドキュメント: {1}",
+ "suggest": "提案"
+ },
+ "vs/editor/contrib/quickAccess/gotoSymbolQuickAccess": {
+ "cannotRunGotoSymbolWithoutEditor": "シンボルに移動するには、まずシンボル情報を含むテキスト エディターを開きます。",
+ "cannotRunGotoSymbolWithoutSymbolProvider": "アクティブなテキスト エディターでは、シンボル情報は表示されません。",
+ "noMatchingSymbolResults": "一致するエディター シンボルがありません",
+ "noSymbolResults": "エディター シンボルがありません",
+ "openToSide": "横に並べて開く",
+ "openToBottom": "一番下で開く",
+ "symbols": "シンボル ({0})",
+ "property": "プロパティ ({0})",
+ "method": "メソッド ({0})",
+ "function": "関数 ({0})",
+ "_constructor": "コンストラクター ({0})",
+ "variable": "変数 ({0})",
+ "class": "クラス ({0})",
+ "struct": "構造体 ({0})",
+ "event": "イベント ({0})",
+ "operator": "演算子 ({0})",
+ "interface": "インターフェイス ({0})",
+ "namespace": "名前空間 ({0})",
+ "package": "パッケージ ({0})",
+ "typeParameter": "型パラメーター ({0})",
+ "modules": "モジュール ({0})",
+ "enum": "列挙型 ({0})",
+ "enumMember": "列挙型メンバー ({0})",
+ "string": "文字列 ({0})",
+ "file": "ファイル ({0})",
+ "array": "配列 ({0})",
+ "number": "数値 ({0})",
+ "boolean": "ブール値 ({0})",
+ "object": "オブジェクト ({0})",
+ "key": "キー ({0})",
+ "field": "フィールド ({0})",
+ "constant": "定数 ({0})"
+ },
+ "vs/editor/contrib/snippet/snippetVariables": {
+ "Sunday": "日曜日",
+ "Monday": "月曜日",
+ "Tuesday": "火曜日",
+ "Wednesday": "水曜日",
+ "Thursday": "木曜日",
+ "Friday": "金曜日",
+ "Saturday": "土曜日",
+ "SundayShort": "日",
+ "MondayShort": "月",
+ "TuesdayShort": "火",
+ "WednesdayShort": "水",
+ "ThursdayShort": "木",
+ "FridayShort": "金",
+ "SaturdayShort": "土",
+ "January": "1 月",
+ "February": "2 月",
+ "March": "3 月",
+ "April": "4 月",
+ "May": "5 月",
+ "June": "6 月",
+ "July": "7 月",
+ "August": "8 月",
+ "September": "9 月",
+ "October": "10 月",
+ "November": "11 月",
+ "December": "12 月",
+ "JanuaryShort": "1 月",
+ "FebruaryShort": "2 月",
+ "MarchShort": "3 月",
+ "AprilShort": "4 月",
+ "MayShort": "5 月",
+ "JuneShort": "6 月",
+ "JulyShort": "7 月",
+ "AugustShort": "8 月",
+ "SeptemberShort": "9 月",
+ "OctoberShort": "10 月",
+ "NovemberShort": "11 月",
+ "DecemberShort": "12 月"
+ },
+ "vs/editor/contrib/documentSymbols/outlineTree": {
+ "title.template": "{0} ({1})",
+ "1.problem": "この要素に 1 個の問題",
+ "N.problem": "この要素に {0} 個の問題",
+ "deep.problem": "問題のある要素が含まれています",
+ "Array": "配列",
+ "Boolean": "ブール値",
+ "Class": "クラス",
+ "Constant": "定数",
+ "Constructor": "コンストラクター",
+ "Enum": "列挙型",
+ "EnumMember": "列挙型メンバー",
+ "Event": "イベント",
+ "Field": "フィールド",
+ "File": "ファイル",
+ "Function": "関数",
+ "Interface": "インターフェイス",
+ "Key": "キー",
+ "Method": "メソッド",
+ "Module": "モジュール",
+ "Namespace": "名前空間",
+ "Null": "NULL",
+ "Number": "数値",
+ "Object": "オブジェクト",
+ "Operator": "演算子",
+ "Package": "パッケージ",
+ "Property": "プロパティ",
+ "String": "文字列",
+ "Struct": "構造体",
+ "TypeParameter": "型パラメーター",
+ "Variable": "変数",
+ "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": "Null 記号の前景色。これらの記号は、アウトライン、階層リンク、および候補のウィジェットに表示されます。",
+ "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/editor/contrib/gotoSymbol/peek/referencesWidget": {
+ "missingPreviewMessage": "プレビューを表示できません",
+ "noResults": "結果はありません。",
+ "peekView.alternateTitle": "参照設定"
+ },
+ "vs/editor/contrib/suggest/suggestWidgetDetails": {
+ "details.close": "閉じる",
+ "loading": "読み込んでいます..."
+ },
+ "vs/editor/contrib/suggest/suggestWidgetStatus": {
+ "ddd": "{0} ({1})"
+ },
+ "vs/editor/contrib/suggest/suggestWidgetRenderer": {
+ "suggestMoreInfoIcon": "提案ウィジェットの詳細情報のアイコン。",
+ "readMore": "詳細を参照"
+ },
+ "vs/editor/contrib/codeAction/lightBulbWidget": {
+ "prefferedQuickFixWithKb": "修正プログラムを表示します。推奨される利用可能な修正プログラム ({0})",
+ "quickFixWithKb": "修正プログラム ({0}) を表示する",
+ "quickFix": "修正プログラムを表示する"
+ },
+ "vs/editor/contrib/gotoSymbol/peek/referencesTree": {
+ "referencesCount": "{0} 個の参照",
+ "referenceCount": "{0} 個の参照",
+ "treeAriaLabel": "参照"
+ },
+ "vs/platform/environment/node/argvHelper": {
+ "unknownOption": "警告: '{0}' は既知のオプションのリストにはありませんが、引き続き Electron または Chromium に渡されます。",
+ "multipleValues": "オプション '{0}' は複数回定義されています。値 '{1}' を使用します。",
+ "gotoValidation": "`--goto` モードの引数は `FILE(:LINE(:CHARACTER))` の形式にする必要があります。"
+ },
+ "vs/platform/request/common/request": {
+ "httpConfigurationTitle": "HTTP",
+ "proxy": "使用するプロキシ設定。設定されていない場合は、'http_proxy' および 'https_proxy' の環境変数から継承されます。",
+ "strictSSL": "提供された CA の一覧と照らしてプロキシ サーバーの証明書を確認するかどうか制御します。",
+ "proxyAuthorization": "すべてのネットワーク要求に対して 'Proxy-Authorization' ヘッダーとして送信する値。",
+ "proxySupportOff": "拡張機能のプロキシ サポートを無効にします。",
+ "proxySupportOn": "拡張機能のプロキシ サポートを有効にします。",
+ "proxySupportOverride": "拡張機能のプロキシ サポートを有効にします。リクエスト オプションを上書きします。",
+ "proxySupport": "拡張機能プロキシ サポートを使用します。",
+ "systemCertificates": "CA 証明書を OS から読み込む必要があるかどうかを制御します (Windows および macOS でオフにするには、ウィンドウを再度読み込まなければなりません)。"
+ },
+ "vs/platform/files/common/fileService": {
+ "invalidPath": "相対ファイル パス '{0}' の filesystem プロバイダーを解決できません",
+ "noProviderFound": "リソース '{0}' のファイル システム プロバイダーが見つかりません",
+ "fileNotFoundError": "存在しないファイル '{0}' を解決できません",
+ "fileExists": "上書きフラグが設定されていない場合、既に存在するファイル '{0}' を作成することはできません",
+ "err.write": "ファイル '{0}' を書き込むことができません ({1})",
+ "fileIsDirectoryWriteError": "ファイル '{0}' は実際にはディレクトリであるため、書き込むことができませんでした",
+ "fileModifiedError": "ファイルは次の時点以後に更新されました",
+ "err.read": "ファイル '{0}' を読み取れません ({1})",
+ "fileIsDirectoryReadError": "実際にはディレクトリであるファイル '{0}' を読み取れません",
+ "fileNotModifiedError": "ファイルは次の時点以後に変更されていません",
+ "fileTooLargeError": "ファイル '{0}' は、大きすぎて開くことができないため、読み取れません",
+ "unableToMoveCopyError1": "ソース '{0}' が、大文字と小文字を区別しないファイルシステム上の異なるパスのターゲット '{1}' と同じである場合にはコピーできません。",
+ "unableToMoveCopyError2": "ソース '{0}' がターゲット '{1}' の親である場合、移動およびコピーはできません。",
+ "unableToMoveCopyError3": "ターゲット '{1}' が移動先に既に存在するため、'{0}' を移動またはコピーできません。",
+ "unableToMoveCopyError4": "特定のファイルがそのファイルを含むフォルダーを置き換えるため、'{0}' を '{1}' に移動またはコピーすることができません。",
+ "mkdirExistsError": "フォルダー '{0}' は、既に存在していますがディレクトリではないため、作成できません。",
+ "deleteFailedTrashUnsupported": "プロバイダーがサポートしていないため、ゴミ箱経由でファイル '{0}' を削除できません。",
+ "deleteFailedNotFound": "存在しないファイル '{0}' を削除できません",
+ "deleteFailedNonEmptyFolder": "空でないフォルダー '{0}' を削除できません。",
+ "err.readonly": "読み取り専用ファイル '{0}' を変更できません"
+ },
+ "vs/platform/files/node/diskFileSystemProvider": {
+ "fileExists": "ファイルが既に存在します",
+ "fileNotExists": "ファイルが存在しません",
+ "moveError": "'{0}' を '{1}' に移動することができません ({2})。",
+ "copyError": "'{0}' を '{1}' にコピーできません ({2})。",
+ "fileCopyErrorPathCase": "'ファイルは、同じパスであるものの、大文字と小文字が異なるパスにコピーできません",
+ "fileCopyErrorExists": "ファイルは対象の場所に既に存在します"
+ },
+ "vs/platform/files/common/files": {
+ "unknownError": "不明なエラー",
+ "sizeB": "{0}B",
+ "sizeKB": "{0}KB",
+ "sizeMB": "{0}MB",
+ "sizeGB": "{0}GB",
+ "sizeTB": "{0}TB"
+ },
+ "vs/platform/update/common/update.config.contribution": {
+ "updateConfigurationTitle": "更新",
+ "updateMode": "自動更新を受け取るかどうかを構成します。変更後に再起動が必要です。更新プログラムは Microsoft のオンライン サービスから取得されます。",
+ "none": "更新を無効にします。",
+ "manual": "バックグラウンドでの自動更新の確認を無効にします。更新を手動で確認すると、更新を利用できます。",
+ "start": "起動時にのみ更新プログラムを確認します。バックグラウンドの自動更新チェックを無効にします。",
+ "default": "自動更新の確認を有効にします。Code は自動的かつ定期的に更新を確認します。",
+ "deprecated": "この設定は非推奨になりました。代わりに '{0}' を使用してください。",
+ "enableWindowsBackgroundUpdatesTitle": "Windows でバックグラウンド更新を有効にする",
+ "enableWindowsBackgroundUpdates": "Windows で新しい VS Code バージョンをバックグラウンドでダウンロードしてインストールできるようにします",
+ "showReleaseNotes": "更新後にリリース ノートを表示します。リリース ノートは Micorosft のオンライン サービスから取得されます。"
+ },
+ "vs/platform/environment/node/argv": {
+ "optionsUpperCase": "オプション",
+ "extensionsManagement": "拡張機能の管理",
+ "troubleshooting": "トラブルシューティング",
+ "diff": "2 つのファイルを比較します。",
+ "add": "最後にアクティブだったウィンドウにフォルダーを追加します。",
+ "goto": "指定した行と文字の位置にあるパスでファイルを開きます。",
+ "newWindow": "強制的に新しいウィンドウを開きます。",
+ "reuseWindow": "強制的に既に開いているウィンドウ内でファイルかフォルダーを開きます。",
+ "wait": "現在のファイルが閉じられるまで待機します。",
+ "locale": "使用する国と地域 (例:en-US や zh-TW など)。",
+ "userDataDir": "ユーザー データが保持されるディレクトリを指定します。複数の異なる Code のインスタンスを開くために使用できます。",
+ "help": "使用法を印刷します。",
+ "extensionHomePath": "拡張機能のルート パスを設定します。",
+ "listExtensions": "インストールされている拡張機能を一覧表示します。",
+ "showVersions": "--list-extension と使用するとき、インストールされている拡張機能のバージョンを表示します。",
+ "category": "--list-extension を使用する場合、指定されたカテゴリ別にインストール済み拡張機能をフィルター処理します。",
+ "installExtension": "拡張機能をインストールまたは更新します。拡張機能の識別子は、常に '${publisher}.${name}' です。最新バージョンに更新するには、'--force' 引数を使用します。特定のバージョンをインストールするには、'@${version}' を指定してください。例: 'vscode.csharp@1.2.3'。",
+ "uninstallExtension": "拡張機能をアンインストールします。",
+ "experimentalApis": "拡張機能の Proposed API 機能を有効にします。個々に有効にする 1 つ以上の拡張機能 ID を指定できます。",
+ "version": "バージョンを表示します。",
+ "verbose": "詳細出力を表示します (--wait を含みます)。",
+ "log": "使用するログレベル。既定値は 'info' です。利用可能な値は 'critical', 'error', 'warn', 'info', 'debug', 'trace', 'off' です。",
+ "status": "プロセスの使用状況や診断情報を印刷します。",
+ "prof-startup": "起動中に CPU プロファイラーを実行する",
+ "disableExtensions": "インストールされたすべての拡張機能を無効にします。",
+ "disableExtension": "拡張機能を無効にします。",
+ "turn sync": "同期をオンまたはオフにする",
+ "inspect-extensions": "拡張機能のデバッグとプロファイリングを許可します。connection URI を開発者ツールで確認します。",
+ "inspect-brk-extensions": "起動後に一時停止されている拡張ホストとの拡張機能のデバッグとプロファイリングを許可します。connection URI を開発者ツールで確認ます。",
+ "disableGPU": "GPU ハードウェア アクセラレータを無効にします。",
+ "maxMemory": "ウィンドウの最大メモリ サイズ (バイト単位)。",
+ "telemetry": "VS Code が収集するすべてのテレメトリ イベントを表示します。",
+ "usage": "使用法",
+ "options": "オプション",
+ "paths": "パス",
+ "stdinWindows": "別のプログラムから出力を読み取るには、'-' を付け足してください (例: 'echo Hello World | {0} -')",
+ "stdinUnix": "stdin から読み取るには、'-' を付け足してください (例: 'ps aux | grep code | {0} -')",
+ "unknownVersion": "不明なバージョン",
+ "unknownCommit": "不明なコミット"
+ },
+ "vs/platform/extensionManagement/common/extensionManagement": {
+ "extensions": "拡張機能",
+ "preferences": "基本設定"
+ },
+ "vs/platform/extensionManagement/node/extensionManagementService": {
+ "incompatible": "拡張機能 '{0}' は、VS Code '{1}' と互換性がないため、インストールできません。",
+ "restartCode": "{0} を再インストールする前に、VS Code を再起動してください。",
+ "MarketPlaceDisabled": "Marketplace が有効になっていません",
+ "malicious extension": "問題が報告されたので、拡張機能をインストールできません。",
+ "notFoundCompatibleDependency": "'{0}' 拡張機能は、現在のバージョンの VS Code (バージョン {1}) と互換性がないため、インストールできません。",
+ "Not a Marketplace extension": "Marketplace の拡張機能のみ再インストールできます",
+ "removeError": "拡張機能の削除中にエラーが発生しました: {0}。もう一度やり直す前に、VS Code の終了と起動を実施してください。",
+ "quitCode": "拡張機能をインストールできません。再インストールの前に VS Code の終了と起動を実施してください。",
+ "exitCode": "拡張機能をインストールできません。再インストールの前に VS Code の終了と起動を実施してください。",
+ "notInstalled": "拡張機能 '{0}' がインストールされていません。",
+ "singleDependentError": "'{0}' 拡張機能をアンインストールできません。'{1}' 拡張機能がこれに依存しています。",
+ "twoDependentsError": "'{0}' 拡張機能をアンインストールできません。'{1}' と '{2}' の拡張機能がこれに依存しています。",
+ "multipleDependentsError": "'{0}' 拡張機能をアンインストールできません。'{1}'、'{2}' および他の拡張機能がこれに依存しています。",
+ "singleIndirectDependentError": "'{0}' 拡張機能をアンインストールできません。これには '{1}' 拡張機能のアンインストールが含まれていますが、'{2}' 拡張機能がこれに依存しています。",
+ "twoIndirectDependentsError": "'{0}' 拡張機能をアンインストールできません。これには '{1}' 拡張機能のアンインストールが含まれていますが、'{2}' と '{3}' の拡張機能がこれに依存しています。",
+ "multipleIndirectDependentsError": "'{0}' 拡張機能をアンインストールできません。これには '{1}' 拡張機能のアンインストールが含まれていますが、'{2}'、'{3}' および他の拡張機能がこれに依存しています。",
+ "notExists": "拡張機能を見つけられませんでした"
+ },
+ "vs/platform/telemetry/common/telemetryService": {
+ "telemetryConfigurationTitle": "テレメトリ",
+ "telemetry.enableTelemetry": "利用状況データとエラーを Microsoft のオンライン サービスに送信できるようにします。",
+ "telemetry.enableTelemetryMd": "使用状況データとエラーを Microsoft のオンライン サービスに送信できるようにします。Microsoft のプライバシーに関する声明を[こちら]({0})からご確認ください。"
+ },
+ "vs/platform/extensionManagement/node/extensionManagementUtil": {
+ "invalidManifest": "VSIX が無効です: package.json は JSON ファイルではありません。"
+ },
+ "vs/platform/userDataSync/common/userDataSync": {
+ "settings sync": "設定の同期",
+ "settingsSync.keybindingsPerPlatform": "各プラットフォームのキー バインドを同期します。",
+ "sync.keybindingsPerPlatform.deprecated": "非推奨であるため、代わりに settingsSync.keybindingsPerPlatform をお使いください",
+ "settingsSync.ignoredExtensions": "同期中に無視される拡張機能の一覧です。拡張機能の識別子は常に `${publisher}.${name}` です。たとえば、`vscode.csharp` です。",
+ "app.extension.identifier.errorMessage": "予期される形式 '${publisher}.${name}'。例: 'vscode.csharp'。",
+ "sync.ignoredExtensions.deprecated": "非推奨であるため、代わりに settingsSync.ignoredExtensions をお使いください",
+ "settingsSync.ignoredSettings": "同期中に無視される設定を構成します。",
+ "sync.ignoredSettings.deprecated": "非推奨であるため、代わりに settingsSync.ignoredSettings をお使いください"
+ },
+ "vs/platform/extensionManagement/electron-sandbox/extensionTipsService": {
+ "exeRecommended": "お使いのシステムに {0} がインストールされています。これにお勧めの拡張機能をインストールしますか?"
+ },
+ "vs/platform/userDataSync/common/userDataSyncMachines": {
+ "error incompatible": "マシン データは、現在のバージョンと互換性がないため、読み取ることができません。{0} を更新して、もう一度お試しください。"
+ },
+ "vs/platform/userDataSync/common/userDataAutoSyncService": {
+ "default service changed": "既定のサービスが変更されたため、同期できません",
+ "service changed": "同期サービスが変更されたため、同期できません",
+ "turned off": "クラウドで同期がオフになっているため、同期できません",
+ "session expired": "現在のセッションの有効期限が切れているため、同期できません",
+ "turned off machine": "別のマシンからこのマシンの同期がオフにされたため、同期することができません。"
+ },
+ "vs/platform/workspaces/common/workspaces": {
+ "codeWorkspace": "コード ワークスペース"
+ },
+ "vs/platform/files/electron-browser/diskFileSystemProvider": {
+ "binFailed": "'{0}' をごみ箱に移動できませんでした",
+ "trashFailed": "'{0}' をごみ箱に移動できませんでした"
+ },
+ "vs/platform/dialogs/common/dialogs": {
+ "moreFile": "...1 つの追加ファイルが表示されていません",
+ "moreFiles": "...{0} 個の追加ファイルが表示されていません"
+ },
+ "vs/platform/theme/common/colorRegistry": {
+ "foreground": "全体の前景色。この色は、コンポーネントによってオーバーライドされていない場合にのみ使用されます。",
+ "errorForeground": "エラー メッセージ全体の前景色。この色は、コンポーネントによって上書きされていない場合にのみ使用されます。",
+ "descriptionForeground": "追加情報を提供する説明文の前景色、例:ラベル。",
+ "iconForeground": "ワークベンチのアイコンの既定の色。",
+ "focusBorder": "フォーカスされた要素の境界線全体の色。この色はコンポーネントによって上書きされていない場合にのみ使用されます。",
+ "contrastBorder": "コントラストを強めるために、他の要素と隔てる追加の境界線。",
+ "activeContrastBorder": "コントラストを強めるために、アクティブな他要素と隔てる追加の境界線。",
+ "selectionBackground": "ワークベンチ内のテキスト選択の背景色 (例: 入力フィールドやテキストエリア)。エディター内の選択には適用されないことに注意してください。",
+ "textSeparatorForeground": "テキストの区切り文字の色。",
+ "textLinkForeground": "テキスト内のリンクの前景色。",
+ "textLinkActiveForeground": "クリックされたときとマウスをホバーしたときのテキスト内のリンクの前景色。",
+ "textPreformatForeground": "フォーマット済みテキスト セグメントの前景色。",
+ "textBlockQuoteBackground": "テキスト内のブロック引用の背景色。",
+ "textBlockQuoteBorder": "テキスト内のブロック引用の境界線色。",
+ "textCodeBlockBackground": "テキスト内のコード ブロックの背景色。",
+ "widgetShadow": "エディター内の検索/置換窓など、エディター ウィジェットの影の色。",
+ "inputBoxBackground": "入力ボックスの背景。",
+ "inputBoxForeground": "入力ボックスの前景。",
+ "inputBoxBorder": "入力ボックスの境界線。",
+ "inputBoxActiveOptionBorder": "入力フィールドのアクティブ オプションの境界線の色。",
+ "inputOption.activeBackground": "入力フィールドでアクティブ化されたオプションの背景色。",
+ "inputOption.activeForeground": "入力フィールドでアクティブ化されたオプションの前景色。",
+ "inputPlaceholderForeground": "入力ボックスのプレースホルダー テキストの前景色。",
+ "inputValidationInfoBackground": "情報の重大度を示す入力検証の背景色。",
+ "inputValidationInfoForeground": "情報の重大度を示す入力検証の前景色。",
+ "inputValidationInfoBorder": "情報の重大度を示す入力検証の境界線色。",
+ "inputValidationWarningBackground": "警告の重大度を示す入力検証の背景色。",
+ "inputValidationWarningForeground": "警告の重大度を示す入力検証の前景色。",
+ "inputValidationWarningBorder": "警告の重大度を示す入力検証の境界線色。",
+ "inputValidationErrorBackground": "エラーの重大度を示す入力検証の背景色。",
+ "inputValidationErrorForeground": "エラーの重大度を示す入力検証の前景色。",
+ "inputValidationErrorBorder": "エラーの重大度を示す入力検証の境界線色。",
+ "dropdownBackground": "ドロップダウンの背景。",
+ "dropdownListBackground": "ドロップダウン リストの背景色。",
+ "dropdownForeground": "ドロップダウンの前景。",
+ "dropdownBorder": "ドロップダウンの境界線。",
+ "checkbox.background": "チェックボックス ウィジェットの背景色。",
+ "checkbox.foreground": "チェックボックス ウィジェットの前景色。",
+ "checkbox.border": "チェックボックス ウィジェットの境界線の色。",
+ "buttonForeground": "ボタンの前景色。",
+ "buttonBackground": "ボタンの背景色。",
+ "buttonHoverBackground": "ホバー時のボタン背景色。",
+ "buttonSecondaryForeground": "ボタンの 2 次的な前景色。",
+ "buttonSecondaryBackground": "ボタンの 2 次的な背景色。",
+ "buttonSecondaryHoverBackground": "ホバー時のボタンの 2 次的な背景色。",
+ "badgeBackground": "バッジの背景色。バッジとは小さな情報ラベルのことです。例:検索結果の数",
+ "badgeForeground": "バッジの前景色。バッジとは小さな情報ラベルのことです。例:検索結果の数",
+ "scrollbarShadow": "ビューがスクロールされたことを示すスクロール バーの影。",
+ "scrollbarSliderBackground": "スクロール バーのスライダーの背景色。",
+ "scrollbarSliderHoverBackground": "ホバー時のスクロール バー スライダー背景色。",
+ "scrollbarSliderActiveBackground": "クリック時のスクロール バー スライダー背景色。",
+ "progressBarBackground": "時間のかかる操作で表示するプログレス バーの背景色。",
+ "editorError.background": "エディター内のエラー テキストの背景色。この色は、基本装飾が非表示にならないよう不透明にすることはできません。",
+ "editorError.foreground": "エディターでエラーを示す波線の前景色。",
+ "errorBorder": "エディター内のエラー ボックスの境界線の色です。",
+ "editorWarning.background": "エディター内の警告テキストの背景色。この色は、基本装飾が非表示にならないよう不透明にすることはできません。",
+ "editorWarning.foreground": "エディターで警告を示す波線の前景色。",
+ "warningBorder": "エディターでの警告ボックスの境界線の色です。",
+ "editorInfo.background": "エディター内の情報テキストの背景色。この色は、基本装飾が非表示にならないよう不透明にすることはできません。",
+ "editorInfo.foreground": "エディターで情報を示す波線の前景色。",
+ "infoBorder": "エディター内の情報ボックスの境界線の色です。",
+ "editorHint.foreground": "エディターでヒントを示す波線の前景色。",
+ "hintBorder": "エディター内のヒント ボックスの境界線の色。",
+ "sashActiveBorder": "アクティブな枠の境界線の色。",
+ "editorBackground": "エディターの背景色。",
+ "editorForeground": "エディターの既定の前景色。",
+ "editorWidgetBackground": "検索/置換窓など、エディター ウィジェットの背景色。",
+ "editorWidgetForeground": "検索/置換などを行うエディター ウィジェットの前景色。",
+ "editorWidgetBorder": "エディター ウィジェットの境界線色。ウィジェットに境界線があり、ウィジェットによって配色を上書きされていない場合でのみこの配色は使用されます。",
+ "editorWidgetResizeBorder": "エディター ウィジェットのサイズ変更バーの境界線色。ウィジェットにサイズ変更の境界線があり、ウィジェットによって配色を上書きされていない場合でのみこの配色は使用されます。",
+ "pickerBackground": "クイック ピッカーの背景色。クイック ピッカー ウィジェットは、コマンド パレットのようなピッカーのコンテナーです。",
+ "pickerForeground": "クイック ピッカーの前景色。クイック ピッカー ウィジェットは、コマンド パレットのようなピッカーのコンテナーです。",
+ "pickerTitleBackground": "クイック ピッカー のタイトルの背景色。クイック ピッカー ウィジェットは、コマンド パレットのようなピッカーのコンテナーです。",
+ "pickerGroupForeground": "ラベルをグループ化するためのクリック選択の色。",
+ "pickerGroupBorder": "境界線をグループ化するためのクイック選択の色。",
+ "editorSelectionBackground": "エディターの選択範囲の色。",
+ "editorSelectionForeground": "ハイ コントラストの選択済みテキストの色。",
+ "editorInactiveSelection": "非アクティブなエディターの選択範囲の色。この色は、基本装飾が非表示にならないよう不透明にすることはできません。",
+ "editorSelectionHighlight": "選択範囲の同じコンテンツの領域の色。この色は、基本装飾が非表示にならないよう不透明にすることはできません。",
+ "editorSelectionHighlightBorder": "選択範囲と同じコンテンツの境界線の色。",
+ "editorFindMatch": "現在の検索一致項目の色。",
+ "findMatchHighlight": "その他の検索条件に一致する項目の色。この色は、基本装飾が非表示にならないよう不透明にすることはできません。",
+ "findRangeHighlight": "検索を制限する範囲の色。この色は、基本装飾が非表示にならないよう不透明にすることはできません。",
+ "editorFindMatchBorder": "現在の検索一致項目の境界線の色。",
+ "findMatchHighlightBorder": "他の検索一致項目の境界線の色。",
+ "findRangeHighlightBorder": "検索を制限する範囲の境界線色。この色は、基本装飾が非表示にならないよう不透明にすることはできません。",
+ "searchEditor.queryMatch": "検索エディターのクエリの色が一致します。",
+ "searchEditor.editorFindMatchBorder": "検索エディター クエリの境界線の色が一致します。",
+ "hoverHighlight": "ホバーが表示されている語の下を強調表示します。この色は、基本装飾が非表示にならないよう不透明にすることはできません。",
+ "hoverBackground": "エディター ホバーの背景色。",
+ "hoverForeground": "エディター ホバーの前景色。",
+ "hoverBorder": "エディター ホバーの境界線の色。",
+ "statusBarBackground": "エディターのホバーのステータス バーの背景色。",
+ "activeLinkForeground": "アクティブなリンクの色。",
+ "editorLightBulbForeground": "電球アクション アイコンに使用する色。",
+ "editorLightBulbAutoFixForeground": "自動修正の電球アクション アイコンとして使用される色。",
+ "diffEditorInserted": "挿入されたテキストの背景色。この色は、基本装飾が非表示にならないよう不透明にすることはできません。",
+ "diffEditorRemoved": "削除したテキストの背景色。この色は、基本装飾が非表示にならないよう不透明にすることはできません。",
+ "diffEditorInsertedOutline": "挿入されたテキストの輪郭の色。",
+ "diffEditorRemovedOutline": "削除されたテキストの輪郭の色。",
+ "diffEditorBorder": "2 つのテキスト エディターの間の境界線の色。",
+ "diffDiagonalFill": "差分エディターの対角線の塗りつぶし色。対角線の塗りつぶしは、横に並べて比較するビューで使用されます。",
+ "listFocusBackground": "ツリーリストがアクティブのとき、フォーカスされた項目のツリーリスト背景色。アクティブなツリーリストはキーボード フォーカスがあり、非アクティブではこれがありません。",
+ "listFocusForeground": "ツリーリストがアクティブのとき、フォーカスされた項目のツリーリスト前景色。アクティブなツリーリストはキーボード フォーカスがあり、非アクティブではこれがありません。",
+ "listActiveSelectionBackground": "ツリーリストが非アクティブのとき、選択された項目のツリーリスト背景色。アクティブなツリーリストはキーボード フォーカスがあり、非アクティブではこれがありません。",
+ "listActiveSelectionForeground": "ツリーリストがアクティブのとき、選択された項目のツリーリスト前景色。アクティブなツリーリストはキーボード フォーカスがあり、非アクティブではこれがありません。",
+ "listInactiveSelectionBackground": "ツリーリストが非アクティブのとき、選択された項目のツリーリスト背景色。アクティブなツリーリストはキーボード フォーカスがあり、非アクティブではこれがありません。",
+ "listInactiveSelectionForeground": "ツリーリストが非アクティブのとき、選択された項目のツリーリスト前景色。アクティブなツリーリストはキーボード フォーカスがあり、非アクティブではこれがありません。",
+ "listInactiveFocusBackground": "ツリーリストが非アクティブのとき、フォーカスされた項目のツリーリスト背景色。アクティブなツリーリストはキーボード フォーカスがあり、非アクティブではこれがありません。",
+ "listHoverBackground": "マウス操作で項目をホバーするときのツリーリスト背景。",
+ "listHoverForeground": "マウス操作で項目をホバーするときのツリーリスト前景。",
+ "listDropBackground": "マウス操作で項目を移動するときのツリーリスト ドラッグ アンド ドロップの背景。",
+ "highlight": "ツリーリスト内を検索しているとき、一致した強調のツリーリスト前景色。",
+ "invalidItemForeground": "無効な項目のツリーリストの前景色。たとえばエクスプローラーの未解決なルート。",
+ "listErrorForeground": "エラーを含むリスト項目の前景色。",
+ "listWarningForeground": "警告が含まれるリスト項目の前景色。",
+ "listFilterWidgetBackground": "リストおよびツリーの型フィルター ウェジェットの背景色。",
+ "listFilterWidgetOutline": "リストおよびツリーの型フィルター ウィジェットのアウトライン色。",
+ "listFilterWidgetNoMatchesOutline": "一致項目がない場合の、リストおよびツリーの型フィルター ウィジェットのアウトライン色。",
+ "listFilterMatchHighlight": "フィルタリングされた一致の背景色。",
+ "listFilterMatchHighlightBorder": "フィルタリングされた一致の境界線の色。",
+ "treeIndentGuidesStroke": "インデント ガイドのツリー ストロークの色。",
+ "listDeemphasizedForeground": "強調表示されていない項目のリスト/ツリー前景色。 ",
+ "menuBorder": "メニューの境界線色。",
+ "menuForeground": "メニュー項目の前景色。",
+ "menuBackground": "メニュー項目の背景色。",
+ "menuSelectionForeground": "メニューで選択されたメニュー項目の前景色。",
+ "menuSelectionBackground": "メニューで選択されたメニュー項目の背景色。",
+ "menuSelectionBorder": "メニューで選択されたメニュー項目の境界線色。",
+ "menuSeparatorBackground": "メニュー内のメニュー項目の境界線色。",
+ "snippetTabstopHighlightBackground": "スニペット tabstop の背景色を強調表示します。",
+ "snippetTabstopHighlightBorder": "スニペット tabstop の境界線の色を強調表示します。",
+ "snippetFinalTabstopHighlightBackground": "スニペットの最後の tabstop の背景色を強調表示します。",
+ "snippetFinalTabstopHighlightBorder": "スニペットの最後のタブストップで境界線の色を強調表示します。",
+ "breadcrumbsFocusForeground": "フォーカスされた階層リンクの項目の色。",
+ "breadcrumbsBackground": "階層リンクの項目の背景色。",
+ "breadcrumbsSelectedForegound": "選択された階層リンクの項目の色。",
+ "breadcrumbsSelectedBackground": "階層項目ピッカーの背景色。",
+ "mergeCurrentHeaderBackground": "インライン マージ競合の現在のヘッダーの背景。この色は、基本装飾が非表示にならないよう不透明にすることはできません。",
+ "mergeCurrentContentBackground": "インライン マージ競合の現在のコンテンツ背景。この色は、基本装飾が非表示にならないよう不透明にすることはできません。",
+ "mergeIncomingHeaderBackground": "インライン マージ競合の着信ヘッダーの背景。この色は、基本装飾が非表示にならないよう不透明にすることはできません。",
+ "mergeIncomingContentBackground": "インライン マージ競合の着信コンテンツの背景。この色は、基本装飾が非表示にならないよう不透明にすることはできません。",
+ "mergeCommonHeaderBackground": "インライン マージ競合の共通の先祖のヘッダー背景。この色は、基本装飾が非表示にならないよう不透明にすることはできません。",
+ "mergeCommonContentBackground": "インライン マージ競合の共通の先祖のコンテンツ背景。この色は、基本装飾が非表示にならないよう不透明にすることはできません。",
+ "mergeBorder": "行内マージ競合のヘッダーとスプリッターの境界線の色。",
+ "overviewRulerCurrentContentForeground": "行内マージ競合の現在の概要ルーラー前景色。",
+ "overviewRulerIncomingContentForeground": "行内マージ競合の入力側の概要ルーラー前景色。",
+ "overviewRulerCommonContentForeground": "行内マージ競合の共通の祖先概要ルーラー前景色。",
+ "overviewRulerFindMatchForeground": "検出された一致項目の概要ルーラー マーカーの色。この色は、基本装飾が非表示にならないよう不透明にすることはできません。",
+ "overviewRulerSelectionHighlightForeground": "選択範囲を強調表示するための概要ルーラー マーカーの色。この色は、基本装飾が非表示にならないよう不透明にすることはできません。",
+ "minimapFindMatchHighlight": "一致を検索するためのミニマップ マーカーの色。",
+ "minimapSelectionHighlight": "エディターの選択範囲のミニマップ マーカーの色。",
+ "minimapError": "エラーのミニマップ マーカーの色。",
+ "overviewRuleWarning": "警告のミニマップ マーカーの色。",
+ "minimapBackground": "ミニマップの背景色。",
+ "minimapSliderBackground": "ミニマップ スライダーの背景色。",
+ "minimapSliderHoverBackground": "ホバーリング時のミニマップ スライダーの背景色。",
+ "minimapSliderActiveBackground": "クリックしたときのミニマップ スライダーの背景色。",
+ "problemsErrorIconForeground": "問題のエラー アイコンに使用される色。",
+ "problemsWarningIconForeground": "問題の警告アイコンに使用される色。",
+ "problemsInfoIconForeground": "問題情報アイコンに使用される色。",
+ "chartsForeground": "グラフで使用される前景色。",
+ "chartsLines": "グラフの水平線に使用される色。",
+ "chartsRed": "グラフの視覚化に使用される赤色。",
+ "chartsBlue": "グラフの視覚化に使用される青色。",
+ "chartsYellow": "グラフの視覚化に使用される黄色。",
+ "chartsOrange": "グラフの視覚化に使用されるオレンジ色。",
+ "chartsGreen": "グラフの視覚化に使用される緑色。",
+ "chartsPurple": "グラフの視覚化に使用される紫色。"
+ },
+ "vs/platform/configuration/common/configurationRegistry": {
+ "defaultLanguageConfigurationOverrides.title": "既定の言語構成のオーバーライド",
+ "defaultLanguageConfiguration.description": "{0} 言語の場合にオーバーライドされる設定を構成します。",
+ "overrideSettings.defaultDescription": "言語に対して上書きされるエディター設定を構成します。",
+ "overrideSettings.errorMessage": "この設定では、言語ごとの構成はサポートされていません。",
+ "config.property.empty": "空のプロパティは登録できません",
+ "config.property.languageDefault": "'{0}' を登録できません。これは、言語固有のエディター設定を記述するプロパティ パターン '\\\\[.*\\\\]$' に一致しています。'configurationDefaults' コントリビューションを使用してください。",
+ "config.property.duplicate": "'{0}' を登録できません。このプロパティは既に登録されています。"
+ },
+ "vs/platform/markers/common/markers": {
+ "sev.error": "エラー",
+ "sev.warning": "警告",
+ "sev.info": "情報"
+ },
+ "vs/platform/windows/electron-main/windowsMainService": {
+ "pathNotExistTitle": "パスが存在しません",
+ "pathNotExistDetail": "パス '{0}' はディスクに存在しなくなったようです。",
+ "uriInvalidTitle": "URI を開くことができません",
+ "uriInvalidDetail": "URI '{0}' が有効ではなく、開くことができません。",
+ "ok": "OK"
+ },
+ "vs/platform/issue/electron-main/issueMainService": {
+ "local": "LOCAL",
+ "issueReporterWriteToClipboard": "データが多すぎて、GitHub に直接送信することができませんでした。データはクリップボードにコピーされます。開かれる GitHub 問題ページに貼り付けてください。",
+ "ok": "OK",
+ "cancel": "キャンセル",
+ "confirmCloseIssueReporter": "入力した内容は保存されません。このウィンドウを閉じますか?",
+ "yes": "はい",
+ "issueReporter": "問題のレポーター",
+ "processExplorer": "プロセス エクスプローラー"
+ },
+ "vs/platform/workspaces/electron-main/workspacesHistoryMainService": {
+ "newWindow": "新しいウィンドウ",
+ "newWindowDesc": "新しいウィンドウを開く",
+ "recentFolders": "最近使ったワークスペース",
+ "folderDesc": "{0} {1}",
+ "workspaceDesc": "{0} {1}",
+ "untitledWorkspace": "無題 (ワークスペース)",
+ "workspaceName": "{0} (ワークスペース)"
+ },
+ "vs/platform/workspaces/electron-main/workspacesMainService": {
+ "ok": "OK",
+ "workspaceOpenedMessage": "ワークスペース '{0}' を保存できません",
+ "workspaceOpenedDetail": "ワークスペースは既に別のウィンドウで開いています。最初にそのウィンドウを閉じててから、もう一度やり直してください。"
+ },
+ "vs/platform/dialogs/electron-main/dialogs": {
+ "open": "開く",
+ "openFolder": "フォルダーを開く",
+ "openFile": "ファイルを開く",
+ "openWorkspaceTitle": "ワークスペースを開く",
+ "openWorkspace": "開く(&&O)"
+ },
+ "vs/platform/files/common/io": {
+ "fileTooLargeForHeapError": "このサイズのファイルを開くには、再起動して、より多くのメモリを利用可能にする必要があります",
+ "fileTooLargeError": "ファイルが大きすぎて開くことができません"
+ },
+ "vs/platform/extensions/common/extensionValidator": {
+ "versionSyntax": "`engines.vscode` の値 {0} を解析できませんでした。使用可能な値の例: ^1.22.0、^1.22.x など。",
+ "versionSpecificity1": "`engines.vscode` ({0}) で指定されたバージョンが十分に特定されていません。1.0.0 より前の vscode バージョンの場合は、少なくとも想定されているメジャー バージョンとマイナー バージョンを定義してください。例 ^0.10.0、0.10.x、0.11.0 など。",
+ "versionSpecificity2": "`engines.vscode` ({0}) で指定されたバージョンが明確ではありません。1.0.0 より後のバージョンの vscode の場合は、少なくとも、想定されているメジャー バージョンを定義してください。例 ^1.10.0、1.10.x、1.x.x、2.x.x など。",
+ "versionMismatch": "拡張機能が Code {0} と互換性がありません。拡張機能に必要なバージョン: {1}。"
+ },
+ "vs/platform/extensionManagement/node/extensionsScanner": {
+ "errorDeleting": "拡張機能 '{1}' のインストール中に既存のフォルダー '{0}' を削除できません。フォルダーを手動で削除してもう一度お試しください",
+ "cannot read": "{0} から拡張機能を読み取ることができません",
+ "renameError": "{0} から {1} に名前変更中に不明なエラーが発生しました",
+ "invalidManifest": "拡張機能が無効です: package.json は JSON ファイルではありません。"
+ },
+ "vs/platform/userDataSync/common/keybindingsSync": {
+ "errorInvalidSettings": "ファイルの内容が無効であるため、キー バインドを同期できません。ファイルを開いて修正してください。"
+ },
+ "vs/platform/userDataSync/common/settingsSync": {
+ "errorInvalidSettings": "設定ファイルにエラーまたは警告があるため、設定を同期できません。"
+ },
+ "vs/platform/list/browser/listService": {
+ "workbenchConfigurationTitle": "ワークベンチ",
+ "multiSelectModifier.ctrlCmd": "Windows および Linux 上の `Control` キーと macOS 上の `Command` キーに割り当てます。",
+ "multiSelectModifier.alt": "Windows および Linux 上の `Alt` キーと macOS 上の `Option` キーに割り当てます。",
+ "multiSelectModifier": "マウスを使用して項目を複数選択するときに使用する修飾キーです (たとえば、エクスプローラーでエディターと scm ビューを開くなど)。'横に並べて開く' マウス ジェスチャー (がサポートされている場合) は、複数選択の修飾キーと競合しないように調整されます。",
+ "openModeModifier": "マウスを使用して、ツリー リスト内の項目を開く方法を制御します (サポートされている場合)。ツリー内の子を持つ親項目で、この設定は親項目をシングル クリックで展開するか、ダブル クリックで展開するかどうかを制御します。この設定の選択 (適応するかどうか) を無視するツリー リストがあることに注意してください。",
+ "horizontalScrolling setting": "リストとツリーがワークベンチで水平スクロールをサポートするかどうかを制御します。警告: この設定をオンにすると、パフォーマンスに影響があります。",
+ "tree indent setting": "ツリーのインデントをピクセル単位で制御します。",
+ "render tree indent guides": "ツリーでインシデントのガイドを表示する必要があるかどうかを制御します。",
+ "list smoothScrolling setting": "リストとツリーでスムーズ スクロールを使用するかどうかを制御します。",
+ "keyboardNavigationSettingKey.simple": "簡単なキーボード ナビゲーションは、キーボード入力に一致する要素に焦点を当てます。一致処理はプレフィックスでのみ実行されます。",
+ "keyboardNavigationSettingKey.highlight": "キーボード ナビゲーションの強調表示を使用すると、キーボード入力に一致する要素が強調表示されます。上および下への移動は、強調表示されている要素のみを移動します。",
+ "keyboardNavigationSettingKey.filter": "キーボード ナビゲーションのフィルターでは、キーボード入力に一致しないすべての要素がフィルター処理され、非表示になります。",
+ "keyboardNavigationSettingKey": "ワークベンチのリストおよびツリーのキーボード ナビゲーション スタイルを制御します。単純、強調表示、フィルターを指定できます。",
+ "automatic keyboard navigation setting": "リストやツリーでのキーボード ナビゲーションを、単に入力するだけで自動的にトリガーするかどうかを制御します。`false` に設定した場合、キーボード ナビゲーションは `list.toggleKeyboardNavigation` コマンドを実行したときにのみトリガーされます。これに対してキーボード ショートカットを割り当てることができます。",
+ "expand mode": "フォルダー名をクリックしたときにツリー フォルダーがどのように展開されるかを制御します。"
+ },
+ "vs/platform/undoRedo/common/undoRedoService": {
+ "externalRemoval": "次のファイルが閉じられ、ディスク上で変更されました: {0}。",
+ "noParallelUniverses": "以下のファイルは互換性のない方法で変更されました: {0}。",
+ "cannotWorkspaceUndo": "すべてのファイルで '{0}' を元に戻せませんでした。{1}",
+ "cannotWorkspaceUndoDueToChanges": "{1} に変更が加えられたため、すべてのファイルで '{0}' を元に戻せませんでした",
+ "cannotWorkspaceUndoDueToInProgressUndoRedo": "{1} で元に戻すまたはやり直し操作が既に実行されているため、すべてのファイルに対して '{0}' を元に戻すことはできませんでした",
+ "cannotWorkspaceUndoDueToInMeantimeUndoRedo": "元に戻すまたはやり直し操作がその期間に実行中であったため、すべてのファイルに対して '{0}' を元に戻すことはできませんでした",
+ "confirmWorkspace": "すべてのファイルで '{0}' を元に戻しますか?",
+ "ok": "{0} 個のファイルで元に戻す",
+ "nok": "このファイルを元に戻す",
+ "cancel": "キャンセル",
+ "cannotResourceUndoDueToInProgressUndoRedo": "元に戻すまたはやり直し操作が既に実行されているため、'{0}' を元に戻すことはできませんでした。",
+ "confirmDifferentSource": "'{0}' を元に戻しますか?",
+ "confirmDifferentSource.ok": "元に戻す",
+ "cannotWorkspaceRedo": "すべてのファイルで '{0}' をやり直しできませんでした。{1}",
+ "cannotWorkspaceRedoDueToChanges": "{1} に変更が加えられたため、すべてのファイルで '{0}' を再実行できませんでした",
+ "cannotWorkspaceRedoDueToInProgressUndoRedo": "{1} で元に戻すまたはやり直し操作が既に実行されているため、すべてのファイルに対して '{0}' をやり直すことはできませんでした",
+ "cannotWorkspaceRedoDueToInMeantimeUndoRedo": "元に戻すまたはやり直し操作がその期間に実行中であったため、すべてのファイルに対して '{0}' をやり直すことはできませんでした",
+ "cannotResourceRedoDueToInProgressUndoRedo": "元に戻すまたはやり直し操作が既に実行されているため、'{0}' をやり直すことはできませんでした。"
+ },
+ "vs/platform/actions/browser/menuEntryActionViewItem": {
+ "titleAndKb": "{0} ({1})"
+ },
+ "vs/platform/theme/common/iconRegistry": {
+ "iconDefintion.fontId": "使用するフォントの ID。設定されていない場合は、最初に定義されているフォントが使用されます。",
+ "iconDefintion.fontCharacter": "アイコン定義に関連付けられたフォント文字。",
+ "widgetClose": "ウィジェットにある閉じるアクションのアイコン。",
+ "previousChangeIcon": "前のエディターの場所に移動するためのアイコン。",
+ "nextChangeIcon": "次のエディターの場所に移動するためのアイコン。"
+ },
+ "vs/platform/menubar/electron-main/menubar": {
+ "miNewWindow": "新しいウィンドウ(&&W)",
+ "mFile": "ファイル(&&F)",
+ "mEdit": "編集(&&E)",
+ "mSelection": "選択(&&S)",
+ "mView": "表示(&&V)",
+ "mGoto": "移動(&&G)",
+ "mRun": "実行(&&R)",
+ "mTerminal": "ターミナル(&&T)",
+ "mWindow": "ウィンドウ",
+ "mHelp": "ヘルプ(&&H)",
+ "mAbout": "{0} のバージョン情報",
+ "miPreferences": "基本設定(&&P)",
+ "mServices": "サービス",
+ "mHide": "{0} を非表示にする",
+ "mHideOthers": "その他を非表示にする",
+ "mShowAll": "すべて表示",
+ "miQuit": "{0} を終了",
+ "mMinimize": "最小化",
+ "mZoom": "ズーム",
+ "mBringToFront": "すべてを手前に移動",
+ "miSwitchWindow": "ウィンドウの切り替え(&&W)...",
+ "mNewTab": "新しいタブ",
+ "mShowPreviousTab": "前のタブを表示",
+ "mShowNextTab": "次のタブを表示",
+ "mMoveTabToNewWindow": "タブを新しいウィンドウに移動",
+ "mMergeAllWindows": "すべてのウィンドウを統合",
+ "miCheckForUpdates": "更新の確認(&&U)...",
+ "miCheckingForUpdates": "更新を確認しています...",
+ "miDownloadUpdate": "利用可能な更新をダウンロード(&&O)",
+ "miDownloadingUpdate": "更新をダウンロードしています...",
+ "miInstallUpdate": "更新のインストール(&&U)...",
+ "miInstallingUpdate": "更新プログラムをインストールしています...",
+ "miRestartToUpdate": "再起動して更新(&&U)"
+ },
+ "vs/platform/userDataSync/common/abstractSynchronizer": {
+ "incompatible": "{0} は、そのローカル バージョン {1} がリモート バージョン {2} と互換性がないため、同期できません",
+ "incompatible sync data": "現在のバージョンと互換性がないため、同期データを解析できません。"
+ },
+ "vs/platform/keybinding/common/abstractKeybindingService": {
+ "first.chord": "({0}) が渡されました。2 番目のキーを待っています...",
+ "missing.chord": "キーの組み合わせ ({0}、{1}) はコマンドではありません。"
+ },
+ "vs/platform/quickinput/browser/helpQuickAccess": {
+ "globalCommands": "グローバル コマンド",
+ "editorCommands": "エディター コマンド",
+ "helpPickAriaLabel": "{0}, {1}"
+ },
+ "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": "フォント スタイルの太字を設定または解除します。'fontStyle ' が存在すると、この設定がオーバーライドされることにご注意ください。",
+ "schema.token.italic": "フォント スタイルの斜体を設定または解除します。'fontStyle ' が存在すると、この設定がオーバーライドされることにご注意ください。",
+ "schema.token.underline": "フォント スタイルの下線を設定または解除します。'fontStyle ' が存在すると、この設定がオーバーライドされることにご注意ください。",
+ "comment": "コメントのスタイル。",
+ "string": "文字列のスタイル。",
+ "keyword": "キーワードのスタイル。",
+ "number": "数値のスタイル。",
+ "regexp": "式のスタイル。",
+ "operator": "演算子のスタイル。",
+ "namespace": "名前空間のスタイル。",
+ "type": "型のスタイル。",
+ "struct": "構造体のスタイル。",
+ "class": "クラスのスタイル。",
+ "interface": "インターフェイスのスタイル。",
+ "enum": "列挙型のスタイル。",
+ "typeParameter": "型パラメーターのスタイル。",
+ "function": "関数のスタイル",
+ "member": "メンバー関数のスタイル",
+ "method": "メソッド (メンバー関数) のスタイル ",
+ "macro": "マクロのスタイル。",
+ "variable": "変数のスタイル。",
+ "parameter": "パラメーターのスタイル。",
+ "property": "プロパティのスタイル。",
+ "enumMember": "列挙型メンバーのスタイル。",
+ "event": "イベントのスタイル。",
+ "labels": "ラベルのスタイル。 ",
+ "declaration": "すべての記号の宣言のスタイル。",
+ "documentation": "ドキュメント内の参照に使用するスタイル。",
+ "static": "静的記号に使用するスタイル。",
+ "abstract": "抽象記号に使用するスタイル。",
+ "deprecated": "非推奨になったシンボルに対して使用するスタイルです。",
+ "modification": "書き込みアクセスに使用するスタイル。",
+ "async": "非同期の記号に使用するスタイル。",
+ "readonly": "読み取り専用のシンボルに使用するスタイル。"
+ },
+ "vs/platform/quickinput/browser/commandsQuickAccess": {
+ "commandPickAriaLabelWithKeybinding": "{0}, {1}",
+ "recentlyUsed": "最近使用したもの",
+ "morecCommands": "その他のコマンド",
+ "canNotRun": "コマンド '{0}' でエラー ({1}) が発生しました"
+ },
+ "win32/i18n/Default": {
+ "SetupAppTitle": "セットアップ",
+ "SetupWindowTitle": "セットアップ - %1",
+ "UninstallAppTitle": "アンインストール",
+ "UninstallAppFullTitle": "%1 のアンインストール",
+ "InformationTitle": "情報",
+ "ConfirmTitle": "確認",
+ "ErrorTitle": "エラー",
+ "SetupLdrStartupMessage": "%1 をインストールします。続行しますか?",
+ "LdrCannotCreateTemp": "一時ファイルを作成できません。セットアップが中止されました",
+ "LdrCannotExecTemp": "一時ディレクトリにあるファイルを実行できません。セットアップが中止されました",
+ "LastErrorMessage": "%1。%n%nエラー %2: %3",
+ "SetupFileMissing": "ファイル %1 がインストール ディレクトリにありません。問題を修正するか、プログラムの新しいコピーを入手してください。",
+ "SetupFileCorrupt": "セットアップ ファイルが破損しています。プログラムの新しいコピーを入手してください。",
+ "SetupFileCorruptOrWrongVer": "セットアップ ファイルが破損しているか、このバージョンのセットアップ プログラムと互換性がありません。問題を修正するか、プログラムの新しいコピーを入手してください。",
+ "InvalidParameter": "コマンド ラインに渡されたパラメーターが無効です:%n%n%1",
+ "SetupAlreadyRunning": "セットアップは既に実行中です。",
+ "WindowsVersionNotSupported": "このプログラムは、お使いのコンピューターで実行されているバージョンの Windows をサポートしていません。",
+ "WindowsServicePackRequired": "このプログラムには、%1 Service Pack %2 以降が必要です。",
+ "NotOnThisPlatform": "このプログラムは、%1 上では実行できません。",
+ "OnlyOnThisPlatform": "このプログラムは、%1 上で実行する必要があります。",
+ "OnlyOnTheseArchitectures": "このプログラムは、次のプロセッサ アーキテクチャ用に設計された Windows のバージョンに対してのみインストールできます:%n%n%1",
+ "MissingWOW64APIs": "実行中のバージョンの Windows に、64 ビットのインストールを実行するために必要な機能が含まれていません。この問題を修正するには、Service Pack %1 をインストールしてください。",
+ "WinVersionTooLowError": "このプログラムには、%1 バージョン %2 以降が必要です。",
+ "WinVersionTooHighError": "このプログラムは、%1 バージョン %2 以降にはインストールできません。",
+ "AdminPrivilegesRequired": "このプログラムをインストールするときは、管理者としてログインする必要があります。",
+ "PowerUserPrivilegesRequired": "このプログラムをインストールするには、管理者としてログインするか、Power Users グループのメンバーとしてログインする必要があります。",
+ "SetupAppRunningError": "%1 が現在実行中であることが検出されました。%n%nそのプログラムのすべてのインスタンスを今すぐ閉じてから、[OK] をクリックして続行してください。または、セットアップを終了するには、[キャンセル] をクリックしてください。",
+ "UninstallAppRunningError": "%1 が現在実行中であることを検出しました。%n%nそのプログラムのすべてのインスタンスを閉じてから [OK] をクリックして続行するか、[キャンセル] をクリックしてアンインストールを終了します。",
+ "ErrorCreatingDir": "ディレクトリ \"%1\" を作成できませんでした",
+ "ErrorTooManyFilesInDir": "ディレクトリ \"%1\" にファイルを作成できませんでした。ディレクトリに含まれているファイルが多すぎます",
+ "ExitSetupTitle": "セットアップを終了する",
+ "ExitSetupMessage": "セットアップは完了していません。このまま終了すると、プログラムはインストールされません。%n%n後でセットアップを再実行すれば、インストールを完了できます。%n%nセットアップを終了しますか?",
+ "AboutSetupMenuItem": "セットアップについて(&A)...",
+ "AboutSetupTitle": "セットアップについて",
+ "AboutSetupMessage": "%1 バージョン %2%n%3%n%n%1 ホーム ページ:%n%4",
+ "ButtonBack": "< 戻る(&B)",
+ "ButtonNext": "次へ(&N) >",
+ "ButtonInstall": "インストール(&I)",
+ "ButtonOK": "OK",
+ "ButtonCancel": "キャンセル",
+ "ButtonYes": "はい(&Y)",
+ "ButtonYesToAll": "すべてはい(&A)",
+ "ButtonNo": "いいえ(&N)",
+ "ButtonNoToAll": "すべていいえ(&O)",
+ "ButtonFinish": "完了(&F)",
+ "ButtonBrowse": "参照(&B)...",
+ "ButtonWizardBrowse": "参照(&R)...",
+ "ButtonNewFolder": "新しいフォルダーを作成(&M)",
+ "SelectLanguageTitle": "セットアップの言語の選択",
+ "SelectLanguageLabel": "インストール中に使う言語を選択します:",
+ "ClickNext": "続行するには [次へ] を、セットアップを終了するには [キャンセル] をクリックしてください。",
+ "BrowseDialogTitle": "フォルダーの参照",
+ "BrowseDialogLabel": "下の一覧からフォルダーを選択し、[OK] をクリックしてください。",
+ "NewFolderName": "新しいフォルダー",
+ "WelcomeLabel1": "[name] のセットアップ ウィザードへようこそ",
+ "WelcomeLabel2": "このウィザードでは、[name/ver] をコンピューターにインストールします。%n%n続行する前に、他のアプリケーションをすべて閉じることをお勧めします。",
+ "WizardPassword": "パスワード",
+ "PasswordLabel1": "このインストールは、パスワードで保護されています。",
+ "PasswordLabel3": "パスワードを入力してから、[次へ] をクリックして続行してください。パスワードでは大文字と小文字が区別されます。",
+ "PasswordEditLabel": "パスワード(&P):",
+ "IncorrectPassword": "入力されたパスワードが正しくありません。もう一度実行してください。",
+ "WizardLicense": "使用許諾契約書",
+ "LicenseLabel": "続行する前に次の重要な情報をお読みください。",
+ "LicenseLabel3": "次のライセンス条項をお読みください。インストールを続行するには、このライセンス条項に同意する必要があります。",
+ "LicenseAccepted": "同意する(&A)",
+ "LicenseNotAccepted": "同意しない(&D)",
+ "WizardInfoBefore": "情報",
+ "InfoBeforeLabel": "続行する前に次の重要な情報をお読みください。",
+ "InfoBeforeClickLabel": "セットアップを続行する準備ができたら、[次へ] をクリックしてください。",
+ "WizardInfoAfter": "情報",
+ "InfoAfterLabel": "続行する前に次の重要な情報をお読みください。",
+ "InfoAfterClickLabel": "セットアップを続行する準備ができたら、[次へ] をクリックしてください。",
+ "WizardUserInfo": "ユーザー情報",
+ "UserInfoDesc": "情報を入力してください。",
+ "UserInfoName": "ユーザー名(&U):",
+ "UserInfoOrg": "組織(&O):",
+ "UserInfoSerial": "シリアル番号(&S):",
+ "UserInfoNameRequired": "名前を入力してください。",
+ "WizardSelectDir": "インストール先の選択",
+ "SelectDirDesc": "[name] をどこにインストールしますか?",
+ "SelectDirLabel3": "[name] は次のフォルダーにインストールされます。",
+ "SelectDirBrowseLabel": "続行するには、[次へ] をクリックしてください。異なるフォルダーを選択するには、[参照] をクリックしてください。",
+ "DiskSpaceMBLabel": "最低 [mb] MB の空きディスク領域が必要です。",
+ "CannotInstallToNetworkDrive": "ネットワーク ドライブにインストールすることはできません。",
+ "CannotInstallToUNCPath": "UNC パスにインストールすることはできません。",
+ "InvalidPath": "ドライブ文字が含まれる完全パスを入力する必要があります。例: %n%nC:\\APP%n%n。次の形式の UNC パスではありません:%n%n\\\\server\\share",
+ "InvalidDrive": "選択したドライブまたは UNC 共有が存在しないか、アクセスできません。別のものを選択してください。",
+ "DiskSpaceWarningTitle": "ディスク領域が不足しています",
+ "DiskSpaceWarning": "インストールするには最低 %1 KB の空き領域が必要ですが、選択されたドライブで利用できる空き領域は %2 KB だけです。%n%nこのまま続行しますか?",
+ "DirNameTooLong": "フォルダーの名前またはパスが長すぎます。",
+ "InvalidDirName": "フォルダー名が無効です。",
+ "BadDirName32": "フォルダー名に以下の文字を含めることはできません:%n%n%1",
+ "DirExistsTitle": "フォルダーが存在します",
+ "DirExists": "フォルダー:%n%n%1%n%nは既に存在します。このフォルダーにこのままインストールしますか?",
+ "DirDoesntExistTitle": "フォルダーが存在しません",
+ "DirDoesntExist": "フォルダー:%n%n%1%n%nは存在しません。このフォルダーを作成しますか?",
+ "WizardSelectComponents": "コンポーネントの選択",
+ "SelectComponentsDesc": "どのコンポーネントをインストールしますか?",
+ "SelectComponentsLabel2": "インストールするコンポーネントを選択し、インストールしないコンポーネントの選択を解除してください。準備ができたら、[次へ] をクリックして続行してください。",
+ "FullInstallation": "完全インストール",
+ "CompactInstallation": "コンパクト インストール",
+ "CustomInstallation": "カスタム インストール",
+ "NoUninstallWarningTitle": "コンポーネントが存在する",
+ "NoUninstallWarning": "次のコンポーネントが既にコンピューターにインストールされていることが検出されました。%n%n%1%n%nこれらのコンポーネントの選択を解除しても、コンポーネントはアンインストールされません。%n%nこのまま続行しますか?",
+ "ComponentSize1": "%1 KB",
+ "ComponentSize2": "%1 MB",
+ "ComponentsDiskSpaceMBLabel": "現在の選択内容には、最低 [mb] MB のディスク領域が必要です。",
+ "WizardSelectTasks": "追加タスクの選択",
+ "SelectTasksDesc": "どの追加タスクを実行する必要がありますか?",
+ "SelectTasksLabel2": "[name] のインストール中に実行する追加タスクを選択してから、[次へ] をクリックします。",
+ "WizardSelectProgramGroup": "スタート メニューのフォルダーの選択",
+ "SelectStartMenuFolderDesc": "プログラムのショートカットをどこに置きますか?",
+ "SelectStartMenuFolderLabel3": "プログラムのショートカットをスタート メニューの次のフォルダーに作成します。",
+ "SelectStartMenuFolderBrowseLabel": "続行するには、[次へ] をクリックしてください。異なるフォルダーを選択するには、[参照] をクリックしてください。",
+ "MustEnterGroupName": "フォルダー名を入力してください。",
+ "GroupNameTooLong": "フォルダーの名前またはパスが長すぎます。",
+ "InvalidGroupName": "フォルダー名が無効です。",
+ "BadGroupName": "フォルダー名に以下の文字を含めることはできません:%n%n%1",
+ "NoProgramGroupCheck2": "スタート メニュー フォルダーを作成しない(&D)",
+ "WizardReady": "インストールの準備が完了しました",
+ "ReadyLabel1": "コンピューターに [name] をインストールする準備が整いました。",
+ "ReadyLabel2a": "[インストール] をクリックしてインストールを続行してください。あるいは、設定を確認または変更する場合は、[戻る] をクリックしてください。",
+ "ReadyLabel2b": "[インストール] をクリックして、インストールを続行してください。",
+ "ReadyMemoUserInfo": "ユーザー情報:",
+ "ReadyMemoDir": "インストール先の場所:",
+ "ReadyMemoType": "セットアップの種類:",
+ "ReadyMemoComponents": "選択したコンポーネント:",
+ "ReadyMemoGroup": "スタート メニューのフォルダー:",
+ "ReadyMemoTasks": "追加タスク:",
+ "WizardPreparing": "インストールの準備をしています",
+ "PreparingDesc": "コンピューターに [name] をインストールする準備をしています。",
+ "PreviousInstallNotCompleted": "前のプログラムのインストール/削除が完了していません。そのインストールを完了するためにコンピューターを再起動する必要があります。%n%nコンピューターを再起動した後、セットアップをもう一度実行して [name] のインストールを完了してください。",
+ "CannotContinue": "セットアップを続行できません。終了するには [キャンセル] をクリックしてください。",
+ "ApplicationsFound": "次に挙げるアプリケーションが、セットアップで更新する必要のあるファイルを使っています。これらのアプリケーションをセットアップ中に自動的に閉じるのを許可することをお勧めします。",
+ "ApplicationsFound2": "次に挙げるアプリケーションが、セットアップで更新する必要のあるファイルを使っています。これらのアプリケーションをセットアップ中に自動的に閉じるのを許可することをお勧めします。インストールが完了した後、これらのアプリケーションの再起動が試行されます。",
+ "CloseApplications": "アプリケーションを自動的に閉じる(&A)",
+ "DontCloseApplications": "アプリケーションを閉じない(&D)",
+ "ErrorCloseApplications": "すべてのアプリケーションを自動的に閉じることはできませんでした。続行する前に、セットアップで更新する必要のあるファイルを使っているすべてのアプリケーションを閉じることをお勧めします。",
+ "WizardInstalling": "インストールしています",
+ "InstallingLabel": "セットアップにより [name] がコンピューターにインストールされている間、しばらくお待ちください。",
+ "FinishedHeadingLabel": "[name] セットアップ ウィザードを終了します",
+ "FinishedLabelNoIcons": "コンピューターへの [name] のインストールが終了しました。",
+ "FinishedLabel": "セットアップにより、コンピューターで [name] のインストールが終了しました。インストールされたアイコンを選択すると、アプリケーションを起動できる場合があります。",
+ "ClickFinish": "セットアップを終了するには、[\\[]完了[\\]] をクリックしてください。",
+ "FinishedRestartLabel": "[name] のインストールを完了するには、コンピューターを再起動する必要があります。今すぐ再起動しますか?",
+ "FinishedRestartMessage": "[name] のインストールを完了するには、コンピューターを再起動する必要があります。%n%n今すぐ再起動しますか?",
+ "ShowReadmeCheck": "はい、README ファイルを閲覧します",
+ "YesRadio": "はい、コンピューターを今すぐ再起動します(&Y)",
+ "NoRadio": "いいえ、コンピューターは後で自分で再起動します(&N)",
+ "RunEntryExec": "%1 を実行",
+ "RunEntryShellExec": "%1 を表示",
+ "ChangeDiskTitle": "次のディスクが必要です",
+ "SelectDiskLabel2": "ディスク %1 を挿入して [OK] をクリックしてください。%n%nこのディスクのファイルが、下に表示されているのとは別のフォルダーにある場合は、正しいパスを入力するか、[参照] をクリックします。",
+ "PathLabel": "パス(&P):",
+ "FileNotInDir2": "ファイル \"%1\" は \"%2\" に見つかりませんでした。正しいディスクを挿入するか、別のフォルダーを選択してください。",
+ "SelectDirectoryLabel": "次のディスクの場所を指定してください。",
+ "SetupAborted": "セットアップが完了しませんでした。%n%n問題を修正してから、もう一度セットアップを実行してください。",
+ "EntryAbortRetryIgnore": "もう一度試すには [再試行] を、このまま続行するには [無視] を、インストールをキャンセルするには [中止] をクリックしてください。",
+ "StatusClosingApplications": "アプリケーションを閉じています...",
+ "StatusCreateDirs": "ディレクトリを作成しています...",
+ "StatusExtractFiles": "ファイルを抽出しています...",
+ "StatusCreateIcons": "ショートカットを作成しています...",
+ "StatusCreateIniEntries": "INI エントリを作成しています...",
+ "StatusCreateRegistryEntries": "レジストリ エントリを作成しています...",
+ "StatusRegisterFiles": "ファイルを登録しています...",
+ "StatusSavingUninstall": "アンインストール情報を保存しています...",
+ "StatusRunProgram": "インストールを完了しています...",
+ "StatusRestartingApplications": "アプリケーションを再起動しています...",
+ "StatusRollback": "変更をロールバックしています...",
+ "ErrorInternal2": "内部エラーです: %1",
+ "ErrorFunctionFailedNoCode": "%1 が失敗しました",
+ "ErrorFunctionFailed": "%1 が失敗しました。コード %2",
+ "ErrorFunctionFailedWithMessage": "%1 が失敗しました。コード %2。%n%3",
+ "ErrorExecutingProgram": "ファイルを実行できません:%n%1",
+ "ErrorRegOpenKey": "レジストリ キー:%n%1\\%2 を開くときにエラーが発生しました",
+ "ErrorRegCreateKey": "レジストリ キー:%n%1\\%2 を作成中にエラーが発生しました",
+ "ErrorRegWriteKey": "レジストリ キー:%n%1\\%2 に書き込むときにエラーが発生しました",
+ "ErrorIniEntry": "ファイル \"%1\" に INI エントリを作成中にエラーが発生しました。",
+ "FileAbortRetryIgnore": "もう一度試すには [再試行] を、このファイルをスキップする (非推奨) には [無視] を、インストールをキャンセルするには [中止] をクリックしてください。",
+ "FileAbortRetryIgnore2": "もう一度試すには [再試行] を、このまま続行する (非推奨) には [無視] を、インストールをキャンセルするには [中止] をクリックしてください。",
+ "SourceIsCorrupted": "ソース ファイルが破損しています",
+ "SourceDoesntExist": "ソース ファイル \"%1\" が存在しません",
+ "ExistingFileReadOnly": "既存のファイルに読み取り専用のマークが付いています。%n%n読み取り専用属性を削除して再試行するには [再試行] を、このファイルをスキップするには [無視] を、インストールをキャンセルするには [中止] をクリックしてください。",
+ "ErrorReadingExistingDest": "既存のファイルを読み取ろうとしてエラーが発生しました:",
+ "FileExists": "ファイルが既に存在します。%n%n上書きしますか?",
+ "ExistingFileNewer": "セットアップでインストールしようとしているファイルより、既存のファイルのほうが新しいファイルです。既存のファイルをそのまま残すことをお勧めします。%n%n既存のファイルを残しますか?",
+ "ErrorChangingAttr": "既存のファイルの属性を変更しようとしてエラーが発生しました:",
+ "ErrorCreatingTemp": "宛先ディレクトリにファイルを作成しようとしてエラーが発生しました:",
+ "ErrorReadingSource": "ソース ファイルを読み取ろうとしてエラーが発生しました:",
+ "ErrorCopying": "ファイルをコピーしようとしてエラーが発生しました:",
+ "ErrorReplacingExistingFile": "既存のファイルを置き換えようとしてエラーが発生しました:",
+ "ErrorRestartReplace": "RestartReplace が失敗しました:",
+ "ErrorRenamingTemp": "宛先ディレクトリでファイルの名前を変更しようとしてエラーが発生しました:",
+ "ErrorRegisterServer": "DLL/OCX を登録できません: %1",
+ "ErrorRegSvr32Failed": "RegSvr32 が終了コード %1 で失敗しました",
+ "ErrorRegisterTypeLib": "タイプ ライブラリを登録できません: %1",
+ "ErrorOpeningReadme": "README ファイルを開こうとしてエラーが発生しました。",
+ "ErrorRestartingComputer": "コンピューターを再起動できませんでした。手動で再起動してください。",
+ "UninstallNotFound": "ファイル \"%1\" が存在しません。アンインストールできません。",
+ "UninstallOpenError": "ファイル \"%1\" を開けませんでした。アンインストールできません",
+ "UninstallUnsupportedVer": "アンインストール ログ ファイル \"%1\" が、このバージョンのアンインストーラーからは認識できない形式になっています。アンインストールできません",
+ "UninstallUnknownEntry": "アンインストール ログに不明なエントリ (%1) が見つかりました",
+ "ConfirmUninstall": "%1 を完全に削除しますか。拡張機能と設定は削除されません。",
+ "UninstallOnlyOnWin64": "このインストールは、64 ビットの Windows 上でのみアンインストールできます。",
+ "OnlyAdminCanUninstall": "このインストールは、管理特権を持つユーザーだけがアンインストールできます。",
+ "UninstallStatusLabel": "%1 がコンピューターから削除されるまで、しばらくお待ちください。",
+ "UninstalledAll": "%1 はコンピューターから正常に削除されました。",
+ "UninstalledMost": "%1 のアンインストールが完了しました。%n%n一部の要素を削除できませんでした。それらの要素は、手動で削除できます。",
+ "UninstalledAndNeedsRestart": "%1 のアンインストールを完了するには、コンピューターを再起動する必要があります。%n%n今すぐ再起動しますか?",
+ "UninstallDataCorrupted": "\"%1\" ファイルが壊れています。アンインストールできません",
+ "ConfirmDeleteSharedFileTitle": "共有ファイルを削除しますか?",
+ "ConfirmDeleteSharedFile2": "次の共有ファイルがどのプログラムからも使用されなくなったことをシステムが検出しました。アンインストーラーによってこの共有ファイルを削除しますか?%n%nいずれかのプログラムがまだこのファイルを使っている場合にこのファイルを削除すると、それらのプログラムが正常に機能しなくなる恐れがあります。確かなことが分からない場合は、[いいえ] を選択してください。このファイルをシステムに残しても、問題は起きません。",
+ "SharedFileNameLabel": "ファイル名:",
+ "SharedFileLocationLabel": "場所:",
+ "WizardUninstalling": "アンインストールの状態",
+ "StatusUninstalling": "%1 をアンインストールしています...",
+ "ShutdownBlockReasonInstallingApp": "%1 をインストールしています。",
+ "ShutdownBlockReasonUninstallingApp": "%1 をアンインストールしています。",
+ "NameAndVersion": "%1 バージョン %2",
+ "AdditionalIcons": "追加アイコン:",
+ "CreateDesktopIcon": "デスクトップ アイコンの作成(&D)",
+ "CreateQuickLaunchIcon": "サイド リンク バー アイコンの作成(&Q)",
+ "ProgramOnTheWeb": "Web 上の %1",
+ "UninstallProgram": "%1 のアンインストール",
+ "LaunchProgram": "%1 の起動",
+ "AssocFileExtension": "%1 をファイル拡張子 %2 に関連付ける(&A)",
+ "AssocingFileExtension": "%1 をファイル拡張子 %2 に関連付けています...",
+ "AutoStartProgramGroupDescription": "スタートアップ:",
+ "AutoStartProgram": "%1 を自動的に開始",
+ "AddonHostProgramNotFound": "選択されたフォルダーに %1 は見つかりませんでした。%n%nこのまま続行しますか?"
+ },
+ "win32/i18n/messages": {
+ "FinishedLabel": "セットアップにより、コンピューターで [name] のインストールが終了しました。インストールされたショートカットを選択すると、アプリケーションを起動できる場合があります。",
+ "ConfirmUninstall": "%1 とそのすべてのコンポーネントを完全に削除しますか?",
+ "AdditionalIcons": "追加アイコン:",
+ "CreateDesktopIcon": "デスクトップ アイコンの作成(&D)",
+ "CreateQuickLaunchIcon": "サイド リンク バー アイコンの作成(&Q)",
+ "AddContextMenuFiles": "エクスプローラーのファイル コンテキスト メニューに [%1 で開く] アクションを追加する",
+ "AddContextMenuFolders": "エクスプローラーのディレクトリ コンテキスト メニューに [%1 で開く] アクションを追加する",
+ "AssociateWithFiles": "サポートされているファイルの種類のエディターとして、%1 を登録する",
+ "AddToPath": "PATH に追加 (シェルの再起動が必要)",
+ "RunAfter": "インストール後に %1 を実行する",
+ "Other": "その他:",
+ "SourceFile": "%1 ソース ファイル",
+ "OpenWithCodeContextMenu": "%1 で開く(&I)"
+ },
+ "vs/code/electron-main/main": {
+ "secondInstanceAdmin": "{0} の 2 つ目のインスタンスが既に管理者として実行されています。",
+ "secondInstanceAdminDetail": "他のインスタンスを閉じてからもう一度お試しください。",
+ "secondInstanceNoResponse": "{0} の別のインスタンスが実行中ですが応答していません",
+ "secondInstanceNoResponseDetail": "他すべてのインスタンスを閉じてからもう一度お試しください。",
+ "startupDataDirError": "プログラム ユーザー データを書き込めませんでした。",
+ "startupUserDataAndExtensionsDirErrorDetail": "次のディレクトリが書き込み可能であることを確認してください:\r\n\r\n{0}",
+ "close": "閉じる(&&C)"
+ },
+ "vs/code/node/cliProcessMain": {
+ "notFound": "拡張機能 '{0}' が見つかりませんでした。",
+ "notInstalled": "拡張機能 '{0}' がインストールされていません。",
+ "useId": "パブリッシャーを含む完全な拡張機能 ID (例: {0}) を使用していることをご確認ください。",
+ "installingExtensions": "拡張機能をインストールしています...",
+ "alreadyInstalled-checkAndUpdate": "拡張機能 '{0}' v{1} は既にインストールされています。'--force' オプションを使用して最新バージョンに更新するか、'@' を指定して特定のバージョンをインストールしてください。例: '{2}@1.2.3'。",
+ "alreadyInstalled": "拡張機能 '{0}' は既にインストールされています。",
+ "installation failed": "拡張機能のインストールに失敗しました: {0}",
+ "successVsixInstall": "拡張機能 '{0}' が正常にインストールされました。",
+ "cancelVsixInstall": "拡張機能 '{0}' のインストールをキャンセルしました。",
+ "updateMessage": "拡張機能 '{0}' をバージョン {1} に更新しています",
+ "installing builtin ": "組み込み拡張機能 '{0}' v{1} をインストールしています...",
+ "installing": "拡張機能 '{0}' v{1} をインストールしています...",
+ "successInstall": "拡張機能 '{0}' v{1} は正常にインストールされました。",
+ "cancelInstall": "拡張機能 '{0}' のインストールをキャンセルしました。",
+ "forceDowngrade": "拡張機能 '{0}' v{1} の新しいバージョンが既にインストールされています。古いバージョンにダウングレードするには、'--force' オプションを使用します。",
+ "builtin": "拡張機能 '{0}' は組み込みの拡張機能であるため、インストールできません",
+ "forceUninstall": "拡張機能 '{0}' は、ユーザーによって組み込みの拡張機能として設定されています。アンインストールする場合は、'--force' オプションを使用してください。",
+ "uninstalling": "{0} をアンインストールしています...",
+ "successUninstall": "拡張機能 '{0}' が正常にアンインストールされました!"
+ },
+ "vs/code/electron-sandbox/issue/issueReporterMain": {
+ "hide": "非表示",
+ "show": "表示",
+ "previewOnGitHub": "GitHub 上でプレビュー",
+ "loadingData": "データを読み込んでいます...",
+ "rateLimited": "GitHub クエリの制限を超えました。お待ちください。",
+ "similarIssues": "類似の問題",
+ "open": "開く",
+ "closed": "クローズ済み",
+ "noSimilarIssues": "類似の問題は見つかりませんでした",
+ "bugReporter": "バグ報告",
+ "featureRequest": "機能要求",
+ "performanceIssue": "パフォーマンスの問題",
+ "selectSource": "ソースの選択",
+ "vscode": "Visual Studio Code",
+ "extension": "拡張機能",
+ "unknown": "わかりません",
+ "stepsToReproduce": "再現手順",
+ "bugDescription": "問題を再現するための正確な手順を共有します。このとき、期待する結果と実際の結果を提供してください。GitHub-flavored Markdown に対応しています。GitHub 上で確認するときに問題を編集してスクリーンショットを追加できます。",
+ "performanceIssueDesciption": "このパフォーマンスの問題はいつ発生しましたか? それは起動時ですか? それとも特定のアクションのあとですか? GitHub-flavored Markdown に対応しています。GitHub 上で確認するときに問題を編集してスクリーンショットを追加できます。",
+ "description": "説明",
+ "featureRequestDescription": "見てみたいその機能についての詳細を入力してください。GitHub-flavored Markdown に対応しています。GitHub 上で確認するときに問題を編集してスクリーンショットを追加できます。",
+ "pasteData": "必要なデータが送信するには大きすぎたため、クリップボードに書き込みました。貼り付けてください。",
+ "disabledExtensions": "拡張機能が無効化されています",
+ "noCurrentExperiments": "現在の実験はありません。"
+ },
+ "vs/code/electron-sandbox/processExplorer/processExplorerMain": {
+ "cpu": "CPU %",
+ "memory": "メモリ (MB)",
+ "pid": "PID",
+ "name": "名前",
+ "killProcess": "プロセスの中止",
+ "forceKillProcess": "プロセスの強制中止",
+ "copy": "コピー",
+ "copyAll": "すべてコピー",
+ "debug": "デバッグ"
+ },
+ "vs/code/electron-main/app": {
+ "trace.message": "トレースが正常に作成されました。",
+ "trace.detail": "問題点を作成し、次のファイルを手動で添付してください:\r\n{0}",
+ "trace.ok": "OK",
+ "open": "はい(&&Y)",
+ "cancel": "いいえ(&&N)",
+ "confirmOpenMessage": "外部アプリケーションが {1} で '{0}' を開こうとしています。このファイルまたはフォルダーを開きますか?",
+ "confirmOpenDetail": "お客様がこの要求を開始しなかった場合は、システムに対して攻撃が試行されている可能性があります。この要求を明示的に開始していない場合は、[いいえ] をクリックしてください"
+ },
+ "vs/code/electron-sandbox/issue/issueReporterPage": {
+ "completeInEnglish": "フォームに英語で記入してください。",
+ "issueTypeLabel": "これは",
+ "issueSourceLabel": "記録",
+ "issueSourceEmptyValidation": "問題のソースが必要です。",
+ "disableExtensionsLabelText": "{0} を実行後に問題を再現してみてください。拡張機能がアクティブな場合にのみ問題が再現する場合は、拡張機能の問題である可能性があります。",
+ "disableExtensions": "すべての拡張機能を無効にしてウィンドウを再読みする",
+ "chooseExtension": "拡張機能",
+ "extensionWithNonstandardBugsUrl": "問題レポーターでは、この拡張機能の問題を作成できません。問題を報告するには、{0} にアクセスしてください。",
+ "extensionWithNoBugsUrl": "問題を報告するための URL が指定されていないため、問題レポーターはこの拡張機能の問題を作成できません。他の手順が利用可能かどうかを確認するには、この拡張機能のマーケットプレース ページをご確認ください。",
+ "issueTitleLabel": "タイトル",
+ "issueTitleRequired": "題名を入力してください",
+ "titleEmptyValidation": "タイトルが必要です。",
+ "titleLengthValidation": "タイトルが長すぎます。",
+ "details": "詳細を入力してください。",
+ "descriptionEmptyValidation": "説明が必要です。",
+ "sendSystemInfo": "自分のシステム情報 ({0}) を含める",
+ "show": "表示",
+ "sendProcessInfo": "自分が現在実行中のプロセス ({0}) を含める",
+ "sendWorkspaceInfo": "自分のワークスペースのメタデータ ({0}) を含める",
+ "sendExtensions": "自分の利用可能な拡張機能 ({0}) を含める",
+ "sendExperiments": "A/B 実験情報を含める ({0})"
+ },
+ "vs/code/electron-main/auth": {
+ "authRequire": "プロキシ認証が必要",
+ "proxyauth": "{0} プロキシには認証が必要です。"
+ },
+ "vs/code/electron-main/window": {
+ "reopen": "もう一度開く(&&R)",
+ "wait": "待機を続ける(&&K)",
+ "close": "閉じる(&&C)",
+ "appStalled": "ウィンドウから応答がありません",
+ "appStalledDetail": "ウィンドウを再度開くか、閉じるか、このまま待機できます。",
+ "appCrashedDetails": "ウィンドウがクラッシュしました (理由: '{0}')",
+ "appCrashed": "ウィンドウがクラッシュしました",
+ "appCrashedDetail": "ご不便をおかけして申し訳ありません。ウィンドウを再度開いて、中断したところから続行できます。",
+ "hiddenMenuBar": "引き続き Alt キーを押してメニュー バーにアクセスできます。"
+ },
+ "vs/workbench/electron-browser/actions/developerActions": {
+ "toggleSharedProcess": "共有プロセスを切り替える"
+ },
+ "vs/workbench/electron-sandbox/desktop.contribution": {
+ "newTab": "新しいウィンドウ タブ",
+ "showPreviousTab": "前のウィンドウ タブを表示",
+ "showNextWindowTab": "次のウィンドウ タブを表示",
+ "moveWindowTabToNewWindow": "ウィンドウ タブを新しいウィンドウに移動",
+ "mergeAllWindowTabs": "すべてのウィンドウを統合",
+ "toggleWindowTabsBar": "ウィンドウ タブ バーの切り替え",
+ "preferences": "基本設定",
+ "miCloseWindow": "ウィンドウを閉じる(&&E)",
+ "miExit": "終了(&&X)",
+ "miZoomIn": "拡大(&&Z)",
+ "miZoomOut": "ズームアウト(&&Z)",
+ "miZoomReset": "ズームのリセット(&&R)",
+ "miReportIssue": "問題を報告(&&I)",
+ "miToggleDevTools": "開発者ツールの切り替え(&&T)",
+ "miOpenProcessExplorerer": "プロセス エクスプローラーを開く(&&P)",
+ "windowConfigurationTitle": "ウィンドウ",
+ "window.openWithoutArgumentsInNewWindow.on": "新しい空のウィンドウを開きます。",
+ "window.openWithoutArgumentsInNewWindow.off": "最後にアクティブだった実行中のインスタンスにフォーカスします。",
+ "openWithoutArgumentsInNewWindow": "引数なしで 2 つ目のインスタンスを起動するとき、新しい空のウィンドウを開くか、最後に実行されていたインスタンスにフォーカスするかどうかを制御します。\r\nこの設定は無視される場合もあります (例: `--new-window` または `--reuse-window` コマンド ライン オプションを使用する場合など)。",
+ "window.reopenFolders.preserve": "常にすべてのウィンドウが再度開かれます。フォルダーまたはワークスペースが開かれている場合は (例: コマンド ラインから)、新しいウィンドウとして開かれます (ただし、前に開かれている場合は例外)。ファイルが開かれている場合、それらは復元されたウィンドウのうちの 1 つで開かれます。",
+ "window.reopenFolders.all": "フォルダー、ワークスペース、ファイルが (コマンド ラインなどから) 開かれている場合を除き、すべてのウィンドウを再度開きます。",
+ "window.reopenFolders.folders": "フォルダー、ワークスペース、ファイルが (コマンド ラインなどから) 開かれている場合を除き、フォルダーまたはワークスペースが開かれていたすべてのウィンドウを再度開きます。",
+ "window.reopenFolders.one": "フォルダー、ワークスペース、ファイルが (コマンド ラインなどから) 開かれている場合を除き、最後のアクティブ ウィンドウを再度開きます。",
+ "window.reopenFolders.none": "ウィンドウを再度開きません。フォルダーまたはワークスペースが (コマンド ラインなどから) 開かれている場合を除き、空のウィンドウが表示されます。",
+ "restoreWindows": "初めての起動後にウィンドウを再度開く方法を制御します。この設定は、アプリケーションが既に実行中の場合は効果がありません。",
+ "restoreFullscreen": "全画面表示モードで終了した場合に、ウィンドウを全画面表示モードに復元するかどうかを制御します。",
+ "zoomLevel": "ウィンドウのズーム レベルを調整します。元のサイズは 0 で、1 つ上げるごとに (1 など) 20% ずつ拡大することを表し、1 つ下げるごとに (-1 など) 20% ずつ縮小することを表します。小数点以下の桁数を入力して、さらに細かくズーム レベルを調整することもできます。",
+ "window.newWindowDimensions.default": "新しいウィンドウを画面の中央に開きます。",
+ "window.newWindowDimensions.inherit": "新しいウィンドウを、最後にアクティブだったウィンドウと同じサイズで開きます。",
+ "window.newWindowDimensions.offset": "最後のアクティブなウィンドウと同じ寸法の新しいウィンドウをオフセット位置で開きます。",
+ "window.newWindowDimensions.maximized": "新しいウィンドウを最大化した状態で開きます。",
+ "window.newWindowDimensions.fullscreen": "新しいウィンドウを全画面表示モードで開きます。",
+ "newWindowDimensions": "既に 1 つ以上のウィンドウを開いているとき、新しく開くウィンドウのサイズを制御します。この設定は、最初に開いたウィンドウに適用されないことに注意してください。最初のウィンドウは常に、前回閉じたサイズと位置で復元します。",
+ "closeWhenEmpty": "最後のエディターを閉じたときに、ウィンドウも閉じるかどうかを制御します。この設定はフォルダーを表示していないウィンドウにのみ適用されます。",
+ "window.doubleClickIconToClose": "有効になっている場合、タイトル バーでアプリケーション アイコンをクリックするとウィンドウが閉じ、ウィンドウをアイコンでドラッグすることができません。この設定が有効になるのは、`#window.titleBarStyle#` が `custom` に設定されている場合のみです。",
+ "titleBarStyle": "ウィンドウのタイトル バーの外観を調整します。Linux と Windows では、この設定はアプリケーションとコンテキスト メニューの外観にも影響します。変更を適用するには完全な再起動が必要です。",
+ "dialogStyle": "ダイアログ ウィンドウの外観を調整します。",
+ "window.nativeTabs": "macOS Sierra ウィンドウ タブを有効にします。この変更を適用するには完全な再起動が必要であり、ネイティブ タブでカスタムのタイトル バー スタイルが構成されていた場合はそれが無効になることに注意してください。",
+ "window.nativeFullScreen": "MacOS でネイティブのフルスクリーンを使用するかどうかを制御します。このオプションを無効にすると、フルスクリーン表示時に macOS が新しいスペースを作成しないようにします。",
+ "window.clickThroughInactive": "有効な場合、非アクティブなウィンドウをクリックするとウィンドウがアクティブになり、クリック可能な場合はマウスの下の要素がトリガーされます。無効にすると、非アクティブなウィンドウの任意の場所をクリックするとそのウィンドウがアクティブになり、要素には 2 回目のクリックが必要になります。",
+ "window.enableExperimentalProxyLoginDialog": "プロキシ認証のための新しいログイン ダイアログを有効にします。有効にするには再起動が必要です。",
+ "telemetryConfigurationTitle": "テレメトリ",
+ "telemetry.enableCrashReporting": "クラッシュ レポートを Microsoft のオンライン サービスに送信できるようにします。\r\nこのオプションを有効にするには、再起動が必要です。",
+ "keyboardConfigurationTitle": "キーボード",
+ "touchbar.enabled": "利用可能であれば macOS の Touch Bar ボタンを有効にします。",
+ "touchbar.ignored": "表示すべきではないタッチバー内のエントリの識別子のセット (たとえば、'workbench.action.navigateBack' など)。",
+ "argv.locale": "使用する表示言語。異なる言語を選択するには、関連付けられた言語パックをインストールする必要があります。",
+ "argv.disableHardwareAcceleration": "ハードウェア アクセラレータを無効にします。グラフィックの問題が発生した場合にのみ、このオプションを変更してください。",
+ "argv.disableColorCorrectRendering": "カラー プロファイルの選択に関する問題を解決します。グラフィックの問題が発生した場合にのみ、このオプションを変更してください。",
+ "argv.forceColorProfile": "使用するカラー プロファイルをオーバーライドできます。色が正しく表示されない場合は、これを 'srgb' に設定して再起動してみてください。",
+ "argv.enableCrashReporter": "クラッシュ レポートを無効にすることを許可します。値が変更された場合は、アプリを再起動する必要があります。",
+ "argv.crashReporterId": "このアプリ インスタンスから送信されるクラッシュ レポートを関連付けるために使用される一意の ID。",
+ "argv.enebleProposedApi": "拡張機能 ID のリストに対して提案された API を有効にします ('vscode.git' など)。提案された API は不安定で、警告なしに中断することがあります。これは拡張機能の開発とテストを目的とする場合にのみ設定してください。",
+ "argv.force-renderer-accessibility": "レンダラーに強制的にアクセスできるようにします。この変更は、Linux でスクリーン リーダーを使用している場合にのみ行います。その他のプラットフォームでは、レンダラーは自動的にアクセスできるようになります。このフラグは、editor.accessibilitySupport がオンの場合に自動的に設定されます。"
+ },
+ "vs/workbench/common/actions": {
+ "view": "表示",
+ "help": "ヘルプ",
+ "developer": "開発者"
+ },
+ "vs/workbench/browser/workbench": {
+ "loaderErrorNative": "必要なファイルの読み込みに失敗しました。アプリケーションを再起動してもう一度試してください。詳細: {0}"
+ },
+ "vs/workbench/electron-sandbox/window": {
+ "learnMode": "詳細情報",
+ "shellEnvSlowWarning": "シェル環境の解決に非常に長い時間がかかっています。シェルの構成を確認してください。",
+ "shellEnvTimeoutError": "適度な時間内にシェル環境を解決できません。シェルの構成を確認してください。",
+ "proxyAuthRequired": "プロキシ認証が必要",
+ "loginButton": "ログイン(&&L)",
+ "cancelButton": "キャンセル(&&C)",
+ "username": "ユーザー名",
+ "password": "パスワード",
+ "proxyDetail": "プロキシ {0} ではユーザー名とパスワードが必要です。",
+ "rememberCredentials": "資格情報を保存する",
+ "runningAsRoot": "{0} をルート ユーザーとして実行しないことを推奨します。",
+ "mPreferences": "基本設定"
+ },
+ "vs/workbench/common/theme": {
+ "tabActiveBackground": "アクティブ タブの背景色。タブはエディター領域におけるエディターのコンテナーです。1 つのエディター グループで複数のタブを開くことができます。エディター グループを複数にすることもできます。",
+ "tabUnfocusedActiveBackground": "フォーカスされていないグループ内のアクティブ タブの背景色。タブはエディター領域におけるエディターのコンテナーです。1 つのエディター グループで複数のタブを開くことができます。エディター グループを複数にすることもできます。",
+ "tabInactiveBackground": "非アクティブ タブの背景色。タブはエディター領域におけるエディターのコンテナーです。1 つのエディター グループで複数のタブを開くことができます。エディター グループを複数にすることもできます。",
+ "tabUnfocusedInactiveBackground": "フォーカスのないグループ内のアクティブでないタブの背景色。タブは、エディター領域内のエディターのコンテナーです。複数のタブを 1 つのエディター グループ内で開くことができます。複数のエディター グループを使用できます。",
+ "tabActiveForeground": "アクティブ グループ内のアクティブ タブの前景色。タブはエディター領域におけるエディターのコンテナーです。1 つのエディター グループで複数のタブを開くことができます。エディター グループを複数にすることもできます。",
+ "tabInactiveForeground": "アクティブ グループ内の非アクティブ タブの前景色。タブはエディター領域におけるエディターのコンテナーです。1 つのエディター グループで複数のタブを開くことができます。エディター グループを複数にすることもできます。",
+ "tabUnfocusedActiveForeground": "フォーカスされていないグループ内のアクティブ タブの前景色。タブはエディター領域におけるエディターのコンテナーです。1 つのエディター グループで複数のタブを開くことができます。エディター グループを複数にすることもできます。",
+ "tabUnfocusedInactiveForeground": "フォーカスされていないグループ内の非アクティブ タブの前景色。タブはエディター領域におけるエディターのコンテナーです。1 つのエディター グループで複数のタブを開くことができます。エディター グループを複数にすることもできます。",
+ "tabHoverBackground": "ホバー時のタブの背景色。タブはエディター領域におけるエディターのコンテナーです。1 つのエディター グループで複数のタブを開くことができます。エディター グループを複数にすることもできます。",
+ "tabUnfocusedHoverBackground": "ホバー時のフォーカスされていないグループ内のタブの背景色。タブはエディター領域におけるエディターのコンテナーです。1 つのエディター グループで複数のタブを開くことができます。エディター グループを複数にすることもできます。",
+ "tabHoverForeground": "カーソルを置いた時のタブの前景色。タブは、エディター領域内のエディターのコンテナーです。複数のタブを 1 つのエディター グループ内で開くことができます。複数のエディター グループを使用できます。",
+ "tabUnfocusedHoverForeground": "フォーカスのないグループ内のタブにカーソルを置いた時のタブの前景色。タブは、エディター領域内のエディターのコンテナーです。複数のタブを 1 つのエディター グループ内で開くことができます。複数のエディター グループを使用できます。",
+ "tabBorder": "タブ同士を分けるための境界線。タブはエディター領域内にあるエディターのコンテナーです。複数のタブを 1 つのエディター グループで開くことができます。複数のエディター グループがある可能性があります。",
+ "lastPinnedTabBorder": "固定されたタブとその他のタブを区切るための境界線です。タブはエディター領域内にあるエディターのコンテナーです。複数のタブを 1 つのエディター グループで開くことができます。複数のエディター グループがある可能性があります。",
+ "tabActiveBorder": "アクティブなタブの下部の境界線。タブはエディター領域内にあるエディターのコンテナーです。複数のタブを 1 つのエディター グループで開くことができます。複数のエディター グループがある可能性があります。",
+ "tabActiveUnfocusedBorder": "フォーカスされていないグループ内で、アクティブなタブの下部の境界線。タブはエディター領域内にあるエディターのコンテナーです。複数のタブを 1 つのエディター グループで開くことができます。複数のエディター グループがある可能性があります。",
+ "tabActiveBorderTop": "アクティブなタブの上部の境界線。タブはエディター領域内にあるエディターのコンテナーです。複数のタブを 1 つのエディター グループで開くことができます。複数のエディター グループがある可能性があります。",
+ "tabActiveUnfocusedBorderTop": "フォーカスされていないグループ内で、アクティブなタブの上部の境界線。タブはエディター領域内にあるエディターのコンテナーです。複数のタブを 1 つのエディター グループで開くことができます。複数のエディター グループがある可能性があります。",
+ "tabHoverBorder": "ホバー時のタブを強調表示するための境界線。タブはエディター領域内にあるエディターのコンテナーです。複数のタブを 1 つのエディター グループで開くことができます。複数のエディター グループがある可能性があります。",
+ "tabUnfocusedHoverBorder": "ホバー時のフォーカスされていないグループ内のタブを強調表示するための境界線。タブはエディター領域内にあるエディターのコンテナーです。複数のタブを 1 つのエディター グループで開くことができます。複数のエディター グループがある可能性があります。",
+ "tabActiveModifiedBorder": "アクティブ グループ内で、変更された (ダーティ) アクティブ タブの上部の境界線。タブはエディター領域内にあるエディターのコンテナーです。複数のタブを 1 つのエディター グループで開くことができます。複数のエディター グループがある可能性があります。",
+ "tabInactiveModifiedBorder": "アクティブ グループ内で、変更された (ダーティ) 非アクティブ タブの上部の境界線。タブはエディター領域内にあるエディターのコンテナーです。複数のタブを 1 つのエディター グループで開くことができます。複数のエディター グループがある可能性があります。",
+ "unfocusedActiveModifiedBorder": "フォーカスされていないグループ内で、変更された (ダーティ) アクティブ タブの上部の境界線。タブはエディター領域内にあるエディターのコンテナーです。複数のタブを 1 つのエディター グループで開くことができます。複数のエディター グループがある可能性があります。",
+ "unfocusedINactiveModifiedBorder": "フォーカスされていないグループ内で、変更された (ダーティ) 非アクティブ タブの上部の境界線。タブはエディター領域内にあるエディターのコンテナーです。複数のタブを 1 つのエディター グループで開くことができます。複数のエディター グループがある可能性があります。",
+ "editorPaneBackground": "中央揃えのエディター レイアウトの左右に表示されるエディター ペインの背景色。",
+ "editorGroupBackground": "エディター グループの背景色が非推奨になりました。",
+ "deprecatedEditorGroupBackground": "非推奨: エディター グループの背景色は、グリッド エディター レイアウトの導入に伴いサポートされなくなりました。editorGroup.emptyBackground を使用して空のエディター グループの背景色を設定できます。",
+ "editorGroupEmptyBackground": "空のエディター グループの背景色。エディター グループはエディターのコンテナーです。",
+ "editorGroupFocusedEmptyBorder": "フォーカスがある空のエディター グループの境界線色。エディター グループはエディターのコンテナーです。",
+ "tabsContainerBackground": "タブが有効な場合の エディター グループ タイトル ヘッダーの背景色。エディター グループはエディターのコンテナーです。",
+ "tabsContainerBorder": "タブが有効な場合の エディター グループ タイトル ヘッダーの境界線色。エディター グループはエディターのコンテナーです。",
+ "editorGroupHeaderBackground": "タブが無効な場合 (`\"workbench.editor.showTabs\": false`) のエディター グループ タイトル ヘッダーの背景色。エディター グループはエディターのコンテナーです。",
+ "editorTitleContainerBorder": "エディター グループのタイトル ヘッダーの境界線の色。エディター グループは、エディターのコンテナーです。",
+ "editorGroupBorder": "複数のエディター グループを互いに分離するための色。エディター グループはエディターのコンテナーです。",
+ "editorDragAndDropBackground": "エディターの周囲をドラッグしているときの背景色。エディターのコンテンツが最後まで輝くために、色は透過である必要があります。",
+ "imagePreviewBorder": "画像プレビュー画面の境界線色。",
+ "panelBackground": "パネルの背景色。パネルはエディター領域の下に表示され、出力や統合ターミナルなどのビューを含みます。",
+ "panelBorder": "パネルをエディターと区切るためのパネル ボーダー色。パネルはエディター領域の下に表示され、出力や統合ターミナルなどのビューを含みます。",
+ "panelActiveTitleForeground": "アクティブ パネルのタイトルの色。パネルはエディター領域の下に表示され、出力や統合ターミナルなどのビューを含みます。",
+ "panelInactiveTitleForeground": "非アクティブ パネルのタイトルの色。パネルはエディター領域の下に表示され、出力や統合ターミナルなどのビューを含みます。",
+ "panelActiveTitleBorder": "アクティブ パネル タイトルの境界線の色。パネルはエディター領域の下に表示され、出力や統合ターミナルなどのビューを含みます。",
+ "panelInputBorder": "パネル内の入力領域の入力ボックスの境界線。",
+ "panelDragAndDropBorder": "パネル タイトルのフィードバック色をドラッグ アンド ドロップします。パネルはエディター領域の下に表示され、出力および統合ターミナルのようなビューが含まれます。",
+ "panelSectionDragAndDropBackground": "パネル セクションのフィードバック色をドラッグ アンド ドロップします。この色には透明度を設定して、パネル セクションが透き通って見えるようにする必要があります。パネルはエディター領域の下に表示され、出力および統合ターミナルのようなビューが含まれます。パネル セクションは、パネル内で入れ子になっているビューです。",
+ "panelSectionHeaderBackground": "パネル セクションのヘッダーの背景色。パネルはエディター領域の下に表示され、出力および統合ターミナルのようなビューが含まれます。パネル セクションは、パネル内で入れ子になっているビューです。",
+ "panelSectionHeaderForeground": "パネル セクションのヘッダーの前景色。パネルはエディター領域の下に表示され、出力および統合ターミナルのようなビューが含まれます。パネル セクションは、パネル内で入れ子になっているビューです。",
+ "panelSectionHeaderBorder": "パネル内に複数のビューを縦方向に等間隔に配置するときに使用されるパネル セクション ヘッダーの境界線の色。パネルはエディター領域の下に表示され、出力や統合ターミナルなどのビューが含まれます。パネル セクションは、パネル内で入れ子になっているビューです。",
+ "panelSectionBorder": "パネル内に複数のビューを横方向に等間隔に配置するときに使用されるパネル セクションの境界線の色。パネルはエディター領域の下に表示され、出力や統合ターミナルなどのビューが含まれます。パネル セクションは、パネル内で入れ子になっているビューです。",
+ "statusBarForeground": "ワークスペースを開いていないときのステータス バーの前景色。ステータス バーはウィンドウの下部に表示されます。",
+ "statusBarNoFolderForeground": "フォルダーが開いていないときのステータス バーの前景色。ステータス バーはウィンドウの下部に表示されます。",
+ "statusBarBackground": "ワークスペースを開いていないときのステータス バーの背景色。ステータス バーはウィンドウの下部に表示されます。",
+ "statusBarNoFolderBackground": "フォルダーが開いていないときのステータス バーの背景色。ステータス バーはウィンドウの下部に表示されます。",
+ "statusBarBorder": "サイドバーとエディターを隔てるステータス バーの境界線色。ステータス バーはウィンドウの下部に表示されます。",
+ "statusBarNoFolderBorder": "フォルダーを開いていないときにサイドバーとエディターを隔てるワークスペースのステータス バーの境界線の色。ステータス バーはウィンドウの下部に表示されます。",
+ "statusBarItemActiveBackground": "クリック時のステータス バーの項目の背景色。ステータス バーはウィンドウの下部に表示されます。",
+ "statusBarItemHoverBackground": "ホバーしたときのステータス バーの項目の背景色。ステータス バーはウィンドウの下部に表示されます。",
+ "statusBarProminentItemForeground": "ステータス バーの主要なアイテムの前景色。主要なアイテムは、重要性を示すために他のステータス バーのエントリより目立っています。例を表示するには、コマンド パレットからモード `Toggle Tab Key Moves Focus` を変更します。ステータス バーはウィンドウの下部に表示されます。",
+ "statusBarProminentItemBackground": "ステータスバーで目立たせる項目の背景色。この項目は、重要性を示すために他のエントリーより目立って表示されます。コマンドパレットから `Toggle Tab Key Moves Focus` に切り替えると例を見ることができます。ステータスバーはウィンドウの下部に表示されます。",
+ "statusBarProminentItemHoverBackground": "ホバー中のステータスバーで目立たせる項目の背景色。この項目は、重要性を示すために他のエントリーより目立って表示されます。コマンドパレットから `Toggle Tab Key Moves Focus` に切り替えると例を見ることができます。ステータスバーはウィンドウの下部に表示されます。",
+ "statusBarErrorItemBackground": "ステータス バーでのエラー項目の背景色。エラー項目は、エラー条件を示すために他のステータス バーのエントリーより目立つように表示されます。ステータス バーはウィンドウの下部に表示されます。",
+ "statusBarErrorItemForeground": "ステータス バーでのエラー項目の前景色。エラー項目は、エラー条件を示すために他のステータス バーのエントリーより目立つように表示されます。ステータス バーはウィンドウの下部に表示されます。",
+ "activityBarBackground": "アクティビティ バーの背景色。アクティビティ バーは左端または右端に表示され、サイド バーのビューを切り替えることができます。",
+ "activityBarForeground": "アクティブなアクティビティ バー項目の前景色。アクティビティ バーは左端または右端に表示され、サイド バーのビューを切り替えることができます。",
+ "activityBarInActiveForeground": "非アクティブなアクティビティ バー項目の前景色。アクティビティ バーは左端または右端に表示され、サイド バーのビューを切り替えることができます。",
+ "activityBarBorder": "サイド バーと隔てるアクティビティ バーの境界線色。アクティビティ バーは左端または右端に表示され、サイド バーのビューを切り替えることができます。",
+ "activityBarActiveBorder": "アクティブなアイテムのアクティビティ バーの境界線の色。アクティビティ バーは左端または右端に表示され、サイド バーのビューを切り替えることができます。",
+ "activityBarActiveFocusBorder": "アクティブな項目のアクティビティ バー フォーカスの境界線の色。アクティビティ バーは左端または右端に表示され、サイド バーのビューを切り替えることができます。",
+ "activityBarActiveBackground": "アクティブなアイテムのアクティビティ バーの背景色。アクティビティ バーは左端または右端に表示され、サイド バーのビューを切り替えることができます。",
+ "activityBarDragAndDropBorder": "アクティビティ バー項目のフィードバック色をドラッグ アンド ドロップします。アクティビティ バーは、一番左または右に表示され、サイド バーのビューを切り替えることができます。",
+ "activityBarBadgeBackground": "アクティビティ通知バッジの背景色。アクティビティ バーは左端または右端に表示され、サイド バーの表示を切り替えることができます。",
+ "activityBarBadgeForeground": "アクティビティ通知バッジの前景色。アクティビティ バーは左端または右端に表示され、サイド バーの表示を切り替えることができます。",
+ "statusBarItemHostBackground": "ステータス バーのリモート インジゲーターの背景色。",
+ "statusBarItemHostForeground": "ステータス バーのリモート インジゲーターの前景色。",
+ "extensionBadge.remoteBackground": "拡張機能ビューのリモート バッジの背景色。",
+ "extensionBadge.remoteForeground": "拡張機能ビューのリモート バッジの前景色。",
+ "sideBarBackground": "サイド バーの背景色。サイド バーは、エクスプローラーや検索などのビューが入るコンテナーです。",
+ "sideBarForeground": "サイド バーの前景色。サイド バーは、エクスプローラーや検索などのビューが入るコンテナーです。",
+ "sideBarBorder": "エディターとの区切りを示すサイド バーの境界線の色。サイド バーは、エクスプローラーや検索などのビューが入るコンテナーです。",
+ "sideBarTitleForeground": "サイド バーのタイトルの前景色。サイド バーは、エクスプローラーや検索などのビューが入るコンテナーです。",
+ "sideBarDragAndDropBackground": "サイド バー セクションのドラッグ アンド ドロップ フィードバックの色。この色には透明度を設定して、サイド バー セクションが透き通って見えるようにする必要があります。サイド バーはエクスプローラーや検索のようなビューのコンテナーです。サイド バー セクションは、サイド バー内で入れ子になっているビューです。",
+ "sideBarSectionHeaderBackground": "サイド バー セクションのヘッダーの背景色。サイド バーはエクスプローラーや検索のようなビューのコンテナーです。サイド バー セクションは、サイド バー内で入れ子になっているビューです。",
+ "sideBarSectionHeaderForeground": "サイド バー セクションのヘッダーの前景色。サイド バーはエクスプローラーや検索のようなビューのコンテナーです。サイド バー セクションは、サイド バー内で入れ子になっているビューです。",
+ "sideBarSectionHeaderBorder": "サイド バー セクションのヘッダーの罫線の色。サイド バーはエクスプローラーや検索のようなビューのコンテナーです。サイド バー セクションは、サイド バー内で入れ子になっているビューです。",
+ "titleBarActiveForeground": "ウィンドウがアクティブな場合のタイトル バーの前景。",
+ "titleBarInactiveForeground": "ウィンドウが非アクティブな場合のタイトル バーの前景。",
+ "titleBarActiveBackground": "ウィンドウがアクティブな場合のタイトル バーの背景。",
+ "titleBarInactiveBackground": "ウィンドウが非アクティブな場合のタイトル バーの背景。",
+ "titleBarBorder": "タイトル バーの境界線色。",
+ "menubarSelectionForeground": "メニュー バーで選択されたメニュー項目の前景色。",
+ "menubarSelectionBackground": "メニュー バーで選択されたメニュー項目の背景色。",
+ "menubarSelectionBorder": "メニュー バーで選択されたメニュー項目の境界線色。",
+ "notificationCenterBorder": "通知センターの境界線色。通知はウィンドウの右下からスライド表示します。",
+ "notificationToastBorder": "通知トーストの境界線色。通知はウィンドウの右下からスライド表示します。",
+ "notificationsForeground": "通知の前景色。通知はウィンドウの右下からスライド表示します。",
+ "notificationsBackground": "通知の背景色。通知はウィンドウの右下からスライド表示します。",
+ "notificationsLink": "通知内リンクの前景色。通知はウィンドウの右下からスライド表示します。",
+ "notificationCenterHeaderForeground": "通知センターのヘッダーの前景色。通知はウィンドウの右下からスライド表示します。",
+ "notificationCenterHeaderBackground": "通知センターのヘッダーの背景色。通知はウィンドウの右下からスライド表示します。",
+ "notificationsBorder": "通知センターで通知を他の通知と区切っている境界線色。通知はウィンドウの右下からスライド表示します。",
+ "notificationsErrorIconForeground": "エラー通知のアイコンに使用される色。通知は、ウィンドウの右下から表示されます。",
+ "notificationsWarningIconForeground": "警告通知のアイコンに使用される色。通知は、ウィンドウの右下から表示されます。",
+ "notificationsInfoIconForeground": "情報通知のアイコンに使用される色。通知は、ウィンドウの右下から表示されます。",
+ "windowActiveBorder": "ウィンドウがアクティブなときに境界線に使用する色。カスタム タイトル バーを使用する場合にのみ、デスクトップ クライアントでサポートされます。",
+ "windowInactiveBorder": "ウィンドウが非アクティブな場合に境界線に使用される色。カスタム タイトル バーを使用する場合にのみデスクトップ クライアントでサポートされます。"
+ },
+ "vs/workbench/common/editor": {
+ "sideBySideLabels": "{0} - {1}",
+ "preview": "{0}、プレビュー",
+ "pinned": "{0}、ピン留めされています"
+ },
+ "vs/workbench/common/views": {
+ "testViewIcon": "テスト ビューのアイコンを表示します。",
+ "defaultViewIcon": "既定のビューのアイコン。",
+ "duplicateId": "ID '{0}' のビューは既に登録されています"
+ },
+ "vs/workbench/api/common/extHostExtensionService": {
+ "extensionTestError": "パス {0} は有効な拡張機能テスト ランナーを指していません。"
+ },
+ "vs/workbench/api/common/extHostTerminalService": {
+ "launchFail.idMissingOnExtHost": "拡張機能ホストに ID {0} のターミナルが見つかりませんでした"
+ },
+ "vs/workbench/api/common/extHostWorkspace": {
+ "updateerror": "拡張機能 '{0}' はワークスペースのフォルダーを更新できませんでした: {1}"
+ },
+ "vs/workbench/browser/workbench.contribution": {
+ "workbench.editor.titleScrollbarSizing.default": "既定のサイズ。",
+ "workbench.editor.titleScrollbarSizing.large": "マウスでつかみやすいサイズに拡大する",
+ "tabScrollbarHeight": "エディター タイトル領域のタブおよび階層リンクに使用するスクロール バーの高さを制御します。",
+ "showEditorTabs": "開いているエディターをタブで表示するかどうかを制御します。",
+ "scrollToSwitchTabs": "タブの上をスクロールしたときに、タブを開くかどうかを制御します。既定では、スクロール時にはタブは表示されるだけで、開かれることはありません。スクロール中に Shift キーを押したままにすると、その間この動作を変更できます。`#workbench.editor.showTabs#` が `false` の場合、この値は無視されます。",
+ "highlightModifiedTabs": "変更された (ダーティ) エディターのタブで上罫線を描画するかどうかを制御します。`#workbench.editor.showTabs#` が `false` の場合、この値は無視されます。",
+ "workbench.editor.labelFormat.default": "ファイルの名前を表示します。タブが有効かつ 1 つのグループ内の 2 つの同名ファイルに各ファイルのパスの区切り記号が追加されます。タブを無効にすると、エディターがアクティブな時にワークスペース フォルダーの相対パスが表示されます。",
+ "workbench.editor.labelFormat.short": "ディレクトリ名に続けてファイル名を表示します。",
+ "workbench.editor.labelFormat.medium": "ワークスペース フォルダーからの相対パスに続けてファイル名を表示します。",
+ "workbench.editor.labelFormat.long": "絶対パスに続けてファイル名を表示します。",
+ "tabDescription": "エディターに表示するラベルの書式を制御します。",
+ "workbench.editor.untitled.labelFormat.content": "無題ファイルの名前は、ファイル パスが関連付けられていない限り、最初の行の内容から導き出されます。行が空であるか、単語文字が含まれていない場合に、名前にフォールバックします。",
+ "workbench.editor.untitled.labelFormat.name": "無題のファイルの名前は、ファイルの内容から派生していません。",
+ "untitledLabelFormat": "無題のエディターのラベルの形式を制御します。",
+ "editorTabCloseButton": "エディターのタブの [閉じる] ボタンの位置を制御するか、'off' に設定された場合に無効にします。`#workbench.editor.showTabs#` が `false` の場合、この値は無視されます。",
+ "workbench.editor.tabSizing.fit": "常に完全なエディター ラベルを表示するのに足りるタブの大きさを維持します。",
+ "workbench.editor.tabSizing.shrink": "すべてのタブを一度に表示するには利用可能なスペースが足りない場合に、タブを縮小するようにします。",
+ "tabSizing": "エディターのタブのサイズ設定を制御します。`#workbench.editor.showTabs#` が `false` の場合、この値は無視されます。",
+ "workbench.editor.pinnedTabSizing.normal": "固定されたタブは、固定されていないタブの外観を継承します。",
+ "workbench.editor.pinnedTabSizing.compact": "固定されたタブは、コンパクト形式でアイコンまたはエディター名の最初の文字のみが表示されます。",
+ "workbench.editor.pinnedTabSizing.shrink": "固定されたタブは、エディター名の一部を示すコンパクトな固定サイズに縮小されます。",
+ "pinnedTabSizing": "固定されたエディターのタブのサイズ設定を制御します。固定されたタブは、開いているすべてのタブの先頭に表示され、通常、固定が解除されるまで閉じられません。'#workbench.editor.showTabs#' が 'false' の場合、この値は無視されます。",
+ "workbench.editor.splitSizingDistribute": "すべてのエディター グループを等分に分割します。",
+ "workbench.editor.splitSizingSplit": "アクティブなエディター グループを等分に分割します。",
+ "splitSizing": "エディター グループの分割時のサイズを制御します。",
+ "splitOnDragAndDrop": "エディターまたはファイルをエディター領域の端にドロップして、エディター グループをドラッグ アンド ドロップ操作から分割できるかどうかを制御します。",
+ "focusRecentEditorAfterClose": "最近使用した順序でタブを閉じるか、左から右の順にタブを閉じるかを制御します。",
+ "showIcons": "開いているエディターをアイコン付きで表示するかどうかを制御します。これにはファイル アイコン テーマも有効にする必要があります。",
+ "enablePreview": "開かれるエディターをプレビューとして表示するかどうかを制御します。プレビュー エディターは開かれたままにならず、(ダブルクリックまたは編集などによって) 開かれたままになるように明示的に設定されるまで再利用され、斜体のフォントで表示されます。",
+ "enablePreviewFromQuickOpen": "Quick Open から開かれるエディターをプレビューとして表示するかどうかを制御します。プレビュー エディターは開かれたままにならず、(ダブルクリックまたは編集などによって) 開かれたままになるように明示的に設定されるまで再利用されます。",
+ "closeOnFileDelete": "セッション中のファイルを表示しているエディターが、その他のプロセスによって削除されるか名前を変更された場合に、エディターを自動的に閉じるかどうかを制御します。これを無効にすると、このような場合にエディターを開き続けます。アプリケーション内で削除すると、エディターは常に閉じられ、ダーティ ファイルをデータを保存して閉じることはありません。",
+ "editorOpenPositioning": "エディターを開く場所を制御します。`left` または `right` を選択すると現在アクティブになっているエディターの左または右にエディターを開きます。`first` または `last` を選択すると現在アクティブになっているエディターとは別個にエディターを開きます。",
+ "sideBySideDirection": "(たとえば、エクスプローラーから) 並べて開く複数のエディターの既定の向きを制御します。既定では、エディターを現在アクティブなエディターの右側に開きます。`down` に変更すると、エディターを現在アクティブなエディターの下側に開きます。",
+ "closeEmptyGroups": "空のエディターのグループにある最後のタブを閉じたときの動作を制御します。有効であるとき、空のグループは自動的に閉じられます。無効であるとき、空のグループはグリッドの一部として残ります。",
+ "revealIfOpen": "エディターを開くときに、どこの表示グループにエディターを表示するかどうかを制御します。無効にした場合、エディターは現在のアクティブなエディター グループに優先して開かれます。有効にした場合は、現在のアクティブなエディター グループで開くのではなく、既に開かれた状態のエディターを表示します。特定のグループ内や現在アクティブなグループの横に強制的にエディターを開いた場合などに、この設定が無視される場合もあることにご注意ください。",
+ "mouseBackForwardToNavigate": "マウス ボタン 4 と 5 (指定されている場合) を使用して開いているファイル間を移動します。",
+ "restoreViewState": "閉じられたテキスト エディターをもう一度開くとき、最後のビュー状態 (例: スクロール位置) を復元します。",
+ "centeredLayoutAutoResize": "複数のグループが開かれているとき、中央揃えのレイアウトを自動的に横幅最大にするかどうかを制御します。1 つのグループのみが開かれている場合は、元の中央揃えの横幅に戻ります。",
+ "limitEditorsEnablement": "開いているエディターの数を制限するかどうかを制御します。有効にすると、最近使用されていない、ダーティではないエディターが閉じられ、新しく開くエディター用にスペースが確保されます。",
+ "limitEditorsMaximum": "開いているエディターの最大数を制御します。エディター グループごとまたはすべてのグループ間でこの制限を制御するには、`#workbench.editor.limit.perEditorGroup#` 設定を使用します。",
+ "perEditorGroup": "開いているエディターの最大数をエディター グループごとに適用するか、すべてのエディター グループに適用するかを制御します。",
+ "commandHistory": "コマンド パレットで最近使用したコマンド履歴を保持する数を制御します。0 に設定するとコマンド履歴を無効にします。",
+ "preserveInput": "コマンド パレットを次回開いたとき、コマンド パレットの最後の入力を復元するかどうかを制御します。",
+ "closeOnFocusLost": "フォーカスを失ったときに Quick Open を自動的に閉じるかどうかを制御します。",
+ "workbench.quickOpen.preserveInput": "Quick Open を次回開いたとき、Quick Open の最後の入力を復元するかどうかを制御します。",
+ "openDefaultSettings": "設定を開いたときに、すべての既定の設定を表示するエディターも開くかどうかを制御します。",
+ "useSplitJSON": "JSON として設定を編集するときに、split JSON エディターを使用するかどうかを制御します。",
+ "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": "サブピクセル方式でフォントを滑らかにします。ほとんどの非 Retina ディスプレイでもっとも鮮明なテキストを提供します。",
+ "workbench.fontAliasing.antialiased": "サブピクセルとは対照的に、ピクセルのレベルでフォントを滑らかにします。フォント全体がより細く見えるようになります。",
+ "workbench.fontAliasing.none": "フォントのスムージングを無効にします。テキストをぎざぎざな尖ったエッジで表示します。",
+ "workbench.fontAliasing.auto": "ディスプレイの DPI に基づいて自動的に `default` か `antialiased` を適用します。",
+ "settings.editor.ui": "UI の設定エディターを使用します。",
+ "settings.editor.json": "JSON ファイル エディターを使用します。",
+ "settings.editor.desc": "既定で使用する設定エディターを指定します。",
+ "windowTitle": "アクティブなエディターに基づいてウィンドウのタイトルを制御します。変数はコンテキストに基づいて置き換えられます:",
+ "activeEditorShort": "'${activeEditorShort}': ファイル名 (例: myFile.txt)。",
+ "activeEditorMedium": "`${activeEditorMedium}`: ワークスペース フォルダーに対して相対的なファイルのパス (例: myFolder/myFileFolder/myFile.txt)。",
+ "activeEditorLong": "`${activeEditorLong}`: ファイルの完全なパス (例: /Users/Development/myFolder/myFileFolder/myFile.txt)。",
+ "activeFolderShort": "`${activeFolderShort}`: ファイルが含まれているフォルダーの名前 (例: myFileFolder)。",
+ "activeFolderMedium": "`${activeFolderMedium}`: ファイルを含むフォルダーの、ワークスペースフォルダーからの相対パス(例: myFolder/myFileFolder)。",
+ "activeFolderLong": "'${activeFolderLong}': ファイルが格納されているフォルダーのフルパス (例: /Users/Development/myFolder/myFileFolder)。",
+ "folderName": "${folderName}`: ファイルが含まれているワークスペース フォルダーの名前 (例: myFolder)。",
+ "folderPath": "`${folderPath}`: ファイルが含まれているワークスペースの絶対パスです (例: /Users/Development/myFolder)。",
+ "rootName": "`${rootName}`: ワークスペースの名前 (例: myFolder または myWorkspace).",
+ "rootPath": "`${rootPath}`: ワークスペースの絶対パスです (例: /Users/Development/myWorkspace)。",
+ "appName": "`${appName}`: 例: VS Code。",
+ "remoteName": "`${remoteName}`: 例: SSH",
+ "dirty": "`${dirty}`: アクティブなエディターが編集状態 (ダーティー) のとき、ダーティー インジゲーターを表示します。",
+ "separator": "`${separator}`: 値か固定のテキストで囲われたとき、条件付きの区切り記号 (\" - \") を表示します。",
+ "windowConfigurationTitle": "ウィンドウ",
+ "window.titleSeparator": "'window.title' で使用される区切り記号です。",
+ "window.menuBarVisibility.default": "メニューは全画面表示モードの場合にのみ非表示です。",
+ "window.menuBarVisibility.visible": "全画面表示モードの場合も含めて、常にメニューが表示されます。",
+ "window.menuBarVisibility.toggle": "メニューは非表示ですが、Alt キーを押すと表示できます。",
+ "window.menuBarVisibility.hidden": "メニューは常に非表示です。",
+ "window.menuBarVisibility.compact": "メニューはサイドバーにコンパクト ボタンとして表示されます。`#window.titleBarStyle#` が `native`の場合、この値は無視されます。",
+ "menuBarVisibility": "メニュー バーの表示/非表示を制御します。'切り替え' 設定は Alt キーを 1 回押すとメニュー バーの表示/非表示が切り替わることを意味します。既定では、ウィンドウが全画面表示の場合を除き、メニュー バーは表示されます。",
+ "enableMenuBarMnemonics": "Alt キー ショートカットを使用してメイン メニューを開くことができるかどうかを制御します。ニーモニックを無効にすると、これらの Alt キー ショートカットを代わりにエディター コマンドにバインドできます。",
+ "customMenuBarAltFocus": "Alt キーを押してメニュー バーにフォーカスするかどうかを制御します。この設定は、Alt キーを使用してメニュー バーを切り替える操作には影響しません。",
+ "window.openFilesInNewWindow.on": "新しいウィンドウでファイルを開きます。",
+ "window.openFilesInNewWindow.off": "ファイルのフォルダーを開いているウィンドウまたは最後のアクティブ ウィンドウでファイルを開きます。",
+ "window.openFilesInNewWindow.defaultMac": "Dock または Finder を使用して開いたときを除き、ファイルのフォルダーを開いているウィンドウまたは最後のアクティブ ウィンドウでファイルを開きます。",
+ "window.openFilesInNewWindow.default": "アプリケーション内から選択したとき (例: ファイル メニュー介したとき) を除き、新しいウィンドウでファイルを開きます。",
+ "openFilesInNewWindowMac": "ファイルを新しいウィンドウで開くかどうかを制御します。\r\nこの設定は無視される場合もあります (例: `--new-window` または `--reuse-window` コマンド ライン オプションを使用した場合など)。",
+ "openFilesInNewWindow": "ファイルを新しいウィンドウで開くかどうかを制御します。\r\nこの設定は無視される場合もあります (例: `--new-window` または `--reuse-window` コマンド ライン オプションを使用した場合など)。",
+ "window.openFoldersInNewWindow.on": "フォルダーを新しいウィンドウで開きます。",
+ "window.openFoldersInNewWindow.off": "フォルダーを最後のアクティブ ウィンドウで開きます。",
+ "window.openFoldersInNewWindow.default": "フォルダーがアプリケーション内から (たとえば、[ファイル] メニューから) 選択された場合を除いて、新しいウィンドウでフォルダーを開きます。",
+ "openFoldersInNewWindow": "フォルダーを新しいウィンドウで開くか、最後のアクティブ ウィンドウを置き換えるかを制御します。\r\nこの設定は無視される場合もあります (例: `--new-window` または `--reuse-window` コマンド ライン オプションを使用した場合など)。",
+ "window.confirmBeforeClose.always": "常に確認を求めようとします。それでも参照者は確認せずにタブやウィンドウを閉じることができることにご注意ください。",
+ "window.confirmBeforeClose.keyboardOnly": "キー バインドが検出された場合にのみ確認が求められます。検出が不可能な場合もあることにご注意ください。",
+ "window.confirmBeforeClose.never": "データの損失が差し迫っていない限り、明示的に確認メッセージが表示されません。",
+ "confirmBeforeCloseWeb": "ブラウザーのタブまたはウィンドウを閉じる前に確認ダイアログを表示するかどうかを制御します。有効にされている場合でも、確認されることなくブラウザーのタブやウィンドウが閉じられることがあるため、この設定はすべての場合に機能するわけではない 1 つのヒントにすぎないことにご注意ください。",
+ "zenModeConfigurationTitle": "Zen Mode",
+ "zenMode.fullScreen": "Zen Mode をオンにしたときに、ワークベンチを自動的に全画面モードに切り替えるかどうかを制御します。",
+ "zenMode.centerLayout": "Zen Mode をオンにしたときに、レイアウトを中央寄せにするかどうかを制御します。",
+ "zenMode.hideTabs": "Zen Mode をオンにしたときにワークベンチ タブも非表示にするかどうかを制御します。",
+ "zenMode.hideStatusBar": "Zen Mode をオンにするとワークベンチの下部にあるステータス バーを非表示にするかどうかを制御します。",
+ "zenMode.hideActivityBar": "Zen Mode をオンにしたときに、ワークベンチの左側または右側のいずれかにあるアクティビティ バーを非表示にするかどうかを制御します。",
+ "zenMode.hideLineNumbers": "Zen Mode をオンにしたときにエディターの行番号も非表示にするかどうかを制御します。",
+ "zenMode.restore": "Zen Mode で終了したウィンドウを Zen Mode に復元するかどうかを制御します。",
+ "zenMode.silentNotifications": "Zen Mode 中に通知を表示するかどうかを制御します。true の場合、エラー通知のみが表示されます。"
+ },
+ "vs/workbench/browser/actions/textInputActions": {
+ "undo": "元に戻す",
+ "redo": "やり直し",
+ "cut": "切り取り",
+ "copy": "コピー",
+ "paste": "貼り付け",
+ "selectAll": "すべてを選択"
+ },
+ "vs/workbench/browser/actions/developerActions": {
+ "inspect context keys": "コンテキスト キーの検査",
+ "toggle screencast mode": "スクリーンキャスト モードの切り替え",
+ "logStorage": "ログ ストレージ データベースの内容",
+ "logWorkingCopies": "作業コピーをログする",
+ "screencastModeConfigurationTitle": "スクリーンキャスト モード",
+ "screencastMode.location.verticalPosition": "スクリーンキャスト モードの縦方向のオフセットをワークベンチの高さのパーセンテージとして下部からオーバーレイするかどうかを制御します。",
+ "screencastMode.fontSize": "スクリーンキャスト モードのキーボードのフォント サイズ (ピクセル) を制御します。",
+ "screencastMode.onlyKeyboardShortcuts": "スクリーンキャスト モードでのみキーボード ショートカットを表示します。",
+ "screencastMode.keyboardOverlayTimeout": "キーボード オーバーレイをスクリーンキャスト モードで表示する時間 (ミリ秒単位) を制御します。",
+ "screencastMode.mouseIndicatorColor": "スクリーンキャスト モードでマウス インジケーターの色を 16 進数 (#RGB、#RGBA、#RRGGBB、#RRGGBBAA) で制御します。",
+ "screencastMode.mouseIndicatorSize": "スクリーンキャスト モードのマウス インジケーターのサイズ (ピクセル単位) を制御します。"
+ },
+ "vs/workbench/browser/actions/helpActions": {
+ "keybindingsReference": "キーボード ショートカットの参照",
+ "openDocumentationUrl": "ドキュメント",
+ "openIntroductoryVideosUrl": "紹介ビデオ",
+ "openTipsAndTricksUrl": "ヒントとコツ",
+ "newsletterSignup": "VS Code ニュースレターの登録",
+ "openTwitterUrl": "ツイッターに参加",
+ "openUserVoiceUrl": "機能要求の検索",
+ "openLicenseUrl": "ライセンスを表示",
+ "openPrivacyStatement": "プライバシーに関する声明",
+ "miDocumentation": "参照資料(&&D)",
+ "miKeyboardShortcuts": "キーボード ショートカットの参照(&&K)",
+ "miIntroductoryVideos": "紹介ビデオ(&&V)",
+ "miTipsAndTricks": "ヒントとトリビア(&&C)",
+ "miTwitter": "Twitter でフォローする(&&J)",
+ "miUserVoice": "機能要求の検索(&&S)",
+ "miLicense": "ライセンスの表示(&&L)",
+ "miPrivacyStatement": "プライバシーに関する声明(&&Y)"
+ },
+ "vs/workbench/browser/actions/layoutActions": {
+ "closeSidebar": "サイド バーを閉じる",
+ "toggleActivityBar": "アクティビティ バーの表示の切り替え",
+ "miShowActivityBar": "アクティビティ バーを表示する(&&A)",
+ "toggleCenteredLayout": "中央揃えレイアウトの切り替え",
+ "miToggleCenteredLayout": "中央揃えレイアウト(&&C)",
+ "flipLayout": "エディター レイアウトの垂直/水平を切り替える",
+ "miToggleEditorLayout": "レイアウトの反転(&&L)",
+ "toggleSidebarPosition": "サイド バーの位置の切り替え",
+ "moveSidebarRight": "サイド バーを右へ移動",
+ "moveSidebarLeft": "サイド バーを左に移動",
+ "miMoveSidebarRight": "サイド バーを右へ移動(&&M)",
+ "miMoveSidebarLeft": "サイド バーを左へ移動(&&M)",
+ "toggleEditor": "エディター領域の可視性を切り替える",
+ "miShowEditorArea": "エディター領域の表示(&&E)",
+ "toggleSidebar": "サイドバーの表示の切り替え",
+ "miAppearance": "外観(&&A)",
+ "miShowSidebar": "サイド バーを表示(&&S)",
+ "toggleStatusbar": "ステータス バーの可視性の切り替え",
+ "miShowStatusbar": "ステータス バーを表示(&&T)",
+ "toggleTabs": "タブ表示の切り替え",
+ "toggleZenMode": "Zen Mode の切り替え",
+ "miToggleZenMode": "Zen Mode",
+ "toggleMenuBar": "メニュー バーの切り替え",
+ "miShowMenuBar": "メニュー バーを表示(&&B)",
+ "resetViewLocations": "ビューの位置をリセットする",
+ "moveView": "ビューの移動",
+ "sidebarContainer": "サイド バー/{0}",
+ "panelContainer": "パネル/{0}",
+ "moveFocusedView.selectView": "移動するビューの選択",
+ "moveFocusedView": "フォーカス表示を移動",
+ "moveFocusedView.error.noFocusedView": "現在フォーカスされているビューはありません。",
+ "moveFocusedView.error.nonMovableView": "現在フォーカスされたビューは移動できません。",
+ "moveFocusedView.selectDestination": "ビューの変換先を選択する",
+ "moveFocusedView.title": "表示: {0} の移動",
+ "moveFocusedView.newContainerInPanel": "新しいパネル エントリ",
+ "moveFocusedView.newContainerInSidebar": "新しいサイド バー エントリ",
+ "sidebar": "サイド バー",
+ "panel": "パネル",
+ "resetFocusedViewLocation": "フォーカスがあるビューの位置をリセット",
+ "resetFocusedView.error.noFocusedView": "現在フォーカスされているビューはありません。",
+ "increaseViewSize": "現在のビューのサイズの拡大",
+ "increaseEditorWidth": "エディターの幅を拡大",
+ "increaseEditorHeight": "エディターの高さを拡大",
+ "decreaseViewSize": "現在のビューのサイズの縮小",
+ "decreaseEditorWidth": "エディターの幅を縮小",
+ "decreaseEditorHeight": "エディターの高さを縮小"
+ },
+ "vs/workbench/browser/actions/navigationActions": {
+ "navigateLeft": "左のビュー部分に移動",
+ "navigateRight": "右のビュー部分に移動",
+ "navigateUp": "上のビュー部分に移動",
+ "navigateDown": "下のビュー部分に移動",
+ "focusNextPart": "次の部分にフォーカス",
+ "focusPreviousPart": "前の部分にフォーカス"
+ },
+ "vs/workbench/browser/actions/windowActions": {
+ "remove": "最近開いた項目から削除",
+ "dirtyRecentlyOpened": "ダーティ ファイルを含むワークスペース",
+ "workspaces": "ワークスペース",
+ "files": "ファイル",
+ "openRecentPlaceholderMac": "選択して開く (Cmd キーを押しながら操作して新しいウィンドウに表示するか、Alt キーで同じウィンドウに表示する)",
+ "openRecentPlaceholder": "選択して開く (Ctrl キーを押しながら操作して新しいウィンドウに表示するか、Alt キーで同じウィンドウに表示する)",
+ "dirtyWorkspace": "ダーティ ファイルを含むワークスペース",
+ "dirtyWorkspaceConfirm": "ワークスペースを開いて、ダーティ ファイルを確認しますか?",
+ "dirtyWorkspaceConfirmDetail": "ダーティ ファイルを含むワークスペースは、すべてのダーティ ファイルが保存または元に戻されるまで削除できません。",
+ "recentDirtyAriaLabel": "{0}、ダーティ ワークスペース",
+ "openRecent": "最近開いた項目...",
+ "quickOpenRecent": "最近使用したものを開く...",
+ "toggleFullScreen": "全画面表示の切り替え",
+ "reloadWindow": "ウィンドウの再読み込み",
+ "about": "製品について",
+ "newWindow": "新しいウィンドウ",
+ "blur": "フォーカスがある要素からキーボード フォーカスを削除します",
+ "file": "ファイル",
+ "miConfirmClose": "閉じる前に確認する",
+ "miNewWindow": "新しいウィンドウ(&&W)",
+ "miOpenRecent": "最近使用した項目を開く(&&R)",
+ "miMore": "その他(&&M)...",
+ "miToggleFullScreen": "全画面表示(&&F)",
+ "miAbout": "バージョン情報(&&A)"
+ },
+ "vs/workbench/browser/actions/workspaceActions": {
+ "openFile": "ファイルを開く...",
+ "openFolder": "フォルダーを開く...",
+ "openFileFolder": "開く...",
+ "openWorkspaceAction": "ワークスペースを開く...",
+ "closeWorkspace": "ワークスペースを閉じる",
+ "noWorkspaceOpened": "このインスタンスで現在開いているワークスペースがないので、閉じられません。",
+ "openWorkspaceConfigFile": "ワークスペースの構成ファイルを開く",
+ "globalRemoveFolderFromWorkspace": "ワークスペースからフォルダーを削除...",
+ "saveWorkspaceAsAction": "名前を付けてワークスペースを保存...",
+ "duplicateWorkspaceInNewWindow": "新しいウィンドウでワークスペースを複製",
+ "workspaces": "ワークスペース",
+ "miAddFolderToWorkspace": "フォルダーをワークスペースに追加(&&D)...",
+ "miSaveWorkspaceAs": "名前を付けてワークスペースを保存...",
+ "miCloseFolder": "フォルダーを閉じる(&&F)",
+ "miCloseWorkspace": "ワークスペースを閉じる(&&W)"
+ },
+ "vs/workbench/browser/actions/workspaceCommands": {
+ "addFolderToWorkspace": "ワークスペースにフォルダーを追加...",
+ "add": "追加(&&A)",
+ "addFolderToWorkspaceTitle": "ワークスペースにフォルダーを追加",
+ "workspaceFolderPickerPlaceholder": "ワークスペース フォルダーを選択"
+ },
+ "vs/workbench/browser/actions/quickAccessActions": {
+ "quickOpen": "ファイルに移動...",
+ "quickNavigateNext": "Quick Open で次に移動",
+ "quickNavigatePrevious": "Quick Open で前に移動",
+ "quickSelectNext": "Quick Open で [次へ] を選択",
+ "quickSelectPrevious": "Quick Open で [前へ] を選択"
+ },
+ "vs/workbench/api/common/menusExtensionPoint": {
+ "menus.commandPalette": "コマンド パレット",
+ "menus.touchBar": "Touch Bar (macOS のみ)",
+ "menus.editorTitle": "エディターのタイトル メニュー",
+ "menus.editorContext": "エディターのコンテキスト メニュー",
+ "menus.explorerContext": "エクスプローラーのコンテキスト メニュー",
+ "menus.editorTabContext": "エディターのタブのコンテキスト メニュー",
+ "menus.debugCallstackContext": "[コール スタックのデバッグ] ビューのコンテキスト メニュー",
+ "menus.debugVariablesContext": "[変数のデバッグ] ビューのコンテキスト メニュー",
+ "menus.debugToolBar": "デバッグ ツール バーのメニュー",
+ "menus.file": "最上位レベルのファイル メニュー",
+ "menus.home": "ホーム インジケーターのコンテキスト メニュー (Web のみ)",
+ "menus.scmTitle": "ソース管理のタイトル メニュー",
+ "menus.scmSourceControl": "ソース管理メニュー",
+ "menus.resourceGroupContext": "ソース管理リソース グループのコンテキスト メニュー",
+ "menus.resourceStateContext": "ソース管理リソース状態のコンテキスト メニュー",
+ "menus.resourceFolderContext": "ソース管理リソース フォルダーのコンテキスト メニュー",
+ "menus.changeTitle": "ソース管理のインライン変更メニュー",
+ "menus.statusBarWindowIndicator": "ステータス バーのウィンドウ インジケーター メニュー",
+ "view.viewTitle": "提供されたビューのタイトル メニュー",
+ "view.itemContext": "提供されたビュー項目のコンテキスト メニュー",
+ "commentThread.title": "投稿されたコメント スレッドのタイトル メニュー",
+ "commentThread.actions": "コメント エディターの下のボタンとして表示される、投稿されたコメント スレッド コンテキスト メニュー",
+ "comment.title": "投稿されたコメントのタイトル メニュー",
+ "comment.actions": "コメント エディターの下にボタンとして表示される投稿されたコメント コンテキスト メニュー",
+ "notebook.cell.title": "提供されたノートブック セルのタイトル メニュー",
+ "menus.extensionContext": "拡張機能のコンテキスト メニュー",
+ "view.timelineTitle": "タイムライン ビュー タイトル メニュー",
+ "view.timelineContext": "タイムライン ビュー項目のコンテキスト メニュー",
+ "requirestring": "プロパティ '{0}' は必須で、'string' 型である必要があります",
+ "optstring": "プロパティ '{0}' は省略可能であるか、'string' 型である必要があります",
+ "requirearray": "サブメニュー項目は配列である必要があります",
+ "require": "サブメニュー項目はオブジェクトである必要があります",
+ "vscode.extension.contributes.menuItem.command": "実行するコマンドの識別子。コマンドは 'commands' セクションで宣言する必要があります",
+ "vscode.extension.contributes.menuItem.alt": "実行する別のコマンドの識別子。コマンドは 'commands' セクションで宣言する必要があります",
+ "vscode.extension.contributes.menuItem.when": "この項目を表示するために true にする必要がある条件",
+ "vscode.extension.contributes.menuItem.group": "この項目が属するグループ",
+ "vscode.extension.contributes.menuItem.submenu": "この項目に表示するサブメニューの識別子。",
+ "vscode.extension.contributes.submenu.id": "サブメニューとして表示するメニューの識別子。",
+ "vscode.extension.contributes.submenu.label": "このサブメニューに至るメニュー項目のラベル。",
+ "vscode.extension.contributes.submenu.icon": "(省略可能) UI でサブメニューを表すために使用されるアイコン。ファイル パス、暗いテーマと明るいテーマのファイル パスを持つオブジェクト、またはテーマ アイコンの参照 (`\\$(zap)` など)",
+ "vscode.extension.contributes.submenu.icon.light": "明るいテーマを使用した場合のアイコンのパス",
+ "vscode.extension.contributes.submenu.icon.dark": "暗いテーマを使用した場合のアイコンのパス",
+ "vscode.extension.contributes.menus": "メニュー項目をエディターに提供します",
+ "proposed": "提案された API",
+ "vscode.extension.contributes.submenus": "エディターにサブメニュー項目を提供します",
+ "nonempty": "空でない値が必要です。",
+ "opticon": "プロパティ `icon` は省略するか、文字列または `{dark, light}` などのリテラルにする必要があります",
+ "requireStringOrObject": "`{0}` プロパティは必須で、`string` または `object` の型でなければなりません",
+ "requirestrings": "プロパティの `{0}` と `{1}` は必須で、`string` 型でなければなりません",
+ "vscode.extension.contributes.commandType.command": "実行するコマンドの識別子",
+ "vscode.extension.contributes.commandType.title": "コマンドが UI に表示される際のタイトル",
+ "vscode.extension.contributes.commandType.category": "(省略可能) コマンド別のカテゴリ文字列が UI でグループ分けされます",
+ "vscode.extension.contributes.commandType.precondition": "(省略可能) UI (メニューおよびキーバインド) のコマンドを有効にするために true でなければならない条件です。'executeCommand'-api などの他の方法によってそのコマンドの実行が妨げられることはありません。",
+ "vscode.extension.contributes.commandType.icon": "(省略可能) UI でコマンドを表すために使用されるアイコン。ファイル パス、暗いテーマと明るいテーマのファイル パスを持つオブジェクト、またはテーマ アイコンの参照 (`\\$(zap)` など)",
+ "vscode.extension.contributes.commandType.icon.light": "明るいテーマを使用した場合のアイコンのパス",
+ "vscode.extension.contributes.commandType.icon.dark": "暗いテーマを使用した場合のアイコンのパス",
+ "vscode.extension.contributes.commands": "コマンド パレットにコマンドを提供します。",
+ "dup": "コマンド `{0}` が `commands` セクションで複数回出現します。",
+ "submenuId.invalid.id": "'{0}' は有効なサブメニュー識別子ではありません",
+ "submenuId.duplicate.id": "'{0}' サブメニューは既に登録されています。",
+ "submenuId.invalid.label": "'{0}' は有効なサブメニュー ラベルではありません",
+ "menuId.invalid": "`{0}` は有効なメニュー識別子ではありません",
+ "proposedAPI.invalid": "{0} は提案されたメニュー識別子で、 開発以外で実行される場合、または次のコマンドライン スイッチを指定して実行する場合にのみ利用できます: --enable-proposed-api {1}",
+ "missing.command": "メニュー項目が、'commands' セクションで定義されていないコマンド `{0}` を参照しています。",
+ "missing.altCommand": "メニュー項目が、'commands' セクションで定義されていない alt コマンド `{0}` を参照しています。",
+ "dupe.command": "メニュー項目において、既定と alt コマンドが同じコマンドを参照しています",
+ "unsupported.submenureference": "メニュー項目で、サブメニューがサポートされていないメニューのサブメニューが参照されています。",
+ "missing.submenu": "メニュー項目で、'submenus' セクションに定義されていないサブメニュー `{0}` が参照されています。",
+ "submenuItem.duplicate": "'{0}' サブメニューは既に '{1}' メニューに追加されています。"
+ },
+ "vs/workbench/api/common/configurationExtensionPoint": {
+ "vscode.extension.contributes.configuration.title": "設定の概要です。このラベルは、設定ファイルでコメントの区切り文字として使用します。",
+ "vscode.extension.contributes.configuration.properties": "構成のプロパティの説明です。",
+ "vscode.extension.contributes.configuration.property.empty": "プロパティを空にすることはできません。",
+ "scope.application.description": "ユーザー設定でのみ行える構成。",
+ "scope.machine.description": "ユーザー設定またはリモート設定でのみ構成できる構成。",
+ "scope.window.description": "ユーザー、リモート、またはワークスペースの設定で行える構成。",
+ "scope.resource.description": "ユーザー、リモート、ワークスペース、またはフォルダーの設定で行える構成。",
+ "scope.language-overridable.description": "言語固有の設定で構成できるリソース構成です。",
+ "scope.machine-overridable.description": "ワークスペースまたはフォルダーの設定でも行えるマシン構成。",
+ "scope.description": "構成が適用可能なスコープ。使用可能なスコープは、`application`、`machine`、`window`、`resource`、`machine-overridable` です。",
+ "scope.enumDescriptions": "列挙値の説明",
+ "scope.markdownEnumDescriptions": "マークダウン形式の列挙値の説明。",
+ "scope.markdownDescription": "Markdown フォーマットの説明。",
+ "scope.deprecationMessage": "設定すると、プロパティは非推奨としてマークされ、指定したメッセージが説明として表示されます。",
+ "scope.markdownDeprecationMessage": "設定すると、プロパティは非推奨としてマークされ、指定されたメッセージがマークダウン形式で説明として表示されます。",
+ "vscode.extension.contributes.defaultConfiguration": "言語ごとに既定のエディター構成の設定を提供します。",
+ "config.property.defaultConfiguration.languageExpected": "言語セレクターが必要です (例: [\"java\"])",
+ "config.property.defaultConfiguration.warning": "'{0}' の構成の既定値は登録できません。言語固有の設定に対する既定値のみがサポートされています。",
+ "vscode.extension.contributes.configuration": "構成の設定を提供します。",
+ "invalid.title": "'configuration.title' は、文字列である必要があります",
+ "invalid.properties": "'configuration.properties' は、オブジェクトである必要があります",
+ "invalid.property": "'configuration.property' は、オブジェクトである必要があります",
+ "invalid.allOf": "'configuration.allOf' は非推奨で使用できなくなります。代わりに 'configuration' コントリビューション ポイントに複数の構成セクションを配列として渡します。",
+ "workspaceConfig.folders.description": "ワークスペースで読み込まれるフォルダーのリスト。",
+ "workspaceConfig.path.description": "ファイルパス。例: `/root/folderA` または `./folderA` のようなワークスペース ファイルの場所に対して解決される相対パス。",
+ "workspaceConfig.name.description": "フォルダーにつけるオプションの名前。",
+ "workspaceConfig.uri.description": "フォルダーの URI",
+ "workspaceConfig.settings.description": "ワークスペースの設定",
+ "workspaceConfig.launch.description": "ワークスペースの起動構成",
+ "workspaceConfig.tasks.description": "ワークスペース タスクの構成",
+ "workspaceConfig.extensions.description": "ワークスペースの拡張機能",
+ "workspaceConfig.remoteAuthority": "ワークスペースがあるリモート サーバー。保存されていないリモート ワークスペースでのみ使用されます。",
+ "unknownWorkspaceProperty": "不明なワークスペース構成のプロパティ"
+ },
+ "vs/workbench/api/browser/viewsExtensionPoint": {
+ "vscode.extension.contributes.views.containers.id": "'views' コントリビューション ポイントを使用して提供できるコンテナーを識別するための一意の ID",
+ "vscode.extension.contributes.views.containers.title": "コンテナーの表示に使用する、人が判別できる文字列",
+ "vscode.extension.contributes.views.containers.icon": "コンテナー アイコンのパス。アイコンは、50x40 のブロックの中心に配置された 24x24 のサイズで、'rgb(215, 218, 224)' または '#d7dae0' の色で塗りつぶされます。アイコンでは、任意の種類の画像を使用できますが、SVG にすることをお勧めします。",
+ "vscode.extension.contributes.viewsContainers": "ビュー コンテナーをエディターに提供します",
+ "views.container.activitybar": "アクティビティ バーにビュー コンテナーを提供します",
+ "views.container.panel": "パネルにビューのコンテナーを提供する",
+ "vscode.extension.contributes.view.type": "ビューの種類です。ツリー ビュー ベースのビューの場合は 'tree'、Web ビュー ベースのビューの場合は 'webview' を指定できます。既定値は 'tree' です。",
+ "vscode.extension.contributes.view.tree": "このビューは、'createTreeView' によって作成された 'TreeView' を利用しています。",
+ "vscode.extension.contributes.view.webview": "このビューは、'registerWebviewViewProvider' によって登録された 'WebviewView' を利用しています。",
+ "vscode.extension.contributes.view.id": "ビューの識別子。これは、すべてのビューで一意である必要があります。ビュー ID の一部として、拡張機能 ID を含めることをお勧めします。これを使用して、`vscode.window.registerTreeDataProviderForView` API 経由でデータ プロバイダーを登録します。また、'onView:${id}' イベントを `activationEvents` に登録することにより拡張機能のアクティブ化をトリガーします。",
+ "vscode.extension.contributes.view.name": "ビューの判読できる名前。これが表示されます",
+ "vscode.extension.contributes.view.when": "このビューを表示するために満たす必要がある条件",
+ "vscode.extension.contributes.view.icon": "ビュー アイコンへのパス。ビュー アイコンは、ビューの名前を表示できないときに表示されます。任意の種類の画像ファイルを使用できますが、アイコンは SVG にすることをお勧めします。",
+ "vscode.extension.contributes.view.contextualTitle": "ビューが元の場所から移動された時に関する、人が判読できるコンテキスト。既定では、ビューのコンテナー名が使用されます。表示されます",
+ "vscode.extension.contributes.view.initialState": "拡張機能が最初にインストールされたときのビューの初期状態です。ビューの折りたたみ、移動、または非表示によってユーザーがビュー状態をいったん変更すると、その初期状態は再使用されません。",
+ "vscode.extension.contributes.view.initialState.visible": "ビューの既定の初期状態です。ほとんどのコンテナーではビューが展開されますが、一部の組み込みコンテナー (explorer、scm、debug) では、'可視性' に関係なくすべてのコントリビューション ビューが折りたたまれます。",
+ "vscode.extension.contributes.view.initialState.hidden": "ビューはビュー コンテナー内に表示されませんが、[表示] メニューやその他のビューのエントリ ポイントを使用して見つけることができ、ユーザーが非表示を解除することもできます。",
+ "vscode.extension.contributes.view.initialState.collapsed": "ビューはビュー コンテナー内に表示されますが、折りたたまれます。",
+ "vscode.extension.contributes.view.group": "ビューレット内の入れ子にされたグループ",
+ "vscode.extension.contributes.view.remoteName": "このビューに関連付けられているリモートの種類の名前",
+ "vscode.extension.contributes.views": "ビューをエディターに提供します",
+ "views.explorer": "アクション バーのエクスプローラー コンテナーにビューを提供します",
+ "views.debug": "アクション バーのデバッグ コンテナーにビューを提供します",
+ "views.scm": "アクション バーのSCM コンテナーにビューを提供します",
+ "views.test": "アクション バーのテスト コンテナーにビューを提供します",
+ "views.remote": "アクティビティ バーでリモート コンテナーへのビューに参加します。このコンテナーに参加するには、enableProposedApi をオンにする必要があります",
+ "views.contributed": "コントリビューション ビュー コンテナーにビューを提供します",
+ "test": "テスト (JP)",
+ "viewcontainer requirearray": "ビュー コンテナーは配列である必要があります",
+ "requireidstring": "プロパティ '{0}' は必須で、'string' 型でなければなりません。英数字と '_'、'-' のみが使用できます。",
+ "requirestring": "プロパティ '{0}' は必須で、'string' 型である必要があります",
+ "showViewlet": "{0} を表示",
+ "ViewContainerRequiresProposedAPI": "コンテナー '{0}' を表示するには、'enableProposedApi' をオンにして 'Remote' に追加する必要があります。",
+ "ViewContainerDoesnotExist": "ビュー コンテナー '{0}' が存在しません。このコンテナーに登録されているすべてのビューは 'エクスプローラー' に追加されます。",
+ "duplicateView1": "同じ ID '{0}' を持つ複数のビューを登録することはできません。",
+ "duplicateView2": "ID `{0}` のビューは既に登録されています。",
+ "unknownViewType": "ビューの種類 '{0}' が不明です。",
+ "requirearray": "ビューは配列である必要があります",
+ "optstring": "プロパティ '{0}' は省略可能であるか、'string' 型である必要があります",
+ "optenum": "プロパティ '{0}' は省略可能であるか、{1} のうちの 1 つである必要があります"
+ },
+ "vs/workbench/browser/parts/activitybar/activitybarPart": {
+ "settingsViewBarIcon": "ビューバーの設定アイコン。",
+ "accountsViewBarIcon": "ビュー バーのアカウント アイコン。",
+ "hideHomeBar": "[ホーム] ボタンを非表示にする",
+ "showHomeBar": "[ホーム] ボタンを表示する",
+ "hideMenu": "メニューを非表示にする",
+ "showMenu": "メニューの表示",
+ "hideAccounts": "アカウントの非表示",
+ "showAccounts": "アカウントの表示",
+ "hideActivitBar": "アクティビティ バーを非表示にする",
+ "resetLocation": "場所のリセット",
+ "homeIndicator": "ホーム",
+ "home": "ホーム",
+ "manage": "管理",
+ "accounts": "アカウント",
+ "focusActivityBar": "フォーカス アクティビティ バー"
+ },
+ "vs/workbench/browser/parts/panel/panelPart": {
+ "hidePanel": "パネルを非表示",
+ "panel.emptyMessage": "表示するビューをパネルにドラッグしてください。"
+ },
+ "vs/workbench/browser/parts/sidebar/sidebarPart": {
+ "focusSideBar": "サイド バー内にフォーカス"
+ },
+ "vs/workbench/browser/parts/statusbar/statusbarPart": {
+ "hide": "'{0}' の非表示",
+ "hideStatusBar": "ステータス バーを非表示にする"
+ },
+ "vs/workbench/browser/parts/views/viewsService": {
+ "focus view": "{0} ビューにフォーカスを置く",
+ "resetViewLocation": "場所のリセット"
+ },
+ "vs/workbench/browser/parts/dialogs/dialogHandler": {
+ "yesButton": "はい(&&Y)",
+ "cancelButton": "キャンセル",
+ "aboutDetail": "バージョン: {0}\r\nコミット: {1}\r\n日付: {2}\r\nブラウザー: {3}",
+ "copy": "コピー",
+ "ok": "OK"
+ },
+ "vs/workbench/electron-sandbox/parts/dialogs/dialogHandler": {
+ "yesButton": "はい(&&Y)",
+ "cancelButton": "キャンセル",
+ "aboutDetail": "バージョン: {0}\r\nコミット: {1}\r\n日付: {2}\r\nElectron: {3}\r\nChrome: {4}\r\nNode.js: {5}\r\nV8: {6}\r\nOS: {7}",
+ "okButton": "OK",
+ "copy": "コピー(&&C)"
+ },
+ "vs/workbench/electron-sandbox/actions/developerActions": {
+ "toggleDevTools": "開発者ツールの切り替え",
+ "configureRuntimeArguments": "ランタイム引数の構成"
+ },
+ "vs/workbench/electron-sandbox/actions/windowActions": {
+ "closeWindow": "ウィンドウを閉じる",
+ "zoomIn": "拡大",
+ "zoomOut": "縮小",
+ "zoomReset": "ズームのリセット",
+ "reloadWindowWithExtensionsDisabled": "拡張機能が無効な状態での再読み込み",
+ "close": "ウィンドウを閉じる",
+ "switchWindowPlaceHolder": "切り替え先のウィンドウを選択してください",
+ "windowDirtyAriaLabel": "{0}、ダーティ ウィンドウ",
+ "current": "現在のウィンドウ",
+ "switchWindow": "ウィンドウの切り替え...",
+ "quickSwitchWindow": "ウィンドウをすぐに切り替える..."
+ },
+ "vs/workbench/browser/parts/notifications/notificationsCenter": {
+ "notificationsEmpty": "新しい通知はありません",
+ "notifications": "通知",
+ "notificationsToolbar": "通知センターのアクション"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsAlerts": {
+ "alertErrorMessage": "エラー: {0}",
+ "alertWarningMessage": "警告: {0}",
+ "alertInfoMessage": "情報: {0}"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsStatus": {
+ "status.notifications": "通知",
+ "hideNotifications": "通知の非表示",
+ "zeroNotifications": "通知はありません",
+ "noNotifications": "新しい通知はありません",
+ "oneNotification": "1 件の新しい通知",
+ "notifications": "{0} 件の新しい通知",
+ "noNotificationsWithProgress": "新しい通知なし (進行中 {0})",
+ "oneNotificationWithProgress": "1 個の新しい通知 ({0} 個が進行中)",
+ "notificationsWithProgress": "{0} 件の新しい通知 ({1} 件が進行中)",
+ "status.message": "ステータス メッセージ"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsCommands": {
+ "notifications": "通知",
+ "showNotifications": "通知を表示",
+ "hideNotifications": "通知の非表示",
+ "clearAllNotifications": "すべての通知をクリア",
+ "focusNotificationToasts": "通知トーストにフォーカス"
+ },
+ "vs/workbench/browser/parts/titlebar/menubarControl": {
+ "mFile": "ファイル(&&F)",
+ "mEdit": "編集(&&E)",
+ "mSelection": "選択(&&S)",
+ "mView": "表示(&&V)",
+ "mGoto": "移動(&&G)",
+ "mRun": "実行(&&R)",
+ "mTerminal": "ターミナル(&&T)",
+ "mHelp": "ヘルプ(&&H)",
+ "menubar.customTitlebarAccessibilityNotification": "アクセシビリティのサポートが有効になっています。最もアクセシビリティの高いエクスペリエンスのためには、カスタム タイトル バーのスタイルをお勧めします。",
+ "goToSetting": "設定を開く",
+ "focusMenu": "アプリケーション メニューにフォーカス",
+ "checkForUpdates": "更新の確認(&&U)...",
+ "checkingForUpdates": "更新を確認しています...",
+ "download now": "更新プログラムのダウンロード(&&O)",
+ "DownloadingUpdate": "更新をダウンロードしています...",
+ "installUpdate...": "更新のインストール(&&U)...",
+ "installingUpdate": "更新プログラムをインストールしています...",
+ "restartToUpdate": "再起動して更新(&&U)"
+ },
+ "vs/workbench/api/common/extHostExtensionActivator": {
+ "failedDep1": "アクティブ化に失敗した拡張機能 '{1}' に依存しているため、拡張機能 '{0}' をアクティブにできません。",
+ "activationError": "拡張機能 '{0}' のアクティブ化に失敗しました: {1}。"
+ },
+ "vs/workbench/api/common/extHost.api.impl": {
+ "extensionLabel": "{0} (拡張機能)"
+ },
+ "vs/workbench/api/node/extHostDebugService": {
+ "debug.terminal.title": "デバッグ対象"
+ },
+ "vs/workbench/api/common/jsonValidationExtensionPoint": {
+ "contributes.jsonValidation": "JSON スキーマ構成を提供します。",
+ "contributes.jsonValidation.fileMatch": "\"package.json\" や \"*.launch\" などの一致するファイル パターン (またはパターン配列)。除外パターンは '!' で始まります。",
+ "contributes.jsonValidation.url": "スキーマ URL ('http:', 'https:') または拡張機能フォルダーへの相対パス ('./') です。",
+ "invalid.jsonValidation": "'configuration.jsonValidation' は配列でなければなりません",
+ "invalid.fileMatch": "'configuration.jsonValidation.fileMatch' は、文字列または文字列の配列として定義する必要があります。",
+ "invalid.url": "'configuration.jsonValidation.url' は、URL または相対パスでなければなりません",
+ "invalid.path.1": "`contributes.{0}.url` ({1}) は拡張機能のフォルダー ({2}) に含められることが期待されます。これは拡張機能の移植性を損なう可能性があります。",
+ "invalid.url.fileschema": "'configuration.jsonValidation.url' は正しくない相対 URL です: {0}",
+ "invalid.url.schema": "拡張機能内のスキーマを参照するには、'configuration.jsonValidation.url' は絶対 URL であるか、'./' から始まらなければなりません。"
+ },
+ "vs/workbench/api/browser/mainThreadExtensionService": {
+ "reload window": "'{0}' 拡張機能を有効できません。この拡張機能は、読み込まれていない '{1}' 拡張機能に依存しています。ウィンドウを再読み込みしてこの拡張機能を読み込みますか。",
+ "reload": "ウィンドウの再読み込み",
+ "disabledDep": "'{0}' 拡張機能を有効できません。この拡張機能は、無効になっている '{1}' 拡張機能に依存しています。拡張機能を有効にしてウィンドウを再読み込みしますか。",
+ "enable dep": "有効にしてリロード",
+ "uninstalledDep": "'{0}' 拡張機能を有効できません。この拡張機能は、インストールされていない '{1}' 拡張機能に依存しています。拡張機能をインストールしてウィンドウを再読み込みしますか。",
+ "install missing dep": "インストールしてリロードする",
+ "unknownDep": "'{0}' 拡張機能を有効にできません。この機能は不明な '{1}' 拡張機能に依存しています。"
+ },
+ "vs/workbench/api/browser/mainThreadFileSystemEventService": {
+ "files.participants.timeout": "作成、名前変更、削除のファイル参加者が取り消されるまでのタイムアウト (ミリ秒)。参加者を無効にするには、'0' を使用します。"
+ },
+ "vs/workbench/api/browser/mainThreadMessageService": {
+ "extensionSource": "{0} (拡張機能)",
+ "defaultSource": "拡張子",
+ "manageExtension": "拡張機能の管理",
+ "cancel": "キャンセル",
+ "ok": "OK"
+ },
+ "vs/workbench/api/browser/mainThreadProgress": {
+ "manageExtension": "拡張機能の管理"
+ },
+ "vs/workbench/api/browser/mainThreadSaveParticipant": {
+ "timeout.onWillSave": "onWillSaveTextDocument-event は 1750ms 後に中止されました"
+ },
+ "vs/workbench/api/browser/mainThreadWorkspace": {
+ "folderStatusMessageAddSingleFolder": "拡張機能 '{0}' は 1 つのフォルダーをワークスペースに追加しました",
+ "folderStatusMessageAddMultipleFolders": "拡張機能 '{0}' は {1} フォルダーをワークスペースに追加しました",
+ "folderStatusMessageRemoveSingleFolder": "拡張機能 '{0}' は 1 つのフォルダーをワークスペースから削除しました",
+ "folderStatusMessageRemoveMultipleFolders": "拡張機能 '{0}' は {1} フォルダーをワークスペースから削除しました",
+ "folderStatusChangeFolder": "拡張機能 '{0}' はワークスペースのフォルダーを変更しました"
+ },
+ "vs/workbench/api/browser/mainThreadComments": {
+ "commentsViewIcon": "コメント ビューのアイコンを表示します。"
+ },
+ "vs/workbench/api/browser/mainThreadTask": {
+ "task.label": "{0}: {1}"
+ },
+ "vs/workbench/api/browser/mainThreadAuthentication": {
+ "noTrustedExtensions": "このアカウントはまだどの拡張機能にも使用されていません。",
+ "accountLastUsedDate": "このアカウントの最終使用は {0}",
+ "notUsed": "このアカウントを使用したことがない",
+ "manageTrustedExtensions": "信頼された拡張機能の管理",
+ "manageExensions": "このアカウントにアクセスできる拡張機能を選択する",
+ "signOutConfirm": "{0} からサインアウトします",
+ "signOutMessagve": "アカウント {0} は、以下によって使用されていました:\r\n\r\n{1}\r\n\r\nこれらの機能からサインアウトしますか?",
+ "signOutMessageSimple": "{0} からサインアウトしますか?",
+ "signedOut": "正常にサインアウトされました。",
+ "useOtherAccount": "別のアカウントにサインインする",
+ "selectAccount": "拡張機能 '{0}' には、{1} アカウントへのアクセスが必要です",
+ "getSessionPlateholder": "使用する '{0}' のアカウントを選択するか、Esc を押してキャンセルしてください",
+ "confirmAuthenticationAccess": "拡張機能 '{0}' は、{1} アカウント '{2}' の認証情報にアクセスしようとしています。",
+ "allow": "許可",
+ "cancel": "キャンセル",
+ "confirmLogin": "拡張機能 '{0}' が {1} を使用してサインインしようとしています。"
+ },
+ "vs/workbench/common/configuration": {
+ "workbenchConfigurationTitle": "ワークベンチ"
+ },
+ "vs/workbench/browser/parts/views/treeView": {
+ "no-dataprovider": "ビュー データを提供できるデータ プロバイダーが登録されていません。",
+ "refresh": "最新の情報に更新",
+ "collapseAll": "すべて折りたたむ",
+ "command-error": "コマンド {1} の実行中にエラー {0} が発生しました。{1} を提供する拡張機能が原因である可能性があります。"
+ },
+ "vs/workbench/browser/viewlet": {
+ "compositePart.hideSideBarLabel": "サイド バーを非表示",
+ "views": "表示",
+ "collapse": "すべて折りたたんで表示します。"
+ },
+ "vs/workbench/browser/parts/views/viewPaneContainer": {
+ "viewPaneContainerExpandedIcon": "展開されたビュー ペイン コンテナーのアイコン。",
+ "viewPaneContainerCollapsedIcon": "折りたたまれたビュー ペイン コンテナーのアイコン。",
+ "viewToolbarAriaLabel": "{0} アクション",
+ "hideView": "非表示",
+ "viewMoveUp": "ビューを上に移動",
+ "viewMoveLeft": "ビューを左に移動",
+ "viewMoveDown": "ビューを下に移動",
+ "viewMoveRight": "ビューを右に移動"
+ },
+ "vs/workbench/browser/parts/editor/editorGroupView": {
+ "ariaLabelGroupActions": "エディター グループ操作",
+ "closeGroupAction": "閉じる",
+ "emptyEditorGroup": "{0} (空)",
+ "groupLabel": "グループ {0}",
+ "groupAriaLabel": "エディター グループ {0}",
+ "ok": "OK",
+ "cancel": "キャンセル",
+ "editorOpenErrorDialog": "'{0}' を開くことができません",
+ "editorOpenError": "'{0}' を開くことができません: {1}。"
+ },
+ "vs/workbench/browser/parts/editor/editorDropTarget": {
+ "fileTooLarge": "ファイルが大きすぎて無題のエディターとして開けません。まずファイル エクスプローラーにアップロードしてから、もう一度お試しください。"
+ },
+ "vs/workbench/browser/parts/editor/editor.contribution": {
+ "textEditor": "テキスト エディター",
+ "textDiffEditor": "テキスト差分エディター",
+ "binaryDiffEditor": "バイナリ差分エディター",
+ "sideBySideEditor": "横並びエディター",
+ "editorQuickAccessPlaceholder": "開くエディター名を入力します。",
+ "activeGroupEditorsByMostRecentlyUsedQuickAccess": "アクティブ グループ内のエディターを最近使用したもの順に表示する",
+ "allEditorsByAppearanceQuickAccess": "開いているすべてのエディターを外観別に表示",
+ "allEditorsByMostRecentlyUsedQuickAccess": "開いているすべてのエディターを最近使用したもの順に表示する",
+ "file": "ファイル",
+ "splitUp": "上に分割",
+ "splitDown": "下に分割",
+ "splitLeft": "左に分割",
+ "splitRight": "右に分割",
+ "close": "閉じる",
+ "closeOthers": "その他を閉じる",
+ "closeRight": "右側を閉じる",
+ "closeAllSaved": "保存済みを閉じる",
+ "closeAll": "すべて閉じる",
+ "keepOpen": "開いたままにする",
+ "pin": "ピン留めする",
+ "unpin": "ピン留めを外す",
+ "toggleInlineView": "インライン ビューの切り替え",
+ "showOpenedEditors": "開いているエディターを表示",
+ "toggleKeepEditors": "エディターを開いたままにする",
+ "splitEditorRight": "エディターを右に分割",
+ "splitEditorDown": "エディターを下に分割",
+ "previousChangeIcon": "差分エディター内の前の変更アクションのアイコン。",
+ "nextChangeIcon": "差分エディター内の次の変更アクションのアイコン。",
+ "toggleWhitespace": "差分エディター内で空白文字の切り替えアクションのアイコン。",
+ "navigate.prev.label": "前の変更箇所",
+ "navigate.next.label": "次の変更箇所",
+ "ignoreTrimWhitespace.label": "先頭と末尾のスペースによる違いを無視する",
+ "showTrimWhitespace.label": "先頭と末尾のスペースによる違いを表示する",
+ "keepEditor": "エディターを保持",
+ "pinEditor": "エディターをピン留めする",
+ "unpinEditor": "エディターのピン留めを外す",
+ "closeEditor": "エディターを閉じる",
+ "closePinnedEditor": "固定されたエディターを閉じる",
+ "closeEditorsInGroup": "グループ内のすべてのエディターを閉じる",
+ "closeSavedEditors": "グループ内の保存済みエディターを閉じる",
+ "closeOtherEditors": "グループ内の他のエディターを閉じる",
+ "closeRightEditors": "グループ内の右側のエディターを閉じる",
+ "closeEditorGroup": "エディター グループを閉じる",
+ "miReopenClosedEditor": "閉じたエディターを再度開く(&&R)",
+ "miClearRecentOpen": "最近使ったものをクリア(&&C)",
+ "miEditorLayout": "エディター レイアウト(&&L)",
+ "miSplitEditorUp": "分割 (上)(&&U)",
+ "miSplitEditorDown": "分割 (下)(&&D)",
+ "miSplitEditorLeft": "分割 (左)(&&L)",
+ "miSplitEditorRight": "分割 (右)(&&R)",
+ "miSingleColumnEditorLayout": "シングル(&&S)",
+ "miTwoColumnsEditorLayout": "2 列(&&T)",
+ "miThreeColumnsEditorLayout": "3 列(&&H)",
+ "miTwoRowsEditorLayout": "2 行(&&W)",
+ "miThreeRowsEditorLayout": "3 行(&&R)",
+ "miTwoByTwoGridEditorLayout": "グリッド (2x2)(&&G)",
+ "miTwoRowsRightEditorLayout": "2 行右(&&O)",
+ "miTwoColumnsBottomEditorLayout": "2 列下(&&C)",
+ "miBack": "戻る(&&B)",
+ "miForward": "進む(&&F)",
+ "miLastEditLocation": "最後の編集場所(&&L)",
+ "miNextEditor": "次のエディター(&&N)",
+ "miPreviousEditor": "前のエディター(&&P)",
+ "miNextRecentlyUsedEditor": "次の使用されているエディター(&&N)",
+ "miPreviousRecentlyUsedEditor": "以前に使用したエディター(&&P)",
+ "miNextEditorInGroup": "グループ内の次のエディター(&&N)",
+ "miPreviousEditorInGroup": "グループ内の以前のエディター(&&P)",
+ "miNextUsedEditorInGroup": "グループ内の次の使用されているエディター(&&N)",
+ "miPreviousUsedEditorInGroup": "グループ内の前の使用されているエディター(&&P)",
+ "miSwitchEditor": "エディターの切り替え(&&E)",
+ "miFocusFirstGroup": "グループ 1(&&1)",
+ "miFocusSecondGroup": "グループ 2(&&2)",
+ "miFocusThirdGroup": "グループ 3(&&3)",
+ "miFocusFourthGroup": "グループ 4(&&4)",
+ "miFocusFifthGroup": "グループ 5(&&5)",
+ "miNextGroup": "次のグループ(&&N)",
+ "miPreviousGroup": "前のグループ(&&P)",
+ "miFocusLeftGroup": "グループ (左)(&&L)",
+ "miFocusRightGroup": "グループ (右)(&&R)",
+ "miFocusAboveGroup": "グループ (上)(&&A)",
+ "miFocusBelowGroup": "グループ (下)(&&B)",
+ "miSwitchGroup": "グループの切り替え(&&G)"
+ },
+ "vs/workbench/browser/parts/activitybar/activitybarActions": {
+ "goHome": "ホームに戻る",
+ "hide": "非表示",
+ "manageTrustedExtensions": "信頼された拡張機能の管理",
+ "signOut": "サインアウト",
+ "authProviderUnavailable": "{0} は現在利用できません",
+ "previousSideBarView": "前のサイドバー ビュー",
+ "nextSideBarView": "次のサイドバー ビュー"
+ },
+ "vs/workbench/browser/parts/compositeBar": {
+ "activityBarAriaLabel": "アクティブなビュー スイッチャー"
+ },
+ "vs/workbench/browser/parts/compositeBarActions": {
+ "badgeTitle": "{0} - {1}",
+ "additionalViews": "その他のビュー",
+ "numberBadge": "{0} ({1})",
+ "manageExtension": "拡張機能の管理",
+ "titleKeybinding": "{0} ({1})",
+ "hide": "非表示",
+ "keep": "保持",
+ "toggle": "ビューのピン留めの切り替え"
+ },
+ "vs/workbench/browser/parts/compositePart": {
+ "ariaCompositeToolbarLabel": "{0} アクション",
+ "viewsAndMoreActions": "ビューとその他のアクション...",
+ "titleTooltip": "{0} ({1})"
+ },
+ "vs/workbench/browser/parts/panel/panelActions": {
+ "maximizeIcon": "パネルを最大化するためのアイコン。",
+ "restoreIcon": "パネルを復元するためのアイコン。",
+ "closeIcon": "パネルを閉じるためのアイコン。",
+ "closePanel": "パネルを閉じる",
+ "togglePanel": "パネルの切り替え",
+ "focusPanel": "パネルにフォーカスする",
+ "toggleMaximizedPanel": "最大化されるパネルの切り替え",
+ "maximizePanel": "パネル サイズの最大化",
+ "minimizePanel": "パネル サイズを元に戻す",
+ "positionPanelLeft": "パネルを左に移動",
+ "positionPanelRight": "パネルを右に移動",
+ "positionPanelBottom": "パネルを下に移動",
+ "previousPanelView": "前の パネル ビュー",
+ "nextPanelView": "次のパネル ビュー",
+ "miShowPanel": "パネルを表示(&&P)"
+ },
+ "vs/workbench/common/editor/diffEditorInput": {
+ "sideBySideLabels": "{0} ↔ {1}"
+ },
+ "vs/workbench/browser/parts/editor/editorWidgets": {
+ "openWorkspace": "ワークスペースを開く"
+ },
+ "vs/workbench/browser/parts/editor/editorCommands": {
+ "editorCommand.activeEditorMove.description": "タブまたはグループ別にアクティブ エディターを移動する",
+ "editorCommand.activeEditorMove.arg.name": "アクティブ エディターの Move 引数",
+ "editorCommand.activeEditorMove.arg.description": "引数プロパティ:\r\n\t* 'to': 移動先を指定する文字列値。\r\n\t* 'by': 移動の単位を指定する文字列値 (タブまたはグループ)。\r\n\t* 'value': 移動する桁数または絶対位置を指定する数値。",
+ "toggleInlineView": "インライン ビューの切り替え",
+ "compare": "比較",
+ "enablePreview": "設定でプレビュー エディターが有効になっています。",
+ "disablePreview": "設定でプレビュー エディターが無効になっています。",
+ "learnMode": "詳細情報"
+ },
+ "vs/workbench/browser/parts/editor/textResourceEditor": {
+ "textEditor": "テキスト エディター"
+ },
+ "vs/workbench/browser/parts/titlebar/titlebarPart": {
+ "patchedWindowTitle": "[サポート対象外]",
+ "userIsAdmin": "[管理者]",
+ "userIsSudo": "[スーパー ユーザー]",
+ "devExtensionWindowTitlePrefix": "[拡張機能開発ホスト]"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsList": {
+ "notificationAriaLabel": "{0}、通知",
+ "notificationWithSourceAriaLabel": "{0}、ソース: {1}、通知",
+ "notificationsList": "通知リスト"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsActions": {
+ "clearIcon": "通知内のクリア アクションのアイコン。",
+ "clearAllIcon": "通知内のすべてクリアのアクションのアイコン。",
+ "hideIcon": "通知内の非表示アクションのアイコン。",
+ "expandIcon": "通知内の展開アクションのアイコン。",
+ "collapseIcon": "通知内の折りたたみアクションのアイコン。",
+ "configureIcon": "通知内の構成アクションのアイコン。",
+ "clearNotification": "通知のクリア",
+ "clearNotifications": "すべての通知をクリア",
+ "hideNotificationsCenter": "通知を非表示",
+ "expandNotification": "通知を展開",
+ "collapseNotification": "通知を折りたたむ",
+ "configureNotification": "通知を構成する",
+ "copyNotification": "テキストをコピー"
+ },
+ "vs/workbench/api/common/extHostDiagnostics": {
+ "limitHit": "{0} 個の追加のエラーと警告が表示されていません。"
+ },
+ "vs/workbench/api/common/extHostProgress": {
+ "extensionSource": "{0} (拡張機能)"
+ },
+ "vs/workbench/api/common/extHostStatusBar": {
+ "status.extensionMessage": "拡張機能のステータス"
+ },
+ "vs/workbench/api/common/extHostTreeViews": {
+ "treeView.notRegistered": "ID '{0}' のツリー ビューは登録されていません。",
+ "treeView.duplicateElement": "id {0} の要素はすでに登録されています。"
+ },
+ "vs/workbench/browser/parts/editor/textEditor": {
+ "editor": "エディター"
+ },
+ "vs/workbench/api/browser/mainThreadCustomEditors": {
+ "defaultEditLabel": "編集"
+ },
+ "vs/workbench/api/browser/mainThreadWebviews": {
+ "errorMessage": "view:{0} を復元中にエラーが発生しました"
+ },
+ "vs/workbench/browser/parts/editor/tabsTitleControl": {
+ "ariaLabelTabActions": "タブ操作"
+ },
+ "vs/workbench/browser/parts/editor/textDiffEditor": {
+ "textDiffEditor": "テキスト差分エディター"
+ },
+ "vs/workbench/browser/parts/editor/binaryDiffEditor": {
+ "metadataDiff": "{0} ↔ {1}"
+ },
+ "vs/workbench/browser/parts/editor/editorStatus": {
+ "singleSelectionRange": "行 {0}、列 {1} ({2} 個選択)",
+ "singleSelection": "行 {0}、列 {1}",
+ "multiSelectionRange": "{0} 個の選択項目 ({1} 文字を選択)",
+ "multiSelection": "{0} 個の選択項目",
+ "endOfLineLineFeed": "LF",
+ "endOfLineCarriageReturnLineFeed": "CRLF",
+ "screenReaderDetectedExplanation.question": "VS Code で操作するときにスクリーン リーダーを使用していますか? (単語の折り返しはスクリーン リーダー使用時には無効になります)",
+ "screenReaderDetectedExplanation.answerYes": "はい",
+ "screenReaderDetectedExplanation.answerNo": "いいえ",
+ "noEditor": "現時点でアクティブなテキスト エディターはありません",
+ "noWritableCodeEditor": "アクティブなコード エディターは読み取り専用です。",
+ "indentConvert": "ファイルの変換",
+ "indentView": "ビューの変更",
+ "pickAction": "アクションの選択",
+ "tabFocusModeEnabled": "タブによるフォーカスの移動",
+ "disableTabMode": "アクセシビリティ モードを無効にする",
+ "status.editor.tabFocusMode": "アクセシビリティ モード",
+ "columnSelectionModeEnabled": "列の選択",
+ "disableColumnSelectionMode": "列選択モードを無効にする",
+ "status.editor.columnSelectionMode": "列選択モード",
+ "screenReaderDetected": "スクリーン リーダーに最適化",
+ "status.editor.screenReaderMode": "スクリーン リーダー モード",
+ "gotoLine": "行/列に移動",
+ "status.editor.selection": "エディターの選択",
+ "selectIndentation": "インデントを選択",
+ "status.editor.indentation": "エディターのインデント",
+ "selectEncoding": "エンコードの選択",
+ "status.editor.encoding": "エディターのエンコード",
+ "selectEOL": "改行コードの選択",
+ "status.editor.eol": "エディターの行末",
+ "selectLanguageMode": "言語モードの選択",
+ "status.editor.mode": "エディター言語",
+ "fileInfo": "ファイル情報",
+ "status.editor.info": "ファイル情報",
+ "spacesSize": "スペース: {0}",
+ "tabSize": "タブのサイズ: {0}",
+ "currentProblem": "現在の問題",
+ "showLanguageExtensions": "'{0}' の Marketplace の拡張機能を検索する...",
+ "changeMode": "言語モードの変更",
+ "languageDescription": "({0}) - 構成済みの言語",
+ "languageDescriptionConfigured": "({0})",
+ "languagesPicks": "言語 (識別子)",
+ "configureModeSettings": "'{0}' 言語ベース設定を構成します...",
+ "configureAssociationsExt": "'{0}' に対するファイルの関連付けの構成...",
+ "autoDetect": "自動検出",
+ "pickLanguage": "言語モードの選択",
+ "currentAssociation": "現在の関連付け",
+ "pickLanguageToConfigure": "'{0}' に関連付ける言語モードの選択",
+ "changeEndOfLine": "改行コードの変更",
+ "pickEndOfLine": "改行コードの選択",
+ "changeEncoding": "ファイルのエンコードの変更",
+ "noFileEditor": "現在アクティブなファイルはありません",
+ "saveWithEncoding": "エンコード付きで保存",
+ "reopenWithEncoding": "エンコード付きで再度開く",
+ "guessedEncoding": "コンテンツから推測",
+ "pickEncodingForReopen": "ファイルを再度開くときのファイルのエンコードの選択",
+ "pickEncodingForSave": "保存時のファイルのエンコードの選択"
+ },
+ "vs/workbench/browser/parts/editor/editorActions": {
+ "splitEditor": "エディターの分割",
+ "splitEditorOrthogonal": "垂直にエディターを分割",
+ "splitEditorGroupLeft": "左にエディターを分割",
+ "splitEditorGroupRight": "エディターを右に分割",
+ "splitEditorGroupUp": "上にエディターを分割",
+ "splitEditorGroupDown": "エディターを下に分割",
+ "joinTwoGroups": "エディター グループを次のグループと結合",
+ "joinAllGroups": "すべてのエディター グループを結合",
+ "navigateEditorGroups": "エディター グループ間で移動する",
+ "focusActiveEditorGroup": "アクティブなエディター グループにフォーカス",
+ "focusFirstEditorGroup": "最初のエディター グループにフォーカス",
+ "focusLastEditorGroup": "最後のエディター グループにフォーカス",
+ "focusNextGroup": "次のエディター グループにフォーカス",
+ "focusPreviousGroup": "前のエディター グループにフォーカス",
+ "focusLeftGroup": "左のエディター グループにフォーカス",
+ "focusRightGroup": "右のエディター グループにフォーカス",
+ "focusAboveGroup": "上のエディター グループにフォーカス",
+ "focusBelowGroup": "下のエディター グループにフォーカス",
+ "closeEditor": "エディターを閉じる",
+ "unpinEditor": "エディターの固定を解除する",
+ "closeOneEditor": "閉じる",
+ "revertAndCloseActiveEditor": "元に戻してエディターを閉じる",
+ "closeEditorsToTheLeft": "グループの左側のエディターを閉じる",
+ "closeAllEditors": "すべてのエディターを閉じる",
+ "closeAllGroups": "すべてのエディター グループを閉じる",
+ "closeEditorsInOtherGroups": "他のグループ内のエディターを閉じる",
+ "closeEditorInAllGroups": "すべてのグループ内のエディターを閉じる",
+ "moveActiveGroupLeft": "エディター グループを左側に移動する",
+ "moveActiveGroupRight": "エディター グループを右側に移動する",
+ "moveActiveGroupUp": "エディター グループを上に移動",
+ "moveActiveGroupDown": "エディター グループを下に移動",
+ "minimizeOtherEditorGroups": "エディター グループを最大化",
+ "evenEditorGroups": "エディター グループのサイズをリセット",
+ "toggleEditorWidths": "エディター グループ サイズの切り替え",
+ "maximizeEditor": "エディター グループを最大化してサイドバーを非表示にする",
+ "openNextEditor": "次のエディターを開く",
+ "openPreviousEditor": "以前のエディターを開く",
+ "nextEditorInGroup": "グループ内で次のエディターを開く",
+ "openPreviousEditorInGroup": "グループ内で前のエディターを開く",
+ "firstEditorInGroup": "グループ内の 1 番目のエディターを開く",
+ "lastEditorInGroup": "グループ内の最後のエディターを開く",
+ "navigateNext": "次に進む",
+ "navigatePrevious": "前に戻る",
+ "navigateToLastEditLocation": "最後の編集位置へ移動",
+ "navigateLast": "最後へ移動",
+ "reopenClosedEditor": "閉じたエディターを再度開く",
+ "clearRecentFiles": "最近開いた項目をクリア",
+ "showEditorsInActiveGroup": "アクティブ グループ内のエディターを最近使用したもの順に表示する",
+ "showAllEditors": "すべてのエディターを外観別に表示",
+ "showAllEditorsByMostRecentlyUsed": "すべてのエディターを最近使用したもの順に表示する",
+ "quickOpenPreviousRecentlyUsedEditor": "前回の最近使用したエディターをすぐに開く",
+ "quickOpenLeastRecentlyUsedEditor": "Quick Open の最も長く使われていないエディター",
+ "quickOpenPreviousRecentlyUsedEditorInGroup": "グループ内の最近使用したエディターのうち前のエディターをすばやく開く",
+ "quickOpenLeastRecentlyUsedEditorInGroup": "Quick Open のグループ内で最も長く使われていないエディター",
+ "navigateEditorHistoryByInput": "履歴から以前のエディターをすばやく開く",
+ "openNextRecentlyUsedEditor": "最近使用したエディターのうち次のエディターを開く",
+ "openPreviousRecentlyUsedEditor": "最近使用したエディターのうち前のエディターを開く",
+ "openNextRecentlyUsedEditorInGroup": "グループ内の最近使用したエディターのうち次のエディターを開く",
+ "openPreviousRecentlyUsedEditorInGroup": "グループ内の最近使用したエディターのうち前のエディターを開く",
+ "clearEditorHistory": "エディター履歴のクリア",
+ "moveEditorLeft": "エディターを左へ移動",
+ "moveEditorRight": "エディターを右へ移動",
+ "moveEditorToPreviousGroup": "エディターを前のグループに移動",
+ "moveEditorToNextGroup": "エディターを次のグループに移動",
+ "moveEditorToAboveGroup": "エディターを上のグループに移動",
+ "moveEditorToBelowGroup": "エディターを下のグループに移動",
+ "moveEditorToLeftGroup": "エディターを左のグループに移動",
+ "moveEditorToRightGroup": "エディターを右のグループに移動",
+ "moveEditorToFirstGroup": "エディターを 1 番目のグループに移動",
+ "moveEditorToLastGroup": "エディターを最後のグループに移動",
+ "editorLayoutSingle": "1 列のエディター レイアウト",
+ "editorLayoutTwoColumns": "2 列のエディター レイアウト",
+ "editorLayoutThreeColumns": "3 列のエディター レイアウト",
+ "editorLayoutTwoRows": "2 行のエディター レイアウト",
+ "editorLayoutThreeRows": "3 行のエディター レイアウト",
+ "editorLayoutTwoByTwoGrid": "グリッド エディター レイアウト (2x2)",
+ "editorLayoutTwoColumnsBottom": "下 2 列のエディター レイアウト",
+ "editorLayoutTwoRowsRight": "右 2 行のエディター レイアウト",
+ "newEditorLeft": "左に新しいエディター グループ",
+ "newEditorRight": "右に新しいエディター グループ",
+ "newEditorAbove": "上に新しいエディター グループ",
+ "newEditorBelow": "下に新しいエディター グループ",
+ "workbench.action.reopenWithEditor": "エディターを再度開くアプリケーションの選択...",
+ "workbench.action.toggleEditorType": "エディターの種類の切り替え"
+ },
+ "vs/workbench/browser/parts/editor/editorQuickAccess": {
+ "noViewResults": "一致するエディターがありません",
+ "entryAriaLabelWithGroupDirty": "{0}、ダーティ、{1}",
+ "entryAriaLabelWithGroup": "{0}, {1}",
+ "entryAriaLabelDirty": "{0}、ダーティ",
+ "closeEditor": "エディターを閉じる"
+ },
+ "vs/workbench/browser/parts/editor/binaryEditor": {
+ "binaryEditor": "バイナリ ビューアー",
+ "nativeFileTooLargeError": "ファイルが大きすぎるため、エディターに表示されません ({0})。",
+ "nativeBinaryError": "このファイルはバイナリか、サポートされていないテキスト エンコードを使用しているため、エディターに表示されません。",
+ "openAsText": "このまま開きますか?"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsViewer": {
+ "executeCommand": "クリックして '{0}' コマンドを実行",
+ "notificationActions": "通知操作",
+ "notificationSource": "ソース: {0}"
+ },
+ "vs/workbench/browser/parts/editor/titleControl": {
+ "ariaLabelEditorActions": "エディター操作",
+ "draggedEditorGroup": "{0} (+{1})"
+ },
+ "vs/workbench/browser/parts/editor/breadcrumbsControl": {
+ "cmd.toggle": "階層リンクの切り替え",
+ "miShowBreadcrumbs": "階層リンクの表示(&&B)",
+ "cmd.focus": "階層リンクにフォーカス"
+ },
+ "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": "有効にすると、階層リンクに `null` 記号が表示されます。",
+ "filteredTypes.enumMember": "有効にすると、階層リンクに `enumMember` 記号が表示されます。",
+ "filteredTypes.struct": "有効にすると、階層リンクに `構造体` 記号が表示されます。",
+ "filteredTypes.event": "有効にすると、階層リンクに 'イベント' 記号が表示されます。",
+ "filteredTypes.operator": "有効にすると、階層リンクに `演算子` 記号が表示されます。",
+ "filteredTypes.typeParameter": "有効にすると、階層リンクに 'typeParameter' 記号が表示されます。"
+ },
+ "vs/workbench/browser/parts/editor/breadcrumbsPicker": {
+ "breadcrumbs": "階層リンク"
+ },
+ "vs/workbench/contrib/backup/electron-sandbox/backupTracker": {
+ "backupTrackerBackupFailed": "1 つまたは複数のダーティなエディターをバックアップ場所に保存できませんでした。",
+ "backupTrackerConfirmFailed": "1 つまたは複数のダーティなエディターを保存または復元できませんでした。",
+ "ok": "OK",
+ "backupErrorDetails": "最初にダーティ エディターを保存または復元してから、もう一度お試しください。"
+ },
+ "vs/workbench/contrib/bulkEdit/browser/bulkEditService": {
+ "summary.0": "編集は行われませんでした",
+ "summary.nm": "{1} 個のファイルで {0} 件のテキスト編集を実行",
+ "summary.n0": "1 つのファイルで {0} 個のテキストを編集",
+ "workspaceEdit": "ワークスペースの編集",
+ "nothing": "編集は行われませんでした"
+ },
+ "vs/workbench/contrib/bulkEdit/browser/preview/bulkEdit.contribution": {
+ "overlap": "別のリファクタリングがプレビューされています。",
+ "cancel": "キャンセル",
+ "continue": "続行",
+ "detail": "[続行] をクリックして、以前のリファクタリングを破棄し、現在のリファクタリングを続行します。",
+ "apply": "リファクタリングの適用",
+ "cat": "リファクター プレビュー",
+ "Discard": "リファクタリングの破棄",
+ "toogleSelection": "変更の切り替え",
+ "groupByFile": "ファイル別に変更をグループ化",
+ "groupByType": "変更を種類別にグループ化",
+ "refactorPreviewViewIcon": "リファクター プレビュー ビューのアイコンを表示します。",
+ "panel": "リファクター プレビュー"
+ },
+ "vs/workbench/contrib/bulkEdit/browser/preview/bulkEditPane": {
+ "empty.msg": "名前変更などのコード アクションを呼び出して、変更のプレビューをこちらに表示します。",
+ "conflict.1": "この間に '{0}' が変更されたため、リファクタリングを適用できません。",
+ "conflict.N": "この間に他の {0} 個のファイルが変更されたため、リファクタリングを適用できません。",
+ "edt.title.del": "{0} (削除、リファクタリング プレビュー)",
+ "rename": "名前の変更",
+ "create": "作成",
+ "edt.title.2": "{0} ({1}、リファクター プレビュー)",
+ "edt.title.1": "{0} (リファクター プレビュー)"
+ },
+ "vs/workbench/contrib/bulkEdit/browser/preview/bulkEditPreview": {
+ "default": "その他"
+ },
+ "vs/workbench/contrib/bulkEdit/browser/preview/bulkEditTree": {
+ "bulkEdit": "一括編集",
+ "aria.renameAndEdit": "{0} の名前を {1} に変更し、テキストも編集する",
+ "aria.createAndEdit": "{0} を作成し、テキストも編集しています",
+ "aria.deleteAndEdit": "{0} を削除しながら、テキストの編集も行っています",
+ "aria.editOnly": "{0}、テキストの編集中",
+ "aria.rename": "{0} の名前を {1} に変更しています",
+ "aria.create": "{0} の作成中",
+ "aria.delete": "{0} を削除しています",
+ "aria.replace": "行 {0}、{1} を {2} に置き換えています",
+ "aria.del": "行 {0}、{1} の削除中",
+ "aria.insert": "行 {0}、{1} を挿入中",
+ "rename.label": "{0} → {1}",
+ "detail.rename": "(名前の変更)",
+ "detail.create": "(作成中)",
+ "detail.del": "(削除中)",
+ "title": "{0} - {1}"
+ },
+ "vs/workbench/contrib/callHierarchy/browser/callHierarchy.contribution": {
+ "no.item": "結果はありません。",
+ "error": "呼び出し階層を表示できませんでした",
+ "title": "呼び出し階層のプレビュー",
+ "title.incoming": "着信の表示",
+ "showIncomingCallsIcons": "呼び出し階層ビュー内の着信呼び出しのアイコン。",
+ "title.outgoing": "発信の表示",
+ "showOutgoingCallsIcon": "呼び出し階層ビュー内の送信呼び出しのアイコン。",
+ "title.refocus": "呼び出し階層に再度フォーカスする",
+ "close": "閉じる"
+ },
+ "vs/workbench/contrib/callHierarchy/browser/callHierarchyPeek": {
+ "callFrom": "'{0}' からの呼び出し",
+ "callsTo": "'{0}' の呼び出し元",
+ "title.loading": "読み込んでいます...",
+ "empt.callsFrom": "'{0}' からの呼び出しはありません",
+ "empt.callsTo": "'{0}' の呼び出し元なし"
+ },
+ "vs/workbench/contrib/callHierarchy/browser/callHierarchyTree": {
+ "tree.aria": "呼び出し階層",
+ "from": "{0} からの呼び出し",
+ "to": "{0} の呼び出し元"
+ },
+ "vs/workbench/contrib/cli/node/cli.contribution": {
+ "shellCommand": "シェル コマンド",
+ "install": "PATH 内に '{0}' コマンドをインストールします",
+ "not available": "このコマンドは使用できません",
+ "ok": "OK",
+ "cancel2": "キャンセル",
+ "warnEscalation": "管理者特権でシェル コマンドをインストールできるように、Code が 'osascript' のプロンプトを出します",
+ "cantCreateBinFolder": "'/usr/local/bin' を作成できません。",
+ "aborted": "中止されました",
+ "successIn": "シェル コマンド '{0}' が PATH に正常にインストールされました。",
+ "uninstall": "'{0}' コマンドを PATH からアンインストールします",
+ "warnEscalationUninstall": "管理者特権でシェル コマンドをアンインストールできるように、Code が 'osascript' を求めます。",
+ "cantUninstall": "シェル コマンド '{0}' をアンインストールできません。",
+ "successFrom": "シェル コマンド '{0}' が PATH から正常にアンインストールされました。"
+ },
+ "vs/workbench/contrib/codeActions/common/codeActionsContribution": {
+ "codeActionsOnSave.fixAll": "ファイルの保存時に自動修正アクションを実行するかどうかを制御します。",
+ "codeActionsOnSave": "保存時に実行されるコードアクションの種類。",
+ "codeActionsOnSave.generic": "ファイルの保存時に '{0}' アクションを実行するかどうかを制御します。"
+ },
+ "vs/workbench/contrib/codeActions/common/codeActionsExtensionPoint": {
+ "contributes.codeActions": "リソースに使用するエディターを構成します。",
+ "contributes.codeActions.languages": "コード アクションが有効になっている言語モード。",
+ "contributes.codeActions.kind": "提供されたコード アクションの 'CodeActionKind' です。",
+ "contributes.codeActions.title": "UI で使用されるコード アクションのラベル。",
+ "contributes.codeActions.description": "コード アクションの機能の説明です。"
+ },
+ "vs/workbench/contrib/codeActions/common/documentationExtensionPoint": {
+ "contributes.documentation": "寄稿されたドキュメント。",
+ "contributes.documentation.refactorings": "リファクタリングに関する提供されたドキュメント。",
+ "contributes.documentation.refactoring": "リファクタリングに関するドキュメントを提供しました。",
+ "contributes.documentation.refactoring.title": "UI で使用されるドキュメントのラベル。",
+ "contributes.documentation.refactoring.when": "When 句。",
+ "contributes.documentation.refactoring.command": "コマンドが実行されました。"
+ },
+ "vs/workbench/contrib/codeEditor/electron-browser/startDebugTextMate": {
+ "startDebugTextMate": "TextMate 構文文法ログの開始"
+ },
+ "vs/workbench/contrib/codeEditor/electron-sandbox/selectionClipboard": {
+ "actions.pasteSelectionClipboard": "選択範囲クリップボードの貼り付け"
+ },
+ "vs/workbench/contrib/codeEditor/browser/languageConfigurationExtensionPoint": {
+ "parseErrors": "{0} を解析中のエラー: {1}",
+ "formatError": "{0}: 無効な形式です。JSON オブジェクトが必要です。",
+ "schema.openBracket": "左角かっこまたは文字列シーケンス。",
+ "schema.closeBracket": "右角かっこまたは文字列シーケンス。",
+ "schema.comments": "コメント記号を定義します。",
+ "schema.blockComments": "ブロック コメントのマーク方法を定義します。",
+ "schema.blockComment.begin": "ブロック コメントを開始する文字シーケンス。",
+ "schema.blockComment.end": "ブロック コメントを終了する文字シーケンス。",
+ "schema.lineComment": "行コメントを開始する文字シーケンス。",
+ "schema.brackets": "インデントを増減する角かっこを定義します。",
+ "schema.autoClosingPairs": "角かっこのペアを定義します。左角かっこが入力されると、右角かっこが自動的に挿入されます。",
+ "schema.autoClosingPairs.notIn": "自動ペアが無効なスコープの一覧を定義します。",
+ "schema.autoCloseBefore": "'languageDefined' 自動閉じ設定を使用しているときに、かっこや引用符の自動閉じを行うためにカーソルの後ろに置かれる文字を定義します。これは通常、式を開始しない文字のセットです。",
+ "schema.surroundingPairs": "選択文字列を囲むときに使用できる角かっこのペアを定義します。",
+ "schema.wordPattern": "プログラミング言語で単語とみなされるものを定義します。",
+ "schema.wordPattern.pattern": "言葉の照合に使用する正規表現パターン。",
+ "schema.wordPattern.flags": "言葉の照合に使用する正規表現フラグ。",
+ "schema.wordPattern.flags.errorMessage": "`/^([gimuy]+)$/` パターンに一致する必要があります。",
+ "schema.indentationRules": "言語のインデント設定。",
+ "schema.indentationRules.increaseIndentPattern": "ある行がこのパターンと一致する場合は、それ以降のすべての行を一度インデントする必要があります (別のルールが一致するまで)。",
+ "schema.indentationRules.increaseIndentPattern.pattern": "increaseIndentPattern に使用する正規表現パターン。",
+ "schema.indentationRules.increaseIndentPattern.flags": "increaseIndentPattern に使用する正規表現フラグ。",
+ "schema.indentationRules.increaseIndentPattern.errorMessage": "`/^([gimuy]+)$/` パターンに一致する必要があります。",
+ "schema.indentationRules.decreaseIndentPattern": "行がこのパターンに一致する場合、それ以後のすべての行はいったんインデント解除される必要があります (別のルールが一致するまで)。",
+ "schema.indentationRules.decreaseIndentPattern.pattern": "decreaseIndentPattern に使用する正規表現パターン。",
+ "schema.indentationRules.decreaseIndentPattern.flags": "decreaseIndentPattern に使用する正規表現フラグ。",
+ "schema.indentationRules.decreaseIndentPattern.errorMessage": "`/^([gimuy]+)$/` パターンに一致する必要があります。",
+ "schema.indentationRules.indentNextLinePattern": "ある行がこのパターンと一致する場合は、**次の行のみ** を一度インデントする必要があります。",
+ "schema.indentationRules.indentNextLinePattern.pattern": "indentNextLinePattern に使用する正規表現パターン。",
+ "schema.indentationRules.indentNextLinePattern.flags": "indentNextLinePattern に使用する正規表現フラグ。",
+ "schema.indentationRules.indentNextLinePattern.errorMessage": "`/^([gimuy]+)$/` パターンに一致する必要があります。",
+ "schema.indentationRules.unIndentedLinePattern": "ある行がこのパターンと一致する場合は、そのインデントを変更してはならず、他のルールに対して評価してもなりません。",
+ "schema.indentationRules.unIndentedLinePattern.pattern": "unIndentedLinePattern に使用する正規表現パターン。",
+ "schema.indentationRules.unIndentedLinePattern.flags": "unIndentedLinePattern に使用する正規表現フラグ。",
+ "schema.indentationRules.unIndentedLinePattern.errorMessage": "`/^([gimuy]+)$/` パターンに一致する必要があります。",
+ "schema.folding": "言語の折り畳み設定。",
+ "schema.folding.offSide": "その言語のブロックがインデントで表現されている場合、言語はオフサイドルールに従います。 設定されている場合、空行は後続のブロックに属します。",
+ "schema.folding.markers": "'#region'や '#endregion'などの言語固有の折りたたみマーカー。開始と終了の正規表現はすべての行の内容に対してテストし効率的に設計してください。",
+ "schema.folding.markers.start": "開始マーカーの正規表現パターン。 正規表現は '^' で始めてください。",
+ "schema.folding.markers.end": "終了マーカーの正規表現パターン。 正規表現は '^' で始めてください。"
+ },
+ "vs/workbench/contrib/codeEditor/browser/quickaccess/gotoSymbolQuickAccess": {
+ "empty": "一致するエントリがありません",
+ "gotoSymbolQuickAccessPlaceholder": "移動先のシンボル名を入力します。",
+ "gotoSymbolQuickAccess": "エディターでシンボルに移動",
+ "gotoSymbolByCategoryQuickAccess": "エディターでカテゴリ別のシンボルに移動",
+ "gotoSymbol": "エディターでシンボルに移動..."
+ },
+ "vs/workbench/contrib/codeEditor/browser/accessibility/accessibility": {
+ "emergencyConfOn": "現在 `editor.accessibilitySupport` 設定を 'on' に変更しています。",
+ "openingDocs": "現在 VS Code のアクセシビリティ ドキュメントページを開いています。",
+ "introMsg": "VS Code のアクセシビリティ オプションをご利用いただき、ありがとうございます。",
+ "status": "状態:",
+ "changeConfigToOnMac": "スクリーン リーダーで使用するためにエディターを永続的に最適化するように設定するには、Command + E を押してください。",
+ "changeConfigToOnWinLinux": "スクリーン リーダーで使用するためにエディターを永続的に最適化するように設定するには、Control + E を押してください。",
+ "auto_unknown": "エディターは、プラットフォーム API を使用してスクリーン リーダーがいつ接続されたかを検出するように設定されていますが、現在のランタイムはこれをサポートしていません。",
+ "auto_on": "エディターはスクリーン リーダーの接続を自動検出しました。",
+ "auto_off": "エディターは、スクリーン リーダーが接続されると自動的に検出するように構成されていますが、今回は検出できませんでした。",
+ "configuredOn": "エディターはスクリーン リーダーで使用するために永続的に最適化されるように設定されています。これは `editor.accessibilitySupport` の設定を編集することで変更できます。",
+ "configuredOff": "エディターはスクリーン リーダー向けに最適化しないように構成されています。",
+ "tabFocusModeOnMsg": "現在のエディターで Tab キーを押すと、次のフォーカス可能な要素にフォーカスを移動します。{0} を押すと、この動作が切り替わります。",
+ "tabFocusModeOnMsgNoKb": "現在のエディターで Tab キーを押すと、次のフォーカス可能な要素にフォーカスを移動します。コマンド {0} は、キー バインドでは現在トリガーできません。",
+ "tabFocusModeOffMsg": "現在のエディターで Tab キーを押すと、タブ文字が挿入されます。{0} を押すと、この動作が切り替わります。",
+ "tabFocusModeOffMsgNoKb": "現在のエディターで Tab キーを押すと、タブ文字が挿入されます。コマンド {0} は、キー バインドでは現在トリガーできません。",
+ "openDocMac": "command + H キーを押して、ブラウザー ウィンドウを今すぐ開き、アクセシビリティに関連する他の VS Code 情報を確認します。",
+ "openDocWinLinux": "エディターのアクセシビリティに関する詳細情報が記されたブラウザー ウィンドウを開くには、Control+H を押してください。",
+ "outroMsg": "Esc キー か Shift+Esc を押すと、ヒントを消してエディターに戻ることができます。",
+ "ShowAccessibilityHelpAction": "アクセシビリティのヘルプを表示します"
+ },
+ "vs/workbench/contrib/codeEditor/browser/diffEditorHelper": {
+ "hintTimeout": "差分アルゴリズムは早く停止しました ({0} ミリ秒後)。",
+ "removeTimeout": "制限の削除",
+ "hintWhitespace": "スペースによる違いを表示する"
+ },
+ "vs/workbench/contrib/codeEditor/browser/inspectKeybindings": {
+ "workbench.action.inspectKeyMap": "開発者: キー マッピングを検査する",
+ "workbench.action.inspectKeyMapJSON": "キー マッピングの検査 (JSON)"
+ },
+ "vs/workbench/contrib/codeEditor/browser/largeFileOptimizations": {
+ "largeFile": "{0}: トークン化、折り返し、折りたたみは、メモリの使用量を減らしてフリーズやクラッシュを回避するために、この大きいファイルで無効化されています。",
+ "removeOptimizations": "強制的に機能を有効化",
+ "reopenFilePrompt": "この設定を有効にするためにファイルを再度開いてください。"
+ },
+ "vs/workbench/contrib/codeEditor/browser/inspectEditorTokens/inspectEditorTokens": {
+ "inspectEditorTokens": "開発者: エディター トークンとスコープの検査",
+ "inspectTMScopesWidget.loading": "読み込んでいます..."
+ },
+ "vs/workbench/contrib/codeEditor/browser/quickaccess/gotoLineQuickAccess": {
+ "gotoLineQuickAccessPlaceholder": "行番号とオプションの列を入力して移動します (例: 42 行目で 5 列目の場合は 42:5)。",
+ "gotoLineQuickAccess": "行/列に移動",
+ "gotoLine": "行/列に移動..."
+ },
+ "vs/workbench/contrib/codeEditor/browser/saveParticipants": {
+ "formatting": "'{0}' フォーマッタ([構成](command:workbench.action.openSettings?%5B%22editor.formatOnSave%22%5D))を実行しています。",
+ "codeaction": "クイック修正",
+ "codeaction.get": "'{0}' ([構成](command:workbench.action.openSettings?%5B%22editor.codeActionsOnSave%22%5D))からコード アクションを取得します。",
+ "codeAction.apply": "コード アクション '{0}' を適用しています。"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleColumnSelection": {
+ "toggleColumnSelection": "列選択モードの切り替え",
+ "miColumnSelection": "列の選択モード(&&S)"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleMinimap": {
+ "toggleMinimap": "ミニマップの切り替え",
+ "miShowMinimap": "ミニマップを表示する(&&M)"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleMultiCursorModifier": {
+ "toggleLocation": "マルチカーソル修飾子の切り替え",
+ "miMultiCursorAlt": "マルチ カーソルを Alt+Click に切り替える",
+ "miMultiCursorCmd": "マルチ カーソルを Cmd+Click に切り替える",
+ "miMultiCursorCtrl": "マルチ カーソルを Ctrl+Click に切り替える"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleRenderControlCharacter": {
+ "toggleRenderControlCharacters": "制御文字の切り替え",
+ "miToggleRenderControlCharacters": "制御文字を表示する(&&C)"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleRenderWhitespace": {
+ "toggleRenderWhitespace": "空白文字の表示の切り替え",
+ "miToggleRenderWhitespace": "空白を描画する(&&R)"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleWordWrap": {
+ "toggle.wordwrap": "表示: [右端で折り返す] の設定/解除",
+ "unwrapMinified": "このファイルでの折り返しを無効にする",
+ "wrapMinified": "このファイルでの折り返しを有効にする",
+ "miToggleWordWrap": "[右端で折り返す] の設定/解除(&&W)"
+ },
+ "vs/workbench/contrib/codeEditor/browser/find/simpleFindWidget": {
+ "label.find": "検索",
+ "placeholder.find": "検索",
+ "label.previousMatchButton": "前の一致項目",
+ "label.nextMatchButton": "次の一致項目",
+ "label.closeButton": "閉じる"
+ },
+ "vs/workbench/contrib/codeEditor/browser/find/simpleFindReplaceWidget": {
+ "label.find": "検索",
+ "placeholder.find": "検索",
+ "label.previousMatchButton": "前の一致項目",
+ "label.nextMatchButton": "次の一致項目",
+ "label.closeButton": "閉じる",
+ "label.toggleReplaceButton": "置換モードの切り替え",
+ "label.replace": "置換",
+ "placeholder.replace": "置換",
+ "label.replaceButton": "置換",
+ "label.replaceAllButton": "すべて置換"
+ },
+ "vs/workbench/contrib/comments/browser/comments.contribution": {
+ "commentsConfigurationTitle": "コメント",
+ "openComments": "コメント パネルを開くタイミングを制御します。"
+ },
+ "vs/workbench/contrib/comments/browser/commentsEditorContribution": {
+ "pickCommentService": "コメント プロバイダーの選択",
+ "nextCommentThreadAction": "次のコメント スレッドに移動"
+ },
+ "vs/workbench/contrib/comments/browser/commentsView": {
+ "collapseAll": "すべて折りたたんで表示します。",
+ "rootCommentsLabel": "現在のワークスペースに対するコメント",
+ "resourceWithCommentThreadsLabel": "{0}、完全なパス {1} のコメント",
+ "resourceWithCommentLabel": "{3} の行 {1} 列 {2} (ソース: {4}) にある ${0} からのコメント"
+ },
+ "vs/workbench/contrib/comments/browser/commentsTreeViewer": {
+ "imageWithLabel": "イメージ: {0}",
+ "image": "イメージ"
+ },
+ "vs/workbench/contrib/comments/browser/commentGlyphWidget": {
+ "editorGutterCommentRangeForeground": "コメント範囲を示すエディター余白の装飾の色。"
+ },
+ "vs/workbench/contrib/comments/browser/commentThreadWidget": {
+ "collapseIcon": "レビュー コメントを折りたたむためのアイコン。",
+ "label.collapse": "折りたたみ",
+ "startThread": "ディスカッションを開始",
+ "reply": "返信...",
+ "newComment": "新しいコメントを入力します"
+ },
+ "vs/workbench/contrib/comments/common/commentModel": {
+ "noComments": "このワークスペースにコメントはまだありません。"
+ },
+ "vs/workbench/contrib/comments/browser/commentNode": {
+ "commentToggleReaction": "リアクションを切り替え",
+ "commentToggleReactionError": "コメント反応の切り替えに失敗しました: {0}。",
+ "commentToggleReactionDefaultError": "コメント反応の切り替えに失敗しました",
+ "commentDeleteReactionError": "コメント反応を削除できませんでした: {0}。",
+ "commentDeleteReactionDefaultError": "コメント反応を削除できませんでした",
+ "commentAddReactionError": "コメント反応を削除できませんでした: {0}。",
+ "commentAddReactionDefaultError": "コメント反応を削除できませんでした"
+ },
+ "vs/workbench/contrib/comments/browser/reactionsAction": {
+ "pickReactions": "反応を選択..."
+ },
+ "vs/workbench/contrib/customEditor/browser/customEditors": {
+ "openWithCurrentlyActive": "現在アクティブです",
+ "promptOpenWith.setDefaultTooltip": "'{0}' ファイルの既定のエディターとして設定する",
+ "promptOpenWith.placeHolder": "'{0}' に使用するエディターを選択します..."
+ },
+ "vs/workbench/contrib/customEditor/common/contributedCustomEditors": {
+ "builtinProviderDisplayName": "ビルトイン",
+ "promptOpenWith.defaultEditor.displayName": "テキスト エディター"
+ },
+ "vs/workbench/contrib/customEditor/common/extensionPoint": {
+ "contributes.customEditors": "提供されるカスタム エディター。",
+ "contributes.viewType": "カスタム エディターの識別子。これはすべてのカスタム エディターにわたって一意である必要があるため、'viewType' の一部として拡張機能 ID を含めることをお勧めします。'viewType' は、'vscode.registerCustomEditorProvider' や、'onCustomEditor:${id}' [アクティブ化イベント](https://code.visualstudio.com/api/references/activation-events) でカスタム エディターを登録するときに使用されます。",
+ "contributes.displayName": "カスタム エディターの、人間が判読できる名前です。これは、使用するエディターを選択するときにユーザーに表示されます。",
+ "contributes.selector": "カスタム エディターが有効にされている glob のセット。",
+ "contributes.selector.filenamePattern": "カスタム エディターが有効にされている glob。",
+ "contributes.priority": "ユーザーがファイルを開いたときにカスタム エディターを自動的に有効にするかどうかを制御します。これは、'workbench.editorAssociations' 設定を使用してユーザーによって上書きされる可能性があります。",
+ "contributes.priority.default": "ユーザーがリソースを開いたときに、そのリソースに対して他の既定のカスタム エディターが登録されていない場合は、このエディターが自動的に使用されます。",
+ "contributes.priority.option": "ユーザーがリソースを開いたときにこのエディターが自動的に使用されることはありませんが、ユーザーは [再び開く] コマンドを使用してこのエディターに切り替えることができます。"
+ },
+ "vs/workbench/contrib/debug/common/debug": {
+ "internalConsoleOptions": "いつ内部デバッグ コンソールを開くかを制御します。"
+ },
+ "vs/workbench/contrib/debug/browser/debug.contribution": {
+ "debugCategory": "デバッグ",
+ "runCategory": "実行",
+ "startDebugPlaceholder": "実行する起動構成の名前を入力します。",
+ "startDebuggingHelp": "デバッグの開始",
+ "terminateThread": "スレッドを終了",
+ "debugFocusConsole": "デバッグ コンソール ビュー にフォーカスする",
+ "jumpToCursor": "カーソルにジャンプ",
+ "SetNextStatement": "次のステートメントの設定",
+ "inlineBreakpoint": "インライン ブレークポイント",
+ "stepBackDebug": "1 つ戻る",
+ "reverseContinue": "反転",
+ "restartFrame": "フレームの再起動",
+ "copyStackTrace": "呼び出し履歴のコピー",
+ "setValue": "値の設定",
+ "copyValue": "値のコピー",
+ "copyAsExpression": "式としてコピー",
+ "addToWatchExpressions": "ウォッチに追加",
+ "breakWhenValueChanges": "値が変更されたときに中断",
+ "miViewRun": "実行(&&R)",
+ "miToggleDebugConsole": "デバッグ コンソール(&&B)",
+ "miStartDebugging": "デバッグの開始(&&S)",
+ "miRun": "デバッグなしで実行(&&W)",
+ "miStopDebugging": "デバッグの停止(&&S)",
+ "miRestart Debugging": "デバッグの再起動(&&R)",
+ "miOpenConfigurations": "構成を開く(&&C)",
+ "miAddConfiguration": "構成の追加(&&D)...",
+ "miStepOver": "ステップ オーバーする(&&O)",
+ "miStepInto": "ステップ インする(&&I)",
+ "miStepOut": "ステップ アウトする(&&U)",
+ "miContinue": "続行(&&C)",
+ "miToggleBreakpoint": "ブレークポイントの切り替え(&&B)",
+ "miConditionalBreakpoint": "条件付きブレークポイント(&&C)...",
+ "miInlineBreakpoint": "インライン ブレークポイント(&&O)",
+ "miFunctionBreakpoint": "関数のブレークポイント(&&F)...",
+ "miLogPoint": "ログポイント(&&L)...",
+ "miNewBreakpoint": "新しいブレークポイント(&&N)",
+ "miEnableAllBreakpoints": "すべてのブレークポイントを有効にする(&&E)",
+ "miDisableAllBreakpoints": "すべてのブレークポイントを無効にする(&&L)",
+ "miRemoveAllBreakpoints": "すべてのブレークポイントの削除(&&A)",
+ "miInstallAdditionalDebuggers": "その他のデバッガーをインストールします(&&I)...",
+ "debugPanel": "デバッグ コンソール",
+ "run": "実行",
+ "variables": "変数",
+ "watch": "ウォッチ式",
+ "callStack": "コール スタック",
+ "breakpoints": "ブレークポイント",
+ "loadedScripts": "読み込み済みのスクリプト",
+ "debugConfigurationTitle": "デバッグ",
+ "allowBreakpointsEverywhere": "任意のファイルにブレークポイントを設定できるようにします。",
+ "openExplorerOnEnd": "デバッグ セッションの終了時にエクスプローラー ビューを自動的に開きます。",
+ "inlineValues": "デバッグ中にエディターの行内に変数値を表示します。",
+ "toolBarLocation": "デバッグ ツールバーの位置を制御します。すべてのビューに表示する場合には `floating`、デバッグ ビューの場合は `docked` に設定します。その他の場合は、`hidden` にします。",
+ "never": "今後ステータス バーにデバッグを表示しない",
+ "always": "ステータス バーにデバッグを常に表示する",
+ "onFirstSessionStart": "初めてデバッグが開始されたときのみステータス バーにデバッグを表示する",
+ "showInStatusBar": "いつデバッグ ステータス バーを表示するかを制御します。",
+ "debug.console.closeOnEnd": "デバッグ セッションの終了時にデバッグ コンソールを自動的に閉じるかどうかを制御します。",
+ "openDebug": "いつデバッグ ビューを開くかを制御します。",
+ "showSubSessionsInToolBar": "デバッグ ツール バーにデバッグのサブセッションを表示するかどうかを制御します。false に設定されている場合、サブセッションに対する停止コマンドによって、親セッションも停止します。",
+ "debug.console.fontSize": "デバッグ コンソール内のフォント サイズをピクセル単位で制御します。",
+ "debug.console.fontFamily": "デバッグ コンソールのフォント ファミリを制御します。",
+ "debug.console.lineHeight": "デバッグ コンソール内での行の高さをピクセル単位で制御します。フォント サイズから行の高さを計算するには 0 を使用します。",
+ "debug.console.wordWrap": "行をデバッグ コンソールで折り返す必要があるかどうかを制御します。",
+ "debug.console.historySuggestions": "以前に型指定された入力をデバッグ コンソールが提案する必要があるかどうかを制御します。",
+ "launch": "グローバル デバッグ起動構成。ワークスペースで共有されている 'launch.json' の代わりに使用する必要があります。",
+ "debug.focusWindowOnBreak": "デバッガーが中断したときにワークベンチ ウィンドウにフォーカスするかどうかを制御します。",
+ "debugAnyway": "タスクのエラーを無視し、デバッグを開始します。",
+ "showErrors": "問題ビューを表示し、デバッグを開始しません。",
+ "prompt": "ユーザーに確認します。",
+ "cancel": "デバッグを取り消します。",
+ "debug.onTaskErrors": "preLaunchTask の実行後にエラーが発生した場合の処理を制御します。",
+ "showBreakpointsInOverviewRuler": "ブレークポイントを概要ルーラーに表示するかどうかを制御します。",
+ "showInlineBreakpointCandidates": "デバッグ中にインライン ブレークポイント候補の装飾をエディターに表示するかどうかを制御します。"
+ },
+ "vs/workbench/contrib/debug/browser/debugEditorContribution": {
+ "addConfiguration": "構成の追加..."
+ },
+ "vs/workbench/contrib/debug/browser/breakpointEditorContribution": {
+ "logPoint": "ログポイント",
+ "breakpoint": "ブレークポイント",
+ "breakpointHasConditionDisabled": "この {0} には削除時に失われる {1} があります。代わりに {0} を有効にすることを検討してください。",
+ "message": "メッセージ",
+ "condition": "条件",
+ "breakpointHasConditionEnabled": "この {0} には削除時に失われる {1} があります。代わりに {0} を無効にすることを検討してください。",
+ "removeLogPoint": "{0} の削除",
+ "disableLogPoint": "{0} {1}",
+ "disable": "無効にする",
+ "enable": "有効にする",
+ "cancel": "キャンセル",
+ "removeBreakpoint": "{0} の削除",
+ "editBreakpoint": "{0} の編集...",
+ "disableBreakpoint": "{0} を無効にする",
+ "enableBreakpoint": "{0} を有効にする",
+ "removeBreakpoints": "ブレークポイントの削除",
+ "removeInlineBreakpointOnColumn": "列 {0} のインライン ブレークポイントを削除",
+ "removeLineBreakpoint": "行のブレークポイントの削除",
+ "editBreakpoints": "ブレークポイントの編集",
+ "editInlineBreakpointOnColumn": "列 {0} のインライン ブレークポイントを編集",
+ "editLineBrekapoint": "行のブレークポイントの編集",
+ "enableDisableBreakpoints": "ブレークポイントの有効化/無効化",
+ "disableInlineColumnBreakpoint": "列 {0} のインライン ブレークポイントを無効化",
+ "disableBreakpointOnLine": "行のブレークポイントの無効化",
+ "enableBreakpoints": "列 {0} のインライン ブレークポイントを有効化",
+ "enableBreakpointOnLine": "行のブレークポイントの有効化",
+ "addBreakpoint": "ブレークポイントの追加",
+ "addConditionalBreakpoint": "条件付きブレークポイントの追加...",
+ "addLogPoint": "ログポイントを追加...",
+ "debugIcon.breakpointForeground": "ブレークポイントのアイコンの色。",
+ "debugIcon.breakpointDisabledForeground": "無効なブレークポイントのアイコン色。",
+ "debugIcon.breakpointUnverifiedForeground": "未確認のブレークポイントのアイコン色。",
+ "debugIcon.breakpointCurrentStackframeForeground": "現在のブレークポイント スタック フレームのアイコン色。",
+ "debugIcon.breakpointStackframeForeground": "すべてのブレークポイント スタック フレームのアイコン色。"
+ },
+ "vs/workbench/contrib/debug/browser/callStackEditorContribution": {
+ "topStackFrameLineHighlight": "上位のスタック フレーム位置の行を強調表示する背景色。",
+ "focusedStackFrameLineHighlight": "フォーカスされたスタック フレーム位置の行を強調表示する背景色。"
+ },
+ "vs/workbench/contrib/debug/browser/repl": {
+ "workbench.debug.filter.placeholder": "フィルター (例: text、!exclude)",
+ "debugConsole": "デバッグ コンソール",
+ "copy": "コピー",
+ "copyAll": "すべてコピー",
+ "paste": "貼り付け",
+ "collapse": "すべて折りたたんで表示します。",
+ "startDebugFirst": "式を評価するデバッグ セッションを開始してください",
+ "actions.repl.acceptInput": "REPL での入力を反映",
+ "repl.action.filter": "フィルター対象の REPL フォーカス コンテンツ",
+ "actions.repl.copyAll": "デバッグ: コンソールをすべてコピー",
+ "selectRepl": "デバッグ コンソールを選択",
+ "clearRepl": "コンソールのクリア",
+ "debugConsoleCleared": "デバッグ コンソールがクリアされました"
+ },
+ "vs/workbench/contrib/debug/browser/debugViewlet": {
+ "startAdditionalSession": "追加のセッションを開始",
+ "toggleDebugPanel": "デバッグ コンソール",
+ "toggleDebugViewlet": "実行とデバッグの表示"
+ },
+ "vs/workbench/contrib/debug/common/abstractDebugAdapter": {
+ "timeout": "'{1}' の {0} ms 後にタイムアウトします"
+ },
+ "vs/workbench/contrib/debug/browser/breakpointsView": {
+ "editCondition": "条件の編集",
+ "Logpoint": "ログポイント",
+ "Breakpoint": "ブレークポイント",
+ "editBreakpoint": "{0} の編集...",
+ "removeBreakpoint": "{0} の削除",
+ "expressionCondition": "式の条件: {0}",
+ "functionBreakpointsNotSupported": "このデバッグの種類では関数ブレークポイントはサポートされていません",
+ "dataBreakpointsNotSupported": "このデバッグの種類では、データ ブレークポイントはサポートされていません。",
+ "functionBreakpointPlaceholder": "中断対象の関数",
+ "functionBreakPointInputAriaLabel": "関数ブレークポイントを入力します",
+ "exceptionBreakpointPlaceholder": "式が true と評価されたときに中断",
+ "exceptionBreakpointAriaLabel": "例外のブレークポイント条件の入力",
+ "breakpoints": "ブレークポイント",
+ "disabledLogpoint": "無効なログポイント",
+ "disabledBreakpoint": "無効なブレークポイント",
+ "unverifiedLogpoint": "未確認のログポイント",
+ "unverifiedBreakopint": "未確認のブレークポイント",
+ "functionBreakpointUnsupported": "このデバッグの種類では関数ブレークポイントはサポートされていません",
+ "functionBreakpoint": "関数のブレークポイント",
+ "dataBreakpointUnsupported": "このデバッグの種類ではサポートされていないデータ ブレークポイント",
+ "dataBreakpoint": "データ ブレークポイント",
+ "breakpointUnsupported": "このタイプのブレークポイントはデバッガーではサポートされていません",
+ "logMessage": "ログ メッセージ: {0}",
+ "expression": "式の条件: {0}",
+ "hitCount": "ヒット カウント: {0}",
+ "breakpoint": "ブレークポイント"
+ },
+ "vs/workbench/contrib/debug/browser/callStackView": {
+ "running": "実行中",
+ "showMoreStackFrames2": "他のスタック フレームを表示",
+ "session": "セッション",
+ "thread": "スレッド",
+ "restartFrame": "フレームの再起動",
+ "loadAllStackFrames": "スタック フレームをすべて読み込む",
+ "showMoreAndOrigin": "{1} を {0} 個さらに表示する",
+ "showMoreStackFrames": "スタック フレームを {0} 個さらに表示する",
+ "callStackAriaLabel": "コール スタックのデバッグ",
+ "threadAriaLabel": "スレッド {0} {1}",
+ "stackFrameAriaLabel": "スタック フレーム {0}、行 {1}、{2}",
+ "sessionLabel": "セッション {0} {1}"
+ },
+ "vs/workbench/contrib/debug/browser/debugActions": {
+ "openLaunchJson": "{0} を開く",
+ "launchJsonNeedsConfigurtion": "'launch.json' を構成または修正してください",
+ "noFolderDebugConfig": "高度なデバッグ構成を実行するには、まずフォルダーを開いてください。",
+ "selectWorkspaceFolder": "launch.json ファイルを作成するワークスペース フォルダーを選択するか、それをワークスペース構成ファイルに追加します",
+ "startDebug": "デバッグの開始",
+ "startWithoutDebugging": "デバッグなしで開始",
+ "selectAndStartDebugging": "選択してデバッグを開始",
+ "removeBreakpoint": "ブレークポイントの削除",
+ "removeAllBreakpoints": "すべてのブレークポイントを削除する",
+ "enableAllBreakpoints": "すべてのブレークポイントを有効にする",
+ "disableAllBreakpoints": "すべてのブレークポイントを無効にする",
+ "activateBreakpoints": "ブレークポイントのアクティブ化",
+ "deactivateBreakpoints": "ブレークポイントの非アクティブ化",
+ "reapplyAllBreakpoints": "すべてのブレークポイントを再適用する",
+ "addFunctionBreakpoint": "関数ブレークポイントの追加",
+ "addWatchExpression": "式の追加",
+ "removeAllWatchExpressions": "すべての式を削除する",
+ "focusSession": "セッションにフォーカス",
+ "copyValue": "値のコピー"
+ },
+ "vs/workbench/contrib/debug/browser/debugToolBar": {
+ "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/debug/browser/debugService": {
+ "1activeSession": "1 つのアクティブなセッション",
+ "nActiveSessions": "{0} 個のアクティブなセッション",
+ "configurationAlreadyRunning": "デバッグ構成 \"{0}\" が既に実行されています。",
+ "compoundMustHaveConfigurations": "複合構成を開始するには、複合に \"configurations\" 属性が設定されている必要があります。",
+ "noConfigurationNameInWorkspace": "ワークスペースに起動構成 '{0}' が見つかりませんでした。",
+ "multipleConfigurationNamesInWorkspace": "ワークスペースに複数の起動構成 '{0}' があります。フォルダー名を使用して構成を修飾してください。",
+ "noFolderWithName": "複合 '{2}' の構成 '{1}' で、名前 '{0}' を含むフォルダーが見つかりませんでした。",
+ "configMissing": "構成 '{0}' が 'launch.json' 内にありません。",
+ "launchJsonDoesNotExist": "'launch.json' が、渡されたワークスペース フォルダーに存在しません。",
+ "debugRequestNotSupported": "選択しているデバッグ構成で '{0}' 属性はサポートされない値 '{1}' を指定しています。",
+ "debugRequesMissing": "選択しているデバッグ構成に属性 '{0}' が含まれていません。",
+ "debugTypeNotSupported": "構成されているデバッグの種類 '{0}' はサポートされていません。",
+ "debugTypeMissing": "選択された起動構成のプロパティ 'type' がありません。",
+ "installAdditionalDebuggers": "{0} 拡張機能のインストール",
+ "noFolderWorkspaceDebugError": "アクティブなファイルをデバッグできません。そのファイルが保存されていることと、そのファイルの種類に対してデバッグ拡張機能がインストールされていることをご確認ください。",
+ "debugAdapterCrash": "デバッグ アダプター プロセスが予期せず終了しました ({0})",
+ "cancel": "キャンセル",
+ "debuggingPaused": "{0}:{1}、デバッグは {2} で一時停止されました、{3}",
+ "breakpointAdded": "ブレークポイント、行 {0}、ファイル {1} が追加されました",
+ "breakpointRemoved": "ブレークポイント、行 {0}、ファイル {1} を削除しました"
+ },
+ "vs/workbench/contrib/debug/browser/statusbarColorProvider": {
+ "statusBarDebuggingBackground": "プログラムをデバッグしているときのステータス バーの背景色。ステータス バーはウィンドウの下部に表示されます",
+ "statusBarDebuggingForeground": "プログラムをデバッグしているときのステータス バーの前景色。ステータス バーはウィンドウの下部に表示されます",
+ "statusBarDebuggingBorder": "プログラムをデバッグしているときのサイドバーおよびエディターを隔てるステータス バーの境界線の色。ステータス バーはウィンドウの下部に表示されます"
+ },
+ "vs/workbench/contrib/debug/browser/debugStatus": {
+ "status.debug": "デバッグ",
+ "debugTarget": "デバッグ: {0}",
+ "selectAndStartDebug": "選択してデバッグ構成を開始"
+ },
+ "vs/workbench/contrib/debug/browser/debugCommands": {
+ "restartDebug": "再起動",
+ "stepOverDebug": "ステップ オーバー",
+ "stepIntoDebug": "ステップ インする",
+ "stepOutDebug": "ステップ アウト",
+ "pauseDebug": "一時停止",
+ "disconnect": "切断",
+ "stop": "停止",
+ "continueDebug": "続行",
+ "chooseLocation": "特定の場所を選択する",
+ "noExecutableCode": "現在のカーソル位置に実行可能コードは関連付けられていません。",
+ "jumpToCursor": "カーソルにジャンプ",
+ "debug": "デバッグ",
+ "noFolderDebugConfig": "高度なデバッグ構成を実行するには、まずフォルダーを開いてください。",
+ "addInlineBreakpoint": "インライン ブレークポイントを追加"
+ },
+ "vs/workbench/contrib/debug/browser/loadedScriptsView": {
+ "loadedScriptsSession": "デバッグ セッション",
+ "loadedScriptsAriaLabel": "読み込み済みのスクリプトのデバッグ",
+ "loadedScriptsRootFolderAriaLabel": "ワークスペース フォルダー {0}、読み込み済みスクリプト、デバッグ",
+ "loadedScriptsSessionAriaLabel": "セッション {0}、読み込まれたスクリプト、デバッグ",
+ "loadedScriptsFolderAriaLabel": "フォルダー {0}、読み込み済みスクリプト、デバッグ",
+ "loadedScriptsSourceAriaLabel": "{0}、読み込み済みスクリプト、デバッグ"
+ },
+ "vs/workbench/contrib/debug/browser/debugEditorActions": {
+ "toggleBreakpointAction": "デバッグ: ブレークポイントの切り替え",
+ "conditionalBreakpointEditorAction": "デバッグ: 条件付きブレークポイントの追加...",
+ "logPointEditorAction": "デバッグ: ログポイントの追加...",
+ "runToCursor": "カーソル行の前まで実行",
+ "evaluateInDebugConsole": "デバッグ コンソールでの評価",
+ "addToWatch": "ウォッチに追加",
+ "showDebugHover": "デバッグ: ホバーの表示",
+ "stepIntoTargets": "ターゲットにステップ イン...",
+ "goToNextBreakpoint": "デバッグ: 次のブレークポイントへ移動",
+ "goToPreviousBreakpoint": "デバッグ: 前のブレークポイントへ移動",
+ "closeExceptionWidget": "例外ウィジェットを閉じる"
+ },
+ "vs/workbench/contrib/debug/browser/watchExpressionsView": {
+ "editWatchExpression": "式の編集",
+ "removeWatchExpression": "式の削除",
+ "watchExpressionInputAriaLabel": "ウォッチ式を入力します",
+ "watchExpressionPlaceholder": "ウォッチ対象の式",
+ "watchAriaTreeLabel": "ウォッチ式のデバッグ",
+ "watchExpressionAriaLabel": "{0}、値 {1}",
+ "watchVariableAriaLabel": "{0}、値 {1}"
+ },
+ "vs/workbench/contrib/debug/browser/variablesView": {
+ "variableValueAriaLabel": "新しい変数値を入力する",
+ "variablesAriaTreeLabel": "変数のデバッグ",
+ "variableScopeAriaLabel": "スコープ {0}",
+ "variableAriaLabel": "{0}、値 {1}"
+ },
+ "vs/workbench/contrib/debug/common/debugContentProvider": {
+ "unable": "デバッグ セッションなしでリソースを解決できません",
+ "canNotResolveSourceWithError": "ソース '{0}' を読み込めませんでした: {1}。",
+ "canNotResolveSource": "ソース '{0}' を読み込めませんでした。"
+ },
+ "vs/workbench/contrib/debug/browser/welcomeView": {
+ "run": "実行",
+ "openAFileWhichCanBeDebugged": "デバッグまたは実行可能な[ファイルを開きます](command:{0})。",
+ "runAndDebugAction": "[実行とデバッグ{0}](command:{1})",
+ "detectThenRunAndDebug": "すべての自動デバッグ構成を [表示](command:{0}) します。",
+ "customizeRunAndDebug": "実行とデバッグをカスタマイズするには、[launch.json ファイルを作成します](command:{0})。",
+ "customizeRunAndDebugOpenFolder": "実行とデバッグをカスタマイズするには、[フォルダーを開いた](command:{0})後、launch.json ファイルを作成します。"
+ },
+ "vs/workbench/contrib/debug/browser/debugQuickAccess": {
+ "noDebugResults": "一致する起動構成がありません",
+ "customizeLaunchConfig": "起動構成の設定",
+ "contributed": "貢献済み",
+ "providerAriaLabel": "{0} の貢献済み構成",
+ "configure": "構成",
+ "addConfigTo": "構成 ({0}) の追加...",
+ "addConfiguration": "構成の追加..."
+ },
+ "vs/workbench/contrib/debug/browser/debugIcons": {
+ "debugConsoleViewIcon": "デバッグ コンソール ビューのアイコンを表示します。",
+ "runViewIcon": "実行ビューのアイコンを表示します。",
+ "variablesViewIcon": "変数ビューのアイコンを表示します。",
+ "watchViewIcon": "ウォッチ ビューのアイコンを表示します。",
+ "callStackViewIcon": "呼び出し履歴ビューのアイコンを表示します。",
+ "breakpointsViewIcon": "ブレークポイント ビューのアイコンを表示します。",
+ "loadedScriptsViewIcon": "読み込まれたスクリプト ビューのアイコンを表示します。",
+ "debugBreakpoint": "ブレークポイントのアイコン。",
+ "debugBreakpointDisabled": "無効なブレークポイントのアイコン。",
+ "debugBreakpointUnverified": "未確認のブレークポイントのアイコン。",
+ "debugBreakpointHint": "エディターのグリフ余白にカーソルを置いたときに表示されるブレークポイント ヒントのアイコン。",
+ "debugBreakpointFunction": "関数ブレークポイントのアイコン。",
+ "debugBreakpointFunctionUnverified": "未確認の関数ブレークポイントのアイコン。",
+ "debugBreakpointFunctionDisabled": "無効な関数ブレークポイントのアイコン。",
+ "debugBreakpointUnsupported": "サポートされていないブレークポイントのアイコン。",
+ "debugBreakpointConditionalUnverified": "未確認の条件付きブレークポイントのアイコン。",
+ "debugBreakpointConditional": "条件付きブレークポイントのアイコン。",
+ "debugBreakpointConditionalDisabled": "無効な条件付きブレークポイントのアイコン。",
+ "debugBreakpointDataUnverified": "未確認のデータ ブレークポイントのアイコン。",
+ "debugBreakpointData": "データ ブレークポイントのアイコン。",
+ "debugBreakpointDataDisabled": "無効なデータ ブレークポイントのアイコン。",
+ "debugBreakpointLogUnverified": "未確認のログ ブレークポイントのアイコン。",
+ "debugBreakpointLog": "ログ ブレークポイントのアイコン。",
+ "debugBreakpointLogDisabled": "無効なログ ブレークポイントのアイコン。",
+ "debugStackframe": "エディターのグリフ余白に表示されるスタック フレームのアイコン。",
+ "debugStackframeFocused": "エディターのグリフ余白に表示されるフォーカスされたスタック フレームのアイコン。",
+ "debugGripper": "デバッグ バー グリッパーのアイコン。",
+ "debugRestartFrame": "デバッグの再起動フレーム アクションのアイコン。",
+ "debugStop": "デバッグの停止アクションのアイコン。",
+ "debugDisconnect": "デバッグ切断アクションのアイコン。",
+ "debugRestart": "デバッグの再起動アクションのアイコン。",
+ "debugStepOver": "デバッグのステップ オーバー アクションのアイコン。",
+ "debugStepInto": "デバッグのステップ イン アクションのアイコン。",
+ "debugStepOut": "デバッグのステップ アウト アクションのアイコン。",
+ "debugStepBack": "デバッグのステップ バック アクションのアイコン。",
+ "debugPause": "デバッグの一時停止アクションのアイコン。",
+ "debugContinue": "デバッグ続行アクションのアイコン。",
+ "debugReverseContinue": "デバッグのリバース続行アクションのアイコン。",
+ "debugStart": "デバッグの開始アクションのアイコン。",
+ "debugConfigure": "デバッグの構成アクションのアイコン。",
+ "debugConsole": "デバッグ コンソールを開くアクションのアイコン。",
+ "debugCollapseAll": "デバッグ ビューにあるすべて折りたたみアクションのアイコン。",
+ "callstackViewSession": "コール スタック ビューにあるセッション アイコンのアイコン。",
+ "debugConsoleClearAll": "デバッグ コンソールにあるすべてクリア アクションのアイコン。",
+ "watchExpressionsRemoveAll": "ウォッチ ビューのすべて削除アクションのアイコン。",
+ "watchExpressionsAdd": "ウォッチ ビューの追加アクションのアイコン。",
+ "watchExpressionsAddFuncBreakpoint": "ウォッチ ビューの関数ブレークポイントの追加アクションのアイコン。",
+ "breakpointsRemoveAll": "ブレークポイント ビューにあるすべてを削除アクションのアイコン。",
+ "breakpointsActivate": "ブレークポイント ビューにあるアクティブ化アクションのアイコン。",
+ "debugConsoleEvaluationInput": "デバッグ評価入力マーカーのアイコン。",
+ "debugConsoleEvaluationPrompt": "デバッグ評価プロンプトのアイコン。"
+ },
+ "vs/workbench/contrib/debug/browser/exceptionWidget": {
+ "debugExceptionWidgetBorder": "例外ウィジェットの境界線の色。",
+ "debugExceptionWidgetBackground": "例外ウィジェットの背景色。",
+ "exceptionThrownWithId": "例外が発生しました: {0}",
+ "exceptionThrown": "例外が発生しました",
+ "close": "閉じる"
+ },
+ "vs/workbench/contrib/debug/browser/debugHover": {
+ "quickTip": "エディター言語のホバーに切り替えるには {0} キーを押し続けます",
+ "treeAriaLabel": "デバッグ ホバー",
+ "variableAriaLabel": "{0}、値 {1}、変数、デバッグ"
+ },
+ "vs/workbench/contrib/debug/browser/breakpointWidget": {
+ "breakpointWidgetLogMessagePlaceholder": "ブレークポイントにヒットしたときにログに記録するメッセージ。{} 内の式は補間されます。受け入れるには 'Enter' を、キャンセルするには 'esc' を押します。",
+ "breakpointWidgetHitCountPlaceholder": "ヒット カウント条件が満たされる場合に中断します。'Enter' を押して受け入れるか 'Esc' を押して取り消します。",
+ "breakpointWidgetExpressionPlaceholder": "式が true と評価される場合に中断します。'Enter' を押して受け入れるか 'Esc' を押して取り消します。",
+ "expression": "式",
+ "hitCount": "ヒット カウント",
+ "logMessage": "ログ メッセージ",
+ "breakpointType": "ブレークポイント タイプ"
+ },
+ "vs/workbench/contrib/debug/browser/debugActionViewItems": {
+ "debugLaunchConfigurations": "起動構成のデバッグ",
+ "noConfigurations": "構成がありません",
+ "addConfigTo": "構成 ({0}) の追加...",
+ "addConfiguration": "構成の追加...",
+ "debugSession": "デバッグ セッション"
+ },
+ "vs/workbench/contrib/debug/browser/linkDetector": {
+ "fileLinkMac": "command キーを押しながらクリックしてリンク先を表示",
+ "fileLink": "Ctrl キーを押しながらクリックしてリンク先を表示"
+ },
+ "vs/workbench/contrib/debug/browser/replViewer": {
+ "debugConsole": "デバッグ コンソール",
+ "replVariableAriaLabel": "変数 {0}、値 {1}",
+ "occurred": "、{0} 回発生しました",
+ "replRawObjectAriaLabel": "デバッグ コンソール変数 {0}、値 {1}",
+ "replGroup": "デバッグ コンソール グループ {0}"
+ },
+ "vs/workbench/contrib/debug/common/replModel": {
+ "consoleCleared": "コンソールはクリアされました",
+ "snapshotObj": "このオブジェクトのプリミティブ値のみ表示されます。"
+ },
+ "vs/workbench/contrib/debug/browser/replFilter": {
+ "showing filtered repl lines": "{0}/{1} を表示中"
+ },
+ "vs/workbench/contrib/debug/node/debugAdapter": {
+ "debugAdapterBinNotFound": "デバッグ アダプターの実行可能ファイル '{0}' がありません。",
+ "debugAdapterCannotDetermineExecutable": "デバッグ アダプター '{0}' の実行可能ファイルを判別できません。",
+ "unableToLaunchDebugAdapter": "デバッグ アダプターを {0} から起動できません。",
+ "unableToLaunchDebugAdapterNoArgs": "デバッグ アダプターを起動できません。"
+ },
+ "vs/workbench/contrib/debug/common/debugModel": {
+ "invalidVariableAttributes": "無効な変数属性",
+ "startDebugFirst": "式を評価するデバッグ セッションを開始してください",
+ "notAvailable": "使用不可",
+ "pausedOn": "{0} で一時停止",
+ "paused": "一時停止",
+ "running": "実行中",
+ "breakpointDirtydHover": "未確認のブレークポイント。ファイルは変更されているので、デバッグ セッションを再起動してください。"
+ },
+ "vs/workbench/contrib/debug/browser/debugConfigurationManager": {
+ "selectConfiguration": "起動構成の選択",
+ "editLaunchConfig": "launch.json のデバッグ構成を編集します",
+ "DebugConfig.failed": "'launch.json' ファイルを '.vscode' フォルダー ({0}) 内に作成できません。",
+ "workspace": "ワークスペース",
+ "user settings": "ユーザー設定"
+ },
+ "vs/workbench/contrib/debug/browser/debugSession": {
+ "noDebugAdapter": "利用可能なデバッガーがありません。'{0}' を送信できません",
+ "sessionNotReadyForBreakpoints": "ブレークポイント用のセッションの準備が整っていません",
+ "debuggingStarted": "デバッグは開始されました。",
+ "debuggingStopped": "デバッグは停止されました。"
+ },
+ "vs/workbench/contrib/debug/browser/debugTaskRunner": {
+ "preLaunchTaskErrors": "preLaunchTask '{0}' を実行後にエラーが存在します。",
+ "preLaunchTaskError": "preLaunchTask '{0}' を実行後にエラーが存在します。",
+ "preLaunchTaskExitCode": "preLaunchTask '{0}' が終了コード {1} で終了しました。",
+ "preLaunchTaskTerminated": "preLaunchTask '{0}' が終了しました。",
+ "debugAnyway": "このままデバッグ",
+ "showErrors": "エラーの表示",
+ "abort": "中止",
+ "remember": "ユーザー設定での自分の選択を覚えておいてください",
+ "invalidTaskReference": "タスク '{0}' は、別のワークスペース フォルダーにあるため、起動構成からは参照できません。",
+ "DebugTaskNotFoundWithTaskId": "タスク '{0}' を見つけられませんでした。",
+ "DebugTaskNotFound": "指定したタスクが見つかりませんでした。",
+ "taskNotTrackedWithTaskId": "指定したタスクを追跡できません。",
+ "taskNotTracked": "タスク '{0}' を追跡できません。"
+ },
+ "vs/workbench/contrib/debug/browser/debugAdapterManager": {
+ "debugNoType": "デバッガー 'type' は省略不可で、'string' 型でなければなりません。",
+ "more": "その他...",
+ "selectDebug": "環境の選択"
+ },
+ "vs/workbench/contrib/debug/common/debugSource": {
+ "unknownSource": "不明なソース"
+ },
+ "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": "`launch.json` 内の対話型の変数 (例: ${action.pickProcess}) からコマンドへマッピングしています。",
+ "vscode.extension.contributes.debuggers.initialConfigurations": "初期 'launch.json' を生成するための構成。",
+ "vscode.extension.contributes.debuggers.languages": "デバッグ拡張機能が \"既定のデバッガー\" とされる言語の一覧。",
+ "vscode.extension.contributes.debuggers.configurationSnippets": "'launch.json' に新しい構成を追加するためのスニペット。",
+ "vscode.extension.contributes.debuggers.configurationAttributes": "'launch.json' を検証するための JSON スキーマ構成。",
+ "vscode.extension.contributes.debuggers.windows": "Windows 固有の設定。",
+ "vscode.extension.contributes.debuggers.windows.runtime": "Windows で使用されるランタイム。",
+ "vscode.extension.contributes.debuggers.osx": "macOS 固有の設定。",
+ "vscode.extension.contributes.debuggers.osx.runtime": "macOS で使用されるランタイム。",
+ "vscode.extension.contributes.debuggers.linux": "Linux 固有の設定。",
+ "vscode.extension.contributes.debuggers.linux.runtime": "Linux で使用されるランタイム。",
+ "vscode.extension.contributes.breakpoints": "ブレークポイントを提供します。",
+ "vscode.extension.contributes.breakpoints.language": "この言語でブレークポイントを許可します。",
+ "presentation": "デバッグ構成ドロップダウンとコマンド パレットでこの構成を表示する方法に関するプレゼンテーション オプション。",
+ "presentation.hidden": "この構成を構成ドロップダウンとコマンド パレットに表示するかどうかを制御します。",
+ "presentation.group": "この構成が属するグループ。構成ドロップダウンとコマンド パレットでのグループ化と並べ替えに使用されます。",
+ "presentation.order": "グループ内でのこの構成の順序。[構成] のドロップダウンとコマンド パレットでのグループ化と並べ替えに使用されます。",
+ "app.launch.json.title": "起動",
+ "app.launch.json.version": "このファイル形式のバージョン。",
+ "app.launch.json.configurations": "構成の一覧。IntelliSense を使用して、新しい構成を追加したり、既存の構成を編集したります。",
+ "app.launch.json.compounds": "複合の一覧。各複合は、同時に起動される複数の構成を参照します。",
+ "app.launch.json.compound.name": "複合の名前。起動構成のドロップダウン メニューに表示されます。",
+ "useUniqueNames": "一意の構成名を使用してください。",
+ "app.launch.json.compound.folder": "複合があるフォルダーの名前。",
+ "app.launch.json.compounds.configurations": "この複合の一部として開始される構成の名前。",
+ "app.launch.json.compound.stopAll": "1 つのセッションを手動で終了させたときに、すべての複合セッションを停止するかどうかを制御します。",
+ "compoundPrelaunchTask": "複合構成の開始前に実行するタスク。"
+ },
+ "vs/workbench/contrib/debug/browser/rawDebugSession": {
+ "noDebugAdapterStart": "デバッグ アダプターが無いため、デバッグ セッションを開始できません。",
+ "noDebugAdapter": "利用可能なデバッガーが見つかりません。'{0}' を送信できません。",
+ "moreInfo": "詳細情報"
+ },
+ "vs/workbench/contrib/debug/common/debugger": {
+ "cannot.find.da": "型 '{0}' のデバッグ アダプターを見つけることができません。",
+ "launch.config.comment1": "IntelliSense を使用して利用可能な属性を学べます。",
+ "launch.config.comment2": "既存の属性の説明をホバーして表示します。",
+ "launch.config.comment3": "詳細情報は次を確認してください: {0}",
+ "debugType": "構成の種類。",
+ "debugTypeNotRecognised": "デバッグの種類は認識されませんでした。対応するデバッグの拡張機能がインストールされており、有効になっていることを確認してください。",
+ "node2NotSupported": "\"node2\" はサポートされていません。代わりに \"node\" を使用し、\"protocol\" 属性を \"inspector\" に設定してください。",
+ "debugName": "構成の名前。起動構成ドロップダウン メニューに表示されます。",
+ "debugRequest": "構成の要求の種類。\"launch\" または \"attach\" です。",
+ "debugServer": "デバッグ拡張機能の開発のみ。ポートが指定の VS Code の場合、サーバー モードで実行中のデバッグ アダプターへの接続が試行されます。",
+ "debugPrelaunchTask": "デバッグ セッションの開始前に実行するタスク。",
+ "debugPostDebugTask": "デバッグ セッションの終了前に実行するタスク。",
+ "debugWindowsConfiguration": "Windows 固有の起動構成の属性。",
+ "debugOSXConfiguration": "OS X 固有の起動構成の属性。",
+ "debugLinuxConfiguration": "Linux 固有の起動構成の属性。"
+ },
+ "vs/workbench/contrib/dialogs/browser/dialogHandler": {
+ "yesButton": "はい(&&Y)",
+ "cancelButton": "キャンセル",
+ "aboutDetail": "バージョン: {0}\r\nコミット: {1}\r\n日付: {2}\r\nブラウザー: {3}",
+ "copy": "コピー",
+ "ok": "OK"
+ },
+ "vs/workbench/contrib/dialogs/electron-sandbox/dialogHandler": {
+ "yesButton": "はい(&&Y)",
+ "cancelButton": "キャンセル",
+ "aboutDetail": "バージョン: {0}\r\nコミット: {1}\r\n日付: {2}\r\nElectron: {3}\r\nChrome: {4}\r\nNode.js: {5}\r\nV8: {6}\r\nOS: {7}",
+ "okButton": "OK",
+ "copy": "コピー(&&C)"
+ },
+ "vs/workbench/contrib/emmet/browser/actions/expandAbbreviation": {
+ "expandAbbreviationAction": "Emmet: 略語の展開",
+ "miEmmetExpandAbbreviation": "Emmet: 省略記法を展開(&&X)"
+ },
+ "vs/workbench/contrib/experiments/browser/experiments.contribution": {
+ "workbench.enableExperiments": "Microsoft のオンライン サービスから実行する実験を取得します。"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/extensions.contribution": {
+ "runtimeExtension": "実行中の拡張機能"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/runtimeExtensionsEditor": {
+ "extensionHostProfileStart": "拡張機能ホストのプロファイルを開始",
+ "stopExtensionHostProfileStart": "拡張機能ホストのプロファイルを停止",
+ "saveExtensionHostProfile": "拡張機能ホストのプロファイルを保存"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/debugExtensionHostAction": {
+ "debugExtensionHost": "拡張機能のホストのデバッグを開始",
+ "restart1": "拡張機能のプロファイル",
+ "restart2": "拡張機能をプロファイルするには再起動が必要です。今すぐ '{0}' を再起動しますか?",
+ "restart3": "再起動(&&R)",
+ "cancel": "キャンセル(&&C)",
+ "debugExtensionHost.launch.name": "拡張機能ホストにアタッチ"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/extensionProfileService": {
+ "profilingExtensionHost": "プロファイル拡張機能ホスト",
+ "selectAndStartDebug": "クリックしてプロファイリングを停止します。",
+ "profilingExtensionHostTime": "プロファイル拡張機能ホスト ({0} 秒)",
+ "status.profiler": "拡張機能プロファイラー",
+ "restart1": "拡張機能のプロファイル",
+ "restart2": "拡張機能をプロファイルするには再起動が必要です。今すぐ '{0}' を再起動しますか?",
+ "restart3": "再起動(&&R)",
+ "cancel": "キャンセル(&&C)"
+ },
+ "vs/workbench/contrib/extensions/common/runtimeExtensionsInput": {
+ "extensionsInputName": "拡張機能の実行中"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/extensionsAutoProfiler": {
+ "unresponsive-exthost": "拡張機能 '{0}' の最後の操作が完了するまで、非常に長い時間がかかりました。また、他の拡張機能の実行を妨げていました。",
+ "show": "拡張機能を表示する"
+ },
+ "vs/workbench/contrib/extensions/electron-sandbox/extensionsActions": {
+ "openExtensionsFolder": "拡張機能フォルダーを開く"
+ },
+ "vs/workbench/contrib/extensions/browser/extensions.contribution": {
+ "manageExtensionsQuickAccessPlaceholder": "Enter キーを押して拡張機能を管理してください。",
+ "manageExtensionsHelp": "拡張機能の管理",
+ "installVSIX": "拡張機能の VSIX のインストール",
+ "extension": "拡張子",
+ "extensions": "拡張機能",
+ "extensionsConfigurationTitle": "拡張機能",
+ "extensionsAutoUpdate": "有効にした場合、拡張機能の更新を自動的にインストールします。更新は Microsoft のオンライン サービスから取得されます。",
+ "extensionsCheckUpdates": "有効にした場合、拡張機能の更新を自動的に確認します。拡張機能に更新がある場合は、拡張機能ビューで古くなった拡張機能として表示されます。更新は Microsoft オンライン サービスから取得されます。",
+ "extensionsIgnoreRecommendations": "有効にした場合、拡張機能の推奨事項の通知を表示しません。",
+ "extensionsShowRecommendationsOnlyOnDemand_Deprecated": "この設定は非推奨化されています。extensions.ignoreRecommendations 設定を使用して、推奨事項の通知を制御します。既定で推奨ビューを非表示にするには、拡張機能ビューの可視性アクションを使用します。",
+ "extensionsCloseExtensionDetailsOnViewChange": "有効にした場合、拡張機能の詳細を表示したエディターは拡張機能ビューから移動すると自動的に閉じられるようになります。",
+ "handleUriConfirmedExtensions": "拡張機能がここに表示されている場合、その拡張機能が URI を処理するときに確認プロンプトは表示されません。",
+ "extensionsWebWorker": "web worker 拡張機能ホストを有効にします。",
+ "workbench.extensions.installExtension.description": "指定された拡張機能をインストールします",
+ "workbench.extensions.installExtension.arg.name": "拡張機能 ID または VSIX リソース URI",
+ "notFound": "拡張機能 '{0}' が見つかりませんでした。",
+ "InstallVSIXAction.successReload": "VSIX からの {0} 拡張機能のインストールが完了しました。有効にするには、Visual Studio Code を再度読み込んでください。",
+ "InstallVSIXAction.success": "VSIX からの {0} 拡張機能のインストールが完了しました。",
+ "InstallVSIXAction.reloadNow": "今すぐ再度読み込む",
+ "workbench.extensions.uninstallExtension.description": "指定された拡張機能をアンインストールする",
+ "workbench.extensions.uninstallExtension.arg.name": "アンインストールする拡張機能の ID",
+ "id required": "拡張機能 Id が必要です。",
+ "notInstalled": "拡張機能 '{0}' はインストールされていません。パブリッシャーを含む完全な拡張機能 ID (例: ms-vscode.csharp) を使用していることをご確認ください。",
+ "builtin": "拡張機能 '{0}' は組み込みの拡張機能であるため、インストールできません",
+ "workbench.extensions.search.description": "特定の拡張機能を検索する",
+ "workbench.extensions.search.arg.name": "検索で使用するクエリ",
+ "miOpenKeymapExtensions": "キーマップ(&&K)",
+ "miOpenKeymapExtensions2": "キーマップ",
+ "miPreferencesExtensions": "拡張機能(&&E)",
+ "miViewExtensions": "拡張機能(&&X)",
+ "showExtensions": "拡張機能",
+ "installExtensionQuickAccessPlaceholder": "インストールまたは検索する拡張機能の名前を入力してください。",
+ "installExtensionQuickAccessHelp": "拡張機能のインストールまたは検索",
+ "workbench.extensions.action.copyExtension": "コピーする",
+ "extensionInfoName": "名前: {0}",
+ "extensionInfoId": "ID: {0}",
+ "extensionInfoDescription": "説明: {0}",
+ "extensionInfoVersion": "バージョン: {0}",
+ "extensionInfoPublisher": "パブリッシャー: {0}",
+ "extensionInfoVSMarketplaceLink": "VS Marketplace リンク: {0}",
+ "workbench.extensions.action.copyExtensionId": "拡張機能 ID をコピーする",
+ "workbench.extensions.action.configure": "拡張機能の設定",
+ "workbench.extensions.action.toggleIgnoreExtension": "この拡張機能を同期",
+ "workbench.extensions.action.ignoreRecommendation": "推奨事項を無視する",
+ "workbench.extensions.action.undoIgnoredRecommendation": "無視された推奨事項を元に戻す",
+ "workbench.extensions.action.addExtensionToWorkspaceRecommendations": "ワークスペースの推奨事項に追加する",
+ "workbench.extensions.action.removeExtensionFromWorkspaceRecommendations": "ワークスペースの推奨事項から削除する",
+ "workbench.extensions.action.addToWorkspaceRecommendations": "ワークスペースの推奨事項に拡張機能を追加する",
+ "workbench.extensions.action.addToWorkspaceFolderRecommendations": "ワークスペース フォルダーの推奨事項に拡張機能を追加する",
+ "workbench.extensions.action.addToWorkspaceIgnoredRecommendations": "ワークスペースの無視された推奨事項に拡張機能を追加する",
+ "workbench.extensions.action.addToWorkspaceFolderIgnoredRecommendations": "ワークスペース フォルダーの無視された推奨事項に拡張機能を追加する"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsViewlet": {
+ "installed": "インストール済み",
+ "popularExtensions": "人気",
+ "recommendedExtensions": "推奨",
+ "enabledExtensions": "有効",
+ "disabledExtensions": "無効",
+ "marketPlace": "マーケットプレース",
+ "enabled": "有効",
+ "disabled": "無効",
+ "outdated": "期限切れ",
+ "builtin": "ビルトイン",
+ "workspaceRecommendedExtensions": "ワークスペースの推奨事項",
+ "otherRecommendedExtensions": "その他の推奨事項",
+ "builtinFeatureExtensions": "機能",
+ "builtInThemesExtensions": "テーマ",
+ "builtinProgrammingLanguageExtensions": "プログラミング言語",
+ "sort by installs": "インストール数",
+ "sort by rating": "評価",
+ "sort by name": "名前",
+ "sort by date": "公開日",
+ "searchExtensions": "Marketplace で拡張機能を検索する",
+ "builtin filter": "ビルトイン",
+ "installed filter": "インストール済み",
+ "enabled filter": "有効",
+ "disabled filter": "無効",
+ "outdated filter": "期限切れ",
+ "featured filter": "おすすめ",
+ "most popular filter": "一番人気",
+ "most popular recommended": "推奨",
+ "recently published filter": "最近公開されたもの",
+ "filter by category": "カテゴリ",
+ "sorty by": "並べ替え",
+ "filterExtensions": "拡張機能のフィルター...",
+ "extensionFoundInSection": "{0} セクションに 1 個の拡張機能が見つかりました。",
+ "extensionFound": "1 個の拡張機能が見つかりました。",
+ "extensionsFoundInSection": "{1} セクションに {0} 個の拡張機能が見つかりました。",
+ "extensionsFound": "{0} 個の拡張機能が見つかりました。",
+ "suggestProxyError": "Marketplace から 'ECONNREFUSED' が返されました。'http.proxy' 設定をご確認ください。",
+ "open user settings": "ユーザー設定を開く",
+ "outdatedExtensions": "{0} 古くなった拡張機能",
+ "malicious warning": "問題があることが報告された '{0}' をアンインストールしました。",
+ "reloadNow": "今すぐ再度読み込む"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/extensionsSlowActions": {
+ "cmd.reportOrShow": "パフォーマンスの問題",
+ "cmd.report": "問題を報告",
+ "attach.title": "CPU プロファイルを添付しましたか?",
+ "ok": "OK",
+ "attach.msg": "これは、作成した問題に '{0}' をアタッチすることを忘れないようにするための通知です。",
+ "cmd.show": "問題を表示",
+ "attach.msg2": "これは、既存のパフォーマンスの問題に '{0}' をアタッチすることを忘れないようにするためのリマインダーです。"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/reportExtensionIssueAction": {
+ "reportExtensionIssue": "問題を報告"
+ },
+ "vs/workbench/contrib/extensions/browser/abstractRuntimeExtensionsEditor": {
+ "starActivation": "起動時に {0} によってアクティブ化されました",
+ "workspaceContainsGlobActivation": "{1} に一致するファイルがお使いのワークスペースに存在するため、{1} によってアクティブ化されました",
+ "workspaceContainsFileActivation": "ファイル {0} がワークスペース内に存在するため、{1} によってアクティブ化されました",
+ "workspaceContainsTimeout": "{0} の検索に時間がかかりすぎているため、{1} によってアクティブ化されました",
+ "startupFinishedActivation": "起動が完了した後に {0} によってアクティブ化されました",
+ "languageActivation": "{0} ファイルを開いたため、{1} によってアクティブ化されました",
+ "workspaceGenericActivation": "{0} に {1} によってアクティブ化されました",
+ "unresponsive.title": "拡張機能が拡張機能ホストをフリーズさせています。",
+ "errors": "キャッチできない {0} 個のエラーが検出されました",
+ "runtimeExtensions": "ランタイム拡張機能",
+ "disable workspace": "無効にする (ワークスペース)",
+ "disable": "無効にする",
+ "showRuntimeExtensions": "実行中の拡張機能の表示"
+ },
+ "vs/workbench/contrib/extensions/common/extensionsInput": {
+ "extensionsInputName": "拡張機能: {0}"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsActions": {
+ "noOfYearsAgo": "{0} 年前",
+ "one year ago": "1 年前",
+ "noOfMonthsAgo": "{0} か月前",
+ "one month ago": "1 ヶ月前",
+ "noOfDaysAgo": "{0} 日前",
+ "one day ago": "1 日前",
+ "noOfHoursAgo": "{0} 時間前",
+ "one hour ago": "1 時間前",
+ "just now": "今すぐ",
+ "update operation": "'{0}' 拡張機能の更新中にエラーが発生しました。",
+ "install operation": "'{0}' 拡張機能のインストール中にエラーが発生しました。",
+ "download": "手動でダウンロードしてみてください...",
+ "install vsix": "ダウンロードが終わったら、ダウンロードされた '{0}' の VSIX を手動でインストールしてください。",
+ "check logs": "詳細については、[ログ]({0}) をご確認ください。",
+ "installExtensionStart": "拡張機能 {0} のインストールを開始しました。エディターはこの拡張機能の詳細を開いています。",
+ "installExtensionComplete": "拡張機能 {0} のインストールが完了しました。",
+ "install": "インストール",
+ "install and do no sync": "インストール (同期しない)",
+ "install in remote and do not sync": "{0} にインストールする (同期はしない)",
+ "install in remote": "{0} にインストールする",
+ "install locally and do not sync": "ローカルにインストール (同期しない)",
+ "install locally": "ローカルにインストール",
+ "install everywhere tooltip": "すべての同期済み {0} インスタンスにこの拡張機能をインストールします",
+ "installing": "インストールしています",
+ "install browser": "ブラウザーでインストール",
+ "uninstallAction": "アンインストール",
+ "Uninstalling": "アンインストールしています",
+ "uninstallExtensionStart": "拡張機能 {0} のアンインストールを開始しました。",
+ "uninstallExtensionComplete": "拡張機能 {0} のアンインストールを完了するために、Visual Studio Code を再読み込みしてください。",
+ "updateExtensionStart": "拡張機能 {0} のバーション {1} への更新を開始しました。",
+ "updateExtensionComplete": "拡張機能 {0} のバーション {1} への更新を完了しました。",
+ "updateTo": "{0} に更新します",
+ "updateAction": "更新",
+ "manage": "管理",
+ "ManageExtensionAction.uninstallingTooltip": "アンインストールしています",
+ "install another version": "別のバージョンをインストール...",
+ "selectVersion": "インストールするバージョンを選択",
+ "current": "現在",
+ "enableForWorkspaceAction": "有効にする (ワークスペース)",
+ "enableForWorkspaceActionToolTip": "この拡張機能をこのワークスペースでのみ有効にする",
+ "enableGloballyAction": "有効にする",
+ "enableGloballyActionToolTip": "この拡張機能を有効にする",
+ "disableForWorkspaceAction": "無効にする (ワークスペース)",
+ "disableForWorkspaceActionToolTip": "この拡張機能をこのワークスペースでのみ無効にする",
+ "disableGloballyAction": "無効にする",
+ "disableGloballyActionToolTip": "この拡張機能を無効にする",
+ "enableAction": "有効にする",
+ "disableAction": "無効にする",
+ "checkForUpdates": "拡張機能の更新を確認",
+ "noUpdatesAvailable": "すべての拡張機能が最新の状態です。",
+ "singleUpdateAvailable": "拡張機能の更新が利用可能です。",
+ "updatesAvailable": "{0} 個の拡張機能の更新が利用可能です。",
+ "singleDisabledUpdateAvailable": "無効な拡張機能に更新があります。",
+ "updatesAvailableOneDisabled": "{0} 個の拡張機能の更新が利用可能です。そのうち 1 個は無効な拡張機能です。",
+ "updatesAvailableAllDisabled": "{0} 個の拡張機能の更新が利用可能です。そのすべては無効な拡張機能です。",
+ "updatesAvailableIncludingDisabled": "{0} 個の拡張機能の更新が利用可能です。そのうち {1} 個は無効な拡張機能です。",
+ "enableAutoUpdate": "拡張機能の自動更新を有効にする",
+ "disableAutoUpdate": "拡張機能の自動更新を無効にする",
+ "updateAll": "すべての拡張機能を更新します",
+ "reloadAction": "再読み込み",
+ "reloadRequired": "再読み込みが必要です",
+ "postUninstallTooltip": "この拡張機能のアンインストールを完了させるために、Visual Studio Code を再読み込みしてください。",
+ "postUpdateTooltip": "更新された拡張機能を有効にするために、Visual Studio Code を再読み込みしてください。",
+ "enable locally": "この拡張機能をローカルで有効にするには、Visual Studio Code を再度読み込んでください。",
+ "enable remote": "この拡張機能を {0} で有効にするには、Visual Studio Code を再度読み込んでください。",
+ "postEnableTooltip": "この拡張機能の有効化を完了させるために、Visual Studio Code を再読み込みしてください。",
+ "postDisableTooltip": "Visual Studio Code を再度読み込んで、この拡張機能を無効化してください。",
+ "installExtensionCompletedAndReloadRequired": "拡張機能 {0} のインストールが完了しました。これを有効にするには、Visual Studio Code を再度読み込んでください。",
+ "color theme": "配色テーマを設定",
+ "select color theme": "配色テーマの選択",
+ "file icon theme": "ファイル アイコンのテーマを設定",
+ "select file icon theme": "ファイル アイコンのテーマを選択します",
+ "product icon theme": "製品アイコンのテーマを設定",
+ "select product icon theme": "製品アイコンのテーマを選択する",
+ "toggleExtensionsViewlet": "拡張機能を表示する",
+ "installExtensions": "拡張機能のインストール",
+ "showEnabledExtensions": "有効な拡張機能の表示",
+ "showInstalledExtensions": "インストール済みの拡張機能の表示",
+ "showDisabledExtensions": "無効な拡張機能の表示",
+ "clearExtensionsSearchResults": "拡張機能の検索結果のクリア",
+ "refreshExtension": "最新の情報に更新",
+ "showBuiltInExtensions": "ビルトイン拡張機能の表示",
+ "showOutdatedExtensions": "古くなった拡張機能の表示",
+ "showPopularExtensions": "人気の拡張機能の表示",
+ "recentlyPublishedExtensions": "最近公開された拡張機能",
+ "showRecommendedExtensions": "お勧めの拡張機能を表示",
+ "showRecommendedExtension": "推奨される拡張機能を表示する",
+ "installRecommendedExtension": "おすすめの拡張機能のインストール",
+ "ignoreExtensionRecommendation": "再度この拡張機能を推奨しないでください",
+ "undo": "元に戻す",
+ "showRecommendedKeymapExtensionsShort": "キーマップ",
+ "showLanguageExtensionsShort": "言語の拡張機能",
+ "search recommendations": "拡張機能の検索",
+ "OpenExtensionsFile.failed": "'.vscode' ファルダー ({0}) 内に 'extensions.json' ファイルを作成できません。",
+ "configureWorkspaceRecommendedExtensions": "お勧めの拡張機能の構成 (ワークスペース)",
+ "configureWorkspaceFolderRecommendedExtensions": "推奨事項の拡張機能を構成 (ワークスペース フォルダー)",
+ "updated": "更新",
+ "installed": "インストール済み",
+ "uninstalled": "アンインストール済み",
+ "enabled": "有効",
+ "disabled": "無効",
+ "malicious tooltip": "この拡張機能は問題ありと報告されました。",
+ "malicious": "悪意のある",
+ "ignored": "同期中はこの拡張機能が無視されます",
+ "synced": "この拡張機能は同期されています",
+ "sync": "この拡張機能を同期します",
+ "do not sync": "この拡張機能を同期しないでください",
+ "extension enabled on remote": "拡張機能は '{0}' で有効です",
+ "globally enabled": "この拡張機能はグローバルに有効化されています。",
+ "workspace enabled": "この拡張機能はユーザーによってこのワークスペースに対して有効化されています。",
+ "globally disabled": "この拡張機能はユーザーによってグローバルに無効化されています。",
+ "workspace disabled": "この拡張機能はユーザーによってこのワークスペースに対して無効化されています。",
+ "Install language pack also in remote server": "言語パック拡張機能を '{0}' にインストールして、その場所でも有効にします。",
+ "Install language pack also locally": "言語パック拡張機能をローカルにインストールして、その場所でも有効にします。",
+ "Install in other server to enable": "拡張機能を '{0}' にインストールして有効化します。",
+ "disabled because of extension kind": "この拡張機能は、リモート サーバーで実行できないと定義されました",
+ "disabled locally": "拡張機能は '{0}' 上では有効化され、ローカルでは無効化されています。",
+ "disabled remotely": "拡張機能はローカルでは有効化され、'{0}' 上では無効化されています。",
+ "disableAll": "インストール済みのすべての拡張機能を無効にする",
+ "disableAllWorkspace": "このワークスペースのインストール済みの拡張機能をすべて無効にする",
+ "enableAll": "すべての拡張機能を有効にする",
+ "enableAllWorkspace": "このワークスペースの拡張機能をすべて有効にする",
+ "installVSIX": "VSIX からのインストール...",
+ "installFromVSIX": "VSIX からインストール",
+ "installButton": "インストール(&&I)",
+ "reinstall": "拡張機能の再インストール...",
+ "selectExtensionToReinstall": "再インストールする拡張機能を選択",
+ "ReinstallAction.successReload": "拡張機能 {0} の再インストールを完了するために Visual Studio Code を再度読み込んでください。",
+ "ReinstallAction.success": "拡張機能 {0} の再インストールが完了しました。",
+ "InstallVSIXAction.reloadNow": "今すぐ再度読み込む",
+ "install previous version": "特定のバージョンの拡張機能をインストール...",
+ "selectExtension": "拡張機能を選択",
+ "InstallAnotherVersionExtensionAction.successReload": "拡張機能 {0} のインストールを完了するには Visual Studio Code を再度読み込んでください。",
+ "InstallAnotherVersionExtensionAction.success": "拡張機能 {0} のインストールが完了しました。",
+ "InstallAnotherVersionExtensionAction.reloadNow": "今すぐ再度読み込む",
+ "select extensions to install": "インストールする拡張機能を選択する",
+ "no local extensions": "インストールする拡張機能はありません。",
+ "installing extensions": "拡張機能をインストールしています...",
+ "finished installing": "拡張機能が正常にインストールされました。",
+ "select and install local extensions": "ローカル拡張機能を '{0}' にインストールします...",
+ "install local extensions title": "ローカル拡張機能を '{0}' にインストールします",
+ "select and install remote extensions": "ローカルでリモート拡張機能をインストールする...",
+ "install remote extensions": "ローカルでリモート拡張機能をインストールする",
+ "extensionButtonProminentBackground": "際立っているアクション拡張機能のボタンの背景色(例: インストールボタン)。",
+ "extensionButtonProminentForeground": "際立っているアクション拡張機能のボタンの前景色(例: インストールボタン)。",
+ "extensionButtonProminentHoverBackground": "際立っているアクション拡張機能のボタンのホバー背景色(例: インストールボタン)。"
+ },
+ "vs/workbench/contrib/extensions/common/extensionsFileTemplate": {
+ "app.extensions.json.title": "拡張機能",
+ "app.extensions.json.recommendations": "このワークスペースのユーザーに推奨する拡張機能のリスト。拡張機能の ID は常に '${publisher}.${name}' です。例: 'vscode.csharp'。",
+ "app.extension.identifier.errorMessage": "予期される形式 '${publisher}.${name}'。例: 'vscode.csharp'。",
+ "app.extensions.json.unwantedRecommendations": "このワークスペースのユーザーに VS Code が推奨しない拡張機能のリスト。拡張機能の ID は常に '${publisher}.${name}' です。例: 'vscode.csharp'。"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionEditor": {
+ "name": "拡張機能名",
+ "extension id": "拡張機能の識別子",
+ "preview": "プレビュー",
+ "builtin": "ビルトイン",
+ "publisher": "発行者名",
+ "install count": "インストール数",
+ "rating": "評価",
+ "repository": "リポジトリ",
+ "license": "ライセンス",
+ "version": "バージョン",
+ "details": "詳細",
+ "detailstooltip": "拡張機能の詳細、拡張機能の 'README.md' ファイルから表示",
+ "contributions": "機能のコントリビューション",
+ "contributionstooltip": "この拡張機能による VS Code へのコントリビューションの一覧",
+ "changelog": "変更ログ",
+ "changelogtooltip": "拡張機能の更新履歴、拡張機能の 'CHANGELOG.md' ファイルから表示",
+ "dependencies": "依存関係",
+ "dependenciestooltip": "この拡張機能が依存する拡張機能の一覧",
+ "recommendationHasBeenIgnored": "この拡張機能の推奨を受け取らないことを選択しました。",
+ "noReadme": "利用できる README はありません。",
+ "extension pack": "拡張機能パック ({0})",
+ "noChangelog": "使用可能な変更ログはありません。",
+ "noContributions": "コントリビューションはありません",
+ "noDependencies": "依存関係はありません",
+ "settings": "設定 ({0})",
+ "setting name": "名前",
+ "description": "説明",
+ "default": "既定",
+ "debuggers": "デバッガー ({0})",
+ "debugger name": "名前",
+ "debugger type": "種類",
+ "viewContainers": "ビュー コンテナー ({0})",
+ "view container id": "ID",
+ "view container title": "タイトル",
+ "view container location": "場所",
+ "views": "ビュー ({0})",
+ "view id": "ID",
+ "view name": "名前",
+ "view location": "場所",
+ "localizations": "ローカライズ ({0})",
+ "localizations language id": "言語 ID",
+ "localizations language name": "言語名",
+ "localizations localized language name": "言語名 (ローカライズ)",
+ "customEditors": "カスタム エディター ({0})",
+ "customEditors view type": "ビューの種類",
+ "customEditors priority": "優先度",
+ "customEditors filenamePattern": "ファイル名パターン",
+ "codeActions": "コード アクション ({0})",
+ "codeActions.title": "タイトル",
+ "codeActions.kind": "種類",
+ "codeActions.description": "説明",
+ "codeActions.languages": "言語",
+ "authentication": "認証 ({0})",
+ "authentication.label": "ラベル",
+ "authentication.id": "ID",
+ "colorThemes": "配色テーマ ({0})",
+ "iconThemes": "アイコン テーマ ({0})",
+ "colors": "配色 ({0})",
+ "colorId": "ID",
+ "defaultDark": "ダーク テーマの既定値",
+ "defaultLight": "ライト テーマの既定値",
+ "defaultHC": "ハイ コントラストの既定値",
+ "JSON Validation": "JSON 検証 ({0})",
+ "fileMatch": "対象ファイル",
+ "schema": "スキーマ",
+ "commands": "コマンド ({0})",
+ "command name": "名前",
+ "keyboard shortcuts": "キーボード ショートカット",
+ "menuContexts": "メニュー コンテキスト",
+ "languages": "言語 ({0})",
+ "language id": "ID",
+ "language name": "名前",
+ "file extensions": "ファイル拡張子",
+ "grammar": "文法",
+ "snippets": "スニペット",
+ "activation events": "アクティブ化イベント ({0})",
+ "find": "検索",
+ "find next": "次を検索",
+ "find previous": "前を検索"
+ },
+ "vs/workbench/contrib/extensions/common/extensionsUtils": {
+ "disableOtherKeymapsConfirmation": "キーバインド間の競合を回避するために、他のキーマップ ({0}) を無効にしますか?",
+ "yes": "はい",
+ "no": "いいえ"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsActivationProgress": {
+ "activation": "拡張機能をアクティブ化しています..."
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsDependencyChecker": {
+ "extensions": "拡張機能",
+ "auto install missing deps": "存在しない依存関係をインストールする",
+ "finished installing missing deps": "存在しない依存関係のインストールが完了しました。今すぐウィンドウを再度読み込んでください。",
+ "reload": "ウィンドウの再読み込み",
+ "no missing deps": "インストールする必要のある、存在しない依存関係はありません。"
+ },
+ "vs/workbench/contrib/extensions/browser/remoteExtensionsInstaller": {
+ "remote": "リモート",
+ "install remote in local": "ローカルでリモート拡張機能をインストールする..."
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsWorkbenchService": {
+ "Manifest is not found": "マニフェストが見つかりません",
+ "malicious": "この拡張機能は問題ありと報告されました。",
+ "uninstallingExtension": "拡張機能をアンインストールしています...",
+ "incompatible": "VS Code と互換性がないため、拡張機能 '{0}' のバージョン '{1}' はインストールできません。",
+ "installing named extension": "'{0}' 拡張機能をインストールしています....",
+ "installing extension": "拡張機能をインストールしています...",
+ "disable all": "すべて無効にする",
+ "singleDependentError": "'{0}' 拡張機能のみを無効にすることはできません。'{1}' 拡張機能がこれに依存しています。これらの拡張機能をすべて無効にしますか?",
+ "twoDependentsError": "'{0}' 拡張機能のみを無効にすることはできません。'{1}' および '{2}' の拡張機能がこれに依存しています。これらの拡張機能をすべて無効にしますか?",
+ "multipleDependentsError": "'{0}' 拡張機能のみを無効にすることはできません。'{1}'、'{2}'、その他の拡張機能がこれに依存しています。これらの拡張機能をすべて無効にしますか?"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsQuickAccess": {
+ "type": "インストールまたは検索する拡張機能の名前を入力します。",
+ "searchFor": "Enter キーを押して、拡張機能 '{0}' を検索します。",
+ "install": "拡張機能 '{0}' をインストールするには、Enter キーを押してください。",
+ "manage": "拡張機能を管理するには、Enter キーを押します。"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionRecommendationNotificationService": {
+ "neverShowAgain": "今後は表示しない",
+ "ignoreExtensionRecommendations": "すべての拡張機能の推奨事項を無視しますか?",
+ "ignoreAll": "はい、すべて無視します",
+ "no": "いいえ",
+ "workspaceRecommended": "このリポジトリにお勧めの拡張機能をインストールしますか?",
+ "install": "インストール",
+ "install and do no sync": "インストール (同期しない)",
+ "show recommendations": "推奨事項の表示"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsIcons": {
+ "extensionsViewIcon": "拡張機能ビューのアイコンを表示します。",
+ "manageExtensionIcon": "拡張機能のビュー内の '管理' アクションのアイコン。",
+ "clearSearchResultsIcon": "拡張機能のビューの '検索結果のクリア' アクションのアイコン。",
+ "refreshIcon": "拡張機能のビュー内の '最新の情報に更新' アクションのアイコン。",
+ "filterIcon": "拡張機能のビュー内の 'フィルター' アクションのアイコン。",
+ "installLocalInRemoteIcon": "拡張機能のビュー内の 'リモートでのローカル拡張機能のインストール' アクションのアイコン。",
+ "installWorkspaceRecommendedIcon": "拡張機能のビュー内の [ワークスペースのおすすめの拡張機能をインストール] アクションのアイコン。",
+ "configureRecommendedIcon": "拡張機能のビューの 'お勧めの拡張機能の構成' アクションのアイコン。",
+ "syncEnabledIcon": "拡張機能が同期していることを示すアイコン。",
+ "syncIgnoredIcon": "同期時に拡張機能が無視されることを示すアイコン。",
+ "remoteIcon": "拡張機能のビューおよびエディターで拡張機能がリモートであることを示すアイコン。",
+ "installCountIcon": "拡張機能のビューおよびエディターにインストール数と共に表示されるアイコン。",
+ "ratingIcon": "拡張機能のビューおよびエディターに評価と共に表示されるアイコン。",
+ "starFullIcon": "拡張機能のエディターで評価に使用される塗りつぶされた星のアイコン。",
+ "starHalfIcon": "拡張機能のエディターで評価に使用される半分塗りつぶされた星のアイコン。",
+ "starEmptyIcon": "拡張機能のエディターで評価に使用される白抜きの星のアイコン。",
+ "warningIcon": "拡張機能のエディターで警告メッセージと共に表示されるアイコン。",
+ "infoIcon": "拡張機能のエディターに情報メッセージと共に表示されるアイコン。"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsViews": {
+ "extension-arialabel": "{0}、{1}、{2}、拡張機能の詳細については Enter キーを押してください。",
+ "extensions": "拡張機能",
+ "galleryError": "現在、拡張機能の Marketplace に接続できません。しばらくしてから、もう一度お試しください。",
+ "error": "拡張機能の読み込み中にエラーが発生しました。{0}",
+ "no extensions found": "拡張機能が見つかりません",
+ "suggestProxyError": "Marketplace から 'ECONNREFUSED' が返されました。'http.proxy' 設定をご確認ください。",
+ "open user settings": "ユーザー設定を開く",
+ "installWorkspaceRecommendedExtensions": "ワークスペースのおすすめの拡張機能をインストール"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsWidgets": {
+ "ratedBySingleUser": "1 人が評価",
+ "ratedByUsers": "{0} 人が評価",
+ "noRating": "評価なし",
+ "remote extension title": "{0} の拡張機能",
+ "syncingore.label": "同期中はこの拡張機能が無視されます。"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsViewer": {
+ "error": "エラー",
+ "Unknown Extension": "不明な拡張機能:",
+ "extension-arialabel": "{0}、{1}、{2}、拡張機能の詳細については Enter キーを押してください。",
+ "extensions": "拡張機能"
+ },
+ "vs/workbench/contrib/extensions/browser/dynamicWorkspaceRecommendations": {
+ "dynamicWorkspaceRecommendation": "この拡張機能は、{0} リポジトリのユーザーの間で人気があるため、関心をお持ちになるかもしれません。"
+ },
+ "vs/workbench/contrib/extensions/browser/exeBasedRecommendations": {
+ "exeBasedRecommendation": "{0} がインストールされているため、この拡張機能が推奨されています。"
+ },
+ "vs/workbench/contrib/extensions/browser/workspaceRecommendations": {
+ "workspaceRecommendation": "この拡張機能は、現在のワークスペースのユーザーによって推奨されています。"
+ },
+ "vs/workbench/contrib/extensions/browser/fileBasedRecommendations": {
+ "searchMarketplace": "Marketplace で検索",
+ "fileBasedRecommendation": "この拡張機能は、最近開いたファイルに基づいてお勧めしています。",
+ "reallyRecommended": "{0} にお勧めの拡張機能をインストールしますか?",
+ "showLanguageExtensions": "Marketplace には、'.{0}' ファイルに役立つ拡張機能があります",
+ "dontShowAgainExtension": "'.{0}' ファイルに対しては再度表示しない"
+ },
+ "vs/workbench/contrib/extensions/browser/configBasedRecommendations": {
+ "exeBasedRecommendation": "現在のワークスペース構成のため、この拡張機能が推奨されています"
+ },
+ "vs/workbench/contrib/externalTerminal/node/externalTerminal.contribution": {
+ "globalConsoleAction": "新しい外部ターミナルを開く",
+ "terminalConfigurationTitle": "外部ターミナル",
+ "terminal.explorerKind.integrated": "VS Code の統合ターミナルを使用します。",
+ "terminal.explorerKind.external": "構成済みの外部ターミナルを使用します。",
+ "explorer.openInTerminalKind": "起動するターミナルの種類をカスタマイズします。",
+ "terminal.external.windowsExec": "どのターミナルを Windows で実行するかをカスタマイズします。",
+ "terminal.external.osxExec": "どのターミナル アプリケーションを macOS で実行するかをカスタマイズします。",
+ "terminal.external.linuxExec": "どのターミナルを Linux で実行するかをカスタマイズします。"
+ },
+ "vs/workbench/contrib/externalTerminal/node/externalTerminalService": {
+ "console.title": "VS Code コンソール",
+ "mac.terminal.script.failed": "スクリプト '{0}' が終了コード {1} で失敗しました",
+ "mac.terminal.type.not.supported": "'{0}' はサポートされていません",
+ "press.any.key": "続行するには何かキーを押してください...",
+ "linux.term.failed": "'{0}' が終了コード {1} で失敗しました",
+ "ext.term.app.not.found": "ターミナル アプリケーション '{0}' が見つかりません"
+ },
+ "vs/workbench/contrib/externalTerminal/browser/externalTerminal.contribution": {
+ "scopedConsoleAction": "ターミナルで開く",
+ "scopedConsoleAction.integrated": "統合ターミナルで開く",
+ "scopedConsoleAction.wt": "Windows ターミナルで開く",
+ "scopedConsoleAction.external": "外部ターミナルで開く"
+ },
+ "vs/workbench/contrib/feedback/browser/feedbackStatusbarItem": {
+ "status.feedback": "フィードバックをツイートする"
+ },
+ "vs/workbench/contrib/feedback/browser/feedback": {
+ "sendFeedback": "フィードバックをツイートする",
+ "label.sendASmile": "フィードバックをツイートする。",
+ "close": "閉じる",
+ "patchedVersion1": "インストールが壊れています。",
+ "patchedVersion2": "バグを送信する場合には、これを指定してください。",
+ "sentiment": "ご感想をお聞かせください。",
+ "smileCaption": "幸せのフィードバック センチメント",
+ "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/files/electron-sandbox/files.contribution": {
+ "textFileEditor": "テキスト ファイル エディター"
+ },
+ "vs/workbench/contrib/files/electron-sandbox/fileActions.contribution": {
+ "revealInWindows": "エクスプローラーで表示する",
+ "revealInMac": "Finder で表示します",
+ "openContainer": "このアイテムのフォルダーを開く",
+ "filesCategory": "ファイル"
+ },
+ "vs/workbench/contrib/files/browser/explorerViewlet": {
+ "explorerViewIcon": "エクスプローラー ビューのアイコンを表示します。",
+ "folders": "フォルダー",
+ "explore": "エクスプローラー",
+ "noWorkspaceHelp": "ワークスペースにフォルダーをまだ追加していません。\r\n[フォルダーの追加](command:{0})",
+ "remoteNoFolderHelp": "リモートに接続されています。\r\n[フォルダーを開く](command:{0})",
+ "noFolderHelp": "フォルダーをまだ開いていません。\r\n[フォルダーを開く](command:{0})"
+ },
+ "vs/workbench/contrib/files/browser/files.contribution": {
+ "showExplorerViewlet": "エクスプローラーを表示",
+ "binaryFileEditor": "バイナリ ファイル エディター",
+ "hotExit.off": "Hot Exit を無効にします。ダーティ ファイルを含むウィンドウを閉じようとすると、プロンプトが表示されます。",
+ "hotExit.onExit": "Windows/Linux で最後のウィンドウが閉じるとき、または 'workbench.action.quit' コマンドがトリガーされるとき (コマンド パレット、キー バインド、メニュー)、Hot Exit がトリガーされます。フォルダーが開かれていないウィンドウはすべて、次回の起動時に復元されます。保存されていないファイルが含まれるワークスペースのリストは、[ファイル]、[最近使用したファイル]、[詳細...] と移動すると表示できます。",
+ "hotExit.onExitAndWindowClose": "Windows/Linux で最後のウィンドウが閉じるとき、または 'workbench.action.quit' コマンドがトリガーされるとき (コマンド パレット、キー バインド、メニュー)、またフォルダーが開かれているウィンドウについても、それが最後のウィンドウかどうかに関係なく、Hot Exit がトリガーされます。フォルダーが開かれていないウィンドウはすべて、次回の起動時に復元されます。保存されていないファイルが含まれるワークスペースのリストは、[ファイル]、[最近使用したファイル]、[詳細...] と移動して確認できます。",
+ "hotExit": "エディターを終了するときに保存を確認するダイアログを省略し、保存されていないファイルをセッション後も保持するかどうかを制御します。",
+ "hotExit.onExitAndWindowCloseBrowser": "Hot Exit はブラウザーが終了するか、ウィンドウまたはタブが閉じられた時にトリガーされます。",
+ "filesConfigurationTitle": "ファイル",
+ "exclude": "ファイルとフォルダーを除外するために glob パターンを構成します。たとえば、ファイル エクスプローラーでは、この設定に基づいて、表示されるか非表示になるファイルとフォルダーが決まります。検索固有の除外を定義するには、'#search.exclude#' 設定を参照してください。glob パターンの詳細については、[こちら](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options) をご覧ください。",
+ "files.exclude.boolean": "ファイル パスの照合基準となる glob パターン。これを true または false に設定すると、パターンがそれぞれ有効/無効になります。",
+ "files.exclude.when": "一致するファイルの兄弟をさらにチェックします。一致するファイル名の変数として $(basename) を使用します。",
+ "associations": "言語に対するファイルの関連付け (例: `\"*.extension\": \"html\") を構成します。これらの関連付けは、インストールされている言語の既定の関連付けより優先されます。",
+ "encoding": "ファイルの読み取り/書き込みで使用する既定の文字セット エンコーディング。言語ごとに構成することも可能です。",
+ "autoGuessEncoding": "有効な場合、ファイルを開くときに文字セット エンコードをエディターが推測します。言語ごとに構成することも可能です。",
+ "eol.LF": "LF",
+ "eol.CRLF": "CRLF",
+ "eol.auto": "OS 固有の改行文字を使用します。",
+ "eol": "既定の改行文字。",
+ "useTrash": "ファイル/フォルダーを削除時するときに、 OS のごみ箱に移動します。無効にするとファイル/フォルダーは完全に削除されます。",
+ "trimTrailingWhitespace": "有効にすると、ファイルの保存時に末尾の空白をトリミングします。",
+ "insertFinalNewline": "有効にすると、ファイルの保存時に最新の行を末尾に挿入します。",
+ "trimFinalNewlines": "有効にすると、ファイルの保存時に最終行以降の新しい行をトリミングします。",
+ "files.autoSave.off": "ダーティ エディターは自動的に保存されません。",
+ "files.autoSave.afterDelay": "ダーティ エディターは、構成された '#files.autoSaveDelay#' の後に自動的に保存されます。",
+ "files.autoSave.onFocusChange": "エディターがフォーカスを失うと、ダーティ エディターが自動的に保存されます。",
+ "files.autoSave.onWindowChange": "ウィンドウがフォーカスを失うと、ダーティ エディターが自動的に保存されます。",
+ "autoSave": "ダーティ エディターの自動保存を制御します。自動保存の詳細については、[こちら](https://code.visualstudio.com/docs/editor/codebasics#_save-auto-save)をお読みください。",
+ "autoSaveDelay": "ダーティ エディターが自動で保存されるまでの遅延をミリ秒単位で制御します。`#files.autoSave#` が `{0}` に設定されている場合のみ適用されます。",
+ "watcherExclude": "ファイル監視から除外するファイル パスの glob パターンを設定します。パターンは絶対パスで一致する必要があります (つまり、適切に一致するには、プレフィックス ** を指定するか、完全パスを指定します)。この設定を変更した場合は、再起動が必要になります。始動時に Code が消費する CPU 時間が多い場合は、大きいフォルダーを除外すれば初期の負荷を減らすことができます。",
+ "defaultLanguage": "新しいファイルに割り当てられている既定の言語モード。`${activeEditorLanguage}` に構成されている場合は、現在アクティブなテキスト エディターの言語モードを使用します (存在する場合)。",
+ "maxMemoryForLargeFilesMB": "大きなファイルを開こうとしたとき、VS Code の再起動後に使用できるメモリを制御します。コマンド ラインで `--max-memory=NEWSIZE` を指定するのと同じ効果があります。",
+ "files.restoreUndoStack": "ファイルを再度開いたときに、元に戻す機能のスタックを復元します。",
+ "askUser": "保存を拒否し、保存の競合を手動で解決するように要求します。",
+ "overwriteFileOnDisk": "エディターでの変更を使用してディスク上のファイルを上書きすることで、保存の競合を解決します。",
+ "files.saveConflictResolution": "保存の競合は、ファイルを保存している間に別のプログラムによって変更されたときに発生する可能性があります。データ損失を防ぐために、ユーザーは、エディターの変更とディスク上のバージョンを比較するように求められます。この設定は、保存の競合エラーが頻繁に発生する場合にのみ変更し、データが失われる可能性があるため注意してください。",
+ "files.simpleDialog.enable": "単純なファイル ダイアログを有効にします。有効な場合、単純なファイル ダイアログはシステム ファイル ダイアログを置き換えます。",
+ "formatOnSave": "ファイルを保存するときにフォーマットします。フォーマッタが有効でなければなりません。ファイルの遅延保存やエディターを閉じることは許可されていません。",
+ "everything": "ファイル全体をフォーマットします。",
+ "modification": "変更をフォーマットします (ソース管理が必要)。",
+ "formatOnSaveMode": "保存の形式でファイル全体をフォーマット指定するか、変更のみをフォーマットするかを制御します。`#editor.formatOnSave#` が `true` の場合にのみ適用されます。",
+ "explorerConfigurationTitle": "エクスプローラー",
+ "openEditorsVisible": "[開いているエディター] ペインに表示されるエディターの数。これを 0 に設定すると、[開いているエディター] ペインが非表示になります。",
+ "openEditorsSortOrder": "[開いているエディター] ペイン内のエディターの並べ替え順序を制御します。",
+ "sortOrder.editorOrder": "エディターは、エディターのタブが表示されているのと同じ順序で並べ替えられています。",
+ "sortOrder.alphabetical": "エディターは、各エディター グループ内でアルファベット順に並べ替えられています。",
+ "autoReveal.on": "ファイルは、表示や選択が行われるようになります。",
+ "autoReveal.off": "ファイルは、表示や選択が行われません。",
+ "autoReveal.focusNoScroll": "ファイルは、スクロールしてビューに表示されることはありませんが、引き続きフォーカスされます。",
+ "autoReveal": "エクスプローラーでファイルを開くとき、自動的にファイルの内容を表示して選択するかどうかを制御します。",
+ "enableDragAndDrop": "ドラッグ アンド ドロップによるファイルとフォルダーの移動をエクスプローラーで許可するかどうかを制御します。この設定は、エクスプローラー内からのドラッグ アンド ドロップのみに影響します。",
+ "confirmDragAndDrop": "ドラッグ アンド ドロップを使用したファイルやフォルダーの移動時にエクスプローラーが確認を求めるかどうかを制御します。",
+ "confirmDelete": "ごみ箱を経由したファイル削除時にエクスプローラーが確認を求めるかどうかを制御します。",
+ "sortOrder.default": "ファイルとフォルダーをアルファベット順に名前で並び替えます。フォルダーはファイルの前に表示されます。",
+ "sortOrder.mixed": "ファイルとフォルダーをアルファベット順に名前で並び替えます。ファイルはフォルダーと混交して表示されます。",
+ "sortOrder.filesFirst": "ファイルとフォルダーをアルファベット順に名前で並び替えます。ファイルはフォルダーの前に表示されます。",
+ "sortOrder.type": "ファイルとフォルダーをアルファベット順に拡張子で並び替えます。フォルダーはファイルの前に表示されます。",
+ "sortOrder.modified": "ファイルとフォルダーを降順に最終更新日で並び替えます。フォルダーはファイルの前に表示されます。",
+ "sortOrder": "エクスプローラーでのファイルとフォルダーの並べ替え順を制御します。",
+ "explorer.decorations.colors": "ファイルの装飾に配色を使用するかどうかを制御します。",
+ "explorer.decorations.badges": "ファイルの装飾にバッジを使用するかどうかを制御します。",
+ "simple": "後ろに数字が付いている可能性のある、重複している名前の末尾に「copy」という語を追加します",
+ "smart": "重複した名前の末端に数字を追加します。名前の一部に既に数字が含まれている場合、その数字を増やしてみます。",
+ "explorer.incrementalNaming": "貼り付けで重複するエクスプローラー項目に新しい名前を付けるときに使用する名前付け規則を制御します。",
+ "compressSingleChildFolders": "エクスプローラーでフォルダーをコンパクト形式でレンダリングするかどうかを制御します。このような形式では、単一の子フォルダーは結合されたツリー要素に圧縮されます。たとえば、Java パッケージ構造に役立ちます。",
+ "miViewExplorer": "エクスプローラー(&&E)"
+ },
+ "vs/workbench/contrib/files/browser/fileActions.contribution": {
+ "filesCategory": "ファイル",
+ "workspaces": "ワークスペース",
+ "file": "ファイル",
+ "copyPath": "パスのコピー",
+ "copyRelativePath": "相対パスをコピー",
+ "revealInSideBar": "サイド バーに表示",
+ "acceptLocalChanges": "変更を適用してファイルの内容を上書きする",
+ "revertLocalChanges": "変更を破棄してファイルの内容に戻す",
+ "copyPathOfActive": "アクティブ ファイルのパスのコピー",
+ "copyRelativePathOfActive": "アクティブ ファイルの相対パスをコピー",
+ "saveAllInGroup": "すべてをグループに保存",
+ "saveFiles": "すべてのファイルを保存",
+ "revert": "ファイルを元に戻す",
+ "compareActiveWithSaved": "保存済みファイルと作業中のファイルを比較",
+ "openToSide": "横に並べて開く",
+ "saveAll": "すべて保存",
+ "compareWithSaved": "保存済みと比較",
+ "compareWithSelected": "選択項目と比較",
+ "compareSource": "比較対象の選択",
+ "compareSelected": "選択項目の比較",
+ "close": "閉じる",
+ "closeOthers": "その他を閉じる",
+ "closeSaved": "保存済みを閉じる",
+ "closeAll": "すべて閉じる",
+ "explorerOpenWith": "ファイルを開くアプリケーションの選択...",
+ "cut": "切り取り",
+ "deleteFile": "完全に削除",
+ "newFile": "新しいファイル",
+ "openFile": "ファイルを開く...",
+ "miNewFile": "新規ファイル(&&N)",
+ "miSave": "保存(&&S)",
+ "miSaveAs": "名前を付けて保存(&&A)...",
+ "miSaveAll": "すべて保存(&&L)",
+ "miOpen": "開く(&&O)...",
+ "miOpenFile": "ファイルを開く(&&O)...",
+ "miOpenFolder": "フォルダーを開く(&&F)...",
+ "miOpenWorkspace": "ワークスペースを開く(&&K)...",
+ "miAutoSave": "自動保存(&&U)",
+ "miRevert": "ファイルを元に戻す(&&V)",
+ "miCloseEditor": "エディターを閉じる(&&C)",
+ "miGotoFile": "ファイルに移動(&&F)..."
+ },
+ "vs/workbench/contrib/files/electron-sandbox/fileCommands": {
+ "openFileToReveal": "最初にファイルを開いて表示する"
+ },
+ "vs/workbench/contrib/files/common/editors/fileEditorInput": {
+ "orphanedReadonlyFile": "{0} (削除済み、読み取り専用)",
+ "orphanedFile": "{0} (削除済み)",
+ "readonlyFile": "{0} (読み取り専用)"
+ },
+ "vs/workbench/contrib/files/electron-sandbox/textFileEditor": {
+ "fileTooLargeForHeapError": "このサイズのファイルを開くには、再起動して、より多くのメモリを利用可能にする必要があります",
+ "relaunchWithIncreasedMemoryLimit": "{0} MB で再起動",
+ "configureMemoryLimit": "メモリ制限を構成する"
+ },
+ "vs/workbench/contrib/files/browser/views/emptyView": {
+ "noWorkspace": "開いているフォルダーがありません"
+ },
+ "vs/workbench/contrib/files/browser/views/explorerView": {
+ "explorerSection": "エクスプローラー セクション: {0}"
+ },
+ "vs/workbench/contrib/files/browser/views/openEditorsView": {
+ "openEditors": "開いているエディター",
+ "dirtyCounter": "未保存 ({0})"
+ },
+ "vs/workbench/contrib/files/browser/editors/textFileSaveErrorHandler": {
+ "userGuide": "エディター ツール バーのアクションを使用して、変更を元に戻すか、ファイルの内容を変更内容で上書きします。",
+ "staleSaveError": "'{0}' を保存できませんでした。ファイルの内容の方が新しいです。お使いのバージョンとファイルの内容のバージョンを比較するか、ファイルの内容を変更内容で上書きしてください。",
+ "retry": "再試行",
+ "discard": "破棄",
+ "readonlySaveErrorAdmin": "'{0}' を保存できませんでした。ファイルは読み取り専用です。[管理者権限で上書き] を選択し、管理者として再試行してください。",
+ "readonlySaveErrorSudo": "'{0}' を保存できませんでした。ファイルは読み取り専用です。'Overwrite as Sudo' を選択してスーパーユーザーとして再試行してください。",
+ "readonlySaveError": "'{0}' を保存できませんでした: ファイルは読み取り専用です。 ファイルを上書き可能にするには'上書き' を選択してください。",
+ "permissionDeniedSaveError": "'{0}' の保存に失敗しました。十分な権限がありません。[管理者権限で再試行] を選択して管理者として再試行してください。",
+ "permissionDeniedSaveErrorSudo": "'{0}' の保存に失敗しました: アクセス権限が不十分です。[Sudo 権限で再試行] を選択してスーパーユーザーとして再試行してください。",
+ "genericSaveError": "'{0}' を保存できませんでした。{1}",
+ "learnMore": "詳細情報",
+ "dontShowAgain": "今後表示しない",
+ "compareChanges": "比較",
+ "saveConflictDiffLabel": "{0} (ファイル内) ↔ {1} ({2} 内) - 保存時の競合の解決",
+ "overwriteElevated": "管理者権限で上書き...",
+ "overwriteElevatedSudo": "Sudo 権限で上書き...",
+ "saveElevated": "管理者権限で再試行...",
+ "saveElevatedSudo": "Sudo 権限で再試行...",
+ "overwrite": "上書き",
+ "configure": "構成"
+ },
+ "vs/workbench/contrib/files/browser/editors/binaryFileEditor": {
+ "binaryFileEditor": "バイナリ ファイル ビューアー"
+ },
+ "vs/workbench/contrib/files/common/workspaceWatcher": {
+ "netVersionError": "Microsoft .NET Framework 4.5 が必要です。リンクに移動してインストールしてください。",
+ "installNet": ".NET Framework 4.5 をダウンロードします",
+ "enospcError": "この大規模なワークスペースでのファイルの変更をウォッチできません。この問題を解決するには、手順のリンクに従ってください。",
+ "learnMore": "手順"
+ },
+ "vs/workbench/contrib/files/common/dirtyFilesIndicator": {
+ "dirtyFile": "1 つの未保存のファイル",
+ "dirtyFiles": "{0} 個の未保存のファイル"
+ },
+ "vs/workbench/contrib/files/browser/fileActions": {
+ "newFile": "新しいファイル",
+ "newFolder": "新しいフォルダー",
+ "rename": "名前の変更",
+ "delete": "削除",
+ "copyFile": "コピー",
+ "pasteFile": "貼り付け",
+ "download": "ダウンロード...",
+ "createNewFile": "新しいファイル",
+ "createNewFolder": "新しいフォルダー",
+ "deleteButtonLabelRecycleBin": "ごみ箱に移動(&&M)",
+ "deleteButtonLabelTrash": "ゴミ箱に移動(&&M)",
+ "deleteButtonLabel": "削除(&&D)",
+ "dirtyMessageFilesDelete": "保存されていない変更があるファイルを削除します。続行しますか?",
+ "dirtyMessageFolderOneDelete": "1 つのファイルに保存されていない変更があるフォルダー {0} を削除しています。続行しますか?",
+ "dirtyMessageFolderDelete": "{1} ファイルに保存されていない変更のあるフォルダー {0} を削除しています。続行しますか?",
+ "dirtyMessageFileDelete": "保存されていない変更がある {0} を削除します。続行しますか?",
+ "dirtyWarning": "保存していない場合、変更は失われます。",
+ "undoBinFiles": "これらのファイルは、ごみ箱から復元できます。",
+ "undoBin": "このファイルはごみ箱から復元できます。",
+ "undoTrashFiles": "これらのファイルは、ゴミ箱から復元できます。",
+ "undoTrash": "このファイルはゴミ箱から復元できます。",
+ "doNotAskAgain": "今後このメッセージを表示しない",
+ "irreversible": "この操作は元に戻せません。",
+ "deleteBulkEdit": "{0} ファイルの削除",
+ "deleteFileBulkEdit": "{0} の削除",
+ "deletingBulkEdit": "{0} 個のファイルを削除しています",
+ "deletingFileBulkEdit": "{0} を削除しています",
+ "binFailed": "ごみ箱を使用した削除に失敗しました。代わりに完全に削除しますか?",
+ "trashFailed": "ごみ箱を使用した削除に失敗しました。代わりに完全に削除しますか?",
+ "deletePermanentlyButtonLabel": "完全に削除(&&D)",
+ "retryButtonLabel": "再試行(&&R)",
+ "confirmMoveTrashMessageFilesAndDirectories": "次の {0} ファイル/ディレクトリとその内容を削除しますか?",
+ "confirmMoveTrashMessageMultipleDirectories": "次の {0} ディレクトリとその内容を削除しますか?",
+ "confirmMoveTrashMessageMultiple": "次の {0} 個のファイルを削除してもよろしいですか?",
+ "confirmMoveTrashMessageFolder": "'{0}' とその内容を削除しますか?",
+ "confirmMoveTrashMessageFile": "'{0}' を削除しますか?",
+ "confirmDeleteMessageFilesAndDirectories": "次の {0} ファイル/ディレクトリとその内容を完全に削除しますか?",
+ "confirmDeleteMessageMultipleDirectories": "次の {0} ディレクトリとその内容を完全に削除しますか?",
+ "confirmDeleteMessageMultiple": "次の {0} 個のファイルを完全に削除してもよろしいですか?",
+ "confirmDeleteMessageFolder": "'{0}' とその内容を完全に削除してもよろしいですか?",
+ "confirmDeleteMessageFile": "'{0}' を完全に削除してもよろしいですか?",
+ "globalCompareFile": "アクティブ ファイルを比較しています...",
+ "fileToCompareNoFile": "比較対象のファイルを選択してください。",
+ "openFileToCompare": "まずファイルを開いてから別のファイルと比較してください",
+ "toggleAutoSave": "自動保存の切り替え",
+ "saveAllInGroup": "すべてをグループに保存",
+ "closeGroup": "グループを閉じる",
+ "focusFilesExplorer": "ファイル エクスプローラーにフォーカスを置く",
+ "showInExplorer": "アクティブ ファイルをサイド バーに表示",
+ "openFileToShow": "エクスプローラーでファイルを表示するには、ファイルをまず開く必要があります",
+ "collapseExplorerFolders": "エクスプローラーのフォルダーを折りたたむ",
+ "refreshExplorer": "エクスプローラーを最新表示する",
+ "openFileInNewWindow": "新しいウィンドウでアクティブ ファイルを開く",
+ "openFileToShowInNewWindow.unsupportedschema": "アクティブなエディターには、開くことができるリソースを含める必要があります。",
+ "openFileToShowInNewWindow.nofile": "まずファイルを開いてから新しいウィンドウで開きます",
+ "emptyFileNameError": "ファイルまたはフォルダーの名前を指定する必要があります。",
+ "fileNameStartsWithSlashError": "ファイルまたはフォルダーの名前はスラッシュで始めることができません。",
+ "fileNameExistsError": "**{0}** というファイルまたはフォルダーはこの場所に既に存在します。別の名前を指定してください。",
+ "invalidFileNameError": "名前 **{0}** がファイル名またはフォルダー名として無効です。別の名前を指定してください。",
+ "fileNameWhitespaceWarning": "ファイル名またはフォルダー名の先頭または末尾に空白文字が検出されました。",
+ "compareWithClipboard": "クリップボードとアクティブ ファイルを比較",
+ "clipboardComparisonLabel": "クリップボード ↔ {0}",
+ "retry": "再試行",
+ "createBulkEdit": "{0} の作成",
+ "creatingBulkEdit": "{0} を作成しています",
+ "renameBulkEdit": "{0} の名前を {1} に変更",
+ "renamingBulkEdit": "{0} の名前を {1} に変更しています",
+ "downloadingFiles": "ダウンロード中",
+ "downloadProgressSmallMany": "{1} 個中 {0} 個のファイル ({2}/s)",
+ "downloadProgressLarge": "{0} ({2} 個中 {1} 個、{3}/s)",
+ "downloadButton": "ダウンロード",
+ "downloadFolder": "フォルダーのダウンロード",
+ "downloadFile": "ファイルのダウンロード",
+ "downloadBulkEdit": "{0} のダウンロード",
+ "downloadingBulkEdit": "{0} をダウンロードしています",
+ "fileIsAncestor": "ペーストするファイルは送り先フォルダーの上位にいます",
+ "movingBulkEdit": "{0} 個のファイルを移動しています",
+ "movingFileBulkEdit": "{0} を移動しています",
+ "moveBulkEdit": "{0} ファイルの移動",
+ "moveFileBulkEdit": "{0} の移動",
+ "copyingBulkEdit": "{0} 個のファイルをコピーしています",
+ "copyingFileBulkEdit": "{0} をコピーしています",
+ "copyBulkEdit": "{0} ファイルのコピー",
+ "copyFileBulkEdit": "{0} のコピー",
+ "fileDeleted": "貼り付けるファイルは、コピー後に削除または移動されました。{0}"
+ },
+ "vs/workbench/contrib/files/browser/fileCommands": {
+ "saveAs": "名前を付けて保存...",
+ "save": "保存",
+ "saveWithoutFormatting": "フォーマットしないで保存",
+ "saveAll": "すべて保存",
+ "removeFolderFromWorkspace": "ワークスペースからフォルダーを削除",
+ "newUntitledFile": "無題の新規ファイル",
+ "modifiedLabel": "{0} (ファイル内) ↔ {1}",
+ "openFileToCopy": "まずファイルを開いてからそのパスをコピーします",
+ "genericSaveError": "'{0}' を保存できませんでした。{1}",
+ "genericRevertError": "元へ戻すことに失敗しました '{0}': {1}"
+ },
+ "vs/workbench/contrib/files/browser/editors/textFileEditor": {
+ "textFileEditor": "テキスト ファイル エディター",
+ "openFolderError": "ファイルはディレクトリです",
+ "createFile": "ファイルの作成"
+ },
+ "vs/workbench/contrib/files/browser/views/explorerDecorationsProvider": {
+ "canNotResolve": "ワークスペース フォルダーを解決できません",
+ "symbolicLlink": "シンボリック リンク",
+ "unknown": "不明なファイルの種類",
+ "label": "エクスプローラー"
+ },
+ "vs/workbench/contrib/files/browser/views/explorerViewer": {
+ "treeAriaLabel": "エクスプローラー",
+ "fileInputAriaLabel": "ファイル名を入力します。Enter キーを押して確認するか、Esc キーを押して取り消します。",
+ "confirmOverwrite": "'{0}' という名前のファイルまたはフォルダーは、宛先のフォルダーに既に存在します。置き換えますか?",
+ "irreversible": "この操作は元に戻せません。",
+ "replaceButtonLabel": "置換(&&R)",
+ "confirmManyOverwrites": "次の {0} 個のファイルやフォルダーは、対象のフォルダーに既に存在します。置換しますか?",
+ "uploadingFiles": "アップロードしています",
+ "overwrite": "{0} の上書き",
+ "overwriting": "{0} を上書きしています",
+ "uploadProgressSmallMany": "{1} 個中 {0} 個のファイル ({2}/s)",
+ "uploadProgressLarge": "{0} ({2} 個中 {1} 個、{3}/s)",
+ "copyFolders": "フォルダーのコピー(&&C)",
+ "copyFolder": "フォルダーのコピー(&&C)",
+ "cancel": "キャンセル",
+ "copyfolders": "フォルダーをコピーしますか?",
+ "copyfolder": "'{0}' をコピーしますか?",
+ "addFolders": "フォルダーをワークスペースに追加(&&A)",
+ "addFolder": "フォルダーをワークスペースに追加(&&A)",
+ "dropFolders": "フォルダーをコピーするか、フォルダーをワークスペースに追加しますか?",
+ "dropFolder": "'{0}' をコピーするか、'{0}' をフォルダーとしてワークスペースに追加しますか?",
+ "copyFile": "{0} のコピー",
+ "copynFile": "{0} リソースのコピー",
+ "copyingFile": "{0} をコピーしています",
+ "copyingnFile": "{0} リソースをコピーしています",
+ "confirmRootsMove": "ワークスペース内の複数のルート フォルダーの順序が変更されますがよろしいですか?",
+ "confirmMultiMove": "次の {0} 個のファイルを '{1}' に移動しますか?",
+ "confirmRootMove": "ワークスペース内のルート フォルダー '{0}' の順序が変更されますがよろしいですか?",
+ "confirmMove": "'{0}' を '{1}' に移動しますか?",
+ "doNotAskAgain": "今後このメッセージを表示しない",
+ "moveButtonLabel": "移動(&&M)",
+ "copy": "{0} のコピー",
+ "copying": "{0} をコピーしています",
+ "move": "{0} の移動",
+ "moving": "{0} を移動しています"
+ },
+ "vs/workbench/contrib/format/browser/formatActionsMultiple": {
+ "nullFormatterDescription": "なし",
+ "miss": "拡張機能 '{0}' は '{1}' をフォーマットできません",
+ "config.needed": "'{0}' ファイルには複数のフォーマッタがあります。続行するには、既定のフォーマッタを選択します。",
+ "config.bad": "拡張機能 '{0}' がフォーマッタとして構成されていますが、利用できません。続行するには、別の既定フォーマッタを選択してください。",
+ "do.config": "構成...",
+ "select": "'{0}' ファイルの既定のフォーマッタを選択する",
+ "formatter.default": "他のすべてのフォーマッタ設定よりも優先される、既定のフォーマッタを定義します。フォーマッタを提供している拡張機能の識別子にする必要があります。",
+ "def": "(既定)",
+ "config": "既定のフォーマッタを構成...",
+ "format.placeHolder": "フォーマッタを選択します",
+ "formatDocument.label.multiple": "ドキュメントのフォーマット...",
+ "formatSelection.label.multiple": "選択範囲をフォーマット..."
+ },
+ "vs/workbench/contrib/format/browser/formatActionsNone": {
+ "formatDocument.label.multiple": "ドキュメントのフォーマット",
+ "too.large": "このファイルはサイズが大きすぎるため、フォーマットできません",
+ "no.provider": "'{0}' ファイルのフォーマッタがインストールされていません。",
+ "install.formatter": "フォーマッタをインストール..."
+ },
+ "vs/workbench/contrib/format/browser/formatModified": {
+ "formatChanges": "変更された行をフォーマットする"
+ },
+ "vs/workbench/contrib/issue/electron-sandbox/issue.contribution": {
+ "reportIssueInEnglish": "問題を英語で報告..."
+ },
+ "vs/workbench/contrib/issue/electron-sandbox/issueActions": {
+ "openProcessExplorer": "プロセス エクスプローラーを開く",
+ "reportPerformanceIssue": "パフォーマンスの問題のレポート"
+ },
+ "vs/workbench/contrib/keybindings/browser/keybindings.contribution": {
+ "toggleKeybindingsLog": "キーボード ショートカットの切り替えのトラブルシューティング"
+ },
+ "vs/workbench/contrib/localizations/browser/localizations.contribution": {
+ "updateLocale": "VS Code の UI 言語を {0} にして再起動しますか?",
+ "activateLanguagePack": "{0} で VS Code を使用するには、VS Code を再起動する必要があります。",
+ "yes": "はい",
+ "restart now": "今すぐ再起動",
+ "neverAgain": "今後表示しない",
+ "vscode.extension.contributes.localizations": "ローカリゼーションをエディターに提供します",
+ "vscode.extension.contributes.localizations.languageId": "表示文字列が翻訳される言語の id。",
+ "vscode.extension.contributes.localizations.languageName": "英語での言語の名前。",
+ "vscode.extension.contributes.localizations.languageNameLocalized": "提供された言語での言語の名前。",
+ "vscode.extension.contributes.localizations.translations": "言語に関連付けられている翻訳のリスト。",
+ "vscode.extension.contributes.localizations.translations.id": "この翻訳が提供される VS Code または拡張機能の ID。VS Code は常に `vscode` で、拡張機能の形式は `publisherId.extensionName` になります。",
+ "vscode.extension.contributes.localizations.translations.id.pattern": "VS Code または拡張機能を変換するための ID はそれぞれ、`vscode` か、`publisherId.extensionName` の形式になります。",
+ "vscode.extension.contributes.localizations.translations.path": "言語の翻訳を含むファイルへの相対パス。"
+ },
+ "vs/workbench/contrib/localizations/browser/localizationsActions": {
+ "configureLocale": "表示言語を構成する",
+ "installAdditionalLanguages": "追加言語のインストール...",
+ "chooseDisplayLanguage": "表示言語の選択",
+ "relaunchDisplayLanguageMessage": "表示言語の変更を有効にするには再起動が必要です。",
+ "relaunchDisplayLanguageDetail": "[再起動] を押して {0} を再起動し、表示言語を変更します。",
+ "restart": "再起動(&&R)"
+ },
+ "vs/workbench/contrib/localizations/browser/minimalTranslations": {
+ "showLanguagePackExtensions": "表示言語を {0} に変更するために Marketplace で言語パックを検索します。",
+ "searchMarketplace": "Marketplace を検索",
+ "installAndRestartMessage": "表示言語を {0} に変更するには言語パックをインストールします。",
+ "installAndRestart": "インストールして再起動"
+ },
+ "vs/workbench/contrib/logs/common/logs.contribution": {
+ "userDataSyncLog": "設定の同期",
+ "rendererLog": "ウィンドウ",
+ "telemetryLog": "テレメトリ",
+ "show window log": "ウィンドウ ログの表示",
+ "mainLog": "メイン",
+ "sharedLog": "共有"
+ },
+ "vs/workbench/contrib/logs/electron-sandbox/logsActions": {
+ "openLogsFolder": "ログ フォルダーを開く",
+ "openExtensionLogsFolder": "拡張機能のログ フォルダーを開く"
+ },
+ "vs/workbench/contrib/logs/common/logsActions": {
+ "setLogLevel": "ログ レベルの設定...",
+ "trace": "トレース",
+ "debug": "デバッグ",
+ "info": "情報",
+ "warn": "警告",
+ "err": "エラー",
+ "critical": "重大",
+ "off": "オフ",
+ "selectLogLevel": "ログ レベルを選択",
+ "default and current": "既定値と現在値",
+ "default": "既定",
+ "current": "現在",
+ "openSessionLogFile": "ウィンドウ ログ ファイルを開く (セッション)...",
+ "sessions placeholder": "セッションの選択",
+ "log placeholder": "ログ ファイルを選択"
+ },
+ "vs/workbench/contrib/markers/browser/markers.contribution": {
+ "markersViewIcon": "マーカー ビューのアイコンを表示します。",
+ "copyMarker": "コピー",
+ "copyMessage": "メッセージのコピー",
+ "focusProblemsList": "フォーカスの問題ビュー",
+ "focusProblemsFilter": "フォーカス問題フィルター",
+ "show multiline": "複数行にメッセージを表示します",
+ "problems": "問題",
+ "show singleline": "メッセージを 1 行に表示します",
+ "clearFiltersText": "フィルタテキストをクリア",
+ "miMarker": "問題(&&P)",
+ "status.problems": "問題",
+ "totalErrors": "エラー {0}",
+ "totalWarnings": "警告 {0}",
+ "totalInfos": "情報 {0}",
+ "noProblems": "問題なし",
+ "manyProblems": "10K+"
+ },
+ "vs/workbench/contrib/markers/browser/markersView": {
+ "collapseAll": "すべて折りたたんで表示します。",
+ "filter": "フィルター",
+ "No problems filtered": "{0} 個の問題を表示しています",
+ "problems filtered": "{1} 個中 {0} 個の問題を表示しています",
+ "clearFilter": "フィルターの解除"
+ },
+ "vs/workbench/contrib/markers/browser/markersViewActions": {
+ "filterIcon": "マーカーのビュー内のフィルター構成のアイコン。",
+ "showing filtered problems": "{0}/{1} を表示中"
+ },
+ "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.showCurrentInStatus": "有効にすると、現在発生している問題がステータス バーに表示されます。",
+ "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": "フィルター (例: テキスト、**/*.ts、!**/node_modules/**)",
+ "markers.panel.filter.errors": "エラー",
+ "markers.panel.filter.warnings": "警告",
+ "markers.panel.filter.infos": "情報",
+ "markers.panel.single.error.label": "エラー 1",
+ "markers.panel.multiple.errors.label": "エラー {0}",
+ "markers.panel.single.warning.label": "警告 1",
+ "markers.panel.multiple.warnings.label": "警告 {0}",
+ "markers.panel.single.info.label": "情報 1",
+ "markers.panel.multiple.infos.label": "情報 {0}",
+ "markers.panel.single.unknown.label": "不明 1",
+ "markers.panel.multiple.unknowns.label": "不明 {0}",
+ "markers.panel.at.ln.col.number": "[{0}、{1}]",
+ "problems.tree.aria.label.resource": "フォルダー {2} のファイル {1} 内で {0} 件の問題",
+ "problems.tree.aria.label.marker.relatedInformation": "この問題は {0} 個の箇所へ参照を持っています。",
+ "problems.tree.aria.label.error.marker": "{0}: {1} によって生成されたエラー (行 {2}、文字 {3}.{4})",
+ "problems.tree.aria.label.error.marker.nosource": "エラー: {0} (行 {1}、文字 {2}.{3})",
+ "problems.tree.aria.label.warning.marker": "{0}: {1} によって生成された警告 (行 {2}、文字 {3}.{4})",
+ "problems.tree.aria.label.warning.marker.nosource": "警告: {0} (行 {1}、文字 {2}.{3})",
+ "problems.tree.aria.label.info.marker": "{0}: {1} によって生成された情報 (行 {2}、文字 {3}.{4})",
+ "problems.tree.aria.label.info.marker.nosource": "情報: {0} (行 {1}、文字 {2}.{3})",
+ "problems.tree.aria.label.marker": "{0} によって生成された問題: {1} (行 {2}、文字 {3}.{4})",
+ "problems.tree.aria.label.marker.nosource": "問題: {0} (行 {1}、文字 {2}.{3})",
+ "problems.tree.aria.label.relatedinfo.message": "{0} ({3} の行 {1}、文字 {2})",
+ "errors.warnings.show.label": "エラーと警告の表示"
+ },
+ "vs/workbench/contrib/markers/browser/markers": {
+ "totalProblems": "合計 {0} 個の問題"
+ },
+ "vs/workbench/contrib/markers/browser/markersFileDecorations": {
+ "label": "問題",
+ "tooltip.1": "このファイルに 1 つの問題",
+ "tooltip.N": "このファイルに {0} 個の問題",
+ "markers.showOnFile": "ファイルとフォルダーのエラーと警告を表示します。"
+ },
+ "vs/workbench/contrib/markers/browser/markersTreeViewer": {
+ "problemsView": "問題ビュー",
+ "expandedIcon": "マーカーのビューで複数の行が表示されていることを示すアイコン。",
+ "collapsedIcon": "マーカーのビューで複数の行が折りたたまれていることを示すアイコン。",
+ "single line": "メッセージを 1 行に表示します",
+ "multi line": "複数行にメッセージを表示します",
+ "links.navigate.follow": "リンク先を表示",
+ "links.navigate.kb.meta": "ctrl + クリック",
+ "links.navigate.kb.meta.mac": "cmd + クリック",
+ "links.navigate.kb.alt.mac": "option + クリック",
+ "links.navigate.kb.alt": "alt + クリック"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/coreActions": {
+ "notebookActions.category": "ノートブック",
+ "notebookActions.execute": "セルの実行",
+ "notebookActions.cancel": "セルの実行を停止する",
+ "notebookActions.executeCell": "セルの実行",
+ "notebookActions.CancelCell": "実行のキャンセル",
+ "notebookActions.deleteCell": "セルの削除",
+ "notebookActions.executeAndSelectBelow": "ノートブック セルを実行し、下を選択する",
+ "notebookActions.executeAndInsertBelow": "ノートブック セルを実行し、下に挿入する",
+ "notebookActions.renderMarkdown": "すべての Markdown セルをレンダリングする",
+ "notebookActions.executeNotebook": "ノートブックの実行",
+ "notebookActions.cancelNotebook": "ノートブックの実行をキャンセルする",
+ "notebookMenu.insertCell": "セルを挿入する",
+ "notebookMenu.cellTitle": "ノートブック セル",
+ "notebookActions.menu.executeNotebook": "ノートブックの実行 (すべてのセルを実行)",
+ "notebookActions.menu.cancelNotebook": "ノートブックの実行を停止",
+ "notebookActions.changeCellToCode": "セルをコードに変更する",
+ "notebookActions.changeCellToMarkdown": "セルを Markdown に変更する",
+ "notebookActions.insertCodeCellAbove": "コード セルを上に挿入",
+ "notebookActions.insertCodeCellBelow": "コード セルを下に挿入",
+ "notebookActions.insertCodeCellAtTop": "一番上にコード セルを追加する",
+ "notebookActions.insertMarkdownCellAtTop": "一番上にマークダウン セルを追加する",
+ "notebookActions.menu.insertCode": "$(add) コード",
+ "notebookActions.menu.insertCode.tooltip": "コード セルの追加",
+ "notebookActions.insertMarkdownCellAbove": "Markdown セルを上に挿入",
+ "notebookActions.insertMarkdownCellBelow": "Markdown セルを下に挿入",
+ "notebookActions.menu.insertMarkdown": "$(add) Markdown",
+ "notebookActions.menu.insertMarkdown.tooltip": "Markdown セルの追加",
+ "notebookActions.editCell": "セルの編集",
+ "notebookActions.quitEdit": "セルの編集を停止",
+ "notebookActions.moveCellUp": "セルを上に移動",
+ "notebookActions.moveCellDown": "セルを下に移動",
+ "notebookActions.copy": "セルのコピー",
+ "notebookActions.cut": "セルの切り取り",
+ "notebookActions.paste": "セルの貼り付け",
+ "notebookActions.pasteAbove": "セルを上に貼り付け",
+ "notebookActions.copyCellUp": "セルを上にコピー",
+ "notebookActions.copyCellDown": "セルを下にコピー",
+ "cursorMoveDown": "次のセル エディターにフォーカス",
+ "cursorMoveUp": "前のセル エディターにフォーカス",
+ "focusOutput": "アクティブ セル出力にフォーカスを置く",
+ "focusOutputOut": "アクティブ セル出力からフォーカスを外す",
+ "focusFirstCell": "最初のセルにフォーカス",
+ "focusLastCell": "最後のセルにフォーカス",
+ "clearCellOutputs": "セルの出力をクリアする",
+ "changeLanguage": "セルの言語の変更",
+ "languageDescription": "({0}) - 現在の言語",
+ "languageDescriptionConfigured": "({0})",
+ "pickLanguageToConfigure": "言語モードの選択",
+ "clearAllCellsOutputs": "すべてのセルの出力をクリア",
+ "notebookActions.splitCell": "セルを分割する",
+ "notebookActions.joinCellAbove": "前のセルと結合する",
+ "notebookActions.joinCellBelow": "次のセルと結合する",
+ "notebookActions.centerActiveCell": "アクティブ セルを中央に置く",
+ "notebookActions.collapseCellInput": "セルの入力を折りたたむ",
+ "notebookActions.expandCellContent": "セルの内容を展開する",
+ "notebookActions.collapseCellOutput": "セルの出力を折りたたむ",
+ "notebookActions.expandCellOutput": "セルの出力を展開する",
+ "notebookActions.inspectLayout": "ノートブック レイアウトの検査"
+ },
+ "vs/workbench/contrib/notebook/browser/notebook.contribution": {
+ "diffLeftRightLabel": "{0} ⟷ {1}",
+ "notebookConfigurationTitle": "ノートブック",
+ "notebook.displayOrder.description": "出力 MIME 種類の優先度リスト",
+ "notebook.cellToolbarLocation.description": "セルのツールバーを表示するか非表示にするかどうか。",
+ "notebook.showCellStatusbar.description": "セルのステータス バーを表示するかどうか。",
+ "notebook.diff.enablePreview.description": "ノートブックに拡張テキスト差分エディターを使用するかどうか。"
+ },
+ "vs/workbench/contrib/notebook/browser/notebookIcons": {
+ "configureKernel": "ノートブック エディターのカーネル構成ウィジェットの構成アイコン。",
+ "selectKernelIcon": "ノートブック エディターでカーネルを選択するための構成アイコン。",
+ "executeIcon": "ノートブック エディターで実行するためのアイコン。",
+ "stopIcon": "ノートブック エディターで実行を停止するためのアイコン。",
+ "deleteCellIcon": "ノートブック エディターでセルを削除するためのアイコン。",
+ "executeAllIcon": "ノートブック エディターですべてのセルを実行するためのアイコン。",
+ "editIcon": "ノートブック エディターでセルを編集するためのアイコン。",
+ "stopEditIcon": "ノートブック エディターでセルの編集を停止するためのアイコン。",
+ "moveUpIcon": "ノートブック エディターでセルを上に移動するためのアイコン。",
+ "moveDownIcon": "ノートブック エディターでセルを下に移動するためのアイコン。",
+ "clearIcon": "ノートブック エディターでセル出力をクリアするためのアイコン。",
+ "splitCellIcon": "ノートブック エディターでセルを分割するためのアイコン。",
+ "unfoldIcon": "ノートブック エディターでセルを展開するためのアイコン。",
+ "successStateIcon": "ノートブック エディターで成功の状態を示すためのアイコン。",
+ "errorStateIcon": "ノートブック エディターでエラー状態を示すためのアイコン。",
+ "collapsedIcon": "ノートブック エディターで折りたたまれたセクションに注釈を付けるためのアイコン。",
+ "expandedIcon": "ノートブック エディターで展開されたセクションに注釈を付けるためのアイコン。",
+ "openAsTextIcon": "テキスト エディターでノートブックを開くためのアイコン。",
+ "revertIcon": "ノートブック エディターで元に戻すためのアイコン。",
+ "mimetypeIcon": "ノートブックのエディターにおける MIME の種類のアイコン。"
+ },
+ "vs/workbench/contrib/notebook/browser/notebookEditor": {
+ "fail.noEditor": "ノートブック エディターの種類 '{0}' でリソースを開くことができません。適切な拡張機能がインストールされているか有効になっていることを確認してください。",
+ "fail.reOpen": "VS Code 標準テキスト エディターでファイルを再度開く"
+ },
+ "vs/workbench/contrib/notebook/browser/notebookServiceImpl": {
+ "builtinProviderDisplayName": "組み込み"
+ },
+ "vs/workbench/contrib/notebook/browser/diff/notebookTextDiffEditor": {
+ "notebookTreeAriaLabel": "ノートブック テキストの差分"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/find/findController": {
+ "notebookActions.hideFind": "[ノートブック内で検索] を非表示にする",
+ "notebookActions.findInNotebook": "ノートブック内で検索"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/fold/folding": {
+ "fold.cell": "セルを折りたたむ",
+ "unfold.cell": "セルを展開する"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/format/formatting": {
+ "format.title": "ノートブックのフォーマット",
+ "label": "ノートブックのフォーマット",
+ "formatCell.label": "セルを書式設定する"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/status/editorStatus": {
+ "notebookActions.selectKernel": "ノートブックのカーネルを選択する",
+ "notebook.runCell.selectKernel": "このノートブックを実行するためのノートブック カーネルを選択します",
+ "currentActiveKernel": " (現在アクティブ)",
+ "notebook.promptKernel.setDefaultTooltip": "'{0}' の既定のカーネル プロバイダーとして設定します",
+ "chooseActiveKernel": "現在のノートブックのカーネルを選択します",
+ "notebook.selectKernel": "現在のノートブックのカーネルを選択します"
+ },
+ "vs/workbench/contrib/notebook/browser/diff/notebookDiffActions": {
+ "notebook.diff.switchToText": "テキスト差分エディターを開く",
+ "notebook.diff.cell.revertMetadata": "メタデータを元に戻す",
+ "notebook.diff.cell.revertOutputs": "出力を元に戻す",
+ "notebook.diff.cell.revertInput": "入力を元に戻す"
+ },
+ "vs/workbench/contrib/notebook/browser/extensionPoint": {
+ "contributes.notebook.provider": "ノートブック ドキュメント プロバイダーを提供します。",
+ "contributes.notebook.provider.viewType": "ノートブックを表す一意の識別子です。",
+ "contributes.notebook.provider.displayName": "ノートブックに関して人が認識できる名前。",
+ "contributes.notebook.provider.selector": "ノートブックの対象となる glob のセット。",
+ "contributes.notebook.provider.selector.filenamePattern": "ノートブックが有効になっている glob。",
+ "contributes.notebook.selector.provider.excludeFileNamePattern": "ノートブックが無効になっている glob。",
+ "contributes.priority": "ユーザーがファイルを開いたときにカスタム エディターを自動的に有効にするかどうかを制御します。これは、'workbench.editorAssociations' 設定を使用してユーザーによって上書きされる可能性があります。",
+ "contributes.priority.default": "ユーザーがリソースを開いたときに、そのリソースに対して他の既定のカスタム エディターが登録されていない場合は、このエディターが自動的に使用されます。",
+ "contributes.priority.option": "ユーザーがリソースを開いたときにこのエディターが自動的に使用されることはありませんが、ユーザーは [再び開く] コマンドを使用してこのエディターに切り替えることができます。",
+ "contributes.notebook.renderer": "ノートブック出力レンダラー プロバイダーを提供します。",
+ "contributes.notebook.renderer.viewType": "ノートブック出力レンダラーを表す一意の識別子です。",
+ "contributes.notebook.provider.viewType.deprecated": "'viewType' の名前を 'id' に変更します。",
+ "contributes.notebook.renderer.displayName": "ノートブック出力レンダラーに関して人が認識できる名前。",
+ "contributes.notebook.selector": "ノートブックの対象となる glob のセット。",
+ "contributes.notebook.renderer.entrypoint": "拡張機能をレンダリングするために Web ビューに読み込むファイル。"
+ },
+ "vs/workbench/contrib/notebook/browser/notebookKernelAssociation": {
+ "notebook.kernelProviderAssociations": "他のすべてのカーネル プロバイダー設定より優先される、既定のカーネル プロバイダーを定義します。カーネル プロバイダーを提供している拡張機能の識別子にする必要があります。"
+ },
+ "vs/workbench/contrib/notebook/common/model/notebookTextModel": {
+ "defaultEditLabel": "編集"
+ },
+ "vs/workbench/contrib/notebook/common/notebookEditorModel": {
+ "notebook.staleSaveError": "The contents of the file has changed on disk. Would you like to open the updated version or overwrite the file with your changes?",
+ "notebook.staleSaveError.revert": "元に戻す",
+ "notebook.staleSaveError.overwrite.": "上書き"
+ },
+ "vs/workbench/contrib/notebook/browser/notebookEditorWidget": {
+ "notebookTreeAriaLabel": "ノートブック",
+ "notebook.runCell.selectKernel": "このノートブックを実行するためのノートブック カーネルを選択します",
+ "notebook.promptKernel.setDefaultTooltip": "'{0}' の既定のカーネル プロバイダーとして設定します",
+ "notebook.cellBorderColor": "ノートブックのセルの境界線の色。",
+ "notebook.focusedEditorBorder": "ノートブック セル エディターの境界線の色。",
+ "notebookStatusSuccessIcon.foreground": "ノートブック セルのセル ステータス バーに表示されるエラー アイコンの色。",
+ "notebookStatusErrorIcon.foreground": "ノートブック セルのセル ステータス バーに表示されるエラー アイコンの色。",
+ "notebookStatusRunningIcon.foreground": "ノートブック セルのセル ステータス バーに表示される実行中アイコンの色。",
+ "notebook.outputContainerBackgroundColor": "ノートブックの出力コンテナーの背景色。",
+ "notebook.cellToolbarSeparator": "セルの下部にあるツール バーの区切り線の色",
+ "focusedCellBackground": "セルがフォーカスされているときの、セルの背景色です。",
+ "notebook.cellHoverBackground": "セルにマウスが置かれているときの、セルの背景色です。",
+ "notebook.selectedCellBorder": "セルが選択されているがフォーカスされていないときの、セルの上下境界線の色です。",
+ "notebook.focusedCellBorder": "セルがフォーカスされているときの、セルの上下境界線の色です。",
+ "notebook.cellStatusBarItemHoverBackground": "ノートブックのセルのステータス バー項目の背景色。",
+ "notebook.cellInsertionIndicator": "ノートブック セルの挿入インジケーターの色。",
+ "notebookScrollbarSliderBackground": "ノートブックのスクロールバー スライダーの背景色。",
+ "notebookScrollbarSliderHoverBackground": "ホバーリング時のノートブックのスクロールバー スライダーの背景色。",
+ "notebookScrollbarSliderActiveBackground": "クリックしたときのノートブック スクロール バー スライダーの背景色。",
+ "notebook.symbolHighlightBackground": "強調表示されたセルの背景色"
+ },
+ "vs/workbench/contrib/notebook/browser/view/renderers/cellRenderer": {
+ "cellExpandButtonLabel": "展開"
+ },
+ "vs/workbench/contrib/notebook/browser/viewModel/markdownCellViewModel": {
+ "notebook.emptyMarkdownPlaceholder": "Markdown セルが空です。ダブルクリックするか、Enter キーを押して、編集してください。"
+ },
+ "vs/workbench/contrib/notebook/browser/view/renderers/cellWidgets": {
+ "notebook.cell.status.language": "セルの言語モードを選択する"
+ },
+ "vs/workbench/contrib/notebook/browser/view/renderers/cellOutput": {
+ "mimeTypePicker": "別の出力 mimetype を選択してください。利用可能な mimetype: {0}",
+ "curruentActiveMimeType": "現在アクティブ",
+ "promptChooseMimeTypeInSecure.placeHolder": "現在の出力にレンダリングする MIME の種類を選択してください。リッチ MIME の種類は、ノートブックが信頼されている場合にのみ使用できます",
+ "promptChooseMimeType.placeHolder": "現在の出力にレンダリングする MIME の種類を選択してください",
+ "builtinRenderInfo": "ビルトイン"
+ },
+ "vs/workbench/contrib/outline/browser/outline.contribution": {
+ "outlineViewIcon": "アウトライン ビューのアイコンを表示します。",
+ "name": "アウトライン",
+ "outlineConfigurationTitle": "アウトライン",
+ "outline.showIcons": "アイコン付きでアウトライン要素を表示します。",
+ "outline.showProblem": "アウトライン要素にエラーと警告を表示します。",
+ "outline.problem.colors": "エラーと警告に色を使用します。",
+ "outline.problems.badges": "エラーと警告にバッジを使用します。",
+ "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": "有効にすると、アウトラインに 'null' -記号が表示されます。",
+ "filteredTypes.enumMember": "有効にすると、アウトラインに `enumMember` 記号が表示されます。",
+ "filteredTypes.struct": "有効にすると、アウトラインに `構造体` 記号が表示されます。",
+ "filteredTypes.event": "有効にすると、アウトラインに 'イベント' 記号が表示されます。",
+ "filteredTypes.operator": "有効にすると、アウトラインに `演算子` 記号が表示されます。",
+ "filteredTypes.typeParameter": "有効にすると、アウトラインに `typeParameter` 記号が表示されます。"
+ },
+ "vs/workbench/contrib/outline/browser/outlinePane": {
+ "outline": "アウトライン",
+ "sortByPosition": "並べ替え: 位置",
+ "sortByName": "並べ替え: 名前",
+ "sortByKind": "並べ替えの基準: カテゴリ",
+ "followCur": "カーソルに追従",
+ "filterOnType": "種類でフィルター",
+ "no-editor": "アクティブなエディターはアウトライン情報を提供できません。",
+ "loading": "'{0}' のドキュメント シンボルを読み込んでいます...",
+ "no-symbols": "ドキュメント '{0}' にシンボルが見つかりません"
+ },
+ "vs/workbench/contrib/output/browser/output.contribution": {
+ "outputViewIcon": "出力ビューのアイコンを表示します。",
+ "output": "出力",
+ "logViewer": "ログ ビューアー",
+ "switchToOutput.label": "出力に切り替え",
+ "clearOutput.label": "出力のクリア",
+ "outputCleared": "出力はクリアされました",
+ "toggleAutoScroll": "自動スクロールの切り替え",
+ "outputScrollOff": "自動スクロールをオフにする",
+ "outputScrollOn": "自動スクロールをオンにする",
+ "openActiveLogOutputFile": "ログ出力ファイルを開く",
+ "toggleOutput": "出力の切り替え",
+ "showLogs": "ログの表示...",
+ "selectlog": "ログを選択",
+ "openLogFile": "ログ ファイルを開く...",
+ "selectlogFile": "ログ ファイルを選択",
+ "miToggleOutput": "出力(&&O)",
+ "output.smartScroll.enabled": "出力ビューでスマート スクロール機能を有効/無効にします。スマート スクロールを使用する場合、出力ビューをクリックすると自動的にスクロールがロックされ、最後の行をクリックするとロックが解除されます。"
+ },
+ "vs/workbench/contrib/output/browser/outputView": {
+ "output model title": "{0} - 出力",
+ "channel": "'{0}' の出力チャネル",
+ "output": "出力",
+ "outputViewWithInputAriaLabel": "{0}、出力パネル",
+ "outputViewAriaLabel": "出力パネル",
+ "outputChannels": "出力チャネル。",
+ "logChannel": "ログ ({0})"
+ },
+ "vs/workbench/contrib/output/browser/logViewer": {
+ "logViewerAriaLabel": "ログ ビューアー"
+ },
+ "vs/workbench/contrib/performance/electron-browser/startupProfiler": {
+ "prof.message": "プロファイルが正常に作成されました。",
+ "prof.detail": "問題点を作成し、次のファイルを手動で添付してください:\r\n{0}",
+ "prof.restartAndFileIssue": "案件を作成し再起動する(&&C)",
+ "prof.restart": "再起動(&&R)",
+ "prof.thanks": "ご協力いただき、ありがとうございます。",
+ "prof.detail.restart": "'{0}' を引き続き使用するには、最後の再起動が必要です。 改めてあなたの貢献に感謝します。",
+ "prof.restart.button": "再起動(&&R)"
+ },
+ "vs/workbench/contrib/performance/browser/performance.contribution": {
+ "show.label": "スタートアップ パフォーマンス"
+ },
+ "vs/workbench/contrib/performance/browser/perfviewEditor": {
+ "name": "スタートアップ パフォーマンス"
+ },
+ "vs/workbench/contrib/preferences/browser/keybindingsEditorContribution": {
+ "defineKeybinding.start": "キー バインドの定義",
+ "defineKeybinding.kbLayoutErrorMessage": "現在のキーボード レイアウトでは、このキーの組み合わせを生成することはできません。",
+ "defineKeybinding.kbLayoutLocalAndUSMessage": "現在のキーボード レイアウトで示すと **{0}** です。(US 標準: **{1}**)",
+ "defineKeybinding.kbLayoutLocalMessage": "現在のキーボード レイアウトで示すと **{0}** です。"
+ },
+ "vs/workbench/contrib/preferences/browser/preferences.contribution": {
+ "defaultPreferencesEditor": "既定の基本設定エディター",
+ "settingsEditor2": "設定エディター 2",
+ "keybindingsEditor": "キー バインド エディター",
+ "openSettings2": "設定 (UI) を開く",
+ "preferences": "基本設定",
+ "settings": "設定",
+ "miOpenSettings": "設定(&&S)",
+ "openSettingsJson": "設定 (JSON) を開く",
+ "openGlobalSettings": "ユーザー設定を開く",
+ "openRawDefaultSettings": "既定の設定 (JSON) を開く",
+ "openWorkspaceSettings": "ワークスペース設定を開く",
+ "openWorkspaceSettingsFile": "ワークスペース設定を開く (JSON)",
+ "openFolderSettings": "フォルダーの設定を開く",
+ "openFolderSettingsFile": "フォルダーの設定を開く (JSON)",
+ "filterModifiedLabel": "変更した設定を表示",
+ "filterOnlineServicesLabel": "オンライン サービスの設定を表示",
+ "miOpenOnlineSettings": "オンライン サービスの設定(&&O)",
+ "onlineServices": "オンライン サービスの設定",
+ "openRemoteSettings": "リモート設定 ({0}) を開く",
+ "settings.focusSearch": "設定検索にフォーカス",
+ "settings.clearResults": "検索結果のクリア設定",
+ "settings.focusFile": "設定ファイルにフォーカスする",
+ "settings.focusNextSetting": "次の設定にフォーカス",
+ "settings.focusPreviousSetting": "前の設定にフォーカス",
+ "settings.editFocusedSetting": "フォーカスのある設定を編集する",
+ "settings.focusSettingsList": "リストのフォーカス設定",
+ "settings.focusSettingsTOC": "設定目次にフォーカス",
+ "settings.focusSettingControl": "設定コントロールにフォーカス",
+ "settings.showContextMenu": "設定のコンテキスト メニューの表示",
+ "settings.focusLevelUp": "フォーカスを 1 つ上のレベルに移動する",
+ "openGlobalKeybindings": "キーボード ショートカットを開く",
+ "Keyboard Shortcuts": "キーボード ショートカット",
+ "openDefaultKeybindingsFile": "既定のキーボード ショートカットを開く (JSON)",
+ "openGlobalKeybindingsFile": "キーボード ショートカットを開く (JSON)",
+ "showDefaultKeybindings": "既定のキーバインドを表示",
+ "showUserKeybindings": "ユーザーのキーバインドを表示",
+ "clear": "検索結果のクリア",
+ "miPreferences": "ユーザー設定(&&P)"
+ },
+ "vs/workbench/contrib/preferences/browser/keybindingWidgets": {
+ "defineKeybinding.initial": "任意のキーの組み合わせを押し、ENTER キーを押します。",
+ "defineKeybinding.oneExists": "1 つの既存のコマンドがこのキーバインドを使用しています",
+ "defineKeybinding.existing": "{0} つの既存のコマンドがこのキーバインドを使用しています",
+ "defineKeybinding.chordsTo": "の次に"
+ },
+ "vs/workbench/contrib/preferences/browser/keybindingsEditor": {
+ "recordKeysLabel": "キーを記録",
+ "recordKeysLabelWithKeybinding": "{0} ({1})",
+ "sortByPrecedeneLabel": "優先順位で並べ替え",
+ "sortByPrecedeneLabelWithKeybinding": "{0} ({1})",
+ "SearchKeybindings.FullTextSearchPlaceholder": "入力してキーバインド内を検索",
+ "SearchKeybindings.KeybindingsSearchPlaceholder": "キーを記録中。Esc キーを押して終了",
+ "clearInput": "キー バインドの検索入力をクリア",
+ "recording": "キーを記録しています",
+ "command": "コマンド",
+ "keybinding": "キー バインド",
+ "when": "いつ",
+ "source": "ソース",
+ "show sorted keybindings": "{0} 個のキーバインドを優先順に表示しています",
+ "show keybindings": "{0} のキーバインドをアルファベット順に表示しています",
+ "changeLabel": "キー バインドを変更する...",
+ "addLabel": "キー バインドを追加する...",
+ "editWhen": "When 式を変更",
+ "removeLabel": "キー バインドの削除",
+ "resetLabel": "キー バインドのリセット",
+ "showSameKeybindings": "同じキーバインドを表示",
+ "copyLabel": "コピー",
+ "copyCommandLabel": "コマンド ID のコピー",
+ "error": "キー バインドの編集中にエラー '{0}' が発生しました。'keybindings.json' ファイルを開いてご確認ください。",
+ "editKeybindingLabelWithKey": "キー バインド {0} の変更",
+ "editKeybindingLabel": "キー バインドの変更",
+ "addKeybindingLabelWithKey": "キー バインド {0} の追加",
+ "addKeybindingLabel": "キー バインドの追加",
+ "title": "{0} ({1})",
+ "whenContextInputAriaLabel": "when コンテキストを入力してください。確定するには Enter キーを、キャンセルするには Escape キーを押してください。",
+ "keybindingsLabel": "キー バインド",
+ "noKeybinding": "キー バインドが割り当てられていません。",
+ "noWhen": "タイミングのコンテキストがありません。"
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesActions": {
+ "configureLanguageBasedSettings": "言語固有の設定を構成します...",
+ "languageDescriptionConfigured": "({0})",
+ "pickLanguage": "言語の選択"
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesEditor": {
+ "SearchSettingsWidget.AriaLabel": "設定の検索",
+ "SearchSettingsWidget.Placeholder": "設定の検索",
+ "noSettingsFound": "設定が見つかりません",
+ "oneSettingFound": "1 個の設定が見つかりました",
+ "settingsFound": "{0} 個の設定が見つかりました",
+ "totalSettingsMessage": "合計 {0} 個の設定",
+ "nlpResult": "自然文 (natural language) の結果",
+ "filterResult": "フィルター後の結果",
+ "defaultSettings": "既定の設定",
+ "defaultUserSettings": "既定のユーザー設定",
+ "defaultWorkspaceSettings": "既定のワークスペース設定",
+ "defaultFolderSettings": "既定のフォルダー設定",
+ "defaultEditorReadonly": "既定値を上書きするには、右側のエディターを編集します。",
+ "preferencesAriaLabel": "既定の基本設定。読み取り専用のエディター。"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsEditor2": {
+ "SearchSettings.AriaLabel": "設定の検索",
+ "clearInput": "設定の検索入力をクリア",
+ "noResults": "設定が見つかりません",
+ "clearSearchFilters": "フィルターの解除",
+ "settings": "設定",
+ "settingsNoSaveNeeded": "設定の変更は自動的に保存されます。",
+ "oneResult": "1 個の設定が見つかりました",
+ "moreThanOneResult": "{0} 個の設定が見つかりました",
+ "turnOnSyncButton": "設定の同期をオンにする",
+ "lastSyncedLabel": "最終同期: {0}"
+ },
+ "vs/workbench/contrib/preferences/common/preferencesContribution": {
+ "enableNaturalLanguageSettingsSearch": "設定で自然文検索モードを有効にするかどうかを制御します。自然文検索はMicrosoft オンライン サービスによって提供されます。",
+ "settingsSearchTocBehavior.hide": "検索中の目次を非表示にします。",
+ "settingsSearchTocBehavior.filter": "目次をフィルターして、一致している設定を持つカテゴリだけを表示します。カテゴリをクリックするとそのカテゴリに結果が絞り込まれます。",
+ "settingsSearchTocBehavior": "検索中の設定エディターの目次の動作を制御します。"
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesIcons": {
+ "settingsGroupExpandedIcon": "分割 JSON 設定エディター内の展開されたセクションのアイコン。",
+ "settingsGroupCollapsedIcon": "分割 JSON 設定エディター内の折りたたまれたセクションのアイコン。",
+ "settingsScopeDropDownIcon": "分割 JSON 設定エディター内のフォルダー ドロップダウン ボタンのアイコン。",
+ "settingsMoreActionIcon": "設定 UI 内の [その他のアクション] アクションのアイコン。",
+ "keybindingsRecordKeysIcon": "キー バインド UI 内の 'キーを記録' アクションのアイコン。",
+ "keybindingsSortIcon": "キー バインド UI 内の '優先順位で並べ替え' の切り替えのアイコン。",
+ "keybindingsEditIcon": "キー バインド UI 内の編集アクションのアイコン。",
+ "keybindingsAddIcon": "キー バインド UI 内の追加アクションのアイコン。",
+ "settingsEditIcon": "設定 UI 内の編集アクションのアイコン。",
+ "settingsAddIcon": "設定 UI 内の追加アクションのアイコン。",
+ "settingsRemoveIcon": "設定 UI 内の削除アクションのアイコン。",
+ "preferencesDiscardIcon": "設定 UI 内の破棄アクションのアイコン。",
+ "preferencesClearInput": "設定およびキーバインド UI 内での入力のクリアのアイコン。",
+ "preferencesOpenSettings": "設定を開くコマンドのアイコン。"
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesWidgets": {
+ "defaultSettings": "設定を右側のエディターに配置してオーバーライドしてください。",
+ "noSettingsFound": "設定が見つかりません。",
+ "settingsSwitcherBarAriaLabel": "設定切り替え",
+ "userSettings": "ユーザー",
+ "userSettingsRemote": "リモート",
+ "workspaceSettings": "ワークスペース",
+ "folderSettings": "フォルダー"
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesRenderers": {
+ "emptyUserSettingsHeader": "既定の設定を上書きするには、設定をここに挿入します。",
+ "emptyWorkspaceSettingsHeader": "ユーザー設定を上書きするには、設定をここに挿入します。",
+ "emptyFolderSettingsHeader": "ワークスペースの設定を上書きするには、このファイル内にフォルダーの設定を挿入します。",
+ "editTtile": "編集",
+ "replaceDefaultValue": "設定を置換",
+ "copyDefaultValue": "設定にコピー",
+ "unknown configuration setting": "不明な構成設定",
+ "unsupportedRemoteMachineSetting": "この設定は、このウィンドウでは適用できません。ローカル ウィンドウを開いたときに適用されます。",
+ "unsupportedWindowSetting": "この設定は、このワークスペースでは適用できません。これは、含んでいるワークスペース フォルダーを直接開いたときに適用されます。",
+ "unsupportedApplicationSetting": "アプリケーション ユーザー設定でのみこの設定を適用することができます。",
+ "unsupportedMachineSetting": "この設定は、ローカル ウィンドウのユーザー設定、またはリモート ウィンドウのリモート設定にのみ適用できます。",
+ "unsupportedProperty": "サポートされていないプロパティ"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsLayout": {
+ "commonlyUsed": "よく使用するもの",
+ "textEditor": "テキスト エディター",
+ "cursor": "カーソル",
+ "find": "検索",
+ "font": "フォント",
+ "formatting": "書式設定",
+ "diffEditor": "差分エディター",
+ "minimap": "ミニマップ",
+ "suggestions": "候補",
+ "files": "ファイル",
+ "workbench": "ワークベンチ",
+ "appearance": "外観",
+ "breadcrumbs": "階層リンク",
+ "editorManagement": "エディターの管理",
+ "settings": "設定エディター",
+ "zenMode": "Zen Mode",
+ "screencastMode": "スクリーンキャスト モード",
+ "window": "ウィンドウ",
+ "newWindow": "新しいウィンドウ",
+ "features": "機能",
+ "fileExplorer": "エクスプローラー",
+ "search": "検索",
+ "debug": "デバッグ",
+ "scm": "SCM",
+ "extensions": "拡張機能",
+ "terminal": "ターミナル",
+ "task": "タスク",
+ "problems": "問題",
+ "output": "出力",
+ "comments": "コメント",
+ "remote": "リモート",
+ "timeline": "タイムライン",
+ "notebook": "ノートブック",
+ "application": "アプリケーション",
+ "proxy": "プロキシ",
+ "keyboard": "キーボード",
+ "update": "更新",
+ "telemetry": "テレメトリ",
+ "settingsSync": "設定の同期"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsTree": {
+ "extensions": "拡張機能",
+ "extensionSyncIgnoredLabel": "同期: 無視",
+ "modified": "変更済み",
+ "settingsContextMenuTitle": "その他の操作... ",
+ "alsoConfiguredIn": "次でも変更されています",
+ "configuredIn": "変更されています",
+ "newExtensionsButtonLabel": "一致する拡張機能を表示",
+ "editInSettingsJson": "settings.json で編集",
+ "settings.Default": "既定",
+ "resetSettingLabel": "設定をリセット",
+ "validationError": "検証エラー。",
+ "settings.Modified": "変更済み。",
+ "settings": "設定",
+ "copySettingIdLabel": "設定 ID をコピー",
+ "copySettingAsJSONLabel": "JSON として設定をコピー",
+ "stopSyncingSetting": "この設定を同期する"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsTreeModels": {
+ "workspace": "ワークスペース",
+ "remote": "リモート",
+ "user": "ユーザー"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsWidgets": {
+ "headerForeground": "セクション ヘッダーまたはアクティブなタイトルの前景色。",
+ "modifiedItemForeground": "変更された設定インジケーターの色。",
+ "settingsDropdownBackground": "設定エディターのドロップダウンの背景。",
+ "settingsDropdownForeground": "設定エディターのドロップダウンの前景。",
+ "settingsDropdownBorder": "設定エディターのドロップダウン境界線。",
+ "settingsDropdownListBorder": "設定エディターのドロップダウン リストの境界線。これは、オプションを囲み、オプションと説明を分割します。",
+ "settingsCheckboxBackground": "設定エディターのチェックボックスの背景。",
+ "settingsCheckboxForeground": "設定エディターのチェックボックスの前景。",
+ "settingsCheckboxBorder": "設定エディターのチェックボックスの境界線。",
+ "textInputBoxBackground": "設定エディターのテキスト入力ボックスの背景。",
+ "textInputBoxForeground": "設定エディターのテキスト入力ボックスの前景。",
+ "textInputBoxBorder": "設定エディターのテキスト入力ボックスの境界線。",
+ "numberInputBoxBackground": "設定エディターの数値入力ボックスの背景。",
+ "numberInputBoxForeground": "設定エディターの数値入力ボックスの前景。",
+ "numberInputBoxBorder": "設定エディターの数値入力ボックスの境界線。",
+ "focusedRowBackground": "フォーカスがあるときの設定行の背景色。",
+ "notebook.rowHoverBackground": "マウスが置かれているときの設定行の背景色。",
+ "notebook.focusedRowBorder": "行がフォーカスされているときの、行の上下境界線の色です。",
+ "okButton": "OK",
+ "cancelButton": "キャンセル",
+ "listValueHintLabel": "リスト項目 `{0}`",
+ "listSiblingHintLabel": "兄弟 '${1}' を持つ項目 '{0}' を一覧表示",
+ "removeItem": "項目の削除",
+ "editItem": "項目の編集",
+ "addItem": "項目の追加",
+ "itemInputPlaceholder": "文字列項目...",
+ "listSiblingInputPlaceholder": "兄弟...",
+ "excludePatternHintLabel": "`{0}` に一致するファイルを除外",
+ "excludeSiblingHintLabel": "`{1}` に一致するファイルが存在するとき、`{0}` に一致するファイルを除外",
+ "removeExcludeItem": "除外項目を削除",
+ "editExcludeItem": "除外項目を編集",
+ "addPattern": "パターンを追加",
+ "excludePatternInputPlaceholder": "除外パターン...",
+ "excludeSiblingInputPlaceholder": "パターンが存在するとき...",
+ "objectKeyInputPlaceholder": "キー",
+ "objectValueInputPlaceholder": "値",
+ "objectPairHintLabel": "プロパティ '{0}' は '{1}' に設定されています。",
+ "resetItem": "項目のリセット",
+ "objectKeyHeader": "項目",
+ "objectValueHeader": "値"
+ },
+ "vs/workbench/contrib/preferences/browser/tocTree": {
+ "settingsTOC": "設定の目次",
+ "groupRowAriaLabel": "{0}、グループ"
+ },
+ "vs/workbench/contrib/quickaccess/browser/quickAccess.contribution": {
+ "helpQuickAccessPlaceholder": "'{0}' を入力すると、ここで実行できるアクションに関するヘルプが示されます。",
+ "helpQuickAccess": "すべてのクイック アクセス プロバイダーを表示",
+ "viewQuickAccessPlaceholder": "開くビュー、出力チャンネル、または端末の名前を入力します。",
+ "viewQuickAccess": "ビューを開きます",
+ "commandsQuickAccessPlaceholder": "実行するコマンド名を入力します。",
+ "commandsQuickAccess": "コマンドの表示と実行",
+ "miCommandPalette": "コマンド パレット(&&C)...",
+ "miOpenView": "ビューを開く(&&O)...",
+ "miGotoSymbolInEditor": "エディター内のシンボルへ移動(&&S)...",
+ "miGotoLine": "行/列に移動(&&L)...",
+ "commandPalette": "コマンド パレット..."
+ },
+ "vs/workbench/contrib/quickaccess/browser/viewQuickAccess": {
+ "noViewResults": "一致するビューがありません",
+ "views": "サイド バー",
+ "panels": "パネル",
+ "terminalTitle": "{0}: {1}",
+ "terminals": "ターミナル",
+ "logChannel": "ログ ({0})",
+ "channels": "出力",
+ "openView": "ビューを開きます",
+ "quickOpenView": "Quick Open ビュー"
+ },
+ "vs/workbench/contrib/quickaccess/browser/commandsQuickAccess": {
+ "noCommandResults": "一致するコマンドがありません",
+ "configure keybinding": "キーバインドの構成",
+ "commandWithCategory": "{0}: {1}",
+ "showTriggerActions": "すべてのコマンドの表示",
+ "clearCommandHistory": "コマンド履歴のクリア"
+ },
+ "vs/workbench/contrib/relauncher/browser/relauncher.contribution": {
+ "relaunchSettingMessage": "再起動が必要な設定を変更しました。",
+ "relaunchSettingMessageWeb": "有効にするには再読み込みが必要な設定変更が行われました。",
+ "relaunchSettingDetail": "{0} を再起動ボタンで再起動して、設定を有効にしてください。",
+ "relaunchSettingDetailWeb": "[再読み込み] ボタンを押して {0} を再読み込みし、設定を有効にします。",
+ "restart": "再起動(&&R)",
+ "restartWeb": "再読み込み(&&R)"
+ },
+ "vs/workbench/contrib/remote/electron-sandbox/remote.contribution": {
+ "remote": "リモート",
+ "remote.downloadExtensionsLocally": "有効にすると、拡張機能がローカルにダウンロードされ、リモート上にインストールされます。"
+ },
+ "vs/workbench/contrib/remote/common/remote.contribution": {
+ "remoteExtensionLog": "リモート サーバー",
+ "ui": "UI 拡張機能の種類。リモート ウィンドウでは、これらの拡張機能はローカル マシンで使用可能な場合にのみ有効になります。",
+ "workspace": "ワークスペース拡張機能の種類。リモート ウィンドウでは、これらの拡張機能はリモートで使用可能な場合にのみ有効になります。",
+ "web": "web worker の拡張機能の種類。このような拡張機能は、web worker 拡張機能ホストで実行できます。",
+ "remote": "リモート",
+ "remote.extensionKind": "拡張子の種類をオーバーライドします。'ui' 拡張機能はローカル マシンでインストールされて実行されますが、'workspace' 拡張機能はリモートで実行されます。この設定を使用して拡張機能の既定の種類をオーバーライドすることで、その拡張機能をローカルまたはリモートのいずれかでインストールして有効にするかどうかを指定します。",
+ "remote.restoreForwardedPorts": "ワークスペースで転送したポートを復元します。",
+ "remote.autoForwardPorts": "有効にすると、新しい実行中のプロセスが検出され、リッスンしているポートが自動的に転送されます。"
+ },
+ "vs/workbench/contrib/remote/browser/remote": {
+ "RemoteHelpInformationExtPoint": "リモートのヘルプ情報への参加",
+ "RemoteHelpInformationExtPoint.getStarted": "プロジェクトの「はじめに」ページの URL、またはその URL を返すコマンド",
+ "RemoteHelpInformationExtPoint.documentation": "プロジェクトのドキュメント ページの URL、またはその URL を返すコマンド",
+ "RemoteHelpInformationExtPoint.feedback": "プロジェクトのフィードバック レポーターの URL、またはその URL を返すコマンド",
+ "RemoteHelpInformationExtPoint.issues": "プロジェクトの懸案事項リストの URL、またはその URL を返すコマンド",
+ "getStartedIcon": "リモート エクスプローラー ビュー内の概要アイコン。",
+ "documentationIcon": "リモート エクスプローラー ビュー内のドキュメント アイコン。",
+ "feedbackIcon": "リモート エクスプローラー ビュー内のフィードバック アイコン。",
+ "reviewIssuesIcon": "リモート エクスプローラー ビュー内の問題の確認アイコン。",
+ "reportIssuesIcon": "リモート エクスプローラー ビュー内の問題の報告アイコン。",
+ "remoteExplorerViewIcon": "リモート エクスプローラー ビューのアイコンを表示します。",
+ "remote.help.getStarted": "開始する",
+ "remote.help.documentation": "ドキュメントを読む",
+ "remote.help.feedback": "フィードバックの送信",
+ "remote.help.issues": "問題の確認",
+ "remote.help.report": "問題を報告",
+ "pickRemoteExtension": "開く URL を選択する",
+ "remote.help": "ヘルプとフィードバック",
+ "remotehelp": "リモート ヘルプ",
+ "remote.explorer": "リモート エクスプローラー",
+ "toggleRemoteViewlet": "リモート エクスプローラーを表示する",
+ "reconnectionWaitOne": "{0} 秒後に再接続しようとしています...",
+ "reconnectionWaitMany": "{0} 秒後に再接続しようとしています...",
+ "reconnectNow": "今すぐ再接続",
+ "reloadWindow": "ウィンドウの再読み込み",
+ "connectionLost": "接続が失われました",
+ "reconnectionRunning": "再接続を試みています...",
+ "reconnectionPermanentFailure": "再接続できません。ウィンドウを再読み込みしてください。",
+ "cancel": "キャンセル"
+ },
+ "vs/workbench/contrib/remote/browser/remoteExplorer": {
+ "ports": "ポート",
+ "1forwardedPort": "1 つの転送されたポート",
+ "nForwardedPorts": "{0} 個の転送されたポート",
+ "status.forwardedPorts": "転送されたポート",
+ "remote.forwardedPorts.statusbarTextNone": "転送されたポートなし",
+ "remote.forwardedPorts.statusbarTooltip": "転送されたポート: {0}",
+ "remote.tunnelsView.automaticForward": "ポート {0} で実行されているサービスは使用可能です。[使用可能なすべてのポートを参照する](command:{1}.focus)"
+ },
+ "vs/workbench/contrib/remote/browser/explorerViewItems": {
+ "remotes": "リモートの切り替え",
+ "remote.explorer.switch": "リモートの切り替え"
+ },
+ "vs/workbench/contrib/remote/browser/remoteIndicator": {
+ "remote.category": "リモート",
+ "remote.showMenu": "リモート メニューの表示",
+ "remote.close": "リモート接続を終了する",
+ "miCloseRemote": "リモート接続を閉じる(&&M)",
+ "host.open": "リモートを開いています...",
+ "disconnectedFrom": "{0} から切断しました",
+ "host.tooltipDisconnected": "{0} から切断しました",
+ "host.tooltip": "{0} での編集",
+ "noHost.tooltip": "リモート ウィンドウを開きます",
+ "remoteHost": "リモート ホスト",
+ "cat.title": "{0}: {1}",
+ "closeRemote.title": "リモート接続を終了する"
+ },
+ "vs/workbench/contrib/remote/browser/tunnelView": {
+ "remote.tunnelsView.add": "ポートを転送...",
+ "remote.tunnelsView.detected": "既存のトンネル",
+ "remote.tunnelsView.candidates": "転送されていません",
+ "remote.tunnelsView.input": "Enter キーを押して確定するか、Esc キーを押してキャンセルします。",
+ "remote.tunnelsView.forwardedPortLabel0": "{0}",
+ "remote.tunnelsView.forwardedPortLabel1": "{0} → {1}",
+ "remote.tunnelsView.forwardedPortLabel2": "{0}",
+ "remote.tunnelsView.forwardedPortDescription0": "{0} → {1}",
+ "remote.tunnel": "ポート",
+ "remote.tunnel.ariaLabelForwarded": "リモート ポート {0}:{1} はローカル アドレス {2} に転送されました",
+ "remote.tunnel.ariaLabelCandidate": "リモート ポート {0}:{1} は転送されていません",
+ "tunnelView": "トンネル ビュー",
+ "remote.tunnel.label": "ラベルの設定",
+ "remote.tunnelsView.labelPlaceholder": "ポート ラベル",
+ "remote.tunnelsView.portNumberValid": "転送されたポートが無効です。",
+ "remote.tunnelsView.portNumberToHigh": "ポート番号は、0 以上、{0} 未満でなければなりません。",
+ "remote.tunnel.forward": "ポートの転送",
+ "remote.tunnel.forwardItem": "ポートを転送する",
+ "remote.tunnel.forwardPrompt": "ポート番号またはアドレス (例: 3000 または 10.10.10.10:2000)。",
+ "remote.tunnel.forwardError": "{0}:{1} を転送できません。ホストが利用できないか、そのリモート ポートが既に転送されている可能性があります",
+ "remote.tunnel.closeNoPorts": "現在転送されているポートはありません。{0} コマンドを実行してみてください",
+ "remote.tunnel.close": "ポートの転送を停止する",
+ "remote.tunnel.closePlaceholder": "転送を停止するポートを選択する",
+ "remote.tunnel.open": "ブラウザーで開く",
+ "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": "ローカル ポート {0} は使用できません。代わりにポート番号 {1} が使用されました",
+ "remote.tunnelsView.changePort": "新しいローカル ポート"
+ },
+ "vs/workbench/contrib/sash/browser/sash.contribution": {
+ "sashSize": "ビューまたはエディター間にあるドラッグ領域のフィードバック領域のサイズをピクセル単位で制御します。マウスを使用してビューのサイズを変更するのが困難な場合は、これを大きな値に設定してください。"
+ },
+ "vs/workbench/contrib/scm/browser/scm.contribution": {
+ "sourceControlViewIcon": "ソース管理ビューのアイコンを表示します。",
+ "source control": "ソース管理",
+ "no open repo": "ソース管理プロバイダーが登録されていません。",
+ "source control repositories": "ソース管理リポジトリ",
+ "toggleSCMViewlet": "SCM を表示",
+ "scmConfigurationTitle": "SCM",
+ "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": "ソース管理の差分の余白の装飾に関する動作を制御します。",
+ "alwaysShowActions": "ソース管理ビューでインラインのアクションを常に表示するかどうかを制御します。",
+ "scm.countBadge.all": "すべてのソース管理プロバイダー カウント バッジの合計を表示します。",
+ "scm.countBadge.focused": "フォーカスのあるソース管理プロバイダーのカウント バッジを表示します。",
+ "scm.countBadge.off": "ソース管理のカウント バッジを無効にします。",
+ "scm.countBadge": "アクティビティ バーのソース管理アイコンのカウント バッジを制御します。",
+ "scm.providerCountBadge.hidden": "ソース管理プロバイダーのカウント バッジを非表示にします。",
+ "scm.providerCountBadge.auto": "0 以外の場合にのみ、ソース管理プロバイダーのカウント バッジを表示します。",
+ "scm.providerCountBadge.visible": "ソース管理プロバイダーのカウント バッジを表示します。",
+ "scm.providerCountBadge": "ソース管理プロバイダー ヘッダーのカウント バッジを制御します。これらのヘッダーは、複数のプロバイダーがある場合にのみ表示されます。",
+ "scm.defaultViewMode.tree": "リポジトリの変更をツリー形式で表示します。",
+ "scm.defaultViewMode.list": "リポジトリの変更を一覧で表示します。",
+ "scm.defaultViewMode": "既定のソース管理リポジトリ ビュー モードを制御します。",
+ "autoReveal": "ファイルを開くときに SCM ビューでそのファイルを自動的に表示および選択するかどうかを制御します。",
+ "inputFontFamily": "入力メッセージのフォントを制御します。ワークベンチ ユーザー インターフェイスのフォント ファミリーを使う場合は 'default'、'#editor.fontFamily#' の値を使う場合は 'editor' を使用します。カスタム フォント ファミリーを使うこともできます。",
+ "alwaysShowRepository": "リポジトリが SCM ビューに常に表示される必要があるかどうかを制御します。",
+ "providersVisible": "ソース管理リポジトリのセクションに表示するリポジトリの数を制御します。'0' に設定すると、ビューのサイズを手動で変更できるようになります。",
+ "miViewSCM": "SCM(&&C)",
+ "scm accept": "SCM: 入力を反映",
+ "scm view next commit": "SCM: 次のコミットの表示",
+ "scm view previous commit": "SCM: 前のコミットの表示",
+ "open in terminal": "ターミナルで開く"
+ },
+ "vs/workbench/contrib/scm/browser/activity": {
+ "status.scm": "ソース管理",
+ "scmPendingChangesBadge": "{0} 個の保留中の変更"
+ },
+ "vs/workbench/contrib/scm/browser/dirtydiffDecorator": {
+ "changes": "{1} 個のうち {0} 個の変更",
+ "change": "{1} 個のうち {0} 個の変更 ",
+ "show previous change": "前の変更箇所を表示",
+ "show next change": "次の変更箇所を表示",
+ "miGotoNextChange": "次の変更箇所(&&C)",
+ "miGotoPreviousChange": "前の変更箇所(&&C)",
+ "move to previous change": "前の変更箇所に移動",
+ "move to next change": "次の変更箇所に移動",
+ "editorGutterModifiedBackground": "編集された行を示すエディター余白の背景色。",
+ "editorGutterAddedBackground": "追加された行を示すエディター余白の背景色。",
+ "editorGutterDeletedBackground": "削除された行を示すエディター余白の背景色。",
+ "minimapGutterModifiedBackground": "変更された行のミニマップとじしろの背景色。",
+ "minimapGutterAddedBackground": "追加された行のミニマップとじしろの背景色。",
+ "minimapGutterDeletedBackground": "削除された行のミニマップの余白の背景色。",
+ "overviewRulerModifiedForeground": "変更されたコンテンツを示す概要ルーラーのマーカー色。",
+ "overviewRulerAddedForeground": "追加されたコンテンツを示す概要ルーラーのマーカー色。",
+ "overviewRulerDeletedForeground": "削除されたコンテンツを示す概要ルーラーのマーカー色。"
+ },
+ "vs/workbench/contrib/scm/browser/scmViewPaneContainer": {
+ "source control": "ソース管理"
+ },
+ "vs/workbench/contrib/scm/browser/scmRepositoriesViewPane": {
+ "scm": "ソース管理リポジトリ"
+ },
+ "vs/workbench/contrib/scm/browser/scmViewPane": {
+ "scm": "ソース管理の管理",
+ "input": "ソース管理の入力",
+ "repositories": "リポジトリ",
+ "sortAction": "表示と並べ替え",
+ "toggleViewMode": "ビュー モードの切り替え",
+ "viewModeList": "一覧として表示",
+ "viewModeTree": "ツリーとして表示",
+ "sortByName": "名前順で並べ替え",
+ "sortByPath": "パス順で並べ替え",
+ "sortByStatus": "状態順で並べ替え",
+ "expand all": "Expand All Repositories",
+ "collapse all": "すべてのリポジトリを折りたたむ",
+ "scm.providerBorder": "SCM プロバイダーの区切りの境界線。"
+ },
+ "vs/workbench/contrib/search/browser/search.contribution": {
+ "search": "検索",
+ "copyMatchLabel": "コピー",
+ "copyPathLabel": "パスのコピー",
+ "copyAllLabel": "すべてコピー",
+ "revealInSideBar": "サイド バーに表示",
+ "clearSearchHistoryLabel": "検索履歴のクリア",
+ "focusSearchListCommandLabel": "リストにフォーカス",
+ "findInFolder": "フォルダー内を検索...",
+ "findInWorkspace": "ワークスペース内を検索...",
+ "showTriggerActions": "ワークスペース内のシンボルへ移動...",
+ "name": "検索",
+ "findInFiles.description": "検索ビューレットを開く",
+ "findInFiles.args": "検索ビューレットのオプション セット",
+ "findInFiles": "フォルダーを指定して検索",
+ "miFindInFiles": "フォルダーを指定して検索(&&I)",
+ "miReplaceInFiles": "フォルダーを指定して置換(&&I)",
+ "anythingQuickAccessPlaceholder": "ファイルを名前で検索 ({0} を追加して行に移動するか、{1} を追加してシンボルに移動します)",
+ "anythingQuickAccess": "ファイルに移動する",
+ "symbolsQuickAccessPlaceholder": "開くシンボルの名前を入力します。",
+ "symbolsQuickAccess": "ワークスペース内のシンボルへ移動",
+ "searchConfigurationTitle": "検索",
+ "exclude": "フルテキスト検索および Quick Open でファイルやフォルダーを除外するための glob パターンを構成します。'#files.exclude#' 設定からすべての glob パターンを継承します。glob パターンの詳細については、[こちら](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options) を参照してください。",
+ "exclude.boolean": "ファイル パスの照合基準となる glob パターン。これを true または false に設定すると、パターンがそれぞれ有効/無効になります。",
+ "exclude.when": "一致するファイルの兄弟をさらにチェックします。一致するファイル名の変数として $(basename) を使用します。",
+ "useRipgrep": "この設定は推奨されず、現在 \"search.usePCRE2\" にフォール バックします。",
+ "useRipgrepDeprecated": "推奨されません。高度な正規表現機能サポートのために \"search.usePCRE2\" の利用を検討してください。",
+ "search.maintainFileSearchCache": "有効にすると、searchService プロセスは 1 時間操作がない場合でもシャットダウンされず、アクティブな状態に保たれます。これにより、ファイル検索キャッシュがメモリに保持されます。",
+ "useIgnoreFiles": "ファイルを検索するときに、`.gitignore` ファイルと `.ignore` ファイルを使用するかどうかを制御します。",
+ "useGlobalIgnoreFiles": "ファイルを検索するときに、グローバルの `.gitignore` と `.ignore` ファイルを使用するかどうかを制御します。",
+ "search.quickOpen.includeSymbols": "グローバル シンボル検索の結果を、Quick Open の結果ファイルに含めるかどうか。",
+ "search.quickOpen.includeHistory": "最近開いたファイルの結果を、Quick Open の結果ファイルに含めるかどうか。",
+ "filterSortOrder.default": "履歴エントリは、使用されるフィルター値に基づいて関連性によって並び替えられます。関連性の高いエントリが最初に表示されます。",
+ "filterSortOrder.recency": "履歴エントリは、新しい順に並べ替えられます。最近開いたエントリが最初に表示されます。",
+ "filterSortOrder": "フィルター処理時に、 Quick Open におけるエディター履歴の並べ替え順序を制御します。",
+ "search.followSymlinks": "検索中にシンボリック リンクをたどるかどうかを制御します。",
+ "search.smartCase": "すべて小文字のパターンの場合、大文字と小文字を区別しないで検索し、そうでない場合は大文字と小文字を区別して検索します。",
+ "search.globalFindClipboard": "macOS で検索ビューが共有の検索クリップボードを読み取りまたは変更するかどうかを制御します。",
+ "search.location": "検索をサイドバーのビューとして表示するか、より水平方向の空間をとるためにパネル領域のパネルとして表示するかを制御します。",
+ "search.location.deprecationMessage": "この設定は非推奨です。代わりに、[検索] アイコンをドラッグし、ドラッグ アンド ドロップを使用してください。",
+ "search.collapseResults.auto": "結果が 10 件未満のファイルが展開されます。他のファイルは折りたたまれます。",
+ "search.collapseAllResults": "検索結果を折りたたむか展開するかどうかを制御します。",
+ "search.useReplacePreview": "一致項目を選択するか置換するときに、置換のプレビューを開くかどうかを制御します。",
+ "search.showLineNumbers": "検索結果に行番号を表示するかどうかを制御します。",
+ "search.usePCRE2": "テキスト検索に PCRE2 正規表現エンジンを使用するかどうか。これにより、先読みや後方参照といった高度な正規表現機能を使用できるようになります。ただし、すべての PCRE2 機能がサポートされているわけではありません。JavaScript によってサポートされる機能のみが使用できます。",
+ "usePCRE2Deprecated": "廃止されました。PCRE2 でのみサポートされている正規表現機能を使用すると、PCRE2 が自動的に使用されます。",
+ "search.actionsPositionAuto": "検索ビューが狭い場合はアクションバーを右に、検索ビューが広い場合はコンテンツの直後にアクションバーを配置します。",
+ "search.actionsPositionRight": "アクションバーを常に右側に表示します。",
+ "search.actionsPosition": "検索ビューの行内のアクションバーの位置を制御します。",
+ "search.searchOnType": "入力中の文字列を全てのファイルから検索する。",
+ "search.seedWithNearestWord": "アクティブなエディターで何も選択されていないときに、カーソルに最も近い語からのシード検索を有効にします。",
+ "search.seedOnFocus": "検索ビューにフォーカスを置いたときに、ワークスペースの検索クエリが、エディターで選択されているテキストに更新されます。これは、クリックされたときか、'workbench.views.search.focus' コマンドがトリガーされたときに発生します。",
+ "search.searchOnTypeDebouncePeriod": "'#search.searchOnType#' を有効にすると、文字が入力されてから検索が開始されるまでのタイムアウト (ミリ秒) が制御されます。'search.searchOnType' が無効になっている場合には影響しません。",
+ "search.searchEditor.doubleClickBehaviour.selectWord": "ダブルクリックすると、カーソルの下にある単語が選択されます。",
+ "search.searchEditor.doubleClickBehaviour.goToLocation": "ダブルクリックすると、アクティブなエディター グループに結果が開きます。",
+ "search.searchEditor.doubleClickBehaviour.openLocationToSide": "ダブルクリックすると、結果はエディター グループの横に開かれ、まだ存在しない場合は作成されます。",
+ "search.searchEditor.doubleClickBehaviour": "検索エディターで結果をダブル クリックした場合の効果を構成します。",
+ "search.searchEditor.reusePriorSearchConfiguration": "有効にすると、新しい検索エディターで、以前に開かれていた検索エディターの包含、除外、フラグが再利用されます",
+ "search.searchEditor.defaultNumberOfContextLines": "新しい検索エディターを作成するときに使用する、前後のコンテキスト行の既定数です。'#search.searchEditor.reusePriorSearchConfiguration#' を使用している場合、検索エディターの以前の構成を使用するには、これを 'null ' (空) に設定することができます。",
+ "searchSortOrder.default": "結果はフォルダー名とファイル名でアルファベット順に並べ替えられます。",
+ "searchSortOrder.filesOnly": "結果はフォルダーの順序を無視したファイル名でアルファベット順に並べ替えられます。",
+ "searchSortOrder.type": "結果は、ファイル拡張子でアルファベット順に並べ替えられます。",
+ "searchSortOrder.modified": "結果は、ファイルの最終更新日で降順に並べ替えられます。",
+ "searchSortOrder.countDescending": "結果は、ファイルあたりの数で降順に並べ替えられます。",
+ "searchSortOrder.countAscending": "結果は、ファイルごとのカウントで昇順に並べ替えられます。",
+ "search.sortOrder": "検索結果の並べ替え順序を制御します。",
+ "miViewSearch": "検索(&&S)",
+ "miGotoSymbolInWorkspace": "ワークスペース内のシンボルへ移動(&&W)..."
+ },
+ "vs/workbench/contrib/search/browser/searchView": {
+ "searchCanceled": "結果が見つかる前に検索が取り消されました - ",
+ "moreSearch": "詳細検索の切り替え",
+ "searchScope.includes": "含めるファイル",
+ "label.includes": "検索包含パターン",
+ "searchScope.excludes": "除外するファイル",
+ "label.excludes": "検索除外パターン",
+ "replaceAll.confirmation.title": "すべて置換",
+ "replaceAll.confirm.button": "置換(&&R)",
+ "replaceAll.occurrence.file.message": "{1} 個のファイルで {0} 件の出現箇所を '{2}' に置換しました。",
+ "removeAll.occurrence.file.message": "{1} ファイル全体で {0} か所を置換しました。",
+ "replaceAll.occurrence.files.message": "{1} 個のファイルで {0} 件の出現箇所を '{2}' に置換しました。",
+ "removeAll.occurrence.files.message": "{1} 個のファイルで {0} 件の出現箇所を置換しました。",
+ "replaceAll.occurrences.file.message": "{1} 個のファイルで {0} 件の出現箇所を '{2}' に置換しました。",
+ "removeAll.occurrences.file.message": "{1} ファイル全体で {0} か所を置き換えました。",
+ "replaceAll.occurrences.files.message": "{1} 個のファイルで {0} 件の出現箇所を '{2}' に置換しました。",
+ "removeAll.occurrences.files.message": "{1} 個のファイルで {0} 件の出現箇所を置換しました。",
+ "removeAll.occurrence.file.confirmation.message": "{1} 個のファイルで {0} 件の出現箇所を '{2}' に置換しますか?",
+ "replaceAll.occurrence.file.confirmation.message": "{1} ファイル全体で {0} か所を置き換えますか?",
+ "removeAll.occurrence.files.confirmation.message": "{1} 個のファイルで {0} 件の出現箇所を '{2}' に置換しますか?",
+ "replaceAll.occurrence.files.confirmation.message": "{1} 個のファイルで {0} 件の出現箇所を置換しますか?",
+ "removeAll.occurrences.file.confirmation.message": "{1} 個のファイルで {0} 件の出現箇所を '{2}' に置換しますか?",
+ "replaceAll.occurrences.file.confirmation.message": "{1} ファイル全体で {0} か所を置き換えますか?",
+ "removeAll.occurrences.files.confirmation.message": "{1} 個のファイルで {0} 件の出現箇所を '{2}' に置換しますか?",
+ "replaceAll.occurrences.files.confirmation.message": "{1} 個のファイルで {0} 件の出現箇所を置換しますか?",
+ "emptySearch": "空の検索",
+ "ariaSearchResultsClearStatus": "検索結果がクリアされました",
+ "searchPathNotFoundError": "検索パスが見つかりません: {0}",
+ "searchMaxResultsWarning": "結果セットにはすべての一致項目のサブセットのみが含まれています。より限定的な検索条件を入力して、検索結果を絞り込んでください。",
+ "noResultsIncludesExcludes": "'{0}' に '{1}' を除外した結果はありません - ",
+ "noResultsIncludes": "'{0}' に結果はありません - ",
+ "noResultsExcludes": "'{0}' を除外した結果はありませんでした - ",
+ "noResultsFound": "結果がありません。除外構成の設定を確認し、gitignore ファイルを調べてください - ",
+ "rerunSearch.message": "もう一度検索してください",
+ "rerunSearchInAll.message": "すべてのファイルでもう一度検索してください",
+ "openSettings.message": "設定を開く",
+ "openSettings.learnMore": "詳細を表示",
+ "ariaSearchResultsStatus": "検索により {1} 個のファイル内の {0} 件の結果が返されました",
+ "forTerm": " - 検索: {0}",
+ "useIgnoresAndExcludesDisabled": "- 除外設定を使用して、ファイルを無視するが無効です",
+ "openInEditor.message": "エディターで開く",
+ "openInEditor.tooltip": "現在の検索結果をエディターにコピーする",
+ "search.file.result": "{1} 個のファイルに {0} 件の結果",
+ "search.files.result": "{1} 個のファイルに {0} 件の結果",
+ "search.file.results": "{1} 個のファイルに {0} 件の結果",
+ "search.files.results": "{1} 個のファイルに {0} 件の結果",
+ "searchWithoutFolder": "フォルダーを開いたり指定したりしていません。開いているファイルのみが現在検索されています - ",
+ "openFolder": "フォルダーを開く"
+ },
+ "vs/workbench/contrib/search/browser/searchActions": {
+ "showSearch": "検索の表示",
+ "replaceInFiles": "複数のファイルで置換",
+ "toggleTabs": "型の検索を切り替える",
+ "RefreshAction.label": "最新の情報に更新",
+ "CollapseDeepestExpandedLevelAction.label": "すべて折りたたんで表示します。",
+ "ExpandAllAction.label": "すべて展開",
+ "ToggleCollapseAndExpandAction.label": "折りたたみと展開の切り替え",
+ "ClearSearchResultsAction.label": "検索結果のクリア",
+ "CancelSearchAction.label": "検索のキャンセル",
+ "FocusNextSearchResult.label": "次の検索結果にフォーカス",
+ "FocusPreviousSearchResult.label": "前の検索結果にフォーカス",
+ "RemoveAction.label": "無視",
+ "file.replaceAll.label": "すべて置換",
+ "match.replace.label": "置換"
+ },
+ "vs/workbench/contrib/search/browser/symbolsQuickAccess": {
+ "noSymbolResults": "一致するワークスペース シンボルがありません",
+ "openToSide": "横に開く",
+ "openToBottom": "一番下に開く"
+ },
+ "vs/workbench/contrib/search/browser/anythingQuickAccess": {
+ "noAnythingResults": "一致する結果がありません",
+ "recentlyOpenedSeparator": "最近開いたもの",
+ "fileAndSymbolResultsSeparator": "ファイルとシンボルの結果",
+ "fileResultsSeparator": "結果ファイル",
+ "filePickAriaLabelDirty": "{0}、ダーティ",
+ "openToSide": "横に開く",
+ "openToBottom": "一番下に開く",
+ "closeEditor": "最近開いた項目から削除"
+ },
+ "vs/workbench/contrib/search/browser/searchWidget": {
+ "search.action.replaceAll.disabled.label": "すべて置換 (有効にする検索を実行)",
+ "search.action.replaceAll.enabled.label": "すべて置換",
+ "search.replace.toggle.button.title": "置換の切り替え",
+ "label.Search": "検索: 検索語句を入力し Enter を押して検索します",
+ "search.placeHolder": "検索",
+ "showContext": "コンテキスト行を切り替える",
+ "label.Replace": "置換: 置換用語を入力し、Enter を押してプレビューします",
+ "search.replace.placeHolder": "置換"
+ },
+ "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/patternInputWidget": {
+ "defaultLabel": "入力",
+ "useExcludesAndIgnoreFilesDescription": "除外設定を使用してファイルを無視"
+ },
+ "vs/workbench/contrib/search/browser/searchResultsView": {
+ "searchFolderMatch.other.label": "その他のファイル",
+ "searchFileMatches": "{0} 個のファイルが見つかりました",
+ "searchFileMatch": "{0} 個のファイルが見つかりました",
+ "searchMatches": "一致する項目が {0} 件見つかりました",
+ "searchMatch": "一致する項目が {0} 件見つかりました",
+ "lineNumStr": "{0} 行から",
+ "numLinesStr": "さらに {0} 行",
+ "search": "検索",
+ "folderMatchAriaLabel": "{1} フォルダー ルート内で {0} 件の一致、検索結果",
+ "otherFilesAriaLabel": "ワークスペースの外側で {0} 件の一致、検索結果",
+ "fileMatchAriaLabel": "フォルダー {2} のファイル {1} 内で {0} 件の一致、検索結果",
+ "replacePreviewResultAria": "テキスト {3} の {2} 列目の {0} を {1} に置換します",
+ "searchResultAria": "テキスト {2} の {1} 列目に {0} が見つかりました"
+ },
+ "vs/workbench/contrib/search/common/queryBuilder": {
+ "search.noWorkspaceWithName": "ワークスペースに次の名前のフォルダーはありません: {0}"
+ },
+ "vs/workbench/contrib/search/browser/replaceService": {
+ "fileReplaceChanges": "{0} ↔ {1} (置換のプレビュー)"
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditor.contribution": {
+ "searchEditor": "検索エディター",
+ "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": "すべての一致を選択"
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditorActions": {
+ "search.openNewEditor": "新しい検索エディターを開く"
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditor": {
+ "moreSearch": "詳細検索の切り替え",
+ "searchScope.includes": "含めるファイル",
+ "label.includes": "検索包含パターン",
+ "searchScope.excludes": "除外するファイル",
+ "label.excludes": "検索除外パターン",
+ "runSearch": "検索の実行",
+ "searchResultItem": "ファイル {2} 内の {1} で {0} に一致しました",
+ "searchEditor": "検索",
+ "textInputBoxBorder": "検索エディターのテキスト入力ボックスの境界線。"
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditorInput": {
+ "searchTitle.withQuery": "検索: {0}",
+ "searchTitle": "検索"
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditorSerialization": {
+ "invalidQueryStringError": "クエリ文字列内のすべてのバックスラッシュをエスケープする必要があります (\\\\)",
+ "numFiles": "{0} ファイル",
+ "oneFile": "1 ファイル",
+ "numResults": "{0} 件の結果",
+ "oneResult": "1 件の結果",
+ "noResults": "結果はありません。",
+ "searchMaxResultsWarning": "結果セットにはすべての一致項目のサブセットのみが含まれています。より限定的な検索条件を入力して、検索結果を絞り込んでください。"
+ },
+ "vs/workbench/contrib/snippets/browser/snippets.contribution": {
+ "snippetSchema.json.prefix": "Intellisense でスニペットを選択するときに使用するプレフィックス",
+ "snippetSchema.json.body": "スニペットの内容。カーソルの位置を定義するには '$1'、'${1:defaultText}' を使用し、最後のカーソルの位置には '$0' を使用します。'${varName}' と '${varName:defaultText}' を含む変数値 (例: 'This is file: $TM_FILENAME') を挿入します。",
+ "snippetSchema.json.description": "スニペットについての記述。",
+ "snippetSchema.json.default": "空のスニペット",
+ "snippetSchema.json": "ユーザー スニペット構成",
+ "snippetSchema.json.scope": "このスニペットが適用される言語名のリスト (例: 'typescript,javascript')。"
+ },
+ "vs/workbench/contrib/snippets/browser/insertSnippet": {
+ "snippet.suggestions.label": "スニペットの挿入",
+ "sep.userSnippet": "ユーザー スニペット",
+ "sep.extSnippet": "拡張機能のスニペット",
+ "sep.workspaceSnippet": "ワークスペースのスニペット",
+ "disableSnippet": "IntelliSense で表示しない",
+ "isDisabled": "(IntelliSense には表示されません)",
+ "enable.snippet": "IntelliSense で表示する",
+ "pick.placeholder": "スニペットを選択してください"
+ },
+ "vs/workbench/contrib/snippets/browser/snippetsService": {
+ "invalid.path.0": "`contributes.{0}.path` に文字列が必要です。提供された値: {1}",
+ "invalid.language.0": "言語を省略するとき、`contributes.{0}.path` の値は `.code-snippets`-file にする必要があります。提供された値: {1}",
+ "invalid.language": "`contributes.{0}.language` で不明な言語です。提供された値: {1}",
+ "invalid.path.1": "拡張機能のフォルダー ({2}) の中に `contributes.{0}.path` ({1}) が含まれている必要があります。これにより拡張を移植できなくなる可能性があります。",
+ "vscode.extension.contributes.snippets": "スニペットを提供します。",
+ "vscode.extension.contributes.snippets-language": "このスニペットの提供先の言語識別子です。",
+ "vscode.extension.contributes.snippets-path": "スニペット ファイルのパス。拡張機能フォルダーの相対パスであり、通常 './snippets/' で始まります。",
+ "badVariableUse": "拡張機能 '{0}' の 1 つまたは複数のスニペットは、スニペット変数とスニペット プレース ホルダーを混乱させる可能性が非常にあります。 (詳細については、 https://code.visualstudio.com/docs/editor/userdefinedsnippets#_snippet-syntax を参照してください)",
+ "badFile": "スニペット ファイル \"{0}\" を読み込むことができませんでした。"
+ },
+ "vs/workbench/contrib/snippets/browser/configureSnippets": {
+ "global.scope": "(グローバル)",
+ "global.1": "({0})",
+ "name": "スニペット ファイル名の入力",
+ "bad_name1": "無効なファイル名",
+ "bad_name2": "'{0}' は無効なファイル名です",
+ "bad_name3": "'{0}' は既に存在します",
+ "new.global_scope": "GLOBAL",
+ "new.global": "新しいグローバル スニペット ファイル...",
+ "new.workspace_scope": "{0} ワークスペース",
+ "new.folder": "'{0}' の新しいスニペット ファイル...",
+ "group.global": "既存のスニペット",
+ "new.global.sep": "新しいスニペット",
+ "openSnippet.pickLanguage": "スニペット ファイルの選択もしくはスニペットの作成",
+ "openSnippet.label": "ユーザー スニペットの構成",
+ "preferences": "基本設定",
+ "miOpenSnippets": "ユーザー スニペット(&&S)",
+ "userSnippets": "ユーザー スニペット"
+ },
+ "vs/workbench/contrib/snippets/browser/snippetsFile": {
+ "source.workspaceSnippetGlobal": "ワークスペースのスニペット",
+ "source.userSnippetGlobal": "グローバル ユーザー スニペット",
+ "source.userSnippet": "ユーザー スニペット"
+ },
+ "vs/workbench/contrib/snippets/browser/snippetCompletionProvider": {
+ "detail.snippet": "{0} ({1})",
+ "snippetSuggest.longLabel": "{0}、{1}"
+ },
+ "vs/workbench/contrib/surveys/browser/nps.contribution": {
+ "surveyQuestion": "短いフィードバック アンケートにご協力をお願いできますか?",
+ "takeSurvey": "アンケートの実施",
+ "remindLater": "後で通知する",
+ "neverAgain": "今後は表示しない"
+ },
+ "vs/workbench/contrib/surveys/browser/languageSurveys.contribution": {
+ "helpUs": "{0} のサポートの改善にご協力ください",
+ "takeShortSurvey": "簡単なアンケートの実施",
+ "remindLater": "後で通知する",
+ "neverAgain": "今後は表示しない"
+ },
+ "vs/workbench/contrib/tags/electron-browser/workspaceTagsService": {
+ "workspaceFound": "このフォルダーには、ワークスペース ファイル '{0}' が含まれています。それを開きますか? ワークスペース ファイルに関しての [詳細情報]({1}) をご覧ください。",
+ "openWorkspace": "ワークスペースを開く",
+ "workspacesFound": "このフォルダーには、複数のワークスペース ファイルが含まれています。1 つを開いてみますか?ワークスペース ファイルに関しての [詳細情報]({0}) をご覧ください。",
+ "selectWorkspace": "ワークスペースを選択",
+ "selectToOpen": "開くワークスペースを選択します。"
+ },
+ "vs/workbench/contrib/tasks/electron-browser/taskService": {
+ "TaskSystem.runningTask": "実行中のタスクがあります。終了しますか?",
+ "TaskSystem.terminateTask": "タスクの終了(&&T)",
+ "TaskSystem.noProcess": "起動したタスクは既に存在しません。タスクを起動したバックグラウンド プロセスが VS コードで終了すると、プロセスが孤立することがあります。これを回避するには、待機フラグを設定して最後のバックグラウンド プロセスを開始します。",
+ "TaskSystem.exitAnyways": "このまま終了(&&E)"
+ },
+ "vs/workbench/contrib/tasks/common/tasks": {
+ "tasksCategory": "タスク",
+ "TaskDefinition.missingRequiredProperty": "エラー: タスク識別子 '{0}' に必要な '{1}' プロパティがありません。タスク識別子は無視されます。"
+ },
+ "vs/workbench/contrib/tasks/common/taskConfiguration": {
+ "ConfigurationParser.invalidCWD": "警告: options.cwd の型は文字列である必要があります。値 {0} は無視されます\r\n",
+ "ConfigurationParser.inValidArg": "エラー: コマンド引数は文字列または引用符で囲まれた文字列である必要があります。指定された値:\r\n{0}",
+ "ConfigurationParser.noShell": "警告: シェル構成がサポートされるのは、ターミナルでタスクを実行している場合のみです。",
+ "ConfigurationParser.noName": "エラー: 宣言スコープ内の問題マッチャーには名前が必要です:\r\n{0}\r\n",
+ "ConfigurationParser.unknownMatcherKind": "警告: 定義された問題マッチャーは不明です。サポートされている型は、string | ProblemMatcher | Array です。\r\n{0}\r\n",
+ "ConfigurationParser.invalidVariableReference": "エラー: 無効な problemMatcher 参照: {0}\r\n",
+ "ConfigurationParser.noTaskType": "エラー: タスクの構成には type プロパティが必要です。この構成は無視されます。\r\n{0}\r\n",
+ "ConfigurationParser.noTypeDefinition": "Error: タスク タイプ '{0}' は登録されていません。対応するタスク プロバイダーを提供する拡張機能をインストールしましたか?",
+ "ConfigurationParser.missingType": "エラー: タスク構成 '{0}' に必要な 'type' プロパティがありません。タスク構成は無視されます。",
+ "ConfigurationParser.incorrectType": "エラー: タスク構成 '{0}' に未知の型が使用されています。タスク構成は無視されます。",
+ "ConfigurationParser.notCustom": "エラー: タスクはカスタム タスクとして宣言されていません。この構成は無視されます。\r\n{0}\r\n",
+ "ConfigurationParser.noTaskName": "エラー: タスクではラベル プロパティを指定する必要があります。このタスクは無視されます。\r\n{0}\r\n",
+ "taskConfiguration.providerUnavailable": "警告: {0} タスクは現在の環境では使用できません。\r\n",
+ "taskConfiguration.noCommandOrDependsOn": "エラー: タスク '{0}' にコマンドまたは dependsOn プロパティのどちらも指定されていません。このタスクは無視されます。その定義は次のとおりです:\r\n{1}",
+ "taskConfiguration.noCommand": "エラー: タスク '{0}' ではコマンドが定義されていません。このタスクは無視されます。その定義は次のとおりです:\r\n{1}",
+ "TaskParse.noOsSpecificGlobalTasks": "タスク version 2.0.0 では、OS 固有のグローバル タスクはサポートされていません。それらを OS 固有のコマンドを使用したタスクに変換してください。影響を受けるタスク:\r\n{0}"
+ },
+ "vs/workbench/contrib/tasks/node/processTaskSystem": {
+ "version1_0": "タスク システムがバージョン 0.1.0 で構成されています (tasks.json ファイルを見てください)。このバージョンはカスタム タスクのみ実行できます。タスクを実行するにはバージョン 2.0.0 に更新してください: {0}",
+ "TaskRunnerSystem.unknownError": "タスクの実行中に不明なエラーが発生しました。詳細については、タスク出力ログを参照してください。",
+ "TaskRunnerSystem.watchingBuildTaskFinished": "\r\nビルド タスクの監視が完了しました。",
+ "TaskRunnerSystem.childProcessError": "外部プログラム {0} {1} を起動できませんでした。",
+ "TaskRunnerSystem.cancelRequested": "\r\nタスク '{0}' はユーザー要求によって終了されました。",
+ "unknownProblemMatcher": "問題マッチャー {0} を解決できません。このマッチャーは無視されます"
+ },
+ "vs/workbench/contrib/tasks/node/processRunnerDetector": {
+ "TaskSystemDetector.noGulpTasks": "gulp --tasks-simple が実行されましたがタスクの一覧は表示されませんでした。npm install を実行しましたか?",
+ "TaskSystemDetector.noJakeTasks": "jake --tasks が実行されましたがタスクの一覧は表示されませんでした。npm install を実行しましたか?",
+ "TaskSystemDetector.noGulpProgram": "システムに Gulp がインストールされていません。npm install -g gulp を実行してインストールしてください。",
+ "TaskSystemDetector.noJakeProgram": "システムに Jake がインストールされていません。npm install -g jake を実行してインストールしてください。",
+ "TaskSystemDetector.noGruntProgram": "システムに Grunt がインストールされていません。npm install -g grunt を実行してインストールしてください。",
+ "TaskSystemDetector.noProgram": "プログラム {0} が見つかりませんでした。メッセージは {1} です",
+ "TaskSystemDetector.buildTaskDetected": "名前 '{0}' のビルド タスクが検出されました。",
+ "TaskSystemDetector.testTaskDetected": "名前 '{0}' のテスト タスクが検出されました。"
+ },
+ "vs/workbench/contrib/tasks/browser/abstractTaskService": {
+ "ConfigureTaskRunnerAction.label": "タスクの構成",
+ "tasks": "タスク",
+ "TaskSystem.noHotSwap": "アクティブなタスクを実行しているタスク実行エンジンを変更するには、ウィンドウの再読み込みが必要です",
+ "reloadWindow": "ウィンドウの再読み込み",
+ "TaskService.pickBuildTaskForLabel": "ビルド タスクを選択します (既定のビルド タスクが定義されていません)",
+ "taskServiceOutputPrompt": "タスク エラーがあります。詳細は出力をご覧ください。",
+ "showOutput": "出力の表示",
+ "TaskServer.folderIgnored": "{0} フォルダーはタスク バージョン 0.1.0 を使用しているために無視されます",
+ "TaskService.providerUnavailable": "警告: {0} タスクは現在の環境では使用できません。\r\n",
+ "TaskService.noBuildTask1": "ビルド タスクが定義されていません。tasks.json ファイルでタスクに 'isBuildCommand' というマークを付けてください。",
+ "TaskService.noBuildTask2": "ビルド タスクが定義されていません。tasks.json ファイルでタスクに 'build' グループとしてマークを付けてください。",
+ "TaskService.noTestTask1": "テスト タスクが定義されていません。tasks.json ファイルでタスクに 'isTestCommand' というマークを付けてください。",
+ "TaskService.noTestTask2": "テスト タスクが定義されていません。tasks.json ファイルでタスクに 'test' グループとしてマークを付けてください。",
+ "TaskServer.noTask": "実行するタスクが定義されていません。",
+ "TaskService.associate": "関連付け",
+ "TaskService.attachProblemMatcher.continueWithout": "タスクの出力をスキャンせずに続行",
+ "TaskService.attachProblemMatcher.never": "このタスクのタスク出力をスキャンしない",
+ "TaskService.attachProblemMatcher.neverType": "{0} タスクのタスク出力をスキャンしない",
+ "TaskService.attachProblemMatcher.learnMoreAbout": "タスク出力のスキャンについての詳細",
+ "selectProblemMatcher": "スキャンするタスク出力のエラーと警告の種類を選択",
+ "customizeParseErrors": "現在のタスクの構成にはエラーがあります。タスクをカスタマイズする前にエラーを修正してください。",
+ "tasksJsonComment": "\t// tasks.json の形式に関するドキュメントについては \r\n\t// https://go.microsoft.com/fwlink/?LinkId=733558 を参照してください",
+ "moreThanOneBuildTask": "tasks.json には定義されたビルド タスクが多数あります。最初の 1 つを実行します。\r\n",
+ "TaskSystem.saveBeforeRun.prompt.title": "すべてのエディターを保存しますか?",
+ "saveBeforeRun.save": "保存",
+ "saveBeforeRun.dontSave": "保存しない",
+ "detail": "タスクを実行する前にすべてのエディターを保存しますか?",
+ "TaskSystem.activeSame.noBackground": "タスク '{0}' は既にアクティブです。",
+ "terminateTask": "タスクの終了",
+ "restartTask": "タスクの再開",
+ "TaskSystem.active": "既に実行中のタスクがあります。まずこのタスクを終了してから、別のタスクを実行してください。",
+ "TaskSystem.restartFailed": "タスク {0} を終了して再開できませんでした",
+ "unexpectedTaskType": "\"{0}\" タスクのタスク プロバイダーで予期せずに種類が \"{1}\" のタスクが提供されました。\r\n",
+ "TaskService.noConfiguration": "エラー: {0} タスクの検出は、次の構成のタスクに貢献しませんでした:\r\n{1}\r\nそのタスクは無視されます。\r\n",
+ "TaskSystem.configurationErrors": "エラー: 指定したタスク構成に検証エラーがあり、使用できません。最初にエラーを修正してください。",
+ "TaskSystem.invalidTaskJsonOther": "エラー: {0} の json タスクの内容に構文エラーがあります。タスクを実行する前に修正してください。\r\n",
+ "TasksSystem.locationWorkspaceConfig": "ワークスペース ファイル",
+ "TaskSystem.versionWorkspaceFile": "タスク バージョン 2.0.0 のみが .codeworkspace で許可されています。",
+ "TasksSystem.locationUserConfig": "ユーザー設定",
+ "TaskSystem.versionSettings": "タスク バージョン 2.0.0 のみがユーザ設定で許可されています。",
+ "taskService.ignoreingFolder": "ワークスペース フォルダー {0} のタスク構成を無視します。マルチ フォルダー ワークスペースのタスク サポートでは、すべてのフォルダーでタスク バージョン 2.0.0 が使用されている必要があります\r\n",
+ "TaskSystem.invalidTaskJson": "エラー: tasks.json ファイルの内容に構文エラーがあります。タスクを実行する前に修正してください。\r\n",
+ "TerminateAction.label": "タスクの終了",
+ "TaskSystem.unknownError": "タスクの実行中にエラーが発生しました。詳細については、タスク ログを参照してください。",
+ "configureTask": "タスクの構成",
+ "recentlyUsed": "最近使用されたタスク",
+ "configured": "構成されたタスク",
+ "detected": "検出されたタスク",
+ "TaskService.ignoredFolder": "次のワークスペース フォルダーはタスク バージョン 0.1.0 を使用しているため無視されます: {0}",
+ "TaskService.notAgain": "今後表示しない",
+ "TaskService.pickRunTask": "実行するタスクの選択",
+ "TaskService.noEntryToRunSlow": "$(plus) タスクを構成する",
+ "TaskService.noEntryToRun": "$(plus) タスクを構成する",
+ "TaskService.fetchingBuildTasks": "ビルド タスクをフェッチしています...",
+ "TaskService.pickBuildTask": "実行するビルド タスクを選択",
+ "TaskService.noBuildTask": "実行するビルド タスクがありません。ビルド タスクを構成する...",
+ "TaskService.fetchingTestTasks": "テスト タスクをフェッチしています...",
+ "TaskService.pickTestTask": "実行するテスト タスクを選択してください",
+ "TaskService.noTestTaskTerminal": "実行するテスト タスクがありません。タスクを構成する...",
+ "TaskService.taskToTerminate": "終了するタスクを選択",
+ "TaskService.noTaskRunning": "現在実行中のタスクはありません",
+ "TaskService.terminateAllRunningTasks": "すべての実行中のタスク",
+ "TerminateAction.noProcess": "起動したプロセスは既に存在しません。タスクを起動したバックグラウンド タスクが VS コードで終了すると、プロセスが孤立することがあります。",
+ "TerminateAction.failed": "実行中のタスクの終了に失敗しました",
+ "TaskService.taskToRestart": "再起動するタスクを選択してください",
+ "TaskService.noTaskToRestart": "再起動するタスクがありません",
+ "TaskService.template": "タスク テンプレートを選択",
+ "taskQuickPick.userSettings": "ユーザー設定",
+ "TaskService.createJsonFile": "テンプレートから tasks.json を生成",
+ "TaskService.openJsonFile": "tasks.json ファイルを開く",
+ "TaskService.pickTask": "構成するタスクを選択",
+ "TaskService.defaultBuildTaskExists": "{0} は既に既定のビルド タスクとしてマークされています",
+ "TaskService.pickDefaultBuildTask": "既定のビルド タスクとして使用するタスクを選択",
+ "TaskService.defaultTestTaskExists": "{0} は既に既定のテスト タスクとしてマークされています。",
+ "TaskService.pickDefaultTestTask": "既定のテスト タスクとして使用するタスクを選択",
+ "TaskService.pickShowTask": "出力を表示するタスクを選択",
+ "TaskService.noTaskIsRunning": "実行中のタスクはありません"
+ },
+ "vs/workbench/contrib/tasks/browser/terminalTaskSystem": {
+ "TerminalTaskSystem.unknownError": "タスクの実行中に不明なエラーが発生しました。詳細については、タスク出力ログを参照してください。",
+ "dependencyCycle": "依存関係の循環があります。タスク {0} を参照してください。",
+ "dependencyFailed": "ワークスペース フォルダー '{1}' 内で依存タスクの '{0}' を解決できませんでした",
+ "TerminalTaskSystem.nonWatchingMatcher": "タスク {0} はバックグラウンド タスクですが、背景パターンのない問題マッチャーを使用します",
+ "TerminalTaskSystem.terminalName": "タスク - {0}",
+ "closeTerminal": "任意のキーを押してターミナルを終了します。",
+ "reuseTerminal": "ターミナルはタスクで再利用されます、閉じるには任意のキーを押してください。",
+ "TerminalTaskSystem": "cmd.exe を使用して UNC ドライブ上でシェル コマンドを実行できません。",
+ "unknownProblemMatcher": "問題マッチャー {0} を解決できません。このマッチャーは無視されます"
+ },
+ "vs/workbench/contrib/tasks/browser/task.contribution": {
+ "building": "ビルドしています...",
+ "numberOfRunningTasks": "{0} 件の実行中のタスク",
+ "runningTasks": "実行中のタスクを表示",
+ "status.runningTasks": "実行中のタスク",
+ "miRunTask": "タスクの実行(&&R)...",
+ "miBuildTask": "ビルド タスクの実行(&&B)...",
+ "miRunningTask": "実行中のタスクを表示(&&G)...",
+ "miRestartTask": "タスクの実行を再開(&&E)...",
+ "miTerminateTask": "タスクの終了(&&T)...",
+ "miConfigureTask": "タスクの構成(&&C)...",
+ "miConfigureBuildTask": "既定のビルド タスクの構成(&&F)...",
+ "workbench.action.tasks.openWorkspaceFileTasks": "ワークスペース タスクを開く",
+ "ShowLogAction.label": "タスク ログの表示",
+ "RunTaskAction.label": "タスクの実行",
+ "ReRunTaskAction.label": "最後のタスクを再実行",
+ "RestartTaskAction.label": "実行中のタスクの再起動",
+ "ShowTasksAction.label": "実行中のタスクを表示",
+ "TerminateAction.label": "タスクの終了",
+ "BuildAction.label": "ビルド タスクの実行",
+ "TestAction.label": "テスト タスクの実行",
+ "ConfigureDefaultBuildTask.label": "既定のビルド タスクを構成する",
+ "ConfigureDefaultTestTask.label": "既定のテスト タスクを構成する",
+ "workbench.action.tasks.openUserTasks": "ユーザー タスクを開く",
+ "tasksQuickAccessPlaceholder": "実行するタスクの名前を入力します。",
+ "tasksQuickAccessHelp": "タスクの実行",
+ "tasksConfigurationTitle": "タスク",
+ "task.problemMatchers.neverPrompt": "タスクの実行時に問題マッチャーのプロンプトを表示するかどうかを構成します。'true' に設定してプロンプトしないようにするか、タスクの種類のディクショナリを使用して、特定のタスクの種類に対してのみプロンプトをオフにします。",
+ "task.problemMatchers.neverPrompt.boolean": "すべてのタスクの動作を表示する問題マッチャーを設定します。",
+ "task.problemMatchers.neverPrompt.array": "問題マッチャーを表示しないブール型のタスクのペアを含むオブジェクト。",
+ "task.autoDetect": "すべてのタスク プロバイダー拡張機能に対する 'provideTasks' の有効化を制御します。Tasks: Run Task コマンドが低速の場合、タスク プロバイダーの自動検出を無効にすると改善される可能性があります。個々の拡張機能で、自動検出を無効にする設定が備わっている場合もあります。",
+ "task.slowProviderWarning": "プロバイダーの速度が遅いときに警告を表示するかどうかを構成します",
+ "task.slowProviderWarning.boolean": "すべてのタスクに対して低速プロバイダー警告を設定します。",
+ "task.slowProviderWarning.array": "低速なプロバイダーの警告を表示しないタスクの種類の配列。",
+ "task.quickOpen.history": "タスククイックオープンダイアログで追跡された最近のアイテムの数を制御します。",
+ "task.quickOpen.detail": "[タスクの実行] など、タスク クイック ピックに詳細があるタスクについてタスクの詳細を表示するかどうかを制御します。",
+ "task.quickOpen.skip": "選択するタスクが 1 つしかない場合に、タスクのクイック ピックをスキップするかどうかを制御します。",
+ "task.quickOpen.showAll": "タスクがプロバイダーによってグループ化されている場合、[タスク: タスクの実行] コマンドで、高速の 2 レベル ピッカーの代わりに低速の [すべて表示] の動作を使用します。",
+ "task.saveBeforeRun": "タスクを実行する前に、すべてのダーティなエディターを保存してください。",
+ "task.saveBeforeRun.always": "実行する前に常にすべてのエディターを保存します。",
+ "task.saveBeforeRun.never": "実行する前にエディターを保存しません。",
+ "task.SaveBeforeRun.prompt": "実行前にエディターを保存するかどうかを確認します。"
+ },
+ "vs/workbench/contrib/tasks/common/taskDefinitionRegistry": {
+ "TaskDefinition.description": "実際のタスクの種類。先頭が '$' で始まる種類は内部使用のために予約されています。",
+ "TaskDefinition.properties": "タスクの種類の追加プロパティ",
+ "TaskDefinition.when": "この種類のタスクを有効にするために満たす必要がある条件。このタスクの定義に応じて、'shellExecutionSupported'、'processExecutionSupported'、'customExecutionSupported' を使用することをご検討ください。",
+ "TaskTypeConfiguration.noType": "タスクの種類を構成するのに必要な 'taskType' プロパティがありません",
+ "TaskDefinitionExtPoint": "タスクの種類を提供"
+ },
+ "vs/workbench/contrib/tasks/common/problemMatcher": {
+ "ProblemPatternParser.problemPattern.missingRegExp": "問題パターンに正規表現がありません。",
+ "ProblemPatternParser.loopProperty.notLast": "ループ プロパティは、最終行マッチャーでのみサポートされています。",
+ "ProblemPatternParser.problemPattern.kindProperty.notFirst": "問題のパターンが正しくありません。kind プロパティは最初の要素のみで指定される必要があります。",
+ "ProblemPatternParser.problemPattern.missingProperty": "問題のパターンが正しくありません。少なくとも、file と message が必要です",
+ "ProblemPatternParser.problemPattern.missingLocation": "問題のパターンが正しくありません。kind: \"file\" または line や location の一致グループのいずれかが必要です。",
+ "ProblemPatternParser.invalidRegexp": "エラー: 文字列 {0} は有効な正規表現ではありません。\r\n",
+ "ProblemPatternSchema.regexp": "出力のエラー、警告、または情報を検索する正規表現。",
+ "ProblemPatternSchema.kind": "パターンがロケーション (ファイルと行) またはファイルのみに一致するかどうか。",
+ "ProblemPatternSchema.file": "ファイル名の一致グループ インデックス。省略すると、1 が使用されます。",
+ "ProblemPatternSchema.location": "問題の場所の一致グループ インデックス。有効な場所のパターンは (line)、(line,column)、(startLine,startColumn,endLine,endColumn) です。省略すると、 (line,column) が想定されます。",
+ "ProblemPatternSchema.line": "問題の行の一致グループ インデックス。既定は 2 です",
+ "ProblemPatternSchema.column": "問題の行の文字の一致グループ インデックス。既定は 3 です",
+ "ProblemPatternSchema.endLine": "問題の最終行の一致グループ インデックス。既定は undefined です",
+ "ProblemPatternSchema.endColumn": "問題の最終行の文字の一致グループ インデックス。既定は undefined です",
+ "ProblemPatternSchema.severity": "問題の重大度の一致グループ インデックス。既定は undefined です",
+ "ProblemPatternSchema.code": "問題のコードの一致グループ インデックス。既定は undefined です",
+ "ProblemPatternSchema.message": "メッセージの一致グループ インデックス。省略した場合、場所を指定すると既定は 4 で、場所を指定しないと既定は 5 です。",
+ "ProblemPatternSchema.loop": "複数行マッチャー ループは、このパターンが一致する限りループで実行されるかどうかを示します。複数行パターン内の最後のパターンでのみ指定できます。",
+ "NamedProblemPatternSchema.name": "問題パターンの名前。",
+ "NamedMultiLineProblemPatternSchema.name": "複数行の問題パターンの名前。",
+ "NamedMultiLineProblemPatternSchema.patterns": "実際のパターン。",
+ "ProblemPatternExtPoint": "問題パターンを提供",
+ "ProblemPatternRegistry.error": "無効な問題パターンです。パターンは無視されます。",
+ "ProblemMatcherParser.noProblemMatcher": "エラー: 説明を問題マッチャーに変換できません:\r\n{0}\r\n",
+ "ProblemMatcherParser.noProblemPattern": "エラー: 説明で有効な問題パターンが定義されていません:\r\n{0}\r\n",
+ "ProblemMatcherParser.noOwner": "エラー: 説明で所有者が定義されていません:\r\n{0}\r\n",
+ "ProblemMatcherParser.noFileLocation": "エラー: 説明でファイルの場所が定義されていません:\r\n{0}\r\n",
+ "ProblemMatcherParser.unknownSeverity": "情報: 不明な重大度 {0} です。有効な値は、エラー、警告、情報です。\r\n",
+ "ProblemMatcherParser.noDefinedPatter": "エラー: 識別子 {0} のパターンは存在しません。",
+ "ProblemMatcherParser.noIdentifier": "エラー: パターン プロパティが空の識別子を参照しています。",
+ "ProblemMatcherParser.noValidIdentifier": "エラー: パターン プロパティ {0} は有効なパターン変数名ではありません。",
+ "ProblemMatcherParser.problemPattern.watchingMatcher": "問題マッチャーは、ウォッチ対象の開始パターンと終了パターンの両方を定義する必要があります。",
+ "ProblemMatcherParser.invalidRegexp": "エラー: 文字列 {0} は有効な正規表現ではありません。\r\n",
+ "WatchingPatternSchema.regexp": "バックグラウンド タスクの開始または終了を検出する正規表現。",
+ "WatchingPatternSchema.file": "ファイル名の一致グループ インデックス。省略できます。",
+ "PatternTypeSchema.name": "提供されたか事前定義された問題パターンの名前",
+ "PatternTypeSchema.description": "問題パターン、あるいは提供されたか事前定義された問題パターンの名前。基本問題パターンが指定されている場合は省略できます。",
+ "ProblemMatcherSchema.base": "使用する基本問題マッチャーの名前。",
+ "ProblemMatcherSchema.owner": "Code 内の問題の所有者。base を指定すると省略できます。省略して base を指定しない場合、既定は 'external' になります。",
+ "ProblemMatcherSchema.source": "'typescript' または 'super lint' のような、この診断のソースを記述する解読可能な文字列",
+ "ProblemMatcherSchema.severity": "キャプチャされた問題の既定の重大度。パターンが重要度の一致グループを定義していない場合に使用されます。",
+ "ProblemMatcherSchema.applyTo": "テキスト ドキュメントで報告された問題が、開いているドキュメントのみ、閉じられたドキュメントのみ、すべてのドキュメントのいずれに適用されるかを制御します。",
+ "ProblemMatcherSchema.fileLocation": "問題パターンで報告されるファイル名を解釈する方法を定義します。相対的な fileLocation では、配列を使用することができ、配列の 2 番目の要素が相対的なファイル位置を指定するパスになります。",
+ "ProblemMatcherSchema.background": "バックグラウンド タスクでアクティブなマッチャーの開始と終了を追跡するパターン。",
+ "ProblemMatcherSchema.background.activeOnStart": "true に設定すると、タスクの起動時にバックグラウンド モニターがアクティブ モードになります。これは beginsPattern に一致する行を発行するのと同じです。",
+ "ProblemMatcherSchema.background.beginsPattern": "出力内で一致すると、バックグラウンド タスクの開始が通知されます。",
+ "ProblemMatcherSchema.background.endsPattern": "出力内で一致すると、バックグラウンド タスクの終了が通知されます。",
+ "ProblemMatcherSchema.watching.deprecated": "watching プロパティは使用されなくなりました。代わりに background をご使用ください。",
+ "ProblemMatcherSchema.watching": "監視パターンの開始と終了を追跡するマッチャー。",
+ "ProblemMatcherSchema.watching.activeOnStart": "true に設定すると、タスクの開始時にウォッチャーがアクティブ モードになります。これは beginPattern と一致する行の発行と同等です。",
+ "ProblemMatcherSchema.watching.beginsPattern": "出力内で一致すると、ウォッチ中のタスクの開始が通知されます。",
+ "ProblemMatcherSchema.watching.endsPattern": "出力内で一致すると、ウォッチ中のタスクの終了が通知されます。",
+ "LegacyProblemMatcherSchema.watchedBegin.deprecated": "このプロパティは非推奨です。代わりに watching プロパティをご使用ください。",
+ "LegacyProblemMatcherSchema.watchedBegin": "ファイル ウォッチでトリガーされた ウォッチ対象タスクの実行が開始されたことを伝達する正規表現。",
+ "LegacyProblemMatcherSchema.watchedEnd.deprecated": "このプロパティは非推奨です。代わりに watching プロパティを使用してください。",
+ "LegacyProblemMatcherSchema.watchedEnd": "ウォッチ対象タスクの実行が終了したことを伝達する正規表現。",
+ "NamedProblemMatcherSchema.name": "これを参照するのに使用する問題マッチャーの名前。",
+ "NamedProblemMatcherSchema.label": "問題マッチャーの判読できるラベル。",
+ "ProblemMatcherExtPoint": "問題マッチャーを提供",
+ "msCompile": "Microsoft コンパイラの問題",
+ "lessCompile": "Less の問題",
+ "gulp-tsc": "Gulp TSC の問題",
+ "jshint": "JSHint の問題",
+ "jshint-stylish": "JSHint の問題 (stylish)",
+ "eslint-compact": "ESLint の問題 (compact)",
+ "eslint-stylish": "ESLint の問題 (stylish)",
+ "go": "Go の問題"
+ },
+ "vs/workbench/contrib/tasks/common/taskTemplates": {
+ "dotnetCore": ".NET Core ビルド コマンドの実行",
+ "msbuild": "ビルド ターゲットを実行",
+ "externalCommand": "任意の外部コマンドを実行する例",
+ "Maven": "共通の maven コマンドを実行する"
+ },
+ "vs/workbench/contrib/tasks/browser/runAutomaticTasks": {
+ "tasks.run.allowAutomatic": "このフォルダーには、このフォルダーを開くと自動的に実行される 'tasks.json' で定義されているタスク ({0}) が入っています。このフォルダーを開くときにタスクの自動実行を許可しますか。",
+ "allow": "許可して実行",
+ "disallow": "許可しない",
+ "openTasks": "tasks.json を開く",
+ "workbench.action.tasks.manageAutomaticRunning": "フォルダー内の自動タスクの管理",
+ "workbench.action.tasks.allowAutomaticTasks": "フォルダーで自動タスクを許可する",
+ "workbench.action.tasks.disallowAutomaticTasks": "フォルダー内で自動タスクを許可しない"
+ },
+ "vs/workbench/contrib/tasks/browser/taskQuickPick": {
+ "taskQuickPick.showAll": "すべてのタスクの表示...",
+ "configureTaskIcon": "タスクの選択リスト内の構成アイコン。",
+ "removeTaskIcon": "タスクの選択リスト内の削除のアイコン。",
+ "configureTask": "タスクの構成",
+ "contributedTasks": "貢献済み",
+ "taskType": "すべての {0} タスク",
+ "removeRecent": "最近使用したタスクの削除",
+ "recentlyUsed": "最近使用",
+ "configured": "構成済み",
+ "TaskQuickPick.goBack": "戻る ↩",
+ "TaskQuickPick.noTasksForType": "{0} タスクが見つかりませんでした。戻る ↩",
+ "noProviderForTask": "種類が \"{0}\" のタスクに対して登録されたタスク プロバイダーはありません。"
+ },
+ "vs/workbench/contrib/tasks/common/jsonSchema_v1": {
+ "JsonSchema.version.deprecated": "バージョン 0.1.0 のタスクは非推奨です。2.0.0 を使用してください。",
+ "JsonSchema.version": "構成のバージョン番号",
+ "JsonSchema._runner": "ランナーが新しくなります。正式なランナー プロパティを使用してください",
+ "JsonSchema.runner": "タスクをプロセスとして実行して、出力が出力ウィンドウまたはターミナル内に表示されるかどうかを定義します。",
+ "JsonSchema.windows": "Windows 固有のコマンド構成",
+ "JsonSchema.mac": "Mac 固有のコマンド構成",
+ "JsonSchema.linux": "Linux 固有のコマンド構成",
+ "JsonSchema.shell": "コマンドがシェル コマンドまたは外部プログラムのどちらであるかを指定します。省略する場合、既定値は false です。"
+ },
+ "vs/workbench/contrib/tasks/common/jsonSchema_v2": {
+ "JsonSchema.shell": "コマンドがシェル コマンドまたは外部プログラムのどちらであるかを指定します。省略する場合、既定値は false です。",
+ "JsonSchema.tasks.isShellCommand.deprecated": "isShellCommand プロパティは使用されていません。代わりに、タスクの type プロパティとオプションの shell プロパティをご使用ください。また 1.14 リリース ノートをご確認ください。",
+ "JsonSchema.tasks.dependsOn.identifier": "タスク識別子。",
+ "JsonSchema.tasks.dependsOn.string": "このタスクが依存している別のタスク。",
+ "JsonSchema.tasks.dependsOn.array": "このタスクが依存している他の複数のタスク。",
+ "JsonSchema.tasks.dependsOn": "別のタスクを表す文字列、またはこのタスクが依存する他のタスクの配列のいずれか。",
+ "JsonSchema.tasks.dependsOrder.parallel": "すべての dependsOn タスクを同時に実行します。",
+ "JsonSchema.tasks.dependsOrder.sequence": "すべての dependsOn タスクを連続で実行します。",
+ "JsonSchema.tasks.dependsOrder": "このタスクの dependsOn タスクの順序を指定します。このプロパティは再帰的ではないことに注意してください。",
+ "JsonSchema.tasks.detail": "[タスクの実行] クイック ピックに詳細として表示されるタスクの説明 (省略可能)。",
+ "JsonSchema.tasks.presentation": "タスクの出力を表示し、その入力を読み取るためのパネルを構成します。",
+ "JsonSchema.tasks.presentation.echo": "実行されたコマンドがパネルにエコーされるかどうかを制御します。既定は trueです。",
+ "JsonSchema.tasks.presentation.focus": "パネルがフォーカスされるかどうかを制御します。既定は false です。true に設定した場合、パネルも表示されます。",
+ "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": "タスクを実行しているターミナルを表示するかどうかを制御します。オプション \"revealProblems\" によってオーバーライドされる可能性があります。既定値は \"常時\" です。",
+ "JsonSchema.tasks.presentation.instance": "タスク間でパネルを共有するか、またはこのタスクで占有するか、実行ごとに新しいパネルを作成するかどうかを制御します。",
+ "JsonSchema.tasks.presentation.showReuseMessage": "「ターミナルはタスクで再利用されます、閉じるには任意のキーを押してください」メッセージを表示するかどうかを制御します。",
+ "JsonSchema.tasks.presentation.clear": "タスクを実行する前にターミナルをクリアするかどうかを制御します。",
+ "JsonSchema.tasks.presentation.group": "分割ウィンドウを使用して特定の端末グループでタスクを実行するかどうかを制御します。",
+ "JsonSchema.tasks.terminal": "terminal プロパティは非推奨です。代わりに presentation をご使用ください",
+ "JsonSchema.tasks.group.kind": "タスクの実行グループ。",
+ "JsonSchema.tasks.group.isDefault": "このタスクがグループ内の既定のタスクであるかどうかを定義します。",
+ "JsonSchema.tasks.group.defaultBuild": "既定のビルド タスクとしてタスクをマークします。",
+ "JsonSchema.tasks.group.defaultTest": "タスクを既定のテスト タスクとしてマークします。",
+ "JsonSchema.tasks.group.build": "「ビルド タスクの実行」を介してアクセス可能なビルド タスクとしてタスクをマークします。",
+ "JsonSchema.tasks.group.test": "「テスト タスクの実行」を介してアクセス可能なテスト タスクとしてタスクをマークします。",
+ "JsonSchema.tasks.group.none": "タスクをグループに割り当てない",
+ "JsonSchema.tasks.group": "このタスクが属する実行グループを定義します。ビルド グループに追加する \"build\" とテスト グループに追加する \"test\" をサポートしています。",
+ "JsonSchema.tasks.type": "タスクをプロセスとして実行するか、またはシェル内部でコマンドとして実行するかどうかを定義します。",
+ "JsonSchema.commandArray": "実行されるシェル コマンドです。配列の項目は空白文字を使用して結合されます。",
+ "JsonSchema.command.quotedString.value": "実際のコマンド値",
+ "JsonSchema.tasks.quoting.escape": "シェルのエスケープ文字を使用して文字をエスケープします (例: PowerShell の ` 、bash の \\)。",
+ "JsonSchema.tasks.quoting.strong": "シェルの strong quote 文字を使用して引数を引用します (例: PowerShell や bash の下の ')。",
+ "JsonSchema.tasks.quoting.weak": "シェルの weak quote 文字を使用して引数を引用します (例: PowerShell や bash の下の \")。",
+ "JsonSchema.command.quotesString.quote": "どのようにコマンドの値を引用符で囲うかを制御します。",
+ "JsonSchema.command": "実行するコマンド。外部プログラムまたはシェル コマンドを指定できます。",
+ "JsonSchema.args.quotedString.value": "実際の引数値",
+ "JsonSchema.args.quotesString.quote": "どのように引数の値を引用符で囲うかを制御します。",
+ "JsonSchema.tasks.args": "タスクが呼び出されるときにコマンドに渡される引数。",
+ "JsonSchema.tasks.label": "タスクのユーザー インターフェイス ラベル",
+ "JsonSchema.version": "構成のバージョン番号。",
+ "JsonSchema.tasks.identifier": "launch.json または dependsOn 句のタスクを参照するユーザー定義の識別子。",
+ "JsonSchema.tasks.identifier.deprecated": "ユーザー定義識別子は非推奨です。カスタム タスクには参照として名前が使用され、拡張機能から提供されるタスクには定義されたタスク識別子が使用されます。",
+ "JsonSchema.tasks.reevaluateOnRerun": "再実行時にタスク変数を再評価するかどうか。",
+ "JsonSchema.tasks.runOn": "タスクを実行するときを構成します。folderOpen に設定すると、フォルダーを開いたときに自動的にタスクを実行します。",
+ "JsonSchema.tasks.instanceLimit": "同時に実行できるタスクのインスタンスの数。",
+ "JsonSchema.tasks.runOptions": "タスクの実行に関するオプション",
+ "JsonSchema.tasks.taskLabel": "タスクのラベル",
+ "JsonSchema.tasks.taskName": "タスクの名前",
+ "JsonSchema.tasks.taskName.deprecated": "タスクの name プロパティは非推奨です。代わりに label プロパティをご使用ください。",
+ "JsonSchema.tasks.background": "実行されているタスクのキープ アライブを行い、バックグラウンドで実行したままにするかどうか。",
+ "JsonSchema.tasks.promptOnClose": "タスクを実行したまま VS Code を閉じる場合にユーザーに確認メッセージを表示するかどうか。",
+ "JsonSchema.tasks.matchers": "使用する問題マッチャー。文字列、問題マッチャー定義、または文字列と問題マッチャーの配列のいずれかを使用できます。",
+ "JsonSchema.customizations.customizes.type": "カスタマイズするタスクの種類",
+ "JsonSchema.tasks.customize.deprecated": "customize プロパティは非推奨です。新しいタスクのカスタマイズ方法に移行する方法については 1.14 リリース ノートをご確認ください。",
+ "JsonSchema.tasks.showOutput.deprecated": "showOutputプロパティは非推奨です。代わりに presentation プロパティ内の reveal プロパティを使用してください。また 1.14 リリース ノートをご確認ください。",
+ "JsonSchema.tasks.echoCommand.deprecated": "echoCommand プロパティは使用されていません。代わりに presentation プロパティ内の echo プロパティを使用してください。また 1.14 リリース ノートをご確認ください。",
+ "JsonSchema.tasks.suppressTaskName.deprecated": "suppressTaskName プロパティは非推奨です。代わりに、その引数を含むコマンドをタスクにインライン展開してください。1.14 リリース ノートも参照してください。",
+ "JsonSchema.tasks.isBuildCommand.deprecated": "isBuildCommand プロパティは非推奨です。代わりに group プロパティを使用してください。また 1.14 リリース ノートをご確認ください。",
+ "JsonSchema.tasks.isTestCommand.deprecated": "isTestCommand プロパティは非推奨です。代わりに group プロパティを使用してください。また 1.14 リリース ノートをご確認ください。",
+ "JsonSchema.tasks.taskSelector.deprecated": "taskSelector プロパティは非推奨です。代わりに、その引数を含むコマンドをタスクにインライン展開してください。1.14 リリース ノートも参照してください。",
+ "JsonSchema.windows": "Windows 固有のコマンド構成",
+ "JsonSchema.mac": "Mac 固有のコマンド構成",
+ "JsonSchema.linux": "Linux 固有のコマンド構成"
+ },
+ "vs/workbench/contrib/tasks/browser/tasksQuickAccess": {
+ "noTaskResults": "一致するタスクがありません",
+ "TaskService.pickRunTask": "実行するタスクの選択"
+ },
+ "vs/workbench/contrib/tasks/common/jsonSchemaCommon": {
+ "JsonSchema.options": "追加のコマンド オプション",
+ "JsonSchema.options.cwd": "実行されるプログラムまたはスクリプトの現在の作業ディレクトリ。省略すると、Code の現在のワークスペースのルートが使用されます。",
+ "JsonSchema.options.env": "実行されるプログラムまたはシェルの環境。省略すると、親プロセスの環境が使用されます。",
+ "JsonSchema.tasks.matcherError": "問題マッチャーを認識できません。この問題マッチャーを提供する拡張機能はインストールされていますか?",
+ "JsonSchema.shellConfiguration": "使用するシェルを構成します。",
+ "JsonSchema.shell.executable": "使用するシェル。",
+ "JsonSchema.shell.args": "シェル引数。",
+ "JsonSchema.command": "実行するコマンド。外部プログラムまたはシェル コマンドを指定できます。",
+ "JsonSchema.tasks.args": "タスクが呼び出されるときにコマンドに渡される引数。",
+ "JsonSchema.tasks.taskName": "タスクの名前",
+ "JsonSchema.tasks.windows": "Windows 固有のコマンド構成",
+ "JsonSchema.tasks.matchers": "使用する問題マッチャー。文字列、問題マッチャー定義、または文字列と問題マッチャーの配列のいずれかを使用できます。",
+ "JsonSchema.tasks.mac": "Mac 固有のコマンド構成",
+ "JsonSchema.tasks.linux": "Linux 固有のコマンド構成",
+ "JsonSchema.tasks.suppressTaskName": "タスク名を引数としてコマンドに追加するかどうかを制御します。省略すると、グローバルに定義された値が使用されます。",
+ "JsonSchema.tasks.showOutput": "実行中のタスクの出力が表示されるかどうかを制御します。省略すると、グローバルに定義された値が使用されます。",
+ "JsonSchema.echoCommand": "実行されるコマンドが出力にエコーされるかどうかを制御します。既定は false です。",
+ "JsonSchema.tasks.watching.deprecation": "使用しないでください。代わりに isBackground をご使用ください。",
+ "JsonSchema.tasks.watching": "実行済みのタスクが維持され、ファイル システムをウォッチしているかどうか。",
+ "JsonSchema.tasks.background": "実行されているタスクのキープ アライブを行い、バックグラウンドで実行したままにするかどうか。",
+ "JsonSchema.tasks.promptOnClose": "タスクを実行したまま VS Code を閉じる場合にユーザーに確認メッセージを表示するかどうか。",
+ "JsonSchema.tasks.build": "このタスクを Code の既定のビルド コマンドにマップします。",
+ "JsonSchema.tasks.test": "このタスクを Code の既定のテスト コマンドにマップします。",
+ "JsonSchema.args": "さらにコマンドに渡される引数。",
+ "JsonSchema.showOutput": "実行中のタスクの出力が表示されるかどうかを制御します。省略すると、'always' が使用されます。",
+ "JsonSchema.watching.deprecation": "使用しないでください。代わりに isBackground をご使用ください。",
+ "JsonSchema.watching": "実行済みのタスクが維持され、ファイル システムをウォッチしているかどうか。",
+ "JsonSchema.background": "実行済みのタスクが維持され、バッググラウンドで実行されているかどうか。",
+ "JsonSchema.promptOnClose": "バックグラウンド タスクの実行中に VS Code を閉じる時に、ユーザーに対してプロンプトが表示されるかどうか。",
+ "JsonSchema.suppressTaskName": "タスク名を引数としてコマンドに追加するかどうかを制御します。既定は false です。",
+ "JsonSchema.taskSelector": "引数がタスクであることを示すプレフィックス。",
+ "JsonSchema.matchers": "使用する問題マッチャー。1 つの文字列または問題マッチャー定義か、文字列と問題マッチャーの配列です。",
+ "JsonSchema.tasks": "タスクの構成。普通は外部タスク ランナーで既に定義されているタスクのエンリッチメントです。"
+ },
+ "vs/workbench/contrib/terminal/common/terminalConfiguration": {
+ "terminalIntegratedConfigurationTitle": "統合ターミナル",
+ "terminal.integrated.sendKeybindingsToShell": "大部分のキー バインドが、ワークベンチではなくターミナルにディスパッチされて、'#terminal.integrated.commandsToSkipShell#' がオーバーライドされます。これは微調整にも使用できます。",
+ "terminal.integrated.automationShell.linux": "このパスを設定すると、{0} がオーバーライドされ、{1} の値が無視されます。この値は、タスクやデバッグなどのオートメーション関連のターミナル使用に関するものです。",
+ "terminal.integrated.automationShell.osx": "このパスを設定すると、{0} がオーバーライドされ、{1} の値が無視されます。この値は、タスクやデバッグなどのオートメーション関連のターミナル使用に関するものです。",
+ "terminal.integrated.automationShell.windows": "このパスを設定すると、{0} がオーバーライドされ、{1} の値が無視されます。この値は、タスクやデバッグなどのオートメーション関連のターミナル使用に関するものです。",
+ "terminal.integrated.shellArgs.linux": "Linux ターミナル上で使用するコマンド ライン引数です。[シェルの構成に関する詳細情報] (https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration)。",
+ "terminal.integrated.shellArgs.osx": "macOS ターミナル上で使用するコマンド ライン引数です。[シェルの構成に関する詳細情報] (https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration)。",
+ "terminal.integrated.shellArgs.windows": "Windows ターミナル上で使用するコマンド ライン引数です。[シェルの構成に関する詳細情報] (https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration)。",
+ "terminal.integrated.shellArgs.windows.string": "Windows ターミナル上で使用する [コマンド ライン形式](https://msdn.microsoft.com/ja-jp/08dfcab2-eb6e-49a4-80eb-87d4076c98c6) のコマンド ライン引数です。[シェルの構成に関する詳細情報](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration)。",
+ "terminal.integrated.macOptionIsMeta": "option キーを macOS 上のターミナルの meta キーとして扱うかどうかを制御します。",
+ "terminal.integrated.macOptionClickForcesSelection": "macOS で option キーを押しながらクリックしたときに選択を強制するかどうかを制御します。これにより、標準 (行) の選択が強制され、列選択モードが使用されなくなります。これにより、たとえば tmux でマウス モードが有効になっている場合などに、通常のターミナル選択を使用してコピーと貼り付けを行うことができます。",
+ "terminal.integrated.copyOnSelection": "ターミナルで選択したテキストをクリップボードにコピーするかどうかを制御します。",
+ "terminal.integrated.drawBoldTextInBrightColors": "ターミナルの太字のテキストで常に \"明るい\" ANSI 色のバリエーションを使用するかどうかを制御します。",
+ "terminal.integrated.fontFamily": "ターミナルのフォント ファミリを制御します。既定では、'#editor.fontFamily#' の値です。",
+ "terminal.integrated.fontSize": "ターミナルのフォント サイズをピクセル単位で制御します。",
+ "terminal.integrated.letterSpacing": "ターミナルの文字間隔を制御します。これは、文字間に追加する追加のピクセルの量を表す整数値です。",
+ "terminal.integrated.lineHeight": "ターミナルの行の高さを制御します。この数にターミナルのフォント サイズを掛けて、実際の行の高さをピクセル単位で算出します。",
+ "terminal.integrated.minimumContrastRatio": "各セルの前景色を設定すると、指定されたコントラスト比率に合うように変更されます。値の例:\r\n\r\n- 1: 既定値。何も実行しません。\r\n- 4.5: [WCAG AA コンプライアンス (最低)](https://www.w3.org/TR/UNDERSTANDING-WCAG20/visual-audio-contrast-contrast.html)。\r\n- 7: [WCAG AAA コンプライアンス (拡張)](https://www.w3.org/TR/UNDERSTANDING-WCAG20/visual-audio-contrast7.html)。\r\n- 21: 黒地に白、または白地に黒。",
+ "terminal.integrated.fastScrollSensitivity": "'Alt' キーを押した時のスクロール速度の乗数。",
+ "terminal.integrated.mouseWheelScrollSensitivity": "マウス ホイールのスクロール イベントの 'deltaY' で使用される乗数です。",
+ "terminal.integrated.fontWeightError": "使用できるのは \"標準\" および \"太字\" のキーワードまたは 1 ~ 1000 の数字のみです。",
+ "terminal.integrated.fontWeight": "端末内で太字以外のテキストに使用するフォントの太さ。\"normal\" と \"bold\" のキーワード、または 1 から 1000 の間の数字を受け入れます。",
+ "terminal.integrated.fontWeightBold": "端末内で太字のテキストに使用するフォントの太さ。\"normal\" と \"bold\" のキーワード、または 1 から 1000 の間の数字を受け入れます。",
+ "terminal.integrated.cursorBlinking": "ターミナルでカーソルを点滅させるかどうかを制御します。",
+ "terminal.integrated.cursorStyle": "ターミナル カーソルのスタイルを制御します。",
+ "terminal.integrated.cursorWidth": "#terminal.integrated.cursorStyle#' が 'line' に設定されているときに、カーソルの幅を制御します。",
+ "terminal.integrated.scrollback": "ターミナルがバッファーに保持する最大行数を制御します。",
+ "terminal.integrated.detectLocale": "'$LANG' 環境変数を検出して UTF-8 準拠のオプションに設定するかどうかを制御します。これは、VS Code のターミナルでは、シェルからのデータで UTF-8 エンコードのみがサポートされるためです。",
+ "terminal.integrated.detectLocale.auto": "既存の変数が存在しないか、または `'.UTF-8'` で終わっていない場合に、`$LANG` 環境変数を設定します。",
+ "terminal.integrated.detectLocale.off": "$LANG' 環境変数は設定しないでください。",
+ "terminal.integrated.detectLocale.on": "常に '$LANG' 環境変数を設定します。",
+ "terminal.integrated.rendererType.auto": "使用するレンダラーを VS Code に推測させます。",
+ "terminal.integrated.rendererType.canvas": "標準 GPU またはキャンバス ベースのレンダラーを使用します。",
+ "terminal.integrated.rendererType.dom": "フォールバック DOM ベースのレンダラーを使用します。",
+ "terminal.integrated.rendererType.experimentalWebgl": "試験段階の WebGL ベースのレンダラーを使用します。これにはいくつかの [既知の問題](https://github.com/xtermjs/xterm.js/issues?q=is%3Aopen+is%3Aissue+label%3Aarea%2Faddon%2Fwebgl) があることにご注意ください。",
+ "terminal.integrated.rendererType": "ターミナルのレンダリング方法を制御します。",
+ "terminal.integrated.rightClickBehavior.default": "コンテキスト メニューを表示します。",
+ "terminal.integrated.rightClickBehavior.copyPaste": "選択範囲がある場合はコピーし、それ以外の場合は貼り付けます。",
+ "terminal.integrated.rightClickBehavior.paste": "右クリック時に貼り付けます。",
+ "terminal.integrated.rightClickBehavior.selectWord": "カーソルの下にある単語を選択して、コンテキスト メニューを表示します。",
+ "terminal.integrated.rightClickBehavior": "右クリックに対するターミナルの反応を制御します。",
+ "terminal.integrated.cwd": "ターミナルが起動される明示的な開始パスです。これは、シェル プロセスの現在の作業ディレクトリ (cwd) として使用されます。これは特に、ルート ディレクトリが便利な cwd でない場合にワークスペースの設定で役立ちます。",
+ "terminal.integrated.confirmOnExit": "アクティブなターミナル セッションがある場合に、終了時に確認を行うかどうかを制御します。",
+ "terminal.integrated.enableBell": "ターミナルのベルを有効にするかどうかを制御します。",
+ "terminal.integrated.commandsToSkipShell": "キー バインドがシェルに送信されず、代わりに常に VS Code で処理されるコマンド ID のセット。これにより、シェルによって通常使用されるキー バインドが、ターミナルがフォーカスされていない場合と同じ動作をするようにします。たとえば、'Ctrl+P' で Quick Open を起動します。\r\n\r\n \r\n\r\n既定では、多くのコマンドがスキップされます。既定値をオーバーライドし、代わりにそのコマンドのキー バインドをシェルに渡すには、先頭に '-' 文字が付いているコマンドを追加します。たとえば、'-workbench.action.quickOpen' を追加して、'Ctrl+P' でシェルにアクセスできるようにします。\r\n\r\n \r\n\r\n既定でスキップされる以下のコマンドの一覧は、設定エディターで表示したときには切り詰められます。完全な一覧を表示するには、[既定の設定 (JSON) を開き](command:workbench.action.openRawDefaultSettings 'Open Default Settings (JSON)')、下の一覧から最初のコマンドを検索します。\r\n\r\n \r\n\r\n既定でスキップされるコマンド:\r\n\r\n{0}",
+ "terminal.integrated.allowChords": "ターミナルでコードのキー バインドを許可するかどうかを指定します。これが true で、キーストロークでコードを生成した場合、'#terminal.integrated.commandsToSkipShell#' はバイパスされます。これを false に設定すると、Ctrl+K で (VS Code ではなく) シェルに移動したい場合に特に便利です。",
+ "terminal.integrated.allowMnemonics": "メニュー バー ニーモニック (Alt+F など) でメニュー バーを開くかどうかを指定します。これを true にした場合、すべての Alt キーストロークがシェルをスキップするようになることにご注意ください。これは、macOS では何の効果もありません。",
+ "terminal.integrated.inheritEnv": "新しいシェルが VS Code から環境を継承する必要があるかどうか。これは Windows ではサポートされていません。",
+ "terminal.integrated.env.osx": "macOS 上のターミナルで使用される VS Code プロセスに追加される環境変数を含むオブジェクトです。環境変数を削除するには、'null' に設定します。",
+ "terminal.integrated.env.linux": "Linux 上のターミナルで使用される VS Code プロセスに追加される環境変数を含むオブジェクト。環境変数を削除するには、'null' に設定します。",
+ "terminal.integrated.env.windows": "Windows 上のターミナルで使用される VS Code プロセスに追加される環境変数を含むオブジェクトです。環境変数を削除するには、'null' に設定します。",
+ "terminal.integrated.environmentChangesIndicator": "各ターミナルに環境変更インジケーターを表示するかどうかを指定します。これは、拡張機能によってターミナルの環境が変更されたかどうか、または変更を加えたいかどうかを示します。",
+ "terminal.integrated.environmentChangesIndicator.off": "インジケーターを無効にします。",
+ "terminal.integrated.environmentChangesIndicator.on": "インジケーターを有効にします。",
+ "terminal.integrated.environmentChangesIndicator.warnonly": "ターミナルの環境が「古く」なった場合にのみ警告インジケーターを表示します。これは、ターミナルの環境が拡張機能によって変更されたことを示す情報インジケーターではありません。",
+ "terminal.integrated.showExitAlert": "終了コードがゼロ以外の場合に、\"ターミナルの処理が終了しました (終了コード: )\" という警告を表示するかどうかを制御します。",
+ "terminal.integrated.splitCwd": "分割ターミナルの開始点となる作業ディレクトリを制御します。",
+ "terminal.integrated.splitCwd.workspaceRoot": "新しい分割ターミナルでは、ワークスペースのルートが作業ディレクトリとして使用されます。マルチ ルートのワークスペースでは、どのルート フォルダーを使用するか選択できます。",
+ "terminal.integrated.splitCwd.initial": "新しい分割ターミナルでは、親ターミナルの起動時の作業ディレクトリが使用されます。",
+ "terminal.integrated.splitCwd.inherited": "macOS と Linux では、新しい分割ターミナルは親ターミナルの作業ディレクトリを使用します。Windows では、初期の動作と同じになります。",
+ "terminal.integrated.windowsEnableConpty": "Windows ターミナル プロセス通信に ConPTY を使用するかどうかを指定します (Windows 10 のビルド番号 18309 以上が必要です)。これが false の場合は、winpty が使用されます。",
+ "terminal.integrated.wordSeparators": "ダブルクリックによる単語選択機能で単語区切り記号として扱われるすべての文字を含む文字列。",
+ "terminal.integrated.experimentalUseTitleEvent": "ドロップダウン タイトルにターミナル タイトル イベントを使用する、試験的な設定です。この設定は新しいターミナルにのみ適用されます。",
+ "terminal.integrated.enableFileLinks": "ターミナルのファイル リンクを有効にするかどうかを指定します。各ファイルのリンクがファイル システムに対して確認されるため、特にネットワーク ドライブ上での作業時にリンクの動作が低速になることがあります。この変更は、新しいターミナルでのみ有効になります。",
+ "terminal.integrated.unicodeVersion.six": "バージョン 6 の Unicode。これは古いバージョンであり、古いシステムで適切に動作するはずです。",
+ "terminal.integrated.unicodeVersion.eleven": "バージョン 11 の Unicode。このバージョンでは、Unicode の最新バージョンを使用する最新のシステムでのサポートが向上しています。",
+ "terminal.integrated.unicodeVersion": "ターミナルでの文字幅を評価するときに使用する Unicode のバージョンを制御します。絵文字や他のワイド文字で占める領域の大きさが正しくない場合や、バックスペースによる削除の量が多すぎるか少なすぎる場合には、この設定を微調整してみてください。",
+ "terminal.integrated.experimentalLinkProvider": "リンクが検出されるタイミングを向上させ、エディターでの共有リンクの検出を有効にすることにより、ターミナルのリンク検出を改善するための試験的な設定です。現在、この機能は Web リンクのみをサポートしています。",
+ "terminal.integrated.localEchoLatencyThreshold": "試験的: ネットワーク遅延の長さ (ミリ秒単位)。ローカルの編集内容はサーバーの確認を待たずに端末にエコーされます。'0' の場合ローカル エコーは常にオンになり、'-1' の場合は無効になります。",
+ "terminal.integrated.localEchoExcludePrograms": "試験段階: これらのプログラム名のいずれかがターミナル タイトルに見つかったとき、ローカル エコーは無効になります。",
+ "terminal.integrated.localEchoStyle": "試験的: ローカル エコー テキストの端末スタイル。フォント スタイルまたは RGB カラー。",
+ "terminal.integrated.serverSpawn": "試験段階: リモート拡張機能ホストの代わりにリモート エージェント プロセスからリモート ターミナルを生成する",
+ "terminal.integrated.enablePersistentSessions": "試験段階: ウィンドウの再読み込みをまたいでワークスペースのターミナル セッションを保持します。現在、VS Code リモート ワークスペースでのみサポートされています。",
+ "terminal.integrated.shell.linux": "Linux 上でターミナルが使用するシェルのパス (既定値: {0}) です。[シェルの構成に関する詳細情報] (https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration)。",
+ "terminal.integrated.shell.linux.noDefault": "Linux 上でターミナルが使用するシェルのパスです。[シェルの構成に関する詳細情報] (https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration)。",
+ "terminal.integrated.shell.osx": "macOS 上でターミナルが使用するシェルのパス (既定値: {0}) です。[シェルの構成に関する詳細情報] (https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration)。",
+ "terminal.integrated.shell.osx.noDefault": "macOS 上でターミナルが使用するシェルのパスです。[シェルの構成に関する詳細情報] (https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration)。",
+ "terminal.integrated.shell.windows": "Windows 上でターミナルが使用するシェルのパス (既定値: {0}) です。[シェルの構成に関する詳細情報] (https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration)。",
+ "terminal.integrated.shell.windows.noDefault": "Windows 上でターミナルが使用するシェルのパスです。[シェルの構成に関する詳細情報] (https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration)。"
+ },
+ "vs/workbench/contrib/terminal/common/terminal": {
+ "terminalCategory": "ターミナル",
+ "vscode.extension.contributes.terminal": "ターミナル機能を提供します。",
+ "vscode.extension.contributes.terminal.types": "ユーザーが作成できる追加のターミナルの種類を定義します。",
+ "vscode.extension.contributes.terminal.types.command": "ユーザーがこの種類のターミナルを作成するときに実行するコマンドです。",
+ "vscode.extension.contributes.terminal.types.title": "この種類のターミナルのタイトル。"
+ },
+ "vs/workbench/contrib/terminal/browser/terminal.contribution": {
+ "tasksQuickAccessPlaceholder": "開く端末名を入力します。",
+ "tasksQuickAccessHelp": "開いているすべてのターミナルを表示",
+ "terminal": "ターミナル"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalView": {
+ "terminal.useMonospace": "'monospace' を使用",
+ "terminal.monospaceOnly": "ご使用の端末はモノスペース フォントのみをサポートします。これが新しくインストールされたフォントである場合は、VS Code を再起動してください。"
+ },
+ "vs/workbench/contrib/terminal/browser/remoteTerminalService": {
+ "terminal.integrated.starting": "開始しています..."
+ },
+ "vs/workbench/contrib/terminal/node/terminalProcess": {
+ "launchFail.cwdNotDirectory": "開始ディレクトリ (cwd) \"{0}\" はディレクトリではありません",
+ "launchFail.cwdDoesNotExist": "開始ディレクトリ (cwd) \"{0}\" が存在しません",
+ "launchFail.executableIsNotFileOrSymlink": "シェル実行可能ファイル \"{0}\" へのパスは、symlink のファイルではありません",
+ "launchFail.executableDoesNotExist": "シェル実行可能ファイル \"{0}\" へのパスが存在しません"
+ },
+ "vs/workbench/contrib/terminal/electron-browser/terminalRemote": {
+ "workbench.action.terminal.newLocal": "新しい統合ターミナルを作成 (ローカル)"
+ },
+ "vs/workbench/contrib/terminal/common/terminalColorRegistry": {
+ "terminal.background": "ターミナルの背景色。パネルごとに異なる色を指定できます。",
+ "terminal.foreground": "ターミナルの前景色。",
+ "terminalCursor.foreground": "ターミナルのカーソル前景色。",
+ "terminalCursor.background": "ターミナルのカーソルの背景色。ブロックカーソルで重ねた文字の色をカスタマイズできます。",
+ "terminal.selectionBackground": "ターミナルの選択範囲の背景色。",
+ "terminal.border": "ターミナル内の分割パネルを区切る境界線色。デフォルトは panel.border です。",
+ "terminal.ansiColor": "ターミナルの '{0}' ANSI カラー。"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalActions": {
+ "workbench.action.terminal.newWorkspacePlaceholder": "新しいターミナルの作業ディレクトリを選択してください",
+ "workbench.action.terminal.toggleTerminal": "統合ターミナルの切り替え",
+ "workbench.action.terminal.kill": "アクティブなターミナルインスタンスを強制終了",
+ "workbench.action.terminal.kill.short": "ターミナルの強制終了",
+ "workbench.action.terminal.copySelection": "選択内容のコピー",
+ "workbench.action.terminal.copySelection.short": "コピー",
+ "workbench.action.terminal.selectAll": "すべてを選択",
+ "workbench.action.terminal.new": "新しい統合ターミナルの作成",
+ "workbench.action.terminal.new.short": "新しいターミナル",
+ "workbench.action.terminal.split": "ターミナルの分割",
+ "workbench.action.terminal.split.short": "分割",
+ "workbench.action.terminal.splitInActiveWorkspace": "(アクティブなワークスペースで) ターミナルの分割",
+ "workbench.action.terminal.paste": "アクティブな端末に貼り付け",
+ "workbench.action.terminal.paste.short": "貼り付け",
+ "workbench.action.terminal.selectDefaultShell": "既定のシェルの選択",
+ "workbench.action.terminal.openSettings": "ターミナル設定の構成",
+ "workbench.action.terminal.switchTerminal": "ターミナルの切り替え",
+ "terminals": "ターミナルを開きます。",
+ "terminalConnectingLabel": "開始しています...",
+ "workbench.action.terminal.clear": "クリア",
+ "terminalLaunchHelp": "ヘルプを開く",
+ "workbench.action.terminal.newInActiveWorkspace": "(アクティブなワークスペースで) 新しいターミナルの作成",
+ "workbench.action.terminal.focusPreviousPane": "前のペインにフォーカス",
+ "workbench.action.terminal.focusNextPane": "次のペインにフォーカス",
+ "workbench.action.terminal.resizePaneLeft": "ペインを左にリサイズ",
+ "workbench.action.terminal.resizePaneRight": "ペインを右にリサイズ",
+ "workbench.action.terminal.resizePaneUp": "ペインを上にリサイズ",
+ "workbench.action.terminal.resizePaneDown": "ペインを下にリサイズ",
+ "workbench.action.terminal.focus": "ターミナルにフォーカス",
+ "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.manageWorkspaceShellPermissions": "ワークスペースにおけるシェルのアクセス許可を管理",
+ "workbench.action.terminal.rename": "名前の変更",
+ "workbench.action.terminal.rename.prompt": "ターミナルの名前を入力してください",
+ "workbench.action.terminal.focusFind": "検索にフォーカスを置く",
+ "workbench.action.terminal.hideFind": "検索を非表示にする",
+ "workbench.action.terminal.attachToRemote": "セッションにアタッチ",
+ "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": "環境情報の表示"
+ },
+ "vs/workbench/contrib/terminal/common/terminalMenu": {
+ "miToggleIntegratedTerminal": "ターミナル(&&T)",
+ "miNewTerminal": "新しいターミナル(&&N)",
+ "miSplitTerminal": "ターミナルの分割(&&S)",
+ "miRunActiveFile": "アクティブなファイルの実行(&&A)",
+ "miRunSelectedText": "選択したテキストの実行(&&S)"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalService": {
+ "workbench.action.terminal.allowWorkspaceShell": "ワークスペースでシェルを構成することを許可する",
+ "workbench.action.terminal.disallowWorkspaceShell": "ワークスペースでシェルを構成することを許可しない",
+ "terminalService.terminalCloseConfirmationSingular": "アクティブなターミナル セッションが 1 つあります。中止しますか?",
+ "terminalService.terminalCloseConfirmationPlural": "アクティブなターミナル セッションが {0} 個あります。中止しますか?",
+ "terminal.integrated.chooseWindowsShell": "優先するターミナル シェルを選択します。これは後で設定から変更できます"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalQuickAccess": {
+ "renameTerminal": "ターミナルの名前変更",
+ "killTerminal": "ターミナル インスタンスの中止",
+ "workbench.action.terminal.newplus": "新しい統合ターミナルの作成"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalIcons": {
+ "terminalViewIcon": "ターミナル ビューのアイコンを表示します。",
+ "renameTerminalIcon": "ターミナル クイック メニュー内の名前変更のためのアイコン。",
+ "killTerminalIcon": "ターミナル インスタンスを強制終了するためのアイコン。",
+ "newTerminalIcon": "新しいターミナル インスタンスを作成するためのアイコン。"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalConfigHelper": {
+ "terminal.integrated.allowWorkspaceShell": "このワークスペースによるターミナル シェルの変更を許可しますか? {0}",
+ "allow": "許可",
+ "disallow": "許可しない",
+ "useWslExtension.title": "WSL のターミナルを開くには、'{0}' 拡張機能をお勧めします。",
+ "install": "インストール"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalInstance": {
+ "terminal.integrated.a11yPromptLabel": "ターミナル入力",
+ "terminal.integrated.a11yTooMuchOutput": "通知する出力が多すぎます。行に移動して手動で読み取ってください",
+ "terminalTextBoxAriaLabelNumberAndTitle": "ターミナル {0}、{1}",
+ "terminalTextBoxAriaLabel": "ターミナル {0}",
+ "configure terminal settings": "一部のキー バインドは、既定でワークベンチにディスパッチされます。",
+ "configureTerminalSettings": "ターミナル設定の構成",
+ "yes": "はい",
+ "no": "いいえ",
+ "dontShowAgain": "今後表示しない",
+ "terminal.slowRendering": "統合ターミナルの標準レンダラーが遅くなっているようです。パフォーマンスの向上を見込める DOM ベースのレンダラーに切り替えますか? [ターミナルの設定についてこちらを参照してください](https://code.visualstudio.com/docs/editor/integrated-terminal#_changing-how-the-terminal-is-rendered)。",
+ "terminal.integrated.copySelection.noSelection": "ターミナルにコピー対象の選択範囲がありません",
+ "launchFailed.exitCodeAndCommandLine": "ターミナル プロセス \"{0}\" が起動に失敗しました (終了コード: {1})。",
+ "launchFailed.exitCodeOnly": "ターミナル プロセスが起動に失敗しました (終了コード: {0})。",
+ "terminated.exitCodeAndCommandLine": "ターミナル プロセス \"{0}\" が終了コード {1} で終了しました。",
+ "terminated.exitCodeOnly": "ターミナル プロセスが終了コード {0} で終了しました。",
+ "launchFailed.errorMessage": "ターミナル プロセスが起動に失敗しました: {0}。",
+ "terminalStaleTextBoxAriaLabel": "ターミナル {0} の環境が古くなっています。詳細については、[環境情報の表示] コマンドを実行してください"
+ },
+ "vs/workbench/contrib/terminal/browser/links/terminalLinkManager": {
+ "terminalLinkHandler.followLinkAlt.mac": "option + クリック",
+ "terminalLinkHandler.followLinkAlt": "Alt + クリック",
+ "terminalLinkHandler.followLinkCmd": "cmd + クリック",
+ "terminalLinkHandler.followLinkCtrl": "Ctrl + クリック",
+ "followLink": "フォロー リンク"
+ },
+ "vs/workbench/contrib/terminal/browser/links/terminalWordLinkProvider": {
+ "searchWorkspace": "ワークスペースを検索"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalProcessExtHostProxy": {
+ "terminal.integrated.starting": "開始しています..."
+ },
+ "vs/workbench/contrib/terminal/browser/environmentVariableInfo": {
+ "extensionEnvironmentContributionChanges": "拡張機能は、ターミナルの環境に次の変更を加えようとしています:",
+ "extensionEnvironmentContributionRemoval": "拡張機能によって、ターミナルの環境からこれらの既存の変更を削除しようとしています:",
+ "relaunchTerminalLabel": "ターミナルの再起動",
+ "extensionEnvironmentContributionInfo": "拡張機能によって、このターミナルの環境に変更が加えられました"
+ },
+ "vs/workbench/contrib/terminal/browser/links/terminalLink": {
+ "openFile": "エディターでファイルを開く",
+ "focusFolder": "エクスプローラーのフォルダーにフォーカス",
+ "openFolder": "フォルダーを新しいウィンドウで開く"
+ },
+ "vs/workbench/contrib/themes/browser/themes.contribution": {
+ "selectTheme.label": "配色テーマ",
+ "themes.category.light": "ライト テーマ",
+ "themes.category.dark": "ダーク テーマ",
+ "themes.category.hc": "ハイ コントラスト テーマ",
+ "installColorThemes": "その他の色のテーマをインストール...",
+ "themes.selectTheme": "配色テーマの選択 (上/下キーでプレビュー可能)",
+ "selectIconTheme.label": "ファイル アイコンのテーマ",
+ "noIconThemeLabel": "なし",
+ "noIconThemeDesc": "ファイル アイコンを無効にする",
+ "installIconThemes": "その他のファイル アイコンのテーマをインストール...",
+ "themes.selectIconTheme": "ファイル アイコンのテーマを選択します",
+ "selectProductIconTheme.label": "製品アイコンのテーマ",
+ "defaultProductIconThemeLabel": "既定",
+ "themes.selectProductIconTheme": "製品アイコンのテーマの選択",
+ "generateColorTheme.label": "現在の設定から配色テーマを生成する",
+ "preferences": "基本設定",
+ "miSelectColorTheme": "配色テーマ(&&C)",
+ "miSelectIconTheme": "ファイル アイコンのテーマ(&&I)",
+ "themes.selectIconTheme.label": "ファイル アイコンのテーマ"
+ },
+ "vs/workbench/contrib/timeline/browser/timeline.contribution": {
+ "timelineViewIcon": "タイムライン ビューのアイコンを表示します。",
+ "timelineOpenIcon": "タイムラインを開くアクションのアイコン。",
+ "timelineConfigurationTitle": "タイムライン",
+ "timeline.excludeSources": "実験的: タイムライン ビューから除外する必要があるタイムライン ソースの配列です",
+ "timeline.pageSize": "タイムライン ビューで、既定の場合と、さらに項目を読み込む場合に表示する項目数。'null' (既定値) に設定すると、タイムライン ビューの表示可能な領域に基づいて自動的にページ サイズが選択されます",
+ "timeline.pageOnScroll": "試験段階。リストの最後までスクロールしたとき、タイムライン ビューで次のページの項目を読み込むかどうかを制御します",
+ "files.openTimeline": "タイムラインを開く"
+ },
+ "vs/workbench/contrib/timeline/browser/timelinePane": {
+ "timeline.loadingMore": "読み込み中...",
+ "timeline.loadMore": "さらに読み込む",
+ "timeline": "タイムライン",
+ "timeline.editorCannotProvideTimeline": "アクティブなエディターはタイムライン情報を提供できません。",
+ "timeline.noTimelineInfo": "タイムライン情報は提供されていません。",
+ "timeline.aria.item": "{0}: {1}",
+ "timeline.loading": "{0} のタイムラインを読み込んでいます...",
+ "timelineRefresh": "タイムラインの更新アクションのアイコン。",
+ "timelinePin": "タイムラインのピン留めアクションのアイコン。",
+ "timelineUnpin": "タイムラインのピン留め解除アクションのアイコン。",
+ "refresh": "最新の情報に更新",
+ "timeline.toggleFollowActiveEditorCommand.follow": "現在のタイムラインをピン留めする",
+ "timeline.toggleFollowActiveEditorCommand.unfollow": "現在のタイムラインのピン留めを外す",
+ "timeline.filterSource": "含む: {0}"
+ },
+ "vs/workbench/contrib/update/browser/update.contribution": {
+ "miReleaseNotes": "リリース ノート(&&R)"
+ },
+ "vs/workbench/contrib/update/browser/update": {
+ "releaseNotes": "リリース ノート",
+ "update.noReleaseNotesOnline": "このバージョンの {0} には、オンラインのリリース ノートがありません",
+ "showReleaseNotes": "リリース ノートの表示",
+ "read the release notes": "{0} v{1} へようこそ! リリース ノートを確認しますか?",
+ "licenseChanged": "ライセンス条項が変更されました。[こちら]({0}) をクリックして内容をご確認ください。",
+ "updateIsReady": "新しい更新 {0} が利用可能です。",
+ "checkingForUpdates": "更新プログラムを確認しています...",
+ "update service": "サービスの更新",
+ "noUpdatesAvailable": "現在入手可能な更新はありません。",
+ "ok": "OK",
+ "thereIsUpdateAvailable": "利用可能な更新プログラムがあります。",
+ "download update": "更新プログラムのダウンロード",
+ "later": "後で",
+ "updateAvailable": "利用可能な更新プログラムがあります: {0} {1}",
+ "installUpdate": "更新プログラムのインストール",
+ "updateInstalling": "バックグラウンドで {0} {1} がインストールされています。処理が完了次第、お知らせします。",
+ "updateNow": "今すぐ更新",
+ "updateAvailableAfterRestart": "最新の更新プログラムを適用するために {0} を再起動してください。",
+ "checkForUpdates": "更新の確認...",
+ "download update_1": "更新プログラムのダウンロード (1)",
+ "DownloadingUpdate": "更新をダウンロードしています...",
+ "installUpdate...": "更新プログラムのインストール... (1)",
+ "installingUpdate": "更新プログラムをインストールしています...",
+ "good luck": "'Restart to Update' is not working properly on macOS Big Sur. Click 'Quit to Update' to quit {0} and update it. Then, relaunch it from Finder.",
+ "quit": "Quit to Update",
+ "learn more": "Learn More",
+ "cancel": "Cancel",
+ "restartToUpdate": "再起動して更新する (1)",
+ "relaunchMessage": "バージョンの変更を有効にするには、再読み込みが必要です",
+ "relaunchDetailInsiders": "[再読み込み] ボタンを押すと、運用前のナイトリー バージョンの VSCode に切り替えることができます。",
+ "relaunchDetailStable": "[再読み込み] ボタンを押すと、毎月リリースされる VSCode の安定バージョンに切り替えることができます。",
+ "reload": "再読み込み(&&R)",
+ "switchToInsiders": "Insider バージョンに切り替え...",
+ "switchToStable": "安定バージョンに切り替え..."
+ },
+ "vs/workbench/contrib/update/browser/releaseNotesEditor": {
+ "releaseNotesInputName": "リリース ノート: {0}",
+ "unassigned": "未割り当て"
+ },
+ "vs/workbench/contrib/url/browser/url.contribution": {
+ "openUrl": "URL を開く",
+ "urlToOpen": "開く URL"
+ },
+ "vs/workbench/contrib/url/browser/trustedDomains": {
+ "trustedDomain.manageTrustedDomain": "信頼されているドメインの管理",
+ "trustedDomain.trustDomain": "{0} を信頼する",
+ "trustedDomain.trustAllPorts": "すべてのポートで {0} を信頼する",
+ "trustedDomain.trustSubDomain": "{0} とそのすべてのサブドメインを信頼する",
+ "trustedDomain.trustAllDomains": "すべてのドメインを信頼する (リンクの保護を無効にする)",
+ "trustedDomain.manageTrustedDomains": "信頼されているドメインの管理",
+ "configuringURL": "信頼を構成する: {0}"
+ },
+ "vs/workbench/contrib/url/browser/trustedDomainsValidator": {
+ "openExternalLinkAt": "{0} で外部の Web サイトを開きますか?",
+ "open": "開く",
+ "copy": "コピー",
+ "cancel": "キャンセル",
+ "configureTrustedDomains": "信頼されているドメインの構成"
+ },
+ "vs/workbench/contrib/userDataSync/electron-browser/userDataSync.contribution": {
+ "operationId": "操作 ID: {0}",
+ "too many requests": "現在のデバイスで要求が多すぎるため、設定の同期が無効になっています。同期ログを添えて問題をご報告ください。",
+ "settings sync": "設定の同期。操作 ID: {0}",
+ "show sync logs": "ログの表示",
+ "report issue": "問題点の報告",
+ "Open Backup folder": "ローカル バックアップ フォルダーを開く",
+ "no backups": "ローカルのバックアップ フォルダーが存在しません"
+ },
+ "vs/workbench/contrib/userDataSync/browser/userDataSync.contribution": {
+ "operationId": "操作 ID: {0}",
+ "too many requests": "生成される要求が多すぎるため、このデバイスでの設定の同期がオフになりました。"
+ },
+ "vs/workbench/contrib/userDataSync/browser/userDataSync": {
+ "turn on sync with category": "{0}: オンにする...",
+ "stop sync": "{0}: オフにする",
+ "configure sync": "{0}: 構成...",
+ "showConflicts": "{0}: 設定の競合を表示する",
+ "showKeybindingsConflicts": "{0}: キー バインドの競合を表示する",
+ "showSnippetsConflicts": "{0}: ユーザー スニペットの競合を表示する",
+ "sync now": "{0}: 今すぐ同期する",
+ "syncing": "同期中",
+ "synced with time": "同期された {0}",
+ "sync settings": "{0}: 設定を表示する",
+ "show synced data": "{0}: 同期されたデータを表示する",
+ "conflicts detected": "{0} で競合が発生したため、同期できません。続行するには解決してください。",
+ "accept remote": "リモートを受け入れる",
+ "accept local": "ローカルを受け入れる",
+ "show conflicts": "競合の表示",
+ "accept failed": "変更を受け入れているときにエラーが発生しました。詳細については、[ログ]({0})を確認してください。",
+ "session expired": "現在のセッションの有効期限が切れたため、設定の同期がオフになりました。同期をオンにするには、もう一度サインインしてください。",
+ "turn on sync": "設定の同期をオンにする...",
+ "turned off": "別のデバイスから設定の同期がオフにされました。同期をオンにするには、もう一度サインインしてください。",
+ "too large": "同期する {1} ファイルのサイズが {2} より大きいため、{0} の同期を無効にしました。ファイルを開いてサイズを小さくし、同期を有効にしてください",
+ "error upgrade required": "現在のバージョン ({0}、{1}) は同期サービスと互換性がないため、設定の同期が無効になっています。同期をオンにする前に、更新してください。",
+ "operationId": "操作 ID: {0}",
+ "error reset required": "クラウド内のデータがクライアントのものより前のものであるため、設定の同期が無効になっています。同期をオンにする前に、クラウド内のデータを消去してください。",
+ "reset": "クラウド内のデータを消去...",
+ "show synced data action": "同期されたデータの表示",
+ "switched to insiders": "設定の同期で別のサービスが使用されるようになりました。詳細については、[リリース ノート](https://code.visualstudio.com/updates/v1_48#_settings-sync)を参照してください。",
+ "open file": "{0} ファイルを開く",
+ "errorInvalidConfiguration": "ファイルの内容が無効であるため、{0} を同期できません。ファイルを開いて修正してください。",
+ "has conflicts": "{0}: 競合が検出されました",
+ "turning on syncing": "設定の同期をオンにしています...",
+ "sign in to sync": "サインインして設定を同期する",
+ "no authentication providers": "利用できる認証プロバイダーがありません。",
+ "too large while starting sync": "同期する {0} ファイルのサイズが {1} を超えているため、設定の同期をオンにすることができません。ファイルを開いてサイズを小さくし、同期をオンにしてください",
+ "error upgrade required while starting sync": "現在のバージョン ({0}、{1}) は同期サービスと互換性がないため、設定の同期をオンにできません。同期をオンにする前に、更新してください。",
+ "error reset required while starting sync": "クラウド内のデータがクライアントのものより前のものであるため、設定の同期をオンにできません。同期をオンにする前に、クラウド内のデータを消去してください。",
+ "auth failed": "設定の同期を有効にするときにエラーが発生しました。認証に失敗しました。",
+ "turn on failed": "設定の同期を有効にしているときにエラーが発生しました。詳細については、[ログ]({0}) を確認してください。",
+ "sync preview message": "設定の同期はプレビュー機能です。オンにする前に、ドキュメントをお読みください。",
+ "turn on": "オンにする",
+ "open doc": "ドキュメントを開く",
+ "cancel": "キャンセル",
+ "sign in and turn on": "サインインしてオンにする",
+ "configure and turn on sync detail": "デバイス間でデータを同期するには、サインインしてください。",
+ "per platform": "各プラットフォーム用",
+ "configure sync placeholder": "同期対象を選択する",
+ "turn off sync confirmation": "同期をオフにしますか?",
+ "turn off sync detail": "設定、キー バインド、拡張機能、スニペット、UI 状態が同期されなくなります。",
+ "turn off": "オフにする(&&T)",
+ "turn off sync everywhere": "すべてのデバイスで同期をオフにし、クラウドからデータを消去します。",
+ "leftResourceName": "{0} (リモート)",
+ "merges": "{0} (マージ)",
+ "sideBySideLabels": "{0} ↔ {1}",
+ "sideBySideDescription": "設定の同期",
+ "switchSyncService.title": "{0}: サービスの選択",
+ "switchSyncService.description": "複数の環境と同期するときに同じ設定の同期サービスを使用していることをご確認ください",
+ "default": "既定",
+ "insiders": "インサイダー",
+ "stable": "安定",
+ "global activity turn on sync": "設定の同期をオンにする...",
+ "turnin on sync": "設定の同期をオンにしています...",
+ "sign in global": "サインインして設定を同期する",
+ "sign in accounts": "サインインして設定を同期する (1)",
+ "resolveConflicts_global": "{0}: 設定の競合を表示する (1)",
+ "resolveKeybindingsConflicts_global": "{0}: キー バインドの競合を表示する (1)",
+ "resolveSnippetsConflicts_global": "{0}: ユーザー スニペットの競合を表示する ({1})",
+ "sync is on": "設定の同期がオン",
+ "workbench.action.showSyncRemoteBackup": "同期されたデータの表示",
+ "turn off failed": "設定の同期をオフにしているときにエラーが発生しました。詳細については、[ログ]({0})を確認してください。",
+ "show sync log title": "{0}: ログを表示する",
+ "accept merges": "マージを受け入れる",
+ "accept remote button": "リモートを受け入れる(&&R)",
+ "accept merges button": "マージを受け入れる(&&M)",
+ "Sync accept remote": "{0}: {1}",
+ "Sync accept merges": "{0}: {1}",
+ "confirm replace and overwrite local": "リモート {0} を受け入れてローカル {1} を置き換えますか?",
+ "confirm replace and overwrite remote": "マージを受け入れてリモート {0} を置き換えますか?",
+ "update conflicts": "新しいローカル バージョンが利用可能であるため、競合を解決できませんでした。もう一度お試しください。"
+ },
+ "vs/workbench/contrib/userDataSync/browser/userDataSyncViews": {
+ "showLog": "ログの表示",
+ "configure": "構成...",
+ "workbench.actions.syncData.reset": "クラウド内のデータを消去...",
+ "merges": "マージ",
+ "synced machines": "同期されたマシン",
+ "workbench.actions.sync.editMachineName": "名前の編集",
+ "workbench.actions.sync.turnOffSyncOnMachine": "設定の同期をオフにする",
+ "remote sync activity title": "同期アクティビティ (リモート)",
+ "local sync activity title": "同期アクティビティ (ローカル)",
+ "workbench.actions.sync.resolveResourceRef": "生の JSON 同期データの表示",
+ "workbench.actions.sync.replaceCurrent": "復元",
+ "confirm replace": "現在の {0} を選択したもので置き換えますか?",
+ "workbench.actions.sync.compareWithLocal": "変更点を開く",
+ "leftResourceName": "{0} (リモート)",
+ "rightResourceName": "{0} (ローカル)",
+ "sideBySideLabels": "{0} ↔ {1}",
+ "sideBySideDescription": "設定の同期",
+ "reset": "同期されたデータのリセット",
+ "current": "現在のマシン",
+ "no machines": "マシンがありません",
+ "not found": "ID: {0} のマシンが見つかりません",
+ "turn off sync on machine": "{0} の同期をオフにしますか?",
+ "turn off": "オフにする(&&T)",
+ "placeholder": "マシンの名前を入力してください",
+ "valid message": "マシン名は、一意の、空ではない値である必要があります"
+ },
+ "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": "破棄",
+ "workbench.actions.sync.showChanges": "変更点を開く",
+ "conflicts detected": "競合が検出されました",
+ "resolve": "競合が発生しているため、同期できません。続行するには、それらを解決してください。",
+ "turning on": "オンにしています...",
+ "preview": "{0} (プレビュー)",
+ "leftResourceName": "{0} (リモート)",
+ "merges": "{0} (マージ)",
+ "rightResourceName": "{0} (ローカル)",
+ "sideBySideLabels": "{0} ↔ {1}",
+ "sideBySideDescription": "設定の同期",
+ "label": "UserDataSyncResources",
+ "conflict": "競合が検出されました",
+ "accepted": "受け入れ済み",
+ "accept remote": "リモートを受け入れる",
+ "accept local": "ローカルを受け入れる",
+ "accept merges": "マージを受け入れる"
+ },
+ "vs/workbench/contrib/views/browser/treeView": {
+ "no-dataprovider": "ビュー データを提供できるデータ プロバイダーが登録されていません。",
+ "refresh": "最新の情報に更新",
+ "collapseAll": "すべて折りたたんで表示します。",
+ "command-error": "コマンド {1} の実行中にエラー {0} が発生しました。{1} を提供する拡張機能が原因である可能性があります。"
+ },
+ "vs/workbench/contrib/watermark/browser/watermark": {
+ "watermark.showCommands": "すべてのコマンドの表示",
+ "watermark.quickAccess": "ファイルに移動する",
+ "watermark.openFile": "ファイルを開く",
+ "watermark.openFolder": "フォルダーを開く",
+ "watermark.openFileFolder": "ファイルまたはフォルダーを開く",
+ "watermark.openRecent": "最近開いた項目",
+ "watermark.newUntitledFile": "無題の新規ファイル",
+ "watermark.toggleTerminal": "ターミナルの切り替え",
+ "watermark.findInFiles": "フォルダーを指定して検索",
+ "watermark.startDebugging": "デバッグの開始",
+ "tips.enabled": "有効にすると、エディターを 1 つも開いていないときに透かしのヒントが表示されます。"
+ },
+ "vs/workbench/contrib/webview/electron-browser/webviewCommands": {
+ "openToolsLabel": "Webview 開発者ツールを開く"
+ },
+ "vs/workbench/contrib/webview/browser/baseWebviewElement": {
+ "fatalErrorMessage": "Web ビューの読み込みエラー: {0}"
+ },
+ "vs/workbench/contrib/webviewPanel/browser/webviewPanel.contribution": {
+ "webview.editor.label": "Web ビュー エディター"
+ },
+ "vs/workbench/contrib/webviewPanel/browser/webviewCommands": {
+ "editor.action.webvieweditor.showFind": "検索の表示",
+ "editor.action.webvieweditor.hideFind": "検索を停止する",
+ "editor.action.webvieweditor.findNext": "次を検索",
+ "editor.action.webvieweditor.findPrevious": "前を検索",
+ "refreshWebviewLabel": "Web ビューの再読み込み"
+ },
+ "vs/workbench/contrib/welcome/overlay/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/welcome/page/browser/welcomePage.contribution": {
+ "workbench.startupEditor.none": "エディターなしで開始",
+ "workbench.startupEditor.welcomePage": "ウェルカムページを開きます (既定)。",
+ "workbench.startupEditor.readme": "README がフォルダーに含まれている場合はそれを開き、それ以外の場合は 'welcomePage' を開きます。",
+ "workbench.startupEditor.newUntitledFile": "無題の新規ファイルを開きます (空のワークスペースが開かれているときのみ)。",
+ "workbench.startupEditor.welcomePageInEmptyWorkbench": "空のワークベンチを開くとき、ウェルカム ページを開きます。",
+ "workbench.startupEditor.gettingStarted": "[概要] ページ (試験段階) を開きます。",
+ "workbench.startupEditor": "起動時にどのエディターを表示するかを制御します。無い場合、前のセッションを復元します。",
+ "miWelcome": "ようこそ(&&W)"
+ },
+ "vs/workbench/contrib/welcome/gettingStarted/browser/gettingStarted.contribution": {
+ "Getting Started": "概要",
+ "help": "ヘルプ",
+ "gettingStartedDescription": "試験段階の [概要] ページを有効にして、[ヘルプ] メニューからアクセスできるようにします。"
+ },
+ "vs/workbench/contrib/welcome/walkThrough/browser/walkThrough.contribution": {
+ "walkThrough.editor.label": "対話型プレイグラウンド",
+ "miInteractivePlayground": "対話型プレイグラウンド(&&N)"
+ },
+ "vs/workbench/contrib/welcome/page/browser/welcomePage": {
+ "welcomePage": "ようこそ",
+ "welcomePage.javaScript": "JavaScript",
+ "welcomePage.python": "Python",
+ "welcomePage.java": "Java",
+ "welcomePage.php": "PHP",
+ "welcomePage.azure": "Azure",
+ "welcomePage.showAzureExtensions": "Azure 拡張機能の表示",
+ "welcomePage.docker": "Docker",
+ "welcomePage.vim": "Vim",
+ "welcomePage.sublime": "Sublime",
+ "welcomePage.atom": "Atom",
+ "welcomePage.extensionPackAlreadyInstalled": "{0} のサポートは既にインストールされています。",
+ "welcomePage.willReloadAfterInstallingExtensionPack": "{0} に追加のサポートをインストールしたあと、ウィンドウが再度読み込まれます。",
+ "welcomePage.installingExtensionPack": "{0} に追加のサポートをインストールしています...",
+ "welcomePage.extensionPackNotFound": "ID {1} のサポート {0} は見つかりませんでした。",
+ "welcomePage.keymapAlreadyInstalled": "キーボード ショートカット {0} は既にインストールされています。",
+ "welcomePage.willReloadAfterInstallingKeymap": "キーボード ショートカット {0} をインストールした後、ウィンドウが再度読み込まれます。",
+ "welcomePage.installingKeymap": "{0} のキーボード ショートカットをインストールしています...",
+ "welcomePage.keymapNotFound": "ID {1} のキーボード ショートカット {0} は見つかりませんでした。",
+ "welcome.title": "ようこそ",
+ "welcomePage.openFolderWithPath": "パス {1} のフォルダー {0} を開く",
+ "welcomePage.extensionListSeparator": ", ",
+ "welcomePage.installKeymap": "{0} キーマップをインストールする",
+ "welcomePage.installExtensionPack": "{0} に追加のサポートをインストールする",
+ "welcomePage.installedKeymap": "{0} キーマップは既にインストールされています",
+ "welcomePage.installedExtensionPack": "{0} のサポートは既にインストールされています",
+ "ok": "OK",
+ "details": "詳細"
+ },
+ "vs/workbench/contrib/welcome/gettingStarted/browser/gettingStarted": {
+ "editorGettingStarted.title": "概要",
+ "next": "次へ"
+ },
+ "vs/workbench/contrib/welcome/walkThrough/browser/walkThroughPart": {
+ "walkThrough.unboundCommand": "バインドなし",
+ "walkThrough.gitNotFound": "システムに Git がインストールされていない可能性があります。",
+ "walkThrough.embeddedEditorBackground": "対話型プレイグラウンドの埋め込みエディターの背景色。"
+ },
+ "vs/workbench/contrib/welcome/walkThrough/browser/editor/editorWalkThrough": {
+ "editorWalkThrough.title": "対話型プレイグラウンド",
+ "editorWalkThrough": "対話型プレイグラウンド"
+ },
+ "vs/workbench/contrib/welcome/common/viewsWelcomeContribution": {
+ "ViewsWelcomeExtensionPoint.proposedAPI": "'{0}' の viewsWelcome コントリビューションでは、'enableProposedApi' を有効にする必要があります。"
+ },
+ "vs/workbench/contrib/welcome/common/viewsWelcomeExtensionPoint": {
+ "contributes.viewsWelcome": "コントリビューション ビューのウェルカム コンテンツです。ウェルカム コンテンツは、開かれているフォルダーがないエクスプローラーなど、表示する意味のあるコンテンツがない場合にツリー ベースのビューに表示されます。このようなコンテンツは、製品内ドキュメントとして役立ち、特定の機能が使用可能になる前にユーザーがそれらの機能を使用するよう促します。エクスプローラーのウェルカム ビューの [リポジトリの複製] ボタンが良い例です。",
+ "contributes.viewsWelcome.view": "特定のビューにウェルカム コンテンツを提供しました。",
+ "contributes.viewsWelcome.view.view": "このウェルカム コンテンツのターゲット ビュー識別子です。ツリー ベースのビューのみがサポートされています。",
+ "contributes.viewsWelcome.view.contents": "表示されるウェルカム コンテンツ。コンテンツの形式は Markdown のサブセットで、リンクのみをサポートします。",
+ "contributes.viewsWelcome.view.when": "ウェルカム コンテンツを表示する必要がある場合の条件。",
+ "contributes.viewsWelcome.view.group": "このウェルカム コンテンツが属するグループです。",
+ "contributes.viewsWelcome.view.enablement": "ウェルカム コンテンツ ボタンを有効にする条件。"
+ },
+ "vs/workbench/contrib/welcome/telemetryOptOut/browser/telemetryOptOut": {
+ "telemetryOptOut.optOutNotice": "Microsoft による利用状況のデータ収集を許可することで VS Code の改善に役立てることができます。私たちの [プライバシーに関する声明]({0}) 参照し、[オプト アウト]({1}) する方法を確認してください。",
+ "telemetryOptOut.optInNotice": "Microsoft による利用状況のデータ収集を許可することで VS Code の改善に役立てることができます。私たちの [プライバシーに関する声明]({0}) 参照し、[オプト イン]({1}) する方法を確認してください。",
+ "telemetryOptOut.readMore": "詳細を参照",
+ "telemetryOptOut.optOutOption": "使用データの収集を Microsoft に許可することで、Visual Studio Code の向上にご協力ください。詳しくは、[プライバシーに関する声明]({0}) をご覧ください。",
+ "telemetryOptOut.OptIn": "はい、喜んで協力します",
+ "telemetryOptOut.OptOut": "いいえ、遠慮します"
+ },
+ "vs/workbench/contrib/welcome/page/browser/welcomePageColors": {
+ "welcomePage.buttonBackground": "ウェルカム ページのボタンの背景色。",
+ "welcomePage.buttonHoverBackground": "ウェルカム ページのボタンのホバー背景色。",
+ "welcomePage.background": "ウェルカム ページの背景色。"
+ },
+ "vs/workbench/contrib/welcome/page/browser/vs_code_welcome_page": {
+ "welcomePage.vscode": "Visual Studio Code",
+ "welcomePage.editingEvolved": "進化した編集",
+ "welcomePage.start": "開始",
+ "welcomePage.newFile": "新しいファイル",
+ "welcomePage.openFolder": "フォルダーを開く...",
+ "welcomePage.gitClone": "リポジトリのクローン...",
+ "welcomePage.recent": "最近",
+ "welcomePage.moreRecent": "その他...",
+ "welcomePage.noRecentFolders": "最近使用したフォルダーなし",
+ "welcomePage.help": "ヘルプ",
+ "welcomePage.keybindingsCheatsheet": "印刷可能なキーボードのチートシート",
+ "welcomePage.introductoryVideos": "紹介ビデオ",
+ "welcomePage.tipsAndTricks": "ヒントとコツ",
+ "welcomePage.productDocumentation": "製品ドキュメント",
+ "welcomePage.gitHubRepository": "GitHub リポジトリ",
+ "welcomePage.stackOverflow": "Stack Overflow",
+ "welcomePage.newsletterSignup": "ニュースレターに参加する",
+ "welcomePage.showOnStartup": "起動時にウェルカム ページを表示",
+ "welcomePage.customize": "カスタマイズ",
+ "welcomePage.installExtensionPacks": "ツールと言語",
+ "welcomePage.installExtensionPacksDescription": "{0} と {1} のサポートをインストールする",
+ "welcomePage.showLanguageExtensions": "さらに言語拡張機能を表示",
+ "welcomePage.moreExtensions": "その他",
+ "welcomePage.installKeymapDescription": "設定とキーバインド",
+ "welcomePage.installKeymapExtension": "{0} と {1} の設定とキーボード ショートカットをインストールします",
+ "welcomePage.showKeymapExtensions": "他のキーマップ拡張機能を表示",
+ "welcomePage.others": "その他",
+ "welcomePage.colorTheme": "配色テーマ",
+ "welcomePage.colorThemeDescription": "エディターとコードの外観を自由に設定します",
+ "welcomePage.learn": "学ぶ",
+ "welcomePage.showCommands": "すべてのコマンドの検索と実行",
+ "welcomePage.showCommandsDescription": "コマンド パレット ({0}) にすばやくアクセスしてコマンドを検索します",
+ "welcomePage.interfaceOverview": "インターフェイスの概要",
+ "welcomePage.interfaceOverviewDescription": "UI の主要コンポーネントを解説した視覚オーバーレイを表示します",
+ "welcomePage.interactivePlayground": "対話型プレイグラウンド",
+ "welcomePage.interactivePlaygroundDescription": "エディターの基本機能を簡潔なチュートリアルで体験します"
+ },
+ "vs/workbench/contrib/welcome/gettingStarted/browser/vs_code_editor_getting_started": {
+ "gettingStarted.vscode": "Visual Studio Code",
+ "gettingStarted.editingRedefined": "コードの編集。再定義"
+ },
+ "vs/workbench/contrib/workspaces/browser/workspaces.contribution": {
+ "workspaceFound": "このフォルダーには、ワークスペース ファイル '{0}' が含まれています。それを開きますか? ワークスペース ファイルに関しての [詳細情報]({1}) をご覧ください。",
+ "openWorkspace": "ワークスペースを開く",
+ "workspacesFound": "このフォルダーには、複数のワークスペース ファイルが含まれています。1 つを開いてみますか?ワークスペース ファイルに関しての [詳細情報]({0}) をご覧ください。",
+ "selectWorkspace": "ワークスペースを選択",
+ "selectToOpen": "開くワークスペースを選択します。"
+ },
+ "vs/workbench/services/authentication/browser/authenticationService": {
+ "authentication.id": "認証プロバイダーの ID。",
+ "authentication.label": "認証プロバイダーを表す、人が認識できる名前です。",
+ "authenticationExtensionPoint": "認証を提供します",
+ "loading": "読み込み中...",
+ "authentication.missingId": "認証のコントリビューションには ID を指定する必要があります。",
+ "authentication.missingLabel": "認証のコントリビューションにはラベルを指定する必要があります。",
+ "authentication.idConflict": "この認証 ID '{0}' は既に登録されています",
+ "noAccounts": "どのアカウントにもサインインしていません",
+ "sign in": "サインインが要求されました",
+ "signInRequest": "サインインして {0} を使用します (1)"
+ },
+ "vs/workbench/services/bulkEdit/browser/bulkEditService": {
+ "summary.0": "編集は行われませんでした",
+ "summary.nm": "{1} 個のファイルで {0} 件のテキスト編集を実行",
+ "summary.n0": "1 つのファイルで {0} 個のテキストを編集",
+ "workspaceEdit": "ワークスペースの編集",
+ "nothing": "編集は行われませんでした"
+ },
+ "vs/workbench/services/configuration/common/jsonEditingService": {
+ "errorInvalidFile": "ファイルに書き込めません。ファイルを開いて、ファイル内のエラー/警告を修正してからもう一度お試しください。",
+ "errorFileDirty": "ファイルがダーティ状態でありファイルに書き込めません。ファイルを保存してからもう一度お試しください。"
+ },
+ "vs/workbench/services/configuration/common/configurationEditingService": {
+ "openTasksConfiguration": "タスク構成を開く",
+ "openLaunchConfiguration": "起動構成を開く",
+ "open": "設定を開く",
+ "saveAndRetry": "保存して再試行",
+ "errorUnknownKey": "{1} は登録済みの構成ではないため、{0} に書き込むことができません。",
+ "errorInvalidWorkspaceConfigurationApplication": "{0} をワークスペース設定に書き込めません。この設定はユーザー設定にのみ書き込めます。",
+ "errorInvalidWorkspaceConfigurationMachine": "{0} をワークスペース設定に書き込めません。この設定はユーザー設定にのみ書き込めます。",
+ "errorInvalidFolderConfiguration": "{0} はフォルダーのリソース スコープをサポートしていないため、フォルダー設定に書き込むことができません。",
+ "errorInvalidUserTarget": "{0} はグローバル スコープをサポートしていないため、ユーザー設定に書き込むことができません。",
+ "errorInvalidWorkspaceTarget": "{0} はマルチ フォルダー ワークスペースでワークスペース スコープをサポートしていないため、ワークスペース設定を書き込むことができません。",
+ "errorInvalidFolderTarget": "リソースが指定されていないため、フォルダー設定に書き込むことができません。",
+ "errorInvalidResourceLanguageConfiguraiton": "{0} がリソースの言語設定ではないため、言語設定に書き込めません。",
+ "errorNoWorkspaceOpened": "開いているワークスペースがないため、{0} に書き込むことができません。最初にワークスペースを開いてから、もう一度お試しください。",
+ "errorInvalidTaskConfiguration": "タスク構成ファイルに書き込めません。ファイルを開いて、ファイル内のエラー/警告を修正してからもう一度お試しください。",
+ "errorInvalidLaunchConfiguration": "起動構成ファイルに書き込めません。ファイルを開いて、ファイル内のエラー/警告を修正してからもう一度お試しください。",
+ "errorInvalidConfiguration": "ユーザー設定に書き込めません。ユーザー設定を開いて、ファイル内のエラー/警告を修正してからもう一度お試しください。",
+ "errorInvalidRemoteConfiguration": "リモートユーザーの設定を書き込めませんでした。リモートユーザーの設定を開き、エラーや警告を修正して再試行してください。",
+ "errorInvalidConfigurationWorkspace": "ワークスペース設定に書き込めません。ワークスペース設定を開いて、ファイル内のエラー/警告を修正してからもう一度お試しください。",
+ "errorInvalidConfigurationFolder": "フォルダー設定に書き込めません。'{0}' フォルダー設定を開いて、ファイル内のエラー/警告を修正してからもう一度お試しください。",
+ "errorTasksConfigurationFileDirty": "ファイルが変更されているため、タスク構成ファイルに書き込めません。ファイルを保存してから、もう一度お試しください。",
+ "errorLaunchConfigurationFileDirty": "ファイルが変更されているため、起動構成ファイルに書き込めません。ファイルを保存してから、もう一度お試しください。",
+ "errorConfigurationFileDirty": "ファイルが変更されているため、ユーザー設定を書き込めません。ユーザー設定ファイルを保存してから、もう一度お試しください。",
+ "errorRemoteConfigurationFileDirty": "ファイルがダーティであるため、リモート ユーザー設定に書き込めませんでした。まずリモート ユーザー設定ファイルを保存してから、もう一度お試しください。",
+ "errorConfigurationFileDirtyWorkspace": "ファイルが変更されているため、ワークスペース設定を書き込めません。ワークスペース設定ファイルを保存してから、もう一度お試しください。",
+ "errorConfigurationFileDirtyFolder": "ファイルが変更されているため、フォルダー設定を書き込めません。'{0}' フォルダー設定ファイルを保存してから、もう一度お試しください。",
+ "errorTasksConfigurationFileModifiedSince": "ファイルのコンテンツが新しくなっているため、タスク構成ファイルに書き込むことができません。",
+ "errorLaunchConfigurationFileModifiedSince": "ファイルのコンテンツが新しくなっているため、起動構成ファイルに書き込むことができません。",
+ "errorConfigurationFileModifiedSince": "ファイルのコンテンツが新しくなっているため、ユーザー設定に書き込むことができません。",
+ "errorRemoteConfigurationFileModifiedSince": "ファイルのコンテンツが新しくなっているため、リモート ユーザー設定に書き込むことができません。",
+ "errorConfigurationFileModifiedSinceWorkspace": "ファイルのコンテンツが新しくなっているため、ワークスペース設定に書き込むことができません。",
+ "errorConfigurationFileModifiedSinceFolder": "ファイルのコンテンツが新しくなっているため、フォルダー設定に書き込むことができません。",
+ "userTarget": "ユーザー設定",
+ "remoteUserTarget": "リモート ユーザーの設定",
+ "workspaceTarget": "ワークスペースの設定",
+ "folderTarget": "フォルダーの設定"
+ },
+ "vs/workbench/services/configurationResolver/browser/configurationResolverService": {
+ "commandVariable.noStringType": "コマンドで文字列型の結果が返されなかったため、コマンド変数 '{0}' を代入できません。",
+ "inputVariable.noInputSection": "変数 '{0}' は、デバッグ構成またはタスク構成の '{1}' セクションで定義する必要があります。",
+ "inputVariable.missingAttribute": "入力変数 '{0}' の型は '{1}' で、'{2}' を含める必要があります。",
+ "inputVariable.defaultInputValue": "(既定)",
+ "inputVariable.command.noStringType": "コマンド '{1}' は文字列型の結果を返さないため、入力変数 '{0}' を置き換えることはできません。",
+ "inputVariable.unknownType": "入力変数 '{0}' は、'promptString'、'pickString'、または 'command' のいずれかの型にのみできます。",
+ "inputVariable.undefinedVariable": "未定義の入力変数 '{0}' が検出されました。続行するには '{0}' を削除または定義します。"
+ },
+ "vs/workbench/services/configurationResolver/common/variableResolver": {
+ "canNotResolveFile": "変数 {0} を解決できません。エディターを開いてください。",
+ "canNotResolveFolderForFile": "変数 {0} で '{1}' のワークスペース フォルダーが見つかりません。",
+ "canNotFindFolder": "変数 {0} を解決できません。フォルダー '{1}' がありません。",
+ "canNotResolveWorkspaceFolderMultiRoot": "変数 {0} はマルチ フォルダー ワークスペースで解決できません。 ':' とワークスペース フォルダー名を使用して、この変数のスコープを指定してください。",
+ "canNotResolveWorkspaceFolder": "変数 {0} を解決できません。フォルダーを開いてください。",
+ "missingEnvVarName": "環境変数名が指定されていないため、変数 {0} を解決できません。",
+ "configNotFound": "設定 '{1}' が見つからないため、変数 {0} を解決できません。",
+ "configNoString": "'{1}' は構造化された値であるため、変数 {0} を解決できません。",
+ "missingConfigName": "設定名が指定されていないため、変数 {0} を解決できません。",
+ "canNotResolveLineNumber": "変数 {0} を解決できません。アクティブなエディターに選択済みの行があることをご確認ください。",
+ "canNotResolveSelectedText": "変数 {0} を解決できません。アクティブなエディターに選択済みのテキストがあることをご確認ください。",
+ "noValueForCommand": "コマンドに値がないため、変数 {0} を解決できません。"
+ },
+ "vs/workbench/services/configurationResolver/common/configurationResolverUtils": {
+ "deprecatedVariables": "'env.'、'config.'、'command.' は使用されていません。代わりに、'env:'、'config:'、'command:' を使用してください。"
+ },
+ "vs/workbench/services/configurationResolver/common/configurationResolverSchema": {
+ "JsonSchema.input.id": "入力の ID を使用して、フォーム ${input:id} の変数を入力に関連付けます。",
+ "JsonSchema.input.type": "使用するユーザー入力プロンプトの種類。",
+ "JsonSchema.input.description": "ユーザーが入力を求められるときに説明が表示されます。",
+ "JsonSchema.input.default": "入力の既定値。",
+ "JsonSchema.inputs": "ユーザー入力。自由な文字列の入力またはいくつかのオプションからの選択など、ユーザー入力のプロンプトを定義するために使用します。",
+ "JsonSchema.input.type.promptString": "'PromptString' 型はユーザーに入力を求める入力ボックスを開きます。",
+ "JsonSchema.input.password": "パスワード入力を表示するかどうかを制御します。パスワード入力では、入力したテキストが非表示になります。",
+ "JsonSchema.input.type.pickString": "'PickString' 型は選択一覧を表示します。",
+ "JsonSchema.input.options": "クイック ピックのオプションを定義する文字列の配列です。",
+ "JsonSchema.input.pickString.optionLabel": "オプションのラベル。",
+ "JsonSchema.input.pickString.optionValue": "オプションの値。",
+ "JsonSchema.input.type.command": "'command' 型はコマンドを実行します。",
+ "JsonSchema.input.command.command": "この入力変数のために実行するコマンド。",
+ "JsonSchema.input.command.args": "コマンドに渡された省略可能な引数。"
+ },
+ "vs/workbench/services/decorations/browser/decorationsService": {
+ "bubbleTitle": "強調された項目を含む"
+ },
+ "vs/workbench/services/dialogs/browser/abstractFileDialogService": {
+ "saveChangesDetail": "保存していない場合、変更は失われます。",
+ "saveChangesMessage": "{0} に加えた変更を保存しますか?",
+ "saveChangesMessages": "次の {0} ファイルに対する変更を保存しますか?",
+ "saveAll": "すべて保存(&&S)",
+ "save": "保存(&&S)",
+ "dontSave": "保存しない(&&N)",
+ "cancel": "キャンセル",
+ "openFileOrFolder.title": "ファイルまたはフォルダーを開く",
+ "openFile.title": "ファイルを開く",
+ "openFolder.title": "フォルダーを開く",
+ "openWorkspace.title": "ワークスペースを開く",
+ "filterName.workspace": "ワークスペース",
+ "saveFileAs.title": "名前を付けて保存",
+ "saveAsTitle": "名前を付けて保存",
+ "allFiles": "すべてのファイル",
+ "noExt": "拡張子なし"
+ },
+ "vs/workbench/services/dialogs/browser/simpleFileDialog": {
+ "openLocalFile": "ローカル ファイルを開く...",
+ "saveLocalFile": "ローカル ファイルの保存...",
+ "openLocalFolder": "ローカル フォルダーを開く...",
+ "openLocalFileFolder": "ローカルを開く...",
+ "remoteFileDialog.notConnectedToRemote": "{0} のファイル システム プロバイダーは使用できません。",
+ "remoteFileDialog.local": "ローカルを表示します。",
+ "remoteFileDialog.badPath": "パスが存在しません。",
+ "remoteFileDialog.cancel": "キャンセル",
+ "remoteFileDialog.invalidPath": "有効なパスを入力してください。",
+ "remoteFileDialog.validateFolder": "このフォルダーは既に存在します。新しいファイル名を使用してください。",
+ "remoteFileDialog.validateExisting": "{0} は既に存在します。上書きしますか?",
+ "remoteFileDialog.validateBadFilename": "有効なファイル名を入力してください。",
+ "remoteFileDialog.validateNonexistentDir": "存在しているパスを入力してください。",
+ "remoteFileDialog.windowsDriveLetter": "パスの先頭にドライブ文字を指定してください。",
+ "remoteFileDialog.validateFileOnly": "ファイルを選択してください。",
+ "remoteFileDialog.validateFolderOnly": "フォルダーを選択してください。"
+ },
+ "vs/workbench/services/editor/browser/editorService": {
+ "editorAssociations.viewType.sourceDescription": "ソース: {0}"
+ },
+ "vs/workbench/services/editor/common/editorOpenWith": {
+ "promptOpenWith.currentlyActive": "現在アクティブ",
+ "promptOpenWith.setDefaultTooltip": "'{0}' ファイルの既定のエディターとして設定する",
+ "promptOpenWith.placeHolder": "'{0}' のエディターを選択してください",
+ "builtinProviderDisplayName": "ビルトイン",
+ "promptOpenWith.defaultEditor.displayName": "テキスト エディター",
+ "editor.editorAssociations": "特定のファイルの種類に対して使用するエディターを構成します。",
+ "editor.editorAssociations.viewType": "使用するエディターの一意識別子。",
+ "editor.editorAssociations.filenamePattern": "エディターで使用するファイルを指定する glob パターン。"
+ },
+ "vs/workbench/services/extensionManagement/electron-browser/extensionManagementServerService": {
+ "local": "LOCAL",
+ "remote": "リモート"
+ },
+ "vs/workbench/services/extensionManagement/electron-sandbox/remoteExtensionManagementService": {
+ "incompatible": "VS Code '{1}' と互換性のない拡張機能 '{0}' をインストールできません。"
+ },
+ "vs/workbench/services/extensionManagement/common/webExtensionsScannerService": {
+ "cannot be installed": "この拡張機能は Web 拡張機能ではないため、'{0}' をインストールできません。"
+ },
+ "vs/workbench/services/extensionManagement/browser/extensionEnablementService": {
+ "extensionsDisabled": "インストールされているすべての拡張機能が一時的に無効になります。",
+ "Reload": "拡張機能を再度読み込んで有効にする",
+ "cannot disable language pack extension": "{0} 拡張機能は言語パックに提供されているため、それを有効にするかどうかは変更できません。",
+ "cannot disable auth extension": "設定の同期が {0} 拡張機能に依存しているため、これが有効かどうかは変更できません。",
+ "noWorkspace": "ワークスペースがありません。",
+ "cannot disable auth extension in workspace": "{0} 拡張機能は認証プロバイダーに提供されているため、それを有効にするかどうかは変更できません"
+ },
+ "vs/workbench/services/extensionManagement/common/extensionManagementService": {
+ "singleDependentError": "拡張機能 '{0}' をアンインストールできません。拡張機能 '{1}' がこの拡張機能に依存しています。",
+ "twoDependentsError": "拡張機能 '{0}' をアンインストールできません。拡張機能 '{1}' と '{2}' がこの拡張機能に依存しています。",
+ "multipleDependentsError": "拡張機能 '{0}' をアンインストールできません。拡張機能 '{1}'、'{2}'、その他がこの拡張機能に依存しています。",
+ "Manifest is not found": "拡張機能 {0} をインストールできませんでした。マニフェストが見つかりません。",
+ "cannot be installed": "この拡張機能はリモート サーバー上で実行できないことを定義しているため、'{0}' をインストールできません。",
+ "cannot be installed on web": "'{0}' をインストールできません。この拡張機能は Web サーバー上では実行できないものとして定義されているためです。",
+ "install extension": "拡張機能のインストール",
+ "install extensions": "拡張機能のインストール",
+ "install": "インストール",
+ "install and do no sync": "インストール (同期しない)",
+ "cancel": "キャンセル",
+ "install single extension": "'{0}' 拡張機能をインストールしてデバイス間で同期しますか?",
+ "install multiple extensions": "拡張機能をインストールしてデバイス間で同期しますか?"
+ },
+ "vs/workbench/services/extensionManagement/browser/extensionBisect": {
+ "bisect": "拡張機能のバイセクトがアクティブであり、{0} の拡張機能が無効化されました。問題を再現できるかどうかを確認し、これらのオプションから選択して続行します。",
+ "title.start": "拡張機能のバイセクトを開始",
+ "help": "ヘルプ",
+ "msg.start": "拡張機能のバイセクト",
+ "detail.start": "拡張機能のバイセクトではバイナリ検索が使用され、問題の原因となっている拡張機能が検索されます。処理中に、ウィンドウが繰り返し再読み込みされます (最大 {0} 回)。問題がまだ発生しているかどうかを毎回確認する必要があります。",
+ "msg2": "拡張機能のバイセクトを開始",
+ "title.isBad": "拡張機能のバイセクトを続行",
+ "done.msg": "拡張機能のバイセクト",
+ "done.detail2": "拡張機能のバイセクトが実行されましたが、拡張機能は何も識別されませんでした。これは {0} の問題である可能性があります。",
+ "report": "問題を報告して続行",
+ "done": "続行",
+ "done.detail": "拡張機能のバイセクトが実行され、問題の原因となっている拡張機能として {0} が識別されました。",
+ "done.disbale": "この拡張機能を無効にしておく",
+ "msg.next": "拡張機能のバイセクト",
+ "next.good": "問題ない",
+ "next.bad": "問題がある",
+ "next.stop": "バイセクトを停止",
+ "next.cancel": "キャンセル",
+ "title.stop": "拡張機能のバイセクトを停止"
+ },
+ "vs/workbench/services/extensionRecommendations/common/workspaceExtensionsConfig": {
+ "select for remove": "拡張機能の推奨事項の削除元",
+ "select for add": "拡張機能の推奨事項の追加先",
+ "workspace folder": "ワークスペース フォルダー",
+ "workspace": "ワークスペース"
+ },
+ "vs/workbench/services/extensions/electron-browser/extensionService": {
+ "extensionService.versionMismatchCrash": "拡張機能のホストを開始できません。バージョンが一致しません。",
+ "relaunch": "VS Code を再起動",
+ "extensionService.crash": "拡張機能のホストが予期せずに終了しました。",
+ "devTools": "開発者ツールを開く",
+ "restart": "拡張機能のホストを再起動",
+ "getEnvironmentFailure": "リモート環境をフェッチできませんでした",
+ "looping": "次の拡張機能には循環参照が存在するため、無効になっています。: {0}",
+ "enableResolver": "リモート ウィンドウを開くには、拡張機能 '{0}' が必要です。\r\n有効にしますか?",
+ "enable": "有効にしてリロード",
+ "installResolver": "リモート ウィンドウを開くには、拡張機能 '{0}' が必要です。\r\nその拡張機能をインストールしますか?",
+ "install": "インストールして再度読み込む",
+ "resolverExtensionNotFound": "`{0}` がマーケットプレイスで見つからない",
+ "restartExtensionHost": "拡張機能のホストを再起動"
+ },
+ "vs/workbench/services/extensions/electron-browser/cachedExtensionScanner": {
+ "overwritingExtension": "拡張機能 {0} を {1} で上書きしています。",
+ "extensionUnderDevelopment": "開発の拡張機能を {0} に読み込んでいます",
+ "extensionCache.invalid": "拡張機能がディスク上で変更されています。ウィンドウを再読み込みしてください。",
+ "reloadWindow": "ウィンドウの再読み込み"
+ },
+ "vs/workbench/services/extensions/electron-browser/localProcessExtensionHost": {
+ "extensionHost.startupFailDebug": "拡張機能ホストが 10 秒以内に開始されませんでした。先頭行で停止している可能性があり、続行するにはデバッガーが必要です。",
+ "extensionHost.startupFail": "拡張機能ホストが 10 秒以内に開始されませんでした。問題が発生している可能性があります。",
+ "reloadWindow": "ウィンドウの再読み込み",
+ "extension host Log": "拡張機能ホスト",
+ "extensionHost.error": "拡張機能ホストからのエラー: {0}"
+ },
+ "vs/workbench/services/extensions/common/abstractExtensionService": {
+ "looping": "次の拡張機能には循環参照が存在するため、無効になっています。: {0}"
+ },
+ "vs/workbench/services/extensions/common/remoteExtensionHost": {
+ "remote extension host Log": "リモート拡張ホスト"
+ },
+ "vs/workbench/services/extensions/browser/webWorkerExtensionHost": {
+ "name": "worker 拡張機能ホスト"
+ },
+ "vs/workbench/services/extensions/browser/extensionUrlHandler": {
+ "confirmUrl": "拡張機能がこの URI を開くことを許可しますか?",
+ "rememberConfirmUrl": "この拡張機能を再度表示しません。",
+ "open": "開く(&&O)",
+ "reloadAndHandle": "拡張機能 '{0}' は読み込まれていません。拡張機能を読み込んで URL を開くためにウィンドウを再読み込みしますか?",
+ "reloadAndOpen": "ウィンドウを再読み込みして開く(&&R)",
+ "enableAndHandle": "拡張機能 '{0}' は無効です。拡張機能を有効にして、URL を開くためにウィンドウを再読み込みしますか?",
+ "enableAndReload": "有効にして開く(&&E)",
+ "installAndHandle": "拡張機能 '{0}' がインストールされていません。拡張機能をインストールして、この URL を開くためにウィンドウを再読み込みしますか?",
+ "install": "インストール(&&I)",
+ "Installing": "拡張機能 '{0}' をインストールしています...",
+ "reload": "ウィンドウを再度読み込んで、URL '{0}' を開きますか?",
+ "Reload": "ウィンドウを再度読み込んで開く",
+ "manage": "承認された拡張 URI を管理します...",
+ "extensions": "拡張機能",
+ "no": "現在、承認されている拡張機能の URI はありません。"
+ },
+ "vs/workbench/services/extensions/common/extensionsRegistry": {
+ "ui": "UI 拡張機能の種類。リモート ウィンドウでは、これらの拡張機能はローカル マシンで使用可能な場合にのみ有効になります。",
+ "workspace": "ワークスペースの拡張子の種類。リモート ウィンドウでは、これらの拡張機能はリモートで使用可能な場合にのみ有効になります。",
+ "web": "web worker の拡張機能の種類。このような拡張機能は、web worker 拡張機能ホストで実行できます。",
+ "vscode.extension.engines": "エンジンの互換性。",
+ "vscode.extension.engines.vscode": "VS Code 拡張機能の場合、拡張機能と互換性のある VS Code バージョンを指定します。* を指定することはできません。たとえば、^0.10.5 は最小の VS Code バージョン 0.10.5 との互換性を示します。",
+ "vscode.extension.publisher": "VS Code 拡張機能の公開元。",
+ "vscode.extension.displayName": "VS Code ギャラリーで使用される拡張機能の表示名。",
+ "vscode.extension.categories": "VS Code ギャラリーで拡張機能の分類に使用されるカテゴリ。",
+ "vscode.extension.category.languages.deprecated": "代わりに 'Programming Languages' を使用してください",
+ "vscode.extension.galleryBanner": "VS Code マーケットプレースで使用されるバナー。",
+ "vscode.extension.galleryBanner.color": "VS Code マーケットプレース ページ ヘッダー上のバナーの色。",
+ "vscode.extension.galleryBanner.theme": "バナーで使用されるフォントの配色テーマ。",
+ "vscode.extension.contributes": "このパッケージで表される VS Code 拡張機能のすべてのコントリビューション。",
+ "vscode.extension.preview": "Marketplace で Preview としてフラグが付けられるように拡張機能を設定します。",
+ "vscode.extension.activationEvents": "VS Code 拡張機能のアクティブ化イベント。",
+ "vscode.extension.activationEvents.onLanguage": "指定された言語を解決するファイルが開かれるたびにアクティブ化イベントが発行されます。",
+ "vscode.extension.activationEvents.onCommand": "指定したコマンドが呼び出されるたびにアクティブ化イベントが発行されます。",
+ "vscode.extension.activationEvents.onDebug": "デバッグの開始またはデバッグ構成がセットアップされるたびにアクティブ化イベントが発行されます。",
+ "vscode.extension.activationEvents.onDebugInitialConfigurations": "\"launch.json\" を作成する必要があるたびに (または、すべての provideDebugConfiguration メソッドを呼び出す必要があるたびに) アクティブ化イベントを発行します。",
+ "vscode.extension.activationEvents.onDebugDynamicConfigurations": "すべてのデバッグ構成のリストを作成する必要がある (また、\"動的\" スコープのすべての provideDebugConfigurations メソッドを呼び出す必要がある) 場合に発生するアクティブ化イベント。",
+ "vscode.extension.activationEvents.onDebugResolve": "特定のタイプのデバッグ セッションが起動されるたびに(または、対応する resolveDebugConfiguration メソッドを呼び出す必要があるたびに)、アクティブ化イベントを発行します。",
+ "vscode.extension.activationEvents.onDebugAdapterProtocolTracker": "特定の種類のデバッグ セッションが開始され、デバッグ プロトコル トラッカーが必要な場合はいつでも、アクティブ化イベントが発行されます。",
+ "vscode.extension.activationEvents.workspaceContains": "指定した glob パターンに一致するファイルを少なくとも 1 つ以上含むフォルダーを開くたびにアクティブ化イベントが発行されます。",
+ "vscode.extension.activationEvents.onStartupFinished": "起動が完了した後 ('*' でアクティブ化されたすべての拡張機能のアクティブ化が完了した後) に発生するアクティブ化イベント。",
+ "vscode.extension.activationEvents.onFileSystem": "指定されたスキーマにファイルかフォルダーが関連付けられるたびにアクティブ化イベントが発行されます。",
+ "vscode.extension.activationEvents.onSearch": "指定されたスキームを使用してフォルダーでの検索が開始されるたびにアクティブ化イベントが発行されます。",
+ "vscode.extension.activationEvents.onView": "指定したビューを展開するたびにアクティブ化イベントが発行されます。",
+ "vscode.extension.activationEvents.onIdentity": "指定されたユーザー ID の場合に生成されるアクティブ化イベント。",
+ "vscode.extension.activationEvents.onUri": "この拡張機能用のシステム全体の URI が開かれるたびにアクティブ化イベントが発行されます。",
+ "vscode.extension.activationEvents.onCustomEditor": "指定したカスタム エディターが表示されるたびに生成されるアクティブ化イベント。",
+ "vscode.extension.activationEvents.star": "VS Code 起動時にアクティブ化イベントを発行します。優れたエンドユーザー エクスペリエンスを確保するために、他のアクティブ化イベントの組み合わせでは望む動作にならないときのみ使用してください。",
+ "vscode.extension.badges": "Marketplace の拡張機能ページのサイドバーに表示されるバッジの配列。",
+ "vscode.extension.badges.url": "バッジのイメージ URL。",
+ "vscode.extension.badges.href": "バッジのリンク。",
+ "vscode.extension.badges.description": "バッジの説明。",
+ "vscode.extension.markdown": "Marketplace で使用される Markdown レンダリング エンジンを制御します。github (既定) か standard のいずれかを指定できます。",
+ "vscode.extension.qna": "Marketplase の Q&A リンクを制御します。既定の Marketplace Q&A サイトを有効にするには、[marketplace] に設定します。カスタムの Q&A サイトの URL を提供するには、その文字列に設定します。Q&A を無効にする場合は、[false] に設定します。",
+ "vscode.extension.extensionDependencies": "他の拡張機能に対する依存関係。拡張機能の識別子は常に ${publisher}.${name} です。例: vscode.csharp。",
+ "vscode.extension.contributes.extensionPack": "一緒にインストールすることができる拡張機能のセット。拡張機能の ID は常に ${publisher}.${name} です。例: 'vscode.csharp'。",
+ "extensionKind": "拡張機能の種類を定義します。'ui' 拡張機能はローカル マシンにインストールされて実行されますが、'workspace' 拡張機能はリモート上で実行されます。",
+ "extensionKind.ui": "リモート ウィンドウが接続されている場合にローカル マシンでのみ実行できる拡張機能を定義します。",
+ "extensionKind.workspace": "リモート ウィンドウが接続されている場合にリモート マシンでのみ実行できる拡張機能を定義します。",
+ "extensionKind.ui-workspace": "どちらの側でも実行できる拡張機能を定義します。ローカル マシンで実行することが推奨されています。",
+ "extensionKind.workspace-ui": "どちらの側でも実行できる拡張機能を定義します。リモート マシンで実行することが推奨されています。",
+ "extensionKind.empty": "ローカルとリモート マシンのいずれのリモート コンテキストでも実行できない拡張機能を定義します。",
+ "vscode.extension.scripts.prepublish": "パッケージが VS Code 拡張機能として公開される前に実行されるスクリプト。",
+ "vscode.extension.scripts.uninstall": "VS コード拡張機能のフックをアンインストールします。 VS コードから拡張機能を完全にアンインストールした時に実行されるスクリプトです。スクリプトは、拡張機能をアンインストールした後に VS コードを再起動 (シャット ダウンしてから起動) したときに実行されます。Node スクリプトのみがサポートされます。",
+ "vscode.extension.icon": "128x128 ピクセルのアイコンへのパス。"
+ },
+ "vs/workbench/services/extensions/node/extensionPoints": {
+ "jsonParseInvalidType": "無効なマニフェスト ファイル {0}: JSON オブジェクトではありません。",
+ "jsonParseFail": "{0}: [{1}, {2}] {3}の解析に失敗しました。",
+ "fileReadFail": "ファイル {0} を読み取れません: {1}。",
+ "jsonsParseReportErrors": "{0} を解析できません: {1}。",
+ "jsonInvalidFormat": "無効な形式 {0}: JSON オブジェクトが必要です。",
+ "missingNLSKey": "キー {0} のメッセージが見つかりませんでした。",
+ "notSemver": "拡張機能のバージョンが semver と互換性がありません。",
+ "extensionDescription.empty": "空の拡張機能の説明を入手しました",
+ "extensionDescription.publisher": "publisher プロパティは `string` 型でなければなりません。",
+ "extensionDescription.name": "プロパティ `{0}` は必須で、`string` 型でなければなりません",
+ "extensionDescription.version": "プロパティ `{0}` は必須で、`string` 型でなければなりません",
+ "extensionDescription.engines": "`{0}` プロパティは必須で、`string` 型でなければなりません",
+ "extensionDescription.engines.vscode": "プロパティ `{0}` は必須で、`string` 型でなければなりません",
+ "extensionDescription.extensionDependencies": "プロパティ `{0}` は省略するか、型 `string[]` にする必要があります",
+ "extensionDescription.activationEvents1": "プロパティ `{0}` は省略するか、型 `string[]` にする必要があります",
+ "extensionDescription.activationEvents2": "プロパティ `{0}` と `{1}` は、両方とも指定するか両方とも省略しなければなりません",
+ "extensionDescription.main1": "プロパティ `{0}` は省略するか、`string` 型にする必要があります",
+ "extensionDescription.main2": "拡張機能のフォルダー ({1}) の中に `main` ({0}) が含まれることが予期されます。これにより拡張機能を移植できなくなる可能性があります。",
+ "extensionDescription.main3": "プロパティ `{0}` と `{1}` は、両方とも指定するか両方とも省略しなければなりません",
+ "extensionDescription.browser1": "プロパティ '{0}' は省略可能であるか、'string' 型である必要があります",
+ "extensionDescription.browser2": "拡張機能のフォルダー ({1}) 内に `browser` ({0}) が含まれることが想定されていました。これにより拡張機能が移植不能になることがあります。",
+ "extensionDescription.browser3": "プロパティ `{0}` と `{1}` は、両方とも指定するか両方とも省略しなければなりません"
+ },
+ "vs/workbench/services/extensions/common/extensionHostManager": {
+ "measureExtHostLatency": "拡張機能ホストの待ち時間を測定"
+ },
+ "vs/workbench/services/gettingStarted/common/gettingStartedContent": {
+ "gettingStarted.beginner.title": "概要",
+ "gettingStarted.beginner.description": "新しいエディターをご確認ください",
+ "pickColorTask.description": "お客様の好みと作業環境に合わせて、ユーザー インターフェイスの色を変更します。",
+ "pickColorTask.title": "配色テーマ",
+ "pickColorTask.button": "テーマの検索",
+ "findKeybindingsTask.description": "Vim、Sublime、Atom などのキーボード ショートカットを見つけます。",
+ "findKeybindingsTask.title": "キー バインドの構成",
+ "findKeybindingsTask.button": "キーマップの検索",
+ "findLanguageExtsTask.description": "JavaScript、Python、Java、Azure、Docker などの言語のサポートを取得します。",
+ "findLanguageExtsTask.title": "言語とツール",
+ "findLanguageExtsTask.button": "言語サポートのインストール",
+ "gettingStartedOpenFolder.description": "開始するには、プロジェクト フォルダーを開いてください。",
+ "gettingStartedOpenFolder.title": "フォルダーを開く",
+ "gettingStartedOpenFolder.button": "フォルダーの選択",
+ "gettingStarted.intermediate.title": "主な機能",
+ "gettingStarted.intermediate.description": "お勧めの役立つ機能",
+ "commandPaletteTask.description": "VS Code で行えるすべてのことを見つける最も簡単な方法です。機能を探している場合は、まずこちらを確認してください。",
+ "commandPaletteTask.title": "コマンド パレット",
+ "commandPaletteTask.button": "すべてのコマンドを表示",
+ "gettingStarted.advanced.title": "ヒントとコツ",
+ "gettingStarted.advanced.description": "VS Code エキスパートからのお気に入り",
+ "gettingStarted.openFolder.title": "フォルダーを開く",
+ "gettingStarted.openFolder.description": "プロジェクトを開き、作業を開始します",
+ "gettingStarted.playground.title": "対話型プレイグラウンド",
+ "gettingStarted.interactivePlayground.description": "エディターの主な機能について"
+ },
+ "vs/workbench/services/integrity/node/integrityService": {
+ "integrity.prompt": "{0} インストールが壊れている可能性があります。再インストールしてください。",
+ "integrity.moreInformation": "詳細情報",
+ "integrity.dontShowAgain": "今後表示しない"
+ },
+ "vs/workbench/services/keybinding/common/keybindingEditing": {
+ "errorKeybindingsFileDirty": "キーバインド構成ファイルが変更されているため書き込めません。まずファイルを保存してからもう一度お試しください。",
+ "parseErrors": "キー バインド構成ファイルに書き込めません。ファイルを開いて、ファイル内のエラー/警告を修正してからもう一度お試しください。",
+ "errorInvalidConfiguration": "キー バインド構成ファイルを書き込めません。配列型ではないオブジェクトが存在します。クリーン アップするファイルを開いてからもう一度お試しください。",
+ "emptyKeybindingsHeader": "既定値を上書きするには、このファイル内にキー バインドを挿入します"
+ },
+ "vs/workbench/services/keybinding/browser/keybindingService": {
+ "nonempty": "空でない値が必要です。",
+ "requirestring": "プロパティ `{0}` は必須で、`string` 型でなければなりません",
+ "optstring": "プロパティ `{0}` は省略するか、`string` 型にする必要があります",
+ "vscode.extension.contributes.keybindings.command": "キー バインドのトリガー時に実行するコマンドの識別子。",
+ "vscode.extension.contributes.keybindings.args": "実行するコマンドに渡す引数。",
+ "vscode.extension.contributes.keybindings.key": "キーまたはキー シーケンス (キーは + で区切り、シーケンスはスペースで区切ります。例: Ctrl+O、Ctrl+L L で同時に押す)。",
+ "vscode.extension.contributes.keybindings.mac": "Mac 固有のキーまたはキー シーケンス。",
+ "vscode.extension.contributes.keybindings.linux": "Linux 固有のキーまたはキー シーケンス。",
+ "vscode.extension.contributes.keybindings.win": "Windows 固有のキーまたはキー シーケンス。",
+ "vscode.extension.contributes.keybindings.when": "キーがアクティブの場合の条件。",
+ "vscode.extension.contributes.keybindings": "キー バインドを提供します。",
+ "invalid.keybindings": "正しくない `contributes.{0}`: {1}",
+ "unboundCommands": "他に使用できるコマンドは次のとおりです: ",
+ "keybindings.json.title": "キー バインドの構成",
+ "keybindings.json.key": "キーまたはキー シーケンス (スペースで区切る) を押します",
+ "keybindings.json.command": "実行するコマンドの名前",
+ "keybindings.json.when": "キーがアクティブの場合の条件。",
+ "keybindings.json.args": "実行するコマンドに渡す引数。",
+ "keyboardConfigurationTitle": "キーボード",
+ "dispatch": "`code` (推奨) または `keyCode` のいずれかを使用するキー操作のディスパッチ ロジックを制御します。"
+ },
+ "vs/workbench/services/label/common/labelService": {
+ "vscode.extension.contributes.resourceLabelFormatters": "リソース ラベルのフォーマット規則を提供します。",
+ "vscode.extension.contributes.resourceLabelFormatters.scheme": "フォーマッタで一致する URI スキーム。たとえば、\"ファイル\" を使用できます。単純な glob パターンがサポートされます。",
+ "vscode.extension.contributes.resourceLabelFormatters.authority": "フォーマッタで一致する URL オーソリティ。単純な glob パターンがサポートされています。",
+ "vscode.extension.contributes.resourceLabelFormatters.formatting": "URI リソース ラベルのフォーマット規則。",
+ "vscode.extension.contributes.resourceLabelFormatters.label": "表示するラベルの規則。例: myLabel:/${path}。${path}、${scheme}、${authority} が変数としてサポートされます。",
+ "vscode.extension.contributes.resourceLabelFormatters.separator": "URI ラベルの表示で使用する区切り記号。例: '/' または ''。",
+ "vscode.extension.contributes.resourceLabelFormatters.stripPathStartingSeparator": "'${path}' の代入で先頭の区切り文字を削除する必要があるかどうかを制御します。",
+ "vscode.extension.contributes.resourceLabelFormatters.tildify": "可能な場合に URI ラベルの先頭をティルデにするかどうかを制御します。",
+ "vscode.extension.contributes.resourceLabelFormatters.formatting.workspaceSuffix": "ワークスペース ラベルに追加するサフィックス。",
+ "untitledWorkspace": "未設定 (ワークスペース)",
+ "workspaceNameVerbose": "{0} (ワークスペース)",
+ "workspaceName": "{0} (ワークスペース)"
+ },
+ "vs/workbench/services/lifecycle/electron-sandbox/lifecycleService": {
+ "errorClose": "ウィンドウを閉じようとしているときに、予期しないエラーがスローされました ({0})。",
+ "errorQuit": "アプリケーションを終了しようとしているときに、予期しないエラーがスローされました ({0})。",
+ "errorReload": "ウィンドウを再度読み込もうとしているときに、予期しないエラーがスローされました ({0})。",
+ "errorLoad": "ウィンドウのワークスペースを変更しようとしているときに、予期しないエラーがスローされました ({0})。"
+ },
+ "vs/workbench/services/mode/common/workbenchModeService": {
+ "vscode.extension.contributes.languages": "言語の宣言を提供します。",
+ "vscode.extension.contributes.languages.id": "言語の ID。",
+ "vscode.extension.contributes.languages.aliases": "言語の名前のエイリアス。",
+ "vscode.extension.contributes.languages.extensions": "言語に関連付けられているファイルの拡張子。",
+ "vscode.extension.contributes.languages.filenames": "言語に関連付けられたファイル名。",
+ "vscode.extension.contributes.languages.filenamePatterns": "言語に関連付けられたファイル名の glob パターン。",
+ "vscode.extension.contributes.languages.mimetypes": "言語に関連付けられている MIME の種類。",
+ "vscode.extension.contributes.languages.firstLine": "言語のファイルの最初の行に一致する正規表現。",
+ "vscode.extension.contributes.languages.configuration": "言語の構成オプションを含むファイルへの相対パス。",
+ "invalid": "`contributes.{0}` が無効です。配列が必要です。",
+ "invalid.empty": "`contributes.{0}` に対する空の値",
+ "require.id": "プロパティ `{0}` は必須で、`string` 型でなければなりません",
+ "opt.extensions": "`{0}` プロパティを省略するか、`string[]` 型にする必要があります",
+ "opt.filenames": "`{0}` プロパティを省略するか、`string[]` 型にする必要があります",
+ "opt.firstLine": "プロパティ `{0}` を省略するか、型 `string` にする必要があります",
+ "opt.configuration": "プロパティ `{0}` を省略するか、型 `string` にする必要があります",
+ "opt.aliases": "`{0}` プロパティを省略するか、`string[]` 型にする必要があります",
+ "opt.mimetypes": "`{0}` プロパティを省略するか、`string[]` 型にする必要があります"
+ },
+ "vs/workbench/services/notification/common/notificationService": {
+ "neverShowAgain": "今後表示しない"
+ },
+ "vs/workbench/services/preferences/common/preferences": {
+ "userSettingsTarget": "ユーザー設定",
+ "workspaceSettingsTarget": "ワークスペースの設定"
+ },
+ "vs/workbench/services/preferences/browser/preferencesService": {
+ "openFolderFirst": "ワークスペースの設定を作成するには、まずフォルダーを開いてください",
+ "emptyKeybindingsHeader": "既定値を上書きするには、このファイル内にキー バインドを挿入します",
+ "defaultKeybindings": "既定のキー バインド",
+ "defaultSettings": "既定の設定",
+ "folderSettingsName": "{0} (フォルダーの設定)",
+ "fail.createSettings": "'{0}' ({1}) を作成できません。"
+ },
+ "vs/workbench/services/preferences/common/preferencesEditorInput": {
+ "settingsEditorName": "既定の設定",
+ "keybindingsInputName": "キーボード ショートカット",
+ "settingsEditor2InputName": "設定"
+ },
+ "vs/workbench/services/preferences/common/preferencesModels": {
+ "commonlyUsed": "よく使用するもの",
+ "defaultKeybindingsHeader": "キー バインド ファイル内にキー バインドを挿入して、キー バインドを上書きします。"
+ },
+ "vs/workbench/services/preferences/common/keybindingsEditorModel": {
+ "default": "既定",
+ "extension": "拡張機能",
+ "user": "ユーザー",
+ "cat.title": "{0}: {1}",
+ "option": "オプション",
+ "meta": "meta"
+ },
+ "vs/workbench/services/preferences/common/preferencesValidation": {
+ "validations.expectedNumeric": "値は数値である必要があります。",
+ "invalidTypeError": "設定に無効な型が含まれています。{0} が必要です。JSON で修正してください。",
+ "validations.maxLength": "値は、長さが {0} 文字以下でなければなりません。",
+ "validations.minLength": "値の長さは {0} 文字以上にする必要があります。",
+ "validations.regex": "値は正規表現 '{0}' と一致する必要があります。",
+ "validations.colorFormat": "色の形式が無効です。#RGB、#RGBA、#RRGGBB、#RRGGBBAA をお使いください。",
+ "validations.uriEmpty": "URI が必要です。",
+ "validations.uriMissing": "URI が必要です。",
+ "validations.uriSchemeMissing": "スキームの URI が必要です。",
+ "validations.exclusiveMax": "値は {0} より厳密に小さい必要があります。",
+ "validations.exclusiveMin": "値は {0} より厳密に大きい必要があります。",
+ "validations.max": "{0} 以下の値にする必要があります。",
+ "validations.min": "{0} 以上の値にする必要があります。",
+ "validations.multipleOf": "値は {0} の倍数である必要があります。",
+ "validations.expectedInteger": "値は整数でなければなりません。",
+ "validations.stringArrayUniqueItems": "配列に重複する項目があります",
+ "validations.stringArrayMinItem": "配列には少なくとも {0} 個の項目が必要です",
+ "validations.stringArrayMaxItem": "配列には最大で {0} 個の項目を含める必要があります",
+ "validations.stringArrayItemPattern": "値 {0} は、正規表現 {1} と一致する必要があります。",
+ "validations.stringArrayItemEnum": "値 {0} は、{1} のうちの 1 つではありません"
+ },
+ "vs/workbench/services/progress/browser/progressService": {
+ "progress.text2": "{0}: {1}",
+ "progress.title3": "[{0}] {1}: {2}",
+ "progress.title2": "[{0}]: {1}",
+ "status.progress": "進行状況メッセージ",
+ "cancel": "キャンセル",
+ "dismiss": "無視"
+ },
+ "vs/workbench/services/remote/common/abstractRemoteAgentService": {
+ "connectionError": "リモート拡張ホスト サーバーへの接続に失敗しました (エラー: {0})"
+ },
+ "vs/workbench/services/textfile/electron-browser/nativeTextFileService": {
+ "fileReadOnlyError": "ファイルは読み取り専用です"
+ },
+ "vs/workbench/services/textfile/browser/textFileService": {
+ "fileBinaryError": "ファイルはバイナリである可能性があり、テキストとして開くことができません",
+ "confirmOverwrite": "{0} は既に存在します。上書きしますか?",
+ "irreversible": "'{0}' という名前のファイルまたはフォルダーは、フォルダー '{1}' に既に存在します。置き換えると、現在の内容が上書きされます。",
+ "replaceButtonLabel": "置換(&&R)"
+ },
+ "vs/workbench/services/textfile/common/textFileEditorModelManager": {
+ "genericSaveError": "'{0}' の保存に失敗しました: {1}"
+ },
+ "vs/workbench/services/textfile/common/textFileEditorModel": {
+ "saveFileFirst": "ファイルがダーティです。まず保存してから、別のエンコードで再度開いてください。"
+ },
+ "vs/workbench/services/textfile/common/textFileSaveParticipant": {
+ "saveParticipants": "'{0}' を保存しています"
+ },
+ "vs/workbench/services/textMate/browser/abstractTextMateService": {
+ "alreadyDebugging": "既にログ記録しています。",
+ "stop": "停止",
+ "progress1": "TM 文法解析をログに記録する準備をしています。完了したら [停止] を押してください。",
+ "progress2": "TM 文法解析をログに記録しています。完了したら [停止] を押してください。",
+ "invalid.language": "`contributes.{0}.language` で不明な言語です。提供された値: {1}",
+ "invalid.scopeName": "`contributes.{0}.scopeName` には文字列が必要です。提供された値: {1}",
+ "invalid.path.0": "`contributes.{0}.path` に文字列が必要です。提供された値: {1}",
+ "invalid.injectTo": "`contributes.{0}.injectTo` の値が無効です。言語の範囲名の配列である必要があります。指定された値: {1}",
+ "invalid.embeddedLanguages": "`contributes.{0}.embeddedLanguages` の値が無効です。スコープ名から言語へのオブジェクト マップである必要があります。指定された値: {1}",
+ "invalid.tokenTypes": "`contributes.{0}.tokenTypes` の値が無効です。オブジェクトはスコープ名からトークン タイプへ割り当てられている必要があります。指定された値: {1}",
+ "invalid.path.1": "拡張機能のフォルダー ({2}) の中に `contributes.{0}.path` ({1}) が含まれている必要があります。これにより拡張を移植できなくなる可能性があります。",
+ "too many characters": "長い行については、パフォーマンス上の理由からトークン化はスキップされます。その長い行の長さは `editor.maxTokenizationLineLength` で構成できます。",
+ "neverAgain": "今後表示しない"
+ },
+ "vs/workbench/services/textMate/common/TMGrammars": {
+ "vscode.extension.contributes.grammars": "TextMate トークナイザーを提供します。",
+ "vscode.extension.contributes.grammars.language": "この構文の提供先の言語識別子です。",
+ "vscode.extension.contributes.grammars.scopeName": "tmLanguage ファイルにより使用される TextMate スコープ名。",
+ "vscode.extension.contributes.grammars.path": "tmLanguage ファイルのパス。拡張機能フォルダーの相対パスであり、通常 './syntaxes/' で始まります。",
+ "vscode.extension.contributes.grammars.embeddedLanguages": "この文法に言語が埋め込まれている場合は、言語 ID に対するスコープ名のマップ。",
+ "vscode.extension.contributes.grammars.tokenTypes": "スコープ名のトークン タイプへの割当て。",
+ "vscode.extension.contributes.grammars.injectTo": "この文法が挿入される言語の範囲名の一覧。"
+ },
+ "vs/workbench/services/textMate/common/TMGrammarFactory": {
+ "no-tm-grammar": "この言語に対して TM 文法は登録されていません。"
+ },
+ "vs/workbench/services/themes/browser/workbenchThemeService": {
+ "error.cannotloadtheme": "{0} を読み込むことができません: {1}"
+ },
+ "vs/workbench/services/themes/common/colorExtensionPoint": {
+ "contributes.color": "拡張機能でテーマ設定の可能な配色を提供します",
+ "contributes.color.id": "テーマ設定可能な配色の識別子",
+ "contributes.color.id.format": "識別子に使用できるのは、英字、数字、ドットのみです。先頭をドットにすることはできません",
+ "contributes.color.description": "テーマ設定可能な色の説明",
+ "contributes.defaults.light": "light テーマの既定の配色。配色の値は 16 進数(#RRGGBB[AA]) 、または 既定で提供されているテーマ設定可能な配色の識別子の既定値のいずれか。",
+ "contributes.defaults.dark": "dark テーマの既定の配色。配色の値は 16 進数(#RRGGBB[AA]) 、または 既定で提供されているテーマ設定可能な配色の識別子の既定値のいずれか。",
+ "contributes.defaults.highContrast": "high contrast テーマの既定の配色。配色の値は 16 進数(#RRGGBB[AA]) 、または 既定で提供されているテーマ設定可能な配色の識別子の既定値のいずれか。",
+ "invalid.colorConfiguration": "'configuration.colors' は配列である必要があります",
+ "invalid.default.colorType": "{0} は 16 進数(#RRGGBB[AA] または #RGB[A]) 、または 既定で提供されているテーマ設定可能な配色の識別子の既定値のいずれかでなければなりません。",
+ "invalid.id": "'configuration.colors.id' は必ず定義する必要があり、空にすることはできません",
+ "invalid.id.format": "'configuration.colors.id' に使用できるのは、英字、数字、ドットのみです。先頭をドットにすることはできません",
+ "invalid.description": "'configuration.colors.description' は必ず定義する必要があり、空にすることはできません",
+ "invalid.defaults": "'configuration.colors.defaults' は定義する必要があります。'light' か 'dark'、'highContrast' を含める必要があります。"
+ },
+ "vs/workbench/services/themes/common/tokenClassificationExtensionPoint": {
+ "contributes.semanticTokenTypes": "セマンティック トークンの種類を提供します。",
+ "contributes.semanticTokenTypes.id": "セマンティック トークンの種類の識別子",
+ "contributes.semanticTokenTypes.id.format": "識別子は、letterOrDigit[_-letterOrDigit]* の形式である必要があります",
+ "contributes.semanticTokenTypes.superType": "セマンティック トークン型のスーパー型",
+ "contributes.semanticTokenTypes.superType.format": "スーパー型は letterOrDigit[_-letterOrDigit]* という形式にする必要があります。",
+ "contributes.color.description": "セマンティック トークン タイプの説明",
+ "contributes.semanticTokenModifiers": "セマンティック トークン修飾子を提供します。",
+ "contributes.semanticTokenModifiers.id": "セマンティック トークン修飾子の識別子",
+ "contributes.semanticTokenModifiers.id.format": "識別子は、letterOrDigit[_-letterOrDigit]* の形式である必要があります",
+ "contributes.semanticTokenModifiers.description": "セマンティック トークン修飾子の説明",
+ "contributes.semanticTokenScopes": "セマンティック トークン スコープ マップを提供します。",
+ "contributes.semanticTokenScopes.languages": "デフォルトの言語をリスト化します。",
+ "contributes.semanticTokenScopes.scopes": "(セマンティック トークン セレクターによって記述される) セマンティック トークンを、そのトークンを表すために使用される 1 つ以上の textMate スコープにマップします。",
+ "invalid.id": "'configuration.{0}.id' は必ず定義する必要があり、空にすることはできません",
+ "invalid.id.format": "'configuration.{0}.id' は、英数字[-_英数字]* というパターンに従う必要があります",
+ "invalid.superType.format": "'configuration.{0}.superType' は letterOrDigit[-_letterOrDigit]* というパターンに従う必要があります",
+ "invalid.description": "'configuration.{0}.description' は必ず定義する必要があり、空にすることはできません",
+ "invalid.semanticTokenTypeConfiguration": "'configuration.semanticTokenType' は配列である必要があります",
+ "invalid.semanticTokenModifierConfiguration": "'configuration.semanticTokenModifier' は配列である必要があります",
+ "invalid.semanticTokenScopes.configuration": "'configuration.semanticTokenScopes' は配列でなければなりません",
+ "invalid.semanticTokenScopes.language": "'configuration.semanticTokenScopes.language' は文字列である必要があります",
+ "invalid.semanticTokenScopes.scopes": "'configuration.semanticTokenScopes.scopes' はオブジェクトとして定義する必要があります。",
+ "invalid.semanticTokenScopes.scopes.value": "'configuration.semanticTokenScopes.scopes' 値は文字列の配列である必要があります。",
+ "invalid.semanticTokenScopes.scopes.selector": "configuration.semanticTokenScopes.scopes': セレクター {0} の解析中に問題が発生しました。"
+ },
+ "vs/workbench/services/themes/common/colorThemeData": {
+ "error.cannotparsejson": "JSON テーマ ファイルの解析中に問題が発生しました: {0}",
+ "error.invalidformat": "JSON テーマ ファイルの無効な形式: オブジェクトが必要です。",
+ "error.invalidformat.colors": "配色テーマ ファイルの解析中に問題が発生しました: {0}。'colors' プロパティは 'object' 型ではありません。",
+ "error.invalidformat.tokenColors": "配色テーマ ファイルを解析中に問題が発生しました: {0}。'tokenColors' プロパティには配色を指定した配列、または TextMate テーマ ファイルへのパスを指定してください。",
+ "error.invalidformat.semanticTokenColors": "配色テーマ ファイルの解析で問題が発生しました: {0}。プロパティ 'semanticTokenColors' に無効なセレクターが含まれています",
+ "error.plist.invalidformat": "tmTheme ファイルの解析中に問題が発生しました: {0}。'settings' は配列ではありません。",
+ "error.cannotparse": "tmTheme ファイルの解析中に問題が発生しました: {0}",
+ "error.cannotload": "tmTheme ファイル {0} の読み込み中に問題が発生しました: {1}"
+ },
+ "vs/workbench/services/themes/common/fileIconThemeSchema": {
+ "schema.folderExpanded": "折りたたんだフォルダーのフォルダー アイコン。展開したフォルダー アイコンは省略可能です。設定していない場合は、フォルダーに定義したアイコンが表示されます。",
+ "schema.folder": "折りたたんだフォルダー、または folderExpanded が設定されていない場合は展開したフォルダーのフォルダー アイコン。",
+ "schema.file": "どの拡張子、ファイル名、または言語 ID とも一致しないファイルすべてに表示される既定のファイル アイコン。",
+ "schema.folderNames": "フォルダー名をアイコンに関連付けます。オブジェクト キーはフォルダー名ですが、パスの部分は含みません。パターンやワイルドカードは使用できません。フォルダー名の一致では大文字と小文字を区別しません。",
+ "schema.folderName": "関連付けのためのアイコン定義の ID。",
+ "schema.folderNamesExpanded": "フォルダー名を展開したフォルダーのアイコンに関連付けます。オブジェクト キーはフォルダー名ですが、パスの部分は含みません。パターンやワイルドカードは使用できません。フォルダー名の一致では大文字と小文字を区別しません。",
+ "schema.folderNameExpanded": "関連付けのためのアイコン定義の ID。",
+ "schema.fileExtensions": "ファイル拡張子をアイコンに関連付けます。オブジェクト キーはファイル拡張子名です。拡張子名は、最後のドットに続くファイル名の最後の部分です (ドットは含みません)。拡張子の比較は大文字と小文字が区別しないで行われます。",
+ "schema.fileExtension": "関連付けのためのアイコン定義の ID。",
+ "schema.fileNames": "ファイル名をアイコンに関連付けます。オブジェクト キーは完全なファイル名ですが、パスの部分は含みません。ファイル名にはドットおよび可能なファイル拡張子が含まれる場合があります。パターンやワイルドカードは使用できません。ファイル名の一致では大文字と小文字を区別しません。",
+ "schema.fileName": "関連付けのためのアイコン定義の ID。",
+ "schema.languageIds": "言語をアイコンに関連付けます。オブジェクト キーは言語のコントリビューション ポイントで定義された言語 ID です。",
+ "schema.languageId": "関連付けのためのアイコン定義の ID。",
+ "schema.fonts": "アイコン定義で使用されるフォントです。",
+ "schema.id": "フォントの ID。",
+ "schema.id.formatError": "ID に使用できるのは、文字、数字、アンダースコア、マイナスのみです。",
+ "schema.src": "フォントの場所。",
+ "schema.font-path": "現在のファイル アイコン テーマ ファイルに相対的なフォント パス。",
+ "schema.font-format": "フォントの形式。",
+ "schema.font-weight": "フォントの太さ。有効な値については、https://developer.mozilla.org/ja/docs/Web/CSS/font-weight を参照してください。",
+ "schema.font-style": "フォントのスタイル。有効な値については、https://developer.mozilla.org/ja/docs/Web/CSS/font-style を参照してください。",
+ "schema.font-size": "フォントの既定のサイズ。有効な値については、https://developer.mozilla.org/ja-jp/docs/Web/CSS/font-size をご覧ください。",
+ "schema.iconDefinitions": "ファイルをアイコンに関連付けるときに使用できるすべてのアイコンの説明。",
+ "schema.iconDefinition": "アイコンの定義です。オブジェクト キーは定義の ID です。",
+ "schema.iconPath": "SVG または PNG を使用する場合: イメージへのパス。アイコン設定ファイルへの相対パスです。",
+ "schema.fontCharacter": "グリフ フォントを使用する場合: 使用するフォントの文字。",
+ "schema.fontColor": "グリフ フォントを使用する場合: 使用する色。",
+ "schema.fontSize": "フォントを使用する場合: テキスト フォントに対するフォント サイズの割合。設定されていない場合、既定値はフォント定義のサイズになります。",
+ "schema.fontId": "フォントを使用する場合: フォントの ID。設定されていない場合、最初のフォント定義が既定で設定されます。",
+ "schema.light": "明るい配色テーマでのファイル アイコンの任意の関連付け。",
+ "schema.highContrast": "ハイ コントラスト配色テーマでのファイル アイコンの任意の関連付け。",
+ "schema.hidesExplorerArrows": "このテーマがアクティブな時に、エクスプローラーの矢印を非表示にするかどうかを構成します。"
+ },
+ "vs/workbench/services/themes/browser/fileIconThemeData": {
+ "error.cannotparseicontheme": "ファイル アイコン ファイル {0} の解析で問題が発生しました",
+ "error.invalidformat": "ファイル アイコン テーマ ファイルの無効な形式: オブジェクトが必要です。"
+ },
+ "vs/workbench/services/themes/common/colorThemeSchema": {
+ "schema.token.settings": "トークンの色とスタイル。",
+ "schema.token.foreground": "トークンの前景色。",
+ "schema.token.background.warning": "トークンの背景色は、現在サポートされていません。",
+ "schema.token.fontStyle": "ルールのフォント スタイル: 'italic'、'bold'、'underline' のいずれかまたはこれらの組み合わせです。空の文字列は継承された設定を解除します。",
+ "schema.fontStyle.error": "フォント スタイルは 'italic'、'bold'、'underline' もしくはこれらの組み合わせ、または空の文字列である必要があります。",
+ "schema.token.fontStyle.none": "なし (継承したスタイルを解除)",
+ "schema.properties.name": "ルールの説明。",
+ "schema.properties.scope": "このルールに一致するスコープ セレクター。",
+ "schema.workbenchColors": "ワークベンチの色",
+ "schema.tokenColors.path": "tmTheme ファイルへのパス (現在のファイルとの相対パス)。",
+ "schema.colors": "構文の強調表示をする色",
+ "schema.supportsSemanticHighlighting": "このテーマに対してセマンティック強調表示を有効にするかどうか。",
+ "schema.semanticTokenColors": "セマンティック トークンの色"
+ },
+ "vs/workbench/services/themes/common/themeExtensionPoints": {
+ "vscode.extension.contributes.themes": "TextMate の配色テーマを提供します。",
+ "vscode.extension.contributes.themes.id": "ユーザー設定で使用される配色テーマの ID。",
+ "vscode.extension.contributes.themes.label": "UI で表示される配色テーマのラベル。",
+ "vscode.extension.contributes.themes.uiTheme": "エディターの周囲の色を定義する基本テーマ: 'vs' は明るい色のテーマで、'vs-dark' は濃い色のテーマです。'hc-black' は濃い色のハイ コントラストのテーマです。",
+ "vscode.extension.contributes.themes.path": "tmTheme ファイルのパス。拡張機能フォルダーに対する相対パスで、通常 './colorthemes/awesome-color-theme.json' です。",
+ "vscode.extension.contributes.iconThemes": "ファイル アイコンのテーマを提供します。",
+ "vscode.extension.contributes.iconThemes.id": "ユーザー設定で使用されるファイル アイコン テーマの ID。",
+ "vscode.extension.contributes.iconThemes.label": "UI に示されているファイル アイコン テーマのラベル。",
+ "vscode.extension.contributes.iconThemes.path": "ファイル アイコン テーマ定義ファイルのパス。拡張機能フォルダーに対する相対パスで、通常 './fileicons/awesome-icon-theme.json' です。",
+ "vscode.extension.contributes.productIconThemes": "製品アイコンのテーマを提供します。",
+ "vscode.extension.contributes.productIconThemes.id": "ユーザー設定で使用される製品アイコン テーマの ID。",
+ "vscode.extension.contributes.productIconThemes.label": "UI に示されている製品アイコン テーマのラベル。",
+ "vscode.extension.contributes.productIconThemes.path": "製品アイコンのテーマ定義ファイルのパス。拡張機能フォルダーに対する相対パスで、通常 './producticons/awesome-product-icon-theme.json' です。",
+ "reqarray": "拡張点`{0}` は配列でなければなりません。",
+ "reqpath": "`contributes.{0}.path` に文字列が必要です。提供された値: {1}",
+ "reqid": "`contributes.{0}.id` で想定される文字列。指定された値: {1}",
+ "invalid.path.1": "拡張機能のフォルダー ({2}) の中に `contributes.{0}.path` ({1}) が含まれている必要があります。これにより拡張を移植できなくなる可能性があります。"
+ },
+ "vs/workbench/services/themes/common/themeConfiguration": {
+ "colorTheme": "ワークベンチで使用される配色テーマを指定します。",
+ "colorThemeError": "テーマが不明、またはインストールされていません。",
+ "preferredDarkColorTheme": "`#{0}#` が有効な場合に、ダークな OS の外観に適した色のテーマを指定します。",
+ "preferredLightColorTheme": "`#{0}#` が有効な場合に、ライトな OS の外観に適した色のテーマを指定します。",
+ "preferredHCColorTheme": "`#{0}#` が有効な場合に、ハイ コントラスト モードに適した色のテーマを指定します。",
+ "detectColorScheme": "設定されている場合は、OS の外観に基づいて自動的に優先の配色テーマに切り替わります。",
+ "workbenchColors": "現在選択している配色テーマで配色を上書きします。",
+ "iconTheme": "ワークベンチで使用されるファイル アイコン テーマを指定するか、ファイル アイコンを表示しないように 'null' を指定します。",
+ "noIconThemeLabel": "なし",
+ "noIconThemeDesc": "ファイル アイコンがありません",
+ "iconThemeError": "ファイルのアイコン テーマが不明またはインストールされていません。",
+ "productIconTheme": "使用する製品アイコンのテーマを指定します。",
+ "defaultProductIconThemeLabel": "既定",
+ "defaultProductIconThemeDesc": "既定",
+ "productIconThemeError": "製品アイコンのテーマが不明であるか、インストールされていません。",
+ "autoDetectHighContrast": "有効にすると、OS でハイ コントラスト テーマが使用されている場合にハイ コントラスト テーマに自動的に変更されます。",
+ "editorColors.comments": "コメントの色とスタイルを設定します",
+ "editorColors.strings": "文字列リテラルの色とスタイルを設定します。",
+ "editorColors.keywords": "キーワードの色とスタイルを設定します。",
+ "editorColors.numbers": "数値リテラルの色とスタイルを設定します。",
+ "editorColors.types": "型定義と参照の色とスタイルを設定します。",
+ "editorColors.functions": "関数定義と参照の色とスタイルを設定します。",
+ "editorColors.variables": "変数定義と参照の色とスタイルを設定します。",
+ "editorColors.textMateRules": "textmate テーマ規則 (高度) を使っての色とスタイルを設定します。",
+ "editorColors.semanticHighlighting": "このテーマに対してセマンティックの強調表示を有効にするかどうか。",
+ "editorColors.semanticHighlighting.deprecationMessage": "代わりに 'editor.semanticTokenColorCustomizations' 設定で 'enabled' を使用してください。",
+ "editorColors.semanticHighlighting.deprecationMessageMarkdown": "代わりに `#editor.semanticTokenColorCustomizations#` 設定で 'enabled' を使用してください。",
+ "editorColors": "エディターの構文の色とフォント スタイルを、現在選択されている配色テーマからオーバーライドします。",
+ "editorColors.semanticHighlighting.enabled": "このテーマのセマンティック強調表示を有効にするか無効にするか",
+ "editorColors.semanticHighlighting.rules": "このテーマのセマンティック トークン スタイル ルール。",
+ "semanticTokenColors": "現在選択されている配色テーマからの、エディターのセマンティック トークンの色とスタイルをオーバーライドします。",
+ "editorColors.experimentalTokenStyling.deprecationMessage": "代わりに 'editor.semanticTokenColorCustomizations' を使用してください。",
+ "editorColors.experimentalTokenStyling.deprecationMessageMarkdown": "代わりに `#editor.semanticTokenColorCustomizations#` を使用してください。"
+ },
+ "vs/workbench/services/themes/browser/productIconThemeData": {
+ "error.parseicondefs": "{0} での製品アイコン定義の処理で問題が発生しました:\r\n{1}",
+ "defaultTheme": "既定",
+ "error.cannotparseicontheme": "製品アイコン ファイル {0} の解析で問題が発生しました",
+ "error.invalidformat": "製品アイコン テーマ ファイルの無効な形式: オブジェクトが必要です。",
+ "error.missingProperties": "製品アイコン テーマ ファイルの形式が無効です。アイコン定義とフォントが含まれている必要があります。",
+ "error.fontWeight": "フォント '{0}' に無効なフォントの太さが含まれています。設定を無視します。",
+ "error.fontStyle": "フォント '{0}' に無効なフォント スタイルが含まれています。設定を無視します。",
+ "error.fontId": "フォント ID '{0}' が見つからないか、無効です。フォント定義をスキップします。",
+ "error.icon.fontId": "アイコン定義 '{0}' をスキップしています。不明なフォントです。",
+ "error.icon.fontCharacter": "アイコン定義 '{0}' をスキップしています。不明な fontCharacter があります。"
+ },
+ "vs/workbench/services/themes/common/productIconThemeSchema": {
+ "schema.id": "フォントの ID。",
+ "schema.id.formatError": "ID に使用できるのは、文字、数字、アンダースコア、マイナスのみです。",
+ "schema.src": "フォントの場所。",
+ "schema.font-path": "現在の製品アイコン テーマ ファイルに相対的なフォント パス",
+ "schema.font-format": "フォントの形式。",
+ "schema.font-weight": "フォントの太さ。有効な値については、https://developer.mozilla.org/ja/docs/Web/CSS/font-weight を参照してください。",
+ "schema.font-style": "フォントのスタイル。有効な値については、https://developer.mozilla.org/ja/docs/Web/CSS/font-style を参照してください。",
+ "schema.iconDefinitions": "アイコン名のフォント文字との関連付け。"
+ },
+ "vs/workbench/services/userDataSync/common/userDataSync": {
+ "settings": "設定",
+ "keybindings": "キーボード ショートカット",
+ "snippets": "ユーザー スニペット",
+ "extensions": "拡張機能",
+ "ui state label": "UI の状態",
+ "sync category": "設定の同期",
+ "syncViewIcon": "設定同期ビューのアイコンを表示します。"
+ },
+ "vs/workbench/services/userDataSync/browser/userDataSyncWorkbenchService": {
+ "no authentication providers": "利用できる認証プロバイダーがないため、設定の同期を有効にできません。",
+ "no account": "使用可能なアカウントはありません",
+ "show log": "ログの表示",
+ "sync turned on": "{0} がオンになりました",
+ "sync in progress": "設定の同期がオンになっています。取り消しますか?",
+ "settings sync": "設定の同期",
+ "yes": "はい(&&Y)",
+ "no": "いいえ(&&N)",
+ "turning on": "オンにしています...",
+ "syncing resource": "{0} を同期しています...",
+ "conflicts detected": "競合が検出されました",
+ "merge Manually": "手動でマージする...",
+ "resolve": "競合が発生しているため、マージできません。続行するには、手動でマージしてください...",
+ "merge or replace": "マージまたは置換",
+ "merge": "マージ",
+ "replace local": "ローカルを置換",
+ "cancel": "キャンセル",
+ "first time sync detail": "前回は別のマシンから同期されたようです。\r\nクラウド内のデータとマージまたは置換しますか?",
+ "reset": "これを実行すると、データがクラウドから消去され、すべてのデバイスでの同期が停止します。",
+ "reset title": "クリア",
+ "resetButton": "リセット(&&R)",
+ "choose account placeholder": "サインインするアカウントを選択してください",
+ "signed in": "サインイン済み",
+ "last used": "同期での最終使用日",
+ "others": "その他",
+ "sign in using account": "{0} でサインイン",
+ "successive auth failures": "Settings sync is suspended because of successive authorization failures. Please sign in again to continue synchronizing",
+ "sign in": "サインイン"
+ },
+ "vs/workbench/services/views/browser/viewDescriptorService": {
+ "resetViewLocation": "場所のリセット"
+ },
+ "vs/workbench/services/workingCopy/common/workingCopyFileOperationParticipant": {
+ "msg-create": "'ファイルの作成' の参加者を実行しています...",
+ "msg-rename": "'ファイル名の変更' の参加者を実行しています...",
+ "msg-copy": "'ファイル コピー' 参加者を実行しています...",
+ "msg-delete": "'ファイルの削除' の参加者を実行しています..."
+ },
+ "vs/workbench/services/workspaces/electron-sandbox/workspaceEditingService": {
+ "save": "保存",
+ "doNotSave": "保存しない",
+ "cancel": "キャンセル",
+ "saveWorkspaceMessage": "ワークスペースの構成をファイルとして保存しますか?",
+ "saveWorkspaceDetail": "再度開く予定があるならワークスペースを保存します。",
+ "workspaceOpenedMessage": "ワークスペース '{0}' を保存できません",
+ "ok": "OK",
+ "workspaceOpenedDetail": "ワークスペースは既に別のウィンドウで開いています。最初にそのウィンドウを閉じててから、もう一度やり直してください。"
+ },
+ "vs/workbench/services/workspaces/browser/abstractWorkspaceEditingService": {
+ "save": "保存",
+ "saveWorkspace": "ワークスペースを保存",
+ "errorInvalidTaskConfiguration": "ワークスペース構成ファイルに書き込めません。ファイルを開いて、ファイル内のエラー/警告を修正してからもう一度お試しください。",
+ "errorWorkspaceConfigurationFileDirty": "ファイルが変更されているため、ワークスペース構成ファイルに書き込めません。ファイルを保存してから、もう一度お試しください。",
+ "openWorkspaceConfigurationFile": "ワークスペースの構成を開く"
+ }
+}
diff --git a/internal/vite-plugin-monaco-editor-nls/src/locale/ko.json b/internal/vite-plugin-monaco-editor-nls/src/locale/ko.json
new file mode 100644
index 0000000..7d94266
--- /dev/null
+++ b/internal/vite-plugin-monaco-editor-nls/src/locale/ko.json
@@ -0,0 +1,8306 @@
+{
+ "vs/base/common/date": {
+ "date.fromNow.in": "{0} 후",
+ "date.fromNow.now": "지금",
+ "date.fromNow.seconds.singular.ago": "{0}초 전",
+ "date.fromNow.seconds.plural.ago": "{0}초 전",
+ "date.fromNow.seconds.singular": "{0}초",
+ "date.fromNow.seconds.plural": "{0}초",
+ "date.fromNow.minutes.singular.ago": "{0}분 전",
+ "date.fromNow.minutes.plural.ago": "{0}분 전",
+ "date.fromNow.minutes.singular": "{0}분",
+ "date.fromNow.minutes.plural": "{0}분",
+ "date.fromNow.hours.singular.ago": "{0}시간 전",
+ "date.fromNow.hours.plural.ago": "{0}시간 전",
+ "date.fromNow.hours.singular": "{0}시간",
+ "date.fromNow.hours.plural": "{0}시간",
+ "date.fromNow.days.singular.ago": "{0}일 전",
+ "date.fromNow.days.plural.ago": "{0} 일 전",
+ "date.fromNow.days.singular": "{0}일",
+ "date.fromNow.days.plural": "{0}일",
+ "date.fromNow.weeks.singular.ago": "{0}주 전",
+ "date.fromNow.weeks.plural.ago": "{0}주 전",
+ "date.fromNow.weeks.singular": "{0}주",
+ "date.fromNow.weeks.plural": "{0}주",
+ "date.fromNow.months.singular.ago": "{0}개월 전",
+ "date.fromNow.months.plural.ago": "{0}개월 전",
+ "date.fromNow.months.singular": "{0}개월",
+ "date.fromNow.months.plural": "{0}개월",
+ "date.fromNow.years.singular.ago": "{0}년 전",
+ "date.fromNow.years.plural.ago": "{0}년 전",
+ "date.fromNow.years.singular": "{0}년",
+ "date.fromNow.years.plural": "{0}년"
+ },
+ "vs/base/common/codicons": {
+ "dropDownButton": "드롭다운 단추 아이콘입니다."
+ },
+ "vs/base/common/actions": {
+ "submenu.empty": "(비어 있음)"
+ },
+ "vs/base/node/processes": {
+ "TaskRunner.UNC": "UNC 드라이브에서 셸 명령을 실행할 수 없습니다."
+ },
+ "vs/base/common/errorMessage": {
+ "stackTrace.format": "{0}: {1}",
+ "nodeExceptionMessage": "시스템 오류가 발생했습니다({0}).",
+ "error.defaultMessage": "알 수 없는 오류가 발생했습니다. 자세한 내용은 로그를 참조하세요.",
+ "error.moreErrors": "{0}(총 {1}개의 오류)"
+ },
+ "vs/base/node/zip": {
+ "invalid file": "{0}을(를) 추출하는 동안 오류가 발생했습니다. 잘못된 파일입니다.",
+ "incompleteExtract": "완료되지 않았습니다. {1}개 항목 중 {0}개를 찾았습니다.",
+ "notFound": "zip 파일 내에 {0}이(가) 없습니다."
+ },
+ "vs/base/browser/ui/dialog/dialog": {
+ "ok": "확인",
+ "dialogInfoMessage": "정보",
+ "dialogErrorMessage": "오류",
+ "dialogWarningMessage": "경고",
+ "dialogPendingMessage": "진행 중",
+ "dialogClose": "대화 상자 닫기"
+ },
+ "vs/base/browser/ui/actionbar/actionViewItems": {
+ "titleLabel": "{0}({1})"
+ },
+ "vs/base/browser/ui/keybindingLabel/keybindingLabel": {
+ "unbound": "바인딩 안 됨"
+ },
+ "vs/base/browser/ui/menu/menubar": {
+ "mAppMenu": "애플리케이션 메뉴",
+ "mMore": "자세히"
+ },
+ "vs/base/browser/ui/menu/menu": {
+ "titleLabel": "{0}({1})"
+ },
+ "vs/base/common/jsonErrorMessages": {
+ "error.invalidSymbol": "잘못된 기호",
+ "error.invalidNumberFormat": "잘못된 숫자 형식",
+ "error.propertyNameExpected": "속성 이름 필요",
+ "error.valueExpected": "값 필요",
+ "error.colonExpected": "콜론이 필요합니다.",
+ "error.commaExpected": "쉼표가 필요합니다.",
+ "error.closeBraceExpected": "닫는 괄호 필요",
+ "error.closeBracketExpected": "닫는 대괄호 필요",
+ "error.endOfFileExpected": "파일의 끝 필요"
+ },
+ "vs/base/common/keybindingLabels": {
+ "ctrlKey": "Ctrl",
+ "shiftKey": "",
+ "altKey": "",
+ "windowsKey": "Windows",
+ "superKey": "슈퍼",
+ "ctrlKey.long": "제어",
+ "shiftKey.long": "",
+ "altKey.long": "",
+ "cmdKey.long": "명령",
+ "windowsKey.long": "Windows",
+ "superKey.long": "슈퍼"
+ },
+ "vs/base/browser/ui/tree/abstractTree": {
+ "clear": "지우기",
+ "disable filter on type": "형식을 기준으로 필터링 사용 안 함",
+ "enable filter on type": "형식을 기준으로 필터링 사용",
+ "empty": "찾은 요소 없음",
+ "found": "{1}개 요소 중 {0}개 일치"
+ },
+ "vs/base/browser/ui/tree/treeDefaults": {
+ "collapse all": "모두 축소"
+ },
+ "vs/base/browser/ui/toolbar/toolbar": {
+ "moreActions": "기타 작업..."
+ },
+ "vs/base/browser/ui/splitview/paneview": {
+ "viewSection": "{0} 섹션"
+ },
+ "vs/base/browser/ui/inputbox/inputBox": {
+ "alertErrorMessage": "오류: {0}",
+ "alertWarningMessage": "경고: {0}",
+ "alertInfoMessage": "정보: {0}"
+ },
+ "vs/base/parts/quickinput/browser/quickInput": {
+ "backButtonIcon": "빠른 입력 대화 상자에서 뒤로 단추의 아이콘입니다.",
+ "quickInput.back": "뒤로",
+ "quickInput.steps": "{0} / {1}",
+ "quickInputBox.ariaLabel": "결과의 범위를 축소하려면 입력하세요.",
+ "inputModeEntry": "입력을 확인하려면 'Enter' 키를 누르고, 취소하려면 'Esc' 키를 누르세요.",
+ "inputModeEntryDescription": "{0}(확인하려면 'Enter' 키를 누르고, 취소하려면 'Escape' 키를 누름)",
+ "quickInput.visibleCount": "{0}개 결과",
+ "quickInput.countSelected": "{0} 선택됨",
+ "ok": "확인",
+ "custom": "사용자 지정",
+ "quickInput.backWithKeybinding": "뒤로({0})"
+ },
+ "vs/base/browser/ui/findinput/findInput": {
+ "defaultLabel": "입력"
+ },
+ "vs/base/browser/ui/findinput/replaceInput": {
+ "defaultLabel": "입력",
+ "label.preserveCaseCheckbox": "대/소문자 보존"
+ },
+ "vs/base/browser/ui/findinput/findInputCheckboxes": {
+ "caseDescription": "대/소문자 구분",
+ "wordsDescription": "단어 단위로",
+ "regexDescription": "정규식 사용"
+ },
+ "vs/base/parts/quickinput/browser/quickInputList": {
+ "quickInput": "빠른 입력"
+ },
+ "vs/base/browser/ui/selectBox/selectBoxCustom": {
+ "selectBox": "Box 선택"
+ },
+ "vs/editor/browser/editorExtensions": {
+ "miUndo": "실행 취소(&&U)",
+ "undo": "실행 취소",
+ "miRedo": "다시 실행(&&R)",
+ "redo": "다시 실행",
+ "miSelectAll": "모두 선택(&&S)",
+ "selectAll": "모두 선택"
+ },
+ "vs/editor/common/modes/modesRegistry": {
+ "plainText.alias": "일반 텍스트"
+ },
+ "vs/editor/common/config/editorOptions": {
+ "accessibilitySupport.auto": "편집기가 스크린 리더가 연결되면 플랫폼 API를 사용하여 감지합니다.",
+ "accessibilitySupport.on": "편집기가 화면 읽기 프로그램과 함께 사용되도록 영구적으로 최적화되며, 자동 줄 바꿈이 사용하지 않도록 설정됩니다.",
+ "accessibilitySupport.off": "편집기가 스크린 리더 사용을 위해 최적화되지 않습니다.",
+ "accessibilitySupport": "편집기를 화면 읽기 프로그램에 최적화된 모드로 실행할지 여부를 제어합니다. 사용하도록 설정하면 자동 줄 바꿈이 사용하지 않도록 설정됩니다.",
+ "comments.insertSpace": "주석을 달 때 공백 문자를 삽입할지 여부를 제어합니다.",
+ "comments.ignoreEmptyLines": "빈 줄을 줄 주석에 대한 토글, 추가 또는 제거 작업으로 무시해야 하는지를 제어합니다.",
+ "emptySelectionClipboard": "선택 영역 없이 현재 줄 복사 여부를 제어합니다.",
+ "find.cursorMoveOnType": "입력하는 동안 일치 항목을 찾기 위한 커서 이동 여부를 제어합니다.",
+ "find.seedSearchStringFromSelection": "편집기 선택에서 Find Widget의 검색 문자열을 시딩할지 여부를 제어합니다.",
+ "editor.find.autoFindInSelection.never": "선택 항목에서 찾기를 자동으로 켜지 않음(기본값)",
+ "editor.find.autoFindInSelection.always": "선택 항목에서 자동으로 항상 찾기 켜기",
+ "editor.find.autoFindInSelection.multiline": "여러 줄의 콘텐츠를 선택하면 선택 항목에서 찾기가 자동으로 켜집니다.",
+ "find.autoFindInSelection": "선택 영역에서 찾기를 자동으로 설정하는 조건을 제어합니다.",
+ "find.globalFindClipboard": "macOS에서 Find Widget이 공유 클립보드 찾기를 읽을지 수정할지 제어합니다.",
+ "find.addExtraSpaceOnTop": "위젯 찾기에서 편집기 맨 위에 줄을 추가해야 하는지 여부를 제어합니다. true인 경우 위젯 찾기가 표시되면 첫 번째 줄 위로 스크롤할 수 있습니다.",
+ "find.loop": "더 이상 일치하는 항목이 없을 때 검색을 처음이나 끝에서 자동으로 다시 시작할지 여부를 제어합니다.",
+ "fontLigatures": "글꼴 합자('calt' 및 'liga' 글꼴 기능)를 사용하거나 사용하지 않도록 설정합니다. 'font-feature-settings' CSS 속성의 세분화된 제어를 위해 문자열로 변경합니다.",
+ "fontFeatureSettings": "명시적 'font-feature-settings' CSS 속성입니다. 합자를 켜거나 꺼야 하는 경우에만 부울을 대신 전달할 수 있습니다.",
+ "fontLigaturesGeneral": "글꼴 합자 또는 글꼴 기능을 구성합니다. CSS 'font-feature-settings' 속성의 값에 대해 합자 또는 문자열을 사용하거나 사용하지 않도록 설정하기 위한 부울일 수 있습니다.",
+ "fontSize": "글꼴 크기(픽셀)를 제어합니다.",
+ "fontWeightErrorMessage": "\"표준\" 및 \"굵게\" 키워드 또는 1~1000 사이의 숫자만 허용됩니다.",
+ "fontWeight": "글꼴 두께를 제어합니다. \"표준\" 및 \"굵게\" 키워드 또는 1~1000 사이의 숫자를 허용합니다.",
+ "editor.gotoLocation.multiple.peek": "결과 Peek 뷰 표시(기본)",
+ "editor.gotoLocation.multiple.gotoAndPeek": "기본 결과로 이동하여 Peek 보기를 표시합니다.",
+ "editor.gotoLocation.multiple.goto": "기본 결과로 이동하고 다른 항목에 대해 peek 없는 탐색을 사용하도록 설정",
+ "editor.gotoLocation.multiple.deprecated": "이 설정은 더 이상 사용되지 않습니다. 대신 'editor.editor.gotoLocation.multipleDefinitions' 또는 'editor.editor.gotoLocation.multipleImplementations'와 같은 별도의 설정을 사용하세요.",
+ "editor.editor.gotoLocation.multipleDefinitions": "여러 대상 위치가 있는 경우 '정의로 이동' 명령 동작을 제어합니다.",
+ "editor.editor.gotoLocation.multipleTypeDefinitions": "여러 대상 위치가 있는 경우 '유형 정의로 이동' 명령 동작을 제어합니다.",
+ "editor.editor.gotoLocation.multipleDeclarations": "여러 대상 위치가 있는 경우 'Go to Declaration' 명령 동작을 제어합니다.",
+ "editor.editor.gotoLocation.multipleImplemenattions": "여러 대상 위치가 있는 경우 '구현으로 이동' 명령 동작을 제어합니다.",
+ "editor.editor.gotoLocation.multipleReferences": "여러 대상 위치가 있는 경우 '참조로 이동' 명령 동작을 제어합니다.",
+ "alternativeDefinitionCommand": "'정의로 이동'의 결과가 현재 위치일 때 실행되는 대체 명령 ID입니다.",
+ "alternativeTypeDefinitionCommand": "'형식 정의로 이동'의 결과가 현재 위치일 때 실행되는 대체 명령 ID입니다.",
+ "alternativeDeclarationCommand": "'선언으로 이동'의 결과가 현재 위치일 때 실행되는 대체 명령 ID입니다.",
+ "alternativeImplementationCommand": "'구현으로 이동'의 결과가 현재 위치일 때 실행되는 대체 명령 ID입니다.",
+ "alternativeReferenceCommand": "'참조로 이동'의 결과가 현재 위치일 때 실행되는 대체 명령 ID입니다.",
+ "hover.enabled": "호버 표시 여부를 제어합니다.",
+ "hover.delay": "호버가 표시되기 전까지의 지연 시간(밀리초)을 제어합니다.",
+ "hover.sticky": "마우스를 해당 항목 위로 이동할 때 호버를 계속 표시할지 여부를 제어합니다.",
+ "codeActions": "편집기에서 코드 동작 전구를 사용하도록 설정합니다.",
+ "lineHeight": "줄 높이를 제어합니다. 글꼴 크기에서 줄 높이를 계산하려면 0을 사용합니다.",
+ "minimap.enabled": "미니맵 표시 여부를 제어합니다.",
+ "minimap.size.proportional": "미니맵의 크기는 편집기 내용과 동일하며 스크롤할 수 있습니다.",
+ "minimap.size.fill": "편집기의 높이를 맞추기 위해 필요에 따라 미니맵이 확장되거나 축소됩니다(스크롤 없음).",
+ "minimap.size.fit": "미니맵을 편집기보다 작게 유지할 수 있도록 필요에 따라 미니맵이 축소됩니다(스크롤 없음).",
+ "minimap.size": "미니맵의 크기를 제어합니다.",
+ "minimap.side": "미니맵을 렌더링할 측면을 제어합니다.",
+ "minimap.showSlider": "미니맵 슬라이더가 표시되는 시기를 제어합니다.",
+ "minimap.scale": "미니맵에 그려진 콘텐츠의 배율: 1, 2 또는 3.",
+ "minimap.renderCharacters": "줄의 실제 문자(색 블록 아님)를 렌더링합니다.",
+ "minimap.maxColumn": "최대 특정 수의 열을 렌더링하도록 미니맵의 너비를 제한합니다.",
+ "padding.top": "편집기의 위쪽 가장자리와 첫 번째 줄 사이의 공백을 제어합니다.",
+ "padding.bottom": "편집기의 아래쪽 가장자리와 마지막 줄 사이의 공백을 제어합니다.",
+ "parameterHints.enabled": "입력과 동시에 매개변수 문서와 유형 정보를 표시하는 팝업을 사용하도록 설정합니다.",
+ "parameterHints.cycle": "매개변수 힌트 메뉴의 주기 혹은 목록의 끝에 도달하였을때 종료할 것인지 여부를 결정합니다.",
+ "quickSuggestions.strings": "문자열 내에서 빠른 제안을 사용합니다.",
+ "quickSuggestions.comments": "주석 내에서 빠른 제안을 사용합니다.",
+ "quickSuggestions.other": "문자열 및 주석 외부에서 빠른 제안을 사용합니다.",
+ "quickSuggestions": "입력하는 동안 제안을 자동으로 표시할지 여부를 제어합니다.",
+ "lineNumbers.off": "줄 번호는 렌더링되지 않습니다.",
+ "lineNumbers.on": "줄 번호는 절대값으로 렌더링 됩니다.",
+ "lineNumbers.relative": "줄 번호는 커서 위치에서 줄 간격 거리로 렌더링 됩니다.",
+ "lineNumbers.interval": "줄 번호는 매 10 줄마다 렌더링이 이루어집니다.",
+ "lineNumbers": "줄 번호의 표시 여부를 제어합니다.",
+ "rulers.size": "이 편집기 눈금자에서 렌더링할 고정 폭 문자 수입니다.",
+ "rulers.color": "이 편집기 눈금자의 색입니다.",
+ "rulers": "특정 수의 고정 폭 문자 뒤에 세로 눈금자를 렌더링합니다. 여러 눈금자의 경우 여러 값을 사용합니다. 배열이 비어 있는 경우 눈금자가 그려지지 않습니다.",
+ "suggest.insertMode.insert": "커서의 텍스트 오른쪽을 덮어 쓰지않고 제안을 삽입합니다.",
+ "suggest.insertMode.replace": "제안을 삽입하고 커서의 오른쪽 텍스트를 덮어씁니다.",
+ "suggest.insertMode": "완료를 수락할 때 단어를 덮어쓸지 여부를 제어합니다. 이것은 이 기능을 선택하는 확장에 따라 다릅니다.",
+ "suggest.filterGraceful": "제안 필터링 및 정렬에서 작은 오타를 설명하는지 여부를 제어합니다.",
+ "suggest.localityBonus": "정렬할 때 커서 근처에 표시되는 단어를 우선할지 여부를 제어합니다.",
+ "suggest.shareSuggestSelections": "저장된 제안 사항 선택 항목을 여러 작업 영역 및 창에서 공유할 것인지 여부를 제어합니다(`#editor.suggestSelection#` 필요).",
+ "suggest.snippetsPreventQuickSuggestions": "활성 코드 조각이 빠른 제안을 방지하는지 여부를 제어합니다.",
+ "suggest.showIcons": "제안의 아이콘을 표시할지 여부를 제어합니다.",
+ "suggest.showStatusBar": "제안 위젯 하단의 상태 표시줄 가시성을 제어합니다.",
+ "suggest.showInlineDetails": "sugget 세부 정보가 레이블과 함께 인라인에 표시되는지 아니면 세부 정보 위젯에만 표시되는지를 제어합니다.",
+ "suggest.maxVisibleSuggestions.dep": "이 설정은 더 이상 사용되지 않습니다. 이제 제안 위젯의 크기를 조정할 수 있습니다.",
+ "deprecated": "이 설정은 더 이상 사용되지 않습니다. 대신 'editor.suggest.showKeywords'또는 'editor.suggest.showSnippets'와 같은 별도의 설정을 사용하세요.",
+ "editor.suggest.showMethods": "사용하도록 설정되면 IntelliSense에 `메서드` 제안이 표시됩니다.",
+ "editor.suggest.showFunctions": "사용하도록 설정되면 IntelliSense에 '함수' 제안이 표시됩니다.",
+ "editor.suggest.showConstructors": "사용하도록 설정되면 IntelliSense에 '생성자' 제안이 표시됩니다.",
+ "editor.suggest.showFields": "사용하도록 설정되면 IntelliSense에 '필드' 제안이 표시됩니다.",
+ "editor.suggest.showVariables": "사용하도록 설정되면 IntelliSense에 '변수' 제안이 표시됩니다.",
+ "editor.suggest.showClasss": "사용하도록 설정되면 IntelliSense에 '클래스' 제안이 표시됩니다.",
+ "editor.suggest.showStructs": "사용하도록 설정되면 IntelliSense에 '구조' 제안이 표시됩니다.",
+ "editor.suggest.showInterfaces": "사용하도록 설정되면 IntelliSense에 '인터페이스' 제안이 표시됩니다.",
+ "editor.suggest.showModules": "사용하도록 설정되면 IntelliSense에 '모듈' 제안이 표시됩니다.",
+ "editor.suggest.showPropertys": "사용하도록 설정되면 IntelliSense에 '속성' 제안이 표시됩니다.",
+ "editor.suggest.showEvents": "사용하도록 설정되면 IntelliSense에 '이벤트' 제안이 표시됩니다.",
+ "editor.suggest.showOperators": "사용하도록 설정되면 IntelliSense에 `연산자` 제안이 표시됩니다.",
+ "editor.suggest.showUnits": "사용하도록 설정되면 IntelliSense에 '단위' 제안이 표시됩니다.",
+ "editor.suggest.showValues": "사용하도록 설정되면 IntelliSense에 '값' 제안이 표시됩니다.",
+ "editor.suggest.showConstants": "사용하도록 설정되면 IntelliSense에 '상수' 제안이 표시됩니다.",
+ "editor.suggest.showEnums": "사용하도록 설정되면 IntelliSense에 '열거형' 제안이 표시됩니다.",
+ "editor.suggest.showEnumMembers": "사용하도록 설정되면 IntelliSense에 `enumMember` 제안이 표시됩니다.",
+ "editor.suggest.showKeywords": "사용하도록 설정되면 IntelliSense에 '키워드' 제안이 표시됩니다.",
+ "editor.suggest.showTexts": "사용하도록 설정되면 IntelliSense에 '텍스트' 제안이 표시됩니다.",
+ "editor.suggest.showColors": "사용하도록 설정되면 IntelliSense에 '색' 제안이 표시됩니다.",
+ "editor.suggest.showFiles": "사용하도록 설정되면 IntelliSense에 `파일` 제안이 표시됩니다.",
+ "editor.suggest.showReferences": "사용하도록 설정되면 IntelliSense에 '참조' 제안이 표시됩니다.",
+ "editor.suggest.showCustomcolors": "사용하도록 설정되면 IntelliSense에 '사용자 지정 색' 제안이 표시됩니다.",
+ "editor.suggest.showFolders": "사용하도록 설정되면 IntelliSense에 '폴더' 제안이 표시됩니다.",
+ "editor.suggest.showTypeParameters": "사용하도록 설정된 경우 IntelliSense에 'typeParameter' 제안이 표시됩니다.",
+ "editor.suggest.showSnippets": "사용하도록 설정되면 IntelliSense에 '코드 조각' 제안이 표시됩니다.",
+ "editor.suggest.showUsers": "IntelliSense를 사용하도록 설정하면 `user`-제안이 표시됩니다.",
+ "editor.suggest.showIssues": "IntelliSense를 사용하도록 설정한 경우 `issues`-제안을 표시합니다.",
+ "selectLeadingAndTrailingWhitespace": "선행 및 후행 공백을 항상 선택해야 하는지 여부입니다.",
+ "acceptSuggestionOnCommitCharacter": "커밋 문자에 대한 제안을 허용할지를 제어합니다. 예를 들어 JavaScript에서는 세미콜론(';')이 제안을 허용하고 해당 문자를 입력하는 커밋 문자일 수 있습니다.",
+ "acceptSuggestionOnEnterSmart": "텍스트를 변경할 때 `Enter` 키를 사용한 제안만 허용합니다.",
+ "acceptSuggestionOnEnter": "'Tab' 키 외에 'Enter' 키에 대한 제안도 허용할지를 제어합니다. 새 줄을 삽입하는 동작과 제안을 허용하는 동작 간의 모호함을 없앨 수 있습니다.",
+ "accessibilityPageSize": "화면 판독기가 읽을 수 있는 편집기의 줄 수를 제어합니다. 경고: 기본값보다 큰 숫자인 경우 성능에 영향을 미칩니다.",
+ "editorViewAccessibleLabel": "편집기 콘텐츠",
+ "editor.autoClosingBrackets.languageDefined": "언어 구성을 사용하여 대괄호를 자동으로 닫을 경우를 결정합니다.",
+ "editor.autoClosingBrackets.beforeWhitespace": "커서가 공백의 왼쪽에 있는 경우에만 대괄호를 자동으로 닫습니다.",
+ "autoClosingBrackets": "사용자가 여는 괄호를 추가한 후 편집기에서 괄호를 자동으로 닫을지 여부를 제어합니다.",
+ "editor.autoClosingOvertype.auto": "닫기 따옴표 또는 대괄호가 자동으로 삽입된 경우에만 해당 항목 위에 입력합니다.",
+ "autoClosingOvertype": "편집자가 닫는 따옴표 또는 대괄호 위에 입력할지 여부를 제어합니다.",
+ "editor.autoClosingQuotes.languageDefined": "언어 구성을 사용하여 따옴표를 자동으로 닫을 경우를 결정합니다.",
+ "editor.autoClosingQuotes.beforeWhitespace": "커서가 공백의 왼쪽에 있는 경우에만 따옴표를 자동으로 닫습니다.",
+ "autoClosingQuotes": "사용자가 여는 따옴표를 추가한 후 편집기에서 따옴표를 자동으로 닫을지 여부를 제어합니다.",
+ "editor.autoIndent.none": "편집기는 들여쓰기를 자동으로 삽입하지 않습니다.",
+ "editor.autoIndent.keep": "편집기는 현재 줄의 들여쓰기를 유지합니다.",
+ "editor.autoIndent.brackets": "편집기는 현재 줄의 들여쓰기를 유지하고 언어 정의 대괄호를 사용합니다.",
+ "editor.autoIndent.advanced": "편집기는 현재 줄의 들여쓰기를 유지하고 언어 정의 대괄호를 존중하며 언어별로 정의된 특별 EnterRules를 호출합니다.",
+ "editor.autoIndent.full": "편집기는 현재 줄의 들여쓰기를 유지하고, 언어 정의 대괄호를 존중하고, 언어에 의해 정의된 특별 EnterRules를 호출하고, 언어에 의해 정의된 들여쓰기 규칙을 존중합니다.",
+ "autoIndent": "사용자가 줄을 입력, 붙여넣기, 이동 또는 들여쓰기 할 때 편집기에서 들여쓰기를 자동으로 조정하도록 할지 여부를 제어합니다.",
+ "editor.autoSurround.languageDefined": "언어 구성을 사용하여 선택 항목을 자동으로 둘러쌀 경우를 결정합니다.",
+ "editor.autoSurround.quotes": "대괄호가 아닌 따옴표로 둘러쌉니다.",
+ "editor.autoSurround.brackets": "따옴표가 아닌 대괄호로 둘러쌉니다.",
+ "autoSurround": "따옴표 또는 대괄호 입력 시 편집기가 자동으로 선택 영역을 둘러쌀지 여부를 제어합니다.",
+ "stickyTabStops": "들여쓰기에 공백을 사용할 때 탭 문자의 선택 동작을 에뮬레이트합니다. 선택 영역이 탭 정지에 고정됩니다.",
+ "codeLens": "편집기에서 CodeLens를 표시할 것인지 여부를 제어합니다.",
+ "codeLensFontFamily": "CodeLens의 글꼴 패밀리를 제어합니다.",
+ "codeLensFontSize": "CodeLens의 글꼴 크기(픽셀)를 제어합니다. '0'으로 설정하면 `#editor.fontSize#`의 90%가 사용됩니다.",
+ "colorDecorators": "편집기에서 인라인 색 데코레이터 및 색 선택을 렌더링할지를 제어합니다.",
+ "columnSelection": "마우스와 키로 선택한 영역에서 열을 선택하도록 설정합니다.",
+ "copyWithSyntaxHighlighting": "구문 강조 표시를 클립보드로 복사할지 여부를 제어합니다.",
+ "cursorBlinking": "커서 애니메이션 스타일을 제어합니다.",
+ "cursorSmoothCaretAnimation": "매끄러운 캐럿 애니메이션의 사용 여부를 제어합니다.",
+ "cursorStyle": "커서 스타일을 제어합니다.",
+ "cursorSurroundingLines": "커서 주위에 표시되는 선행 및 후행 줄의 최소 수를 제어합니다. 일부 다른 편집기에서는 'scrollOff' 또는 'scrollOffset'이라고 합니다.",
+ "cursorSurroundingLinesStyle.default": "'cursorSurroundingLines'는 키보드 나 API를 통해 트리거될 때만 적용됩니다.",
+ "cursorSurroundingLinesStyle.all": "`cursorSurroundingLines`는 항상 적용됩니다.",
+ "cursorSurroundingLinesStyle": "'cursorSurroundingLines'를 적용해야 하는 경우를 제어합니다.",
+ "cursorWidth": "`#editor.cursorStyle#` 설정이 'line'으로 설정되어 있을 때 커서의 넓이를 제어합니다.",
+ "dragAndDrop": "편집기에서 끌어서 놓기로 선택 영역을 이동할 수 있는지 여부를 제어합니다.",
+ "fastScrollSensitivity": "'Alt' 키를 누를 때 스크롤 속도 승수입니다.",
+ "folding": "편집기에 코드 접기가 사용하도록 설정되는지 여부를 제어합니다.",
+ "foldingStrategy.auto": "사용 가능한 경우 언어별 접기 전략을 사용합니다. 그렇지 않은 경우 들여쓰기 기반 전략을 사용합니다.",
+ "foldingStrategy.indentation": "들여쓰기 기반 접기 전략을 사용합니다.",
+ "foldingStrategy": "접기 범위를 계산하기 위한 전략을 제어합니다.",
+ "foldingHighlight": "편집기에서 접힌 범위를 강조 표시할지 여부를 제어합니다.",
+ "unfoldOnClickAfterEndOfLine": "접힌 줄이 줄을 펼친 후 빈 콘텐츠를 클릭할지 여부를 제어합니다.",
+ "fontFamily": "글꼴 패밀리를 제어합니다.",
+ "formatOnPaste": "붙여넣은 콘텐츠의 서식을 편집기에서 자동으로 지정할지 여부를 제어합니다. 포맷터를 사용할 수 있어야 하며 포맷터가 문서에서 범위의 서식을 지정할 수 있어야 합니다.",
+ "formatOnType": "입력 후 편집기에서 자동으로 줄의 서식을 지정할지 여부를 제어합니다.",
+ "glyphMargin": "편집기에서 세로 문자 모양 여백을 렌더링할지 여부를 제어합니다. 문자 모양 여백은 주로 디버깅에 사용됩니다.",
+ "hideCursorInOverviewRuler": "커서가 개요 눈금자에서 가려져야 하는지 여부를 제어합니다.",
+ "highlightActiveIndentGuide": "편집기에서 활성 들여쓰기 가이드를 강조 표시할지 여부를 제어합니다.",
+ "letterSpacing": "문자 간격(픽셀)을 제어합니다.",
+ "linkedEditing": "편집기에서 연결된 편집이 사용하도록 설정되었는지를 제어합니다. 언어에 따라 관련 기호(예: HTML 태그)가 편집 중에 업데이트됩니다.",
+ "links": "편집기에서 링크를 감지하고 클릭할 수 있게 만들지 여부를 제어합니다.",
+ "matchBrackets": "일치하는 대괄호를 강조 표시합니다.",
+ "mouseWheelScrollSensitivity": "마우스 휠 스크롤 이벤트의 `deltaX` 및 `deltaY`에서 사용할 승수입니다.",
+ "mouseWheelZoom": "마우스 휠을 사용할 때 'Ctrl' 키를 누르고 있으면 편집기의 글꼴을 확대/축소합니다.",
+ "multiCursorMergeOverlapping": "여러 커서가 겹치는 경우 커서를 병합합니다.",
+ "multiCursorModifier.ctrlCmd": "Windows와 Linux의 'Control'을 macOS의 'Command'로 매핑합니다.",
+ "multiCursorModifier.alt": "Windows와 Linux의 'Alt'를 macOS의 'Option'으로 매핑합니다.",
+ "multiCursorModifier": "마우스로 여러 커서를 추가할 때 사용할 수정자입니다. [정의로 이동] 및 [링크 열기] 마우스 제스처가 멀티커서 수정자와 충돌하지 않도록 조정됩니다. [자세한 정보](https://code.visualstudio.com/docs/editor/codebasics#_multicursor-modifier).",
+ "multiCursorPaste.spread": "각 커서는 텍스트 한 줄을 붙여넣습니다.",
+ "multiCursorPaste.full": "각 커서는 전체 텍스트를 붙여넣습니다.",
+ "multiCursorPaste": "붙여넣은 텍스트의 줄 수가 커서 수와 일치하는 경우 붙여넣기를 제어합니다.",
+ "occurrencesHighlight": "편집기에서 의미 체계 기호 항목을 강조 표시할지 여부를 제어합니다.",
+ "overviewRulerBorder": "개요 눈금자 주위에 테두리를 그릴지 여부를 제어합니다.",
+ "peekWidgetDefaultFocus.tree": "Peek를 여는 동안 트리에 포커스",
+ "peekWidgetDefaultFocus.editor": "미리 보기를 열 때 편집기에 포커스",
+ "peekWidgetDefaultFocus": "미리 보기 위젯에서 인라인 편집기에 포커스를 둘지 또는 트리에 포커스를 둘지를 제어합니다.",
+ "definitionLinkOpensInPeek": "이동 정의 마우스 제스처가 항상 미리 보기 위젯을 열지 여부를 제어합니다.",
+ "quickSuggestionsDelay": "빠른 제안을 표시하기 전까지의 지연 시간(밀리초)을 제어합니다.",
+ "renameOnType": "편집기가 유형에 따라 자동으로 이름을 바꿀지 여부를 제어합니다.",
+ "renameOnTypeDeprecate": "사용되지 않습니다. 대신 `editor.linkedEditing`을 사용하세요.",
+ "renderControlCharacters": "편집기에서 제어 문자를 렌더링할지를 제어합니다.",
+ "renderIndentGuides": "편집기에서 들여쓰기 가이드를 렌더링할지를 제어합니다.",
+ "renderFinalNewline": "파일이 줄 바꿈으로 끝나면 마지막 줄 번호를 렌더링합니다.",
+ "renderLineHighlight.all": "제본용 여백과 현재 줄을 모두 강조 표시합니다.",
+ "renderLineHighlight": "편집기가 현재 줄 강조 표시를 렌더링하는 방식을 제어합니다.",
+ "renderLineHighlightOnlyWhenFocus": "편집기에 포커스가 있는 경우에만 편집기에서 현재 줄 강조 표시를 렌더링해야 하는지 제어합니다.",
+ "renderWhitespace.boundary": "단어 사이의 공백 하나를 제외한 공백 문자를 렌더링합니다.",
+ "renderWhitespace.selection": "선택한 텍스트에서만 공백 문자를 렌더링합니다.",
+ "renderWhitespace.trailing": "후행 공백 문자만 렌더링",
+ "renderWhitespace": "편집기에서 공백 문자를 렌더링할 방법을 제어합니다.",
+ "roundedSelection": "선택 항목의 모서리를 둥글게 할지 여부를 제어합니다.",
+ "scrollBeyondLastColumn": "편집기에서 가로로 스크롤되는 범위를 벗어나는 추가 문자의 수를 제어합니다.",
+ "scrollBeyondLastLine": "편집기에서 마지막 줄 이후로 스크롤할지 여부를 제어합니다.",
+ "scrollPredominantAxis": "세로와 가로로 동시에 스크롤할 때에만 주축을 따라서 스크롤합니다. 트랙패드에서 세로로 스크롤할 때 가로 드리프트를 방지합니다.",
+ "selectionClipboard": "Linux 주 클립보드의 지원 여부를 제어합니다.",
+ "selectionHighlight": "편집기가 선택 항목과 유사한 일치 항목을 강조 표시해야하는지 여부를 제어합니다.",
+ "showFoldingControls.always": "접기 컨트롤을 항상 표시합니다.",
+ "showFoldingControls.mouseover": "마우스가 여백 위에 있을 때에만 접기 컨트롤을 표시합니다.",
+ "showFoldingControls": "여백의 접기 컨트롤이 표시되는 시기를 제어합니다.",
+ "showUnused": "사용하지 않는 코드의 페이드 아웃을 제어합니다.",
+ "showDeprecated": "취소선 사용되지 않는 변수를 제어합니다.",
+ "snippetSuggestions.top": "다른 제안 위에 조각 제안을 표시합니다.",
+ "snippetSuggestions.bottom": "다른 제안 아래에 조각 제안을 표시합니다.",
+ "snippetSuggestions.inline": "다른 제안과 함께 조각 제안을 표시합니다.",
+ "snippetSuggestions.none": "코드 조각 제안을 표시하지 않습니다.",
+ "snippetSuggestions": "코드 조각이 다른 추천과 함께 표시되는지 여부 및 정렬 방법을 제어합니다.",
+ "smoothScrolling": "편집기에서 애니메이션을 사용하여 스크롤할지 여부를 제어합니다.",
+ "suggestFontSize": "제안 위젯의 글꼴 크기입니다. '0'으로 설정하면 '#editor.fontSize#'의 값이 사용됩니다.",
+ "suggestLineHeight": "제안 위젯의 줄 높이입니다. '0'으로 설정하면 `#editor.lineHeight#`의 값이 사용됩니다. 최솟값은 8입니다.",
+ "suggestOnTriggerCharacters": "트리거 문자를 입력할 때 제안을 자동으로 표시할지 여부를 제어합니다.",
+ "suggestSelection.first": "항상 첫 번째 제안을 선택합니다.",
+ "suggestSelection.recentlyUsed": "`log`가 최근에 완료되었으므로 추가 입력에서 제안을 선택하지 않은 경우 최근 제안을 선택하세요(예: `console.| -> console.log`).",
+ "suggestSelection.recentlyUsedByPrefix": "해당 제안을 완료한 이전 접두사에 따라 제안을 선택합니다(예: `co -> console` 및 `con -> const`).",
+ "suggestSelection": "제안 목록을 표시할 때 제한이 미리 선택되는 방식을 제어합니다.",
+ "tabCompletion.on": "탭 완료는 탭을 누를 때 가장 일치하는 제안을 삽입합니다.",
+ "tabCompletion.off": "탭 완성을 사용하지 않도록 설정합니다.",
+ "tabCompletion.onlySnippets": "접두사가 일치하는 경우 코드 조각을 탭 완료합니다. 'quickSuggestions'를 사용하지 않을 때 가장 잘 작동합니다.",
+ "tabCompletion": "탭 완성을 사용하도록 설정합니다.",
+ "unusualLineTerminators.auto": "비정상적인 줄 종결자가 자동으로 제거됩니다.",
+ "unusualLineTerminators.off": "비정상적인 줄 종결자가 무시됩니다.",
+ "unusualLineTerminators.prompt": "제거할 비정상적인 줄 종결자 프롬프트입니다.",
+ "unusualLineTerminators": "문제를 일으킬 수 있는 비정상적인 줄 종결자를 제거합니다.",
+ "useTabStops": "탭 정지 뒤에 공백을 삽입 및 삭제합니다.",
+ "wordSeparators": "단어 관련 탐색 또는 작업을 수행할 때 단어 구분 기호로 사용할 문자입니다.",
+ "wordWrap.off": "줄이 바뀌지 않습니다.",
+ "wordWrap.on": "뷰포트 너비에서 줄이 바뀝니다.",
+ "wordWrap.wordWrapColumn": "`#editor.wordWrapColumn#`에서 줄이 바뀝니다.",
+ "wordWrap.bounded": "뷰포트의 최소값 및 `#editor.wordWrapColumn#`에서 줄이 바뀝니다.",
+ "wordWrap": "줄 바꿈 여부를 제어합니다.",
+ "wordWrapColumn": "`#editor.wordWrap#`이 `wordWrapColumn` 또는 'bounded'인 경우 편집기의 열 줄 바꿈을 제어합니다.",
+ "wrappingIndent.none": "들여쓰기가 없습니다. 줄 바꿈 행이 열 1에서 시작됩니다.",
+ "wrappingIndent.same": "줄 바꿈 행의 들여쓰기가 부모와 동일합니다.",
+ "wrappingIndent.indent": "줄 바꿈 행이 부모 쪽으로 +1만큼 들여쓰기됩니다.",
+ "wrappingIndent.deepIndent": "줄 바꿈 행이 부모 쪽으로 +2만큼 들여쓰기됩니다.",
+ "wrappingIndent": "줄 바꿈 행의 들여쓰기를 제어합니다.",
+ "wrappingStrategy.simple": "모든 문자가 동일한 너비라고 가정합니다. 이 알고리즘은 고정 폭 글꼴과 문자 모양의 너비가 같은 특정 스크립트(예: 라틴 문자)에 적절히 작동하는 빠른 알고리즘입니다.",
+ "wrappingStrategy.advanced": "래핑 점 계산을 브라우저에 위임합니다. 이 알고리즘은 매우 느려서 대용량 파일의 경우 중단될 수 있지만 모든 경우에 적절히 작동합니다.",
+ "wrappingStrategy": "래핑 점을 계산하는 알고리즘을 제어합니다."
+ },
+ "vs/editor/common/view/editorColorRegistry": {
+ "lineHighlight": "커서 위치의 줄 강조 표시에 대한 배경색입니다.",
+ "lineHighlightBorderBox": "커서 위치의 줄 테두리에 대한 배경색입니다.",
+ "rangeHighlight": "빠른 열기 및 찾기 기능 등을 통해 강조 표시된 영역의 배경색입니다. 기본 장식을 숨기지 않도록 색은 불투명하지 않아야 합니다.",
+ "rangeHighlightBorder": "강조 영역 주변의 테두리에 대한 배경색입니다",
+ "symbolHighlight": "강조 표시된 기호(예: 정의로 이동 또는 다음/이전 기호로 이동)의 배경색입니다. 이 색상은 기본 장식을 숨기지 않도록 불투명하지 않아야 합니다.",
+ "symbolHighlightBorder": "강조 표시된 기호 주위의 테두리 배경색입니다.",
+ "caret": "편집기 커서 색입니다.",
+ "editorCursorBackground": "편집기 커서의 배경색입니다. 블록 커서와 겹치는 글자의 색상을 사용자 정의할 수 있습니다.",
+ "editorWhitespaces": "편집기의 공백 문자 색입니다.",
+ "editorIndentGuides": "편집기 들여쓰기 안내선 색입니다.",
+ "editorActiveIndentGuide": "활성 편집기 들여쓰기 안내선 색입니다.",
+ "editorLineNumbers": "편집기 줄 번호 색입니다.",
+ "editorActiveLineNumber": "편집기 활성 영역 줄번호 색상",
+ "deprecatedEditorActiveLineNumber": "ID는 사용되지 않습니다. 대신 'editorLineNumber.activeForeground'를 사용하세요.",
+ "editorRuler": "편집기 눈금의 색상입니다.",
+ "editorCodeLensForeground": "편집기 코드 렌즈의 전경색입니다.",
+ "editorBracketMatchBackground": "일치하는 괄호 뒤의 배경색",
+ "editorBracketMatchBorder": "일치하는 브래킷 박스의 색상",
+ "editorOverviewRulerBorder": "개요 눈금 경계의 색상입니다.",
+ "editorOverviewRulerBackground": "편집기 개요 눈금자의 배경색입니다. 미니맵이 사용하도록 설정되어 편집기의 오른쪽에 배치된 경우에만 사용됩니다.",
+ "editorGutter": "편집기 거터의 배경색입니다. 거터에는 글리프 여백과 행 수가 있습니다.",
+ "unnecessaryCodeBorder": "편집기의 불필요한(사용하지 않는) 소스 코드 테두리 색입니다.",
+ "unnecessaryCodeOpacity": "편집기의 불필요한(사용하지 않는) 소스 코드 불투명도입니다. 예를 들어 \"#000000c0\"은 75% 불투명도로 코드를 렌더링합니다. 고대비 테마의 경우 페이드 아웃하지 않고 'editorUnnecessaryCode.border' 테마 색을 사용하여 불필요한 코드에 밑줄을 그으세요.",
+ "overviewRulerRangeHighlight": "범위의 개요 눈금자 표식 색이 강조 표시됩니다. 기본 장식을 숨기지 않도록 색은 불투명하지 않아야 합니다.",
+ "overviewRuleError": "오류의 개요 눈금자 마커 색입니다.",
+ "overviewRuleWarning": "경고의 개요 눈금자 마커 색입니다.",
+ "overviewRuleInfo": "정보의 개요 눈금자 마커 색입니다."
+ },
+ "vs/editor/common/model/editStack": {
+ "edit": "입력하는 중"
+ },
+ "vs/editor/browser/controller/coreCommands": {
+ "stickydesc": "더 긴 줄로 이동하는 경우에도 끝에 고정"
+ },
+ "vs/editor/browser/widget/codeEditorWidget": {
+ "cursors.maximum": "커서 수는 {0}(으)로 제한되었습니다."
+ },
+ "vs/editor/browser/widget/diffEditorWidget": {
+ "diffInsertIcon": "diff 편집기의 삽입에 대한 줄 데코레이션입니다.",
+ "diffRemoveIcon": "diff 편집기의 제거에 대한 줄 데코레이션입니다.",
+ "diff.tooLarge": "파일 1개가 너무 커서 파일을 비교할 수 없습니다."
+ },
+ "vs/editor/common/standaloneStrings": {
+ "noSelection": "없음 선택",
+ "singleSelectionRange": "줄 {0}, 열 {1}({2} 선택됨)입니다.",
+ "singleSelection": "행 {0}, 열 {1}",
+ "multiSelectionRange": "{0} 선택 항목({1}자 선택됨)",
+ "multiSelection": "{0} 선택 항목",
+ "emergencyConfOn": "이제 'accessibilitySupport' 설정을 'on'으로 변경합니다.",
+ "openingDocs": "지금 편집기 접근성 문서 페이지를 여세요.",
+ "readonlyDiffEditor": "차이 편집기의 읽기 전용 창에서.",
+ "editableDiffEditor": "diff 편집기 창에서.",
+ "readonlyEditor": " 읽기 전용 코드 편집기에서",
+ "editableEditor": " 코드 편집기에서",
+ "changeConfigToOnMac": "화면 판독기 사용에 최적화되도록 편집기를 구성하려면 지금 Command+E를 누르세요.",
+ "changeConfigToOnWinLinux": "화면 판독기에 사용할 수 있도록 편집기를 최적화하려면 지금 Ctrl+E를 누르세요.",
+ "auto_on": "에디터를 화면 판독기와 함께 사용하기에 적합하도록 구성했습니다.",
+ "auto_off": "편집기는 화면 판독기 사용을 위해 절대로 최적화되지 않도록 구성됩니다. 현재로서는 그렇지 않습니다.",
+ "tabFocusModeOnMsg": "현재 편집기에서 키를 누르면 포커스가 다음 포커스 가능한 요소로 이동합니다. {0}을(를) 눌러서 이 동작을 설정/해제합니다.",
+ "tabFocusModeOnMsgNoKb": "현재 편집기에서 키를 누르면 포커스가 다음 포커스 가능한 요소로 이동합니다. {0} 명령은 현재 키 바인딩으로 트리거할 수 없습니다.",
+ "tabFocusModeOffMsg": "현재 편집기에서 키를 누르면 탭 문자가 삽입됩니다. {0}을(를) 눌러서 이 동작을 설정/해제합니다.",
+ "tabFocusModeOffMsgNoKb": "현재 편집기에서 키를 누르면 탭 문자가 삽입됩니다. {0} 명령은 현재 키 바인딩으로 트리거할 수 없습니다.",
+ "openDocMac": "Command+H를 눌러 편집기 접근성과 관련된 자세한 정보가 있는 브라우저 창을 여세요.",
+ "openDocWinLinux": "Ctrl+H를 눌러 편집기 접근성과 관련된 자세한 정보가 있는 브라우저 창을 엽니다.",
+ "outroMsg": "이 도구 설명을 해제하고 Esc 키 또는 Shift+Esc를 눌러서 편집기로 돌아갈 수 있습니다.",
+ "showAccessibilityHelpAction": "접근성 도움말 표시",
+ "inspectTokens": "개발자: 검사 토큰",
+ "gotoLineActionLabel": "줄/열로 이동...",
+ "helpQuickAccess": "빠른 액세스 공급자 모두 표시",
+ "quickCommandActionLabel": "명령 팔레트",
+ "quickCommandActionHelp": "명령 표시 및 실행",
+ "quickOutlineActionLabel": "기호로 가서...",
+ "quickOutlineByCategoryActionLabel": "범주별 기호로 이동...",
+ "editorViewAccessibleLabel": "편집기 콘텐츠",
+ "accessibilityHelpMessage": "접근성 옵션은 Alt+F1을 눌러여 합니다.",
+ "toggleHighContrast": "고대비 테마로 전환",
+ "bulkEditServiceSummary": "{1} 파일에서 편집을 {0}개 했습니다."
+ },
+ "vs/editor/common/config/commonEditorConfig": {
+ "editorConfigurationTitle": "편집기",
+ "tabSize": "탭 한 개에 해당하는 공백 수입니다. `#editor.detectIndentation#`이 켜져 있는 경우 이 설정은 파일 콘텐츠에 따라 재정의됩니다.",
+ "insertSpaces": "'탭' 키를 누를 때 공백을 삽입합니다. `#editor.detectIndentation#`이 켜져 있는 경우 이 설정은 파일 콘텐츠에 따라 재정의됩니다.",
+ "detectIndentation": "파일을 열 때 파일 콘텐츠를 기반으로 `#editor.tabSize#`와 `#editor.insertSpaces#`가 자동으로 검색되는지 여부를 제어합니다.",
+ "trimAutoWhitespace": "끝에 자동 삽입된 공백을 제거합니다.",
+ "largeFileOptimizations": "큰 파일에 대한 특수 처리로, 메모리를 많이 사용하는 특정 기능을 사용하지 않도록 설정합니다.",
+ "wordBasedSuggestions": "문서 내 단어를 기반으로 완성을 계산할지 여부를 제어합니다.",
+ "wordBasedSuggestionsMode.currentDocument": "활성 문서에서만 단어를 제안합니다.",
+ "wordBasedSuggestionsMode.matchingDocuments": "같은 언어의 모든 열린 문서에서 단어를 제안합니다.",
+ "wordBasedSuggestionsMode.allDocuments": "모든 열린 문서에서 단어를 제안합니다.",
+ "wordBasedSuggestionsMode": "문서 단어 기반 완성이 컴퓨팅되는 양식을 제어합니다.",
+ "semanticHighlighting.true": "모든 색 테마에 대해 의미 체계 강조 표시를 사용합니다.",
+ "semanticHighlighting.false": "모든 색 테마에 대해 의미 체계 강조 표시를 사용하지 않습니다.",
+ "semanticHighlighting.configuredByTheme": "의미 체계 강조 표시는 현재 색 테마의 `semanticHighlighting` 설정에 따라 구성됩니다.",
+ "semanticHighlighting.enabled": "semanticHighlighting이 지원하는 언어에 대해 표시되는지 여부를 제어합니다.",
+ "stablePeek": "해당 콘텐츠를 두 번 클릭하거나 'Esc' 키를 누르더라도 Peek 편집기를 열린 상태로 유지합니다.",
+ "maxTokenizationLineLength": "이 길이를 초과하는 줄은 성능상의 이유로 토큰화되지 않습니다.",
+ "maxComputationTime": "diff 계산이 취소된 후 밀리초 단위로 시간을 제한합니다. 제한 시간이 없는 경우 0을 사용합니다.",
+ "sideBySide": "diff 편집기에서 diff를 나란히 표시할지 인라인으로 표시할지를 제어합니다.",
+ "ignoreTrimWhitespace": "사용하도록 설정하면 Diff 편집기가 선행 또는 후행 공백의 변경 내용을 무시합니다.",
+ "renderIndicators": "diff 편집기에서 추가/제거된 변경 내용에 대해 +/- 표시기를 표시하는지 여부를 제어합니다.",
+ "codeLens": "편집기에서 CodeLens를 표시할 것인지 여부를 제어합니다.",
+ "wordWrap.off": "줄이 바뀌지 않습니다.",
+ "wordWrap.on": "뷰포트 너비에서 줄이 바뀝니다.",
+ "wordWrap.inherit": "`#editor.wordWrap#` 설정에 따라 줄이 바뀝니다."
+ },
+ "vs/editor/browser/widget/diffReview": {
+ "diffReviewInsertIcon": "Diff 검토에서 '삽입'의 아이콘입니다.",
+ "diffReviewRemoveIcon": "Diff 검토에서 '제거'의 아이콘입니다.",
+ "diffReviewCloseIcon": "Diff 검토에서 '닫기'의 아이콘입니다.",
+ "label.close": "닫기",
+ "no_lines_changed": "변경된 줄 없음",
+ "one_line_changed": "선 1개 변경됨",
+ "more_lines_changed": "줄 {0}개 변경됨",
+ "header": "차이 {0}/{1}: 원래 줄 {2}, {3}, 수정된 줄 {4}, {5}",
+ "blankLine": "비어 있음",
+ "unchangedLine": "{0} 변경되지 않은 줄 {1}",
+ "equalLine": "{0} 원래 줄 {1} 수정된 줄 {2}",
+ "insertLine": "+ {0} 수정된 줄 {1}",
+ "deleteLine": "- {0} 원래 줄 {1}",
+ "editor.action.diffReview.next": "다음 다른 항목으로 이동",
+ "editor.action.diffReview.prev": "다음 다른 항목으로 이동"
+ },
+ "vs/editor/browser/widget/inlineDiffMargin": {
+ "diff.clipboard.copyDeletedLinesContent.label": "삭제된 줄 복사",
+ "diff.clipboard.copyDeletedLinesContent.single.label": "삭제된 줄 복사",
+ "diff.clipboard.copyDeletedLineContent.label": "삭제된 줄 복사({0})",
+ "diff.inline.revertChange.label": "이 변경 내용 되돌리기"
+ },
+ "vs/editor/browser/controller/textAreaHandler": {
+ "editor": "편집기",
+ "accessibilityOffAriaLabel": "현재 편집기에 액세스할 수 없습니다. 옵션을 보려면 {0}을(를) 누릅니다."
+ },
+ "vs/editor/contrib/clipboard/clipboard": {
+ "miCut": "잘라내기(&&T)",
+ "actions.clipboard.cutLabel": "잘라내기",
+ "miCopy": "복사(&&C)",
+ "actions.clipboard.copyLabel": "복사",
+ "miPaste": "붙여넣기(&&P)",
+ "actions.clipboard.pasteLabel": "붙여넣기",
+ "actions.clipboard.copyWithSyntaxHighlightingLabel": "구문을 강조 표시하여 복사"
+ },
+ "vs/editor/contrib/anchorSelect/anchorSelect": {
+ "selectionAnchor": "선택 앵커 지점",
+ "anchorSet": "{0}에 설정된 앵커: {1}",
+ "setSelectionAnchor": "선택 앵커 지점 설정",
+ "goToSelectionAnchor": "선택 앵커 지점으로 이동",
+ "selectFromAnchorToCursor": "앵커에서 커서로 선택",
+ "cancelSelectionAnchor": "선택 앵커 지점 취소"
+ },
+ "vs/editor/contrib/bracketMatching/bracketMatching": {
+ "overviewRulerBracketMatchForeground": "괄호에 해당하는 영역을 표시자에 채색하여 표시합니다.",
+ "smartSelect.jumpBracket": "대괄호로 이동",
+ "smartSelect.selectToBracket": "괄호까지 선택",
+ "miGoToBracket": "대괄호로 이동(&&B)"
+ },
+ "vs/editor/contrib/caretOperations/caretOperations": {
+ "caret.moveLeft": "선택한 텍스트를 왼쪽으로 이동",
+ "caret.moveRight": "선택한 텍스트를 오른쪽으로 이동"
+ },
+ "vs/editor/contrib/caretOperations/transpose": {
+ "transposeLetters.label": "문자 바꾸기"
+ },
+ "vs/editor/contrib/codelens/codelensController": {
+ "showLensOnLine": "현재 줄에 대한 코드 렌즈 명령 표시"
+ },
+ "vs/editor/contrib/comment/comment": {
+ "comment.line": "줄 주석 설정/해제",
+ "miToggleLineComment": "줄 주석 설정/해제(&&T)",
+ "comment.line.add": "줄 주석 추가",
+ "comment.line.remove": "줄 주석 제거",
+ "comment.block": "블록 주석 설정/해제",
+ "miToggleBlockComment": "블록 주석 설정/해제(&&B)"
+ },
+ "vs/editor/contrib/contextmenu/contextmenu": {
+ "action.showContextMenu.label": "편집기 상황에 맞는 메뉴 표시"
+ },
+ "vs/editor/contrib/cursorUndo/cursorUndo": {
+ "cursor.undo": "커서 실행 취소",
+ "cursor.redo": "커서 다시 실행"
+ },
+ "vs/editor/contrib/find/findController": {
+ "startFindAction": "찾기",
+ "miFind": "찾기(&&F)",
+ "startFindWithSelectionAction": "선택 영역에서 찾기",
+ "findNextMatchAction": "다음 찾기",
+ "findPreviousMatchAction": "이전 찾기",
+ "nextSelectionMatchFindAction": "다음 선택 찾기",
+ "previousSelectionMatchFindAction": "이전 선택 찾기",
+ "startReplace": "바꾸기",
+ "miReplace": "바꾸기(&&R)"
+ },
+ "vs/editor/contrib/folding/folding": {
+ "unfoldAction.label": "펼치기",
+ "unFoldRecursivelyAction.label": "재귀적으로 펼치기",
+ "foldAction.label": "접기",
+ "toggleFoldAction.label": "접기 전환",
+ "foldRecursivelyAction.label": "재귀적으로 접기",
+ "foldAllBlockComments.label": "모든 블록 코멘트를 접기",
+ "foldAllMarkerRegions.label": "모든 영역 접기",
+ "unfoldAllMarkerRegions.label": "모든 영역 펼치기",
+ "foldAllAction.label": "모두 접기",
+ "unfoldAllAction.label": "모두 펼치기",
+ "foldLevelAction.label": "수준 {0} 접기",
+ "foldBackgroundBackground": "접힌 범위의 배경색입니다. 색은 기본 장식을 숨기지 않기 위해 불투명해서는 안 됩니다.",
+ "editorGutter.foldingControlForeground": "편집기 여백의 접기 컨트롤 색입니다."
+ },
+ "vs/editor/contrib/fontZoom/fontZoom": {
+ "EditorFontZoomIn.label": "편집기 글꼴 확대",
+ "EditorFontZoomOut.label": "편집기 글꼴 축소",
+ "EditorFontZoomReset.label": "편집기 글꼴 확대/축소 다시 설정"
+ },
+ "vs/editor/contrib/format/formatActions": {
+ "formatDocument.label": "문서 서식",
+ "formatSelection.label": "선택 영역 서식"
+ },
+ "vs/editor/contrib/gotoSymbol/goToCommands": {
+ "peek.submenu": "피킹",
+ "def.title": "정의",
+ "noResultWord": "'{0}'에 대한 정의를 찾을 수 없습니다.",
+ "generic.noResults": "정의를 찾을 수 없음",
+ "actions.goToDecl.label": "정의로 이동",
+ "miGotoDefinition": "정의로 이동(&&D)",
+ "actions.goToDeclToSide.label": "측면에서 정의 열기",
+ "actions.previewDecl.label": "정의 피킹",
+ "decl.title": "선언",
+ "decl.noResultWord": "'{0}'에 대한 선언을 찾을 수 없음",
+ "decl.generic.noResults": "선언을 찾을 수 없음",
+ "actions.goToDeclaration.label": "선언으로 이동",
+ "miGotoDeclaration": "선언으로 이동(&&D)",
+ "actions.peekDecl.label": "선언 미리 보기",
+ "typedef.title": "형식 정의",
+ "goToTypeDefinition.noResultWord": "'{0}'에 대한 형식 정의를 찾을 수 없습니다.",
+ "goToTypeDefinition.generic.noResults": "형식 정의를 찾을 수 없습니다.",
+ "actions.goToTypeDefinition.label": "형식 정의로 이동",
+ "miGotoTypeDefinition": "형식 정의로 이동(&&T)",
+ "actions.peekTypeDefinition.label": "형식 정의 미리 보기",
+ "impl.title": "구현",
+ "goToImplementation.noResultWord": "'{0}'에 대한 구현을 찾을 수 없습니다.",
+ "goToImplementation.generic.noResults": "구현을 찾을 수 없습니다.",
+ "actions.goToImplementation.label": "구현으로 이동",
+ "miGotoImplementation": "구현으로 이동(&&I)",
+ "actions.peekImplementation.label": "피킹 구현",
+ "references.no": "'{0}'에 대한 참조가 없습니다.",
+ "references.noGeneric": "참조가 없습니다.",
+ "goToReferences.label": "참조로 이동",
+ "miGotoReference": "참조로 이동(&&R)",
+ "ref.title": "참조",
+ "references.action.label": "참조 미리 보기",
+ "label.generic": "기호로 이동",
+ "generic.title": "위치",
+ "generic.noResult": "'{0}'에 대한 검색 결과가 없음"
+ },
+ "vs/editor/contrib/hover/hover": {
+ "showHover": "가리키기 표시",
+ "showDefinitionPreviewHover": "정의 미리 보기 가리킨 항목 표시"
+ },
+ "vs/editor/contrib/gotoSymbol/link/goToDefinitionAtPosition": {
+ "multipleResults": "{0}개 정의를 표시하려면 클릭하세요."
+ },
+ "vs/editor/contrib/gotoError/gotoError": {
+ "markerAction.next.label": "다음 문제로 이동 (오류, 경고, 정보)",
+ "nextMarkerIcon": "다음 마커로 이동의 아이콘입니다.",
+ "markerAction.previous.label": "이전 문제로 이동 (오류, 경고, 정보)",
+ "previousMarkerIcon": "이전 마커로 이동의 아이콘입니다.",
+ "markerAction.nextInFiles.label": "파일의 다음 문제로 이동 (오류, 경고, 정보)",
+ "miGotoNextProblem": "다음 문제(&&P)",
+ "markerAction.previousInFiles.label": "파일의 이전 문제로 이동 (오류, 경고, 정보)",
+ "miGotoPreviousProblem": "이전 문제(&&P)"
+ },
+ "vs/editor/contrib/indentation/indentation": {
+ "indentationToSpaces": "들여쓰기를 공백으로 변환",
+ "indentationToTabs": "들여쓰기를 탭으로 변환",
+ "configuredTabSize": "구성된 탭 크기",
+ "selectTabWidth": "현재 파일의 탭 크기 선택",
+ "indentUsingTabs": "탭을 사용한 들여쓰기",
+ "indentUsingSpaces": "공백을 사용한 들여쓰기",
+ "detectIndentation": "콘텐츠에서 들여쓰기 감지",
+ "editor.reindentlines": "줄 다시 들여쓰기",
+ "editor.reindentselectedlines": "선택한 줄 다시 들여쓰기"
+ },
+ "vs/editor/contrib/inPlaceReplace/inPlaceReplace": {
+ "InPlaceReplaceAction.previous.label": "이전 값으로 바꾸기",
+ "InPlaceReplaceAction.next.label": "다음 값으로 바꾸기"
+ },
+ "vs/editor/contrib/linesOperations/linesOperations": {
+ "lines.copyUp": "위에 줄 복사",
+ "miCopyLinesUp": "위에 줄 복사(&&C)",
+ "lines.copyDown": "아래에 줄 복사",
+ "miCopyLinesDown": "아래에 줄 복사(&&P)",
+ "duplicateSelection": "중복된 선택 영역",
+ "miDuplicateSelection": "중복된 선택 영역(&&D)",
+ "lines.moveUp": "줄 위로 이동",
+ "miMoveLinesUp": "줄 위로 이동(&&V)",
+ "lines.moveDown": "줄 아래로 이동",
+ "miMoveLinesDown": "줄 아래로 이동(&&L)",
+ "lines.sortAscending": "줄을 오름차순 정렬",
+ "lines.sortDescending": "줄을 내림차순으로 정렬",
+ "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": "단어의 첫 글자를 대문자로 변환"
+ },
+ "vs/editor/contrib/linkedEditing/linkedEditing": {
+ "linkedEditing.label": "연결된 편집 시작",
+ "editorLinkedEditingBackground": "형식의 편집기에서 자동으로 이름을 바꿀 때의 배경색입니다."
+ },
+ "vs/editor/contrib/links/links": {
+ "links.navigate.executeCmd": "명령 실행",
+ "links.navigate.follow": "링크로 이동",
+ "links.navigate.kb.meta.mac": "Cmd+클릭",
+ "links.navigate.kb.meta": "Ctrl+클릭",
+ "links.navigate.kb.alt.mac": "Option+클릭",
+ "links.navigate.kb.alt": "Alt+클릭",
+ "tooltip.explanation": "명령 {0} 실행",
+ "invalid.url": "{0} 형식이 올바르지 않으므로 이 링크를 열지 못했습니다",
+ "missing.url": "대상이 없으므로 이 링크를 열지 못했습니다.",
+ "label": "링크 열기"
+ },
+ "vs/editor/contrib/multicursor/multicursor": {
+ "mutlicursor.insertAbove": "위에 커서 추가",
+ "miInsertCursorAbove": "위에 커서 추가(&&A)",
+ "mutlicursor.insertBelow": "아래에 커서 추가",
+ "miInsertCursorBelow": "아래에 커서 추가(&&D)",
+ "mutlicursor.insertAtEndOfEachLineSelected": "줄 끝에 커서 추가",
+ "miInsertCursorAtEndOfEachLineSelected": "줄 끝에 커서 추가(&&U)",
+ "mutlicursor.addCursorsToBottom": "맨 아래에 커서 추가",
+ "mutlicursor.addCursorsToTop": "맨 위에 커서 추가",
+ "addSelectionToNextFindMatch": "다음 일치 항목 찾기에 선택 항목 추가",
+ "miAddSelectionToNextFindMatch": "다음 항목 추가(&&N)",
+ "addSelectionToPreviousFindMatch": "이전 일치 항목 찾기에 선택 항목 추가",
+ "miAddSelectionToPreviousFindMatch": "이전 항목 추가(&&R)",
+ "moveSelectionToNextFindMatch": "다음 일치 항목 찾기로 마지막 선택 항목 이동",
+ "moveSelectionToPreviousFindMatch": "마지막 선택 항목을 이전 일치 항목 찾기로 이동",
+ "selectAllOccurrencesOfFindMatch": "일치 항목 찾기의 모든 항목 선택",
+ "miSelectHighlights": "모든 항목 선택(&&O)",
+ "changeAll.label": "모든 항목 변경"
+ },
+ "vs/editor/contrib/parameterHints/parameterHints": {
+ "parameterHints.trigger.label": "매개 변수 힌트 트리거"
+ },
+ "vs/editor/contrib/rename/rename": {
+ "no result": "결과가 없습니다.",
+ "resolveRenameLocationFailed": "위치 이름을 바꾸는 중 알 수 없는 오류가 발생했습니다.",
+ "label": "'{0}'의 이름을 바꾸는 중",
+ "quotableLabel": "{0} 이름 바꾸기",
+ "aria": "'{0}'을(를) '{1}'(으)로 이름을 변경했습니다. 요약: {2}",
+ "rename.failedApply": "이름 바꾸기를 통해 편집 내용을 적용하지 못했습니다.",
+ "rename.failed": "이름 바꾸기를 통해 편집 내용을 계산하지 못했습니다.",
+ "rename.label": "기호 이름 바꾸기",
+ "enablePreview": "이름을 바꾸기 전에 변경 내용을 미리 볼 수 있는 기능 사용/사용 안 함"
+ },
+ "vs/editor/contrib/smartSelect/smartSelect": {
+ "smartSelect.expand": "선택 영역 확장",
+ "miSmartSelectGrow": "선택 영역 확장(&&E)",
+ "smartSelect.shrink": "선택 영역 축소",
+ "miSmartSelectShrink": "선택 영역 축소(&&S)"
+ },
+ "vs/editor/contrib/suggest/suggestController": {
+ "aria.alert.snippet": "{0}의 {1}개의 수정사항을 수락하는 중",
+ "suggest.trigger.label": "제안 항목 트리거",
+ "accept.insert": "삽입",
+ "accept.replace": "바꾸기",
+ "detail.more": "간단히 표시",
+ "detail.less": "더 보기",
+ "suggest.reset.label": "제안 위젯 크기 다시 설정"
+ },
+ "vs/editor/contrib/tokenization/tokenization": {
+ "forceRetokenize": "개발자: 강제로 다시 토큰화"
+ },
+ "vs/editor/contrib/toggleTabFocusMode/toggleTabFocusMode": {
+ "toggle.tabMovesFocus": " 키로 포커스 이동 설정/해제",
+ "toggle.tabMovesFocus.on": "이제 키를 누르면 포커스가 다음 포커스 가능한 요소로 이동합니다.",
+ "toggle.tabMovesFocus.off": "이제 키를 누르면 탭 문자가 삽입됩니다."
+ },
+ "vs/editor/contrib/unusualLineTerminators/unusualLineTerminators": {
+ "unusualLineTerminators.title": "비정상적인 줄 종결자",
+ "unusualLineTerminators.message": "비정상적인 줄 종결자가 검색됨",
+ "unusualLineTerminators.detail": "이 파일에 LS(줄 구분 기호) 또는 PS(단락 구분 기호) 같은 하나 이상의 비정상적인 줄 종결자 문자가 포함되어 있습니다.\r\n\r\n파일에서 제거하는 것이 좋습니다. `editor.unusualLineTerminators`를 통해 구성할 수 있습니다.",
+ "unusualLineTerminators.fix": "이 파일 수정",
+ "unusualLineTerminators.ignore": "이 파일의 문제 무시"
+ },
+ "vs/editor/contrib/wordHighlighter/wordHighlighter": {
+ "wordHighlight": "변수 읽기와 같은 읽기 액세스 중 기호의 배경색입니다. 기본 장식을 숨기지 않도록 색은 불투명하지 않아야 합니다.",
+ "wordHighlightStrong": "변수에 쓰기와 같은 쓰기 액세스 중 기호의 배경색입니다. 기본 장식을 숨기지 않도록 색은 불투명하지 않아야 합니다.",
+ "wordHighlightBorder": "변수 읽기와 같은 읽기 액세스 중 기호의 테두리 색입니다.",
+ "wordHighlightStrongBorder": "변수에 쓰기와 같은 쓰기 액세스 중 기호의 테두리 색입니다.",
+ "overviewRulerWordHighlightForeground": "기호 강조 표시의 개요 눈금자 표식 색입니다. 기본 장식을 숨기지 않도록 색은 불투명하지 않아야 합니다.",
+ "overviewRulerWordHighlightStrongForeground": "쓰기 액세스 기호에 대한 개요 눈금자 표식 색이 강조 표시됩니다. 기본 장식을 숨기지 않도록 색은 불투명하지 않아야 합니다.",
+ "wordHighlight.next.label": "다음 강조 기호로 이동",
+ "wordHighlight.previous.label": "이전 강조 기호로 이동",
+ "wordHighlight.trigger.label": "기호 강조 표시 트리거"
+ },
+ "vs/editor/contrib/wordOperations/wordOperations": {
+ "deleteInsideWord": "단어 삭제"
+ },
+ "vs/editor/contrib/quickAccess/gotoLineQuickAccess": {
+ "cannotRunGotoLine": "우선 텍스트 편집기를 열고 줄로 이동합니다.",
+ "gotoLineColumnLabel": "{0} 줄 및 {1} 열로 이동합니다.",
+ "gotoLineLabel": "{0} 줄로 이동합니다.",
+ "gotoLineLabelEmptyWithLimit": "현재 줄: {0}, 문자: {1} 이동할 줄 1~{2} 사이의 번호를 입력합니다.",
+ "gotoLineLabelEmpty": "현재 줄: {0}, 문자: {1}. 이동할 줄 번호를 입력합니다."
+ },
+ "vs/editor/contrib/peekView/peekView": {
+ "label.close": "닫기",
+ "peekViewTitleBackground": "Peek 뷰 제목 영역의 배경색입니다.",
+ "peekViewTitleForeground": "Peek 뷰 제목 색입니다.",
+ "peekViewTitleInfoForeground": "Peek 뷰 제목 정보 색입니다.",
+ "peekViewBorder": "Peek 뷰 테두리 및 화살표 색입니다.",
+ "peekViewResultsBackground": "Peek 뷰 결과 목록의 배경색입니다.",
+ "peekViewResultsMatchForeground": "Peek 뷰 결과 목록에서 라인 노드의 전경색입니다.",
+ "peekViewResultsFileForeground": "Peek 뷰 결과 목록에서 파일 노드의 전경색입니다.",
+ "peekViewResultsSelectionBackground": "Peek 뷰 결과 목록에서 선택된 항목의 배경색입니다.",
+ "peekViewResultsSelectionForeground": "Peek 뷰 결과 목록에서 선택된 항목의 전경색입니다.",
+ "peekViewEditorBackground": "Peek 뷰 편집기의 배경색입니다.",
+ "peekViewEditorGutterBackground": "Peek 뷰 편집기의 거터 배경색입니다.",
+ "peekViewResultsMatchHighlight": "Peek 뷰 결과 목록의 일치 항목 강조 표시 색입니다.",
+ "peekViewEditorMatchHighlight": "Peek 뷰 편집기의 일치 항목 강조 표시 색입니다.",
+ "peekViewEditorMatchHighlightBorder": "Peek 뷰 편집기의 일치 항목 강조 표시 테두리입니다."
+ },
+ "vs/editor/contrib/codeAction/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": "'{0}'에 대한 기본 코드 작업을 사용할 수 없음",
+ "editor.action.codeAction.noneMessage.kind": "'{0}'에 대한 코드 작업을 사용할 수 없음",
+ "editor.action.codeAction.noneMessage.preferred": "사용할 수 있는 기본 코드 작업 없음",
+ "editor.action.codeAction.noneMessage": "사용 가능한 코드 동작이 없습니다.",
+ "refactor.label": "리팩터링...",
+ "editor.action.refactor.noneMessage.preferred.kind": "'{0}'에 대한 기본 리팩터링 없음",
+ "editor.action.refactor.noneMessage.kind": "'{0}'에 대한 리팩터링 없음",
+ "editor.action.refactor.noneMessage.preferred": "기본 설정 리팩터링을 사용할 수 없음",
+ "editor.action.refactor.noneMessage": "사용 가능한 리펙터링이 없습니다.",
+ "source.label": "소스 작업...",
+ "editor.action.source.noneMessage.preferred.kind": "'{0}'에 대한 기본 소스 작업을 사용할 수 없음",
+ "editor.action.source.noneMessage.kind": "'{0}'에 대한 소스 작업을 사용할 수 없음",
+ "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/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": "처음 {0}개의 결과가 강조 표시되지만 모든 찾기 작업은 전체 텍스트에 대해 수행됩니다.",
+ "label.matchesLocation": "{1}의 {0}",
+ "label.noResults": "결과 없음",
+ "ariaSearchNoResultEmpty": "{0}개 찾음",
+ "ariaSearchNoResult": "'{1}'에 대한 {0}을(를) 찾음",
+ "ariaSearchNoResultWithLineNum": "{2}에서 '{1}'에 대한 {0}을(를) 찾음",
+ "ariaSearchNoResultWithLineNumNoCurrentMatch": "'{1}'에 대한 {0}을(를) 찾음",
+ "ctrlEnter.keybindingChanged": "Ctrl+Enter를 누르면 이제 모든 항목을 바꾸지 않고 줄 바꿈을 삽입합니다. editor.action.replaceAll의 키 바인딩을 수정하여 이 동작을 재정의할 수 있습니다."
+ },
+ "vs/editor/contrib/folding/foldingDecorations": {
+ "foldingExpandedIcon": "편집기 문자 모양 여백에서 확장된 범위의 아이콘입니다.",
+ "foldingCollapsedIcon": "편집기 문자 모양 여백에서 축소된 범위의 아이콘입니다."
+ },
+ "vs/editor/contrib/format/format": {
+ "hint11": "줄 {0}에서 1개 서식 편집을 수행했습니다.",
+ "hintn1": "줄 {1}에서 {0}개 서식 편집을 수행했습니다.",
+ "hint1n": "줄 {0}과(와) {1} 사이에서 1개 서식 편집을 수행했습니다.",
+ "hintnn": "줄 {1}과(와) {2} 사이에서 {0}개 서식 편집을 수행했습니다."
+ },
+ "vs/editor/contrib/message/messageController": {
+ "editor.readonly": "읽기 전용 편집기에서는 편집할 수 없습니다."
+ },
+ "vs/editor/contrib/gotoSymbol/peek/referencesController": {
+ "labelLoading": "로드 중...",
+ "metaTitle.N": "{0}({1})"
+ },
+ "vs/editor/contrib/gotoSymbol/referencesModel": {
+ "aria.oneReference": "{2}열, {1}줄, {0}의 기호",
+ "aria.oneReference.preview": "열 {2}, {3}의 줄 {1}에 있는 {0}의 기호",
+ "aria.fileReferences.1": "{0}의 기호 1개, 전체 경로 {1}",
+ "aria.fileReferences.N": "{1}의 기호 {0}개, 전체 경로 {2}",
+ "aria.result.0": "결과 없음",
+ "aria.result.1": "{0}에서 기호 1개를 찾았습니다.",
+ "aria.result.n1": "{1}에서 기호 {0}개를 찾았습니다.",
+ "aria.result.nm": "{1}개 파일에서 기호 {0}개를 찾았습니다."
+ },
+ "vs/editor/contrib/gotoSymbol/symbolNavigation": {
+ "location.kb": "{1}의 {0} 기호, 다음의 경우 {2}",
+ "location": "{1}의 기호 {0}"
+ },
+ "vs/editor/contrib/hover/modesContentHover": {
+ "modesContentHover.loading": "로드 중...",
+ "peek problem": "문제 보기",
+ "noQuickFixes": "빠른 수정을 사용할 수 없음",
+ "checkingForQuickFixes": "빠른 수정을 확인하는 중...",
+ "quick fixes": "빠른 수정..."
+ },
+ "vs/editor/contrib/gotoError/gotoErrorWidget": {
+ "Error": "오류",
+ "Warning": "경고",
+ "Info": "정보",
+ "Hint": "힌트",
+ "marker aria": "{1}의 {0}입니다. ",
+ "problems": "문제 {1}개 중 {0}개",
+ "change": "문제 {1}개 중 {0}개",
+ "editorMarkerNavigationError": "편집기 표식 탐색 위젯 오류 색입니다.",
+ "editorMarkerNavigationWarning": "편집기 표식 탐색 위젯 경고 색입니다.",
+ "editorMarkerNavigationInfo": "편집기 표식 탐색 위젯 정보 색입니다.",
+ "editorMarkerNavigationBackground": "편집기 표식 탐색 위젯 배경입니다."
+ },
+ "vs/editor/contrib/parameterHints/parameterHintsWidget": {
+ "parameterHintsNextIcon": "다음 매개 변수 힌트 표시의 아이콘입니다.",
+ "parameterHintsPreviousIcon": "이전 매개 변수 힌트 표시의 아이콘입니다.",
+ "hint": "{0}, 힌트"
+ },
+ "vs/editor/contrib/rename/renameInputField": {
+ "renameAriaLabel": "입력 이름을 바꾸세요. 새 이름을 입력한 다음 [Enter] 키를 눌러 커밋하세요.",
+ "label": "이름 바꾸기 {0}, 미리 보기 {1}"
+ },
+ "vs/editor/contrib/suggest/suggestWidget": {
+ "editorSuggestWidgetBackground": "제안 위젯의 배경색입니다.",
+ "editorSuggestWidgetBorder": "제안 위젯의 테두리 색입니다.",
+ "editorSuggestWidgetForeground": "제안 위젯의 전경색입니다.",
+ "editorSuggestWidgetSelectedBackground": "제한 위젯에서 선택된 항목의 배경색입니다.",
+ "editorSuggestWidgetHighlightForeground": "제안 위젯의 일치 항목 강조 표시 색입니다.",
+ "suggestWidget.loading": "로드 중...",
+ "suggestWidget.noSuggestions": "제안 항목이 없습니다.",
+ "ariaCurrenttSuggestionReadDetails": "{0}, 문서: {1}",
+ "suggest": "제안"
+ },
+ "vs/editor/contrib/quickAccess/gotoSymbolQuickAccess": {
+ "cannotRunGotoSymbolWithoutEditor": "기호로 이동하려면 먼저 기호 정보가 있는 텍스트 편집기를 엽니다.",
+ "cannotRunGotoSymbolWithoutSymbolProvider": "활성 상태의 텍스트 편집기는 기호 정보를 제공하지 않습니다.",
+ "noMatchingSymbolResults": "일치하는 편집기 기호 없음",
+ "noSymbolResults": "편집기 기호 없음",
+ "openToSide": "측면에서 열기",
+ "openToBottom": "하단에 열기",
+ "symbols": "기호({0})",
+ "property": "속성({0})",
+ "method": "메서드({0})",
+ "function": "함수({0})",
+ "_constructor": "생성자({0})",
+ "variable": "변수({0})",
+ "class": "클래스({0})",
+ "struct": "구조체({0})",
+ "event": "이벤트({0})",
+ "operator": "연산자({0})",
+ "interface": "인터페이스({0})",
+ "namespace": "네임스페이스({0})",
+ "package": "패키지({0})",
+ "typeParameter": "형식 매개 변수({0})",
+ "modules": "모듈({0})",
+ "enum": "열거형({0})",
+ "enumMember": "열거형 멤버({0})",
+ "string": "문자열({0})",
+ "file": "파일({0})",
+ "array": "배열({0})",
+ "number": "숫자({0})",
+ "boolean": "부울({0})",
+ "object": "개체({0})",
+ "key": "키({0})",
+ "field": "필드({0})",
+ "constant": "상수({0})"
+ },
+ "vs/editor/contrib/snippet/snippetVariables": {
+ "Sunday": "일요일",
+ "Monday": "월요일",
+ "Tuesday": "화요일",
+ "Wednesday": "수요일",
+ "Thursday": "목요일",
+ "Friday": "금요일",
+ "Saturday": "토요일",
+ "SundayShort": "일",
+ "MondayShort": "월",
+ "TuesdayShort": "화",
+ "WednesdayShort": "수",
+ "ThursdayShort": "목",
+ "FridayShort": "금",
+ "SaturdayShort": "토",
+ "January": "1월",
+ "February": "2월",
+ "March": "3월",
+ "April": "4월",
+ "May": "5월",
+ "June": "6월",
+ "July": "7월",
+ "August": "8월",
+ "September": "9월",
+ "October": "10월",
+ "November": "11월",
+ "December": "12월",
+ "JanuaryShort": "1월",
+ "FebruaryShort": "2월",
+ "MarchShort": "3월",
+ "AprilShort": "4월",
+ "MayShort": "5월",
+ "JuneShort": "6월",
+ "JulyShort": "7월",
+ "AugustShort": "8월",
+ "SeptemberShort": "9월",
+ "OctoberShort": "10월",
+ "NovemberShort": "11월",
+ "DecemberShort": "12월"
+ },
+ "vs/editor/contrib/documentSymbols/outlineTree": {
+ "title.template": "{0}({1})",
+ "1.problem": "이 요소의 문제 1개",
+ "N.problem": "이 요소의 문제 {0}개",
+ "deep.problem": "문제가 있는 요소를 포함합니다.",
+ "Array": "배열",
+ "Boolean": "부울",
+ "Class": "클래스",
+ "Constant": "상수",
+ "Constructor": "생성자",
+ "Enum": "열거형",
+ "EnumMember": "열거형 멤버",
+ "Event": "이벤트",
+ "Field": "필드",
+ "File": "파일",
+ "Function": "함수",
+ "Interface": "인터페이스",
+ "Key": "키",
+ "Method": "메서드",
+ "Module": "모듈",
+ "Namespace": "네임스페이스",
+ "Null": "Null",
+ "Number": "숫자",
+ "Object": "개체",
+ "Operator": "연산자",
+ "Package": "패키지",
+ "Property": "속성",
+ "String": "문자열",
+ "Struct": "구조체",
+ "TypeParameter": "형식 매개 변수",
+ "Variable": "변수",
+ "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": "null 기호의 전경색입니다. 이러한 기호는 개요, 이동 경로 및 제안 위젯에 나타납니다.",
+ "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/editor/contrib/gotoSymbol/peek/referencesWidget": {
+ "missingPreviewMessage": "미리 보기를 사용할 수 없음",
+ "noResults": "결과 없음",
+ "peekView.alternateTitle": "참조"
+ },
+ "vs/editor/contrib/suggest/suggestWidgetDetails": {
+ "details.close": "닫기",
+ "loading": "로드 중..."
+ },
+ "vs/editor/contrib/suggest/suggestWidgetStatus": {
+ "ddd": "{0} ({1})"
+ },
+ "vs/editor/contrib/suggest/suggestWidgetRenderer": {
+ "suggestMoreInfoIcon": "제안 위젯에서 자세한 정보의 아이콘입니다.",
+ "readMore": "자세한 정보"
+ },
+ "vs/editor/contrib/codeAction/lightBulbWidget": {
+ "prefferedQuickFixWithKb": "수정 사항을 표시합니다. 사용 가능한 기본 수정({0})",
+ "quickFixWithKb": "수정 사항 표시({0})",
+ "quickFix": "수정 사항 표시"
+ },
+ "vs/editor/contrib/gotoSymbol/peek/referencesTree": {
+ "referencesCount": "참조 {0}개",
+ "referenceCount": "참조 {0}개",
+ "treeAriaLabel": "참조"
+ },
+ "vs/platform/environment/node/argvHelper": {
+ "unknownOption": "경고: '{0}'은(는) 알려진 옵션 목록에 없지만 Electron/Chromium에 계속 전달됩니다.",
+ "multipleValues": "옵션 '{0}'이(가) 두 번 이상 정의되었습니다. 값 '{1}'을(를) 사용하세요.",
+ "gotoValidation": "`--goto` 모드에서 인수는 `FILE(:LINE(:CHARACTER))` 형식이어야 합니다."
+ },
+ "vs/platform/request/common/request": {
+ "httpConfigurationTitle": "HTTP",
+ "proxy": "사용할 프록시 설정입니다. 설정하지 않으면 'http_proxy' 및 'https_proxy' 환경 변수에서 상속됩니다.",
+ "strictSSL": "제공된 CA 목록에 대해 프록시 서버 인증서를 확인해야 하는지 여부를 제어합니다.",
+ "proxyAuthorization": "모든 네트워크 요청의 'Proxy-Authorization' 헤더로 보낼 값입니다.",
+ "proxySupportOff": "확장에 대한 프록시 지원을 사용하지 않도록 설정합니다.",
+ "proxySupportOn": "확장에 대한 프록시 지원을 사용하도록 설정합니다.",
+ "proxySupportOverride": "확장에 대한 프록시 지원을 사용하지 않도록 설정하고 요청 옵션을 재정의합니다.",
+ "proxySupport": "확장에 대해 프록시 지원을 사용합니다.",
+ "systemCertificates": "OS에서 CA 인증서를 로드해야 하는지 여부를 제어합니다(윈도우즈 및 macOS에서는 이 기능을 끈 후 창을 다시 로드해야 함)."
+ },
+ "vs/platform/files/common/fileService": {
+ "invalidPath": "상대 파일 경로 '{0}'(으)로 파일 시스템 공급자를 확인할 수 없습니다.",
+ "noProviderFound": "리소스 '{0}'에 대한 파일 시스템 공급자를 찾을 수 없습니다.",
+ "fileNotFoundError": "존재하지 않는 파일 '{0}'을(를) 확인할 수 없습니다.",
+ "fileExists": "덮어쓰기 플래그가 설정되어 있지 않으면 기존의 '{0}' 파일을 만들 수 없습니다.",
+ "err.write": "파일 '{0}'({1})을(를) 쓸 수 없음",
+ "fileIsDirectoryWriteError": "실제로 디렉터리인 파일 '{0}'을(를) 쓸 수 없음",
+ "fileModifiedError": "파일 수정됨",
+ "err.read": "파일 '{0}'({1})을(를) 읽을 수 없음",
+ "fileIsDirectoryReadError": "실제로 디렉터리인 파일 '{0}'을(를) 읽을 수 없음",
+ "fileNotModifiedError": "파일 수정 안 됨",
+ "fileTooLargeError": "너무 커서 열 수 없는 '{0}' 파일을 읽을 수 없습니다.",
+ "unableToMoveCopyError1": "대/소문자를 구분하지 않는 파일 시스템에서 소스 '{0}'이(가) 다른 경로 대/소문자의 대상 '{1}'과(와) 같으면 복사할 수 없습니다.",
+ "unableToMoveCopyError2": "소스 '{0}'이(가) 대상 '{1}'의 부모인 경우 이동/복사할 수 없습니다.",
+ "unableToMoveCopyError3": "대상 '{1}'이(가) 이미 목적지에 있으므로 '{0}'을(를) 이동/복사할 수 없습니다.",
+ "unableToMoveCopyError4": "파일이 포함된 폴더를 대체하므로 '{0}'을(를) '{1}'(으)로 이동/복사할 수 없습니다.",
+ "mkdirExistsError": "이미 존재하지만 디렉터리가 아닌 폴더 '{0}'을(를) 만들 수 없습니다.",
+ "deleteFailedTrashUnsupported": "공급자가 지원하지 않기 때문에 휴지통을 통해 파일 '{0}'을(를) 삭제할 수 없습니다.",
+ "deleteFailedNotFound": "존재하지 않는 파일 '{0}'을(를) 삭제할 수 없습니다.",
+ "deleteFailedNonEmptyFolder": "비어 있지 않은 폴더 '{0}'을(를) 삭제할 수 없습니다.",
+ "err.readonly": "읽기 전용 파일 '{0}'을(를) 수정할 수 없습니다."
+ },
+ "vs/platform/files/node/diskFileSystemProvider": {
+ "fileExists": "파일이 이미 있습니다.",
+ "fileNotExists": "파일이 없음",
+ "moveError": "'{0}'을 (를) '{1}'({2})(으)로 이동할 수 없습니다.",
+ "copyError": "'{0}'을(를) '{1}'({2})(으)로 복사할 수 없습니다.",
+ "fileCopyErrorPathCase": "'파일은 다른 경로 대/소문자를 가진 동일한 경로로 복사할 수 없습니다.",
+ "fileCopyErrorExists": "대상에 파일이 이미 있습니다."
+ },
+ "vs/platform/files/common/files": {
+ "unknownError": "알 수 없는 오류",
+ "sizeB": "{0}B",
+ "sizeKB": "{0}KB",
+ "sizeMB": "{0}MB",
+ "sizeGB": "{0}GB",
+ "sizeTB": "{0}TB"
+ },
+ "vs/platform/update/common/update.config.contribution": {
+ "updateConfigurationTitle": "업데이트",
+ "updateMode": "자동 업데이트를 받을지 여부를 구성합니다. 변경 후 다시 시작해야 합니다. 업데이트는 Microsoft 온라인 서비스에서 가져옵니다.",
+ "none": "업데이트를 사용하지 않도록 설정합니다.",
+ "manual": "자동 백그라운드 업데이트 확인을 사용하지 않도록 설정합니다. 업데이트를 수동으로 확인하여 진행할 수 있습니다.",
+ "start": "시작할 때만 업데이트를 확인합니다. 자동 백그라운드 업데이트 검사를 사용하지 않도록 설정합니다.",
+ "default": "자동 업데이트 확인을 사용하도록 설정합니다. Code에서 정기적으로 업데이트를 자동 확인합니다.",
+ "deprecated": "이 설정은 사용되지 않습니다. '{0}'을(를) 대신 사용하세요.",
+ "enableWindowsBackgroundUpdatesTitle": "Windows 백그라운드 업데이트를 사용하도록 설정",
+ "enableWindowsBackgroundUpdates": "새로운 VS Code 버전을 Windows 백그라운드에 다운로드 및 설치하려면 사용하도록 설정",
+ "showReleaseNotes": "업데이트 후 릴리스 노트를 표시합니다. 릴리스 노트는 Microsoft 온라인 서비스에서 가져옵니다."
+ },
+ "vs/platform/environment/node/argv": {
+ "optionsUpperCase": "옵션",
+ "extensionsManagement": "확장 관리",
+ "troubleshooting": "문제 해결",
+ "diff": "두 파일을 서로 비교합니다.",
+ "add": "마지막 활성 창에 폴더를 추가합니다.",
+ "goto": "지정된 줄과 문자 위치에 있는 경로의 파일을 엽니다.",
+ "newWindow": "새 창을 강제로 엽니다.",
+ "reuseWindow": "이미 열려 있는 창에서 파일 또는 폴더를 강제로 엽니다.",
+ "wait": "파일이 닫힐 때 까지 기다린 후 돌아갑니다.",
+ "locale": "사용할 로캘(예: en-US 또는 zh-TW)입니다.",
+ "userDataDir": "사용자 데이터가 저장되는 디렉터리를 지정합니다. Code의 여러 고유 인스턴스를 여는 데 사용할 수 있습니다.",
+ "help": "사용법을 출력합니다.",
+ "extensionHomePath": "확장의 루트 경로를 설정합니다.",
+ "listExtensions": "설치된 확장을 나열합니다.",
+ "showVersions": "#NAME?",
+ "category": "--list-extension을 사용할 경우 설치된 확장을 제공된 범주를 기준으로 필터링합니다.",
+ "installExtension": "확장을 설치하거나 업데이트합니다. 확장의 식별자는 항상 `${publisher}.${name}`입니다. 최신 버전으로 업데이트하려면 `--force` 인수를 사용합니다. 특정 버전을 설치하려면 `@${version}`을 제공합니다. 예: 'vscode.csharp@1.2.3'",
+ "uninstallExtension": "확장을 제거합니다.",
+ "experimentalApis": "확장에 대해 제안된 API 기능을 사용하도록 설정합니다. 개별적으로 사용하도록 설정할 확장 ID를 하나 이상 수신할 수 있습니다.",
+ "version": "버전을 출력합니다.",
+ "verbose": "자세한 정보 표시를 출력합니다(--wait를 의미).",
+ "log": "사용할 로그 수준이며 기본값은 'info'입니다. 허용되는 값은 'critical', 'error', 'warn', 'info', 'debug', 'trace', 'off'입니다.",
+ "status": "프로세스 사용 및 진단 정보를 인쇄합니다.",
+ "prof-startup": "시작하는 동안 CPU 프로파일러 실행",
+ "disableExtensions": "설치된 모든 확장을 사용하지 않도록 설정합니다.",
+ "disableExtension": "확장을 사용하지 않도록 설정합니다.",
+ "turn sync": "동기화 켜기 또는 끄기",
+ "inspect-extensions": "디버깅 및 확장 프로파일링을 허용합니다. 연결 URI는 개발자 도구를 확인하세요.",
+ "inspect-brk-extensions": "시작 후 일시 중시된 확장 호스트에서 디버깅 및 확장 프로파일링을 허용합니다. 연결 URI는 개발자 도구를 확인하세요.",
+ "disableGPU": "GPU 하드웨어 가속을 사용하지 않도록 설정합니다.",
+ "maxMemory": "윈도우에 대한 최대 메모리 크기 (단위 MB).",
+ "telemetry": "VS Code에서 수집하는 원격 분석 이벤트를 모두 표시합니다.",
+ "usage": "사용법",
+ "options": "옵션",
+ "paths": "경로",
+ "stdinWindows": "다른 프로그램의 출력을 읽으려면, '-'를 추가하세요. (예: 'echo Hello World | {0} -')",
+ "stdinUnix": "stdin에서 읽어오려면, '-'를 추가하세요.(예. 'ps aux | grep code | {0} -')",
+ "unknownVersion": "알 수 없는 버전",
+ "unknownCommit": "알 수 없는 커밋"
+ },
+ "vs/platform/extensionManagement/common/extensionManagement": {
+ "extensions": "확장",
+ "preferences": "기본 설정"
+ },
+ "vs/platform/extensionManagement/node/extensionManagementService": {
+ "incompatible": "VS Code '{1}'과(와) 호환되지 않으므로 확장 '{0}'을(를) 설치할 수 없습니다.",
+ "restartCode": "{0}을(를) 다시 설치하기 전에 VS Code를 다시 시작하세요.",
+ "MarketPlaceDisabled": "Marketplace를 사용할 수 없습니다.",
+ "malicious extension": "문제가 있다고 보고되었으므로 확장을 설치할 수 없습니다.",
+ "notFoundCompatibleDependency": "'{0}' 확장은 현재 버전의 VS Code(버전 {1})와 호환되지 않기 때문에 설치할 수 없습니다.",
+ "Not a Marketplace extension": "마켓플레이스 확장만 다시 설치할 수 있습니다.",
+ "removeError": "확장을 제거하는 동안 오류가 발생했습니다. {0}. 다시 시도하기 전에 VS Code를 종료하고 다시 시작하세요.",
+ "quitCode": "확장을 설치할 수 없습니다. 다시 설치하기 위해 VS Code를 종료하고 다시 시작하십시오.",
+ "exitCode": "확장을 설치할 수 없습니다. 다시 설치하기 전에 VS 코드를 종료한 후 다시 시작하십시오.",
+ "notInstalled": "'{0}' 확장이 설치되어 있지 않습니다.",
+ "singleDependentError": "'{0}' 확장을 제거할 수 없습니다. '{1}' 확장이 이 확장에 종속됩니다.",
+ "twoDependentsError": "'{0}' 확장을 제거할 수 없습니다. '{1}' 및 '{2}' 확장이 이 확장에 종속됩니다.",
+ "multipleDependentsError": "'{0}' 확장을 제거할 수 없습니다. '{1}', '{2}' 및 기타 확장이 이 확장에 종속됩니다.",
+ "singleIndirectDependentError": "'{0}' 확장을 제거할 수 없습니다. '{1}' 확장 제거를 포함하며 '{2}' 확장이 이 확장에 종속됩니다.",
+ "twoIndirectDependentsError": "'{0}' 확장을 제거할 수 없습니다. '{1}' 확장 제거를 포함하며 '{2}' 및 '{3}' 확장이 이 확장에 종속됩니다.",
+ "multipleIndirectDependentsError": "'{0}' 확장을 제거할 수 없습니다. '{1}' 확장 제거를 포함하며 '{2}', '{3}' 및 기타 확장이 이 확장에 종속됩니다.",
+ "notExists": "확장을 찾을 수 없음"
+ },
+ "vs/platform/telemetry/common/telemetryService": {
+ "telemetryConfigurationTitle": "원격 분석",
+ "telemetry.enableTelemetry": "사용자 데이터와 에러를 Microsoft 온라인 서비스로 보내는 것을 허용합니다.",
+ "telemetry.enableTelemetryMd": "사용량 현황 데이터 및 오류를 Microsoft 온라인 서비스로 보낼 수 있도록 합니다. [여기]({0})에서 개인정보처리방침을 읽어 보세요."
+ },
+ "vs/platform/extensionManagement/node/extensionManagementUtil": {
+ "invalidManifest": "잘못된 VSIX: package.json이 JSON 파일이 아닙니다."
+ },
+ "vs/platform/userDataSync/common/userDataSync": {
+ "settings sync": "설정 동기화",
+ "settingsSync.keybindingsPerPlatform": "각 플랫폼에 대해 키 바인딩을 동기화합니다.",
+ "sync.keybindingsPerPlatform.deprecated": "사용되지 않음, 대신 settingsSync.keybindingsPerPlatform 사용",
+ "settingsSync.ignoredExtensions": "동기화하는 동안 무시할 확장 목록입니다. 확장의 식별자는 항상 `${publisher}.${name}`입니다(예: `vscode.csharp`).",
+ "app.extension.identifier.errorMessage": "필요한 형식은 '${publisher}.${name}'입니다. 예: 'vscode.csharp'",
+ "sync.ignoredExtensions.deprecated": "사용되지 않음, 대신 settingsSync.ignoredExtensions 사용",
+ "settingsSync.ignoredSettings": "동기화하는 동안 무시할 설정을 구성합니다.",
+ "sync.ignoredSettings.deprecated": "사용되지 않음, 대신 settingsSync.ignoredSettings 사용"
+ },
+ "vs/platform/extensionManagement/electron-sandbox/extensionTipsService": {
+ "exeRecommended": "시스템에 {0}이(가) 설치되어 있습니다. 권장되는 확장을 설치하시겠습니까?"
+ },
+ "vs/platform/userDataSync/common/userDataSyncMachines": {
+ "error incompatible": "현재 버전이 호환되지 않아서 머신 데이터를 읽을 수 없습니다. {0}을(를) 업데이트하고 다시 시도하세요."
+ },
+ "vs/platform/userDataSync/common/userDataAutoSyncService": {
+ "default service changed": "동기화 서비스가 변경되어 동기화할 수 없습니다.",
+ "service changed": "동기화 서비스가 변경되었으므로 동기화할 수 없습니다.",
+ "turned off": "클라우드에서 동기화가 해제되어 있으므로 동기화할 수 없습니다.",
+ "session expired": "현재 세션이 만료되어 동기화할 수 없습니다.",
+ "turned off machine": "다른 머신에서 이 머신의 동기화가 꺼져 있으므로 동기화할 수 없습니다."
+ },
+ "vs/platform/workspaces/common/workspaces": {
+ "codeWorkspace": "코드 작업 영역"
+ },
+ "vs/platform/files/electron-browser/diskFileSystemProvider": {
+ "binFailed": "'{0}'을(를) 휴지통으로 이동하지 못함",
+ "trashFailed": "'{0}'을(를) 휴지통으로 이동하지 못함"
+ },
+ "vs/platform/dialogs/common/dialogs": {
+ "moreFile": "...1개의 추가 파일이 표시되지 않음",
+ "moreFiles": "...{0}개의 추가 파일이 표시되지 않음"
+ },
+ "vs/platform/theme/common/colorRegistry": {
+ "foreground": "전체 전경색입니다. 이 색은 구성 요소에서 재정의하지 않은 경우에만 사용됩니다.",
+ "errorForeground": "오류 메시지에 대한 전체 전경색입니다. 이 색은 구성 요소에서 재정의하지 않은 경우에만 사용됩니다.",
+ "descriptionForeground": "레이블과 같이 추가 정보를 제공하는 설명 텍스트의 전경색입니다.",
+ "iconForeground": "워크벤치 아이콘의 기본 색상입니다.",
+ "focusBorder": "포커스가 있는 요소의 전체 테두리 색입니다. 이 색은 구성 요소에서 재정의하지 않은 경우에만 사용됩니다.",
+ "contrastBorder": "더 뚜렷이 대비되도록 요소를 다른 요소와 구분하는 요소 주위의 추가 테두리입니다.",
+ "activeContrastBorder": "더 뚜렷이 대비되도록 요소를 다른 요소와 구분하는 활성 요소 주위의 추가 테두리입니다.",
+ "selectionBackground": "워크벤치의 텍스트 선택(예: 입력 필드 또는 텍스트 영역) 전경색입니다. 편집기 내의 선택에는 적용되지 않습니다.",
+ "textSeparatorForeground": "텍스트 구분자 색상입니다.",
+ "textLinkForeground": "텍스트 내 링크의 전경색입니다.",
+ "textLinkActiveForeground": "클릭하고 마우스가 올라간 상태의 텍스트 내 링크의 전경색입니다.",
+ "textPreformatForeground": "미리 서식이 지정된 텍스트 세그먼트의 전경색입니다.",
+ "textBlockQuoteBackground": "텍스트 내 블록 인용의 전경색입니다.",
+ "textBlockQuoteBorder": "텍스트 내 블록 인용의 테두리 색입니다.",
+ "textCodeBlockBackground": "텍스트 내 코드 블록의 전경색입니다.",
+ "widgetShadow": "편집기 내에서 찾기/바꾸기 같은 위젯의 그림자 색입니다.",
+ "inputBoxBackground": "입력 상자 배경입니다.",
+ "inputBoxForeground": "입력 상자 전경입니다.",
+ "inputBoxBorder": "입력 상자 테두리입니다.",
+ "inputBoxActiveOptionBorder": "입력 필드에서 활성화된 옵션의 테두리 색입니다.",
+ "inputOption.activeBackground": "입력 필드에서 활성화된 옵션의 배경색입니다.",
+ "inputOption.activeForeground": "입력 필드에서 활성화된 옵션의 전경색입니다.",
+ "inputPlaceholderForeground": "위치 표시자 텍스트에 대한 입력 상자 전경색입니다.",
+ "inputValidationInfoBackground": "정보 심각도의 입력 유효성 검사 배경색입니다.",
+ "inputValidationInfoForeground": "정보 심각도의 입력 유효성 검사 전경색입니다.",
+ "inputValidationInfoBorder": "정보 심각도의 입력 유효성 검사 테두리 색입니다.",
+ "inputValidationWarningBackground": "경고 심각도의 입력 유효성 검사 배경색입니다.",
+ "inputValidationWarningForeground": "경고 심각도의 입력 유효성 검사 전경색입니다.",
+ "inputValidationWarningBorder": "경고 심각도의 입력 유효성 검사 테두리 색입니다.",
+ "inputValidationErrorBackground": "오류 심각도의 입력 유효성 검사 배경색입니다.",
+ "inputValidationErrorForeground": "오류 심각도의 입력 유효성 검사 전경색입니다.",
+ "inputValidationErrorBorder": "오류 심각도의 입력 유효성 검사 테두리 색입니다.",
+ "dropdownBackground": "드롭다운 배경입니다.",
+ "dropdownListBackground": "드롭다운 목록 배경입니다.",
+ "dropdownForeground": "드롭다운 전경입니다.",
+ "dropdownBorder": "드롭다운 테두리입니다.",
+ "checkbox.background": "확인란 위젯의 배경색입니다.",
+ "checkbox.foreground": "확인란 위젯의 전경색입니다.",
+ "checkbox.border": "확인란 위젯의 테두리 색입니다.",
+ "buttonForeground": "단추 기본 전경색입니다.",
+ "buttonBackground": "단추 배경색입니다.",
+ "buttonHoverBackground": "마우스로 가리킬 때 단추 배경색입니다.",
+ "buttonSecondaryForeground": "보조 단추 전경색입니다.",
+ "buttonSecondaryBackground": "보조 단추 배경색입니다.",
+ "buttonSecondaryHoverBackground": "마우스로 가리킬 때 보조 단추 배경색입니다.",
+ "badgeBackground": "배지 배경색입니다. 배지는 검색 결과 수와 같은 소량의 정보 레이블입니다.",
+ "badgeForeground": "배지 전경색입니다. 배지는 검색 결과 수와 같은 소량의 정보 레이블입니다.",
+ "scrollbarShadow": "스크롤되는 보기를 나타내는 스크롤 막대 그림자입니다.",
+ "scrollbarSliderBackground": "스크롤 막대 슬라이버 배경색입니다.",
+ "scrollbarSliderHoverBackground": "마우스로 가리킬 때 스크롤 막대 슬라이더 배경색입니다.",
+ "scrollbarSliderActiveBackground": "클릭된 상태일 때 스크롤 막대 슬라이더 배경색입니다.",
+ "progressBarBackground": "장기 작업을 대상으로 표시될 수 있는 진행률 표시줄의 배경색입니다.",
+ "editorError.background": "편집기에서 오류 텍스트의 배경색입니다. 기본 장식을 숨기지 않도록 색은 불투명하지 않아야 합니다.",
+ "editorError.foreground": "편집기 내 오류 표시선의 전경색입니다.",
+ "errorBorder": "편집기에서 오류 상자의 테두리 색입니다.",
+ "editorWarning.background": "편집기에서 경고 텍스트의 배경색입니다. 기본 장식을 숨기지 않도록 색은 불투명하지 않아야 합니다.",
+ "editorWarning.foreground": "편집기 내 경고 표시선의 전경색입니다.",
+ "warningBorder": "편집기에서 경고 상자의 테두리 색입니다.",
+ "editorInfo.background": "편집기에서 정보 텍스트의 배경색입니다. 기본 장식을 숨기지 않도록 색은 불투명하지 않아야 합니다.",
+ "editorInfo.foreground": "편집기 내 정보 표시선의 전경색입니다.",
+ "infoBorder": "편집기에서 정보 상자의 테두리 색입니다.",
+ "editorHint.foreground": "편집기에서 힌트 표시선의 전경색입니다.",
+ "hintBorder": "편집기에서 힌트 상자의 테두리 색입니다.",
+ "sashActiveBorder": "활성 섀시의 테두리 색입니다.",
+ "editorBackground": "편집기 배경색입니다.",
+ "editorForeground": "편집기 기본 전경색입니다.",
+ "editorWidgetBackground": "찾기/바꾸기 같은 편집기 위젯의 배경색입니다.",
+ "editorWidgetForeground": "찾기/바꾸기와 같은 편집기 위젯의 전경색입니다.",
+ "editorWidgetBorder": "편집기 위젯의 테두리 색입니다. 위젯에 테두리가 있고 위젯이 색상을 무시하지 않을 때만 사용됩니다.",
+ "editorWidgetResizeBorder": "편집기 위젯 크기 조정 막대의 테두리 색입니다. 이 색은 위젯에서 크기 조정 막대를 표시하도록 선택하고 위젯에서 색을 재지정하지 않는 경우에만 사용됩니다.",
+ "pickerBackground": "빠른 선택기 배경색. 빠른 선택기 위젯은 명령 팔레트와 같은 선택기를 위한 컨테이너입니다.",
+ "pickerForeground": "빠른 선택기 전경색. 이 빠른 선택기 위젯은 명령 팔레트와 같은 선택기를 위한 컨테이너입니다.",
+ "pickerTitleBackground": "빠른 선택기 제목 배경색. 이 빠른 선택기 위젯은 명령 팔레트와 같은 선택기를 위한 컨테이너입니다.",
+ "pickerGroupForeground": "그룹화 레이블에 대한 빠른 선택기 색입니다.",
+ "pickerGroupBorder": "그룹화 테두리에 대한 빠른 선택기 색입니다.",
+ "editorSelectionBackground": "편집기 선택 영역의 색입니다.",
+ "editorSelectionForeground": "고대비를 위한 선택 텍스트의 색입니다.",
+ "editorInactiveSelection": "비활성 편집기의 선택 항목 색입니다. 기본 장식을 숨기지 않도록 색은 불투명하지 않아야 합니다.",
+ "editorSelectionHighlight": "선택 영역과 동일한 콘텐츠가 있는 영역의 색입니다. 기본 장식을 숨기지 않도록 색은 불투명하지 않아야 합니다.",
+ "editorSelectionHighlightBorder": "선택 영역과 동일한 콘텐츠가 있는 영역의 테두리 색입니다.",
+ "editorFindMatch": "현재 검색 일치 항목의 색입니다.",
+ "findMatchHighlight": "기타 검색 일치 항목의 색입니다. 기본 장식을 숨기지 않도록 색은 불투명하지 않아야 합니다.",
+ "findRangeHighlight": "검색을 제한하는 범위의 색입니다. 기본 장식을 숨기지 않도록 색은 불투명하지 않아야 합니다.",
+ "editorFindMatchBorder": "현재 검색과 일치하는 테두리 색입니다.",
+ "findMatchHighlightBorder": "다른 검색과 일치하는 테두리 색입니다.",
+ "findRangeHighlightBorder": "검색을 제한하는 범위의 테두리 색입니다. 기본 장식을 숨기지 않도록 색은 불투명하지 않아야 합니다.",
+ "searchEditor.queryMatch": "검색 편집기 쿼리의 색상이 일치합니다.",
+ "searchEditor.editorFindMatchBorder": "검색 편집기 쿼리의 테두리 색상이 일치합니다.",
+ "hoverHighlight": "호버가 표시된 단어 아래를 강조 표시합니다. 기본 장식을 숨기지 않도록 색은 불투명하지 않아야 합니다.",
+ "hoverBackground": "편집기 호버의 배경색.",
+ "hoverForeground": "편집기 호버의 전경색입니다.",
+ "hoverBorder": "편집기 호버의 테두리 색입니다.",
+ "statusBarBackground": "편집기 호버 상태 표시줄의 배경색입니다.",
+ "activeLinkForeground": "활성 링크의 색입니다.",
+ "editorLightBulbForeground": "전구 작업 아이콘에 사용되는 색상입니다.",
+ "editorLightBulbAutoFixForeground": "전구 자동 수정 작업 아이콘에 사용되는 색상입니다.",
+ "diffEditorInserted": "삽입된 텍스트의 배경색입니다. 기본 장식을 숨기지 않도록 색은 불투명하지 않아야 합니다.",
+ "diffEditorRemoved": "제거된 텍스트 배경색입니다. 기본 장식을 숨기지 않도록 색은 불투명하지 않아야 합니다.",
+ "diffEditorInsertedOutline": "삽입된 텍스트의 윤곽선 색입니다.",
+ "diffEditorRemovedOutline": "제거된 텍스트의 윤곽선 색입니다.",
+ "diffEditorBorder": "두 텍스트 편집기 사이의 테두리 색입니다.",
+ "diffDiagonalFill": "diff 편집기의 대각선 채우기 색입니다. 대각선 채우기는 diff 나란히 보기에서 사용됩니다.",
+ "listFocusBackground": "목록/트리가 활성 상태인 경우 포커스가 있는 항목의 목록/트리 배경색입니다. 목록/트리가 활성 상태이면 키보드 포커스를 가지며, 비활성 상태이면 포커스가 없습니다.",
+ "listFocusForeground": "목록/트리가 활성 상태인 경우 포커스가 있는 항목의 목록/트리 전경색입니다. 목록/트리가 활성 상태이면 키보드 포커스를 가지며, 비활성 상태이면 포커스가 없습니다.",
+ "listActiveSelectionBackground": "목록/트리가 활성 상태인 경우 선택한 항목의 목록/트리 배경색입니다. 목록/트리가 활성 상태이면 키보드 포커스를 가지며, 비활성 상태이면 포커스가 없습니다.",
+ "listActiveSelectionForeground": "목록/트리가 활성 상태인 경우 선택한 항목의 목록/트리 전경색입니다. 목록/트리가 활성 상태이면 키보드 포커스를 가지며, 비활성 상태이면 포커스가 없습니다.",
+ "listInactiveSelectionBackground": "목록/트리가 비활성 상태인 경우 선택한 항목의 목록/트리 배경색입니다. 목록/트리가 활성 상태이면 키보드 포커스를 가지며, 비활성 상태이면 포커스가 없습니다.",
+ "listInactiveSelectionForeground": "목록/트리가 비활성 상태인 경우 선택한 항목의 목록/트리 전경색입니다. 목록/트리가 활성 상태이면 키보드 포커스를 가지며, 비활성 상태이면 포커스가 없습니다.",
+ "listInactiveFocusBackground": "목록/트리가 비활성 상태인 경우 포커스가 있는 항목의 목록/트리 배경색입니다. 목록/트리가 활성 상태이면 키보드 포커스를 가지며, 비활성 상태이면 포커스가 없습니다.",
+ "listHoverBackground": "마우스로 항목을 가리킬 때 목록/트리 배경입니다.",
+ "listHoverForeground": "마우스로 항목을 가리킬 때 목록/트리 전경입니다.",
+ "listDropBackground": "마우스로 항목을 이동할 때 목록/트리 끌어서 놓기 배경입니다.",
+ "highlight": "목록/트리 내에서 검색할 때 일치 항목 강조 표시의 목록/트리 전경색입니다.",
+ "invalidItemForeground": "잘못된 항목에 대한 목록/트리 전경 색(예: 탐색기의 확인할 수 없는 루트).",
+ "listErrorForeground": "오류를 포함하는 목록 항목의 전경색입니다.",
+ "listWarningForeground": "경고를 포함하는 목록 항목의 전경색입니다.",
+ "listFilterWidgetBackground": "목록 및 트리에서 형식 필터 위젯의 배경색입니다.",
+ "listFilterWidgetOutline": "목록 및 트리에서 형식 필터 위젯의 윤곽선 색입니다.",
+ "listFilterWidgetNoMatchesOutline": "일치하는 항목이 없을 때 목록 및 트리에서 표시되는 형식 필터 위젯의 윤곽선 색입니다.",
+ "listFilterMatchHighlight": "필터링된 일치 항목의 배경색입니다.",
+ "listFilterMatchHighlightBorder": "필터링된 일치 항목의 테두리 색입니다.",
+ "treeIndentGuidesStroke": "들여쓰기 가이드의 트리 스트로크 색입니다.",
+ "listDeemphasizedForeground": "강조되지 않은 항목의 목록/트리 전경색. ",
+ "menuBorder": "메뉴 테두리 색입니다.",
+ "menuForeground": "메뉴 항목 전경색입니다.",
+ "menuBackground": "메뉴 항목 배경색입니다.",
+ "menuSelectionForeground": "메뉴의 선택된 메뉴 항목 전경색입니다.",
+ "menuSelectionBackground": "메뉴의 선택된 메뉴 항목 배경색입니다.",
+ "menuSelectionBorder": "메뉴의 선택된 메뉴 항목 테두리 색입니다.",
+ "menuSeparatorBackground": "메뉴에서 구분 기호 메뉴 항목의 색입니다.",
+ "snippetTabstopHighlightBackground": "코드 조각 탭 정지의 강조 표시 배경색입니다.",
+ "snippetTabstopHighlightBorder": "코드 조각 탭 정지의 강조 표시 테두리 색입니다.",
+ "snippetFinalTabstopHighlightBackground": "코드 조각 마지막 탭 정지의 강조 표시 배경색입니다.",
+ "snippetFinalTabstopHighlightBorder": "코드 조각 마지막 탭 정지의 강조 표시 배경색입니다.",
+ "breadcrumbsFocusForeground": "포커스가 있는 이동 경로 항목의 색입니다.",
+ "breadcrumbsBackground": "이동 경로 항목의 배경색입니다.",
+ "breadcrumbsSelectedForegound": "선택한 이동 경로 항목의 색입니다.",
+ "breadcrumbsSelectedBackground": "이동 경로 항목 선택기의 배경색입니다.",
+ "mergeCurrentHeaderBackground": "인라인 병합 충돌의 현재 헤더 배경입니다. 기본 장식을 숨기지 않도록 색은 불투명하지 않아야 합니다.",
+ "mergeCurrentContentBackground": "인라인 병합 충돌의 현재 콘텐츠 배경입니다. 기본 장식을 숨기지 않도록 색은 불투명하지 않아야 합니다.",
+ "mergeIncomingHeaderBackground": "인라인 병합 충돌의 들어오는 헤더 배경입니다. 기본 장식을 숨기지 않도록 색은 불투명하지 않아야 합니다.",
+ "mergeIncomingContentBackground": "인라인 병합 충돌의 들어오는 콘텐츠 배경입니다. 기본 장식을 숨기지 않도록 색은 불투명하지 않아야 합니다.",
+ "mergeCommonHeaderBackground": "인라인 병합 충돌의 공통 상위 헤더 배경입니다. 기본 장식을 숨기지 않도록 색은 불투명하지 않아야 합니다.",
+ "mergeCommonContentBackground": "인라인 병합 충돌의 공통 상위 콘텐츠 배경입니다. 기본 장식을 숨기지 않도록 색은 불투명하지 않아야 합니다.",
+ "mergeBorder": "인라인 병합 충돌에서 헤더 및 스플리터의 테두리 색입니다.",
+ "overviewRulerCurrentContentForeground": "인라인 병합 충돌에서 현재 개요 눈금 전경색입니다.",
+ "overviewRulerIncomingContentForeground": "인라인 병합 충돌에서 수신 개요 눈금 전경색입니다.",
+ "overviewRulerCommonContentForeground": "인라인 병합 충돌에서 공통 과거 개요 눈금 전경색입니다.",
+ "overviewRulerFindMatchForeground": "일치 항목 찾기의 개요 눈금자 표식 색입니다. 기본 장식을 숨기지 않도록 색은 불투명하지 않아야 합니다.",
+ "overviewRulerSelectionHighlightForeground": "선택 항목의 개요 눈금자 표식 색이 강조 표시됩니다. 기본 장식을 숨기지 않도록 색은 불투명하지 않아야 합니다.",
+ "minimapFindMatchHighlight": "일치하는 항목을 찾기 위한 미니맵 표식 색입니다.",
+ "minimapSelectionHighlight": "편집기 선택 작업을 위한 미니맵 마커 색입니다.",
+ "minimapError": "오류에 대한 미니맵 마커 색상입니다.",
+ "overviewRuleWarning": "경고의 미니맵 마커 색상입니다.",
+ "minimapBackground": "미니맵 배경색입니다.",
+ "minimapSliderBackground": "미니맵 슬라이더 배경색입니다.",
+ "minimapSliderHoverBackground": "마우스로 가리킬 때 미니맵 슬라이더 배경색입니다.",
+ "minimapSliderActiveBackground": "클릭했을 때 미니맵 슬라이더 배경색입니다.",
+ "problemsErrorIconForeground": "문제 오류 아이콘에 사용되는 색입니다.",
+ "problemsWarningIconForeground": "문제 경고 아이콘에 사용되는 색입니다.",
+ "problemsInfoIconForeground": "문제 정보 아이콘에 사용되는 색입니다.",
+ "chartsForeground": "차트에 사용된 전경색입니다.",
+ "chartsLines": "차트 가로줄에 사용된 색입니다.",
+ "chartsRed": "차트 시각화에 사용되는 빨간색입니다.",
+ "chartsBlue": "차트 시각화에 사용되는 파란색입니다.",
+ "chartsYellow": "차트 시각화에 사용되는 노란색입니다.",
+ "chartsOrange": "차트 시각화에 사용되는 주황색입니다.",
+ "chartsGreen": "차트 시각화에 사용되는 녹색입니다.",
+ "chartsPurple": "차트 시각화에 사용되는 자주색입니다."
+ },
+ "vs/platform/configuration/common/configurationRegistry": {
+ "defaultLanguageConfigurationOverrides.title": "기본 언어 구성 재정의",
+ "defaultLanguageConfiguration.description": "{0}에서 재정의할 설정을 구성합니다.",
+ "overrideSettings.defaultDescription": "언어에 대해 재정의할 편집기 설정을 구성합니다.",
+ "overrideSettings.errorMessage": "이 설정은 언어별 구성을 지원하지 않습니다.",
+ "config.property.empty": "빈 속성을 등록할 수 없음",
+ "config.property.languageDefault": "'{0}'을(를) 등록할 수 없습니다. 이는 언어별 편집기 설정을 설명하는 속성 패턴인 '\\\\[.*\\\\]$'과(와) 일치합니다. 'configurationDefaults' 기여를 사용하세요.",
+ "config.property.duplicate": "'{0}'을(를) 등록할 수 없습니다. 이 속성은 이미 등록되어 있습니다."
+ },
+ "vs/platform/markers/common/markers": {
+ "sev.error": "오류",
+ "sev.warning": "경고",
+ "sev.info": "정보"
+ },
+ "vs/platform/windows/electron-main/windowsMainService": {
+ "pathNotExistTitle": "경로가 없습니다.",
+ "pathNotExistDetail": "'{0}' 경로가 디스크에 더 이상 없는 것 같습니다.",
+ "uriInvalidTitle": "URI를 열 수 없습니다.",
+ "uriInvalidDetail": "URI '{0}'이(가) 유효한 것으로 확인되지 않아 열 수 없습니다.",
+ "ok": "확인"
+ },
+ "vs/platform/issue/electron-main/issueMainService": {
+ "local": "LOCAL",
+ "issueReporterWriteToClipboard": "GitHub에 직접 보낼 데이터가 너무 많으므로 데이터가 클립보드에 복사됩니다. 열려 있는 GitHub 문제 페이지에 해당 데이터를 붙여넣으세요.",
+ "ok": "확인",
+ "cancel": "취소",
+ "confirmCloseIssueReporter": "입력이 저장되지 않습니다. 이 창을 닫으시겠습니까?",
+ "yes": "예",
+ "issueReporter": "문제 보고자",
+ "processExplorer": "프로세스 탐색기"
+ },
+ "vs/platform/workspaces/electron-main/workspacesHistoryMainService": {
+ "newWindow": "새 창",
+ "newWindowDesc": "새 창을 엽니다.",
+ "recentFolders": "최근 작업 영역",
+ "folderDesc": "{0} {1}",
+ "workspaceDesc": "{0} {1}",
+ "untitledWorkspace": "제목 없음(작업 영역)",
+ "workspaceName": "{0}(작업 영역)"
+ },
+ "vs/platform/workspaces/electron-main/workspacesMainService": {
+ "ok": "확인",
+ "workspaceOpenedMessage": "'{0}' 작업 영역을 저장할 수 없음",
+ "workspaceOpenedDetail": "작업 영역이 이미 다른 창에 열렸습니다. 먼저 해당 창을 닫은 후 다시 시도하세요."
+ },
+ "vs/platform/dialogs/electron-main/dialogs": {
+ "open": "열기",
+ "openFolder": "폴더 열기",
+ "openFile": "파일 열기",
+ "openWorkspaceTitle": "작업 영역 열기",
+ "openWorkspace": "열기(&&O)"
+ },
+ "vs/platform/files/common/io": {
+ "fileTooLargeForHeapError": "이 크기의 파일을 열려면 다시 시작하여 더 많은 메모리를 사용하도록 허용해야 합니다",
+ "fileTooLargeError": "파일이 너무 커서 열 수 없음"
+ },
+ "vs/platform/extensions/common/extensionValidator": {
+ "versionSyntax": "`engines.vscode` 값 {0}을(를) 구문 분석할 수 없습니다. ^1.22.0, ^1.22.x 등을 사용하세요.",
+ "versionSpecificity1": "`engines.vscode`({0})에 지정된 버전이 명확하지 않습니다. vscode 버전이 1.0.0 이전이면 최소한 원하는 주 버전과 부 버전을 정의하세요( 예: ^0.10.0, 0.10.x, 0.11.0 등).",
+ "versionSpecificity2": "`engines.vscode`({0})에 지정된 버전이 명확하지 않습니다. vscode 버전이 1.0.0 이후이면 최소한 원하는 주 버전을 정의하세요(예: ^1.10.0, 1.10.x, 1.x.x, 2.x.x 등).",
+ "versionMismatch": "확장이 Code {0}과(와) 호환되지 않습니다. 확장에 {1}이(가) 필요합니다."
+ },
+ "vs/platform/extensionManagement/node/extensionsScanner": {
+ "errorDeleting": "'{1}' 확장을 설치하는 동안 기존 '{0}' 폴더를 삭제할 수 없습니다. 폴더를 수동으로 삭제하고 다시 시도하세요.",
+ "cannot read": "{0}에서 확장을 읽을 수 없음",
+ "renameError": "이름을 {0}에서 {1}(으)로 변경하는 중 알 수 없는 오류 발생",
+ "invalidManifest": "잘못된 확장: package.json이 JSON 파일이 아닙니다."
+ },
+ "vs/platform/userDataSync/common/keybindingsSync": {
+ "errorInvalidSettings": "파일의 내용이 잘못되어 키 바인딩을 동기화할 수 없습니다. 파일을 열어 수정하세요."
+ },
+ "vs/platform/userDataSync/common/settingsSync": {
+ "errorInvalidSettings": "설정 파일에 오류/경고가 있으므로 설정을 동기화할 수 없습니다."
+ },
+ "vs/platform/list/browser/listService": {
+ "workbenchConfigurationTitle": "워크벤치",
+ "multiSelectModifier.ctrlCmd": "Windows와 Linux의 'Control'을 macOS의 'Command'로 매핑합니다.",
+ "multiSelectModifier.alt": "Windows와 Linux의 'Alt'를 macOS의 'Option'으로 매핑합니다.",
+ "multiSelectModifier": "마우스로 트리와 목록의 항목을 다중 선택에 추가할 때 사용할 한정자입니다(예를 들어 탐색기에서 편집기와 SCM 보기를 여는 경우). '옆에서 열기' 마우스 제스처(지원되는 경우)는 다중 선택 한정자와 충돌하지 않도록 조정됩니다.",
+ "openModeModifier": "트리와 목록에서 마우스를 사용하여 항목을 여는 방법을 제어합니다(지원되는 경우). 트리에서 자식 항목이 있는 부모 항목의 경우 이 설정은 부모 항목을 한 번 클릭으로 확장할지 또는 두 번 클릭으로 확장할지 여부를 제어합니다. 일부 트리와 목록에서는 이 설정을 적용할 수 없는 경우 무시하도록 선택할 수 있습니다. ",
+ "horizontalScrolling setting": "워크벤치에서 목록 및 트리의 가로 스크롤 여부를 제어합니다. 경고: 이 설정을 켜면 성능에 영향을 미칩니다.",
+ "tree indent setting": "트리 들여쓰기를 픽셀 단위로 제어합니다.",
+ "render tree indent guides": "트리에서 들여쓰기 가이드를 렌더링할지 여부를 제어합니다.",
+ "list smoothScrolling setting": "목록과 트리에 부드러운 화면 이동 기능이 있는지를 제어합니다.",
+ "keyboardNavigationSettingKey.simple": "간단한 키보드 탐색에서는 키보드 입력과 일치하는 요소에 집중합니다. 일치는 접두사에서만 수행됩니다.",
+ "keyboardNavigationSettingKey.highlight": "키보드 탐색 강조 표시에서는 키보드 입력과 일치하는 요소를 강조 표시합니다. 이후로 탐색에서 위 및 아래로 이동하는 경우 강조 표시된 요소만 트래버스합니다.",
+ "keyboardNavigationSettingKey.filter": "키보드 탐색 필터링에서는 키보드 입력과 일치하지 않는 요소를 모두 필터링하여 숨깁니다.",
+ "keyboardNavigationSettingKey": "워크벤치의 목록 및 트리 키보드 탐색 스타일을 제어합니다. 간소화하고, 강조 표시하고, 필터링할 수 있습니다.",
+ "automatic keyboard navigation setting": "목록 및 트리에서 키보드 탐색이 입력만으로 자동 트리거되는지 여부를 제어합니다. 'false'로 설정하면 'list.toggleKeyboardNavigation' 명령을 실행할 때만 키보드 탐색이 트리거되어 바로 가기 키를 할당할 수 있습니다.",
+ "expand mode": "폴더 이름을 클릭할 때 트리 폴더가 확장되는 방식을 제어합니다."
+ },
+ "vs/platform/undoRedo/common/undoRedoService": {
+ "externalRemoval": "{0} 파일이 닫히고 디스크에서 수정되었습니다.",
+ "noParallelUniverses": "{0} 파일은 호환되지 않는 방식으로 수정되었습니다.",
+ "cannotWorkspaceUndo": "모든 파일에서 '{0}'을(를) 실행 취소할 수 없습니다. {1}",
+ "cannotWorkspaceUndoDueToChanges": "{1}에 변경 내용이 적용되었으므로 모든 파일에서 '{0}'을(를) 실행 취소할 수 없습니다.",
+ "cannotWorkspaceUndoDueToInProgressUndoRedo": "{1}에서 실행 취소 또는 다시 실행 작업이 이미 실행 중이므로 모든 파일에서 '{0}'을(를) 실행 취소할 수 없습니다.",
+ "cannotWorkspaceUndoDueToInMeantimeUndoRedo": "그동안 실행 취소 또는 다시 실행 작업이 발생했기 때문에 모든 파일에서 '{0}'을(를) 실행 취소할 수 없습니다.",
+ "confirmWorkspace": "모든 파일에서 '{0}'을(를) 실행 취소하시겠습니까?",
+ "ok": "{0}개 파일에서 실행 취소",
+ "nok": "이 파일 실행 취소",
+ "cancel": "취소",
+ "cannotResourceUndoDueToInProgressUndoRedo": "실행 취소 또는 다시 실행 작업이 이미 실행 중이므로 '{0}'을(를) 실행 취소할 수 없습니다.",
+ "confirmDifferentSource": "'{0}'을(를) 실행 취소하시겠습니까?",
+ "confirmDifferentSource.ok": "실행 취소",
+ "cannotWorkspaceRedo": "모든 파일에서 '{0}'을(를) 다시 실행할 수 없습니다. {1}",
+ "cannotWorkspaceRedoDueToChanges": "{1}에 변경 내용이 적용되었으므로 모든 파일에서 '{0}'을(를) 다시 실행할 수 없습니다.",
+ "cannotWorkspaceRedoDueToInProgressUndoRedo": "{1}에서 실행 취소 또는 다시 실행 작업이 이미 실행 중이므로 모든 파일에서 '{0}'을(를) 다시 실행할 수 없습니다.",
+ "cannotWorkspaceRedoDueToInMeantimeUndoRedo": "그동안 실행 취소 또는 다시 실행 작업이 발생했기 때문에 모든 파일에서 '{0}'을(를) 다시 실행할 수 없습니다.",
+ "cannotResourceRedoDueToInProgressUndoRedo": "실행 취소 또는 다시 실행 작업이 이미 실행 중이므로 '{0}'을(를) 다시 실행할 수 없습니다."
+ },
+ "vs/platform/actions/browser/menuEntryActionViewItem": {
+ "titleAndKb": "{0}({1})"
+ },
+ "vs/platform/theme/common/iconRegistry": {
+ "iconDefintion.fontId": "사용할 글꼴의 ID입니다. 설정하지 않으면 첫 번째로 정의한 글꼴이 사용됩니다.",
+ "iconDefintion.fontCharacter": "아이콘 정의와 연결된 글꼴 문자입니다.",
+ "widgetClose": "위젯에서 닫기 작업의 아이콘입니다.",
+ "previousChangeIcon": "이전 편집기 위치로 이동 아이콘입니다.",
+ "nextChangeIcon": "다음 편집기 위치로 이동 아이콘입니다."
+ },
+ "vs/platform/menubar/electron-main/menubar": {
+ "miNewWindow": "새 창(&&W)",
+ "mFile": "파일(&&F)",
+ "mEdit": "편집(&&E)",
+ "mSelection": "선택 영역(&&S)",
+ "mView": "보기(&&V)",
+ "mGoto": "이동(&&G)",
+ "mRun": "실행(&&R)",
+ "mTerminal": "터미널(&&T)",
+ "mWindow": "창",
+ "mHelp": "도움말(&&H)",
+ "mAbout": "{0} 정보",
+ "miPreferences": "기본 설정(&&P)",
+ "mServices": "서비스",
+ "mHide": "{0} 숨기기",
+ "mHideOthers": "기타 숨기기",
+ "mShowAll": "모두 표시",
+ "miQuit": "{0} 종료",
+ "mMinimize": "최소화",
+ "mZoom": "확대/축소",
+ "mBringToFront": "모두 맨 앞으로 가져오기",
+ "miSwitchWindow": "창 전환(&&W)...",
+ "mNewTab": "새 탭",
+ "mShowPreviousTab": "이전 탭 표시",
+ "mShowNextTab": "다음 탭 표시",
+ "mMoveTabToNewWindow": "새 창으로 탭 이동",
+ "mMergeAllWindows": "모든 창 병합",
+ "miCheckForUpdates": "업데이트 확인(&&U)...",
+ "miCheckingForUpdates": "업데이트를 확인하는 중...",
+ "miDownloadUpdate": "사용할 수 있는 업데이트 다운로드(&&O)",
+ "miDownloadingUpdate": "업데이트를 다운로드하는 중...",
+ "miInstallUpdate": "업데이트 설치(&&U)...",
+ "miInstallingUpdate": "업데이트를 설치하는 중...",
+ "miRestartToUpdate": "다시 시작 및 업데이트(&&U)"
+ },
+ "vs/platform/userDataSync/common/abstractSynchronizer": {
+ "incompatible": "로컬 버전 {1}이(가) 원격 버전 {2}과(와) 호환되지 않아서 {0}을(를) 동기화할 수 없습니다.",
+ "incompatible sync data": "현재 버전과 호환되지 않아 동기화 데이터를 구문 분석할 수 없습니다."
+ },
+ "vs/platform/keybinding/common/abstractKeybindingService": {
+ "first.chord": "({0})을(를) 눌렀습니다. 둘째 키는 잠시 기다렸다가 누르십시오...",
+ "missing.chord": "키 조합({0}, {1})은 명령이 아닙니다."
+ },
+ "vs/platform/quickinput/browser/helpQuickAccess": {
+ "globalCommands": "전역 명령",
+ "editorCommands": "편집기 명령",
+ "helpPickAriaLabel": "{0}, {1}"
+ },
+ "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": "글꼴 스타일을 굵게 설정하거나 설정을 해제합니다. 'fontStyle'이 있으면 이 설정을 재정의합니다.",
+ "schema.token.italic": "글꼴 스타일을 기울임꼴로 설정하거나 설정을 해제합니다. 'fontStyle'이 있으면 이 설정을 재정의합니다.",
+ "schema.token.underline": "글꼴 스타일을 밑줄로 설정하거나 설정을 해제합니다. 'fontStyle'이 있으면 이 설정을 재정의합니다.",
+ "comment": "주석의 스타일입니다.",
+ "string": "문자열의 스타일입니다.",
+ "keyword": "키워드의 스타일입니다.",
+ "number": "숫자의 스타일입니다.",
+ "regexp": "식의 스타일입니다.",
+ "operator": "연산자의 스타일입니다.",
+ "namespace": "네임스페이스의 스타일입니다.",
+ "type": "형식의 스타일입니다.",
+ "struct": "구조체의 스타일입니다.",
+ "class": "클래스의 스타일입니다.",
+ "interface": "인터페이스의 스타일입니다.",
+ "enum": "열거형의 스타일입니다.",
+ "typeParameter": "형식 매개 변수에 대한 스타일입니다.",
+ "function": "함수의 스타일",
+ "member": "멤버 함수의 스타일",
+ "method": "메서드의 스타일(멤버 함수)",
+ "macro": "매크로의 스타일입니다.",
+ "variable": "변수의 스타일입니다.",
+ "parameter": "매개 변수의 스타일입니다.",
+ "property": "속성의 스타일입니다.",
+ "enumMember": "열거형 멤버에 대한 스타일입니다.",
+ "event": "이벤트의 스타일입니다.",
+ "labels": "레이블의 스타일입니다. ",
+ "declaration": "모든 기호 선언의 스타일입니다.",
+ "documentation": "문서의 참조에 사용할 스타일입니다.",
+ "static": "정적 기호에 사용할 수 있는 스타일입니다.",
+ "abstract": "추상식 기호에 사용할 스타일입니다.",
+ "deprecated": "사용되지 않는 기호에 사용할 스타일입니다.",
+ "modification": "쓰기 액세스에 사용할 스타일입니다.",
+ "async": "비동기 기호에 사용할 스타일입니다.",
+ "readonly": "읽기 전용 기호에 사용할 스타일입니다."
+ },
+ "vs/platform/quickinput/browser/commandsQuickAccess": {
+ "commandPickAriaLabelWithKeybinding": "{0}, {1}",
+ "recentlyUsed": "최근에 사용한 항목",
+ "morecCommands": "기타 명령",
+ "canNotRun": "명령 '{0}'에서 오류({1})가 발생했습니다."
+ },
+ "win32/i18n/Default": {
+ "SetupAppTitle": "설치",
+ "SetupWindowTitle": "설치 - %1",
+ "UninstallAppTitle": "제거",
+ "UninstallAppFullTitle": "%1 제거",
+ "InformationTitle": "정보",
+ "ConfirmTitle": "확인",
+ "ErrorTitle": "오류",
+ "SetupLdrStartupMessage": "그러면 %1이(가) 설치됩니다. 계속하시겠습니까?",
+ "LdrCannotCreateTemp": "임시 파일을 만들 수 없습니다. 설치 프로그램이 중단되었습니다.",
+ "LdrCannotExecTemp": "임시 디렉터리에서 파일을 실행할 수 없습니다. 설치 프로그램이 중단되었습니다.",
+ "LastErrorMessage": "%1.%n%n오류 %2: %3",
+ "SetupFileMissing": "파일 %1이(가) 설치 디렉터리에서 누락되었습니다. 문제를 해결하거나 프로그램을 새로 받으세요.",
+ "SetupFileCorrupt": "설치 파일이 손상되었습니다. 프로그램을 새로 받으세요.",
+ "SetupFileCorruptOrWrongVer": "설치 파일이 손상되었거나 이 버전의 설치 프로그램과 호환되지 않습니다. 문제를 해결하거나 프로그램을 새로 받으세요.",
+ "InvalidParameter": "명령줄에 잘못된 매개 변수가 전달됨:%n%n%1",
+ "SetupAlreadyRunning": "설치 프로그램이 이미 실행 중입니다.",
+ "WindowsVersionNotSupported": "이 프로그램은 컴퓨터에서 실행 중인 버전의 Windows를 지원하지 않습니다.",
+ "WindowsServicePackRequired": "이 프로그램을 설치하려면 %1 서비스 팩 %2 이상이 필요합니다.",
+ "NotOnThisPlatform": "이 프로그램은 %1에서 실행되지 않습니다.",
+ "OnlyOnThisPlatform": "이 프로그램은 %1에서 실행해야 합니다.",
+ "OnlyOnTheseArchitectures": "이 프로그램은 프로세서 아키텍처 %n%n%1용으로 설계된 Windows 버전에서만 설치할 수 있습니다.",
+ "MissingWOW64APIs": "실행 중인 Windows 버전에는 설치 프로그램에서 64비트를 설치하는 데 필요한 기능이 없습니다. 이 문제를 해결하려면 서비스 팩 %1을(를) 설치하세요.",
+ "WinVersionTooLowError": "이 프로그램을 설치하려면 %1 버전 %2 이상이 필요합니다.",
+ "WinVersionTooHighError": "이 프로그램은 %1 버전 %2 이상에서는 설치할 수 없습니다.",
+ "AdminPrivilegesRequired": "이 프로그램을 설치할 때는 관리자로 로그인해야 합니다.",
+ "PowerUserPrivilegesRequired": "이 프로그램을 설치할 때는 관리자나 고급 사용자 그룹의 구성원으로 로그인해야 합니다.",
+ "SetupAppRunningError": "설치 프로그램에서 %1이(가) 현재 실행 중임을 감지했습니다.%n%n이 항목의 모든 인스턴스를 지금 닫고 계속하려면 [확인]을, 종료하려면 [취소]를 클릭하세요.",
+ "UninstallAppRunningError": "제거 작업에서 %1이(가) 현재 실행 중임을 감지했습니다.%n%n이 항목의 모든 인스턴스를 지금 닫고 계속하려면 [확인]을, 종료하려면 [취소]를 클릭하세요.",
+ "ErrorCreatingDir": "설치 프로그램에서 디렉터리 \"%1\"을(를) 만들 수 없습니다.",
+ "ErrorTooManyFilesInDir": "디렉터리 \"%1\"에 파일이 너무 많으므로 이 디렉터리에 파일을 만들 수 없습니다.",
+ "ExitSetupTitle": "설치 종료",
+ "ExitSetupMessage": "설치가 완료되지 않았습니다. 지금 종료하면 프로그램이 설치되지 않습니다.%n%n나중에 설치 프로그램을 다시 실행하여 설치를 끝낼 수 있습니다.%n%n설치 프로그램을 종료하시겠습니까?",
+ "AboutSetupMenuItem": "설치 프로그램 정보(&A)...",
+ "AboutSetupTitle": "설치 프로그램 정보",
+ "AboutSetupMessage": "%1 버전 %2%n%3%n%n%1 홈페이지:%n%4",
+ "ButtonBack": "< 뒤로(&B)",
+ "ButtonNext": "다음(&N) >",
+ "ButtonInstall": "설치(&I)",
+ "ButtonOK": "확인",
+ "ButtonCancel": "취소",
+ "ButtonYes": "예(&Y)",
+ "ButtonYesToAll": "모두 예(&A)",
+ "ButtonNo": "아니요(&N)",
+ "ButtonNoToAll": "모두 아니요(&O)",
+ "ButtonFinish": "마침(&F)",
+ "ButtonBrowse": "찾아보기(&B)...",
+ "ButtonWizardBrowse": "찾아보기(&R)...",
+ "ButtonNewFolder": "새 폴더 만들기(&M)",
+ "SelectLanguageTitle": "설치 언어 선택",
+ "SelectLanguageLabel": "설치 중에 사용할 언어를 선택하세요:",
+ "ClickNext": "계속하려면 [다음]을 클릭하고 설치 프로그램을 종료하려면 [취소]를 클릭하세요.",
+ "BrowseDialogTitle": "폴더 찾아보기",
+ "BrowseDialogLabel": "아래 목록에서 폴더를 선택한 다음 [확인]을 클릭하세요.",
+ "NewFolderName": "새 폴더",
+ "WelcomeLabel1": "[name] 설치 마법사 시작",
+ "WelcomeLabel2": "이 마법사는 컴퓨터에 [name/ver]을(를) 설치합니다.%n%n계속하기 전에 다른 모든 애플리케이션을 닫는 것이 좋습니다.",
+ "WizardPassword": "암호",
+ "PasswordLabel1": "이 설치는 암호로 보호되고 있습니다.",
+ "PasswordLabel3": "계속하려면 암호를 입력한 다음 [다음]을 클릭하세요. 암호는 대소문자를 구분합니다.",
+ "PasswordEditLabel": "암호(&P):",
+ "IncorrectPassword": "입력한 암호가 잘못되었습니다. 다시 시도하세요.",
+ "WizardLicense": "사용권 계약",
+ "LicenseLabel": "계속 진행하기 전에 다음 중요한 정보를 읽으세요.",
+ "LicenseLabel3": "다음 사용권 계약을 읽어 주세요. 설치를 계속하려면 먼저 이 계약 조건에 동의해야 합니다.",
+ "LicenseAccepted": "계약에 동의함(&A)",
+ "LicenseNotAccepted": "계약에 동의 안 함(&D)",
+ "WizardInfoBefore": "정보",
+ "InfoBeforeLabel": "계속 진행하기 전에 다음 중요한 정보를 읽으세요.",
+ "InfoBeforeClickLabel": "설치를 계속할 준비가 되면 [다음]을 클릭하세요.",
+ "WizardInfoAfter": "정보",
+ "InfoAfterLabel": "계속 진행하기 전에 다음 중요한 정보를 읽으세요.",
+ "InfoAfterClickLabel": "설치를 계속할 준비가 되면 [다음]을 클릭하세요.",
+ "WizardUserInfo": "사용자 정보",
+ "UserInfoDesc": "정보를 입력하세요.",
+ "UserInfoName": "사용자 이름(&U):",
+ "UserInfoOrg": "조직(&O):",
+ "UserInfoSerial": "일련 번호(&S):",
+ "UserInfoNameRequired": "이름을 입력해야 합니다.",
+ "WizardSelectDir": "대상 위치 선택",
+ "SelectDirDesc": "[name]을(를) 어디에 설치하시겠습니까?",
+ "SelectDirLabel3": "설치 프로그램에서 [name]을(를) 다음 폴더에 설치합니다.",
+ "SelectDirBrowseLabel": "계속하려면 [다음]을 클릭하세요. 다른 폴더를 선택하려면 [찾아보기]를 클릭하세요.",
+ "DiskSpaceMBLabel": "적어도 [mb]MB의 여유 디스크 공간이 필요합니다.",
+ "CannotInstallToNetworkDrive": "설치 프로그램은 네트워크 드라이브에 설치할 수 없습니다.",
+ "CannotInstallToUNCPath": "설치 프로그램은 UNC 경로에 설치할 수 없습니다.",
+ "InvalidPath": "드라이브 문자와 함께 전체 경로를 입력해야 합니다. 예:%n%nC:\\APP%n%n또는 다음 형태의 UNC 경로:%n%n\\\\server\\share",
+ "InvalidDrive": "선택한 드라이브나 UNC 공유가 없거나 이 두 항목에 액세스할 수 없습니다. 다른 드라이브나 UNC 공유를 선택하세요.",
+ "DiskSpaceWarningTitle": "디스크 공간 부족",
+ "DiskSpaceWarning": "설치 프로그램을 설치하려면 여유 설치 공간이 적어도 %1KB가 필요하지만 선택한 드라이브의 가용 공간은 %2KB밖에 없습니다.%n%n그래도 계속하시겠습니까?",
+ "DirNameTooLong": "폴더 이름 또는 경로가 너무 깁니다.",
+ "InvalidDirName": "폴더 이름이 잘못되었습니다.",
+ "BadDirName32": "폴더 이름에는 %n%n%1 문자를 사용할 수 없습니다.",
+ "DirExistsTitle": "폴더 있음",
+ "DirExists": "폴더 %n%n%1%n%n이(가) 이미 있습니다. 그래도 해당 폴더에 설치하시겠습니까?",
+ "DirDoesntExistTitle": "폴더 없음",
+ "DirDoesntExist": "폴더 %n%n%1%n%n이(가) 없습니다. 폴더를 만드시겠습니까?",
+ "WizardSelectComponents": "구성 요소 선택",
+ "SelectComponentsDesc": "어떤 구성 요소를 설치하시겠습니까?",
+ "SelectComponentsLabel2": "설치할 구성 요소는 선택하고 설치하지 않을 구성 요소는 지우세요. 계속 진행할 준비가 되면 [다음]을 클릭하세요.",
+ "FullInstallation": "전체 설치",
+ "CompactInstallation": "Compact 설치",
+ "CustomInstallation": "사용자 지정 설치",
+ "NoUninstallWarningTitle": "구성 요소가 있음",
+ "NoUninstallWarning": "설치 프로그램에서 구성 요소 %n%n%1%n%n이(가) 컴퓨터에 이미 설치되어 있음을 감지했습니다. 이러한 구성 요소는 선택 취소해도 제거되지 않습니다.%n%n그래도 계속하시겠습니까?",
+ "ComponentSize1": "%1KB",
+ "ComponentSize2": "%1MB",
+ "ComponentsDiskSpaceMBLabel": "현재 선택을 위해서는 적어도 [mb]MB의 디스크 공간이 필요합니다.",
+ "WizardSelectTasks": "추가 작업 선택",
+ "SelectTasksDesc": "어떤 작업을 추가로 수행하시겠습니까?",
+ "SelectTasksLabel2": "설치 프로그램에서 [name]을(를) 설치하는 동안 수행할 추가 작업을 선택한 후 [다음]을 클릭하세요.",
+ "WizardSelectProgramGroup": "시작 메뉴 폴더 선택",
+ "SelectStartMenuFolderDesc": "설치 프로그램에서 프로그램의 바로 가기를 어디에 만들도록 하시겠습니까?",
+ "SelectStartMenuFolderLabel3": "설치 프로그램에서 프로그램의 바로 가기를 다음 시작 메뉴 폴더에 만듭니다.",
+ "SelectStartMenuFolderBrowseLabel": "계속하려면 [다음]을 클릭하세요. 다른 폴더를 선택하려면 [찾아보기]를 클릭하세요.",
+ "MustEnterGroupName": "폴더 이름을 입력해야 합니다.",
+ "GroupNameTooLong": "폴더 이름 또는 경로가 너무 깁니다.",
+ "InvalidGroupName": "폴더 이름이 잘못되었습니다.",
+ "BadGroupName": "폴더 이름에는 %n%n%1 문자를 사용할 수 없습니다.",
+ "NoProgramGroupCheck2": "시작 메뉴 폴더를 만들지 않음(&D)",
+ "WizardReady": "설치 준비됨",
+ "ReadyLabel1": "이제 설치 프로그램이 컴퓨터에 [name] 설치를 시작할 준비가 되었습니다.",
+ "ReadyLabel2a": "설치를 계속하려면 [설치]를 클릭하고, 설정을 검토하거나 변경하려면 [뒤로]를 클릭하세요.",
+ "ReadyLabel2b": "설치를 계속하려면 [설치]를 클릭하세요.",
+ "ReadyMemoUserInfo": "사용자 정보:",
+ "ReadyMemoDir": "대상 위치:",
+ "ReadyMemoType": "설치 유형:",
+ "ReadyMemoComponents": "선택한 구성 요소:",
+ "ReadyMemoGroup": "시작 메뉴 폴더:",
+ "ReadyMemoTasks": "추가 작업:",
+ "WizardPreparing": "설치 준비 중",
+ "PreparingDesc": "설치 프로그램에서 컴퓨터에 [name] 설치를 준비하고 있습니다.",
+ "PreviousInstallNotCompleted": "이전 프로그램의 설치/제거 작업이 완료되지 않았습니다. 해당 설치를 완료하려면 컴퓨터를 다시 시작해야 합니다.%n%n컴퓨터를 다시 시작한 후 [name] 설치를 완료하려면 설치 프로그램을 다시 실행하세요.",
+ "CannotContinue": "설치 프로그램을 계속할 수 없습니다. 종료하려면 [취소]를 클릭하세요.",
+ "ApplicationsFound": "설치 프로그램에서 업데이트해야 하는 파일이 다음 애플리케이션에 사용되고 있습니다. 설치 프로그램에서 이러한 애플리케이션을 자동으로 닫도록 허용하는 것이 좋습니다.",
+ "ApplicationsFound2": "설치 프로그램에서 업데이트해야 하는 파일이 다음 애플리케이션에 사용되고 있습니다. 설치 프로그램에서 이러한 애플리케이션을 자동으로 닫도록 허용하는 것이 좋습니다. 설치가 완료되면 설치 프로그램에서 애플리케이션을 다시 시작하려고 시도합니다.",
+ "CloseApplications": "애플리케이션 자동 닫기(&A)",
+ "DontCloseApplications": "애플리케이션을 닫지 않음(&D)",
+ "ErrorCloseApplications": "설치 프로그램에서 일부 애플리케이션을 자동으로 닫을 수 없습니다. 계속하기 전에 설치 프로그램에서 업데이트해야 하는 파일을 사용하는 애플리케이션을 모두 닫는 것이 좋습니다.",
+ "WizardInstalling": "설치 중",
+ "InstallingLabel": "설치 프로그램에서 컴퓨터에 [name]을(를) 설치하는 동안 기다려 주세요.",
+ "FinishedHeadingLabel": "[name] 설정 마법사를 완료하는 중",
+ "FinishedLabelNoIcons": "설치 프로그램에서 컴퓨터에 [name]을(를) 설치했습니다.",
+ "FinishedLabel": "설치 프로그램에서 컴퓨터에 [name]을(를) 설치했습니다. 설치한 아이콘을 선택하여 해당 애플리케이션을 시작할 수 있습니다.",
+ "ClickFinish": "설치를 끝내려면 [\\[]마침[\\]]을 클릭하십시오.",
+ "FinishedRestartLabel": "[name] 설치를 완료하려면 설치 프로그램에서 컴퓨터를 다시 시작해야 합니다. 지금 다시 시작하시겠습니까?",
+ "FinishedRestartMessage": "[name] 설치를 완료하려면 설치 프로그램에서 컴퓨터를 다시 시작해야 합니다.%n%n지금 다시 시작하시겠습니까?",
+ "ShowReadmeCheck": "예, README 파일을 보겠습니다.",
+ "YesRadio": "예, 컴퓨터를 지금 다시 시작하겠습니다(&Y).",
+ "NoRadio": "아니요, 컴퓨터를 나중에 다시 시작하겠습니다(&N).",
+ "RunEntryExec": "%1 실행",
+ "RunEntryShellExec": "%1 보기",
+ "ChangeDiskTitle": "설치 프로그램에서 다음 디스크가 필요함",
+ "SelectDiskLabel2": "디스크 %1을(를) 삽입한 다음 [확인]을 클릭하세요.%n%n이 디스크의 파일이 아래 표시된 폴더가 아닌 다른 폴더에 있으면 올바른 경로를 입력하거나 [찾아보기]를 클릭하세요.",
+ "PathLabel": "경로(&P):",
+ "FileNotInDir2": "%2\"에서 파일 \"%1\"을(를) 찾을 수 없습니다. 올바른 디스크를 삽입하거나 다른 폴더를 선택하세요.",
+ "SelectDirectoryLabel": "다음 디스크의 위치를 지정하세요.",
+ "SetupAborted": "설치를 완료하지 못했습니다.%n%n문제를 해결한 다음 설치 프로그램을 다시 실행하세요.",
+ "EntryAbortRetryIgnore": "다시 시도하려면 [다시 시도]를, 그래도 계속하려면 [무시]를, 설치를 취소하려면 [중단]을 클릭하세요.",
+ "StatusClosingApplications": "애플리케이션을 닫는 중...",
+ "StatusCreateDirs": "디렉터리를 만드는 중...",
+ "StatusExtractFiles": "파일을 추출하는 중...",
+ "StatusCreateIcons": "바로 가기를 만드는 중...",
+ "StatusCreateIniEntries": "INI 항목을 만드는 중...",
+ "StatusCreateRegistryEntries": "레지스트리 항목을 만드는 중...",
+ "StatusRegisterFiles": "파일을 등록하는 중...",
+ "StatusSavingUninstall": "제거 정보를 저장하는 중...",
+ "StatusRunProgram": "설치를 완료하는 중...",
+ "StatusRestartingApplications": "애플리케이션을 다시 시작하는 중...",
+ "StatusRollback": "변경 사항을 롤백하는 중...",
+ "ErrorInternal2": "내부 오류: %1",
+ "ErrorFunctionFailedNoCode": "%1 실패",
+ "ErrorFunctionFailed": "%1 실패, 코드 %2",
+ "ErrorFunctionFailedWithMessage": "%1 실패, 코드 %2.%n%3",
+ "ErrorExecutingProgram": "파일을 실행할 수 없음:%n%1",
+ "ErrorRegOpenKey": "레지스트리 키를 여는 중 오류 발생:%n%1\\%2",
+ "ErrorRegCreateKey": "레지스트리 키를 만드는 중 오류 발생:%n%1\\%2",
+ "ErrorRegWriteKey": "레지스트리 키에 기록하는 중 오류 발생:%n%1\\%2",
+ "ErrorIniEntry": "파일 \"%1\"에 INI 항목을 만드는 중에 오류가 발생했습니다.",
+ "FileAbortRetryIgnore": "다시 시도하려면 [다시 시도]를, 이 파일을 건너뛰려면 [무시](권장되지 않음)를, 설치를 취소하려면 [중단]을 클릭하세요.",
+ "FileAbortRetryIgnore2": "다시 시도하려면 [다시 시도]를, 그래도 계속하려면 [무시](권장되지 않음)를, 설치를 취소하려면 [중단]을 클릭하세요.",
+ "SourceIsCorrupted": "원본 파일이 손상되었습니다.",
+ "SourceDoesntExist": "원본 파일 \"%1\"이(가) 없습니다.",
+ "ExistingFileReadOnly": "기존 파일이 읽기 전용으로 표시되어 있습니다.%n%n읽기 전용 특성을 제거하고 다시 시도하려면 [다시 시도]를, 이 파일을 건너뛰려면 [무시]를, 설치를 취소하려면 [중단]을 클릭하세요.",
+ "ErrorReadingExistingDest": "기존 파일을 읽는 중 오류 발생:",
+ "FileExists": "해당 파일이 이미 있습니다.%n%n설치 프로그램에서 이 파일을 덮어쓰도록 하시겠습니까?",
+ "ExistingFileNewer": "기존 파일이 설치 프로그램에서 설치하려는 파일보다 최신입니다. 기존 파일을 유지할 것을 권장합니다.%n%n기존 파일을 유지하시겠습니까?",
+ "ErrorChangingAttr": "기존 파일의 특성을 변경하는 중 오류 발생:",
+ "ErrorCreatingTemp": "대상 디렉터리에 파일을 만드는 중 오류 발생:",
+ "ErrorReadingSource": "원본 파일을 읽는 중 오류 발생:",
+ "ErrorCopying": "파일을 복사하는 중 오류 발생:",
+ "ErrorReplacingExistingFile": "기존 파일을 바꾸는 중 오류 발생:",
+ "ErrorRestartReplace": "RestartReplace 실패:",
+ "ErrorRenamingTemp": "대상 디렉터리에 있는 파일 이름을 바꾸는 중 오류 발생:",
+ "ErrorRegisterServer": "DLL/OCX를 등록할 수 없음: %1",
+ "ErrorRegSvr32Failed": "종료 코드 %1과(와) 함께 RegSvr32 실패",
+ "ErrorRegisterTypeLib": "형식 라이브러리를 등록할 수 없음: %1",
+ "ErrorOpeningReadme": "README 파일을 여는 중에 오류가 발생했습니다.",
+ "ErrorRestartingComputer": "설치 프로그램에서 컴퓨터를 다시 시작할 수 없습니다. 수동으로 진행하세요.",
+ "UninstallNotFound": "파일 \"%1\"이(가) 없습니다. 제거할 수 없습니다.",
+ "UninstallOpenError": "파일 \"%1\"을(를) 열 수 없습니다. 제거할 수 없습니다.",
+ "UninstallUnsupportedVer": "제거 로그 파일 \"%1\"이(가) 이 버전의 제거 프로그램에서 인식하지 못하는 형식입니다. 제거할 수 없습니다.",
+ "UninstallUnknownEntry": "제거 로그에서 알 수 없는 항목(%1)이 발견되었습니다.",
+ "ConfirmUninstall": "%1을(를) 완전히 제거하시겠습니까? 확장 및 설정은 제거되지 않습니다.",
+ "UninstallOnlyOnWin64": "이 설치는 64비트 Windows에서만 제거할 수 있습니다.",
+ "OnlyAdminCanUninstall": "이 설치는 관리자 권한이 있는 사용자만 제거할 수 있습니다.",
+ "UninstallStatusLabel": "컴퓨터에서 %1을(를) 제거하는 동안 기다려 주세요.",
+ "UninstalledAll": "컴퓨터에서 %1을(를) 제거했습니다.",
+ "UninstalledMost": "%1 제거가 완료되었습니다.%n%n일부 요소는 제거할 수 없습니다. 이러한 항목은 수동으로 제거할 수 있습니다.",
+ "UninstalledAndNeedsRestart": "%1 제거를 완료하려면 컴퓨터를 다시 시작해야 합니다.%n%n지금 다시 시작하시겠습니까?",
+ "UninstallDataCorrupted": "\"%1\" 파일이 손상되었습니다. 제거할 수 없습니다.",
+ "ConfirmDeleteSharedFileTitle": "공유 파일을 제거하시겠습니까?",
+ "ConfirmDeleteSharedFile2": "시스템에서는 이제 다음 공유 파일을 사용하는 프로그램이 없는 것으로 표시됩니다. 제거 작업을 통해 이 공유 파일을 제거하시겠습니까?%n%n아직 이 파일을 사용하는 프로그램이 있는데 이 파일을 제거하면 해당 프로그램이 올바르게 작동하지 않을 수 있습니다. 잘 모르는 경우 [아니요]를 선택하세요. 시스템에 파일을 그대로 두어도 아무런 문제가 발생하지 않습니다.",
+ "SharedFileNameLabel": "파일 이름:",
+ "SharedFileLocationLabel": "위치:",
+ "WizardUninstalling": "제거 상태",
+ "StatusUninstalling": "%1을(를) 제거하는 중...",
+ "ShutdownBlockReasonInstallingApp": "%1을(를) 설치하는 중입니다.",
+ "ShutdownBlockReasonUninstallingApp": "%1을(를) 제거하는 중입니다.",
+ "NameAndVersion": "%1 버전 %2",
+ "AdditionalIcons": "추가 아이콘:",
+ "CreateDesktopIcon": "바탕 화면 아이콘 만들기(&D)",
+ "CreateQuickLaunchIcon": "빠른 실행 아이콘 만들기(&Q)",
+ "ProgramOnTheWeb": "%1 웹 정보",
+ "UninstallProgram": "%1 제거",
+ "LaunchProgram": "%1 시작",
+ "AssocFileExtension": "%1을(를) %2 파일 확장명과 연결(&A)",
+ "AssocingFileExtension": "%1을(를) %2 파일 확장명과 연결 중...",
+ "AutoStartProgramGroupDescription": "시작:",
+ "AutoStartProgram": "%1 자동 시작",
+ "AddonHostProgramNotFound": "선택한 폴더에서 %1을(를) 찾을 수 없습니다.%n%n그래도 계속하시겠습니까?"
+ },
+ "win32/i18n/messages": {
+ "FinishedLabel": "설치 프로그램에서 컴퓨터에 [name]을(를) 설치했습니다. 설치한 바로 가기를 선택하여 해당 애플리케이션을 시작할 수 있습니다.",
+ "ConfirmUninstall": "%1 및 해당 구성 요소를 모두 제거하시겠습니까?",
+ "AdditionalIcons": "추가 아이콘:",
+ "CreateDesktopIcon": "바탕 화면 아이콘 만들기(&D)",
+ "CreateQuickLaunchIcon": "빠른 실행 아이콘 만들기(&Q)",
+ "AddContextMenuFiles": "\"%1(으)로 열기\" 작업을 Windows 탐색기 파일의 상황에 맞는 메뉴에 추가",
+ "AddContextMenuFolders": "\"%1(으)로 열기\" 작업을 Windows 탐색기 디렉터리의 상황에 맞는 메뉴에 추가",
+ "AssociateWithFiles": "%1을(를) 지원되는 파일 형식에 대한 편집기로 등록합니다.",
+ "AddToPath": "PATH에 추가(셸을 다시 시작해야 함)",
+ "RunAfter": "설치 후 %1 실행",
+ "Other": "기타:",
+ "SourceFile": "%1 원본 파일",
+ "OpenWithCodeContextMenu": "%1(으)로 열기(&I)"
+ },
+ "vs/code/electron-main/main": {
+ "secondInstanceAdmin": "{0}의 두 번째 인스턴스가 이미 관리자 권한으로 실행되고 있습니다.",
+ "secondInstanceAdminDetail": "다른 인스턴스를 닫고 다시 시도하세요.",
+ "secondInstanceNoResponse": "{0}의 다른 인스턴스가 실행 중이지만 응답하지 않음",
+ "secondInstanceNoResponseDetail": "다른 인스턴스를 모두 닫고 다시 시도하세요.",
+ "startupDataDirError": "프로그램 사용자 데이터를 쓸 수 없습니다.",
+ "startupUserDataAndExtensionsDirErrorDetail": "다음 디렉터리가 쓰기 가능한지 확인하세요.\r\n\r\n{0}",
+ "close": "닫기(&&C)"
+ },
+ "vs/code/node/cliProcessMain": {
+ "notFound": "'{0}' 확장을 찾을 수 없습니다.",
+ "notInstalled": "'{0}' 확장이 설치되어 있지 않습니다.",
+ "useId": "게시자를 포함하여 전체 확장 ID를 사용하세요(예: {0}).",
+ "installingExtensions": "확장 설치 중...",
+ "alreadyInstalled-checkAndUpdate": "확장 '{0}' v{1}이(가) 이미 설치되어 있습니다. '--force' 옵션을 사용하여 최신 버전으로 업데이트하거나 '@'을 제공하여 특정 버전을 설치합니다. 예: '{2}@1.2.3'",
+ "alreadyInstalled": "'{0}' 확장이 이미 설치되어 있습니다.",
+ "installation failed": "확장 설치 실패: {0}",
+ "successVsixInstall": "'{0}' 확장이 설치되었습니다.",
+ "cancelVsixInstall": "'{0}' 확장 설치를 취소했습니다.",
+ "updateMessage": "'{0}' 확장을 버전 {1}(으)로 업데이트하는 중",
+ "installing builtin ": "기본 제공 확장 '{0}' v{1}을(를) 설치하는 중...",
+ "installing": "'{0}' v{1} 확장을 설치하는 중...",
+ "successInstall": "'{0}' v{1} 확장이 설치되었습니다.",
+ "cancelInstall": "'{0}' 확장 설치를 취소했습니다.",
+ "forceDowngrade": "'{0}' v{1} 확장의 최신 버전이 이미 설치되어 있습니다. '--force' 옵션을 사용하여 이전 버전으로 다운그레이드하세요.",
+ "builtin": "'{0}' 확장은 기본 제공 확장이므로 설치할 수 없습니다.",
+ "forceUninstall": "사용자가 '{0}' 확장을 기본 제공 확장으로 표시했습니다. 제거하려면 '--force' 옵션을 사용하세요.",
+ "uninstalling": "{0} 제거 중...",
+ "successUninstall": "'{0}' 확장이 성공적으로 제거되었습니다!"
+ },
+ "vs/code/electron-sandbox/issue/issueReporterMain": {
+ "hide": "숨기기",
+ "show": "표시",
+ "previewOnGitHub": "GitHub에서 미리 보기",
+ "loadingData": "데이터 로드 중...",
+ "rateLimited": "GitHub 쿼리 제한이 초과되었습니다. 기다려 주세요.",
+ "similarIssues": "유사한 문제",
+ "open": "열기",
+ "closed": "종료됨",
+ "noSimilarIssues": "검색된 유사한 문제 없음",
+ "bugReporter": "버그 보고",
+ "featureRequest": "기능 요청",
+ "performanceIssue": "성능 문제",
+ "selectSource": "소스 선택",
+ "vscode": "Visual Studio Code",
+ "extension": "확장",
+ "unknown": "알 수 없음",
+ "stepsToReproduce": "재현할 단계",
+ "bugDescription": "문제를 안정적으로 재현시킬 수 있는 방법을 공유해주세요. 실제 결과와 예상 결과를 포함하세요. GitHub 버전의 Markdown을 지원합니다. GitHub에서 미리 볼 때 문제를 편집하고 스크린샷을 추가할 수 있습니다.",
+ "performanceIssueDesciption": "이 성능 문제가 언제 발생합니까? 시작할 때 발생합니까? 특정 작업을 진행한 이후에 발생합니까? GitHub 버전의 Markdown을 지원합니다. GitHub에서 미리 볼 때 문제를 편집하고 스크린샷을 추가할 수 있습니다.",
+ "description": "설명",
+ "featureRequestDescription": "보고 싶어하는 기능을 설명해주세요. GitHub 버전의 Markdown을 지원합니다. GitHub에서 미리 볼 때 문제를 편집하고 스크린샷을 추가할 수 있습니다.",
+ "pasteData": "너무 커서 보낼 수 없었기 때문에 필요한 데이터를 클립보드에 썼습니다. 붙여 넣으세요.",
+ "disabledExtensions": "확장을 사용할 수 없음",
+ "noCurrentExperiments": "현재 실험이 없습니다."
+ },
+ "vs/code/electron-sandbox/processExplorer/processExplorerMain": {
+ "cpu": "CPU %",
+ "memory": "메모리(MB)",
+ "pid": "PID",
+ "name": "이름",
+ "killProcess": "프로세스 종료",
+ "forceKillProcess": "프로세스 강제 종료",
+ "copy": "복사",
+ "copyAll": "모두 복사",
+ "debug": "디버그"
+ },
+ "vs/code/electron-main/app": {
+ "trace.message": "추적을 만들었습니다.",
+ "trace.detail": "문제를 만들고 다음 파일을 수동으로 첨부하세요.\r\n{0}",
+ "trace.ok": "확인",
+ "open": "예(&&Y)",
+ "cancel": "아니요(&&N)",
+ "confirmOpenMessage": "외부 애플리케이션에서 {1}의 '{0}'을(를) 열려고 합니다. 이 파일 또는 폴더를 여시겠습니까?",
+ "confirmOpenDetail": "이 요청을 시작하지 않은 경우 시스템에 대한 공격 시도를 나타낼 수 있습니다. 이 요청을 시작하는 명시적 조치를 수행하지 않은 경우에는 '아니요'를 눌러야 합니다."
+ },
+ "vs/code/electron-sandbox/issue/issueReporterPage": {
+ "completeInEnglish": "양식을 영어로 작성해 주세요.",
+ "issueTypeLabel": "이것은",
+ "issueSourceLabel": "제출 대상",
+ "issueSourceEmptyValidation": "문제 소스는 필수입니다.",
+ "disableExtensionsLabelText": "{0} 후 문제를 재현해 보세요. 확장이 활성 상태인 경우에만 문제가 재현되면 확장과 관련된 문제일 수 있습니다.",
+ "disableExtensions": "모든 확장을 사용하지 않도록 설정하고 창 다시 로드",
+ "chooseExtension": "확장",
+ "extensionWithNonstandardBugsUrl": "이슈 보고자는 이 확장에 대한 이슈를 만들 수 없습니다. 이슈를 보고하려면 {0}을(를) 방문하세요.",
+ "extensionWithNoBugsUrl": "이슈 보고자는 이슈 보고를 위한 URL이 지정되지 않았으므로 이 확장에 대한 이슈를 만들 수 없습니다. 이 확장의 Marketplace 페이지를 확인하여 다른 지침을 사용할 수 있는지 확인하세요.",
+ "issueTitleLabel": "제목",
+ "issueTitleRequired": "제목을 입력하세요.",
+ "titleEmptyValidation": "제목은 필수입니다.",
+ "titleLengthValidation": "제목이 너무 깁니다.",
+ "details": "세부 정보를 입력하세요.",
+ "descriptionEmptyValidation": "설명은 필수입니다.",
+ "sendSystemInfo": "내 시스템 정보 포함({0})",
+ "show": "표시",
+ "sendProcessInfo": "현재 실행 중인 프로세스 포함({0})",
+ "sendWorkspaceInfo": "내 작업 영역 메타데이터 포함({0})",
+ "sendExtensions": "사용하도록 설정된 확장 포함({0})",
+ "sendExperiments": "A/B 실험 정보 포함({0})"
+ },
+ "vs/code/electron-main/auth": {
+ "authRequire": "프록시 인증 필요",
+ "proxyauth": "프록시 {0}에 인증이 필요합니다."
+ },
+ "vs/code/electron-main/window": {
+ "reopen": "다시 열기(&&R)",
+ "wait": "계속 대기(&&K)",
+ "close": "닫기(&&C)",
+ "appStalled": "창이 더 이상 응답하지 않습니다.",
+ "appStalledDetail": "창을 다시 열거나, 닫거나, 계속 기다릴 수 있습니다.",
+ "appCrashedDetails": "창에 크래시가 발생함(이유: '{0}')",
+ "appCrashed": "창이 충돌했습니다.",
+ "appCrashedDetail": "불편을 드려서 죄송합니다. 창을 다시 열면 중단된 위치에서 계속할 수 있습니다.",
+ "hiddenMenuBar": " 키를 눌러 메뉴 모음에 계속 액세스할 수 있습니다."
+ },
+ "vs/workbench/electron-browser/actions/developerActions": {
+ "toggleSharedProcess": "공유 프로세스 설정/해제"
+ },
+ "vs/workbench/electron-sandbox/desktop.contribution": {
+ "newTab": "새 창 탭",
+ "showPreviousTab": "이전 창 탭 표시",
+ "showNextWindowTab": "다음 창 탭 표시",
+ "moveWindowTabToNewWindow": "창 탭을 새 창으로 이동",
+ "mergeAllWindowTabs": "모든 창 병합",
+ "toggleWindowTabsBar": "창 탭 모음 설정/해제",
+ "preferences": "기본 설정",
+ "miCloseWindow": "창 닫기(&&E)",
+ "miExit": "끝내기(&&X)",
+ "miZoomIn": "확대(&&Z)",
+ "miZoomOut": "축소(&&Z)",
+ "miZoomReset": "확대/축소 다시 설정(&&R)",
+ "miReportIssue": "문제 보고(&&I)",
+ "miToggleDevTools": "개발자 도구 설정/해제(&&T)",
+ "miOpenProcessExplorerer": "프로세스 탐색기 열기(&&P)",
+ "windowConfigurationTitle": "창",
+ "window.openWithoutArgumentsInNewWindow.on": "빈 창을 새로 엽니다.",
+ "window.openWithoutArgumentsInNewWindow.off": "실행 중인 마지막 활성 인스턴스에 포커스가 생깁니다.",
+ "openWithoutArgumentsInNewWindow": "인수 없이 두 번째 인스턴스를 시작할 때 새로운 빈 창을 열지 또는 실행 중인 마지막 인스턴스에 포커스가 생기는지 여부를 제어합니다.\r\n이 설정이 무시되는 경우도 있을 수 있습니다(예: '--new-window' 또는 '--reuse-window' 명령줄 옵션을 사용할 경우).",
+ "window.reopenFolders.preserve": "항상 모든 창을 다시 엽니다. 폴더 또는 작업 영역이 열려 있는 경우(예: 명령줄에서) 이전에 열리지 않은 한 새 창으로 엽니다. 파일이 열려 있는 경우 파일이 복원된 창 중 하나에서 열립니다.",
+ "window.reopenFolders.all": "폴더, 작업 영역 또는 파일이 열려 있지 않은 한(예: 명령줄에서) 모든 창을 다시 엽니다.",
+ "window.reopenFolders.folders": "폴더, 작업 영역 또는 파일이 열려 있지 않은 한(예: 명령줄에서) 열린 폴더 또는 작업 영역이 있는 모든 창을 다시 엽니다.",
+ "window.reopenFolders.one": "폴더, 작업 영역 또는 파일이 열려 있지 않은 한(예: 명령줄에서) 마지막 활성 창을 다시 엽니다.",
+ "window.reopenFolders.none": "창을 다시 열지 않습니다. 폴더 또는 작업 영역이 열려 있지 않은 한(예: 명령줄에서) 빈 창이 표시됩니다.",
+ "restoreWindows": "처음 시작한 후 창이 다시 열리는 방식을 제어합니다. 이 설정은 애플리케이션이 이미 실행 중인 경우에는 아무런 영향을 주지 않습니다.",
+ "restoreFullscreen": "창이 전체 화면 모드에서 종료된 경우 창을 전체 화면 모드로 복원할지 여부를 제어합니다.",
+ "zoomLevel": "창의 확대/축소 수준을 조정합니다. 원래 크기는 0이고 각 상한 증분(예: 1) 또는 하한 증분(예: -1)은 20% 더 크거나 더 작게 확대/축소하는 것을 나타냅니다. 10진수를 입력하여 확대/축소 수준을 세부적으로 조정할 수도 있습니다.",
+ "window.newWindowDimensions.default": "화면 가운데에서 새 창을 엽니다.",
+ "window.newWindowDimensions.inherit": "마지막 활성 창과 동일한 크기로 새 창을 엽니다.",
+ "window.newWindowDimensions.offset": "오프셋 위치에 있는 마지막 활성 창과 차원이 같은 새 창을 엽니다.",
+ "window.newWindowDimensions.maximized": "최대화된 새 창을 엽니다.",
+ "window.newWindowDimensions.fullscreen": "전체 화면 모드에서 새 창을 엽니다.",
+ "newWindowDimensions": "하나 이상의 창이 이미 열려 있을 때 새 창을 여는 크기를 제어합니다. 이 설정은 여는 첫 번째 창에는 적용되지 않습니다. 첫 번째 창의 경우 항상 창을 닫기 전의 크기와 위치가 복원됩니다.",
+ "closeWhenEmpty": "마지막 편집기를 닫을 때 창도 닫을지 여부를 제어합니다. 이 설정은 폴더를 표시하지 않는 창에만 적용됩니다.",
+ "window.doubleClickIconToClose": "사용하도록 설정하는 경우 제목 표시줄에서 애플리케이션 아이콘을 두 번 클릭하면 창을 닫으며 해당 창은 아이콘을 사용하여 끌어올 수 없습니다. 이 설정은 `#window.titleBarStyle#`이 `custom`으로 설정된 경우에만 영향을 줍니다.",
+ "titleBarStyle": "창 제목 표시줄의 모양을 조정합니다. Linux와 Windows에서 이 설정은 애플리케이션 및 상황에 맞는 메뉴 모양에도 영향을 미칩니다. 변경 내용을 적용하려면 전체 다시 시작해야 합니다.",
+ "dialogStyle": "대화 상자 창의 모양을 조정합니다.",
+ "window.nativeTabs": "macOS Sierra 창 탭을 사용하도록 설정합니다. 변경 내용을 적용하려면 전체 다시 시작해야 하고, 기본 탭에서 사용자 지정 제목 표시줄 스타일(구성된 경우)을 비활성화합니다.",
+ "window.nativeFullScreen": "macOS에서 기본 전체 화면을 사용할지 여부를 제어합니다. macOS에서 전체 화면으로 전환할 때 새로운 공간을 만들지 않게 하려면 이 옵션을 사용하지 않도록 설정하세요.",
+ "window.clickThroughInactive": "사용하도록 설정한 경우 비활성 창을 클릭하면 창도 활성화되고 클릭 가능한 경우 마우스 아래의 요소도 트리거됩니다. 사용하지 않도록 설정한 경우 비활성 창에서 아무곳이나 클릭하면 창만 활성화되며 요소는 또 한번 클릭해야 합니다.",
+ "window.enableExperimentalProxyLoginDialog": "프록시 인증에 대해 새 로그인 대화 상자를 사용하도록 설정합니다. 적용하려면 다시 시작해야 합니다.",
+ "telemetryConfigurationTitle": "원격 분석",
+ "telemetry.enableCrashReporting": "크래시 보고서를 Microsoft 온라인 서비스에 전송할 수 있도록 설정합니다. \r\n이 옵션을 적용하려면 다시 시작해야 합니다.",
+ "keyboardConfigurationTitle": "키보드",
+ "touchbar.enabled": "사용 가능한 경우 키보드의 macOS Touch Bar 단추를 사용하도록 설정합니다.",
+ "touchbar.ignored": "표시되지 않아야 하는 터치바에 있는 항목의 식별자 집합입니다(예: 'workbench.action.navigateBack').",
+ "argv.locale": "사용할 표시 언어입니다. 다른 언어를 선택하려면 연결된 언어 팩을 설치해야 합니다.",
+ "argv.disableHardwareAcceleration": "하드웨어 가속을 사용하지 않도록 설정합니다. 그래픽 문제가 발생한 경우에만 이 옵션을 변경하세요.",
+ "argv.disableColorCorrectRendering": "색 프로필 선택과 관련된 문제를 해결합니다. 그래픽 문제가 발생한 경우에만 이 옵션을 변경하세요.",
+ "argv.forceColorProfile": "사용할 색 프로필을 재정의할 수 있습니다. 색이 잘못 표시되면 색 프로필을 'srgb'로 설정하고 다시 시작해 보세요.",
+ "argv.enableCrashReporter": "크래시 보고를 사용하지 않도록 설정하고, 값이 변경되는 경우 앱을 다시 시작해야 합니다.",
+ "argv.crashReporterId": "이 앱 인스턴스에서 보낸 크래시 보고서와 상관 관계에 사용되는 고유 ID입니다.",
+ "argv.enebleProposedApi": "확장 ID 목록에 대해 제안된 API를 사용합니다(예: `vscode.git`). 제안된 API는 불안정하며 언제든지 경고 없이 중단될 수 있습니다. 확장 개발 및 테스트 용도로만 설정해야 합니다.",
+ "argv.force-renderer-accessibility": "강제로 렌더러에 액세스할 수 있도록 합니다. Linux에서 화면 읽기 프로그램을 사용하는 경우에만 변경할 수 있습니다. 다른 플랫폼에서는 렌더러에 자동으로 액세스할 수 있습니다. 이 플래그는 editor.accessibilitySupport: on인 경우 자동으로 설정됩니다."
+ },
+ "vs/workbench/common/actions": {
+ "view": "보기",
+ "help": "도움말",
+ "developer": "개발자"
+ },
+ "vs/workbench/browser/workbench": {
+ "loaderErrorNative": "필요한 파일을 로드하지 못했습니다. 애플리케이션을 다시 시작하여 다시 시도하세요. 세부 정보: {0}"
+ },
+ "vs/workbench/electron-sandbox/window": {
+ "learnMode": "자세한 정보",
+ "shellEnvSlowWarning": "셸 환경을 확인하는 데 시간이 오래 걸리고 있습니다. 셸 구성을 검토하세요.",
+ "shellEnvTimeoutError": "적절한 시간 내에 셸 환경을 해결할 수 없습니다. 셸 구성을 확인하세요.",
+ "proxyAuthRequired": "프록시 인증 필요",
+ "loginButton": "로그인(&&L)",
+ "cancelButton": "취소(&&C)",
+ "username": "사용자 이름",
+ "password": "암호",
+ "proxyDetail": "{0} 프록시에는 사용자 이름과 암호가 필요합니다.",
+ "rememberCredentials": "내 자격 증명 기억",
+ "runningAsRoot": "{0}을(를) 루트 사용자로 실행하지 않는 것이 좋습니다.",
+ "mPreferences": "기본 설정"
+ },
+ "vs/workbench/common/theme": {
+ "tabActiveBackground": "활성 탭 배경색입니다. 탭은 편집기 영역에서 편집기의 컨테이너입니다. 한 편집기 그룹에서 여러 탭을 열 수 있습니다. 여러 편집기 그룹이 있을 수 있습니다.",
+ "tabUnfocusedActiveBackground": "포커스가 없는 그룹의 활성 탭 배경색입니다. 탭은 편집기 영역에서 편집기의 컨테이너입니다. 한 편집기 그룹에서 여러 탭을 열 수 있습니다. 여러 편집기 그룹이 있을 수 있습니다.",
+ "tabInactiveBackground": "비활성 탭 배경색입니다. 탭은 편집기 영역에서 편집기의 컨테이너입니다. 한 편집기 그룹에서 여러 탭을 열 수 있습니다. 여러 편집기 그룹이 있을 수 있습니다.",
+ "tabUnfocusedInactiveBackground": "포커스가 없는 그룹의 비활성 탭 배경색입니다. 탭은 편집기 영역의 편집기 컨테이너입니다. 하나의 편집기 그룹에서 여러 탭을 열 수 있습니다. 편집기 그룹이 여러 개 있을 수 있습니다.",
+ "tabActiveForeground": "활성 그룹의 활성 탭 전경색입니다. 탭은 편집기 영역에서 편집기의 컨테이너입니다. 한 편집기 그룹에서 여러 탭을 열 수 있습니다. 여러 편집기 그룹이 있을 수 있습니다.",
+ "tabInactiveForeground": "활성 그룹의 비활성 탭 전경색입니다. 탭은 편집기 영역에서 편집기의 컨테이너입니다. 한 편집기 그룹에서 여러 탭을 열 수 있습니다. 여러 편집기 그룹이 있을 수 있습니다.",
+ "tabUnfocusedActiveForeground": "포커스가 없는 그룹의 활성 탭 전경색입니다. 탭은 편집기 영역에서 편집기의 컨테이너입니다. 한 편집기 그룹에서 여러 탭을 열 수 있습니다. 여러 편집기 그룹이 있을 수 있습니다.",
+ "tabUnfocusedInactiveForeground": "포커스가 없는 그룹의 비활성 탭 전경색입니다. 탭은 편집기 영역에서 편집기의 컨테이너입니다. 한 편집기 그룹에서 여러 탭을 열 수 있습니다. 여러 편집기 그룹이 있을 수 있습니다.",
+ "tabHoverBackground": "마우스 커서를 올려놓았을 때의 탭 배경색. 탭은 편집기 영역에서 편집기의 컨테이너입니다. 한 편집기 그룹에서 여러 탭을 열 수 있습니다. 편집기 그룹이 여러 개일 수 있습니다.",
+ "tabUnfocusedHoverBackground": "마우스 커서를 올려놓았을 때 포커스를 받지 못한 탭 배경색. 탭은 편집기 영역에서 편집기의 컨테이너입니다. 한 편집기 그룹에서 여러 탭을 열 수 있습니다. 편집기 그룹이 여러 개일 수 있습니다.",
+ "tabHoverForeground": "마우스로 가리킬 때의 탭 전경색입니다. 탭은 편집기 영역의 편집기 컨테이너입니다. 하나의 편집기 그룹에서 여러 탭을 열 수 있습니다. 편집기 그룹이 여러 개 있을 수 있습니다.",
+ "tabUnfocusedHoverForeground": "마우스로 가리킬 때 포커스가 없는 그룹의 탭 전경색입니다. 탭은 편집기 영역의 편집기 컨테이너입니다. 하나의 편집기 그룹에서 여러 탭을 열 수 있습니다. 편집기 그룹이 여러 개 있을 수 있습니다.",
+ "tabBorder": "탭을 서로 구분하기 위한 테두리입니다. 탭은 편집기 영역에서 편집기의 컨테이너입니다. 한 편집기 그룹에 여러 탭을 열 수 있습니다. 여러 편집기 그룹이 있을 수 있습니다.",
+ "lastPinnedTabBorder": "고정된 탭을 다른 탭과 구분하기 위한 테두리입니다. 탭은 편집기 영역에서 편집기의 컨테이너입니다. 한 편집기 그룹에서 여러 탭을 열 수 있습니다. 여러 편집기 그룹이 있을 수 있습니다.",
+ "tabActiveBorder": "활성 탭 맨 아래의 테두리입니다. 탭은 편집기 영역에서 편집기의 컨테이너입니다. 한 편집기 그룹에 여러 탭을 열 수 있습니다. 여러 편집기 그룹이 있을 수 있습니다.",
+ "tabActiveUnfocusedBorder": "포커스가 없는 그룹에서 활성 탭 맨 아래의 테두리입니다. 탭은 편집기 영역에서 편집기의 컨테이너입니다. 한 편집기 그룹에 여러 탭을 열 수 있습니다. 여러 편집기 그룹이 있을 수 있습니다.",
+ "tabActiveBorderTop": "활성 탭 맨 위의 위한 테두리입니다. 탭은 편집기 영역에서 편집기의 컨테이너입니다. 한 편집기 그룹에 여러 탭을 열 수 있습니다. 여러 편집기 그룹이 있을 수 있습니다.",
+ "tabActiveUnfocusedBorderTop": "포커스가 없는 그룹에서 활성 탭 맨 위의 테두리입니다. 탭은 편집기 영역에서 편집기의 컨테이너입니다. 한 편집기 그룹에 여러 탭을 열 수 있습니다. 여러 편집기 그룹이 있을 수 있습니다.",
+ "tabHoverBorder": "마우스 커서를 올려놓았을 때 활성 탭의 테두리. 탭은 편집기 영역에서 편집기의 컨테이너입니다. 한 편집기 그룹에서 여러 탭을 열 수 있습니다. 편집기 그룹이 여러 개일 수 있습니다.",
+ "tabUnfocusedHoverBorder": "마우스 커서를 올려놓았을 때 포커스를 받지 못한 그룹에서 활성 탭 테두리. 탭은 편집기 영역에서 편집기의 컨테이너입니다. 한 편집기 그룹에서 여러 탭을 열 수 있습니다. 편집기 그룹이 여러 개일 수 있습니다.",
+ "tabActiveModifiedBorder": "활성 그룹에서 수정된(더티) 활성 탭 맨 위의 테두리입니다. 탭은 편집기 영역에서 편집기의 컨테이너입니다. 한 편집기 그룹에 여러 탭을 열 수 있습니다. 여러 편집기 그룹이 있을 수 있습니다.",
+ "tabInactiveModifiedBorder": "활성 그룹에서 수정된(더티) 비활성 탭 맨 위의 테두리입니다. 탭은 편집기 영역에서 편집기의 컨테이너입니다. 한 편집기 그룹에 여러 탭을 열 수 있습니다. 여러 편집기 그룹이 있을 수 있습니다.",
+ "unfocusedActiveModifiedBorder": "포커스가 없는 그룹에서 수정된(더티) 활성 탭 맨 위의 테두리입니다. 탭은 편집기 영역에서 편집기의 컨테이너입니다. 한 편집기 그룹에 여러 탭을 열 수 있습니다. 여러 편집기 그룹이 있을 수 있습니다.",
+ "unfocusedINactiveModifiedBorder": "포커스가 없는 그룹에서 수정된(더티) 비활성 탭 맨 위의 테두리입니다. 탭은 편집기 영역에서 편집기의 컨테이너입니다. 한 편집기 그룹에 여러 탭을 열 수 있습니다. 여러 편집기 그룹이 있을 수 있습니다.",
+ "editorPaneBackground": "가운데 맞춤 편집기 레이아웃의 왼쪽과 오른쪽에 표시되는 편집기 창의 배경색입니다.",
+ "editorGroupBackground": "편집기 그룹의 사용되지 않는 배경색입니다.",
+ "deprecatedEditorGroupBackground": "사용되지 않음: 그리드 편집기 레이아웃을 도입하면 편집기 그룹의 배경색이 더 이상 지원되지 않습니다. editorGroup.emptyBackground를 사용하여 빈 편집기 그룹의 배경색을 설정할 수 있습니다.",
+ "editorGroupEmptyBackground": "빈 편집기 그룹의 배경색입니다. 편집기 그룹은 편집기의 컨테이너입니다.",
+ "editorGroupFocusedEmptyBorder": "포커스가 있는 빈 편집기 그룹의 배경색입니다. 편집기 그룹은 편집기의 컨테이너입니다.",
+ "tabsContainerBackground": "탭을 사용도록 설정한 경우 편집기 그룹 제목 머리글의 배경색입니다. 편집기 그룹은 편집기의 컨테이너입니다.",
+ "tabsContainerBorder": "탭을 사용하도록 설정한 경우 편집기 그룹 제목 머리글의 테두리 색입니다. 편집기 그룹은 편집기의 컨테이너입니다.",
+ "editorGroupHeaderBackground": "탭을 사용하지 않도록 설정한 경우(`\"workbench.editor.showTabs\": false`) 편집기 그룹 제목 머리글의 배경색입니다. 편집기 그룹은 편집기의 컨테이너입니다.",
+ "editorTitleContainerBorder": "편집기 그룹 제목 머리글의 테두리 색입니다. 편집기 그룹은 편집기 컨테이너입니다.",
+ "editorGroupBorder": "여러 편집기 그룹을 서로 구분하기 위한 색입니다. 편집기 그룹은 편집기의 컨테이너입니다.",
+ "editorDragAndDropBackground": "편집기를 끌 때 배경색입니다. 편집기 내용이 계속 비추어 보이도록 이 색은 투명해야 합니다.",
+ "imagePreviewBorder": "이미지 미리 보기에서 이미지의 테두리 색입니다.",
+ "panelBackground": "패널 배경색입니다. 패널은 편집기 영역 아래에 표시되며 출력 및 통합 터미널 같은 보기가 포함됩니다.",
+ "panelBorder": "편집기 패널과 구분하기 위한 패널 테두리 색입니다. 패널은 편집기 영역 아래에 표시되며 출력 및 통합 터미널 같은 보기가 포함됩니다.",
+ "panelActiveTitleForeground": "활성 패널의 제목 색입니다. 패널은 편집기 영역 아래에 표시되며 출력 및 통합 터미널 같은 보기가 포함됩니다.",
+ "panelInactiveTitleForeground": "비활성 패널의 제목 색입니다. 패널은 편집기 영역 아래에 표시되며 출력 및 통합 터미널 같은 보기가 포함됩니다.",
+ "panelActiveTitleBorder": "활성 패널 제목의 테두리 색입니다. 패널은 편집기 영역 아래에 표시되며 출력 및 통합 터미널 같은 보기가 포함됩니다.",
+ "panelInputBorder": "입력 패널에서 입력된 상자 테두리입니다.",
+ "panelDragAndDropBorder": "패널 제목의 끌어서 놓기 피드백 색입니다. 패널은 편집기 영역 아래에 표시되며 출력 및 통합 터미널 같은 보기가 포함됩니다.",
+ "panelSectionDragAndDropBackground": "패널 섹션의 끌어서 놓기 피드백 색입니다. 이 색은 패널 섹션이 계속 비추어 보이도록 투명성이 있어야 합니다. 패널은 편집기 영역 아래에 표시되며 출력과 통합 터미널 같은 보기를 포함합니다. 패널 섹션은 패널 내에 중첩된 보기입니다.",
+ "panelSectionHeaderBackground": "패널 섹션 헤더 배경색입니다. 패널은 편집기 영역 아래에 표시되며 출력과 통합 터미널 같은 보기를 포함합니다. 패널 섹션은 패널 내에 중첩된 보기입니다.",
+ "panelSectionHeaderForeground": "패널 섹션 헤더 전경색입니다. 패널은 편집기 영역 아래에 표시되며 출력과 통합 터미널 같은 보기를 포함합니다. 패널 섹션은 패널 내에 중첩된 보기입니다.",
+ "panelSectionHeaderBorder": "패널에서 여러 보기가 세로로 배치될 때 사용되는 패널 섹션 헤더 테두리 색입니다. 패널은 편집기 영역 아래에 표시되며 출력과 통합 터미널 같은 보기를 포함합니다. 패널 섹션은 패널 내에 중첩된 보기입니다.",
+ "panelSectionBorder": "패널에서 여러 보기가 가로로 배치될 때 사용되는 패널 섹션 테두리 색입니다. 패널은 편집기 영역 아래에 표시되며 출력과 통합 터미널 같은 보기를 포함합니다. 패널 섹션은 패널 내에 중첩된 보기입니다.",
+ "statusBarForeground": "작업 영역이 열려 있을 때의 상태 표시줄 전경색입니다. 상태 표시줄은 창의 맨 아래에 표시됩니다.",
+ "statusBarNoFolderForeground": "폴더가 열리지 않았을 때의 상태 표시줄 전경색입니다. 상태 표시줄은 창의 맨 아래에 표시됩니다.",
+ "statusBarBackground": "작업 영역이 열려 있을 때의 상태 표시줄 배경색입니다. 상태 표시줄은 창의 맨 아래에 표시됩니다.",
+ "statusBarNoFolderBackground": "폴더가 열리지 않았을 때의 상태 표시줄 배경색입니다. 상태 표시줄은 창의 맨 아래에 표시됩니다.",
+ "statusBarBorder": "사이드바 및 편집기와 구분하는 상태 표시줄 테두리 색입니다. 상태 표시줄은 창의 맨 아래에 표시됩니다.",
+ "statusBarNoFolderBorder": "열린 폴더가 없을 때 사이드바 및 편집기와 구분하는 상태 표시줄 테두리 색입니다. 상태 표시줄은 창의 맨 아래에 표시됩니다.",
+ "statusBarItemActiveBackground": "클릭할 때의 상태 표시줄 항목 배경색입니다. 상태 표시줄은 창의 맨 아래에 표시됩니다.",
+ "statusBarItemHoverBackground": "마우스로 가리킬 때의 상태 표시줄 항목 배경색입니다. 상태 표시줄은 창의 맨 아래에 표시됩니다.",
+ "statusBarProminentItemForeground": "상태 표시줄 주요 항목 전경색입니다. 중요도를 표시하기 위해 주요 항목은 다른 상태 표시줄 항목보다 눈에 잘 띕니다. 예제를 표시하려면 명령 팔레트에서 `Tab 키로 포커스 이동 설정/해제` 모드를 변경합니다. 상태 표시줄은 창 아래쪽에 표시됩니다.",
+ "statusBarProminentItemBackground": "상태 표시줄 주요 항목 배경 색. 주요 항목은 중요성을 알려주기 위해 다른 상태 표시줄 항목보다 눈에 띕니다. 예제를 보기 위해 명령 팔레트에서 '포커스 이동을 위해 탭 키 토글' 모드를 변경합니다. 창 아래쪽에 상태 표시줄이 나타납니다.",
+ "statusBarProminentItemHoverBackground": "마우스 커서를 올렸을 때 상태 표시줄 주요 항목 배경 색. 주요 항목은 중요성을 알려주기 위해 다른 상태 표시줄 항목보다 눈에 띕니다. 예제를 보기 위해 명령 팔레트에서 '포커스 이동을 위해 탭 키 토글' 모드를 변경합니다. 창 아래쪽에 상태 표시줄이 나타납니다.",
+ "statusBarErrorItemBackground": "상태 표시줄 오류 항목 배경색입니다. 오류 항목은 오류 상태를 나타내기 위해 다른 상태 표시줄 항목보다 눈에 띕니다. 창 아래쪽에 상태 표시줄이 표시됩니다.",
+ "statusBarErrorItemForeground": "상태 표시줄 오류 항목 전경색입니다. 오류 항목은 오류 상태를 나타내기 위해 다른 상태 표시줄 항목보다 눈에 띕니다. 창 아래쪽에 상태 표시줄이 표시됩니다.",
+ "activityBarBackground": "작업 막대 배경색입니다. 작업 막대는 맨 왼쪽이나 오른쪽에 표시되며 사이드바의 뷰 간을 전환하는 데 사용할 수 있습니다.",
+ "activityBarForeground": "작업 막대 항목이 활성 상태일 때 전경색입니다. 작업 막대는 맨 왼쪽이나 오른쪽에 표시되며 사이드바의 뷰 간을 전환하는 데 사용할 수 있습니다.",
+ "activityBarInActiveForeground": "작업 막대 항목이 비활성 상태일 때 전경색입니다. 작업 막대는 맨 왼쪽이나 오른쪽에 표시되며 사이드바의 뷰 간을 전환하는 데 사용할 수 있습니다.",
+ "activityBarBorder": "사이드바와 구분하는 작업 막대 테두리색입니다. 작업 막대는 오른쪽이나 왼쪽 끝에 표시되며 사이드바의 보기 간을 전환할 수 있습니다.",
+ "activityBarActiveBorder": "활성 항목의 활동 막대 테두리 색상입니다. 활동 막대는 맨 왼쪽 또는 오른쪽에 표시되며 사이드바의 보기 간에 전환할 수 있습니다.",
+ "activityBarActiveFocusBorder": "활성 항목에 대한 작업 막대 포커스 테두리 색상입니다. 작업 막대는 맨 왼쪽 또는 오른쪽에 표시되며 사이드바의 보기 사이를 전환할 수 있습니다.",
+ "activityBarActiveBackground": "활성 항목에 대한 활동 막대 배경색입니다. 활동 막대는 맨 왼쪽 또는 오른쪽에 표시되며 사이드바의 보기 간에 전환할 수 있습니다.",
+ "activityBarDragAndDropBorder": "작업 막대 항목의 끌어서 놓기 피드백 색입니다. 작업 막대는 왼쪽 끝이나 오른쪽 끝에 표시되어 사이드바의 보기 간을 전환할 수 있습니다.",
+ "activityBarBadgeBackground": "활동 알림 배지 배경색입니다. 작업 막대는 왼쪽이나 오른쪽 끝에 표시되며 사이드바의 보기를 전환할 수 있습니다.",
+ "activityBarBadgeForeground": "활동 알림 배지 전경색입니다. 작업 막대는 왼쪽이나 오른쪽 끝에 표시되며 사이드바의 보기를 전환할 수 있습니다.",
+ "statusBarItemHostBackground": "상태 표시줄에서 원격 표시기의 배경색입니다.",
+ "statusBarItemHostForeground": "상태 표시줄에서 원격 표시기의 전경색입니다.",
+ "extensionBadge.remoteBackground": "확장 보기에서의 원격 배지 배경색입니다.",
+ "extensionBadge.remoteForeground": "확장 보기에서의 원격 배지 전경색입니다.",
+ "sideBarBackground": "사이드바 배경색입니다. 사이드바는 탐색기 및 검색과 같은 뷰의 컨테이너입니다.",
+ "sideBarForeground": "사이드바 전경색입니다. 사이드바는 탐색기 및 검색과 같은 뷰의 컨테이너입니다.",
+ "sideBarBorder": "편집기와 구분하는 측면의 사이드바 테두리 색입니다. 사이드바는 탐색기 및 검색과 같은 뷰의 컨테이너입니다.",
+ "sideBarTitleForeground": "사이드바 제목 전경색입니다. 사이드바는 탐색기 및 검색과 같은 뷰의 컨테이너입니다.",
+ "sideBarDragAndDropBackground": "사이드바 섹션의 끌어서 놓기 피드백 색입니다. 이 색은 사이드바 섹션이 계속 비추어 보이도록 투명성이 있어야 합니다. 사이드바는 탐색기와 검색 같은 보기의 컨테이너입니다. 사이드바 섹션은 사이드바 내에 중첩된 보기입니다.",
+ "sideBarSectionHeaderBackground": "사이드바 섹션 헤더 배경색입니다. 사이드바는 탐색기와 검색 같은 보기의 컨테이너입니다. 사이드바 섹션은 사이드바 내에 중첩된 보기입니다.",
+ "sideBarSectionHeaderForeground": "사이드바 섹션 헤더 전경색입니다. 사이드바는 탐색기와 검색 같은 보기의 컨테이너입니다. 사이드바 섹션은 사이드바 내에 중첩된 보기입니다.",
+ "sideBarSectionHeaderBorder": "사이드바 섹션 헤더 테두리 색입니다. 사이드바는 탐색기와 검색 같은 보기의 컨테이너입니다. 사이드바 섹션은 사이드바 내에 중첩된 보기입니다.",
+ "titleBarActiveForeground": "창이 활성화된 경우 제목 표시줄 전경입니다.",
+ "titleBarInactiveForeground": "창이 비활성화된 경우 제목 표시줄 전경입니다.",
+ "titleBarActiveBackground": "창이 활성화된 경우 제목 표시줄 배경입니다.",
+ "titleBarInactiveBackground": "창이 비활성화된 경우 제목 표시줄 배경입니다.",
+ "titleBarBorder": "제목 표시줄 테두리 색입니다.",
+ "menubarSelectionForeground": "메뉴 모음에서 선택한 메뉴 항목의 전경색입니다.",
+ "menubarSelectionBackground": "메뉴 모음에서 선택한 메뉴 항목의 배경색입니다.",
+ "menubarSelectionBorder": "메뉴 모음에서 선택한 메뉴 항목의 테두리 색입니다.",
+ "notificationCenterBorder": "알림 센터 테두리 색입니다. 알림은 창 오른쪽 맨 아래에 표시됩니다.",
+ "notificationToastBorder": "알림 테두리 색입니다. 알림은 창 오른쪽 맨 아래에 표시됩니다.",
+ "notificationsForeground": "알림 전경색입니다. 알림은 창 오른쪽 맨 아래에 표시됩니다.",
+ "notificationsBackground": "알림 센터 배경색입니다. 알림은 창 오른쪽 맨 아래에 표시됩니다.",
+ "notificationsLink": "알림 링크 전경색입니다. 알림은 창 오른쪽 맨 아래에 표시됩니다.",
+ "notificationCenterHeaderForeground": "알림 센터 머리글 전경색입니다. 알림은 창 오른쪽 맨 아래에 표시됩니다.",
+ "notificationCenterHeaderBackground": "알림 센터 머리글 배경색입니다. 알림은 창 오른쪽 맨 아래에 표시됩니다.",
+ "notificationsBorder": "알림 센터에서 다른 알림과 구분하는 알림 테두리 색입니다. 알림은 창 오른쪽 맨 아래에 표시됩니다.",
+ "notificationsErrorIconForeground": "오류 알림 아이콘에 사용되는 색입니다. 알림은 창의 오른쪽 하단에 표시됩니다.",
+ "notificationsWarningIconForeground": "경고 알림 아이콘에 사용되는 색입니다. 알림은 창의 오른쪽 하단에 표시됩니다.",
+ "notificationsInfoIconForeground": "정보 알림 아이콘에 사용되는 색입니다. 알림은 창의 오른쪽 하단에 표시됩니다.",
+ "windowActiveBorder": "창이 활성화되어 있을 때 창 테두리에 사용되는 색상입니다. 사용자 지정 제목 표시줄을 사용할 때만 데스크톱 클라이언트에서 지원됩니다.",
+ "windowInactiveBorder": "비활성 상태일 때 창의 테두리에 사용되는 색상입니다. 사용자 지정 제목 표시줄을 사용할 때만 데스크톱 클라이언트에서 지원됩니다."
+ },
+ "vs/workbench/common/editor": {
+ "sideBySideLabels": "{0} - {1}",
+ "preview": "{0}, 미리 보기",
+ "pinned": "{0}, 고정됨"
+ },
+ "vs/workbench/common/views": {
+ "testViewIcon": "테스트 뷰의 뷰 아이콘입니다.",
+ "defaultViewIcon": "기본 뷰 아이콘입니다.",
+ "duplicateId": "ID가 '{0}'인 뷰가 이미 등록되어 있습니다."
+ },
+ "vs/workbench/api/common/extHostExtensionService": {
+ "extensionTestError": "경로 {0}이(가) 유효한 확장 Test Runner를 가리키지 않습니다."
+ },
+ "vs/workbench/api/common/extHostTerminalService": {
+ "launchFail.idMissingOnExtHost": "확장 호스트에서 ID가 {0}인 터미널을 찾을 수 없음"
+ },
+ "vs/workbench/api/common/extHostWorkspace": {
+ "updateerror": "'{0}' 확장이 작업 영역 폴더를 업데이트하지 못했습니다. {1}"
+ },
+ "vs/workbench/browser/workbench.contribution": {
+ "workbench.editor.titleScrollbarSizing.default": "기본 크기.",
+ "workbench.editor.titleScrollbarSizing.large": "마우스로 더 쉽게 잡을 수 있도록 크기를 늘립니다.",
+ "tabScrollbarHeight": "편집기 제목 영역에서 탭 및 이동 경로에 사용되는 스크롤 막대의 높이를 제어합니다.",
+ "showEditorTabs": "열려 있는 편집기를 탭에서 열지 여부를 제어합니다.",
+ "scrollToSwitchTabs": "탭 스크롤 시 탭이 열리는지를 제어합니다. 기본적으로 탭을 스크롤하면 탭이 표시되기만 하고 열리지는 않습니다. 키를 길게 누른 채 스크롤하면 해당 기간에 한해 이 동작을 변경할 수 있습니다. `#workbench.editor.showTabs#`이 `false`인 경우 이 값은 무시됩니다.",
+ "highlightModifiedTabs": "수정된(더티) 편집기 탭에 상단 테두리를 그릴지를 제어합니다. `#workbench.editor.showTabs#`이 `false`인 경우 이 값은 무시됩니다.",
+ "workbench.editor.labelFormat.default": "파일 이름을 표시합니다. 탭이 사용하도록 설정되어 있고 하나의 그룹에서 파일 2개의 이름이 동일하면, 각 파일 경로의 고유한 섹션이 추가됩니다. 탭이 사용하도록 설정되어 있지 않으면, 작업 영역 폴더에 대한 경로는 편집기가 활성 상태일 때 표시됩니다.",
+ "workbench.editor.labelFormat.short": "파일 이름과 파일의 디렉터리 이름을 차례로 표시합니다.",
+ "workbench.editor.labelFormat.medium": "파일 이름과 작업 영역 폴더에 상대적인 파일 경로를 차례로 표시합니다.",
+ "workbench.editor.labelFormat.long": "파일 이름과 절대 경로를 차례로 표시합니다.",
+ "tabDescription": "편집기 레이블의 형식을 제어합니다.",
+ "workbench.editor.untitled.labelFormat.content": "제목 없는 파일의 이름은 연결된 파일 경로가 없는 경우 첫 번째 줄의 콘텐츠에서 파생됩니다. 줄이 비어 있거나 단어 문자가 없는 경우 해당 이름으로 대체됩니다.",
+ "workbench.editor.untitled.labelFormat.name": "제목 없는 파일의 이름은 파일 콘텐츠에서 파생되지 않습니다.",
+ "untitledLabelFormat": "제목 없는 편집기의 레이블 형식을 제어합니다.",
+ "editorTabCloseButton": "편집기의 탭 닫기 단추 위치를 제어하거나, 'off'로 설정된 경우 사용하지 않도록 설정합니다. `#workbench.editor.showTabs#`이 `false`인 경우 이 값은 무시됩니다.",
+ "workbench.editor.tabSizing.fit": "항상 전체 편집기 레이블을 표시할 만큼 큰 탭을 유지합니다.",
+ "workbench.editor.tabSizing.shrink": "한 번에 모든 탭을 표시할 만큼 사용 가능한 공간이 없는 경우 탭을 작게 만들 수 있습니다.",
+ "tabSizing": "편집기 탭의 크기 조정을 제어합니다. `#workbench.editor.showTabs#`이 `false`인 경우 이 값은 무시됩니다.",
+ "workbench.editor.pinnedTabSizing.normal": "고정된 탭이 고정되지 않은 탭의 모양을 상속합니다.",
+ "workbench.editor.pinnedTabSizing.compact": "고정된 탭이 아이콘 또는 편집기 이름의 첫 문자만 있는 컴팩트 형식으로 표시됩니다.",
+ "workbench.editor.pinnedTabSizing.shrink": "고정된 탭이 편집기 이름의 일부를 표시하는 컴팩트 고정 크기로 축소됩니다.",
+ "pinnedTabSizing": "고정된 편집기 탭의 크기 조정을 제어합니다. 고정된 탭은 모든 열린 탭의 시작 부분으로 정렬되며 일반적으로 고정 해제될 때까지 닫히지 않습니다. `#workbench.editor.showTabs#`이 `false`인 경우 이 값은 무시됩니다.",
+ "workbench.editor.splitSizingDistribute": "모든 편집기 그룹을 동일한 부분으로 분할합니다.",
+ "workbench.editor.splitSizingSplit": "활성 편집기 그룹을 동일한 부분으로 분할합니다.",
+ "splitSizing": "편집기 그룹을 분할하는 경우 편집기 그룹의 크기를 제어합니다.",
+ "splitOnDragAndDrop": "편집기 영역의 가장자리에 편집기 또는 파일을 놓아 편집기 그룹을 끌어서 놓기 작업에서 분할할 수 있는지 여부를 제어합니다.",
+ "focusRecentEditorAfterClose": "탭을 최근에 사용한 순서대로 닫을 것인지 왼쪽에서 오른쪽으로 닫을 것인지를 제어합니다.",
+ "showIcons": "열린 편집기를 아이콘과 함께 표시할지 여부를 제어합니다. 이를 위해서는 파일 아이콘 테마도 사용하도록 설정해야 합니다.",
+ "enablePreview": "열린 편집기를 미리 보기로 표시할지 여부를 제어합니다. 미리 보기 편집기는 두 번 클릭이나 편집을 통해 열린 상태를 계속 유지하도록 명시적으로 설정될 때까지 계속 열려 있지 않고 재사용되며 기울임꼴 글꼴 스타일로 표시됩니다.",
+ "enablePreviewFromQuickOpen": "Quick Open에서 열린 편집기를 미리 보기로 표시할지 여부를 제어합니다. 미리 보기 편집기는 두 번 클릭이나 편집을 통해 열린 상태를 계속 유지하도록 명시적으로 설정될 때까지 계속 열려 있지 않고 재사용됩니다.",
+ "closeOnFileDelete": "세션 동안 열린 파일을 표시하는 편집기가 다른 프로세스에서 삭제하거나 이름을 바꾸는 경우 자동으로 닫혀야 하는지 여부를 제어합니다. 이 기능을 사용하지 않으면 해당 이벤트에서 편집기가 계속 열려 있습니다. 애플리케이션 내에서 삭제하는 경우 항상 편집기를 닫으며 더티 파일은 데이터가 보존되도록 닫히지 않습니다.",
+ "editorOpenPositioning": "편집기가 열리는 위치를 제어합니다. 현재 활성 편집기의 왼쪽 또는 오른쪽에서 편집기를 열려면 'left' 또는 'right'를 선택합니다. 현재 활성 편집기와 독립적으로 편집기를 열려면 'first' 또는 'last'를 선택합니다.",
+ "sideBySideDirection": "탐색기 등에서 나란히 열리는 편집기의 기본 방향을 제어합니다. 기본적으로 편집기는 현재 활성 편집기 오른쪽에 열립니다. `down`으로 변경하는 경우 편집기가 현재 활성 편집기 아래에 열립니다.",
+ "closeEmptyGroups": "그룹의 마지막 탭을 닫을 때 빈 편집기 그룹의 동작을 제어합니다. 사용하도록 설정하면 그룹이 자동으로 닫히고 사용하지 않도록 설정하면 빈 그룹이 그리드의 일부로 남습니다.",
+ "revealIfOpen": "편집기를 여는 경우 보이는 그룹 중 하나에 표시할지 여부를 제어합니다. 사용하지 않도록 설정하면 편집기가 기본적으로 현재 활성 편집기 그룹에 열립니다. 사용하도록 설정하면 현재 활성 편집기 그룹에서 편집기가 다시 열리지 않고 이미 열린 편집기가 표시됩니다. 강제로 편집기가 특정 그룹에서 열리거나 현재 활성 그룹 옆에 열리도록 하는 등의 일부 경우에는 이 설정이 무시됩니다.",
+ "mouseBackForwardToNavigate": "제공된 경우 마우스 단추 4와 5를 사용하여 열린 파일 간을 이동합니다.",
+ "restoreViewState": "텍스트 편집기를 닫은 후 다시 열 때 마지막 보기 상태(예: 스크롤 위치)를 복원합니다.",
+ "centeredLayoutAutoResize": "가운데 맞춤 레이아웃에서 둘 이상의 그룹을 열 때 최대 너비에 맞게 자동으로 크기를 조정할지 여부를 제어합니다. 하나의 그룹만 열면 원래 가운데 맞춤 너비로 되돌아옵니다.",
+ "limitEditorsEnablement": "열린 편집기의 수를 제한할지 여부를 제어합니다. 사용하도록 설정하면 편집기를 새로 열기 위한 공간을 만들기 위해 변경되지 않은 가장 오래 전에 사용한 편집기가 닫힙니다.",
+ "limitEditorsMaximum": "열린 편집기의 최대 수를 제어합니다. '#workbench.editor.limit.perEditorGroup#' 설정을 사용하여 편집기 그룹별로 제어하거나 모든 그룹에서 제어합니다.",
+ "perEditorGroup": "열린 편집기의 최대 수 제한을 편집기 그룹별로 적용할지 또는 모든 편집기 그룹에 적용할지를 제어합니다.",
+ "commandHistory": "명령 팔레트 기록을 유지하기 위해 최근 사용한 명령 개수를 제어합니다. 0으로 설정하면 명령 기록을 사용하지 않습니다.",
+ "preserveInput": "다음에 열 때 마지막으로 명령 팔레트에 입력한 내용을 복원할지 여부를 제어합니다.",
+ "closeOnFocusLost": "Quick Open이 포커스를 잃으면 해당 Quick Open을 자동으로 닫을지 여부를 제어합니다.",
+ "workbench.quickOpen.preserveInput": "다음에 열 때 마지막으로 Quick Open에 입력한 내용을 복원할지 여부를 제어합니다.",
+ "openDefaultSettings": "설정을 열면 모든 기본 설정을 표시하는 편집기도 열리는지 여부를 제어합니다.",
+ "useSplitJSON": "JSON으로 설정을 편집할 때 분할 JSON 편집기를 사용할지 여부를 제어합니다.",
+ "openDefaultKeybindings": "키 바인딩 설정을 열면 모든 기본 키 바인딩 설정을 표시하는 편집기도 열리는지 여부를 제어합니다.",
+ "sideBarLocation": "사이드바 및 작업 막대의 위치를 제어합니다. 워크벤치의 오른쪽이나 왼쪽에 표시할 수 있습니다.",
+ "panelDefaultLocation": "패널의 기본 위치(터미널, 디버그 콘솔, 출력, 문제)를 제어합니다. 워크벤치의 하단, 오른쪽 또는 왼쪽에 표시할 수 있습니다.",
+ "panelOpensMaximized": "패널이 최대화되어 열리는지 여부를 제어합니다. 항상 최대화되어 열리거나, 최대화되어 열리지 않거나, 닫기 전 상태였던 마지막 상태로 열 수 있습니다.",
+ "workbench.panel.opensMaximized.always": "패널을 열 때 항상 패널을 최대화합니다.",
+ "workbench.panel.opensMaximized.never": "패널을 열 때 최대화하지 않습니다. 패널이 최대화되지 않은 상태로 열립니다.",
+ "workbench.panel.opensMaximized.preserve": "패널을 닫기 전 상태로 엽니다.",
+ "statusBarVisibility": "워크벤치 아래쪽에서 상태 표시줄의 표시 유형을 제어합니다.",
+ "activityBarVisibility": "워크벤치에서 작업 막대의 표시 유형을 제어합니다.",
+ "activityBarIconClickBehavior": "Workbench에서 작업 표시줄 아이콘을 클릭하는 동작을 제어합니다.",
+ "workbench.activityBar.iconClickBehavior.toggle": "클릭한 항목이 이미 표시된 경우 사이드바를 숨깁니다.",
+ "workbench.activityBar.iconClickBehavior.focus": "클릭한 항목이 이미 표시된 경우 사이드바에 포커스를 둡니다.",
+ "viewVisibility": "보기 머리글 작업의 표시 여부를 제어합니다. 보기 머리글 작업은 항상 표시할 수도 있고 보기에 포커스가 있거나 보기를 마우스로 가리킬 때만 표시할 수도 있습니다.",
+ "fontAliasing": "워크벤치에서 글꼴 앨리어싱 메서드를 제어합니다.",
+ "workbench.fontAliasing.default": "서브 픽셀 글꼴 다듬기. 대부분의 일반 디스플레이에서 가장 선명한 텍스트를 제공합니다.",
+ "workbench.fontAliasing.antialiased": "서브 픽셀이 아닌 픽셀 수준에서 글꼴을 다듬습니다. 전반적으로 글꼴이 더 밝게 표시됩니다.",
+ "workbench.fontAliasing.none": "글꼴 다듬기를 사용하지 않습니다. 텍스트 가장자리가 각지게 표시됩니다.",
+ "workbench.fontAliasing.auto": "디스플레이의 DPI에 따라 `기본` 또는 `안티앨리어싱`을 자동으로 적용합니다.",
+ "settings.editor.ui": "설정 UI 편집기를 사용합니다.",
+ "settings.editor.json": "JSON 파일 편집기를 사용합니다.",
+ "settings.editor.desc": "기본적으로 사용할 설정 편집기를 결정합니다.",
+ "windowTitle": "활성 편집기를 기준으로 창 제목을 제어합니다. 변수는 컨텍스트를 기준으로 대체됩니다:",
+ "activeEditorShort": "`${activeEditorShort}`: 파일 이름(예: myFile.txt).",
+ "activeEditorMedium": "'${activeEditorMedium}: 작업 영역 폴더(예: myFolder/myFileFolder/myFile.txt)와 관련된 파일의 경로입니다.",
+ "activeEditorLong": "`${activeEditorLong}`: 파일 전체 경로(예: /Users/Development/myFolder/myFileFolder/myFile.txt).",
+ "activeFolderShort": "'${activeFolderShort}: 파일이 포함된 폴더 이름(예: myFileFolder)입니다.",
+ "activeFolderMedium": "`${activeFolderMedium}`: 파일이 포함된 관련된 작업 영역 폴더(예: myFolder/myFileFolder)에 포함된 폴더 경로.",
+ "activeFolderLong": "`${activeFolderLong}`: 파일이 포함된 폴더 전체 경로(예: /Users/Development/myFolder/myFileFolder).",
+ "folderName": "`${folderName}`: 파일이 포함된 작업 영역 폴더의 이름(예 : myFolder).",
+ "folderPath": "`${folderPath}`: 파일이 포함된 작업 영역 폴더의 파일 경도(예: /Users/Development/myFolder).",
+ "rootName": "`${rootName}`: 작업 영역의 이름입니다(예: myFolder 또는 myWorkspace).",
+ "rootPath": "`${rootPath}`: 작업 영역 파일 경로(예: /Users/Development/myWorkspace).",
+ "appName": "`${appName}`: 예: VS Code.",
+ "remoteName": "`${remoteName}`: 예: SSH",
+ "dirty": "`${dirty}`: 활성 편집기가 더러울 경우 더티 표시기.",
+ "separator": "`${separator}`: 값 또는 정적 텍스트가 있는 변수로 둘러싸인 경우에만 표시되는 조건부 구분 기호 ( \"-\").",
+ "windowConfigurationTitle": "창",
+ "window.titleSeparator": "`window.title`에 사용되는 구분 기호입니다.",
+ "window.menuBarVisibility.default": "메뉴가 전체 화면 모드에서만 숨겨집니다.",
+ "window.menuBarVisibility.visible": "메뉴가 전체 화면 모드에서도 항상 표시됩니다.",
+ "window.menuBarVisibility.toggle": "메뉴가 숨겨져 있지만 키를 통해 메뉴를 표시할 수 있습니다.",
+ "window.menuBarVisibility.hidden": "메뉴가 항상 숨겨집니다.",
+ "window.menuBarVisibility.compact": "메뉴는 사이드바에 컴팩트 단추로 표시됩니다. `#window.titleBarStyle#`이 `native`인 경우 이 값은 무시됩니다.",
+ "menuBarVisibility": "메뉴 모음의 표시 여부를 제어합니다. '설정/해제'를 설정함으로써 메뉴 모음이 숨겨지고 키를 누를 때마다 메뉴 모음이 표시됩니다. 기본값으로, 창이 전체 화면인 경우를 제외하고 메뉴 모음이 표시됩니다.",
+ "enableMenuBarMnemonics": " 키 바로 가기를 통해 주 메뉴를 열 수 있는지 여부를 제어합니다. 대신 니모닉을 사용하지 않도록 설정하면 이러한 키 바로 가기를 편집기 명령에 바인딩할 수 있습니다.",
+ "customMenuBarAltFocus": " 키를 눌러 메뉴 모음이 포커스되는지 여부를 제어합니다. 이 설정은 키로 메뉴 모음을 토글하는 데는 영향을 주지 않습니다.",
+ "window.openFilesInNewWindow.on": "파일이 새 창에서 열립니다.",
+ "window.openFilesInNewWindow.off": "파일이 파일의 폴더가 열려 있는 창 또는 마지막 활성 창에서 열립니다.",
+ "window.openFilesInNewWindow.defaultMac": "Dock 또는 Finder를 통해 파일을 연 경우를 제외하고 파일이 파일의 폴더가 열린 창 또는 마지막 활성 창에서 열립니다.",
+ "window.openFilesInNewWindow.default": "애플리케이션 내에서 선택(예: 파일 메뉴를 통해)하는 경우를 제외하고 파일이 새 창에서 열립니다.",
+ "openFilesInNewWindowMac": "파일을 새 창에서 열지 여부를 제어합니다. \r\n이 설정이 무시되는 경우도 있을 수 있습니다(예: '--new-window' 또는 '--reuse-window' 명령줄 옵션을 사용할 경우).",
+ "openFilesInNewWindow": "파일을 새 창에서 열지 여부를 제어합니다.\r\n이 설정이 무시되는 경우도 있을 수 있습니다(예: '--new-window' 또는 '--reuse-window' 명령줄 옵션을 사용할 경우).",
+ "window.openFoldersInNewWindow.on": "폴더가 새 창에서 열립니다.",
+ "window.openFoldersInNewWindow.off": "폴더가 마지막 활성 창을 바꿉니다.",
+ "window.openFoldersInNewWindow.default": "폴더를 애플리케이션 내에서 선택(예: 파일 메뉴를 통해)하는 경우를 제외하고 폴더가 새 창에서 열립니다.",
+ "openFoldersInNewWindow": "폴더를 새 창에서 열거나 마지막 활성 창을 바꿀지 여부를 제어합니다.\r\n이 설정이 무시되는 경우도 있을 수 있습니다(예: '--new-window' 또는 '--reuse-window' 명령줄 옵션을 사용할 경우).",
+ "window.confirmBeforeClose.always": "항상 확인을 요청하세요. 브라우저가 계속 확인 없이 탭이나 창을 닫도록 결정할 수 있습니다.",
+ "window.confirmBeforeClose.keyboardOnly": "키 바인딩이 검색된 경우에만 확인을 요청합니다. 일부 경우에는 검색을 수행할 수 없습니다.",
+ "window.confirmBeforeClose.never": "데이터 손실이 곧 발생하지 않는 이상 확인을 명시적으로 요청하지 않습니다.",
+ "confirmBeforeCloseWeb": "브라우저 탭 또는 창을 닫기 전에 확인 대화 상자를 표시할지를 제어합니다. 사용하도록 설정된 경우에도 브라우저가 확인 없이 탭 또는 창을 닫으려고 할 수 있으며, 이 설정은 모든 경우에 제대로 작동하지 않을 수도 있는 힌트일 뿐입니다.",
+ "zenModeConfigurationTitle": "Zen 모드",
+ "zenMode.fullScreen": "Zen 모드를 켜면 워크벤치도 전체 화면 모드로 전환되는지 여부를 제어합니다.",
+ "zenMode.centerLayout": "Zen 모드를 켜면 레이아웃도 가운데로 맞춰지는지 여부를 제어합니다.",
+ "zenMode.hideTabs": "Zen 모드를 켜면 워크벤치 탭도 숨길지 여부를 제어합니다.",
+ "zenMode.hideStatusBar": "Zen 모드를 켜면 워크벤치 하단에서 상태 표시줄도 숨길지 여부를 제어합니다.",
+ "zenMode.hideActivityBar": "Zen 모드를 켜면 워크벤치의 왼쪽 또는 오른쪽에 있는 작업 막대도 숨길지 여부를 제어합니다.",
+ "zenMode.hideLineNumbers": "Zen 모드를 설정하면 편집기 줄 번호도 숨길 것인지 여부를 제어합니다.",
+ "zenMode.restore": "창이 Zen 모드에서 종료된 경우 Zen 모드로 복원할지 여부를 제어합니다.",
+ "zenMode.silentNotifications": "Zen 모드에서 알림이 표시되는지 여부를 제어합니다. true로 설정하면 오류 알림만 표시됩니다."
+ },
+ "vs/workbench/browser/actions/textInputActions": {
+ "undo": "실행 취소",
+ "redo": "다시 실행",
+ "cut": "잘라내기",
+ "copy": "복사",
+ "paste": "붙여넣기",
+ "selectAll": "모두 선택"
+ },
+ "vs/workbench/browser/actions/developerActions": {
+ "inspect context keys": "컨텍스트 키 검사",
+ "toggle screencast mode": "스크린캐스트 모드 토글",
+ "logStorage": "로그 스토리지 데이터베이스 콘텐츠",
+ "logWorkingCopies": "작업 복사본 로깅",
+ "screencastModeConfigurationTitle": "스크린캐스트 모드",
+ "screencastMode.location.verticalPosition": "맨 아래에서 스크린캐스트 모드 오버레이의 수직 오프셋을 워크벤치 높이의 백분율로 제어합니다.",
+ "screencastMode.fontSize": "스크린캐스트 모드 키보드의 글꼴 크기(픽셀)를 제어합니다.",
+ "screencastMode.onlyKeyboardShortcuts": "스크린캐스트 모드에서 바로 가기 키만 표시합니다.",
+ "screencastMode.keyboardOverlayTimeout": "스크린캐스트 모드에서 키보드 오버레이가 표시되는 시간(밀리초)을 제어합니다.",
+ "screencastMode.mouseIndicatorColor": "스크린캐스트 모드에서 마우스 표시기의 16진수(#RGB, #RGBA, #RRGGBB 또는 #RRGGBBAA) 색상을 제어합니다.",
+ "screencastMode.mouseIndicatorSize": "스크린캐스트 모드에서 마우스 표시기의 크기(픽셀)를 제어합니다."
+ },
+ "vs/workbench/browser/actions/helpActions": {
+ "keybindingsReference": "바로 가기 키 참조",
+ "openDocumentationUrl": "문서",
+ "openIntroductoryVideosUrl": "소개 비디오",
+ "openTipsAndTricksUrl": "팁과 요령",
+ "newsletterSignup": "VS Code 뉴스레터 등록",
+ "openTwitterUrl": "Twitter에서 참여",
+ "openUserVoiceUrl": "기능 요청 검색",
+ "openLicenseUrl": "라이센스 보기",
+ "openPrivacyStatement": "개인정보취급방침",
+ "miDocumentation": "설명서(&&D)",
+ "miKeyboardShortcuts": "바로 가기 키 참조(&&K)",
+ "miIntroductoryVideos": "소개 비디오(&&V)",
+ "miTipsAndTricks": "팁과 요령(&&C)",
+ "miTwitter": "Twitter에서 참여(&&J)",
+ "miUserVoice": "검색 기능 요청(&&S)",
+ "miLicense": "라이선스 보기(&&L)",
+ "miPrivacyStatement": "개인정보처리방침(&&Y)"
+ },
+ "vs/workbench/browser/actions/layoutActions": {
+ "closeSidebar": "사이드바 닫기",
+ "toggleActivityBar": "작업 막대 표시 유형 전환",
+ "miShowActivityBar": "작업 막대 표시(&&A)",
+ "toggleCenteredLayout": "가운데 맞춤된 레이아웃 설정/해제",
+ "miToggleCenteredLayout": "가운데 맞춤 레이아웃(&&C)",
+ "flipLayout": "세로/가로 편집기 레이아웃 설정/해제",
+ "miToggleEditorLayout": "레이아웃 대칭 이동(&&L)",
+ "toggleSidebarPosition": "사이드바 위치 설정/해제",
+ "moveSidebarRight": "사이드바를 오른쪽으로 이동",
+ "moveSidebarLeft": "사이드바를 왼쪽으로 이동",
+ "miMoveSidebarRight": "사이드바를 오른쪽으로 이동(&&M)",
+ "miMoveSidebarLeft": "사이드바를 왼쪽으로 이동(&&M)",
+ "toggleEditor": "편집기 영역 가시성 전환",
+ "miShowEditorArea": "편집기 영역 표시(&&E)",
+ "toggleSidebar": "사이드바 표시 유형 설정/해제",
+ "miAppearance": "모양(&&A)",
+ "miShowSidebar": "사이드바 표시(&&S)",
+ "toggleStatusbar": "상태 표시줄 표시 설정/해제",
+ "miShowStatusbar": "상태 표시줄 표시(&&T)",
+ "toggleTabs": "탭 표시 설정/해제",
+ "toggleZenMode": "Zen 모드 설정/해제",
+ "miToggleZenMode": "Zen 모드",
+ "toggleMenuBar": "메뉴 모음 설정/해제",
+ "miShowMenuBar": "메뉴 모음 표시(&&B)",
+ "resetViewLocations": "뷰 위치 다시 설정",
+ "moveView": "보기 이동",
+ "sidebarContainer": "사이드바 / {0}",
+ "panelContainer": "패널 / {0}",
+ "moveFocusedView.selectView": "이동할 보기 선택",
+ "moveFocusedView": "포커스가 지정된 뷰 이동",
+ "moveFocusedView.error.noFocusedView": "현재 포커스가 지정된 뷰가 없습니다.",
+ "moveFocusedView.error.nonMovableView": "현재 포커스가 있는 뷰는 이동할 수 없습니다.",
+ "moveFocusedView.selectDestination": "뷰의 대상 선택",
+ "moveFocusedView.title": "보기: {0} 이동",
+ "moveFocusedView.newContainerInPanel": "새 패널 항목",
+ "moveFocusedView.newContainerInSidebar": "새 사이드바 항목",
+ "sidebar": "사이드바",
+ "panel": "패널",
+ "resetFocusedViewLocation": "포커스된 뷰 위치 다시 설정",
+ "resetFocusedView.error.noFocusedView": "현재 포커스가 지정된 뷰가 없습니다.",
+ "increaseViewSize": "현재 뷰 크기 늘리기",
+ "increaseEditorWidth": "편집기 너비 늘리기",
+ "increaseEditorHeight": "편집기 높이 늘리기",
+ "decreaseViewSize": "현재 뷰 크기 줄이기",
+ "decreaseEditorWidth": "편집기 너비 줄이기",
+ "decreaseEditorHeight": "편집기 높이 줄이기"
+ },
+ "vs/workbench/browser/actions/navigationActions": {
+ "navigateLeft": "뷰 왼쪽으로 이동",
+ "navigateRight": "뷰 오른쪽으로 이동",
+ "navigateUp": "뷰 위로 이동",
+ "navigateDown": "뷰 아래로 이동",
+ "focusNextPart": "다음 부분에 포커스 설정",
+ "focusPreviousPart": "이전 부분에 포커스 설정"
+ },
+ "vs/workbench/browser/actions/windowActions": {
+ "remove": "최근에 사용한 항목에서 제거",
+ "dirtyRecentlyOpened": "더티 파일이 포함된 작업 영역",
+ "workspaces": "작업 영역",
+ "files": "파일",
+ "openRecentPlaceholderMac": "선택하여 열기(새 창을 적용하려면 키를 누르고 같은 창을 사용하려면 키를 누름)",
+ "openRecentPlaceholder": "선택하여 열기(새 창을 적용하려면 키를 누르고 같은 창을 사용하려면 키를 누름)",
+ "dirtyWorkspace": "더티 파일이 포함된 작업 영역",
+ "dirtyWorkspaceConfirm": "작업 영역을 열어 더티 파일을 검토하시겠습니까?",
+ "dirtyWorkspaceConfirmDetail": "더티 파일이 포함된 작업 영역은 모든 더티 파일을 저장하거나 되돌릴 때까지 제거할 수 없습니다.",
+ "recentDirtyAriaLabel": "{0}, 더티 작업 영역",
+ "openRecent": "최근 항목 열기...",
+ "quickOpenRecent": "최근 항목 빠르게 열기...",
+ "toggleFullScreen": "전체 화면 설정/해제",
+ "reloadWindow": "창 다시 로드",
+ "about": "에 대한",
+ "newWindow": "새 창",
+ "blur": "포커스가 있는 요소에서 키보드 포커스 제거",
+ "file": "파일",
+ "miConfirmClose": "닫기 전에 확인",
+ "miNewWindow": "새 창(&&W)",
+ "miOpenRecent": "최근 항목 열기(&&R)",
+ "miMore": "자세히(&&M)...",
+ "miToggleFullScreen": "전체 화면(&&F)",
+ "miAbout": "정보(&&A)"
+ },
+ "vs/workbench/browser/actions/workspaceActions": {
+ "openFile": "파일 열기...",
+ "openFolder": "폴더 열기...",
+ "openFileFolder": "열기...",
+ "openWorkspaceAction": "작업 영역 열기...",
+ "closeWorkspace": "작업 영역 닫기",
+ "noWorkspaceOpened": "현재 이 인스턴스에 열려 있는 작업 영역이 없습니다.",
+ "openWorkspaceConfigFile": "작업 영역 구성 파일 열기",
+ "globalRemoveFolderFromWorkspace": "작업 영역에서 폴더 제거...",
+ "saveWorkspaceAsAction": "작업 영역을 다른 이름으로 저장...",
+ "duplicateWorkspaceInNewWindow": "새 창에 작업 영역 복제",
+ "workspaces": "작업 영역",
+ "miAddFolderToWorkspace": "작업 영역에 폴더 추가(&&D)...",
+ "miSaveWorkspaceAs": "작업 영역을 다른 이름으로 저장...",
+ "miCloseFolder": "폴더 닫기(&&F)",
+ "miCloseWorkspace": "작업 영역 닫기(&&W)"
+ },
+ "vs/workbench/browser/actions/workspaceCommands": {
+ "addFolderToWorkspace": "작업 영역에 폴더 추가...",
+ "add": "추가(&&A)",
+ "addFolderToWorkspaceTitle": "작업 영역에 폴더 추가",
+ "workspaceFolderPickerPlaceholder": "작업 영역 폴더 선택"
+ },
+ "vs/workbench/browser/actions/quickAccessActions": {
+ "quickOpen": "파일로 이동...",
+ "quickNavigateNext": "Quick Open에서 다음 탐색",
+ "quickNavigatePrevious": "Quick Open에서 이전 탐색",
+ "quickSelectNext": "Quick Open에서 다음 선택",
+ "quickSelectPrevious": "Quick Open에서 이전 선택"
+ },
+ "vs/workbench/api/common/menusExtensionPoint": {
+ "menus.commandPalette": "명령 팔레트",
+ "menus.touchBar": "터치 바(macOS 전용)",
+ "menus.editorTitle": "편집기 제목 메뉴",
+ "menus.editorContext": "편집기 상황에 맞는 메뉴",
+ "menus.explorerContext": "파일 탐색기 상황에 맞는 메뉴",
+ "menus.editorTabContext": "편집기 탭 상황에 맞는 메뉴",
+ "menus.debugCallstackContext": "디버그 호출 스택 보기 상황에 맞는 메뉴",
+ "menus.debugVariablesContext": "디버그 변수 보기 상황에 맞는 메뉴",
+ "menus.debugToolBar": "디버그 도구 모음 메뉴",
+ "menus.file": "최상위 파일 메뉴",
+ "menus.home": "홈 표시기 상황에 맞는 메뉴(웹 전용)",
+ "menus.scmTitle": "소스 제어 제목 메뉴",
+ "menus.scmSourceControl": "소스 제어 메뉴",
+ "menus.resourceGroupContext": "소스 제어 리소스 그룹 상황에 맞는 메뉴",
+ "menus.resourceStateContext": "소스 제어 리소스 상태 상황에 맞는 메뉴",
+ "menus.resourceFolderContext": "소스 제어 리소스 폴더 컨텍스트 메뉴",
+ "menus.changeTitle": "소스 컨트롤 인라인 변경 메뉴",
+ "menus.statusBarWindowIndicator": "상태 표시줄의 창 표시기 메뉴입니다.",
+ "view.viewTitle": "기여 조회 제목 메뉴",
+ "view.itemContext": "기여 조회 항목 상황에 맞는 메뉴",
+ "commentThread.title": "제공한 주석 스레드 제목 메뉴",
+ "commentThread.actions": "주석 편집기 아래에 단추로 렌더링된, 제공된 주석 스레드 컨텍스트 메뉴",
+ "comment.title": "제공한 주석 제목 메뉴",
+ "comment.actions": "주석 편집기 아래에 단추로 렌더링되는, 제공된 주석 상황에 맞는 메뉴",
+ "notebook.cell.title": "제공된 Notebook 셀 제목 메뉴",
+ "menus.extensionContext": "확장 상황에 따른 메뉴",
+ "view.timelineTitle": "타임라인 보기 제목 메뉴",
+ "view.timelineContext": "타임라인 보기 항목 컨텍스트 메뉴",
+ "requirestring": "`{0}` 속성은 필수이며 `string` 형식이어야 함",
+ "optstring": "`{0}` 속성은 생략할 수 있거나 `string` 형식이어야 함",
+ "requirearray": "하위 메뉴 항목은 배열이어야 합니다.",
+ "require": "하위 메뉴 항목은 개체여야 합니다.",
+ "vscode.extension.contributes.menuItem.command": "실행할 명령의 식별자입니다. 명령은 '명령' 섹션에 선언되어야 합니다.",
+ "vscode.extension.contributes.menuItem.alt": "실행할 대체 명령의 식별자입니다. 명령은 '명령' 섹션에 선언되어야 합니다.",
+ "vscode.extension.contributes.menuItem.when": "이 항목을 표시하기 위해 true여야 하는 조건",
+ "vscode.extension.contributes.menuItem.group": "이 항목이 속하는 그룹",
+ "vscode.extension.contributes.menuItem.submenu": "이 항목에 표시할 하위 메뉴의 식별자입니다.",
+ "vscode.extension.contributes.submenu.id": "하위 메뉴로 표시할 메뉴의 식별자입니다.",
+ "vscode.extension.contributes.submenu.label": "이 하위 메뉴로 이어지는 메뉴 항목의 레이블입니다.",
+ "vscode.extension.contributes.submenu.icon": "(선택 사항) UI에서 하위 메뉴를 나타내는 데 사용되는 아이콘입니다. 파일 경로, 어두운 테마 및 밝은 테마의 파일 경로가 있는 개체 또는 `\\$(zap)`과(와) 같은 테마 아이콘 참조입니다.",
+ "vscode.extension.contributes.submenu.icon.light": "밝은 테마를 사용하는 경우의 아이콘 경로",
+ "vscode.extension.contributes.submenu.icon.dark": "어두운 테마를 사용하는 경우의 아이콘 경로",
+ "vscode.extension.contributes.menus": "편집기에 메뉴 항목을 적용합니다.",
+ "proposed": "제안된 API",
+ "vscode.extension.contributes.submenus": "편집기에 하위 메뉴 항목을 제공합니다.",
+ "nonempty": "비어 있지 않은 값이 필요합니다.",
+ "opticon": "'icon' 속성은 생략하거나, '{dark, light}' 같은 문자열 또는 리터럴이어야 합니다.",
+ "requireStringOrObject": "`{0}` 속성은 필수이며 `string` 또는 `object` 형식이어야 합니다.",
+ "requirestrings": "`{0}` 및 `{1}` 속성은 필수이며 `string` 형식이어야 합니다.",
+ "vscode.extension.contributes.commandType.command": "실행할 명령의 식별자",
+ "vscode.extension.contributes.commandType.title": "명령이 UI에 표시되는 제목입니다.",
+ "vscode.extension.contributes.commandType.category": "(선택 사항) UI에서 명령별 범주 문자열을 그룹화합니다.",
+ "vscode.extension.contributes.commandType.precondition": "(선택 사항) UI(메뉴 및 키 바인딩)에서 명령을 사용하도록 설정하려면 true이어야 하는 조건입니다. 'executeCommand'-api 같은 다른 방법을 사용한 명령 실행을 방지하지 않습니다.",
+ "vscode.extension.contributes.commandType.icon": "(선택 사항) UI에서 명령을 나타내는 데 사용되는 아이콘입니다. 파일 경로, 어두운 테마 및 밝은 테마의 파일 경로가 있는 개체 또는 `\\$(zap)`와 같은 테마 아이콘 참조입니다.",
+ "vscode.extension.contributes.commandType.icon.light": "밝은 테마를 사용하는 경우의 아이콘 경로",
+ "vscode.extension.contributes.commandType.icon.dark": "어두운 테마를 사용하는 경우의 아이콘 경로",
+ "vscode.extension.contributes.commands": "명령 팔레트에 명령을 적용합니다.",
+ "dup": "`명령` 섹션에 `{0}` 명령이 여러 번 나타납니다.",
+ "submenuId.invalid.id": "`{0}`은(는) 유효한 하위 메뉴 식별자가 아닙니다.",
+ "submenuId.duplicate.id": "'{0}' 하위 메뉴는 이미 이전에 등록되었습니다.",
+ "submenuId.invalid.label": "`{0}`은(는) 유효한 하위 메뉴 레이블이 아닙니다.",
+ "menuId.invalid": "`{0}`은(는) 유효한 메뉴 식별자가 아닙니다.",
+ "proposedAPI.invalid": "{0}(은)는 제안된 메뉴 식별자이며 dev가 없거나 다음 명령 줄 스위치를 사용하는 경우에만 사용할 수 있습니다. --enable-proposed-api {1}",
+ "missing.command": "메뉴 항목이 '명령' 섹션에 정의되지 않은 `{0}` 명령을 참조합니다.",
+ "missing.altCommand": "메뉴 항목이 '명령' 섹션에 정의되지 않은 alt 명령 `{0}`을(를) 참조합니다.",
+ "dupe.command": "메뉴 항목이 동일한 명령을 기본값과 alt 명령으로 참조합니다.",
+ "unsupported.submenureference": "메뉴 항목이 하위 메뉴 지원이 포함되지 않은 메뉴의 하위 메뉴를 참조합니다.",
+ "missing.submenu": "메뉴 항목이 '하위 메뉴' 섹션에 정의되지 않은 `{0}` 하위 메뉴를 참조합니다.",
+ "submenuItem.duplicate": "'{0}' 하위 메뉴가 이미 '{1}' 메뉴에 적용되었습니다."
+ },
+ "vs/workbench/api/common/configurationExtensionPoint": {
+ "vscode.extension.contributes.configuration.title": "설정을 요약합니다. 이 레이블은 설정 파일에서 구분 주석으로 사용됩니다.",
+ "vscode.extension.contributes.configuration.properties": "구성 속성에 대한 설명입니다.",
+ "vscode.extension.contributes.configuration.property.empty": "속성은 비어 있을 수 없습니다.",
+ "scope.application.description": "사용자 설정에서만 구성할 수 있는 구성입니다.",
+ "scope.machine.description": "사용자 설정 또는 원격 설정에서만 구성할 수 있는 구성.",
+ "scope.window.description": "사용자, 원격 또는 작업 영역 설정에서 구성할 수 있는 구성입니다.",
+ "scope.resource.description": "사용자, 원격, 작업 영역 또는 폴더 설정에서 구성할 수 있는 구성입니다.",
+ "scope.language-overridable.description": "언어별 설정에서 구성할 수 있는 리소스 구성입니다.",
+ "scope.machine-overridable.description": "작업 영역 또는 폴더 설정에서도 구성할 수 있는 컴퓨터 구성입니다.",
+ "scope.description": "구성이 적용되는 범위입니다. 사용 가능한 범위는 `application`, `machine`, `window`, `resource` 및 'machine-overridable`입니다.",
+ "scope.enumDescriptions": "열거형 값에 대한 설명",
+ "scope.markdownEnumDescriptions": "Markdown 형식의 열거형 값에 대한 설명입니다.",
+ "scope.markdownDescription": "Markdown 형식의 설명입니다.",
+ "scope.deprecationMessage": "설정하면 속성이 사용되지 않음으로 표시되고 지정된 메시지가 설명으로 표시됩니다.",
+ "scope.markdownDeprecationMessage": "설정하면 속성이 사용되지 않음으로 표시되고 지정된 메시지가 markdown 형식의 설명으로 표시됩니다.",
+ "vscode.extension.contributes.defaultConfiguration": "언어별로 기본 편집기 구성 설정을 적용합니다.",
+ "config.property.defaultConfiguration.languageExpected": "언어 선택기가 필요합니다(예: [\"java\"]).",
+ "config.property.defaultConfiguration.warning": "'{0}'에 대한 구성 기본값을 등록할 수 없습니다. 언어별 설정에 대한 기본값만 지원됩니다.",
+ "vscode.extension.contributes.configuration": "구성 설정을 적용합니다.",
+ "invalid.title": "'configuration.title'은 문자열이어야 합니다.",
+ "invalid.properties": "'configuration.properties'는 개체여야 합니다.",
+ "invalid.property": "'configuration.properties'는 개체여야 합니다.",
+ "invalid.allOf": "'configuration.allOf'는 사용되지 않으며 더 이상 사용해서는 안됩니다. 대신 여러 구성 섹션을 배열로 'configuration' 기여 지점에 전달하세요.",
+ "workspaceConfig.folders.description": "작업 영역에 로드되는 폴더 목록입니다.",
+ "workspaceConfig.path.description": "파일 경로입니다. 예: `/root/folderA` 또는 `./folderA`(작업 영역 파일의 위치를 기준으로 확인할 상대 경로인 경우)",
+ "workspaceConfig.name.description": "폴더에 대한 선택적 이름입니다.",
+ "workspaceConfig.uri.description": "폴더 URI",
+ "workspaceConfig.settings.description": "작업 영역 설정",
+ "workspaceConfig.launch.description": "작업 영역 시작 구성",
+ "workspaceConfig.tasks.description": "작업 영역 작업 구성",
+ "workspaceConfig.extensions.description": "작업 영역 확장",
+ "workspaceConfig.remoteAuthority": "작업 영역이 있는 원격 서버입니다. 저장되지 않은 원격 작업 영역에서만 사용됩니다.",
+ "unknownWorkspaceProperty": "알 수 없는 작업 영역 구성 속성"
+ },
+ "vs/workbench/api/browser/viewsExtensionPoint": {
+ "vscode.extension.contributes.views.containers.id": "'뷰' 기여 지점을 사용하여 뷰가 기여될 수 있는 컨테이너를 식별하는 데 사용되는 고유한 ID",
+ "vscode.extension.contributes.views.containers.title": "컨테이너를 렌더링하는 데 사용되는 사람이 읽을 수 있는 문자열",
+ "vscode.extension.contributes.views.containers.icon": "컨테이너 아이콘의 경로입니다. 아이콘은 50x40 사각형의 가운데에 있는 24x24 크기이며 채우기 색은 'rgb(215, 218, 224)' 또는 '#d7dae0'입니다. 아이콘의 이미지 파일 형식은 무엇이든 상관없지만 SVG를 사용하는 것이 좋습니다.",
+ "vscode.extension.contributes.viewsContainers": "뷰 컨테이너를 편집기에 기여합니다.",
+ "views.container.activitybar": "뷰 컨테이너를 작업 막대에 기여",
+ "views.container.panel": "패널에 뷰 컨테이너 제공",
+ "vscode.extension.contributes.view.type": "뷰의 형식입니다. 트리 뷰 기반 뷰의 경우 `트리` 또는 웹 보기 기반 뷰의 경우 `웹 보기`일 수 있습니다. 기본값은 `트리`입니다.",
+ "vscode.extension.contributes.view.tree": "뷰는 `createTreeView`로 생성된 `TreeView`로 지원됩니다.",
+ "vscode.extension.contributes.view.webview": "뷰는 `registerWebviewViewProvider`로 등록된 `WebviewView`로 지원됩니다.",
+ "vscode.extension.contributes.view.id": "뷰의 식별자입니다. 이 식별자는 모든 뷰에서 고유해야 합니다. 뷰 ID의 일부로 확장 ID를 포함하는 것이 좋습니다. 이 식별자를 사용하여 `vscode.window.registerTreeDataProviderForView` API를 통해 데이터 공급자를 등록하세요. 또한 `onView:${id}` 이벤트를 `activationEvents`에 등록하여 확장 활성화를 트리거합니다.",
+ "vscode.extension.contributes.view.name": "사용자가 읽을 수 있는 뷰 이름입니다. 표시됩니다.",
+ "vscode.extension.contributes.view.when": "이 뷰를 표시하기 위해 true여야 하는 조건",
+ "vscode.extension.contributes.view.icon": "보기 아이콘 경로입니다. 보기 아이콘은 보기 이름을 표시할 수 없을 때 표시됩니다. 모든 이미지 파일 형식을 사용할 수 있지만, SVG 형식의 아이콘을 사용하는 것이 좋습니다.",
+ "vscode.extension.contributes.view.contextualTitle": "보기가 원래 위치에서 이동된 경우 사람이 읽을 수 있는 컨텍스트입니다. 기본적으로 보기의 컨테이너 이름이 사용됩니다. 표시됩니다.",
+ "vscode.extension.contributes.view.initialState": "확장이 처음 설치되었을 때 뷰의 초기 상태입니다. 사용자가 뷰를 축소하거나 이동하거나 숨겨 뷰 상태를 변경하면 초기 상태가 다시 사용되지 않습니다.",
+ "vscode.extension.contributes.view.initialState.visible": "보기의 기본 초기 상태입니다. 대부분 컨테이너에서 보기가 확장되지만, 일부 기본 제공 컨테이너(탐색기, SCM 및 디버그)에는 '표시 유형'과 관계없이 모든 적용된 보기가 축소되어 표시됩니다.",
+ "vscode.extension.contributes.view.initialState.hidden": "뷰가 뷰 컨테이너에 표시되지 않지만, 뷰 메뉴 및 기타 뷰 진입점을 통해 검색할 수 있으며 사용자가 뷰를 숨기기 취소할 수 있습니다.",
+ "vscode.extension.contributes.view.initialState.collapsed": "뷰가 뷰 컨테이너에 표시되지만, 축소됩니다.",
+ "vscode.extension.contributes.view.group": "뷰렛의 중첩된 그룹",
+ "vscode.extension.contributes.view.remoteName": "이 보기와 연결된 원격 형식의 이름",
+ "vscode.extension.contributes.views": "뷰를 편집기에 적용합니다.",
+ "views.explorer": "뷰를 작업 막대의 탐색기 컨테이너에 기여합니다.",
+ "views.debug": "뷰를 작업 막대의 디버그 컨테이너에 기여합니다.",
+ "views.scm": "뷰를 작업 막대의 SCM 컨테이너에 적용합니다.",
+ "views.test": "뷰를 작업 막대의 테스트 컨테이너에 적용합니다.",
+ "views.remote": "활동 표시줄에서 원격 컨테이너에 보기를 적용합니다. 이 컨테이너에 적용하려면 enableProposedApi를 켜야 합니다.",
+ "views.contributed": "뷰를 적용된 뷰 컨테이너에 적용합니다.",
+ "test": "테스트",
+ "viewcontainer requirearray": "뷰 컨테이너는 배열이어야 합니다.",
+ "requireidstring": "`{0}` 속성은 필수이며 `string` 형식이어야 합니다. 영숫자, '_', '-'만 사용할 수 있습니다.",
+ "requirestring": "`{0}` 속성은 필수이며 `string` 형식이어야 함",
+ "showViewlet": "{0} 표시",
+ "ViewContainerRequiresProposedAPI": "보기 컨테이너 '{0}'을(를) 'Remote'에 추가하려면 'enableProposedApi'이 켜져 있어야 합니다.",
+ "ViewContainerDoesnotExist": "뷰 컨테이너 '{0}'이(가) 없으므로 이 컨테이너에 등록된 모든 뷰가 '탐색기'에 추가됩니다.",
+ "duplicateView1": "동일한 ID `{0}`(으)로 여러 보기를 등록할 수 없습니다.",
+ "duplicateView2": "ID가 `{0}`인 뷰가 이미 등록되어 있습니다.",
+ "unknownViewType": "알 수 없는 보기 형식 '{0}'입니다.",
+ "requirearray": "보기는 배열이어야 함",
+ "optstring": "`{0}` 속성은 생략할 수 있거나 `string` 형식이어야 함",
+ "optenum": "`{0}` 속성은 생략할 수 있거나 {1} 중 하나여야 함"
+ },
+ "vs/workbench/browser/parts/activitybar/activitybarPart": {
+ "settingsViewBarIcon": "보기 표시줄의 설정 아이콘입니다.",
+ "accountsViewBarIcon": "보기 표시줄의 계정 아이콘입니다.",
+ "hideHomeBar": "홈 단추 숨기기",
+ "showHomeBar": "홈 단추 표시",
+ "hideMenu": "메뉴 숨기기",
+ "showMenu": "메뉴 표시",
+ "hideAccounts": "계정 숨기기",
+ "showAccounts": "계정 표시",
+ "hideActivitBar": "작업 막대 숨기기",
+ "resetLocation": "위치 다시 설정",
+ "homeIndicator": "홈",
+ "home": "홈",
+ "manage": "관리",
+ "accounts": "계정",
+ "focusActivityBar": "작업 막대에 포커스"
+ },
+ "vs/workbench/browser/parts/panel/panelPart": {
+ "hidePanel": "패널 숨기기",
+ "panel.emptyMessage": "표시할 보기를 패널로 끌어 옵니다."
+ },
+ "vs/workbench/browser/parts/sidebar/sidebarPart": {
+ "focusSideBar": "사이드바에 포커스"
+ },
+ "vs/workbench/browser/parts/statusbar/statusbarPart": {
+ "hide": "'{0}' 숨기기",
+ "hideStatusBar": "상태 표시줄 숨기기"
+ },
+ "vs/workbench/browser/parts/views/viewsService": {
+ "focus view": "{0} 보기에 포커스",
+ "resetViewLocation": "위치 다시 설정"
+ },
+ "vs/workbench/browser/parts/dialogs/dialogHandler": {
+ "yesButton": "예(&&Y)",
+ "cancelButton": "취소",
+ "aboutDetail": "버전: {0}\r\n커밋: {1}\r\n날짜: {2}\r\n브라우저: {3}",
+ "copy": "복사",
+ "ok": "확인"
+ },
+ "vs/workbench/electron-sandbox/parts/dialogs/dialogHandler": {
+ "yesButton": "예(&&Y)",
+ "cancelButton": "취소",
+ "aboutDetail": "버전: {0}\r\n커밋: {1}\r\n날짜: {2}\r\nElectron: {3}\r\nChrome: {4}\r\nNode.js: {5}\r\nV8: {6}\r\nOS: {7}",
+ "okButton": "확인",
+ "copy": "복사(&&C)"
+ },
+ "vs/workbench/electron-sandbox/actions/developerActions": {
+ "toggleDevTools": "개발자 도구 설정/해제",
+ "configureRuntimeArguments": "런타임 인수 구성"
+ },
+ "vs/workbench/electron-sandbox/actions/windowActions": {
+ "closeWindow": "창 닫기",
+ "zoomIn": "확대",
+ "zoomOut": "축소",
+ "zoomReset": "확대/축소 다시 설정",
+ "reloadWindowWithExtensionsDisabled": "확장을 사용하지 않도록 설정한 후 다시 로드",
+ "close": "창 닫기",
+ "switchWindowPlaceHolder": "전환할 창 선택",
+ "windowDirtyAriaLabel": "{0}, 더티 창, 창 선택기",
+ "current": "현재 창",
+ "switchWindow": "창 전환...",
+ "quickSwitchWindow": "빠른 창 전환..."
+ },
+ "vs/workbench/browser/parts/notifications/notificationsCenter": {
+ "notificationsEmpty": "새 알림 없음",
+ "notifications": "알림",
+ "notificationsToolbar": "알림 센터 작업"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsAlerts": {
+ "alertErrorMessage": "오류: {0}",
+ "alertWarningMessage": "경고: {0}",
+ "alertInfoMessage": "정보: {0}"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsStatus": {
+ "status.notifications": "알림",
+ "hideNotifications": "알림 숨기기",
+ "zeroNotifications": "알림 없음",
+ "noNotifications": "새 알림 없음",
+ "oneNotification": "1개의 새 알림",
+ "notifications": "새 알림 {0}개",
+ "noNotificationsWithProgress": "새 알림 없음({0}개 진행 중)",
+ "oneNotificationWithProgress": "1개의 새로운 알림({0}개 진행 중)",
+ "notificationsWithProgress": "{0}개 새 알림({1}개 진행 중)",
+ "status.message": "상태 메시지"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsCommands": {
+ "notifications": "알림",
+ "showNotifications": "알림 표시",
+ "hideNotifications": "알림 숨기기",
+ "clearAllNotifications": "모든 알림 지우기",
+ "focusNotificationToasts": "포커스 알림 메시지"
+ },
+ "vs/workbench/browser/parts/titlebar/menubarControl": {
+ "mFile": "파일(&&F)",
+ "mEdit": "편집(&&E)",
+ "mSelection": "선택 영역(&&S)",
+ "mView": "보기(&&V)",
+ "mGoto": "이동(&&G)",
+ "mRun": "실행(&&R)",
+ "mTerminal": "터미널(&&T)",
+ "mHelp": "도움말(&&H)",
+ "menubar.customTitlebarAccessibilityNotification": "접근성 지원을 사용할 수 있습니다. 접근성이 가장 좋은 환경을 위해 사용자 지정 제목 표시줄 스타일을 사용하는 것이 좋습니다.",
+ "goToSetting": "설정 열기",
+ "focusMenu": "애플리케이션 메뉴에 포커스",
+ "checkForUpdates": "업데이트 확인(&&U)...",
+ "checkingForUpdates": "업데이트를 확인하는 중...",
+ "download now": "업데이트 다운로드(&&O)",
+ "DownloadingUpdate": "업데이트를 다운로드하는 중...",
+ "installUpdate...": "업데이트 설치(&&U)...",
+ "installingUpdate": "업데이트를 설치하는 중...",
+ "restartToUpdate": "다시 시작 및 업데이트(&&U)"
+ },
+ "vs/workbench/api/common/extHostExtensionActivator": {
+ "failedDep1": "'{0}' 확장은 활성화하는 데 실패한 '{1}' 확장에 따라 달라지므로 이 확장을 활성화할 수 없습니다.",
+ "activationError": "'{0}' 확장을 활성화하지 못했습니다. {1}."
+ },
+ "vs/workbench/api/common/extHost.api.impl": {
+ "extensionLabel": "{0}(확장)"
+ },
+ "vs/workbench/api/node/extHostDebugService": {
+ "debug.terminal.title": "디버기"
+ },
+ "vs/workbench/api/common/jsonValidationExtensionPoint": {
+ "contributes.jsonValidation": "json 스키마 구성을 적용합니다.",
+ "contributes.jsonValidation.fileMatch": "일치하도록 연결할 파일 패턴 또는 패턴 배열(예: \"package.json\" 또는 \"*.launch\"). 제외 패턴은 '!' 기호로 시작합니다.",
+ "contributes.jsonValidation.url": "스키마 URL('http:', 'https:') 또는 확장 폴더에 대한 상대 경로('./')입니다.",
+ "invalid.jsonValidation": "'configuration.jsonValidation'은 배열이어야 합니다.",
+ "invalid.fileMatch": "'configuration.jsonValidation.fileMatch'는 문자열 또는 문자열의 배열로 정의되어야 합니다.",
+ "invalid.url": "'configuration.jsonValidation.url'은 URL 또는 상대 경로여야 합니다.",
+ "invalid.path.1": "확장 폴더({2})에 포함할 'contributes.{0}.url'({1})이 필요합니다. 확장이 이식 불가능해질 수 있습니다.",
+ "invalid.url.fileschema": "'configuration.jsonValidation.url'이 잘못된 상대 URL입니다. {0}",
+ "invalid.url.schema": "확장에 위치한 스키마를 참조하기 위해 'configuration.jsonValidation.url'은 절대 URL이거나 './'로 시작해야 합니다."
+ },
+ "vs/workbench/api/browser/mainThreadExtensionService": {
+ "reload window": "로드되지 않은 '{1}' 확장 프로그램에 의존하기 때문에 '{0}' 확장 프로그램을 활성화 할 수 없습니다. 확장 프로그램을 로드하기 위해 창을 다시 로드하시겠습니까?",
+ "reload": "창 다시 로드",
+ "disabledDep": "'{0}' 확장은 사용하지 않도록 설정된 '{1}' 확장에 따라 달라지기 때문에 활성화할 수 없습니다. 확장을 사용하도록 설정하고 창을 다시 로드하시겠습니까?",
+ "enable dep": "활성화하고 다시 로드",
+ "uninstalledDep": "설치되지 않은 '{1}' 확장에 따라 달라지기 때문에 '{0}' 확장을 활성화할 수 없습니다. 확장을 설치하고 창을 다시 로드하시겠습니까?",
+ "install missing dep": "설치 및 다시 로드",
+ "unknownDep": "알 수 없는 '{1}'에 의존하기 때문에 '{0}'을(를) 활성화할 수 없습니다."
+ },
+ "vs/workbench/api/browser/mainThreadFileSystemEventService": {
+ "files.participants.timeout": "생성, 이름 바꾸기 및 삭제를 위한 파일 참가자가 취소된 후 밀리초 단위의 시간 제한입니다. 참가자를 비활성화하려면 '0'을 사용합니다."
+ },
+ "vs/workbench/api/browser/mainThreadMessageService": {
+ "extensionSource": "{0}(확장)",
+ "defaultSource": "확장",
+ "manageExtension": "확장 관리",
+ "cancel": "취소",
+ "ok": "확인"
+ },
+ "vs/workbench/api/browser/mainThreadProgress": {
+ "manageExtension": "확장 관리"
+ },
+ "vs/workbench/api/browser/mainThreadSaveParticipant": {
+ "timeout.onWillSave": "1750ms 후에 onWillSaveTextDocument-event가 중단됨"
+ },
+ "vs/workbench/api/browser/mainThreadWorkspace": {
+ "folderStatusMessageAddSingleFolder": "'{0}' 확장이 작업 영역에 1개 폴더를 추가함",
+ "folderStatusMessageAddMultipleFolders": "'{0}' 확장이 작업 영역에 {1}개 폴더를 추가함",
+ "folderStatusMessageRemoveSingleFolder": "'{0}' 확장이 작업 영역에서 1개 폴더를 제거함",
+ "folderStatusMessageRemoveMultipleFolders": "'{0}' 확장이 작업 영역에서 {1}개 폴더를 제거함",
+ "folderStatusChangeFolder": "'{0}' 확장이 작업 영역의 폴더를 변경함"
+ },
+ "vs/workbench/api/browser/mainThreadComments": {
+ "commentsViewIcon": "주석 보기의 뷰 아이콘입니다."
+ },
+ "vs/workbench/api/browser/mainThreadTask": {
+ "task.label": "{0}: {1}"
+ },
+ "vs/workbench/api/browser/mainThreadAuthentication": {
+ "noTrustedExtensions": "이 계정을 사용한 확장이 없습니다.",
+ "accountLastUsedDate": "이 계정을 마지막으로 사용한 날짜: {0}",
+ "notUsed": "이 계정을 사용하지 않음",
+ "manageTrustedExtensions": "신뢰할 수 있는 확장 관리",
+ "manageExensions": "이 계정에 액세스할 수 있는 확장 선택",
+ "signOutConfirm": "{0}에서 로그아웃",
+ "signOutMessagve": "{0} 계정은 다음에서 사용되었습니다. \r\n\r\n{1}\r\n\r\n 해당 기능에서 로그아웃하시겠습니까?",
+ "signOutMessageSimple": "{0}에서 로그아웃하시겠습니까?",
+ "signedOut": "로그아웃했습니다.",
+ "useOtherAccount": "다른 계정에 로그인",
+ "selectAccount": "'{0}' 확장에서 {1} 계정에 액세스하려고 함",
+ "getSessionPlateholder": "'{0}'의 계정을 선택하여 사용하거나 키를 눌러 취소",
+ "confirmAuthenticationAccess": "확장 '{0}'이(가) {1} 계정 '{2}'의 인증 정보에 액세스하려고 합니다.",
+ "allow": "허용",
+ "cancel": "취소",
+ "confirmLogin": "확장 '{0}'은(는) {1}을(를) 사용하여 로그인하려고 합니다."
+ },
+ "vs/workbench/common/configuration": {
+ "workbenchConfigurationTitle": "워크벤치"
+ },
+ "vs/workbench/browser/parts/views/treeView": {
+ "no-dataprovider": "보기 데이터를 제공할 수 있는 등록된 데이터 공급자가 없습니다.",
+ "refresh": "새로 고침",
+ "collapseAll": "모두 축소",
+ "command-error": "오류 실행 명령 {1}: {0}. 이는 {1}을(를) 제공하는 확장으로 인해 발생할 수 있습니다."
+ },
+ "vs/workbench/browser/viewlet": {
+ "compositePart.hideSideBarLabel": "사이드 막대 숨기기",
+ "views": "보기",
+ "collapse": "모두 축소"
+ },
+ "vs/workbench/browser/parts/views/viewPaneContainer": {
+ "viewPaneContainerExpandedIcon": "확장된 보기 창 컨테이너의 아이콘입니다.",
+ "viewPaneContainerCollapsedIcon": "축소된 보기 창 컨테이너의 아이콘입니다.",
+ "viewToolbarAriaLabel": "{0} 작업",
+ "hideView": "숨기기",
+ "viewMoveUp": "보기를 위로 이동",
+ "viewMoveLeft": "보기를 왼쪽으로 이동",
+ "viewMoveDown": "보기를 아래로 이동",
+ "viewMoveRight": "보기를 오른쪽으로 이동"
+ },
+ "vs/workbench/browser/parts/editor/editorGroupView": {
+ "ariaLabelGroupActions": "편집기 그룹 작업",
+ "closeGroupAction": "닫기",
+ "emptyEditorGroup": "{0}(비어 있음)",
+ "groupLabel": "{0} 그룹",
+ "groupAriaLabel": "편집기 그룹 {0}",
+ "ok": "확인",
+ "cancel": "취소",
+ "editorOpenErrorDialog": "'{0}'을(를) 열 수 없음",
+ "editorOpenError": "'{0}'을(를) 열 수 없습니다. {1}."
+ },
+ "vs/workbench/browser/parts/editor/editorDropTarget": {
+ "fileTooLarge": "파일이 너무 커서 제목 없는 편집기로 열 수 없습니다. 먼저 파일을 파일 탐색기에 업로드한 후 다시 시도하세요."
+ },
+ "vs/workbench/browser/parts/editor/editor.contribution": {
+ "textEditor": "텍스트 편집기",
+ "textDiffEditor": "텍스트 Diff 편집기",
+ "binaryDiffEditor": "이진 Diff 편집기",
+ "sideBySideEditor": "병렬 편집기",
+ "editorQuickAccessPlaceholder": "열려는 편집기 이름을 입력합니다.",
+ "activeGroupEditorsByMostRecentlyUsedQuickAccess": "가장 최근에 사용한 항목별로 활성 그룹의 편집기 표시",
+ "allEditorsByAppearanceQuickAccess": "모양별로 열린 모든 편집기 표시",
+ "allEditorsByMostRecentlyUsedQuickAccess": "가장 최근에 사용한 항목별로 열린 모든 편집기 표시",
+ "file": "파일",
+ "splitUp": "위로 분할",
+ "splitDown": "아래로 분할",
+ "splitLeft": "왼쪽으로 분할",
+ "splitRight": "오른쪽으로 분할",
+ "close": "닫기",
+ "closeOthers": "기타 항목 닫기",
+ "closeRight": "오른쪽에 있는 항목 닫기",
+ "closeAllSaved": "저장된 항목 닫기",
+ "closeAll": "모두 닫기",
+ "keepOpen": "열린 상태 유지",
+ "pin": "고정",
+ "unpin": "고정 해제",
+ "toggleInlineView": "인라인 보기 토글",
+ "showOpenedEditors": "열려 있는 편집기 표시",
+ "toggleKeepEditors": "편집기 열어 두기",
+ "splitEditorRight": "편집기를 오른쪽으로 분할",
+ "splitEditorDown": "편집기를 아래로 분할",
+ "previousChangeIcon": "Diff 편집기에서 이전 변경 작업의 아이콘입니다.",
+ "nextChangeIcon": "Diff 편집기에서 다음 변경 작업의 아이콘입니다.",
+ "toggleWhitespace": "Diff 편집기에서 공백 토글 작업의 아이콘입니다.",
+ "navigate.prev.label": "이전 변경 내용",
+ "navigate.next.label": "다음 변경 내용",
+ "ignoreTrimWhitespace.label": "선행/후행 공백 차이 무시",
+ "showTrimWhitespace.label": "선행/후행 공백 차이 표시",
+ "keepEditor": "편집기 유지",
+ "pinEditor": "편집기 고정",
+ "unpinEditor": "편집기 고정 해제",
+ "closeEditor": "편집기 닫기",
+ "closePinnedEditor": "고정된 편집기 닫기",
+ "closeEditorsInGroup": "그룹의 모든 편집기 닫기",
+ "closeSavedEditors": "그룹에서 저장된 편집기 닫기",
+ "closeOtherEditors": "그룹의 다른 편집기 닫기",
+ "closeRightEditors": "그룹에서 오른쪽에 있는 편집기 닫기",
+ "closeEditorGroup": "편집기 그룹 닫기",
+ "miReopenClosedEditor": "닫힌 편집기 다시 열기(&&R)",
+ "miClearRecentOpen": "최근에 연 항목 지우기(&&C)",
+ "miEditorLayout": "편집기 레이아웃(&&L)",
+ "miSplitEditorUp": "위쪽 분할(&&U)",
+ "miSplitEditorDown": "아래쪽 분할(&&D)",
+ "miSplitEditorLeft": "왼쪽 분할(&&L)",
+ "miSplitEditorRight": "오른쪽 분할(&&R)",
+ "miSingleColumnEditorLayout": "단일(&&S)",
+ "miTwoColumnsEditorLayout": "두 개 열(&&T)",
+ "miThreeColumnsEditorLayout": "세 개 열(&&H)",
+ "miTwoRowsEditorLayout": "두 개 행(&&W)",
+ "miThreeRowsEditorLayout": "세 개 행(&&R)",
+ "miTwoByTwoGridEditorLayout": "그리드(2x2)(&&G)",
+ "miTwoRowsRightEditorLayout": "오른쪽 두 개 행(&&O)",
+ "miTwoColumnsBottomEditorLayout": "아래쪽 두 개 열(&&C)",
+ "miBack": "뒤로(&&B)",
+ "miForward": "앞으로(&&F)",
+ "miLastEditLocation": "마지막 편집 위치(&&L)",
+ "miNextEditor": "다음 편집기(&&N)",
+ "miPreviousEditor": "이전 편집기(&&P)",
+ "miNextRecentlyUsedEditor": "다음에 사용한 편집기(&&N)",
+ "miPreviousRecentlyUsedEditor": "이전에 사용한 편집기(&&P)",
+ "miNextEditorInGroup": "그룹의 다음 편집기(&&N)",
+ "miPreviousEditorInGroup": "그룹의 이전 편집기(&&P)",
+ "miNextUsedEditorInGroup": "그룹에서 다음에 사용되는 편집기(&&N)",
+ "miPreviousUsedEditorInGroup": "그룹에서 이전에 사용된 편집기(&&P)",
+ "miSwitchEditor": "편집기 전환(&&E)",
+ "miFocusFirstGroup": "그룹 1(&&1)",
+ "miFocusSecondGroup": "그룹 2(&&2)",
+ "miFocusThirdGroup": "그룹 3(&&3)",
+ "miFocusFourthGroup": "그룹 4(&&4)",
+ "miFocusFifthGroup": "그룹 5(&&5)",
+ "miNextGroup": "다음 그룹(&&N)",
+ "miPreviousGroup": "이전 그룹(&&P)",
+ "miFocusLeftGroup": "왼쪽 그룹(&&L)",
+ "miFocusRightGroup": "오른쪽 그룹(&&R)",
+ "miFocusAboveGroup": "위 그룹(&&A)",
+ "miFocusBelowGroup": "아래 그룹(&&B)",
+ "miSwitchGroup": "그룹 전환(&&G)"
+ },
+ "vs/workbench/browser/parts/activitybar/activitybarActions": {
+ "goHome": "홈으로 이동",
+ "hide": "숨기기",
+ "manageTrustedExtensions": "신뢰할 수 있는 확장 관리",
+ "signOut": "로그아웃",
+ "authProviderUnavailable": "현재 {0}을(를) 사용할 수 없습니다.",
+ "previousSideBarView": "이전 사이드바 보기",
+ "nextSideBarView": "다음 사이드바 보기"
+ },
+ "vs/workbench/browser/parts/compositeBar": {
+ "activityBarAriaLabel": "활성 뷰 전환기"
+ },
+ "vs/workbench/browser/parts/compositeBarActions": {
+ "badgeTitle": "{0} - {1}",
+ "additionalViews": "추가 뷰",
+ "numberBadge": "{0}({1})",
+ "manageExtension": "확장 관리",
+ "titleKeybinding": "{0}({1})",
+ "hide": "숨기기",
+ "keep": "유지",
+ "toggle": "뷰 고정 전환"
+ },
+ "vs/workbench/browser/parts/compositePart": {
+ "ariaCompositeToolbarLabel": "{0} 작업",
+ "viewsAndMoreActions": "보기 및 기타 작업...",
+ "titleTooltip": "{0}({1})"
+ },
+ "vs/workbench/browser/parts/panel/panelActions": {
+ "maximizeIcon": "패널을 최대화하는 아이콘입니다.",
+ "restoreIcon": "패널을 복원하는 아이콘입니다.",
+ "closeIcon": "패널을 닫는 아이콘입니다.",
+ "closePanel": "패널 닫기",
+ "togglePanel": "패널 설정/해제",
+ "focusPanel": "패널로 포커스 이동",
+ "toggleMaximizedPanel": "최대화된 패널 설정/해제",
+ "maximizePanel": "패널 크기 최대화",
+ "minimizePanel": "패널 크기 복원",
+ "positionPanelLeft": "왼쪽으로 패널 이동",
+ "positionPanelRight": "오른쪽으로 패널 이동",
+ "positionPanelBottom": "패널을 아래쪽으로 이동",
+ "previousPanelView": "이전 패널 보기",
+ "nextPanelView": "다음 패널 보기",
+ "miShowPanel": "패널 표시(&&P)"
+ },
+ "vs/workbench/common/editor/diffEditorInput": {
+ "sideBySideLabels": "{0} ↔ {1}"
+ },
+ "vs/workbench/browser/parts/editor/editorWidgets": {
+ "openWorkspace": "작업 영역 열기"
+ },
+ "vs/workbench/browser/parts/editor/editorCommands": {
+ "editorCommand.activeEditorMove.description": "활성 편집기를 탭 또는 그룹 단위로 이동",
+ "editorCommand.activeEditorMove.arg.name": "활성 편집기 이동 인수",
+ "editorCommand.activeEditorMove.arg.description": "인수 속성:\r\n* 'to': 이동할 위치를 지정하는 문자열 값입니다.\r\n* 'by': 이동할 단위를 지정하는 문자열 값입니다(탭 단위 또는 그룹 단위).\r\n* 'value': 이동할 위치 수 또는 절대 위치를 지정하는 숫자 값입니다.",
+ "toggleInlineView": "인라인 보기 토글",
+ "compare": "비교",
+ "enablePreview": "미리 보기 편집기가 설정에서 사용하도록 설정되었습니다.",
+ "disablePreview": "미리 보기 편집기가 설정에서 사용하지 않도록 설정되어 있습니다.",
+ "learnMode": "자세한 정보"
+ },
+ "vs/workbench/browser/parts/editor/textResourceEditor": {
+ "textEditor": "텍스트 편집기"
+ },
+ "vs/workbench/browser/parts/titlebar/titlebarPart": {
+ "patchedWindowTitle": "[지원되지 않음]",
+ "userIsAdmin": "[관리자]",
+ "userIsSudo": "[슈퍼유저]",
+ "devExtensionWindowTitlePrefix": "[확장 개발 호스트]"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsList": {
+ "notificationAriaLabel": "{0}, 알림",
+ "notificationWithSourceAriaLabel": "{0}, 소스: {1}, 알림",
+ "notificationsList": "알림 목록"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsActions": {
+ "clearIcon": "알림에서 지우기 작업의 아이콘입니다.",
+ "clearAllIcon": "알림에서 모두 지우기 작업의 아이콘입니다.",
+ "hideIcon": "알림에서 숨기기 작업의 아이콘입니다.",
+ "expandIcon": "알림에서 확장 작업의 아이콘입니다.",
+ "collapseIcon": "알림에서 축소 작업의 아이콘입니다.",
+ "configureIcon": "알림에서 구성 작업의 아이콘입니다.",
+ "clearNotification": "알림 지우기",
+ "clearNotifications": "모든 알림 지우기",
+ "hideNotificationsCenter": "알림 숨기기",
+ "expandNotification": "알림 확장",
+ "collapseNotification": "알림 축소",
+ "configureNotification": "알림 구성",
+ "copyNotification": "텍스트 복사"
+ },
+ "vs/workbench/api/common/extHostDiagnostics": {
+ "limitHit": "{0}개의 추가 오류 및 경고를 표시하지 않습니다."
+ },
+ "vs/workbench/api/common/extHostProgress": {
+ "extensionSource": "{0}(확장)"
+ },
+ "vs/workbench/api/common/extHostStatusBar": {
+ "status.extensionMessage": "확장 상태"
+ },
+ "vs/workbench/api/common/extHostTreeViews": {
+ "treeView.notRegistered": "ID가 '{0}'인 등록된 트리 뷰가 없습니다.",
+ "treeView.duplicateElement": "ID가 {0}인 요소가 이미 등록되어 있습니다."
+ },
+ "vs/workbench/browser/parts/editor/textEditor": {
+ "editor": "편집기"
+ },
+ "vs/workbench/api/browser/mainThreadCustomEditors": {
+ "defaultEditLabel": "편집"
+ },
+ "vs/workbench/api/browser/mainThreadWebviews": {
+ "errorMessage": "뷰를 복원하는 중 오류 발생:{0}"
+ },
+ "vs/workbench/browser/parts/editor/tabsTitleControl": {
+ "ariaLabelTabActions": "탭 작업"
+ },
+ "vs/workbench/browser/parts/editor/textDiffEditor": {
+ "textDiffEditor": "텍스트 Diff 편집기"
+ },
+ "vs/workbench/browser/parts/editor/binaryDiffEditor": {
+ "metadataDiff": "{0} ↔ {1}"
+ },
+ "vs/workbench/browser/parts/editor/editorStatus": {
+ "singleSelectionRange": "줄 {0}, 열 {1}({2} 선택됨)",
+ "singleSelection": "줄 {0}, 열 {1}",
+ "multiSelectionRange": "{0} 선택 항목({1}자 선택됨)",
+ "multiSelection": "{0} 선택 항목",
+ "endOfLineLineFeed": "LF",
+ "endOfLineCarriageReturnLineFeed": "CRLF",
+ "screenReaderDetectedExplanation.question": "화면 읽기 프로그램을 사용하여 VS Code를 작동하고 있습니까? (화면 읽기 프로그램을 사용할 경우 자동 줄 바꿈이 사용하지 않도록 설정됨)",
+ "screenReaderDetectedExplanation.answerYes": "예",
+ "screenReaderDetectedExplanation.answerNo": "아니요",
+ "noEditor": "현재 활성 텍스트 편집기 없음",
+ "noWritableCodeEditor": "활성 코드 편집기는 읽기 전용입니다.",
+ "indentConvert": "파일 변환",
+ "indentView": "보기 변경",
+ "pickAction": "작업 선택",
+ "tabFocusModeEnabled": "Tab으로 포커스 이동",
+ "disableTabMode": "접근성 모드 사용 안 함",
+ "status.editor.tabFocusMode": "접근성 모드",
+ "columnSelectionModeEnabled": "열 선택",
+ "disableColumnSelectionMode": "열 선택 모드 사용 안 함",
+ "status.editor.columnSelectionMode": "열 선택 모드",
+ "screenReaderDetected": "화면 읽기 프로그램이 최적화됨",
+ "status.editor.screenReaderMode": "화면 읽기 프로그램 모드",
+ "gotoLine": "줄/열로 이동",
+ "status.editor.selection": "편집기 선택",
+ "selectIndentation": "들여쓰기 선택",
+ "status.editor.indentation": "편집기 들여쓰기",
+ "selectEncoding": "인코딩 선택",
+ "status.editor.encoding": "편집기 인코딩",
+ "selectEOL": "줄 시퀀스의 끝 선택",
+ "status.editor.eol": "편집기 줄의 끝",
+ "selectLanguageMode": "언어 모드 선택",
+ "status.editor.mode": "편집기 언어",
+ "fileInfo": "파일 정보",
+ "status.editor.info": "파일 정보",
+ "spacesSize": "공백: {0}",
+ "tabSize": "Tab 크기: {0}",
+ "currentProblem": "현재 문제",
+ "showLanguageExtensions": "'{0}'의 Marketplace 확장 검색...",
+ "changeMode": "언어 모드 변경",
+ "languageDescription": "({0}) - 구성된 언어",
+ "languageDescriptionConfigured": "({0})",
+ "languagesPicks": "언어(식별자)",
+ "configureModeSettings": "'{0}' 언어 기반 설정 구성...",
+ "configureAssociationsExt": "'{0}'에 대한 파일 연결 구성...",
+ "autoDetect": "자동 감지",
+ "pickLanguage": "언어 모드 선택",
+ "currentAssociation": "현재 연결",
+ "pickLanguageToConfigure": "'{0}'과(와) 연결할 언어 모드 선택",
+ "changeEndOfLine": "줄 시퀀스의 끝 변경",
+ "pickEndOfLine": "줄 시퀀스의 끝 선택",
+ "changeEncoding": "파일 인코딩 변경",
+ "noFileEditor": "현재 활성 파일 없음",
+ "saveWithEncoding": "인코딩하여 저장",
+ "reopenWithEncoding": "인코딩하여 다시 열기",
+ "guessedEncoding": "콘텐츠에서 추측함",
+ "pickEncodingForReopen": "파일을 다시 열 파일 인코딩 선택",
+ "pickEncodingForSave": "파일을 저장할 파일 인코딩 선택"
+ },
+ "vs/workbench/browser/parts/editor/editorActions": {
+ "splitEditor": "편집기 분할",
+ "splitEditorOrthogonal": "편집기 수직 분할",
+ "splitEditorGroupLeft": "편집기 왼쪽 분할",
+ "splitEditorGroupRight": "편집기를 오른쪽으로 분할",
+ "splitEditorGroupUp": "편집기 위쪽 분할",
+ "splitEditorGroupDown": "편집기를 아래로 분할",
+ "joinTwoGroups": "편집기 그룹을 다음 그룹에 조인",
+ "joinAllGroups": "모든 편집기 그룹 조인",
+ "navigateEditorGroups": "편집기 그룹 간 탐색",
+ "focusActiveEditorGroup": "활성 편집기 그룹에 포커스",
+ "focusFirstEditorGroup": "첫 번째 편집기 그룹에 포커스",
+ "focusLastEditorGroup": "마지막 편집기 그룹에 포커스",
+ "focusNextGroup": "다음 편집기 그룹에 포커스",
+ "focusPreviousGroup": "이전 편집기 그룹에 포커스",
+ "focusLeftGroup": "왼쪽 편집기 그룹에 포커스",
+ "focusRightGroup": "오른쪽 편집기 그룹에 포커스",
+ "focusAboveGroup": "위쪽 편집기 그룹에 포커스",
+ "focusBelowGroup": "아래쪽 편집기 그룹에 포커스",
+ "closeEditor": "편집기 닫기",
+ "unpinEditor": "편집기 고정 해제",
+ "closeOneEditor": "닫기",
+ "revertAndCloseActiveEditor": "편집기 되돌리기 및 닫기",
+ "closeEditorsToTheLeft": "그룹에서 왼쪽에 있는 편집기 닫기",
+ "closeAllEditors": "모든 편집기 닫기",
+ "closeAllGroups": "모든 편집기 그룹 닫기",
+ "closeEditorsInOtherGroups": "다른 그룹의 편집기 닫기",
+ "closeEditorInAllGroups": "모든 그룹에서 편집기 닫기",
+ "moveActiveGroupLeft": "편집기 그룹을 왼쪽으로 이동",
+ "moveActiveGroupRight": "편집기 그룹을 오른쪽으로 이동",
+ "moveActiveGroupUp": "편집기 그룹을 위로 이동",
+ "moveActiveGroupDown": "편집기 그룹을 아래로 이동",
+ "minimizeOtherEditorGroups": "편집기 그룹 최대화",
+ "evenEditorGroups": "편집기 그룹 크기 다시 설정",
+ "toggleEditorWidths": "편집기 그룹 크기 전환",
+ "maximizeEditor": "사이드바 숨기기",
+ "openNextEditor": "다음 편집기 열기",
+ "openPreviousEditor": "이전 편집기 열기",
+ "nextEditorInGroup": "그룹에서 다음 편집기 열기",
+ "openPreviousEditorInGroup": "그룹에서 이전 편집기 열기",
+ "firstEditorInGroup": "그룹의 첫 번째 편집기 열기",
+ "lastEditorInGroup": "그룹의 마지막 편집기 열기",
+ "navigateNext": "앞으로 이동",
+ "navigatePrevious": "뒤로 이동",
+ "navigateToLastEditLocation": "마지막 편집 위치로 이동",
+ "navigateLast": "마지막으로 이동",
+ "reopenClosedEditor": "닫힌 편집기 다시 열기",
+ "clearRecentFiles": "최근 사용 항목 지우기",
+ "showEditorsInActiveGroup": "가장 최근에 사용한 항목별로 활성 그룹의 편집기 표시",
+ "showAllEditors": "모양별로 모든 편집기 표시",
+ "showAllEditorsByMostRecentlyUsed": "가장 최근에 사용한 항목별로 모든 편집기 표시",
+ "quickOpenPreviousRecentlyUsedEditor": "최근에 사용한 편집기 빨리 열기",
+ "quickOpenLeastRecentlyUsedEditor": "가장 오래 전에 사용한 편집기 빨리 열기",
+ "quickOpenPreviousRecentlyUsedEditorInGroup": "그룹에서 최근에 사용한 편집기 빨리 열기",
+ "quickOpenLeastRecentlyUsedEditorInGroup": "그룹에서 가장 오래 전에 사용한 편집기 빨리 열기",
+ "navigateEditorHistoryByInput": "기록에서 이전 편집기 빨리 열기",
+ "openNextRecentlyUsedEditor": "최근에 사용한 다음 편집기 열기",
+ "openPreviousRecentlyUsedEditor": "최근에 사용한 이전 편집기 열기",
+ "openNextRecentlyUsedEditorInGroup": "그룹에서 최근에 사용한 다음 편집기 열기",
+ "openPreviousRecentlyUsedEditorInGroup": "그룹에서 최근에 사용한 이전 편집기 열기",
+ "clearEditorHistory": "편집기 기록 지우기",
+ "moveEditorLeft": "왼쪽으로 편집기 이동",
+ "moveEditorRight": "오른쪽으로 편집기 이동",
+ "moveEditorToPreviousGroup": "편집기를 이전 그룹으로 이동",
+ "moveEditorToNextGroup": "편집기를 다음 그룹으로 이동",
+ "moveEditorToAboveGroup": "편집기를 위쪽 그룹으로 이동",
+ "moveEditorToBelowGroup": "편집기를 아래쪽 그룹으로 이동",
+ "moveEditorToLeftGroup": "편집기를 왼쪽 그룹으로 이동",
+ "moveEditorToRightGroup": "편집기를 오른쪽 그룹으로 이동",
+ "moveEditorToFirstGroup": "편집기를 첫 번째 그룹으로 이동",
+ "moveEditorToLastGroup": "편집기를 마지막 그룹으로 이동",
+ "editorLayoutSingle": "단일 열 편집기 레이아웃",
+ "editorLayoutTwoColumns": "2개 열 편집기 레이아웃",
+ "editorLayoutThreeColumns": "3개 열 편집기 레이아웃",
+ "editorLayoutTwoRows": "2개 행 편집기 레이아웃",
+ "editorLayoutThreeRows": "3개 행 편집기 레이아웃",
+ "editorLayoutTwoByTwoGrid": "그리드 편집기 레이아웃(2x2)",
+ "editorLayoutTwoColumnsBottom": "2개 열 아래쪽 편집기 레이아웃",
+ "editorLayoutTwoRowsRight": "2개 행 오른쪽 편집기 레이아웃",
+ "newEditorLeft": "왼쪽의 새 편집기 그룹",
+ "newEditorRight": "오른쪽의 새 편집기 그룹",
+ "newEditorAbove": "위쪽의 새 편집기 그룹",
+ "newEditorBelow": "아래쪽의 새 편집기 그룹",
+ "workbench.action.reopenWithEditor": "편집기 다시 열기...",
+ "workbench.action.toggleEditorType": "편집기 유형 설정/해제"
+ },
+ "vs/workbench/browser/parts/editor/editorQuickAccess": {
+ "noViewResults": "일치하는 편집기 없음",
+ "entryAriaLabelWithGroupDirty": "{0}, 더티, {1}",
+ "entryAriaLabelWithGroup": "{0}, {1}",
+ "entryAriaLabelDirty": "{0}, 더티",
+ "closeEditor": "편집기 닫기"
+ },
+ "vs/workbench/browser/parts/editor/binaryEditor": {
+ "binaryEditor": "이진 뷰어",
+ "nativeFileTooLargeError": "파일이 너무 커서 편집기에서 표시되지 않습니다({0}).",
+ "nativeBinaryError": "파일이 이진이거나 지원되지 않는 텍스트 인코딩을 사용하기 때문에 편집기에서 표시되지 않습니다.",
+ "openAsText": "그래도 여시겠습니까?"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsViewer": {
+ "executeCommand": "'{0}' 명령을 실행하려면 클릭",
+ "notificationActions": "알림 작업",
+ "notificationSource": "소스: {0}"
+ },
+ "vs/workbench/browser/parts/editor/titleControl": {
+ "ariaLabelEditorActions": "편집기 작업",
+ "draggedEditorGroup": "{0}(+{1})"
+ },
+ "vs/workbench/browser/parts/editor/breadcrumbsControl": {
+ "cmd.toggle": "이동 경로 설정/해제",
+ "miShowBreadcrumbs": "이동 경로 표시(&&B)",
+ "cmd.focus": "이동 경로에 포커스"
+ },
+ "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": "사용하도록 설정된 경우 이동 경로에 'null' 기호가 표시됩니다.",
+ "filteredTypes.enumMember": "사용하도록 설정되면 이동 경로에 'enumMember' 기호가 표시됩니다.",
+ "filteredTypes.struct": "사용하도록 설정되면 이동 경로에 '구조' 기호가 표시됩니다.",
+ "filteredTypes.event": "사용하도록 설정되면 이동 경로에 '이벤트' 기호가 표시됩니다.",
+ "filteredTypes.operator": "사용하도록 설정되면 이동 경로에 '연산자' 기호가 표시됩니다.",
+ "filteredTypes.typeParameter": "사용하도록 설정되면 이동 경로에 'typeParameter' 기호가 표시됩니다."
+ },
+ "vs/workbench/browser/parts/editor/breadcrumbsPicker": {
+ "breadcrumbs": "이동 경로"
+ },
+ "vs/workbench/contrib/backup/electron-sandbox/backupTracker": {
+ "backupTrackerBackupFailed": "하나 이상의 더티 편집기를 백업 위치에 저장할 수 없습니다.",
+ "backupTrackerConfirmFailed": "하나 이상의 더티 편집기 저장하거나 되돌릴 수 없습니다.",
+ "ok": "확인",
+ "backupErrorDetails": "먼저 변경된 편집기를 저장하거나 되돌린 후 다시 시도하세요."
+ },
+ "vs/workbench/contrib/bulkEdit/browser/bulkEditService": {
+ "summary.0": "편집하지 않음",
+ "summary.nm": "{1}개 파일에서 {0}개 텍스트 편집을 수행함",
+ "summary.n0": "1개 파일에서 {0}개 텍스트 편집을 수행함",
+ "workspaceEdit": "작업 영역 편집",
+ "nothing": "편집하지 않음"
+ },
+ "vs/workbench/contrib/bulkEdit/browser/preview/bulkEdit.contribution": {
+ "overlap": "또 다른 리팩터링이 미리 보기 중입니다.",
+ "cancel": "취소",
+ "continue": "계속",
+ "detail": "'계속'을 눌러 이전 리팩터링을 삭제하고 현재 리팩터링을 계속합니다.",
+ "apply": "리팩터링 적용",
+ "cat": "리팩터링 미리 보기",
+ "Discard": "리팩터링 취소",
+ "toogleSelection": "변경 전환",
+ "groupByFile": "파일별로 변경 그룹화",
+ "groupByType": "유형별 변경 그룹화",
+ "refactorPreviewViewIcon": "리팩터링 미리 보기의 뷰 아이콘입니다.",
+ "panel": "리팩터링 미리 보기"
+ },
+ "vs/workbench/contrib/bulkEdit/browser/preview/bulkEditPane": {
+ "empty.msg": "이름 바꾸기와 같은 코드 작업을 호출하여 변경 내용의 미리 보기를 여기에서 확인합니다.",
+ "conflict.1": "'{0}'이(가) 변경되어 리팩터링을 적용할 수 없습니다.",
+ "conflict.N": "{0}개의 다른 파일이 변경되었으므로 리팩터링을 적용할 수 없습니다.",
+ "edt.title.del": "{0}(삭제, 리팩터링 미리 보기)",
+ "rename": "이름 바꾸기",
+ "create": "만들기",
+ "edt.title.2": "{0}({1}, 리팩터링 미리 보기)",
+ "edt.title.1": "{0}(리팩터링 미리 보기)"
+ },
+ "vs/workbench/contrib/bulkEdit/browser/preview/bulkEditPreview": {
+ "default": "기타"
+ },
+ "vs/workbench/contrib/bulkEdit/browser/preview/bulkEditTree": {
+ "bulkEdit": "대량 편집",
+ "aria.renameAndEdit": "{0} 이름을 {1}(으)로 바꾸는 중, 텍스트 편집 중",
+ "aria.createAndEdit": "{0}을(를) 만드는 중, 텍스트 편집 중",
+ "aria.deleteAndEdit": "{0} 삭제 중, 텍스트 편집 중",
+ "aria.editOnly": "{0}, 텍스트 편집",
+ "aria.rename": "{1}에 {0} 이름 바꾸기",
+ "aria.create": "{0}을(를) 만드는 중",
+ "aria.delete": "{0} 삭제",
+ "aria.replace": "줄 {0}, {1}을(를) {2}(으)로 바꾸는 중",
+ "aria.del": "라인 {0}, {1} 제거",
+ "aria.insert": "줄 {0}, {1} 삽입 중",
+ "rename.label": "{0} → {1}",
+ "detail.rename": "(이름을 바꾸는 중)",
+ "detail.create": "(만드는 중)",
+ "detail.del": "(삭제 중)",
+ "title": "{0} - {1}"
+ },
+ "vs/workbench/contrib/callHierarchy/browser/callHierarchy.contribution": {
+ "no.item": "결과 없음",
+ "error": "호출 계층 구조를 표시하지 못함",
+ "title": "호출 계층 구조 보기",
+ "title.incoming": "수신 전화 표시",
+ "showIncomingCallsIcons": "호출 계층 구조 보기에서 들어오는 호출의 아이콘입니다.",
+ "title.outgoing": "발신 전화 표시",
+ "showOutgoingCallsIcon": "호출 계층 구조 보기에서 나가는 호출의 아이콘입니다.",
+ "title.refocus": "호출 계층 구조에 다시 포커스",
+ "close": "닫기"
+ },
+ "vs/workbench/contrib/callHierarchy/browser/callHierarchyPeek": {
+ "callFrom": "'{0}'의 호출",
+ "callsTo": "'{0}'의 호출자",
+ "title.loading": "로드 중...",
+ "empt.callsFrom": "'{0}'의 호출 없음",
+ "empt.callsTo": "'{0}'의 호출자 없음"
+ },
+ "vs/workbench/contrib/callHierarchy/browser/callHierarchyTree": {
+ "tree.aria": "호출 계층 구조",
+ "from": "{0}의 호출",
+ "to": "{0}의 호출자"
+ },
+ "vs/workbench/contrib/cli/node/cli.contribution": {
+ "shellCommand": "셸 명령",
+ "install": "PATH에 '{0}' 명령 설치",
+ "not available": "이 명령은 사용할 수 없습니다.",
+ "ok": "확인",
+ "cancel2": "취소",
+ "warnEscalation": "이제 Code에서 'osascript'를 사용하여 관리자에게 셸 명령을 설치할 권한이 있는지를 묻습니다.",
+ "cantCreateBinFolder": "'/usr/local/bin'을 만들 수 없습니다.",
+ "aborted": "중단됨",
+ "successIn": "셸 명령 '{0}'이(가) PATH에 설치되었습니다.",
+ "uninstall": "PATH에서 '{0}' 명령 제거",
+ "warnEscalationUninstall": "이제 Code에서 'osascript'를 사용하여 셸 명령을 제거할 관리자 권한이 있는지를 묻습니다.",
+ "cantUninstall": "셸 명령 '{0}'을(를) 제거할 수 없습니다.",
+ "successFrom": "셸 명령 '{0}'이(가) PATH에서 제거되었습니다."
+ },
+ "vs/workbench/contrib/codeActions/common/codeActionsContribution": {
+ "codeActionsOnSave.fixAll": "파일을 저장할 때 자동 수정 작업을 실행해야 하는지 여부를 제어합니다.",
+ "codeActionsOnSave": "저장할 때 실행되는 코드 동작 종류입니다.",
+ "codeActionsOnSave.generic": "파일 저장에서 '{0}' 작업을 실행할지 여부를 제어합니다."
+ },
+ "vs/workbench/contrib/codeActions/common/codeActionsExtensionPoint": {
+ "contributes.codeActions": "리소스에 사용할 편집기를 구성합니다.",
+ "contributes.codeActions.languages": "코드 작업이 활성화될 언어 모드입니다.",
+ "contributes.codeActions.kind": "기여한 코드 작업의 'CodeActionKind'입니다.",
+ "contributes.codeActions.title": "UI에 사용되는 코드 작업에 대한 레이블입니다.",
+ "contributes.codeActions.description": "코드 작업이 수행하는 작업에 대한 설명입니다."
+ },
+ "vs/workbench/contrib/codeActions/common/documentationExtensionPoint": {
+ "contributes.documentation": "제공된 문서입니다.",
+ "contributes.documentation.refactorings": "리팩터링에 대해 제공된 문서입니다.",
+ "contributes.documentation.refactoring": "리팩터링에 대해 제공된 문서입니다.",
+ "contributes.documentation.refactoring.title": "UI에 사용된 설명서의 레이블입니다.",
+ "contributes.documentation.refactoring.when": "When 절입니다.",
+ "contributes.documentation.refactoring.command": "명령이 실행되었습니다."
+ },
+ "vs/workbench/contrib/codeEditor/electron-browser/startDebugTextMate": {
+ "startDebugTextMate": "TextMate 구문 문법 기록 시작"
+ },
+ "vs/workbench/contrib/codeEditor/electron-sandbox/selectionClipboard": {
+ "actions.pasteSelectionClipboard": "선택 영역을 클립보드에 붙여넣기"
+ },
+ "vs/workbench/contrib/codeEditor/browser/languageConfigurationExtensionPoint": {
+ "parseErrors": "{0}을(를) 구문 분석하는 동안 오류가 발생했습니다. {1}",
+ "formatError": "{0}: 잘못된 형식입니다. JSON 개체가 필요합니다.",
+ "schema.openBracket": "여는 대괄호 문자 또는 문자열 시퀀스입니다.",
+ "schema.closeBracket": "닫는 대괄호 문자 또는 문자열 시퀀스입니다.",
+ "schema.comments": "주석 기호를 정의합니다.",
+ "schema.blockComments": "블록 주석이 표시되는 방법을 정의합니다.",
+ "schema.blockComment.begin": "블록 주석을 시작하는 문자 시퀀스입니다.",
+ "schema.blockComment.end": "블록 주석을 끝내는 문자 시퀀스입니다.",
+ "schema.lineComment": "줄 주석을 시작하는 문자 시퀀스입니다.",
+ "schema.brackets": "들여쓰기를 늘리거나 줄이는 대괄호 기호를 정의합니다.",
+ "schema.autoClosingPairs": "대괄호 쌍을 정의합니다. 여는 대괄호를 입력하면 닫는 대괄호가 자동으로 삽입됩니다.",
+ "schema.autoClosingPairs.notIn": "자동 쌍을 사용하지 않도록 설정된 범위 목록을 정의합니다.",
+ "schema.autoCloseBefore": "'languageDefined' 자동 닫기 설정을 사용할 때 대괄호 또는 따옴표 자동 닫기를 수행하기 위해 커서 뒤에 와야 하는 문자를 정의합니다. 이는 일반적으로 식을 시작할 수 없는 문자 집합입니다.",
+ "schema.surroundingPairs": "선택한 문자열을 둘러싸는 데 사용할 수 있는 대괄호 쌍을 정의합니다.",
+ "schema.wordPattern": "프로그래밍 언어의 단어로 간주되는 항목을 정의합니다.",
+ "schema.wordPattern.pattern": "단어 일치에 사용하는 RegEXP 패턴입니다.",
+ "schema.wordPattern.flags": "단어 일치에 사용하는 RegExp 플래그입니다.",
+ "schema.wordPattern.flags.errorMessage": "`/^([gimuy]+)$/` 패턴과 일치해야 합니다.",
+ "schema.indentationRules": "해당 언어의 들여쓰기 설정입니다.",
+ "schema.indentationRules.increaseIndentPattern": "라인이 이 패턴과 일치할 경우 이후의 모든 행을 한 번 들여씁니다(다른 규칙이 일치할 때까지).",
+ "schema.indentationRules.increaseIndentPattern.pattern": "increaseIndentPattern에 대한 RegExp 패턴입니다.",
+ "schema.indentationRules.increaseIndentPattern.flags": "increaseIndentPattern에 대한 RegExp 플래그입니다.",
+ "schema.indentationRules.increaseIndentPattern.errorMessage": "`/^([gimuy]+)$/` 패턴과 일치해야 합니다.",
+ "schema.indentationRules.decreaseIndentPattern": "행이 이 패턴과 일치하면 이후의 모든 행은 한 번 들여쓰지 않습니다(다른 규칙이 일치할 때까지).",
+ "schema.indentationRules.decreaseIndentPattern.pattern": "decreaseIndentPattern에 대한 RegExp 패턴입니다.",
+ "schema.indentationRules.decreaseIndentPattern.flags": "decreaseIndentPattern에 대한 RegExp 플래그입니다.",
+ "schema.indentationRules.decreaseIndentPattern.errorMessage": "`/^([gimuy]+)$/` 패턴과 일치해야 합니다.",
+ "schema.indentationRules.indentNextLinePattern": "행이 이 패턴과 일치하면 **그 다음 행만** 한 번 들여쓰기합니다.",
+ "schema.indentationRules.indentNextLinePattern.pattern": "indentNextLinePattern에 대한 RegExp 패턴입니다.",
+ "schema.indentationRules.indentNextLinePattern.flags": "indentNextLinePattern에 대한 RegExp 플래그입니다.",
+ "schema.indentationRules.indentNextLinePattern.errorMessage": "`/^([gimuy]+)$/` 패턴과 일치해야 합니다.",
+ "schema.indentationRules.unIndentedLinePattern": "행이 이 패턴과 일치하면 들여쓰기를 수정하지 않고 다른 규칙에 대해서 평가하지도 않습니다.",
+ "schema.indentationRules.unIndentedLinePattern.pattern": "unIndentedLinePattern에 대한 RegExp 패턴입니다.",
+ "schema.indentationRules.unIndentedLinePattern.flags": "unIndentedLinePattern에 대한 RegExp 플래그입니다.",
+ "schema.indentationRules.unIndentedLinePattern.errorMessage": "`/^([gimuy]+)$/` 패턴과 일치해야 합니다.",
+ "schema.folding": "해당 언어의 접기 설정입니다.",
+ "schema.folding.offSide": "해당 언어의 블록이 들여쓰기로 표현되는 경우 언어는 오프사이드 규칙을 준수합니다. 설정하는 경우 빈 줄은 후속 블록에 속합니다.",
+ "schema.folding.markers": "'#region' 및 '#endregion'처럼 언어별 접기 표식입니다. 시작 및 종료 regex는 모든 줄의 콘텐츠에 대해 테스트되며 효율적으로 설계되어야 합니다.",
+ "schema.folding.markers.start": "시작 표식에 대한 RegExp 패턴입니다. regexp는 '^'으로 시작해야 합니다.",
+ "schema.folding.markers.end": "끝 표식에 대한 RegExp 패턴입니다. regexp는 '^'으로 시작해야 합니다."
+ },
+ "vs/workbench/contrib/codeEditor/browser/quickaccess/gotoSymbolQuickAccess": {
+ "empty": "일치하는 항목 없음",
+ "gotoSymbolQuickAccessPlaceholder": "이동할 기호의 이름을 입력합니다.",
+ "gotoSymbolQuickAccess": "편집기에서 기호로 이동",
+ "gotoSymbolByCategoryQuickAccess": "범주별 편집기에서 기호로 이동",
+ "gotoSymbol": "편집기에서 기호로 이동..."
+ },
+ "vs/workbench/contrib/codeEditor/browser/accessibility/accessibility": {
+ "emergencyConfOn": "이제 `editor.accessibilitySupport` 설정을 'on'으로 변경합니다.",
+ "openingDocs": "이제 VS Code 접근성 설명서 페이지를 엽니다.",
+ "introMsg": "VS Code의 접근성 옵션을 사용해 주셔서 감사합니다.",
+ "status": "상태:",
+ "changeConfigToOnMac": "화면 읽기 프로그램에서 사용에 영구적으로 최적화되도록 편집기를 구성하려면 지금 Command+E를 누르세요.",
+ "changeConfigToOnWinLinux": "화면 읽기 프로그램에서 사용에 영구적으로 최적화되도록 편집기를 구성하려면 지금 Command+E를 누르세요.",
+ "auto_unknown": "편집기는 플랫폼 API를 사용하여 화면 읽기 프로그램이 연결되는 시기를 검색하도록 구성되어 있지만 현재 런타임에서는 이 구성을 지원하지 않습니다.",
+ "auto_on": "편집기는 화면 읽기 프로그램이 연결되어 있음을 자동으로 검색했습니다.",
+ "auto_off": "편집기는 화면 편집기가 연결되는 시기를 자동으로 검색하도록 구성되어 있지만, 이 구성은 현재 지원되지 않습니다.",
+ "configuredOn": "편집기는 화면 읽기 프로그램에서 사용에 영구적으로 최적화되도록 편집기를 구성되어 있습니다. `editor.accessibilitySupport` 설정을 편집하여 이 구성을 변경할 수 있습니다.",
+ "configuredOff": "편집기는 화면 읽기 프로그램에서 사용에 최적화되지 않도록 구성되었습니다.",
+ "tabFocusModeOnMsg": "현재 편집기에서 키를 누르면 포커스가 다음 포커스 가능한 요소로 이동합니다. {0}을(를) 눌러서 이 동작을 설정/해제합니다.",
+ "tabFocusModeOnMsgNoKb": "현재 편집기에서 키를 누르면 포커스가 다음 포커스 가능한 요소로 이동합니다. {0} 명령은 현재 키 바인딩으로 트리거할 수 없습니다.",
+ "tabFocusModeOffMsg": "현재 편집기에서 키를 누르면 탭 문자가 삽입됩니다. {0}을(를) 눌러서 이 동작을 설정/해제합니다.",
+ "tabFocusModeOffMsgNoKb": "현재 편집기에서 키를 누르면 탭 문자가 삽입됩니다. {0} 명령은 현재 키 바인딩으로 트리거할 수 없습니다.",
+ "openDocMac": "브라우저 창에 접근성과 관련된 추가 VS Code 정보를 열려면 Command+H를 누르세요.",
+ "openDocWinLinux": "브라우저 창에 접근성과 관련된 추가 VS Code 정보를 열려면 지금 Control+H를 누르세요.",
+ "outroMsg": "이 도구 설명을 해제하고 Esc 키 또는 Shift+Esc를 눌러서 편집기로 돌아갈 수 있습니다.",
+ "ShowAccessibilityHelpAction": "접근성 도움말 표시"
+ },
+ "vs/workbench/contrib/codeEditor/browser/diffEditorHelper": {
+ "hintTimeout": "diff 알고리즘이 일찍({0}밀리초 이후) 중지되었습니다.",
+ "removeTimeout": "제한 제거",
+ "hintWhitespace": "공백 차이 표시"
+ },
+ "vs/workbench/contrib/codeEditor/browser/inspectKeybindings": {
+ "workbench.action.inspectKeyMap": "개발자: 키 매핑 검사",
+ "workbench.action.inspectKeyMapJSON": "키 매핑 검사(JSON)"
+ },
+ "vs/workbench/contrib/codeEditor/browser/largeFileOptimizations": {
+ "largeFile": "{0}: 메모리 사용을 줄이고 멈춤 또는 작동 중단을 방지하기 위해 이 큰 파일에 대해 토큰화, 줄 바꿈 및 접기를 해제했습니다.",
+ "removeOptimizations": "강제로 기능을 사용하도록 설정",
+ "reopenFilePrompt": "이 설정을 적용하려면 파일을 다시 여세요."
+ },
+ "vs/workbench/contrib/codeEditor/browser/inspectEditorTokens/inspectEditorTokens": {
+ "inspectEditorTokens": "개발자: 편집기 토큰 및 범위 검사",
+ "inspectTMScopesWidget.loading": "로드 중..."
+ },
+ "vs/workbench/contrib/codeEditor/browser/quickaccess/gotoLineQuickAccess": {
+ "gotoLineQuickAccessPlaceholder": "이동하려는 줄 번호와 열(선택 사항)을 입력합니다(예: 줄 42, 열 5의 경우 42:5).",
+ "gotoLineQuickAccess": "줄/열로 이동",
+ "gotoLine": "줄/열로 이동..."
+ },
+ "vs/workbench/contrib/codeEditor/browser/saveParticipants": {
+ "formatting": "'{0}' 포맷터([구성](command:workbench.action.openSettings?%5B%22editor.formatOnSave%22%5D))를 실행하는 중입니다.",
+ "codeaction": "빠른 수정",
+ "codeaction.get": "'{0}'([구성](command:workbench.action.openSettings?%5B%22editor.codeActionsOnSave%22%5D))에서 코드 작업을 가져오고 있습니다.",
+ "codeAction.apply": "코드 작업 '{0}'을(를) 적용하는 중입니다."
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleColumnSelection": {
+ "toggleColumnSelection": "열 선택 모드 토글",
+ "miColumnSelection": "열 선택 모드(&&S)"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleMinimap": {
+ "toggleMinimap": "미니맵 토글",
+ "miShowMinimap": "미니맵 표시(&&M)"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleMultiCursorModifier": {
+ "toggleLocation": "다중 커서 한정자 설정/해제",
+ "miMultiCursorAlt": "다중 커서를 위해 Alt+Click으로 전환",
+ "miMultiCursorCmd": "다중 커서에 Cmd+Click 사용",
+ "miMultiCursorCtrl": "다중 커서에 Ctrl+클릭 사용"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleRenderControlCharacter": {
+ "toggleRenderControlCharacters": "제어 문자 설정/해제",
+ "miToggleRenderControlCharacters": "제어 문자 렌더링(&&C)"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleRenderWhitespace": {
+ "toggleRenderWhitespace": "공백 렌더링 설정/해제",
+ "miToggleRenderWhitespace": "공백 렌더링(&&R)"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleWordWrap": {
+ "toggle.wordwrap": "보기: 자동 줄 바꿈 설정/해제",
+ "unwrapMinified": "이 파일에 대해 줄 바꿈 사용 안 함",
+ "wrapMinified": "이 파일에 대해 줄 바꿈 사용",
+ "miToggleWordWrap": "자동 줄 바꿈 설정/해제 (&&W)"
+ },
+ "vs/workbench/contrib/codeEditor/browser/find/simpleFindWidget": {
+ "label.find": "찾기",
+ "placeholder.find": "찾기",
+ "label.previousMatchButton": "이전 검색 결과",
+ "label.nextMatchButton": "다음 검색 결과",
+ "label.closeButton": "닫기"
+ },
+ "vs/workbench/contrib/codeEditor/browser/find/simpleFindReplaceWidget": {
+ "label.find": "찾기",
+ "placeholder.find": "찾기",
+ "label.previousMatchButton": "이전 검색 결과",
+ "label.nextMatchButton": "다음 검색 결과",
+ "label.closeButton": "닫기",
+ "label.toggleReplaceButton": "바꾸기 모드 설정/해제",
+ "label.replace": "바꾸기",
+ "placeholder.replace": "바꾸기",
+ "label.replaceButton": "바꾸기",
+ "label.replaceAllButton": "모두 바꾸기"
+ },
+ "vs/workbench/contrib/comments/browser/comments.contribution": {
+ "commentsConfigurationTitle": "주석",
+ "openComments": "주석 패널을 열어야 하는 경우를 제어합니다."
+ },
+ "vs/workbench/contrib/comments/browser/commentsEditorContribution": {
+ "pickCommentService": "주석 공급자 선택",
+ "nextCommentThreadAction": "다음 주석 스레드로 이동"
+ },
+ "vs/workbench/contrib/comments/browser/commentsView": {
+ "collapseAll": "모두 축소",
+ "rootCommentsLabel": "현재 작업 영역에 대한 주석",
+ "resourceWithCommentThreadsLabel": "{0}에 있는 주석, 전체 경로 {1}",
+ "resourceWithCommentLabel": "{3}의 열 {2} 줄 {1}에 있는 ${0}의 주석, 소스: {4}"
+ },
+ "vs/workbench/contrib/comments/browser/commentsTreeViewer": {
+ "imageWithLabel": "이미지: {0}",
+ "image": "이미지"
+ },
+ "vs/workbench/contrib/comments/browser/commentGlyphWidget": {
+ "editorGutterCommentRangeForeground": "범위를 주석으로 처리하기 위한 편집기 여백 장식 색입니다."
+ },
+ "vs/workbench/contrib/comments/browser/commentThreadWidget": {
+ "collapseIcon": "검토 주석을 축소하기 위한 아이콘입니다.",
+ "label.collapse": "Collapse",
+ "startThread": "토론 시작",
+ "reply": "회신...",
+ "newComment": "새로운 댓글 입력"
+ },
+ "vs/workbench/contrib/comments/common/commentModel": {
+ "noComments": "이 작업 영역에는 아직 주석이 없습니다."
+ },
+ "vs/workbench/contrib/comments/browser/commentNode": {
+ "commentToggleReaction": "전환 반응",
+ "commentToggleReactionError": "댓글 반응 {0}을(를) 전환하지 못했습니다.",
+ "commentToggleReactionDefaultError": "댓글 반응 전환 실패",
+ "commentDeleteReactionError": "주석 반응을 삭제하는 데 실패했습니다. {0}.",
+ "commentDeleteReactionDefaultError": "주석 반응 삭제 실패",
+ "commentAddReactionError": "주석 반응을 삭제하는 데 실패했습니다. {0}.",
+ "commentAddReactionDefaultError": "주석 반응 삭제 실패"
+ },
+ "vs/workbench/contrib/comments/browser/reactionsAction": {
+ "pickReactions": "반응 선택..."
+ },
+ "vs/workbench/contrib/customEditor/browser/customEditors": {
+ "openWithCurrentlyActive": "현재 활성 상태",
+ "promptOpenWith.setDefaultTooltip": "'{0}' 파일에 대한 기본 편집기로 설정",
+ "promptOpenWith.placeHolder": "'{0}'에 사용할 편집기를 선택합니다..."
+ },
+ "vs/workbench/contrib/customEditor/common/contributedCustomEditors": {
+ "builtinProviderDisplayName": "기본 제공",
+ "promptOpenWith.defaultEditor.displayName": "텍스트 편집기"
+ },
+ "vs/workbench/contrib/customEditor/common/extensionPoint": {
+ "contributes.customEditors": "사용자 지정 편집기를 적용했습니다.",
+ "contributes.viewType": "사용자 지정 편집기의 식별자입니다. 이 식별자는 모든 사용자 지정 편집기에서 고유해야 하므로 `viewType`의 일부로 확장 ID를 포함하는 것이 좋습니다. `viewType`은 `vscode.registerCustomEditorProvider`를 사용하여 사용자 지정 편집기를 등록할 때와 `onCustomEditor:${id}` [활성화 이벤트](https://code.visualstudio.com/api/references/activation-events)에서 사용됩니다.",
+ "contributes.displayName": "사람이 읽을 수 있는 사용자 지정 편집기 이름입니다. 사용할 편집기를 선택할 때 사용자에게 표시됩니다.",
+ "contributes.selector": "사용자 지정 편집기가 사용되는 glob 집합입니다.",
+ "contributes.selector.filenamePattern": "사용자 지정 편집기가 사용되는 glob입니다.",
+ "contributes.priority": "사용자가 파일을 열 때 사용자 지정 편집기를 자동으로 사용할지를 제어합니다. 사용자가 `workbench.editorAssociations` 설정을 사용하여 재정의할 수 있습니다.",
+ "contributes.priority.default": "이 편집기는 사용자가 리소스를 열 때 해당 리소스에 대해 다른 기본 사용자 지정 편집기가 등록되지 않은 경우 자동으로 사용됩니다.",
+ "contributes.priority.option": "이 편집기는 사용자가 리소스를 열 때 자동으로 사용되지 않지만, 사용자가 '다음으로 다시 열기' 명령을 사용하여 이 편집기로 전환할 수 있습니다."
+ },
+ "vs/workbench/contrib/debug/common/debug": {
+ "internalConsoleOptions": "내부 디버그 콘솔을 열어야 할 경우를 제어합니다."
+ },
+ "vs/workbench/contrib/debug/browser/debug.contribution": {
+ "debugCategory": "디버그",
+ "runCategory": "실행",
+ "startDebugPlaceholder": "실행할 시작 구성의 이름을 입력합니다.",
+ "startDebuggingHelp": "디버깅 시작",
+ "terminateThread": "스레드 종료",
+ "debugFocusConsole": "디버그 콘솔 뷰에 포커스 설정",
+ "jumpToCursor": "커서로 이동",
+ "SetNextStatement": "다음 문 설정",
+ "inlineBreakpoint": "인라인 중단점",
+ "stepBackDebug": "뒤로 이동",
+ "reverseContinue": "반전",
+ "restartFrame": "프레임 다시 시작",
+ "copyStackTrace": "호출 스택 복사",
+ "setValue": "값 설정",
+ "copyValue": "값 복사",
+ "copyAsExpression": "식으로 복사",
+ "addToWatchExpressions": "조사식에 추가",
+ "breakWhenValueChanges": "값이 변경되면 중단",
+ "miViewRun": "실행(&&R)",
+ "miToggleDebugConsole": "디버그 콘솔(&&B)",
+ "miStartDebugging": "디버깅 시작(&&S)",
+ "miRun": "디버깅 없이 실행(&&W)",
+ "miStopDebugging": "디버깅 중지(&&S)",
+ "miRestart Debugging": "디버깅 다시 시작(&&R)",
+ "miOpenConfigurations": "구성 열기(&&C)",
+ "miAddConfiguration": "구성 추가(&&D)...",
+ "miStepOver": "프로시저 단위 실행(&&O)",
+ "miStepInto": "한 단계씩 코드 실행(&&I)",
+ "miStepOut": "프로시저 나가기(&&U)",
+ "miContinue": "계속(&&C)",
+ "miToggleBreakpoint": "중단점 설정/해제(&&B)",
+ "miConditionalBreakpoint": "조건부 중단점(&&C)...",
+ "miInlineBreakpoint": "인라인 중단점(&&O)",
+ "miFunctionBreakpoint": "함수 중단점(&&F)...",
+ "miLogPoint": "Logpoint(&&L)...",
+ "miNewBreakpoint": "새 중단점(&&N)",
+ "miEnableAllBreakpoints": "모든 중단점 사용(&&E)",
+ "miDisableAllBreakpoints": "모든 중단점 사용 안 함(&&L)",
+ "miRemoveAllBreakpoints": "모든 중단점 제거(&&A)",
+ "miInstallAdditionalDebuggers": "추가 디버거 설치(&&I)...",
+ "debugPanel": "디버그 콘솔",
+ "run": "실행",
+ "variables": "변수",
+ "watch": "조사식",
+ "callStack": "호출 스택",
+ "breakpoints": "중단점",
+ "loadedScripts": "로드된 스크립트",
+ "debugConfigurationTitle": "디버그",
+ "allowBreakpointsEverywhere": "모든 파일에서 중단점을 설정할 수 있습니다.",
+ "openExplorerOnEnd": "디버그 세션 끝에 자동으로 탐색기 뷰를 엽니다.",
+ "inlineValues": "디버그하는 동안 편집기에서 변수 값을 인라인으로 표시합니다.",
+ "toolBarLocation": "디버그 도구 모음의 위치를 제어합니다. '부동'(모든 뷰), '고정'(디버그 뷰) 또는 '숨김'입니다.",
+ "never": "상태 표시줄에 디버그 표시 안 함",
+ "always": "상태 표시줄에 디버그 항상 표시",
+ "onFirstSessionStart": "디버그가 처음으로 시작된 후에만 상태 표시줄에 디버그 표시",
+ "showInStatusBar": "디버그 상태 표시줄을 표시할 경우를 제어합니다.",
+ "debug.console.closeOnEnd": "디버그 세션이 종료될 때 디버그 콘솔을 자동으로 닫을지 여부를 제어합니다.",
+ "openDebug": "디버그 보기를 열 경우를 제어합니다.",
+ "showSubSessionsInToolBar": "디버그 도구 모음에서 디버그 하위 세션을 표시할지 여부를 제어합니다. 이 설정이 false이면 하위 세션의 중지 명령이 부모 세션도 중지합니다.",
+ "debug.console.fontSize": "디버그 콘솔에서 글꼴 크기(픽셀)를 제어합니다.",
+ "debug.console.fontFamily": "디버그 콘솔에서 글꼴 패밀리를 제어합니다.",
+ "debug.console.lineHeight": "디버그 콘솔에서 줄 높이(픽셀)를 제어합니다. 글꼴 크기에서 줄 높이를 계산하려면 0을 사용합니다.",
+ "debug.console.wordWrap": "디버그 콘솔에서 줄이 자동으로 바뀌는지 여부를 제어합니다.",
+ "debug.console.historySuggestions": "디버그 콘솔이 이전에 입력한 입력을 제안할지 여부를 제어합니다.",
+ "launch": "전역 디버그 시작 구성입니다. 작업 영역에서 공유되는 'launch.json' 대신 사용되어야 합니다.",
+ "debug.focusWindowOnBreak": "디버거가 중단될 때 워크벤치 창이 포커스를 받을지 여부를 제어합니다.",
+ "debugAnyway": "작업 오류를 무시하고 디버깅을 시작합니다.",
+ "showErrors": "문제 보기를 표시하고 디버깅을 시작하지 않습니다.",
+ "prompt": "프롬프트 사용자입니다.",
+ "cancel": "디버깅을 취소합니다.",
+ "debug.onTaskErrors": "preLaunchTask를 실행한 후 오류가 발생할 때 수행할 작업을 제어합니다.",
+ "showBreakpointsInOverviewRuler": "중단점을 개요 눈금자에 표시할지 여부를 제어합니다.",
+ "showInlineBreakpointCandidates": "디버깅하는 동안 인라인 중단점 후보 장식을 편집기에 표시할지 여부를 제어합니다."
+ },
+ "vs/workbench/contrib/debug/browser/debugEditorContribution": {
+ "addConfiguration": "구성 추가..."
+ },
+ "vs/workbench/contrib/debug/browser/breakpointEditorContribution": {
+ "logPoint": "Logpoint",
+ "breakpoint": "중단점",
+ "breakpointHasConditionDisabled": "이 {0}에는 제거 시 손실되는 {1}이(가) 있습니다. 대신 {0}을(를) 사용하도록 설정하세요.",
+ "message": "메시지",
+ "condition": "조건",
+ "breakpointHasConditionEnabled": "이 {0}에는 제거 시 손실되는 {1}이(가) 있습니다. 대신 {0}을(를) 사용하지 않도록 설정하세요.",
+ "removeLogPoint": "{0} 제거",
+ "disableLogPoint": "{0} {1}",
+ "disable": "사용 안 함",
+ "enable": "사용",
+ "cancel": "취소",
+ "removeBreakpoint": "{0} 제거",
+ "editBreakpoint": "{0} 편집...",
+ "disableBreakpoint": "{0} 사용 안 함",
+ "enableBreakpoint": "{0} 사용",
+ "removeBreakpoints": "중단점 제거",
+ "removeInlineBreakpointOnColumn": "{0} 열에서 인라인 중단점 제거",
+ "removeLineBreakpoint": "줄 중단점 제거",
+ "editBreakpoints": "중단점 편집",
+ "editInlineBreakpointOnColumn": "{0} 열에서 인라인 중단점 편집",
+ "editLineBrekapoint": "줄 중단점 편집",
+ "enableDisableBreakpoints": "중단점 사용/사용 안 함",
+ "disableInlineColumnBreakpoint": "{0} 열에서 인라인 중단점 사용 안 함",
+ "disableBreakpointOnLine": "줄 중단점 사용 안 함",
+ "enableBreakpoints": "{0} 열에서 인라인 중단점 사용",
+ "enableBreakpointOnLine": "줄 중단점 사용",
+ "addBreakpoint": "중단점 추가",
+ "addConditionalBreakpoint": "조건부 중단점 추가...",
+ "addLogPoint": "로그 지점 추가...",
+ "debugIcon.breakpointForeground": "중단점의 아이콘 색상입니다.",
+ "debugIcon.breakpointDisabledForeground": "비활성화된 중단점에 대한 아이콘 색상입니다.",
+ "debugIcon.breakpointUnverifiedForeground": "확인되지 않은 중단점의 아이콘 색상입니다.",
+ "debugIcon.breakpointCurrentStackframeForeground": "현재 중단점 스택 프레임의 아이콘 색상입니다.",
+ "debugIcon.breakpointStackframeForeground": "모든 중단점 스택 프레임의 아이콘 색상입니다."
+ },
+ "vs/workbench/contrib/debug/browser/callStackEditorContribution": {
+ "topStackFrameLineHighlight": "상위 스택 프레임 위치에 있는 줄 강조 표시의 배경색입니다.",
+ "focusedStackFrameLineHighlight": "포커스가 있는 스택 프레임 위치에 있는 줄 강조 표시의 배경색입니다."
+ },
+ "vs/workbench/contrib/debug/browser/repl": {
+ "workbench.debug.filter.placeholder": "필터(예: text, !exclude)",
+ "debugConsole": "디버그 콘솔",
+ "copy": "복사",
+ "copyAll": "모두 복사",
+ "paste": "붙여넣기",
+ "collapse": "모두 축소",
+ "startDebugFirst": "디버그 세션을 시작하여 식을 계산하세요.",
+ "actions.repl.acceptInput": "REPL 입력 적용",
+ "repl.action.filter": "REPL 필터링할 콘텐츠 포커스",
+ "actions.repl.copyAll": "디버그: 모두 콘솔 복사",
+ "selectRepl": "디버그 콘솔 선택",
+ "clearRepl": "콘솔 지우기",
+ "debugConsoleCleared": "디버그 콘솔을 지웠습니다."
+ },
+ "vs/workbench/contrib/debug/browser/debugViewlet": {
+ "startAdditionalSession": "추가 세션 시작",
+ "toggleDebugPanel": "디버그 콘솔",
+ "toggleDebugViewlet": "실행 및 디버그 표시"
+ },
+ "vs/workbench/contrib/debug/common/abstractDebugAdapter": {
+ "timeout": "'{1}'에 대해 {0}ms 후 시간 제한"
+ },
+ "vs/workbench/contrib/debug/browser/breakpointsView": {
+ "editCondition": "조건 편집",
+ "Logpoint": "Logpoint",
+ "Breakpoint": "중단점",
+ "editBreakpoint": "{0} 편집...",
+ "removeBreakpoint": "{0} 제거",
+ "expressionCondition": "식 조건: {0}",
+ "functionBreakpointsNotSupported": "이 디버그 형식은 함수 중단점을 지원하지 않습니다.",
+ "dataBreakpointsNotSupported": "데이터 중단점은 이 디버그 유형에서 지원되지 않습니다.",
+ "functionBreakpointPlaceholder": "중단할 함수",
+ "functionBreakPointInputAriaLabel": "함수 중단점 입력",
+ "exceptionBreakpointPlaceholder": "식이 true로 계산될 경우 중단합니다.",
+ "exceptionBreakpointAriaLabel": "예외 중단점 조건 입력",
+ "breakpoints": "중단점",
+ "disabledLogpoint": "사용 안 함으로 설정된 logpoint",
+ "disabledBreakpoint": "해제된 중단점",
+ "unverifiedLogpoint": "확인되지 않은 logpoint",
+ "unverifiedBreakopint": "확인되지 않은 중단점",
+ "functionBreakpointUnsupported": "이 디버그 형식은 함수 중단점을 지원하지 않습니다.",
+ "functionBreakpoint": "함수 중단점",
+ "dataBreakpointUnsupported": "데이터 중단점은 이 디버그 유형에서 지원되지 않습니다.",
+ "dataBreakpoint": "데이터 중단점",
+ "breakpointUnsupported": "이 유형의 중단점은 디버거에서 지원되지 않습니다.",
+ "logMessage": "로그 메시지: {0}",
+ "expression": "식 조건: {0}",
+ "hitCount": "적중 횟수: {0}",
+ "breakpoint": "중단점"
+ },
+ "vs/workbench/contrib/debug/browser/callStackView": {
+ "running": "실행 중",
+ "showMoreStackFrames2": "더 많은 스택 프레임 표시",
+ "session": "세션",
+ "thread": "스레드",
+ "restartFrame": "프레임 다시 시작",
+ "loadAllStackFrames": "스택 프레임 모두 로드",
+ "showMoreAndOrigin": "{0}개 더 표시: {1}",
+ "showMoreStackFrames": "{0}개 이상의 스택 프레임 표시",
+ "callStackAriaLabel": "호출 스택 디버그",
+ "threadAriaLabel": "스레드 {0} {1}",
+ "stackFrameAriaLabel": "스택 프레임 {0}, 줄 {1}, {2}",
+ "sessionLabel": "세션 {0} {1}"
+ },
+ "vs/workbench/contrib/debug/browser/debugActions": {
+ "openLaunchJson": "{0} 열기",
+ "launchJsonNeedsConfigurtion": "'launch.json' 구성 또는 수정",
+ "noFolderDebugConfig": "고급 디버그 구성을 수행하려면 먼저 폴더를 여세요.",
+ "selectWorkspaceFolder": "launch.json 파일을 만들 작업 영역 폴더를 선택하거나 작업 영역 구성 파일에 launch.json 파일 추가",
+ "startDebug": "디버깅 시작",
+ "startWithoutDebugging": "디버깅하지 않고 시작",
+ "selectAndStartDebugging": "디버깅 선택 및 시작",
+ "removeBreakpoint": "중단점 제거",
+ "removeAllBreakpoints": "모든 중단점 제거",
+ "enableAllBreakpoints": "모든 중단점 설정",
+ "disableAllBreakpoints": "모든 중단점 해제",
+ "activateBreakpoints": "중단점 활성화",
+ "deactivateBreakpoints": "중단점 비활성화",
+ "reapplyAllBreakpoints": "모든 중단점 다시 적용",
+ "addFunctionBreakpoint": "함수 중단점 추가",
+ "addWatchExpression": "식 추가",
+ "removeAllWatchExpressions": "모든 식 제거",
+ "focusSession": "세션에 포커스 설정",
+ "copyValue": "값 복사"
+ },
+ "vs/workbench/contrib/debug/browser/debugToolBar": {
+ "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/debug/browser/debugService": {
+ "1activeSession": "1개의 활성 세션",
+ "nActiveSessions": "{0}개의 활성 세션",
+ "configurationAlreadyRunning": "디버그 구성 \"{0}\"이(가) 이미 실행 중입니다.",
+ "compoundMustHaveConfigurations": "여러 구성을 시작하려면 복합에 \"configurations\" 특성 집합이 있어야 합니다.",
+ "noConfigurationNameInWorkspace": "작업 영역에서 시작 구성 '{0}'을(를) 찾을 수 없습니다.",
+ "multipleConfigurationNamesInWorkspace": "작업 영역에 시작 구성 '{0}'이(가) 여러 개 있습니다. 폴더 이름을 사용하여 구성을 한정하세요.",
+ "noFolderWithName": "복합형 '{2}'의 구성 '{1}'에 대해 이름이 '{0}'인 폴더를 찾을 수 없습니다.",
+ "configMissing": "'{0}' 구성이 'launch.json'에 없습니다.",
+ "launchJsonDoesNotExist": "전달된 작업 영역 폴더에 'launch.json'이 없습니다.",
+ "debugRequestNotSupported": "'{0}' 특성에는 선택한 디버그 구성에서 지원되지 않는 값 '{1}'이(가) 있습니다.",
+ "debugRequesMissing": "선택한 디버그 구성에 특성 '{0}'이(가) 없습니다.",
+ "debugTypeNotSupported": "구성된 디버그 형식 '{0}'은(는) 지원되지 않습니다.",
+ "debugTypeMissing": "선택한 시작 구성에 대한 'type' 속성이 없습니다.",
+ "installAdditionalDebuggers": "{0} 확장 설치",
+ "noFolderWorkspaceDebugError": "활성 파일을 디버그할 수 없습니다. 파일이 저장되었으며 해당 파일 형식에 대해 디버그 확장을 설치했는지 확인하세요.",
+ "debugAdapterCrash": "디버그 어댑터 프로세스가 예기치 않게 종료되었습니다({0}).",
+ "cancel": "취소",
+ "debuggingPaused": "{0}:{1}, 디버깅이 일시 중지됨(이유: {2}), {3}",
+ "breakpointAdded": "중단점, 줄 {0}, 파일 {1}을(를) 추가했습니다.",
+ "breakpointRemoved": "중단점, 줄 {0}, 파일 {1}을(를) 제거했습니다."
+ },
+ "vs/workbench/contrib/debug/browser/statusbarColorProvider": {
+ "statusBarDebuggingBackground": "프로그램이 디버그될 때의 상태 표시줄 배경색입니다. 상태 표시줄은 창의 맨 아래에 표시됩니다.",
+ "statusBarDebuggingForeground": "프로그램이 디버그될 때의 상태 표시줄 전경색입니다. 상태 표시줄은 창의 맨 아래에 표시됩니다.",
+ "statusBarDebuggingBorder": "프로그램 디버깅 중 사이드바 및 편집기와 구분하는 상태 표시줄 테두리 색입니다. 상태 표시줄은 창의 맨 아래에 표시됩니다."
+ },
+ "vs/workbench/contrib/debug/browser/debugStatus": {
+ "status.debug": "디버그",
+ "debugTarget": "디버그: {0}",
+ "selectAndStartDebug": "디버그 구성 선택 및 시작"
+ },
+ "vs/workbench/contrib/debug/browser/debugCommands": {
+ "restartDebug": "다시 시작",
+ "stepOverDebug": "단위 실행",
+ "stepIntoDebug": "단계 정보",
+ "stepOutDebug": "단계 출력",
+ "pauseDebug": "일시 중지",
+ "disconnect": "연결 끊기",
+ "stop": "중지",
+ "continueDebug": "계속",
+ "chooseLocation": "특정 위치 선택",
+ "noExecutableCode": "현재 커서 위치에 연결된 실행 코드가 없습니다.",
+ "jumpToCursor": "커서로 이동",
+ "debug": "디버그",
+ "noFolderDebugConfig": "고급 디버그 구성을 수행하려면 먼저 폴더를 여세요.",
+ "addInlineBreakpoint": "인라인 중단점 추가"
+ },
+ "vs/workbench/contrib/debug/browser/loadedScriptsView": {
+ "loadedScriptsSession": "디버그 세션",
+ "loadedScriptsAriaLabel": "로드된 스크립트 디버그",
+ "loadedScriptsRootFolderAriaLabel": "작업 영역 폴더 {0}, 로드된 스크립트, 디버그",
+ "loadedScriptsSessionAriaLabel": "세션 {0}, 로드된 스크립트, 디버그",
+ "loadedScriptsFolderAriaLabel": "폴더 {0}, 로드된 스크립트, 디버그",
+ "loadedScriptsSourceAriaLabel": "{0}, 로드된 스크립트, 디버그"
+ },
+ "vs/workbench/contrib/debug/browser/debugEditorActions": {
+ "toggleBreakpointAction": "디버그: 중단점 설정/해제",
+ "conditionalBreakpointEditorAction": "디버그: 조건부 중단점 추가...",
+ "logPointEditorAction": "디버그 : Logpoint 추가...",
+ "runToCursor": "커서까지 실행",
+ "evaluateInDebugConsole": "디버그 콘솔에서 평가",
+ "addToWatch": "조사식에 추가",
+ "showDebugHover": "디버그: 가리키기 표시",
+ "stepIntoTargets": "대상을 한 단계씩 코드 실행...",
+ "goToNextBreakpoint": "디버그 : 다음 중단점으로 이동",
+ "goToPreviousBreakpoint": "디버그 : 이전 중단점으로 이동",
+ "closeExceptionWidget": "예외 위젯 닫기"
+ },
+ "vs/workbench/contrib/debug/browser/watchExpressionsView": {
+ "editWatchExpression": "식 편집",
+ "removeWatchExpression": "식 제거",
+ "watchExpressionInputAriaLabel": "조사식 입력",
+ "watchExpressionPlaceholder": "조사할 식",
+ "watchAriaTreeLabel": "조사식 디버그",
+ "watchExpressionAriaLabel": "{0}, 값 {1}",
+ "watchVariableAriaLabel": "{0}, 값 {1}"
+ },
+ "vs/workbench/contrib/debug/browser/variablesView": {
+ "variableValueAriaLabel": "새 변수 값 입력",
+ "variablesAriaTreeLabel": "변수 디버그",
+ "variableScopeAriaLabel": "{0} 범위",
+ "variableAriaLabel": "{0}, 값 {1}"
+ },
+ "vs/workbench/contrib/debug/common/debugContentProvider": {
+ "unable": "디버그 세션이 없는 리소스를 확인할 수 없음",
+ "canNotResolveSourceWithError": "'{0}' 소스를 로드할 수 없습니다. {1}.",
+ "canNotResolveSource": "'{0}' 소스를 로드할 수 없습니다."
+ },
+ "vs/workbench/contrib/debug/browser/welcomeView": {
+ "run": "실행",
+ "openAFileWhichCanBeDebugged": "디버그하거나 실행할 수 있는 [파일 열기](command:{0})입니다.",
+ "runAndDebugAction": "[실행 및 디버그{0}](command:{1})",
+ "detectThenRunAndDebug": "모든 자동 디버그 구성을 [표시](command:{0})합니다.",
+ "customizeRunAndDebug": "실행 및 디버그를 사용자 지정하려면 [launch.json 파일 만들기](command:{0})를 수행합니다.",
+ "customizeRunAndDebugOpenFolder": "실행 및 디버그를 사용자 지정하려면 [폴더를 열고](command:{0}) launch.json 파일을 만듭니다."
+ },
+ "vs/workbench/contrib/debug/browser/debugQuickAccess": {
+ "noDebugResults": "일치하는 시작 구성 없음",
+ "customizeLaunchConfig": "시작 구성 설정",
+ "contributed": "적용됨",
+ "providerAriaLabel": "적용된 구성 {0}",
+ "configure": "구성",
+ "addConfigTo": "구성({0}) 추가...",
+ "addConfiguration": "구성 추가..."
+ },
+ "vs/workbench/contrib/debug/browser/debugIcons": {
+ "debugConsoleViewIcon": "디버그 콘솔 보기의 뷰 아이콘입니다.",
+ "runViewIcon": "실행 보기의 뷰 아이콘입니다.",
+ "variablesViewIcon": "변수 보기의 뷰 아이콘입니다.",
+ "watchViewIcon": "조사식 보기의 뷰 아이콘입니다.",
+ "callStackViewIcon": "호출 스택 보기의 뷰 아이콘입니다.",
+ "breakpointsViewIcon": "중단점 보기의 뷰 아이콘입니다.",
+ "loadedScriptsViewIcon": "로드된 스크립트 보기의 뷰 아이콘입니다.",
+ "debugBreakpoint": "중단점의 아이콘입니다.",
+ "debugBreakpointDisabled": "비활성화된 중단점의 아이콘입니다.",
+ "debugBreakpointUnverified": "확인되지 않은 중단점의 아이콘입니다.",
+ "debugBreakpointHint": "편집기 문자 모양 여백에 가리킨 경우 표시되는 중단점 힌트의 아이콘입니다.",
+ "debugBreakpointFunction": "함수 중단점의 아이콘입니다.",
+ "debugBreakpointFunctionUnverified": "확인되지 않은 함수 중단점의 아이콘입니다.",
+ "debugBreakpointFunctionDisabled": "비활성화된 함수 중단점의 아이콘입니다.",
+ "debugBreakpointUnsupported": "지원되지 않는 중단점의 아이콘입니다.",
+ "debugBreakpointConditionalUnverified": "확인되지 않은 조건부 중단점의 아이콘입니다.",
+ "debugBreakpointConditional": "조건부 중단점의 아이콘입니다.",
+ "debugBreakpointConditionalDisabled": "비활성화된 조건부 중단점의 아이콘입니다.",
+ "debugBreakpointDataUnverified": "확인되지 않은 데이터 중단점의 아이콘입니다.",
+ "debugBreakpointData": "데이터 중단점의 아이콘입니다.",
+ "debugBreakpointDataDisabled": "비활성화된 데이터 중단점의 아이콘입니다.",
+ "debugBreakpointLogUnverified": "확인되지 않은 로그 중단점의 아이콘입니다.",
+ "debugBreakpointLog": "로그 중단점의 아이콘입니다.",
+ "debugBreakpointLogDisabled": "비활성화된 로그 중단점의 아이콘입니다.",
+ "debugStackframe": "편집기 문자 모양 여백에 표시되는 스택 프레임의 아이콘입니다.",
+ "debugStackframeFocused": "편집기 문자 모양 여백에 표시되는 포커스가 있는 스택 프레임의 아이콘입니다.",
+ "debugGripper": "디버그 표시줄 위치 조정 막대의 아이콘입니다.",
+ "debugRestartFrame": "디버그 다시 시작 프레임 작업의 아이콘입니다.",
+ "debugStop": "디버그 중지 작업의 아이콘입니다.",
+ "debugDisconnect": "디버그 연결 끊기 작업의 아이콘입니다.",
+ "debugRestart": "디버그 다시 시작 작업의 아이콘입니다.",
+ "debugStepOver": "디버그 건너뛰기 작업의 아이콘입니다.",
+ "debugStepInto": "디버그 한 단계씩 코드 실행 작업의 아이콘입니다.",
+ "debugStepOut": "디버그 프로시저 나가기 작업의 아이콘입니다.",
+ "debugStepBack": "디버그 뒤로 이동 작업의 아이콘입니다.",
+ "debugPause": "디버그 일시 중지 작업의 아이콘입니다.",
+ "debugContinue": "디버그 계속 작업의 아이콘입니다.",
+ "debugReverseContinue": "디버그 반대로 계속 진행 작업의 아이콘입니다.",
+ "debugStart": "디버그 시작 작업의 아이콘입니다.",
+ "debugConfigure": "디버그 구성 작업의 아이콘입니다.",
+ "debugConsole": "디버그 콘솔 열기 작업의 아이콘입니다.",
+ "debugCollapseAll": "디버그 보기에서 모두 축소 작업의 아이콘입니다.",
+ "callstackViewSession": "호출 스택 보기의 세션 아이콘입니다.",
+ "debugConsoleClearAll": "디버그 콘솔에서 모두 지우기 작업의 아이콘입니다.",
+ "watchExpressionsRemoveAll": "조사식 보기에서 모두 제거 작업의 아이콘입니다.",
+ "watchExpressionsAdd": "조사식 보기에서 추가 작업의 아이콘입니다.",
+ "watchExpressionsAddFuncBreakpoint": "조사식 보기에서 함수 중단점 추가 작업의 아이콘입니다.",
+ "breakpointsRemoveAll": "중단점 보기에서 모두 제거 작업의 아이콘입니다.",
+ "breakpointsActivate": "중단점 보기에서 활성화 작업의 아이콘입니다.",
+ "debugConsoleEvaluationInput": "디버그 평가 입력 마커의 아이콘입니다.",
+ "debugConsoleEvaluationPrompt": "디버그 평가 프롬프트의 아이콘입니다."
+ },
+ "vs/workbench/contrib/debug/browser/exceptionWidget": {
+ "debugExceptionWidgetBorder": "예외 위젯 테두리 색입니다.",
+ "debugExceptionWidgetBackground": "예외 위젯 배경색입니다.",
+ "exceptionThrownWithId": "예외가 발생했습니다. {0}",
+ "exceptionThrown": "예외가 발생했습니다.",
+ "close": "닫기"
+ },
+ "vs/workbench/contrib/debug/browser/debugHover": {
+ "quickTip": "편집기 언어 호버로 전환하려면 {0} 키를 길게 누릅니다.",
+ "treeAriaLabel": "가리키기 디버그",
+ "variableAriaLabel": "{0}, 값 {1}, 변수, 디버그"
+ },
+ "vs/workbench/contrib/debug/browser/breakpointWidget": {
+ "breakpointWidgetLogMessagePlaceholder": "중단점이 적중될 때 기록할 메시지입니다. {} 내의 식은 보간됩니다. 수락하려면 'Enter' 키를 누르고 취소하려면 'esc' 키를 누르세요.",
+ "breakpointWidgetHitCountPlaceholder": "적중 횟수 조건이 충족될 경우 중단합니다. 적용하려면 'Enter' 키를 누르고 취소하려면 'Esc' 키를 누릅니다.",
+ "breakpointWidgetExpressionPlaceholder": "식이 true로 계산될 경우 중단합니다. 적용하려면 'Enter' 키를 누르고 취소하려면 'Esc' 키를 누릅니다.",
+ "expression": "식",
+ "hitCount": "적중 횟수",
+ "logMessage": "로그 메시지",
+ "breakpointType": "중단점 형식"
+ },
+ "vs/workbench/contrib/debug/browser/debugActionViewItems": {
+ "debugLaunchConfigurations": "디버그 시작 구성",
+ "noConfigurations": "구성 없음",
+ "addConfigTo": "구성({0}) 추가...",
+ "addConfiguration": "구성 추가...",
+ "debugSession": "디버그 세션"
+ },
+ "vs/workbench/contrib/debug/browser/linkDetector": {
+ "fileLinkMac": "Cmd 키를 누르고 클릭하여 링크로 이동",
+ "fileLink": "링크를 따라 이동하려면 Ctrl 키를 누른 채 클릭"
+ },
+ "vs/workbench/contrib/debug/browser/replViewer": {
+ "debugConsole": "디버그 콘솔",
+ "replVariableAriaLabel": "변수 {0}, 값 {1}",
+ "occurred": ", {0}번 발생함",
+ "replRawObjectAriaLabel": "디버그 콘솔 변수 {0}, 값 {1}",
+ "replGroup": "디버그 콘솔 그룹 {0}"
+ },
+ "vs/workbench/contrib/debug/common/replModel": {
+ "consoleCleared": "콘솔을 지웠습니다.",
+ "snapshotObj": "이 개체에 대한 기본 값만 표시됩니다."
+ },
+ "vs/workbench/contrib/debug/browser/replFilter": {
+ "showing filtered repl lines": "{0}/{1}개 표시"
+ },
+ "vs/workbench/contrib/debug/node/debugAdapter": {
+ "debugAdapterBinNotFound": "디버그 어댑터 실행 파일 '{0}'이(가) 없습니다.",
+ "debugAdapterCannotDetermineExecutable": "디버그 어댑터 '{0}'에 대한 실행 파일을 확인할 수 없습니다.",
+ "unableToLaunchDebugAdapter": "'{0}'에서 디버그 어댑터를 시작할 수 없습니다.",
+ "unableToLaunchDebugAdapterNoArgs": "디버그 어댑터를 시작할 수 없습니다."
+ },
+ "vs/workbench/contrib/debug/common/debugModel": {
+ "invalidVariableAttributes": "잘못된 변수 특성",
+ "startDebugFirst": "디버그 세션을 시작하여 식을 계산하세요.",
+ "notAvailable": "사용할 수 없음",
+ "pausedOn": "{0}에서 일시 중지됨",
+ "paused": "일시 중지됨",
+ "running": "실행 중",
+ "breakpointDirtydHover": "확인되지 않은 중단점입니다. 파일이 수정되었습니다. 디버그 세션을 다시 시작하세요."
+ },
+ "vs/workbench/contrib/debug/browser/debugConfigurationManager": {
+ "selectConfiguration": "시작 구성 선택",
+ "editLaunchConfig": "launch.json에서 디버그 구성 편집",
+ "DebugConfig.failed": "'.vscode' 폴더({0}) 내에 'launch.json' 파일을 만들 수 없습니다.",
+ "workspace": "작업 영역",
+ "user settings": "사용자 설정"
+ },
+ "vs/workbench/contrib/debug/browser/debugSession": {
+ "noDebugAdapter": "사용 가능한 디버거가 없으므로 '{0}'을(를) 보낼 수 없습니다.",
+ "sessionNotReadyForBreakpoints": "세션의 중단점이 준비되지 않았습니다.",
+ "debuggingStarted": "디버그가 시작되었습니다.",
+ "debuggingStopped": "디버그가 중지되었습니다."
+ },
+ "vs/workbench/contrib/debug/browser/debugTaskRunner": {
+ "preLaunchTaskErrors": "preLaunchTask '{0}'을(를) 실행한 후 오류가 발생합니다.",
+ "preLaunchTaskError": "preLaunchTask '{0}'을(를) 실행한 후 오류가 발생합니다.",
+ "preLaunchTaskExitCode": "preLaunchTask '{0}'이(가) {1} 종료 코드와 함께 종료되었습니다.",
+ "preLaunchTaskTerminated": "preLaunchTask '{0}'이(가) 종료되었습니다.",
+ "debugAnyway": "디버그",
+ "showErrors": "오류 표시",
+ "abort": "중단",
+ "remember": "사용자 설정에서 내 선택 사항 저장",
+ "invalidTaskReference": "다른 작업 영역 폴더에 있는 시작 구성에서 '{0}' 작업을 참조할 수 없습니다.",
+ "DebugTaskNotFoundWithTaskId": "작업 '{0}' 을(를) 찾을 수 없습니다.",
+ "DebugTaskNotFound": "지정된 작업을 찾을 수 없습니다.",
+ "taskNotTrackedWithTaskId": "지정된 작업을 추적할 수 없습니다.",
+ "taskNotTracked": "작업 '{0}' 을(를) 추적할 수 없습니다."
+ },
+ "vs/workbench/contrib/debug/browser/debugAdapterManager": {
+ "debugNoType": "디버거 '형식'은 생략할 수 없으며 '문자열' 형식이어야 합니다.",
+ "more": "자세히...",
+ "selectDebug": "환경 선택"
+ },
+ "vs/workbench/contrib/debug/common/debugSource": {
+ "unknownSource": "알 수 없는 소스"
+ },
+ "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": "'launch.json'의 대화형 변수(예: ${action.pickProcess})에서 명령으로 매핑합니다.",
+ "vscode.extension.contributes.debuggers.initialConfigurations": "초기 'launch.json'을 생성하기 위한 구성입니다.",
+ "vscode.extension.contributes.debuggers.languages": "디버그 확장이 \"기본 디버거\"로 간주될 수 있는 언어 목록입니다.",
+ "vscode.extension.contributes.debuggers.configurationSnippets": "'launch.json'에 새 구성을 추가하는 코드 조각입니다.",
+ "vscode.extension.contributes.debuggers.configurationAttributes": "'launch.json'의 유효성 검사를 위한 JSON 스키마 구성입니다.",
+ "vscode.extension.contributes.debuggers.windows": "Windows 특정 설정",
+ "vscode.extension.contributes.debuggers.windows.runtime": "Windows에 사용되는 런타임입니다.",
+ "vscode.extension.contributes.debuggers.osx": "macOS 관련 설정입니다.",
+ "vscode.extension.contributes.debuggers.osx.runtime": "macOS에 사용되는 런타임입니다.",
+ "vscode.extension.contributes.debuggers.linux": "Linux 특정 설정",
+ "vscode.extension.contributes.debuggers.linux.runtime": "Linux에 사용되는 런타임입니다.",
+ "vscode.extension.contributes.breakpoints": "중단점을 적용합니다.",
+ "vscode.extension.contributes.breakpoints.language": "이 언어에 대해 중단점을 허용합니다.",
+ "presentation": "디버그 구성 드롭다운 및 명령 팔레트에서 이 구성을 표시하는 방법에 대한 프레젠테이션 옵션입니다.",
+ "presentation.hidden": "구성 드롭다운 및 명령 팔레트에 이 구성을 표시할지 여부를 제어합니다.",
+ "presentation.group": "이 구성이 속한 그룹입니다. 구성 드롭다운 및 명령 팔레트에서 그룹화 및 정렬에 사용됩니다.",
+ "presentation.order": "그룹 내에서 이 구성의 순서입니다. 구성 드롭다운 및 명령 팔레트에서 그룹화 및 정렬에 사용됩니다.",
+ "app.launch.json.title": "시작",
+ "app.launch.json.version": "이 파일 형식의 버전입니다.",
+ "app.launch.json.configurations": "구성 목록입니다. IntelliSense를 사용하여 새 구성을 추가하거나 기존 구성을 편집합니다.",
+ "app.launch.json.compounds": "복합의 목록입니다. 각 복합은 함께 시작되는 여러 구성을 참조합니다.",
+ "app.launch.json.compound.name": "복합의 이름입니다. 구성 시작 드롭 다운 메뉴에 표시됩니다.",
+ "useUniqueNames": "고유한 구성 이름을 사용하세요.",
+ "app.launch.json.compound.folder": "복합형 항목이 있는 폴더의 이름입니다.",
+ "app.launch.json.compounds.configurations": "이 복합의 일부로 시작되는 구성의 이름입니다.",
+ "app.launch.json.compound.stopAll": "수동으로 종료되는 한 세션이 모든 복합 세션을 중지할지 여부를 제어합니다.",
+ "compoundPrelaunchTask": "복합 구성이 시작되기 전에 실행할 작업입니다."
+ },
+ "vs/workbench/contrib/debug/browser/rawDebugSession": {
+ "noDebugAdapterStart": "디버그 어댑터가 없으며 디버그 세션을 시작할 수 없습니다.",
+ "noDebugAdapter": "디버거를 찾을 수 없습니다. '{0}'을(를) 보낼 수 없습니다.",
+ "moreInfo": "추가 정보"
+ },
+ "vs/workbench/contrib/debug/common/debugger": {
+ "cannot.find.da": "'{0}' 형식의 디버그 어댑터를 찾을 수 없습니다.",
+ "launch.config.comment1": "IntelliSense를 사용하여 가능한 특성에 대해 알아보세요.",
+ "launch.config.comment2": "기존 특성에 대한 설명을 보려면 가리킵니다.",
+ "launch.config.comment3": "자세한 내용을 보려면 {0}을(를) 방문하세요.",
+ "debugType": "구성의 형식입니다.",
+ "debugTypeNotRecognised": "디버그 형식이 인식되지 않습니다. 해당하는 디버그 확장을 설치하고 사용하도록 설정했는지 확인하세요.",
+ "node2NotSupported": "\"node2\"는 더 이상 지원되지 않습니다. 대신 \"node\"를 사용하고 \"protocol\" 특성을 \"inspector\"로 설정하세요.",
+ "debugName": "구성의 이름으로, 시작 구성 드롭다운 메뉴에 나타납니다.",
+ "debugRequest": "구성 형식을 요청합니다. \"시작\" 또는 \"연결\"일 수 있습니다.",
+ "debugServer": "디버그 확장 배포 전용입니다. 포트가 지정된 경우 VS Code에서는 서버 모드로 실행하는 디버그 어댑터에 연결을 시도합니다.",
+ "debugPrelaunchTask": "디버그 세션이 시작되기 이전에 실행할 작업입니다.",
+ "debugPostDebugTask": "디버그 세션 종료 후 실행할 작업입니다.",
+ "debugWindowsConfiguration": "Windows 특정 시작 구성 특성입니다.",
+ "debugOSXConfiguration": "OS X 특정 시작 구성 특성입니다.",
+ "debugLinuxConfiguration": "Linux 특정 시작 구성 특성입니다."
+ },
+ "vs/workbench/contrib/dialogs/browser/dialogHandler": {
+ "yesButton": "예(&&Y)",
+ "cancelButton": "취소",
+ "aboutDetail": "버전: {0}\r\n커밋: {1}\r\n날짜: {2}\r\n브라우저: {3}",
+ "copy": "복사",
+ "ok": "확인"
+ },
+ "vs/workbench/contrib/dialogs/electron-sandbox/dialogHandler": {
+ "yesButton": "예(&&Y)",
+ "cancelButton": "취소",
+ "aboutDetail": "버전: {0}\r\n커밋: {1}\r\n날짜: {2}\r\nElectron: {3}\r\nChrome: {4}\r\nNode.js: {5}\r\nV8: {6}\r\nOS: {7}",
+ "okButton": "확인",
+ "copy": "복사(&&C)"
+ },
+ "vs/workbench/contrib/emmet/browser/actions/expandAbbreviation": {
+ "expandAbbreviationAction": "Emmet: 약어 확장",
+ "miEmmetExpandAbbreviation": "Emmet: 약어 확장 (&&x)"
+ },
+ "vs/workbench/contrib/experiments/browser/experiments.contribution": {
+ "workbench.enableExperiments": "Microsoft 온라인 서비스에서 실행할 실험을 가져옵니다."
+ },
+ "vs/workbench/contrib/extensions/electron-browser/extensions.contribution": {
+ "runtimeExtension": "실행 중인 확장"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/runtimeExtensionsEditor": {
+ "extensionHostProfileStart": "확장 호스트 프로필 시작",
+ "stopExtensionHostProfileStart": "확장 호스트 프로필 중지",
+ "saveExtensionHostProfile": "확장 호스트 프로필 저장"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/debugExtensionHostAction": {
+ "debugExtensionHost": "확장 호스트 디버깅 시작",
+ "restart1": "확장 프로파일링",
+ "restart2": "확장을 프로파일링하려면 다시 시작해야 합니다. 지금 '{0}'을(를) 다시 시작하시겠습니까?",
+ "restart3": "다시 시작(&&R)",
+ "cancel": "취소(&&C)",
+ "debugExtensionHost.launch.name": "확장 호스트 연결"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/extensionProfileService": {
+ "profilingExtensionHost": "프로파일링 확장 호스트",
+ "selectAndStartDebug": "프로파일링을 중지하려면 클릭하세요.",
+ "profilingExtensionHostTime": "프로파일링 확장 호스트({0}초)",
+ "status.profiler": "확장 프로파일러",
+ "restart1": "확장 프로파일링",
+ "restart2": "확장을 프로파일링하려면 다시 시작해야 합니다. 지금 '{0}'을(를) 다시 시작하시겠습니까?",
+ "restart3": "다시 시작(&&R)",
+ "cancel": "취소(&&C)"
+ },
+ "vs/workbench/contrib/extensions/common/runtimeExtensionsInput": {
+ "extensionsInputName": "확장 실행 중"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/extensionsAutoProfiler": {
+ "unresponsive-exthost": "확장 '{0}'이(가) 마지막 작업을 완료하는 데 시간이 매우 오래 걸렸으므로 다른 확장이 실행되지 못했습니다.",
+ "show": "확장 표시"
+ },
+ "vs/workbench/contrib/extensions/electron-sandbox/extensionsActions": {
+ "openExtensionsFolder": "Extensions 폴더 열기"
+ },
+ "vs/workbench/contrib/extensions/browser/extensions.contribution": {
+ "manageExtensionsQuickAccessPlaceholder": "확장을 관리하려면 키를 누릅니다.",
+ "manageExtensionsHelp": "확장 관리",
+ "installVSIX": "확장 VSIX 설치",
+ "extension": "확장",
+ "extensions": "확장",
+ "extensionsConfigurationTitle": "확장",
+ "extensionsAutoUpdate": "사용하도록 설정하면 확장의 업데이트를 자동으로 설치합니다. 업데이트는 Microsoft 온라인 서비스에서 가져옵니다.",
+ "extensionsCheckUpdates": "사용하도록 설정하면 확장의 업데이트가 있는지를 자동으로 확인합니다. 확장의 업데이트가 있으면 확장 보기에서 오래된 것으로 표시됩니다. 업데이트는 Microsoft 온라인 서비스에서 가져옵니다.",
+ "extensionsIgnoreRecommendations": "사용하도록 설정하면 확장 권장 사항에 대한 알림이 표시되지 않습니다.",
+ "extensionsShowRecommendationsOnlyOnDemand_Deprecated": "이 설정은 사용되지 않습니다. extensions.ignoreRecommendations 설정을 사용하여 권장 사항 알림을 제어합니다. 확장 보기의 표시 작업을 사용하여 권장 보기를 기본적으로 숨깁니다.",
+ "extensionsCloseExtensionDetailsOnViewChange": "사용하도록 설정하는 경우 확장 뷰에서 나가면 확장 정보가 포함된 편집기가 자동으로 닫힙니다.",
+ "handleUriConfirmedExtensions": "확장이 여기에 나열되어 있으면 해당 확장에서 URI를 처리할 때 확인 프롬프트가 표시되지 않습니다.",
+ "extensionsWebWorker": "웹 작업자 확장 호스트를 사용합니다.",
+ "workbench.extensions.installExtension.description": "지정된 확장 설치",
+ "workbench.extensions.installExtension.arg.name": "확장 ID 또는 VSIX 리소스 URI",
+ "notFound": "'{0}' 확장을 찾을 수 없습니다.",
+ "InstallVSIXAction.successReload": "VSIX에서 {0} 확장 설치를 완료했습니다. 사용하도록 설정하려면 Visual Studio Code를 다시 로드하세요.",
+ "InstallVSIXAction.success": "VSIX에서 {0} 확장 설치를 완료했습니다.",
+ "InstallVSIXAction.reloadNow": "지금 다시 로드",
+ "workbench.extensions.uninstallExtension.description": "지정한 확장 제거",
+ "workbench.extensions.uninstallExtension.arg.name": "제거할 확장의 ID",
+ "id required": "확장 ID가 필요합니다.",
+ "notInstalled": "'{0}' 확장이 설치되어 있지 않습니다. 게시자를 포함하여 전체 확장 ID를 사용하세요(예: ms-vscode.csharp).",
+ "builtin": "'{0}' 확장은 기본 제공 확장이므로 설치할 수 없습니다.",
+ "workbench.extensions.search.description": "특정 확장 검색",
+ "workbench.extensions.search.arg.name": "검색에 사용할 쿼리",
+ "miOpenKeymapExtensions": "키맵(&&K)",
+ "miOpenKeymapExtensions2": "키 맵",
+ "miPreferencesExtensions": "확장(&&E)",
+ "miViewExtensions": "확장(&&X)",
+ "showExtensions": "확장",
+ "installExtensionQuickAccessPlaceholder": "설치하거나 검색할 확장의 이름을 입력합니다.",
+ "installExtensionQuickAccessHelp": "확장 설치 또는 검색",
+ "workbench.extensions.action.copyExtension": "복사",
+ "extensionInfoName": "이름: {0}",
+ "extensionInfoId": "ID: {0}",
+ "extensionInfoDescription": "설명: {0}",
+ "extensionInfoVersion": "버전: {0}",
+ "extensionInfoPublisher": "게시자: {0}",
+ "extensionInfoVSMarketplaceLink": "VS Marketplace 링크: {0}",
+ "workbench.extensions.action.copyExtensionId": "확장 ID 복사",
+ "workbench.extensions.action.configure": "확장 설정",
+ "workbench.extensions.action.toggleIgnoreExtension": "이 확장 동기화",
+ "workbench.extensions.action.ignoreRecommendation": "권장 사항 무시",
+ "workbench.extensions.action.undoIgnoredRecommendation": "무시되는 권장 사항 실행 취소",
+ "workbench.extensions.action.addExtensionToWorkspaceRecommendations": "작업 영역에 추가 권장 사항",
+ "workbench.extensions.action.removeExtensionFromWorkspaceRecommendations": "작업 영역에서 제거 권장 사항",
+ "workbench.extensions.action.addToWorkspaceRecommendations": "작업 영역에 확장 추가 권장 사항",
+ "workbench.extensions.action.addToWorkspaceFolderRecommendations": "작업 영역 폴더에 확장 추가 권장 사항",
+ "workbench.extensions.action.addToWorkspaceIgnoredRecommendations": "작업 영역에 확장 추가 무시되는 권장 사항",
+ "workbench.extensions.action.addToWorkspaceFolderIgnoredRecommendations": "작업 영역 폴더에 확장 추가 무시되는 권장 사항"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsViewlet": {
+ "installed": "설치됨",
+ "popularExtensions": "인기 항목",
+ "recommendedExtensions": "권장",
+ "enabledExtensions": "사용",
+ "disabledExtensions": "사용 안 함",
+ "marketPlace": "마켓플레이스",
+ "enabled": "사용",
+ "disabled": "사용 안 함",
+ "outdated": "오래됨",
+ "builtin": "기본 제공",
+ "workspaceRecommendedExtensions": "작업 영역 권장 사항",
+ "otherRecommendedExtensions": "기타 권장 사항",
+ "builtinFeatureExtensions": "기능",
+ "builtInThemesExtensions": "테마",
+ "builtinProgrammingLanguageExtensions": "프로그래밍 언어",
+ "sort by installs": "설치 수",
+ "sort by rating": "등급",
+ "sort by name": "이름",
+ "sort by date": "게시된 날짜",
+ "searchExtensions": "마켓플레이스에서 확장 검색",
+ "builtin filter": "기본 제공",
+ "installed filter": "설치됨",
+ "enabled filter": "사용",
+ "disabled filter": "사용 안 함",
+ "outdated filter": "오래됨",
+ "featured filter": "추천",
+ "most popular filter": "인기 항목",
+ "most popular recommended": "권장",
+ "recently published filter": "최근에 게시됨",
+ "filter by category": "범주",
+ "sorty by": "정렬 기준",
+ "filterExtensions": "확장 필터링...",
+ "extensionFoundInSection": "{0} 섹션에서 1개의 확장을 찾았습니다.",
+ "extensionFound": "1개의 확장을 찾았습니다.",
+ "extensionsFoundInSection": "{1} 섹션에서 {0}개의 확장을 찾았습니다.",
+ "extensionsFound": "{0}개의 확장을 찾았습니다.",
+ "suggestProxyError": "Marketplace에서 'ECONNREFUSED'가 반환되었습니다. 'http.proxy' 설정을 확인하세요.",
+ "open user settings": "사용자 설정 열기",
+ "outdatedExtensions": "{0}개의 만료된 확장",
+ "malicious warning": "문제가 있다고 보고된 '{0}'을(를) 제거했습니다.",
+ "reloadNow": "지금 다시 로드"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/extensionsSlowActions": {
+ "cmd.reportOrShow": "성능 문제",
+ "cmd.report": "문제 신고",
+ "attach.title": "CPU 프로필을 연결하셨습니까?",
+ "ok": "확인",
+ "attach.msg": "방금 만든 문제에 '{0}'을(를) 연결하는 것을 잊지 않도록 알려드립니다.",
+ "cmd.show": "문제 표시",
+ "attach.msg2": "기존 성능 문제에 '{0}'을(를) 연결하는 것을 잊지 않도록 알려드립니다."
+ },
+ "vs/workbench/contrib/extensions/electron-browser/reportExtensionIssueAction": {
+ "reportExtensionIssue": "문제 신고"
+ },
+ "vs/workbench/contrib/extensions/browser/abstractRuntimeExtensionsEditor": {
+ "starActivation": "시작 시 {0}에 의해 활성화됨",
+ "workspaceContainsGlobActivation": "작업 영역에 {1}과(와) 일치하는 파일이 있으므로 {1}에 의해 활성화됨",
+ "workspaceContainsFileActivation": "작업 영역에 {0} 파일이 있으므로 {1}에 의해 활성화됨",
+ "workspaceContainsTimeout": "{0} 검색이 너무 오래 걸려 {1}에 의해 활성화됨",
+ "startupFinishedActivation": "시작이 완료된 후 {0}에 의해 활성화됨",
+ "languageActivation": "{0} 파일을 열었기 때문에 {1}에 의해 활성화되었습니다.",
+ "workspaceGenericActivation": "{0}에서 {1}에 의해 활성화됨",
+ "unresponsive.title": "확장으로 인해 확장 호스트가 중지되었습니다.",
+ "errors": "Catch되지 않은 오류 {0}개",
+ "runtimeExtensions": "런타임 확장",
+ "disable workspace": "사용 안 함(작업 영역)",
+ "disable": "사용 안 함",
+ "showRuntimeExtensions": "실행 중인 확장 표시"
+ },
+ "vs/workbench/contrib/extensions/common/extensionsInput": {
+ "extensionsInputName": "확장: {0}"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsActions": {
+ "noOfYearsAgo": "{0} 년 전",
+ "one year ago": "1년 전",
+ "noOfMonthsAgo": "{0} 달 전",
+ "one month ago": "1개월 전",
+ "noOfDaysAgo": "{0} 일 전",
+ "one day ago": "1일 전",
+ "noOfHoursAgo": "{0} 시간 전",
+ "one hour ago": "1시간 전",
+ "just now": "지금 당장",
+ "update operation": "'{0}' 확장을 업데이트하는 동안 오류가 발생했습니다.",
+ "install operation": "'{0}' 확장을 설치하는 동안 오류가 발생했습니다.",
+ "download": "수동으로 다운로드하세요...",
+ "install vsix": "다운로드하고 나면 다운로드한 '{0}'의 VSIX를 수동으로 설치하세요.",
+ "check logs": "자세한 내용은 [로그]({0})를 확인하세요.",
+ "installExtensionStart": "{0} 확장 설치가 시작되었습니다. 이제 이 확장에 대한 세부 정보가 포함된 편집기가 열립니다",
+ "installExtensionComplete": "{0} 확장 설치가 완료되었습니다.",
+ "install": "설치",
+ "install and do no sync": "설치(동기화 안 함)",
+ "install in remote and do not sync": "{0}에 설치(동기화 안 함)",
+ "install in remote": "{0}에 설치",
+ "install locally and do not sync": "로컬로 설치(동기화 안 함)",
+ "install locally": "로컬에 설치",
+ "install everywhere tooltip": "동기화된 인스턴스 {0}개 모두에 이 확장 설치",
+ "installing": "설치 중",
+ "install browser": "브라우저에서 설치",
+ "uninstallAction": "제거",
+ "Uninstalling": "제거하는 중",
+ "uninstallExtensionStart": "{0} 확장 제거가 시작되었습니다.",
+ "uninstallExtensionComplete": "Visual Studio Code를 다시 로드하여 {0} 확장 제거를 완료하세요.",
+ "updateExtensionStart": "{0} 확장을 {1} 버전으로 업데이트가 시작되었습니다.",
+ "updateExtensionComplete": "{0} 확장을 {1} 버전으로 업데이트가 완료되었습니다.",
+ "updateTo": "{0}(으)로 업데이트",
+ "updateAction": "업데이트",
+ "manage": "관리",
+ "ManageExtensionAction.uninstallingTooltip": "제거하는 중",
+ "install another version": "다른 버전 설치...",
+ "selectVersion": "설치할 버전 선택",
+ "current": "현재",
+ "enableForWorkspaceAction": "사용(작업 영역)",
+ "enableForWorkspaceActionToolTip": "이 작업 영역에서만 이 확장 사용",
+ "enableGloballyAction": "사용",
+ "enableGloballyActionToolTip": "이 확장 사용",
+ "disableForWorkspaceAction": "사용 안 함(작업 영역)",
+ "disableForWorkspaceActionToolTip": "이 작업 영역에서만 이 확장 사용 안 함",
+ "disableGloballyAction": "사용 안 함",
+ "disableGloballyActionToolTip": "이 확장 사용 안 함",
+ "enableAction": "사용",
+ "disableAction": "사용 안 함",
+ "checkForUpdates": "확장 업데이트 확인",
+ "noUpdatesAvailable": "모든 확장이 최신입니다.",
+ "singleUpdateAvailable": "확장 업데이트를 사용할 수 있습니다.",
+ "updatesAvailable": "{0}개의 확장 업데이트를 사용할 수 있습니다.",
+ "singleDisabledUpdateAvailable": "사용하지 않도록 설정한 확장에 대한 업데이트를 사용할 수 있습니다.",
+ "updatesAvailableOneDisabled": "{0}개의 확장 업데이트를 사용할 수 있습니다. 업데이트 중 하나는 사용하지 않도록 설정한 확장용입니다.",
+ "updatesAvailableAllDisabled": "{0}개의 확장 업데이트를 사용할 수 있습니다. 모든 업데이트는 사용하지 않도록 설정한 확장용입니다.",
+ "updatesAvailableIncludingDisabled": "{0}개의 확장 업데이트를 사용할 수 있습니다. 이 중 {1}개는 사용하지 않도록 설정한 확장용입니다.",
+ "enableAutoUpdate": "확장 자동 업데이트 사용",
+ "disableAutoUpdate": "확장 자동 업데이트 사용 안 함",
+ "updateAll": "모든 확장 업데이트",
+ "reloadAction": "다시 로드",
+ "reloadRequired": "다시 로드 필요",
+ "postUninstallTooltip": "Visual Studio Code를 다시 로드하여 이 확장의 제거를 완료하세요.",
+ "postUpdateTooltip": "업데이트된 확장을 사용하도록 설정하려면 Visual Studio Code를 다시 로드하세요.",
+ "enable locally": "로컬에서 이 확장을 사용하도록 설정하려면 Visual Studio Code를 다시 로드하세요.",
+ "enable remote": "{0}에서 이 확장을 사용하도록 설정하려면 Visual Studio Code를 다시 로드하세요.",
+ "postEnableTooltip": "Visual Studio Code를 다시 로드하여 이 확장의 설정을 완료하세요.",
+ "postDisableTooltip": "Visual Studio Code를 다시 로드하여 이 확장의 해제를 완료하세요.",
+ "installExtensionCompletedAndReloadRequired": "{0} 확장 설치가 완료되었습니다. Visual Studio Code를 다시 로드하여 사용하도록 설정하세요.",
+ "color theme": "색 테마 설정",
+ "select color theme": "색 테마 선택",
+ "file icon theme": "파일 아이콘 테마 설정",
+ "select file icon theme": "파일 아이콘 테마 선택",
+ "product icon theme": "제품 아이콘 테마 설정",
+ "select product icon theme": "제품 아이콘 테마 선택",
+ "toggleExtensionsViewlet": "확장 표시",
+ "installExtensions": "확장 설치",
+ "showEnabledExtensions": "사용 확장자 표시",
+ "showInstalledExtensions": "설치된 확장 표시",
+ "showDisabledExtensions": "사용할 수 없는 확장 표시",
+ "clearExtensionsSearchResults": "확장 검색 결과 지우기",
+ "refreshExtension": "새로 고침",
+ "showBuiltInExtensions": "기본 제공 확장 표시",
+ "showOutdatedExtensions": "만료된 확장 표시",
+ "showPopularExtensions": "자주 사용되는 확장 표시",
+ "recentlyPublishedExtensions": "최근에 게시된 확장",
+ "showRecommendedExtensions": "권장되는 확장 표시",
+ "showRecommendedExtension": "권장 확장 표시",
+ "installRecommendedExtension": "권장되는 확장 설치",
+ "ignoreExtensionRecommendation": "이 확장을 다시 권장하지 않음",
+ "undo": "실행 취소",
+ "showRecommendedKeymapExtensionsShort": "키 맵",
+ "showLanguageExtensionsShort": "언어 확장",
+ "search recommendations": "확장 검색",
+ "OpenExtensionsFile.failed": "'.vscode' 폴더({0}) 내에 'extensions.json' 파일을 만들 수 없습니다.",
+ "configureWorkspaceRecommendedExtensions": "권장 확장 구성(작업 영역)",
+ "configureWorkspaceFolderRecommendedExtensions": "권장 확장 구성(작업 영역 폴더)",
+ "updated": "업데이트",
+ "installed": "설치됨",
+ "uninstalled": "제거",
+ "enabled": "사용",
+ "disabled": "사용 안 함",
+ "malicious tooltip": "이 확장은 문제가 있다고 보고되었습니다.",
+ "malicious": "악성",
+ "ignored": "이 확장은 동기화하는 동안 무시됩니다.",
+ "synced": "이 확장은 동기화되었습니다.",
+ "sync": "이 확장 동기화",
+ "do not sync": "이 확장을 동기화하지 않음",
+ "extension enabled on remote": "확장이 '{0}'에서 사용하도록 설정되어 있습니다.",
+ "globally enabled": "이 확장은 전역적으로 사용하도록 설정되었습니다.",
+ "workspace enabled": "이 확장은 사용자가 이 작업 영역에 대해 사용하도록 설정했습니다.",
+ "globally disabled": "이 확장은 사용자가 전역적으로 사용하지 않도록 설정했습니다.",
+ "workspace disabled": "이 확장은 사용자가 이 작업 영역에 대해 사용하지 않도록 설정했습니다.",
+ "Install language pack also in remote server": "'{0}'에 언어 팩 확장을 설치하여 사용하도록 설정합니다.",
+ "Install language pack also locally": "로컬에 언어 팩 확장을 설치하고 로컬에서 사용하도록 설정합니다.",
+ "Install in other server to enable": "사용하도록 설정하려면 '{0}'에 확장을 설치합니다.",
+ "disabled because of extension kind": "이 확장은 원격 서버에서 실행될 수 없다고 정의했습니다.",
+ "disabled locally": "확장이 '{0}'에서는 사용하도록 설정되고 로컬에서는 사용하지 않도록 설정되었습니다.",
+ "disabled remotely": "확장이 로컬에서는 사용하도록 설정되고 '{0}'에서는 사용하지 않도록 설정되었습니다.",
+ "disableAll": "설치된 모든 확장 사용 안 함",
+ "disableAllWorkspace": "이 작업 영역에 대해 설치된 모든 확장 사용 안 함",
+ "enableAll": "모든 확장 사용",
+ "enableAllWorkspace": "이 작업 영역에 대해 모든 확장 사용",
+ "installVSIX": "VSIX에서 설치...",
+ "installFromVSIX": "VSIX에서 설치",
+ "installButton": "설치(&&I)",
+ "reinstall": "확장 다시 설치...",
+ "selectExtensionToReinstall": "다시 설치할 확장 선택",
+ "ReinstallAction.successReload": "Visual Studio Code를 다시 로드하고 {0} 확장의 재설치를 완료하세요.",
+ "ReinstallAction.success": "{0} 확장의 재설치가 완료되었습니다.",
+ "InstallVSIXAction.reloadNow": "지금 다시 로드",
+ "install previous version": "특정 확장 버전 설치...",
+ "selectExtension": "확장 선택",
+ "InstallAnotherVersionExtensionAction.successReload": "Visual Studio Code를 다시 로드하고 {0} 확장의 설치를 완료하세요.",
+ "InstallAnotherVersionExtensionAction.success": "{0} 확장의 설치가 완료되었습니다.",
+ "InstallAnotherVersionExtensionAction.reloadNow": "지금 다시 로드",
+ "select extensions to install": "설치할 확장 선택",
+ "no local extensions": "설치할 확장이 없습니다.",
+ "installing extensions": "확장 설치 중...",
+ "finished installing": "확장을 설치했습니다.",
+ "select and install local extensions": "'{0}'에 로컬 확장 설치...",
+ "install local extensions title": "'{0}'에 로컬 확장 설치",
+ "select and install remote extensions": "로컬에 원격 확장 설치...",
+ "install remote extensions": "로컬에 원격 확장 설치",
+ "extensionButtonProminentBackground": "눈에 잘 띄는 작업 확장의 단추 배경색입니다(예: 설치 단추).",
+ "extensionButtonProminentForeground": "눈에 잘 띄는 작업 확장의 단추 전경색입니다(예: 설치 단추).",
+ "extensionButtonProminentHoverBackground": "눈에 잘 띄는 작업 확장의 단추 배경 커서 올리기 색입니다(예: 설치 단추)."
+ },
+ "vs/workbench/contrib/extensions/common/extensionsFileTemplate": {
+ "app.extensions.json.title": "확장",
+ "app.extensions.json.recommendations": "이 작업 영역의 사용자에게 추천해야 하는 확장의 목록입니다. 확장의 식별자는 항상 '${publisher}.${name}'입니다. 예: 'vscode.csharp'",
+ "app.extension.identifier.errorMessage": "필요한 형식은 '${publisher}.${name}'입니다. 예: 'vscode.csharp'",
+ "app.extensions.json.unwantedRecommendations": "이 작업 영역의 사용자에게 추천하지 않아야 하는 VS Code에서 권장되는 확장 목록입니다. 확장의 식별자는 항상 '${publisher}.${name}'입니다. 예: 'vscode.csharp'"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionEditor": {
+ "name": "확장 이름",
+ "extension id": "확장 ID",
+ "preview": "미리 보기",
+ "builtin": "기본 제공",
+ "publisher": "게시자 이름",
+ "install count": "설치 수",
+ "rating": "등급",
+ "repository": "저장소",
+ "license": "라이선스",
+ "version": "버전",
+ "details": "세부 정보",
+ "detailstooltip": "확장의 'README.md' 파일에서 렌더링된 확장 세부 정보",
+ "contributions": "기능 기여도",
+ "contributionstooltip": "이 확장의 VS Code에 대한 기여 나열",
+ "changelog": "변경 로그",
+ "changelogtooltip": "확장의 'CHANGELOG.md' 파일에서 렌더링된 확장 업데이트 기록",
+ "dependencies": "종속성",
+ "dependenciestooltip": "이 확장이 종속된 확장 나열",
+ "recommendationHasBeenIgnored": "이 확장에 대한 권장을 수신하지 않도록 선택했습니다.",
+ "noReadme": "사용 가능한 추가 정보가 없습니다.",
+ "extension pack": "확장 팩({0})",
+ "noChangelog": "CHANGELOG를 사용할 수 없습니다.",
+ "noContributions": "참여 없음",
+ "noDependencies": "종속성 없음",
+ "settings": "설정({0})",
+ "setting name": "이름",
+ "description": "설명",
+ "default": "기본값",
+ "debuggers": "디버거({0})",
+ "debugger name": "이름",
+ "debugger type": "형식",
+ "viewContainers": "컨테이너 보기({0})",
+ "view container id": "ID",
+ "view container title": "제목",
+ "view container location": "위치",
+ "views": "뷰({0})",
+ "view id": "ID",
+ "view name": "이름",
+ "view location": "위치",
+ "localizations": "지역화({0})",
+ "localizations language id": "언어 ID",
+ "localizations language name": "언어 이름",
+ "localizations localized language name": "언어 이름(지역화됨)",
+ "customEditors": "사용자 지정 편집기({0})",
+ "customEditors view type": "보기 형식",
+ "customEditors priority": "우선 순위",
+ "customEditors filenamePattern": "파일 이름 패턴",
+ "codeActions": "코드 작업({0})",
+ "codeActions.title": "제목",
+ "codeActions.kind": "종류",
+ "codeActions.description": "설명",
+ "codeActions.languages": "언어",
+ "authentication": "인증({0})",
+ "authentication.label": "레이블",
+ "authentication.id": "ID",
+ "colorThemes": "색 테마({0})",
+ "iconThemes": "아이콘 테마({0})",
+ "colors": "색({0})",
+ "colorId": "ID",
+ "defaultDark": "어둡게 기본값",
+ "defaultLight": "밝게 기본값",
+ "defaultHC": "고대비 기본값",
+ "JSON Validation": "JSON 유효성 검사({0})",
+ "fileMatch": "파일 일치",
+ "schema": "스키마",
+ "commands": "명령({0})",
+ "command name": "이름",
+ "keyboard shortcuts": "바로 가기 키",
+ "menuContexts": "메뉴 컨텍스트",
+ "languages": "언어({0})",
+ "language id": "ID",
+ "language name": "이름",
+ "file extensions": "파일 확장명",
+ "grammar": "문법",
+ "snippets": "코드 조각",
+ "activation events": "활성화 이벤트({0})",
+ "find": "찾기",
+ "find next": "다음 찾기",
+ "find previous": "이전 찾기"
+ },
+ "vs/workbench/contrib/extensions/common/extensionsUtils": {
+ "disableOtherKeymapsConfirmation": "키 바인딩 간 충돌을 피하기 위해 다른 키 맵({0})을 사용하지 않도록 설정할까요?",
+ "yes": "예",
+ "no": "아니요"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsActivationProgress": {
+ "activation": "확장을 활성화하는 중..."
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsDependencyChecker": {
+ "extensions": "확장",
+ "auto install missing deps": "누락된 종속성 설치",
+ "finished installing missing deps": "누락된 종속성 설치를 완료했습니다. 지금 창을 다시 로드하세요.",
+ "reload": "창 다시 로드",
+ "no missing deps": "설치할 누락된 종속성이 없습니다."
+ },
+ "vs/workbench/contrib/extensions/browser/remoteExtensionsInstaller": {
+ "remote": "원격",
+ "install remote in local": "로컬에 원격 확장 설치..."
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsWorkbenchService": {
+ "Manifest is not found": "매니페스트를 찾을 수 없음",
+ "malicious": "이 확장은 문제가 있는 것으로 보고되었습니다.",
+ "uninstallingExtension": "확장을 제거하는 중....",
+ "incompatible": "'{0}' 확장은 VS Code '{1}'과(와) 호환되지 않으므로 설치할 수 없습니다.",
+ "installing named extension": "'{0}' 확장 설치 중...",
+ "installing extension": "확장 설치 중...",
+ "disable all": "모두 사용 안 함",
+ "singleDependentError": "'{0}' 확장만 사용하지 않도록 설정할 수 없습니다. '{1}' 확장은 이 확장에 따라 달라집니다. 이러한 모든 확장을 사용하지 않도록 설정하시겠습니까?",
+ "twoDependentsError": "'{0}' 확장만 사용하지 않도록 설정할 수 없습니다. '{1}' 및 '{2}' 확장은 이 확장에 따라 달라집니다. 이러한 모든 확장을 사용하지 않도록 설정하시겠습니까?",
+ "multipleDependentsError": "'{0}' 확장만 사용하지 않도록 설정할 수 없습니다. '{1}' 및 '{2}' 확장은 이 확장에 따라 달라집니다. 이러한 모든 확장을 사용하지 않도록 설정하시겠습니까?"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsQuickAccess": {
+ "type": "설치하거나 검색할 확장 이름을 입력합니다.",
+ "searchFor": " 키를 눌러 확장 '{0}'을(를) 검색합니다.",
+ "install": "확장 '{0}'을(를) 설치하려면 키를 누르세요.",
+ "manage": "확장을 관리하려면 키를 누르세요."
+ },
+ "vs/workbench/contrib/extensions/browser/extensionRecommendationNotificationService": {
+ "neverShowAgain": "다시 표시 안 함",
+ "ignoreExtensionRecommendations": "모든 확장 권장 사항을 무시하시겠습니까?",
+ "ignoreAll": "예, 모두 무시합니다.",
+ "no": "아니요",
+ "workspaceRecommended": "이 리포지토리에 권장되는 확장을 설치하시겠습니까?",
+ "install": "설치",
+ "install and do no sync": "설치(동기화 안 함)",
+ "show recommendations": "권장 사항 표시"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsIcons": {
+ "extensionsViewIcon": "확장 보기의 뷰 아이콘입니다.",
+ "manageExtensionIcon": "확장 보기의 '관리' 작업 아이콘입니다.",
+ "clearSearchResultsIcon": "확장 보기의 '검색 결과 지우기' 작업 아이콘입니다.",
+ "refreshIcon": "확장 보기의 '새로 고침' 작업 아이콘입니다.",
+ "filterIcon": "확장 보기의 '필터' 작업 아이콘입니다.",
+ "installLocalInRemoteIcon": "확장 보기의 '원격에 로컬 확장 설치' 작업 아이콘입니다.",
+ "installWorkspaceRecommendedIcon": "확장 보기의 '작업 영역 권장 확장 설치' 작업 아이콘입니다.",
+ "configureRecommendedIcon": "확장 보기의 '권장 확장 구성' 작업 아이콘입니다.",
+ "syncEnabledIcon": "확장이 동기화되었음을 나타내는 아이콘입니다.",
+ "syncIgnoredIcon": "동기화할 때 확장이 무시됨을 나타내는 아이콘입니다.",
+ "remoteIcon": "확장이 확장 보기 및 편집기에서 원격임을 나타내는 아이콘입니다.",
+ "installCountIcon": "확장 보기 및 편집기에 설치 수와 함께 표시되는 아이콘입니다.",
+ "ratingIcon": "확장 보기 및 편집기에 등급과 함께 표시되는 아이콘입니다.",
+ "starFullIcon": "확장 편집기에서 등급에 사용되는 꽉 찬 별표 아이콘입니다.",
+ "starHalfIcon": "확장 편집기에서 등급에 사용되는 반이 찬 별표 아이콘입니다.",
+ "starEmptyIcon": "확장 편집기에서 등급에 사용되는 빈 별표 아이콘입니다.",
+ "warningIcon": "확장 편집기에 경고 메시지와 함께 표시되는 아이콘입니다.",
+ "infoIcon": "확장 편집기에 정보 메시지와 함께 표시되는 아이콘입니다."
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsViews": {
+ "extension-arialabel": "{0}, {1}, {2}, 확장 세부 정보를 보려면 키를 누르세요.",
+ "extensions": "확장",
+ "galleryError": "지금은 확장 Marketplace에 연결할 수 없습니다. 나중에 다시 시도하세요.",
+ "error": "확장을 로드하는 동안 오류가 발생했습니다. {0}",
+ "no extensions found": "확장을 찾을 수 없습니다.",
+ "suggestProxyError": "Marketplace에서 'ECONNREFUSED'가 반환되었습니다. 'http.proxy' 설정을 확인하세요.",
+ "open user settings": "사용자 설정 열기",
+ "installWorkspaceRecommendedExtensions": "작업 영역 권장 확장 설치"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsWidgets": {
+ "ratedBySingleUser": "1명의 사용자가 등급을 매김",
+ "ratedByUsers": "{0}명의 사용자가 등급을 매김",
+ "noRating": "등급 없음",
+ "remote extension title": "{0}에 확장",
+ "syncingore.label": "이 확장은 동기화하는 동안 무시됩니다."
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsViewer": {
+ "error": "오류",
+ "Unknown Extension": "알 수 없는 확장:",
+ "extension-arialabel": "{0}, {1}, {2}, 확장 세부 정보를 보려면 키를 누르세요.",
+ "extensions": "확장"
+ },
+ "vs/workbench/contrib/extensions/browser/dynamicWorkspaceRecommendations": {
+ "dynamicWorkspaceRecommendation": "이 확장은 {0} 리포지토리 사용자에게 인기가 있기 때문에 권장된 항목입니다."
+ },
+ "vs/workbench/contrib/extensions/browser/exeBasedRecommendations": {
+ "exeBasedRecommendation": "{0}을(를) 설치했기 때문에 이 확장이 권장됩니다."
+ },
+ "vs/workbench/contrib/extensions/browser/workspaceRecommendations": {
+ "workspaceRecommendation": "이 확장은 현재 작업 영역의 사용자가 권장한 항목입니다."
+ },
+ "vs/workbench/contrib/extensions/browser/fileBasedRecommendations": {
+ "searchMarketplace": "Marketplace 검색",
+ "fileBasedRecommendation": "이 확장은 최근에 열었던 파일을 기준으로 권장된 항목입니다.",
+ "reallyRecommended": "{0}에 권장되는 확장을 설치하시겠습니까?",
+ "showLanguageExtensions": "Marketplace에서 '.{0}' 파일에 도움이 되는 확장을 사용할 수 있습니다.",
+ "dontShowAgainExtension": "'{0}' 파일에 대해 다시 표시 안 함"
+ },
+ "vs/workbench/contrib/extensions/browser/configBasedRecommendations": {
+ "exeBasedRecommendation": "현재 작업 영역 구성 때문에 이 확장이 권장됩니다."
+ },
+ "vs/workbench/contrib/externalTerminal/node/externalTerminal.contribution": {
+ "globalConsoleAction": "새 외부 터미널 열기",
+ "terminalConfigurationTitle": "외부 터미널",
+ "terminal.explorerKind.integrated": "VS Code의 통합 터미널을 사용합니다.",
+ "terminal.explorerKind.external": "구성된 외부 터미널을 사용합니다.",
+ "explorer.openInTerminalKind": "실행할 터미널 종류를 사용자 지정합니다.",
+ "terminal.external.windowsExec": "Windows에서 실행할 터미널을 사용자 지정합니다.",
+ "terminal.external.osxExec": "macOS에서 실행할 터미널 애플리케이션을 사용자 지정합니다.",
+ "terminal.external.linuxExec": "Linux에서 실행할 터미널을 사용자 지정합니다."
+ },
+ "vs/workbench/contrib/externalTerminal/node/externalTerminalService": {
+ "console.title": "VS Code 콘솔",
+ "mac.terminal.script.failed": "스크립트 '{0}'이(가) 실패했습니다(종료 코드: {1}).",
+ "mac.terminal.type.not.supported": "'{0}'이(가) 지원되지 않습니다.",
+ "press.any.key": "계속하려면 아무 키나 누르세요...",
+ "linux.term.failed": "'{0}'에서 실패했습니다(종료 코드: {1}).",
+ "ext.term.app.not.found": "터미널 애플리케이션 '{0}'을(를) 찾을 수 없습니다."
+ },
+ "vs/workbench/contrib/externalTerminal/browser/externalTerminal.contribution": {
+ "scopedConsoleAction": "터미널에서 열기",
+ "scopedConsoleAction.integrated": "통합 터미널에서 열기",
+ "scopedConsoleAction.wt": "Windows 터미널에서 열기",
+ "scopedConsoleAction.external": "외부 터미널에서 열기"
+ },
+ "vs/workbench/contrib/feedback/browser/feedbackStatusbarItem": {
+ "status.feedback": "Tweet 피드백"
+ },
+ "vs/workbench/contrib/feedback/browser/feedback": {
+ "sendFeedback": "Tweet 피드백",
+ "label.sendASmile": "피드백을 트윗하세요.",
+ "close": "닫기",
+ "patchedVersion1": "설치가 손상되었습니다.",
+ "patchedVersion2": "버그를 제출하는 경우 지정하세요.",
+ "sentiment": "사용 소감을 알려주세요.",
+ "smileCaption": "행복 피드백 감정",
+ "frownCaption": "슬픔 피드백 감정",
+ "other ways to contact us": "다른 문의 방법",
+ "submit a bug": "버그 제출",
+ "request a missing feature": "누락된 기능 요청",
+ "tell us why": "이유를 알려 주세요.",
+ "feedbackTextInput": "의견을 알려주세요.",
+ "showFeedback": "상태 표시줄에 피드백 아이콘 표시",
+ "tweet": "Tweet",
+ "tweetFeedback": "Tweet 피드백",
+ "character left": "남은 문자",
+ "characters left": "남은 문자"
+ },
+ "vs/workbench/contrib/files/electron-sandbox/files.contribution": {
+ "textFileEditor": "텍스트 파일 편집기"
+ },
+ "vs/workbench/contrib/files/electron-sandbox/fileActions.contribution": {
+ "revealInWindows": "파일 탐색기에 표시",
+ "revealInMac": "Finder에 표시",
+ "openContainer": "상위 폴더 열기",
+ "filesCategory": "파일"
+ },
+ "vs/workbench/contrib/files/browser/explorerViewlet": {
+ "explorerViewIcon": "탐색기 보기의 뷰 아이콘입니다.",
+ "folders": "폴더",
+ "explore": "탐색기",
+ "noWorkspaceHelp": "아직 작업 영역에 폴더를 추가하지 않았습니다.\r\n[폴더 추가](command:{0})",
+ "remoteNoFolderHelp": "원격에 연결되었습니다.\r\n[폴더 열기](command:{0})",
+ "noFolderHelp": "아직 폴더를 열지 않았습니다.\r\n[폴더 열기](command:{0})"
+ },
+ "vs/workbench/contrib/files/browser/files.contribution": {
+ "showExplorerViewlet": "탐색기 표시",
+ "binaryFileEditor": "이진 파일 편집기",
+ "hotExit.off": "Hot Exit를 사용하지 않도록 설정합니다. 더티 파일이 있는 창을 닫으려고 시도할 때 메시지가 표시됩니다.",
+ "hotExit.onExit": "Windows/Linux에서 마지막 창이 닫히거나 `workbench.action.quit` 명령이 트리거될 때(명령 팔레트, 키 바인딩, 메뉴) Hot Exit가 트리거됩니다. 열린 폴더가 없는 모든 창은 다음 실행 시 복원됩니다. 저장되지 않은 파일이 포함된 작업 영역 목록은 `파일 > 최근 파일 열기 > 더 보기...`에서 액세스할 수 있습니다.",
+ "hotExit.onExitAndWindowClose": "Windows/Linux에서 마지막 창이 닫히거나 `workbench.action.quit` 명령이 트리거될 때(명령 팔레트, 키 바인딩, 메뉴) 또는 마지막 창인지 여부와 관계 없이 폴더가 열린 모든 창에 대해 Hot Exit가 트리거됩니다. 열린 폴더가 없는 모든 창은 다음 실행 시 복원됩니다. 저장되지 않은 파일이 포함된 작업 영역 목록은 `파일 > 최근 파일 열기 > 더 보기...`에서 액세스할 수 있습니다.",
+ "hotExit": "저장하지 않은 파일을 세션 간에 기억하여, 편집기를 종료할 때 저장할지 묻는 메시지를 건너뛸지 여부를 제어합니다.",
+ "hotExit.onExitAndWindowCloseBrowser": "브라우저가 종료되거나 창이나 탭이 닫히면 Hot Exit이 트리거됩니다.",
+ "filesConfigurationTitle": "파일",
+ "exclude": "파일 및 폴더를 제외하기 위한 glob 패턴을 구성합니다. 예를 들어 파일 탐색기는 이 설정을 기반으로 표시하거나 숨길 파일 및 폴더를 결정합니다. 검색 특정 제외 항목을 정의하려면 `#search.exclude#` 설정을 참조합니다. [여기](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options)에서 glob 패턴에 대해 자세히 알아보세요.",
+ "files.exclude.boolean": "파일 경로를 일치시킬 GLOB 패턴입니다. 패턴을 사용하거나 사용하지 않도록 설정하려면 true 또는 false로 설정하세요.",
+ "files.exclude.when": "일치하는 파일의 형제에 대한 추가 검사입니다. $(basename)을 일치하는 파일 이름에 대한 변수로 사용하세요.",
+ "associations": "파일과 언어의 연결을 구성합니다(예: \"*.extension\": \"html\"). 이러한 구성은 설치된 언어의 기본 연결보다 우선 순위가 높습니다.",
+ "encoding": "파일을 읽고 쓸 때 사용할 기본 문자 집합 인코딩입니다. 이 설정은 언어별로 구성할 수도 있습니다.",
+ "autoGuessEncoding": "사용하도록 설정하는 경우 파일을 열 때 편집기에서 문자 집합 인코딩을 추측합니다. 이 설정은 언어별로 구성할 수도 있습니다.",
+ "eol.LF": "LF",
+ "eol.CRLF": "CRLF",
+ "eol.auto": "운영 체제별 줄 바꿈 문자를 사용합니다.",
+ "eol": "줄 바꿈 문자의 기본 끝입니다.",
+ "useTrash": "파일/폴더를 삭제하면 OS 휴지통(Windows의 휴지통)으로 이동합니다. 사용하지 않도록 설정하면 파일/폴더를 영구적으로 삭제합니다.",
+ "trimTrailingWhitespace": "사용하도록 설정되면 파일을 저장할 때 후행 공백이 잘립니다.",
+ "insertFinalNewline": "사용하도록 설정되면 저장할 때 파일 끝에 마지막 줄바꿈을 삽입합니다.",
+ "trimFinalNewlines": "사용하도록 설정되면 저장할 때 파일 끝에 마지막 줄 바꿈 이후의 모든 줄 바꿈이 잘립니다.",
+ "files.autoSave.off": "변경된 편집기는 자동으로 저장되지 않습니다.",
+ "files.autoSave.afterDelay": "변경된 편집기는 구성된 '#files.autoSaveDelay#' 후에 자동으로 저장됩니다.",
+ "files.autoSave.onFocusChange": "편집기의 포커스가 손실되면 변경된 편집기는 자동으로 저장됩니다.",
+ "files.autoSave.onWindowChange": "창에서 포커스가 손실되면 변경된 편집기가 자동으로 저장됩니다.",
+ "autoSave": "변경된 편집기의 자동 저장을 제어합니다. 자동 저장에 대한 자세한 내용은 [여기](https://code.visualstudio.com/docs/editor/codebasics#_save-auto-save)를 참조하세요.",
+ "autoSaveDelay": "변경된 편집기가 자동으로 저장되기까지의 지연(ms)을 제어합니다. '#files.autoSave#'가 '{0}'(으)로 설정된 경우에만 적용됩니다.",
+ "watcherExclude": "파일 감시에서 제외할 파일 경로의 GLOB 패턴을 구성하세요. 패턴은 절대 경로(**접두사가 있는 경로 또는 전체 경로)여야 합니다. 이 설정을 변경하려면 다시 시작해야 합니다. 시작 시 Code에서 CPU 시간을 많이 차지하면 대용량 폴더를 제외하여 초기 로드를 줄일 수 있습니다.",
+ "defaultLanguage": "새 파일에 할당된 기본 언어 모드입니다. `${activeEditorLanguage}`로 구성된 경우 현재 활성 텍스트 편집기(있는 경우)의 언어 모드를 사용합니다.",
+ "maxMemoryForLargeFilesMB": "큰 파일을 열려고 할 때 다시 시작한 후 VS Code에 사용 가능한 메모리를 제어합니다. 명령줄에 '--max-memory=NEWSIZE'를 지정하는 것과 결과가 같습니다.",
+ "files.restoreUndoStack": "파일을 다시 열 때 실행 취소 스택을 복원합니다.",
+ "askUser": "저장을 거부하고 수동으로 저장 충돌을 해결하도록 요청합니다.",
+ "overwriteFileOnDisk": "편집기의 변경 내용으로 디스크의 파일을 덮어써서 저장 충돌을 해결할 수 있습니다.",
+ "files.saveConflictResolution": "그동안 다른 프로그램에 의해 변경된 디스크에 파일을 저장할 경우 저장 충돌이 발생할 수 있습니다. 데이터 손실을 방지하기 위해 편집기의 변경 내용과 디스크의 버전을 비교하라는 메시지가 사용자에게 표시됩니다. 이 설정은 충돌 오류가 자주 발생하는 경우에만 변경해야 하며, 부주의한 사용은 데이터 손실을 초래할 수 있습니다.",
+ "files.simpleDialog.enable": "단순 파일 대화 상자를 사용합니다. 사용하도록 설정하면 단순 파일 대화 상자가 시스템 파일 대화 상자를 대체합니다.",
+ "formatOnSave": "파일 저장 시 서식을 지정합니다. 포맷터를 사용할 수 있어야 하며, 파일이 지연 후에 자동으로 저장되지 않아야 하고, 편집기가 종료되지 않아야 합니다.",
+ "everything": "전체 파일을 포맷합니다.",
+ "modification": "수정 사항을 포맷합니다(소스 제어 필요).",
+ "formatOnSaveMode": "저장 시 포맷이 전체 파일을 포맷하는지 또는 수정 내용만 포맷하는지를 제어합니다. '#editor.formatOnSave#'가 'true'인 경우에만 적용됩니다.",
+ "explorerConfigurationTitle": "파일 탐색기",
+ "openEditorsVisible": "열린 편집기 창에 표시되는 편집기 수입니다. 이 값을 0으로 설정하면 열린 편집기 창이 숨겨집니다.",
+ "openEditorsSortOrder": "열린 편집기 창에서 편집기의 정렬 순서를 제어합니다.",
+ "sortOrder.editorOrder": "편집기가 편집기 탭이 표시된 것과 같은 순서로 정렬됩니다.",
+ "sortOrder.alphabetical": "편집기가 각 편집기 그룹 내에서 사전순으로 정렬됩니다.",
+ "autoReveal.on": "파일이 표시되고 선택됩니다.",
+ "autoReveal.off": "파일이 표시되지 않고 선택되지 않습니다.",
+ "autoReveal.focusNoScroll": "파일을 스크롤하여 볼 수 없지만 포커스는 계속 있습니다.",
+ "autoReveal": "탐색기에서 파일을 열 때 자동으로 표시하고 선택할지 여부를 제어합니다.",
+ "enableDragAndDrop": "탐색기에서 끌어서 놓기를 통해 파일 및 폴더를 이동할지 여부를 제어합니다. 이 설정은 탐색기 내에서 끌어서 놓기에만 영향을 미칩니다.",
+ "confirmDragAndDrop": "끌어서 놓기를 사용하여 파일 및 폴더를 이동하기 위해 탐색기에서 확인을 요청해야 하는지 여부를 제어합니다.",
+ "confirmDelete": "파일을 휴지통에서 삭제할 때 탐색기에서 확인을 요청해야 하는지 여부를 제어합니다.",
+ "sortOrder.default": "파일 및 폴더가 이름을 기준으로 사전순으로 정렬됩니다. 폴더가 파일 앞에 표시됩니다.",
+ "sortOrder.mixed": "파일 및 폴더가 이름을 기준으로 사전순으로 정렬됩니다. 파일이 폴더와 결합됩니다.",
+ "sortOrder.filesFirst": "파일 및 폴더가 이름을 기준으로 사전순으로 정렬됩니다. 파일이 폴더 앞에 표시됩니다.",
+ "sortOrder.type": "파일 및 폴더가 확장명을 기준으로 사전순으로 정렬됩니다. 폴더가 파일 앞에 표시됩니다.",
+ "sortOrder.modified": "파일 및 폴더가 마지막으로 수정한 날짜를 기준으로 내림차순 정렬됩니다. 폴더가 파일 앞에 표시됩니다.",
+ "sortOrder": "탐색기에서 파일 및 폴더의 정렬 순서를 제어합니다.",
+ "explorer.decorations.colors": "파일 장식에 색을 사용할지 여부를 제어합니다.",
+ "explorer.decorations.badges": "파일 장식에 배지를 사용할지 여부를 제어합니다.",
+ "simple": "중복된 이름 끝에 \"복사본\"이라는 단어를 추가하고 뒤에 숫자를 붙일 수 있습니다.",
+ "smart": "중복된 이름의 끝에 숫자를 추가합니다. 숫자가 이미 이름의 일부인 경우 해당 숫자를 늘리려고 합니다.",
+ "explorer.incrementalNaming": "붙여넣기에서 중복된 탐색기 항목에 새 이름을 지정할 때 사용할 명명 규칙을 제어합니다.",
+ "compressSingleChildFolders": "탐색기가 폴더를 압축 형식으로 렌더링할지 여부를 제어합니다. 이러한 양식에서 단일 하위 폴더는 결합된 트리 요소로 압축됩니다. 예를 들어 Java 패키지 구조에 유용합니다.",
+ "miViewExplorer": "탐색기(&&E)"
+ },
+ "vs/workbench/contrib/files/browser/fileActions.contribution": {
+ "filesCategory": "파일",
+ "workspaces": "작업 영역",
+ "file": "파일",
+ "copyPath": "경로 복사",
+ "copyRelativePath": "상대 경로 복사",
+ "revealInSideBar": "사이드바에 표시",
+ "acceptLocalChanges": "변경 내용 사용 및 파일 콘텐츠 덮어쓰기",
+ "revertLocalChanges": "변경 내용을 취소하고 파일 콘텐츠로 되돌리기",
+ "copyPathOfActive": "활성 파일의 경로 복사",
+ "copyRelativePathOfActive": "활성 파일의 상대 경로 복사",
+ "saveAllInGroup": "그룹으로 모두 저장",
+ "saveFiles": "파일 모두 저장",
+ "revert": "파일 되돌리기",
+ "compareActiveWithSaved": "활성 파일을 저장된 파일과 비교",
+ "openToSide": "측면에서 열기",
+ "saveAll": "모두 저장",
+ "compareWithSaved": "저장된 항목과 비교",
+ "compareWithSelected": "선택한 항목과 비교",
+ "compareSource": "비교를 위해 선택",
+ "compareSelected": "선택 항목 비교",
+ "close": "닫기",
+ "closeOthers": "기타 항목 닫기",
+ "closeSaved": "저장된 항목 닫기",
+ "closeAll": "모두 닫기",
+ "explorerOpenWith": "연결 프로그램...",
+ "cut": "잘라내기",
+ "deleteFile": "영구히 삭제",
+ "newFile": "새 파일",
+ "openFile": "파일 열기...",
+ "miNewFile": "새 파일(&&N)",
+ "miSave": "저장(&&S)",
+ "miSaveAs": "다른 이름으로 저장(&&A)...",
+ "miSaveAll": "모두 저장(&&L)",
+ "miOpen": "열기(&&O)...",
+ "miOpenFile": "파일 열기(&&O)...",
+ "miOpenFolder": "폴더 열기(&&F)...",
+ "miOpenWorkspace": "작업 영역 열기(&&K)...",
+ "miAutoSave": "자동 저장(&&U)",
+ "miRevert": "파일 되돌리기(&&V)",
+ "miCloseEditor": "편집기 닫기(&&C)",
+ "miGotoFile": "파일로 이동(&&F)..."
+ },
+ "vs/workbench/contrib/files/electron-sandbox/fileCommands": {
+ "openFileToReveal": "표시하려면 먼저 파일 열기"
+ },
+ "vs/workbench/contrib/files/common/editors/fileEditorInput": {
+ "orphanedReadonlyFile": "{0}(삭제됨, 읽기 전용)",
+ "orphanedFile": "{0}(삭제됨)",
+ "readonlyFile": "{0}(읽기 전용)"
+ },
+ "vs/workbench/contrib/files/electron-sandbox/textFileEditor": {
+ "fileTooLargeForHeapError": "이 크기의 파일을 열려면 다시 시작하여 더 많은 메모리를 사용하도록 허용해야 합니다",
+ "relaunchWithIncreasedMemoryLimit": "{0}MB로 다시 시작",
+ "configureMemoryLimit": "메모리 제한 구성"
+ },
+ "vs/workbench/contrib/files/browser/views/emptyView": {
+ "noWorkspace": "열린 폴더 없음"
+ },
+ "vs/workbench/contrib/files/browser/views/explorerView": {
+ "explorerSection": "탐색기 섹션: {0}"
+ },
+ "vs/workbench/contrib/files/browser/views/openEditorsView": {
+ "openEditors": "열려 있는 편집기",
+ "dirtyCounter": "{0}이(가) 저장되지 않음"
+ },
+ "vs/workbench/contrib/files/browser/editors/textFileSaveErrorHandler": {
+ "userGuide": "편집기 도구 모음의 작업을 사용하여 변경 내용을 취소하거나 파일 콘텐츠를 변경 내용으로 덮어씁니다.",
+ "staleSaveError": "'{0}'을(를) 저장하지 못했습니다. 파일의 내용이 최신입니다. 버전을 파일 내용과 비교하거나 파일 내용을 변경 사항으로 덮어쓰십시오.",
+ "retry": "다시 시도",
+ "discard": "폐기",
+ "readonlySaveErrorAdmin": "'{0}'을(를) 저장하지 못함: 파일이 읽기 전용입니다. '관리자로 덮어쓰기'를 선택하여 관리자로 다시 시도하세요.",
+ "readonlySaveErrorSudo": "'{0}'을(를) 저장하지 못함: 파일이 읽기 전용입니다. 'Sudo로 덮어쓰기'를 선택하여 슈퍼 사용자로 다시 시도하세요.",
+ "readonlySaveError": "'{0}'을(를) 저장하지 못함: 파일이 읽기 전용입니다. '덮어쓰기'를 선택하여 쓰기 가능으로 설정해 보세요.",
+ "permissionDeniedSaveError": "저장 실패 '{0}': 권한 부족. 관리자로 다시 시도하려면 '관리자로 다시 시도'를 선택하세요.",
+ "permissionDeniedSaveErrorSudo": "권한 부족으로 '{0}'을(를) 저장할 수 없습니다. 슈퍼 사용자로 다시 시도하려면 'sudo로 다시 시도'를 선택하세요.",
+ "genericSaveError": "'{0}'을(를) 저장하지 못함: {1}",
+ "learnMore": "자세한 정보",
+ "dontShowAgain": "다시 표시 안 함",
+ "compareChanges": "비교",
+ "saveConflictDiffLabel": "{0}(파일) ↔ {1}({2}) - 저장 충돌 해결",
+ "overwriteElevated": "관리자로 덮어쓰기...",
+ "overwriteElevatedSudo": "Sudo로 덮어쓰기...",
+ "saveElevated": "관리자로 다시 시도...",
+ "saveElevatedSudo": "Sudo로 다시 시도...",
+ "overwrite": "덮어쓰기",
+ "configure": "구성"
+ },
+ "vs/workbench/contrib/files/browser/editors/binaryFileEditor": {
+ "binaryFileEditor": "이진 파일 뷰어"
+ },
+ "vs/workbench/contrib/files/common/workspaceWatcher": {
+ "netVersionError": "Microsoft .NET Framework 4.5가 필요합니다. 설치하려면 링크를 클릭하세요.",
+ "installNet": ".NET Framework 4.5 다운로드",
+ "enospcError": "이 큰 작업 영역에서 파일 변경 내용을 확인할 수 없습니다. 이 문제를 해결하려면 지침 링크를 따르세요.",
+ "learnMore": "지침"
+ },
+ "vs/workbench/contrib/files/common/dirtyFilesIndicator": {
+ "dirtyFile": "저장되지 않은 파일 1개",
+ "dirtyFiles": "{0}개의 저장되지 않은 파일"
+ },
+ "vs/workbench/contrib/files/browser/fileActions": {
+ "newFile": "새 파일",
+ "newFolder": "새 폴더",
+ "rename": "이름 바꾸기",
+ "delete": "삭제",
+ "copyFile": "복사",
+ "pasteFile": "붙여넣기",
+ "download": "다운로드...",
+ "createNewFile": "새 파일",
+ "createNewFolder": "새 폴더",
+ "deleteButtonLabelRecycleBin": "휴지통으로 이동(&&M)",
+ "deleteButtonLabelTrash": "휴지통으로 이동(&&M)",
+ "deleteButtonLabel": "삭제(&&D)",
+ "dirtyMessageFilesDelete": "저장되지 않은 변경 내용이 있는 파일을 삭제하려고 합니다. 계속하시겠습니까?",
+ "dirtyMessageFolderOneDelete": "1개 파일에 저장하지 않은 변경 내용이 있는 {0} 폴더를 삭제하는 중입니다. 계속하시겠습니까?",
+ "dirtyMessageFolderDelete": "{1}개 파일에서 저장되지 않은 변경 내용이 있는 폴더 {0}을(를) 삭제하는 중입니다. 계속하시겠습니까?",
+ "dirtyMessageFileDelete": "변경 내용을 저장하지 않은 상태로 {0}을(를) 삭제합니다. 계속하시겠습니까?",
+ "dirtyWarning": "변경 내용을 저장하지 않으면 손실됩니다.",
+ "undoBinFiles": "휴지통에서 이러한 파일을 복원할 수 있습니다.",
+ "undoBin": "휴지통에서 이 파일을 복원할 수 있습니다.",
+ "undoTrashFiles": "휴지통에서 이러한 파일을 복원할 수 있습니다.",
+ "undoTrash": "휴지통에서 이 파일을 복원할 수 있습니다.",
+ "doNotAskAgain": "이 메시지를 다시 표시 안 함",
+ "irreversible": "이 작업은 취소할 수 없습니다.",
+ "deleteBulkEdit": "{0}개 파일 삭제",
+ "deleteFileBulkEdit": "{0} 삭제",
+ "deletingBulkEdit": "{0}개 파일 삭제 중",
+ "deletingFileBulkEdit": "{0} 삭제 중",
+ "binFailed": "휴지통을 사용하여 삭제하지 못했습니다. 대신 영구히 삭제하시겠습니까?",
+ "trashFailed": "휴지통을 사용하여 삭제하지 못했습니다. 대신 영구히 삭제하시겠습니까?",
+ "deletePermanentlyButtonLabel": "영구적으로 삭제(&&D)",
+ "retryButtonLabel": "다시 시도(&&R)",
+ "confirmMoveTrashMessageFilesAndDirectories": "다음 {0}개 파일/디렉터리 및 해당 내용을 삭제하시겠습니까?",
+ "confirmMoveTrashMessageMultipleDirectories": "다음 {0}개 디렉터리 및 해당 내용을 삭제하시겠습니까?",
+ "confirmMoveTrashMessageMultiple": "다음 {0}개 파일을 삭제하시겠습니까?",
+ "confirmMoveTrashMessageFolder": "'{0}'과(와) 해당 내용을 삭제할까요?",
+ "confirmMoveTrashMessageFile": "'{0}'을(를) 삭제하시겠습니까?",
+ "confirmDeleteMessageFilesAndDirectories": "다음 {0}개 파일/디렉터리 및 해당 내용을 영구히 삭제하시겠습니까?",
+ "confirmDeleteMessageMultipleDirectories": "다음 {0}개 디렉터리 및 해당 내용을 영구히 삭제하시겠습니까?",
+ "confirmDeleteMessageMultiple": "다음 {0}개 파일을 영구히 삭제하시겠습니까?",
+ "confirmDeleteMessageFolder": "'{0}'과(와) 해당 내용을 영구히 삭제할까요?",
+ "confirmDeleteMessageFile": "'{0}'을(를) 영구히 삭제할까요?",
+ "globalCompareFile": "활성 파일을 다음과 비교...",
+ "fileToCompareNoFile": "비교할 파일을 선택하세요.",
+ "openFileToCompare": "첫 번째 파일을 열어서 다른 파일과 비교합니다.",
+ "toggleAutoSave": "자동 저장 설정/해제",
+ "saveAllInGroup": "그룹으로 모두 저장",
+ "closeGroup": "그룹 닫기",
+ "focusFilesExplorer": "파일 탐색기에 포커스",
+ "showInExplorer": "사이드바에서 활성 파일 표시",
+ "openFileToShow": "탐색기에 표시하려면 먼저 파일을 엽니다.",
+ "collapseExplorerFolders": "탐색기에서 폴더 축소",
+ "refreshExplorer": "탐색기 새로 고침",
+ "openFileInNewWindow": "새 창에서 활성 파일 열기",
+ "openFileToShowInNewWindow.unsupportedschema": "활성 편집기에 열 수 있는 리소스가 포함되어야 합니다.",
+ "openFileToShowInNewWindow.nofile": "먼저 파일 한 개를 새 창에서 엽니다.",
+ "emptyFileNameError": "파일 또는 폴더 이름을 입력해야 합니다.",
+ "fileNameStartsWithSlashError": "파일 또는 폴더 이름은 슬래시로 시작할 수 없습니다.",
+ "fileNameExistsError": "파일 또는 폴더 **{0}**이(가) 이 위치에 이미 있습니다. 다른 이름을 선택하세요.",
+ "invalidFileNameError": "**{0}**(이)라는 이름은 파일 또는 폴더 이름으로 올바르지 않습니다. 다른 이름을 선택하세요.",
+ "fileNameWhitespaceWarning": "파일 또는 폴더 이름에 선행 또는 후행 공백이 있습니다.",
+ "compareWithClipboard": "활성 파일을 클립보드와 비교",
+ "clipboardComparisonLabel": "클립보드 ↔ {0}",
+ "retry": "다시 시도",
+ "createBulkEdit": "{0} 만들기",
+ "creatingBulkEdit": "{0}을(를) 만드는 중",
+ "renameBulkEdit": "{0} 이름을 {1}(으)로 바꾸기",
+ "renamingBulkEdit": "{1}에 {0} 이름 바꾸기",
+ "downloadingFiles": "다운로드 중",
+ "downloadProgressSmallMany": "파일 {0}/{1}개({2}/초)",
+ "downloadProgressLarge": "{0}({1}/{2}, {3}/초)",
+ "downloadButton": "다운로드",
+ "downloadFolder": "다운로드 폴더",
+ "downloadFile": "파일 다운로드",
+ "downloadBulkEdit": "{0} 다운로드",
+ "downloadingBulkEdit": "{0} 다운로드 중",
+ "fileIsAncestor": "붙여 넣을 파일이 대상 폴더의 상위 항목입니다.",
+ "movingBulkEdit": "{0}개 파일 이동 중",
+ "movingFileBulkEdit": "{0} 이동 중",
+ "moveBulkEdit": "{0}개 파일 이동",
+ "moveFileBulkEdit": "{0} 이동",
+ "copyingBulkEdit": "{0}개 파일 복사 중",
+ "copyingFileBulkEdit": "{0} 복사 중",
+ "copyBulkEdit": "{0}개 파일 복사",
+ "copyFileBulkEdit": "{0} 복사",
+ "fileDeleted": "붙여넣을 파일이 복사한 후 삭제되거나 이동되었습니다. {0}"
+ },
+ "vs/workbench/contrib/files/browser/fileCommands": {
+ "saveAs": "다른 이름으로 저장...",
+ "save": "저장",
+ "saveWithoutFormatting": "형식 지정 없이 저장",
+ "saveAll": "모두 저장",
+ "removeFolderFromWorkspace": "작업 영역에서 폴더 삭제",
+ "newUntitledFile": "제목이 없는 새 파일",
+ "modifiedLabel": "{0}(파일) ↔ {1}",
+ "openFileToCopy": "경로를 복사하려면 먼저 파일 열기",
+ "genericSaveError": "'{0}'을(를) 저장하지 못함: {1}",
+ "genericRevertError": "'{0}' 되돌리기 실패: {1}"
+ },
+ "vs/workbench/contrib/files/browser/editors/textFileEditor": {
+ "textFileEditor": "텍스트 파일 편집기",
+ "openFolderError": "파일이 디렉터리입니다.",
+ "createFile": "파일 만들기"
+ },
+ "vs/workbench/contrib/files/browser/views/explorerDecorationsProvider": {
+ "canNotResolve": "작업 영역 폴더를 확인할 수 없음",
+ "symbolicLlink": "심볼 링크",
+ "unknown": "알 수 없는 파일 형식",
+ "label": "탐색기"
+ },
+ "vs/workbench/contrib/files/browser/views/explorerViewer": {
+ "treeAriaLabel": "파일 탐색기",
+ "fileInputAriaLabel": "파일 이름을 입력합니다. 확인하려면 Enter 키를 누르고, 취소하려면 Esc 키를 누릅니다.",
+ "confirmOverwrite": "이름이 '{0}'인 파일이나 폴더가 대상 폴더에 이미 있습니다. 바꾸시겠습니까?",
+ "irreversible": "이 작업은 취소할 수 없습니다.",
+ "replaceButtonLabel": "바꾸기(&&R)",
+ "confirmManyOverwrites": "다음 {0}개 파일 및/또는 폴더가 대상 폴더에 이미 있습니다. 바꾸시겠습니까?",
+ "uploadingFiles": "업로드 중",
+ "overwrite": "{0} 덮어쓰기",
+ "overwriting": "{0} 덮어쓰는 중",
+ "uploadProgressSmallMany": "파일 {0}/{1}개({2}/초)",
+ "uploadProgressLarge": "{0}({1}/{2}, {3}/초)",
+ "copyFolders": "폴더 복사(&&C)",
+ "copyFolder": "폴더 복사(&&C)",
+ "cancel": "취소",
+ "copyfolders": "폴더를 복사하시겠습니까?",
+ "copyfolder": "'{0}'을(를) 복사하시겠습니까?",
+ "addFolders": "작업 영역에 폴더 추가(&&A)",
+ "addFolder": "작업 영역에 폴더 추가(&&A)",
+ "dropFolders": "폴더를 복사하거나 작업 영역에 폴더를 추가하시겠습니까?",
+ "dropFolder": "'{0}'을(를) 복사하거나 '{0}'을(를) 폴더로 작업 영역에 추가하시겠습니까?",
+ "copyFile": "{0} 복사",
+ "copynFile": "리소스 {0}개 복사",
+ "copyingFile": "{0} 복사 중",
+ "copyingnFile": "리소스 {0}개를 복사하는 중",
+ "confirmRootsMove": "작업 영역에서 다중 루트 폴더의 순서를 변경하시겠습니까?",
+ "confirmMultiMove": "다음 {0} 파일을 '{1}'(으)로 옮기시겠습니까?",
+ "confirmRootMove": "작업 영역에서 루트 폴더 '{0}'의 순서를 변경하시겠습니까? ",
+ "confirmMove": "'{0}'을(를) '{1}'(으)로 옮기시겠습니까?",
+ "doNotAskAgain": "이 메시지를 다시 표시 안 함",
+ "moveButtonLabel": "이동(&&M)",
+ "copy": "{0} 복사",
+ "copying": "{0}을(를) 복사하는 중",
+ "move": "{0} 이동",
+ "moving": "{0}을(를) 이동하는 중"
+ },
+ "vs/workbench/contrib/format/browser/formatActionsMultiple": {
+ "nullFormatterDescription": "None",
+ "miss": "확장자 '{0}'은(는) '{1}'을(를) 포맷할 수 없음",
+ "config.needed": "'{0}' 파일에 대한 여러 포맷터가 있습니다. 계속하려면 기본 포맷터를 선택하세요.",
+ "config.bad": "'{0}' 확장이 포맷터로 구성되어 있지만 사용할 수 없습니다. 계속하려면 다른 기본 포맷터를 선택하세요.",
+ "do.config": "구성...",
+ "select": "'{0}' 파일에 대한 기본 포맷터 선택",
+ "formatter.default": "다른 모든 포맷터 설정보다 우선하는 기본 포맷터를 정의합니다. 포맷터를 제공하는 확장 프로그램의 식별자 여야합니다.",
+ "def": "(기본값)",
+ "config": "기본 포맷터 구성...",
+ "format.placeHolder": "포맷터 선택",
+ "formatDocument.label.multiple": "문서 서식 프로그램...",
+ "formatSelection.label.multiple": "형식 선택..."
+ },
+ "vs/workbench/contrib/format/browser/formatActionsNone": {
+ "formatDocument.label.multiple": "문서 서식",
+ "too.large": "이 파일은 너무 커서 포맷할 수 없습니다.",
+ "no.provider": "설치된 '{0}' 파일에 대한 포맷터가 없습니다.",
+ "install.formatter": "포맷터 설치..."
+ },
+ "vs/workbench/contrib/format/browser/formatModified": {
+ "formatChanges": "수정된 줄 포맷"
+ },
+ "vs/workbench/contrib/issue/electron-sandbox/issue.contribution": {
+ "reportIssueInEnglish": "영어로 문제 보고..."
+ },
+ "vs/workbench/contrib/issue/electron-sandbox/issueActions": {
+ "openProcessExplorer": "프로세스 탐색기 열기",
+ "reportPerformanceIssue": "성능 문제 보고"
+ },
+ "vs/workbench/contrib/keybindings/browser/keybindings.contribution": {
+ "toggleKeybindingsLog": "바로 가기 키 문제 해결 토글"
+ },
+ "vs/workbench/contrib/localizations/browser/localizations.contribution": {
+ "updateLocale": "VS Code의 UI 언어를 {0}(으)로 변경하고 다시 시작하시겠습니까?",
+ "activateLanguagePack": "{0}에서 VS Code를 사용하려면 VS Code를 다시 시작해야 합니다.",
+ "yes": "예",
+ "restart now": "지금 다시 시작",
+ "neverAgain": "다시 표시 안 함",
+ "vscode.extension.contributes.localizations": "편집기에 지역화를 적용합니다.",
+ "vscode.extension.contributes.localizations.languageId": "표시 문자열이 번역되는 언어의 ID입니다.",
+ "vscode.extension.contributes.localizations.languageName": "영어로 된 언어 이름입니다.",
+ "vscode.extension.contributes.localizations.languageNameLocalized": "적용된 언어로 된 언어 이름입니다.",
+ "vscode.extension.contributes.localizations.translations": "해당 언어에 연결된 번역 목록입니다.",
+ "vscode.extension.contributes.localizations.translations.id": "이 변환이 적용되는 VS Code 또는 확장의 ID입니다. VS Code의 ID는 항상 `vscode`이고 확장의 ID는 `publisherId.extensionName` 형식이어야 합니다.",
+ "vscode.extension.contributes.localizations.translations.id.pattern": "ID는 VS Code를 변환하거나 확장을 변환하는 경우 각각 `vscode` 또는 `publisherId.extensionName` 형식이어야 합니다.",
+ "vscode.extension.contributes.localizations.translations.path": "언어에 대한 변환을 포함하는 파일의 상대 경로입니다."
+ },
+ "vs/workbench/contrib/localizations/browser/localizationsActions": {
+ "configureLocale": "표시 언어 구성",
+ "installAdditionalLanguages": "추가 언어 설치...",
+ "chooseDisplayLanguage": "표시 언어 선택",
+ "relaunchDisplayLanguageMessage": "표시 언어의 변경 사항을 적용하려면 다시 시작해야 합니다.",
+ "relaunchDisplayLanguageDetail": "{0}을(를) 다시 시작하고 표시 언어를 변경하려면 다시 시작 버튼을 누르세요.",
+ "restart": "다시 시작(&&R)"
+ },
+ "vs/workbench/contrib/localizations/browser/minimalTranslations": {
+ "showLanguagePackExtensions": "Marketplace에서 언어 팩을 검색하여 표시 언어를 {0}(으)로 변경합니다.",
+ "searchMarketplace": "Marketplace 검색",
+ "installAndRestartMessage": "언어 팩을 설치하여 표시 언어를 {0}(으)로 변경합니다.",
+ "installAndRestart": "설치 및 다시 시작"
+ },
+ "vs/workbench/contrib/logs/common/logs.contribution": {
+ "userDataSyncLog": "설정 동기화",
+ "rendererLog": "창",
+ "telemetryLog": "원격 분석",
+ "show window log": "창 로그 표시",
+ "mainLog": "기본",
+ "sharedLog": "공유"
+ },
+ "vs/workbench/contrib/logs/electron-sandbox/logsActions": {
+ "openLogsFolder": "Logs 폴더 열기",
+ "openExtensionLogsFolder": "확장 로그 폴더 열기"
+ },
+ "vs/workbench/contrib/logs/common/logsActions": {
+ "setLogLevel": "로그 수준 설정...",
+ "trace": "추적",
+ "debug": "디버그",
+ "info": "정보",
+ "warn": "경고",
+ "err": "오류",
+ "critical": "위험",
+ "off": "끄기",
+ "selectLogLevel": "로그 수준 선택",
+ "default and current": "기본값 및 현재",
+ "default": "기본값",
+ "current": "현재",
+ "openSessionLogFile": "창 로그 파일 열기(세션)...",
+ "sessions placeholder": "세션 선택",
+ "log placeholder": "로그 파일 선택"
+ },
+ "vs/workbench/contrib/markers/browser/markers.contribution": {
+ "markersViewIcon": "표식 보기의 뷰 아이콘입니다.",
+ "copyMarker": "복사",
+ "copyMessage": "메시지 복사",
+ "focusProblemsList": "문제 보기에 포커스",
+ "focusProblemsFilter": "문제 필터에 포커스",
+ "show multiline": "메시지를 여러 줄로 표시",
+ "problems": "문제",
+ "show singleline": "메시지를 한 줄로 표시",
+ "clearFiltersText": "필터 텍스트 지우기",
+ "miMarker": "문제(&&P)",
+ "status.problems": "문제",
+ "totalErrors": "오류 {0}개",
+ "totalWarnings": "경고 {0}개",
+ "totalInfos": "정보 {0}개",
+ "noProblems": "문제없음",
+ "manyProblems": "10K+"
+ },
+ "vs/workbench/contrib/markers/browser/markersView": {
+ "collapseAll": "모두 축소",
+ "filter": "필터",
+ "No problems filtered": "{0}개 문제 표시",
+ "problems filtered": "{1}개 중 {0}개 문제 표시",
+ "clearFilter": "필터 지우기"
+ },
+ "vs/workbench/contrib/markers/browser/markersViewActions": {
+ "filterIcon": "마커 보기의 필터 구성 아이콘입니다.",
+ "showing filtered problems": "{0}/{1}개 표시"
+ },
+ "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.showCurrentInStatus": "활성화하면 상태 표시줄에 현재 문제가 표시됩니다.",
+ "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": "필터(예: 텍스트, **/*.ts, !**/node_modules/**)",
+ "markers.panel.filter.errors": "오류",
+ "markers.panel.filter.warnings": "경고",
+ "markers.panel.filter.infos": "정보",
+ "markers.panel.single.error.label": "오류 1개",
+ "markers.panel.multiple.errors.label": "오류 {0}개",
+ "markers.panel.single.warning.label": "경고 1개",
+ "markers.panel.multiple.warnings.label": "경고 {0}개",
+ "markers.panel.single.info.label": "정보 1개",
+ "markers.panel.multiple.infos.label": "정보 {0}개",
+ "markers.panel.single.unknown.label": "알 수 없음 1개",
+ "markers.panel.multiple.unknowns.label": "알 수 없음 {0}개",
+ "markers.panel.at.ln.col.number": "[{0}, {1}]",
+ "problems.tree.aria.label.resource": "{2} 폴더의 {1} 파일에 {0}개의 문제 있음",
+ "problems.tree.aria.label.marker.relatedInformation": " 이 문제에는 {0} 위치에 대한 참조가 있습니다.",
+ "problems.tree.aria.label.error.marker": "{0}에 의해 오류 발생: 줄 {2} 및 문자 {3}.{4}의 {1}",
+ "problems.tree.aria.label.error.marker.nosource": "오류: 줄 {1} 및 문자 {2}의 {0}.{3}",
+ "problems.tree.aria.label.warning.marker": "{0}에 의해 경고 발생: 줄 {2} 및 문자 {3}의 {1}.{4}",
+ "problems.tree.aria.label.warning.marker.nosource": "경고: 줄 {1} 및 문자 {2}의 {0}.{3}",
+ "problems.tree.aria.label.info.marker": "{0}에 의해 정보가 생성됨: 줄 {2} 및 문자 {3}의 {1}.{4}",
+ "problems.tree.aria.label.info.marker.nosource": "정보: 줄 {1} 및 문자 {2}의 {0}.{3}",
+ "problems.tree.aria.label.marker": "{0}에 의해 문제 발생: 줄 {2} 및 문자 {3}의 {1}.{4}",
+ "problems.tree.aria.label.marker.nosource": "문제: 줄 {1} 및 문자 {2}의 {0}.{3}",
+ "problems.tree.aria.label.relatedinfo.message": "{3}에서 줄 {1} 및 문자 {2}의 {0}",
+ "errors.warnings.show.label": "오류 및 경고 표시"
+ },
+ "vs/workbench/contrib/markers/browser/markers": {
+ "totalProblems": "총 {0}개 문제"
+ },
+ "vs/workbench/contrib/markers/browser/markersFileDecorations": {
+ "label": "문제",
+ "tooltip.1": "이 파일의 문제 1개",
+ "tooltip.N": "이 파일의 문제 {0}개",
+ "markers.showOnFile": "파일 및 폴더에 오류와 경고를 표시합니다."
+ },
+ "vs/workbench/contrib/markers/browser/markersTreeViewer": {
+ "problemsView": "문제 보기",
+ "expandedIcon": "마커 보기에서 여러 줄이 표시되었음을 나타내는 아이콘입니다.",
+ "collapsedIcon": "마커 보기에서 여러 줄이 축소되었음을 나타내는 아이콘입니다.",
+ "single line": "메시지를 한 줄로 표시",
+ "multi line": "메시지를 여러 줄로 표시",
+ "links.navigate.follow": "링크로 이동",
+ "links.navigate.kb.meta": "Ctrl+클릭",
+ "links.navigate.kb.meta.mac": "Cmd+클릭",
+ "links.navigate.kb.alt.mac": "Option+클릭",
+ "links.navigate.kb.alt": "Alt+클릭"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/coreActions": {
+ "notebookActions.category": "Notebook",
+ "notebookActions.execute": "셀 실행",
+ "notebookActions.cancel": "셀 실행 중지",
+ "notebookActions.executeCell": "셀 실행",
+ "notebookActions.CancelCell": "실행 취소",
+ "notebookActions.deleteCell": "셀 삭제",
+ "notebookActions.executeAndSelectBelow": "Notebook 셀 실행 및 아래에서 선택",
+ "notebookActions.executeAndInsertBelow": "Notebook 셀 실행 및 아래에 삽입",
+ "notebookActions.renderMarkdown": "모든 Markdown 셀 렌더링",
+ "notebookActions.executeNotebook": "Notebook 실행",
+ "notebookActions.cancelNotebook": "Notebook 실행 취소",
+ "notebookMenu.insertCell": "셀 삽입",
+ "notebookMenu.cellTitle": "Notebook 셀",
+ "notebookActions.menu.executeNotebook": "Notebook 실행(모든 셀 실행)",
+ "notebookActions.menu.cancelNotebook": "Notebook 실행 중지",
+ "notebookActions.changeCellToCode": "셀을 코드로 변경",
+ "notebookActions.changeCellToMarkdown": "셀을 Markdown으로 변경",
+ "notebookActions.insertCodeCellAbove": "위에 코드 셀 삽입",
+ "notebookActions.insertCodeCellBelow": "아래에 코드 셀 삽입",
+ "notebookActions.insertCodeCellAtTop": "위쪽에 코드 셀 추가",
+ "notebookActions.insertMarkdownCellAtTop": "위쪽에 Markdown 셀 추가",
+ "notebookActions.menu.insertCode": "$(add) 코드",
+ "notebookActions.menu.insertCode.tooltip": "코드 셀 추가",
+ "notebookActions.insertMarkdownCellAbove": "위에 Markdown 셀 삽입",
+ "notebookActions.insertMarkdownCellBelow": "아래에 Markdown 셀 삽입",
+ "notebookActions.menu.insertMarkdown": "$(add) Markdown",
+ "notebookActions.menu.insertMarkdown.tooltip": "Markdown 셀 추가",
+ "notebookActions.editCell": "셀 편집",
+ "notebookActions.quitEdit": "셀 편집 중지",
+ "notebookActions.moveCellUp": "위로 셀 이동",
+ "notebookActions.moveCellDown": "아래로 셀 이동",
+ "notebookActions.copy": "셀 복사",
+ "notebookActions.cut": "셀 잘라내기",
+ "notebookActions.paste": "셀 붙여넣기",
+ "notebookActions.pasteAbove": "위에 셀 붙여넣기",
+ "notebookActions.copyCellUp": "위로 셀 복사",
+ "notebookActions.copyCellDown": "아래로 셀 복사",
+ "cursorMoveDown": "다음 셀 편집기에 포커스",
+ "cursorMoveUp": "이전 셀 편집기에 포커스",
+ "focusOutput": "활성 셀 출력 포커스 인",
+ "focusOutputOut": "활성 셀 출력 포커스 아웃",
+ "focusFirstCell": "첫 번째 셀에 포커스 설정",
+ "focusLastCell": "마지막 셀에 포커스 설정",
+ "clearCellOutputs": "셀 출력 지우기",
+ "changeLanguage": "셀 언어 변경",
+ "languageDescription": "({0}) - 현재 언어",
+ "languageDescriptionConfigured": "({0})",
+ "pickLanguageToConfigure": "언어 모드 선택",
+ "clearAllCellsOutputs": "모든 셀 출력 지우기",
+ "notebookActions.splitCell": "셀 분할",
+ "notebookActions.joinCellAbove": "이전 셀과 조인",
+ "notebookActions.joinCellBelow": "다음 셀과 조인",
+ "notebookActions.centerActiveCell": "활성 셀 가운데 맞춤",
+ "notebookActions.collapseCellInput": "셀 입력 축소",
+ "notebookActions.expandCellContent": "셀 콘텐츠 확장",
+ "notebookActions.collapseCellOutput": "셀 출력 축소",
+ "notebookActions.expandCellOutput": "셀 출력 확장",
+ "notebookActions.inspectLayout": "Notebook 레이아웃 검사"
+ },
+ "vs/workbench/contrib/notebook/browser/notebook.contribution": {
+ "diffLeftRightLabel": "{0} ⟷ {1}",
+ "notebookConfigurationTitle": "Notebook",
+ "notebook.displayOrder.description": "출력 MIME 형식의 우선순위 목록",
+ "notebook.cellToolbarLocation.description": "셀 도구 모음을 표시해야 하거나 숨겨야 하는지 여부입니다.",
+ "notebook.showCellStatusbar.description": "셀 상태 표시줄 표시 여부가 표시됩니다.",
+ "notebook.diff.enablePreview.description": "Notebook에 향상된 텍스트 Diff 편집기를 사용할지 여부입니다."
+ },
+ "vs/workbench/contrib/notebook/browser/notebookIcons": {
+ "configureKernel": "Notebook 편집기의 커널 구성 위젯에 있는 구성 아이콘입니다.",
+ "selectKernelIcon": "Notebook 편집기에서 커널을 선택하는 구성 아이콘입니다.",
+ "executeIcon": "Notebook 편집기에서 실행하는 아이콘입니다.",
+ "stopIcon": "Notebook 편집기에서 실행을 중지하는 아이콘입니다.",
+ "deleteCellIcon": "Notebook 편집기에서 셀을 삭제하는 아이콘입니다.",
+ "executeAllIcon": "Notebook 편집기에서 모든 셀을 실행하는 아이콘입니다.",
+ "editIcon": "Notebook 편집기에서 셀을 편집하는 아이콘입니다.",
+ "stopEditIcon": "Notebook 편집기에서 셀 편집을 중지하는 아이콘입니다.",
+ "moveUpIcon": "Notebook 편집기에서 위로 셀을 이동하는 아이콘입니다.",
+ "moveDownIcon": "Notebook 편집기에서 아래로 셀을 이동하는 아이콘입니다.",
+ "clearIcon": "Notebook 편집기에서 셀 출력을 지우는 아이콘입니다.",
+ "splitCellIcon": "Notebook 편집기에서 셀을 분할하는 아이콘입니다.",
+ "unfoldIcon": "Notebook 편집기에서 셀을 펼치는 아이콘입니다.",
+ "successStateIcon": "Notebook 편집기에서 성공 상태를 나타내는 아이콘입니다.",
+ "errorStateIcon": "Notebook 편집기에서 오류 상태를 나타내는 아이콘입니다.",
+ "collapsedIcon": "Notebook 편집기에서 축소된 섹션에 주석을 다는 아이콘입니다.",
+ "expandedIcon": "Notebook 편집기에서 확장된 섹션에 주석을 다는 아이콘입니다.",
+ "openAsTextIcon": "텍스트 편집기에서 Notebook을 여는 아이콘입니다.",
+ "revertIcon": "Notebook 편집기에서 되돌리는 아이콘입니다.",
+ "mimetypeIcon": "Notebook 편집기에서 MIME 형식의 아이콘입니다."
+ },
+ "vs/workbench/contrib/notebook/browser/notebookEditor": {
+ "fail.noEditor": "Notebook 편집기 형식 '{0}'을(를) 사용하는 리소스를 열 수 없습니다. 올바른 확장이 설치되어 있거나 사용하도록 설정되어 있는지 확인하세요.",
+ "fail.reOpen": "VS Code 표준 텍스트 편집기를 사용하여 파일 다시 열기"
+ },
+ "vs/workbench/contrib/notebook/browser/notebookServiceImpl": {
+ "builtinProviderDisplayName": "기본 제공"
+ },
+ "vs/workbench/contrib/notebook/browser/diff/notebookTextDiffEditor": {
+ "notebookTreeAriaLabel": "Notebook 텍스트 차이"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/find/findController": {
+ "notebookActions.hideFind": "Notebook에서 찾기 숨기기",
+ "notebookActions.findInNotebook": "Notebook에서 찾기"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/fold/folding": {
+ "fold.cell": "셀 접기",
+ "unfold.cell": "셀 펼치기"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/format/formatting": {
+ "format.title": "Notebook 서식",
+ "label": "Notebook 서식",
+ "formatCell.label": "셀 서식"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/status/editorStatus": {
+ "notebookActions.selectKernel": "Notebook 커널 선택",
+ "notebook.runCell.selectKernel": "이 전자 필기장을 실행할 전자 필기장 커널 선택",
+ "currentActiveKernel": " (현재 작업)",
+ "notebook.promptKernel.setDefaultTooltip": "'{0}'의 기본 커널 공급자로 설정",
+ "chooseActiveKernel": "현재 Notebook의 커널 선택",
+ "notebook.selectKernel": "현재 Notebook의 커널 선택"
+ },
+ "vs/workbench/contrib/notebook/browser/diff/notebookDiffActions": {
+ "notebook.diff.switchToText": "텍스트 Diff 편집기 열기",
+ "notebook.diff.cell.revertMetadata": "메타데이터 되돌리기",
+ "notebook.diff.cell.revertOutputs": "출력 되돌리기",
+ "notebook.diff.cell.revertInput": "입력 되돌리기"
+ },
+ "vs/workbench/contrib/notebook/browser/extensionPoint": {
+ "contributes.notebook.provider": "노트북 문서 공급자를 제공합니다.",
+ "contributes.notebook.provider.viewType": "Notebook의 고유 식별자.",
+ "contributes.notebook.provider.displayName": "사람이 읽을 수 있는 Notebook 이름.",
+ "contributes.notebook.provider.selector": "Notebook용 glob 집합.",
+ "contributes.notebook.provider.selector.filenamePattern": "Notebook을 사용하도록 설정한 glob.",
+ "contributes.notebook.selector.provider.excludeFileNamePattern": "Notebook을 사용하지 않도록 설정한 glob.",
+ "contributes.priority": "사용자가 파일을 열 때 사용자 지정 편집기를 자동으로 사용할지를 제어합니다. 사용자가 `workbench.editorAssociations` 설정을 사용하여 재정의할 수 있습니다.",
+ "contributes.priority.default": "이 편집기는 사용자가 리소스를 열 때 해당 리소스에 대해 다른 기본 사용자 지정 편집기가 등록되지 않은 경우 자동으로 사용됩니다.",
+ "contributes.priority.option": "이 편집기는 사용자가 리소스를 열 때 자동으로 사용되지 않지만, 사용자가 '다음으로 다시 열기' 명령을 사용하여 이 편집기로 전환할 수 있습니다.",
+ "contributes.notebook.renderer": "Notebook 출력 렌더러 공급자를 제공합니다.",
+ "contributes.notebook.renderer.viewType": "Notebook 출력 렌더러의 고유 식별자.",
+ "contributes.notebook.provider.viewType.deprecated": "'viewType'의 이름을 'id'로 바꿉니다.",
+ "contributes.notebook.renderer.displayName": "사람이 읽을 수 있는 Notebook 출력 렌더러 이름.",
+ "contributes.notebook.selector": "Notebook용 glob 집합.",
+ "contributes.notebook.renderer.entrypoint": "확장을 렌더링하기 위해 웹 보기에 로드할 파일입니다."
+ },
+ "vs/workbench/contrib/notebook/browser/notebookKernelAssociation": {
+ "notebook.kernelProviderAssociations": "다른 모든 커널 공급자 설정보다 우선하여 적용되는 기본 커널 공급자를 정의합니다. 커널 공급자에 영향을 주는 확장의 식별자여야 합니다."
+ },
+ "vs/workbench/contrib/notebook/common/model/notebookTextModel": {
+ "defaultEditLabel": "편집"
+ },
+ "vs/workbench/contrib/notebook/common/notebookEditorModel": {
+ "notebook.staleSaveError": "디스크에서 파일의 내용이 변경되었습니다. 업데이트된 버전을 여시겠습니까 아니면 변경 내용으로 파일을 덮어쓰시겠습니까?",
+ "notebook.staleSaveError.revert": "되돌리기",
+ "notebook.staleSaveError.overwrite.": "덮어쓰기"
+ },
+ "vs/workbench/contrib/notebook/browser/notebookEditorWidget": {
+ "notebookTreeAriaLabel": "Notebook",
+ "notebook.runCell.selectKernel": "이 전자 필기장을 실행할 전자 필기장 커널 선택",
+ "notebook.promptKernel.setDefaultTooltip": "'{0}'의 기본 커널 공급자로 설정",
+ "notebook.cellBorderColor": "Notebook 셀의 테두리 색입니다.",
+ "notebook.focusedEditorBorder": "Notebook 셀 편집기 테두리 색입니다.",
+ "notebookStatusSuccessIcon.foreground": "셀 상태 표시줄의 Notebook 셀 오류 아이콘 색입니다.",
+ "notebookStatusErrorIcon.foreground": "셀 상태 표시줄의 Notebook 셀 오류 아이콘 색입니다.",
+ "notebookStatusRunningIcon.foreground": "셀 상태 표시줄의 Notebook 셀 실행 중 아이콘 색입니다.",
+ "notebook.outputContainerBackgroundColor": "Notebook 출력 컨테이너 배경색입니다.",
+ "notebook.cellToolbarSeparator": "셀 아래쪽 도구 모음의 구분 기호 색",
+ "focusedCellBackground": "셀에 포커스가 있을 때 셀의 배경색입니다.",
+ "notebook.cellHoverBackground": "셀을 가리킬 때 셀의 배경색입니다.",
+ "notebook.selectedCellBorder": "셀이 선택되었지만 포커스가 없을 때 셀의 위쪽 및 아래쪽 테두리 색입니다.",
+ "notebook.focusedCellBorder": "셀에 포커스가 있을 때 셀의 위쪽 및 아래쪽 테두리 색입니다.",
+ "notebook.cellStatusBarItemHoverBackground": "Notebook 셀 상태 표시줄 항목의 배경색입니다.",
+ "notebook.cellInsertionIndicator": "Notebook 셀 삽입 표시기 색입니다.",
+ "notebookScrollbarSliderBackground": "Notebook 스크롤 막대 슬라이더 배경색입니다.",
+ "notebookScrollbarSliderHoverBackground": "마우스로 가리킬 때 Notebook 스크롤 막대 슬라이더 배경색입니다.",
+ "notebookScrollbarSliderActiveBackground": "클릭했을 때 Notebook 스크롤 막대 슬라이더 배경색입니다.",
+ "notebook.symbolHighlightBackground": "강조 표시된 셀의 배경색"
+ },
+ "vs/workbench/contrib/notebook/browser/view/renderers/cellRenderer": {
+ "cellExpandButtonLabel": "확장"
+ },
+ "vs/workbench/contrib/notebook/browser/viewModel/markdownCellViewModel": {
+ "notebook.emptyMarkdownPlaceholder": "빈 Markdown 셀입니다. 편집하려면 두 번 클릭하거나 키를 누르세요."
+ },
+ "vs/workbench/contrib/notebook/browser/view/renderers/cellWidgets": {
+ "notebook.cell.status.language": "셀 언어 모드 선택"
+ },
+ "vs/workbench/contrib/notebook/browser/view/renderers/cellOutput": {
+ "mimeTypePicker": "다른 출력 MIME 형식을 선택하세요. 사용 가능한 MIME 형식: {0}",
+ "curruentActiveMimeType": "현재 활성",
+ "promptChooseMimeTypeInSecure.placeHolder": "현재 출력에 대해 렌더링할 MIME 형식을 선택합니다. Notebook을 신뢰할 수 있는 경우에만 다양한 MIME 형식을 사용할 수 있습니다.",
+ "promptChooseMimeType.placeHolder": "현재 출력에 대해 렌더링할 MIME 형식 선택",
+ "builtinRenderInfo": "기본 제공"
+ },
+ "vs/workbench/contrib/outline/browser/outline.contribution": {
+ "outlineViewIcon": "개요 보기의 뷰 아이콘입니다.",
+ "name": "개요",
+ "outlineConfigurationTitle": "개요",
+ "outline.showIcons": "아이콘으로 윤곽 요소를 렌더링합니다.",
+ "outline.showProblem": "개요 요소에 대한 오류 및 경고를 표시합니다.",
+ "outline.problem.colors": "오류 및 경고에 색을 사용합니다.",
+ "outline.problems.badges": "오류 및 경고에 배지를 사용합니다.",
+ "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": "사용하도록 설정되면 개요에 'null' 기호가 표시됩니다.",
+ "filteredTypes.enumMember": "사용하도록 설정되면 개요에 'enumMember' 기호가 표시됩니다.",
+ "filteredTypes.struct": "사용하도록 설정되면 개요에 '구조' 기호가 표시됩니다.",
+ "filteredTypes.event": "사용하도록 설정되면 개요에 '이벤트' 기호가 표시됩니다.",
+ "filteredTypes.operator": "사용하도록 설정된 경우 개요에 '연산자' 기호가 표시됩니다.",
+ "filteredTypes.typeParameter": "사용하도록 설정되면 개요에 'typeParameter' 기호가 표시됩니다."
+ },
+ "vs/workbench/contrib/outline/browser/outlinePane": {
+ "outline": "개요",
+ "sortByPosition": "정렬 기준: 위치",
+ "sortByName": "정렬 기준: 이름",
+ "sortByKind": "정렬 대상: 범주",
+ "followCur": "커서 따르기",
+ "filterOnType": "형식을 기준으로 필터링",
+ "no-editor": "활성 편집기에서 개요 정보를 제공할 수 없습니다.",
+ "loading": "'{0}'에 대한 문서 기호를 로드하는 중...",
+ "no-symbols": "'{0}' 문서에서 기호를 찾을 수 없음"
+ },
+ "vs/workbench/contrib/output/browser/output.contribution": {
+ "outputViewIcon": "출력 보기의 뷰 아이콘입니다.",
+ "output": "출력",
+ "logViewer": "로그 뷰어",
+ "switchToOutput.label": "출력으로 전환",
+ "clearOutput.label": "출력 내용 지우기",
+ "outputCleared": "출력을 지웠습니다.",
+ "toggleAutoScroll": "자동 스크롤 전환",
+ "outputScrollOff": "자동 스크롤 끄기",
+ "outputScrollOn": "자동 스크롤 켜기",
+ "openActiveLogOutputFile": "로그 출력 파일 열기",
+ "toggleOutput": "출력 설정/해제",
+ "showLogs": "로그 표시...",
+ "selectlog": "로그 선택",
+ "openLogFile": "로그 파일 열기...",
+ "selectlogFile": "로그 파일 선택",
+ "miToggleOutput": "출력(&&O)",
+ "output.smartScroll.enabled": "출력 보기에서 스마트 스크롤 기능을 사용하거나 사용하지 않도록 설정합니다. 스마트 스크롤 기능을 사용하면 출력 보기를 클릭하면 스크롤이 자동으로 잠기고 마지막 줄을 클릭하면 잠금이 해제됩니다."
+ },
+ "vs/workbench/contrib/output/browser/outputView": {
+ "output model title": "{0} - 출력",
+ "channel": "'{0}'에 대한 출력 채널",
+ "output": "출력",
+ "outputViewWithInputAriaLabel": "{0}, 출력 패널",
+ "outputViewAriaLabel": "출력 패널",
+ "outputChannels": "출력 채널입니다.",
+ "logChannel": "로그({0})"
+ },
+ "vs/workbench/contrib/output/browser/logViewer": {
+ "logViewerAriaLabel": "로그 뷰어"
+ },
+ "vs/workbench/contrib/performance/electron-browser/startupProfiler": {
+ "prof.message": "프로필을 만들었습니다.",
+ "prof.detail": "문제를 만들고 다음 파일을 수동으로 첨부하세요.\r\n{0}",
+ "prof.restartAndFileIssue": "문제 만들기 및 다시 시작(&&C)",
+ "prof.restart": "다시 시작(&&R)",
+ "prof.thanks": "도움을 주셔서 감사합니다.",
+ "prof.detail.restart": "계속 '{0}'을(를) 사용하려면 마지막으로 다시 시작해야 합니다. 기여해 주셔서 다시 한번 감사드립니다.",
+ "prof.restart.button": "다시 시작(&&R)"
+ },
+ "vs/workbench/contrib/performance/browser/performance.contribution": {
+ "show.label": "시작 성능"
+ },
+ "vs/workbench/contrib/performance/browser/perfviewEditor": {
+ "name": "시작 성능"
+ },
+ "vs/workbench/contrib/preferences/browser/keybindingsEditorContribution": {
+ "defineKeybinding.start": "키 바인딩 정의",
+ "defineKeybinding.kbLayoutErrorMessage": "현재 자판 배열에서는 이 키 조합을 생성할 수 없습니다.",
+ "defineKeybinding.kbLayoutLocalAndUSMessage": "현재 자판 배열의 경우 **{0}**입니다(**{1}**: 미국 표준).",
+ "defineKeybinding.kbLayoutLocalMessage": "현재 자판 배열의 경우 **{0}**입니다."
+ },
+ "vs/workbench/contrib/preferences/browser/preferences.contribution": {
+ "defaultPreferencesEditor": "기본 설정 편집기",
+ "settingsEditor2": "설정 편집기 2",
+ "keybindingsEditor": "키 바인딩 편집기",
+ "openSettings2": "설정 열기(UI)",
+ "preferences": "기본 설정",
+ "settings": "설정",
+ "miOpenSettings": "설정(&&S)",
+ "openSettingsJson": "설정 열기(JSON)",
+ "openGlobalSettings": "사용자 설정 열기",
+ "openRawDefaultSettings": "기본 설정 열기(JSON)",
+ "openWorkspaceSettings": "작업 영역 설정 열기",
+ "openWorkspaceSettingsFile": "작업 영역 설정 열기(JSON)",
+ "openFolderSettings": "폴더 설정 열기",
+ "openFolderSettingsFile": "폴더 설정 열기(JSON)",
+ "filterModifiedLabel": "수정된 설정 표시",
+ "filterOnlineServicesLabel": "온라인 서비스에 대한 설정 표시",
+ "miOpenOnlineSettings": "Online Services 설정(&&O)",
+ "onlineServices": "온라인 서비스 설정",
+ "openRemoteSettings": "원격 설정 열기({0})",
+ "settings.focusSearch": "설정 검색에 포커스",
+ "settings.clearResults": "설정 검색 결과 지우기",
+ "settings.focusFile": "포커스 설정 파일",
+ "settings.focusNextSetting": "다음 설정에 포커스",
+ "settings.focusPreviousSetting": "이전 설정에 포커스",
+ "settings.editFocusedSetting": "포커스 설정 편집",
+ "settings.focusSettingsList": "포커스 설정 목록",
+ "settings.focusSettingsTOC": "설정 목차에 포커스",
+ "settings.focusSettingControl": "설정 제어에 포커스",
+ "settings.showContextMenu": "설정 상황에 맞는 메뉴 표시",
+ "settings.focusLevelUp": "포커스를 한 수준 위로 이동",
+ "openGlobalKeybindings": "바로 가기 키 열기",
+ "Keyboard Shortcuts": "바로 가기 키",
+ "openDefaultKeybindingsFile": "기본 바로 가기 키 열기(JSON)",
+ "openGlobalKeybindingsFile": "바로 가기 키 열기(JSON)",
+ "showDefaultKeybindings": "기본 키 바인딩 표시",
+ "showUserKeybindings": "사용자 키 바인딩 표시",
+ "clear": "검색 결과 지우기",
+ "miPreferences": "기본 설정(&&P)"
+ },
+ "vs/workbench/contrib/preferences/browser/keybindingWidgets": {
+ "defineKeybinding.initial": "원하는 키 조합을 누르고 키를 누르세요.",
+ "defineKeybinding.oneExists": "1개의 기존 명령에 이 키 바인딩이 있습니다.",
+ "defineKeybinding.existing": "{0}개의 기존 명령에 이 키 바인딩이 있습니다.",
+ "defineKeybinding.chordsTo": "현"
+ },
+ "vs/workbench/contrib/preferences/browser/keybindingsEditor": {
+ "recordKeysLabel": "키 기록",
+ "recordKeysLabelWithKeybinding": "{0}({1})",
+ "sortByPrecedeneLabel": "우선 순위별 정렬",
+ "sortByPrecedeneLabelWithKeybinding": "{0}({1})",
+ "SearchKeybindings.FullTextSearchPlaceholder": "키 바인딩에서 검색하려면 입력",
+ "SearchKeybindings.KeybindingsSearchPlaceholder": "키를 기록하는 중입니다. 종료하려면 키를 누르세요.",
+ "clearInput": "키 바인딩 검색 입력 지우기",
+ "recording": "키 기록",
+ "command": "명령",
+ "keybinding": "키 바인딩",
+ "when": "언제",
+ "source": "소스",
+ "show sorted keybindings": "우선 순위 순으로 {0}개 키 바인딩 표시",
+ "show keybindings": "{0}개 키 바인딩 사전순으로 표시",
+ "changeLabel": "키 바인딩 변경...",
+ "addLabel": "키 바인딩 추가...",
+ "editWhen": "식인 경우 변경",
+ "removeLabel": "키 바인딩 제거",
+ "resetLabel": "키 바인딩 다시 설정",
+ "showSameKeybindings": "동일한 키 바인딩 표시",
+ "copyLabel": "복사",
+ "copyCommandLabel": "명령 ID 복사",
+ "error": "키 바인딩을 편집하는 동안 '{0}' 오류가 발생했습니다. 'keybindings.json' 파일을 열고 오류를 확인하세요.",
+ "editKeybindingLabelWithKey": "키 바인딩 {0} 변경",
+ "editKeybindingLabel": "키 바인딩 변경",
+ "addKeybindingLabelWithKey": "키 바인딩 {0} 추가",
+ "addKeybindingLabel": "키 바인딩 추가",
+ "title": "{0}({1})",
+ "whenContextInputAriaLabel": "컨텍스트인 경우 입력합니다. 키를 눌러 확인하거나 키를 눌러 취소합니다.",
+ "keybindingsLabel": "키 바인딩",
+ "noKeybinding": "키 바인딩이 할당되지 않았습니다.",
+ "noWhen": "컨텍스트인 경우 아니요"
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesActions": {
+ "configureLanguageBasedSettings": "언어별 설정 구성...",
+ "languageDescriptionConfigured": "({0})",
+ "pickLanguage": "언어 선택"
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesEditor": {
+ "SearchSettingsWidget.AriaLabel": "설정 검색",
+ "SearchSettingsWidget.Placeholder": "설정 검색",
+ "noSettingsFound": "설정을 찾을 수 없음",
+ "oneSettingFound": "1개 설정 찾음",
+ "settingsFound": "{0}개 설정 찾음",
+ "totalSettingsMessage": "총 {0}개 설정",
+ "nlpResult": "자연어 결과",
+ "filterResult": "필터링된 결과",
+ "defaultSettings": "기본 설정",
+ "defaultUserSettings": "기본 사용자 설정",
+ "defaultWorkspaceSettings": "기본 작업 영역 설정",
+ "defaultFolderSettings": "기본 폴더 설정",
+ "defaultEditorReadonly": "기본값을 재정의하려면 오른쪽 편집기를 편집하세요.",
+ "preferencesAriaLabel": "기본 설정. 읽기 전용 편집기"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsEditor2": {
+ "SearchSettings.AriaLabel": "설정 검색",
+ "clearInput": "설정 검색 입력 지우기",
+ "noResults": "설정을 찾을 수 없음",
+ "clearSearchFilters": "필터 지우기",
+ "settings": "설정",
+ "settingsNoSaveNeeded": "설정에 대한 변경 내용이 자동으로 저장됩니다.",
+ "oneResult": "1개 설정 찾음",
+ "moreThanOneResult": "{0}개 설정 찾음",
+ "turnOnSyncButton": "설정 동기화 켜기",
+ "lastSyncedLabel": "마지막 동기화: {0}"
+ },
+ "vs/workbench/contrib/preferences/common/preferencesContribution": {
+ "enableNaturalLanguageSettingsSearch": "설정에 대한 자연어 검색 모드를 사용할지 여부를 제어합니다. 자연어 검색은 Microsoft 온라인 서비스에 의해 제공됩니다.",
+ "settingsSearchTocBehavior.hide": "검색하는 동안 목차를 숨깁니다.",
+ "settingsSearchTocBehavior.filter": "일치하는 설정이 있는 범주로 목차를 필터링합니다. 범주를 클릭하면 해당 범주로 결과가 필터링됩니다.",
+ "settingsSearchTocBehavior": "검색하는 동안 설정 편집기 목차의 동작을 제어합니다."
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesIcons": {
+ "settingsGroupExpandedIcon": "분할 JSON 설정 편집기의 확장된 섹션 아이콘입니다.",
+ "settingsGroupCollapsedIcon": "분할 JSON 설정 편집기의 축소된 섹션 아이콘입니다.",
+ "settingsScopeDropDownIcon": "분할 JSON 설정 편집기의 폴더 드롭다운 단추 아이콘입니다.",
+ "settingsMoreActionIcon": "설정 UI의 '기타 작업' 작업 아이콘입니다.",
+ "keybindingsRecordKeysIcon": "키 바인딩 UI의 '키 기록' 작업 아이콘입니다.",
+ "keybindingsSortIcon": "키 바인딩 UI의 '우선 순위로 정렬' 토글 아이콘입니다.",
+ "keybindingsEditIcon": "키 바인딩 UI의 편집 작업 아이콘입니다.",
+ "keybindingsAddIcon": "키 바인딩 UI의 추가 작업 아이콘입니다.",
+ "settingsEditIcon": "설정 UI의 편집 작업 아이콘입니다.",
+ "settingsAddIcon": "설정 UI의 추가 작업 아이콘입니다.",
+ "settingsRemoveIcon": "설정 UI의 제거 작업 아이콘입니다.",
+ "preferencesDiscardIcon": "설정 UI의 취소 작업 아이콘입니다.",
+ "preferencesClearInput": "설정 및 키 바인딩 UI의 입력 지우기 아이콘입니다.",
+ "preferencesOpenSettings": "설정 열기 명령의 아이콘입니다."
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesWidgets": {
+ "defaultSettings": "재정의할 설정을 오른쪽 편집기에 배치합니다.",
+ "noSettingsFound": "설정을 찾을 수 없습니다.",
+ "settingsSwitcherBarAriaLabel": "설정 전환기",
+ "userSettings": "사용자",
+ "userSettingsRemote": "원격",
+ "workspaceSettings": "작업 영역",
+ "folderSettings": "폴더"
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesRenderers": {
+ "emptyUserSettingsHeader": "설정을 여기에 넣어서 기본 설정을 재정의합니다.",
+ "emptyWorkspaceSettingsHeader": "설정을 여기에 넣어서 사용자 설정을 재정의합니다.",
+ "emptyFolderSettingsHeader": "폴더 설정을 여기에 넣어서 작업 영역 설정에서 재정의합니다.",
+ "editTtile": "편집",
+ "replaceDefaultValue": "설정에서 바꾸기",
+ "copyDefaultValue": "설정에 복사",
+ "unknown configuration setting": "알 수 없는 구성 설정",
+ "unsupportedRemoteMachineSetting": "이 설정은 이 창에서 적용할 수 없습니다. 로컬 창을 열 때 적용됩니다.",
+ "unsupportedWindowSetting": "이 설정은 이 작업 영역에 적용할 수 없습니다. 포함된 작업 영역 폴더를 직접 열 때 적용됩니다.",
+ "unsupportedApplicationSetting": "이 설정은 애플리케이션 사용자 설정에서만 적용할 수 있습니다.",
+ "unsupportedMachineSetting": "이 설정은 로컬 창의 사용자 설정이나 원격 창의 원격 설정에서만 적용할 수 있습니다.",
+ "unsupportedProperty": "지원되지 않는 속성"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsLayout": {
+ "commonlyUsed": "일반적으로 사용되는 설정",
+ "textEditor": "텍스트 편집기",
+ "cursor": "커서",
+ "find": "찾기",
+ "font": "글꼴",
+ "formatting": "서식",
+ "diffEditor": "Diff 편집기",
+ "minimap": "미니맵",
+ "suggestions": "제안 사항",
+ "files": "파일",
+ "workbench": "워크벤치",
+ "appearance": "모양",
+ "breadcrumbs": "이동 경로",
+ "editorManagement": "편집기 관리",
+ "settings": "설정 편집기",
+ "zenMode": "Zen 모드",
+ "screencastMode": "스크린캐스트 모드",
+ "window": "창",
+ "newWindow": "새 창",
+ "features": "기능",
+ "fileExplorer": "탐색기",
+ "search": "검색",
+ "debug": "디버그",
+ "scm": "SCM",
+ "extensions": "확장",
+ "terminal": "터미널",
+ "task": "태스크",
+ "problems": "문제",
+ "output": "출력",
+ "comments": "주석",
+ "remote": "원격",
+ "timeline": "타임라인",
+ "notebook": "Notebook",
+ "application": "애플리케이션",
+ "proxy": "프록시",
+ "keyboard": "키보드",
+ "update": "업데이트",
+ "telemetry": "원격 분석",
+ "settingsSync": "설정 동기화"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsTree": {
+ "extensions": "확장",
+ "extensionSyncIgnoredLabel": "동기화: 무시됨",
+ "modified": "수정",
+ "settingsContextMenuTitle": "기타 작업... ",
+ "alsoConfiguredIn": "다음에서도 수정됨",
+ "configuredIn": "다음에서 수정됨",
+ "newExtensionsButtonLabel": "일치하는 확장 표시",
+ "editInSettingsJson": "settings.json에서 편집",
+ "settings.Default": "기본값",
+ "resetSettingLabel": "설정 초기화",
+ "validationError": "유효성 검사 오류입니다.",
+ "settings.Modified": "수정됨",
+ "settings": "설정",
+ "copySettingIdLabel": "설정 ID 복사",
+ "copySettingAsJSONLabel": "설정을 JSON으로 복사",
+ "stopSyncingSetting": "이 설정 동기화"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsTreeModels": {
+ "workspace": "작업 영역",
+ "remote": "원격",
+ "user": "사용자"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsWidgets": {
+ "headerForeground": "섹션 머리글 또는 활성 제목의 전경 색상입니다.",
+ "modifiedItemForeground": "수정된 설정 표시기의 색상입니다.",
+ "settingsDropdownBackground": "설정 편집기 드롭다운 배경입니다.",
+ "settingsDropdownForeground": "설정 편집기 드롭다운 전경.",
+ "settingsDropdownBorder": "설정 편집기 드롭다운 테두리입니다.",
+ "settingsDropdownListBorder": "설정 편집기 드롭다운 목록 테두리입니다. 이렇게 하면 옵션을 둘러싸고 설명과 옵션을 구분합니다.",
+ "settingsCheckboxBackground": "설정 편집기 확인란 배경.",
+ "settingsCheckboxForeground": "설정 편집기 확인란 전경.",
+ "settingsCheckboxBorder": "설정 편집기 확인란 테두리입니다.",
+ "textInputBoxBackground": "설정 편집기 텍스트 입력 상자 배경입니다.",
+ "textInputBoxForeground": "설정 편집기 텍스트 입력 상자 전경.",
+ "textInputBoxBorder": "설정 편집기 텍스트 입력 상자 테두리입니다.",
+ "numberInputBoxBackground": "설정 편집기 번호 입력 상자 배경입니다.",
+ "numberInputBoxForeground": "설정 편집기 번호 입력 상자 전경입니다.",
+ "numberInputBoxBorder": "설정 편집기 번호 입력 상자 테두리입니다.",
+ "focusedRowBackground": "포커스된 설정 행의 배경색입니다.",
+ "notebook.rowHoverBackground": "마우스를 올린 설정 행의 배경색입니다.",
+ "notebook.focusedRowBorder": "행에 포커스가 있을 때 행의 위쪽 및 아래쪽 테두리 색입니다.",
+ "okButton": "확인",
+ "cancelButton": "취소",
+ "listValueHintLabel": "목록 항목 '{0}'",
+ "listSiblingHintLabel": "'${1}' 형제가 있는 목록 항목 '{0}'",
+ "removeItem": "항목 제거",
+ "editItem": "항목 편집",
+ "addItem": "항목 추가",
+ "itemInputPlaceholder": "문자열 항목...",
+ "listSiblingInputPlaceholder": "형제...",
+ "excludePatternHintLabel": "`{0}`과(와) 일치하는 파일 제외",
+ "excludeSiblingHintLabel": "`{1}` 과(와) 일치하는 파일이 있는 경우에만 `{0}`과(와) 일치하는 파일 제외",
+ "removeExcludeItem": "제외 항목 제거",
+ "editExcludeItem": "제외 항목 편집",
+ "addPattern": "패턴 추가",
+ "excludePatternInputPlaceholder": "패턴 제외...",
+ "excludeSiblingInputPlaceholder": "패턴이 있는 경우...",
+ "objectKeyInputPlaceholder": "키",
+ "objectValueInputPlaceholder": "값",
+ "objectPairHintLabel": "`{0}` 속성이 `{1}`(으)로 설정되었습니다.",
+ "resetItem": "항목 다시 설정",
+ "objectKeyHeader": "항목",
+ "objectValueHeader": "값"
+ },
+ "vs/workbench/contrib/preferences/browser/tocTree": {
+ "settingsTOC": "설정 목차",
+ "groupRowAriaLabel": "{0}, 그룹"
+ },
+ "vs/workbench/contrib/quickaccess/browser/quickAccess.contribution": {
+ "helpQuickAccessPlaceholder": "여기에서 수행할 수 있는 작업에 대한 도움말을 얻으려면 '{0}'을(를) 입력합니다.",
+ "helpQuickAccess": "빠른 액세스 공급자 모두 표시",
+ "viewQuickAccessPlaceholder": "열려고 하는 뷰, 출력 채널 또는 터미널의 이름을 입력합니다.",
+ "viewQuickAccess": "뷰 열기",
+ "commandsQuickAccessPlaceholder": "실행할 명령의 이름을 입력합니다.",
+ "commandsQuickAccess": "명령 표시 및 실행",
+ "miCommandPalette": "명령 팔레트(&&C)...",
+ "miOpenView": "뷰 열기(&&O)...",
+ "miGotoSymbolInEditor": "편집기의 기호로 이동(&&S)...",
+ "miGotoLine": "줄/열로 이동(&&L)...",
+ "commandPalette": "명령 팔레트..."
+ },
+ "vs/workbench/contrib/quickaccess/browser/viewQuickAccess": {
+ "noViewResults": "일치하는 뷰 없음",
+ "views": "사이드바",
+ "panels": "패널",
+ "terminalTitle": "{0}: {1}",
+ "terminals": "터미널",
+ "logChannel": "로그({0})",
+ "channels": "출력",
+ "openView": "뷰 열기",
+ "quickOpenView": "Quick Open 뷰"
+ },
+ "vs/workbench/contrib/quickaccess/browser/commandsQuickAccess": {
+ "noCommandResults": "일치하는 명령 없음",
+ "configure keybinding": "키 바인딩 구성",
+ "commandWithCategory": "{0}: {1}",
+ "showTriggerActions": "모든 명령 표시",
+ "clearCommandHistory": "명령 기록 지우기"
+ },
+ "vs/workbench/contrib/relauncher/browser/relauncher.contribution": {
+ "relaunchSettingMessage": "설정이 변경되어 다시 시작해야만 적용됩니다.",
+ "relaunchSettingMessageWeb": "다시 로드해야 적용되는 설정이 변경되었습니다.",
+ "relaunchSettingDetail": "[다시 시작] 단추를 눌러 {0}을(를) 다시 시작하고 설정을 사용하도록 설정하세요.",
+ "relaunchSettingDetailWeb": "다시 로드 버튼을 눌러 {0}을(를) 다시 로드하고 설정을 사용하도록 설정합니다.",
+ "restart": "다시 시작(&&R)",
+ "restartWeb": "다시 로드(&&R)"
+ },
+ "vs/workbench/contrib/remote/electron-sandbox/remote.contribution": {
+ "remote": "원격",
+ "remote.downloadExtensionsLocally": "활성화된 확장이 로컬로 다운로드되고 원격으로 설치됩니다."
+ },
+ "vs/workbench/contrib/remote/common/remote.contribution": {
+ "remoteExtensionLog": "원격 서버",
+ "ui": "UI 확장 종류입니다. 원격 창에서, 이러한 확장은 로컬 머신에서 사용 가능한 경우에만 사용할 수 있습니다.",
+ "workspace": "작업 영역 확장 종류입니다. 원격 창에서, 이러한 확장은 원격에서 사용 가능한 경우에만 사용할 수 있습니다.",
+ "web": "웹 작업자 확장 유형입니다. 이와 같은 확장은 웹 작업자 확장 호스트에서 실행될 수 있습니다.",
+ "remote": "원격",
+ "remote.extensionKind": "확장 종류를 재정의합니다. 'ui' 확장은 로컬 머신에 설치되고 실행되며, 'workspace' 확장은 원격 머신에서 실행됩니다. 이 설정을 사용하여 확장의 기본 종류를 재정의함으로써 해당 확장이 로컬 머신에 설치되고 활성화되는지 원격 머신에 설치되고 활성화되는지 여부를 지정합니다.",
+ "remote.restoreForwardedPorts": "작업 영역에서 전달한 포트를 복원합니다.",
+ "remote.autoForwardPorts": "사용하도록 설정된 경우 실행 중인 새 프로세스가 검색되고 해당 프로세스가 수신 대기하는 포트가 자동으로 전달됩니다."
+ },
+ "vs/workbench/contrib/remote/browser/remote": {
+ "RemoteHelpInformationExtPoint": "원격에 대한 도움말 정보 제공",
+ "RemoteHelpInformationExtPoint.getStarted": "프로젝트 시작 페이지의 URL 또는 URL을 반환하는 명령",
+ "RemoteHelpInformationExtPoint.documentation": "프로젝트 설명서 페이지의 URL 또는 URL을 반환하는 명령",
+ "RemoteHelpInformationExtPoint.feedback": "프로젝트 피드백 보고서의 URL 또는 URL을 반환하는 명령",
+ "RemoteHelpInformationExtPoint.issues": "프로젝트 문제 목록의 URL 또는 URL을 반환하는 명령",
+ "getStartedIcon": "원격 탐색기 보기에서 시작 아이콘입니다.",
+ "documentationIcon": "원격 탐색기 보기에서 문서 아이콘입니다.",
+ "feedbackIcon": "원격 탐색기 보기에서 피드백 아이콘입니다.",
+ "reviewIssuesIcon": "원격 탐색기 보기에서 문제 검토 아이콘입니다.",
+ "reportIssuesIcon": "원격 탐색기 보기에서 문제 보고 아이콘입니다.",
+ "remoteExplorerViewIcon": "원격 탐색기 보기의 뷰 아이콘입니다.",
+ "remote.help.getStarted": "시작하기",
+ "remote.help.documentation": "설명서 읽기",
+ "remote.help.feedback": "피드백 제공",
+ "remote.help.issues": "문제 검토",
+ "remote.help.report": "문제 신고",
+ "pickRemoteExtension": "열 URL 선택",
+ "remote.help": "도움말 및 피드백",
+ "remotehelp": "원격 도움말",
+ "remote.explorer": "원격 탐색기",
+ "toggleRemoteViewlet": "원격 탐색기 표시",
+ "reconnectionWaitOne": "{0}초 후 다시 연결 시도...",
+ "reconnectionWaitMany": "{0}초 후에 다시 연결 시도...",
+ "reconnectNow": "지금 다시 연결",
+ "reloadWindow": "창 다시 로드",
+ "connectionLost": "연결이 끊어졌습니다.",
+ "reconnectionRunning": "다시 연결 시도 중...",
+ "reconnectionPermanentFailure": "다시 연결할 수 없습니다. 창을 다시 로드하세요.",
+ "cancel": "취소"
+ },
+ "vs/workbench/contrib/remote/browser/remoteExplorer": {
+ "ports": "포트",
+ "1forwardedPort": "전달된 포트 1개",
+ "nForwardedPorts": "전달된 포트 {0}개",
+ "status.forwardedPorts": "전달된 포트",
+ "remote.forwardedPorts.statusbarTextNone": "전달된 포트 없음",
+ "remote.forwardedPorts.statusbarTooltip": "전달된 포트: {0}",
+ "remote.tunnelsView.automaticForward": "포트 {0}에서 실행 중인 서비스를 사용할 수 있습니다. [사용 가능한 모든 포트 보기](command:{1}.focus)"
+ },
+ "vs/workbench/contrib/remote/browser/explorerViewItems": {
+ "remotes": "원격 전환",
+ "remote.explorer.switch": "원격 전환"
+ },
+ "vs/workbench/contrib/remote/browser/remoteIndicator": {
+ "remote.category": "원격",
+ "remote.showMenu": "원격 메뉴 표시",
+ "remote.close": "원격 연결 닫기",
+ "miCloseRemote": "원격 연결 닫기(&&M)",
+ "host.open": "원격 열기...",
+ "disconnectedFrom": "{0}에서 연결이 끊어졌습니다.",
+ "host.tooltipDisconnected": "{0}에서 연결이 끊어졌습니다.",
+ "host.tooltip": "{0}에서 편집하는 중",
+ "noHost.tooltip": "원격 창 열기",
+ "remoteHost": "원격 호스트",
+ "cat.title": "{0}: {1}",
+ "closeRemote.title": "원격 연결 닫기"
+ },
+ "vs/workbench/contrib/remote/browser/tunnelView": {
+ "remote.tunnelsView.add": "포트 전달...",
+ "remote.tunnelsView.detected": "기존 터널",
+ "remote.tunnelsView.candidates": "전달되지 않음",
+ "remote.tunnelsView.input": "Enter를 눌러 확인하거나 Esc로 취소합니다.",
+ "remote.tunnelsView.forwardedPortLabel0": "{0}",
+ "remote.tunnelsView.forwardedPortLabel1": "{0} → {1}",
+ "remote.tunnelsView.forwardedPortLabel2": "{0}",
+ "remote.tunnelsView.forwardedPortDescription0": "{0} → {1}",
+ "remote.tunnel": "포트",
+ "remote.tunnel.ariaLabelForwarded": "원격 포트 {0}:{1}이(가) 로컬 주소 {2}(으)로 전달됨",
+ "remote.tunnel.ariaLabelCandidate": "원격 포트 {0}:{1}이(가) 전달되지 않음",
+ "tunnelView": "터널 보기",
+ "remote.tunnel.label": "레이블 설정",
+ "remote.tunnelsView.labelPlaceholder": "포트 레이블",
+ "remote.tunnelsView.portNumberValid": "전달된 포트가 잘못되었습니다.",
+ "remote.tunnelsView.portNumberToHigh": "포트 번호는 0보다 크거나 같고 {0}보다 작아야 합니다.",
+ "remote.tunnel.forward": "포트 전달",
+ "remote.tunnel.forwardItem": "포워드 포트",
+ "remote.tunnel.forwardPrompt": "포트 번호 또는 주소(예: 3000 또는 10.10.10.10:2000).",
+ "remote.tunnel.forwardError": "{0}:{1}을(를) 전달할 수 없습니다. 호스트를 사용할 수 없거나 원격 포트를 이미 전달했을 수 있습니다.",
+ "remote.tunnel.closeNoPorts": "현재 전달된 포트가 없습니다. {0} 명령을 실행해 보세요.",
+ "remote.tunnel.close": "포트 전달 중지",
+ "remote.tunnel.closePlaceholder": "전달을 중지할 포트 선택",
+ "remote.tunnel.open": "브라우저에서 열기",
+ "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": "로컬 포트 {0}을(를) 사용할 수 없습니다. 포트 번호 {1}이(가) 대신 사용되었습니다.",
+ "remote.tunnelsView.changePort": "새 로컬 포트"
+ },
+ "vs/workbench/contrib/sash/browser/sash.contribution": {
+ "sashSize": "보기/편집기 사이의 끌기 영역의 피드백 영역 크기를 픽셀 단위로 제어합니다. 마우스를 사용하여 보기 크기를 조정하기가 어려운 경우 더 큰 값으로 설정합니다."
+ },
+ "vs/workbench/contrib/scm/browser/scm.contribution": {
+ "sourceControlViewIcon": "소스 제어 보기의 뷰 아이콘입니다.",
+ "source control": "소스 제어",
+ "no open repo": "등록된 소스 제어 공급자가 없습니다.",
+ "source control repositories": "소스 제어 리포지토리",
+ "toggleSCMViewlet": "SCM 표시",
+ "scmConfigurationTitle": "SCM",
+ "scm.diffDecorations.all": "사용 가능한 모든 위치에서 diff 장식을 표시합니다.",
+ "scm.diffDecorations.gutter": "편집기 여백에만 diff 장식을 표시합니다.",
+ "scm.diffDecorations.overviewRuler": "개요 눈금자에만 diff 장식을 표시합니다.",
+ "scm.diffDecorations.minimap": "미니맵에서만 diff 장식을 표시합니다.",
+ "scm.diffDecorations.none": "diff 장식을 표시하지 마세요.",
+ "diffDecorations": "편집기에서 차이점 장식을 제어합니다.",
+ "diffGutterWidth": "여백에서 diff 장식의 너비(px)를 제어합니다(추가 및 수정됨).",
+ "scm.diffDecorationsGutterVisibility.always": "항상 여백에 diff 데코레이터를 표시합니다.",
+ "scm.diffDecorationsGutterVisibility.hover": "호버에서만 여백의 다른 데코레이터를 표시합니다.",
+ "scm.diffDecorationsGutterVisibility": "여백에서 소스 제어 diff 데코레이터의 가시성을 제어합니다.",
+ "scm.diffDecorationsGutterAction.diff": "클릭 시 인라인 Diff Peek 뷰를 표시합니다.",
+ "scm.diffDecorationsGutterAction.none": "아무 작업도 하지 않습니다.",
+ "scm.diffDecorationsGutterAction": "소스 제어 Diff 여백 장식의 동작을 제어합니다.",
+ "alwaysShowActions": "소스 제어 뷰에 인라인 작업을 항상 표시할지 여부를 제어합니다.",
+ "scm.countBadge.all": "모든 소스 제어 공급자 개수 배지의 합계를 표시합니다.",
+ "scm.countBadge.focused": "포커스가 있는 소스 제어 공급자의 개수 배지를 표시합니다.",
+ "scm.countBadge.off": "소스 제어 개수 배지를 사용하지 않도록 설정합니다.",
+ "scm.countBadge": "작업 막대에서 소스 제어 아이콘의 개수 배지를 제어합니다.",
+ "scm.providerCountBadge.hidden": "소스 제어 공급자 개수 배지를 숨깁니다.",
+ "scm.providerCountBadge.auto": "소스 제어 공급자 개수가 0이 아닌 경우에만 소스 제어 공급자 개수 배지를 표시합니다.",
+ "scm.providerCountBadge.visible": "소스 제어 공급자 개수 배지를 표시합니다.",
+ "scm.providerCountBadge": "소스 제어 공급자 헤더의 개수 배지를 제어합니다. 이 헤더는 공급자가 두 개 이상 있는 경우에만 표시됩니다.",
+ "scm.defaultViewMode.tree": "리포지토리 변경 내용을 트리로 표시합니다.",
+ "scm.defaultViewMode.list": "리포지토리 변경 내용을 목록으로 표시합니다.",
+ "scm.defaultViewMode": "기본 소스 제어 리포지토리 보기 모드를 제어합니다.",
+ "autoReveal": "SCM 보기에서 파일을 열 때 자동으로 표시하고 선택해야 하는지 여부를 제어합니다.",
+ "inputFontFamily": "입력 메시지의 글꼴을 제어합니다. 워크벤치 사용자 인터페이스 글꼴 패밀리의 경우 '기본값'을 사용하고, `#editor.fontFamily#` 값의 경우 `editor` 또는 사용자 지정 글꼴 패밀리를 사용합니다.",
+ "alwaysShowRepository": "SCM 보기에서 리포지토리가 항상 표시될지를 제어합니다.",
+ "providersVisible": "소스 제어 리포지토리 섹션에 표시되는 리포지토리 수를 제어합니다. 보기 크기를 수동으로 조정하려면 '0'으로 설정합니다.",
+ "miViewSCM": "SCM(&&C)",
+ "scm accept": "SCM: 입력 적용",
+ "scm view next commit": "SCM: 다음 커밋 보기",
+ "scm view previous commit": "SCM: 이전 커밋 보기",
+ "open in terminal": "터미널에서 열기"
+ },
+ "vs/workbench/contrib/scm/browser/activity": {
+ "status.scm": "소스 제어",
+ "scmPendingChangesBadge": "{0}개의 보류 중인 변경 내용"
+ },
+ "vs/workbench/contrib/scm/browser/dirtydiffDecorator": {
+ "changes": "변경 내용 {0}/{1}개",
+ "change": "변경 내용 {0}/{1}개",
+ "show previous change": "이전 변경 내용 표시",
+ "show next change": "다음 변경 내용 표시",
+ "miGotoNextChange": "다음 변경 내용(&&C)",
+ "miGotoPreviousChange": "이전 변경 내용(&&C)",
+ "move to previous change": "이전 변경 내용으로 이동",
+ "move to next change": "다음 변경 내용으로 이동",
+ "editorGutterModifiedBackground": "수정된 줄의 편집기 여백 배경색입니다.",
+ "editorGutterAddedBackground": "추가된 줄의 편집기 여백 배경색입니다.",
+ "editorGutterDeletedBackground": "삭제된 줄의 편집기 여백 배경색입니다.",
+ "minimapGutterModifiedBackground": "수정된 선의 미니맵 여백 배경색입니다.",
+ "minimapGutterAddedBackground": "추가된 선의 미니맵 여백 배경색입니다.",
+ "minimapGutterDeletedBackground": "삭제된 선의 미니맵 여백 배경색입니다.",
+ "overviewRulerModifiedForeground": "수정된 콘텐츠의 개요 눈금자 마커 색입니다.",
+ "overviewRulerAddedForeground": "추가된 콘텐츠의 개요 눈금자 마커 색입니다.",
+ "overviewRulerDeletedForeground": "삭제된 콘텐츠의 개요 눈금자 마커 색입니다."
+ },
+ "vs/workbench/contrib/scm/browser/scmViewPaneContainer": {
+ "source control": "소스 제어"
+ },
+ "vs/workbench/contrib/scm/browser/scmRepositoriesViewPane": {
+ "scm": "소스 제어 리포지토리"
+ },
+ "vs/workbench/contrib/scm/browser/scmViewPane": {
+ "scm": "소스 제어 관리",
+ "input": "소스 제어 입력",
+ "repositories": "리포지토리",
+ "sortAction": "보기 및 정렬",
+ "toggleViewMode": "보기 모드 토글",
+ "viewModeList": "목록으로 보기",
+ "viewModeTree": "트리로 보기",
+ "sortByName": "이름별 정렬",
+ "sortByPath": "경로별 정렬",
+ "sortByStatus": "상태별 정렬",
+ "expand all": "리포지토리 모두 확장",
+ "collapse all": "리포지토리 모두 축소",
+ "scm.providerBorder": "SCM 공급자 구분 기호 테두리입니다."
+ },
+ "vs/workbench/contrib/search/browser/search.contribution": {
+ "search": "검색",
+ "copyMatchLabel": "복사",
+ "copyPathLabel": "경로 복사",
+ "copyAllLabel": "모두 복사",
+ "revealInSideBar": "사이드바에 표시",
+ "clearSearchHistoryLabel": "검색 기록 지우기",
+ "focusSearchListCommandLabel": "집중 목록",
+ "findInFolder": "폴더에서 찾기...",
+ "findInWorkspace": "작업 영역에서 찾기...",
+ "showTriggerActions": "작업 영역에서 기호로 이동...",
+ "name": "검색",
+ "findInFiles.description": "검색 뷰렛 열기",
+ "findInFiles.args": "검색 뷰렛에 대한 옵션 세트",
+ "findInFiles": "파일에서 찾기",
+ "miFindInFiles": "파일에서 찾기(&&I)",
+ "miReplaceInFiles": "파일에서 바꾸기(&&I)",
+ "anythingQuickAccessPlaceholder": "이름으로 파일 검색(줄로 이동하려면 {0} 추가 또는 기호로 이동하려면 {1} 추가)",
+ "anythingQuickAccess": "파일로 이동",
+ "symbolsQuickAccessPlaceholder": "열 기호의 이름을 입력합니다.",
+ "symbolsQuickAccess": "작업 영역에서 기호로 이동",
+ "searchConfigurationTitle": "검색",
+ "exclude": "전체 텍스트 검색 및 빠른 열기에서 glob 패턴을 구성하여 파일 및 폴더를 제외합니다. `#files.exclude#` 설정에서 모든 glob 패턴을 상속합니다. [여기](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options)에서 glob 패턴에 대해 자세히 알아보세요.",
+ "exclude.boolean": "파일 경로를 일치시킬 GLOB 패턴입니다. 패턴을 사용하거나 사용하지 않도록 설정하려면 true 또는 false로 설정하세요.",
+ "exclude.when": "일치하는 파일의 형제에 대한 추가 검사입니다. $(basename)을 일치하는 파일 이름에 대한 변수로 사용하세요.",
+ "useRipgrep": "이 설정은 사용되지 않으며 이제 \"search.usePCRE2\"로 대체됩니다.",
+ "useRipgrepDeprecated": "사용되지 않습니다. 고급 regex 기능을 지원하려면 \"search.usePCRE2\"를 사용해 보세요.",
+ "search.maintainFileSearchCache": "사용하도록 설정하면 searchService 프로세스가 1시간의 비활성 상태 이후 종료되지 않고 계속 유지됩니다. 메모리에 파일 검색 캐시가 유지됩니다.",
+ "useIgnoreFiles": "파일을 검색할 때 '.gitignore' 파일 및 '.ignore' 파일을 사용할지 여부를 제어합니다.",
+ "useGlobalIgnoreFiles": "파일을 검색할 때 전역 '.gitignore' 및 '.ignore' 파일을 사용할지 여부를 제어합니다.",
+ "search.quickOpen.includeSymbols": "Quick Open에 대한 파일 결과에 전역 기호 검색 결과를 포함할지 여부입니다.",
+ "search.quickOpen.includeHistory": "Quick Open에 대한 파일 결과에 최근에 연 파일의 결과를 포함할지 여부입니다.",
+ "filterSortOrder.default": "기록 항목은 사용된 필터 값을 기준으로 관련성별로 정렬됩니다. 관련성이 더 높은 항목이 먼저 표시됩니다.",
+ "filterSortOrder.recency": "기록이 최신순으로 정렬됩니다. 가장 최근에 열람한 항목부터 표시됩니다.",
+ "filterSortOrder": "필터링할 때 빠른 열기에서 편집기 기록의 정렬 순서를 제어합니다.",
+ "search.followSymlinks": "검색하는 동안 symlink를 누를지 여부를 제어합니다.",
+ "search.smartCase": "패턴이 모두 소문자인 경우 대/소문자를 구분하지 않고 검색하고, 그렇지 않으면 대/소문자를 구분하여 검색합니다.",
+ "search.globalFindClipboard": "macOS에서 검색 보기가 공유 클립보드 찾기를 읽거나 수정할지 여부를 제어합니다.",
+ "search.location": "검색을 사이드바의 보기로 표시할지 또는 가로 간격을 늘리기 위해 패널 영역의 패널로 표시할지를 제어합니다.",
+ "search.location.deprecationMessage": "이 설정은 사용되지 않습니다. 대신 검색 아이콘을 끌어 끌어서 놓기를 사용하세요.",
+ "search.collapseResults.auto": "결과가 10개 미만인 파일이 확장됩니다. 다른 파일은 축소됩니다.",
+ "search.collapseAllResults": "검색 결과를 축소 또는 확장할지 여부를 제어합니다.",
+ "search.useReplacePreview": "일치하는 항목을 선택하거나 바꿀 때 미리 보기 바꾸기를 열지 여부를 제어합니다.",
+ "search.showLineNumbers": "검색 결과의 줄 번호를 표시할지 여부를 제어합니다.",
+ "search.usePCRE2": "텍스트 검색에서 PCRE2 regex 엔진을 사용할지 여부입니다. 사용하도록 설정하면 lookahead 및 backreferences와 같은 몇 가지 고급 regex 기능을 사용할 수 있습니다. 하지만 모든 PCRE2 기능이 지원되지는 않으며, JavaScript에서도 지원되는 기능만 지원됩니다.",
+ "usePCRE2Deprecated": "사용되지 않습니다. PCRE2는 PCRE2에서만 지원하는 regex 기능을 사용할 경우 자동으로 사용됩니다.",
+ "search.actionsPositionAuto": "검색 보기가 좁을 때는 오른쪽에, 그리고 검색 보기가 넓을 때는 콘텐츠 바로 뒤에 작업 모음을 배치합니다.",
+ "search.actionsPositionRight": "작업 모음을 항상 오른쪽에 배치합니다.",
+ "search.actionsPosition": "검색 보기에서 행의 작업 모음 위치를 제어합니다.",
+ "search.searchOnType": "입력할 때 모든 파일을 검색합니다.",
+ "search.seedWithNearestWord": "활성 편집기에 선택 항목이 없을 경우 커서에 가장 가까운 단어에서 시드 검색을 사용합니다.",
+ "search.seedOnFocus": "검색 보기에 포커스가 있을 때 작업 영역 검색 쿼리를 편집기의 선택한 텍스트로 업데이트합니다. 이 동작은 클릭 시 또는 `workbench.views.search.focus` 명령을 트리거할 때 발생합니다.",
+ "search.searchOnTypeDebouncePeriod": "'#search.searchOnType#'이 활성화되면 입력되는 문자와 검색 시작 사이의 시간 시간을 밀리초 단위로 제어합니다. 'search.searchOnType'을 사용하지 않도록 설정하면 아무런 효과가 없습니다.",
+ "search.searchEditor.doubleClickBehaviour.selectWord": "두 번 클릭하면 커서 아래에 있는 단어가 선택됩니다.",
+ "search.searchEditor.doubleClickBehaviour.goToLocation": "두 번 클릭하면 활성 편집기 그룹에 결과가 열립니다.",
+ "search.searchEditor.doubleClickBehaviour.openLocationToSide": "두 번 클릭하면 측면의 편집기 그룹에 결과가 열리고, 편집기 그룹이 없으면 새로 만듭니다.",
+ "search.searchEditor.doubleClickBehaviour": "검색 편집기에서 결과를 두 번 클릭하는 효과를 구성합니다.",
+ "search.searchEditor.reusePriorSearchConfiguration": "사용하도록 설정하면 새 검색 편집기가 이전에 연 검색 편집기의 포함, 제외 및 플래그를 다시 사용합니다.",
+ "search.searchEditor.defaultNumberOfContextLines": "새 검색 편집기를 만들 때 사용할 둘러싸는 컨텍스트 줄의 기본 수입니다. `#search.searchEditor.reusePriorSearchConfiguration#`을 사용하는 경우, 이전 검색 편집기의 구성을 사용하려면 `null`(비어 있음)로 설정할 수 있습니다.",
+ "searchSortOrder.default": "결과는 폴더 및 파일 이름의 알파벳 순으로 정렬됩니다.",
+ "searchSortOrder.filesOnly": "결과는 폴더 순서를 무시하고 파일 이름별 알파벳 순으로 정렬됩니다.",
+ "searchSortOrder.type": "결과는 파일 확장자의 알파벳 순으로 정렬됩니다.",
+ "searchSortOrder.modified": "결과는 파일을 마지막으로 수정한 날짜의 내림차순으로 정렬됩니다.",
+ "searchSortOrder.countDescending": "결과는 파일별 개수의 내림차순으로 정렬됩니다.",
+ "searchSortOrder.countAscending": "결과는 파일별 개수의 오름차순으로 정렬됩니다.",
+ "search.sortOrder": "검색 결과의 정렬 순서를 제어합니다.",
+ "miViewSearch": "검색(&&S)",
+ "miGotoSymbolInWorkspace": "작업 영역의 기호로 이동(&&W)..."
+ },
+ "vs/workbench/contrib/search/browser/searchView": {
+ "searchCanceled": "결과를 찾기 이전에 검색이 취소되었습니다. - ",
+ "moreSearch": "검색 세부 정보 설정/해제",
+ "searchScope.includes": "포함할 파일",
+ "label.includes": "패턴 포함 검색",
+ "searchScope.excludes": "제외할 파일",
+ "label.excludes": "패턴 제외 검색",
+ "replaceAll.confirmation.title": "모두 바꾸기",
+ "replaceAll.confirm.button": "바꾸기(&&R)",
+ "replaceAll.occurrence.file.message": "{1}개 파일에서 {0}개를 '{2}'(으)로 바꿨습니다.",
+ "removeAll.occurrence.file.message": "{1} 파일에서 {0} 발생을 바꿨습니다.",
+ "replaceAll.occurrence.files.message": "{1}개 파일에서 {0}개를 '{2}'(으)로 바꿨습니다.",
+ "removeAll.occurrence.files.message": "{1}개 파일에서 {0}개를 바꿨습니다.",
+ "replaceAll.occurrences.file.message": "{1}개 파일에서 {0}개를 '{2}'(으)로 바꿨습니다.",
+ "removeAll.occurrences.file.message": "{1} 파일에서 {0} 발생을 바꿨습니다.",
+ "replaceAll.occurrences.files.message": "{1}개 파일에서 {0}개를 '{2}'(으)로 바꿨습니다.",
+ "removeAll.occurrences.files.message": "{1}개 파일에서 {0}개를 바꿨습니다.",
+ "removeAll.occurrence.file.confirmation.message": "{1}개 파일에서 {0}개를 '{2}'(으)로 바꾸시겠습니까?",
+ "replaceAll.occurrence.file.confirmation.message": "{1} 파일에서 {0} 발생을 바꾸시겠습니까?",
+ "removeAll.occurrence.files.confirmation.message": "{1}개 파일에서 {0}개를 '{2}'(으)로 바꾸시겠습니까?",
+ "replaceAll.occurrence.files.confirmation.message": "{1}개 파일에서 {0}개를 바꾸시겠습니까?",
+ "removeAll.occurrences.file.confirmation.message": "{1}개 파일에서 {0}개를 '{2}'(으)로 바꾸시겠습니까?",
+ "replaceAll.occurrences.file.confirmation.message": "{1} 파일의 {0} 발생을 바꾸시겠습니까?",
+ "removeAll.occurrences.files.confirmation.message": "{1}개 파일에서 {0}개를 '{2}'(으)로 바꾸시겠습니까?",
+ "replaceAll.occurrences.files.confirmation.message": "{1}개 파일에서 {0}개를 바꾸시겠습니까?",
+ "emptySearch": "빈 검색",
+ "ariaSearchResultsClearStatus": "검색 결과가 지워졌습니다.",
+ "searchPathNotFoundError": "검색 경로를 찾을 수 없음: {0}",
+ "searchMaxResultsWarning": "결과 집합에는 모든 일치 항목의 하위 집합만 포함됩니다. 결과 범위를 좁히려면 검색을 더 세분화하세요.",
+ "noResultsIncludesExcludes": "'{0}'에 '{1}'을(를) 제외한 결과 없음 - ",
+ "noResultsIncludes": "'{0}'에 결과 없음 - ",
+ "noResultsExcludes": "'{0}'을(를) 제외하는 결과가 없음 - ",
+ "noResultsFound": "결과가 없습니다. 구성된 제외에 대한 설정을 검토하고 gitignore 파일을 확인하세요. - ",
+ "rerunSearch.message": "다시 검색",
+ "rerunSearchInAll.message": "모든 파일에서 다시 검색",
+ "openSettings.message": "설정 열기",
+ "openSettings.learnMore": "자세한 정보",
+ "ariaSearchResultsStatus": "검색에서 {1}개의 파일에 {0}개의 결과를 반환했습니다.",
+ "forTerm": " - 검색: {0}",
+ "useIgnoresAndExcludesDisabled": "- 제외 설정 및 파일 무시를 사용하지 않도록 설정합니다.",
+ "openInEditor.message": "편집기에서 열기",
+ "openInEditor.tooltip": "현재 검색 결과를 편집기로 복사",
+ "search.file.result": "{1}개 파일에서 {0}개 결과",
+ "search.files.result": "{1}개 파일에서 {0}개 결과",
+ "search.file.results": "{1}개 파일에서 {0}개 결과",
+ "search.files.results": "{1}개 파일에서 {0}개 결과",
+ "searchWithoutFolder": "폴더를 열거나 지정하지 않았습니다. 열려 있는 파일만 현재 검색됩니다.",
+ "openFolder": "폴더 열기"
+ },
+ "vs/workbench/contrib/search/browser/searchActions": {
+ "showSearch": "검색 표시",
+ "replaceInFiles": "파일에서 바꾸기",
+ "toggleTabs": "유형에 대한 검색 전환",
+ "RefreshAction.label": "새로 고침",
+ "CollapseDeepestExpandedLevelAction.label": "모두 축소",
+ "ExpandAllAction.label": "모두 확장",
+ "ToggleCollapseAndExpandAction.label": "축소 및 확장 전환",
+ "ClearSearchResultsAction.label": "검색 결과 지우기",
+ "CancelSearchAction.label": "검색 취소",
+ "FocusNextSearchResult.label": "다음 검색 결과에 포커스",
+ "FocusPreviousSearchResult.label": "이전 검색 결과에 포커스",
+ "RemoveAction.label": "해제",
+ "file.replaceAll.label": "모두 바꾸기",
+ "match.replace.label": "바꾸기"
+ },
+ "vs/workbench/contrib/search/browser/symbolsQuickAccess": {
+ "noSymbolResults": "일치하는 작업 영역 기호 없음",
+ "openToSide": "옆으로 열기",
+ "openToBottom": "아래쪽으로 열기"
+ },
+ "vs/workbench/contrib/search/browser/anythingQuickAccess": {
+ "noAnythingResults": "일치하는 결과 없음",
+ "recentlyOpenedSeparator": "최근에 사용한 항목",
+ "fileAndSymbolResultsSeparator": "파일 및 기호 결과",
+ "fileResultsSeparator": "파일 결과",
+ "filePickAriaLabelDirty": "{0}, 더티",
+ "openToSide": "옆으로 열기",
+ "openToBottom": "아래쪽으로 열기",
+ "closeEditor": "최근에 사용한 항목에서 제거"
+ },
+ "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/searchIcons": {
+ "searchDetailsIcon": "검색 정보를 표시하도록 만드는 아이콘입니다.",
+ "searchShowContextIcon": "검색 편집기에서 컨텍스트를 토글하는 아이콘입니다.",
+ "searchHideReplaceIcon": "검색 보기에서 바꾸기 섹션을 축소하는 아이콘입니다.",
+ "searchShowReplaceIcon": "검색 보기에서 바꾸기 섹션을 확장하는 아이콘입니다.",
+ "searchReplaceAllIcon": "검색 보기에서 모두 바꾸기의 아이콘입니다.",
+ "searchReplaceIcon": "검색 보기에서 바꾸기의 아이콘입니다.",
+ "searchRemoveIcon": "검색 결과를 제거하는 아이콘입니다.",
+ "searchRefreshIcon": "검색 보기에서 새로 고침의 아이콘입니다.",
+ "searchCollapseAllIcon": "검색 보기에서 결과 축소의 아이콘입니다.",
+ "searchExpandAllIcon": "검색 보기에서 결과 확장의 아이콘입니다.",
+ "searchClearIcon": "검색 보기에서 결과 지우기의 아이콘입니다.",
+ "searchStopIcon": "검색 보기에서 중지의 아이콘입니다.",
+ "searchViewIcon": "검색 보기의 뷰 아이콘입니다.",
+ "searchNewEditorIcon": "새 검색 편집기를 여는 동작의 아이콘입니다."
+ },
+ "vs/workbench/contrib/search/browser/patternInputWidget": {
+ "defaultLabel": "입력",
+ "useExcludesAndIgnoreFilesDescription": "제외 설정 및 파일 무시 사용"
+ },
+ "vs/workbench/contrib/search/browser/searchResultsView": {
+ "searchFolderMatch.other.label": "기타 파일",
+ "searchFileMatches": "{0}개 파일 찾음",
+ "searchFileMatch": "{0}개 파일 찾음",
+ "searchMatches": "일치하는 {0}개 항목을 찾음",
+ "searchMatch": "일치하는 {0}개 항목을 찾음",
+ "lineNumStr": "{0} 줄에서",
+ "numLinesStr": "추가 {0}줄",
+ "search": "검색",
+ "folderMatchAriaLabel": "폴더 루트 {1}에서 {0}개 일치, 검색 결과",
+ "otherFilesAriaLabel": "작업 영역의 외부에서 {0}개 일치, 검색 결과",
+ "fileMatchAriaLabel": "{2} 폴더의 {1} 파일에 {0}개의 일치 항목이 있음, 검색 결과",
+ "replacePreviewResultAria": "{3} 텍스트가 있는 줄의 열 위치 {2}에서 용어 {0}을(를) {1}(으)로 바꾸기",
+ "searchResultAria": "{2} 텍스트가 있는 줄의 열 위치 {1}에서 {0} 용어 찾기"
+ },
+ "vs/workbench/contrib/search/common/queryBuilder": {
+ "search.noWorkspaceWithName": "작업 영역에 이름이 {0}인 폴더가 없습니다."
+ },
+ "vs/workbench/contrib/search/browser/replaceService": {
+ "fileReplaceChanges": "{0} ↔ {1}(미리 보기 바꾸기)"
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditor.contribution": {
+ "searchEditor": "검색 편집기",
+ "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": "모든 일치 항목 선택"
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditorActions": {
+ "search.openNewEditor": "새 검색 편집기 열기"
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditor": {
+ "moreSearch": "검색 세부 정보 설정/해제",
+ "searchScope.includes": "포함할 파일",
+ "label.includes": "패턴 포함 검색",
+ "searchScope.excludes": "제외할 파일",
+ "label.excludes": "패턴 제외 검색",
+ "runSearch": "검색 실행",
+ "searchResultItem": "파일 {2}의 {1}에 {0} 일치함",
+ "searchEditor": "검색",
+ "textInputBoxBorder": "검색 편집기 텍스트 입력 상자 테두리입니다."
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditorInput": {
+ "searchTitle.withQuery": "검색: {0}",
+ "searchTitle": "검색"
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditorSerialization": {
+ "invalidQueryStringError": "쿼리 문자열의 모든 백슬래시가 이스케이프되어야 합니다(\\\\)",
+ "numFiles": "{0} 파일",
+ "oneFile": "1개 파일",
+ "numResults": "{0}개 결과",
+ "oneResult": "결과 1개",
+ "noResults": "결과 없음",
+ "searchMaxResultsWarning": "결과 집합에는 모든 일치 항목의 하위 집합만 포함됩니다. 결과 범위를 좁히려면 검색을 더 세분화하세요."
+ },
+ "vs/workbench/contrib/snippets/browser/snippets.contribution": {
+ "snippetSchema.json.prefix": "IntelliSense에서 코드 조각을 선택할 때 사용할 접두사입니다.",
+ "snippetSchema.json.body": "코드 조각 콘텐츠. '$1', '${1:defaultText}'을 사용하여 커서 위치를 정의하고, 마지막 커서 위치에 '$0'을 사용합니다. '${varName}' 및 '${varName:defaultText}'을 사용하여 변수 값을 삽입합니다. 예: 'This is file: $TM_FILENAME'",
+ "snippetSchema.json.description": "코드 조각 설명입니다.",
+ "snippetSchema.json.default": "빈 코드 조각",
+ "snippetSchema.json": "사용자 코드 조각 구성",
+ "snippetSchema.json.scope": "이 코드 조각이 적용되는 언어 이름 목록입니다(예: 'typescript,javascript')."
+ },
+ "vs/workbench/contrib/snippets/browser/insertSnippet": {
+ "snippet.suggestions.label": "조각 삽입",
+ "sep.userSnippet": "사용자 코드 조각",
+ "sep.extSnippet": "확장 코드 조각",
+ "sep.workspaceSnippet": "작업 영역 코드 조각",
+ "disableSnippet": "IntelliSense에서 숨기기",
+ "isDisabled": "(IntelliSense에서 숨김)",
+ "enable.snippet": "IntelliSense에 표시",
+ "pick.placeholder": "코드 조각 선택"
+ },
+ "vs/workbench/contrib/snippets/browser/snippetsService": {
+ "invalid.path.0": "`contributes.{0}.path`에 문자열이 필요합니다. 제공된 값: {1}",
+ "invalid.language.0": "언어를 생략하는 경우 `contributes.{0}.path` 값은 `.code-snippets`-file이어야 합니다. 제공된 값: {1}",
+ "invalid.language": "`contributes.{0}.language`에 알 수 없는 언어가 있습니다. 제공된 값: {1}",
+ "invalid.path.1": "확장 폴더({2})에 포함할 `contributes.{0}.path`({1})가 필요합니다. 확장이 이식 불가능해질 수 있습니다.",
+ "vscode.extension.contributes.snippets": "코드 조각을 적용합니다.",
+ "vscode.extension.contributes.snippets-language": "이 코드 조각이 적용되는 언어 식별자입니다.",
+ "vscode.extension.contributes.snippets-path": "코드 조각 파일의 경로입니다. 이 경로는 확장 폴더의 상대 경로이며 일반적으로 './snippets/'로 시작합니다.",
+ "badVariableUse": "'{0}' 확장의 1개 이상의 코드 조각은 snippet-variables 및 snippet-placeholders와 혼동하기 쉽습니다(자세한 내용은 https://code.visualstudio.com/docs/editor/userdefinedsnippets#_snippet-syntax를 참조하세요).",
+ "badFile": "코드 조각 파일 \"{0}\"을(를) 읽을 수 없습니다."
+ },
+ "vs/workbench/contrib/snippets/browser/configureSnippets": {
+ "global.scope": "(전역)",
+ "global.1": "({0})",
+ "name": "코드 조각 파일 이름 입력",
+ "bad_name1": "잘못된 파일 이름",
+ "bad_name2": "'{0}'은(는) 유효한 파일 이름이 아닙니다.",
+ "bad_name3": "'{0}'이(가) 이미 있습니다.",
+ "new.global_scope": "GLOBAL",
+ "new.global": "새 전역 코드 조각 파일...",
+ "new.workspace_scope": "{0} 작업 영역",
+ "new.folder": "'{0}'에 대한 새 코드 조각 파일...",
+ "group.global": "기존 코드 조각",
+ "new.global.sep": "새 코드 조각",
+ "openSnippet.pickLanguage": "코드 조각 파일 선택 또는 코드 조각 만들기",
+ "openSnippet.label": "사용자 코드 조각 구성",
+ "preferences": "기본 설정",
+ "miOpenSnippets": "사용자 코드 조각(&&S)",
+ "userSnippets": "사용자 코드 조각"
+ },
+ "vs/workbench/contrib/snippets/browser/snippetsFile": {
+ "source.workspaceSnippetGlobal": "작업 영역 코드 조각",
+ "source.userSnippetGlobal": "전역 사용자 코드 조각",
+ "source.userSnippet": "사용자 코드 조각"
+ },
+ "vs/workbench/contrib/snippets/browser/snippetCompletionProvider": {
+ "detail.snippet": "{0}({1})",
+ "snippetSuggest.longLabel": "{0}, {1}"
+ },
+ "vs/workbench/contrib/surveys/browser/nps.contribution": {
+ "surveyQuestion": "간단한 피드백 설문 조사에 참여하시겠어요?",
+ "takeSurvey": "설문 조사 참여",
+ "remindLater": "나중에 알림",
+ "neverAgain": "다시 표시 안 함"
+ },
+ "vs/workbench/contrib/surveys/browser/languageSurveys.contribution": {
+ "helpUs": "{0}에 대한 지원을 개선하는 데 도움을 주세요.",
+ "takeShortSurvey": "간단한 설문 조사 참여",
+ "remindLater": "나중에 알림",
+ "neverAgain": "다시 표시 안 함"
+ },
+ "vs/workbench/contrib/tags/electron-browser/workspaceTagsService": {
+ "workspaceFound": "이 폴더에는 작업 영역 파일 '{0}'이(가) 포함되어 있습니다. 파일을 여시겠습니까? 작업 영역 파일에 대해 [자세히 알아보세요]({1}).",
+ "openWorkspace": "작업 영역 열기",
+ "workspacesFound": "이 폴더에는 여러 개의 작업 영역 파일이 있습니다. 파일 하나를 여시겠습니까? 작업 영역 파일에 대해 [자세히 알아보세요]({0}).",
+ "selectWorkspace": "작업 영역 선택",
+ "selectToOpen": "열 작업 영역 선택"
+ },
+ "vs/workbench/contrib/tasks/electron-browser/taskService": {
+ "TaskSystem.runningTask": "실행 중인 작업이 있습니다. 이 작업을 종료할까요?",
+ "TaskSystem.terminateTask": "작업 종료(&&T)",
+ "TaskSystem.noProcess": "시작된 작업이 더 이상 존재하지 않습니다. 작업에서 생성된, VS Code를 끝내는 백그라운드 프로세스가 분리된 프로세스가 될 수 있습니다. 이를 방지하려면 wait 플래그를 사용하여 마지막 백그라운드 프로세스를 시작하세요.",
+ "TaskSystem.exitAnyways": "종료(&&E)"
+ },
+ "vs/workbench/contrib/tasks/common/tasks": {
+ "tasksCategory": "작업",
+ "TaskDefinition.missingRequiredProperty": "오류: 작업 식별자 '{0}'에 필요한 속성 '{1}'이(가) 없습니다. 작업 식별자가 무시됩니다."
+ },
+ "vs/workbench/contrib/tasks/common/taskConfiguration": {
+ "ConfigurationParser.invalidCWD": "경고: options.cwd는 문자열 형식이어야 합니다. 값 {0}을(를) 무시합니다.\r\n",
+ "ConfigurationParser.inValidArg": "오류: 명령 인수는 문자열이거나 따옴표 붙은 문자열이어야 합니다. 입력한 값은 다음과 같습니다.\r\n{0}",
+ "ConfigurationParser.noShell": "경고: 셸 구성은 작업을 터미널에서 실행 중일 때에만 지원됩니다.",
+ "ConfigurationParser.noName": "오류: 선언 범위의 문제 선택기에 이름이 있어야 합니다.\r\n{0}\r\n",
+ "ConfigurationParser.unknownMatcherKind": "경고: 정의된 문제 선택기를 알 수 없습니다. 지원되는 형식은 문자열 | ProblemMatcher | Array입니다.\r\n{0}\r\n",
+ "ConfigurationParser.invalidVariableReference": "오류: 잘못된 problemMatcher 참조: {0}\r\n",
+ "ConfigurationParser.noTaskType": "오류: 작업 구성에 유형 속성이 있어야 합니다. 구성이 무시됩니다.\r\n{0}\r\n",
+ "ConfigurationParser.noTypeDefinition": "오류: 등록된 작업 형식 '{0}'이(가) 없습니다. 해당하는 작업 공급자를 제공하는 확장을 설치하지 않으셨습니까?",
+ "ConfigurationParser.missingType": "오류: 작업 구성 '{0}'에 필요한 속성 'type'이 없습니다. 작업 구성이 무시됩니다.",
+ "ConfigurationParser.incorrectType": "오류: 작업 구성 '{0}'은(는) 알 수 없는 형식을 사용 중입니다. 작업 구성이 무시됩니다.",
+ "ConfigurationParser.notCustom": "오류: 작업이 사용자 지정 작업으로 선언되지 않았습니다. 구성이 무시됩니다.\r\n{0}\r\n",
+ "ConfigurationParser.noTaskName": "오류: 작업에서 레이블 속성을 제공해야 합니다. 작업이 무시됩니다.\r\n{0}\r\n",
+ "taskConfiguration.providerUnavailable": "경고: 현재 환경에서 작업 {0}개를 사용할 수 없습니다.\r\n",
+ "taskConfiguration.noCommandOrDependsOn": "오류: '{0}' 작업에서 명령 및 dependsOn 속성을 지정하지 않습니다. 작업이 무시됩니다. 작업 정의는 다음과 같습니다.\r\n{1}",
+ "taskConfiguration.noCommand": "오류: '{0}' 작업에서 명령을 정의하지 않습니다. 작업이 무시됩니다. 작업 정의는 다음과 같습니다.\r\n{1}",
+ "TaskParse.noOsSpecificGlobalTasks": "작업 version 2.0.0에서는 전역 OS 특정 작업이 지원되지 않습니다. OS 특정 명령을 사용하는 작업으로 변환하세요. 영향을 받는 작업은 다음과 같습니다.\r\n{0}"
+ },
+ "vs/workbench/contrib/tasks/node/processTaskSystem": {
+ "version1_0": "작업 시스템이 버전 0.1.0용으로 구성되어 있어서(tasks.json 파일 참조), 사용자 지정 작업만 실행할 수 있습니다. 작업을 실행하려면 버전 2.0.0으로 업그레이드하세요. {0}",
+ "TaskRunnerSystem.unknownError": "작업을 실행하는 동안 알 수 없는 오류가 발생했습니다. 자세한 내용은 작업 출력 로그를 참조하세요.",
+ "TaskRunnerSystem.watchingBuildTaskFinished": "\r\n빌드 작업 감시를 마쳤습니다.",
+ "TaskRunnerSystem.childProcessError": "외부 프로그램 {0} {1}을(를) 시작하지 못했습니다.",
+ "TaskRunnerSystem.cancelRequested": "\r\n사용자 요청에 따라 '{0}' 작업이 종료되었습니다.",
+ "unknownProblemMatcher": "문제 선택기 {0}을(를) 확인할 수 없습니다. 선택기가 무시됩니다."
+ },
+ "vs/workbench/contrib/tasks/node/processRunnerDetector": {
+ "TaskSystemDetector.noGulpTasks": "gulp --tasks-simple을 실행해도 작업이 나열되지 않습니다. npm install을 실행했나요?",
+ "TaskSystemDetector.noJakeTasks": "jake --tasks를 실행해도 작업이 나열되지 않습니다. npm install을 실행했나요?",
+ "TaskSystemDetector.noGulpProgram": "Gulp가 시스템에 설치되어 있지 않습니다. npm install -g gulp를 실행하여 설치하세요.",
+ "TaskSystemDetector.noJakeProgram": "Jake가 시스템에 설치되어 있지 않습니다. npm install -g jake를 실행하여 설치하세요.",
+ "TaskSystemDetector.noGruntProgram": "Grunt가 시스템에 설치되어 있지 않습니다. npm install -g grunt를 실행하여 설치하세요.",
+ "TaskSystemDetector.noProgram": "{0} 프로그램을 찾을 수 없습니다. 메시지는 {1}입니다.",
+ "TaskSystemDetector.buildTaskDetected": "이름이 '{0}'인 빌드 작업이 발견되었습니다.",
+ "TaskSystemDetector.testTaskDetected": "이름이 '{0}'인 테스트 작업이 발견되었습니다."
+ },
+ "vs/workbench/contrib/tasks/browser/abstractTaskService": {
+ "ConfigureTaskRunnerAction.label": "작업 구성",
+ "tasks": "작업",
+ "TaskSystem.noHotSwap": "실행 중인 활성 작업이 있는 작업 실행 엔진을 변경하면 Window를 다시 로드해야 합니다.",
+ "reloadWindow": "창 다시 로드",
+ "TaskService.pickBuildTaskForLabel": "빌드 작업 선택(정의된 기본 빌드 작업이 없음)",
+ "taskServiceOutputPrompt": "작업 오류가 있습니다. 자세한 내용은 출력을 참조하세요.",
+ "showOutput": "출력 표시",
+ "TaskServer.folderIgnored": "작업 버전 0.1.0을 사용하므로 {0} 폴더가 무시됩니다.",
+ "TaskService.providerUnavailable": "경고: 현재 환경에서 작업 {0}개를 사용할 수 없습니다.\r\n",
+ "TaskService.noBuildTask1": "정의된 빌드 작업이 없습니다. tasks.json 파일에서 작업을 'isBuildCommand'로 표시하세요.",
+ "TaskService.noBuildTask2": "정의된 빌드 작업이 없습니다. tasks.json 파일에서 작업을 'build'로 표시하세요.",
+ "TaskService.noTestTask1": "정의된 테스트 작업이 없습니다. tasks.json 파일에서 작업을 'isTestCommand'로 표시하세요.",
+ "TaskService.noTestTask2": "정의된 테스트 작업이 없습니다. tasks.json 파일에서 작업을 'test'로 표시하세요.",
+ "TaskServer.noTask": "실행할 작업이 정의되지 않았습니다.",
+ "TaskService.associate": "연결",
+ "TaskService.attachProblemMatcher.continueWithout": "작업 출력을 스캔하지 않고 계속",
+ "TaskService.attachProblemMatcher.never": "이 작업에 대한 작업 출력을 스캔하지 않음",
+ "TaskService.attachProblemMatcher.neverType": "{0} 작업에 대한 작업 출력을 스캔해서는 안 됩니다.",
+ "TaskService.attachProblemMatcher.learnMoreAbout": "작업 출력 스캔에 대해 자세히 알아보기",
+ "selectProblemMatcher": "작업 출력에서 스캔할 오류 및 경고 유형을 선택",
+ "customizeParseErrors": "현재 작성 구성에 오류가 있습니다. 작업을 사용자 지정하기 전에 오류를 수정하세요.",
+ "tasksJsonComment": "\t// tasks.json 형식에 대한 설명서는 \r\n\t// https://go.microsoft.com/fwlink/?LinkId=733558을 참조하세요.",
+ "moreThanOneBuildTask": "tasks.json에 많은 빌드 작업이 정의되어 있습니다. 첫 번째 작업을 실행합니다.\r\n",
+ "TaskSystem.saveBeforeRun.prompt.title": "모든 편집기를 저장하시겠습니까?",
+ "saveBeforeRun.save": "저장",
+ "saveBeforeRun.dontSave": "저장 안 함",
+ "detail": "작업을 실행하기 전에 모든 편집기를 저장하시겠습니까?",
+ "TaskSystem.activeSame.noBackground": "'{0}' 작업은 이미 활성 상태입니다.",
+ "terminateTask": "작업 종료",
+ "restartTask": "작업 다시 시작",
+ "TaskSystem.active": "이미 실행 중인 작업이 있습니다. 다른 작업을 실행하려면 먼저 이 작업을 종료하세요.",
+ "TaskSystem.restartFailed": "{0} 작업을 종료하고 다시 시작하지 못했습니다.",
+ "unexpectedTaskType": "\"{0}\" 작업의 작업 공급자가 예기치 않게 \"{1}\" 유형의 작업을 제공했습니다.\r\n",
+ "TaskService.noConfiguration": "오류: {0} 작업 검색에서 다음 구성에 대해 작업을 적용하지 않았습니다.\r\n{1}\r\n작업이 무시됩니다.\r\n",
+ "TaskSystem.configurationErrors": "오류: 제공한 작업 구성에 유효성 검사 오류가 있으며 사용할 수 없습니다. 먼저 오류를 수정하세요.",
+ "TaskSystem.invalidTaskJsonOther": "오류: {0}의 tasks.json 내용에 구문 오류가 있습니다. 작업을 실행하기 전에 수정하세요.\r\n",
+ "TasksSystem.locationWorkspaceConfig": "작업 영역 파일",
+ "TaskSystem.versionWorkspaceFile": ".codeworkspace에서는 작업 버전 2.0.0만 허용됩니다.",
+ "TasksSystem.locationUserConfig": "사용자 설정",
+ "TaskSystem.versionSettings": "사용자 설정에서는 작업 버전 2.0.0만 허용됩니다.",
+ "taskService.ignoreingFolder": "작업 영역 폴더 {0}의 작업 구성을 무시합니다. 다중 폴더 작업 영역 작업을 지원하려면 모든 폴더에서 작업 버전 2.0.0을 사용해야 합니다.\r\n",
+ "TaskSystem.invalidTaskJson": "오류: tasks.json 파일 내용에 구문 오류가 있습니다. 작업을 실행하기 전에 수정하세요.\r\n",
+ "TerminateAction.label": "작업 종료",
+ "TaskSystem.unknownError": "작업을 실행하는 동안 오류가 발생했습니다. 자세한 내용은 작업 로그를 참조하세요.",
+ "configureTask": "작업 구성",
+ "recentlyUsed": "최근에 사용한 작업",
+ "configured": "구성된 작업",
+ "detected": "감지된 작업",
+ "TaskService.ignoredFolder": "작업 버전 0.1.0을 사용하기 때문에 다음 작업 영역 폴더는 무시됩니다. {0}",
+ "TaskService.notAgain": "다시 표시 안 함",
+ "TaskService.pickRunTask": "실행할 작업 선택",
+ "TaskService.noEntryToRunSlow": "$(plus) 작업 구성",
+ "TaskService.noEntryToRun": "$(plus) 작업 구성",
+ "TaskService.fetchingBuildTasks": "빌드 작업을 페치하는 중...",
+ "TaskService.pickBuildTask": "실행할 빌드 작업 선택",
+ "TaskService.noBuildTask": "실행할 빌드 작업을 찾을 수 없습니다. 빌드 작업 구성...",
+ "TaskService.fetchingTestTasks": "테스트 작업을 페치하는 중...",
+ "TaskService.pickTestTask": "실행할 테스트 작업 선택",
+ "TaskService.noTestTaskTerminal": "실행할 테스트 작업이 없습니다. 작업 구성...",
+ "TaskService.taskToTerminate": "종료할 작업 선택",
+ "TaskService.noTaskRunning": "현재 실행 중인 작업이 없습니다.",
+ "TaskService.terminateAllRunningTasks": "실행 중인 모든 작업",
+ "TerminateAction.noProcess": "시작된 프로세스가 더 이상 존재하지 않습니다. 작업에서 생성된, VS Code를 끝내는 백그라운드 작업이 분리된 프로세스가 될 수 있습니다.",
+ "TerminateAction.failed": "실행 중인 작업을 종료하지 못했습니다.",
+ "TaskService.taskToRestart": "다시 시작할 작업 선택",
+ "TaskService.noTaskToRestart": "다시 시작할 작업이 없습니다.",
+ "TaskService.template": "작업 템플릿 선택",
+ "taskQuickPick.userSettings": "사용자 설정",
+ "TaskService.createJsonFile": "템플릿에서 tasks.json 파일 만들기",
+ "TaskService.openJsonFile": "tasks.json 파일 열기",
+ "TaskService.pickTask": "구성할 작업 선택",
+ "TaskService.defaultBuildTaskExists": "{0}은(는) 이미 기본 빌드 작업으로 표시되어 있습니다.",
+ "TaskService.pickDefaultBuildTask": "기본 빌드 작업으로 사용할 작업을 선택",
+ "TaskService.defaultTestTaskExists": "{0}은(는) 이미 기본 테스트 작업으로 표시되어 있습니다.",
+ "TaskService.pickDefaultTestTask": "기본 테스트 작업으로 사용할 작업 선택",
+ "TaskService.pickShowTask": "출력을 표시할 작업 선택",
+ "TaskService.noTaskIsRunning": "실행 중인 작업이 없습니다."
+ },
+ "vs/workbench/contrib/tasks/browser/terminalTaskSystem": {
+ "TerminalTaskSystem.unknownError": "작업을 실행하는 동안 알 수 없는 오류가 발생했습니다. 자세한 내용은 작업 출력 로그를 참조하세요.",
+ "dependencyCycle": "종속 순환이 있습니다. \"{0}\" 작업을 참조하세요.",
+ "dependencyFailed": "작업 영역 폴더 '{1}'에서 종속 작업 '{0}'을(를) 확인할 수 없습니다.",
+ "TerminalTaskSystem.nonWatchingMatcher": "작업 {0}은(는) 백그라운드 작업이지만 배경 패턴 없이 문제 선택기를 사용합니다.",
+ "TerminalTaskSystem.terminalName": "작업 - {0}",
+ "closeTerminal": "터미널을 종료하려면 아무 키나 누르세요.",
+ "reuseTerminal": "터미널이 작업에서 다시 사용됩니다. 닫으려면 아무 키나 누르세요.",
+ "TerminalTaskSystem": "Cmd.exe를 사용하여 UNC 드라이브에 셸 명령을 실행할 수 없습니다.",
+ "unknownProblemMatcher": "문제 선택기 {0}을(를) 확인할 수 없습니다. 선택기가 무시됩니다."
+ },
+ "vs/workbench/contrib/tasks/browser/task.contribution": {
+ "building": "빌드하고 있습니다...",
+ "numberOfRunningTasks": "실행 중인 작업 {0}",
+ "runningTasks": "실행 중인 작업 표시",
+ "status.runningTasks": "실행중인 작업",
+ "miRunTask": "작업 실행(&&R)...",
+ "miBuildTask": "빌드 작업 실행(&&B)...",
+ "miRunningTask": "실행 중인 작업 표시(&&G)...",
+ "miRestartTask": "실행 중인 작업 다시 시작(&&E)...",
+ "miTerminateTask": "작업 종료(&&T)...",
+ "miConfigureTask": "작업 구성(&&C)...",
+ "miConfigureBuildTask": "기본 빌드 작업 구성(&&F)...",
+ "workbench.action.tasks.openWorkspaceFileTasks": "작업 영역 작업 열기",
+ "ShowLogAction.label": "작업 로그 표시",
+ "RunTaskAction.label": "작업 실행",
+ "ReRunTaskAction.label": "마지막 작업 다시 실행",
+ "RestartTaskAction.label": "실행 중인 작업 다시 시작",
+ "ShowTasksAction.label": "실행 중인 작업 표시",
+ "TerminateAction.label": "작업 종료",
+ "BuildAction.label": "빌드 작업 실행",
+ "TestAction.label": "테스트 작업 실행",
+ "ConfigureDefaultBuildTask.label": "기본 빌드 작업 구성",
+ "ConfigureDefaultTestTask.label": "기본 테스트 작업 구성",
+ "workbench.action.tasks.openUserTasks": "사용자 작업 열기",
+ "tasksQuickAccessPlaceholder": "실행할 작업의 이름을 입력합니다.",
+ "tasksQuickAccessHelp": "작업 실행",
+ "tasksConfigurationTitle": "작업",
+ "task.problemMatchers.neverPrompt": "작업을 실행할 때 문제 선택기 프롬프트를 표시할지 여부를 구성합니다. 'true'로 설정하여 프롬프트하지 않거나 작업 유형 사전을 사용하여 특정 작업 유형에 대해서만 프롬프트를 해제합니다.",
+ "task.problemMatchers.neverPrompt.boolean": "모든 작업에 대해 문제 선택기 프롬프트 동작을 설정합니다.",
+ "task.problemMatchers.neverPrompt.array": "작업 형식 부울 쌍을 포함하는 개체에는 문제 선택기에 대한 프롬프트가 표시되지 않습니다.",
+ "task.autoDetect": "모든 작업 공급자 확장에 `provideTasks`의 사용 여부를 제어합니다. Tasks: Run Task 명령이 느린 경우 작업 공급자에 대한 자동 검색을 사용하지 않도록 설정하면 도움이 될 수 있습니다. 또한 개별 확장은 자동 검색을 사용하지 않도록 하는 설정을 제공합니다.",
+ "task.slowProviderWarning": "공급자 속도가 느린 경우 경고를 표시할지 여부를 구성합니다.",
+ "task.slowProviderWarning.boolean": "모든 작업에 대해 느린 공급자 경고를 설정합니다.",
+ "task.slowProviderWarning.array": "느린 공급자 경고를 표시하지 않는 작업 유형의 배열입니다.",
+ "task.quickOpen.history": "작업 Quick Open 대화 상자에서 추적된 최근 항목의 수를 제어합니다.",
+ "task.quickOpen.detail": "작업 빠른 선택에 세부 정보가 있는 작업의 작업 세부 정보를 표시할지를 제어합니다(예: 작업 실행).",
+ "task.quickOpen.skip": "선택할 작업이 하나만 있는 경우 작업 빠른 선택을 건너뛰는지 여부를 제어합니다.",
+ "task.quickOpen.showAll": "작업: 작업 실행 명령에서 공급자별로 작업을 그룹화하는 빠른 두 수준 선택기 대신 느린 \"모두 표시\" 동작을 사용하게 합니다.",
+ "task.saveBeforeRun": "작업을 실행하기 전에 모든 더티 편집기를 저장합니다.",
+ "task.saveBeforeRun.always": "실행하기 전에 항상 모든 편집기를 저장합니다.",
+ "task.saveBeforeRun.never": "실행하기 전에 편집기를 저장하지 않습니다.",
+ "task.SaveBeforeRun.prompt": "실행하기 전에 편집기를 저장할지 여부를 묻는 메시지를 표시합니다."
+ },
+ "vs/workbench/contrib/tasks/common/taskDefinitionRegistry": {
+ "TaskDefinition.description": "실제 작업 형식입니다. '$'로 시작하는 형식은 내부용으로 예약되어 있습니다.",
+ "TaskDefinition.properties": "작업 유형의 추가 속성",
+ "TaskDefinition.when": "이 유형의 작업을 사용하도록 설정하려면 true여야 하는 조건입니다. 이 작업 정의에 적절하게 `shellExecutionSupported`, `processExecutionSupported` 및 `customExecutionSupported`를 사용해 보세요.",
+ "TaskTypeConfiguration.noType": "작업 유형 구성에 필요한 'taskType' 속성이 없음",
+ "TaskDefinitionExtPoint": "작업 유형 적용"
+ },
+ "vs/workbench/contrib/tasks/common/problemMatcher": {
+ "ProblemPatternParser.problemPattern.missingRegExp": "문제 패턴에 정규식이 없습니다.",
+ "ProblemPatternParser.loopProperty.notLast": "loop 속성은 마지막 줄 검사기에서만 지원됩니다.",
+ "ProblemPatternParser.problemPattern.kindProperty.notFirst": "문제 패턴이 잘못되었습니다. Kind 속성은 첫 번째 요소에만 지정해야 합니다.",
+ "ProblemPatternParser.problemPattern.missingProperty": "문제 패턴이 잘못되었습니다. 하나 이상의 파일 및 메시지를 포함해야 합니다.",
+ "ProblemPatternParser.problemPattern.missingLocation": "문제 패턴이 잘못되었습니다. \"파일\" 종류, 줄 또는 위치 일치 그룹을 포함해야 합니다.",
+ "ProblemPatternParser.invalidRegexp": "오류: {0} 문자열은 유효한 정규식이 아닙니다.\r\n",
+ "ProblemPatternSchema.regexp": "출력에서 오류, 경고 또는 정보를 찾는 정규식입니다.",
+ "ProblemPatternSchema.kind": "패턴이 위치(파일 및 줄)와 일치하는지 또는 파일하고만 일치하는지 여부입니다.",
+ "ProblemPatternSchema.file": "파일 이름의 일치 그룹 인덱스입니다. 생략된 경우 1이 사용됩니다.",
+ "ProblemPatternSchema.location": "문제 위치의 일치 그룹 인덱스입니다. 유효한 위치 패턴은 (line), (line,column) 및 (startLine,startColumn,endLine,endColumn)입니다. 생략하면 (line,column)이 사용됩니다.",
+ "ProblemPatternSchema.line": "문제 줄의 일치 그룹 인덱스입니다. 기본값은 2입니다.",
+ "ProblemPatternSchema.column": "문제의 줄바꿈 문자의 일치 그룹 인덱스입니다. 기본값은 3입니다.",
+ "ProblemPatternSchema.endLine": "문제 끝 줄의 일치 그룹 인덱스입니다. 기본적으로 정의되지 않습니다.",
+ "ProblemPatternSchema.endColumn": "문제의 끝 줄바꿈 문자의 일치 그룹 인덱스입니다. 기본값은 정의되지 않았습니다.",
+ "ProblemPatternSchema.severity": "문제 심각도의 일치 그룹 인덱스입니다. 기본적으로 정의되지 않습니다.",
+ "ProblemPatternSchema.code": "문제 코드의 일치 그룹 인덱스입니다. 기본적으로 정의되지 않습니다.",
+ "ProblemPatternSchema.message": "메시지의 일치 그룹 인덱스입니다. 생략된 경우 기본값은 위치가 지정된 경우 4이고, 그렇지 않으면 5입니다.",
+ "ProblemPatternSchema.loop": "여러 줄 선택기 루프에서는 이 패턴이 일치할 경우 루프에서 패턴을 실행할지 여부를 나타냅니다. 여러 줄 패턴의 마지막 패턴에 대해서만 지정할 수 있습니다.",
+ "NamedProblemPatternSchema.name": "문제 패턴의 이름입니다.",
+ "NamedMultiLineProblemPatternSchema.name": "여러 줄 문제 패턴의 이름입니다.",
+ "NamedMultiLineProblemPatternSchema.patterns": "실제 패턴입니다.",
+ "ProblemPatternExtPoint": "문제 패턴을 제공합니다.",
+ "ProblemPatternRegistry.error": "잘못된 문제 패턴입니다. 패턴이 무시됩니다.",
+ "ProblemMatcherParser.noProblemMatcher": "오류: 설명을 문제 선택기로 변환할 수 없습니다.\r\n{0}\r\n",
+ "ProblemMatcherParser.noProblemPattern": "오류: 설명에서 유효한 문제 패턴을 정의하지 않습니다.\r\n{0}\r\n",
+ "ProblemMatcherParser.noOwner": "오류: 설명에서 소유자를 정의하지 않습니다.\r\n{0}\r\n",
+ "ProblemMatcherParser.noFileLocation": "오류: 설명에서 파일 위치를 정의하지 않습니다.\r\n{0}\r\n",
+ "ProblemMatcherParser.unknownSeverity": "정보: 알 수 없는 심각도 {0}입니다. 유효한 값은 오류, 경고 및 정보입니다.\r\n",
+ "ProblemMatcherParser.noDefinedPatter": "오류: 식별자가 {0}인 패턴이 없습니다.",
+ "ProblemMatcherParser.noIdentifier": "오류: 패턴 속성이 빈 식별자를 참조합니다.",
+ "ProblemMatcherParser.noValidIdentifier": "오류: 패턴 속성 {0}이(가) 유효한 패턴 변수 이름이 아닙니다.",
+ "ProblemMatcherParser.problemPattern.watchingMatcher": "문제 검사기에서 감시 시작 패턴과 종료 패턴을 모두 정의해야 합니다.",
+ "ProblemMatcherParser.invalidRegexp": "오류: {0} 문자열은 유효한 정규식이 아닙니다.\r\n",
+ "WatchingPatternSchema.regexp": "백그라운드 작업의 시작 또는 종료를 감지하는 정규식입니다.",
+ "WatchingPatternSchema.file": "파일 이름의 일치 그룹 인덱스이며 생략할 수 있습니다.",
+ "PatternTypeSchema.name": "제공되거나 미리 정의된 패턴의 이름",
+ "PatternTypeSchema.description": "문제 패턴 또는 제공되거나 미리 정의된 문제 패턴의 이름입니다. 기본이 지정된 경우 생략할 수 있습니다.",
+ "ProblemMatcherSchema.base": "사용할 기본 문제 선택기의 이름입니다.",
+ "ProblemMatcherSchema.owner": "Code 내부의 문제 소유자입니다. 기본값을 지정한 경우 생략할 수 있습니다. 기본값을 지정하지 않고 생략한 경우 기본값은 '외부'입니다.",
+ "ProblemMatcherSchema.source": "이 진단의 소스를 설명하는 사람이 읽을 수 있는 문자열입니다(예: 'typescript' 또는 'super lint').",
+ "ProblemMatcherSchema.severity": "캡처 문제에 대한 기본 심각도입니다. 패턴에서 심각도에 대한 일치 그룹을 정의하지 않은 경우에 사용됩니다.",
+ "ProblemMatcherSchema.applyTo": "텍스트 문서에 복된 문제가 열린 문서, 닫힌 문서 또는 모든 문서에 적용되는지를 제어합니다.",
+ "ProblemMatcherSchema.fileLocation": "문제 패턴에 보고된 파일 이름을 해석하는 방법을 정의합니다. 상대 fileLocation은 배열일 수 있으며, 여기서 배열의 두 번째 요소는 상대 파일 위치의 경로입니다.",
+ "ProblemMatcherSchema.background": "백그라운드 작업에서 활성 상태인 matcher의 시작과 끝을 추적하는 패턴입니다.",
+ "ProblemMatcherSchema.background.activeOnStart": "True로 설정한 경우 작업이 시작되면 백그라운드 모니터가 활성 모드로 전환됩니다. 이는 beginsPattern과 일치하는 줄을 실행하는 것과 같습니다.",
+ "ProblemMatcherSchema.background.beginsPattern": "출력이 일치하는 경우 백그라운드 작업을 시작할 때 신호를 받습니다.",
+ "ProblemMatcherSchema.background.endsPattern": "출력이 일치하는 경우 백그라운드 작업을 끝날 때 신호를 받습니다.",
+ "ProblemMatcherSchema.watching.deprecated": "조사 속성은 사용되지 않습니다. 백그라운드 속성을 대신 사용하세요.",
+ "ProblemMatcherSchema.watching": "조사 matcher의 시작과 끝을 추적하는 패턴입니다.",
+ "ProblemMatcherSchema.watching.activeOnStart": "true로 설정한 경우 작업이 시작되면 선택기가 활성 모드로 전환됩니다. 이는 beginPattern과 일치하는 줄을 실행하는 것과 같습니다.",
+ "ProblemMatcherSchema.watching.beginsPattern": "출력이 일치하는 경우 조사 작업을 시작할 때 신호를 받습니다.",
+ "ProblemMatcherSchema.watching.endsPattern": "출력이 일치하는 경우 조사 작업을 끝날 때 신호를 받습니다.",
+ "LegacyProblemMatcherSchema.watchedBegin.deprecated": "이 속성은 사용되지 않습니다. 대신 감시 속성을 사용하세요.",
+ "LegacyProblemMatcherSchema.watchedBegin": "파일 감시를 통해 트리거되는 감시되는 작업이 시작됨을 나타내는 정규식입니다.",
+ "LegacyProblemMatcherSchema.watchedEnd.deprecated": "이 속성은 사용되지 않습니다. 대신 감시 속성을 사용하세요.",
+ "LegacyProblemMatcherSchema.watchedEnd": "감시되는 작업이 종료됨을 나타내는 정규식입니다.",
+ "NamedProblemMatcherSchema.name": "참조를 위한 문제 선택기의 이름입니다.",
+ "NamedProblemMatcherSchema.label": "사람이 읽을 수 있는 문제 일치기의 레이블입니다.",
+ "ProblemMatcherExtPoint": "문제 선택기를 제공합니다.",
+ "msCompile": "Microsoft 컴파일러 문제",
+ "lessCompile": "문제 적게 보기",
+ "gulp-tsc": "Gulp TSC 문제",
+ "jshint": "JSHint 문제",
+ "jshint-stylish": "JSHint 스타일 문제",
+ "eslint-compact": "ESLint 컴팩트 문제",
+ "eslint-stylish": "ESLint 스타일 문제",
+ "go": "이동 문제"
+ },
+ "vs/workbench/contrib/tasks/common/taskTemplates": {
+ "dotnetCore": ".NET Core 빌드 명령을 실행합니다.",
+ "msbuild": "빌드 대상을 실행합니다.",
+ "externalCommand": "임의의 외부 명령을 실행하는 예",
+ "Maven": "일반적인 Maven 명령을 실행합니다."
+ },
+ "vs/workbench/contrib/tasks/browser/runAutomaticTasks": {
+ "tasks.run.allowAutomatic": "이 폴더의 'tasks.json'에는 이 폴더를 열 때 자동으로 실행되는 작업({0})이 정의되어 있습니다. 자동 작업이 이 폴더를 열 때 실행되도록 허용하시겠어요?",
+ "allow": "허용 및 실행",
+ "disallow": "허용 안 함",
+ "openTasks": "tasks.json 열기",
+ "workbench.action.tasks.manageAutomaticRunning": "폴더에서 자동 작업 관리",
+ "workbench.action.tasks.allowAutomaticTasks": "폴더에서 자동 작업 허용",
+ "workbench.action.tasks.disallowAutomaticTasks": "폴더에서 자동 작업 허용 안 함"
+ },
+ "vs/workbench/contrib/tasks/browser/taskQuickPick": {
+ "taskQuickPick.showAll": "작업 모두 표시...",
+ "configureTaskIcon": "작업 선택 목록의 구성 아이콘입니다.",
+ "removeTaskIcon": "작업 선택 목록의 제거 아이콘입니다.",
+ "configureTask": "작업 구성",
+ "contributedTasks": "제공됨",
+ "taskType": "모든 {0} 작업",
+ "removeRecent": "최근에 사용한 작업 제거",
+ "recentlyUsed": "최근에 사용",
+ "configured": "구성됨",
+ "TaskQuickPick.goBack": "돌아가기 ↩",
+ "TaskQuickPick.noTasksForType": "{0} 작업이 없습니다. 돌아가기 ↩",
+ "noProviderForTask": "\"{0}\" 유형의 작업에 대해 등록된 작업 공급자가 없습니다."
+ },
+ "vs/workbench/contrib/tasks/common/jsonSchema_v1": {
+ "JsonSchema.version.deprecated": "작업 버전 0.1.0은 사용되지 않습니다. 2.0.0을 사용하세요.",
+ "JsonSchema.version": "구성의 버전 번호",
+ "JsonSchema._runner": "실행기는 더 이상 사용되지 않습니다. 공식 실행기 속성을 사용하세요.",
+ "JsonSchema.runner": "작업이 프로세스로 실행되는지 여부와 출력이 출력 창이나 터미널 내부 중 어디에 표시되는지를 정의합니다.",
+ "JsonSchema.windows": "Windows 특정 명령 구성",
+ "JsonSchema.mac": "Mac 특정 명령 구성",
+ "JsonSchema.linux": "Linux 특정 명령 구성",
+ "JsonSchema.shell": "명령이 셸 명령인지 외부 프로그램인지 지정합니다. 생략하는 경우 기본값은 false입니다."
+ },
+ "vs/workbench/contrib/tasks/common/jsonSchema_v2": {
+ "JsonSchema.shell": "명령이 셸 명령인지 외부 프로그램인지 지정합니다. 생략하는 경우 기본값은 false입니다.",
+ "JsonSchema.tasks.isShellCommand.deprecated": "isShellCommand 속성은 사용 중단되었습니다. 작업의 유형 속성과 셸 속성을 대신 사용하세요. 1.14 릴리스 노트를 참고하세요.",
+ "JsonSchema.tasks.dependsOn.identifier": "작업 식별자입니다.",
+ "JsonSchema.tasks.dependsOn.string": "이 작업이 종속된 또 다른 작업입니다.",
+ "JsonSchema.tasks.dependsOn.array": "이 작업이 종속된 다른 여러 작업입니다.",
+ "JsonSchema.tasks.dependsOn": "다른 작업을 나타내는 문자열 또는 이 작업이 종속된 다른 작업의 배열입니다.",
+ "JsonSchema.tasks.dependsOrder.parallel": "모든 dependsOn 작업을 병렬로 실행합니다.",
+ "JsonSchema.tasks.dependsOrder.sequence": "모든 dependsOn 작업을 순차적으로 실행합니다.",
+ "JsonSchema.tasks.dependsOrder": "이 작업의 dependsOn 작업 순서를 결정합니다. 이 속성은 재귀적이 아닙니다.",
+ "JsonSchema.tasks.detail": "작업 실행 빠른 선택에 세부 정보로 표시되는 작업의 선택적 설명입니다.",
+ "JsonSchema.tasks.presentation": "작업의 출력을 표시하는 데 사용되는 패널을 구성하고 작업의 입력을 읽습니다.",
+ "JsonSchema.tasks.presentation.echo": "실행된 명령을 패널에 에코할지 결정합니다. 기본값은 true입니다.",
+ "JsonSchema.tasks.presentation.focus": "패널이 포커스를 잡는지 결정합니다. 기본값은 false입니다. true로 설정하면 패널도 드러납니다.",
+ "JsonSchema.tasks.presentation.revealProblems.always": "이 작업을 실행할 때 문제 패널을 항상 표시합니다.",
+ "JsonSchema.tasks.presentation.revealProblems.onProblem": "문제를 찾은 경우에만 문제 패널을 표시합니다.",
+ "JsonSchema.tasks.presentation.revealProblems.never": "이 작업을 실행할 때 문제 패널을 표시하지 않습니다.",
+ "JsonSchema.tasks.presentation.revealProblems": "이 작업을 실행할 때 문제 패널을 표시할지 여부를 제거합니다. \"reveal\" 옵션보다 우선합니다. 기본값은 \"안 함\"입니다.",
+ "JsonSchema.tasks.presentation.reveal.always": "이 작업이 호출될 때 터미널을 항상 표시합니다.",
+ "JsonSchema.tasks.presentation.reveal.silent": "작업이 오류와 함께 종료되거나 문제 선택기에서 오류를 찾는 경우에만 터미널을 표시합니다.",
+ "JsonSchema.tasks.presentation.reveal.never": "작업을 실행할 때 터미널을 표시하지 않습니다.",
+ "JsonSchema.tasks.presentation.reveal": "작업을 실행 중인 터미널을 표시할지 여부를 제어합니다. \"revealProblems\" 옵션으로 재정의할 수 있습니다. 기본값은 \"항상\"입니다.",
+ "JsonSchema.tasks.presentation.instance": "패널을 작업 간에 공유할지 결정합니다. 이 작업 전용 패널로 사용하거나 실행할 때마다 새로 생성합니다.",
+ "JsonSchema.tasks.presentation.showReuseMessage": "`터미널이 작업에서 다시 사용됩니다. 닫으려면 아무 키나 누르세요` 메시지를 표시할지 여부를 제어합니다.",
+ "JsonSchema.tasks.presentation.clear": "작업을 실행하기 전에 터미널을 지울지 여부를 제어합니다.",
+ "JsonSchema.tasks.presentation.group": "분할 창을 사용하여 특정 터미널 그룹에서 작업을 실행할지 여부를 제어합니다.",
+ "JsonSchema.tasks.terminal": "이 터미널 속성은 사용되지 않습니다. 프레젠테이션을 대신 사용하세요.",
+ "JsonSchema.tasks.group.kind": "작업 실행 그룹입니다.",
+ "JsonSchema.tasks.group.isDefault": "작업이 그룹 내 기본 작업에 있는지 정의합니다.",
+ "JsonSchema.tasks.group.defaultBuild": "이 작업을 기본 빌드 작업으로 표시합니다.",
+ "JsonSchema.tasks.group.defaultTest": "이 작업을 기본 테스트 작업으로 표시합니다.",
+ "JsonSchema.tasks.group.build": "'작업 빌드 실행' 명령을 통해 액세스할 수 있는 빌드 작업으로 작업을 표시합니다.",
+ "JsonSchema.tasks.group.test": "작업을 '테스트 작업 실행' 명령을 통해 액세스할 수 있는 테스트 작업으로 표시합니다.",
+ "JsonSchema.tasks.group.none": "작업을 그룹에 할당 안 함",
+ "JsonSchema.tasks.group": "이 작업을 할당할 실행 그룹을 정의합니다. 빌드 그룹에 추가를 위한 \"build'와 테스트 그룹에 추가를 위한 \"test\"를 지원합니다.",
+ "JsonSchema.tasks.type": "작업이 프로세스로 실행되는지 또는 셸 내의 명령으로 실행되는지를 제어합니다.",
+ "JsonSchema.commandArray": "실행할 셸 명령입니다. 배열 항목은 공백 문자를 사용하여 연결됩니다.",
+ "JsonSchema.command.quotedString.value": "실제 명령 값",
+ "JsonSchema.tasks.quoting.escape": "셸의 이스케이프 문자를 사용하여 문자를 이스케이프합니다(예: ` under PowerShell 및 \\ under bash).",
+ "JsonSchema.tasks.quoting.strong": "셸의 강력한 따옴표 문자를 사용하여 인수를 따옴표 처리합니다(예: PowerShell 및 Bash에서는 ' 사용).",
+ "JsonSchema.tasks.quoting.weak": "셸의 약한 따옴표 문자를 사용하여 인수를 따옴표 처리합니다(예: PowerShell 및 Bash에서는 \" 사용).",
+ "JsonSchema.command.quotesString.quote": "명령 값을 따옴표로 묶을 방법입니다.",
+ "JsonSchema.command": "실행될 명령입니다. 외부 프로그램 또는 셸 명령일 수 있습니다.",
+ "JsonSchema.args.quotedString.value": "실제 인수 값",
+ "JsonSchema.args.quotesString.quote": "인수 값을 따옴표로 묶을 방법입니다.",
+ "JsonSchema.tasks.args": "이 작업이 호출되면 명령에 전달되는 인수입니다.",
+ "JsonSchema.tasks.label": "작업 사용자 인터페이스 레이블",
+ "JsonSchema.version": "구성의 버전 번호입니다.",
+ "JsonSchema.tasks.identifier": "작업을 launch.json 또는 dependsOn 구문에서 참조할 사용자 정의 식별자입니다.",
+ "JsonSchema.tasks.identifier.deprecated": "사용자 정의 식별자는 사용되지 않습니다. 이름을 참조로 사용한 사용자 지정 작업 및 확장에서 제공한 작업의 경우 작업에서 정의한 작업 식별자를 사용하세요.",
+ "JsonSchema.tasks.reevaluateOnRerun": "다시 실행 시 작업 변수를 다시 평가할지 여부입니다.",
+ "JsonSchema.tasks.runOn": "작업을 실행해야 하는 시기를 구성합니다. folderOpen으로 설정하면 이 폴더가 열리면 작업이 자동으로 실행됩니다.",
+ "JsonSchema.tasks.instanceLimit": "동시에 실행할 수 있는 작업의 인스턴스 수입니다.",
+ "JsonSchema.tasks.runOptions": "작업 실행 관련 옵션",
+ "JsonSchema.tasks.taskLabel": "작업 레이블",
+ "JsonSchema.tasks.taskName": "작업의 이름",
+ "JsonSchema.tasks.taskName.deprecated": "이 작업 이름은 사용되지 않습니다. 레이블 속성을 대신 사용하세요.",
+ "JsonSchema.tasks.background": "실행된 작업이 활성 상태이며 백그라운드에서 실행되고 있는지 여부입니다.",
+ "JsonSchema.tasks.promptOnClose": "VS Code가 실행 중인 작업과 함께 닫힐 때 사용자에게 메시지를 표시할지 여부입니다.",
+ "JsonSchema.tasks.matchers": "사용할 문제 선택기입니다. 문자열, 문제 선택기 정의 또는 문자열과 문제 선택기의 배열일 수 있습니다.",
+ "JsonSchema.customizations.customizes.type": "사용자 지정할 작업 유형",
+ "JsonSchema.tasks.customize.deprecated": "사용자 지정 속성은 사용되지 않습니다. 새로운 작업 사용자 지정 방식으로 마이그레이션을 위해 1.14 릴리스 노트를 참고하세요.",
+ "JsonSchema.tasks.showOutput.deprecated": "showOutput 속성은 사용되지 않습니다. 대신 presentation 속성 내 reveal 속성을 사용하세요. 1.14 릴리스 노트도 참고하세요.",
+ "JsonSchema.tasks.echoCommand.deprecated": "echoCommand 속성은 사용되지 않습니다. 대신 presentation 속성 내 echo 속성을 사용하세요. 1.14 릴리스 노트도 참고하세요.",
+ "JsonSchema.tasks.suppressTaskName.deprecated": "suppressTaskName 속성은 사용되지 않습니다. 대신 명령을 인수와 함께 작업에 인라인으로 삽입하세요. 1.14 릴리스 노트를 참고하세요.",
+ "JsonSchema.tasks.isBuildCommand.deprecated": "isBuildCommand 속성은 사용되지 않습니다. 대신 group 속성을 사용하세요. 1.14 릴리스 노트도 참고하세요.",
+ "JsonSchema.tasks.isTestCommand.deprecated": "isTestCommand 속성은 사용되지 않습니다. 대신 group 속성을 사용하세요. 1.14 릴리스 노트를 참고하세요.",
+ "JsonSchema.tasks.taskSelector.deprecated": "taskSelector 속성은 사용되지 않습니다. 대신 명령을 인수와 함께 작업에 인라인으로 삽입하세요. 1.14 릴리스 노트를 참고하세요.",
+ "JsonSchema.windows": "Windows 특정 명령 구성",
+ "JsonSchema.mac": "Mac 특정 명령 구성",
+ "JsonSchema.linux": "Linux 특정 명령 구성"
+ },
+ "vs/workbench/contrib/tasks/browser/tasksQuickAccess": {
+ "noTaskResults": "일치하는 작업 없음",
+ "TaskService.pickRunTask": "실행할 작업 선택"
+ },
+ "vs/workbench/contrib/tasks/common/jsonSchemaCommon": {
+ "JsonSchema.options": "추가 명령 옵션",
+ "JsonSchema.options.cwd": "실행된 프로그램 또는 스크립트의 현재 작업 디렉터리입니다. 생략된 경우 Code의 현재 작업 영역 루트가 사용됩니다.",
+ "JsonSchema.options.env": "실행할 프로그램 또는 셸의 환경입니다. 생략하면 부모 프로세스의 환경이 사용됩니다.",
+ "JsonSchema.tasks.matcherError": "문제 선택기를 인식할 수 없습니다. 이 문제 선택기에 해당하는 확장이 설치되어 있습니까?",
+ "JsonSchema.shellConfiguration": "사용할 셸을 구성합니다.",
+ "JsonSchema.shell.executable": "사용할 셸입니다.",
+ "JsonSchema.shell.args": "셸 인수입니다.",
+ "JsonSchema.command": "실행될 명령입니다. 외부 프로그램 또는 셸 명령일 수 있습니다.",
+ "JsonSchema.tasks.args": "이 작업이 호출되면 명령에 전달되는 인수입니다.",
+ "JsonSchema.tasks.taskName": "작업의 이름",
+ "JsonSchema.tasks.windows": "Windows 특정 명령 구성",
+ "JsonSchema.tasks.matchers": "사용할 문제 선택기입니다. 문자열, 문제 선택기 정의 또는 문자열과 문제 선택기의 배열일 수 있습니다.",
+ "JsonSchema.tasks.mac": "Mac 특정 명령 구성",
+ "JsonSchema.tasks.linux": "Linux 특정 명령 구성",
+ "JsonSchema.tasks.suppressTaskName": "작업 이름을 명령에 인수로 추가할지 여부를 제어합니다. 생략하면 전역적으로 정의된 값이 사용됩니다.",
+ "JsonSchema.tasks.showOutput": "실행 중인 작업에 대한 출력을 표시할지 여부를 제어합니다. 생략하면 전역적으로 정의된 값이 사용됩니다.",
+ "JsonSchema.echoCommand": "실행된 명령을 출력에 에코할지 여부를 제어합니다. 기본값은 false입니다.",
+ "JsonSchema.tasks.watching.deprecation": "사용되지 않습니다. 대신 isBackground를 사용합니다.",
+ "JsonSchema.tasks.watching": "실행된 작업을 활성 상태로 유지할지 파일 시스템을 조사할지 여부를 나타냅니다.",
+ "JsonSchema.tasks.background": "실행된 작업이 활성 상태이며 백그라운드에서 실행되고 있는지 여부입니다.",
+ "JsonSchema.tasks.promptOnClose": "VS Code가 실행 중인 작업과 함께 닫힐 때 사용자에게 메시지를 표시할지 여부입니다.",
+ "JsonSchema.tasks.build": "이 작업을 Code의 기본 빌드 명령에 매핑합니다.",
+ "JsonSchema.tasks.test": "이 작업을 Code의 기본 테스트 명령에 매핑합니다.",
+ "JsonSchema.args": "명령에 전달되는 추가 인수입니다.",
+ "JsonSchema.showOutput": "실행 중인 작업에 대한 출력을 표시할지 여부를 제어합니다. 생략하면 '항상'이 사용됩니다.",
+ "JsonSchema.watching.deprecation": "사용되지 않습니다. 대신 isBackground를 사용합니다.",
+ "JsonSchema.watching": "실행된 작업을 활성 상태로 유지할지 파일 시스템을 조사할지 여부를 나타냅니다.",
+ "JsonSchema.background": "실행한 작업을 활성 상태로 유지하고 배경에서 실행하는지 여부입니다.",
+ "JsonSchema.promptOnClose": "백그라운드 작업이 실행 중인 상태에서 VS Code가 종료될 경우 사용자에게 메시지를 표시할지 여부를 나타냅니다.",
+ "JsonSchema.suppressTaskName": "작업 이름을 명령에 인수로 추가할지 여부를 제어합니다. 기본값은 false입니다.",
+ "JsonSchema.taskSelector": "인수가 작업임을 나타내는 접두사입니다.",
+ "JsonSchema.matchers": "사용할 문제 선택기입니다. 문자열, 문제 선택기 정의 또는 문자열 및 문제 선택기 배열일 수 있습니다.",
+ "JsonSchema.tasks": "작업 구성입니다. 일반적으로 외부 Task Runner에 이미 정의되어 있는 작업을 보강합니다."
+ },
+ "vs/workbench/contrib/terminal/common/terminalConfiguration": {
+ "terminalIntegratedConfigurationTitle": "통합 터미널",
+ "terminal.integrated.sendKeybindingsToShell": "대부분의 키 바인딩을 워크벤치 대신 터미널에 디스패치하여 미세 조정을 위해 대신 사용할 수 있는 `#terminal.integrated.commandsToSkipShell#`을 재정의합니다.",
+ "terminal.integrated.automationShell.linux": "설정 시 작업 및 디버그와 같은 자동화 관련 터미널 사용의 {0}을(를) 재정의하고 {1} 값을 무시하는 경로입니다.",
+ "terminal.integrated.automationShell.osx": "설정 시 작업 및 디버그와 같은 자동화 관련 터미널 사용의 {0}을(를) 재정의하고 {1} 값을 무시하는 경로입니다.",
+ "terminal.integrated.automationShell.windows": "설정 시 작업 및 디버그와 같은 자동화 관련 터미널 사용의 {0}을(를) 재정의하고 {1} 값을 무시하는 경로입니다.",
+ "terminal.integrated.shellArgs.linux": "Linux 터미널에 있을 때 사용할 명령줄 인수입니다. [셸 구성 방법을 자세히 알아보세요](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shellArgs.osx": "macOS 터미널에 있을 때 사용할 명령줄 인수입니다. [셸 구성 방법을 자세히 알아보세요](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shellArgs.windows": "Windows 터미널에 있을 때 사용할 명령줄 인수입니다. [셸 구성 방법을 자세히 알아보세요](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shellArgs.windows.string": "Windows 터미널에 있을 때 사용할 [명령줄 형식](https://msdn.microsoft.com/en-au/08dfcab2-eb6e-49a4-80eb-87d4076c98c6)의 명령줄 인수입니다. [셸 구성 방법을 자세히 알아보세요](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.macOptionIsMeta": "macOS의 터미널에서 옵션 키를 meta 키로 처리할지 여부를 제어합니다.",
+ "terminal.integrated.macOptionClickForcesSelection": "macOS에서 을 사용할 때 특정 항목을 강제로 선택할지 여부를 제어합니다. 사용하도록 설정하면 일반(줄) 항목이 강제로 선택되며 열 선택 모드를 사용할 수 없습니다. 예를 들어 tmux에서 마우스 모드를 사용하는 경우, 일반 터미널 항목을 선택하여 복사 및 붙여넣기를 수행할 수 있습니다.",
+ "terminal.integrated.copyOnSelection": "터미널에서 선택한 텍스트를 클립보드에 복사할지 여부를 제어합니다.",
+ "terminal.integrated.drawBoldTextInBrightColors": "터미널의 굵은 텍스트에 항상 \"밝은\" ANSI 색 변형을 사용할지 여부를 제어합니다.",
+ "terminal.integrated.fontFamily": "터미널의 글꼴 패밀리를 제어하며, 기본값은 `#editor.fontFamily#`입니다.",
+ "terminal.integrated.fontSize": "터미널의 글꼴 크기(픽셀)를 제어합니다.",
+ "terminal.integrated.letterSpacing": "터미널의 문자 간격을 제어하며, 문자 사이에 추가할 픽셀 수를 나타내는 정수 값입니다.",
+ "terminal.integrated.lineHeight": "터미널의 줄 높이를 제어하며, 이 숫자와 터미널 글꼴 크기를 곱하여 실제 줄 높이(픽셀)를 구합니다.",
+ "terminal.integrated.minimumContrastRatio": "설정하면, 각 셀의 전경색이 지정한 대비 비율을 충족하도록 변경됩니다. 예제 값:\r\n\r\n-1: 기본값으로, 아무 작업도 하지 않습니다.\r\n-4.5: [WCAG AA 규정 준수(최소)](https://www.w3.org/TR/UNDERSTANDING-WCAG20/visual-audio-contrast-contrast.html).\r\n-7: [WCAG AAA 규정 준수(고급)](https://www.w3.org/TR/UNDERSTANDING-WCAG20/visual-audio-contrast7.html).\r\n-21: 검은색 배경에 흰색 또는 흰색 배경에 검은색입니다.",
+ "terminal.integrated.fastScrollSensitivity": "'Alt' 키를 누를 때의 스크롤 속도 승수입니다.",
+ "terminal.integrated.mouseWheelScrollSensitivity": "마우스 휠 스크롤 이벤트의 'deltaY'에 사용할 승수입니다.",
+ "terminal.integrated.fontWeightError": "\"표준\" 및 \"굵게\" 키워드 또는 1~1000 사이의 숫자만 허용됩니다.",
+ "terminal.integrated.fontWeight": "터미널 내에서 보통 텍스트에 사용할 글꼴 두께입니다. \"일반\" 및 \"굵게\" 키워드 또는 1에서 1,000 사이의 숫자를 허용합니다.",
+ "terminal.integrated.fontWeightBold": "터미널 내에서 굵은 텍스트에 사용할 글꼴 두께입니다. \"일반\" 및 \"굵게\" 키워드 또는 1에서 1,000 사이의 숫자를 허용합니다.",
+ "terminal.integrated.cursorBlinking": "터미널 커서가 깜박이는지 여부를 제어합니다.",
+ "terminal.integrated.cursorStyle": "터미널 커서의 스타일을 제어합니다.",
+ "terminal.integrated.cursorWidth": "`#terminal.integrated.cursorStyle#`이 `line`으로 설정된 경우 커서 너비를 제어합니다.",
+ "terminal.integrated.scrollback": "터미널이 버퍼에 유지하는 최대 줄 수를 제어합니다.",
+ "terminal.integrated.detectLocale": "VS Code 터미널은 셸에서 들어오는, UTF-8로 인코딩된 데이터만 지원하므로 '$LANG' 환경 변수를 검색하고 UTF-8 규격 옵션으로 설정할지 여부를 제어합니다.",
+ "terminal.integrated.detectLocale.auto": "기존 변수가 없거나 `'.UTF-8'`로 끝나지 않는 경우 '$LANG' 환경 변수를 설정합니다.",
+ "terminal.integrated.detectLocale.off": "'$LANG' 환경 변수를 설정하지 않습니다.",
+ "terminal.integrated.detectLocale.on": "항상 '$LANG' 환경 변수를 설정합니다.",
+ "terminal.integrated.rendererType.auto": "VS Code에서 사용할 렌더러를 추측합니다.",
+ "terminal.integrated.rendererType.canvas": "표준 GPU/캔버스 기반 렌더러를 사용합니다.",
+ "terminal.integrated.rendererType.dom": "대체 DOM 기반 렌더러를 사용합니다.",
+ "terminal.integrated.rendererType.experimentalWebgl": "실험적 webgl 기반 렌더러를 사용합니다. 몇 가지 [알려진 문제](https://github.com/xtermjs/xterm.js/issues?q=is%3Aopen+is%3Aissue+label%3Aarea%2Faddon%2Fwebgl)가 있습니다.",
+ "terminal.integrated.rendererType": "터미널이 렌더링되는 방식을 제어합니다.",
+ "terminal.integrated.rightClickBehavior.default": "상황에 맞는 메뉴를 표시합니다.",
+ "terminal.integrated.rightClickBehavior.copyPaste": "선택 항목이 있으면 복사하고, 없으면 붙여넣습니다.",
+ "terminal.integrated.rightClickBehavior.paste": "마우스 오른쪽 단추를 클릭하여 붙여넣습니다.",
+ "terminal.integrated.rightClickBehavior.selectWord": "커서 아래 단어를 선택하고 상황에 맞는 메뉴를 표시합니다.",
+ "terminal.integrated.rightClickBehavior": "터미널이 오른쪽 클릭에 반응하는 방식을 제어합니다.",
+ "terminal.integrated.cwd": "터미널이 시작되는 명시적 시작 경로이며, 셸 프로세스의 cwd(현재 작업 디렉터리)로 사용됩니다. 루트 디렉터리가 편리한 cwd가 아닌 경우, 작업 영역 설정에서 특히 유용할 수 있습니다.",
+ "terminal.integrated.confirmOnExit": "활성 터미널 세션이 있을 경우 종료 시 확인 여부를 제어합니다.",
+ "terminal.integrated.enableBell": "터미널 벨의 사용 여부를 제어합니다.",
+ "terminal.integrated.commandsToSkipShell": "키 바인딩이 셸에 전송되지 않고 항상 VS Code에서 처리되는 명령 ID 세트입니다. 따라서 보통은 셸에서 사용되어 터미널에 포커스가 없을 때와 동일하게 작동하는 키 바인딩을 사용할 수 있습니다(예: 'Ctrl+P'를 사용하여 Quick Open 시작).\r\n\r\n \r\n\r\n기본적으로 많은 명령을 건너뜁니다. 기본값을 재정의하고 명령의 키 바인딩을 셸로 대신 전달하려면 '-' 문자로 시작하는 명령을 추가합니다. 예를 들어 'Ctrl+P'를 사용하여 셸에 도달하려면 '-workbench.action.quickOpen'을 추가합니다.\r\n\r\n \r\n\r\n설정 편집기에서 볼 때 다음의 기본 건너뛴 명령 목록이 잘립니다. 전체 목록을 보려면 [기본 설정 JSON을 열고](command:workbench.action.openRawDefaultSettings '기본 설정 열기(JSON)') 아래 목록에서 첫 번째 명령을 검색합니다.\r\n\r\n \r\n\r\n기본 건너뛴 명령:\r\n\r\n{0}",
+ "terminal.integrated.allowChords": "터미널에서 동시 키 바인딩을 허용할지 여부입니다. 이 설정이 true이고 키 입력이 동시에 발생하는 경우 `#terminal.integrated.commandsToSkipShell#`가 무시되고, 이 설정을 false로 설정하면 를 눌러 셸(VS Code 아님)로 이동하려는 경우에 특히 유용합니다.",
+ "terminal.integrated.allowMnemonics": "메뉴 모음 니모닉(예: )을 통한 메뉴 모음 열기 트리거를 허용할지 여부입니다. 이 설정을 true로 지정하면 모든 키 입력이 셸을 건너뜁니다. macOS에서는 아무 작업도 하지 않습니다.",
+ "terminal.integrated.inheritEnv": "새 셸이 VS Code에서 환경을 상속해야 하는지 여부입니다. 이 설정은 Windows에서 지원되지 않습니다.",
+ "terminal.integrated.env.osx": "macOS 터미널에서 사용할 VS Code 프로세스에 추가되는 환경 변수를 포함하는 개체입니다. 환경 변수를 삭제하려면 'null'로 설정합니다.",
+ "terminal.integrated.env.linux": "Linux 터미널에서 사용할 VS Code 프로세스에 추가되는 환경 변수를 포함하는 개체입니다. 환경 변수를 삭제하려면 'null'로 설정합니다.",
+ "terminal.integrated.env.windows": "Windows 터미널에서 사용할 VS Code 프로세스에 추가되는 환경 변수를 포함하는 개체입니다. 환경 변수를 삭제하려면 'null'로 설정합니다.",
+ "terminal.integrated.environmentChangesIndicator": "확장이 터미널 환경을 변경했거나 변경하려고 하는지 여부를 설명하는 환경 변경 표시기를 각 터미널에 표시할지 여부입니다.",
+ "terminal.integrated.environmentChangesIndicator.off": "표시기를 사용하지 않도록 설정합니다.",
+ "terminal.integrated.environmentChangesIndicator.on": "표시기를 사용하도록 설정합니다.",
+ "terminal.integrated.environmentChangesIndicator.warnonly": "터미널 환경이 '부실'한 경우 경고 표시기만 표시하고, 터미널 환경이 확장을 통해 수정되었음을 나타내는 정보 표시기는 표시하지 않습니다.",
+ "terminal.integrated.showExitAlert": "종료 코드가 0이 아닌 경우 \"터미널 프로세스가 다음 종료 코드로 종료되었습니다\"라는 경고를 표시할지 여부를 제어합니다.",
+ "terminal.integrated.splitCwd": "분할된 터미널이 시작되는 작업 디렉터리를 제어합니다.",
+ "terminal.integrated.splitCwd.workspaceRoot": "새 분할 터미널은 작업 영역 루트를 작업 디렉터리로 사용합니다. 다중 루트 작업 영역에서는 사용할 루트 폴더의 선택 항목이 제공됩니다.",
+ "terminal.integrated.splitCwd.initial": "새 분할 터미널은 부모 터미널이 시작된 작업 디렉터리를 사용합니다.",
+ "terminal.integrated.splitCwd.inherited": "macOS 및 Linux에서 새 분할 터미널은 부모 터미널의 작업 디렉터리를 사용합니다. Windows에서는 초기 설정과 동일하게 동작합니다.",
+ "terminal.integrated.windowsEnableConpty": "Windows 터미널 프로세스 통신에 ConPTY를 사용할지 여부입니다(Windows 10 빌드 번호 18309 이상 필요). 이 설정이 false이면 Winpty가 사용됩니다.",
+ "terminal.integrated.wordSeparators": "Word 기능을 선택하기 위해 두 번 클릭할 때 단어 구분 기호로 간주할 모든 문자를 포함하는 문자열입니다.",
+ "terminal.integrated.experimentalUseTitleEvent": "드롭다운 제목에 대해 터미널 제목 이벤트를 사용하는 실험적 설정입니다. 이 설정은 새 터미널에만 적용됩니다.",
+ "terminal.integrated.enableFileLinks": "터미널에서 파일 링크를 사용할지 여부입니다. 파일 시스템에서 각 파일 링크를 확인하기 때문에 특히 네트워크 드라이브에서 작업하는 경우 링크가 느릴 수 있습니다. 이 설정을 변경하면 새 터미널에서만 적용됩니다.",
+ "terminal.integrated.unicodeVersion.six": "유니코드 버전 6입니다. 이전 시스템에서 더 잘 작동하는 이전 버전입니다.",
+ "terminal.integrated.unicodeVersion.eleven": "유니코드 버전 11입니다. 이 버전은 최신 버전의 유니코드를 사용하는 최신 시스템에서 더 나은 지원을 제공합니다.",
+ "terminal.integrated.unicodeVersion": "터미널에서 문자 너비를 계산할 때 사용할 유니코드 버전을 제어합니다. 이모지 또는 다른 와이드 문자가 너무 많거나 적게 삭제하여 적절한 공백이나 백스페이스를 사용하지 않는 경우, 이 설정을 조정하는 것이 좋습니다.",
+ "terminal.integrated.experimentalLinkProvider": "링크가 검색되는 시기를 개선하고 편집기로 공유 링크 검색을 사용하도록 설정하여 터미널에서 링크 검색을 개선하려는 실험적 설정입니다. 현재 이 설정은 웹 연결만 지원합니다.",
+ "terminal.integrated.localEchoLatencyThreshold": "실험적: 서버 확인을 기다리지 않고 터미널에서 로컬 편집 내용이 에코되는 네트워크 지연 시간(밀리초)입니다. '0'이면 로컬 에코가 항상 켜지고, '-1'이면 로컬 에코가 사용하지 않도록 설정됩니다.",
+ "terminal.integrated.localEchoExcludePrograms": "실험적: 터미널 제목에 이러한 프로그램 이름이 있으면 로컬 에코를 사용할 수 없습니다.",
+ "terminal.integrated.localEchoStyle": "실험적: 로컬로 에코되는 텍스트의 터미널 스타일(글꼴 스타일 또는 RGB 색)입니다.",
+ "terminal.integrated.serverSpawn": "실험적: 원격 확장 호스트 대신 원격 에이전트 프로세스에서 원격 터미널을 생성합니다.",
+ "terminal.integrated.enablePersistentSessions": "실험적: 창 다시 로드에서 작업 영역에 대한 터미널 세션을 유지합니다. 현재 VS Code 원격 작업 영역에서만 지원됩니다.",
+ "terminal.integrated.shell.linux": "터미널이 Linux에서 사용하는 셸의 경로입니다(기본값: {0}). [셸 구성 방법을 자세히 알아보세요](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shell.linux.noDefault": "터미널이 Linux에서 사용하는 셸의 경로입니다. [셸 구성 방법을 자세히 알아보세요](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shell.osx": "터미널이 macOS에서 사용하는 셸의 경로입니다(기본값: {0}). [셸 구성 방법을 자세히 알아보세요](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shell.osx.noDefault": "터미널이 macOS에서 사용하는 셸의 경로입니다. [셸 구성 방법을 자세히 알아보세요](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shell.windows": "터미널이 Windows에서 사용하는 셸의 경로입니다(기본값: {0}). [셸 구성 방법을 자세히 알아보세요](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shell.windows.noDefault": "터미널이 Windows에서 사용하는 셸의 경로입니다. [셸 구성 방법을 자세히 알아보세요](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration)."
+ },
+ "vs/workbench/contrib/terminal/common/terminal": {
+ "terminalCategory": "터미널",
+ "vscode.extension.contributes.terminal": "터미널 기능에 기여합니다.",
+ "vscode.extension.contributes.terminal.types": "사용자가 만들 수 있는 추가 터미널 형식을 정의합니다.",
+ "vscode.extension.contributes.terminal.types.command": "사용자가 이 형식의 터미널을 만들 때 실행할 명령입니다.",
+ "vscode.extension.contributes.terminal.types.title": "이 형식의 터미널 제목입니다."
+ },
+ "vs/workbench/contrib/terminal/browser/terminal.contribution": {
+ "tasksQuickAccessPlaceholder": "열려는 터미널 이름을 입력합니다.",
+ "tasksQuickAccessHelp": "모든 열려 있는 터미널 표시",
+ "terminal": "터미널"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalView": {
+ "terminal.useMonospace": "'고정 폭' 사용",
+ "terminal.monospaceOnly": "터미널은 고정 폭 글꼴만 지원합니다. 새로 설치한 글꼴인 경우 VS Code를 다시 시작해야 합니다."
+ },
+ "vs/workbench/contrib/terminal/browser/remoteTerminalService": {
+ "terminal.integrated.starting": "시작하는 중..."
+ },
+ "vs/workbench/contrib/terminal/node/terminalProcess": {
+ "launchFail.cwdNotDirectory": "시작 디렉터리(cwd) \"{0}\"이(가) 디렉터리가 아님",
+ "launchFail.cwdDoesNotExist": "시작 디렉터리(cwd) \"{0}\"이(가) 없음",
+ "launchFail.executableIsNotFileOrSymlink": "셸 실행 파일 \"{0}\"의 경로가 symlink 파일이 아닙니다.",
+ "launchFail.executableDoesNotExist": "셸 실행 파일 \"{0}\"의 경로가 없습니다."
+ },
+ "vs/workbench/contrib/terminal/electron-browser/terminalRemote": {
+ "workbench.action.terminal.newLocal": "새 통합 터미널 만들기(로컬)"
+ },
+ "vs/workbench/contrib/terminal/common/terminalColorRegistry": {
+ "terminal.background": "터미널의 배경색입니다. 이 설정을 사용하면 터미널 색을 패널과 다르게 지정할 수 있습니다.",
+ "terminal.foreground": "터미널의 전경색입니다.",
+ "terminalCursor.foreground": "터미널 커서 전경색입니다.",
+ "terminalCursor.background": "터미널 커서의 배경색입니다. 블록 커서와 겹친 문자의 색상을 사용자 정의할 수 있습니다.",
+ "terminal.selectionBackground": "터미널의 선택 영역 배경색입니다.",
+ "terminal.border": "터미널 내의 분할 창을 구분하는 테두리의 색입니다. 기본값은 panel.border입니다.",
+ "terminal.ansiColor": "터미널의 '{0}' ANSI 색상"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalActions": {
+ "workbench.action.terminal.newWorkspacePlaceholder": "새 터미널의 현재 작업 디렉토리를 선택합니다.",
+ "workbench.action.terminal.toggleTerminal": "통합 터미널 설정/해제",
+ "workbench.action.terminal.kill": "활성 터미널 인스턴스 종료",
+ "workbench.action.terminal.kill.short": "터미널 종료",
+ "workbench.action.terminal.copySelection": "선택 영역 복사",
+ "workbench.action.terminal.copySelection.short": "복사",
+ "workbench.action.terminal.selectAll": "모두 선택",
+ "workbench.action.terminal.new": "새 통합 터미널 만들기",
+ "workbench.action.terminal.new.short": "새 터미널",
+ "workbench.action.terminal.split": "터미널 분할",
+ "workbench.action.terminal.split.short": "Split",
+ "workbench.action.terminal.splitInActiveWorkspace": "터미널 분할(활성 작업 영역에서)",
+ "workbench.action.terminal.paste": "활성 터미널에 붙여넣기",
+ "workbench.action.terminal.paste.short": "붙여넣기",
+ "workbench.action.terminal.selectDefaultShell": "기본 셸 선택",
+ "workbench.action.terminal.openSettings": "터미널 설정 구성",
+ "workbench.action.terminal.switchTerminal": "터미널 전환",
+ "terminals": "터미널을 엽니다.",
+ "terminalConnectingLabel": "시작 중...",
+ "workbench.action.terminal.clear": "지우기",
+ "terminalLaunchHelp": "도움말 열기",
+ "workbench.action.terminal.newInActiveWorkspace": "새 통합 터미널 만들기(활성 작업 영역에)",
+ "workbench.action.terminal.focusPreviousPane": "이전 창에 포커스",
+ "workbench.action.terminal.focusNextPane": "다음 창에 포커스",
+ "workbench.action.terminal.resizePaneLeft": "창 왼쪽 크기 조정",
+ "workbench.action.terminal.resizePaneRight": "창 오른쪽 크기 조정",
+ "workbench.action.terminal.resizePaneUp": "창 위쪽 크기 조정",
+ "workbench.action.terminal.resizePaneDown": "창 아래쪽 크기 조정",
+ "workbench.action.terminal.focus": "터미널에 포커스",
+ "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.manageWorkspaceShellPermissions": "작업 영역 셸 권한 관리",
+ "workbench.action.terminal.rename": "이름 바꾸기",
+ "workbench.action.terminal.rename.prompt": "터미널 이름 입력",
+ "workbench.action.terminal.focusFind": "찾기 포커스",
+ "workbench.action.terminal.hideFind": "찾기 숨기기",
+ "workbench.action.terminal.attachToRemote": "세션에 연결",
+ "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": "regex를 사용하여 찾기 설정/해제",
+ "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": "환경 정보 표시"
+ },
+ "vs/workbench/contrib/terminal/common/terminalMenu": {
+ "miToggleIntegratedTerminal": "터미널(&&T)",
+ "miNewTerminal": "새 터미널(&&N)",
+ "miSplitTerminal": "분할 터미널(&&S)",
+ "miRunActiveFile": "활성 파일 실행(&&A)",
+ "miRunSelectedText": "선택한 텍스트 실행(&&S)"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalService": {
+ "workbench.action.terminal.allowWorkspaceShell": "작업 영역 셸 구성 허용",
+ "workbench.action.terminal.disallowWorkspaceShell": "작업 영역 셸 구성 허용 안 함",
+ "terminalService.terminalCloseConfirmationSingular": "활성 터미널 세션이 있습니다. 종료할까요?",
+ "terminalService.terminalCloseConfirmationPlural": "{0}개의 활성 터미널 세션이 있습니다. 종료할까요?",
+ "terminal.integrated.chooseWindowsShell": "기본으로 설정할 터미널 셸을 선택하세요. 나중에 설정에서 이 셸을 변경할 수 있습니다."
+ },
+ "vs/workbench/contrib/terminal/browser/terminalQuickAccess": {
+ "renameTerminal": "터미널 이름 바꾸기",
+ "killTerminal": "터미널 인스턴스 종료",
+ "workbench.action.terminal.newplus": "새 통합 터미널 만들기"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalIcons": {
+ "terminalViewIcon": "터미널 보기의 뷰 아이콘입니다.",
+ "renameTerminalIcon": "터미널 빠른 메뉴의 이름 바꾸기 아이콘입니다.",
+ "killTerminalIcon": "터미널 인스턴스 종료 아이콘입니다.",
+ "newTerminalIcon": "새 터미널 인스턴스 만들기 아이콘입니다."
+ },
+ "vs/workbench/contrib/terminal/browser/terminalConfigHelper": {
+ "terminal.integrated.allowWorkspaceShell": "이 작업 영역이 터미널 셸을 수정하도록 허용하나요? {0}",
+ "allow": "허용",
+ "disallow": "허용 안 함",
+ "useWslExtension.title": "WSL에서 터미널을 여는 경우 '{0}' 확장명을 권장합니다.",
+ "install": "설치"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalInstance": {
+ "terminal.integrated.a11yPromptLabel": "터미널 입력",
+ "terminal.integrated.a11yTooMuchOutput": "발표할 출력이 너무 많음, 읽을 행으로 수동 이동",
+ "terminalTextBoxAriaLabelNumberAndTitle": "터미널 {0}, {1}",
+ "terminalTextBoxAriaLabel": "터미널 {0}",
+ "configure terminal settings": "일부 키 바인딩은 기본적으로 워크벤치로 디스패치됩니다.",
+ "configureTerminalSettings": "터미널 설정 구성",
+ "yes": "예",
+ "no": "아니요",
+ "dontShowAgain": "다시 표시 안 함",
+ "terminal.slowRendering": "통합 터미널의 표준 렌더러가 컴퓨터에서 느린 것 같습니다. 성능을 향상할 수 있는 대체 DOM 기반 렌더러로 전환하시겠습니까? [터미널 설정에 대한 자세한 정보](https://code.visualstudio.com/docs/editor/integrated-terminal#_changing-how-the-terminal-is-rendered)",
+ "terminal.integrated.copySelection.noSelection": "터미널에 복사할 선택 항목이 없음",
+ "launchFailed.exitCodeAndCommandLine": "터미널 프로세스 \"{0}\"을(를) 시작하지 못했습니다(종료 코드: {1}).",
+ "launchFailed.exitCodeOnly": "터미널 프로세스를 시작하지 못했습니다(종료 코드: {0}).",
+ "terminated.exitCodeAndCommandLine": "터미널 프로세스 \"{0}\"이(가) 종료되었습니다(종료 코드: {1}).",
+ "terminated.exitCodeOnly": "터미널 프로세스가 종료되었습니다(종료 코드: {0}).",
+ "launchFailed.errorMessage": "터미널 프로세스를 시작하지 못했습니다. {0}.",
+ "terminalStaleTextBoxAriaLabel": "터미널 {0} 환경이 부실합니다. 자세한 정보를 보려면 '환경 정보 표시' 명령을 실행하세요."
+ },
+ "vs/workbench/contrib/terminal/browser/links/terminalLinkManager": {
+ "terminalLinkHandler.followLinkAlt.mac": "Option+클릭",
+ "terminalLinkHandler.followLinkAlt": "Alt+클릭",
+ "terminalLinkHandler.followLinkCmd": "Cmd+클릭",
+ "terminalLinkHandler.followLinkCtrl": "Ctrl+클릭",
+ "followLink": "링크 팔로우"
+ },
+ "vs/workbench/contrib/terminal/browser/links/terminalWordLinkProvider": {
+ "searchWorkspace": "작업 영역 검색"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalProcessExtHostProxy": {
+ "terminal.integrated.starting": "시작하고 있습니다..."
+ },
+ "vs/workbench/contrib/terminal/browser/environmentVariableInfo": {
+ "extensionEnvironmentContributionChanges": "확장이 터미널 환경을 다음과 같이 변경하려고 합니다:",
+ "extensionEnvironmentContributionRemoval": "확장이 터미널 환경에서 다음과 같은 기존 변경 내용을 제거하려고 합니다:",
+ "relaunchTerminalLabel": "터미널 다시 시작",
+ "extensionEnvironmentContributionInfo": "확장에서 이 터미널 환경을 변경했습니다."
+ },
+ "vs/workbench/contrib/terminal/browser/links/terminalLink": {
+ "openFile": "편집기에서 파일 열기",
+ "focusFolder": "탐색기의 폴더에 포커스 설정",
+ "openFolder": "새 창에서 폴더 열기"
+ },
+ "vs/workbench/contrib/themes/browser/themes.contribution": {
+ "selectTheme.label": "색 테마",
+ "themes.category.light": "밝은 테마",
+ "themes.category.dark": "어두운 테마",
+ "themes.category.hc": "고대비 테마",
+ "installColorThemes": "추가 색 테마 설치...",
+ "themes.selectTheme": "색 테마 선택(미리 보려면 위로/아래로 키 사용)",
+ "selectIconTheme.label": "파일 아이콘 테마",
+ "noIconThemeLabel": "None",
+ "noIconThemeDesc": "파일 아이콘 사용 안 함",
+ "installIconThemes": "추가 파일 아이콘 테마 설치...",
+ "themes.selectIconTheme": "파일 아이콘 테마 선택",
+ "selectProductIconTheme.label": "제품 아이콘 테마",
+ "defaultProductIconThemeLabel": "기본값",
+ "themes.selectProductIconTheme": "제품 아이콘 테마 선택",
+ "generateColorTheme.label": "현재 설정에서 색 테마 생성",
+ "preferences": "기본 설정",
+ "miSelectColorTheme": "색 테마(&&C)",
+ "miSelectIconTheme": "파일 아이콘 테마(&&I)",
+ "themes.selectIconTheme.label": "파일 아이콘 테마"
+ },
+ "vs/workbench/contrib/timeline/browser/timeline.contribution": {
+ "timelineViewIcon": "타임라인 보기의 뷰 아이콘입니다.",
+ "timelineOpenIcon": "타임라인 열기 작업의 아이콘입니다.",
+ "timelineConfigurationTitle": "타임라인",
+ "timeline.excludeSources": "실험: 타임라인 보기에서 제외해야 하는 타임라인 소스 배열",
+ "timeline.pageSize": "기본적으로, 그리고 추가 항목을 로드할 때 타임라인 보기에 표시할 항목 수입니다. `null`(기본값)로 설정하면 타임라인 보기의 표시 영역에 따라 페이지 크기가 자동으로 선택됩니다.",
+ "timeline.pageOnScroll": "실험적 설정입니다. 목록 끝까지 스크롤한 경우 타임라인 보기에서 다음 항목 페이지를 로드할지 여부를 제어합니다.",
+ "files.openTimeline": "타임라인 열기"
+ },
+ "vs/workbench/contrib/timeline/browser/timelinePane": {
+ "timeline.loadingMore": "로드 중...",
+ "timeline.loadMore": "추가 로드",
+ "timeline": "타임라인",
+ "timeline.editorCannotProvideTimeline": "활성 편집기는 타임라인 정보를 제공할 수 없습니다.",
+ "timeline.noTimelineInfo": "타임라인 정보가 제공되지 않았습니다.",
+ "timeline.aria.item": "{0}: {1}",
+ "timeline.loading": "{0}의 타임라인 로드 중...",
+ "timelineRefresh": "타임라인 새로 고침 작업의 아이콘입니다.",
+ "timelinePin": "타임라인 고정 작업의 아이콘입니다.",
+ "timelineUnpin": "타임라인 고정 해제 작업의 아이콘입니다.",
+ "refresh": "새로 고침",
+ "timeline.toggleFollowActiveEditorCommand.follow": "현재 타임라인 고정",
+ "timeline.toggleFollowActiveEditorCommand.unfollow": "현재 타임라인 고정 해제",
+ "timeline.filterSource": "포함: {0}"
+ },
+ "vs/workbench/contrib/update/browser/update.contribution": {
+ "miReleaseNotes": "릴리스 정보(&&R)"
+ },
+ "vs/workbench/contrib/update/browser/update": {
+ "releaseNotes": "릴리스 정보",
+ "update.noReleaseNotesOnline": "이 버전의 {0}에는 온라인 릴리스 노트가 없습니다.",
+ "showReleaseNotes": "릴리스 정보 표시",
+ "read the release notes": "{0} v{1}을(를) 시작합니다. 릴리스 정보를 확인하시겠습니까?",
+ "licenseChanged": "사용 조건이 변경되었습니다. [여기]({0})를 클릭하여 자세히 읽어보세요.",
+ "updateIsReady": "새 {0} 업데이트를 사용할 수 있습니다.",
+ "checkingForUpdates": "업데이트를 확인하는 중...",
+ "update service": "서비스 업데이트",
+ "noUpdatesAvailable": "현재 사용할 수 있는 업데이트가 없습니다.",
+ "ok": "확인",
+ "thereIsUpdateAvailable": "사용 가능한 업데이트가 있습니다.",
+ "download update": "업데이트 다운로드",
+ "later": "나중에",
+ "updateAvailable": "사용 가능한 업데이트가 있습니다. {0} {1}",
+ "installUpdate": "업데이트 설치",
+ "updateInstalling": "{0} {1}이(가) 백그라운드에서 설치되고 있습니다. 설치가 끝나면 알려드리겠습니다.",
+ "updateNow": "지금 업데이트",
+ "updateAvailableAfterRestart": "최신 업데이트를 적용하려면 {0}을(를) 다시 시작하세요.",
+ "checkForUpdates": "업데이트 확인...",
+ "download update_1": "업데이트 다운로드(1)",
+ "DownloadingUpdate": "업데이트를 다운로드하는 중...",
+ "installUpdate...": "업데이트 설치...(1)",
+ "installingUpdate": "업데이트를 설치하는 중...",
+ "good luck": "'Restart to Update' is not working properly on macOS Big Sur. Click 'Quit to Update' to quit {0} and update it. Then, relaunch it from Finder.",
+ "quit": "Quit to Update",
+ "learn more": "Learn More",
+ "cancel": "Cancel",
+ "restartToUpdate": "업데이트하려면 다시 시작(1)",
+ "relaunchMessage": "버전을 변경하려면 적용하기 위한 다시 로드가 필요합니다.",
+ "relaunchDetailInsiders": "VSCode의 야간 사전 프로덕션 버전으로 전환하려면 [다시 로드] 단추를 누르세요.",
+ "relaunchDetailStable": "VSCode의 릴리스된 월별 안정적인 버전으로 전환하려면 [다시 로드] 단추를 누르세요.",
+ "reload": "&&다시 로드",
+ "switchToInsiders": "참가자 버전으로 전환...",
+ "switchToStable": "안정적인 버전으로 전환..."
+ },
+ "vs/workbench/contrib/update/browser/releaseNotesEditor": {
+ "releaseNotesInputName": "릴리스 정보: {0}",
+ "unassigned": "할당되지 않음"
+ },
+ "vs/workbench/contrib/url/browser/url.contribution": {
+ "openUrl": "URL 열기",
+ "urlToOpen": "열려는 URL"
+ },
+ "vs/workbench/contrib/url/browser/trustedDomains": {
+ "trustedDomain.manageTrustedDomain": "신뢰할 수 있는 도메인 관리",
+ "trustedDomain.trustDomain": "{0} 신뢰",
+ "trustedDomain.trustAllPorts": "모든 포트에서 {0} 신뢰",
+ "trustedDomain.trustSubDomain": "{0} 및 모든 하위 도메인 신뢰",
+ "trustedDomain.trustAllDomains": "모든 도메인 신뢰(링크 보호 사용 안 함)",
+ "trustedDomain.manageTrustedDomains": "신뢰할 수 있는 도메인 관리",
+ "configuringURL": "다음에 대한 신뢰 구성: {0}"
+ },
+ "vs/workbench/contrib/url/browser/trustedDomainsValidator": {
+ "openExternalLinkAt": "{0}에서 외부 웹 사이트를 여시겠습니까?",
+ "open": "열기",
+ "copy": "복사",
+ "cancel": "취소",
+ "configureTrustedDomains": "신뢰할 수 있는 도메인 구성"
+ },
+ "vs/workbench/contrib/userDataSync/electron-browser/userDataSync.contribution": {
+ "operationId": "작업 ID: {0}",
+ "too many requests": "현재 디바이스에서 너무 많은 요청을 생성하고 있으므로 설정 동기화를 사용할 수 없습니다. 동기화 로그를 제공하여 문제를 보고하세요.",
+ "settings sync": "설정 동기화. 작업 ID: {0}",
+ "show sync logs": "로그 표시",
+ "report issue": "문제 보고",
+ "Open Backup folder": "로컬 백업 폴더 열기",
+ "no backups": "로컬 백업 폴더가 없습니다."
+ },
+ "vs/workbench/contrib/userDataSync/browser/userDataSync.contribution": {
+ "operationId": "작업 ID: {0}",
+ "too many requests": "요청이 너무 많아 이 디바이스에서 설정 동기화를 껐습니다."
+ },
+ "vs/workbench/contrib/userDataSync/browser/userDataSync": {
+ "turn on sync with category": "{0}: 켜기...",
+ "stop sync": "{0}: 끄기",
+ "configure sync": "{0}: 구성...",
+ "showConflicts": "{0}: 설정 충돌 표시",
+ "showKeybindingsConflicts": "{0}: 키 바인딩 충돌 표시",
+ "showSnippetsConflicts": "{0}: 사용자 코드 조각 충돌 표시",
+ "sync now": "{0}: 지금 동기화",
+ "syncing": "동기화 중",
+ "synced with time": "동기화됨({0})",
+ "sync settings": "{0}: 설정 표시",
+ "show synced data": "{0}: 동기화된 데이터 표시",
+ "conflicts detected": "{0}의 충돌로 인해 동기화할 수 없습니다. 계속하려면 충돌을 해결하세요.",
+ "accept remote": "원격 수락",
+ "accept local": "로컬 수락",
+ "show conflicts": "충돌 표시",
+ "accept failed": "변경 내용을 수락하는 동안 오류가 발생했습니다. 자세한 내용은 [로그]({0})를 확인하세요.",
+ "session expired": "현재 세션이 만료되어 설정 동기화가 꺼졌습니다. 동기화를 켜려면 다시 로그인하세요.",
+ "turn on sync": "설정 동기화 켜기...",
+ "turned off": "다른 디바이스에서 설정 동기화가 꺼졌습니다. 동기화를 켜려면 다시 로그인하세요.",
+ "too large": "동기화할 {1} 파일의 크기가 {2}보다 크므로 {0} 동기화를 사용하지 않도록 설정했습니다. 파일을 열어 크기를 줄인 다음에 동기화를 사용하도록 설정하세요.",
+ "error upgrade required": "현재 버전({0}, {1})이 동기화 서비스와 호환되지 않으므로 설정 동기화를 사용할 수 없습니다. 동기화를 설정하기 전에 먼저 업데이트하세요.",
+ "operationId": "작업 ID: {0}",
+ "error reset required": "클라우드의 데이터가 클라이언트의 데이터보다 오래되어 설정 동기화를 사용할 수 없습니다. 동기화를 켜기 전에 먼저 클라우드의 데이터를 지우세요.",
+ "reset": "클라우드의 데이터 지우기...",
+ "show synced data action": "동기화된 데이터 표시",
+ "switched to insiders": "설정 동기화가 이제 별도의 서비스를 사용합니다. 자세한 내용은 [릴리스 정보]를 참조하세요(https://code.visualstudio.com/updates/v1_48#_settings-sync).",
+ "open file": "{0} 파일 열기",
+ "errorInvalidConfiguration": "파일의 내용이 잘못되어 {0}을(를) 동기화할 수 없습니다. 파일을 열어 수정하세요.",
+ "has conflicts": "{0}: 충돌 감지됨",
+ "turning on syncing": "설정 동기화 켜는 중...",
+ "sign in to sync": "로그인하여 설정 동기화",
+ "no authentication providers": "사용할 수 있는 인증 공급자가 없습니다.",
+ "too large while starting sync": "동기화할 {0} 파일의 크기가 {1}보다 크므로 설정 동기화를 켤 수 없습니다. 파일을 열고 크기를 줄인 후 동기화를 켜세요.",
+ "error upgrade required while starting sync": "현재 버전({0}, {1})이 동기화 서비스와 호환되지 않으므로 설정 동기화를 켤 수 없습니다. 동기화를 켜기 전에 먼저 업데이트하세요.",
+ "error reset required while starting sync": "클라우드의 데이터가 클라이언트의 데이터보다 오래되어 설정 동기화를 켤 수 없습니다. 동기화를 켜기 전에 먼저 클라우드의 데이터를 지우세요.",
+ "auth failed": "설정 동기화를 켜는 동안 오류가 발생했습니다. 인증에 실패했습니다.",
+ "turn on failed": "설정 동기화를 켜는 동안 오류가 발생했습니다. 자세한 내용은 [로그]({0})를 확인하세요.",
+ "sync preview message": "설정을 동기화하는 미리 보기 기능을 활성화하기 전에 설명서를 참조하세요.",
+ "turn on": "켜기",
+ "open doc": "문서 열기",
+ "cancel": "취소",
+ "sign in and turn on": "로그인 및 켜기",
+ "configure and turn on sync detail": "디바이스 간에 데이터를 동기화하려면 로그인하세요.",
+ "per platform": "각 플랫폼에 대해",
+ "configure sync placeholder": "동기화할 내용 선택",
+ "turn off sync confirmation": "동기화를 끄시겠습니까?",
+ "turn off sync detail": "설정, 키 바인딩, 확장, 코드 조각 및 UI 상태가 더 이상 동기화되지 않습니다.",
+ "turn off": "끄기(&&T)",
+ "turn off sync everywhere": "모든 디바이스에서 동기화를 끄고 클라우드에서 데이터를 지웁니다.",
+ "leftResourceName": "{0}(원격)",
+ "merges": "{0}(병합)",
+ "sideBySideLabels": "{0} ↔ {1}",
+ "sideBySideDescription": "설정 동기화",
+ "switchSyncService.title": "{0}: 서비스 선택",
+ "switchSyncService.description": "여러 환경에서 동기화할 때 동일한 설정 동기화 서비스를 사용하고 있는지 확인하세요.",
+ "default": "기본값",
+ "insiders": "참가자",
+ "stable": "안정",
+ "global activity turn on sync": "설정 동기화 켜기...",
+ "turnin on sync": "설정 동기화 켜는 중...",
+ "sign in global": "로그인하여 설정 동기화",
+ "sign in accounts": "로그인하여 설정 동기화(1)",
+ "resolveConflicts_global": "{0}: 설정 충돌 표시(1)",
+ "resolveKeybindingsConflicts_global": "{0}: 키 바인딩 충돌 표시(1)",
+ "resolveSnippetsConflicts_global": "{0}: 사용자 코드 조각 충돌 표시({1})",
+ "sync is on": "설정 동기화 켬",
+ "workbench.action.showSyncRemoteBackup": "동기화된 데이터 표시",
+ "turn off failed": "설정 동기화를 끄는 동안 오류가 발생했습니다. 자세한 내용은 [로그]({0})를 확인하세요.",
+ "show sync log title": "{0}: 로그 표시",
+ "accept merges": "병합 수락",
+ "accept remote button": "원격 수락(&&R)",
+ "accept merges button": "병합 수락(&&M)",
+ "Sync accept remote": "{0}: {1}",
+ "Sync accept merges": "{0}: {1}",
+ "confirm replace and overwrite local": "원격 {0}을(를) 수락하고 로컬 {1}을(를) 교체하시겠습니까?",
+ "confirm replace and overwrite remote": "병합을 수락하고 원격 {0}을(를) 바꾸시겠습니까?",
+ "update conflicts": "사용 가능한 새 로컬 버전이 있기 때문에 충돌을 해결할 수 없습니다. 다시 시도하세요."
+ },
+ "vs/workbench/contrib/userDataSync/browser/userDataSyncViews": {
+ "showLog": "로그 표시",
+ "configure": "구성...",
+ "workbench.actions.syncData.reset": "클라우드의 데이터 지우기...",
+ "merges": "병합",
+ "synced machines": "동기화된 머신",
+ "workbench.actions.sync.editMachineName": "이름 편집",
+ "workbench.actions.sync.turnOffSyncOnMachine": "설정 동기화 끄기",
+ "remote sync activity title": "동기화 작업(원격)",
+ "local sync activity title": "동기화 작업(로컬)",
+ "workbench.actions.sync.resolveResourceRef": "원시 JSON 동기화 데이터 표시",
+ "workbench.actions.sync.replaceCurrent": "복원",
+ "confirm replace": "현재 {0}을(를) 선택한 버전으로 바꾸시겠습니까?",
+ "workbench.actions.sync.compareWithLocal": "변경 내용 열기",
+ "leftResourceName": "{0}(원격)",
+ "rightResourceName": "{0}(로컬)",
+ "sideBySideLabels": "{0} ↔ {1}",
+ "sideBySideDescription": "설정 동기화",
+ "reset": "동기화된 데이터 다시 설정",
+ "current": "현재",
+ "no machines": "머신 없음",
+ "not found": "ID가 {0}인 머신을 찾을 수 없음",
+ "turn off sync on machine": "{0}에서 동기화를 끄시겠습니까?",
+ "turn off": "끄기(&&T)",
+ "placeholder": "머신의 이름 입력",
+ "valid message": "머신 이름은 고유하고 비어 있지 않아야 합니다."
+ },
+ "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": "취소",
+ "workbench.actions.sync.showChanges": "변경 내용 열기",
+ "conflicts detected": "충돌 감지됨",
+ "resolve": "충돌로 인해 병합할 수 없습니다. 계속하려면 충돌을 해결하세요.",
+ "turning on": "켜는 중...",
+ "preview": "{0}(미리 보기)",
+ "leftResourceName": "{0}(원격)",
+ "merges": "{0}(병합)",
+ "rightResourceName": "{0}(로컬)",
+ "sideBySideLabels": "{0} ↔ {1}",
+ "sideBySideDescription": "설정 동기화",
+ "label": "UserDataSyncResources",
+ "conflict": "충돌 감지됨",
+ "accepted": "수락됨",
+ "accept remote": "원격 수락",
+ "accept local": "로컬 수락",
+ "accept merges": "병합 수락"
+ },
+ "vs/workbench/contrib/views/browser/treeView": {
+ "no-dataprovider": "보기 데이터를 제공할 수 있는 등록된 데이터 공급자가 없습니다.",
+ "refresh": "새로 고침",
+ "collapseAll": "모두 축소",
+ "command-error": "오류 실행 명령 {1}: {0}. 이는 {1}을(를) 제공하는 확장으로 인해 발생할 수 있습니다."
+ },
+ "vs/workbench/contrib/watermark/browser/watermark": {
+ "watermark.showCommands": "모든 명령 표시",
+ "watermark.quickAccess": "파일로 이동",
+ "watermark.openFile": "파일 열기",
+ "watermark.openFolder": "폴더 열기",
+ "watermark.openFileFolder": "파일 또는 폴더 열기",
+ "watermark.openRecent": "최근 파일 열기",
+ "watermark.newUntitledFile": "제목이 없는 새 파일",
+ "watermark.toggleTerminal": "터미널 설정/해제",
+ "watermark.findInFiles": "파일에서 찾기",
+ "watermark.startDebugging": "디버깅 시작",
+ "tips.enabled": "사용하도록 설정되면 편집기가 열리지 않았을 때 워터마크 팁이 표시됩니다."
+ },
+ "vs/workbench/contrib/webview/electron-browser/webviewCommands": {
+ "openToolsLabel": "Webview 개발자 도구 열기"
+ },
+ "vs/workbench/contrib/webview/browser/baseWebviewElement": {
+ "fatalErrorMessage": "{0} 웹 보기를 로드하는 동안 오류가 발생했습니다."
+ },
+ "vs/workbench/contrib/webviewPanel/browser/webviewPanel.contribution": {
+ "webview.editor.label": "웹 보기 편집기"
+ },
+ "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/welcome/overlay/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/welcome/page/browser/welcomePage.contribution": {
+ "workbench.startupEditor.none": "편집기를 사용하지 않고 시작합니다.",
+ "workbench.startupEditor.welcomePage": "시작 페이지를 엽니다(기본값).",
+ "workbench.startupEditor.readme": "추가 정보가 있는 폴더를 열면 추가 정보를 열고, 그렇지 않으면 'welcomePage'로 대체합니다.",
+ "workbench.startupEditor.newUntitledFile": "새로운 제목 없는 파일을 엽니다(빈 작업 영역을 여는 경우에만 적용됨).",
+ "workbench.startupEditor.welcomePageInEmptyWorkbench": "빈 워크벤치를 열 때 시작 페이지를 엽니다.",
+ "workbench.startupEditor.gettingStarted": "시작 페이지(실험적)를 엽니다.",
+ "workbench.startupEditor": "이전 세션에서 복원된 편집기가 없는 경우 시작 시 편집기의 표시 여부를 제어합니다.",
+ "miWelcome": "시작(&&W)"
+ },
+ "vs/workbench/contrib/welcome/gettingStarted/browser/gettingStarted.contribution": {
+ "Getting Started": "시작",
+ "help": "도움말",
+ "gettingStartedDescription": "[도움말] 메뉴를 통해 액세스할 수 있는 실험적 시작 페이지를 사용하도록 설정합니다."
+ },
+ "vs/workbench/contrib/welcome/walkThrough/browser/walkThrough.contribution": {
+ "walkThrough.editor.label": "대화형 플레이그라운드",
+ "miInteractivePlayground": "대화형 플레이그라운드(&&N)"
+ },
+ "vs/workbench/contrib/welcome/page/browser/welcomePage": {
+ "welcomePage": "시작",
+ "welcomePage.javaScript": "JavaScript",
+ "welcomePage.python": "Python",
+ "welcomePage.java": "Java",
+ "welcomePage.php": "PHP",
+ "welcomePage.azure": "Azure",
+ "welcomePage.showAzureExtensions": "Azure 확장 표시",
+ "welcomePage.docker": "Docker",
+ "welcomePage.vim": "Vim",
+ "welcomePage.sublime": "Sublime",
+ "welcomePage.atom": "Atom",
+ "welcomePage.extensionPackAlreadyInstalled": "{0}에 대한 지원이 이미 설치되어 있습니다.",
+ "welcomePage.willReloadAfterInstallingExtensionPack": "{0}에 대한 추가 지원을 설치한 후 창이 다시 로드됩니다.",
+ "welcomePage.installingExtensionPack": "{0}에 대한 추가 지원을 설치하는 중...",
+ "welcomePage.extensionPackNotFound": "ID가 {1}인 {0}에 대한 지원을 찾을 수 없습니다.",
+ "welcomePage.keymapAlreadyInstalled": "{0} 바로 가기 키가 이미 설치되어 있습니다.",
+ "welcomePage.willReloadAfterInstallingKeymap": "{0} 바로 가기 키를 설치한 후 창이 다시 로드됩니다.",
+ "welcomePage.installingKeymap": "{0} 바로 가기 키를 설치하는 중...",
+ "welcomePage.keymapNotFound": "ID가 {1}인 {0} 바로 가기 키를 찾을 수 없습니다.",
+ "welcome.title": "시작",
+ "welcomePage.openFolderWithPath": "경로가 {1}인 {0} 폴더 열기",
+ "welcomePage.extensionListSeparator": ", ",
+ "welcomePage.installKeymap": "{0} 키맵 설치",
+ "welcomePage.installExtensionPack": "{0}에 대한 추가 지원 설치",
+ "welcomePage.installedKeymap": "{0} 키맵이 이미 설치되어 있습니다.",
+ "welcomePage.installedExtensionPack": "{0} 지원이 이미 설치되어 있습니다.",
+ "ok": "확인",
+ "details": "세부 정보"
+ },
+ "vs/workbench/contrib/welcome/gettingStarted/browser/gettingStarted": {
+ "editorGettingStarted.title": "시작",
+ "next": "다음"
+ },
+ "vs/workbench/contrib/welcome/walkThrough/browser/walkThroughPart": {
+ "walkThrough.unboundCommand": "바인딩 안 됨",
+ "walkThrough.gitNotFound": "Git가 시스템에 설치되지 않은 것 같습니다.",
+ "walkThrough.embeddedEditorBackground": "대화형 플레이그라운드에서 포함된 편집기의 배경색입니다."
+ },
+ "vs/workbench/contrib/welcome/walkThrough/browser/editor/editorWalkThrough": {
+ "editorWalkThrough.title": "대화형 플레이그라운드",
+ "editorWalkThrough": "대화형 플레이그라운드"
+ },
+ "vs/workbench/contrib/welcome/common/viewsWelcomeContribution": {
+ "ViewsWelcomeExtensionPoint.proposedAPI": "'{0}'의 viewsWelcome 기여에서 'enableProposedApi'를 사용하도록 설정해야 합니다."
+ },
+ "vs/workbench/contrib/welcome/common/viewsWelcomeExtensionPoint": {
+ "contributes.viewsWelcome": "적용된 뷰 시작 콘텐츠입니다. 시작 콘텐츠는 표시할 의미 있는 콘텐츠가 없을 때마다 트리 기반 뷰에 렌더링됩니다(즉, 열린 폴더가 없을 때 파일 탐색기). 그러한 콘텐츠는 특정 기능이 제공되기 전에 사용자가 해당 기능을 사용해 보도록 하는 제품 내 설명서로써 유용합니다. 좋은 예로 파일 탐색기 시작 뷰에 있는 '리포지토리 복제' 단추가 있습니다.",
+ "contributes.viewsWelcome.view": "특정 뷰에 대한 시작 콘테츠를 제공했습니다.",
+ "contributes.viewsWelcome.view.view": "이 시작 콘텐츠의 대상 뷰 식별자입니다. 트리 기반 뷰만 지원됩니다.",
+ "contributes.viewsWelcome.view.contents": "표시할 시작 콘텐츠입니다. 콘텐츠의 형식은 링크에 대한 지원만 제공하는 Markdown의 하위 집합입니다.",
+ "contributes.viewsWelcome.view.when": "시작 콘텐츠가 표시되는 조건입니다.",
+ "contributes.viewsWelcome.view.group": "이 시작 콘텐츠가 속한 그룹입니다.",
+ "contributes.viewsWelcome.view.enablement": "시작 콘텐츠 단추가 사용되는 조건입니다."
+ },
+ "vs/workbench/contrib/welcome/telemetryOptOut/browser/telemetryOptOut": {
+ "telemetryOptOut.optOutNotice": "Microsoft에서 사용 데이터를 수집하도록 허용하여 VS Code 개선에 도움을 주세요. Microsoft [개인정보처리방침]({0})을 읽고 [옵트아웃]({1})하는 방법을 알아보세요.",
+ "telemetryOptOut.optInNotice": "Microsoft에서 사용 데이터를 수집하도록 허용하여 VS Code 개선에 도움을 주세요. Microsoft [개인정보처리방침]({0})을 읽고 [옵트인]({1})하는 방법을 알아보세요.",
+ "telemetryOptOut.readMore": "자세히 알아보기",
+ "telemetryOptOut.optOutOption": "Microsoft에서 사용 데이터를 수집하도록 허용하여 Visual Studio Code 개선에 도움을 주세요. 자세한 내용은 Microsoft [개인정보처리방침]({0})을 참조하세요.",
+ "telemetryOptOut.OptIn": "예, 허용함",
+ "telemetryOptOut.OptOut": "아니요, 허용 안 함"
+ },
+ "vs/workbench/contrib/welcome/page/browser/welcomePageColors": {
+ "welcomePage.buttonBackground": "시작 페이지에서 단추의 배경색입니다.",
+ "welcomePage.buttonHoverBackground": "시작 페이지에서 단추의 커서 올리기 배경색입니다.",
+ "welcomePage.background": "시작 페이지 배경색입니다."
+ },
+ "vs/workbench/contrib/welcome/page/browser/vs_code_welcome_page": {
+ "welcomePage.vscode": "Visual Studio Code",
+ "welcomePage.editingEvolved": "편집 향상됨",
+ "welcomePage.start": "시작",
+ "welcomePage.newFile": "새 파일",
+ "welcomePage.openFolder": "폴더 열기...",
+ "welcomePage.gitClone": "리포지토리 복제...",
+ "welcomePage.recent": "최근 항목",
+ "welcomePage.moreRecent": "자세히...",
+ "welcomePage.noRecentFolders": "최근 폴더 없음",
+ "welcomePage.help": "도움말",
+ "welcomePage.keybindingsCheatsheet": "인쇄 가능 키보드 치트시트",
+ "welcomePage.introductoryVideos": "소개 비디오",
+ "welcomePage.tipsAndTricks": "팁과 요령",
+ "welcomePage.productDocumentation": "제품 설명서",
+ "welcomePage.gitHubRepository": "GitHub 리포지토리",
+ "welcomePage.stackOverflow": "Stack Overflow",
+ "welcomePage.newsletterSignup": "뉴스레터 가입",
+ "welcomePage.showOnStartup": "시작 시 시작 페이지 표시",
+ "welcomePage.customize": "사용자 지정",
+ "welcomePage.installExtensionPacks": "도구 및 언어",
+ "welcomePage.installExtensionPacksDescription": "{0} 및 {1}에 대한 지원 설치",
+ "welcomePage.showLanguageExtensions": "더 많은 언어 확장 표시",
+ "welcomePage.moreExtensions": "자세히",
+ "welcomePage.installKeymapDescription": "설정 및 키 바인딩",
+ "welcomePage.installKeymapExtension": "설정과 {0} 및 {1}의 바로 가기 키 설치",
+ "welcomePage.showKeymapExtensions": "다른 키맵 확장 표시",
+ "welcomePage.others": "기타",
+ "welcomePage.colorTheme": "색 테마",
+ "welcomePage.colorThemeDescription": "편집기 및 코드를 원하는 방식으로 표시",
+ "welcomePage.learn": "알아보기",
+ "welcomePage.showCommands": "모든 명령 찾기 및 실행",
+ "welcomePage.showCommandsDescription": "명령 팔레트({0})에서 명령을 빠른 액세스 및 검색",
+ "welcomePage.interfaceOverview": "인터페이스 개요",
+ "welcomePage.interfaceOverviewDescription": "UI의 주요 구성 요소를 강조 표시하는 시각적 오버레이 가져오기",
+ "welcomePage.interactivePlayground": "대화형 플레이그라운드",
+ "welcomePage.interactivePlaygroundDescription": "간단한 연습을 통해 필수 편집기 기능을 사용해 보세요."
+ },
+ "vs/workbench/contrib/welcome/gettingStarted/browser/vs_code_editor_getting_started": {
+ "gettingStarted.vscode": "Visual Studio Code",
+ "gettingStarted.editingRedefined": "코드 편집. 다시 정의됨"
+ },
+ "vs/workbench/contrib/workspaces/browser/workspaces.contribution": {
+ "workspaceFound": "이 폴더에는 작업 영역 파일 '{0}'이(가) 포함되어 있습니다. 파일을 여시겠습니까? 작업 영역 파일에 대해 [자세히 알아보세요]({1}).",
+ "openWorkspace": "작업 영역 열기",
+ "workspacesFound": "이 폴더에는 여러 개의 작업 영역 파일이 있습니다. 파일 하나를 여시겠습니까? 작업 영역 파일에 대해 [자세히 알아보세요]({0}).",
+ "selectWorkspace": "작업 영역 선택",
+ "selectToOpen": "열 작업 영역 선택"
+ },
+ "vs/workbench/services/authentication/browser/authenticationService": {
+ "authentication.id": "인증 공급자의 ID입니다.",
+ "authentication.label": "인증 공급자의 사람이 읽을 수 있는 이름입니다.",
+ "authenticationExtensionPoint": "인증 제공",
+ "loading": "로드 중...",
+ "authentication.missingId": "인증 기여는 ID를 지정해야 합니다.",
+ "authentication.missingLabel": "인증 기여는 레이블을 지정해야 합니다.",
+ "authentication.idConflict": "이 인증 ID '{0}'은(는) 이미 등록되어 있음",
+ "noAccounts": "계정에 로그인되어 있지 않습니다.",
+ "sign in": "로그인이 요청됨",
+ "signInRequest": "{0}(1)을(를) 사용하려면 로그인"
+ },
+ "vs/workbench/services/bulkEdit/browser/bulkEditService": {
+ "summary.0": "편집하지 않음",
+ "summary.nm": "{1}개 파일에서 {0}개 텍스트 편집을 수행함",
+ "summary.n0": "1개 파일에서 {0}개 텍스트 편집을 수행함",
+ "workspaceEdit": "작업 영역 편집",
+ "nothing": "편집하지 않음"
+ },
+ "vs/workbench/services/configuration/common/jsonEditingService": {
+ "errorInvalidFile": "파일에 쓸 수 없습니다. 파일을 열어 오류/경고를 수정한 후 다시 시도하세요.",
+ "errorFileDirty": "파일이 오염되어 파일에 쓸 수 없습니다. 파일을 저장하고 다시 시도하세요."
+ },
+ "vs/workbench/services/configuration/common/configurationEditingService": {
+ "openTasksConfiguration": "작업 구성 열기",
+ "openLaunchConfiguration": "시작 구성 열기",
+ "open": "설정 열기",
+ "saveAndRetry": "저장 및 다시 시도",
+ "errorUnknownKey": "{1}은(는) 등록된 구성이 아니므로 {0}에 쓸 수 없습니다.",
+ "errorInvalidWorkspaceConfigurationApplication": "{0}을(를) [작업 영역] 설정에 쓸 수 없습니다. 이 설정은 [사용자] 설정에만 쓸 수 있습니다.",
+ "errorInvalidWorkspaceConfigurationMachine": "{0}을(를) [작업 영역] 설정에 쓸 수 없습니다. 이 설정은 [사용자] 설정에만 쓸 수 있습니다.",
+ "errorInvalidFolderConfiguration": "{0}이(가) 폴더 리소스 범위를 지원하지 않으므로 폴더 설정에 쓸 수 없습니다.",
+ "errorInvalidUserTarget": "{0}이(가) 글로벌 범위를 지원하지 않으므로 사용자 설정에 쓸 수 없습니다.",
+ "errorInvalidWorkspaceTarget": "{0}이(가) 여러 폴더 작업 영역에서 작업 영역 범위를 지원하지 않으므로 작업 영역 설정에 쓸 수 없습니다.",
+ "errorInvalidFolderTarget": "리소스가 제공되지 않으므로 폴더 설정에 쓸 수 없습니다.",
+ "errorInvalidResourceLanguageConfiguraiton": "{0}이(가) 리소스 언어 설정이 아니므로 언어 설정에 쓸 수 없습니다.",
+ "errorNoWorkspaceOpened": "작업 영역이 열려 있지 않으므로 {0}에 쓸 수 없습니다. 먼저 작업 영역을 열고 다시 시도하세요.",
+ "errorInvalidTaskConfiguration": "작업 구성 파일에 쓸 수 없습니다. 파일을 열고 오류/경고를 수정한 다음 다시 시도하세요.",
+ "errorInvalidLaunchConfiguration": "시작 구성 파일에 쓸 수 없습니다. 파일을 열고 오류/경고를 수정한 다음 다시 시도하세요.",
+ "errorInvalidConfiguration": "사용자 설정에 쓸 수 없습니다. 사용자 설정을 열어 오류/경고를 수정하고 다시 시도하세요.",
+ "errorInvalidRemoteConfiguration": "원격 사용자 설정에 쓸 수 없습니다. 원격 사용자 설정을 열어서 오류/경고를 수정한 후에 다시 시도하세요.",
+ "errorInvalidConfigurationWorkspace": "작업 영역 설정에 쓸 수 없습니다. 작업 영역 설정을 열어 오류/경고를 수정하고 다시 시도하세요.",
+ "errorInvalidConfigurationFolder": "폴더 설정에 쓸 수 없습니다. '{0}' 폴더 설정을 열어 오류/경고를 수정하고 다시 시도하세요.",
+ "errorTasksConfigurationFileDirty": "작업 구성 파일이 변경되어 이 파일에 쓸 수 없습니다. 먼저 파일을 저장하고 다시 시도하세요.",
+ "errorLaunchConfigurationFileDirty": "시작 구성 파일이 변경되어 이 파일에 쓸 수 없습니다. 먼저 파일을 저장하고 다시 시도하세요.",
+ "errorConfigurationFileDirty": "사용자 설정 파일이 변경되어 사용자 설정에 쓸 수 없습니다. 먼저 사용자 설정 파일을 저장하고 다시 시도하세요.",
+ "errorRemoteConfigurationFileDirty": "파일이 더티이므로 원격 사용자 설정에 쓸 수 없습니다. 먼저 원격 사용자 설정 파일을 저장한 다음 다시 시도하세요.",
+ "errorConfigurationFileDirtyWorkspace": "작업 영역 설정 파일이 변경되어 작업 영역 설정에 쓸 수 없습니다. 먼저 작업 영역 설정 파일을 저장하고 다시 시도하세요.",
+ "errorConfigurationFileDirtyFolder": "폴더 설정 파일이 변경되어 폴더 설정에 쓸 수 없습니다. 먼저 '{0}' 폴더 설정 파일을 저장하고 다시 시도하세요.",
+ "errorTasksConfigurationFileModifiedSince": "파일 내용이 최신이므로 작업 구성 파일에 쓸 수 없습니다.",
+ "errorLaunchConfigurationFileModifiedSince": "파일 내용이 최신이므로 시작 구성 파일에 쓸 수 없습니다.",
+ "errorConfigurationFileModifiedSince": "파일 내용이 최신이므로 사용자 설정에 쓸 수 없습니다.",
+ "errorRemoteConfigurationFileModifiedSince": "파일 내용이 최신이므로 원격 사용자 설정에 쓸 수 없습니다.",
+ "errorConfigurationFileModifiedSinceWorkspace": "파일 내용이 최신이므로 작업 영역 설정에 쓸 수 없습니다.",
+ "errorConfigurationFileModifiedSinceFolder": "파일 내용이 최신이므로 폴더 설정에 쓸 수 없습니다.",
+ "userTarget": "사용자 설정",
+ "remoteUserTarget": "원격 사용자 설정",
+ "workspaceTarget": "작업 영역 설정",
+ "folderTarget": "폴더 설정"
+ },
+ "vs/workbench/services/configurationResolver/browser/configurationResolverService": {
+ "commandVariable.noStringType": "명령에서 문자열 형식의 결과를 반환하지 않았으므로 명령 변수 '{0}'을(를) 대체할 수 없습니다.",
+ "inputVariable.noInputSection": "'{0}' 변수는 디버그 또는 작업 구성의 '{1}' 섹션에 정의해야 합니다.",
+ "inputVariable.missingAttribute": "입력 변수 '{0}'은(는) '{1}' 형식이며 '{2}'을(를) 포함해야 합니다.",
+ "inputVariable.defaultInputValue": "(기본값)",
+ "inputVariable.command.noStringType": "'{1}' 명령에서 문자열 형식의 결과를 반환하지 않았으므로 입력 변수 '{0}'을(를) 대체할 수 없습니다.",
+ "inputVariable.unknownType": "입력 변수 '{0}'의 형식은 'promptString', 'pickString' 또는 'command'만 가능합니다.",
+ "inputVariable.undefinedVariable": "정의되지 않은 입력 변수 '{0}'이(가) 있습니다. 계속하려면 '{0}'을(를) 제거하거나 정의하세요."
+ },
+ "vs/workbench/services/configurationResolver/common/variableResolver": {
+ "canNotResolveFile": "변수 {0}을(를) 확인할 수 없습니다. 편집기를 여세요.",
+ "canNotResolveFolderForFile": "변수 {0}: '{1}'의 작업 영역 폴더를 찾을 수 없습니다.",
+ "canNotFindFolder": "변수 {0}을(를) 확인할 수 없습니다. 해당 '{1}' 폴더가 없습니다.",
+ "canNotResolveWorkspaceFolderMultiRoot": "다중 폴더 작업 영역에서 변수 {0}을(를) 확인할 수 없습니다. ':'과 작업 영역 폴더 이름을 사용하여 이 변수 범위를 지정하세요.",
+ "canNotResolveWorkspaceFolder": "변수 {0}을(를) 확인할 수 없습니다. 폴더를 여세요.",
+ "missingEnvVarName": "환경 변수 이름을 지정하지 않았으므로 변수 {0}을(를) 확인할 수 없습니다.",
+ "configNotFound": "설정 '{1}'을(를) 찾을 수 없으므로 변수 {0}을(를) 확인할 수 없습니다.",
+ "configNoString": "'{1}'은(는) 구조적 값이므로 변수 {0}을(를) 확인할 수 없습니다.",
+ "missingConfigName": "설정 이름을 지정하지 않았으므로 변수 {0}을(를) 확인할 수 없습니다.",
+ "canNotResolveLineNumber": "변수 {0}을(를) 확인할 수 없습니다. 선택한 줄이 활성 편집기에 있는지 확인하세요.",
+ "canNotResolveSelectedText": "변수 {0}을(를) 확인할 수 없습니다. 선택한 텍스트가 활성 편집기에 있는지 확인하세요.",
+ "noValueForCommand": "명령에 값이 없으므로 변수 {0}을(를) 확인할 수 없습니다."
+ },
+ "vs/workbench/services/configurationResolver/common/configurationResolverUtils": {
+ "deprecatedVariables": "'env.', 'config.' 및 'command.'는 사용되지 않습니다. 대신 'env:', 'config:' 및 'command:'를 사용하세요."
+ },
+ "vs/workbench/services/configurationResolver/common/configurationResolverSchema": {
+ "JsonSchema.input.id": "입력 ID를 사용하여 입력과 ${input:id} 양식의 변수를 연결합니다.",
+ "JsonSchema.input.type": "사용할 사용자 입력 프롬프트 형식입니다.",
+ "JsonSchema.input.description": "사용자 입력이 요구되면 설명이 표시됩니다.",
+ "JsonSchema.input.default": "입력의 기본값입니다.",
+ "JsonSchema.inputs": "사용자 입력입니다. 자유 문자열 입력 또는 여러 옵션 중 선택과 같은 사용자 입력 프롬프트를 정의하는 데 사용됩니다.",
+ "JsonSchema.input.type.promptString": "'PromptString' 형식은 사용자에게 입력을 요청하는 입력란을 엽니다.",
+ "JsonSchema.input.password": "암호 입력이 표시되는지 제어합니다. 암호 입력은 입력된 텍스트를 숨깁니다.",
+ "JsonSchema.input.type.pickString": "'PickString' 형식은 선택 목록을 표시합니다.",
+ "JsonSchema.input.options": "빠른 선택을 위한 옵션을 정의하는 문자열 배열입니다.",
+ "JsonSchema.input.pickString.optionLabel": "옵션의 레이블입니다.",
+ "JsonSchema.input.pickString.optionValue": "옵션의 값입니다.",
+ "JsonSchema.input.type.command": "'명령' 형식은 명령을 실행합니다.",
+ "JsonSchema.input.command.command": "이 입력 변수에 대해 실행할 명령입니다.",
+ "JsonSchema.input.command.args": "선택적 인수가 명령에 전달되었습니다."
+ },
+ "vs/workbench/services/decorations/browser/decorationsService": {
+ "bubbleTitle": "강조 표시한 항목 포함"
+ },
+ "vs/workbench/services/dialogs/browser/abstractFileDialogService": {
+ "saveChangesDetail": "변경 내용을 저장하지 않으면 손실됩니다.",
+ "saveChangesMessage": "{0}에 대한 변경 내용을 저장할까요?",
+ "saveChangesMessages": "다음 {0}개 파일에 대한 변경 내용을 저장할까요?",
+ "saveAll": "모두 저장(&&S)",
+ "save": "저장(&&S)",
+ "dontSave": "저장 안 함(&&N)",
+ "cancel": "취소",
+ "openFileOrFolder.title": "파일 또는 폴더 열기",
+ "openFile.title": "파일 열기",
+ "openFolder.title": "폴더 열기",
+ "openWorkspace.title": "작업 영역 열기",
+ "filterName.workspace": "작업 영역",
+ "saveFileAs.title": "다른 이름으로 저장",
+ "saveAsTitle": "다른 이름으로 저장",
+ "allFiles": "모든 파일",
+ "noExt": "확장 없음"
+ },
+ "vs/workbench/services/dialogs/browser/simpleFileDialog": {
+ "openLocalFile": "로컬 파일 열기...",
+ "saveLocalFile": "로컬 파일 저장...",
+ "openLocalFolder": "로컬 폴더 열기...",
+ "openLocalFileFolder": "로컬 열기...",
+ "remoteFileDialog.notConnectedToRemote": "{0}의 파일 시스템 공급자를 사용할 수 없습니다.",
+ "remoteFileDialog.local": "로컬 표시",
+ "remoteFileDialog.badPath": "경로가 없습니다.",
+ "remoteFileDialog.cancel": "취소",
+ "remoteFileDialog.invalidPath": "유효한 경로를 입력하세요.",
+ "remoteFileDialog.validateFolder": "폴더가 이미 존재합니다. 새 파일 이름을 사용하세요.",
+ "remoteFileDialog.validateExisting": "{0}이(가) 이미 있습니다. 덮어쓰시겠습니까?",
+ "remoteFileDialog.validateBadFilename": "올바른 파일 이름을 입력하세요.",
+ "remoteFileDialog.validateNonexistentDir": "존재하는 경로로 들어가세요.",
+ "remoteFileDialog.windowsDriveLetter": "드라이브 문자로 경로를 시작하세요.",
+ "remoteFileDialog.validateFileOnly": "파일을 선택하세요.",
+ "remoteFileDialog.validateFolderOnly": "폴더를 선택하세요."
+ },
+ "vs/workbench/services/editor/browser/editorService": {
+ "editorAssociations.viewType.sourceDescription": "소스: {0}"
+ },
+ "vs/workbench/services/editor/common/editorOpenWith": {
+ "promptOpenWith.currentlyActive": "현재 활성",
+ "promptOpenWith.setDefaultTooltip": "'{0}' 파일의 기본 편집기로 설정",
+ "promptOpenWith.placeHolder": "'{0}' 편집기 선택",
+ "builtinProviderDisplayName": "기본 제공",
+ "promptOpenWith.defaultEditor.displayName": "텍스트 편집기",
+ "editor.editorAssociations": "특정 파일 형식에 사용할 편집기를 구성합니다.",
+ "editor.editorAssociations.viewType": "사용할 편집기의 고유 ID입니다.",
+ "editor.editorAssociations.filenamePattern": "편집기를 사용할 파일을 지정하는 glob 패턴입니다."
+ },
+ "vs/workbench/services/extensionManagement/electron-browser/extensionManagementServerService": {
+ "local": "LOCAL",
+ "remote": "원격"
+ },
+ "vs/workbench/services/extensionManagement/electron-sandbox/remoteExtensionManagementService": {
+ "incompatible": "'{0}' 확장은 VS Code '{1}'과(와) 호환되지 않으므로 설치할 수 없습니다."
+ },
+ "vs/workbench/services/extensionManagement/common/webExtensionsScannerService": {
+ "cannot be installed": "이 확장은 웹 확장이 아니므로 '{0}'을(를) 설치할 수 없습니다."
+ },
+ "vs/workbench/services/extensionManagement/browser/extensionEnablementService": {
+ "extensionsDisabled": "설치된 모든 확장을 일시적으로 사용할 수 없습니다.",
+ "Reload": "확장을 다시 로드하고 사용하도록 설정",
+ "cannot disable language pack extension": "언어 팩을 기여하므로 {0} 확장 사용을 변경할 수 없습니다.",
+ "cannot disable auth extension": "설정 동기화가 종속되어 있으므로 {0} 확장 사용을 변경할 수 없습니다.",
+ "noWorkspace": "작업 영역이 없습니다.",
+ "cannot disable auth extension in workspace": "인증 공급자를 기여하므로 작업 영역에서 {0} 확장 사용을 변경할 수 없습니다."
+ },
+ "vs/workbench/services/extensionManagement/common/extensionManagementService": {
+ "singleDependentError": "확장 '{0}'을(를) 제거할 수 없습니다. 확장 '{1}'이(가) 이 확장에 종속됩니다.",
+ "twoDependentsError": "확장 '{0}'을(를) 제거할 수 없습니다. 확장 '{1}' 및 '{2}'이(가) 이 확장에 종속됩니다.",
+ "multipleDependentsError": "확장 '{0}'을(를) 제거할 수 없습니다. 확장 '{1}', '{2}' 등이 이 확장에 종속됩니다.",
+ "Manifest is not found": "{0} 확장을 설치하지 못함: 매니페스트를 찾을 수 없습니다.",
+ "cannot be installed": "이 확장이 원격 서버에서 실행할 수 없다고 정의했기 때문에 '{0}'을(를) 설치할 수 없습니다.",
+ "cannot be installed on web": "이 확장이 웹 서버에서 실행할 수 없다고 정의했기 때문에 '{0}'을(를) 설치할 수 없습니다.",
+ "install extension": "확장 설치",
+ "install extensions": "확장 설치",
+ "install": "설치",
+ "install and do no sync": "설치(동기화 안 함)",
+ "cancel": "취소",
+ "install single extension": "'{0}' 확장을 설치하고 디바이스 간에 동기화하시겠습니까?",
+ "install multiple extensions": "확장을 설치하고 디바이스 간에 동기화하시겠습니까?"
+ },
+ "vs/workbench/services/extensionManagement/browser/extensionBisect": {
+ "bisect": "확장 이등분이 활성 상태이며 {0} 확장을 사용하지 않도록 설정했습니다. 계속해서 문제를 재현할 수 있는지 확인하고 관련 옵션을 선택하여 계속 진행하세요.",
+ "title.start": "확장 이등분 시작",
+ "help": "도움말",
+ "msg.start": "확장 이등분",
+ "detail.start": "확장 이등분은 이진 검색을 사용하여 문제를 일으키는 확장을 찾습니다. 프로세스 동안 창이 반복적으로 다시 로드됩니다( ~{0}회). 매번 문제가 계속 발생하는지 확인해야 합니다.",
+ "msg2": "확장 이등분 시작",
+ "title.isBad": "확장 이등분 계속",
+ "done.msg": "확장 이등분",
+ "done.detail2": "확장 이등분이 완료되었지만, 확장이 식별되지 않았습니다. {0}에 문제가 있을 수 있습니다.",
+ "report": "문제 보고 및 계속",
+ "done": "계속",
+ "done.detail": "확장 이등분이 완료되었으며 문제를 일으키는 확장으로 {0}을(를) 식별했습니다.",
+ "done.disbale": "이 확장을 사용하지 않도록 유지",
+ "msg.next": "확장 이등분",
+ "next.good": "지금 양호",
+ "next.bad": "잘못됨",
+ "next.stop": "이등분 중지",
+ "next.cancel": "취소",
+ "title.stop": "확장 이등분 중지"
+ },
+ "vs/workbench/services/extensionRecommendations/common/workspaceExtensionsConfig": {
+ "select for remove": "다음에서 확장 권장 사항 제거",
+ "select for add": "다음에 확장 권장 사항 추가",
+ "workspace folder": "작업 영역 폴더",
+ "workspace": "작업 영역"
+ },
+ "vs/workbench/services/extensions/electron-browser/extensionService": {
+ "extensionService.versionMismatchCrash": "확장 호스트를 시작할 수 없습니다. 버전이 일치하지 않습니다.",
+ "relaunch": "VS Code 다시 시작",
+ "extensionService.crash": "확장 호스트가 예기치 않게 종료되었습니다.",
+ "devTools": "개발자 도구 열기",
+ "restart": "확장 호스트 다시 시작",
+ "getEnvironmentFailure": "원격 환경을 페치할 수 없습니다.",
+ "looping": "다음 확장은 종속성 루프가 포함되어 있으며 사용하지 않도록 설정되어 있습니다. {0}",
+ "enableResolver": "원격 창을 열려면 확장 '{0}'이(가) 필요합니다.\r\n사용하도록 설정하시겠습니까?",
+ "enable": "활성화하고 다시 로드",
+ "installResolver": "원격 창을 열려면 확장 '{0}'이(가) 필요합니다.\r\n확장을 설치하시겠습니까?",
+ "install": "설치 및 다시 로드",
+ "resolverExtensionNotFound": "마켓플레이스에서 '{0}'을(를) 찾을 수 없음",
+ "restartExtensionHost": "확장 호스트 다시 시작"
+ },
+ "vs/workbench/services/extensions/electron-browser/cachedExtensionScanner": {
+ "overwritingExtension": "확장 {0}을(를) {1}(으)로 덮어쓰는 중입니다.",
+ "extensionUnderDevelopment": "{0}에서 개발 확장 로드 중",
+ "extensionCache.invalid": "확장이 디스크에서 수정되었습니다. 창을 다시 로드하세요.",
+ "reloadWindow": "창 다시 로드"
+ },
+ "vs/workbench/services/extensions/electron-browser/localProcessExtensionHost": {
+ "extensionHost.startupFailDebug": "확장 호스트가 10초 내에 시작되지 않았습니다. 첫 번째 줄에서 중지되었을 수 있습니다. 계속하려면 디버거가 필요합니다.",
+ "extensionHost.startupFail": "확장 호스트가 10초 이내에 시작되지 않았습니다. 문제가 발생했을 수 있습니다.",
+ "reloadWindow": "창 다시 로드",
+ "extension host Log": "확장 호스트",
+ "extensionHost.error": "확장 호스트에서 오류 발생: {0}"
+ },
+ "vs/workbench/services/extensions/common/abstractExtensionService": {
+ "looping": "다음 확장은 종속성 루프가 포함되어 있으며 사용하지 않도록 설정되어 있습니다. {0}"
+ },
+ "vs/workbench/services/extensions/common/remoteExtensionHost": {
+ "remote extension host Log": "원격 확장 호스트"
+ },
+ "vs/workbench/services/extensions/browser/webWorkerExtensionHost": {
+ "name": "작업자 확장 호스트"
+ },
+ "vs/workbench/services/extensions/browser/extensionUrlHandler": {
+ "confirmUrl": "확장으로 URI를 열 수 있도록 허용하시겠습니까?",
+ "rememberConfirmUrl": "이 확장에 대해 다시 묻지 않습니다.",
+ "open": "열기(&&O)",
+ "reloadAndHandle": "'{0}' 확장이 로드되지 않았습니다. 창을 다시 로드하여 확장을 로드하고 URL을 여시겠습니까?",
+ "reloadAndOpen": "창 다시 로드 및 열기(&&R)",
+ "enableAndHandle": "'{0}' 확장을 사용할 수 없습니다. 확장을 사용하도록 설정하고 창을 다시 로드하여 URL을 여시겠습니까?",
+ "enableAndReload": "사용하도록 설정하고 열기(&&E)",
+ "installAndHandle": "'{0}' 확장이 설치되지 않았습니다. 확장을 설치하고 창을 다시 로드하여 이 URL을 여시겠습니까?",
+ "install": "설치(&&I)",
+ "Installing": "'{0}' 확장을 설치하는 중...",
+ "reload": "창을 다시 로드하고 URL '{0}'을(를) 여시겠습니까?",
+ "Reload": "창 다시 로드 및 열기",
+ "manage": "허가된 확장 URI 관리...",
+ "extensions": "확장",
+ "no": "현재 인증된 확장 URI가 없습니다."
+ },
+ "vs/workbench/services/extensions/common/extensionsRegistry": {
+ "ui": "UI 확장 종류입니다. 원격 창에서, 이러한 확장은 로컬 머신에서 사용 가능한 경우에만 사용할 수 있습니다.",
+ "workspace": "작업 영역 확장 종류입니다. 원격 창에서, 이러한 확장은 원격에서 사용 가능한 경우에만 사용할 수 있습니다.",
+ "web": "웹 작업자 확장 유형입니다. 이와 같은 확장은 웹 작업자 확장 호스트에서 실행될 수 있습니다.",
+ "vscode.extension.engines": "엔진 호환성입니다.",
+ "vscode.extension.engines.vscode": "VS Code 확장의 경우, 확장이 호환되는 VS Code 버전을 지정합니다. *일 수 없습니다. 예를 들어 ^0.10.5는 최소 VS Code 버전인 0.10.5와 호환됨을 나타냅니다.",
+ "vscode.extension.publisher": "VS Code 확장의 게시자입니다.",
+ "vscode.extension.displayName": "VS Code 갤러리에 사용되는 확장의 표시 이름입니다.",
+ "vscode.extension.categories": "확장을 분류하기 위해 VS Code 갤러리에서 사용하는 범주입니다.",
+ "vscode.extension.category.languages.deprecated": "대신 '프로그래밍 언어' 사용",
+ "vscode.extension.galleryBanner": "VS Code 마켓플레이스에 사용되는 배너입니다.",
+ "vscode.extension.galleryBanner.color": "VS Code 마켓플레이스 페이지 머리글의 배너 색상입니다.",
+ "vscode.extension.galleryBanner.theme": "배너에 사용되는 글꼴의 색상 테마입니다.",
+ "vscode.extension.contributes": "이 패키지에 표시된 VS Code 확장의 전체 기여입니다.",
+ "vscode.extension.preview": "마켓플레이스에서 Preview로 플래그 지정할 확장을 설정합니다.",
+ "vscode.extension.activationEvents": "VS Code 확장에 대한 활성화 이벤트입니다.",
+ "vscode.extension.activationEvents.onLanguage": "지정된 언어로 확인되는 파일을 열 때마다 활성화 이벤트가 발송됩니다.",
+ "vscode.extension.activationEvents.onCommand": "지정된 명령을 호출할 때마다 활성화 이벤트가 발송됩니다.",
+ "vscode.extension.activationEvents.onDebug": "사용자가 디버깅을 시작하거나 디버그 구성을 설정하려고 할 때마다 활성화 이벤트를 내보냅니다.",
+ "vscode.extension.activationEvents.onDebugInitialConfigurations": "\"launch.json\"을 만들어야 할 때마다(그리고 모든 provideDebugConfigurations 메서드를 호출해야 할 때마다) 발생하는 활성화 이벤트입니다.",
+ "vscode.extension.activationEvents.onDebugDynamicConfigurations": "모든 디버그 구성 목록을 만들고 \"동적\" 범위의 모든 provideDebugConfigurations 메서드를 호출해야 할 때마다 내보내는 활성화 이벤트입니다.",
+ "vscode.extension.activationEvents.onDebugResolve": "특정 유형의 디버그 세션이 시작하려고 할 때마다(그리고 해당하는 resolveDebugConfiguration 메서드를 호출해야 할 때마다) 발생하는 활성화 이벤트입니다.",
+ "vscode.extension.activationEvents.onDebugAdapterProtocolTracker": "특정 유형의 디버그 세션이 시작하려고 하며 디버그 프로토콜 추적기가 필요할 수 있을 때 발생하는 활성화 이벤트입니다.",
+ "vscode.extension.activationEvents.workspaceContains": "지정된 glob 패턴과 일치하는 파일이 하나 이상 있는 폴더를 열 때마다 활성화 알림이 발송됩니다.",
+ "vscode.extension.activationEvents.onStartupFinished": "시작이 완료된 후 내보내는 활성화 이벤트입니다(모든 `*` 활성화된 확장의 활성화가 완료된 후).",
+ "vscode.extension.activationEvents.onFileSystem": "지정된 구성표로 파일 또는 폴더에 액세스할 때마다 활성화 이벤트를 내보냅니다.",
+ "vscode.extension.activationEvents.onSearch": "지정된 구성표로 폴더에서 검색을 시작할 때마다 활성화 이벤트를 내보냅니다.",
+ "vscode.extension.activationEvents.onView": "지정된 뷰가 확장될 때마다 활성화 이벤트가 내보내 집니다.",
+ "vscode.extension.activationEvents.onIdentity": "지정된 사용자 ID가 있을 때마다 활성화 이벤트가 발생합니다.",
+ "vscode.extension.activationEvents.onUri": "이 확장으로 이동되는 시스템 차원 URI를 열 때마다 활성화 이벤트를 내보냅니다.",
+ "vscode.extension.activationEvents.onCustomEditor": "지정된 사용자 지정 편집기가 표시될 때마다 활성화 이벤트를 내보냅니다.",
+ "vscode.extension.activationEvents.star": "VS Code 시작 시 활성화 이벤트가 발송됩니다. 훌륭한 최종 사용자 경험을 보장하려면 사용 케이스에서 다른 활성화 이벤트 조합이 작동하지 않을 때에만 확장에서 이 활성화 이벤트를 사용하세요.",
+ "vscode.extension.badges": "Marketplace 확장 페이지의 사이드바에 표시할 배지의 배열입니다.",
+ "vscode.extension.badges.url": "배지 이미지 URL입니다.",
+ "vscode.extension.badges.href": "배지 링크입니다.",
+ "vscode.extension.badges.description": "배지 설명입니다.",
+ "vscode.extension.markdown": "Marketplace에서 사용되는 Markdown 렌더링 엔진을 제어합니다. Github(기본값) 또는 표준입니다.",
+ "vscode.extension.qna": "Marketplace에서 질문 및 답변 링크를 제어합니다. 기본 Marketplace 질문 및 답변 사이트를 사용하도록 설정하려면 Marketplace로 설정합니다. 사용자 지정 질문 및 답변 사이트의 URL을 제공하려면 문자열로 설정합니다. 질문 및 답변을 모두 사용하지 않도록 설정하려면 false로 설정합니다.",
+ "vscode.extension.extensionDependencies": "다른 확장에 대한 종속성입니다. 확장 식별자는 항상 ${publisher}.${name}입니다(예: vscode.csharp).",
+ "vscode.extension.contributes.extensionPack": "함께 설치할 수 있는 확장 집합니다. 확장의 식별자는 항상 ${publisher}.${name}입니다. 예: vscode.csharp",
+ "extensionKind": "확장의 종류를 정의합니다. 'ui' 확장은 로컬 컴퓨터에서 설치되고 실행되며 '작업 영역' 확장은 원격에서 실행됩니다.",
+ "extensionKind.ui": "원격 창에 연결할 때 로컬 컴퓨터에서만 실행할 수 있는 확장을 정의합니다.",
+ "extensionKind.workspace": "원격 창을 연결할 때 원격 컴퓨터에서만 실행할 수 있는 확장을 정의합니다.",
+ "extensionKind.ui-workspace": "로컬 머신에서 실행하는 것을 선호하는 경우 양쪽에서 실행할 수 있는 확장을 정의합니다.",
+ "extensionKind.workspace-ui": "원격 머신에서 실행하는 것을 선호하는 경우 양쪽에서 실행할 수 있는 확장을 정의합니다.",
+ "extensionKind.empty": "원격 컨텍스트에서(로컬 및 원격 머신에서 모두) 실행할 수 없는 확장을 정의합니다.",
+ "vscode.extension.scripts.prepublish": "패키지가 VS Code 확장 형태로 게시되기 전에 스크립트가 실행되었습니다.",
+ "vscode.extension.scripts.uninstall": "VS Code 확장에 대한 후크를 제거합니다. 확장이 VS Code에서 완전히 제거될 때 즉, 확장이 제거된 후 VS Code가 다시 시작할 때(종료하고 시작) 실행되는 스크립트입니다. 노드 스크립트만 지원됩니다.",
+ "vscode.extension.icon": "128x128 픽셀 아이콘의 경로입니다."
+ },
+ "vs/workbench/services/extensions/node/extensionPoints": {
+ "jsonParseInvalidType": "잘못된 매니페스트 파일 {0}: JSON 개체가 아닙니다.",
+ "jsonParseFail": "{0}을(를) 구문 분석하지 못했습니다. [{1}, {2}] {3}.",
+ "fileReadFail": "파일 {0}을(를) 읽을 수 없음: {1}.",
+ "jsonsParseReportErrors": "{0}을(를) 구문 분석하지 못함: {1}.",
+ "jsonInvalidFormat": "형식 {0}이(가) 잘못됨: JSON 개체가 필요합니다.",
+ "missingNLSKey": "키 {0}에 대한 메시지를 찾을 수 없습니다.",
+ "notSemver": "확장 버전이 semver와 호환되지 않습니다.",
+ "extensionDescription.empty": "가져온 확장 설명이 비어 있습니다.",
+ "extensionDescription.publisher": "속성 게시자 는 'string' 형식이어야 합니다.",
+ "extensionDescription.name": "속성 '{0}'은(는) 필수이며 'string' 형식이어야 합니다.",
+ "extensionDescription.version": "속성 '{0}'은(는) 필수이며 'string' 형식이어야 합니다.",
+ "extensionDescription.engines": "속성 `{0}`은(는) 필수이며 `object` 형식이어야 합니다.",
+ "extensionDescription.engines.vscode": "속성 '{0}'은(는) 필수이며 'string' 형식이어야 합니다.",
+ "extensionDescription.extensionDependencies": "속성 `{0}`은(는) 생략할 수 있으며 `string[]` 형식이어야 합니다.",
+ "extensionDescription.activationEvents1": "속성 `{0}`은(는) 생략할 수 있으며 `string[]` 형식이어야 합니다.",
+ "extensionDescription.activationEvents2": "속성 `{0}` 및 `{1}`은(는) 둘 다 지정하거나 둘 다 생략해야 합니다.",
+ "extensionDescription.main1": "속성 '{0}'은(는) 생략할 수 있으며 'string' 형식이어야 합니다.",
+ "extensionDescription.main2": "확장의 폴더({1}) 내에 포함할 `main`({0})이 필요합니다. 이로 인해 확장이 이식 불가능한 상태가 될 수 있습니다.",
+ "extensionDescription.main3": "속성 `{0}` 및 `{1}`은(는) 둘 다 지정하거나 둘 다 생략해야 합니다.",
+ "extensionDescription.browser1": "`{0}` 속성은 생략할 수 있거나 `string` 형식이어야 함",
+ "extensionDescription.browser2": "확장의 폴더({1}) 내에 포함할 `browser`({0})가 필요합니다. 이로 인해 확장이 이식 불가능한 상태가 될 수 있습니다.",
+ "extensionDescription.browser3": "속성 `{0}` 및 `{1}`은(는) 둘 다 지정하거나 둘 다 생략해야 합니다."
+ },
+ "vs/workbench/services/extensions/common/extensionHostManager": {
+ "measureExtHostLatency": "확장 호스트 대기 시간 측정"
+ },
+ "vs/workbench/services/gettingStarted/common/gettingStartedContent": {
+ "gettingStarted.beginner.title": "시작하기",
+ "gettingStarted.beginner.description": "새 편집기에 대해 알아보기",
+ "pickColorTask.description": "기본 설정 및 작업 환경에 맞게 사용자 인터페이스의 색을 수정합니다.",
+ "pickColorTask.title": "색 테마",
+ "pickColorTask.button": "테마 찾기",
+ "findKeybindingsTask.description": "Vim, Sublime, Atom 등에 대한 바로 가기 키를 찾습니다.",
+ "findKeybindingsTask.title": "키 바인딩 구성",
+ "findKeybindingsTask.button": "키맵 검색",
+ "findLanguageExtsTask.description": "JavaScript, Python, Java, Azure, Docker 등과 같은 언어에 대한 지원을 받습니다.",
+ "findLanguageExtsTask.title": "언어 및 도구",
+ "findLanguageExtsTask.button": "설치 언어 지원",
+ "gettingStartedOpenFolder.description": "시작하려면 프로젝트 폴더를 여세요.",
+ "gettingStartedOpenFolder.title": "폴더 열기",
+ "gettingStartedOpenFolder.button": "폴더 선택",
+ "gettingStarted.intermediate.title": "필수 정보",
+ "gettingStarted.intermediate.description": "좋아하는 기능을 알고 있어야 합니다.",
+ "commandPaletteTask.description": "VS Code의 모든 기능을 찾는 가장 쉬운 방법입니다. 기능을 찾고 있다면 먼저 여기를 확인하세요!",
+ "commandPaletteTask.title": "명령 팔레트",
+ "commandPaletteTask.button": "모든 명령 보기",
+ "gettingStarted.advanced.title": "팁과 요령",
+ "gettingStarted.advanced.description": "VS Code 전문가의 즐겨찾기",
+ "gettingStarted.openFolder.title": "폴더 열기",
+ "gettingStarted.openFolder.description": "프로젝트 열기 및 작업 시작",
+ "gettingStarted.playground.title": "대화형 플레이그라운드",
+ "gettingStarted.interactivePlayground.description": "필수 편집기 기능 배우기"
+ },
+ "vs/workbench/services/integrity/node/integrityService": {
+ "integrity.prompt": "{0} 설치가 손상된 것 같습니다. 다시 설치하세요.",
+ "integrity.moreInformation": "추가 정보",
+ "integrity.dontShowAgain": "다시 표시 안 함"
+ },
+ "vs/workbench/services/keybinding/common/keybindingEditing": {
+ "errorKeybindingsFileDirty": "키 바인딩 구성 파일이 변경되었으므로 쓸 수 없습니다. 먼저 파일을 저장하고 다시 시도하세요.",
+ "parseErrors": "키 바인딩 구성 파일에 쓸 수 없습니다. 파일을 열고 오류/경고를 수정한 다음 다시 시도하세요.",
+ "errorInvalidConfiguration": "키 바인딩 구성 파일에 쓸 수 없습니다. 이 파일에 배열 형식이 아닌 개체가 있습니다. 파일을 열어 정리하고 다시 시도하세요.",
+ "emptyKeybindingsHeader": "키 바인딩을 이 파일에 넣어서 기본값 재정의"
+ },
+ "vs/workbench/services/keybinding/browser/keybindingService": {
+ "nonempty": "비어 있지 않은 값이 필요합니다.",
+ "requirestring": "속성 '{0}'은(는) 필수이며 'string' 형식이어야 합니다.",
+ "optstring": "속성 '{0}'은(는) 생략할 수 있으며 'string' 형식이어야 합니다.",
+ "vscode.extension.contributes.keybindings.command": "키 바인딩이 트리거될 때 실행할 명령의 식별자입니다.",
+ "vscode.extension.contributes.keybindings.args": "실행할 명령에 전달할 인수입니다.",
+ "vscode.extension.contributes.keybindings.key": "키 또는 키 시퀀스(더하기 기호로 키 분리, 공백으로 시퀀스 분리, 예: Ctrl+O, 동시 누르기의 경우 Ctrl+L L)",
+ "vscode.extension.contributes.keybindings.mac": "Mac 특정 키 또는 키 시퀀스입니다.",
+ "vscode.extension.contributes.keybindings.linux": "Linux 특정 키 또는 키 시퀀스",
+ "vscode.extension.contributes.keybindings.win": "Windows 특정 키 또는 키 시퀀스",
+ "vscode.extension.contributes.keybindings.when": "키가 활성화되는 조건입니다.",
+ "vscode.extension.contributes.keybindings": "키 바인딩을 적용합니다.",
+ "invalid.keybindings": "잘못된 `contributes.{0}`입니다. {1}",
+ "unboundCommands": "사용 가능한 다른 명령: ",
+ "keybindings.json.title": "키 바인딩 구성",
+ "keybindings.json.key": "키 또는 키 시퀀스(공백으로 구분됨)",
+ "keybindings.json.command": "실행할 명령의 이름",
+ "keybindings.json.when": "키가 활성화되는 조건입니다.",
+ "keybindings.json.args": "실행할 명령에 전달할 인수입니다.",
+ "keyboardConfigurationTitle": "키보드",
+ "dispatch": "`code`(권장) 또는 `keyCode`를 사용하는 키 누름에 대한 디스패치 논리를 제어합니다."
+ },
+ "vs/workbench/services/label/common/labelService": {
+ "vscode.extension.contributes.resourceLabelFormatters": "리소스 레이블 형식 지정 규칙을 제공합니다.",
+ "vscode.extension.contributes.resourceLabelFormatters.scheme": "포맷터를 일치시킬 URI 구성표입니다(예: \"file\"). 단순 GLOB 패턴이 지원됩니다.",
+ "vscode.extension.contributes.resourceLabelFormatters.authority": "포맷터를 일치시킬 URI 권한입니다. 단순 GLOB 패턴이 지원됩니다.",
+ "vscode.extension.contributes.resourceLabelFormatters.formatting": "URI 리소스 레이블 형식 지정 규칙입니다.",
+ "vscode.extension.contributes.resourceLabelFormatters.label": "표시할 레이블 규칙입니다(예: myLabel:/${path}). ${path}, ${scheme} 및 ${authority}가 변수로 지원됩니다.",
+ "vscode.extension.contributes.resourceLabelFormatters.separator": "URI 레이블 표시에 사용되는 구분 기호입니다. '/' 또는 ''를 예로 들 수 있습니다.",
+ "vscode.extension.contributes.resourceLabelFormatters.stripPathStartingSeparator": "'${path}' 대체에서 시작 구분 문자를 제거할지를 제어합니다.",
+ "vscode.extension.contributes.resourceLabelFormatters.tildify": "가능한 경우 URI 레이블 시작에 물결표를 표시할 것인지 여부를 제어합니다.",
+ "vscode.extension.contributes.resourceLabelFormatters.formatting.workspaceSuffix": "작업 영역 레이블에 추가되는 접미사입니다.",
+ "untitledWorkspace": "제목 없음(작업 영역)",
+ "workspaceNameVerbose": "{0}(작업 영역)",
+ "workspaceName": "{0}(작업 영역)"
+ },
+ "vs/workbench/services/lifecycle/electron-sandbox/lifecycleService": {
+ "errorClose": "창을 닫는 동안 예기치 않은 오류가 throw되었습니다({0}).",
+ "errorQuit": "애플리케이션을 종료하는 동안 예기치 않은 오류가 발생했습니다({0}).",
+ "errorReload": "창을 다시 로드하는 동안 예기치 않은 오류가 발생했습니다({0}).",
+ "errorLoad": "창의 작업 영역을 변경하는 동안 예기치 않은 오류가 발생했습니다({0})."
+ },
+ "vs/workbench/services/mode/common/workbenchModeService": {
+ "vscode.extension.contributes.languages": "언어 선언을 적용합니다.",
+ "vscode.extension.contributes.languages.id": "언어의 ID입니다.",
+ "vscode.extension.contributes.languages.aliases": "언어에 대한 이름 별칭입니다.",
+ "vscode.extension.contributes.languages.extensions": "파일 확장이 언어에 연결되어 있습니다.",
+ "vscode.extension.contributes.languages.filenames": "파일 이름이 언어에 연결되어 있습니다.",
+ "vscode.extension.contributes.languages.filenamePatterns": "파일 이름 GLOB 패턴이 언어에 연결되어 있습니다.",
+ "vscode.extension.contributes.languages.mimetypes": "Mime 형식이 언어에 연결되어 있습니다.",
+ "vscode.extension.contributes.languages.firstLine": "언어 파일의 첫 번째 줄과 일치하는 정규식입니다.",
+ "vscode.extension.contributes.languages.configuration": "언어에 대한 구성 옵션을 포함하는 파일에 대한 상대 경로입니다.",
+ "invalid": "잘못된 `contributes.{0}`입니다. 배열이 필요합니다.",
+ "invalid.empty": "`contributes.{0}`에 대한 빈 값",
+ "require.id": "속성 '{0}'은(는) 필수이며 'string' 형식이어야 합니다.",
+ "opt.extensions": "`{0}` 속성은 생략 가능하며 `string[]` 형식이어야 합니다.",
+ "opt.filenames": "`{0}` 속성은 생략 가능하며 `string[]` 형식이어야 합니다.",
+ "opt.firstLine": "`{0}` 속성은 생략 가능하며 `string` 형식이어야 합니다.",
+ "opt.configuration": "`{0}` 속성은 생략 가능하며 `string` 형식이어야 합니다.",
+ "opt.aliases": "`{0}` 속성은 생략 가능하며 `string[]` 형식이어야 합니다.",
+ "opt.mimetypes": "`{0}` 속성은 생략 가능하며 `string[]` 형식이어야 합니다."
+ },
+ "vs/workbench/services/notification/common/notificationService": {
+ "neverShowAgain": "다시 표시 안 함"
+ },
+ "vs/workbench/services/preferences/common/preferences": {
+ "userSettingsTarget": "사용자 설정",
+ "workspaceSettingsTarget": "작업 영역 설정"
+ },
+ "vs/workbench/services/preferences/browser/preferencesService": {
+ "openFolderFirst": "첫 번째 폴더를 열어서 작업 영역 설정을 만듭니다.",
+ "emptyKeybindingsHeader": "키 바인딩을 이 파일에 넣어서 기본값 재정의",
+ "defaultKeybindings": "기본 키 바인딩",
+ "defaultSettings": "기본 설정",
+ "folderSettingsName": "{0}(폴더 설정)",
+ "fail.createSettings": "{0}'({1})을(를) 만들 수 없습니다."
+ },
+ "vs/workbench/services/preferences/common/preferencesEditorInput": {
+ "settingsEditorName": "기본 설정",
+ "keybindingsInputName": "바로 가기 키",
+ "settingsEditor2InputName": "설정"
+ },
+ "vs/workbench/services/preferences/common/preferencesModels": {
+ "commonlyUsed": "일반적으로 사용되는 설정",
+ "defaultKeybindingsHeader": "키 바인딩을 키 바인딩 파일에 배치하여 재정의합니다."
+ },
+ "vs/workbench/services/preferences/common/keybindingsEditorModel": {
+ "default": "기본값",
+ "extension": "확장",
+ "user": "사용자",
+ "cat.title": "{0}: {1}",
+ "option": "옵션",
+ "meta": "메타"
+ },
+ "vs/workbench/services/preferences/common/preferencesValidation": {
+ "validations.expectedNumeric": "값은 숫자여야 합니다.",
+ "invalidTypeError": "설정에 잘못된 형식이 있습니다. {0}이(가) 필요합니다. JSON에서 수정하세요.",
+ "validations.maxLength": "값은 {0}자 이하여야 합니다.",
+ "validations.minLength": "값은 {0}자 이상이어야 합니다.",
+ "validations.regex": "값은 regex `{0}`과(와) 일치해야 합니다.",
+ "validations.colorFormat": "색 형식이 잘못되었습니다. #RGB, #RGBA, #RRGGBB 또는 #RRGGBBAA를 사용하세요.",
+ "validations.uriEmpty": "URI가 필요합니다.",
+ "validations.uriMissing": "URI가 필요합니다.",
+ "validations.uriSchemeMissing": "구성표가 있는 URI가 필요합니다.",
+ "validations.exclusiveMax": "값은 {0}보다 작아야 합니다.",
+ "validations.exclusiveMin": "값은 {0}보다 커야 합니다.",
+ "validations.max": "값은 {0}보다 작거나 같아야 합니다.",
+ "validations.min": "값은 {0}보다 크거나 같아야 합니다.",
+ "validations.multipleOf": "값은 {0}의 배수여야 합니다.",
+ "validations.expectedInteger": "값은 정수여야 합니다.",
+ "validations.stringArrayUniqueItems": "배열에 중복된 항목이 있습니다.",
+ "validations.stringArrayMinItem": "배열에 {0}개 이상의 항목이 있어야 합니다.",
+ "validations.stringArrayMaxItem": "배열에 {0}개 이하의 항목이 있어야 합니다.",
+ "validations.stringArrayItemPattern": "값 {0}은(는) regex {1}과(와) 일치해야 합니다.",
+ "validations.stringArrayItemEnum": "값 {0}은(는) {1} 중 하나가 아닙니다."
+ },
+ "vs/workbench/services/progress/browser/progressService": {
+ "progress.text2": "{0}: {1}",
+ "progress.title3": "[{0}] {1}: {2}",
+ "progress.title2": "[{0}]: {1}",
+ "status.progress": "진행 메시지",
+ "cancel": "취소",
+ "dismiss": "해제"
+ },
+ "vs/workbench/services/remote/common/abstractRemoteAgentService": {
+ "connectionError": "원격 확장 호스트 서버에 연결하지 못했습니다(오류: {0})."
+ },
+ "vs/workbench/services/textfile/electron-browser/nativeTextFileService": {
+ "fileReadOnlyError": "파일이 읽기 전용입니다."
+ },
+ "vs/workbench/services/textfile/browser/textFileService": {
+ "fileBinaryError": "이진 파일인 것 같으므로 텍스트로 열 수 없습니다.",
+ "confirmOverwrite": "’{0}'이(가) 이미 있습니다. 바꾸시겠습니까?",
+ "irreversible": "'{0}'(이)라는 이름이 있는 파일이나 폴더가 폴더 '{1}'에 이미 있습니다. 교체하면 현재 내용을 덮어씁니다.",
+ "replaceButtonLabel": "바꾸기(&&R)"
+ },
+ "vs/workbench/services/textfile/common/textFileEditorModelManager": {
+ "genericSaveError": "'{0}'을(를) 저장하지 못함: {1}"
+ },
+ "vs/workbench/services/textfile/common/textFileEditorModel": {
+ "saveFileFirst": "더티 파일입니다. 다른 인코딩을 사용하여 파일을 다시 열기 전에 파일을 저장하세요."
+ },
+ "vs/workbench/services/textfile/common/textFileSaveParticipant": {
+ "saveParticipants": "'{0}'을(를) 저장하는 중"
+ },
+ "vs/workbench/services/textMate/browser/abstractTextMateService": {
+ "alreadyDebugging": "이미 로깅 중입니다.",
+ "stop": "중지",
+ "progress1": "TM 문법 구문 분석을 기록하기 위해 준비 중입니다. 마치면 [중지]를 누르세요.",
+ "progress2": "현재 TM 문법 구문 분석을 기록 중입니다. 마치면 [중지]를 누르세요.",
+ "invalid.language": "`contributes.{0}.language`에 알 수 없는 언어가 있습니다. 제공된 값: {1}",
+ "invalid.scopeName": "`contributes.{0}.scopeName`에 문자열이 필요합니다. 제공된 값: {1}",
+ "invalid.path.0": "`contributes.{0}.path`에 문자열이 필요합니다. 제공된 값: {1}",
+ "invalid.injectTo": "`contributes.{0}.injectTo`의 값이 잘못되었습니다. 언어 범위 이름 배열이어야 합니다. 제공된 값: {1}",
+ "invalid.embeddedLanguages": "`contributes.{0}.embeddedLanguages` 값이 잘못되었습니다. 범위 이름에서 언어까지의 개체 맵이어야 합니다. 제공된 값: {1}",
+ "invalid.tokenTypes": "`contributes.{0}.tokenTypes` 값이 잘못되었습니다. 범위 이름에서 언어까지의 개체 맵이어야 합니다. 제공된 값: {1}",
+ "invalid.path.1": "확장 폴더({2})에 포함할 `contributes.{0}.path`({1})가 필요합니다. 확장이 이식 불가능해질 수 있습니다.",
+ "too many characters": "성능상의 이유로 긴 줄의 경우 토큰화를 건너뜁니다. 긴 줄의 길이는 'editor.maxTokenizationLineLength'를 통해 구성할 수 있습니다.",
+ "neverAgain": "다시 표시 안 함"
+ },
+ "vs/workbench/services/textMate/common/TMGrammars": {
+ "vscode.extension.contributes.grammars": "textmate 토크나이저를 적용합니다.",
+ "vscode.extension.contributes.grammars.language": "이 구문이 적용되는 언어 식별자입니다.",
+ "vscode.extension.contributes.grammars.scopeName": "tmLanguage 파일에 사용되는 Textmate 범위 이름입니다.",
+ "vscode.extension.contributes.grammars.path": "tmLanguage 파일의 경로입니다. 확장 폴더의 상대 경로이며 일반적으로 './syntaxes/'로 시작합니다.",
+ "vscode.extension.contributes.grammars.embeddedLanguages": "이 문법에 포함된 언어가 있는 경우 언어 ID에 대한 범위 이름의 맵입니다.",
+ "vscode.extension.contributes.grammars.tokenTypes": "토큰 형식에 대한 범위 이름의 맵입니다.",
+ "vscode.extension.contributes.grammars.injectTo": "이 문법이 삽입되는 언어 범위 이름 목록입니다."
+ },
+ "vs/workbench/services/textMate/common/TMGrammarFactory": {
+ "no-tm-grammar": "이 언어에 대해 등록된 TM 문법이 없습니다."
+ },
+ "vs/workbench/services/themes/browser/workbenchThemeService": {
+ "error.cannotloadtheme": "{0}을(를) 로드할 수 없음: {1}"
+ },
+ "vs/workbench/services/themes/common/colorExtensionPoint": {
+ "contributes.color": "확장 정의 테마 지정 가능 색을 적용합니다.",
+ "contributes.color.id": "테마 지정 가능 색의 식별자입니다.",
+ "contributes.color.id.format": "식별자는 문자, 숫자 및 점만 포함할 수 있으며, 점으로 시작할 수 없습니다.",
+ "contributes.color.description": "테마 지정 가능 색에 대한 설명",
+ "contributes.defaults.light": "밝은 테마의 기본 색입니다. 16진수의 색 값(#RRGGBB[AA]) 또는 기본값을 제공하는 테마 지정 가능 색의 식별자입니다.",
+ "contributes.defaults.dark": "어두운 테마의 기본 색입니다. 16진수의 색 값(#RRGGBB[AA]) 또는 기본값을 제공하는 테마 지정 가능 색의 식별자입니다.",
+ "contributes.defaults.highContrast": "고대비 테마의 기본 색상입니다. 기본값을 제공하는 16진수(#RRGGBB[AA])의 색상 값 또는 테마 지정 가능 색의 식별자입니다.",
+ "invalid.colorConfiguration": "'configuration.colors'는 배열이어야 합니다.",
+ "invalid.default.colorType": "{0}은(는) 16진수의 색 값(#RRGGBB[AA] 또는 #RGB[A]) 또는 기본값을 제공하는 테마 지정 가능 색의 식별자입니다.",
+ "invalid.id": "'configuration.colors.id'를 정의해야 하며 비워 둘 수 없습니다.",
+ "invalid.id.format": "'configuration.colors.id'는 문자, 숫자 및 점만 포함할 수 있으며, 점으로 시작할 수 없습니다.",
+ "invalid.description": "'configuration.colors.description'을 정의해야 하며 비워 둘 수 없습니다.",
+ "invalid.defaults": "'configuration.colors.defaults'를 정의해야 하며 'light', 'dark' 및 'highContrast'를 포함해야 합니다."
+ },
+ "vs/workbench/services/themes/common/tokenClassificationExtensionPoint": {
+ "contributes.semanticTokenTypes": "의미 체계 토큰 유형을 제공합니다.",
+ "contributes.semanticTokenTypes.id": "의미 체계 토큰 형식의 식별자",
+ "contributes.semanticTokenTypes.id.format": "식별자는 letterOrDigit[_-letterOrDigit]* 형식이어야 합니다.",
+ "contributes.semanticTokenTypes.superType": "의미 체계 토큰 형식의 상위 형식",
+ "contributes.semanticTokenTypes.superType.format": "상위 형식은 letterOrDigit[_-letterOrDigit]* 형식이어야 합니다.",
+ "contributes.color.description": "의미 토큰 형식 설명",
+ "contributes.semanticTokenModifiers": "의미 체계 토큰 수정자를 제공합니다.",
+ "contributes.semanticTokenModifiers.id": "의미 체계 토큰 수정자의 식별자",
+ "contributes.semanticTokenModifiers.id.format": "식별자는 letterOrDigit[_-letterOrDigit]* 형식이어야 합니다.",
+ "contributes.semanticTokenModifiers.description": "의미 체계 토큰 수정자에 대한 설명",
+ "contributes.semanticTokenScopes": "의미 체계 토큰 범위 맵을 제공합니다.",
+ "contributes.semanticTokenScopes.languages": "기본값이 사용되는 언어를 나열합니다.",
+ "contributes.semanticTokenScopes.scopes": "의미 체계 토큰(의미 체계 토큰 선택기에서 설명됨)을 해당 토큰을 나타내는 데 사용되는 하나 이상의 textMate 범위에 매핑합니다.",
+ "invalid.id": "'configuration.{0}.id'를 정의해야 하며 비워 둘 수 없습니다.",
+ "invalid.id.format": "'configuration.{0}.id'는 letterOrDigit[-_letterOrDigit]* 패턴을 따라야 합니다.",
+ "invalid.superType.format": "'configuration.{0}.superType'은 letterOrDigit[-_letterOrDigit]* 패턴을 따라야 합니다.",
+ "invalid.description": "'configuration.{0}.description'을 정의해야 하며 비워 둘 수 없습니다.",
+ "invalid.semanticTokenTypeConfiguration": "'configuration.semanticTokenType'은 배열이어야 함",
+ "invalid.semanticTokenModifierConfiguration": "'configuration.semanticTokenModifier'는 배열이어야 함",
+ "invalid.semanticTokenScopes.configuration": "'configuration.semanticTokenScopes'는 배열이어야 합니다.",
+ "invalid.semanticTokenScopes.language": "'configuration.semanticTokenScopes.language'는 문자열이어야 합니다.",
+ "invalid.semanticTokenScopes.scopes": "'configuration.semanticTokenScopes.scopes'는 개체로 정의되어야 합니다.",
+ "invalid.semanticTokenScopes.scopes.value": "'configuration.semanticTokenScopes.scopes' 값은 문자열의 배열이어야 합니다.",
+ "invalid.semanticTokenScopes.scopes.selector": "configuration.semanticTokenScopes.scopes': 선택기 구문 분석 문제 {0}."
+ },
+ "vs/workbench/services/themes/common/colorThemeData": {
+ "error.cannotparsejson": "JSON 테마 파일을 구문 분석하는 중 문제 발생: {0}",
+ "error.invalidformat": "JSON 테마 파일의 잘못된 형식: 개체가 필요합니다.",
+ "error.invalidformat.colors": "색 테마 파일 {0}을(를) 구문 분석하는 중 문제가 발생했습니다. 'colors' 속성이 'object' 형식이 아닙니다.",
+ "error.invalidformat.tokenColors": "색 테마 파일 {0}을(를) 구문 분석하는 중 문제가 발생했습니다. 'tokenColors' 속성이 색을 지정하는 배열 또는 TextMate 테마 파일의 경로여야 합니다.",
+ "error.invalidformat.semanticTokenColors": "색 테마 파일 {0}을(를) 구문 분석하는 동안 문제가 발생했습니다. 'semanticTokenColors' 속성에 잘못된 선택기가 포함되어 있습니다.",
+ "error.plist.invalidformat": "tmTheme 파일 {0}을(를) 구문 분석하는 중 문제가 발생했습니다. 'settings'가 배열이 아닙니다.",
+ "error.cannotparse": "tmTheme 파일 {0}을(를) 구문 분석하는 중 문제가 발생했습니다.",
+ "error.cannotload": "tmTheme 파일 {0}을(를) 로드하는 중 문제가 발생했습니다. {1}"
+ },
+ "vs/workbench/services/themes/common/fileIconThemeSchema": {
+ "schema.folderExpanded": "확장된 폴더의 폴더 아이콘입니다. 확장된 폴더 아이콘은 선택 사항입니다. 설정하지 않으면 폴더에 대해 정의된 아이콘이 표시됩니다.",
+ "schema.folder": "축소된 폴더의 폴더 아이콘이며, folderExpanded가 설정되지 않은 경우 확장된 폴더의 폴더 아이콘이기도 합니다.",
+ "schema.file": "어떤 확장명, 파일 이름 또는 언어 ID와도 일치하는 모든 파일에 대해 표시되는 기본 파일 아이콘입니다.",
+ "schema.folderNames": "폴더 이름을 아이콘과 연결합니다. 개체 키는 경로 세그먼트를 제외한 폴더 이름입니다. 패턴이나 와일드카드는 허용되지 않습니다. 폴더 이름 일치는 대/소문자를 구분하지 않습니다.",
+ "schema.folderName": "연결에 대한 아이콘 정의의 ID입니다.",
+ "schema.folderNamesExpanded": "폴더 이름을 확장된 폴더의 아이콘과 연결합니다. 개체 키는 경로 세그먼트를 제외한 폴더 이름입니다. 패턴이나 와일드카드는 허용되지 않습니다. 폴더 이름 일치는 대/소문자를 구분하지 않습니다.",
+ "schema.folderNameExpanded": "연결에 대한 아이콘 정의의 ID입니다.",
+ "schema.fileExtensions": "파일 확장명을 아이콘과 연결합니다. 개체 키는 파일 확장명입니다. 확장명은 파일 이름에서 마지막 점 뒤에 있는 마지막 세그먼트(점 불포함)입니다. 확장명은 대/소문자를 구분하지 않고 비교됩니다.",
+ "schema.fileExtension": "연결에 대한 아이콘 정의의 ID입니다.",
+ "schema.fileNames": "파일 이름을 아이콘과 연결합니다. 개체 키는 경로 세그먼트를 제외한 전체 파일 이름입니다. 파일 이름은 점과 파일 확장명을 포함할 수 있습니다. 패턴이나 와일드카드는 허용되지 않습니다. 파일 이름 일치는 대/소문자를 구분하지 않습니다.",
+ "schema.fileName": "연결에 대한 아이콘 정의의 ID입니다.",
+ "schema.languageIds": "언어를 아이콘과 연결합니다. 개체 키는 언어 기여 지점에 정의된 언어 ID입니다.",
+ "schema.languageId": "연결에 대한 아이콘 정의의 ID입니다.",
+ "schema.fonts": "아이콘 정의에 사용되는 글꼴입니다.",
+ "schema.id": "글꼴의 ID입니다.",
+ "schema.id.formatError": "ID에는 문자, 숫자, 밑줄 및 빼기 기호만 포함되어야 합니다.",
+ "schema.src": "글꼴의 위치입니다.",
+ "schema.font-path": "현재 파일 아이콘 테마 파일에 상대적인 글꼴 경로입니다.",
+ "schema.font-format": "글꼴의 형식입니다.",
+ "schema.font-weight": "글꼴의 두께입니다. 유효한 값은 https://developer.mozilla.org/en-US/docs/Web/CSS/font-weight를 참조하세요.",
+ "schema.font-style": "글꼴의 스타일입니다. 유효한 값은 https://developer.mozilla.org/en-US/docs/Web/CSS/font-style을 참조하세요.",
+ "schema.font-size": "글꼴의 기본 크기입니다. 유효한 값은 https://developer.mozilla.org/en-US/docs/Web/CSS/font-size를 참조하세요.",
+ "schema.iconDefinitions": "파일을 아이콘에 연결할 때 사용할 수 있는 모든 아이콘에 대한 설명입니다.",
+ "schema.iconDefinition": "아이콘 정의입니다. 개체 키는 정의의 ID입니다.",
+ "schema.iconPath": "SVG 또는 PNG를 사용하는 경우: 이미지의 경로입니다. 아이콘 집합 파일의 상대 경로입니다.",
+ "schema.fontCharacter": "문자 모양 글꼴을 사용하는 경우: 사용할 글꼴의 문자입니다.",
+ "schema.fontColor": "문자 모양 글꼴을 사용하는 경우: 사용할 색",
+ "schema.fontSize": "글꼴을 사용하는 경우: 텍스트 글꼴에 대한 글꼴 크기(백분율로 표시)입니다. 설정하지 않으면 기본값으로 글꼴 정의의 크기가 사용됩니다.",
+ "schema.fontId": "글꼴을 사용하는 경우: 글꼴의 ID입니다. 설정하지 않으면 기본값으로 첫 번째 글꼴 정의가 사용됩니다.",
+ "schema.light": "밝은 색 테마에서 파일 아이콘에 대한 선택적 연결입니다.",
+ "schema.highContrast": "고대비 색 테마에서 파일 아이콘에 대한 선택적 연결입니다.",
+ "schema.hidesExplorerArrows": "이 테마가 활성 상태일 때 파일 탐색기의 화살표 숨김 여부를 구성합니다."
+ },
+ "vs/workbench/services/themes/browser/fileIconThemeData": {
+ "error.cannotparseicontheme": "파일 아이콘 파일을 구문 분석하는 중 문제 발생: {0}",
+ "error.invalidformat": "파일 아이콘 테마 파일의 잘못된 형식: 개체가 필요합니다."
+ },
+ "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": "tmTheme 파일의 경로(현재 파일의 상대 경로)입니다.",
+ "schema.colors": "구문 강조 표시를 위한 색",
+ "schema.supportsSemanticHighlighting": "이 테마에 의미 체계 강조 표시를 사용하도록 설정해야 하는지 여부.",
+ "schema.semanticTokenColors": "의미 체계 토큰의 색상"
+ },
+ "vs/workbench/services/themes/common/themeExtensionPoints": {
+ "vscode.extension.contributes.themes": "Textmate 색상 테마를 제공합니다.",
+ "vscode.extension.contributes.themes.id": "사용자 설정에 사용되는 색상 테마 ID.",
+ "vscode.extension.contributes.themes.label": "UI에 표시되는 색 테마의 레이블입니다.",
+ "vscode.extension.contributes.themes.uiTheme": "편집기 주변의 색을 정의하는 기본 테마입니다. 'vs'는 밝은색 테마이고, 'vs-dark'는 어두운색 테마입니다. 'hc-black'은 어두운 고대비 테마입니다.",
+ "vscode.extension.contributes.themes.path": "tmTheme 파일의 경로. 이 경로는 확장 폴더를 기준으로 하며 일반적으로 './colorthemes/awesome-color-theme.json'입니다.",
+ "vscode.extension.contributes.iconThemes": "파일 아이콘 테마를 적용합니다.",
+ "vscode.extension.contributes.iconThemes.id": "사용자 설정에 사용되는 파일 아이콘 테마의 ID.",
+ "vscode.extension.contributes.iconThemes.label": "UI에 표시된 파일 아이콘 테마의 레이블.",
+ "vscode.extension.contributes.iconThemes.path": "파일 아이콘 테마 정의 파일의 경로. 이 경로는 확장 폴더를 기준으로 하며 일반적으로 './fileicons/awesome-icon-theme.json'입니다.",
+ "vscode.extension.contributes.productIconThemes": "제품 아이콘 테마를 제공합니다.",
+ "vscode.extension.contributes.productIconThemes.id": "사용자 설정에서 사용되는 제품 아이콘 테마의 ID.",
+ "vscode.extension.contributes.productIconThemes.label": "UI에 표시된 제품 아이콘 테마 레이블.",
+ "vscode.extension.contributes.productIconThemes.path": "제품 아이콘 테마 정의 파일의 경로. 이 파일은 확장 폴더를 기준으로 하며 일반적으로 './producticons/awesome-product-icon-theme.json'입니다.",
+ "reqarray": "확장점 '{0}'은(는) 배열이어야 합니다.",
+ "reqpath": "`contributes.{0}.path`에 문자열이 필요합니다. 제공된 값: {1}",
+ "reqid": "`contributes.{0}.id`에 문자열이 필요합니다. 제공된 값: {1}",
+ "invalid.path.1": "확장 폴더({2})에 포함할 `contributes.{0}.path`({1})가 필요합니다. 확장이 이식 불가능해질 수 있습니다."
+ },
+ "vs/workbench/services/themes/common/themeConfiguration": {
+ "colorTheme": "워크벤치에 사용할 색상 테마를 지정합니다.",
+ "colorThemeError": "테마가 알 수 없거나 설치되지 않았습니다.",
+ "preferredDarkColorTheme": "`#{0}#`을(를) 사용하도록 설정한 경우 어두운 OS 모양에 대해 기본 설정 색 테마를 지정합니다.",
+ "preferredLightColorTheme": "`#{0}#`을(를) 사용하도록 설정한 경우 밝은 OS 모양에 대해 기본 설정 색 테마를 지정합니다.",
+ "preferredHCColorTheme": "`#{0}#`을(를) 사용하도록 설정한 경우 고대비 모드에서 사용되는 기본 설정 색 테마를 지정합니다.",
+ "detectColorScheme": "설정된 경우 OS 모양에 따라 기본 설정 색상 테마로 자동 전환됩니다.",
+ "workbenchColors": "현재 선택한 색 테마에서 색을 재정의합니다.",
+ "iconTheme": "워크벤치에서 사용한 파일 아이콘 테마를 지정하거나, 파일 아이콘을 표시하지 않도록 'null'을 지정합니다.",
+ "noIconThemeLabel": "없음",
+ "noIconThemeDesc": "파일 아이콘 없음",
+ "iconThemeError": "파일 아이콘 테마가 알 수 없거나 설치되지 않았습니다.",
+ "productIconTheme": "사용되는 제품 아이콘 테마를 지정합니다.",
+ "defaultProductIconThemeLabel": "기본값",
+ "defaultProductIconThemeDesc": "기본값",
+ "productIconThemeError": "제품 아이콘 테마를 알 수 없거나 설치하지 않았습니다.",
+ "autoDetectHighContrast": "사용하도록 설정하면 OS가 고대비 테마를 사용 중인 경우 고대비 테마로 자동으로 변경됩니다.",
+ "editorColors.comments": "주석의 색 및 스타일을 설정합니다.",
+ "editorColors.strings": "문자열 리터럴의 색 및 스타일을 설정합니다.",
+ "editorColors.keywords": "키워드의 색과 스타일을 설정합니다.",
+ "editorColors.numbers": "숫자 리터럴의 색과 스타일을 설정합니다.",
+ "editorColors.types": "형식 선언 및 참조의 색 및 스타일을 설정합니다.",
+ "editorColors.functions": "함수 선언 및 참조의 색 및 스타일을 설정합니다.",
+ "editorColors.variables": "변수 선언 및 참조의 색 및 스타일을 설정합니다.",
+ "editorColors.textMateRules": "textmate 테마 설정 규칙을 사용하여 색 및 스타일을 설정합니다(고급).",
+ "editorColors.semanticHighlighting": "이 테마에서 의미 체계 강조 표시를 사용하도록 설정해야 하는지 여부.",
+ "editorColors.semanticHighlighting.deprecationMessage": "대신 `editor.semanticTokenColorCustomizations` 설정에서 `enabled`를 사용합니다.",
+ "editorColors.semanticHighlighting.deprecationMessageMarkdown": "대신 `#editor.semanticTokenColorCustomizations#` 설정에서 `enabled`를 사용합니다.",
+ "editorColors": "현재 선택한 색 테마의 편집기 구문 색과 글꼴 스타일을 재정의합니다.",
+ "editorColors.semanticHighlighting.enabled": "이 테마에 대해 의미 체계 강조 표시를 사용할지 여부입니다.",
+ "editorColors.semanticHighlighting.rules": "이 테마의 의미 체계 토큰 스타일 규칙입니다.",
+ "semanticTokenColors": "현재 선택한 색 테마의 편집기 의미 체계 색과 스타일을 재정의합니다.",
+ "editorColors.experimentalTokenStyling.deprecationMessage": "대신 `editor.semanticTokenColorCustomizations`를 사용합니다.",
+ "editorColors.experimentalTokenStyling.deprecationMessageMarkdown": "대신 `#editor.semanticTokenColorCustomizations#`을 사용합니다."
+ },
+ "vs/workbench/services/themes/browser/productIconThemeData": {
+ "error.parseicondefs": "{0}에서 제품 아이콘 정의를 처리하는 동안 문제 발생:\r\n{1}",
+ "defaultTheme": "기본값",
+ "error.cannotparseicontheme": "제품 아이콘 파일을 구문 분석하는 중 문제 발생: {0}",
+ "error.invalidformat": "제품 아이콘 테마 파일의 잘못된 형식: 개체가 필요합니다.",
+ "error.missingProperties": "제품 아이콘 테마 파일 형식 오류: iconDefinitions 및 글꼴을 포함해야 합니다.",
+ "error.fontWeight": "'{0}' 글꼴의 글꼴 두께가 잘못되었습니다. 설정을 무시합니다.",
+ "error.fontStyle": "'{0}' 글꼴의 글꼴 스타일이 잘못되었습니다. 설정을 무시합니다.",
+ "error.fontId": "글꼴 ID '{0}'이(가) 없거나 잘못되었습니다. 글꼴 정의를 건너뜁니다.",
+ "error.icon.fontId": "아이콘 정의 '{0}'을(를) 건너뜁니다. 알 수 없는 글꼴입니다.",
+ "error.icon.fontCharacter": "아이콘 정의 '{0}'을(를) 건너뜁니다. 알 수 없는 fontCharacter입니다."
+ },
+ "vs/workbench/services/themes/common/productIconThemeSchema": {
+ "schema.id": "글꼴의 ID입니다.",
+ "schema.id.formatError": "ID에는 문자, 숫자, 밑줄 및 빼기 기호만 포함되어야 합니다.",
+ "schema.src": "글꼴의 위치입니다.",
+ "schema.font-path": "현재 제품 아이콘 테마 파일에 상대적인 글꼴 경로입니다.",
+ "schema.font-format": "글꼴의 형식입니다.",
+ "schema.font-weight": "글꼴의 두께입니다. 유효한 값은 https://developer.mozilla.org/en-US/docs/Web/CSS/font-weight를 참조하세요.",
+ "schema.font-style": "글꼴의 스타일입니다. 유효한 값은 https://developer.mozilla.org/en-US/docs/Web/CSS/font-style을 참조하세요.",
+ "schema.iconDefinitions": "아이콘 이름과 글꼴 문자의 연결입니다."
+ },
+ "vs/workbench/services/userDataSync/common/userDataSync": {
+ "settings": "설정",
+ "keybindings": "바로 가기 키",
+ "snippets": "사용자 코드 조각",
+ "extensions": "확장",
+ "ui state label": "UI 상태",
+ "sync category": "설정 동기화",
+ "syncViewIcon": "설정 동기화 보기의 뷰 아이콘입니다."
+ },
+ "vs/workbench/services/userDataSync/browser/userDataSyncWorkbenchService": {
+ "no authentication providers": "사용 가능한 인증 공급자가 없으므로 설정 동기화를 켤 수 없습니다.",
+ "no account": "사용할 수 있는 계정이 없습니다.",
+ "show log": "로그 표시",
+ "sync turned on": "{0}이(가) 켜져 있음",
+ "sync in progress": "설정 동기화를 켜고 있습니다. 취소하시겠습니까?",
+ "settings sync": "설정 동기화",
+ "yes": "예(&&Y)",
+ "no": "아니요(&&N)",
+ "turning on": "켜는 중...",
+ "syncing resource": "{0}을(를) 동기화하는 중...",
+ "conflicts detected": "충돌 감지됨",
+ "merge Manually": "수동으로 병합...",
+ "resolve": "충돌로 인해 병합할 수 없습니다. 계속하려면 수동으로 병합하세요...",
+ "merge or replace": "병합 또는 바꾸기",
+ "merge": "병합",
+ "replace local": "로컬 바꾸기",
+ "cancel": "취소",
+ "first time sync detail": "다른 머신에서 마지막으로 동기화한 것 같습니다.\r\n클라우드의 데이터와 병합하거나 클라우드의 데이터로 바꾸시겠습니까?",
+ "reset": "클라우드의 데이터가 지워지고 모든 디바이스에서 동기화가 중지됩니다.",
+ "reset title": "지우기",
+ "resetButton": "재설정(&&R)",
+ "choose account placeholder": "로그인할 계정 선택",
+ "signed in": "로그인함",
+ "last used": "마지막 사용(동기화 포함)",
+ "others": "기타",
+ "sign in using account": "{0}(으)로 로그인",
+ "successive auth failures": "연속 권한 부여 오류로 인해 설정 동기화가 일시 중단되었습니다. 계속 동기화하려면 다시 로그인하세요.",
+ "sign in": "로그인"
+ },
+ "vs/workbench/services/views/browser/viewDescriptorService": {
+ "resetViewLocation": "위치 다시 설정"
+ },
+ "vs/workbench/services/workingCopy/common/workingCopyFileOperationParticipant": {
+ "msg-create": "'파일 만들기' 참가자 실행 중...",
+ "msg-rename": "'파일 이름 바꾸기' 참가자 실행 중...",
+ "msg-copy": "'파일 복사' 참가자 실행 중...",
+ "msg-delete": "'파일 삭제' 참가자 실행 중..."
+ },
+ "vs/workbench/services/workspaces/electron-sandbox/workspaceEditingService": {
+ "save": "저장",
+ "doNotSave": "저장 안 함",
+ "cancel": "취소",
+ "saveWorkspaceMessage": "작업 영역 구성을 파일로 저장하시겠습니까?",
+ "saveWorkspaceDetail": "작업 영역을 다시 열려면 작업 영역을 저장하세요.",
+ "workspaceOpenedMessage": "'{0}' 작업 영역을 저장할 수 없음",
+ "ok": "확인",
+ "workspaceOpenedDetail": "작업 영역이 이미 다른 창에 열렸습니다. 먼저 해당 창을 닫은 후 다시 시도하세요."
+ },
+ "vs/workbench/services/workspaces/browser/abstractWorkspaceEditingService": {
+ "save": "저장",
+ "saveWorkspace": "작업 영역 저장",
+ "errorInvalidTaskConfiguration": "작업 영역 구성 파일에 쓸 수 없습니다. 파일을 열고 오류/경고를 수정한 다음 다시 시도하세요.",
+ "errorWorkspaceConfigurationFileDirty": "파일이 변경되어 작업 영역 구성 파일에 쓸 수 없습니다. 저장하고 다시 시도하세요.",
+ "openWorkspaceConfigurationFile": "작업 영역 구성 열기"
+ }
+}
diff --git a/internal/vite-plugin-monaco-editor-nls/src/locale/nl.json b/internal/vite-plugin-monaco-editor-nls/src/locale/nl.json
new file mode 100644
index 0000000..7638911
--- /dev/null
+++ b/internal/vite-plugin-monaco-editor-nls/src/locale/nl.json
@@ -0,0 +1,1830 @@
+{
+ "vs/base/browser/ui/findinput/findInput": {
+ "defaultLabel": "invoer"
+ },
+ "vs/base/browser/ui/inputbox/inputBox": {
+ "alertErrorMessage": "Fout: {0}",
+ "alertWarningMessage": "Waarschuwing: {0}",
+ "alertInfoMessage": "Info: {0}"
+ },
+ "vs/base/parts/quickopen/browser/quickOpenModel": {
+ "quickOpenAriaLabelEntry": "{0}, kiezer",
+ "quickOpenAriaLabel": "kiezer"
+ },
+ "vs/base/browser/ui/actionbar/actionbar": {
+ "titleLabel": "{0} ({1})"
+ },
+ "vs/base/browser/ui/aria/aria": {
+ "repeated": "{0} (nogmaals voorgekomen)",
+ "repeatedNtimes": "{0} ({1} keer voorgekomen)"
+ },
+ "vs/base/common/severity": {
+ "sev.error": "Fout",
+ "sev.warning": "Waarschuwing",
+ "sev.info": "Info"
+ },
+ "vs/base/node/processes": {
+ "TaskRunner.UNC": "Een shell-opdracht kan niet vanaf een UNC-station worden uitgevoerd."
+ },
+ "vs/base/common/errorMessage": {
+ "stackTrace.format": "{0}: {1}",
+ "error.defaultMessage": "Er is een onbekende fout opgetreden. Zie het logboek voor details.",
+ "nodeExceptionMessage": "Er is een systeemfout opgetreden ({0})",
+ "error.moreErrors": "{0} ({1} fout(en) in totaal)"
+ },
+ "vs/base/browser/ui/findinput/findInputCheckboxes": {
+ "caseDescription": "Identieke hoofdletters/kleine letters",
+ "wordsDescription": "Heel woord",
+ "regexDescription": "Reguliere expressie gebruiken"
+ },
+ "vs/base/parts/tree/browser/treeDefaults": {
+ "collapse": "Samenvouwen"
+ },
+ "vs/base/common/keybindingLabels": {
+ "ctrlKey": "Ctrl",
+ "shiftKey": "Shift",
+ "altKey": "Alt",
+ "windowsKey": "Windows",
+ "superKey": "Super",
+ "ctrlKey.long": "Control",
+ "shiftKey.long": "Shift",
+ "altKey.long": "Alt",
+ "cmdKey.long": "Command",
+ "windowsKey.long": "Windows",
+ "superKey.long": "Super-toets"
+ },
+ "vs/base/parts/quickopen/browser/quickOpenWidget": {
+ "quickOpenAriaLabel": "Snelkiezer. Begin met typen om de resultaten te filteren.",
+ "treeAriaLabel": "Snelkiezer",
+ "quickInput.visibleCount": "{0} resultaten"
+ },
+ "vs/base/browser/ui/list/listWidget": {
+ "aria list": "{0}. Gebruik de navigatietoetsen om te navigeren."
+ },
+ "vs/base/browser/ui/toolbar/toolbar": {
+ "moreActions": "Meer acties..."
+ },
+ "vs/base/browser/ui/menu/menu": {
+ "titleLabel": "{0} ({1})"
+ },
+ "vs/base/browser/ui/menu/menubar": {},
+ "vs/base/common/jsonErrorMessages": {
+ "error.invalidSymbol": "Ongeldig symbool",
+ "error.invalidNumberFormat": "Ongeldige getalnotatie",
+ "error.propertyNameExpected": "Eigenschapnaam verwacht",
+ "error.valueExpected": "Waarde verwacht",
+ "error.colonExpected": "Dubbele punt verwacht",
+ "error.commaExpected": "Komma verwacht",
+ "error.closeBraceExpected": "Accolade sluiten verwacht",
+ "error.closeBracketExpected": "Haak sluiten verwacht",
+ "error.endOfFileExpected": "Einde bestand verwacht"
+ },
+ "vs/editor/browser/widget/codeEditorWidget": {
+ "cursors.maximum": "Het aantal cursors is beperkt tot {0}."
+ },
+ "vs/editor/browser/controller/coreCommands": {
+ "miSelectAll": "&&Alles selecteren",
+ "miUndo": "&&Ongedaan maken",
+ "miRedo": "&&Opnieuw"
+ },
+ "vs/editor/browser/widget/diffEditorWidget": {
+ "diff.tooLarge": "Kan de bestanden niet vergelijken omdat één bestand te groot is."
+ },
+ "vs/editor/common/view/editorColorRegistry": {
+ "lineHighlight": "Achtergrondkleur voor het accent van de regel op de cursorpositie.",
+ "lineHighlightBorderBox": "Achtergrondkleur voor de rand rondom de regel van de cursorpositie.",
+ "rangeHighlight": "Achtergrondkleur van geselecteerde bereiken, zoals bij de snel openen en zoek functies. De kleur mag niet ondoorzichtig zijn, zodat onderliggende decoraties niet worden verborgen.",
+ "rangeHighlightBorder": "Achtergrondkleur van de rand rondom de gemarkeerde gebieden.",
+ "caret": "Kleur van de cursor in de editor.",
+ "editorCursorBackground": "De achtergrondkleur van de cursor in de editor. Hiermee kunt u de kleur aanpassen wanneer het teken wordt overlapt door een blok-cursor.",
+ "editorWhitespaces": "Kleur van witruimte karakters in de editor.",
+ "editorIndentGuides": "Kleur van de inspringhulplijnen in de editor.",
+ "editorActiveIndentGuide": "Kleur van de actieve inspringhulplijnen in de editor.",
+ "editorLineNumbers": "Kleur van de regelnummers in de editor.",
+ "editorActiveLineNumber": "Kleur van het actieve regelnummer in de editor.",
+ "deprecatedEditorActiveLineNumber": "Id is verouderd. Gebruik in plaats daarvan 'editorLineNumber.activeForeground'.",
+ "editorRuler": "Kleur van de linialen in de editor.",
+ "editorCodeLensForeground": "Voorgrondkleur van de Code Lenses in de editor",
+ "editorBracketMatchBackground": "Achtergrondkleur achter bijpassende haken",
+ "editorBracketMatchBorder": "Kleur voor bijbehorende blokhaken.",
+ "editorOverviewRulerBorder": "Kleur van overzichtslineaal rand.",
+ "editorGutter": "Achtergrondkleur rugmarge van editor. De rugmarge bevat de regelnummers en margepictogrammen.",
+ "errorForeground": "Voorgrondkleur van foutkrabbels in de editor.",
+ "errorBorder": "Randkleur van foutkrabbels in de editor.",
+ "warningForeground": "Voorgrondkleur van waarschuwingskrabbels in de editor.",
+ "warningBorder": "Randkleur van waarschuwingskrabbels in de editor.",
+ "infoForeground": "Voorgrondkleur van infokrabbels in de editor.",
+ "infoBorder": "Randkleur van infokrabbels in de editor.",
+ "hintForeground": "Voorgrondkleur van hint squigglies in de editor.",
+ "hintBorder": "De kleur van de rand van hint squigglies in de editor.",
+ "unnecessaryCodeBorder": "Randkleur van overbodige code in de editor.",
+ "unnecessaryCodeOpacity": "Matheid van overbodige code in de editor.",
+ "overviewRulerRangeHighlight": "Markeringskleur voor het aangeven van bereiken in de overzichtsliniaal. De kleur moet doorzichtig zijn, zodat de onderliggende opmaak niet wordt verborgen.",
+ "overviewRuleError": "Markeringskleur in de overzichtslineaal voor fouten.",
+ "overviewRuleWarning": "Markeringskleur in de overzichtslineaal voor waarschuwingen.",
+ "overviewRuleInfo": "Markeringskleur in de overzichtslineaal voor info."
+ },
+ "vs/editor/common/modes/modesRegistry": {
+ "plainText.alias": "Platte Tekst"
+ },
+ "vs/editor/common/config/editorOptions": {
+ "accessibilityOffAriaLabel": "De editor is niet beschikbaar op dit moment. Druk op Alt+F1 voor opties.",
+ "editorViewAccessibleLabel": "Editorinhoud"
+ },
+ "vs/editor/common/controller/cursor": {
+ "corrupt.commands": "Onverwachte uitzondering tijdens uitvoeren van opdracht."
+ },
+ "vs/editor/browser/widget/diffReview": {
+ "label.close": "Sluiten",
+ "no_lines": "geen regels",
+ "one_line": "1 regel",
+ "more_lines": "{0} regels",
+ "header": "Verschil {0} van {1}: origineel {2}, {3}, aangepast {4}, {5}",
+ "blankLine": "leeg",
+ "equalLine": "oorspronkelijk {0}, aangepast {1}:{2}",
+ "insertLine": "+ aangepast {0}: {1}",
+ "deleteLine": "- oorspronkelijk {0}: {1}",
+ "editor.action.diffReview.next": "Ga naar volgende verschil",
+ "editor.action.diffReview.prev": "Ga naar vorig verschil"
+ },
+ "vs/editor/common/config/commonEditorConfig": {
+ "editorConfigurationTitle": "Editor",
+ "fontFamily": "De lettertypefamilie bepalen.",
+ "fontWeight": "Bepaalt de dikte van het lettertype.",
+ "fontSize": "Bepaalt de tekengrootte in pixels.",
+ "lineHeight": "Bepaalt de lijnhoogte. Gebruik 0 om de lijnhoogte te berekenen op basis van de letter grootte.",
+ "letterSpacing": "Bepaalt de letter afstand in pixels.",
+ "lineNumbers.off": "Regelnummers worden niet weergegeven.",
+ "lineNumbers.on": "Regelnummers worden weergegeven als absolute getallen.",
+ "lineNumbers.relative": "Regelnummers worden weergegeven als afstand in aantal regels tot de cursorpositie.",
+ "lineNumbers.interval": "Regelnummers worden elke 10 regels weergegeven.",
+ "lineNumbers": "Bepaalt de zichtbaarheid van regelnummers.",
+ "minimap.side": "Bepaalt de kant waar de minimap wordt getoond.",
+ "minimap.showSlider": "Bepaalt of de schuifbalk van de minimap automatisch wordt verborgen.",
+ "wordWrap.off": "Geen tekstterugloop.",
+ "wordWrap.on": "Regels zullen teruglopen op de breedte van de viewport.",
+ "multiCursorModifier.ctrlCmd": "Vertaalt zich naar 'Control' op Windows en Linux en 'Command' op macOS.",
+ "multiCursorModifier.alt": "Vertaalt zich naar 'Alt' op Windows en Linux en 'Option' op macOS.",
+ "multiCursorMergeOverlapping": "Voeg meerdere cursors samen wanneer ze elkaar overlappen.",
+ "quickSuggestions.strings": "Schakel snelle suggesties in binnen strings.",
+ "quickSuggestions.comments": "Schakel snelle suggesties in binnen commentaren.",
+ "quickSuggestions.other": "Schakel snelle suggesties in buiten strings of commentaren.",
+ "snippetSuggestions.top": "Toon fragment suggesties boven andere suggesties.",
+ "snippetSuggestions.bottom": "Toon fragment suggesties onder andere suggesties.",
+ "snippetSuggestions.inline": "Toon fragment suggesties met andere suggesties.",
+ "snippetSuggestions.none": "Verberg fragment suggesties.",
+ "snippetSuggestions": "Bepaalt of fragmenten met andere suggesties worden getoond en hoe deze gesorteerd worden.",
+ "emptySelectionClipboard": "Bepaalt of kopiëren zonder selectie de huidige regel kopieert",
+ "wordBasedSuggestions": "Bepaalt of aanvullingen dienen te worden berekend op basis van woorden in het document.",
+ "suggestSelection.first": "Selecteer altijd de eerste suggestie.",
+ "suggestSelection.recentlyUsed": "Selecteer recente suggesties totdat verder typen er een selecteert, bijvoorbeeld `console.| -> console.log` omdat `log` recent voltooid is.",
+ "suggestSelection.recentlyUsedByPrefix": "Selecteer suggesties op basis van eerdere prefixen die deze suggesties hebben voltooid, bijvoorbeeld `co -> console` en `con -> const`.",
+ "suggestSelection": "Bepaalt hoe suggesties zijn voorgeselecteerd bij het tonen van de lijst met suggesties.",
+ "suggest.filterGraceful": "Hiermee bepaalt u of filteren en sorteren van suggesties rekening houdt met kleine typefouten.",
+ "suggest.snippetsPreventQuickSuggestions": "Bepalen of een actief fragment snelle suggesties voorkomt.",
+ "cursorBlinking": "Bepaalt de cursor animatiestijl.",
+ "folding": "Bepaalt of code-invouwing ingeschakeld is",
+ "showFoldingControls": "Bepaalt of de vouwknoppen in de kantlijn automatisch verborgen worden.",
+ "matchBrackets": "Markeer gekoppelde haakjes als één van beide geselecteerd wordt.",
+ "glyphMargin": "Hiermee bepaalt u of de editor de verticale glyph marge moet weergeven. Glyph marge wordt meestal gebruikt voor foutopsporing.",
+ "accessibilitySupport.auto": "De editor zal gebruik maken van platform-API's om te detecteren of er een schermlezer aangesloten is.",
+ "accessibilitySupport.on": "De editor zal permanent geoptimaliseerd zijn voor gebruik met een schermlezer.",
+ "accessibilitySupport.off": "De editor wordt niet geoptimaliseerd voor gebruik met een schermlezer",
+ "accessibilitySupport": "Bepaalt of de editor in een modus geoptimaliseerd voor schermlezers wordt uitgevoerd.",
+ "showUnused": "Besturingselementen vervagen in ongebruikte code.",
+ "colorDecorators": "Bepaalt of de editor het inline kleurvoorbeeld met kleurkiezer weergeeft",
+ "codeActionsOnSave": "Soorten code actie die kunnen worden uitgevoerd bij opslaan.",
+ "largeFileOptimizations": "Speciale afhandeling voor grote bestanden om bepaalde geheugen-intensieve functies uit te schakelen."
+ },
+ "vs/platform/environment/node/argv": {
+ "gotoValidation": "Argumenten in `--goto` modus dienen conform de vorm `BESTAND(:REGEL(:TEKEN))` te zijn.",
+ "diff": "Vergelijk twee bestanden met elkaar.",
+ "add": "Voeg map(pen) toe aan het laatst actieve venster.",
+ "goto": "Open een bestand op de opgegeven regel en tekenpositie.",
+ "newWindow": "Forceer het openen van een nieuw venster.",
+ "wait": "Wacht tot de bestanden zijn gesloten alvorens terug te keren.",
+ "locale": "De te gebruiken landinstellingen (bijvoorbeeld en-US of zh-TW).",
+ "userDataDir": "Specificeert de map waarin de gebruikersgegevens opgeslagen worden. Kan gebruikt worden om verschillende instanties van Code te openen.",
+ "version": "Toon versie.",
+ "help": "Toon verbruik.",
+ "extensionHomePath": "Basispad voor extensies instellen.",
+ "listExtensions": "Toon de geïnstalleerde extensies.",
+ "showVersions": "Toon de versie van de geïnstalleerde extensies, bij gebruik van --list-extension.",
+ "uninstallExtension": "Verwijdert een extensie.",
+ "verbose": "Uitgebreide uitvoer tonen (impliceert --wait)",
+ "log": "Het te gebruiken log-niveau. De standaardwaarde is 'info'. De toegestane waarden zijn 'critical', 'error', 'warn', 'debug', 'trace' en 'off'.",
+ "status": "Geef het procesgebruik en de diagnostische informatie weer.",
+ "performance": "Start met het commando 'Ontwikkelaar: Opstartprestaties' ingeschakeld.",
+ "prof-startup": "CPU profiler uitvoeren tijdens opstarten",
+ "disableExtensions": "Alle geïnstalleerde extensies uitschakelen.",
+ "inspect-extensions": "Sta debuggen en profilering van extensies toe. Controleer de ontwikkelaarstools voor de connectie URI.",
+ "inspect-brk-extensions": "Sta debuggen en profilering van extensies toe, waarbij de extensie-host gepauzeerd wordt na het opstarten. Controleer de ontwikkelaarstools voor de connectie URI.",
+ "disableGPU": "GPU-hardwareversnelling uitschakelen.",
+ "uploadLogs": "Upload logs van de huidige sessie naar een veilige locatie.",
+ "maxMemory": "Maximale geheugengrootte voor een venster (in Mbyte)",
+ "usage": "Gebruik",
+ "options": "opties",
+ "paths": "paden",
+ "stdinWindows": "Om de uitvoer van een ander programma te lezen, voeg '-' toe (bv. 'echo Hello World' | {0} -')",
+ "stdinUnix": "Om van stdin te lezen, voeg '-' toe (bv. 'ps aux | grep code | {0} -')",
+ "optionsUpperCase": "Opties",
+ "extensionsManagement": "Extensiebeheer",
+ "troubleshooting": "Probleemoplossing"
+ },
+ "vs/platform/request/node/request": {
+ "httpConfigurationTitle": "HTTP",
+ "proxyAuthorization": "De waarde die als 'Proxy-Authorization'-header meegestuurd moet worden bij elk netwerkverzoek."
+ },
+ "vs/platform/history/electron-main/historyMainService": {
+ "newWindow": "Nieuw venster",
+ "newWindowDesc": "Opent een nieuw venster",
+ "recentFolders": "Recente Werkruimtes",
+ "folderDesc": "{0} {1}",
+ "codeWorkspace": "Code Werkruimte"
+ },
+ "vs/platform/workspaces/common/workspaces": {
+ "codeWorkspace": "Code Werkruimte"
+ },
+ "vs/platform/dialogs/common/dialogs": {
+ "moreFile": "...1 extra bestand niet getoond",
+ "moreFiles": "...{0} extra bestanden niet getoond"
+ },
+ "vs/platform/dialogs/node/dialogService": {
+ "cancel": "Annuleren"
+ },
+ "vs/platform/label/common/label": {
+ "untitledWorkspace": "Naamloos (werkruimte)",
+ "workspaceNameVerbose": "{0} (Werkruimte)",
+ "workspaceName": "{0} (Werkruimte)"
+ },
+ "vs/platform/extensionManagement/common/extensionManagement": {
+ "extensions": "Extensies",
+ "preferences": "Voorkeuren"
+ },
+ "vs/platform/extensionManagement/node/extensionManagementService": {
+ "invalidManifest": "Extensie ongeldig: package.json is geen JSON-bestand.",
+ "malicious extension": "Kan de extensie niet installeren, omdat het gerapporteerd werd als problematisch.",
+ "MarketPlaceDisabled": "Marketplace is niet ingeschakeld",
+ "removeError": "Fout tijdens het verwijderen van de uitbreiding: {0}. Gelieve VS Code te stoppen en weer te starten voordat u het opnieuw probeert.",
+ "Not a Marketplace extension": "Alleen Marketplace extensies kunnen opnieuw worden geïnstalleerd",
+ "quitCode": "Kan de extensie niet installeren. Stop en start VS Code vervolgens opnieuw op voordat je de extensie opnieuw installeert.",
+ "exitCode": "Kan de extensie niet installeren. Verlaat en herstart VS Code voordat je de extensie opnieuw installeert.",
+ "renameError": "Onbekende fout bij het hernoemen van {0} naar {1}",
+ "singleDependentError": "Kan extensie '{0}' niet verwijderen. Extensie '{1}' hangt hiervan af.",
+ "twoDependentsError": "Kan extensie '{0}' niet verwijderen. Extensie '{1}' en '{2}' zijn hiervan afhankelijk.",
+ "multipleDependentsError": "Kan extensie '{0}' niet verwijderen. Extensies '{1}', '{2}' en anderen zijn hiervan afhankelijk.",
+ "notExists": "Extensie kon niet gevonden worden"
+ },
+ "vs/platform/telemetry/common/telemetryService": {
+ "telemetryConfigurationTitle": "Telemetrie"
+ },
+ "vs/platform/extensionManagement/node/extensionManagementUtil": {},
+ "vs/platform/list/browser/listService": {
+ "workbenchConfigurationTitle": "Werkbank",
+ "multiSelectModifier.ctrlCmd": "Vertaalt zich naar 'Control' op Windows en Linux en 'Command' op macOS.",
+ "multiSelectModifier.alt": "Vertaalt zich naar 'Alt' op Windows en Linux en 'Option' op macOS.",
+ "horizontalScrolling setting": "Hiermee bepaalt u of boomstructuren horizontaal scrollen ondersteunen in de werkbank."
+ },
+ "vs/platform/configuration/common/configurationRegistry": {
+ "defaultConfigurations.title": "Aanpassingen van de standaardconfiguratie.",
+ "overrideSettings.description": "Configureer de instellingen van de editor die voor de {0} taal overschreven moeten worden.",
+ "overrideSettings.defaultDescription": "Configureer de instellingen van de editor die voor een taal overschreven moeten worden.",
+ "config.property.languageDefault": "Kan '{0}' niet registreren. Dit komt overeen met de eigenschap met patroon '\\\\[.*\\\\]$' voor het beschrijven van specifieke editor taalinstellingen. Gebruik 'configurationDefaults'.",
+ "config.property.duplicate": "Kan '{0}' niet registreren. Deze eigenschap is al geregistreerd."
+ },
+ "vs/platform/actions/browser/menuItemActionItem": {
+ "titleAndKb": "{0} ({1})"
+ },
+ "vs/platform/theme/common/colorRegistry": {
+ "schema.colors": "Kleuren die worden gebruikt in de workbench.",
+ "foreground": "Algemene voorgrondkleur. Deze kleur wordt alleen gebruikt wanneer deze niet door een component wordt overschreven.",
+ "errorForeground": "Algemene voorgrondkleur voor foutberichten. Deze kleur wordt alleen gebruikt als dat niet door een component wordt overschreven.",
+ "descriptionForeground": "Voorgrondkleur voor beschrijvende tekst met aanvullende informatie, bijvoorbeeld voor een label.",
+ "focusBorder": "Algemene randkleur voor actieve elementen. Deze kleur wordt alleen gebruikt wanneer dit niet door een component wordt overschreven.",
+ "contrastBorder": "Een extra rand rondom de elementen om ze te scheiden van andere elementen voor meer contrast.",
+ "activeContrastBorder": "Een extra rand rondom actieve elementen om ze te scheiden van andere elementen voor meer contrast.",
+ "selectionBackground": "De achtergrondkleur van tekstselecties in de workbench (bijv. voor invoervelden of tekstgebieden). Merk op dat dit niet van toepassing is op selecties binnen de editor.",
+ "textSeparatorForeground": "Kleur voor scheidingstekens.",
+ "textLinkForeground": "Voorgrondkleur van links in de tekst.",
+ "textLinkActiveForeground": "Voorgrondkleur voor links in tekst bij klikken en bij aanwijzen met muis.",
+ "textPreformatForeground": "Voorgrondkleur van voorgeformatteerde tekstsegmenten.",
+ "textBlockQuoteBackground": "Achtergrondkleur voor blok citaten in tekst.",
+ "textBlockQuoteBorder": "Randkleur voor blok citaten in tekst.",
+ "textCodeBlockBackground": "Achtergrondkleur voor codeblokken in tekst.",
+ "widgetShadow": "Kleur van de schaduw voor widgets, zoals zoek/vervang, in de editor",
+ "inputBoxBackground": "Achtergrond van het invoerveld",
+ "inputBoxForeground": "Voorgrond van het invoerveld",
+ "inputBoxBorder": "Rand van het invoerveld",
+ "inputBoxActiveOptionBorder": "Randkleur van de geactiveerde opties in de invoervelden",
+ "inputPlaceholderForeground": "Voorgrondkleur van de placeholdertekst in het invoerveld",
+ "inputValidationInfoBackground": "Invoervalidatie achtergrondkleur voor informatie.",
+ "inputValidationInfoBorder": "Invoervalidatie randkleur voor informatie.",
+ "inputValidationWarningBackground": "Achtergrondkleur bij invoervalidatie voor melding van de ernst waarschuwing.",
+ "inputValidationWarningBorder": "Invoervalidatie randkleur voor waarschuwing.",
+ "inputValidationErrorBackground": "Achtergrondkleur bij invoervalidatie voor melding van de ernst fout.",
+ "inputValidationErrorBorder": "Invoervalidatie randkleur voor fout.",
+ "dropdownBackground": "Dropdown achtergrond.",
+ "dropdownListBackground": "Dropdown lijst achtergrond.",
+ "dropdownForeground": "Dropdown voorgrond.",
+ "dropdownBorder": "Dropdown rand.",
+ "listFocusBackground": "Achtergrondkleur van lijst/boom voor het item met focus wanneer de lijst/boom actief is. Een actieve lijst/boom reageert op invoer van het toetsenbord, een inactieve niet.",
+ "listFocusForeground": "Voorgrondkleur van lijst/boom voor het item met focus wanneer de lijst/boom actief is. Een actieve lijst/boom reageert op invoer van het toetsenbord, een inactieve niet.",
+ "listActiveSelectionBackground": "Achtergrondkleur lijst/boom voor het geselecteerde item wanneer de lijst/boom actief is. Een actieve lijst/boom reageert op invoer van het toetsenbord, een inactieve niet.",
+ "listActiveSelectionForeground": "Voorgrondkleur lijst/boom voor het geselecteerde item wanneer de lijst/boom actief is. Een actieve lijst/boom reageert op invoer van het toetsenbord, een inactieve niet.",
+ "listInactiveSelectionBackground": "Achtergrondkleur lijst/boom voor het geselecteerde item wanneer de lijst/boom inactief is. Een actieve lijst/boom reageert op invoer van het toetsenbord, een inactieve niet.",
+ "listInactiveSelectionForeground": "Voorgrondkleur lijst/boom voor het geselecteerde item wanneer de lijst/boom inactief is. Een actieve lijst/boom reageert op invoer van het toetsenbord, een inactieve niet.",
+ "listHoverBackground": "Achtergrond lijst/boom wanneer de muis over items zweeft.",
+ "listHoverForeground": "Voorgrond lijst/boom wanneer de muis over items zweeft.",
+ "listDropBackground": "Achtergond lijst/boom voor verslepen wanneer items met de muis worden verplaatst.",
+ "highlight": "Voorgrondkleur lijst/boom van de gevonden-markeringen bij zoeken in de lijst/boom.",
+ "invalidItemForeground": "Voorgrondkleur lijst/boom voor ongeldige items, bijvoorbeeld een niet gevonden hoofdmap in de verkenner.",
+ "listErrorForeground": "Voorgrondkleur van items in de lijst met fouten.",
+ "listWarningForeground": "Voorgrondkleur van items in de lijst met waarschuwingen.",
+ "pickerGroupForeground": "Snelkiezer kleur voor groep labels.",
+ "pickerGroupBorder": "Snelkiezer kleur voor groep randen.",
+ "buttonForeground": "Voorgrondkleur van de knop.",
+ "buttonBackground": "Achtergrondkleur van de knop.",
+ "buttonHoverBackground": "Knop achtergrondkleur wanneer de cursor erop staat.",
+ "badgeBackground": "Achtergrondkleur van de badge. Een badge is een klein label met informatie, zoals het aantal zoekresultaten",
+ "badgeForeground": "Voorgrondkleur van de badge. Een badge is een klein label met informatie, zoals het aantal zoekresultaten.",
+ "scrollbarShadow": "Schaduw van de schuifbalk om aan te geven dat de weergave is verschoven.",
+ "scrollbarSliderBackground": "Achtergrondkleur van de schuifbalkregelaar.",
+ "scrollbarSliderHoverBackground": "Achtergrondkleur van de schuifbalkregelaar bij muisfocus",
+ "scrollbarSliderActiveBackground": "Achtergrondkleur van schuifbalkregelaar bij klikken.",
+ "progressBarBackground": "Achtergrondkleur van de voortgangsbalk die bij langlopende bewerkingen weergegeven kan worden.",
+ "editorBackground": "Achtergrondkleur van de editor.",
+ "editorForeground": "Standaard voorgrondkleur van de editor.",
+ "editorWidgetBackground": "Achtergrondkleur van widgets in de editor, zoals zoek/vervang.",
+ "editorWidgetBorder": "Randkleur van widgets in de editor. De kleur wordt enkel gebruikt als de widget een rand heeft en de kleur niet wordt overschreven door de widget zelf.",
+ "editorWidgetResizeBorder": "Randkleur van de formaatbalk van widgets in de editor. De kleur wordt enkel gebruikt als de widget een rand heeft en de kleur niet wordt overschreven door de widget zelf.",
+ "editorSelectionBackground": "Kleur van de selectie in de editor",
+ "editorSelectionForeground": "Kleur van de geselecteerde tekst voor hoog contrast.",
+ "editorInactiveSelection": "Kleur van de selectie in een niet-actieve editor. De kleur moet doorzichtig zijn, zodat de onderliggende opmaak niet wordt verborgen.",
+ "editorSelectionHighlight": "Kleur van de gebieden met dezelfde inhoud als de selectie. De kleur moet doorzichtig zijn, zodat de onderliggende opmaak niet wordt verborgen.",
+ "editorSelectionHighlightBorder": "Randkleur van de gebieden met dezelfde inhoud als de selectie.",
+ "editorFindMatch": "Kleur van de huidige gevonden overeenkomst.",
+ "findMatchHighlight": "Kleur van de andere overeenkomsten met de zoekterm. De kleur moet doorzichtig zijn, zodat de onderliggende opmaak niet wordt verborgen.",
+ "findRangeHighlight": "Kleur voor het bereik van de zoekopdracht. De kleur moet doorzichtig zijn, zodat de onderliggende opmaak niet wordt verborgen.",
+ "editorFindMatchBorder": "Randkleur van de huidige gevonden overeenkomst.",
+ "findMatchHighlightBorder": "Randkleur van de andere gevonden overeenkomsten.",
+ "findRangeHighlightBorder": "Randkleur voor het bereik van de zoekopdracht. De kleur moet doorzichtig zijn, zodat de onderliggende opmaak niet wordt verborgen.",
+ "hoverHighlight": "Kleur van de markering onder het woord waarvoor een muisfocus wordt getoond. De kleur moet doorzichtig zijn, zodat de onderliggende opmaak niet wordt verborgen. ",
+ "hoverBackground": "Achtergrondkleur van de editor bij muisfocus.",
+ "hoverBorder": "Randkleur van de editor bij muisfocus.",
+ "activeLinkForeground": "Kleur van actieve koppelingen.",
+ "diffEditorInserted": "Achtergrondkleur voor tekst die werd toegevoegd. De kleur moet doorzichtig zijn, zodat de onderliggende opmaak niet wordt verborgen.",
+ "diffEditorRemoved": "Achtergrondkleur voor tekst die werd verwijderd. De kleur moet doorzichtig zijn, zodat de onderliggende opmaak niet wordt verborgen.",
+ "diffEditorInsertedOutline": "Kleur van omlijning van toegevoegde tekst.",
+ "diffEditorRemovedOutline": "Kleur van omlijning van verwijderde tekst.",
+ "mergeCurrentHeaderBackground": "Achtergrondkleur van huidige kop in inline samenvoegconflicten. De kleur moet doorzichtig zijn, zodat de onderliggende opmaak niet wordt verborgen.",
+ "mergeCurrentContentBackground": "Achtergrondkleur van huidige inhoud in inline samenvoegconflicten. De kleur moet doorzichtig zijn, zodat de onderliggende opmaak niet wordt verborgen. ",
+ "mergeIncomingHeaderBackground": "Achtergrondkleur van binnenkomende kop in inline samenvoegconflicten. De kleur moet doorzichtig zijn, zodat de onderliggende opmaak niet wordt verborgen. ",
+ "mergeIncomingContentBackground": "Achtergrondkleur van binnenkomende inhoud in inline samenvoegconflicten. De kleur moet doorzichtig zijn, zodat de onderliggende opmaak niet wordt verborgen.",
+ "mergeCommonHeaderBackground": "Achtergrondkleur van de kop van overeenkomende ouder in inline samenvoegconflicten. De kleur moet doorzichtig zijn, zodat de onderliggende opmaak niet wordt verborgen.",
+ "mergeCommonContentBackground": "Achtergrondkleur van de inhoud van de overeenkomende ouder in inline samenvoegconflicten. De kleur moet doorzichtig zijn, zodat de onderliggende opmaak niet wordt verborgen.",
+ "mergeBorder": "Randkleur van de koppen en de splitser in samenvoegconflicten.",
+ "overviewRulerCurrentContentForeground": "Voorgrondkleur van de huidige tekst overzichtsliniaal voor inline samenvoegconflicten.",
+ "overviewRulerIncomingContentForeground": "Voorgrondkleur van de inkomende tekst overzichtsliniaal voor inline samenvoegconflicten.",
+ "overviewRulerCommonContentForeground": "Voorgrondkleur van de gezamenlijke ouder overzichtsliniaal voor inline samenvoegconflicten.",
+ "overviewRulerFindMatchForeground": "Markeringskleur voor gevonden overeenkomsten in de overzichtsliniaal. De kleur moet doorzichtig zijn, zodat de onderliggende opmaak niet wordt verborgen.",
+ "overviewRulerSelectionHighlightForeground": "Markeringskleur voor selecties in de overzichtsliniaal. De kleur moet doorzichtig zijn, zodat de onderliggende opmaak niet wordt verborgen. "
+ },
+ "vs/platform/node/minimalTranslations": {
+ "searchMarketplace": "Doorzoek Marktplaats",
+ "installAndRestart": "Installeren en opnieuw opstarten"
+ },
+ "vs/platform/storage/node/storageService": {},
+ "vs/platform/markers/common/markers": {
+ "sev.error": "Fout",
+ "sev.warning": "Waarschuwing",
+ "sev.info": "Info"
+ },
+ "vs/platform/update/node/update.config.contribution": {
+ "updateConfigurationTitle": "Update"
+ },
+ "vs/platform/windows/electron-main/windowsService": {
+ "okButton": "OK",
+ "copy": "&&Kopieer"
+ },
+ "vs/platform/issue/electron-main/issueService": {
+ "yes": "Ja",
+ "cancel": "Annuleren",
+ "issueReporter": "Probleemmelder",
+ "processExplorer": "Procesverkenner"
+ },
+ "vs/platform/node/zip": {
+ "invalid file": "Fout bij het uitpakken van {0}. Ongeldig bestand.",
+ "incompleteExtract": "Onvolledig. {0} van {1} items zijn gevonden",
+ "notFound": "{0} niet gevonden in zip"
+ },
+ "vs/platform/extensions/node/extensionValidator": {
+ "versionSyntax": "De waarde {0} voor 'engines.vscode' kon niet worden verwerkt. Gebruik gaarne, bijvoorbeeld: ^1.22.0, ^1.22.x, enz.",
+ "versionSpecificity1": "Versie die is opgegeven in 'engines.vscode' ({0}) is niet specifiek genoeg. Voor vscode versies vóór 1.0.0, dient minimaal de gewenste hoofd- en onderversie opgegeven te worden. Bijvoorbeeld ^0.10.0, 0.10.x, 0.11.0, enz.",
+ "versionSpecificity2": "De versie die is opgegeven in 'engines.vscode' ({0}) is niet specifiek genoeg. Voor vscode versies na 1.0.0 dient minimaal de gewenste hoofdversie opgegeven te worden. Bijvoorbeeld ^1.10.0, 1.10.x, 1.x.x, 2.x.x, enz.",
+ "versionMismatch": "Extensie ondersteunt Code {0} niet. Extensie vereist: {1}."
+ },
+ "vs/platform/keybinding/common/abstractKeybindingService": {
+ "first.chord": "Er is op ({0}) gedrukt. Er wordt gewacht op het indrukken van de tweede toets...",
+ "missing.chord": "De toetsencombinatie ({0}, {1}) is geen opdracht."
+ },
+ "vs/platform/integrity/node/integrityServiceImpl": {
+ "integrity.prompt": "De installatie van {0} lijkt te zijn beschadigd. Installeer opnieuw.",
+ "integrity.moreInformation": "Meer informatie",
+ "integrity.dontShowAgain": "Niet opnieuw tonen"
+ },
+ "vs/platform/extensionManagement/common/extensionEnablementService": {
+ "noWorkspace": "Geen werkruimte."
+ },
+ "vs/platform/menubar/electron-main/menubar": {
+ "miNewWindow": "Nieuw &&venster",
+ "mFile": "&&Bestand",
+ "mEdit": "&&Bewerken",
+ "mSelection": "&&Selectie",
+ "mView": "&&Beeld",
+ "mGoto": "&&Ga",
+ "mDebug": "&&Foutopsporing",
+ "mWindow": "Venster",
+ "mHelp": "&&Help",
+ "mAbout": "Info over {0}",
+ "miPreferences": "&&Voorkeuren",
+ "mServices": "Diensten",
+ "mHide": "{0} verbergen",
+ "mHideOthers": "Overige verbergen",
+ "mShowAll": "Alles weergeven",
+ "miQuit": "{0} beëindigen",
+ "mMinimize": "Minimaliseren",
+ "mBringToFront": "Alles naar voorgrond brengen",
+ "mShowPreviousTab": "Toon vorige tabblad",
+ "mShowNextTab": "Toon volgende tabblad",
+ "mMergeAllWindows": "Alle vensters samenvoegen",
+ "miCheckingForUpdates": "Controleren op updates...",
+ "miDownloadingUpdate": "Update downloaden...",
+ "miInstallingUpdate": "Update installeren..."
+ },
+ "vs/code/electron-main/main": {
+ "secondInstanceNoResponse": "Een ander exemplaar van {0} is uitgevoerd, maar reageert niet",
+ "secondInstanceNoResponseDetail": "Sluit alle andere exemplaren en probeer het opnieuw.",
+ "secondInstanceAdmin": "Een tweede instantie van {0} wordt al uitgevoerd als administrator.",
+ "close": "&&Sluiten"
+ },
+ "vs/code/node/cliProcessMain": {
+ "notFound": "Extensie '{0}' niet gevonden.",
+ "notInstalled": "Extensie '{0}' is niet geïnstalleerd.",
+ "useId": "Zorg ervoor dat u de volledige extensie-ID, inclusief de uitgever, gebruikt, bijvoorbeeld: {0}",
+ "successVsixInstall": "Extensie '{0}' succesvol geïnstalleerd!",
+ "cancelVsixInstall": "Installeren van extensie '{0}' geannuleerd.",
+ "alreadyInstalled": "Extensie '{0}' is al geïnstalleerd.",
+ "foundExtension": "'{0}' gevonden op de marktplaats.",
+ "installing": "Installeren...",
+ "successInstall": "Extensie '{0}' v{1} is succesvol geïnstalleerd!",
+ "uninstalling": "Verwijderen {0}...",
+ "successUninstall": "Extensie '{0}' is succesvol verwijderd!"
+ },
+ "vs/code/electron-browser/issue/issueReporterMain": {
+ "previewOnGitHub": "Bekijk op GitHub",
+ "loadingData": "Gegevens laden...",
+ "rateLimited": "GitHub query limiet overschreden. Een ogenblik geduld.",
+ "similarIssues": "Vergelijkbare problemen",
+ "open": "Open",
+ "closed": "Gesloten",
+ "bugReporter": "Bugrapport",
+ "performanceIssue": "Prestatieprobleem",
+ "stepsToReproduce": "Stappen om te reproduceren",
+ "description": "Beschrijving",
+ "expectedResults": "Verwachte resultaten",
+ "pasteData": "De benodigde gegevens zijn naar uw klembord geschreven, omdat het te groot was om te versturen. Gelieve te plakken.",
+ "disabledExtensions": "Extensies zijn uitgeschakeld"
+ },
+ "vs/code/electron-browser/processExplorer/processExplorerMain": {
+ "killProcess": "Proces stoppen",
+ "forceKillProcess": "Proces geforceerd stoppen",
+ "copy": "Kopiëren"
+ },
+ "vs/code/electron-main/app": {},
+ "vs/code/electron-main/logUploader": {
+ "beginUploading": "Uploaden...",
+ "didUploadLogs": "Upload succesvol! ID van logbestand: {0}",
+ "logUploadPromptHeader": "U staat op het punt uw sessielogboeken te versturen naar een beveiligd Microsoft-eindpunt dat slechts toegankelijk is voor Microsofts leden van het VS Code team.",
+ "logUploadPromptBody": "Sessielogboeken kunnen persoonlijke gegevens bevatten zoals volledige paden of bestandsinhoud. Gelieve uw sessie-logbestanden hier te bekijken en redigeren: '{0}'",
+ "logUploadPromptBodyDetails": "Indien u verder gaat, bevestigt u dat u uw sessie-logbestanden hebt herzien en geredigeerd en dat u akkoord gaat dat Microsoft deze gebruikt om VS Code te debuggen.",
+ "logUploadPromptAcceptInstructions": "Gelieve code uit te voeren met '--upload-logs = {0}' om door te gaan met uploaden",
+ "parseError": "Fout bij verwerken antwoord",
+ "zipError": "Fout bij comprimeren logboeken: {0}"
+ },
+ "vs/code/electron-browser/issue/issueReporterPage": {
+ "completeInEnglish": "Gelieve het formulier in het Engels in te vullen.",
+ "issueTypeLabel": "Dit is een",
+ "issueSourceLabel": "Bestand op",
+ "vscode": "Visual Studio Code",
+ "extension": "Een extensie",
+ "chooseExtension": "Extensie",
+ "issueTitleLabel": "Titel",
+ "issueTitleRequired": "Voer een titel in.",
+ "titleLengthValidation": "De titel is te lang.",
+ "details": "Voer details in."
+ },
+ "vs/code/electron-main/windows": {
+ "pathNotExistTitle": "Het pad bestaat niet",
+ "pathNotExistDetail": "Het pad '{0}' lijkt niet meer te bestaan op de schijf.",
+ "ok": "OK",
+ "reopen": "&&Heropenen",
+ "wait": "&&Blijf wachten",
+ "close": "&&Sluiten",
+ "appStalled": "Het venster reageert niet meer",
+ "appStalledDetail": "U kunt het venster heropenen of sluiten, of blijven wachten.",
+ "appCrashed": "Het venster is vastgelopen",
+ "appCrashedDetail": "Excuses voor het ongemak! Je kan het venster heropenen om door te gaan waar je gebleven was.",
+ "open": "Openen",
+ "openFolder": "Open map",
+ "openFile": "Bestand openen",
+ "workspaceOpenedMessage": "Werkruimte '{0}' kan niet worden opgeslagen",
+ "workspaceOpenedDetail": "De werkruimte is reeds geopend in een ander venster. Sluit dat ander venster en probeer het opnieuw.",
+ "openWorkspace": "&&Openen",
+ "openWorkspaceTitle": "Werkruimte openen",
+ "save": "&&Opslaan",
+ "doNotSave": "Sla &&niet op",
+ "cancel": "Annuleren",
+ "saveWorkspaceMessage": "Wilt u de configuratie van uw werkruimte opslaan als een bestand?",
+ "saveWorkspaceDetail": "Bewaar uw werkruimte als u van plan bent deze opnieuw te openen.",
+ "saveWorkspace": "Werkruimte opslaan"
+ },
+ "vs/code/electron-main/auth": {},
+ "vs/code/electron-main/window": {},
+ "vs/editor/contrib/bracketMatching/bracketMatching": {
+ "overviewRulerBracketMatchForeground": "Markeringskleur in de overzichtsliniaal voor bij elkaar horende haken.",
+ "smartSelect.jumpBracket": "Ga naar vierkante haak",
+ "smartSelect.selectToBracket": "Selecteer tot aan haakje"
+ },
+ "vs/editor/contrib/caretOperations/caretOperations": {
+ "caret.moveLeft": "Verplaats dakje naar links",
+ "caret.moveRight": "Verplaats dakje naar rechts"
+ },
+ "vs/editor/contrib/caretOperations/transpose": {
+ "transposeLetters.label": "Zet tekens om"
+ },
+ "vs/editor/contrib/clipboard/clipboard": {
+ "actions.clipboard.cutLabel": "Knippen",
+ "miCut": "&&Knip",
+ "actions.clipboard.copyLabel": "Kopiëren",
+ "miCopy": "&&Kopieer",
+ "actions.clipboard.pasteLabel": "Plakken",
+ "miPaste": "&&Plakken",
+ "actions.clipboard.copyWithSyntaxHighlightingLabel": "Kopiëren met syntax opmaak"
+ },
+ "vs/editor/contrib/comment/comment": {
+ "comment.line": "Regelopmerking in-/uitschakelen",
+ "miToggleLineComment": "&&Regelopmerking in-/uitschakelen",
+ "comment.line.add": "Regelcommentaar toevoegen",
+ "comment.line.remove": "Regelcommentaar verwijderen",
+ "comment.block": "Blokopmerking in-/uitschakelen",
+ "miToggleBlockComment": "&&Blokopmerking in-/uitschakelen"
+ },
+ "vs/editor/contrib/contextmenu/contextmenu": {
+ "action.showContextMenu.label": "Snelmenu van editor weergeven"
+ },
+ "vs/editor/contrib/cursorUndo/cursorUndo": {
+ "cursor.undo": "Soft Ongedaan Maken"
+ },
+ "vs/editor/contrib/find/findController": {
+ "startFindAction": "Zoeken",
+ "miFind": "&&Zoeken",
+ "startFindWithSelectionAction": "Zoeken met selectie",
+ "findNextMatchAction": "Zoek volgende",
+ "findPreviousMatchAction": "Zoek vorige",
+ "nextSelectionMatchFindAction": "Vind volgende selectie",
+ "previousSelectionMatchFindAction": "Vind vorige selectie",
+ "startReplace": "Vervangen",
+ "miReplace": "&&Vervangen"
+ },
+ "vs/editor/contrib/fontZoom/fontZoom": {
+ "EditorFontZoomIn.label": "Editor Lettertype Zoom In",
+ "EditorFontZoomOut.label": "Editor Lettertype Zoom Uit",
+ "EditorFontZoomReset.label": "Editor Lettertype Zoom Resetten"
+ },
+ "vs/editor/contrib/format/formatActions": {
+ "hint11": "1 opmaakbewerking gemaakt op regel {0}",
+ "hintn1": "{0} opmaakbewerkingen gemaakt op regel {1}",
+ "hint1n": "1 opmaakbewerking gemaakt tussen regel {0} en {1}",
+ "hintnn": "{0} opmaakbewerkingen gemaakt tussen regel {1} en {2}",
+ "no.provider": "Er is geen opmaakmodule voor '{0}'-bestanden geïnstalleerd.",
+ "formatDocument.label": "Formatteer document",
+ "no.documentprovider": "Er is geen documentopmaakmodule voor '{0}'-bestanden geïnstalleerd.",
+ "formatSelection.label": "Formatteer selectie",
+ "no.selectionprovider": "Er is geen opmaakmodule voor '{0}'-bestanden geïnstalleerd."
+ },
+ "vs/editor/contrib/folding/folding": {
+ "unfoldAction.label": "Uitvouwen",
+ "unFoldRecursivelyAction.label": "Recursief uitvouwen",
+ "foldAction.label": "Opvouwen",
+ "foldRecursivelyAction.label": "Recursief opvouwen",
+ "foldAllBlockComments.label": "Vouw alle commentaarblokken samen",
+ "foldAllMarkerRegions.label": "Vouw alle regio's samen",
+ "unfoldAllMarkerRegions.label": "Alle regio's uitvouwen",
+ "foldAllAction.label": "Alles invouwen",
+ "unfoldAllAction.label": "Alles uitvouwen",
+ "foldLevelAction.label": "Uitvouw niveau {0}"
+ },
+ "vs/editor/contrib/goToDefinition/goToDefinitionCommands": {
+ "noResultWord": "Geef definitie gevonden voor '{0}'",
+ "generic.noResults": "Geen definitie gevonden",
+ "meta.title": " – {0} definities",
+ "actions.goToDecl.label": "Ga naar definitie",
+ "actions.goToDeclToSide.label": "Open definitie aan de zijkant",
+ "actions.previewDecl.label": "Bekijk definitie",
+ "goToImplementation.noResultWord": "Geen implementatie gevonden voor '{0}'",
+ "goToImplementation.generic.noResults": "Geen implementatie gevonden",
+ "meta.implementations.title": " – {0} implementaties",
+ "actions.goToImplementation.label": "Ga naar implementatie",
+ "actions.peekImplementation.label": "Bekijk implementatie",
+ "goToTypeDefinition.noResultWord": "Geen typedefinitie gevonden voor '{0}'",
+ "goToTypeDefinition.generic.noResults": "Geen typedefinitie gevonden",
+ "meta.typeDefinitions.title": "– {0} typedefinities",
+ "actions.goToTypeDefinition.label": "Ga naar typedefinitie",
+ "actions.peekTypeDefinition.label": "Bekijk typedefinitie",
+ "miGotoDefinition": "Ga naar &&definitie",
+ "miGotoTypeDefinition": "Ga naar &&type definitie",
+ "miGotoImplementation": "Ga naar &&implementatie"
+ },
+ "vs/editor/contrib/goToDefinition/goToDefinitionMouse": {
+ "multipleResults": "Klik om {0} definities te tonen"
+ },
+ "vs/editor/contrib/gotoError/gotoError": {
+ "markerAction.next.label": "Ga naar volgend probleem (fout, waarschuwing, info)",
+ "markerAction.previous.label": "Ga naar vorig probleem (fout, waarschuwing, info)",
+ "markerAction.nextInFiles.label": "Ga naar het volgende probleem in Bestanden (Fout, Waarschuwing, Info)",
+ "markerAction.previousInFiles.label": "Ga naar het vorige probleem in Bestanden (Fout, Waarschuwing, Info)"
+ },
+ "vs/editor/contrib/hover/hover": {
+ "showHover": "Toon muisfocus"
+ },
+ "vs/editor/contrib/inPlaceReplace/inPlaceReplace": {
+ "InPlaceReplaceAction.previous.label": "Vervang door vorige waarde",
+ "InPlaceReplaceAction.next.label": "Vervang door volgende waarde"
+ },
+ "vs/editor/contrib/linesOperations/linesOperations": {
+ "lines.copyUp": "Kopieer regel omhoog",
+ "lines.copyDown": "Kopieer regel omlaag",
+ "lines.moveUp": "Verplaats regel omhoog",
+ "lines.moveDown": "Verplaats regel omlaag",
+ "lines.sortAscending": "Sorteer regels oplopend",
+ "lines.sortDescending": "Sorteer regels aflopend",
+ "lines.trimTrailingWhitespace": "Volgspaties knippen",
+ "lines.delete": "Verwijder regel",
+ "lines.indent": "Regel laten inspringen",
+ "lines.outdent": "Regel laten uitspringen",
+ "lines.insertBefore": "Voeg regel boven in",
+ "lines.insertAfter": "Voeg regel onder in",
+ "lines.deleteAllLeft": "Verwijder alles links",
+ "lines.deleteAllRight": "Verwijder alles rechts",
+ "lines.joinLines": "Regels samenvoegen",
+ "editor.transpose": "Zet tekens om rond de cursor",
+ "editor.transformToUppercase": "In hoofdletters omzetten",
+ "editor.transformToLowercase": "In kleine letters omzetten"
+ },
+ "vs/editor/contrib/links/links": {
+ "links.navigate.mac": "Cmd + klik om koppeling te volgen",
+ "links.navigate": "Ctrl + klik om koppeling te volgen",
+ "links.command.mac": "Cmd + klik om opdracht uit te voeren",
+ "links.command": "Ctrl + klik om opdracht uit te voeren",
+ "links.navigate.al.mac": "Option + klik om de link te openen",
+ "links.navigate.al": "Alt + klik om koppeling te volgen",
+ "links.command.al.mac": "Option + klik om de opdracht uit te voeren",
+ "links.command.al": "Alt + klik om opdracht uit te voeren",
+ "invalid.url": "Kon de koppeling niet openen omdat het niet juist gevormd is: {0}",
+ "missing.url": "Kon deze koppeling niet openen omdat het doel ontbreekt.",
+ "label": "Open koppeling"
+ },
+ "vs/editor/contrib/referenceSearch/referenceSearch": {
+ "meta.titleReference": " – {0} referenties"
+ },
+ "vs/editor/contrib/multicursor/multicursor": {
+ "mutlicursor.insertAbove": "Voeg cursor boven in",
+ "mutlicursor.insertBelow": "Voeg cursor onder in",
+ "mutlicursor.insertAtEndOfEachLineSelected": "Plaats cursors op regeleinden",
+ "addSelectionToNextFindMatch": "Voeg selectie toe aan volgende gevonden overeenkomst",
+ "addSelectionToPreviousFindMatch": "Voeg selectie toe aan vorige gevonden overeenkomst",
+ "moveSelectionToNextFindMatch": "Selectie verplaatsen naar volgende gevonden overeenkomst",
+ "moveSelectionToPreviousFindMatch": "Selectie verplaatsen naar vorige gevonden overeenkomst",
+ "selectAllOccurrencesOfFindMatch": "Selecteer alle gevonden overeenkomsten",
+ "changeAll.label": "Wijzig alle voorkomens"
+ },
+ "vs/editor/contrib/parameterHints/parameterHints": {
+ "parameterHints.trigger.label": "Parameterhints activeren"
+ },
+ "vs/editor/contrib/rename/rename": {
+ "no result": "Geen resultaten.",
+ "aria": "'{0}' succesvol hernoemd naar '{1}'. Samenvatting: {2}",
+ "rename.failed": "Hernoemen mislukt.",
+ "rename.label": "Wijzig naam van symbool"
+ },
+ "vs/editor/contrib/smartSelect/smartSelect": {
+ "smartSelect.grow": "Selectie uitbreiden",
+ "smartSelect.shrink": "Selectie inkorten"
+ },
+ "vs/editor/contrib/toggleTabFocusMode/toggleTabFocusMode": {
+ "toggle.tabMovesFocus": "Schakel tab-toets verplaatst de focus"
+ },
+ "vs/editor/contrib/wordHighlighter/wordHighlighter": {
+ "wordHighlight": "De achtergrondkleur van een symbool tijdens lees-toegang, zoals het lezen van een variabele. De kleur mag niet ondoorzichtig zijn om afdekken van onderliggende decoraties te voorkomen.",
+ "wordHighlightStrong": "De achtergrondkleur van een symbool tijdens schrijf-toegang, zoals het schrijven van een variabele. De kleur mag niet ondoorzichtig zijn om afdekken van onderliggende decoraties te voorkomen.",
+ "wordHighlightBorder": "Randkleur van een symbool tijdens leestoegang, zoals bij het lezen van een variabele.",
+ "wordHighlightStrongBorder": "Randkleur van een symbool tijdens schrijftoegang, zoals bij het schrijven naar een variabele.",
+ "overviewRulerWordHighlightForeground": "Markeringskleur voor het aangeven van symbolen in de overzichtsliniaal. De kleur moet doorzichtig zijn, zodat de onderliggende opmaak niet wordt verborgen.",
+ "overviewRulerWordHighlightStrongForeground": "Markeringskleur voor het aangeven van schrijftoegang-symbolen in de overzichtsliniaal. De kleur moet doorzichtig zijn, zodat de onderliggende opmaak niet wordt verborgen.",
+ "wordHighlight.next.label": "Ga naar volgende symbool accentuering",
+ "wordHighlight.previous.label": "Ga naar vorige symbool accentuering"
+ },
+ "vs/editor/contrib/suggest/suggestController": {
+ "arai.alert.snippet": "Het accepteren van {0} heeft ten gevolge dat de volgende tekst is toegevoegd: {1}",
+ "suggest.trigger.label": "Activeer suggestie"
+ },
+ "vs/editor/contrib/codeAction/codeActionCommands": {
+ "quickFixWithKb": "Toon suggesties ({0})",
+ "quickFix": "Toon suggesties",
+ "quickfix.trigger.label": "Snelle oplossing...",
+ "editor.action.quickFix.noneMessage": "Geen code acties beschikbaar",
+ "refactor.label": "Herstructureren...",
+ "editor.action.refactor.noneMessage": "Geen refactorings beschikbaar",
+ "source.label": "Bronactie...",
+ "editor.action.source.noneMessage": "Geen broncode acties beschikbaar",
+ "organizeImports.label": "Organiseer Imports",
+ "editor.action.organize.noneMessage": "Geen organiseer imports actie beschikbaar"
+ },
+ "vs/editor/contrib/find/findWidget": {
+ "label.find": "Zoeken",
+ "placeholder.find": "Zoeken",
+ "label.previousMatchButton": "Vorige overeenkomst",
+ "label.nextMatchButton": "Volgende overeenkomst",
+ "label.toggleSelectionFind": "Zoeken in selectie",
+ "label.closeButton": "Sluiten",
+ "label.replace": "Vervangen",
+ "placeholder.replace": "Vervangen",
+ "label.replaceButton": "Vervangen",
+ "label.replaceAllButton": "Alles vervangen",
+ "label.toggleReplaceButton": "Wissel vervangingsmodus",
+ "title.matchesCountLimit": "Alleen de eerste {0} resultaten zijn gemarkeerd, maar alle zoek operaties werken op de gehele tekst.",
+ "label.matchesLocation": "{0} van {1}",
+ "label.noResults": "Geen resultaten"
+ },
+ "vs/editor/contrib/message/messageController": {
+ "editor.readonly": "Bewerken niet mogelijk in een alleen-lezen editor."
+ },
+ "vs/editor/contrib/referenceSearch/peekViewWidget": {
+ "label.close": "Sluiten"
+ },
+ "vs/editor/contrib/referenceSearch/referencesModel": {
+ "aria.oneReference": "symbool in {0} op regel {1} in kolom {2}",
+ "aria.fileReferences.1": "1 symbool in {0}, volledige pad {1}",
+ "aria.fileReferences.N": "{0} symbolen in {1}, volledige pad {2}",
+ "aria.result.0": "Geen resultaten gevonden",
+ "aria.result.1": "1 symbool gevonden in {0}",
+ "aria.result.n1": "{0} symbolen gevonden in {1}",
+ "aria.result.nm": "{0} symbolen in {1} bestanden gevonden"
+ },
+ "vs/editor/contrib/referenceSearch/referencesController": {
+ "labelLoading": "Laden..."
+ },
+ "vs/editor/contrib/hover/modesContentHover": {
+ "modesContentHover.loading": "Laden..."
+ },
+ "vs/editor/contrib/gotoError/gotoErrorWidget": {
+ "title.wo_source": "({0}/{1})",
+ "editorMarkerNavigationError": "Kleur voor markering van fouten in de editor foutnavigatie widget.",
+ "editorMarkerNavigationWarning": "Kleur voor markering van waarschuwingen in de editor foutnavigatie widget.",
+ "editorMarkerNavigationInfo": "Kleur voor markering van informatieve meldingen in de editor foutnavigatie widget.",
+ "editorMarkerNavigationBackground": "Achtergrondkleur voor markeringen in de editor foutnavigatie widget."
+ },
+ "vs/editor/contrib/referenceSearch/referencesWidget": {
+ "missingPreviewMessage": "geen voorbeeld beschikbaar",
+ "treeAriaLabel": "Verwijzingen",
+ "noResults": "Geen resultaten",
+ "peekView.alternateTitle": "Verwijzingen",
+ "peekViewTitleBackground": "Achtergrondkleur van het titelgebied in de snelweergave.",
+ "peekViewTitleForeground": "Kleur van de titel in de snelweergave.",
+ "peekViewTitleInfoForeground": "Kleur van de titel informatie in de snelweergave.",
+ "peekViewBorder": "Kleur van de randen en pijl in de snelweergave.",
+ "peekViewResultsBackground": "Achtergrondkleur van de resultatenlijst in de snelweergave.",
+ "peekViewResultsMatchForeground": "Voorgrondkleur van de lijn knooppunten in de resultatenlijst in de snelweergave.",
+ "peekViewResultsFileForeground": "Voorgrondkleur van de bestand knooppunten in de resultatenlijst van de snelweergave.",
+ "peekViewResultsSelectionBackground": "Achtergrondkleur van de geselecteerde invoer in de resultatenlijst van de snelweergave.",
+ "peekViewResultsSelectionForeground": "Voorgrondkleur van de geselecteerde invoer in de resultatenlijst van de snelweergave.",
+ "peekViewEditorBackground": "Achtergrondkleur van de editor in de snelweergave.",
+ "peekViewEditorGutterBackground": "Achtergrondkleur van de marge van de editor in de snelweergave.",
+ "peekViewResultsMatchHighlight": "Accentueerkleur van overeenkomsten in de resultatenlijst van de snelweergave.",
+ "peekViewEditorMatchHighlight": "Accentueerkleur van overeenkomsten in de editor van de snelweergave.",
+ "peekViewEditorMatchHighlightBorder": "Randkleur voor het accentueren van overeenkomsten in de editor van de snelweergave."
+ },
+ "vs/editor/contrib/parameterHints/parameterHintsWidget": {
+ "hint": "{0}, suggestie"
+ },
+ "vs/editor/contrib/rename/renameInputField": {
+ "renameAriaLabel": "Wijzig de naam van de invoer. Typ de nieuwe naam en druk enter om te bevestigen."
+ },
+ "vs/editor/contrib/suggest/suggestWidget": {
+ "editorSuggestWidgetBackground": "Achtergrondkleur van de suggestiewidget",
+ "editorSuggestWidgetBorder": "Randkleur van de suggestiewidget",
+ "editorSuggestWidgetForeground": "Voorgrondkleur van de suggestiewidget",
+ "editorSuggestWidgetSelectedBackground": "Achtergrondkleur van de geselecteerde invoer in de suggestiewidget.",
+ "editorSuggestWidgetHighlightForeground": "Kleur van de overeenkomende markeringen in de suggestiewidget.",
+ "readMore": "Lees meer...{0}",
+ "readLess": "Lees minder...{0}",
+ "suggestWidget.loading": "Laden...",
+ "suggestWidget.noSuggestions": "Geen suggesties.",
+ "suggestionAriaAccepted": "{0}, geaccepteerd",
+ "ariaCurrentSuggestion": "{0}, suggestie",
+ "ariaCurrentSuggestionWithDetails": "{0}, suggestie, heeft details"
+ },
+ "vs/editor/contrib/snippet/snippetVariables": {
+ "Sunday": "Zondag",
+ "Monday": "Maandag",
+ "Tuesday": "Dinsdag",
+ "Wednesday": "Woensdag",
+ "Thursday": "Donderdag",
+ "Friday": "Vrijdag",
+ "Saturday": "Zaterdag",
+ "SundayShort": "Zo",
+ "MondayShort": "Ma",
+ "TuesdayShort": "Di",
+ "WednesdayShort": "Wo",
+ "ThursdayShort": "Do",
+ "FridayShort": "Vr",
+ "SaturdayShort": "Za",
+ "January": "Januari",
+ "February": "Februari",
+ "March": "Maart",
+ "April": "April",
+ "May": "Mei",
+ "June": "Juni",
+ "July": "Juli",
+ "August": "Augustus",
+ "September": "September",
+ "October": "Oktober",
+ "November": "November",
+ "December": "December",
+ "JanuaryShort": "Jan",
+ "FebruaryShort": "Feb",
+ "MarchShort": "Mrt",
+ "AprilShort": "Apr",
+ "MayShort": "Mei",
+ "JuneShort": "Jun",
+ "JulyShort": "Jul",
+ "AugustShort": "Aug",
+ "SeptemberShort": "Sep",
+ "OctoberShort": "Okt",
+ "NovemberShort": "Nov",
+ "DecemberShort": "Dec"
+ },
+ "vs/editor/contrib/find/simpleFindWidget": {
+ "label.find": "Zoeken",
+ "placeholder.find": "Zoeken",
+ "label.previousMatchButton": "Vorige overeenkomst",
+ "label.nextMatchButton": "Volgende overeenkomst",
+ "label.closeButton": "Sluiten"
+ },
+ "vs/editor/contrib/documentSymbols/outlineTree": {
+ "title.template": "{0} ({1})",
+ "1.problem": "1 probleem in dit element",
+ "N.problem": "{0} problemen in dit element",
+ "deep.problem": "Bevat elementen met problemen",
+ "Array": "array",
+ "Boolean": "boolean",
+ "Class": "klasse",
+ "Constant": "constante",
+ "Constructor": "constructor",
+ "Enum": "enumeratie",
+ "EnumMember": "enumeratie lid",
+ "Event": "event",
+ "Field": "veld",
+ "File": "bestand",
+ "Function": "functie",
+ "Interface": "interface",
+ "Key": "sleutel",
+ "Method": "methode",
+ "Module": "module",
+ "Namespace": "namespace",
+ "Null": "null",
+ "Number": "nummer",
+ "Object": "object",
+ "Operator": "operator",
+ "Property": "property",
+ "String": "string",
+ "Struct": "struct",
+ "TypeParameter": "type parameter",
+ "Variable": "variabele"
+ },
+ "vs/editor/contrib/referenceSearch/referencesTree": {
+ "referencesFailre": "Het bestand werd niet gevonden.",
+ "referencesCount": "{0} verwijzingen",
+ "referenceCount": "{0} verwijzing"
+ },
+ "vs/editor/contrib/indentation/indentation": {
+ "indentationToSpaces": "Converteer inspringing naar spaties",
+ "indentationToTabs": "Converteer inspringing naar tabs",
+ "configuredTabSize": "Geconfigureerde tabgrootte",
+ "selectTabWidth": "Selecteer tabgrootte voor het huidige bestand",
+ "indentUsingTabs": "Spring in met tabs",
+ "indentUsingSpaces": "Spring in met spaties",
+ "detectIndentation": "Detecteer inspringen op basis van de inhoud",
+ "editor.reindentlines": "Regels opnieuw inspringen",
+ "editor.reindentselectedlines": "Geselecteerde regels opnieuw laten inspringen"
+ },
+ "vs/workbench/parts/cli/electron-browser/cli.contribution": {
+ "not available": "De opdracht is niet beschikbaar.",
+ "ok": "OK",
+ "cancel2": "Annuleren",
+ "aborted": "Afgebroken"
+ },
+ "vs/workbench/parts/comments/electron-browser/commentsEditorContribution": {},
+ "vs/workbench/parts/comments/electron-browser/commentGlyphWidget": {},
+ "vs/workbench/parts/comments/common/commentModel": {},
+ "vs/workbench/parts/comments/electron-browser/commentsTreeViewer": {},
+ "vs/workbench/parts/comments/electron-browser/commentThreadWidget": {
+ "label.collapse": "Samenvouwen"
+ },
+ "vs/workbench/parts/comments/electron-browser/commentNode": {
+ "label.delete": "Verwijderen",
+ "label.cancel": "Annuleren"
+ },
+ "vs/workbench/parts/codeEditor/electron-browser/accessibility": {},
+ "vs/workbench/parts/codeEditor/electron-browser/inspectKeybindings": {},
+ "vs/workbench/parts/codeEditor/electron-browser/largeFileOptimizations": {
+ "dontShowAgain": "Niet opnieuw tonen"
+ },
+ "vs/workbench/parts/codeEditor/electron-browser/toggleMinimap": {},
+ "vs/workbench/parts/codeEditor/electron-browser/toggleMultiCursorModifier": {},
+ "vs/workbench/parts/codeEditor/electron-browser/toggleRenderControlCharacter": {},
+ "vs/workbench/parts/codeEditor/electron-browser/toggleRenderWhitespace": {},
+ "vs/workbench/parts/codeEditor/electron-browser/toggleWordWrap": {},
+ "vs/workbench/parts/codeEditor/electron-browser/textMate/inspectTMScopes": {
+ "inspectTMScopesWidget.loading": "Laden..."
+ },
+ "vs/workbench/parts/codeEditor/electron-browser/languageConfiguration/languageConfigurationExtensionPoint": {
+ "schema.blockComments": "Definieert hoe commentaarblokken worden gemarkeerd.",
+ "schema.blockComment.begin": "De karakters die een commentaarblok openen.",
+ "schema.blockComment.end": "De karakters die een commentaarblok sluiten."
+ },
+ "vs/workbench/parts/emmet/electron-browser/actions/expandAbbreviation": {},
+ "vs/workbench/parts/emmet/browser/actions/showEmmetCommands": {},
+ "vs/workbench/parts/execution/electron-browser/execution.contribution": {},
+ "vs/workbench/parts/execution/electron-browser/terminalService": {
+ "press.any.key": "Druk op een toets om door te gaan..."
+ },
+ "vs/workbench/parts/debug/electron-browser/debug.contribution": {
+ "view": "Weergeven",
+ "miViewDebug": "&&Foutopsporing",
+ "miStepOut": "Stap &&Uit",
+ "miContinue": "&&Verder",
+ "miToggleBreakpoint": "&&Breekpunt in-/uitschakelen",
+ "miConditionalBreakpoint": "&&Voorwaardelijk breekpunt...",
+ "miFunctionBreakpoint": "&&Functie breekpunt...",
+ "miNewBreakpoint": "&&Nieuw breekpunt",
+ "miDisableAllBreakpoints": "A&&lle breekpunten uitschakelen",
+ "miRemoveAllBreakpoints": "A&&lle breekpunten verwijderen",
+ "miInstallAdditionalDebuggers": "&&Installeer extra foutopsporing-programma's..."
+ },
+ "vs/workbench/parts/debug/browser/debugQuickOpen": {},
+ "vs/workbench/parts/debug/electron-browser/repl": {
+ "clearRepl": "Console wissen"
+ },
+ "vs/workbench/parts/debug/browser/debugViewlet": {},
+ "vs/workbench/parts/debug/common/debug": {},
+ "vs/workbench/parts/debug/electron-browser/watchExpressionsView": {},
+ "vs/workbench/parts/debug/electron-browser/variablesView": {},
+ "vs/workbench/parts/debug/browser/debugEditorModelManager": {},
+ "vs/workbench/parts/debug/browser/debugActions": {
+ "reconnectDebug": "Opnieuw verbinden",
+ "stopDebug": "Stoppen",
+ "continueDebug": "Doorgaan"
+ },
+ "vs/workbench/parts/debug/browser/breakpointsView": {},
+ "vs/workbench/parts/debug/electron-browser/debugService": {
+ "cancel": "Annuleren"
+ },
+ "vs/workbench/parts/debug/browser/debugToolbar": {},
+ "vs/workbench/parts/debug/browser/debugContentProvider": {},
+ "vs/workbench/parts/debug/browser/debugStatus": {},
+ "vs/workbench/parts/debug/browser/debugEditorActions": {},
+ "vs/workbench/parts/debug/browser/debugCommands": {},
+ "vs/workbench/parts/debug/browser/loadedScriptsView": {},
+ "vs/workbench/parts/debug/common/debugModel": {},
+ "vs/workbench/parts/debug/browser/statusbarColorProvider": {},
+ "vs/workbench/parts/debug/electron-browser/callStackView": {},
+ "vs/workbench/parts/debug/electron-browser/debugEditorContribution": {
+ "disableLogPoint": "{0} {1}",
+ "cancel": "Annuleren"
+ },
+ "vs/workbench/parts/debug/electron-browser/electronDebugActions": {
+ "copy": "Kopiëren"
+ },
+ "vs/workbench/parts/debug/browser/debugActionItems": {},
+ "vs/workbench/parts/debug/browser/linkDetector": {},
+ "vs/workbench/parts/debug/electron-browser/debugConfigurationManager": {},
+ "vs/workbench/parts/debug/electron-browser/debugSession": {},
+ "vs/workbench/parts/debug/common/debugSource": {},
+ "vs/workbench/parts/debug/electron-browser/debugHover": {},
+ "vs/workbench/parts/debug/electron-browser/breakpointWidget": {},
+ "vs/workbench/parts/debug/browser/exceptionWidget": {},
+ "vs/workbench/parts/debug/node/debugAdapter": {},
+ "vs/workbench/parts/debug/electron-browser/terminalSupport": {},
+ "vs/workbench/parts/debug/electron-browser/rawDebugSession": {},
+ "vs/workbench/parts/debug/common/replModel": {},
+ "vs/workbench/parts/debug/node/debugger": {},
+ "vs/workbench/parts/debug/common/debugSchemas": {},
+ "vs/workbench/parts/debug/node/terminals": {
+ "press.any.key": "Druk op een toets om door te gaan..."
+ },
+ "vs/workbench/api/browser/viewsContainersExtensionPoint": {
+ "test": "Testen",
+ "requirestring": "eigenschap `{0}` is verplicht en dient van het type `string` te zijn",
+ "view": "Weergeven"
+ },
+ "vs/workbench/api/browser/viewsExtensionPoint": {
+ "requirestring": "eigenschap `{0}` is verplicht en dient van het type `string` te zijn",
+ "optstring": "eigenschap `{0}` kan worden weggelaten of dient van het type `string` te zijn"
+ },
+ "vs/workbench/browser/actions/toggleActivityBarVisibility": {
+ "view": "Weergeven"
+ },
+ "vs/workbench/browser/actions/toggleStatusbarVisibility": {
+ "view": "Weergeven"
+ },
+ "vs/workbench/browser/actions/toggleSidebarVisibility": {
+ "view": "Weergeven"
+ },
+ "vs/workbench/browser/actions/toggleSidebarPosition": {
+ "view": "Weergeven"
+ },
+ "vs/workbench/browser/actions/toggleEditorLayout": {
+ "view": "Weergeven"
+ },
+ "vs/workbench/browser/actions/toggleZenMode": {
+ "view": "Weergeven"
+ },
+ "vs/workbench/browser/actions/toggleTabsVisibility": {
+ "view": "Weergeven"
+ },
+ "vs/workbench/browser/actions/toggleCenteredLayout": {
+ "view": "Weergeven"
+ },
+ "vs/workbench/browser/parts/editor/editorPicker": {},
+ "vs/workbench/electron-browser/workbench": {},
+ "vs/workbench/electron-browser/main.contribution": {
+ "view": "Weergeven",
+ "workspaces": "Werkruimten",
+ "miNewWindow": "Nieuw &&venster",
+ "miOpenFile": "&&Open Bestand...",
+ "miOpenFolder": "Open &&Map...",
+ "miOpen": "&&Open...",
+ "miOpenWorkspace": "Open Wer&&kruimte...",
+ "miOpenRecent": "Open &&Recent",
+ "miMore": "&&Meer...",
+ "miSaveWorkspaceAs": "Werkruimte opslaan als...",
+ "miPreferences": "&&Voorkeuren",
+ "miCloseFolder": "&&Map sluiten",
+ "miExit": "&&Afsluiten",
+ "miDocumentation": "&&Documentatie",
+ "miReleaseNotes": "Uitgaveopmerkingen",
+ "miKeyboardShortcuts": "&&Toetsenbordsneltoetsen",
+ "miIntroductoryVideos": "Inleidende &&Video's",
+ "miUserVoice": "&&Zoek Feature Requests",
+ "miLicense": "&&Licentie Weergeven",
+ "miPrivacyStatement": "&&Privacyverklaring",
+ "miToggleDevTools": "&&Ontwikkelhulpprogramma's in-/uitschakelen",
+ "miAbout": "&&Over",
+ "windowConfigurationTitle": "Venster"
+ },
+ "vs/workbench/electron-browser/main": {
+ "loaderErrorNative": "Kan een vereist bestand niet laden. Start de toepassing opnieuw om het nogmaals te proberen. Details: {0}"
+ },
+ "vs/workbench/browser/viewlet": {},
+ "vs/workbench/common/views": {},
+ "vs/workbench/browser/parts/views/viewsViewlet": {},
+ "vs/workbench/browser/parts/views/customView": {
+ "collapse": "Samenvouwen"
+ },
+ "vs/workbench/browser/parts/editor/editorWidgets": {
+ "openWorkspace": "Werkruimte openen"
+ },
+ "vs/workbench/browser/parts/quickopen/quickopen": {
+ "quickOpen": "Naar bestand gaan..."
+ },
+ "vs/workbench/browser/parts/quickopen/quickOpenController": {
+ "quickOpenInput": "Typ '?' voor hulp bij de acties die u hier uitvoert",
+ "noResultsFound1": "Geen resultaten gevonden",
+ "canNotRunPlaceholder": "Deze handler voor snel openen kan niet worden gebruikt in de huidige context"
+ },
+ "vs/workbench/browser/quickopen": {
+ "noResultsFound2": "Geen resultaten gevonden"
+ },
+ "vs/workbench/browser/parts/quickinput/quickInput": {
+ "ok": "OK"
+ },
+ "vs/workbench/browser/actions/workspaceCommands": {},
+ "vs/workbench/browser/parts/editor/editorCommands": {},
+ "vs/workbench/browser/parts/views/panelViewlet": {},
+ "vs/workbench/browser/parts/views/views": {
+ "view category": "Weergeven"
+ },
+ "vs/workbench/browser/actions/workspaceActions": {
+ "save": "&&Opslaan"
+ },
+ "vs/workbench/common/theme": {},
+ "vs/workbench/browser/parts/editor/textResourceEditor": {},
+ "vs/workbench/browser/parts/activitybar/activitybarPart": {},
+ "vs/workbench/browser/parts/sidebar/sidebarPart": {
+ "viewCategory": "Weergeven"
+ },
+ "vs/workbench/browser/parts/panel/panelPart": {},
+ "vs/workbench/browser/parts/statusbar/statusbarPart": {},
+ "vs/workbench/browser/parts/titlebar/titlebarPart": {},
+ "vs/workbench/browser/parts/editor/editorPart": {},
+ "vs/workbench/electron-browser/actions": {
+ "newWindow": "Nieuw venster",
+ "about": "Info over {0}"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsCenter": {},
+ "vs/workbench/browser/parts/notifications/notificationsAlerts": {
+ "alertErrorMessage": "Fout: {0}",
+ "alertWarningMessage": "Waarschuwing: {0}",
+ "alertInfoMessage": "Info: {0}"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsStatus": {},
+ "vs/workbench/browser/parts/notifications/notificationsCommands": {},
+ "vs/workbench/browser/parts/notifications/notificationsToasts": {},
+ "vs/workbench/browser/parts/panel/panelActions": {
+ "view": "Weergeven"
+ },
+ "vs/workbench/api/electron-browser/mainThreadEditors": {},
+ "vs/workbench/api/electron-browser/mainThreadMessageService": {
+ "cancel": "Annuleren",
+ "ok": "OK"
+ },
+ "vs/workbench/api/electron-browser/mainThreadSaveParticipant": {},
+ "vs/workbench/api/electron-browser/mainThreadTask": {
+ "task.label": "{0}: {1}"
+ },
+ "vs/workbench/api/electron-browser/mainThreadWebview": {},
+ "vs/workbench/api/electron-browser/mainThreadWorkspace": {},
+ "vs/workbench/api/node/extHostExtensionService": {},
+ "vs/workbench/api/node/extHostWorkspace": {},
+ "vs/workbench/browser/parts/editor/editorActions": {
+ "splitEditor": "Editor splitsen",
+ "openToSide": "In zijkant openen",
+ "closeOneEditor": "Sluiten",
+ "navigateNext": "Ga vooruit",
+ "navigatePrevious": "Ga terug"
+ },
+ "vs/workbench/browser/parts/editor/textDiffEditor": {
+ "textDiffEditor": "Editor voor tekstverschillen"
+ },
+ "vs/workbench/browser/parts/editor/binaryEditor": {},
+ "vs/workbench/browser/parts/editor/textEditor": {},
+ "vs/workbench/browser/parts/activitybar/activitybarActions": {
+ "view": "Weergeven"
+ },
+ "vs/workbench/browser/parts/compositeBar": {},
+ "vs/workbench/browser/parts/compositeBarActions": {
+ "badgeTitle": "{0} - {1}",
+ "numberBadge": "{0} ({1})",
+ "titleKeybinding": "{0} ({1})"
+ },
+ "vs/workbench/browser/parts/compositePart": {
+ "titleTooltip": "{0} ({1})"
+ },
+ "vs/workbench/browser/parts/editor/editorGroupView": {
+ "closeGroupAction": "Sluiten"
+ },
+ "vs/workbench/browser/parts/editor/editor.contribution": {
+ "textDiffEditor": "Editor voor tekstverschillen",
+ "binaryDiffEditor": "Editor voor binaire verschillen",
+ "view": "Weergeven",
+ "close": "Sluiten",
+ "navigate.prev.label": "Vorige wijziging",
+ "navigate.next.label": "Volgende wijziging",
+ "ignoreTrimWhitespace.label": "Witruimte wissen negeren",
+ "miClearRecentOpen": "Onlangs Geopend &&Legen"
+ },
+ "vs/workbench/browser/parts/titlebar/menubarControl": {
+ "mFile": "&&Bestand",
+ "mEdit": "&&Bewerken",
+ "mSelection": "&&Selectie",
+ "mView": "&&Beeld",
+ "mGoto": "&&Ga",
+ "mDebug": "&&Foutopsporing",
+ "mHelp": "&&Help",
+ "goToSetting": "Instellingen openen",
+ "neverShowAgain": "Niet opnieuw tonen",
+ "checkingForUpdates": "Controleren op updates...",
+ "DownloadingUpdate": "Update downloaden...",
+ "installingUpdate": "Update installeren..."
+ },
+ "vs/workbench/browser/parts/notifications/notificationsActions": {},
+ "vs/workbench/electron-browser/window": {
+ "undo": "Ongedaan maken",
+ "cut": "Knippen",
+ "copy": "Kopiëren",
+ "paste": "Plakken"
+ },
+ "vs/workbench/api/node/extHostExtensionActivator": {},
+ "vs/workbench/api/node/extHost.api.impl": {},
+ "vs/workbench/browser/parts/editor/resourceViewer": {
+ "sizeB": "{0}B",
+ "sizeKB": "{0}KB",
+ "sizeMB": "{0}MB",
+ "sizeGB": "{0}GB",
+ "sizeTB": "{0}TB",
+ "resourceOpenExternalButton": "Open de afbeelding met een externe applicatie?",
+ "imgMeta": "{0}x{1} {2}"
+ },
+ "vs/workbench/browser/parts/editor/tabsTitleControl": {},
+ "vs/workbench/browser/parts/editor/binaryDiffEditor": {},
+ "vs/workbench/browser/parts/editor/editorStatus": {
+ "gotoLine": "Ga naar regel",
+ "selectLanguageMode": "Selecteer taalmodus",
+ "fileInfo": "Bestandsinformatie",
+ "screenReaderDetectedExplanation.answerYes": "Ja",
+ "screenReaderDetectedExplanation.answerNo": "Nee",
+ "spacesSize": "Spaties: {0}",
+ "tabSize": "Tab grootte: {0}",
+ "changeMode": "Wijzig taalmodus",
+ "languageDescription": "({0}) - Geconfigureerde taal",
+ "languageDescriptionConfigured": "({0})",
+ "autoDetect": "Autodetectie",
+ "pickLanguage": "Selecteer taal modus",
+ "currentAssociation": "Huidige associatie",
+ "saveWithEncoding": "Opslaan met encodering",
+ "reopenWithEncoding": "Heropenen met encodering"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsViewer": {},
+ "vs/workbench/api/node/extHostDebugService": {},
+ "vs/workbench/api/node/extHostDiagnostics": {},
+ "vs/workbench/api/node/extHostProgress": {},
+ "vs/workbench/api/node/extHostTask": {
+ "task.label": "{0}: {1}"
+ },
+ "vs/workbench/api/node/extHostTreeViews": {},
+ "vs/workbench/browser/parts/editor/breadcrumbsControl": {
+ "cmd.category": "Weergeven"
+ },
+ "vs/workbench/browser/parts/editor/titleControl": {},
+ "vs/workbench/browser/parts/editor/breadcrumbs": {},
+ "vs/workbench/browser/parts/editor/breadcrumbsPicker": {
+ "placeholder": "Zoeken"
+ },
+ "vs/workbench/parts/feedback/electron-browser/feedback.contribution": {},
+ "vs/workbench/parts/feedback/electron-browser/feedbackStatusbarItem": {},
+ "vs/workbench/parts/feedback/electron-browser/feedback": {
+ "close": "Sluiten",
+ "sentiment": "Hoe was uw ervaring?"
+ },
+ "vs/workbench/parts/html/electron-browser/html.contribution": {},
+ "vs/workbench/parts/html/electron-browser/htmlPreviewPart": {},
+ "vs/workbench/parts/extensions/browser/extensionsQuickOpen": {},
+ "vs/workbench/parts/extensions/electron-browser/extensions.contribution": {
+ "view": "Weergeven"
+ },
+ "vs/workbench/parts/extensions/electron-browser/extensionsViewlet": {},
+ "vs/workbench/parts/extensions/node/extensionsWorkbenchService": {},
+ "vs/workbench/parts/extensions/common/extensionsInput": {},
+ "vs/workbench/parts/extensions/common/extensionsFileTemplate": {},
+ "vs/workbench/parts/extensions/electron-browser/extensionEditor": {
+ "preview": "Voorbeeld",
+ "snippets": "Codefragmenten"
+ },
+ "vs/workbench/parts/extensions/electron-browser/runtimeExtensionsEditor": {
+ "cancel": "Annuleren"
+ },
+ "vs/workbench/parts/extensions/electron-browser/extensionsUtils": {
+ "yes": "Ja"
+ },
+ "vs/workbench/parts/extensions/electron-browser/extensionProfileService": {
+ "cancel": "Annuleren"
+ },
+ "vs/workbench/parts/extensions/electron-browser/extensionsActions": {
+ "noOfDaysAgo": "{0} dagen geleden",
+ "noOfHoursAgo": "{0} uur geleden",
+ "one hour ago": "1 uur geleden",
+ "updateAction": "Update",
+ "reloadAction": "Opnieuw laden",
+ "undo": "Ongedaan maken"
+ },
+ "vs/workbench/parts/extensions/electron-browser/extensionsActivationProgress": {},
+ "vs/workbench/parts/extensions/electron-browser/extensionTipsService": {},
+ "vs/workbench/parts/extensions/electron-browser/extensionsViews": {},
+ "vs/workbench/parts/extensions/electron-browser/extensionsAutoProfiler": {},
+ "vs/workbench/parts/extensions/browser/extensionsWidgets": {},
+ "vs/workbench/parts/extensions/browser/extensionsViewer": {
+ "error": "Fout"
+ },
+ "vs/workbench/parts/extensions/electron-browser/extensionsList": {},
+ "vs/workbench/parts/markers/electron-browser/markers.contribution": {
+ "copyMarker": "Kopiëren"
+ },
+ "vs/workbench/parts/markers/electron-browser/markersPanelActions": {},
+ "vs/workbench/parts/markers/electron-browser/markersPanel": {
+ "collapse": "Samenvouwen"
+ },
+ "vs/workbench/parts/markers/electron-browser/markersFileDecorations": {},
+ "vs/workbench/parts/markers/electron-browser/markers": {},
+ "vs/workbench/parts/markers/electron-browser/messages": {
+ "viewCategory": "Weergeven"
+ },
+ "vs/workbench/parts/files/electron-browser/explorerViewlet": {},
+ "vs/workbench/parts/files/electron-browser/fileActions.contribution": {
+ "revert": "Bestand terugdraaien",
+ "view": "Weergeven",
+ "openToSide": "In zijkant openen",
+ "compareSource": "Selecteren voor vergelijking",
+ "close": "Sluiten",
+ "newFile": "Nieuw bestand",
+ "miNewFile": "&&Nieuw bestand",
+ "miSave": "&&Opslaan",
+ "miSaveAs": "Opslaan &&als...",
+ "miSaveAll": "Alles &&oplsaan"
+ },
+ "vs/workbench/parts/files/electron-browser/files.contribution": {
+ "showExplorerViewlet": "Verkenner weergeven",
+ "view": "Weergeven",
+ "textFileEditor": "Editor voor tekstbestanden",
+ "binaryFileEditor": "Editor voor binaire bestanden",
+ "files.exclude.boolean": "Het glob-patroon waarmee bestandspaden moeten worden vergeleken. Stel in op waar of onwaar om het patroon in of uit te schakelen.",
+ "files.exclude.when": "Aanvullende controle op de bestanden op hetzelfde niveau van een overeenkomend bestand. Gebruik $(basename) als variabele voor de overeenkomende bestandsnaam.",
+ "editorConfigurationTitle": "Editor"
+ },
+ "vs/workbench/parts/files/electron-browser/views/explorerView": {},
+ "vs/workbench/parts/files/electron-browser/views/openEditorsView": {},
+ "vs/workbench/parts/files/electron-browser/views/explorerViewer": {
+ "confirmOverwriteMessage": "'{0} bestaat al in de doelmap. Wilt u het vervangen?",
+ "replaceButtonLabel": "&&Vervangen"
+ },
+ "vs/workbench/parts/files/electron-browser/fileCommands": {
+ "saveAs": "Opslaan als..."
+ },
+ "vs/workbench/parts/files/electron-browser/saveErrorHandler": {
+ "retry": "Opnieuw",
+ "genericSaveError": "Kan {0} niet opslaan: {1}"
+ },
+ "vs/workbench/parts/files/electron-browser/views/emptyView": {},
+ "vs/workbench/parts/files/browser/editors/binaryFileEditor": {},
+ "vs/workbench/parts/files/common/dirtyFilesTracker": {},
+ "vs/workbench/parts/files/browser/editors/textFileEditor": {
+ "textFileEditor": "Editor voor tekstbestanden",
+ "createFile": "Bestand maken"
+ },
+ "vs/workbench/parts/files/common/editors/fileEditorInput": {},
+ "vs/workbench/parts/files/electron-browser/fileActions": {
+ "newFile": "Nieuw bestand",
+ "newFolder": "Nieuwe map",
+ "rename": "Naam wijzigen",
+ "delete": "Verwijderen",
+ "copyFile": "Kopiëren",
+ "pasteFile": "Plakken",
+ "retry": "Opnieuw",
+ "createNewFile": "Nieuw bestand",
+ "createNewFolder": "Nieuwe map",
+ "confirmMoveTrashMessageFolder": "Weet u zeker dat u {0} en de bijbehorende inhoud wilt verwijderen?",
+ "confirmMoveTrashMessageFile": "Weet u zeker dat u {0} wilt verwijderen?",
+ "confirmDeleteMessageFolder": "Weet u zeker dat u {0} en de bijbehorende inhoud definitief wilt verwijderen?",
+ "confirmDeleteMessageFile": "Weet u zeker dat u {0} definitief wilt verwijderen?",
+ "replaceButtonLabel": "&&Vervangen",
+ "duplicateFile": "Dupliceren",
+ "refresh": "Vernieuwen",
+ "emptyFileNameError": "U moet een bestands- of mapnaam opgeven.",
+ "fileNameExistsError": "Het bestand of de map **{0}** bestaat al op deze locatie. Kies een andere naam.",
+ "filePathTooLongError": "De naam **{0}** veroorzaakt een pad dat te lang is. Kies een kortere naam."
+ },
+ "vs/workbench/parts/files/electron-browser/views/explorerDecorationsProvider": {},
+ "vs/workbench/parts/localizations/electron-browser/localizations.contribution": {
+ "yes": "Ja",
+ "neverAgain": "Niet opnieuw tonen",
+ "vscode.extension.contributes.localizations": "Draagt lokalisaties bij aan de editor",
+ "vscode.extension.contributes.localizations.translations": "Lijst van vertalingen die aan de taal zijn gekoppeld.",
+ "vscode.extension.contributes.localizations.translations.id": "Id van VS Code of de extensie waaraan de vertaling toegevoegd wordt. De id van VS Code is altijd `vscode`. Bij een extensie moet de id van het formaat `uitgeverId.extensieNaam` zijn. ",
+ "vscode.extension.contributes.localizations.translations.id.pattern": "Id dient `vscode` of conform het formaat `uitgeverId.extensieNaam` te zijn om respectievelijk VS Code of een extensie te vertalen."
+ },
+ "vs/workbench/parts/localizations/electron-browser/localizationsActions": {},
+ "vs/workbench/parts/logs/electron-browser/logs.contribution": {
+ "rendererLog": "Venster"
+ },
+ "vs/workbench/parts/logs/electron-browser/logsActions": {
+ "info": "Info",
+ "warn": "Waarschuwing",
+ "err": "Fout"
+ },
+ "vs/workbench/parts/output/browser/outputPanel": {
+ "output": "Uitvoer"
+ },
+ "vs/workbench/parts/output/electron-browser/output.contribution": {
+ "output": "Uitvoer",
+ "viewCategory": "Weergeven",
+ "clearOutput.label": "Uitvoer wissen"
+ },
+ "vs/workbench/parts/output/browser/outputActions": {
+ "clearOutput": "Uitvoer wissen"
+ },
+ "vs/workbench/parts/output/electron-browser/outputServices": {},
+ "vs/workbench/parts/performance/electron-browser/startupProfiler": {},
+ "vs/workbench/parts/performance/electron-browser/actions": {},
+ "vs/workbench/parts/quickopen/browser/quickopen.contribution": {
+ "view": "Weergeven",
+ "helpDescription": "Help weergeven"
+ },
+ "vs/workbench/parts/quickopen/browser/viewPickerHandler": {
+ "terminalTitle": "{0}: {1}",
+ "channels": "Uitvoer"
+ },
+ "vs/workbench/parts/quickopen/browser/gotoSymbolHandler": {
+ "property": "eigenschappen ({0})",
+ "method": "methoden ({0})",
+ "function": "functies ({0})",
+ "_constructor": "constructors ({0})",
+ "variable": "variabelen ({0})",
+ "class": "klassen ({0})",
+ "interface": "interfaces ({0})",
+ "modules": "modules ({0})",
+ "symbols": "symbolen ({0})"
+ },
+ "vs/workbench/parts/quickopen/browser/gotoLineHandler": {
+ "gotoLine": "Naar regel gaan...",
+ "gotoLineLabelEmptyWithLimit": "Typ een regelnummer tussen 1 en {0} om te navigeren naar",
+ "gotoLineLabelEmpty": "Typ een regelnummer om te navigeren naar",
+ "gotoLineLabel": "Naar regel {0} gaan"
+ },
+ "vs/workbench/parts/quickopen/browser/commandsHandler": {
+ "showTriggerActions": "Alle opdrachten weergeven",
+ "cat.title": "{0}: {1}"
+ },
+ "vs/workbench/parts/quickopen/browser/helpHandler": {
+ "globalCommands": "algemene opdrachten",
+ "editorCommands": "editoropdrachten"
+ },
+ "vs/workbench/parts/preferences/browser/keybindingsEditorContribution": {},
+ "vs/workbench/parts/preferences/electron-browser/preferences.contribution": {
+ "preferences": "Voorkeuren",
+ "miOpenSettings": "&&Instellingen",
+ "miOpenKeymap": "&&Toetsenbordsneltoetsen"
+ },
+ "vs/workbench/parts/preferences/browser/keybindingWidgets": {},
+ "vs/workbench/parts/preferences/browser/preferencesActions": {
+ "openSettings": "Instellingen openen"
+ },
+ "vs/workbench/parts/preferences/browser/keybindingsEditor": {
+ "sortByPrecedeneLabelWithKeybinding": "{0} ({1})",
+ "recordKeysLabelWithKeybinding": "{0} ({1})",
+ "copyLabel": "Kopiëren",
+ "command": "Opdracht",
+ "title": "{0} ({1})"
+ },
+ "vs/workbench/parts/preferences/browser/preferencesEditor": {},
+ "vs/workbench/parts/preferences/electron-browser/settingsEditor2": {},
+ "vs/workbench/parts/preferences/browser/preferencesWidgets": {},
+ "vs/workbench/parts/preferences/browser/preferencesRenderers": {},
+ "vs/workbench/parts/preferences/browser/settingsTree": {
+ "modified": "Gewijzigd"
+ },
+ "vs/workbench/parts/preferences/browser/settingsWidgets": {
+ "okButton": "OK",
+ "cancelButton": "Annuleren"
+ },
+ "vs/workbench/parts/preferences/browser/settingsTreeModels": {},
+ "vs/workbench/parts/preferences/browser/settingsLayout": {
+ "find": "Zoeken",
+ "window": "Venster",
+ "newWindow": "Nieuw venster",
+ "search": "Zoeken",
+ "update": "Update"
+ },
+ "vs/workbench/parts/relauncher/electron-browser/relauncher.contribution": {},
+ "vs/workbench/parts/scm/electron-browser/scm.contribution": {
+ "toggleGitViewlet": "Git weergeven",
+ "view": "Weergeven"
+ },
+ "vs/workbench/parts/scm/electron-browser/scmViewlet": {
+ "viewletTitle": "{0}: {1}"
+ },
+ "vs/workbench/parts/scm/electron-browser/scmActivity": {
+ "scmPendingChangesBadge": "{0} openstaande wijzigingen"
+ },
+ "vs/workbench/parts/scm/electron-browser/dirtydiffDecorator": {},
+ "vs/workbench/parts/search/electron-browser/search.contribution": {
+ "search": "Zoeken",
+ "copyMatchLabel": "Kopiëren",
+ "name": "Zoeken",
+ "view": "Weergeven",
+ "searchConfigurationTitle": "Zoeken",
+ "exclude.boolean": "Het glob-patroon waarmee bestandspaden moeten worden vergeleken. Stel in op waar of onwaar om het patroon in of uit te schakelen.",
+ "exclude.when": "Aanvullende controle op de bestanden op hetzelfde niveau van een overeenkomend bestand. Gebruik $(basename) als variabele voor de overeenkomende bestandsnaam.",
+ "miViewSearch": "&&Zoeken"
+ },
+ "vs/workbench/parts/search/browser/openAnythingHandler": {
+ "fileAndTypeResults": "bestand- en symboolresultaten"
+ },
+ "vs/workbench/parts/search/browser/searchView": {
+ "replaceAll.confirmation.title": "Alles vervangen",
+ "replaceAll.confirm.button": "&&Vervangen",
+ "searchMaxResultsWarning": "De set resultaten bevat slechts een subset van alle overeenkomsten. Wees specifieker in uw zoekopdracht om de resultaten te beperken.",
+ "rerunSearchInAll.message": "Opnieuw zoeken in alle bestanden",
+ "openSettings.message": "Instellingen openen",
+ "otherEncodingWarning.openSettingsLabel": "Instellingen openen",
+ "neverAgain": "Niet opnieuw tonen"
+ },
+ "vs/workbench/parts/search/browser/openFileHandler": {
+ "searchResults": "zoekresultaten"
+ },
+ "vs/workbench/parts/search/browser/openSymbolHandler": {
+ "symbols": "symboolresultaten"
+ },
+ "vs/workbench/parts/search/browser/searchWidget": {
+ "search.action.replaceAll.enabled.label": "Alles vervangen",
+ "search.placeHolder": "Zoeken",
+ "search.replace.placeHolder": "Vervangen"
+ },
+ "vs/workbench/parts/search/browser/searchActions": {
+ "RefreshAction.label": "Vernieuwen",
+ "file.replaceAll.label": "Alles vervangen",
+ "match.replace.label": "Vervangen"
+ },
+ "vs/workbench/parts/search/common/queryBuilder": {},
+ "vs/workbench/parts/search/browser/patternInputWidget": {
+ "defaultLabel": "invoer"
+ },
+ "vs/workbench/parts/search/browser/searchResultsView": {
+ "searchMatches": "{0} overeenkomsten gevonden",
+ "searchMatch": "{0} overeenkomst gevonden"
+ },
+ "vs/workbench/parts/search/browser/replaceService": {},
+ "vs/workbench/parts/snippets/electron-browser/snippetsService": {},
+ "vs/workbench/parts/snippets/electron-browser/snippets.contribution": {
+ "snippetSchema.json": "Configuratie van gebruikersfragment",
+ "snippetSchema.json.prefix": "Het voorvoegsel dat moet worden gebruikt, wanneer het codefragment in IntelliSense wordt geselecteerd",
+ "snippetSchema.json.description": "De beschrijving van het codefragment."
+ },
+ "vs/workbench/parts/snippets/electron-browser/insertSnippet": {},
+ "vs/workbench/parts/snippets/electron-browser/configureSnippets": {
+ "preferences": "Voorkeuren",
+ "miOpenSnippets": "Persoonlijke &&Codefragmenten"
+ },
+ "vs/workbench/parts/snippets/electron-browser/snippetsFile": {},
+ "vs/workbench/parts/snippets/electron-browser/snippetCompletionProvider": {
+ "detail.snippet": "{0} ({1})"
+ },
+ "vs/workbench/parts/stats/node/workspaceStats": {
+ "never again": "Niet opnieuw tonen",
+ "openWorkspace": "Werkruimte openen"
+ },
+ "vs/workbench/parts/surveys/electron-browser/languageSurveys.contribution": {},
+ "vs/workbench/parts/surveys/electron-browser/nps.contribution": {},
+ "vs/workbench/parts/themes/electron-browser/themes.contribution": {
+ "preferences": "Voorkeuren",
+ "miSelectColorTheme": "&&Kleurthema",
+ "miSelectIconTheme": "Bestands&&Icon-thema"
+ },
+ "vs/workbench/parts/trust/electron-browser/unsupportedWorkspaceSettings.contribution": {},
+ "vs/workbench/parts/terminal/browser/terminalQuickOpen": {},
+ "vs/workbench/parts/terminal/electron-browser/terminal.contribution": {
+ "viewCategory": "Weergeven"
+ },
+ "vs/workbench/parts/terminal/electron-browser/terminalPanel": {},
+ "vs/workbench/parts/terminal/common/terminalMenu": {},
+ "vs/workbench/parts/terminal/common/terminalColorRegistry": {},
+ "vs/workbench/parts/terminal/electron-browser/terminalService": {},
+ "vs/workbench/parts/terminal/electron-browser/terminalActions": {
+ "workbench.action.terminal.copySelection.short": "Kopiëren",
+ "workbench.action.terminal.paste.short": "Plakken",
+ "workbench.action.terminal.rename": "Naam wijzigen",
+ "workbench.action.terminal.findNext": "Volgende zoeken",
+ "workbench.action.terminal.findPrevious": "Vorige zoeken"
+ },
+ "vs/workbench/parts/terminal/electron-browser/terminalConfigHelper": {},
+ "vs/workbench/parts/terminal/browser/terminalTab": {},
+ "vs/workbench/parts/terminal/electron-browser/terminalInstance": {
+ "yes": "Ja",
+ "no": "Nee",
+ "dontShowAgain": "Niet opnieuw tonen"
+ },
+ "vs/workbench/parts/terminal/electron-browser/terminalLinkHandler": {
+ "terminalLinkHandler.followLinkCmd": "Cmd+klikken om koppeling te volgen",
+ "terminalLinkHandler.followLinkCtrl": "Ctrl+klikken om koppeling te volgen"
+ },
+ "vs/workbench/parts/update/electron-browser/update": {
+ "ok": "OK",
+ "checkingForUpdates": "Controleren op updates...",
+ "installingUpdate": "Update installeren..."
+ },
+ "vs/workbench/parts/update/electron-browser/releaseNotesEditor": {},
+ "vs/workbench/parts/tasks/electron-browser/task.contribution": {
+ "miRunTask": "&&Taak Uitvoeren...",
+ "miTerminateTask": "&&Taak Beëindigen..."
+ },
+ "vs/workbench/parts/tasks/browser/taskQuickOpen": {},
+ "vs/workbench/parts/tasks/common/taskTemplates": {},
+ "vs/workbench/parts/tasks/electron-browser/terminalTaskSystem": {},
+ "vs/workbench/parts/tasks/node/taskConfiguration": {},
+ "vs/workbench/parts/tasks/node/tasks": {},
+ "vs/workbench/parts/tasks/node/processTaskSystem": {},
+ "vs/workbench/parts/tasks/browser/quickOpen": {},
+ "vs/workbench/parts/tasks/electron-browser/runAutomaticTasks": {
+ "allow": "Toestaan"
+ },
+ "vs/workbench/parts/tasks/electron-browser/jsonSchema_v1": {},
+ "vs/workbench/parts/tasks/common/taskDefinitionRegistry": {},
+ "vs/workbench/parts/tasks/electron-browser/jsonSchema_v2": {},
+ "vs/workbench/parts/tasks/node/processRunnerDetector": {},
+ "vs/workbench/parts/tasks/common/problemMatcher": {
+ "ProblemPatternParser.invalidRegexp": "Fout: De tekenreeks {0} is geen geldige reguliere expressie.\n",
+ "ProblemMatcherParser.noProblemPattern": "Fout: de beschrijving definieert geen geldig probleem patroon:\n{0}\n",
+ "ProblemMatcherParser.noOwner": "Fout: de beschrijving definieert geen eigenaar: \n{0}\n",
+ "ProblemMatcherParser.noFileLocation": "Fout: de beschrijving definieert geen bestandslocatie:\n{0}\n",
+ "ProblemMatcherParser.invalidRegexp": "Fout: De tekenreeks {0} is geen geldige reguliere expressie.\n",
+ "lessCompile": "Less problemen",
+ "jshint-stylish": "JSHint stijl problemen",
+ "eslint-compact": "ESLint compressie problemen",
+ "eslint-stylish": "ESLint stijl problemen",
+ "go": "Go problemen"
+ },
+ "vs/workbench/parts/tasks/electron-browser/jsonSchemaCommon": {},
+ "vs/workbench/parts/url/electron-browser/url.contribution": {},
+ "vs/workbench/parts/watermark/electron-browser/watermark": {
+ "watermark.showCommands": "Alle opdrachten weergeven",
+ "watermark.openFile": "Bestand openen"
+ },
+ "vs/workbench/parts/webview/electron-browser/webview.contribution": {},
+ "vs/workbench/parts/webview/electron-browser/webviewCommands": {},
+ "vs/workbench/parts/outline/electron-browser/outline.contribution": {},
+ "vs/workbench/parts/outline/electron-browser/outlinePanel": {
+ "find.placeholder": "Zoeken",
+ "find": "Zoeken"
+ },
+ "vs/workbench/parts/welcome/walkThrough/electron-browser/walkThrough.contribution": {
+ "miInteractivePlayground": "&&Interactieve Speeltuin"
+ },
+ "vs/workbench/parts/welcome/page/electron-browser/welcomePage.contribution": {
+ "miWelcome": "&&Welkom"
+ },
+ "vs/workbench/parts/welcome/overlay/browser/welcomeOverlay": {},
+ "vs/workbench/parts/welcome/walkThrough/electron-browser/walkThroughPart": {},
+ "vs/workbench/parts/welcome/walkThrough/electron-browser/editor/editorWalkThrough": {},
+ "vs/workbench/parts/welcome/page/electron-browser/welcomePage": {
+ "welcomePage": "Welkom",
+ "welcome.title": "Welkom",
+ "welcomePage.extensionListSeparator": ", ",
+ "ok": "OK"
+ },
+ "vs/workbench/parts/welcome/gettingStarted/electron-browser/telemetryOptOut": {},
+ "vs/workbench/parts/welcome/page/electron-browser/vs_code_welcome_page": {},
+ "vs/workbench/services/actions/electron-browser/menusExtensionPoint": {
+ "requirearray": "menu items dienen een array te zijn",
+ "requirestring": "eigenschap `{0}` is verplicht en dient van het type `string` te zijn",
+ "optstring": "eigenschap `{0}` kan worden weggelaten of dient van het type `string` te zijn",
+ "vscode.extension.contributes.menuItem.command": "Id van het uit te voeren commando. Het commando moet worden gedeclareerd in de 'commando'-sectie",
+ "vscode.extension.contributes.menuItem.alt": "Id van een alternatief uit te voeren commando. Het commando moet worden gedeclareerd in de 'commando'-sectie",
+ "vscode.extension.contributes.menuItem.when": "Voorwaarde die moet worden voldaan om het item te laten zien",
+ "vscode.extension.contributes.menuItem.group": "Groep waartoe deze opdracht behoort",
+ "vscode.extension.contributes.menus": "Voegt menu-items toe aan de editor",
+ "menus.commandPalette": "Het Opdrachtpalet",
+ "menus.touchBar": "De touch bar (alleen macOS)",
+ "menus.editorContext": "Het editor context menu",
+ "menus.explorerContext": "Het Verkenner context menu",
+ "menus.editorTabContext": "Het editor tabbladen context menu",
+ "menus.debugCallstackContext": "Het debug callstack context menu ",
+ "menus.scmTitle": "Het versiebeheer titelmenu",
+ "menus.scmSourceControl": "Het versiebeheer menu",
+ "menus.resourceGroupContext": "Het snelmenu van de versiebeheer resource groep",
+ "menus.resourceStateContext": "Het contextmenu voor resource staat van broncodebeheer",
+ "view.viewTitle": "Het uitgebreide view titelmenu",
+ "view.itemContext": "Het bijdragen-overzicht context menu",
+ "nonempty": "niet-lege waarde verwacht.",
+ "opticon": "eigenschap 'pictogram' kan worden weggelaten of dient van het type 'string' te zijn dan wel een letterlijke tekst zoals '{donker, licht}'",
+ "requireStringOrObject": "eigenschap '{0}' is verplicht en moet van het type 'string' of 'object' zijn",
+ "requirestrings": "Eigenschappen '{0}' en '{1}' zijn verplicht en moeten van het type 'string' zijn",
+ "vscode.extension.contributes.commandType.command": "Id van de uit te voeren opdracht",
+ "vscode.extension.contributes.commandType.title": "Titel waarmee de opdracht wordt weergegeven in de gebruikersinterface",
+ "vscode.extension.contributes.commandType.category": "(Optioneel) Categorie tekst waarmee de opdracht is gegroepeerd in de gebruikersinterface",
+ "vscode.extension.contributes.commandType.icon": "(Optioneel) Pictogram dat wordt gebruikt om de opdracht in de gebruikersinterface weer te geven. Dit dient een bestandslocatie of een thematiseerbare configuratie te zijn",
+ "vscode.extension.contributes.commandType.icon.light": "Pad van het pictogram wanneer een licht thema wordt gebruikt",
+ "vscode.extension.contributes.commandType.icon.dark": "Pad van het pictogram wanneer een donker thema wordt gebruikt",
+ "vscode.extension.contributes.commands": "Voegt opdrachten toe aan het opdrachtenpalet.",
+ "dup": "Opdracht `{0}` komt meerdere keren voor in de `opdrachten` sectie.",
+ "menuId.invalid": "'{0}' is geen geldige menu-id",
+ "missing.command": "Menu-item refereert naar een opdracht `{0}` welke niet is gedefinieerd in de 'opdrachten' sectie.",
+ "missing.altCommand": "Menu-item refereert naar een alt-opdracht `{0}` welke niet is gedefinieerd in de 'opdrachten' sectie.",
+ "dupe.command": "Menu-item refereert naar dezelfde opdracht als standaard en alt-opdracht"
+ },
+ "vs/workbench/services/bulkEdit/electron-browser/bulkEditService": {
+ "summary.0": "Geen aanpassingen gemaakt",
+ "summary.nm": "{0} aanpassing(en) gemaakt in {1} bestanden",
+ "summary.n0": "{0} aanpassingen gemaakt in één bestand",
+ "conflict": "Deze bestanden zijn ondertussen gewijzigd: {0}"
+ },
+ "vs/workbench/services/commands/common/commandService": {},
+ "vs/workbench/services/configurationResolver/electron-browser/configurationResolverService": {},
+ "vs/workbench/services/configurationResolver/common/configurationResolverUtils": {},
+ "vs/workbench/services/configurationResolver/common/configurationResolverSchema": {},
+ "vs/workbench/services/configurationResolver/node/variableResolver": {},
+ "vs/workbench/services/configuration/common/configurationExtensionPoint": {
+ "workspaceConfig.settings.description": "Werkruimte-instellingen"
+ },
+ "vs/workbench/services/configuration/node/configurationService": {},
+ "vs/workbench/services/configuration/node/jsonEditingService": {},
+ "vs/workbench/services/configuration/node/configurationEditingService": {
+ "open": "Instellingen openen"
+ },
+ "vs/workbench/services/crashReporter/electron-browser/crashReporterService": {},
+ "vs/workbench/services/dialogs/electron-browser/dialogService": {
+ "yesButton": "&&Ja",
+ "cancelButton": "Annuleren"
+ },
+ "vs/workbench/services/editor/browser/editorService": {},
+ "vs/workbench/services/extensions/common/extensionsRegistry": {
+ "vscode.extension.engines.vscode": "Voor VS Code extensies, specificeert de VS Code versie waarmee de extensie compatibel is. Kan niet * zijn. Bijvoorbeeld: ^0.10.5 geeft een compatibiliteit met ten minste VS Code versie 0.10.5 aan. ",
+ "vscode.extension.publisher": "De uitgever van de VS Code extensie.",
+ "vscode.extension.displayName": "De weergavenaam voor de extensie in de VS Code galerij. ",
+ "vscode.extension.categories": "De categorieën die door de VS Code galerij gebruikt worden om de extensie te categoriseren.",
+ "vscode.extension.galleryBanner": "Banner die gebruikt wordt in de VS Code marketplace.",
+ "vscode.extension.galleryBanner.color": "De kleur van de banner in de paginakop van de VS Code marktplaats.",
+ "vscode.extension.galleryBanner.theme": "Het kleurthema voor het lettertype in de banner.",
+ "vscode.extension.contributes": "Alle bijdragen van de VS Code extensie vertegenwoordigd door dit pakket.",
+ "vscode.extension.preview": "Stelt in welke extensie als voorbeeld dient te worden aangemerkt in de marktplaats.",
+ "vscode.extension.activationEvents": "Activeringsgebeurtenissen voor de VS Code extensie.",
+ "vscode.extension.activationEvents.onLanguage": "Een activeringsgebeurtenis die moet optreden elke keer dat een bestand in de opgegeven taal wordt geopend.",
+ "vscode.extension.activationEvents.onCommand": "Een activeringsgebeurtenis die moet optreden elke keer dat het opgegeven commando wordt aangeroepen.",
+ "vscode.extension.activationEvents.onDebug": "Een activeringsgebeurtenis die moet optreden elke keer dat een gebruiker op het punt staat de foutopsporing te starten of foutopsporing configuraties gaat instellen.",
+ "vscode.extension.activationEvents.onDebugInitialConfigurations": "Een activeringsgebeurtenis die moet optreden elke keer dat een \"launch.json\" moet worden gemaakt (en alle methoden van de provideDebugConfigurations moeten worden aangeroepen).",
+ "vscode.extension.activationEvents.onDebugResolve": "Een activeringsgebeurtenis die moet optreden elke keer dat een foutopsporingssessie van het gespecificeerde type op het punt staat gestart te worden (en een bijbehorende methode van de resolveDebugConfiguration moet worden aangeroepen).",
+ "vscode.extension.activationEvents.workspaceContains": "Een activeringsgebeurtenis die moet optreden elke keer dat een map wordt geopend waarin zich minimaal één bestand bevindt die overeenkomt met het opgegeven glob-patroon.",
+ "vscode.extension.activationEvents.onView": "Een activeringsgebeurtenis die moet optreden elke keer dat de opgegeven weergave wordt uitgevouwen.",
+ "vscode.extension.activationEvents.star": "Een activeringsgebeurtenis die moet optreden bij het opstarten van VS Code. Om een geweldige gebruikersbeleving te waarborgen, gelieve deze activeringsgebeurtenis alleen te gebruiken als er geen andere activeringsgebeurtenis-combinatie werkt in uw gebruiksvoorbeeld.",
+ "vscode.extension.badges": "Array van badges om te tonen in de zijbalk van de extensiepagina in de marktplaats.",
+ "vscode.extension.badges.url": "Badge afbeelding URL.",
+ "vscode.extension.badges.href": "Badge link.",
+ "vscode.extension.badges.description": "Badge omschrijving.",
+ "vscode.extension.extensionDependencies": "Afhankelijkheden met andere extensies. De id van een extensie is altijd ${uitgever}.${naam}. Bijvoorbeeld: vscode.csharp.",
+ "vscode.extension.scripts.prepublish": "Script dat wordt uitgevoerd voordat het pakket wordt gepubliceerd als een extensie van VS Code.",
+ "vscode.extension.icon": "Pad naar een pictogram van 128x128 pixels."
+ },
+ "vs/workbench/services/extensions/electron-browser/runtimeExtensionsInput": {},
+ "vs/workbench/services/extensions/node/extensionManagementServerService": {},
+ "vs/workbench/services/extensions/electron-browser/inactiveExtensionUrlHandler": {
+ "confirmUrl": "Toestaan dat een extensie deze URL opent?",
+ "open": "&&Openen"
+ },
+ "vs/workbench/services/extensions/electron-browser/extensionService": {
+ "Reload": "Opnieuw laden"
+ },
+ "vs/workbench/services/extensions/electron-browser/extensionHost": {},
+ "vs/workbench/services/extensions/electron-browser/cachedExtensionScanner": {},
+ "vs/workbench/services/extensions/node/extensionPoints": {
+ "extensionDescription.empty": "Lege extensie omschrijving ontvangen",
+ "extensionDescription.name": "eigenschap `{0}` is verplicht en dient van het type `string` te zijn",
+ "extensionDescription.version": "eigenschap `{0}` is verplicht en dient van het type `string` te zijn",
+ "extensionDescription.engines": "eigenschap `{0}` is verplicht en dient van het type `object` te zijn",
+ "extensionDescription.engines.vscode": "eigenschap `{0}` is verplicht en dient van het type `string` te zijn",
+ "extensionDescription.extensionDependencies": "eigenschap `{0}` kan worden weggelaten of dient van het type `string[]` te zijn",
+ "extensionDescription.activationEvents1": "eigenschap `{0}` kan worden weggelaten of dient van het type `string[]` te zijn",
+ "extensionDescription.activationEvents2": "eigenschappen '{0}' en '{1}' moeten beide worden opgegeven of moeten beide worden weggelaten",
+ "extensionDescription.main1": "eigenschap `{0}` kan worden weggelaten of dient van het type `string` te zijn",
+ "extensionDescription.main3": "eigenschappen '{0}' en '{1}' moeten beide worden opgegeven of moeten beide worden weggelaten"
+ },
+ "vs/workbench/services/jsonschemas/common/jsonValidationExtensionPoint": {},
+ "vs/workbench/services/files/electron-browser/remoteFileService": {},
+ "vs/workbench/services/files/electron-browser/fileService": {
+ "trashFailed": "{0} kan niet naar de prullenbak worden verplaatst"
+ },
+ "vs/workbench/services/keybinding/electron-browser/keybindingService": {
+ "unboundCommands": "Dit zijn andere beschikbare opdrachten: "
+ },
+ "vs/workbench/services/keybinding/common/keybindingEditing": {},
+ "vs/workbench/services/mode/common/workbenchModeService": {},
+ "vs/workbench/services/progress/browser/progressService2": {
+ "progress.text2": "{0}: {1}",
+ "cancel": "Annuleren"
+ },
+ "vs/workbench/services/remote/electron-browser/remoteAgentServiceImpl": {},
+ "vs/workbench/services/textfile/electron-browser/textFileService": {
+ "save": "&&Opslaan",
+ "cancel": "Annuleren"
+ },
+ "vs/workbench/services/textfile/common/textFileEditorModel": {
+ "genericSaveError": "Kan {0} niet opslaan: {1}"
+ },
+ "vs/workbench/services/textfile/common/textFileService": {},
+ "vs/workbench/services/workspace/node/workspaceEditingService": {},
+ "vs/workbench/services/themes/common/colorExtensionPoint": {
+ "invalid.id.format": "'configuration.colors.id' moet voldoen aan woord[.word] *"
+ },
+ "vs/workbench/services/themes/common/colorThemeSchema": {
+ "schema.token.foreground": "Voorgrondkleur voor het token."
+ },
+ "vs/workbench/services/themes/electron-browser/workbenchThemeService": {},
+ "vs/workbench/services/themes/electron-browser/fileIconThemeStore": {},
+ "vs/workbench/services/themes/electron-browser/fileIconThemeData": {},
+ "vs/workbench/services/themes/electron-browser/colorThemeStore": {},
+ "vs/workbench/services/themes/common/fileIconThemeSchema": {},
+ "vs/workbench/services/themes/electron-browser/colorThemeData": {},
+ "vs/workbench/services/textMate/electron-browser/TMSyntax": {
+ "invalid.scopeName": "Verwachte tekst in `contributes.{0}.scopeName`. Aangeleverde waarde: {1}",
+ "invalid.path.0": "Verwachte tekst in `contributes.{0}.path`. Aangeleverde waarde: {1}"
+ },
+ "vs/workbench/services/textMate/electron-browser/TMGrammars": {},
+ "vs/workbench/services/decorations/browser/decorationsService": {}
+}
diff --git a/internal/vite-plugin-monaco-editor-nls/src/locale/pl.json b/internal/vite-plugin-monaco-editor-nls/src/locale/pl.json
new file mode 100644
index 0000000..bf62ca8
--- /dev/null
+++ b/internal/vite-plugin-monaco-editor-nls/src/locale/pl.json
@@ -0,0 +1,8306 @@
+{
+ "vs/base/common/date": {
+ "date.fromNow.in": "za {0}",
+ "date.fromNow.now": "teraz",
+ "date.fromNow.seconds.singular.ago": "{0} s temu",
+ "date.fromNow.seconds.plural.ago": "{0} s temu",
+ "date.fromNow.seconds.singular": "{0} s",
+ "date.fromNow.seconds.plural": "{0} s",
+ "date.fromNow.minutes.singular.ago": "{0} min temu",
+ "date.fromNow.minutes.plural.ago": "{0} min temu",
+ "date.fromNow.minutes.singular": "{0} min",
+ "date.fromNow.minutes.plural": "{0} min",
+ "date.fromNow.hours.singular.ago": "{0} godz. temu",
+ "date.fromNow.hours.plural.ago": "{0} godz. temu",
+ "date.fromNow.hours.singular": "{0} godz.",
+ "date.fromNow.hours.plural": "{0} godz.",
+ "date.fromNow.days.singular.ago": "{0} dzień temu",
+ "date.fromNow.days.plural.ago": "{0} dni temu",
+ "date.fromNow.days.singular": "{0} dzień",
+ "date.fromNow.days.plural": "{0} dni",
+ "date.fromNow.weeks.singular.ago": "{0} tydzień temu",
+ "date.fromNow.weeks.plural.ago": "{0} tyg. temu",
+ "date.fromNow.weeks.singular": "{0} tydzień",
+ "date.fromNow.weeks.plural": "{0} tyg.",
+ "date.fromNow.months.singular.ago": "{0} mies. temu",
+ "date.fromNow.months.plural.ago": "{0} mies. temu",
+ "date.fromNow.months.singular": "{0} mies.",
+ "date.fromNow.months.plural": "{0} mies.",
+ "date.fromNow.years.singular.ago": "{0} rok temu",
+ "date.fromNow.years.plural.ago": "{0} lat(a) temu",
+ "date.fromNow.years.singular": "{0} rok",
+ "date.fromNow.years.plural": "{0} lat(a)"
+ },
+ "vs/base/common/codicons": {
+ "dropDownButton": "Ikona przycisków rozwijanych."
+ },
+ "vs/base/common/actions": {
+ "submenu.empty": "(puste)"
+ },
+ "vs/base/node/processes": {
+ "TaskRunner.UNC": "Nie można wykonać polecenia powłoki na dysku UNC."
+ },
+ "vs/base/common/errorMessage": {
+ "stackTrace.format": "{0}: {1}",
+ "nodeExceptionMessage": "Wystąpił błąd systemu ({0})",
+ "error.defaultMessage": "Wystąpił nieznany błąd. Sprawdź dziennik, aby uzyskać więcej szczegółów.",
+ "error.moreErrors": "{0} (łączna liczba błędów: {1})"
+ },
+ "vs/base/node/zip": {
+ "invalid file": "Wystąpił błąd podczas wyodrębniania {0}. Nieprawidłowy plik.",
+ "incompleteExtract": "Niekompletne. Znaleziono {0} z {1} wpisów",
+ "notFound": "Nie odnaleziono {0} w pliku zip."
+ },
+ "vs/base/browser/ui/dialog/dialog": {
+ "ok": "OK",
+ "dialogInfoMessage": "Informacje",
+ "dialogErrorMessage": "Błąd",
+ "dialogWarningMessage": "Ostrzeżenie",
+ "dialogPendingMessage": "W toku",
+ "dialogClose": "Zamknij okno dialogowe"
+ },
+ "vs/base/browser/ui/actionbar/actionViewItems": {
+ "titleLabel": "{0} ({1})"
+ },
+ "vs/base/browser/ui/keybindingLabel/keybindingLabel": {
+ "unbound": "Niepowiązany"
+ },
+ "vs/base/browser/ui/menu/menubar": {
+ "mAppMenu": "Menu aplikacji",
+ "mMore": "Więcej"
+ },
+ "vs/base/browser/ui/menu/menu": {
+ "titleLabel": "{0} ({1})"
+ },
+ "vs/base/common/jsonErrorMessages": {
+ "error.invalidSymbol": "Nieprawidłowy symbol",
+ "error.invalidNumberFormat": "Nieprawidłowy format liczby",
+ "error.propertyNameExpected": "Oczekiwano nazwy właściwości",
+ "error.valueExpected": "Oczekiwano wartości",
+ "error.colonExpected": "Oczekiwano dwukropka",
+ "error.commaExpected": "Oczekiwano przecinka",
+ "error.closeBraceExpected": "Oczekiwano zamykającego nawiasu klamrowego",
+ "error.closeBracketExpected": "Oczekiwano zamykającego nawiasu",
+ "error.endOfFileExpected": "Oczekiwano końca pliku"
+ },
+ "vs/base/common/keybindingLabels": {
+ "ctrlKey": "Ctrl",
+ "shiftKey": "Shift",
+ "altKey": "Alt",
+ "windowsKey": "Windows",
+ "superKey": "Super",
+ "ctrlKey.long": "Control",
+ "shiftKey.long": "Shift",
+ "altKey.long": "Alt",
+ "cmdKey.long": "Polecenie",
+ "windowsKey.long": "Windows",
+ "superKey.long": "Super"
+ },
+ "vs/base/browser/ui/tree/abstractTree": {
+ "clear": "Wyczyść",
+ "disable filter on type": "Wyłącz filtrowanie według typu",
+ "enable filter on type": "Włącz filtrowanie według typu",
+ "empty": "Nie znaleziono elementów",
+ "found": "Dopasowano {0} z {1} elementów"
+ },
+ "vs/base/browser/ui/tree/treeDefaults": {
+ "collapse all": "Zwiń wszystko"
+ },
+ "vs/base/browser/ui/toolbar/toolbar": {
+ "moreActions": "Więcej akcji..."
+ },
+ "vs/base/browser/ui/splitview/paneview": {
+ "viewSection": "Sekcja {0}"
+ },
+ "vs/base/browser/ui/inputbox/inputBox": {
+ "alertErrorMessage": "Błąd: {0}",
+ "alertWarningMessage": "Ostrzeżenie: {0}",
+ "alertInfoMessage": "Informacje: {0}"
+ },
+ "vs/base/parts/quickinput/browser/quickInput": {
+ "backButtonIcon": "Ikona przycisku Wstecz w oknie dialogowym szybkiego wprowadzania.",
+ "quickInput.back": "Wstecz",
+ "quickInput.steps": "{0}/{1}",
+ "quickInputBox.ariaLabel": "Wpisz, aby zawęzić wyniki.",
+ "inputModeEntry": "Naciśnij klawisz „Enter”, aby potwierdzić dane wejściowe, lub klawisz „Escape”, aby anulować",
+ "inputModeEntryDescription": "{0} (naciśnij klawisz „Enter”, aby potwierdzić, lub klawisz „Escape”, aby anulować)",
+ "quickInput.visibleCount": "Liczba wyników: {0}",
+ "quickInput.countSelected": "Liczba wybranych: {0}",
+ "ok": "OK",
+ "custom": "Niestandardowe",
+ "quickInput.backWithKeybinding": "Wstecz ({0})"
+ },
+ "vs/base/browser/ui/findinput/findInput": {
+ "defaultLabel": "wejście"
+ },
+ "vs/base/browser/ui/findinput/replaceInput": {
+ "defaultLabel": "wejście",
+ "label.preserveCaseCheckbox": "Zachowaj wielkość liter"
+ },
+ "vs/base/browser/ui/findinput/findInputCheckboxes": {
+ "caseDescription": "Uwzględnij wielkość liter",
+ "wordsDescription": "Uwzględnij całe wyrazy",
+ "regexDescription": "Użyj wyrażenia regularnego"
+ },
+ "vs/base/parts/quickinput/browser/quickInputList": {
+ "quickInput": "Szybkie wejście"
+ },
+ "vs/base/browser/ui/selectBox/selectBoxCustom": {
+ "selectBox": "Pole opcji"
+ },
+ "vs/editor/browser/editorExtensions": {
+ "miUndo": "&&Cofnij",
+ "undo": "Cofnij",
+ "miRedo": "&&Ponów",
+ "redo": "Ponów",
+ "miSelectAll": "&&Wybierz wszystko",
+ "selectAll": "Wybierz wszystko"
+ },
+ "vs/editor/common/modes/modesRegistry": {
+ "plainText.alias": "Zwykły tekst"
+ },
+ "vs/editor/common/config/editorOptions": {
+ "accessibilitySupport.auto": "Edytor będzie używać interfejsów API platformy do wykrywania, kiedy czytnik zawartości ekranu jest podłączony.",
+ "accessibilitySupport.on": "Edytor zostanie trwale zoptymalizowany pod kątem użycia z czytnikiem ekranu. Zawijanie wyrazów zostanie wyłączone.",
+ "accessibilitySupport.off": "Edytor nie będzie nigdy optymalizowany pod kątem użycia z czytnikiem zawartości ekranu.",
+ "accessibilitySupport": "Określa, czy edytor powinien zostać uruchomiony w trybie zoptymalizowanym dla czytników ekranowych. Włączenie spowoduje wyłączenie zawijania wyrazów.",
+ "comments.insertSpace": "Określa, czy podczas komentowania jest wstawiany znak spacji.",
+ "comments.ignoreEmptyLines": "Określa, czy puste wiersze mają być ignorowane z akcjami przełącz, dodaj lub usuń dla komentarzy wierszy.",
+ "emptySelectionClipboard": "Określa, czy kopiowanie bez zaznaczenia powoduje skopiowanie bieżącego wiersza.",
+ "find.cursorMoveOnType": "Określa, czy kursor powinien przeskakiwać, aby znaleźć dopasowania podczas pisania.",
+ "find.seedSearchStringFromSelection": "Określa, czy ciąg wyszukiwania w widgecie Znajdź jest inicjowany z zaznaczenia w edytorze.",
+ "editor.find.autoFindInSelection.never": "Nigdy nie włączaj automatycznego znajdowania w zaznaczeniu (ustawienie domyślne)",
+ "editor.find.autoFindInSelection.always": "Zawsze automatycznie włączaj opcję Znajdź w zaznaczeniu",
+ "editor.find.autoFindInSelection.multiline": "Włączaj opcję Znajdź w zaznaczeniu automatycznie po zaznaczeniu wielu wierszy zawartości.",
+ "find.autoFindInSelection": "Steruje warunkiem automatycznego włączania znajdowania w zaznaczeniu.",
+ "find.globalFindClipboard": "Określa, czy widżet Znajdź powinien odczytywać lub modyfikować udostępniony schowek znajdowania w systemie macOS.",
+ "find.addExtraSpaceOnTop": "Określa, czy widżet Znajdź ma dodawać dodatkowe wiersze u góry edytora. Jeśli ta opcja ma wartość true, można przewijać poza pierwszy wiersz, gdy widżet Znajdź jest widoczny.",
+ "find.loop": "Określa, czy przeszukiwanie jest automatycznie ponownie uruchamiane od początku (lub końca), gdy nie można znaleźć dalszych dopasowań.",
+ "fontLigatures": "Włącza/wyłącza ligatury czcionek (funkcje czcionek „calt” i „liga”). Zmień to na ciąg, aby dokładnie sterować właściwością CSS „font-feature-settings”.",
+ "fontFeatureSettings": "Jawna właściwość CSS „font-feature-settings”. Zamiast tego można przekazać wartość logiczną, jeśli należy tylko włączyć/wyłączyć ligatury.",
+ "fontLigaturesGeneral": "Konfiguruje ligatury czcionek lub funkcje czcionek. Może być wartością logiczną umożliwiającą włączenie/wyłączenie ligatur albo ciągiem określającym wartość właściwości CSS „font-feature-settings”.",
+ "fontSize": "Określa rozmiar czcionki w pikselach.",
+ "fontWeightErrorMessage": "Dozwolone są tylko słowa kluczowe „normal” i „bold” lub liczby z zakresu od 1 do 1000.",
+ "fontWeight": "Steruje grubością czcionki. Akceptuje słowa kluczowe „normal” i „bold” lub liczby z zakresu od 1 do 1000.",
+ "editor.gotoLocation.multiple.peek": "Pokaż widok wglądu wyników (domyślnie)",
+ "editor.gotoLocation.multiple.gotoAndPeek": "Przejdź do wyniku podstawowego i pokaż widok wglądu",
+ "editor.gotoLocation.multiple.goto": "Przejdź do wyniku podstawowego i włącz nawigację bez wglądu do innych",
+ "editor.gotoLocation.multiple.deprecated": "To ustawienie jest przestarzałe, zamiast tego użyj oddzielnych ustawień, takich jak „editor.editor.gotoLocation.multipleDefinitions” lub „editor.editor.gotoLocation.multipleImplementations”.",
+ "editor.editor.gotoLocation.multipleDefinitions": "Steruje zachowaniem polecenia „Przejdź do definicji”, gdy istnieje wiele lokalizacji docelowych.",
+ "editor.editor.gotoLocation.multipleTypeDefinitions": "Określa zachowanie polecenia „Przejdź do definicji typu”, gdy istnieje wiele lokalizacji docelowych.",
+ "editor.editor.gotoLocation.multipleDeclarations": "Steruje zachowaniem polecenia „Przejdź do deklaracji”, gdy istnieje wiele lokalizacji docelowych.",
+ "editor.editor.gotoLocation.multipleImplemenattions": "Określa zachowanie polecenia „Przejdź do implementacji”, gdy istnieje wiele lokalizacji docelowych.",
+ "editor.editor.gotoLocation.multipleReferences": "Określa zachowanie polecenia „Przejdź do odwołań”, gdy istnieje wiele lokalizacji docelowych.",
+ "alternativeDefinitionCommand": "Alternatywny identyfikator polecenia, które jest wykonywane, gdy wynikiem akcji „Przejdź do definicji” jest bieżąca lokalizacja.",
+ "alternativeTypeDefinitionCommand": "Alternatywny identyfikator polecenia, które jest wykonywane, gdy wynikiem akcji „Przejdź do definicji typu” jest bieżąca lokalizacja.",
+ "alternativeDeclarationCommand": "Alternatywny identyfikator polecenia, które jest wykonywane, gdy wynikiem akcji „Przejdź do deklaracji” jest bieżąca lokalizacja.",
+ "alternativeImplementationCommand": "Alternatywny identyfikator polecenia, które jest wykonywane, gdy wynikiem akcji „Przejdź do implementacji” jest bieżąca lokalizacja.",
+ "alternativeReferenceCommand": "Alternatywny identyfikator polecenia, które jest wykonywane, gdy wynikiem akcji „Przejdź do odwołania” jest bieżąca lokalizacja.",
+ "hover.enabled": "Określa, czy aktywowanie ma być pokazywane.",
+ "hover.delay": "Określa opóźnienie w milisekundach, po którym jest wyświetlane aktywowanie.",
+ "hover.sticky": "Określa, czy aktywowanie powinno pozostać widoczne, gdy wskaźnik myszy zostanie nad nim przesunięty.",
+ "codeActions": "Włącza żarówkę akcji kodu w edytorze.",
+ "lineHeight": "Określa wysokość wiersza. Użyj wartości 0, aby obliczać wysokość wiersza na podstawie rozmiaru czcionki.",
+ "minimap.enabled": "Określa, czy minimapa jest wyświetlana.",
+ "minimap.size.proportional": "Minimapa ma taki sam rozmiar jak zawartość edytora (i może być przewijana).",
+ "minimap.size.fill": "Minimapa zostanie rozciągnięta lub zmniejszona w razie potrzeby, aby wypełnić wysokość edytora (bez przewijania).",
+ "minimap.size.fit": "Minimapa zostanie zmniejszona w razie potrzeby, aby nigdy nie była większa niż edytor (bez przewijania).",
+ "minimap.size": "Steruje rozmiarem minimapy.",
+ "minimap.side": "Określa, po której stronie ma być renderowana minimapa.",
+ "minimap.showSlider": "Określa, kiedy jest wyświetlany suwak minimapy.",
+ "minimap.scale": "Skala zawartości narysowanej na minimapie: 1, 2 lub 3.",
+ "minimap.renderCharacters": "Renderowanie rzeczywistych znaków w wierszu w przeciwieństwie do bloków koloru.",
+ "minimap.maxColumn": "Ogranicz szerokość minimapy, aby renderować co najwyżej określoną liczbę kolumn.",
+ "padding.top": "Kontroluje ilość miejsca między górną krawędzią edytora a pierwszym wierszem.",
+ "padding.bottom": "Kontroluje ilość miejsca między dolną krawędzią edytora a ostatnim wierszem.",
+ "parameterHints.enabled": "Włącza wyskakujące okienko, które pokazuje dokumentację parametrów i informacje o typie podczas pisania.",
+ "parameterHints.cycle": "Określa, czy menu podpowiedzi dotyczących parametrów ma być przewijane, czy zamykane po osiągnięciu końca listy.",
+ "quickSuggestions.strings": "Włącz szybkie sugestie wewnątrz ciągów.",
+ "quickSuggestions.comments": "Włącz szybkie sugestie wewnątrz komentarzy.",
+ "quickSuggestions.other": "Włącz szybkie sugestie poza ciągami i komentarzami.",
+ "quickSuggestions": "Określa, czy sugestie powinny być automatycznie wyświetlane podczas wpisywania.",
+ "lineNumbers.off": "Numery wierszy nie są renderowane.",
+ "lineNumbers.on": "Numery wierszy są renderowane jako liczba bezwzględna.",
+ "lineNumbers.relative": "Numery wierszy są renderowane jako odległość w wierszach do pozycji kursora.",
+ "lineNumbers.interval": "Numery wierszy są renderowane co 10 wierszy.",
+ "lineNumbers": "Steruje wyświetlaniem numerów wierszy.",
+ "rulers.size": "Liczba znaków o stałej szerokości, przy których będzie renderowana ta linijka edytora.",
+ "rulers.color": "Kolor tej linijki edytora.",
+ "rulers": "Renderowanie linijek pionowych po określonej liczbie znaków monotypowych. Używanie wielu wartości dla wielu linijek. Żadne linijki nie są rysowane, jeśli tablica jest pusta.",
+ "suggest.insertMode.insert": "Wstaw sugestię bez zastępowania tekstu z prawej strony kursora.",
+ "suggest.insertMode.replace": "Wstaw sugestię i zastąp tekst z prawej strony kursora.",
+ "suggest.insertMode": "Określa, czy wyrazy są zastępowane podczas akceptowania uzupełnień. Należy pamiętać, że zależy to od rozszerzeń korzystających z tej funkcji.",
+ "suggest.filterGraceful": "Określa, czy sugestie filtrowania i sortowania na kontach uwzględniają małe literówki.",
+ "suggest.localityBonus": "Określa, czy sortowanie faworyzuje wyrazy, które pojawiają się w pobliżu kursora.",
+ "suggest.shareSuggestSelections": "Określa, czy zapamiętane wybory sugestii są współużytkowane przez wiele obszarów roboczych i okien (wymaga ustawienia „#editor.suggestSelection#”).",
+ "suggest.snippetsPreventQuickSuggestions": "Określa, czy aktywny fragment kodu uniemożliwia szybkie sugestie.",
+ "suggest.showIcons": "Określa, czy ikony mają być pokazywane, czy ukrywane w sugestiach.",
+ "suggest.showStatusBar": "Steruje widocznością paska stanu u dołu widżetu sugestii.",
+ "suggest.showInlineDetails": "Określa, czy szczegóły sugestii mają być wyświetlane śródwierszowo z etykietą, czy tylko w widżecie szczegółów",
+ "suggest.maxVisibleSuggestions.dep": "To ustawienie jest przestarzałe. Można teraz zmienić rozmiar widżetu sugestii.",
+ "deprecated": "To ustawienie jest przestarzałe, zamiast tego użyj oddzielnych ustawień, takich jak „editor.suggest.showKeywords” lub „editor.suggest.showSnippets”.",
+ "editor.suggest.showMethods": "W przypadku włączenia tej opcji funkcja IntelliSense wyświetla sugestie „method”.",
+ "editor.suggest.showFunctions": "W przypadku włączenia tej opcji funkcja IntelliSense wyświetla sugestie „function”.",
+ "editor.suggest.showConstructors": "W przypadku włączenia tej opcji funkcja IntelliSense wyświetla sugestie „constructor”.",
+ "editor.suggest.showFields": "W przypadku włączenia tej opcji funkcja IntelliSense wyświetla sugestie „field”.",
+ "editor.suggest.showVariables": "W przypadku włączenia tej opcji funkcja IntelliSense wyświetla sugestie „variable”.",
+ "editor.suggest.showClasss": "W przypadku włączenia tej opcji funkcja IntelliSense wyświetla sugestie „class”.",
+ "editor.suggest.showStructs": "W przypadku włączenia tej opcji funkcja IntelliSense wyświetla sugestie „struct”.",
+ "editor.suggest.showInterfaces": "W przypadku włączenia tej opcji funkcja IntelliSense wyświetla sugestie „interface”.",
+ "editor.suggest.showModules": "W przypadku włączenia tej opcji funkcja IntelliSense wyświetla sugestie „module”.",
+ "editor.suggest.showPropertys": "W przypadku włączenia tej opcji funkcja IntelliSense wyświetla sugestie „property”.",
+ "editor.suggest.showEvents": "W przypadku włączenia tej opcji funkcja IntelliSense wyświetla sugestie „event”.",
+ "editor.suggest.showOperators": "W przypadku włączenia tej opcji funkcja IntelliSense wyświetla sugestie „operator”.",
+ "editor.suggest.showUnits": "W przypadku włączenia tej opcji funkcja IntelliSense wyświetla sugestie „unit”.",
+ "editor.suggest.showValues": "W przypadku włączenia tej opcji funkcja IntelliSense wyświetla sugestie „value”.",
+ "editor.suggest.showConstants": "W przypadku włączenia tej opcji funkcja IntelliSense wyświetla sugestie „constant”.",
+ "editor.suggest.showEnums": "W przypadku włączenia tej opcji funkcja IntelliSense wyświetla sugestie „enum”.",
+ "editor.suggest.showEnumMembers": "W przypadku włączenia tej opcji funkcja IntelliSense wyświetla sugestie „enumMember”.",
+ "editor.suggest.showKeywords": "W przypadku włączenia tej opcji funkcja IntelliSense wyświetla sugestie „keyword”.",
+ "editor.suggest.showTexts": "W przypadku włączenia tej opcji funkcja IntelliSense wyświetla sugestie „text”.",
+ "editor.suggest.showColors": "W przypadku włączenia tej opcji funkcja IntelliSense wyświetla sugestie „color”.",
+ "editor.suggest.showFiles": "W przypadku włączenia tej opcji funkcja IntelliSense wyświetla sugestie „file”.",
+ "editor.suggest.showReferences": "W przypadku włączenia tej opcji funkcja IntelliSense wyświetla sugestie „reference”.",
+ "editor.suggest.showCustomcolors": "W przypadku włączenia tej opcji funkcja IntelliSense wyświetla sugestie „customcolor”.",
+ "editor.suggest.showFolders": "W przypadku włączenia tej opcji funkcja IntelliSense wyświetla sugestie „folder”.",
+ "editor.suggest.showTypeParameters": "W przypadku włączenia tej opcji funkcja IntelliSense wyświetla sugestie „typeParameter”.",
+ "editor.suggest.showSnippets": "W przypadku włączenia tej opcji funkcja IntelliSense wyświetla sugestie „snippet”.",
+ "editor.suggest.showUsers": "W przypadku włączenia tej opcji funkcja IntelliSense wyświetla sugestie „user”.",
+ "editor.suggest.showIssues": "W przypadku włączenia tej opcji funkcja IntelliSense wyświetla sugestie „issues”.",
+ "selectLeadingAndTrailingWhitespace": "Czy biały znak na początku i na końcu powinien być zawsze wybierany.",
+ "acceptSuggestionOnCommitCharacter": "Określa, czy sugestie powinny być akceptowane w przypadku znaków zatwierdzenia. Na przykład w języku JavaScript średnik („;”) może być znakiem zatwierdzenia, który akceptuje sugestię i wpisuje ten znak.",
+ "acceptSuggestionOnEnterSmart": "Akceptuj sugestię za pomocą klawisza „Enter” tylko wtedy, gdy wprowadza ona zmianę tekstową.",
+ "acceptSuggestionOnEnter": "Określa, czy sugestie powinny być akceptowane po naciśnięciu klawisza „Enter”, tak jak po naciśnięciu klawisza „Tab”. Pomaga uniknąć niejednoznaczności między wstawianiem nowych wierszy i akceptowaniem sugestii.",
+ "accessibilityPageSize": "Określa liczbę wierszy w edytorze, które mogą być odczytywane przez czytnik zawartości ekranu. Ostrzeżenie: ma to wpływ na wydajność w przypadku liczb większych niż wartość domyślna.",
+ "editorViewAccessibleLabel": "Zawartość edytora",
+ "editor.autoClosingBrackets.languageDefined": "Użyj konfiguracji języka, aby określić, kiedy automatycznie zamykać nawiasy.",
+ "editor.autoClosingBrackets.beforeWhitespace": "Automatycznie zamykaj nawiasy tylko wtedy, gdy kursor znajduje się po lewej stronie białego znaku.",
+ "autoClosingBrackets": "Określa, czy edytor ma automatycznie zamykać nawiasy po dodaniu nawiasu otwierającego przez użytkownika.",
+ "editor.autoClosingOvertype.auto": "Nadpisuj cudzysłowy lub nawiasy zamykające tylko wtedy, gdy zostały one automatycznie wstawione.",
+ "autoClosingOvertype": "Określa, czy edytor powinien nadpisywać cudzysłowy lub nawiasy zamykające.",
+ "editor.autoClosingQuotes.languageDefined": "Użyj konfiguracji języka, aby określić, kiedy automatycznie zamykać cudzysłowy.",
+ "editor.autoClosingQuotes.beforeWhitespace": "Automatycznie zamykaj cudzysłowy tylko wtedy, gdy kursor znajduje się po lewej stronie białego znaku.",
+ "autoClosingQuotes": "Określa, czy edytor ma automatycznie zamykać cudzysłowy po dodaniu przez użytkownika cudzysłowu otwierającego.",
+ "editor.autoIndent.none": "Edytor nie będzie wstawiać wcięć automatycznie.",
+ "editor.autoIndent.keep": "Edytor zachowa wcięcie bieżącego wiersza.",
+ "editor.autoIndent.brackets": "Edytor zachowa wcięcie bieżącego wiersza i będzie honorować nawiasy zdefiniowane przez język.",
+ "editor.autoIndent.advanced": "Edytor zachowa wcięcie bieżącego wiersza, będzie honorować nawiasy zdefiniowane przez język i wywoła specjalne reguły onEnterRules zdefiniowane przez języki.",
+ "editor.autoIndent.full": "Edytor zachowa wcięcie bieżącego wiersza, będzie honorować nawiasy zdefiniowane przez język, wywoływać specjalne reguły onEnterRules zdefiniowane przez języki i honorować reguły indentationRules zdefiniowane przez języki.",
+ "autoIndent": "Określa, czy edytor powinien automatycznie dostosowywać wcięcie, gdy użytkownik wpisuje, wkleja, przenosi lub wcina wiersze.",
+ "editor.autoSurround.languageDefined": "Użyj konfiguracji języka, aby określić, kiedy automatycznie otaczać zaznaczenia.",
+ "editor.autoSurround.quotes": "Otaczaj za pomocą cudzysłowów, ale nie nawiasów.",
+ "editor.autoSurround.brackets": "Otaczaj za pomocą nawiasów, ale nie cudzysłowów.",
+ "autoSurround": "Określa, czy edytor ma automatycznie otaczać zaznaczenia podczas wpisywania cudzysłowów lub nawiasów.",
+ "stickyTabStops": "Emuluj zachowanie zaznaczeń znaków tabulacji podczas używania spacji na potrzeby wcięć. Zaznaczanie będzie nadal korzystać z tabulatorów.",
+ "codeLens": "Określa, czy w edytorze są wyświetlane wskaźniki CodeLens.",
+ "codeLensFontFamily": "Określa rodziną czcionek dla funkcji CodeLens.",
+ "codeLensFontSize": "Określa rozmiar czcionki (w pikselach) dla funkcji CodeLens. W przypadku wartości „0” używane jest 90% wartości „#editor.fontSize#”.",
+ "colorDecorators": "Określa, czy edytor ma renderować wbudowane dekoratory kolorów i selektor kolorów.",
+ "columnSelection": "Zaznaczenie za pomocą myszy i klawiszy powoduje zaznaczenie kolumny.",
+ "copyWithSyntaxHighlighting": "Określa, czy wyróżnianie składni ma być kopiowane do schowka.",
+ "cursorBlinking": "Kontroluje styl animacji kursora.",
+ "cursorSmoothCaretAnimation": "Określa, czy ma być włączona płynna animacja karetki.",
+ "cursorStyle": "Steruje stylem kursora.",
+ "cursorSurroundingLines": "Określa minimalną liczbę widocznych wiodących i końcowych wierszy otaczających kursor. W niektórych edytorach opcja ta nazywana jest „scrollOff” lub „scrollOffset”.",
+ "cursorSurroundingLinesStyle.default": "element „cursorSurroundingLines” jest wymuszany tylko wtedy, gdy jest wyzwalany za pomocą klawiatury lub interfejsu API.",
+ "cursorSurroundingLinesStyle.all": "element „cursorSurroundingLines” jest wymuszany zawsze.",
+ "cursorSurroundingLinesStyle": "Określa, kiedy powinno być wymuszane ustawienie „cursorSurroundingLines”.",
+ "cursorWidth": "Steruje szerokością kursora, gdy ustawienie „#editor.cursorStyle#” ma wartość „line”.",
+ "dragAndDrop": "Określa, czy edytor powinien zezwalać na przenoszenie zaznaczeń za pomocą przeciągania i upuszczania.",
+ "fastScrollSensitivity": "Mnożnik szybkości przewijania podczas naciskania klawisza „Alt”.",
+ "folding": "Określa, czy w edytorze jest włączone składanie kodu.",
+ "foldingStrategy.auto": "Użyj strategii składania specyficznej dla języka, jeśli jest dostępna, w przeciwnym razie użyj strategii na podstawie wcięcia.",
+ "foldingStrategy.indentation": "Użyj strategii składania opartej na wcięciach.",
+ "foldingStrategy": "Określa strategię obliczania zakresów składania.",
+ "foldingHighlight": "Określa, czy edytor ma wyróżniać złożone zakresy.",
+ "unfoldOnClickAfterEndOfLine": "Określa, czy kliknięcie pustej zawartości po złożonym wierszu spowoduje rozwinięcie wiersza.",
+ "fontFamily": "Określa rodzinę czcionek.",
+ "formatOnPaste": "Określa, czy edytor ma automatycznie formatować wklejaną zawartość. Program formatujący musi być dostępny i powinien mieć możliwość formatowania zakresu w dokumencie.",
+ "formatOnType": "Określa, czy edytor ma automatycznie formatować wiersz po wpisaniu.",
+ "glyphMargin": "Określa, czy edytor ma renderować pionowy margines symboli. Margines symboli jest najczęściej używany do debugowania.",
+ "hideCursorInOverviewRuler": "Określa, czy kursor ma być ukrywany na linijce przeglądu.",
+ "highlightActiveIndentGuide": "Określa, czy edytor ma wyróżniać prowadnicę aktywnego wcięcia.",
+ "letterSpacing": "Określa odstępy liter w pikselach.",
+ "linkedEditing": "Określa, czy w edytorze jest włączone edytowanie połączone. Zależnie od języka, powiązane symbole (np. tagi HTML) są aktualizowane podczas edytowania.",
+ "links": "Określa, czy edytor powinien wykrywać linki i umożliwiać ich kliknięcie.",
+ "matchBrackets": "Wyróżnij pasujące nawiasy.",
+ "mouseWheelScrollSensitivity": "Mnożnik, który ma być używany w elementach „deltaX” i „deltaY” zdarzeń przewijania kółka myszy.",
+ "mouseWheelZoom": "Powiększ czcionkę edytora, gdy jest używane kółko myszy i przytrzymywany klawisz „Ctrl”.",
+ "multiCursorMergeOverlapping": "Scal wiele kursorów, gdy nakładają się na siebie.",
+ "multiCursorModifier.ctrlCmd": "Mapuje na klawisz „Control” w systemach Windows i Linux oraz na klawisz „Command” w systemie macOS.",
+ "multiCursorModifier.alt": "Mapuje na klawisz „Alt” w systemach Windows i Linux oraz na klawisz „Option” w systemie macOS.",
+ "multiCursorModifier": "Modyfikator używany do dodawania wielu kursorów za pomocą myszy. Gesty myszy Przejdź do definicji i Otwórz link dostosują się w taki sposób, aby nie powodowały konfliktu z modyfikatorem wielokursorowym. [Przeczytaj więcej](https://code.visualstudio.com/docs/editor/codebasics#_multicursor-modifier).",
+ "multiCursorPaste.spread": "Każdy kursor wkleja pojedynczy wiersz tekstu.",
+ "multiCursorPaste.full": "Każdy kursor wkleja pełny tekst.",
+ "multiCursorPaste": "Steruje wklejaniem, gdy liczba wierszy wklejanego tekstu odpowiada liczbie kursora.",
+ "occurrencesHighlight": "Określa, czy edytor powinien wyróżniać wystąpienia symboli semantycznych.",
+ "overviewRulerBorder": "Określa, czy wokół linijki przeglądu ma być rysowane obramowanie.",
+ "peekWidgetDefaultFocus.tree": "Przenieś fokus do drzewa podczas otwierania wglądu",
+ "peekWidgetDefaultFocus.editor": "Przenieś fokus do edytora podczas otwierania wglądu",
+ "peekWidgetDefaultFocus": "Określa, czy w widżecie wglądu przenieść fokus do wbudowanego edytora, czy do drzewa.",
+ "definitionLinkOpensInPeek": "Określa, czy gest myszy Przejdź do definicji zawsze powoduje otwarcie widżetu wglądu.",
+ "quickSuggestionsDelay": "Określa opóźnienie w milisekundach, po którym będą wyświetlane szybkie sugestie.",
+ "renameOnType": "Określa, czy edytor automatycznie zmienia nazwę na typ.",
+ "renameOnTypeDeprecate": "Przestarzałe. Zamiast tego użyj elementu „editor.linkedEditing”.",
+ "renderControlCharacters": "Określa, czy edytor powinien renderować znaki kontrolne.",
+ "renderIndentGuides": "Określa, czy edytor ma renderować prowadnice wcięcia.",
+ "renderFinalNewline": "Renderuj numer ostatniego wiersza, gdy plik kończy się znakiem nowego wiersza.",
+ "renderLineHighlight.all": "Wyróżnia zarówno odstęp, jak i bieżący wiersz.",
+ "renderLineHighlight": "Określa, w jaki sposób edytor powinien renderować wyróżnienie bieżącego wiersza.",
+ "renderLineHighlightOnlyWhenFocus": "Określa, czy edytor powinien renderować wyróżnienie bieżącego wiersza tylko wtedy, gdy fokus znajduje się w edytorze.",
+ "renderWhitespace.boundary": "Renderuj znaki odstępu z wyjątkiem pojedynczych spacji między wyrazami.",
+ "renderWhitespace.selection": "Renderuj białe znaki tylko w zaznaczonym tekście.",
+ "renderWhitespace.trailing": "Renderuj tylko końcowe znaki odstępu",
+ "renderWhitespace": "Określa, w jaki sposób edytor powinien renderować znaki odstępu.",
+ "roundedSelection": "Określa, czy zaznaczenia powinny mieć zaokrąglone rogi.",
+ "scrollBeyondLastColumn": "Określa liczbę dodatkowych znaków, po których edytor będzie przewijany w poziomie.",
+ "scrollBeyondLastLine": "Określa, czy edytor umożliwia przewijanie poza ostatni wiersz.",
+ "scrollPredominantAxis": "Przewijanie tylko wzdłuż dominującej osi, gdy przewijasz jednocześnie w pionie i w poziomie. Zapobiega poziomemu dryfowi podczas przewijania pionowego na gładziku.",
+ "selectionClipboard": "Określa, czy podstawowy schowek systemu Linux powinien być obsługiwany.",
+ "selectionHighlight": "Określa, czy edytor powinien wyróżniać dopasowania podobne do zaznaczenia.",
+ "showFoldingControls.always": "Zawsze pokazuj kontrolki składania.",
+ "showFoldingControls.mouseover": "Pokaż kontrolki składania tylko wtedy, gdy wskaźnik myszy znajduje się nad odstępem.",
+ "showFoldingControls": "Określa, kiedy są wyświetlane kontrolki składania w obszarze odstępu.",
+ "showUnused": "Steruje zanikaniem nieużywanego kodu.",
+ "showDeprecated": "Kontroluje przekreślanie przestarzałych zmiennych.",
+ "snippetSuggestions.top": "Pokaż sugestie dotyczące fragmentów kodu nad innymi sugestiami.",
+ "snippetSuggestions.bottom": "Pokaż sugestie dotyczące fragmentów kodu pod innymi sugestiami.",
+ "snippetSuggestions.inline": "Pokaż sugestie dotyczące fragmentów kodu z innymi sugestiami.",
+ "snippetSuggestions.none": "Nie pokazuj sugestii dotyczących fragmentów kodu.",
+ "snippetSuggestions": "Określa, czy fragmenty są pokazywane z innymi sugestiami, i jak są sortowane.",
+ "smoothScrolling": "Określa, czy edytor będzie przewijany przy użyciu animacji.",
+ "suggestFontSize": "Rozmiar czcionki dla widżetu sugestii. W przypadku ustawienia wartości „0” używane będzie ustawienie „#editor.fontSize#”.",
+ "suggestLineHeight": "Wysokość wiersza dla widżetu sugestii. W przypadku ustawienia wartości „0” będzie używane ustawienie „#editor.lineHeight#”. Wartość minimalna to 8.",
+ "suggestOnTriggerCharacters": "Określa, czy sugestie powinny być automatycznie wyświetlane podczas wpisywania znaków wyzwalacza.",
+ "suggestSelection.first": "Zawsze wybieraj pierwszą sugestię.",
+ "suggestSelection.recentlyUsed": "Wybierz ostatnie sugestie, chyba że dalsze wpisywanie wybierze jedną, np. „console.| -> console.log”, ponieważ element „log” był uzupełniony ostatnio.",
+ "suggestSelection.recentlyUsedByPrefix": "Wybierz sugestie na podstawie poprzednich prefiksów, które uzupełniły te sugestie, na przykład „co -> console” i „con -> const”.",
+ "suggestSelection": "Określa sposób wstępnego wybierania sugestii podczas wyświetlania listy sugestii.",
+ "tabCompletion.on": "Zakończenie klawiszem Tab spowoduje wstawienie najlepiej pasującej sugestii po naciśnięciu klawisza Tab.",
+ "tabCompletion.off": "Wyłącz uzupełnianie po naciśnięciu klawisza Tab.",
+ "tabCompletion.onlySnippets": "Naciśnięcie klawisza Tab uzupełnia fragmenty kodu, gdy ich prefiks jest zgodny. Sprawdza się najlepiej, gdy sugestie „quickSuggestions” nie są włączone.",
+ "tabCompletion": "Włącza uzupełnianie za pomocą klawisza Tab.",
+ "unusualLineTerminators.auto": "Nietypowe terminatory wierszy są automatycznie usuwane.",
+ "unusualLineTerminators.off": "Nietypowe terminatory wiersza są ignorowane.",
+ "unusualLineTerminators.prompt": "Dla nietypowych terminatorów wiersza wyświetlany jest monit o ich usunięcie.",
+ "unusualLineTerminators": "Usuń nietypowe terminatory wierszy, które mogą powodować problemy.",
+ "useTabStops": "Wstawianie i usuwanie odstępów następuje po tabulatorach.",
+ "wordSeparators": "Znaki, które będą używane jako separatory wyrazów podczas wykonywania nawigacji lub operacji związanych z wyrazami",
+ "wordWrap.off": "Wiersze nigdy nie będą zawijane.",
+ "wordWrap.on": "Wiersze będą zawijane przy szerokości okienka ekranu.",
+ "wordWrap.wordWrapColumn": "Wiersze będą zawijane zgodnie z ustawieniem „#editor.wordWrapColumn#”.",
+ "wordWrap.bounded": "Wiersze będą zawijane przy minimum krawędzi okienka ekranu i szerokości „#editor.wordWrapColumn#”.",
+ "wordWrap": "Kontroluje sposób zawijania wierszy.",
+ "wordWrapColumn": "Określa kolumnę zawijania edytora, gdy ustawienie „#editor.wordWrap#” ma wartość „wordWrapColumn” lub „bounded”.",
+ "wrappingIndent.none": "Brak wcięcia. Zawijane wiersze zaczynają się w kolumnie 1.",
+ "wrappingIndent.same": "Zawinięte wiersze mają takie samo wcięcie jak element nadrzędny.",
+ "wrappingIndent.indent": "Zawinięte wiersze otrzymują wcięcie +1 w kierunku nadrzędnego.",
+ "wrappingIndent.deepIndent": "Zawinięte wiersze otrzymują wcięcie +2 w kierunku nadrzędnego.",
+ "wrappingIndent": "Steruje wcięciem zawijanych wierszy.",
+ "wrappingStrategy.simple": "Zakłada, że wszystkie znaki mają tę samą szerokość. Jest to szybki algorytm, który działa poprawnie w przypadku czcionek o stałej szerokości i określonych skryptów (takich jak znaki alfabetu łacińskiego), w których symbole mają taką samą szerokość.",
+ "wrappingStrategy.advanced": "Deleguje obliczenia punktów zawijania do przeglądarki. Jest to powolny algorytm, który może powodować zawieszanie się w przypadku dużych plików, ale działa poprawnie we wszystkich przypadkach.",
+ "wrappingStrategy": "Steruje algorytmem, który oblicza punkty zawijania."
+ },
+ "vs/editor/common/view/editorColorRegistry": {
+ "lineHighlight": "Kolor tła dla wyróżnienia wiersza w pozycji kursora.",
+ "lineHighlightBorderBox": "Kolor tła dla obramowania wokół wiersza w pozycji kursora.",
+ "rangeHighlight": "Kolor tła wyróżnionych zakresów, na przykład przez funkcje szybkiego otwierania i znajdowania. Kolor nie może być nieprzezroczysty, aby nie ukrywać podstawowych dekoracji.",
+ "rangeHighlightBorder": "Kolor tła obramowania wokół wyróżnionych zakresów.",
+ "symbolHighlight": "Kolor tła wyróżnionego symbolu, na przykład dla przejścia do definicji lub do następnego/poprzedniego symbolu. Kolor nie może być nieprzezroczysty, aby nie ukrywać podstawowych dekoracji.",
+ "symbolHighlightBorder": "Kolor tła obramowania wokół wyróżnionych symboli.",
+ "caret": "Kolor kursora edytora.",
+ "editorCursorBackground": "Kolor tła kursora edytora. Umożliwia dostosowywanie koloru znaku, na który nakłada się kursor blokowy.",
+ "editorWhitespaces": "Kolor białych znaków w edytorze.",
+ "editorIndentGuides": "Kolor prowadnic wcięć edytora.",
+ "editorActiveIndentGuide": "Kolor aktywnych prowadnic wcięć edytora.",
+ "editorLineNumbers": "Kolor numerów wierszy edytora.",
+ "editorActiveLineNumber": "Kolor aktywnego numeru wiersza edytora",
+ "deprecatedEditorActiveLineNumber": "Identyfikator jest przestarzały. Zamiast tego użyj właściwości „editorLineNumber.activeForeground”.",
+ "editorRuler": "Kolor linijek edytora.",
+ "editorCodeLensForeground": "Kolor pierwszego planu wskaźników CodeLens edytora",
+ "editorBracketMatchBackground": "Kolor tła za pasującymi nawiasami",
+ "editorBracketMatchBorder": "Kolor pól pasujących nawiasów",
+ "editorOverviewRulerBorder": "Kolor obramowania linijki przeglądu.",
+ "editorOverviewRulerBackground": "Kolor tła linijki przeglądu edytora. Używany tylko wtedy, gdy minimapa jest włączona i umieszczona po prawej stronie edytora.",
+ "editorGutter": "Kolor tła marginesu edytora. Margines zawiera marginesy symboli i numery wierszy.",
+ "unnecessaryCodeBorder": "Kolor obramowania niepotrzebnego (nieużywanego) kodu źródłowego w edytorze.",
+ "unnecessaryCodeOpacity": "Nieprzezroczystość niepotrzebnego (nieużywanego) kodu źródłowego w edytorze. Na przykład „#000000c0” spowoduje renderowanie kodu z nieprzezroczystością 75%. W przypadku motywów o dużym kontraście użyj koloru motywu „editorUnnecessaryCode.border”, aby podkreślić niepotrzebny kod zamiast powodować jego zaniknięcie.",
+ "overviewRulerRangeHighlight": "Kolor znacznika linijki przeglądu na potrzeby wyróżnień zakresów. Kolor nie może być nieprzezroczysty, aby nie ukrywać podstawowych dekoracji.",
+ "overviewRuleError": "Kolor znacznika linijki przeglądu dla błędów.",
+ "overviewRuleWarning": "Kolor znacznika linijki przeglądu dla ostrzeżeń.",
+ "overviewRuleInfo": "Kolor znacznika linijki przeglądu dla informacji."
+ },
+ "vs/editor/common/model/editStack": {
+ "edit": "Wpisywanie"
+ },
+ "vs/editor/browser/controller/coreCommands": {
+ "stickydesc": "Trzymaj się końca nawet podczas przechodzenia do dłuższych wierszy"
+ },
+ "vs/editor/browser/widget/codeEditorWidget": {
+ "cursors.maximum": "Liczba kursorów została ograniczona do {0}."
+ },
+ "vs/editor/browser/widget/diffEditorWidget": {
+ "diffInsertIcon": "Dekoracje wierszy dla wstawień w edytorze różnic.",
+ "diffRemoveIcon": "Dekoracje wierszy dla usunięć w edytorze różnic.",
+ "diff.tooLarge": "Nie można porównać plików, ponieważ jeden plik jest zbyt duży."
+ },
+ "vs/editor/common/standaloneStrings": {
+ "noSelection": "Brak zaznaczenia",
+ "singleSelectionRange": "Wiersz {0}, kolumna {1} (zaznaczono {2})",
+ "singleSelection": "Wiersz {0}, kolumna {1}",
+ "multiSelectionRange": "zaznaczenia: {0} (zaznaczone znaki: {1})",
+ "multiSelection": "zaznaczenia: {0}",
+ "emergencyConfOn": "Zmienianie ustawienia „accessibilitySupport” na wartość „on” (włączone).",
+ "openingDocs": "Otwieranie strony dokumentacji dotyczącej ułatwień dostępu w edytorze.",
+ "readonlyDiffEditor": " w okienku tylko do odczytu edytora różnic.",
+ "editableDiffEditor": " w okienku edytora różnic.",
+ "readonlyEditor": " w edytorze kodu tylko do odczytu",
+ "editableEditor": " w edytorze kodu",
+ "changeConfigToOnMac": "Aby skonfigurować edytor tak, aby był zoptymalizowany pod kątem użycia z czytnikiem zawartości ekranu, naciśnij teraz przyciski Command+E.",
+ "changeConfigToOnWinLinux": "Aby skonfigurować edytor tak, aby był zoptymalizowany pod kątem użycia z czytnikiem zawartości ekranu, naciśnij teraz przyciski Control+E.",
+ "auto_on": "Edytor jest skonfigurowany tak, aby był optymalizowany pod kątem użycia z czytnikiem zawartości ekranu.",
+ "auto_off": "Edytor jest skonfigurowany tak, aby nigdy nie był optymalizowany pod kątem użycia z czytnikiem zawartości ekranu, co nie ma miejsca w tej chwili.",
+ "tabFocusModeOnMsg": "Naciśnięcie klawisza Tab w bieżącym edytorze spowoduje przeniesienie fokusu do następnego elementu, do którego można przenieść fokus. Przełącz to zachowanie, naciskając {0}.",
+ "tabFocusModeOnMsgNoKb": "Naciśnięcie klawisza Tab w bieżącym edytorze spowoduje przeniesienie fokusu do następnego elementu, do którego można przenieść fokus. Polecenie {0} nie może być obecnie wyzwalane przez powiązanie klawiszy.",
+ "tabFocusModeOffMsg": "Naciśnięcie klawisza Tab w bieżącym edytorze spowoduje wstawienie znaku tabulacji. Aby przełączyć to zachowanie, naciśnij {0}.",
+ "tabFocusModeOffMsgNoKb": "Naciśnięcie klawisza Tab w bieżącym edytorze spowoduje wstawienie znaku tabulacji. Polecenie {0} nie może być obecnie wyzwalane przez powiązanie klawiszy.",
+ "openDocMac": "Naciśnij klawisze Command+H, aby otworzyć okno przeglądarki z dodatkowymi informacjami dotyczącymi ułatwień dostępu do edytora.",
+ "openDocWinLinux": "Naciśnij klawisze Control+H, aby otworzyć okno przeglądarki z dodatkowymi informacjami dotyczącymi ułatwień dostępu do edytora.",
+ "outroMsg": "Możesz odrzucić tę etykietkę narzędzia i powrócić do edytora, naciskając klawisz Escape lub klawisze Shift+Escape.",
+ "showAccessibilityHelpAction": "Pokaż pomoc dotyczącą ułatwień dostępu",
+ "inspectTokens": "Deweloper: sprawdź tokeny",
+ "gotoLineActionLabel": "Przejdź do wiersza/kolumny...",
+ "helpQuickAccess": "Pokaż wszystkich dostawców szybkiego dostępu",
+ "quickCommandActionLabel": "Paleta poleceń",
+ "quickCommandActionHelp": "Pokaż i uruchom polecenia",
+ "quickOutlineActionLabel": "Przejdź do symbolu...",
+ "quickOutlineByCategoryActionLabel": "Przejdź do symbolu według kategorii...",
+ "editorViewAccessibleLabel": "Zawartość edytora",
+ "accessibilityHelpMessage": "Naciśnij klawisze Alt+F1, aby uzyskać opcje ułatwień dostępu.",
+ "toggleHighContrast": "Przełącz motyw o dużym kontraście",
+ "bulkEditServiceSummary": "Dokonano {0} edycji w {1} plikach"
+ },
+ "vs/editor/common/config/commonEditorConfig": {
+ "editorConfigurationTitle": "Edytor",
+ "tabSize": "Liczba spacji, której równy jest tabulator. To ustawienie jest przesłaniane na podstawie zawartości pliku, gdy jest włączona opcja „#editor.detectIndentation#”.",
+ "insertSpaces": "Wstaw spacje po naciśnięciu klawisza „Tab”. To ustawienie jest przesłaniane na podstawie zawartości pliku, gdy opcja „#editor.detectIndentation#” jest włączona.",
+ "detectIndentation": "Określa, czy ustawienia „#editor.tabSize#” i „#editor.insertSpaces#” będą wykrywane automatycznie na podstawie zawartości pliku po otwarciu pliku.",
+ "trimAutoWhitespace": "Usuń automatycznie wstawiony końcowy znak odstępu.",
+ "largeFileOptimizations": "Specjalna obsługa dużych plików w celu wyłączenia pewnych funkcji intensywnie korzystających z pamięci.",
+ "wordBasedSuggestions": "Określa, czy uzupełnienia powinny być obliczane na podstawie słów w dokumencie.",
+ "wordBasedSuggestionsMode.currentDocument": "Sugeruj tylko wyrazy z aktywnego dokumentu.",
+ "wordBasedSuggestionsMode.matchingDocuments": "Sugeruj wyrazy ze wszystkich otwartych dokumentów w tym samym języku.",
+ "wordBasedSuggestionsMode.allDocuments": "Sugeruj wyrazy ze wszystkich otwartych dokumentów.",
+ "wordBasedSuggestionsMode": "Steruje formą, w jakiej są obliczane ukończenia dokumentów na podstawie wyrazów.",
+ "semanticHighlighting.true": "Wyróżnianie semantyczne włączone dla wszystkich motywów kolorów.",
+ "semanticHighlighting.false": "Wyróżnianie semantyczne wyłączone dla wszystkich motywów kolorów.",
+ "semanticHighlighting.configuredByTheme": "Wyróżnianie semantyczne jest konfigurowane przez ustawienie „semanticHighlighting” bieżącego motywu kolorów.",
+ "semanticHighlighting.enabled": "Określa, czy element semanticHighlighting jest wyświetlany dla języków, które go obsługują.",
+ "stablePeek": "Zachowuj otwarte edytory wglądu nawet po dwukrotnym kliknięciu ich zawartości lub naciśnięciu klawisza „Escape”.",
+ "maxTokenizationLineLength": "Wiersze powyżej tej długości nie będą tokenizowane ze względu na wydajność",
+ "maxComputationTime": "Limit czasu (w milisekundach), po upływie którego obliczanie różnic jest anulowane. Użyj wartości 0, aby nie ustawiać limitu czasu.",
+ "sideBySide": "Określa, czy edytor różnic pokazuje porównanie obok siebie, czy w trybie śródwierszowym.",
+ "ignoreTrimWhitespace": "Po włączeniu tej opcji edytor różnic ignoruje zmiany w wiodącym lub końcowym białym znaku.",
+ "renderIndicators": "Określa, czy edytor różnic pokazuje wskaźniki +/- dla dodanych/usuniętych zmian.",
+ "codeLens": "Określa, czy w edytorze są wyświetlane wskaźniki CodeLens.",
+ "wordWrap.off": "Wiersze nigdy nie będą zawijane.",
+ "wordWrap.on": "Wiersze będą zawijane przy szerokości okienka ekranu.",
+ "wordWrap.inherit": "Wiersze będą zawijane zgodnie z ustawieniem „#editor.wordWrap#”."
+ },
+ "vs/editor/browser/widget/diffReview": {
+ "diffReviewInsertIcon": "Ikona polecenia „Wstaw” w przeglądzie różnic.",
+ "diffReviewRemoveIcon": "Ikona polecenia „Usuń” w przeglądzie różnic.",
+ "diffReviewCloseIcon": "Ikona polecenia „Zamknij” w przeglądzie różnic.",
+ "label.close": "Zamknij",
+ "no_lines_changed": "brak zmienionych wierszy",
+ "one_line_changed": "1 wiersz zmieniony",
+ "more_lines_changed": "zmienione wiersze: {0}",
+ "header": "Różnica {0} z {1}: oryginalny wiersz {2}, {3}, zmodyfikowany wiersz {4}, {5}",
+ "blankLine": "puste",
+ "unchangedLine": "{0} niezmieniony wiersz {1}",
+ "equalLine": "{0} oryginalny wiersz {1} zmodyfikowany wiersz {2}",
+ "insertLine": "+ {0} zmodyfikowany wiersz {1}",
+ "deleteLine": "— {0} oryginalny wiersz {1}",
+ "editor.action.diffReview.next": "Przejdź do następnej różnicy",
+ "editor.action.diffReview.prev": "Przejdź do poprzedniej różnicy"
+ },
+ "vs/editor/browser/widget/inlineDiffMargin": {
+ "diff.clipboard.copyDeletedLinesContent.label": "Kopiuj usunięte wiersze",
+ "diff.clipboard.copyDeletedLinesContent.single.label": "Kopiuj usunięty wiersz",
+ "diff.clipboard.copyDeletedLineContent.label": "Kopiuj usunięty wiersz ({0})",
+ "diff.inline.revertChange.label": "Odwróć tę zmianę"
+ },
+ "vs/editor/browser/controller/textAreaHandler": {
+ "editor": "edytor",
+ "accessibilityOffAriaLabel": "Edytor nie jest w tej chwili dostępny. Naciśnij {0}, aby wyświetlić opcje."
+ },
+ "vs/editor/contrib/clipboard/clipboard": {
+ "miCut": "Wy&&tnij",
+ "actions.clipboard.cutLabel": "Wytnij",
+ "miCopy": "&&Kopiuj",
+ "actions.clipboard.copyLabel": "Kopiuj",
+ "miPaste": "&&Wklej",
+ "actions.clipboard.pasteLabel": "Wklej",
+ "actions.clipboard.copyWithSyntaxHighlightingLabel": "Kopiuj z wyróżnieniem składni"
+ },
+ "vs/editor/contrib/anchorSelect/anchorSelect": {
+ "selectionAnchor": "Zakotwiczenie zaznaczenia",
+ "anchorSet": "Zestaw zakotwiczenia w {0}: {1}",
+ "setSelectionAnchor": "Ustaw zakotwiczenia zaznaczenia",
+ "goToSelectionAnchor": "Przejdź do zakotwiczenia zaznaczenia",
+ "selectFromAnchorToCursor": "Zaznacz od zakotwiczenia do kursora",
+ "cancelSelectionAnchor": "Anuluj zakotwiczenie zaznaczenia"
+ },
+ "vs/editor/contrib/bracketMatching/bracketMatching": {
+ "overviewRulerBracketMatchForeground": "Kolor znacznika linijki przeglądu dla pasujących nawiasów.",
+ "smartSelect.jumpBracket": "Przejdź do nawiasu",
+ "smartSelect.selectToBracket": "Zaznacz do nawiasu",
+ "miGoToBracket": "Przejdź do &&nawiasu"
+ },
+ "vs/editor/contrib/caretOperations/caretOperations": {
+ "caret.moveLeft": "Przenieś zaznaczony tekst w lewo",
+ "caret.moveRight": "Przesuń zaznaczony tekst w prawo"
+ },
+ "vs/editor/contrib/caretOperations/transpose": {
+ "transposeLetters.label": "Transponuj litery"
+ },
+ "vs/editor/contrib/codelens/codelensController": {
+ "showLensOnLine": "Pokaż polecenia CodeLens dla bieżącego wiersza"
+ },
+ "vs/editor/contrib/comment/comment": {
+ "comment.line": "Przełącz komentarz wiersza",
+ "miToggleLineComment": "&&Przełącz komentarz wiersza",
+ "comment.line.add": "Dodaj komentarz wiersza",
+ "comment.line.remove": "Usuń komentarz wiersza",
+ "comment.block": "Przełącz komentarz blokowy",
+ "miToggleBlockComment": "Przełącz komentarz &&blokowy"
+ },
+ "vs/editor/contrib/contextmenu/contextmenu": {
+ "action.showContextMenu.label": "Pokaż menu kontekstowe edytora"
+ },
+ "vs/editor/contrib/cursorUndo/cursorUndo": {
+ "cursor.undo": "Cofnij kursor",
+ "cursor.redo": "Wykonaj ponownie kursor"
+ },
+ "vs/editor/contrib/find/findController": {
+ "startFindAction": "Znajdź",
+ "miFind": "&&Znajdź",
+ "startFindWithSelectionAction": "Znajdź z zaznaczeniem",
+ "findNextMatchAction": "Znajdź następny",
+ "findPreviousMatchAction": "Znajdź poprzedni",
+ "nextSelectionMatchFindAction": "Znajdź następne zaznaczenie",
+ "previousSelectionMatchFindAction": "Znajdź poprzednie zaznaczenie",
+ "startReplace": "Zamień",
+ "miReplace": "&&Zamień"
+ },
+ "vs/editor/contrib/folding/folding": {
+ "unfoldAction.label": "Rozłóż",
+ "unFoldRecursivelyAction.label": "Rozłóż rekursywnie",
+ "foldAction.label": "Złóż",
+ "toggleFoldAction.label": "Przełącz złożenie",
+ "foldRecursivelyAction.label": "Składaj cyklicznie",
+ "foldAllBlockComments.label": "Złóż wszystkie komentarze blokowe",
+ "foldAllMarkerRegions.label": "Złóż wszystkie regiony",
+ "unfoldAllMarkerRegions.label": "Rozłóż wszystkie regiony",
+ "foldAllAction.label": "Złóż wszystko",
+ "unfoldAllAction.label": "Rozłóż wszystko",
+ "foldLevelAction.label": "Poziom składania {0}",
+ "foldBackgroundBackground": "Kolor tła za złożonym zakresami. Kolor nie może być nieprzezroczysty, aby nie ukrywać podstawowych dekoracji.",
+ "editorGutter.foldingControlForeground": "Kolor kontrolki składania na marginesie edytora."
+ },
+ "vs/editor/contrib/fontZoom/fontZoom": {
+ "EditorFontZoomIn.label": "Powiększenie czcionki edytora",
+ "EditorFontZoomOut.label": "Pomniejszenie czcionki edytora",
+ "EditorFontZoomReset.label": "Resetowanie powiększenia czcionki edytora"
+ },
+ "vs/editor/contrib/format/formatActions": {
+ "formatDocument.label": "Formatuj dokument",
+ "formatSelection.label": "Formatuj zaznaczenie"
+ },
+ "vs/editor/contrib/gotoSymbol/goToCommands": {
+ "peek.submenu": "Wgląd",
+ "def.title": "Definicje",
+ "noResultWord": "Nie znaleziono definicji dla elementu „{0}”",
+ "generic.noResults": "Nie znaleziono definicji",
+ "actions.goToDecl.label": "Przejdź do definicji",
+ "miGotoDefinition": "Przejdź do &&definicji",
+ "actions.goToDeclToSide.label": "Otwórz definicję z boku",
+ "actions.previewDecl.label": "Wgląd w definicję",
+ "decl.title": "Deklaracje",
+ "decl.noResultWord": "Nie znaleziono deklaracji dla elementu „{0}”",
+ "decl.generic.noResults": "Nie znaleziono deklaracji",
+ "actions.goToDeclaration.label": "Przejdź do deklaracji",
+ "miGotoDeclaration": "Przejdź do &&deklaracji",
+ "actions.peekDecl.label": "Wgląd w deklarację",
+ "typedef.title": "Definicje typów",
+ "goToTypeDefinition.noResultWord": "Nie znaleziono definicji typu dla elementu „{0}”",
+ "goToTypeDefinition.generic.noResults": "Nie znaleziono definicji typu",
+ "actions.goToTypeDefinition.label": "Przejdź do definicji typu",
+ "miGotoTypeDefinition": "Przejdź do &&definicji typu",
+ "actions.peekTypeDefinition.label": "Wgląd w definicję typu",
+ "impl.title": "Implementacje",
+ "goToImplementation.noResultWord": "Nie znaleziono implementacji dla elementu „{0}”",
+ "goToImplementation.generic.noResults": "Nie znaleziono implementacji",
+ "actions.goToImplementation.label": "Przejdź do implementacji",
+ "miGotoImplementation": "Przejdź do &&implementacji",
+ "actions.peekImplementation.label": "Wgląd w implementację",
+ "references.no": "Nie referencji dla elementu „{0}”",
+ "references.noGeneric": "Nie znaleziono referencji",
+ "goToReferences.label": "Przejdź do odwołań",
+ "miGotoReference": "Przejdź do &&odwołań",
+ "ref.title": "Odwołania",
+ "references.action.label": "Wgląd w odwołania",
+ "label.generic": "Przejdź do dowolnego symbolu",
+ "generic.title": "Lokalizacje",
+ "generic.noResult": "Brak wyników dla użytkownika „{0}”"
+ },
+ "vs/editor/contrib/hover/hover": {
+ "showHover": "Pokaż informacje po najechaniu kursorem",
+ "showDefinitionPreviewHover": "Pokaż podgląd definicji po najechaniu kursorem"
+ },
+ "vs/editor/contrib/gotoSymbol/link/goToDefinitionAtPosition": {
+ "multipleResults": "Kliknij, aby wyświetlić definicje ({0})."
+ },
+ "vs/editor/contrib/gotoError/gotoError": {
+ "markerAction.next.label": "Przejdź do następnego problemu (błąd, ostrzeżenie, informacje)",
+ "nextMarkerIcon": "Ikona do przechodzenia do następnego znacznika.",
+ "markerAction.previous.label": "Przejdź do poprzedniego problemu (błąd, ostrzeżenie, informacje)",
+ "previousMarkerIcon": "Ikona do przechodzenia do poprzedniego znacznika.",
+ "markerAction.nextInFiles.label": "Przejdź do następnego problemu w plikach (błąd, ostrzeżenie, informacje)",
+ "miGotoNextProblem": "Następny &&problem",
+ "markerAction.previousInFiles.label": "Przejdź do poprzedniego problemu w plikach (błąd, ostrzeżenie, informacje)",
+ "miGotoPreviousProblem": "Poprzedni &&problem"
+ },
+ "vs/editor/contrib/indentation/indentation": {
+ "indentationToSpaces": "Konwertuj wcięcia na spacje",
+ "indentationToTabs": "Konwertuj wcięcia na karty",
+ "configuredTabSize": "Skonfigurowany rozmiar karty",
+ "selectTabWidth": "Wybierz rozmiar tabulatora dla bieżącego pliku",
+ "indentUsingTabs": "Wcięcie za pomocą tabulatorów",
+ "indentUsingSpaces": "Wcięcie za pomocą spacji",
+ "detectIndentation": "Wykryj wcięcia na podstawie zawartości",
+ "editor.reindentlines": "Ponowne wcięcie wierszy",
+ "editor.reindentselectedlines": "Ponowne wcięcie zaznaczonych wierszy"
+ },
+ "vs/editor/contrib/inPlaceReplace/inPlaceReplace": {
+ "InPlaceReplaceAction.previous.label": "Zamień na poprzednią wartość",
+ "InPlaceReplaceAction.next.label": "Zamień na następną wartość"
+ },
+ "vs/editor/contrib/linesOperations/linesOperations": {
+ "lines.copyUp": "Kopiuj wiersz w górę",
+ "miCopyLinesUp": "&&Kopiuj wiersz w górę",
+ "lines.copyDown": "Kopiuj wiersz w dół",
+ "miCopyLinesDown": "Ko&&piuj wiersz w dół",
+ "duplicateSelection": "Duplikuj zaznaczenie",
+ "miDuplicateSelection": "&&Duplikuj zaznaczenie",
+ "lines.moveUp": "Przenieś wiersz w górę",
+ "miMoveLinesUp": "&&Przenieś wiersz w górę",
+ "lines.moveDown": "Przenieś wiersz w dół",
+ "miMoveLinesDown": "Przenieś &&wiersz w dół",
+ "lines.sortAscending": "Sortuj wiersze rosnąco",
+ "lines.sortDescending": "Sortuj wiersze malejąco",
+ "lines.trimTrailingWhitespace": "Przytnij końcowy biały znak",
+ "lines.delete": "Usuń wiersz",
+ "lines.indent": "Wcięcie wiersza",
+ "lines.outdent": "Zmniejsz wcięcie wiersza",
+ "lines.insertBefore": "Wstaw wiersz powyżej",
+ "lines.insertAfter": "Wstaw wiersz poniżej",
+ "lines.deleteAllLeft": "Usuń wszystko z lewej",
+ "lines.deleteAllRight": "Usuń wszystko z prawej",
+ "lines.joinLines": "Połącz wiersze",
+ "editor.transpose": "Transponuj znaki wokół kursora",
+ "editor.transformToUppercase": "Przekształć na wielkie litery",
+ "editor.transformToLowercase": "Przekształć na małe litery",
+ "editor.transformToTitlecase": "Przekształć do wielkości liter jak w nazwach własnych"
+ },
+ "vs/editor/contrib/linkedEditing/linkedEditing": {
+ "linkedEditing.label": "Rozpocznij edytowanie połączone",
+ "editorLinkedEditingBackground": "Kolor tła, gdy edytor automatycznie zmienia nazwę na typ."
+ },
+ "vs/editor/contrib/links/links": {
+ "links.navigate.executeCmd": "Wykonaj polecenie",
+ "links.navigate.follow": "Śledź link",
+ "links.navigate.kb.meta.mac": "polecenie i kliknięcie",
+ "links.navigate.kb.meta": "ctrl + kliknięcie",
+ "links.navigate.kb.alt.mac": "opcja i kliknięcie",
+ "links.navigate.kb.alt": "alt i kliknięcie",
+ "tooltip.explanation": "Wykonaj polecenie {0}",
+ "invalid.url": "Nie można otworzyć tego linku, ponieważ nie jest on poprawnie sformułowany: {0}",
+ "missing.url": "Nie można otworzyć tego linku, ponieważ brakuje jego elementu docelowego.",
+ "label": "Otwórz link"
+ },
+ "vs/editor/contrib/multicursor/multicursor": {
+ "mutlicursor.insertAbove": "Dodaj kursor powyżej",
+ "miInsertCursorAbove": "&&Dodaj kursor powyżej",
+ "mutlicursor.insertBelow": "Dodaj kursor poniżej",
+ "miInsertCursorBelow": "D&&odaj kursor poniżej",
+ "mutlicursor.insertAtEndOfEachLineSelected": "Dodaj kursory do końców wierszy",
+ "miInsertCursorAtEndOfEachLineSelected": "Dodaj &&kursory do końców wierszy",
+ "mutlicursor.addCursorsToBottom": "Dodaj kursory na dole",
+ "mutlicursor.addCursorsToTop": "Dodaj kursory na górze",
+ "addSelectionToNextFindMatch": "Dodaj zaznaczenie do następnego znalezionego dopasowania",
+ "miAddSelectionToNextFindMatch": "Dodaj &&następne wystąpienie",
+ "addSelectionToPreviousFindMatch": "Dodaj zaznaczenie do poprzedniego dopasowania wyszukiwania",
+ "miAddSelectionToPreviousFindMatch": "Dodaj &&poprzednie wystąpienie",
+ "moveSelectionToNextFindMatch": "Przenieś ostatnie zaznaczenie do następnego dopasowania wyszukiwania",
+ "moveSelectionToPreviousFindMatch": "Przenieś ostatnie zaznaczenie do poprzedniego dopasowania wyszukiwania",
+ "selectAllOccurrencesOfFindMatch": "Zaznacz wszystkie wystąpienia znalezionego dopasowania",
+ "miSelectHighlights": "Zaznacz wszystkie &&wystąpienia",
+ "changeAll.label": "Zmień wszystkie wystąpienia"
+ },
+ "vs/editor/contrib/parameterHints/parameterHints": {
+ "parameterHints.trigger.label": "Wyzwól wskazówki dotyczące parametrów"
+ },
+ "vs/editor/contrib/rename/rename": {
+ "no result": "Brak wyniku.",
+ "resolveRenameLocationFailed": "Wystąpił nieznany błąd podczas rozpoznawania lokalizacji zmiany nazwy",
+ "label": "Zmienianie nazwy elementu „{0}”",
+ "quotableLabel": "Zmienianie nazwy {0}",
+ "aria": "Pomyślnie zmieniono nazwę elementu „{0}” na „{1}”. Podsumowanie: {2}",
+ "rename.failedApply": "Zmiana nazwy nie może zastosować edycji",
+ "rename.failed": "Zmiana nazwy nie może obliczyć edycji",
+ "rename.label": "Zmień nazwę symbolu",
+ "enablePreview": "Włącz/wyłącz możliwość wyświetlania podglądu zmian przed zmianą nazwy"
+ },
+ "vs/editor/contrib/smartSelect/smartSelect": {
+ "smartSelect.expand": "Rozwiń zaznaczenie",
+ "miSmartSelectGrow": "&&Rozwiń zaznaczenie",
+ "smartSelect.shrink": "Zmniejsz zaznaczenie",
+ "miSmartSelectShrink": "&&Zmniejsz zaznaczenie"
+ },
+ "vs/editor/contrib/suggest/suggestController": {
+ "aria.alert.snippet": "Zaakceptowanie elementu „{0}” spowodowało powstanie {1} nowych edycji",
+ "suggest.trigger.label": "Wyzwól sugestie",
+ "accept.insert": "Wstaw",
+ "accept.replace": "Zamień",
+ "detail.more": "pokaż mniej",
+ "detail.less": "pokaż więcej",
+ "suggest.reset.label": "Resetuj rozmiar widżetu sugestii"
+ },
+ "vs/editor/contrib/tokenization/tokenization": {
+ "forceRetokenize": "Deweloper: wymuś ponowną tokenizację"
+ },
+ "vs/editor/contrib/toggleTabFocusMode/toggleTabFocusMode": {
+ "toggle.tabMovesFocus": "Przełącz przenoszenie fokusu za pomocą klawisza Tab",
+ "toggle.tabMovesFocus.on": "Naciśnięcie klawisza Tab spowoduje przeniesienie fokusu do następnego elementu, do którego można przenieść fokus",
+ "toggle.tabMovesFocus.off": "Naciśnięcie klawisza Tab spowoduje teraz wstawienie znaku tabulacji"
+ },
+ "vs/editor/contrib/unusualLineTerminators/unusualLineTerminators": {
+ "unusualLineTerminators.title": "Nietypowe elementy końcowe wiersza",
+ "unusualLineTerminators.message": "Wykryto nietypowe elementy końcowe wiersza",
+ "unusualLineTerminators.detail": "Ten plik zawiera co najmniej jeden nietypowy element końcowy wiersza, taki jak separator wierszy (LS) lub separator akapitów (PS).\r\n\r\nZaleca się usunięcie ich z pliku. Można to skonfigurować za pomocą elementu „editor.unusualLineTerminators”.",
+ "unusualLineTerminators.fix": "Napraw ten plik",
+ "unusualLineTerminators.ignore": "Ignoruj problem dla tego pliku"
+ },
+ "vs/editor/contrib/wordHighlighter/wordHighlighter": {
+ "wordHighlight": "Kolor tła symbolu podczas dostępu do odczytu, na przykład odczytywania zmiennej. Kolor nie może być nieprzezroczysty, aby nie ukrywać podstawowych dekoracji.",
+ "wordHighlightStrong": "Kolor tła symbolu podczas dostępu do zapisu, na przykład zapisywania do zmiennej. Kolor nie może być nieprzezroczysty, aby nie ukrywać podstawowych dekoracji.",
+ "wordHighlightBorder": "Kolor obramowania symbolu podczas dostępu do odczytu, takiego jak w przypadku odczytywania zmiennej.",
+ "wordHighlightStrongBorder": "Kolor obramowania symbolu podczas dostępu do zapisu, takiego jak w przypadku zapisywania do zmiennej.",
+ "overviewRulerWordHighlightForeground": "Kolor znacznika linijki przeglądu na potrzeby wyróżniania symboli. Kolor nie może być nieprzezroczysty, aby nie ukrywać podstawowych dekoracji.",
+ "overviewRulerWordHighlightStrongForeground": "Kolor znacznika linijki przeglądu na potrzeby wyróżniania symboli z dostępem do zapisu. Kolor nie może być nieprzezroczysty, aby nie ukrywać podstawowych dekoracji.",
+ "wordHighlight.next.label": "Przejdź do następnego wyróżnienia symbolu",
+ "wordHighlight.previous.label": "Przejdź do poprzedniego wyróżnienia symbolu",
+ "wordHighlight.trigger.label": "Wyzwól wyróżnienie symbolu"
+ },
+ "vs/editor/contrib/wordOperations/wordOperations": {
+ "deleteInsideWord": "Usuń słowo"
+ },
+ "vs/editor/contrib/quickAccess/gotoLineQuickAccess": {
+ "cannotRunGotoLine": "Aby przejść do wiersza, najpierw otwórz edytor tekstu.",
+ "gotoLineColumnLabel": "Przejdź do wiersza {0} i kolumny {1}.",
+ "gotoLineLabel": "Przejdź do wiersza {0}.",
+ "gotoLineLabelEmptyWithLimit": "Bieżący wiersz: {0}, znak: {1}. Wpisz numer wiersza z zakresu od 1 do {2}, aby do niego przejść.",
+ "gotoLineLabelEmpty": "Bieżący wiersz: {0}, znak: {1}. Wpisz numer wiersza, aby do niego przejść."
+ },
+ "vs/editor/contrib/peekView/peekView": {
+ "label.close": "Zamknij",
+ "peekViewTitleBackground": "Kolor tła obszaru tytułu widoku wglądu.",
+ "peekViewTitleForeground": "Kolor tytułu widoku wglądu.",
+ "peekViewTitleInfoForeground": "Kolor informacji dotyczących tytułu widoku wglądu.",
+ "peekViewBorder": "Kolor obramowań i strzałki widoku wglądu.",
+ "peekViewResultsBackground": "Kolor tła listy wyników widoku wglądu.",
+ "peekViewResultsMatchForeground": "Kolor pierwszego planu węzłów wierszy na liście wyników widoku wglądu.",
+ "peekViewResultsFileForeground": "Kolor pierwszego planu węzłów plików na liście wyników widoku wglądu.",
+ "peekViewResultsSelectionBackground": "Kolor tła zaznaczonego wpisu na liście wyników widoku wglądu.",
+ "peekViewResultsSelectionForeground": "Kolor pierwszego planu zaznaczonego wpisu na liście wyników widoku wglądu.",
+ "peekViewEditorBackground": "Kolor tła edytora widoku wglądu.",
+ "peekViewEditorGutterBackground": "Kolor tła marginesu w edytorze widoku wglądu.",
+ "peekViewResultsMatchHighlight": "Dopasuj kolor wyróżnienia na liście wyników widoku wglądu.",
+ "peekViewEditorMatchHighlight": "Dopasuj kolor wyróżnienia w edytorze widoku wglądu.",
+ "peekViewEditorMatchHighlightBorder": "Dopasuj obramowanie wyróżnienia w edytorze widoku wglądu."
+ },
+ "vs/editor/contrib/codeAction/codeActionCommands": {
+ "args.schema.kind": "Rodzaj akcji kodu do uruchomienia.",
+ "args.schema.apply": "Steruje stosowaniem zwracanych akcji.",
+ "args.schema.apply.first": "Zawsze stosuj pierwszą zwróconą akcję kodu.",
+ "args.schema.apply.ifSingle": "Zastosuj pierwszą zwróconą akcję kodu, jeśli jest jedyna.",
+ "args.schema.apply.never": "Nie stosuj zwróconych akcji kodu.",
+ "args.schema.preferred": "Kontroluje, czy powinny być zwracane tylko preferowane akcje kodu.",
+ "applyCodeActionFailed": "Wystąpił nieznany błąd podczas stosowania akcji kodu",
+ "quickfix.trigger.label": "Szybka poprawka...",
+ "editor.action.quickFix.noneMessage": "Brak dostępnych akcji kodu",
+ "editor.action.codeAction.noneMessage.preferred.kind": "Brak dostępnych preferowanych akcji kodu dla elementu „{0}”",
+ "editor.action.codeAction.noneMessage.kind": "Brak dostępnych akcji kodu dla elementu „{0}”",
+ "editor.action.codeAction.noneMessage.preferred": "Brak dostępnych preferowanych akcji kodu",
+ "editor.action.codeAction.noneMessage": "Brak dostępnych akcji kodu",
+ "refactor.label": "Refaktoryzuj...",
+ "editor.action.refactor.noneMessage.preferred.kind": "Brak dostępnych preferowanych refaktoryzacji dla elementu „{0}”",
+ "editor.action.refactor.noneMessage.kind": "Brak dostępnych refaktoryzacji dla elementu „{0}”",
+ "editor.action.refactor.noneMessage.preferred": "Brak dostępnych preferowanych refaktoryzacji",
+ "editor.action.refactor.noneMessage": "Brak dostępnych refaktoryzacji",
+ "source.label": "Akcja źródłowa...",
+ "editor.action.source.noneMessage.preferred.kind": "Brak dostępnych preferowanych akcji źródłowych dla elementu „{0}”",
+ "editor.action.source.noneMessage.kind": "Brak dostępnych akcji źródłowych dla elementu „{0}”",
+ "editor.action.source.noneMessage.preferred": "Brak dostępnych preferowanych akcji źródłowych",
+ "editor.action.source.noneMessage": "Brak dostępnych akcji źródłowych",
+ "organizeImports.label": "Organizuj importy",
+ "editor.action.organize.noneMessage": "Brak dostępnej akcji organizowania importów",
+ "fixAll.label": "Napraw wszystko",
+ "fixAll.noneMessage": "Brak dostępnej akcji naprawienia wszystkiego",
+ "autoFix.label": "Popraw automatycznie...",
+ "editor.action.autoFix.noneMessage": "Brak dostępnych automatycznych poprawek"
+ },
+ "vs/editor/contrib/find/findWidget": {
+ "findSelectionIcon": "Ikona polecenia „Znajdź w zaznaczeniu” w widżecie znajdowania w edytorze.",
+ "findCollapsedIcon": "Ikona wskazująca, że widżet znajdowania w edytorze jest zwinięty.",
+ "findExpandedIcon": "Ikona wskazująca, że widżet znajdowania w edytorze jest rozwinięty.",
+ "findReplaceIcon": "Ikona polecenia „Zamień” w widżecie znajdowania w edytorze.",
+ "findReplaceAllIcon": "Ikona polecenia „Zamień wszystko” w widżecie znajdowania w edytorze.",
+ "findPreviousMatchIcon": "Ikona polecenia „Znajdź poprzedni” w widżecie znajdowania w edytorze.",
+ "findNextMatchIcon": "Ikona polecenia „Znajdź następny” w widżecie znajdowania w edytorze.",
+ "label.find": "Znajdź",
+ "placeholder.find": "Znajdź",
+ "label.previousMatchButton": "Poprzednie dopasowanie",
+ "label.nextMatchButton": "Następne dopasowanie",
+ "label.toggleSelectionFind": "Znajdź w zaznaczeniu",
+ "label.closeButton": "Zamknij",
+ "label.replace": "Zamień",
+ "placeholder.replace": "Zamień",
+ "label.replaceButton": "Zamień",
+ "label.replaceAllButton": "Zamień wszystko",
+ "label.toggleReplaceButton": "Przełącz tryb zamiany",
+ "title.matchesCountLimit": "Tylko pierwsze wyniki ({0}) są wyróżnione, ale wszystkie operacje znajdowania działają na całym tekście.",
+ "label.matchesLocation": "{0} z {1}",
+ "label.noResults": "Brak wyników",
+ "ariaSearchNoResultEmpty": "znaleziono: {0}",
+ "ariaSearchNoResult": "Znaleziono {0} dla „{1}”",
+ "ariaSearchNoResultWithLineNum": "znaleziono {0} dla „{1}” w {2}",
+ "ariaSearchNoResultWithLineNumNoCurrentMatch": "Znaleziono {0} dla „{1}”",
+ "ctrlEnter.keybindingChanged": "Kombinacja klawiszy Ctrl+Enter teraz wstawia podział wiersza zamiast powodować zastąpienie wszystkiego. Możesz zmodyfikować powiązanie klawiszy dla elementu editor.action.replaceAll, aby zastąpić to zachowanie."
+ },
+ "vs/editor/contrib/folding/foldingDecorations": {
+ "foldingExpandedIcon": "Ikona dla rozwiniętych zakresów na marginesie symboli edytora.",
+ "foldingCollapsedIcon": "Ikona zwiniętych zakresów na marginesie symboli edytora."
+ },
+ "vs/editor/contrib/format/format": {
+ "hint11": "Wykonano 1 edycję formatowania w wierszu {0}",
+ "hintn1": "Wykonano edycje formatowania w liczbie {0} w wierszu {1}",
+ "hint1n": "Wykonano 1 edycję formatowania między wierszami {0} i {1}",
+ "hintnn": "Wykonano edycje formatowania w liczbie {0} między wierszami {1} i {2}"
+ },
+ "vs/editor/contrib/message/messageController": {
+ "editor.readonly": "Nie można edytować w edytorze tylko do odczytu"
+ },
+ "vs/editor/contrib/gotoSymbol/peek/referencesController": {
+ "labelLoading": "Trwa ładowanie...",
+ "metaTitle.N": "{0} ({1})"
+ },
+ "vs/editor/contrib/gotoSymbol/referencesModel": {
+ "aria.oneReference": "symbol w elemencie {0} w wierszu {1} i kolumnie {2}",
+ "aria.oneReference.preview": "symbol w elemencie {0} w wierszu {1} i kolumnie {2}, {3}",
+ "aria.fileReferences.1": "1 symbol w {0}, pełna ścieżka {1}",
+ "aria.fileReferences.N": "Symbole w liczbie {0} w elemencie {1}, pełna ścieżka {2}",
+ "aria.result.0": "Nie znaleziono wyników",
+ "aria.result.1": "Znaleziono 1 symbol w {0}",
+ "aria.result.n1": "Znaleziono {0} symbole w {1}",
+ "aria.result.nm": "Znaleziono {0} symbole w {1} plikach"
+ },
+ "vs/editor/contrib/gotoSymbol/symbolNavigation": {
+ "location.kb": "Symbol {0} z {1}, {2} dla następnego",
+ "location": "Symbol {0} z {1}"
+ },
+ "vs/editor/contrib/hover/modesContentHover": {
+ "modesContentHover.loading": "Trwa ładowanie...",
+ "peek problem": "Problem z wglądem",
+ "noQuickFixes": "Brak dostępnych szybkich poprawek",
+ "checkingForQuickFixes": "Sprawdzanie szybkich poprawek...",
+ "quick fixes": "Szybka poprawka..."
+ },
+ "vs/editor/contrib/gotoError/gotoErrorWidget": {
+ "Error": "Błąd",
+ "Warning": "Ostrzeżenie",
+ "Info": "Informacje",
+ "Hint": "Wskazówka",
+ "marker aria": "{0} w {1}. ",
+ "problems": "{0} z {1} problemów",
+ "change": "{0} z {1} problemu",
+ "editorMarkerNavigationError": "Kolor błędu widgetu nawigacji po znacznikach w edytorze.",
+ "editorMarkerNavigationWarning": "Kolor ostrzeżenia widgetu nawigacji po znacznikach w edytorze.",
+ "editorMarkerNavigationInfo": "Kolor informacji widgetu nawigacji po znacznikach w edytorze.",
+ "editorMarkerNavigationBackground": "Tło widgetu nawigacji po znacznikach w edytorze."
+ },
+ "vs/editor/contrib/parameterHints/parameterHintsWidget": {
+ "parameterHintsNextIcon": "Ikona do pokazywania następnej wskazówki dotyczącą parametru.",
+ "parameterHintsPreviousIcon": "Ikona do pokazywania poprzedniej wskazówki dotyczącej parametru.",
+ "hint": "{0}, wskazówka"
+ },
+ "vs/editor/contrib/rename/renameInputField": {
+ "renameAriaLabel": "Zmień nazwę danych wejściowych. Wpisz nową nazwę i naciśnij klawisz Enter, aby ją zatwierdzić.",
+ "label": "{0}, aby zmienić nazwę, {1}, aby wyświetlić podgląd"
+ },
+ "vs/editor/contrib/suggest/suggestWidget": {
+ "editorSuggestWidgetBackground": "Kolor tła widżetu sugestii.",
+ "editorSuggestWidgetBorder": "Kolor obramowania widżetu sugestii.",
+ "editorSuggestWidgetForeground": "Kolor pierwszego planu widżetu sugestii.",
+ "editorSuggestWidgetSelectedBackground": "Kolor tła zaznaczonego wpisu w widżecie sugestii.",
+ "editorSuggestWidgetHighlightForeground": "Kolor wyróżnień dopasowania w widżecie sugestii.",
+ "suggestWidget.loading": "Trwa ładowanie...",
+ "suggestWidget.noSuggestions": "Brak sugestii.",
+ "ariaCurrenttSuggestionReadDetails": "{0}, dokumentacja: {1}",
+ "suggest": "Sugeruj"
+ },
+ "vs/editor/contrib/quickAccess/gotoSymbolQuickAccess": {
+ "cannotRunGotoSymbolWithoutEditor": "Aby przejść do symbolu, najpierw otwórz edytor tekstu z informacjami o symbolach.",
+ "cannotRunGotoSymbolWithoutSymbolProvider": "Aktywny edytor tekstu nie udostępnia informacji o symbolach.",
+ "noMatchingSymbolResults": "Brak pasujących symboli edytora",
+ "noSymbolResults": "Brak symboli edytora",
+ "openToSide": "Otwórz z boku",
+ "openToBottom": "Otwórz na dole",
+ "symbols": "symbole ({0})",
+ "property": "właściwości ({0})",
+ "method": "metody ({0})",
+ "function": "funkcje ({0})",
+ "_constructor": "konstruktory ({0})",
+ "variable": "zmienne ({0})",
+ "class": "klasy ({0})",
+ "struct": "struktury ({0})",
+ "event": "zdarzenia ({0})",
+ "operator": "operatory ({0})",
+ "interface": "interfejsy ({0})",
+ "namespace": "przestrzenie nazw ({0})",
+ "package": "pakiety ({0})",
+ "typeParameter": "parametry typu ({0})",
+ "modules": "moduły ({0})",
+ "enum": "wyliczenia ({0})",
+ "enumMember": "elementy członkowskie wyliczenia ({0})",
+ "string": "ciągi ({0})",
+ "file": "pliki ({0})",
+ "array": "tablice ({0})",
+ "number": "liczby ({0})",
+ "boolean": "wartości logiczne ({0})",
+ "object": "obiekty ({0})",
+ "key": "klucze ({0})",
+ "field": "pola ({0})",
+ "constant": "stałe ({0})"
+ },
+ "vs/editor/contrib/snippet/snippetVariables": {
+ "Sunday": "Niedziela",
+ "Monday": "Poniedziałek",
+ "Tuesday": "Wtorek",
+ "Wednesday": "Środa",
+ "Thursday": "Czwartek",
+ "Friday": "Piątek",
+ "Saturday": "Sobota",
+ "SundayShort": "Nie",
+ "MondayShort": "Pon",
+ "TuesdayShort": "Wto",
+ "WednesdayShort": "Śro",
+ "ThursdayShort": "Czw",
+ "FridayShort": "Pt",
+ "SaturdayShort": "Sob",
+ "January": "Styczeń",
+ "February": "Luty",
+ "March": "Marzec",
+ "April": "Kwiecień",
+ "May": "Maj",
+ "June": "Czerwiec",
+ "July": "Lipiec",
+ "August": "Sierpień",
+ "September": "Wrzesień",
+ "October": "Październik",
+ "November": "Listopad",
+ "December": "Grudzień",
+ "JanuaryShort": "Sty",
+ "FebruaryShort": "Lut",
+ "MarchShort": "Mar",
+ "AprilShort": "Kwi",
+ "MayShort": "Maj",
+ "JuneShort": "Cze",
+ "JulyShort": "Lip",
+ "AugustShort": "Sie",
+ "SeptemberShort": "Wrz",
+ "OctoberShort": "Paź",
+ "NovemberShort": "Lis",
+ "DecemberShort": "Gru"
+ },
+ "vs/editor/contrib/documentSymbols/outlineTree": {
+ "title.template": "{0} ({1})",
+ "1.problem": "1 problem w tym elemencie",
+ "N.problem": "{0} problemy w tym elemencie",
+ "deep.problem": "Zawiera elementy z problemami",
+ "Array": "tablica",
+ "Boolean": "wartość logiczna",
+ "Class": "klasa",
+ "Constant": "stała",
+ "Constructor": "konstruktor",
+ "Enum": "wyliczenie",
+ "EnumMember": "składowa wyliczenia",
+ "Event": "zdarzenie",
+ "Field": "pole",
+ "File": "plik",
+ "Function": "funkcja",
+ "Interface": "interfejs",
+ "Key": "klucz",
+ "Method": "metoda",
+ "Module": "moduł",
+ "Namespace": "przestrzeń nazw",
+ "Null": "null",
+ "Number": "liczba",
+ "Object": "obiekt",
+ "Operator": "operator",
+ "Package": "pakiet",
+ "Property": "właściwość",
+ "String": "ciąg",
+ "Struct": "struktura",
+ "TypeParameter": "parametr typu",
+ "Variable": "zmienna",
+ "symbolIcon.arrayForeground": "Kolor pierwszego planu symboli tablic. Te symbole pojawiają się w konspekcie, linku do strony nadrzędnej i widgecie sugestii.",
+ "symbolIcon.booleanForeground": "Kolor pierwszego planu symboli wartości logicznych. Te symbole pojawiają się w konspekcie, linku do strony nadrzędnej i widgecie sugestii.",
+ "symbolIcon.classForeground": "Kolor pierwszego planu symboli klas. Te symbole pojawiają się w konspekcie, linku do strony nadrzędnej i widgecie sugestii.",
+ "symbolIcon.colorForeground": "Kolor pierwszego planu symboli koloru. Te symbole pojawiają się w konspekcie, linku do strony nadrzędnej i widgecie sugestii.",
+ "symbolIcon.constantForeground": "Kolor pierwszego planu symboli stałych. Te symbole pojawiają się w konspekcie, linku do strony nadrzędnej i widgecie sugestii.",
+ "symbolIcon.constructorForeground": "Kolor pierwszego planu symboli konstruktora. Te symbole pojawiają się w konspekcie, linku do strony nadrzędnej i widgecie sugestii.",
+ "symbolIcon.enumeratorForeground": "Kolor pierwszego planu symboli modułu wyliczającego. Te symbole pojawiają się w konspekcie, linku do strony nadrzędnej i widgecie sugestii.",
+ "symbolIcon.enumeratorMemberForeground": "Kolor pierwszego planu symboli elementów członkowskich modułu wyliczającego. Te symbole pojawiają się w konspekcie, linku do strony nadrzędnej i widgecie sugestii.",
+ "symbolIcon.eventForeground": "Kolor pierwszego planu dla symboli zdarzeń. Te symbole pojawiają się w konspekcie, nawigacji i widżecie sugestii.",
+ "symbolIcon.fieldForeground": "Kolor pierwszego planu symboli pól. Te symbole pojawiają się w konspekcie, linku do strony nadrzędnej i widgecie sugestii.",
+ "symbolIcon.fileForeground": "Kolor pierwszego planu dla symboli plików. Te symbole pojawiają się w konspekcie, nawigacji i widżecie sugestii.",
+ "symbolIcon.folderForeground": "Kolor pierwszego planu dla symboli folderów. Te symbole pojawiają się w konspekcie, nawigacji i widżecie sugestii.",
+ "symbolIcon.functionForeground": "Kolor pierwszego planu dla symboli funkcji. Te symbole pojawiają się w konspekcie, nawigacji i widżecie sugestii.",
+ "symbolIcon.interfaceForeground": "Kolor pierwszego planu dla symboli interfejsu. Te symbole pojawiają się w konspekcie, nawigacji i widżecie sugestii.",
+ "symbolIcon.keyForeground": "Kolor pierwszego planu dla symboli kluczy. Te symbole pojawiają się w konspekcie, nawigacji i widżecie sugestii.",
+ "symbolIcon.keywordForeground": "Kolor pierwszego planu dla symboli słów kluczowych. Te symbole pojawiają się w konspekcie, nawigacji i widżecie sugestii.",
+ "symbolIcon.methodForeground": "Kolor pierwszego planu dla symboli metod. Te symbole pojawiają się w konspekcie, nawigacji i widżecie sugestii.",
+ "symbolIcon.moduleForeground": "Kolor pierwszego planu dla symboli modułów. Te symbole pojawiają się w konspekcie, nawigacji i widżecie sugestii.",
+ "symbolIcon.namespaceForeground": "Kolor pierwszego planu dla symboli przestrzeni nazw. Te symbole pojawiają się w konspekcie, nawigacji i widżecie sugestii.",
+ "symbolIcon.nullForeground": "Kolor pierwszego planu dla symboli wartości null. Te symbole pojawiają się w konspekcie, nawigacji i widżecie sugestii.",
+ "symbolIcon.numberForeground": "Kolor pierwszego planu dla symboli liczb. Te symbole pojawiają się w konspekcie, nawigacji i widżecie sugestii.",
+ "symbolIcon.objectForeground": "Kolor pierwszego planu dla symboli obiektów. Te symbole pojawiają się w konspekcie, nawigacji i widżecie sugestii.",
+ "symbolIcon.operatorForeground": "Kolor pierwszego planu dla symboli operatorów. Te symbole pojawiają się w konspekcie, nawigacji i widżecie sugestii.",
+ "symbolIcon.packageForeground": "Kolor pierwszego planu dla symboli pakietów. Te symbole pojawiają się w konspekcie, nawigacji i widżecie sugestii.",
+ "symbolIcon.propertyForeground": "Kolor pierwszego planu dla symboli właściwości. Te symbole pojawiają się w konspekcie, nawigacji i widżecie sugestii.",
+ "symbolIcon.referenceForeground": "Kolor pierwszego planu dla symboli referencji. Te symbole pojawiają się w konspekcie, nawigacji i widżecie sugestii.",
+ "symbolIcon.snippetForeground": "Kolor pierwszego planu dla symboli fragmentów. Te symbole pojawiają się w konspekcie, nawigacji i widżecie sugestii.",
+ "symbolIcon.stringForeground": "Kolor pierwszego planu dla symboli ciągów. Te symbole pojawiają się w konspekcie, nawigacji i widżecie sugestii.",
+ "symbolIcon.structForeground": "Kolor pierwszego planu dla symboli struktur. Te symbole pojawiają się w konspekcie, nawigacji i widżecie sugestii.",
+ "symbolIcon.textForeground": "Kolor pierwszego planu dla symboli tekstu. Te symbole pojawiają się w konspekcie, nawigacji i widżecie sugestii.",
+ "symbolIcon.typeParameterForeground": "Kolor pierwszego planu dla symboli parametrów typu. Te symbole pojawiają się w konspekcie, nawigacji i widżecie sugestii.",
+ "symbolIcon.unitForeground": "Kolor pierwszego planu dla symboli jednostek. Te symbole pojawiają się w konspekcie, nawigacji i widżecie sugestii.",
+ "symbolIcon.variableForeground": "Kolor pierwszego planu dla symboli zmiennych. Te symbole pojawiają się w konspekcie, nawigacji i widżecie sugestii."
+ },
+ "vs/editor/contrib/gotoSymbol/peek/referencesWidget": {
+ "missingPreviewMessage": "podgląd niedostępny",
+ "noResults": "Brak wyników",
+ "peekView.alternateTitle": "Odwołania"
+ },
+ "vs/editor/contrib/suggest/suggestWidgetDetails": {
+ "details.close": "Zamknij",
+ "loading": "Trwa ładowanie..."
+ },
+ "vs/editor/contrib/suggest/suggestWidgetStatus": {
+ "ddd": "{0} ({1})"
+ },
+ "vs/editor/contrib/suggest/suggestWidgetRenderer": {
+ "suggestMoreInfoIcon": "Ikona do uzyskiwania dodatkowych informacji w widżecie sugestii.",
+ "readMore": "Przeczytaj więcej"
+ },
+ "vs/editor/contrib/codeAction/lightBulbWidget": {
+ "prefferedQuickFixWithKb": "Pokaż poprawki. Preferowana poprawka jest dostępna ({0})",
+ "quickFixWithKb": "Pokaż poprawki ({0})",
+ "quickFix": "Pokaż poprawki"
+ },
+ "vs/editor/contrib/gotoSymbol/peek/referencesTree": {
+ "referencesCount": "odwołania: {0}",
+ "referenceCount": "{0} odwołanie",
+ "treeAriaLabel": "Odwołania"
+ },
+ "vs/platform/environment/node/argvHelper": {
+ "unknownOption": "Ostrzeżenie: elementu „{0}” nie ma na liście znanych opcji, lecz mimo to został przekazany do oprogramowania Electron/Chromium.",
+ "multipleValues": "Opcja „{0}” została zdefiniowana więcej niż raz. Zostanie użyta wartość „{1}”.",
+ "gotoValidation": "Argumenty w trybie „--goto” powinny mieć format „PLIK(:WIERSZ(:ZNAK))”."
+ },
+ "vs/platform/request/common/request": {
+ "httpConfigurationTitle": "HTTP",
+ "proxy": "Ustawienie serwera proxy do użycia. Jeśli nie jest ustawione, zostanie odziedziczone ze zmiennych środowiskowych „http_proxy” i „https_proxy”.",
+ "strictSSL": "Określa, czy certyfikat serwera proxy ma być weryfikowany względem listy dostarczonych urzędów certyfikacji.",
+ "proxyAuthorization": "Wartość, która ma zostać wysłana jako nagłówek „Proxy-Authorization” dla każdego żądania sieciowego.",
+ "proxySupportOff": "Wyłącz obsługę serwera proxy dla rozszerzeń.",
+ "proxySupportOn": "Włącz obsługę serwera proxy dla rozszerzeń.",
+ "proxySupportOverride": "Włącz obsługę serwera proxy dla rozszerzeń, przesłoń opcje żądania.",
+ "proxySupport": "Użyj obsługi serwera proxy dla rozszerzeń.",
+ "systemCertificates": "Kontroluje, czy certyfikaty urzędu certyfikacji powinny być ładowane z systemu operacyjnego. (W systemach Windows i MacOS po wyłączeniu tego ustawienia jest wymagane ponowne załadowanie okna)."
+ },
+ "vs/platform/files/common/fileService": {
+ "invalidPath": "Nie można rozpoznać dostawcy systemu plików za pomocą względnej ścieżki pliku „{0}”",
+ "noProviderFound": "Nie znaleziono dostawcy systemu plików dla zasobu „{0}”",
+ "fileNotFoundError": "Nie można rozpoznać nieistniejącego pliku „{0}”",
+ "fileExists": "Nie można utworzyć pliku „{0}”, który już istnieje, jeśli flaga zastępowania nie jest ustawiona",
+ "err.write": "Nie można zapisać pliku „{0}” ({1})",
+ "fileIsDirectoryWriteError": "Nie można zapisać pliku „{0}”, który jest w rzeczywistości katalogiem",
+ "fileModifiedError": "Plik zmodyfikowany od",
+ "err.read": "Nie można odczytać pliku „{0}” ({1})",
+ "fileIsDirectoryReadError": "Nie można odczytać pliku „{0}”, który jest w rzeczywistości katalogiem",
+ "fileNotModifiedError": "Plik niezmodyfikowany od",
+ "fileTooLargeError": "Nie można odczytać pliku „{0}”, który jest zbyt duży, aby go otworzyć",
+ "unableToMoveCopyError1": "Nie można skopiować, jeśli źródło „{0}” różni się od celu „{1}” tylko wielkością liter, w przypadku systemu plików nieuwzględniającego wielkości liter",
+ "unableToMoveCopyError2": "Nie można przenieść/skopiować, jeśli źródło „{0}” jest elementem nadrzędnym lokalizacji docelowej „{1}”.",
+ "unableToMoveCopyError3": "Nie można przenieść/skopiować elementu „{0}”, ponieważ element docelowy „{1}” już istnieje w lokalizacji docelowej.",
+ "unableToMoveCopyError4": "Nie można przenieść/skopiować pliku „{0}” do folderu „{1}”, ponieważ plik zastąpiłby folder, w którym się znajduje.",
+ "mkdirExistsError": "Nie można utworzyć folderu „{0}”, który już istnieje, ale nie jest katalogiem",
+ "deleteFailedTrashUnsupported": "Nie można usunąć pliku „{0}” za pośrednictwem kosza, ponieważ dostawca go nie obsługuje.",
+ "deleteFailedNotFound": "Nie można usunąć nieistniejącego pliku „{0}”",
+ "deleteFailedNonEmptyFolder": "Nie można usunąć niepustego folderu „{0}”.",
+ "err.readonly": "Nie można zmodyfikować pliku tylko do odczytu „{0}”"
+ },
+ "vs/platform/files/node/diskFileSystemProvider": {
+ "fileExists": "Plik już istnieje",
+ "fileNotExists": "Plik nie istnieje",
+ "moveError": "Nie można przenieść elementu „{0}” do „{1}” ({2}).",
+ "copyError": "Nie można skopiować elementu „{0}” do „{1}” ({2}).",
+ "fileCopyErrorPathCase": "Nie można skopiować pliku do tej samej ścieżki zapisanej przy użyciu liter innej wielkości",
+ "fileCopyErrorExists": "Plik w już istnieje w lokalizacji docelowej"
+ },
+ "vs/platform/files/common/files": {
+ "unknownError": "Nieznany błąd",
+ "sizeB": "{0} B",
+ "sizeKB": "{0} KB",
+ "sizeMB": "{0} MB",
+ "sizeGB": "{0} GB",
+ "sizeTB": "{0} TB"
+ },
+ "vs/platform/update/common/update.config.contribution": {
+ "updateConfigurationTitle": "Aktualizuj",
+ "updateMode": "Skonfiguruj, czy chcesz otrzymywać aktualizacje automatyczne. Wymaga ponownego uruchomienia po zmianie. Aktualizacje są pobierane z usługi online firmy Microsoft.",
+ "none": "Wyłącz aktualizacje.",
+ "manual": "Wyłącz automatyczne sprawdzanie aktualizacji w tle. Aktualizacje będą dostępne, jeśli wyszukasz aktualizacje ręcznie.",
+ "start": "Sprawdź aktualizacje tylko przy uruchamianiu. Wyłącz automatyczne sprawdzanie aktualizacji w tle.",
+ "default": "Włącz automatyczne sprawdzanie aktualizacji. Program Code będzie sprawdzać aktualizacje automatycznie i okresowo.",
+ "deprecated": "To ustawienie jest przestarzałe, użyj zamiast niego „{0}”.",
+ "enableWindowsBackgroundUpdatesTitle": "Włącz aktualizacje w tle w systemie Windows",
+ "enableWindowsBackgroundUpdates": "Włącz, aby pobierać i instalować nowe wersje programu VS Code w systemie Windows w tle",
+ "showReleaseNotes": "Pokaż informacje o wersji po zaktualizowaniu. Informacje o wersji są pobierane z usługi online firmy Microsoft."
+ },
+ "vs/platform/environment/node/argv": {
+ "optionsUpperCase": "Opcje",
+ "extensionsManagement": "Zarządzanie rozszerzeniami",
+ "troubleshooting": "Rozwiązywanie problemów",
+ "diff": "Porównaj dwa pliki ze sobą.",
+ "add": "Dodaj foldery do ostatniego aktywnego okna.",
+ "goto": "Otwórz plik na ścieżce w określonym wierszu i na określonym znaku.",
+ "newWindow": "Wymuś otwarcie nowego okna.",
+ "reuseWindow": "Wymuś otwarcie pliku lub folderu w już otwartym oknie.",
+ "wait": "Czekaj na zamknięcie plików przed zwróceniem.",
+ "locale": "Ustawienia regionalne do użycia (np. en-US lub zh-TW).",
+ "userDataDir": "Określa katalog, w którym są przechowywane dane użytkownika. Umożliwia otwarcie wielu osobnych wystąpień programu Code.",
+ "help": "Drukuj użycie.",
+ "extensionHomePath": "Ustaw ścieżkę główną dla rozszerzeń.",
+ "listExtensions": "Wyświetl zainstalowane rozszerzenia.",
+ "showVersions": "Pokaż wersje zainstalowanych rozszerzeń, jeśli użyto parametru --list-extension.",
+ "category": "Filtruje zainstalowane rozszerzenia według podanej kategorii, jeśli określono parametr --list-extension.",
+ "installExtension": "Instaluje lub aktualizuje rozszerzenie. Identyfikator rozszerzenia to zawsze „${publisher}.${name}”. Użyj argumentu „--force”, aby zaktualizować do najnowszej wersji. Aby zainstalować określoną wersję, podaj wartość „@${version}”. Przykład: „vscode.csharp@1.2.3”.",
+ "uninstallExtension": "Odinstalowuje rozszerzenie.",
+ "experimentalApis": "Włącza proponowane funkcje interfejsu API dla rozszerzeń. Przyjmuje jeden lub wiele identyfikatorów rozszerzenia, aby włączyć pojedynczo.",
+ "version": "Drukuj wersję.",
+ "verbose": "Drukuj pełne dane wyjściowe (implikuje --wait).",
+ "log": "Poziom rejestrowania do użycia. Wartość domyślna to „info”. Dozwolone wartości to „critical”, „error”, „warn”, „info”, „debug”, „trace” i „off”.",
+ "status": "Drukuj informacje dotyczące użycia i diagnostyki procesu.",
+ "prof-startup": "Uruchom profiler procesora podczas uruchamiania",
+ "disableExtensions": "Wyłącz wszystkie zainstalowane rozszerzenia.",
+ "disableExtension": "Wyłącz rozszerzenie.",
+ "turn sync": "Włącz lub wyłącz synchronizację",
+ "inspect-extensions": "Zezwalaj na debugowanie i profilowanie rozszerzeń. Adres URI połączenia znajdziesz w narzędziach deweloperskich.",
+ "inspect-brk-extensions": "Zezwalaj na debugowanie i profilowanie rozszerzeń z hostem rozszerzenia wstrzymanym po uruchomieniu. Adres URI połączenia znajdziesz w narzędziach deweloperskich.",
+ "disableGPU": "Wyłącz przyspieszanie sprzętowe za pomocą procesora GPU.",
+ "maxMemory": "Maksymalny rozmiar pamięci dla okna (w megabajtach).",
+ "telemetry": "Pokazuje wszystkie zdarzenia telemetrii zbierane przez program VS Code.",
+ "usage": "Użycie",
+ "options": "opcje",
+ "paths": "ścieżki",
+ "stdinWindows": "Aby odczytać dane wyjściowe z innego programu, dołącz znak „-” (np. „echo Hello world | {0} -”)",
+ "stdinUnix": "Aby odczytać ze strumienia stdin, dołącz znak „-” (np. „ps aux | grep code | {0} -”)",
+ "unknownVersion": "Nieznana wersja",
+ "unknownCommit": "Nieznane zatwierdzenie"
+ },
+ "vs/platform/extensionManagement/common/extensionManagement": {
+ "extensions": "Rozszerzenia",
+ "preferences": "Preferencje"
+ },
+ "vs/platform/extensionManagement/node/extensionManagementService": {
+ "incompatible": "Nie można zainstalować rozszerzenia „{0}”, ponieważ nie jest ono zgodne z programem VS Code „{1}”.",
+ "restartCode": "Uruchom ponownie program VS Code przed ponowną instalacją rozszerzenia {0}.",
+ "MarketPlaceDisabled": "Platforma handlowa nie jest włączona",
+ "malicious extension": "Nie można zainstalować rozszerzenia, ponieważ zostało zgłoszone jako powodujące problemy.",
+ "notFoundCompatibleDependency": "Nie można zainstalować rozszerzenia „{0}”, ponieważ nie jest ono zgodne z bieżącą wersją programu VS Code (wersja {1}).",
+ "Not a Marketplace extension": "Tylko rozszerzenia z witryny Marketplace można instalować ponownie",
+ "removeError": "Błąd podczas usuwania rozszerzenia: {0}. Zamknij i uruchom program VS Code przed ponowną próbą.",
+ "quitCode": "Nie można zainstalować rozszerzenia. Zamknij i uruchom program VS Code przed ponowną instalacją.",
+ "exitCode": "Nie można zainstalować rozszerzenia. Zakończ i uruchom program VS Code przed ponowną instalacją.",
+ "notInstalled": "Rozszerzenie „{0}” nie jest zainstalowane.",
+ "singleDependentError": "Nie można odinstalować rozszerzenia „{0}”. Rozszerzenie „{1}” zależy od niego.",
+ "twoDependentsError": "Nie można odinstalować rozszerzenia „{0}”. Rozszerzenia „{1}” i „{2}” zależą od niego.",
+ "multipleDependentsError": "Nie można odinstalować rozszerzenia „{0}”. Rozszerzenia „{1}”, „{2}” i inne zależą od niego.",
+ "singleIndirectDependentError": "Nie można odinstalować rozszerzenia „{0}”. Obejmuje to odinstalowanie rozszerzenia „{1}”, a rozszerzenie „{2}” zależy od tego rozszerzenia.",
+ "twoIndirectDependentsError": "Nie można odinstalować rozszerzenia „{0}”. Obejmuje to odinstalowanie rozszerzenia „{1}”, a rozszerzenia „{2}” i „{3}” zależą od tego rozszerzenia.",
+ "multipleIndirectDependentsError": "Nie można odinstalować rozszerzenia „{0}”. Obejmuje to odinstalowanie rozszerzenia „{1}”, a rozszerzenia „{2}”, „{3}” i inne zależą od tego rozszerzenia.",
+ "notExists": "Nie można było znaleźć rozszerzenia"
+ },
+ "vs/platform/telemetry/common/telemetryService": {
+ "telemetryConfigurationTitle": "Telemetria",
+ "telemetry.enableTelemetry": "Włącz przesyłanie danych użycia i błędów do usługi online firmy Microsoft.",
+ "telemetry.enableTelemetryMd": "Włącz wysyłanie danych użycia i błędów do usługi online firmy Microsoft. Zapoznaj się z naszym oświadczeniem o ochronie prywatności [tutaj]({0})."
+ },
+ "vs/platform/extensionManagement/node/extensionManagementUtil": {
+ "invalidManifest": "Nieprawidłowy pakiet VSIX: plik package.json nie jest plikiem JSON."
+ },
+ "vs/platform/userDataSync/common/userDataSync": {
+ "settings sync": "Synchronizacja ustawień",
+ "settingsSync.keybindingsPerPlatform": "Synchronizuj powiązania klawiszy dla każdej platformy.",
+ "sync.keybindingsPerPlatform.deprecated": "Przestarzałe, użyj zamiast tego elementu settingsSync.keybindingsPerPlatform",
+ "settingsSync.ignoredExtensions": "Lista rozszerzeń do ignorowania podczas synchronizacji. Identyfikator rozszerzenia to zawsze ${publisher}.${name}. Na przykład vscode.csharp.",
+ "app.extension.identifier.errorMessage": "Oczekiwano formatu ${publisher}.${name}”. Przykład: „vscode.CSharp”.",
+ "sync.ignoredExtensions.deprecated": "Przestarzałe, użyj zamiast tego elementu settingsSync.ignoredExtensions",
+ "settingsSync.ignoredSettings": "Skonfiguruj ustawienia do ignorowania podczas synchronizacji.",
+ "sync.ignoredSettings.deprecated": "Przestarzałe, użyj zamiast tego elementu settingsSync.ignoredSettings"
+ },
+ "vs/platform/extensionManagement/electron-sandbox/extensionTipsService": {
+ "exeRecommended": "W systemie jest zainstalowany element {0}. Czy chcesz zainstalować dla niego zalecane rozszerzenia?"
+ },
+ "vs/platform/userDataSync/common/userDataSyncMachines": {
+ "error incompatible": "Nie można odczytać danych maszyn, ponieważ bieżąca wersja jest niezgodna. Zaktualizuj element {0} i spróbuj ponownie."
+ },
+ "vs/platform/userDataSync/common/userDataAutoSyncService": {
+ "default service changed": "Nie można zsynchronizować, ponieważ usługa domyślna została zmieniona",
+ "service changed": "Nie można zsynchronizować, ponieważ usługa synchronizacji została zmieniona",
+ "turned off": "Nie można zsynchronizować, ponieważ synchronizacja jest wyłączona w chmurze",
+ "session expired": "Nie można zsynchronizować, ponieważ bieżąca sesja wygasła",
+ "turned off machine": "Nie można zsynchronizować, ponieważ wyłączono synchronizację na tej maszynie z innej maszyny."
+ },
+ "vs/platform/workspaces/common/workspaces": {
+ "codeWorkspace": "Obszar roboczy programu Code"
+ },
+ "vs/platform/files/electron-browser/diskFileSystemProvider": {
+ "binFailed": "Nie można przenieść elementu „{0}” do kosza",
+ "trashFailed": "Nie można przenieść elementu „{0}” do kosza"
+ },
+ "vs/platform/dialogs/common/dialogs": {
+ "moreFile": "...1 dodatkowy plik nie jest wyświetlony",
+ "moreFiles": "...dodatkowe pliki w liczbie {0} nie są wyświetlone"
+ },
+ "vs/platform/theme/common/colorRegistry": {
+ "foreground": "Ogólny kolor pierwszego planu. Ten kolor jest używany tylko wtedy, gdy nie został zastąpiony przez składnik.",
+ "errorForeground": "Ogólny kolor pierwszego planu dla komunikatów o błędach. Ten kolor jest używany tylko wtedy, gdy nie został zastąpiony przez składnik.",
+ "descriptionForeground": "Kolor pierwszego planu dla tekstu opisu z dodatkowymi informacjami, na przykład etykiety.",
+ "iconForeground": "Domyślny kolor ikon w środowisku roboczym.",
+ "focusBorder": "Ogólny kolor obramowania elementów mających fokus. Ten kolor jest używany tylko wtedy, gdy nie został zastąpiony przez składnik.",
+ "contrastBorder": "Dodatkowe obramowanie wokół elementów oddzielające je od innych w celu zwiększenia kontrastu.",
+ "activeContrastBorder": "Dodatkowe obramowanie wokół aktywnych elementów oddzielające je od innych w celu zwiększenia kontrastu.",
+ "selectionBackground": "Kolor tła zaznaczonych fragmentów tekstu w obszarze roboczym (np. w polach wejściowych lub obszarach tekstowych). Zauważ, że nie dotyczy to zaznaczeń w edytorze.",
+ "textSeparatorForeground": "Kolor separatorów tekstu.",
+ "textLinkForeground": "Kolor pierwszego planu dla linków w tekście.",
+ "textLinkActiveForeground": "Kolor pierwszego planu dla linków w tekście po kliknięciu i po aktywowaniu myszą.",
+ "textPreformatForeground": "Kolor pierwszego planu dla wstępnie sformatowanych segmentów tekstu.",
+ "textBlockQuoteBackground": "Kolor tła dla cytatów blokowych w tekście.",
+ "textBlockQuoteBorder": "Kolor obramowania dla cytatów blokowych w tekście.",
+ "textCodeBlockBackground": "Kolor tła bloków kodu w tekście.",
+ "widgetShadow": "Kolor cienia widżetów takich jak znajdź/zamień wewnątrz edytora.",
+ "inputBoxBackground": "Tło pola wejściowego.",
+ "inputBoxForeground": "Pierwszy plan pola wejściowego.",
+ "inputBoxBorder": "Obramowanie pola wejściowego.",
+ "inputBoxActiveOptionBorder": "Kolor obramowania aktywowanych opcji w polach danych wejściowych.",
+ "inputOption.activeBackground": "Kolor tła aktywowanych opcji w polach wejściowych.",
+ "inputOption.activeForeground": "Kolor pierwszego planu aktywowanych opcji w polach wejściowych.",
+ "inputPlaceholderForeground": "Kolor pierwszego planu pola wejściowego dla tekstu zastępczego.",
+ "inputValidationInfoBackground": "Kolor tła walidacji danych wejściowych dla ważności informacji.",
+ "inputValidationInfoForeground": "Kolor pierwszego planu walidacji danych wejściowych dla ważności informacji.",
+ "inputValidationInfoBorder": "Kolor obramowania walidacji danych wejściowych dla ważności informacji.",
+ "inputValidationWarningBackground": "Kolor tła walidacji danych wejściowych dla ważności ostrzeżenia.",
+ "inputValidationWarningForeground": "Kolor pierwszego planu walidacji danych wejściowych dla ważności ostrzeżenia.",
+ "inputValidationWarningBorder": "Kolor obramowania weryfikacji danych wejściowych dla ważności ostrzeżenia.",
+ "inputValidationErrorBackground": "Kolor tła walidacji danych wejściowych dla ważności błędu.",
+ "inputValidationErrorForeground": "Kolor pierwszego planu walidacji danych wejściowych dla ważności błędu.",
+ "inputValidationErrorBorder": "Kolor obramowania walidacji danych wejściowych dla ważności błędu.",
+ "dropdownBackground": "Tło listy rozwijanej.",
+ "dropdownListBackground": "Tło listy rozwijanej.",
+ "dropdownForeground": "Pierwszy plan listy rozwijanej.",
+ "dropdownBorder": "Obramowanie listy rozwijanej.",
+ "checkbox.background": "Kolor tła widżetu pola wyboru.",
+ "checkbox.foreground": "Kolor pierwszego planu widżetu pola wyboru.",
+ "checkbox.border": "Kolor obramowania widżetu pola wyboru.",
+ "buttonForeground": "Kolor pierwszego planu przycisku.",
+ "buttonBackground": "Kolor tła przycisku.",
+ "buttonHoverBackground": "Kolor tła przycisku po zatrzymaniu wskaźnika myszy.",
+ "buttonSecondaryForeground": "Pomocniczy kolor pierwszego planu przycisku.",
+ "buttonSecondaryBackground": "Pomocniczy kolor tła przycisku.",
+ "buttonSecondaryHoverBackground": "Pomocniczy kolor tła przycisku podczas aktywowania.",
+ "badgeBackground": "Kolor tła znaczka. Znaczki to małe etykiety informacyjne, na przykład liczba wyników wyszukiwania.",
+ "badgeForeground": "Kolor pierwszego planu znaczka. Znaczki to małe etykiety informacyjne, na przykład liczba wyników wyszukiwania.",
+ "scrollbarShadow": "Cień paska przewijania wskazujący, że widok jest przewijany.",
+ "scrollbarSliderBackground": "Kolor tła suwaka paska przewijania.",
+ "scrollbarSliderHoverBackground": "Kolor tła suwaka paska przewijania podczas aktywowania.",
+ "scrollbarSliderActiveBackground": "Kolor tła suwaka paska przewijania po kliknięciu.",
+ "progressBarBackground": "Kolor tła paska postępu, który może być wyświetlany dla długotrwałych operacji.",
+ "editorError.background": "Kolor tła dla tekstu błędu w edytorze. Kolor nie może być nieprzezroczysty, aby nie ukrywać dekoracji pod spodem.",
+ "editorError.foreground": "Kolor pierwszego planu dla zygzaków błędu w edytorze.",
+ "errorBorder": "Kolor obramowania pól błędów w edytorze.",
+ "editorWarning.background": "Kolor tła dla tekstu ostrzegawczego w edytorze. Kolor nie może być nieprzezroczysty, aby nie ukrywać dekoracji pod spodem.",
+ "editorWarning.foreground": "Kolor pierwszego planu dla zygzaków ostrzeżenia w edytorze.",
+ "warningBorder": "Kolor obramowania dla pól ostrzeżeń w edytorze.",
+ "editorInfo.background": "Kolor tła dla tekstu informacyjnego w edytorze. Kolor nie może być nieprzezroczysty, aby nie ukrywać dekoracji pod spodem.",
+ "editorInfo.foreground": "Kolor pierwszego planu dla zygzaków informacji w edytorze.",
+ "infoBorder": "Kolor obramowania pól informacji w edytorze.",
+ "editorHint.foreground": "Kolor pierwszego planu dla zygzaków wskazówki w edytorze.",
+ "hintBorder": "Kolor obramowania pól wskazówek w edytorze.",
+ "sashActiveBorder": "Kolor obramowania aktywnych okienek.",
+ "editorBackground": "Kolor tła edytora.",
+ "editorForeground": "Domyślny kolor pierwszego planu edytora.",
+ "editorWidgetBackground": "Kolor tła widżetów edytora, takich jak wyszukiwania/zamiany.",
+ "editorWidgetForeground": "Kolor pierwszego planu widżetów edytora, takich jak wyszukiwania/zamiany.",
+ "editorWidgetBorder": "Kolor obramowania widżetów edytora. Kolor jest używany tylko wtedy, gdy widżet używa obramowania i kolor nie jest zastąpiony przez widżet.",
+ "editorWidgetResizeBorder": "Kolor obramowania paska zmiany rozmiaru widżetów edytora. Kolor jest używany tylko wtedy, gdy widżet używa obramowania i kolor nie jest zastąpiony przez widżet.",
+ "pickerBackground": "Kolor tła szybkiego selektora. Widżet szybkiego selektora to kontener dla selektorów takich jak paleta poleceń.",
+ "pickerForeground": "Kolor pierwszego planu szybkiego selektora. Widżet szybkiego selektora to kontener dla selektorów takich jak paleta poleceń.",
+ "pickerTitleBackground": "Kolor tła tytułu szybkiego selektora. Widżet szybkiego selektora to kontener dla selektorów takich jak paleta poleceń.",
+ "pickerGroupForeground": "Kolor szybkiego selektora dla etykiet grupowania.",
+ "pickerGroupBorder": "Kolor szybkiego selektora dla obramowań grupowania.",
+ "editorSelectionBackground": "Kolor zaznaczenia w edytorze.",
+ "editorSelectionForeground": "Kolor zaznaczonego tekstu dla dużego kontrastu.",
+ "editorInactiveSelection": "Kolor zaznaczenia w nieaktywnym edytorze. Kolor nie może być nieprzezroczysty, aby nie ukrywać dekoracji pod spodem.",
+ "editorSelectionHighlight": "Kolor regionów z taką samą zawartością jak zaznaczenie. Kolor nie może być nieprzezroczysty, aby nie ukrywać dekoracji pod spodem.",
+ "editorSelectionHighlightBorder": "Kolor obramowania regionów o tej samej zawartości co zaznaczenie.",
+ "editorFindMatch": "Kolor bieżącego dopasowania wyszukiwania.",
+ "findMatchHighlight": "Kolor innych dopasowań wyszukiwania. Kolor nie może być nieprzezroczysty, aby nie ukrywać dekoracji pod spodem.",
+ "findRangeHighlight": "Kolor zakresu ograniczającego wyszukiwanie. Kolor nie może być nieprzezroczysty, aby nie ukrywać dekoracji pod spodem.",
+ "editorFindMatchBorder": "Kolor obramowania bieżącego dopasowania wyszukiwania.",
+ "findMatchHighlightBorder": "Kolor obramowania innych dopasowań wyszukiwania.",
+ "findRangeHighlightBorder": "Kolor obramowania zakresu ograniczającego wyszukiwanie. Kolor nie może być nieprzezroczysty, aby nie ukrywać dekoracji pod spodem.",
+ "searchEditor.queryMatch": "Kolor dopasowań zapytania w edytorze wyszukiwania.",
+ "searchEditor.editorFindMatchBorder": "Kolor obramowania dopasowań zapytania w edytorze wyszukiwania.",
+ "hoverHighlight": "Wyróżnij poniżej słowo, dla którego są wyświetlanie informacje po najechaniu kursorem. Kolor nie może być nieprzezroczysty, aby nie ukrywać dekoracji pod spodem.",
+ "hoverBackground": "Kolor tła informacji wyświetlonych w edytorze po najechaniu kursorem.",
+ "hoverForeground": "Kolor pierwszego planu informacji wyświetlonych w edytorze po najechaniu kursorem.",
+ "hoverBorder": "Kolor obramowania informacji wyświetlonych po najechaniu kursorem w edytorze.",
+ "statusBarBackground": "Kolor tła paska stanu informacji wyświetlonych w edytorze po najechaniu kursorem.",
+ "activeLinkForeground": "Kolor aktywnych linków.",
+ "editorLightBulbForeground": "Kolor używany dla ikony żarówki akcji.",
+ "editorLightBulbAutoFixForeground": "Kolor używany dla ikony żarówki akcji automatycznej naprawy.",
+ "diffEditorInserted": "Kolor tła dla wstawionego tekstu. Kolor nie może być nieprzezroczysty, aby nie ukrywać dekoracji pod spodem.",
+ "diffEditorRemoved": "Kolor tła dla usuniętego tekstu. Kolor nie może być nieprzezroczysty, aby nie ukrywać dekoracji pod spodem.",
+ "diffEditorInsertedOutline": "Kolor konturu tekstu, który został wstawiony.",
+ "diffEditorRemovedOutline": "Kolor konturu tekstu, który został usunięty.",
+ "diffEditorBorder": "Kolor obramowania między dwoma edytorami tekstu.",
+ "diffDiagonalFill": "Kolor wypełnienia ukośnego w edytorze różnic. Wypełnienie ukośne jest używane w widokach wyświetlania różnic obok siebie.",
+ "listFocusBackground": "Kolor tła listy/drzewa dla elementu z fokusem, gdy lista/drzewo jest aktywne. Aktywna lista/drzewo ma fokus klawiatury, a nieaktywna lista/drzewo nie ma.",
+ "listFocusForeground": "Kolor pierwszego planu listy/drzewa dla elementu z fokusem, gdy lista/drzewo jest aktywne. Aktywna lista/drzewo ma fokus klawiatury, a nieaktywna lista/drzewo nie ma.",
+ "listActiveSelectionBackground": "Kolor tła listy/drzewa dla wybranego elementu, gdy lista/drzewo jest aktywne. Aktywna lista/drzewo ma fokus klawiatury, a nieaktywna lista/drzewo nie ma.",
+ "listActiveSelectionForeground": "Kolor pierwszego planu listy/drzewa dla wybranego elementu, gdy lista/drzewo jest aktywne. Aktywna lista/drzewo ma fokus klawiatury, a nieaktywna lista/drzewo nie ma.",
+ "listInactiveSelectionBackground": "Kolor tła listy/drzewa dla wybranego elementu, gdy lista/drzewo jest nieaktywne. Aktywna lista/drzewo ma fokus klawiatury, a nieaktywna lista/drzewo nie ma.",
+ "listInactiveSelectionForeground": "Kolor pierwszego planu listy/drzewa dla wybranego elementu, gdy lista/drzewo jest nieaktywne. Aktywna lista/drzewo ma fokus klawiatury, a nieaktywna lista/drzewo nie ma.",
+ "listInactiveFocusBackground": "Kolor tła listy/drzewa dla elementu z fokusem, gdy lista/drzewo jest nieaktywne. Aktywna lista/drzewo ma fokus klawiatury, a nieaktywna lista/drzewo nie ma.",
+ "listHoverBackground": "Tło listy/drzewa podczas zatrzymywania wskaźnika myszy nad elementami.",
+ "listHoverForeground": "Pierwszy plan listy/drzewa podczas zatrzymywania wskaźnika myszy nad elementami.",
+ "listDropBackground": "Kolor tła dla przeciągania i upuszczania dla listy/drzewa podczas przenoszenia elementów przy użyciu myszy.",
+ "highlight": "Kolor pierwszego planu listy/drzewa dla wyróżnień dopasowania podczas wyszukiwania wewnątrz listy/drzewa.",
+ "invalidItemForeground": "Kolor pierwszego planu listy/drzewa dla nieprawidłowych elementów, takich jak nierozpoznany element główny w eksploratorze.",
+ "listErrorForeground": "Kolor pierwszego planu dla elementów listy z błędami.",
+ "listWarningForeground": "Kolor pierwszego planu dla elementów listy z ostrzeżeniami.",
+ "listFilterWidgetBackground": "Kolor tła widżetu filtru typu w listach i drzewach.",
+ "listFilterWidgetOutline": "Kolor konturu widżetu filtra typów na listach i w drzewach.",
+ "listFilterWidgetNoMatchesOutline": "Kolor konturu widżetu filtra typów na listach i w drzewach, gdy nie ma dopasowań.",
+ "listFilterMatchHighlight": "Kolor tła dla filtrowanego dopasowania.",
+ "listFilterMatchHighlightBorder": "Kolor obramowania filtrowanego dopasowania.",
+ "treeIndentGuidesStroke": "Kolor obrysu drzewa dla prowadnic wcięć.",
+ "listDeemphasizedForeground": "Kolor pierwszego planu listy/drzewa dla elementów z cofniętym wyróżnieniem. ",
+ "menuBorder": "Kolor obramowania menu.",
+ "menuForeground": "Kolor pierwszego planu elementów menu.",
+ "menuBackground": "Kolor tła elementów menu.",
+ "menuSelectionForeground": "Kolor pierwszego planu wybranego elementu menu.",
+ "menuSelectionBackground": "Kolor tła wybranego elementu menu.",
+ "menuSelectionBorder": "Kolor obramowania elementu wybranego w menu.",
+ "menuSeparatorBackground": "Kolor pozycji separatora w menu.",
+ "snippetTabstopHighlightBackground": "Kolor tła wyróżnienia dla pozycji tabulatora we fragmencie.",
+ "snippetTabstopHighlightBorder": "Kolor obramowania wyróżnienia dla pozycji tabulatora we fragmencie.",
+ "snippetFinalTabstopHighlightBackground": "Kolor tła wyróżnienia dla ostatniej pozycji tabulatora we fragmencie.",
+ "snippetFinalTabstopHighlightBorder": "Kolor obramowania wyróżnienia dla ostatniej pozycji tabulatora we fragmencie.",
+ "breadcrumbsFocusForeground": "Kolor elementów nawigacji z fokusem.",
+ "breadcrumbsBackground": "Kolor tła elementów nawigacji.",
+ "breadcrumbsSelectedForegound": "Kolor wybranych elementów nawigacji.",
+ "breadcrumbsSelectedBackground": "Kolor tła selektora elementu nawigacji.",
+ "mergeCurrentHeaderBackground": "Tło bieżącego nagłówka dla konfliktów scalania w tekście. Kolor nie może być nieprzezroczysty, aby nie ukrywać dekoracji pod spodem.",
+ "mergeCurrentContentBackground": "Tło bieżącej zawartości dla konfliktów scalania w tekście. Kolor nie może być nieprzezroczysty, aby nie ukrywać dekoracji pod spodem.",
+ "mergeIncomingHeaderBackground": "Tło nagłówka przychodzącego dla konfliktów scalania w tekście. Kolor nie może być nieprzezroczysty, aby nie ukrywać dekoracji pod spodem.",
+ "mergeIncomingContentBackground": "Tło zawartości przychodzącej dla konfliktów scalania w tekście. Kolor nie może być nieprzezroczysty, aby nie ukrywać dekoracji pod spodem.",
+ "mergeCommonHeaderBackground": "Tło nagłówka wspólnego elementu nadrzędnego dla konfliktów scalania w tekście. Kolor nie może być nieprzezroczysty, aby nie ukrywać dekoracji pod spodem.",
+ "mergeCommonContentBackground": "Tło zawartości wspólnego elementu nadrzędnego dla konfliktów scalania w tekście. Kolor nie może być nieprzezroczysty, aby nie ukrywać dekoracji pod spodem.",
+ "mergeBorder": "Kolor obramowania nagłówków i rozdzielacza dla konfliktów scalania w tekście.",
+ "overviewRulerCurrentContentForeground": "Pierwszy plan bieżącej linijki przeglądu dla konfliktów scalania w tekście.",
+ "overviewRulerIncomingContentForeground": "Pierwszy plan przychodzącej linijki przeglądu dla konfliktów scalania w tekście.",
+ "overviewRulerCommonContentForeground": "Pierwszy plan wspólnego elementu nadrzędnego linijki przeglądu dla konfliktów scalania w tekście.",
+ "overviewRulerFindMatchForeground": "Kolor znacznika linijki przeglądu dla znalezionych dopasowań. Kolor nie może być nieprzezroczysty, aby nie zasłaniać dekoracji pod spodem.",
+ "overviewRulerSelectionHighlightForeground": "Ogólny kolor znacznika linijki dla wyróżnienia zaznaczenia. Kolor nie może być nieprzezroczysty, aby nie zasłaniać dekoracji pod spodem.",
+ "minimapFindMatchHighlight": "Kolor znacznika minimapy dla dopasowań wyszukiwania.",
+ "minimapSelectionHighlight": "Kolor znacznika minimapy dla zaznaczenia w edytorze.",
+ "minimapError": "Kolor znacznika minimapy dla błędów.",
+ "overviewRuleWarning": "Kolor znacznika minimapy dla ostrzeżeń.",
+ "minimapBackground": "Kolor tła minimapy.",
+ "minimapSliderBackground": "Kolor tła suwaka minimapy.",
+ "minimapSliderHoverBackground": "Kolor tła suwaka minimapy podczas aktywowania.",
+ "minimapSliderActiveBackground": "Kolor tła suwaka minimapy po kliknięciu.",
+ "problemsErrorIconForeground": "Kolor używany dla ikony błędu problemów.",
+ "problemsWarningIconForeground": "Kolor używany dla ikony ostrzeżenia o problemie.",
+ "problemsInfoIconForeground": "Kolor używany dla ikony informacji problemów.",
+ "chartsForeground": "Kolor pierwszego planu używany na wykresach.",
+ "chartsLines": "Kolor używany dla linii poziomych na wykresach.",
+ "chartsRed": "Kolor czerwony używany w wizualizacjach wykresów.",
+ "chartsBlue": "Kolor niebieski używany w wizualizacjach wykresów.",
+ "chartsYellow": "Kolor żółty używany w wizualizacjach wykresów.",
+ "chartsOrange": "Kolor pomarańczowy używany w wizualizacjach wykresów.",
+ "chartsGreen": "Kolor zielony używany w wizualizacjach wykresów.",
+ "chartsPurple": "Kolor purpurowy używany w wizualizacjach wykresów."
+ },
+ "vs/platform/configuration/common/configurationRegistry": {
+ "defaultLanguageConfigurationOverrides.title": "Zastąpienia domyślnej konfiguracji języka",
+ "defaultLanguageConfiguration.description": "Skonfiguruj ustawienia do zastąpienia dla języka {0}.",
+ "overrideSettings.defaultDescription": "Skonfiguruj ustawienia edytora do zastąpienia dla języka.",
+ "overrideSettings.errorMessage": "To ustawienie nie obsługuje konfiguracji dla poszczególnych języków.",
+ "config.property.empty": "Nie można zarejestrować pustej właściwości",
+ "config.property.languageDefault": "Nie można zarejestrować elementu „{0}”. Jest on zgodny ze wzorcem właściwości „\\\\[.*\\\\]$” opisującym ustawienia edytora specyficzne dla języka. Użyj kontrybucji „configurationDefaults”.",
+ "config.property.duplicate": "Nie można zarejestrować elementu „{0}”. Ta właściwość jest już zarejestrowana."
+ },
+ "vs/platform/markers/common/markers": {
+ "sev.error": "Błąd",
+ "sev.warning": "Ostrzeżenie",
+ "sev.info": "Informacje"
+ },
+ "vs/platform/windows/electron-main/windowsMainService": {
+ "pathNotExistTitle": "Ścieżka nie istnieje",
+ "pathNotExistDetail": "Ścieżka „{0}” prawdopodobnie już nie istnieje na dysku.",
+ "uriInvalidTitle": "Nie można otworzyć identyfikatora URI",
+ "uriInvalidDetail": "Identyfikator URI „{0}” jest nieprawidłowy i nie można go otworzyć.",
+ "ok": "OK"
+ },
+ "vs/platform/issue/electron-main/issueMainService": {
+ "local": "Lokalne",
+ "issueReporterWriteToClipboard": "Danych jest za dużo, aby wysłać je bezpośrednio do usługi GitHub. Dane zostaną skopiowane do schowka — następnie wklej je na otwartej stronie problemu w usłudze GitHub.",
+ "ok": "OK",
+ "cancel": "Anuluj",
+ "confirmCloseIssueReporter": "Dane wejściowe nie zostaną zapisane. Czy na pewno chcesz zamknąć to okno?",
+ "yes": "Tak",
+ "issueReporter": "Reporter problemów",
+ "processExplorer": "Eksplorator procesów"
+ },
+ "vs/platform/workspaces/electron-main/workspacesHistoryMainService": {
+ "newWindow": "Nowe okno",
+ "newWindowDesc": "Otwiera nowe okno",
+ "recentFolders": "Ostatnie obszary robocze",
+ "folderDesc": "{0} {1}",
+ "workspaceDesc": "{0} {1}",
+ "untitledWorkspace": "Bez tytułu (obszar roboczy)",
+ "workspaceName": "{0} (obszar roboczy)"
+ },
+ "vs/platform/workspaces/electron-main/workspacesMainService": {
+ "ok": "OK",
+ "workspaceOpenedMessage": "Nie można zapisać obszaru roboczego „{0}”",
+ "workspaceOpenedDetail": "Obszar roboczy jest już otwarty w innym oknie. Najpierw zamknij to okno, a następnie spróbuj ponownie."
+ },
+ "vs/platform/dialogs/electron-main/dialogs": {
+ "open": "Otwórz",
+ "openFolder": "Otwieranie folderu",
+ "openFile": "Otwórz plik",
+ "openWorkspaceTitle": "Otwórz obszar roboczy",
+ "openWorkspace": "&&Otwórz"
+ },
+ "vs/platform/files/common/io": {
+ "fileTooLargeForHeapError": "Aby otworzyć plik o tym rozmiarze, musisz uruchomić ponownie i zezwolić na użycie większej ilości pamięci",
+ "fileTooLargeError": "Plik jest zbyt duży, aby go otworzyć"
+ },
+ "vs/platform/extensions/common/extensionValidator": {
+ "versionSyntax": "Nie można przeanalizować wartości {0} elementu „engines.vscode”. Użyj na przykład: ^1.22.0, ^1.22.x itd.",
+ "versionSpecificity1": "Wersja określona w elemencie „engines.vscode” ({0}) nie jest wystarczająco specyficzna. W przypadku wersji programu vscode wcześniejszych niż 1.0.0 określ co najmniej wymaganą wersję główną i pomocniczą. Na przykład ^0.10.0, 0.10.x, 0.11.0 itp.",
+ "versionSpecificity2": "Wersja określona w elemencie „engines.vscode” ({0}) nie jest wystarczająco specyficzna. W przypadku wersji programu vscode późniejszych niż 1.0.0 określ co najmniej wymaganą wersję główną. Na przykład ^1.10.0, 1.10.x, 1.x.x, 2.x.x itp.",
+ "versionMismatch": "Rozszerzenie nie jest zgodne z programem Code {0}. Rozszerzenie wymaga: {1}."
+ },
+ "vs/platform/extensionManagement/node/extensionsScanner": {
+ "errorDeleting": "Nie można usunąć istniejącego folderu „{0}” podczas instalowania rozszerzenia „{1}”. Usuń folder ręcznie i spróbuj ponownie.",
+ "cannot read": "Nie można odczytać rozszerzenia z: {0}",
+ "renameError": "Nieznany błąd podczas zmiany nazwy z {0} na {1}",
+ "invalidManifest": "Nieprawidłowe rozszerzenie: plik package.json nie jest plikiem JSON."
+ },
+ "vs/platform/userDataSync/common/keybindingsSync": {
+ "errorInvalidSettings": "Nie można zsynchronizować powiązań klawiszy, ponieważ zawartość pliku jest nieprawidłowa. Otwórz plik i popraw go."
+ },
+ "vs/platform/userDataSync/common/settingsSync": {
+ "errorInvalidSettings": "Nie można zsynchronizować ustawień, ponieważ wystąpiły błędy/ostrzeżenia w pliku ustawień."
+ },
+ "vs/platform/list/browser/listService": {
+ "workbenchConfigurationTitle": "Pulpit",
+ "multiSelectModifier.ctrlCmd": "Mapuje na klawisz „Control” w systemach Windows i Linux oraz na klawisz „Command” w systemie MacOS.",
+ "multiSelectModifier.alt": "Mapuje na klawisz „Alt” w systemach Windows i Linux oraz na klawisz „Option” w systemie MacOS.",
+ "multiSelectModifier": "Modyfikator do zastosowania w celu dodania elementu w drzewach i na listach przy wybieraniu wielu elementów za pomocą myszy (na przykład w eksploratorze, przy otwieraniu edytorów i w widoku SCM). Gesty myszy „Otwórz na bok” (jeśli są obsługiwane) dostosują się, tak aby nie powodować konfliktu z modyfikatorem wielokrotnego wyboru.",
+ "openModeModifier": "Kontroluje sposób otwierania elementów w drzewach i na listach za pomocą myszy (jeśli jest to obsługiwane). W przypadku obiektów nadrzędnych z elementami podrzędnymi to ustawienie kontroluje, czy element nadrzędny rozwija pojedyncze, czy podwójne kliknięcie. Zauważ, że niektóre drzewa i listy mogą ignorować to ustawienie, jeśli nie ma zastosowania. ",
+ "horizontalScrolling setting": "Kontroluje, czy listy i drzewa obsługują przewijanie w poziomie w środowisku roboczym. Ostrzeżenie: włączenie tego ustawienia wpływa na wydajność.",
+ "tree indent setting": "Kontroluje wcięcie drzewa w pikselach.",
+ "render tree indent guides": "Kontroluje, czy drzewo ma wyświetlać prowadnice wcięć.",
+ "list smoothScrolling setting": "Kontroluje, czy listy i drzewa są przewijane płynnie.",
+ "keyboardNavigationSettingKey.simple": "Prosta nawigacja klawiaturą skupia elementy zgodne z sygnałem z klawiatury. Dopasowywanie odbywa się tylko na prefiksach.",
+ "keyboardNavigationSettingKey.highlight": "Wyróżnij elementy wyróżniania nawigacji za pomocą klawiatury, które pasują do danych wprowadzonych przy użyciu klawiatury. Dalsza nawigacja w górę i w dół będzie odbywać się tylko w ramach wyróżnionych elementów.",
+ "keyboardNavigationSettingKey.filter": "Funkcja filtrowania dla nawigacji za pomocą klawiatury powoduje odfiltrowanie i ukrycie wszystkich elementów, które nie pasują do danych wprowadzonych przy użyciu klawiatury.",
+ "keyboardNavigationSettingKey": "Kontroluje styl nawigacji za pomocą klawiatury dla list i drzew na pulpicie. Dostępne są style prosty, wyróżnienia i filtru.",
+ "automatic keyboard navigation setting": "Kontroluje, czy nawigacja za pomocą klawiatury w listach i drzewach jest automatycznie wyzwalana przez rozpoczęcie pisania. Jeśli ustawiono wartość „false”, nawigacja za pomocą klawiatury jest wyzwalana tylko przez wykonanie polecenia „list.toggleKeyboardNavigation”, do którego można przypisać skrót klawiaturowy.",
+ "expand mode": "Określa sposób rozwijania folderów drzew po klikaniu nazw folderów."
+ },
+ "vs/platform/undoRedo/common/undoRedoService": {
+ "externalRemoval": "Następujące pliki zostały zamknięte i zmodyfikowane na dysku: {0}.",
+ "noParallelUniverses": "Następujące pliki zostały zmodyfikowane w niezgodny sposób: {0}.",
+ "cannotWorkspaceUndo": "Nie można cofnąć operacji „{0}” dla wszystkich plików. {1}",
+ "cannotWorkspaceUndoDueToChanges": "Nie można cofnąć operacji „{0}” dla wszystkich plików, ponieważ wprowadzono zmiany w plikach {1}",
+ "cannotWorkspaceUndoDueToInProgressUndoRedo": "Nie można cofnąć operacji „{0}” dla wszystkich plików, ponieważ istnieje już operacja cofania lub ponownego uruchomienia dla plików {1}",
+ "cannotWorkspaceUndoDueToInMeantimeUndoRedo": "Nie można cofnąć operacji „{0}” dla wszystkich plików, ponieważ w międzyczasie miała miejsce operacja cofania lub ponownego wykonania",
+ "confirmWorkspace": "Czy chcesz cofnąć operację „{0}” dla wszystkich plików?",
+ "ok": "Cofnij w {0} plikach",
+ "nok": "Cofnij ten plik",
+ "cancel": "Anuluj",
+ "cannotResourceUndoDueToInProgressUndoRedo": "Nie można cofnąć operacji „{0}”, ponieważ jest już uruchomiona operacja cofania lub ponownego wykonania.",
+ "confirmDifferentSource": "Czy chcesz cofnąć operację „{0}”?",
+ "confirmDifferentSource.ok": "Cofnij",
+ "cannotWorkspaceRedo": "Nie można wykonać ponownie operacji „{0}” dla wszystkich plików. {1}",
+ "cannotWorkspaceRedoDueToChanges": "Nie można wykonać ponownie operacji „{0}” dla wszystkich plików, ponieważ wprowadzono zmiany dla plików {1}",
+ "cannotWorkspaceRedoDueToInProgressUndoRedo": "Nie można wykonać ponownie operacji „{0}” dla wszystkich plików, ponieważ operacja cofania lub ponownego wykonania jest już uruchomiona dla plików {1}",
+ "cannotWorkspaceRedoDueToInMeantimeUndoRedo": "Nie można wykonać ponownie operacji „{0}” dla wszystkich plików, ponieważ w międzyczasie miała miejsce operacja cofania lub ponownego wykonania",
+ "cannotResourceRedoDueToInProgressUndoRedo": "Nie można wykonać ponownie operacji „{0}”, ponieważ jest już uruchomiona operacja cofania lub ponownego wykonania."
+ },
+ "vs/platform/actions/browser/menuEntryActionViewItem": {
+ "titleAndKb": "{0} ({1})"
+ },
+ "vs/platform/theme/common/iconRegistry": {
+ "iconDefintion.fontId": "Identyfikator czcionki do użycia. Jeśli nie ustawiono, jest używana czcionka zdefiniowana jako pierwsza.",
+ "iconDefintion.fontCharacter": "Znak czcionki skojarzony z definicją ikony.",
+ "widgetClose": "Ikona akcji zamknięcia w widżetach.",
+ "previousChangeIcon": "Ikona przechodzenia do poprzedniej lokalizacji edytora.",
+ "nextChangeIcon": "Ikona przechodzenia do następnej lokalizacji edytora."
+ },
+ "vs/platform/menubar/electron-main/menubar": {
+ "miNewWindow": "Nowe &&okno",
+ "mFile": "&&Plik",
+ "mEdit": "&&Edytuj",
+ "mSelection": "&&Wybór",
+ "mView": "&&Wyświetl",
+ "mGoto": "&&Przejdź",
+ "mRun": "&&Uruchom",
+ "mTerminal": "&&Terminal",
+ "mWindow": "Okno",
+ "mHelp": "&&Pomoc",
+ "mAbout": "{0} — informacje",
+ "miPreferences": "&&Preferencje",
+ "mServices": "Usługi",
+ "mHide": "Ukryj {0}",
+ "mHideOthers": "Ukryj inne",
+ "mShowAll": "Pokaż wszystko",
+ "miQuit": "Zamknij {0}",
+ "mMinimize": "Minimalizuj",
+ "mZoom": "Powiększenie",
+ "mBringToFront": "Przesuń wszystko do przodu",
+ "miSwitchWindow": "Przełącz &&okno...",
+ "mNewTab": "Nowa karta",
+ "mShowPreviousTab": "Pokaż poprzednią kartę",
+ "mShowNextTab": "Pokaż następną kartę",
+ "mMoveTabToNewWindow": "Przenieś kartę do nowego okna",
+ "mMergeAllWindows": "Scal wszystkie okna",
+ "miCheckForUpdates": "Sprawdź dostępność &&aktualizacji...",
+ "miCheckingForUpdates": "Trwa sprawdzanie dostępności aktualizacji...",
+ "miDownloadUpdate": "&&Pobierz dostępną aktualizację",
+ "miDownloadingUpdate": "Trwa pobieranie aktualizacji...",
+ "miInstallUpdate": "Zainstaluj &&aktualizację...",
+ "miInstallingUpdate": "Trwa instalowanie aktualizacji...",
+ "miRestartToUpdate": "Uruchom ponownie, aby &&zaktualizować"
+ },
+ "vs/platform/userDataSync/common/abstractSynchronizer": {
+ "incompatible": "Nie można zsynchronizować elementu {0}, ponieważ jego wersja lokalna {1} jest niezgodna z wersją zdalną {2}",
+ "incompatible sync data": "Nie można przeanalizować danych synchronizacji, ponieważ są niezgodne z bieżącą wersją."
+ },
+ "vs/platform/keybinding/common/abstractKeybindingService": {
+ "first.chord": "({0}) został naciśnięty. Oczekiwanie na drugi klawisz akordu...",
+ "missing.chord": "Kombinacja klawiszy ({0}, {1}) nie jest poleceniem."
+ },
+ "vs/platform/quickinput/browser/helpQuickAccess": {
+ "globalCommands": "polecenia globalne",
+ "editorCommands": "polecenia edytora",
+ "helpPickAriaLabel": "{0}, {1}"
+ },
+ "vs/platform/theme/common/tokenClassificationRegistry": {
+ "schema.token.settings": "Kolory i style dla tokenu.",
+ "schema.token.foreground": "Kolor pierwszego planu dla tokenu.",
+ "schema.token.background.warning": "Kolory tła tokenu nie są obecnie obsługiwane.",
+ "schema.token.fontStyle": "Ustawia wszystkie style czcionki dla reguły: „kursywa”, „pogrubienie” lub „podkreślenie”, lub ich kombinację. Ustawienie wszystkich niewyświetlonych stylów zostanie cofnięte. Ciąg pusty cofa ustawienie wszystkich stylów.",
+ "schema.fontStyle.error": "Dla stylu czcionki można ustawić wartość „kursywa”, „pogrubienie” lub „podkreślenie”, lub kombinację tych wartości. Pusty ciąg cofa ustawienie wszystkich stylów.",
+ "schema.token.fontStyle.none": "Brak (wyczyść styl dziedziczony)",
+ "schema.token.bold": "Ustawia lub cofa ustawienie pogrubionego stylu czcionki. Uwaga, obecność elementu „fontStyle” przesłania to ustawienie.",
+ "schema.token.italic": "Ustawia lub cofa ustawienie stylu kursywy dla czcionki. Uwaga, obecność elementu „fontStyle” przesłania to ustawienie.",
+ "schema.token.underline": "Ustawia lub cofa ustawienie stylu podkreślenia dla czcionki. Uwaga, obecność elementu „fontStyle” przesłania to ustawienie.",
+ "comment": "Styl dla komentarzy.",
+ "string": "Styl dla ciągów.",
+ "keyword": "Styl dla słów kluczowych.",
+ "number": "Styl dla liczb.",
+ "regexp": "Styl dla wyrażeń.",
+ "operator": "Styl dla operatorów.",
+ "namespace": "Styl dla przestrzeni nazw.",
+ "type": "Styl dla typów.",
+ "struct": "Styl dla struktur.",
+ "class": "Styl dla klas.",
+ "interface": "Styl dla interfejsów.",
+ "enum": "Styl dla wyliczeń.",
+ "typeParameter": "Styl dla parametrów typu.",
+ "function": "Styl dla funkcji",
+ "member": "Styl funkcji składowych",
+ "method": "Styl metody (funkcje składowych)",
+ "macro": "Styl dla makr.",
+ "variable": "Styl dla zmiennych.",
+ "parameter": "Styl dla parametrów.",
+ "property": "Styl dla właściwości.",
+ "enumMember": "Styl dla elementów członkowskich wyliczeń.",
+ "event": "Styl dla zdarzeń.",
+ "labels": "Styl dla etykiet. ",
+ "declaration": "Styl dla wszystkich deklaracji symboli.",
+ "documentation": "Styl do użycia dla odwołań w dokumentacji.",
+ "static": "Styl do użycia dla symboli statycznych.",
+ "abstract": "Styl do użycia dla symboli abstrakcyjnych.",
+ "deprecated": "Styl do użycia dla symboli przestarzałych.",
+ "modification": "Styl do użycia dla dostępów na potrzeby zapisu.",
+ "async": "Styl do użycia dla symboli asynchronicznych.",
+ "readonly": "Styl do użycia dla symboli dostępnych tylko do odczytu."
+ },
+ "vs/platform/quickinput/browser/commandsQuickAccess": {
+ "commandPickAriaLabelWithKeybinding": "{0}, {1}",
+ "recentlyUsed": "ostatnio używane",
+ "morecCommands": "inne polecenia",
+ "canNotRun": "Polecenie „{0}” spowodowało błąd ({1})"
+ },
+ "win32/i18n/Default": {
+ "SetupAppTitle": "Instalator",
+ "SetupWindowTitle": "Instalator — %1",
+ "UninstallAppTitle": "Odinstaluj",
+ "UninstallAppFullTitle": "Odinstalowywanie aplikacji %1",
+ "InformationTitle": "Informacje",
+ "ConfirmTitle": "Potwierdź",
+ "ErrorTitle": "Błąd",
+ "SetupLdrStartupMessage": "Spowoduje to zainstalowanie aplikacji %1. Czy chcesz kontynuować?",
+ "LdrCannotCreateTemp": "Nie można utworzyć pliku tymczasowego. Instalacja została przerwana",
+ "LdrCannotExecTemp": "Nie można wykonać pliku w katalogu tymczasowym. Instalacja została przerwana",
+ "LastErrorMessage": "%1.%n%nBłąd %2: %3",
+ "SetupFileMissing": "Brak pliku %1 w katalogu instalacyjnym. Usuń problem lub uzyskaj nową kopię programu.",
+ "SetupFileCorrupt": "Pliki Instalatora są uszkodzone. Uzyskaj nową kopię programu.",
+ "SetupFileCorruptOrWrongVer": "Pliki instalacyjne są uszkodzone lub są niezgodne z tą wersją Instalatora. Usuń problem lub uzyskaj nową kopię programu.",
+ "InvalidParameter": "W wierszu polecenia został przekazany nieprawidłowy parametr: %n%n%1",
+ "SetupAlreadyRunning": "Instalator jest już uruchomiony.",
+ "WindowsVersionNotSupported": "Ten program nie obsługuje wersji systemu Windows uruchomionej na Twoim komputerze.",
+ "WindowsServicePackRequired": "Ten program wymaga dodatku %1 Service Pack %2 lub nowszego.",
+ "NotOnThisPlatform": "Ten program nie będzie działać na platformie %1.",
+ "OnlyOnThisPlatform": "Ten program musi być uruchomiony na platformie %1.",
+ "OnlyOnTheseArchitectures": "Ten program można zainstalować tylko w wersjach systemu Windows przeznaczonych dla następujących architektur procesorów:%n%n%1",
+ "MissingWOW64APIs": "Używana wersja systemu Windows nie zawiera funkcji wymaganych przez instalator do wykonania instalacji 64-bitowej. Aby rozwiązać ten problem, zainstaluj dodatek Service Pack %1.",
+ "WinVersionTooLowError": "Ten program wymaga systemu %1 w wersji %2 lub nowszej.",
+ "WinVersionTooHighError": "Tego programu nie można zainstalować w systemie %1 w wersji %2 ani nowszej.",
+ "AdminPrivilegesRequired": "Podczas instalowania tego programu należy zalogować się jako administrator.",
+ "PowerUserPrivilegesRequired": "Podczas instalowania tego programu należy zalogować się jako administrator lub członek grupy Użytkownicy zaawansowani.",
+ "SetupAppRunningError": "Instalator wykrył, że aplikacja %1 jest obecnie uruchomiona.%n%nZamknij teraz jej wszystkie wystąpienia, a następnie kliknij przycisk OK, aby kontynuować, lub przycisk Anuluj, aby zakończyć.",
+ "UninstallAppRunningError": "Dezinstalator wykrył, że element %1 jest obecnie uruchomiony.%n%nZamknij wszystkie wystąpienia tego elementu, a następnie kliknij przycisk OK, aby kontynuować, lub Anuluj, aby zakończyć.",
+ "ErrorCreatingDir": "Instalator nie mógł utworzyć katalogu „%1”",
+ "ErrorTooManyFilesInDir": "Nie można utworzyć pliku w katalogu „%1”, ponieważ zawiera on zbyt wiele plików",
+ "ExitSetupTitle": "Kończenie instalacji",
+ "ExitSetupMessage": "Praca Instalatora nie została ukończona. Jeśli zakończysz pracę teraz, program nie zostanie zainstalowany.%n%nMożesz ponownie uruchomić Instalatora, aby ukończyć instalację.%n%nCzy chcesz zakończyć pracę Instalatora?",
+ "AboutSetupMenuItem": "&Informacje o Instalatorze...",
+ "AboutSetupTitle": "Informacje o Instalatorze",
+ "AboutSetupMessage": "%1 (wersja %2)%n%3%n%n%1 strona główna:%n%4",
+ "ButtonBack": "< &Wstecz",
+ "ButtonNext": "&Dalej >",
+ "ButtonInstall": "&Zainstaluj",
+ "ButtonOK": "OK",
+ "ButtonCancel": "Anuluj",
+ "ButtonYes": "&Tak",
+ "ButtonYesToAll": "Tak na &wszystkie",
+ "ButtonNo": "&Nie",
+ "ButtonNoToAll": "&Nie na wszystkie",
+ "ButtonFinish": "&Zakończ",
+ "ButtonBrowse": "&Przeglądaj...",
+ "ButtonWizardBrowse": "P&rzeglądaj...",
+ "ButtonNewFolder": "&Utwórz nowy Folder",
+ "SelectLanguageTitle": "Wybierz język Instalatora",
+ "SelectLanguageLabel": "Wybierz język, który ma być używany podczas instalacji:",
+ "ClickNext": "Kliknij pozycję Dalej, aby kontynuować, lub pozycję Anuluj, aby zakończyć instalację.",
+ "BrowseDialogTitle": "Przeglądaj w poszukiwaniu folderu",
+ "BrowseDialogLabel": "Wybierz folder na liście poniżej, a następnie kliknij przycisk OK.",
+ "NewFolderName": "Nowy folder",
+ "WelcomeLabel1": "Kreator konfiguracji [name] — Zapraszamy!",
+ "WelcomeLabel2": "Spowoduje to zainstalowanie aplikacji [name/ver] na komputerze.%n%nZaleca się zamknięcie wszystkich innych aplikacji przed kontynuowaniem.",
+ "WizardPassword": "Hasło",
+ "PasswordLabel1": "Ta instalacja jest chroniona hasłem.",
+ "PasswordLabel3": "Podaj hasło, a następnie kliknij przycisk Dalej, aby kontynuować. W hasłach jest rozróżniana wielkość liter.",
+ "PasswordEditLabel": "&Hasło:",
+ "IncorrectPassword": "Wprowadzone hasło jest niepoprawne. Spróbuj ponownie.",
+ "WizardLicense": "Umowa licencyjna",
+ "LicenseLabel": "Przed kontynuowaniem przeczytaj poniższe ważne informacje.",
+ "LicenseLabel3": "Przeczytaj poniższą umowę licencyjną. Przed kontynuowaniem instalacji musisz zaakceptować postanowienia tej umowy.",
+ "LicenseAccepted": "&Akceptuję umowę",
+ "LicenseNotAccepted": "&Nie akceptuję umowy",
+ "WizardInfoBefore": "Informacje",
+ "InfoBeforeLabel": "Przed kontynuowaniem przeczytaj poniższe ważne informacje.",
+ "InfoBeforeClickLabel": "Gdy wszystko będzie gotowe do kontynuowania instalacji, kliknij przycisk Dalej.",
+ "WizardInfoAfter": "Informacje",
+ "InfoAfterLabel": "Przed kontynuowaniem przeczytaj poniższe ważne informacje.",
+ "InfoAfterClickLabel": "Gdy wszystko będzie gotowe do kontynuowania instalacji, kliknij przycisk Dalej.",
+ "WizardUserInfo": "Informacje o użytkowniku",
+ "UserInfoDesc": "Wprowadź informacje.",
+ "UserInfoName": "&Nazwa użytkownika:",
+ "UserInfoOrg": "&Organizacja:",
+ "UserInfoSerial": "&Numer seryjny:",
+ "UserInfoNameRequired": "Wprowadź nazwę.",
+ "WizardSelectDir": "Wybierz lokalizację docelową",
+ "SelectDirDesc": "Gdzie powinien zostać zainstalowany element [name]?",
+ "SelectDirLabel3": "Instalator zainstaluje aplikację [name] w następującym folderze.",
+ "SelectDirBrowseLabel": "Aby kontynuować, kliknij przycisk Dalej. Jeśli chcesz wybrać inny folder, kliknij przycisk Przeglądaj.",
+ "DiskSpaceMBLabel": "Wymagane jest co najmniej [mb] MB wolnego miejsca na dysku.",
+ "CannotInstallToNetworkDrive": "Instalator nie może przeprowadzić instalacji na dysku sieciowym.",
+ "CannotInstallToUNCPath": "Instalator nie może przeprowadzić instalacji w ścieżce UNC.",
+ "InvalidPath": "Należy wprowadzić pełną ścieżkę z literą dysku, na przykład%n%nC:\\APP%n%n(lub ścieżkę UNC w następującej postaci:%n%n\\\\serwer\\udział)",
+ "InvalidDrive": "Wybrany dysk lub udział UNC nie istnieje lub jest niedostępny. Wybierz inny.",
+ "DiskSpaceWarningTitle": "Za mało miejsca na dysku",
+ "DiskSpaceWarning": "Instalator wymaga co najmniej %1 KB wolnego miejsca do przeprowadzenia instalacji, ale na wybranym dysku jest dostępne tylko %2 KB.%n%nCzy chcesz kontynuować mimo to?",
+ "DirNameTooLong": "Nazwa folderu lub ścieżka jest za długa.",
+ "InvalidDirName": "Nazwa folderu jest nieprawidłowa.",
+ "BadDirName32": "Nazwy folderów nie mogą zawierać następujących znaków:%n%n%1",
+ "DirExistsTitle": "Folder istnieje",
+ "DirExists": "Folder %n%n%1%n%njuż istnieje. Czy mimo to chcesz przeprowadzić instalację do tego folderu?",
+ "DirDoesntExistTitle": "Folder nie istnieje",
+ "DirDoesntExist": "Folder %n%n%1%n%nnie istnieje. Czy chcesz utworzyć folder?",
+ "WizardSelectComponents": "Wybierz składniki",
+ "SelectComponentsDesc": "Które składniki powinny zostać zainstalowane?",
+ "SelectComponentsLabel2": "Wybierz składniki, które chcesz zainstalować, i wyczyść składniki, których nie chcesz instalować. Kliknij przycisk Dalej, gdy wszystko będzie gotowe do kontynuowania.",
+ "FullInstallation": "Instalacja pełna",
+ "CompactInstallation": "Kompaktuj instalację",
+ "CustomInstallation": "Instalacja niestandardowa",
+ "NoUninstallWarningTitle": "Istnieją składniki",
+ "NoUninstallWarning": "Instalator wykrył, że na komputerze są już zainstalowane następujące składniki:%n%n%1%n%nUsunięcie zaznaczenia tych składników nie spowoduje ich odinstalowania.%n%nCzy mimo to chcesz kontynuować?",
+ "ComponentSize1": "%1 KB",
+ "ComponentSize2": "%1 MB",
+ "ComponentsDiskSpaceMBLabel": "Bieżące zaznaczenie wymaga co najmniej [mb] MB miejsca na dysku.",
+ "WizardSelectTasks": "Wybierz dodatkowe zadania",
+ "SelectTasksDesc": "Które dodatkowe zadania powinny zostać wykonane?",
+ "SelectTasksLabel2": "Wybierz dodatkowe zadania, które mają zostać wykonane podczas instalacji elementu [name], a następnie kliknij przycisk Dalej.",
+ "WizardSelectProgramGroup": "Wybierz folder menu Start",
+ "SelectStartMenuFolderDesc": "Gdzie instalator ma umieszczać skróty programu?",
+ "SelectStartMenuFolderLabel3": "Instalator utworzy skróty programu w następującym folderze menu Start.",
+ "SelectStartMenuFolderBrowseLabel": "Aby kontynuować, kliknij przycisk Dalej. Jeśli chcesz wybrać inny folder, kliknij przycisk Przeglądaj.",
+ "MustEnterGroupName": "Podaj nazwę folderu.",
+ "GroupNameTooLong": "Nazwa folderu lub ścieżka jest za długa.",
+ "InvalidGroupName": "Nazwa folderu jest nieprawidłowa.",
+ "BadGroupName": "Nazwa folderu nie może zawierać żadnego z następujących znaków:%n%n%1",
+ "NoProgramGroupCheck2": "&Nie twórz folderu menu Start",
+ "WizardReady": "Gotowy do instalacji",
+ "ReadyLabel1": "Instalator jest teraz gotowy do rozpoczęcia instalowania aplikacji [name] na komputerze.",
+ "ReadyLabel2a": "Kliknij pozycję Instaluj, aby kontynuować instalację, lub kliknij pozycję Wstecz, jeśli chcesz przejrzeć lub zmienić ustawienia.",
+ "ReadyLabel2b": "Kliknij pozycję Instaluj, aby kontynuować instalację.",
+ "ReadyMemoUserInfo": "Informacje o użytkowniku:",
+ "ReadyMemoDir": "Lokalizacja docelowa:",
+ "ReadyMemoType": "Typ instalacji:",
+ "ReadyMemoComponents": "Wybrane składniki:",
+ "ReadyMemoGroup": "Folder menu Start:",
+ "ReadyMemoTasks": "Dodatkowe zadania:",
+ "WizardPreparing": "Przygotowywanie do instalacji",
+ "PreparingDesc": "Instalator przygotowuje instalację aplikacji [name] na komputerze.",
+ "PreviousInstallNotCompleted": "Nie ukończono instalacji/usuwania poprzedniego programu. Aby ukończyć instalację, należy ponownie uruchomić komputer.%n%nPo ponownym uruchomieniu komputera uruchom ponownie Instalatora, aby ukończyć instalację programu [name].",
+ "CannotContinue": "Instalator nie może kontynuować pracy. Kliknij przycisk Anuluj, aby zakończyć.",
+ "ApplicationsFound": "Następujące aplikacje korzystają z plików, które wymagają zaktualizowania przez Instalatora. Zaleca się zezwolenie Instalatorowi na automatyczne zamknięcie tych aplikacji.",
+ "ApplicationsFound2": "Następujące aplikacje korzystają z plików, które wymagają zaktualizowania przez Instalatora. Zaleca się zezwolenie Instalatorowi na automatyczne zamknięcie tych aplikacji. Po zakończeniu instalacji Instalator spróbuje ponownie uruchomić aplikacje.",
+ "CloseApplications": "&Automatycznie zamknij aplikacje",
+ "DontCloseApplications": "&Nie zamykaj aplikacji",
+ "ErrorCloseApplications": "Instalator nie mógł automatycznie zamknąć wszystkich aplikacji. Przed kontynuowaniem zaleca się zamknięcie wszystkich aplikacji używających plików, które wymagają zaktualizowania przez Instalatora.",
+ "WizardInstalling": "Instalowanie",
+ "InstallingLabel": "Poczekaj, aż Instalator zainstaluje aplikację [name] na komputerze.",
+ "FinishedHeadingLabel": "Kończenie pracy Kreatora konfiguracji [name]",
+ "FinishedLabelNoIcons": "Instalator zakończył instalowanie aplikacji [name] na komputerze.",
+ "FinishedLabel": "Instalator zakończył instalowanie aplikacji [name] na komputerze. Aplikację można uruchomić, wybierając zainstalowane ikony.",
+ "ClickFinish": "Aby zakończyć pracę Instalatora, kliknij przycisk Zakończ.",
+ "FinishedRestartLabel": "Aby ukończyć instalację programu [name], Instalator musi ponownie uruchomić komputer. Czy chcesz uruchomić ponownie teraz?",
+ "FinishedRestartMessage": "Aby ukończyć instalację programu [name], Instalator musi ponownie uruchomić komputer.%n%nCzy chcesz uruchomić ponownie teraz?",
+ "ShowReadmeCheck": "Tak, chcę wyświetlić plik README",
+ "YesRadio": "&Tak, uruchom teraz ponownie komputer",
+ "NoRadio": "&Nie, ponownie uruchomię komputer później",
+ "RunEntryExec": "Uruchom element %1",
+ "RunEntryShellExec": "Wyświetl element %1",
+ "ChangeDiskTitle": "Instalator wymaga następnego dysku",
+ "SelectDiskLabel2": "Włóż dysk %1, a następnie kliknij przycisk OK. %n%nJeśli pliki na tym dysku są w innym folderze niż wyświetlany poniżej, wprowadź poprawną ścieżkę lub kliknij przycisk Przeglądaj.",
+ "PathLabel": "Ś&cieżka:",
+ "FileNotInDir2": "Nie można odnaleźć pliku „%1” w folderze „%2”. Włóż prawidłowy dysk lub wybierz inny folder.",
+ "SelectDirectoryLabel": "Określ lokalizację następnego dysku.",
+ "SetupAborted": "Praca Instalatora nie została ukończona.%n%nUsuń problem i ponownie uruchom Instalatora.",
+ "EntryAbortRetryIgnore": "Kliknij przycisk Ponów próbę, aby spróbować ponownie, przycisk Ignoruj, aby kontynuować mimo to, lub przycisk Przerwij, aby anulować instalację.",
+ "StatusClosingApplications": "Trwa zamykanie aplikacji...",
+ "StatusCreateDirs": "Trwa tworzenie katalogów...",
+ "StatusExtractFiles": "Trwa wyodrębnianie plików...",
+ "StatusCreateIcons": "Trwa tworzenie skrótów...",
+ "StatusCreateIniEntries": "Trwa tworzenie wpisów INI...",
+ "StatusCreateRegistryEntries": "Trwa tworzenie wpisów rejestru...",
+ "StatusRegisterFiles": "Trwa rejestrowanie plików...",
+ "StatusSavingUninstall": "Trwa zapisywanie informacji o deinstalacji...",
+ "StatusRunProgram": "Trwa kończenie instalacji...",
+ "StatusRestartingApplications": "Trwa ponowne uruchamianie aplikacji...",
+ "StatusRollback": "Trwa wycofywanie zmian...",
+ "ErrorInternal2": "Błąd wewnętrzny: %1",
+ "ErrorFunctionFailedNoCode": "Wykonanie funkcji %1 nie powiodło się",
+ "ErrorFunctionFailed": "Działanie funkcji %1 zakończyło się niepowodzeniem; kod: %2",
+ "ErrorFunctionFailedWithMessage": "Wykonanie funkcji %1 nie powiodło się. Kod: %2.%n%3",
+ "ErrorExecutingProgram": "Nie można wykonać pliku:%n%1",
+ "ErrorRegOpenKey": "Wystąpił błąd podczas otwierania klucza rejestru:%n%1\\%2",
+ "ErrorRegCreateKey": "Wystąpił błąd podczas tworzenia klucza rejestru:%n%1\\%2",
+ "ErrorRegWriteKey": "Wystąpił błąd podczas zapisywania w kluczu rejestru:%n%1\\%2",
+ "ErrorIniEntry": "Wystąpił błąd podczas tworzenia wpisu INI w pliku „%1”.",
+ "FileAbortRetryIgnore": "Kliknij przycisk Ponów próbę, aby spróbować ponownie, przycisk Ignoruj, aby pominąć ten plik (niezalecane), lub przycisk Przerwij, aby anulować instalację.",
+ "FileAbortRetryIgnore2": "Kliknij przycisk Ponów próbę, aby spróbować ponownie, przycisk Ignoruj, aby kontynuować mimo to (niezalecane), lub przycisk Przerwij, aby anulować instalację.",
+ "SourceIsCorrupted": "Plik źródłowy jest uszkodzony",
+ "SourceDoesntExist": "Plik źródłowy „%1” nie istnieje",
+ "ExistingFileReadOnly": "Istniejący plik jest oznaczony jako tylko do odczytu.%n%nKliknij przycisk Ponów próbę, aby usunąć atrybutu tylko do odczytu i spróbować ponownie, przycisk Ignoruj, aby pominąć ten plik, lub przycisk Przerwij, aby anulować instalację.",
+ "ErrorReadingExistingDest": "Wystąpił błąd podczas próby odczytania istniejącego pliku:",
+ "FileExists": "Plik już istnieje.%n%nCzy chcesz, aby został zastąpiony przez Instalatora?",
+ "ExistingFileNewer": "Istniejący plik jest nowszy niż ten, który Instalator próbuje zainstalować. Zaleca się zachowanie istniejącego pliku.%n%nCzy chcesz zachować istniejący plik?",
+ "ErrorChangingAttr": "Wystąpił błąd podczas próby zmiany atrybutów istniejącego pliku:",
+ "ErrorCreatingTemp": "Wystąpił błąd podczas próby utworzenia pliku w katalogu docelowym:",
+ "ErrorReadingSource": "Wystąpił błąd podczas próby odczytania pliku źródłowego:",
+ "ErrorCopying": "Wystąpił błąd podczas próby skopiowania pliku:",
+ "ErrorReplacingExistingFile": "Wystąpił błąd podczas próby zastąpienia istniejącego pliku:",
+ "ErrorRestartReplace": "Operacja RestartReplace nie powiodła się:",
+ "ErrorRenamingTemp": "Wystąpił błąd podczas próby zmiany nazwy pliku w katalogu docelowym:",
+ "ErrorRegisterServer": "Nie można zarejestrować bibliotek DLL/OCX: %1",
+ "ErrorRegSvr32Failed": "Operacja RegSvr32 nie powiodła się z kodem zakończenia %1",
+ "ErrorRegisterTypeLib": "Nie można zarejestrować biblioteki typów: %1",
+ "ErrorOpeningReadme": "Wystąpił błąd podczas próby otwarcia pliku README.",
+ "ErrorRestartingComputer": "Instalator nie mógł ponownie uruchomić komputera. Wykonaj to ręcznie.",
+ "UninstallNotFound": "Plik „%1” nie istnieje. Nie można odinstalować.",
+ "UninstallOpenError": "Nie można otworzyć pliku „%1”. Nie można odinstalować",
+ "UninstallUnsupportedVer": "Plik dziennika dezinstalacji „%1” jest w formacie nierozpoznawanym przez tę wersję dezinstalatora. Nie można odinstalować",
+ "UninstallUnknownEntry": "W dzienniku odinstalowywania napotkano nieznany wpis (%1)",
+ "ConfirmUninstall": "Czy na pewno chcesz całkowicie usunąć element %1? Rozszerzenia i ustawienia nie zostaną usunięte.",
+ "UninstallOnlyOnWin64": "Tę instalację można odinstalować tylko w 64-bitowej wersji systemu Windows.",
+ "OnlyAdminCanUninstall": "Ta instalacja może zostać odinstalowana tylko przez użytkownika z uprawnieniami administratora.",
+ "UninstallStatusLabel": "Czekaj, trwa usuwanie aplikacji %1 z komputera.",
+ "UninstalledAll": "Pomyślnie usunięto aplikację %1 z komputera.",
+ "UninstalledMost": "Ukończono odinstalowywanie aplikacji %1.%n%nNie można usunąć niektórych elementów. Można je usunąć ręcznie.",
+ "UninstalledAndNeedsRestart": "Aby ukończyć deinstalację programu %1, należy ponownie uruchomić komputer.%n%nCzy chcesz uruchomić ponownie teraz?",
+ "UninstallDataCorrupted": "Plik „%1” jest uszkodzony. Nie można odinstalować",
+ "ConfirmDeleteSharedFileTitle": "Czy usunąć współużytkowany plik?",
+ "ConfirmDeleteSharedFile2": "System wskazuje, że następujący udostępniony plik nie jest już używany przez żadne programy. Czy chcesz, aby ten udostępniony plik został usunięty podczas odinstalowywania?%n%nJeśli jakieś programy nadal korzystają z tego pliku i zostanie on usunięty, te programy mogą przestać działać prawidłowo. Jeśli nie masz pewności, wybierz pozycję Nie. Pozostawienie pliku w systemie nie przyniesie żadnych negatywnych skutków.",
+ "SharedFileNameLabel": "Nazwa pliku:",
+ "SharedFileLocationLabel": "Lokalizacja:",
+ "WizardUninstalling": "Stan dezinstalacji",
+ "StatusUninstalling": "Trwa odinstalowywanie aplikacji %1...",
+ "ShutdownBlockReasonInstallingApp": "Instalowanie aplikacji %1.",
+ "ShutdownBlockReasonUninstallingApp": "Odinstalowywanie aplikacji %1.",
+ "NameAndVersion": "%1 (wersja %2)",
+ "AdditionalIcons": "Dodatkowe ikony:",
+ "CreateDesktopIcon": "Utwórz ikonę &pulpitu",
+ "CreateQuickLaunchIcon": "Utwórz ikonę &szybkiego uruchamiania",
+ "ProgramOnTheWeb": "%1 w Internecie",
+ "UninstallProgram": "Odinstaluj program %1",
+ "LaunchProgram": "Uruchom program %1",
+ "AssocFileExtension": "&Skojarz aplikację %1 z rozszerzeniem pliku %2",
+ "AssocingFileExtension": "Trwa kojarzenie elementu %1 z rozszerzeniem pliku %2...",
+ "AutoStartProgramGroupDescription": "Uruchomienie:",
+ "AutoStartProgram": "Automatycznie uruchom element %1",
+ "AddonHostProgramNotFound": "Nie można odnaleźć pliku %1 w wybranym folderze.%n%nCzy mimo to chcesz kontynuować?"
+ },
+ "win32/i18n/messages": {
+ "FinishedLabel": "Instalator zakończył instalowanie aplikacji [name] na komputerze. Aplikację można uruchomić, wybierając zainstalowane skróty.",
+ "ConfirmUninstall": "Czy na pewno chcesz całkowicie usunąć element %1 i wszystkie jego składniki?",
+ "AdditionalIcons": "Dodatkowe ikony:",
+ "CreateDesktopIcon": "Utwórz ikonę &pulpitu",
+ "CreateQuickLaunchIcon": "Utwórz ikonę &szybkiego uruchamiania",
+ "AddContextMenuFiles": "Dodaj akcję „Otwórz za pomocą %1” do menu kontekstowego pliku w Eksploratorze Windows",
+ "AddContextMenuFolders": "Dodaj akcję „Otwórz za pomocą %1” do menu kontekstowego katalogu w Eksploratorze Windows",
+ "AssociateWithFiles": "Zarejestruj element %1 jako edytor dla obsługiwanych typów plików",
+ "AddToPath": "Dodaj do zmiennej PATH (wymaga ponownego uruchomienia powłoki)",
+ "RunAfter": "Uruchom element %1 po instalacji",
+ "Other": "Inny:",
+ "SourceFile": "Plik źródłowy %1",
+ "OpenWithCodeContextMenu": "Otwórz element za &pomocą programu %1"
+ },
+ "vs/code/electron-main/main": {
+ "secondInstanceAdmin": "Drugie wystąpienie zasobu {0} jest już uruchomione jako administrator.",
+ "secondInstanceAdminDetail": "Zamknij inne wystąpienie i spróbuj ponownie.",
+ "secondInstanceNoResponse": "Inne wystąpienie {0} jest uruchomione, ale nie odpowiada",
+ "secondInstanceNoResponseDetail": "Zamknij wszystkie inne wystąpienia i spróbuj ponownie.",
+ "startupDataDirError": "Nie można zapisać danych użytkownika programu.",
+ "startupUserDataAndExtensionsDirErrorDetail": "Upewnij się, że następujące katalogi są zapisywalne:\r\n\r\n{0}",
+ "close": "&&Zamknij"
+ },
+ "vs/code/node/cliProcessMain": {
+ "notFound": "Nie odnaleziono rozszerzenia „{0}”.",
+ "notInstalled": "Rozszerzenie „{0}” nie jest zainstalowane.",
+ "useId": "Upewnij się, że używasz pełnego identyfikatora rozszerzenia, w tym wydawcy, np. {0}",
+ "installingExtensions": "Trwa instalowanie rozszerzeń...",
+ "alreadyInstalled-checkAndUpdate": "Rozszerzenie „{0}” w wersji {1} jest już zainstalowane. Użyj opcji „--force”, aby zaktualizować do najnowszej wersji, lub podaj wartość „@”, aby zainstalować określoną wersję, na przykład: „{2}@1.2.3”.",
+ "alreadyInstalled": "Rozszerzenie „{0}” jest już zainstalowane.",
+ "installation failed": "Nie udało się zainstalować rozszerzeń: {0}",
+ "successVsixInstall": "Pomyślnie zainstalowano rozszerzenie „{0}”.",
+ "cancelVsixInstall": "Anulowano instalowanie rozszerzenia „{0}”.",
+ "updateMessage": "Aktualizowanie rozszerzenia „{0}” do wersji {1}",
+ "installing builtin ": "Trwa instalowanie wbudowanego rozszerzenia „{0}” v{1}...",
+ "installing": "Trwa instalowanie rozszerzenia „{0}” {1}...",
+ "successInstall": "Pomyślnie zainstalowano rozszerzenie „{0} {1}”.",
+ "cancelInstall": "Anulowano instalowanie rozszerzenia „{0}”.",
+ "forceDowngrade": "Nowsza wersja rozszerzenia „{0}” {1} jest już zainstalowana. Użyj opcji „--force”, aby przeprowadzić zmianę na starszą wersję produktu.",
+ "builtin": "Rozszerzenie „{0}” jest wbudowanym rozszerzeniem i nie można go zainstalować",
+ "forceUninstall": "Rozszerzenie „{0}” jest oznaczone jako wbudowane rozszerzenie przez użytkownika. Użyj opcji „--force”, aby je odinstalować.",
+ "uninstalling": "Trwa odinstalowywanie składnika {0}...",
+ "successUninstall": "Pomyślnie odinstalowano rozszerzenie „{0}”."
+ },
+ "vs/code/electron-sandbox/issue/issueReporterMain": {
+ "hide": "ukryj",
+ "show": "pokaż",
+ "previewOnGitHub": "Podgląd w usłudze GitHub",
+ "loadingData": "Trwa ładowanie danych...",
+ "rateLimited": "Przekroczono limit zapytania usługi GitHub. Czekaj.",
+ "similarIssues": "Podobne problemy",
+ "open": "Otwórz",
+ "closed": "Zamknięta",
+ "noSimilarIssues": "Nie znaleziono podobnych problemów",
+ "bugReporter": "Raport o usterce",
+ "featureRequest": "Żądanie funkcji",
+ "performanceIssue": "Problem z wydajnością",
+ "selectSource": "Wybierz źródło",
+ "vscode": "Visual Studio Code",
+ "extension": "Rozszerzenie",
+ "unknown": "Nie wiem",
+ "stepsToReproduce": "Kroki do odtworzenia",
+ "bugDescription": "Opisz kroki prowadzące do niezawodnego odtworzenia problemu. Uwzględnij rzeczywiste i oczekiwane wyniki. Obsługujemy język Markdown z dodatkami usługi GitHub. Będziesz w stanie edytować swój problem i dodać zrzuty ekranu, gdy wyświetlimy jego podgląd w usłudze GitHub.",
+ "performanceIssueDesciption": "Kiedy pojawił się ten problem z wydajnością? Czy pojawia się po uruchomieniu, czy po konkretnej serii akcji? Obsługujemy język Markdown z dodatkami usługi GitHub. Będziesz w stanie edytować swój problem i dodać zrzuty ekranu, gdy wyświetlimy jego podgląd w usłudze GitHub.",
+ "description": "Opis",
+ "featureRequestDescription": "Opisz funkcję, którą Twoim zdaniem powinniśmy dodać. Obsługujemy język Markdown z dodatkami usługi GitHub. Będziesz w stanie edytować swój problem i dodać zrzuty ekranu, gdy wyświetlimy jego podgląd w usłudze GitHub.",
+ "pasteData": "Zapisaliśmy potrzebne dane do Twojego schowka, ponieważ były zbyt duże do wysłania. Wklej je.",
+ "disabledExtensions": "Rozszerzenia są wyłączone",
+ "noCurrentExperiments": "Brak bieżących eksperymentów."
+ },
+ "vs/code/electron-sandbox/processExplorer/processExplorerMain": {
+ "cpu": "% wykorzystania procesora CPU",
+ "memory": "Pamięć (MB)",
+ "pid": "PID",
+ "name": "Nazwa",
+ "killProcess": "Zabij proces",
+ "forceKillProcess": "Wymuś zabicie procesu",
+ "copy": "Kopiuj",
+ "copyAll": "Kopiuj wszystko",
+ "debug": "Debuguj"
+ },
+ "vs/code/electron-main/app": {
+ "trace.message": "Pomyślnie utworzono śledzenie.",
+ "trace.detail": "Utwórz problem i ręcznie dołącz następujący plik:\r\n{0}",
+ "trace.ok": "OK",
+ "open": "&&Tak",
+ "cancel": "&&Nie",
+ "confirmOpenMessage": "Aplikacja zewnętrzna chce otworzyć element „{0}” w: {1}. Czy chcesz otworzyć ten plik lub folder?",
+ "confirmOpenDetail": "Jeśli to żądanie nie zostało zainicjowane przez Ciebie, może to świadczyć o próbie ataku na Twój system. Jeśli nie podjęto wyraźnej akcji w celu zainicjowania tego żądania, naciśnij przycisk „Nie”"
+ },
+ "vs/code/electron-sandbox/issue/issueReporterPage": {
+ "completeInEnglish": "Wypełnij formularz w języku angielskim.",
+ "issueTypeLabel": "To jest",
+ "issueSourceLabel": "Plik na",
+ "issueSourceEmptyValidation": "Źródło problemu jest wymagane.",
+ "disableExtensionsLabelText": "Spróbuj odtworzyć problem po {0}. Jeśli problem daje się odtworzyć tylko przy aktywnych rozszerzeniach, to prawdopodobnie jest to problem z rozszerzeniem.",
+ "disableExtensions": "wyłączanie wszystkich rozszerzeń i ponowne ładowanie okna",
+ "chooseExtension": "Rozszerzenie",
+ "extensionWithNonstandardBugsUrl": "Osoba zgłaszająca problem nie może utworzyć problemów dla tego rozszerzenia. Odwiedź stronę {0}, aby zgłosić problem.",
+ "extensionWithNoBugsUrl": "Osoba zgłaszająca problem nie może utworzyć problemów dla tego rozszerzenia, ponieważ nie określa ono adresu URL na potrzeby problemów z raportowaniem. Sprawdź stronę platformy handlowej tego rozszerzenia, aby dowiedzieć się, czy dostępne są inne instrukcje.",
+ "issueTitleLabel": "Tytuł",
+ "issueTitleRequired": "Wprowadź tytuł.",
+ "titleEmptyValidation": "Tytuł jest wymagany.",
+ "titleLengthValidation": "Tytuł jest za długi.",
+ "details": "Wprowadź szczegóły.",
+ "descriptionEmptyValidation": "Opis jest wymagany.",
+ "sendSystemInfo": "Dołącz moje informacje o systemie ({0})",
+ "show": "pokaż",
+ "sendProcessInfo": "Dołącz moje aktualnie uruchomione procesy ({0})",
+ "sendWorkspaceInfo": "Dołącz moje metadane obszaru roboczego ({0})",
+ "sendExtensions": "Dołącz moje włączone rozszerzenia ({0})",
+ "sendExperiments": "Uwzględnij informacje o eksperymentowaniu A/B ({0})"
+ },
+ "vs/code/electron-main/auth": {
+ "authRequire": "Wymagane uwierzytelnianie serwera proxy",
+ "proxyauth": "Serwer proxy {0} wymaga uwierzytelnienia."
+ },
+ "vs/code/electron-main/window": {
+ "reopen": "&&Otwórz ponownie",
+ "wait": "&&Czekaj",
+ "close": "&&Zamknij",
+ "appStalled": "Okno przestało odpowiadać",
+ "appStalledDetail": "Możesz ponownie otworzyć lub zamknąć okno bądź poczekać.",
+ "appCrashedDetails": "Wystąpiła awaria okna (przyczyna: „{0}”)",
+ "appCrashed": "Wystąpiła awaria okna",
+ "appCrashedDetail": "Przepraszamy za niedogodności. Możesz ponownie otworzyć okno, aby kontynuować pracę od miejsca, w którym została przerwana.",
+ "hiddenMenuBar": "W dalszym ciągu możesz uzyskać dostęp do paska menu przez naciśnięcie klawisza Alt."
+ },
+ "vs/workbench/electron-browser/actions/developerActions": {
+ "toggleSharedProcess": "Przełącz proces udostępniony"
+ },
+ "vs/workbench/electron-sandbox/desktop.contribution": {
+ "newTab": "Nowa karta okna",
+ "showPreviousTab": "Pokaż poprzednią kartę okna",
+ "showNextWindowTab": "Pokaż następną kartę okna",
+ "moveWindowTabToNewWindow": "Przenieś kartę okna do nowego okna",
+ "mergeAllWindowTabs": "Scal wszystkie okna",
+ "toggleWindowTabsBar": "Przełącz pasek kart okna",
+ "preferences": "Preferencje",
+ "miCloseWindow": "Zam&&knij okno",
+ "miExit": "Zak&&ończ",
+ "miZoomIn": "&&Powiększ",
+ "miZoomOut": "&&Pomniejsz",
+ "miZoomReset": "&&Resetuj powiększenie",
+ "miReportIssue": "Zgłoś &&problem",
+ "miToggleDevTools": "&&Przełącz narzędzia deweloperskie",
+ "miOpenProcessExplorerer": "Otwórz &&Eksploratora procesów",
+ "windowConfigurationTitle": "Okno",
+ "window.openWithoutArgumentsInNewWindow.on": "Otwórz nowe puste okno.",
+ "window.openWithoutArgumentsInNewWindow.off": "Przenieś fokus do ostatniego aktywnego uruchomionego wystąpienia.",
+ "openWithoutArgumentsInNewWindow": "Określa, czy w przypadku uruchamiania drugiego wystąpienia bez argumentów powinno być otwierane nowe puste okno, czy też ostatnie uruchomione wystąpienie powinno uzyskać fokus.\r\nNależy pamiętać, że w dalszym ciągu mogą istnieć przypadki, w których to ustawienie jest ignorowane (np. w przypadku korzystania z opcji wiersza polecenia „--new-window” lub „--reuse-window”).",
+ "window.reopenFolders.preserve": "Zawsze otwieraj ponownie wszystkie okna. W przypadku otworzenia folderu lub obszaru roboczego (np. z wiersza polecenia) zostanie on otwarty jako nowe okno, chyba że otwarto go już wcześniej. W przypadku otwarcia plików będą one otwierane w jednym z przywróconych okien.",
+ "window.reopenFolders.all": "Otwórz ponownie wszystkie okna, jeśli nie jest otwarty folder, obszar roboczy ani plik (np. z wiersza polecenia).",
+ "window.reopenFolders.folders": "Otwórz ponownie wszystkie okna, które miały otwarte foldery lub obszary robocze, jeśli nie jest otwarty folder, obszar roboczy ani plik (np. z wiersza polecenia).",
+ "window.reopenFolders.one": "Otwórz ponownie ostatnie aktywne okno, jeśli nie jest otwarty folder, obszar roboczy ani plik (np. z wiersza polecenia).",
+ "window.reopenFolders.none": "Nigdy nie otwieraj ponownie okna. Jeśli nie jest otwarty folder ani obszar roboczy (np. z wiersza polecenia), zostanie wyświetlone puste okno.",
+ "restoreWindows": "Steruje sposobem ponownego otwierania okien po uruchomieniu po raz pierwszy. To ustawienie nie wywiera żadnego wpływu, gdy aplikacja jest już uruchomiona.",
+ "restoreFullscreen": "Określa, czy okno powinno zostać przywrócone do trybu pełnoekranowego, jeśli zostało zamknięte w trybie pełnoekranowym.",
+ "zoomLevel": "Dostosuj poziom powiększenia okna. Oryginalny rozmiar to 0, a każdy przyrost powyżej (np. 1) lub poniżej (np. -1) oznacza powiększenie o 20% większe lub mniejsze. Można także wprowadzić liczby dziesiętne, aby dostosować poziom powiększenia z większą szczegółowością.",
+ "window.newWindowDimensions.default": "Otwórz nowe okna na środku ekranu.",
+ "window.newWindowDimensions.inherit": "Otwórz nowe okna z takimi samymi wymiarami jak ostatnie aktywne.",
+ "window.newWindowDimensions.offset": "Otwórz nowe okna z takimi samymi wymiarami jak ostatnie aktywne, z przesunięciem pozycji.",
+ "window.newWindowDimensions.maximized": "Otwórz nowe okna zmaksymalizowane.",
+ "window.newWindowDimensions.fullscreen": "Otwórz nowe okna w trybie pełnoekranowym.",
+ "newWindowDimensions": "Kontroluje wymiary otwierania nowego okna, gdy co najmniej jedno okno jest już otwarte. Zauważ, że to ustawienie nie ma wpływu na pierwsze otwierane okno. W przypadku pierwszego okna zawsze zostaną przywrócone rozmiar i lokalizacja, jakie pozostawiono przed jego zamknięciem.",
+ "closeWhenEmpty": "Określa, czy zamknięcie ostatniego edytora ma również powodować zamknięcie okna. To ustawienie dotyczy tylko okien, w których nie są wyświetlane foldery.",
+ "window.doubleClickIconToClose": "Jeśli to ustawienie zostanie włączone, dwukrotne kliknięcie ikony aplikacji na pasku tytułu spowoduje zamknięcie okna i nie będzie można przeciągać okna za pomocą ikony. To ustawienie ma wpływ tylko wtedy, gdy ustawienie „#window.titleBarStyle#” ma wartość „custom”.",
+ "titleBarStyle": "Dostosuj wygląd paska tytułu okna. W systemach Linux i Windows to ustawienie ma również wpływ na wygląd menu aplikacji i kontekstowych. Zmiany wymagają pełnego ponownego uruchomienia w celu ich zastosowania.",
+ "dialogStyle": "Dostosuj wygląd okien dialogowych.",
+ "window.nativeTabs": "Włącza karty okna systemu macOS Sierra. Należy pamiętać, że zmiany wymagają pełnego ponownego uruchomienia, a karty natywne wyłączą niestandardowy styl paska tytułu, jeśli został skonfigurowany.",
+ "window.nativeFullScreen": "Określa, czy natywny tryb pełnoekranowy powinien być używany w systemie macOS. Wyłącz tę opcję, aby system macOS nie tworzył nowego miejsca podczas przechodzenia na pełny ekran.",
+ "window.clickThroughInactive": "Jeśli ta opcja jest włączona, kliknięcie nieaktywnego okna spowoduje uaktywnienie okna i wyzwolenie elementu pod myszą, jeśli można go kliknąć. Jeśli ta opcja jest wyłączona, kliknięcie dowolnego miejsca w nieaktywnym oknie spowoduje tylko jego uaktywnienie i wymagane będzie drugie kliknięcie na elemencie.",
+ "window.enableExperimentalProxyLoginDialog": "Włącza nowe okno dialogowe logowania do uwierzytelniania serwera proxy. Wymaga ponownego uruchomienia, aby zmiana została wprowadzona.",
+ "telemetryConfigurationTitle": "Telemetria",
+ "telemetry.enableCrashReporting": "Włącz wysyłanie raportów o awarii do usługi online firmy Microsoft. \r\nTa opcja wymaga ponownego uruchomienia, aby zaczęła obowiązywać.",
+ "keyboardConfigurationTitle": "Klawiatura",
+ "touchbar.enabled": "Włącza przyciski paska dotykowego systemu macOS na klawiaturze, jeśli są dostępne.",
+ "touchbar.ignored": "Zestaw identyfikatorów dla wpisów na pasku dotykowym, które nie powinny być wyświetlane (na przykład „workbench.action.navigateBack”.",
+ "argv.locale": "Używany język wyświetlania. Wybranie innego języka wymaga zainstalowania skojarzonego pakietu językowego.",
+ "argv.disableHardwareAcceleration": "Wyłącza przyspieszanie sprzętowe. Zmień tę opcję TYLKO w przypadku napotkania problemów z grafiką.",
+ "argv.disableColorCorrectRendering": "Rozwiązuje problemy związane z wyborem profilu kolorów. Zmień tę opcję TYLKO w przypadku napotkania problemów z grafiką.",
+ "argv.forceColorProfile": "Umożliwia przesłonięcie używanego profilu kolorów. Jeśli kolory wyglądają źle, spróbuj ustawić tę opcję na wartość „srgb” i uruchom ponownie.",
+ "argv.enableCrashReporter": "Pozwala na wyłączenie raportowania awarii, należy ponownie uruchomić aplikację, jeśli wartość zostanie zmieniona.",
+ "argv.crashReporterId": "Unikatowy identyfikator używany do korelowania raportów o awariach wysyłanych z tego wystąpienia aplikacji.",
+ "argv.enebleProposedApi": "Włącz proponowane interfejsy API dla listy identyfikatorów rozszerzeń (takich jak „vscode.git”). Proponowane interfejsy API są niestabilne i mogą w każdej chwili ulec awarii bez ostrzeżenia. Ta opcja powinna być ustawiana tylko na potrzeby tworzenia i testowania rozszerzeń.",
+ "argv.force-renderer-accessibility": "Wymusza dostępność programu renderującego. Należy to zmienić TYLKO w przypadku używania czytnika zawartości ekranu w systemie Linux. Na innych platformach program renderujący będzie automatycznie dostępny. Ta flaga jest ustawiana automatycznie, jeśli masz ustawienie editor.accessibilitySupport: on."
+ },
+ "vs/workbench/common/actions": {
+ "view": "Wyświetl",
+ "help": "Pomoc",
+ "developer": "Deweloper"
+ },
+ "vs/workbench/browser/workbench": {
+ "loaderErrorNative": "Nie można załadować wymaganego pliku. Uruchom ponownie aplikację, aby spróbować ponownie. Szczegóły: {0}"
+ },
+ "vs/workbench/electron-sandbox/window": {
+ "learnMode": "Dowiedz się więcej",
+ "shellEnvSlowWarning": "Rozpoznawanie środowiska powłoki trwa bardzo długo. Przejrzyj konfigurację powłoki.",
+ "shellEnvTimeoutError": "Nie można rozpoznać środowiska powłoki w rozsądnym czasie. Sprawdź konfigurację powłoki.",
+ "proxyAuthRequired": "Wymagane uwierzytelnianie serwera proxy",
+ "loginButton": "&&Zaloguj",
+ "cancelButton": "&&Anuluj",
+ "username": "Nazwa użytkownika",
+ "password": "Hasło",
+ "proxyDetail": "Serwer proxy {0} wymaga podania nazwy użytkownika i hasła.",
+ "rememberCredentials": "Zapamiętaj moje poświadczenia",
+ "runningAsRoot": "Nie zaleca się uruchamiania {0} jako użytkownik główny.",
+ "mPreferences": "Preferencje"
+ },
+ "vs/workbench/common/theme": {
+ "tabActiveBackground": "Kolor tła aktywnej karty w aktywnej grupie. Karty są kontenerami dla edytorów w obszarze edytora. W jednej grupie edytorów można otworzyć wiele kart. Może istnieć wiele grup edytorów.",
+ "tabUnfocusedActiveBackground": "Kolor tła aktywnej karty w grupie bez fokusu. Karty są kontenerami dla edytorów w obszarze edytora. W jednej grupie edytorów można otworzyć wiele kart. Może istnieć wiele grup edytorów.",
+ "tabInactiveBackground": "Kolor tła nieaktywnej karty w aktywnej grupie. Karty są kontenerami dla edytorów w obszarze edytora. W jednej grupie edytorów można otworzyć wiele kart. Może istnieć wiele grup edytorów.",
+ "tabUnfocusedInactiveBackground": "Kolor tła nieaktywnej karty w grupie bez fokusu. Karty są kontenerami dla edytorów w obszarze edytora. W jednej grupie edytorów można otworzyć wiele kart. Może istnieć wiele grup edytorów.",
+ "tabActiveForeground": "Kolor pierwszego planu aktywnej karty w aktywnej grupie. Karty są kontenerami dla edytorów w obszarze edytora. W jednej grupie edytorów można otworzyć wiele kart. Może istnieć wiele grup edytorów.",
+ "tabInactiveForeground": "Kolor pierwszego planu nieaktywnej karty w aktywnej grupie. Karty są kontenerami dla edytorów w obszarze edytora. W jednej grupie edytorów można otworzyć wiele kart. Może istnieć wiele grup edytorów.",
+ "tabUnfocusedActiveForeground": "Kolor pierwszego planu aktywnej karty w grupie bez fokusu. Karty są kontenerami dla edytorów w obszarze edytora. W jednej grupie edytorów można otworzyć wiele kart. Może istnieć wiele grup edytorów.",
+ "tabUnfocusedInactiveForeground": "Kolor pierwszego planu nieaktywnej karty w grupie bez fokusu. Karty są kontenerami dla edytorów w obszarze edytora. W jednej grupie edytorów można otworzyć wiele kart. Może istnieć wiele grup edytorów.",
+ "tabHoverBackground": "Kolor tła karty po umieszczeniu nad nią wskaźnika myszy. Karty są kontenerami dla edytorów w obszarze edytora. W jednej grupie edytorów można otworzyć wiele kart. Może istnieć wiele grup edytorów.",
+ "tabUnfocusedHoverBackground": "Kolor tła karty w grupie bez fokusu po umieszczeniu nad nią wskaźnika myszy. Karty są kontenerami dla edytorów w obszarze edytora. W jednej grupie edytorów można otworzyć wiele kart. Może istnieć wiele grup edytorów.",
+ "tabHoverForeground": "Kolor pierwszego planu karty po umieszczeniu nad nią wskaźnika myszy. Karty są kontenerami dla edytorów w obszarze edytora. W jednej grupie edytorów można otworzyć wiele kart. Może istnieć wiele grup edytorów.",
+ "tabUnfocusedHoverForeground": "Kolor pierwszego planu karty w grupie bez fokusu po umieszczeniu nad nią wskaźnika myszy. Karty są kontenerami dla edytorów w obszarze edytora. W jednej grupie edytorów można otworzyć wiele kart. Może istnieć wiele grup edytorów.",
+ "tabBorder": "Obramowanie do oddzielenia kart od siebie. Karty są kontenerami dla edytorów w obszarze edytora. W jednej grupie edytorów można otworzyć wiele kart. Może istnieć wiele grup edytorów.",
+ "lastPinnedTabBorder": "Obramowanie do oddzielania przypiętych kart od innych kart. Karty są kontenerami edytorów w obszarze edytorów. W jednej grupie edytorów można otworzyć wiele kart. Może istnieć wiele grup edytorów.",
+ "tabActiveBorder": "Obramowanie u dołu aktywnej karty. Karty są kontenerami dla edytorów w obszarze edytora. W jednej grupie edytorów można otworzyć wiele kart. Może istnieć wiele grup edytorów.",
+ "tabActiveUnfocusedBorder": "Obramowanie u dołu aktywnej karty w grupie bez fokusu. Karty są kontenerami dla edytorów w obszarze edytora. W jednej grupie edytorów można otworzyć wiele kart. Może istnieć wiele grup edytorów.",
+ "tabActiveBorderTop": "Obramowanie u góry aktywnej karty. Karty są kontenerami dla edytorów w obszarze edytora. W jednej grupie edytorów można otworzyć wiele kart. Może istnieć wiele grup edytorów.",
+ "tabActiveUnfocusedBorderTop": "Obramowanie u góry aktywnej karty w grupie bez fokusu. Karty są kontenerami dla edytorów w obszarze edytora. W jednej grupie edytorów można otworzyć wiele kart. Może istnieć wiele grup edytorów.",
+ "tabHoverBorder": "Obramowanie do wyróżnienia kart po umieszczeniu nad nimi wskaźnika myszy. Karty są kontenerami dla edytorów w obszarze edytora. W jednej grupie edytorów można otworzyć wiele kart. Może istnieć wiele grup edytorów.",
+ "tabUnfocusedHoverBorder": "Obramowanie do wyróżnienia kart w grupie bez fokusu po umieszczeniu nad nimi wskaźnika myszy. Karty są kontenerami dla edytorów w obszarze edytora. W jednej grupie edytorów można otworzyć wiele kart. Może istnieć wiele grup edytorów.",
+ "tabActiveModifiedBorder": "Obramowanie u góry zmodyfikowanych (ze zmodyfikowaną zawartością) aktywnych kart w aktywnej grupie. Karty są kontenerami dla edytorów w obszarze edytora. W jednej grupie edytorów można otworzyć wiele kart. Może istnieć wiele grup edytorów.",
+ "tabInactiveModifiedBorder": "Obramowanie u góry zmodyfikowanych (ze zmodyfikowaną zawartością) nieaktywnych kart w aktywnej grupie. Karty są kontenerami dla edytorów w obszarze edytora. W jednej grupie edytorów można otworzyć wiele kart. Może istnieć wiele grup edytorów.",
+ "unfocusedActiveModifiedBorder": "Obramowanie u góry zmodyfikowanych (ze zmodyfikowaną zawartością) aktywnych kart w grupie bez fokusu. Karty są kontenerami dla edytorów w obszarze edytora. W jednej grupie edytorów można otworzyć wiele kart. Może istnieć wiele grup edytorów.",
+ "unfocusedINactiveModifiedBorder": "Obramowanie u góry zmodyfikowanych (ze zmodyfikowaną zawartością) nieaktywnych kart w grupie bez fokusu. Karty są kontenerami dla edytorów w obszarze edytora. W jednej grupie edytorów można otworzyć wiele kart. Może istnieć wiele grup edytorów.",
+ "editorPaneBackground": "Kolor tła okienka edytora widocznego po lewej i prawej stronie wyśrodkowanego układu edytora.",
+ "editorGroupBackground": "Przestarzały kolor tła grupy edytorów.",
+ "deprecatedEditorGroupBackground": "Przestarzałe: kolor tła grupy edytorów nie jest już obsługiwany po wprowadzeniu układu edytora siatki. Aby określić kolor tła pustych grup edytorów, można użyć elementu editorGroup.emptyBackground.",
+ "editorGroupEmptyBackground": "Kolor tła pustej grupy edytorów. Grupy edytorów są kontenerami edytorów.",
+ "editorGroupFocusedEmptyBorder": "Kolor obramowania pustej grupy edytorów, do której przeniesiono fokus. Grupy edytorów są kontenerami edytorów.",
+ "tabsContainerBackground": "Kolor tła nagłówka tytułu grupy edytorów, gdy karty są włączone. Grupy edytorów są kontenerami edytorów.",
+ "tabsContainerBorder": "Kolor tła obramowania nagłówka tytułu grupy edytorów, gdy karty są włączone. Grupy edytorów są kontenerami edytorów.",
+ "editorGroupHeaderBackground": "Kolor tła nagłówka tytułu grupy edytorów, gdy karty są wyłączone („workbench.editor.showTabs”: false). Grupy edytorów są kontenerami edytorów.",
+ "editorTitleContainerBorder": "Kolor tła obramowania nagłówka tytułu grupy edytorów. Grupy edytorów są kontenerami edytorów.",
+ "editorGroupBorder": "Kolor do oddzielenia wielu grup edytorów od siebie. Grupy edytorów są kontenerami edytorów.",
+ "editorDragAndDropBackground": "Kolor tła podczas przeciągania edytorów. Kolor powinien być przezroczysty, tak aby zawartość edytora była nadal widoczna.",
+ "imagePreviewBorder": "Kolor obramowania obrazu w podglądzie obrazu.",
+ "panelBackground": "Kolor tła panelu. Panele są wyświetlane poniżej obszaru edytora i zawierają widoki, takie jak dane wyjściowe i zintegrowany terminal.",
+ "panelBorder": "Kolor obramowania panelu do oddzielenia panelu od edytora. Panele są wyświetlane poniżej obszaru edytora i zawierają widoki, takie jak dane wyjściowe i zintegrowany terminal.",
+ "panelActiveTitleForeground": "Kolor tytułu aktywnego panelu. Panele są wyświetlane poniżej obszaru edytora i zawierają widoki, takie jak dane wyjściowe i zintegrowany terminal.",
+ "panelInactiveTitleForeground": "Kolor tytułu nieaktywnego panelu. Panele są wyświetlane poniżej obszaru edytora i zawierają widoki, takie jak dane wyjściowe i zintegrowany terminal.",
+ "panelActiveTitleBorder": "Kolor obramowania tytułu aktywnego panelu. Panele są wyświetlane poniżej obszaru edytora i zawierają widoki, takie jak wyjście i zintegrowany terminal.",
+ "panelInputBorder": "Obramowanie pola danych wejściowych dla danych wejściowych w panelu.",
+ "panelDragAndDropBorder": "Kolor tytułów paneli podczas przeciągania i upuszczania. Panele są wyświetlane poniżej obszaru edytora i zawierają widoki, takie jak dane wyjściowe i zintegrowany terminal.",
+ "panelSectionDragAndDropBackground": "Kolor sekcji paneli podczas przeciągania i upuszczania. Kolor powinien być przezroczysty, aby sekcje paneli nadal były widoczne. Panele są wyświetlane poniżej obszaru edytora i zawierają widoki, takie jak dane wyjściowe i zintegrowany terminal. Sekcje paneli to widoki zagnieżdżone w panelach.",
+ "panelSectionHeaderBackground": "Kolor tła nagłówka sekcji panelu. Panele są wyświetlane poniżej obszaru edytora i zawierają widoki, takie jak dane wyjściowe i zintegrowany terminal. Sekcje paneli to widoki zagnieżdżone w panelach.",
+ "panelSectionHeaderForeground": "Kolor pierwszego planu nagłówka sekcji panelu. Panele są wyświetlane poniżej obszaru edytora i zawierają widoki, takie jak dane wyjściowe i zintegrowany terminal. Sekcje paneli to widoki zagnieżdżone w panelach.",
+ "panelSectionHeaderBorder": "Kolor obramowania nagłówka sekcji panelu używany, gdy wiele widoków jest ułożonych pionowo w panelu. Panele są wyświetlane poniżej obszaru edytora i zawierają widoki, takie jak dane wyjściowe i zintegrowany terminal. Sekcje paneli to widoki zagnieżdżone w panelach.",
+ "panelSectionBorder": "Kolor obramowania sekcji panelu używany, gdy wiele widoków jest ułożonych poziomo w panelu. Panele są wyświetlane poniżej obszaru edytora i zawierają widoki, takie jak dane wyjściowe i zintegrowany terminal. Sekcje paneli to widoki zagnieżdżone w panelach.",
+ "statusBarForeground": "Kolor pierwszego planu paska stanu po otwarciu obszaru roboczego. Pasek stanu jest wyświetlany w dolnej części okna.",
+ "statusBarNoFolderForeground": "Kolor pierwszego planu paska stanu, gdy żaden folder nie jest otwarty. Pasek stanu jest wyświetlany w dolnej części okna.",
+ "statusBarBackground": "Kolor tła paska stanu po otwarciu obszaru roboczego. Pasek stanu jest wyświetlany w dolnej części okna.",
+ "statusBarNoFolderBackground": "Kolor tła paska stanu, gdy żaden folder nie jest otwarty. Pasek stanu jest wyświetlany w dolnej części okna.",
+ "statusBarBorder": "Kolor obramowania paska stanu oddzielający go od paska bocznego i edytora. Pasek stanu jest wyświetlany w dolnej części okna.",
+ "statusBarNoFolderBorder": "Kolor obramowania paska stanu oddzielający go od paska bocznego i edytora, gdy żaden folder nie jest otwarty. Pasek stanu jest wyświetlany w dolnej części okna.",
+ "statusBarItemActiveBackground": "Kolor tła elementu paska stanu po kliknięciu. Pasek stanu jest wyświetlany w dolnej części okna.",
+ "statusBarItemHoverBackground": "Kolor tła elementu paska stanu po umieszczeniu nad nim wskaźnika myszy. Pasek stanu jest wyświetlany w dolnej części okna.",
+ "statusBarProminentItemForeground": "Kolor pierwszego planu wyeksponowanych elementów paska stanu. Wyeksponowane elementy wyróżniają się spośród innych elementów paska stanu, aby wskazać ważność. Zmień tryb „Przełącz przenoszenie fokusu za pomocą klawisza Tab” z palety poleceń, aby zobaczyć przykład. Pasek stanu jest wyświetlany w dolnej części okna.",
+ "statusBarProminentItemBackground": "Kolor tła wyeksponowanych elementów paska stanu. Wyeksponowane elementy wyróżniają się spośród innych elementów paska stanu, aby wskazać ważność. Zmień tryb „Przełącz przenoszenie fokusu za pomocą klawisza Tab” z palety poleceń, aby zobaczyć przykład. Pasek stanu jest wyświetlany w dolnej części okna.",
+ "statusBarProminentItemHoverBackground": "Kolor tła wyeksponowanych elementów paska stanu po umieszczeniu nad nimi wskaźnika myszy. Wyeksponowane elementy wyróżniają się spośród innych elementów paska stanu, aby wskazać ważność. Zmień tryb „Przełącz przenoszenie fokusu za pomocą klawisza Tab” z palety poleceń, aby zobaczyć przykład. Pasek stanu jest wyświetlany w dolnej części okna.",
+ "statusBarErrorItemBackground": "Kolor tła elementów błędów na pasku stanu. Elementy błędów wyróżniają się spośród innych elementów paska stanu, aby wskazywać błędy. Pasek stanu jest wyświetlany w dolnej części okna.",
+ "statusBarErrorItemForeground": "Kolor pierwszego planu dla elementów błędów na pasku stanu. Elementy błędów wyróżniają się spośród innych elementów paska stanu, aby wskazywać błędy. Pasek stanu jest wyświetlany w dolnej części okna.",
+ "activityBarBackground": "Kolor tła paska aktywności. Pasek aktywności jest wyświetlany po lewej lub prawej stronie i umożliwia przełączanie między widokami paska bocznego.",
+ "activityBarForeground": "Kolor pierwszego planu elementu paska aktywności, gdy jest on aktywny. Pasek aktywności jest wyświetlany po lewej lub prawej stronie i umożliwia przełączanie między widokami paska bocznego.",
+ "activityBarInActiveForeground": "Kolor pierwszego planu elementu paska aktywności, gdy jest on nieaktywny. Pasek aktywności jest wyświetlany po lewej lub prawej stronie i umożliwia przełączanie między widokami paska bocznego.",
+ "activityBarBorder": "Kolor tła paska aktywności oddzielający od paska bocznego. Pasek aktywności jest wyświetlany po lewej lub prawej stronie i umożliwia przełączanie między widokami paska bocznego.",
+ "activityBarActiveBorder": "Kolor obramowania paska aktywności dla aktywnego elementu. Pasek aktywności jest wyświetlany po lewej lub prawej stronie i umożliwia przełączanie między widokami paska bocznego.",
+ "activityBarActiveFocusBorder": "Kolor obramowania fokusu paska aktywności dla aktywnego elementu. Pasek aktywności jest wyświetlany po lewej lub prawej stronie i umożliwia przełączanie między widokami paska bocznego.",
+ "activityBarActiveBackground": "Kolor tła paska aktywności dla aktywnego elementu. Pasek aktywności jest wyświetlany po lewej lub prawej stronie i umożliwia przełączanie między widokami paska bocznego.",
+ "activityBarDragAndDropBorder": "Kolor podczas przeciągania i upuszczania dla elementów paska aktywności. Pasek aktywności jest wyświetlany po lewej lub prawej stronie i umożliwia przełączanie między widokami paska bocznego.",
+ "activityBarBadgeBackground": "Kolor tła wskaźnika powiadamiania o aktywności. Pasek aktywności jest wyświetlany po lewej lub prawej stronie i umożliwia przełączanie między widokami paska bocznego.",
+ "activityBarBadgeForeground": "Kolor pierwszego planu wskaźnika powiadamiania o aktywności. Pasek aktywności jest wyświetlany po lewej lub prawej stronie i umożliwia przełączanie się między widokami paska bocznego.",
+ "statusBarItemHostBackground": "Kolor tła dla wskaźnika zdalnego na pasku stanu.",
+ "statusBarItemHostForeground": "Kolor pierwszego planu dla wskaźnika zdalnego na pasku stanu.",
+ "extensionBadge.remoteBackground": "Kolor tła dla wskaźnika zdalnego w widoku rozszerzeń.",
+ "extensionBadge.remoteForeground": "Kolor pierwszego planu dla wskaźnika zdalnego w widoku rozszerzeń.",
+ "sideBarBackground": "Kolor tła paska bocznego. Pasek boczny jest kontenerem dla widoków, takich jak eksplorator i wyszukiwanie.",
+ "sideBarForeground": "Kolor pierwszego planu paska bocznego. Pasek boczny jest kontenerem dla widoków, takich jak eksplorator i wyszukiwanie.",
+ "sideBarBorder": "Kolor obramowania paska bocznego po stronie oddzielającej od edytora. Pasek boczny jest kontenerem dla widoków, takich jak eksplorator i wyszukiwanie.",
+ "sideBarTitleForeground": "Kolor pierwszego planu tytułu paska bocznego. Pasek boczny jest kontenerem dla widoków, takich jak eksplorator i wyszukiwanie.",
+ "sideBarDragAndDropBackground": "Kolor sekcji paska bocznego podczas przeciągania i upuszczania. Kolor powinien być przezroczysty, aby sekcje paska bocznego nadal były widoczne. Pasek boczny jest kontenerem dla widoków, takich jak eksplorator i wyszukiwanie. Sekcje paska bocznego to widoki zagnieżdżone w pasku bocznym.",
+ "sideBarSectionHeaderBackground": "Kolor tła nagłówka sekcji paska bocznego. Pasek boczny to kontener dla widoków, takich jak Eksplorator i wyszukiwanie. Sekcje paska bocznego to widoki zagnieżdżone w pasku bocznym.",
+ "sideBarSectionHeaderForeground": "Kolor pierwszego planu nagłówka sekcji paska bocznego. Pasek boczny to kontener dla widoków, takich jak Eksplorator i wyszukiwanie. Sekcje paska bocznego to widoki zagnieżdżone w pasku bocznym.",
+ "sideBarSectionHeaderBorder": "Kolor obramowania nagłówka sekcji paska bocznego. Pasek boczny to kontener dla widoków, takich jak Eksplorator i wyszukiwanie. Sekcje paska bocznego to widoki zagnieżdżone w pasku bocznym.",
+ "titleBarActiveForeground": "Pierwszy plan paska tytułu, gdy okno jest aktywne.",
+ "titleBarInactiveForeground": "Pierwszy plan paska tytułu, gdy okno jest nieaktywne.",
+ "titleBarActiveBackground": "Tło paska tytułu, gdy okno jest aktywne.",
+ "titleBarInactiveBackground": "Tło paska tytułu, gdy okno jest nieaktywne.",
+ "titleBarBorder": "Kolor obramowania paska tytułu.",
+ "menubarSelectionForeground": "Kolor pierwszego planu zaznaczonego elementu menu na pasku menu.",
+ "menubarSelectionBackground": "Kolor tła wybranego elementu menu na pasku menu.",
+ "menubarSelectionBorder": "Kolor obramowania wybranego elementu menu na pasku menu.",
+ "notificationCenterBorder": "Kolor obramowania centrum powiadomień. Powiadomienia wysuwają się w prawym dolnym rogu okna.",
+ "notificationToastBorder": "Kolor obramowania wyskakującego powiadomienia. Powiadomienia wysuwają się w prawym dolnym rogu okna.",
+ "notificationsForeground": "Kolor pierwszego planu powiadomień. Powiadomienia wysuwają się w prawym dolnym rogu okna.",
+ "notificationsBackground": "Kolor tła powiadomień. Powiadomienia wysuwają się w prawym dolnym rogu okna.",
+ "notificationsLink": "Kolor pierwszego planu linków powiadomień. Powiadomienia wysuwają się w prawym dolnym rogu okna.",
+ "notificationCenterHeaderForeground": "Kolor pierwszego planu nagłówka centrum powiadomień. Powiadomienia wysuwają się w prawym dolnym rogu okna.",
+ "notificationCenterHeaderBackground": "Kolor tła nagłówka centrum powiadomień. Powiadomienia wysuwają się w prawym dolnym rogu okna.",
+ "notificationsBorder": "Kolor obramowania powiadomień oddzielający je od innych powiadomień w centrum powiadomień. Powiadomienia wysuwają się w prawym dolnym rogu okna.",
+ "notificationsErrorIconForeground": "Kolor używany dla ikony powiadomień o błędach. Powiadomienia wysuwają się w prawym dolnym rogu okna.",
+ "notificationsWarningIconForeground": "Kolor używany dla ikony powiadomień z ostrzeżeniami. Powiadomienia wysuwają się w prawym dolnym rogu okna.",
+ "notificationsInfoIconForeground": "Kolor używany dla ikony powiadomień z informacjami. Powiadomienia wysuwają się w prawym dolnym rogu okna.",
+ "windowActiveBorder": "Kolor używany dla obramowania okna, gdy jest ono aktywne. Obsługiwane tylko w kliencie stacjonarnym w przypadku korzystania z niestandardowego paska tytułu.",
+ "windowInactiveBorder": "Kolor używany dla obramowania okna, gdy jest ono nieaktywne. Obsługiwane tylko w kliencie stacjonarnym w przypadku korzystania z niestandardowego paska tytułu."
+ },
+ "vs/workbench/common/editor": {
+ "sideBySideLabels": "{0} — {1}",
+ "preview": "{0}, podgląd",
+ "pinned": "{0}, przypięty"
+ },
+ "vs/workbench/common/views": {
+ "testViewIcon": "Wyświetl ikonę widoku testów.",
+ "defaultViewIcon": "Ikona widoku domyślnego.",
+ "duplicateId": "Widok o identyfikatorze „{0}” jest już zarejestrowany"
+ },
+ "vs/workbench/api/common/extHostExtensionService": {
+ "extensionTestError": "Ścieżka {0} nie wskazuje prawidłowego modułu uruchamiającego testy rozszerzenia."
+ },
+ "vs/workbench/api/common/extHostTerminalService": {
+ "launchFail.idMissingOnExtHost": "Nie można odnaleźć terminalu z identyfikatorem {0} na hoście rozszerzeń"
+ },
+ "vs/workbench/api/common/extHostWorkspace": {
+ "updateerror": "Rozszerzenie „{0}” nie może zaktualizować folderów obszaru roboczego: {1}"
+ },
+ "vs/workbench/browser/workbench.contribution": {
+ "workbench.editor.titleScrollbarSizing.default": "Rozmiar domyślny.",
+ "workbench.editor.titleScrollbarSizing.large": "Zwiększa rozmiar, dzięki czemu można go łatwiej chwycić za pomocą myszy",
+ "tabScrollbarHeight": "Określa wysokość pasków przewijania używanych dla kart i linków do stron nadrzędnych w obszarze tytułu edytora.",
+ "showEditorTabs": "Określa, czy otwarte edytory powinny być wyświetlane na kartach.",
+ "scrollToSwitchTabs": "Określa, czy przewijanie nad kartami powoduje ich otwieranie. Domyślnie karty są jedynie odkrywane podczas przewijania, ale nie są otwierane. Możesz nacisnąć klawisz Shift podczas przewijania, aby tymczasowo zmienić to zachowanie. Ta wartość jest ignorowana, jeśli ustawienie „#workbench.editor.showTabs#” ma wartość „false”.",
+ "highlightModifiedTabs": "Określa, czy górna krawędź jest rysowana w przypadku kart edytorów ze zmodyfikowaną zawartością. Ta wartość jest ignorowana, jeśli ustawienie „#workbench.editor.showTabs#” ma wartość „false”.",
+ "workbench.editor.labelFormat.default": "Pokaż nazwę pliku. Gdy karty są włączone, a dwa pliki mają taką samą nazwę w jednej grupie, dodawane są wyróżniające sekcje ścieżki każdego pliku. Gdy karty są wyłączone, ścieżka względem folderu obszaru roboczego jest wyświetlana, jeśli edytor jest aktywny.",
+ "workbench.editor.labelFormat.short": "Pokaż nazwę pliku, po której następuje nazwa jego katalogu.",
+ "workbench.editor.labelFormat.medium": "Pokaż nazwę pliku, po której następuje jego ścieżka względem folderu obszaru roboczego.",
+ "workbench.editor.labelFormat.long": "Pokaż nazwę pliku, po której następuje jego ścieżka bezwzględna.",
+ "tabDescription": "Steruje formatem etykiety dla edytora.",
+ "workbench.editor.untitled.labelFormat.content": "Nazwa pliku bez tytułu pochodzi od zawartości jego pierwszego wiersza, chyba że ma on skojarzoną ścieżkę pliku. Będzie ona nazwą rezerwową w przypadku, gdy wiersz jest pusty lub nie zawiera żadnych znaków wyrazu.",
+ "workbench.editor.untitled.labelFormat.name": "Nazwa pliku bez tytułu nie pochodzi od zawartości pliku.",
+ "untitledLabelFormat": "Steruje formatem etykiety dla edytora bez tytułu.",
+ "editorTabCloseButton": "Steruje położeniem przycisków zamykania kart edytora lub wyłącza je (w przypadku ustawienia wartości „off”). Ta wartość jest ignorowana, jeśli ustawienie „#workbench.editor.showTabs#” ma wartość „false”.",
+ "workbench.editor.tabSizing.fit": "Zawsze zachowuj karty dostatecznie duże, aby wyświetlić pełną etykietę edytora.",
+ "workbench.editor.tabSizing.shrink": "Zezwalaj na zmniejszanie kart, gdy dostępne miejsce nie wystarcza do wyświetlenia wszystkich kart jednocześnie.",
+ "tabSizing": "Steruje rozmiarem kart edytorów. Ta wartość jest ignorowana, jeśli ustawienie „#workbench.editor.showTabs#” ma wartość „false”.",
+ "workbench.editor.pinnedTabSizing.normal": "Przypięta karta dziedziczy wygląd kart, które nie są przypięte.",
+ "workbench.editor.pinnedTabSizing.compact": "Przypięta karta będzie wyświetlana w postaci kompaktowej jedynie z ikoną lub pierwszą literą nazwy edytora.",
+ "workbench.editor.pinnedTabSizing.shrink": "Przypięta karta jest zmniejszana do kompaktowego, stałego rozmiaru, w którym są widoczne tylko fragmenty nazwy edytora.",
+ "pinnedTabSizing": "Steruje rozmiarem przypiętych kart edytorów. Przypięte karty są umieszczane na początku wszystkich otwartych kart i zazwyczaj nie są zamykane do czasu odpięcia. Ta wartość jest ignorowana, jeśli ustawienie „#workbench.editor.showTabs#” ma wartość „false”.",
+ "workbench.editor.splitSizingDistribute": "Dzieli wszystkie grupy edytorów na równe części.",
+ "workbench.editor.splitSizingSplit": "Dzieli aktywną grupę edytorów na równe części.",
+ "splitSizing": "Steruje ustalaniem rozmiaru grup edytorów podczas ich dzielenia.",
+ "splitOnDragAndDrop": "Określa, czy grupy edytorów mogą być oddzielane za pomocą operacji przeciągania i upuszczania przez upuszczenie edytora lub pliku na krawędziach obszaru edytora.",
+ "focusRecentEditorAfterClose": "Określa, czy karty mają być zamykane w kolejności od ostatnio używanej, czy od lewej do prawej.",
+ "showIcons": "Określa, czy otwarte edytory powinny być wyświetlane z ikoną. Wymaga to również włączenia motywu ikon plików.",
+ "enablePreview": "Określa, czy otwarte edytory są wyświetlane w trybie podglądu. Edytory w trybie podglądu nie są zachowywane w stanie otwartym i są ponownie używane do czasu, aż zostaną jawnie ustawione na pozostawanie w stanie otwartym (np. przez dwukrotne kliknięcie lub edycję), a ich zawartość jest wyświetlana kursywą.",
+ "enablePreviewFromQuickOpen": "Określa, czy edytory otwarte z paska Szybkie otwieranie są pokazywane jako podgląd. Edytory w trybie podglądu nie są zachowywane w stanie otwartym i są ponownie używane do czasu, aż zostaną jawnie ustawione na pozostawanie w stanie otwartym (np. przez dwukrotne kliknięcie lub edycję).",
+ "closeOnFileDelete": "Steruje, czy edytory wyświetlające plik, który został otwarty podczas sesji, powinny być zamykane automatycznie po usunięciu lub zmianie nazwy przez inny proces. Wyłączenie tej opcji spowoduje, że edytor pozostanie otwarty po takim zdarzeniu. Pamiętaj, że usunięcie z poziomu aplikacji będzie zawsze powodować zamknięcie edytora i że zmodyfikowane pliki nie będą nigdy zamykane w celu zachowania danych.",
+ "editorOpenPositioning": "Steruje miejscem otwierania edytorów. Wybierz opcję „left” lub „right”, aby otwierać edytory na lewo lub prawo od aktualnie aktywnego edytora. Wybierz opcję „first” lub „last”, aby otwierać edytory niezależnie od aktualnie aktywnego edytora.",
+ "sideBySideDirection": "Określa domyślny kierunek edytorów, które są otwierane obok siebie (np. z eksploratora). Domyślnie edytory będą otwierane po prawej stronie aktualnie aktywnego. W przypadku zmiany tego ustawienia na wartość „down” („w dół”) edytory będą otwierane poniżej aktualnie aktywnego.",
+ "closeEmptyGroups": "Steruje zachowaniem pustych grup edytora, gdy ostatnia karta w grupie zostanie zamknięta. Po włączeniu puste grupy będą automatycznie zamykane. Po wyłączeniu puste grupy pozostaną częścią siatki.",
+ "revealIfOpen": "Określa, czy edytor jest ujawniany w dowolnej z widocznych grup, jeśli jest otwarty. Jeśli ta opcja zostanie wyłączona, edytor będzie preferował otwarcie w aktualnie aktywnej grupie edytorów. Jeśli ta opcja zostanie włączona, już otwarty edytor będzie ujawniany, a nie ponownie otwierany, w aktualnie aktywnej grupie edytorów. Należy zauważyć, że w niektórych przypadkach to ustawienie jest ignorowane, na przykład podczas wymuszania otwarcia edytora w określonej grupie lub obok aktualnie aktywnej grupy.",
+ "mouseBackForwardToNavigate": "Nawiguj między otwartymi plikami za pomocą czwartego i piątego przycisku myszy, jeśli są dostępne.",
+ "restoreViewState": "Przywraca ostatni stan widoku (np. pozycję przewijania) podczas ponownego otwierania edytorów tekstowych po ich zamknięciu.",
+ "centeredLayoutAutoResize": "Określa, czy układ wyśrodkowany powinien automatycznie zmieniać rozmiar na maksymalną szerokość, gdy otwarta jest więcej niż jedna grupa. Gdy będzie otwarta tylko jedna grupa, jej rozmiar zostanie zmieniony z powrotem na oryginalnie wyśrodkowaną szerokość.",
+ "limitEditorsEnablement": "Określa, czy liczba otwartych edytorów powinna być ograniczona. Gdy ta funkcja jest włączona, rzadziej używane edytory, których zawartość nie została zmodyfikowana, zostaną zamknięte, aby zwolnić miejsce na nowo otwierane edytory.",
+ "limitEditorsMaximum": "Kontroluje maksymalną liczbę otwartych edytorów. Użyj ustawienia „#workbench.editor.limit.perEditorGroup#”, aby kontrolować ten limit dla grupy edytora lub wszystkich grup.",
+ "perEditorGroup": "Określa, czy limit maksymalnej liczby otwartych edytorów powinien być stosowany do każdej grupy edytorów, czy wszystkich grup edytorów.",
+ "commandHistory": "Steruje liczbą ostatnio używanych poleceń do przechowywania w historii dla palety poleceń. Aby wyłączyć historię poleceń, należy ustawić wartość 0.",
+ "preserveInput": "Określa, czy ostatnie wpisane dane wejściowe do palety poleceń powinny zostać przywrócone podczas następnego otwarcia.",
+ "closeOnFocusLost": "Określa, czy szybkie otwieranie powinno być automatycznie zamykane po utracie fokusu.",
+ "workbench.quickOpen.preserveInput": "Określa, czy ostatnie wpisane dane wejściowe do szybkiego otwierania powinny zostać przywrócone podczas następnego otwarcia.",
+ "openDefaultSettings": "Określa, czy otwarcie powoduje również otwarcie edytora wyświetlającego wszystkie ustawienia domyślne.",
+ "useSplitJSON": "Określa, czy podczas edytowania ustawień jako JSON ma być używany edytor JSON.",
+ "openDefaultKeybindings": "Określa, czy otwarcie ustawień przypisań klawiszy powoduje również otwarcie edytora wyświetlającego wszystkie domyślne powiązania klawiszy.",
+ "sideBarLocation": "Kontroluje położenie paska bocznego i paska aktywności. Mogą one być wyświetlane po lewej lub po prawej stronie pulpitu.",
+ "panelDefaultLocation": "Określa domyślną lokalizację panelu (terminal, konsola debugowania, wyjście, problemy). Panel może być wyświetlany na dole, po prawej stronie lub po lewej stronie pulpitu.",
+ "panelOpensMaximized": "Określa, czy panel jest otwierany jako zmaksymalizowany. Panel może być zawsze otwierany jako zmaksymalizowany, nigdy nie być otwierany jako zmaksymalizowany lub być otwierany w takim samym stanie, w jakim go ostatnio zamknięto.",
+ "workbench.panel.opensMaximized.always": "Zawsze maksymalizuj panel przy jego otwieraniu.",
+ "workbench.panel.opensMaximized.never": "Nigdy nie maksymalizuj panelu przy jego otwieraniu. Panel zostanie otwarty z przywróconym rozmiarem.",
+ "workbench.panel.opensMaximized.preserve": "Otwórz panel w stanie, w którym znajdował się przed zamknięciem.",
+ "statusBarVisibility": "Steruje widocznością paska stanu u dołu pulpitu.",
+ "activityBarVisibility": "Steruje widocznością paska działań w środowisku roboczym.",
+ "activityBarIconClickBehavior": "Steruje działaniem kliknięcia ikony na pasku działań w środowisku roboczym.",
+ "workbench.activityBar.iconClickBehavior.toggle": "Ukryj pasek boczny, jeśli kliknięty element jest już widoczny.",
+ "workbench.activityBar.iconClickBehavior.focus": "Przenieś fokus do paska bocznego, jeśli kliknięty element jest już widoczny.",
+ "viewVisibility": "Steruje widocznością akcji nagłówka widoku. Akcje nagłówka widoku mogą być zawsze widoczne lub widoczne tylko wtedy, gdy fokus jest przeniesiony do tego widoku lub po umieszczeniu wskaźnika myszy nad tym widokiem.",
+ "fontAliasing": "Steruje metodą aliasowania czcionek w środowisku roboczym.",
+ "workbench.fontAliasing.default": "Wygładzanie podpikselowe czcionek. Na większości wyświetlaczy innych niż Retina zapewni to najostrzejszy tekst.",
+ "workbench.fontAliasing.antialiased": "Wygładzanie czcionek na poziomie piksela, w przeciwieństwie do wygładzania podpikselowego. Może spowodować, że czcionka będzie ogólnie jaśniejsza.",
+ "workbench.fontAliasing.none": "Wyłącza wygładzanie czcionek. Tekst będzie wyświetlany z postrzępionymi, ostrymi krawędziami.",
+ "workbench.fontAliasing.auto": "Automatycznie stosuje ustawienie „default” lub „antialiased” na podstawie rozdzielczości DPI ekranów.",
+ "settings.editor.ui": "Użyj edytora ustawień interfejsu użytkownika.",
+ "settings.editor.json": "Użyj edytora plików JSON.",
+ "settings.editor.desc": "Określa, który edytor ustawień ma być używany domyślnie.",
+ "windowTitle": "Steruje tytułem okna na podstawie aktywnego edytora. Zmienne są zastępowane na podstawie kontekstu:",
+ "activeEditorShort": "„${activeEditorShort}”: Nazwa pliku (np. myFile.txt).",
+ "activeEditorMedium": "„${activeEditorMedium}”: Ścieżka pliku względem folderu obszaru roboczego (np. myFolder/myFileFolder/myFile.txt).",
+ "activeEditorLong": "„${activeEditorLong}”: Pełna ścieżka pliku (np./Users/Development/myFolder/myFileFolder/myFile.txt).",
+ "activeFolderShort": "„${activeFolderShort}”: Nazwa folderu, w którym znajduje się plik (np. myFileFolder).",
+ "activeFolderMedium": "„${activeFolderMedium}”: Ścieżka folderu, w którym znajduje się plik, względem folderu obszaru roboczego (np. myFolder/myFileFolder).",
+ "activeFolderLong": "„${activeFolderLong}”: Pełna ścieżka folderu, w którym znajduje się plik (np./Users/Development/myFolder/myFileFolder).",
+ "folderName": "„${folderName}”: Nazwa folderu obszaru roboczego, w którym znajduje się plik (np. myFolder).",
+ "folderPath": "„${folderPath}”: Ścieżka pliku folderu obszaru roboczego, w którym zawarty jest plik (np./Users/Development/myFolder).",
+ "rootName": "„${rootName}”: nazwa obszaru roboczego (np. myFolder lub myWorkspace).",
+ "rootPath": "„${rootPath}”: ścieżka pliku obszaru roboczego (np. /Users/Development/myWorkspace).",
+ "appName": "„${appName}”: Na przykład VS Code.",
+ "remoteName": "„${remoteName}”: np. SSH",
+ "dirty": "„${dirty}ֲ”: Wskaźnik modyfikacji, wskazujący zmodyfikowanie zawartości aktywnego edytora.",
+ "separator": "„${separator}”: separator warunkowy („-”), który jest wyświetlany tylko w otoczeniu zmiennych z wartościami lub tekstem statycznym.",
+ "windowConfigurationTitle": "Okno",
+ "window.titleSeparator": "Separator używany przez element „window.title”.",
+ "window.menuBarVisibility.default": "Menu jest ukryte w trybie pełnoekranowym.",
+ "window.menuBarVisibility.visible": "Menu jest zawsze widoczne, nawet w trybie pełnoekranowym.",
+ "window.menuBarVisibility.toggle": "Menu jest ukryte, ale można je wyświetlić za pomocą klawisza Alt.",
+ "window.menuBarVisibility.hidden": "Menu jest zawsze ukryte.",
+ "window.menuBarVisibility.compact": "Menu jest wyświetlane jako kompaktowy przycisk na pasku bocznym. Ta wartość jest ignorowana, jeśli ustawienie „#window.titleBarStyle#” ma wartość „native”.",
+ "menuBarVisibility": "Ustawienie „toggle” oznacza, że pasek menu jest ukryty i można go wyświetlić przez pojedyncze naciśnięcie klawisza Alt. Domyślnie pasek menu będzie widoczny, chyba że okno jest w trybie pełnoekranowym.",
+ "enableMenuBarMnemonics": "Określa, czy menu główne można otwierać za pomocą skrótów z klawiszem Alt. Wyłączenie mnemoników umożliwia powiązanie tych skrótów z klawiszem Alt z poleceniami edytora.",
+ "customMenuBarAltFocus": "Określa, czy pasek menu będzie uzyskiwać fokus po naciśnięciu klawisza Alt. To ustawienie nie ma wpływu na przełączanie paska menu przy użyciu klawisza Alt.",
+ "window.openFilesInNewWindow.on": "Pliki będą otwierane w nowym oknie.",
+ "window.openFilesInNewWindow.off": "Pliki zostaną otwarte w oknie z otwartym folderem plików lub w ostatnim aktywnym oknie.",
+ "window.openFilesInNewWindow.defaultMac": "Pliki zostaną otwarte w oknie z otwartym folderem plików lub w ostatnim aktywnym oknie, chyba że zostaną otwarte za pomocą doku lub programu Finder.",
+ "window.openFilesInNewWindow.default": "Pliki będą otwierane w nowym oknie, chyba że zostaną wybrane z poziomu aplikacji (np. za pomocą menu Plik).",
+ "openFilesInNewWindowMac": "Określa, czy pliki mają być otwierane w nowym oknie. \r\nNależy pamiętać, że w nadal mogą istnieć przypadki, w których to ustawienie będzie ignorowane (np. w przypadku używania opcji wiersza polecenia „--new-window” lub „--reuse-window”).",
+ "openFilesInNewWindow": "Określa, czy pliki mają być otwierane w nowym oknie.\r\nNależy pamiętać, że nadal mogą istnieć przypadki, w których to ustawienie będzie ignorowane (np. w przypadku używania opcji wiersza polecenia „--new-window” lub „--reuse-window”).",
+ "window.openFoldersInNewWindow.on": "Foldery będą otwierane w nowym oknie.",
+ "window.openFoldersInNewWindow.off": "Foldery zastąpią ostatnie aktywne okno.",
+ "window.openFoldersInNewWindow.default": "Foldery będą otwierane w nowym oknie, chyba że folder zostanie wybrany z poziomu aplikacji (np. za pomocą menu Plik).",
+ "openFoldersInNewWindow": "Określa, czy pliki powinny być otwierane w nowym oknie, czy też zastępować ostatnie aktywne okno.\r\nNależy pamiętać, że nadal mogą istnieć przypadki, w których to ustawienie będzie ignorowane (np. w przypadku używania opcji wiersza polecenia „--new-window” lub „--reuse-window”).",
+ "window.confirmBeforeClose.always": "Zawsze próbuj monitować o potwierdzenie. Pamiętaj, że przeglądarki mogą nadal zadecydować o zamknięciu karty lub okna bez potwierdzenia.",
+ "window.confirmBeforeClose.keyboardOnly": "Pytaj o potwierdzenie tylko po wykryciu powiązania klawiszy. Pamiętaj, że w niektórych przypadkach wykrywanie może być niemożliwe.",
+ "window.confirmBeforeClose.never": "Nigdy nie pytaj jawnie o potwierdzenie, chyba że utrata danych jest bliska.",
+ "confirmBeforeCloseWeb": "Kontroluje, czy pokazywać okno dialogowe potwierdzenia przed zamknięciem karty lub okna przeglądarki. Pamiętaj, że nawet jeśli ta opcja zostanie włączona, przeglądarki mogą nadal zadecydować o zamknięciu karty lub okna bez potwierdzenia i że to ustawienie będzie tylko wskazówką, która może nie działać we wszystkich przypadkach.",
+ "zenModeConfigurationTitle": "Tryb Zen",
+ "zenMode.fullScreen": "Określa, czy włączenie trybu Zen powoduje również przejście środowiska roboczego w tryb pełnoekranowy.",
+ "zenMode.centerLayout": "Określa, czy włączenie trybu Zen powoduje również wyśrodkowanie układu.",
+ "zenMode.hideTabs": "Określa, czy włączenie trybu Zen powoduje również ukrycie kart środowiska roboczego.",
+ "zenMode.hideStatusBar": "Określa, czy włączenie trybu Zen powoduje również ukrycie paska stanu po lewej lub prawej stronie środowiska roboczego.",
+ "zenMode.hideActivityBar": "Określa, czy włączenie trybu Zen powoduje również ukrycie paska aktywności po lewej lub prawej stronie środowiska roboczego.",
+ "zenMode.hideLineNumbers": "Określa, czy włączenie trybu Zen powoduje również ukrycie numerów wierszy edytora.",
+ "zenMode.restore": "Określa, czy okno ma zostać przywrócone do trybu Zen, jeśli zostało zamknięte w trybie Zen.",
+ "zenMode.silentNotifications": "Określa, czy w trybie Zen są wyświetlane powiadomienia. Jeśli to ustawienie ma wartość true, tylko powiadomienia o błędach będą wyświetlane."
+ },
+ "vs/workbench/browser/actions/textInputActions": {
+ "undo": "Cofnij",
+ "redo": "Ponów",
+ "cut": "Wytnij",
+ "copy": "Kopiuj",
+ "paste": "Wklej",
+ "selectAll": "Wybierz wszystkie"
+ },
+ "vs/workbench/browser/actions/developerActions": {
+ "inspect context keys": "Inspekcja kluczy kontekstu",
+ "toggle screencast mode": "Przełącz tryb prezentacji ekranu",
+ "logStorage": "Rejestruj zawartość bazy danych magazynu",
+ "logWorkingCopies": "Rejestruj kopie robocze",
+ "screencastModeConfigurationTitle": "Tryb prezentacji ekranu",
+ "screencastMode.location.verticalPosition": "Określa przesunięcie pionowe nakładki trybu prezentacji ekranu (od dołu) jako procent wysokości środowiska roboczego.",
+ "screencastMode.fontSize": "Kontroluje rozmiar czcionki (w pikselach) klawiatury trybu prezentacji ekranu.",
+ "screencastMode.onlyKeyboardShortcuts": "Pokazuj skróty klawiaturowe tylko w trybie prezentacji ekranu.",
+ "screencastMode.keyboardOverlayTimeout": "Określa, jak długo (w milisekundach) nakładka klawiatury jest wyświetlana w trybie prezentacji ekranu.",
+ "screencastMode.mouseIndicatorColor": "Steruje kolorem w notacji szesnastkowej (#RGB, #RGBA, #RRGGBB lub #RRGGBBAA) wskaźnika myszy w trybie prezentacji ekranu.",
+ "screencastMode.mouseIndicatorSize": "Kontroluje rozmiar (w pikselach) wskaźnika myszy w trybie prezentacji ekranu."
+ },
+ "vs/workbench/browser/actions/helpActions": {
+ "keybindingsReference": "Skróty klawiaturowe",
+ "openDocumentationUrl": "Dokumentacja",
+ "openIntroductoryVideosUrl": "Wideo wprowadzające",
+ "openTipsAndTricksUrl": "Porady i wskazówki",
+ "newsletterSignup": "Zarejestruj się, aby otrzymywać biuletyn programu VS Code",
+ "openTwitterUrl": "Dołącz do nas w serwisie Twitter",
+ "openUserVoiceUrl": "Wyszukaj żądania funkcji",
+ "openLicenseUrl": "Wyświetl licencję",
+ "openPrivacyStatement": "Oświadczenie o ochronie prywatności",
+ "miDocumentation": "&&Dokumentacja",
+ "miKeyboardShortcuts": "&&Skróty klawiaturowe",
+ "miIntroductoryVideos": "&&Wideo wprowadzające",
+ "miTipsAndTricks": "Porady i &&wskazówki",
+ "miTwitter": "&&Dołącz do nas w serwisie Twitter",
+ "miUserVoice": "&&Wyszukaj żądania funkcji",
+ "miLicense": "Wyświetl &&licencję",
+ "miPrivacyStatement": "Oświadczenie o &&ochronie prywatności"
+ },
+ "vs/workbench/browser/actions/layoutActions": {
+ "closeSidebar": "Zamknij pasek boczny",
+ "toggleActivityBar": "Przełącz widoczność paska aktywności",
+ "miShowActivityBar": "Pokaż &&pasek aktywności",
+ "toggleCenteredLayout": "Przełącz układ wyśrodkowany",
+ "miToggleCenteredLayout": "&&Układ wyśrodkowany",
+ "flipLayout": "Przełącz układ edytora na pionowy/poziomy",
+ "miToggleEditorLayout": "Przerzuć &&układ",
+ "toggleSidebarPosition": "Przełącz położenie paska bocznego",
+ "moveSidebarRight": "Przenieś pasek boczny w prawo",
+ "moveSidebarLeft": "Przenieś pasek boczny w lewo",
+ "miMoveSidebarRight": "&&Przenieś pasek boczny w prawo",
+ "miMoveSidebarLeft": "&&Przenieś pasek boczny w lewo",
+ "toggleEditor": "Przełącz widoczność obszaru edytora",
+ "miShowEditorArea": "Pokaż &&obszar edytora",
+ "toggleSidebar": "Przełącz widoczność paska bocznego",
+ "miAppearance": "&&Wygląd",
+ "miShowSidebar": "Pokaż &&pasek boczny",
+ "toggleStatusbar": "Przełącz widoczność paska stanu",
+ "miShowStatusbar": "Pokaż pasek s&&tanu",
+ "toggleTabs": "Przełącz widoczność kart",
+ "toggleZenMode": "Przełącz tryb Zen",
+ "miToggleZenMode": "Tryb Zen",
+ "toggleMenuBar": "Przełącz pasek menu",
+ "miShowMenuBar": "Pokaż pasek &&menu",
+ "resetViewLocations": "Resetuj lokalizacje widoków",
+ "moveView": "Przenieś widok",
+ "sidebarContainer": "Pasek boczny / {0}",
+ "panelContainer": "Panel / {0}",
+ "moveFocusedView.selectView": "Wybierz widok do przeniesienia",
+ "moveFocusedView": "Przenieś widok z fokusem",
+ "moveFocusedView.error.noFocusedView": "Aktualnie nie ma widoku z fokusem.",
+ "moveFocusedView.error.nonMovableView": "Widoku, w którym aktualnie znajduje się fokus, nie można przenieść.",
+ "moveFocusedView.selectDestination": "Wybierz miejsce docelowe dla widoku",
+ "moveFocusedView.title": "Widok: przenieś {0}",
+ "moveFocusedView.newContainerInPanel": "Nowy wpis panelu",
+ "moveFocusedView.newContainerInSidebar": "Nowy wpis paska bocznego",
+ "sidebar": "Pasek boczny",
+ "panel": "Panel",
+ "resetFocusedViewLocation": "Resetuj lokalizację widoku z fokusem",
+ "resetFocusedView.error.noFocusedView": "Aktualnie nie ma widoku z fokusem.",
+ "increaseViewSize": "Zwiększ rozmiar bieżącego widoku",
+ "increaseEditorWidth": "Zwiększ szerokość edytora",
+ "increaseEditorHeight": "Zwiększ wysokość edytora",
+ "decreaseViewSize": "Zmniejsz rozmiar bieżącego widoku",
+ "decreaseEditorWidth": "Zmniejsz szerokość edytora",
+ "decreaseEditorHeight": "Zmniejsz wysokość edytora"
+ },
+ "vs/workbench/browser/actions/navigationActions": {
+ "navigateLeft": "Przejdź do widoku po lewej stronie",
+ "navigateRight": "Przejdź do widoku po prawej stronie",
+ "navigateUp": "Przejdź do widoku powyżej",
+ "navigateDown": "Przejdź do widoku poniżej",
+ "focusNextPart": "Przenieś fokus do następnej części",
+ "focusPreviousPart": "Przenieś fokus do poprzedniej części"
+ },
+ "vs/workbench/browser/actions/windowActions": {
+ "remove": "Usuń z ostatnio otwartych",
+ "dirtyRecentlyOpened": "Obszar roboczy ze zmodyfikowanymi plikami",
+ "workspaces": "obszary robocze",
+ "files": "pliki",
+ "openRecentPlaceholderMac": "Wybierz, aby otworzyć (przytrzymaj klawisz Cmd, aby wymusić nowe okno, lub klawisz Alt, aby użyć tego samego okna)",
+ "openRecentPlaceholder": "Wybierz, aby otworzyć (przytrzymaj klawisz Ctrl, aby wymusić nowe okno, lub klawisz Alt, aby użyć tego samego okna)",
+ "dirtyWorkspace": "Obszar roboczy ze zmodyfikowanymi plikami",
+ "dirtyWorkspaceConfirm": "Czy chcesz otworzyć obszar roboczy, aby przejrzeć zmodyfikowane pliki?",
+ "dirtyWorkspaceConfirmDetail": "Obszarów roboczych ze zmodyfikowanymi plikami nie można usunąć, dopóki wszystkie zmodyfikowane pliki nie zostaną zapisane lub przywrócone.",
+ "recentDirtyAriaLabel": "{0}, obszar roboczy ze zmodyfikowaną zawartością",
+ "openRecent": "Otwórz ostatnie...",
+ "quickOpenRecent": "Szybkie otwieranie ostatnich...",
+ "toggleFullScreen": "Przełącz widok pełnoekranowy",
+ "reloadWindow": "Załaduj ponownie okno",
+ "about": "Informacje",
+ "newWindow": "Nowe okno",
+ "blur": "Usuń fokus klawiatury z elementu mającego fokus",
+ "file": "Plik",
+ "miConfirmClose": "Potwierdź przed zamknięciem",
+ "miNewWindow": "Nowe &&okno",
+ "miOpenRecent": "Otwórz &&ostatnie",
+ "miMore": "&&Więcej...",
+ "miToggleFullScreen": "&&Pełny ekran",
+ "miAbout": "&&Informacje"
+ },
+ "vs/workbench/browser/actions/workspaceActions": {
+ "openFile": "Otwórz plik...",
+ "openFolder": "Otwórz folder...",
+ "openFileFolder": "Otwórz...",
+ "openWorkspaceAction": "Otwórz obszar roboczy...",
+ "closeWorkspace": "Zamknij obszar roboczy",
+ "noWorkspaceOpened": "Obecnie nie ma żadnego obszaru roboczego otwartego w tym wystąpieniu do zamknięcia.",
+ "openWorkspaceConfigFile": "Otwórz plik konfiguracji obszaru roboczego",
+ "globalRemoveFolderFromWorkspace": "Usuń folder z obszaru roboczego...",
+ "saveWorkspaceAsAction": "Zapisz obszar roboczy jako...",
+ "duplicateWorkspaceInNewWindow": "Duplikuj obszar roboczy w nowym oknie",
+ "workspaces": "Obszary robocze",
+ "miAddFolderToWorkspace": "Do&&daj folder do obszaru roboczego...",
+ "miSaveWorkspaceAs": "Zapisz obszar roboczy jako...",
+ "miCloseFolder": "Zamknij &&folder",
+ "miCloseWorkspace": "Zamknij &&obszar roboczy"
+ },
+ "vs/workbench/browser/actions/workspaceCommands": {
+ "addFolderToWorkspace": "Dodaj folder do obszaru roboczego...",
+ "add": "&&Dodaj",
+ "addFolderToWorkspaceTitle": "Dodawanie folderu do obszaru roboczego",
+ "workspaceFolderPickerPlaceholder": "Wybierz folder obszaru roboczego"
+ },
+ "vs/workbench/browser/actions/quickAccessActions": {
+ "quickOpen": "Przejdź do pliku...",
+ "quickNavigateNext": "Nawiguj dalej w szybkim otwieraniu",
+ "quickNavigatePrevious": "Nawiguj wstecz w szybkim otwieraniu",
+ "quickSelectNext": "Wybierz następny w szybkim otwieraniu",
+ "quickSelectPrevious": "Wybierz poprzedni w szybkim otwieraniu"
+ },
+ "vs/workbench/api/common/menusExtensionPoint": {
+ "menus.commandPalette": "Paleta poleceń",
+ "menus.touchBar": "Pasek Touch Bar (tylko system macOS)",
+ "menus.editorTitle": "Menu tytułowe edytora",
+ "menus.editorContext": "Menu kontekstowe edytora",
+ "menus.explorerContext": "Menu kontekstowe eksploratora plików",
+ "menus.editorTabContext": "Menu kontekstowe kart edytora",
+ "menus.debugCallstackContext": "Menu kontekstowe widoku stosu wywołań debugera",
+ "menus.debugVariablesContext": "Menu kontekstowe widoku zmiennych debugowania",
+ "menus.debugToolBar": "Menu paska narzędzi debugowania",
+ "menus.file": "Menu pliku najwyższego poziomu",
+ "menus.home": "Menu kontekstowe wskaźnika elementu głównego (tylko Internet)",
+ "menus.scmTitle": "Menu tytułowe kontroli źródła",
+ "menus.scmSourceControl": "Menu kontroli źródła",
+ "menus.resourceGroupContext": "Menu kontekstowe grupy zasobów kontroli źródła",
+ "menus.resourceStateContext": "Menu kontekstowe stanu zasobów kontroli źródła",
+ "menus.resourceFolderContext": "Menu kontekstowe folderu zasobów kontroli źródła",
+ "menus.changeTitle": "Menu zmiany inline kontroli źródła",
+ "menus.statusBarWindowIndicator": "Menu wskaźnika okna na pasku stanu",
+ "view.viewTitle": "Menu tytułowe dodanego widoku",
+ "view.itemContext": "Menu kontekstowe dodanego elementu widoku",
+ "commentThread.title": "Menu tytułowe dodanego wątku komentarzy",
+ "commentThread.actions": "Menu kontekstowe dodanego wątku komentarzy, renderowane jako przyciski poniżej edytora komentarzy",
+ "comment.title": "Menu tytułowe dodanego komentarza",
+ "comment.actions": "Menu kontekstowe dodanego komentarza, renderowane jako przyciski poniżej edytora komentarzy",
+ "notebook.cell.title": "Menu tytułowe dodanej komórki notesu",
+ "menus.extensionContext": "Menu kontekstowe rozszerzenia",
+ "view.timelineTitle": "Menu tytułowe widoku osi czasu",
+ "view.timelineContext": "Menu kontekstowe elementu widoku osi czasu",
+ "requirestring": "właściwość `{0}` jest wymagana i musi być ciągiem znaków",
+ "optstring": "właściwość `{0}` może zostać pominięta albo musi być ciągiem znaków",
+ "requirearray": "elementy podmenu muszą być tablicą",
+ "require": "elementy podmenu muszą być obiektem",
+ "vscode.extension.contributes.menuItem.command": "Identyfikator polecenia do wykonania. Polecenie musi być zadeklarowane w sekcji „commands”",
+ "vscode.extension.contributes.menuItem.alt": "Identyfikator polecenia alternatywnego do wykonania. Polecenie musi być zadeklarowane w sekcji „commands”",
+ "vscode.extension.contributes.menuItem.when": "Warunek, który musi być spełniony, aby wyświetlić ten element",
+ "vscode.extension.contributes.menuItem.group": "Grupa, do której należy ten element",
+ "vscode.extension.contributes.menuItem.submenu": "Identyfikator podmenu do wyświetlenia w tym elemencie.",
+ "vscode.extension.contributes.submenu.id": "Identyfikator menu, które ma być wyświetlane jako podmenu.",
+ "vscode.extension.contributes.submenu.label": "Etykieta elementu menu, który prowadzi do tego podmenu.",
+ "vscode.extension.contributes.submenu.icon": "(Opcjonalnie) Ikona używana do reprezentowania podmenu w interfejsie użytkownika. Ścieżka pliku, obiekt ze ścieżkami plików dla motywu ciemnego i jasnego lub odwołania do ikony motywu, takie jak „\\$(zap)”",
+ "vscode.extension.contributes.submenu.icon.light": "Ścieżka do ikony gdy używany jest jasny motyw",
+ "vscode.extension.contributes.submenu.icon.dark": "Ścieżka do ikony gdy używany jest ciemny motyw",
+ "vscode.extension.contributes.menus": "Dodaje elementy menu do edytora",
+ "proposed": "Proponowany interfejs API",
+ "vscode.extension.contributes.submenus": "(Proponowany interfejs API) Wnosi elementy podmenu do edytora",
+ "nonempty": "oczekiwano niepustej wartości.",
+ "opticon": "właściwość „icon” może zostać pominięta lub musi być ciągiem lub literałem, takim jak „{ciemny, jasny}”",
+ "requireStringOrObject": "Właściwość „{0}” jest obowiązkowa i musi być typu „string” lub „object”",
+ "requirestrings": "właściwości „{0}” i „{1}” są obowiązkowe i muszą być typu „string”",
+ "vscode.extension.contributes.commandType.command": "Identyfikator polecenia do wykonania",
+ "vscode.extension.contributes.commandType.title": "Tytuł, za pomocą którego polecenie jest reprezentowane w interfejsie użytkownika",
+ "vscode.extension.contributes.commandType.category": "(Opcjonalnie) Ciąg kategorii, według którego polecenie jest grupowane w interfejsie użytkownika",
+ "vscode.extension.contributes.commandType.precondition": "(Opcjonalnie) Warunek, który musi być spełniony, aby włączyć polecenie w interfejsie użytkownika (menu i powiązania klawiszy). Nie uniemożliwia wykonywania polecenia za pomocą innych środków, takich jak `executeCommand`-api.",
+ "vscode.extension.contributes.commandType.icon": "(Opcjonalnie) Ikona używana do reprezentowania polecenia w interfejsie użytkownika. Ścieżka pliku, obiekt ze ścieżkami plików dla motywu ciemnego i jasnego lub odwołania do ikony motywu, takie jak „\\$(zap)”",
+ "vscode.extension.contributes.commandType.icon.light": "Ścieżka ikony, gdy jest używany motyw jasny",
+ "vscode.extension.contributes.commandType.icon.dark": "Ścieżka ikony, gdy jest używany motyw ciemny",
+ "vscode.extension.contributes.commands": "Dodaje polecenia do palety poleceń.",
+ "dup": "Polecenie „{0}” występuje wiele razy w sekcji „commands”.",
+ "submenuId.invalid.id": "„{0}” nie jest prawidłowym identyfikatorem podmenu",
+ "submenuId.duplicate.id": "Podmenu „{0}” zostało już wcześniej zarejestrowane.",
+ "submenuId.invalid.label": "„{0}” nie jest prawidłową etykietą podmenu",
+ "menuId.invalid": "„{0}” nie jest prawidłowym identyfikatorem menu",
+ "proposedAPI.invalid": "{0} to proponowany identyfikator menu i jest dostępny tylko w przypadku uruchamiania poza elementem dev lub z następującym przełącznikiem wiersza polecenia: --enable-proposed-api {1}",
+ "missing.command": "Element menu odwołuje się do polecenia „{0}”, które nie jest zdefiniowane w sekcji „commands”.",
+ "missing.altCommand": "Element menu odwołuje się do polecenia alternatywnego „{0}”, które nie jest zdefiniowane w sekcji „commands”.",
+ "dupe.command": "Element menu odwołuje się do tego samego polecenia jako domyślnego i polecenia alternatywnego",
+ "unsupported.submenureference": "Element menu odwołuje się do podmenu takiego menu, które nie obsługuje podmenu.",
+ "missing.submenu": "Element menu odwołuje się do podmenu „{0}”, które nie jest zdefiniowane w sekcji „submenus”.",
+ "submenuItem.duplicate": "Podmenu „{0}” zostało już dodane do menu „{1}”."
+ },
+ "vs/workbench/api/common/configurationExtensionPoint": {
+ "vscode.extension.contributes.configuration.title": "Podsumowanie ustawień. Ta etykieta zostanie użyta w pliku ustawień jako komentarz oddzielający.",
+ "vscode.extension.contributes.configuration.properties": "Opis właściwości konfiguracji.",
+ "vscode.extension.contributes.configuration.property.empty": "Właściwość nie powinna być pusta.",
+ "scope.application.description": "Konfiguracja, którą można skonfigurować tylko w ustawieniach użytkownika.",
+ "scope.machine.description": "Konfiguracja, którą można skonfigurować tylko w ustawieniach użytkownika lub tylko w ustawieniach zdalnych.",
+ "scope.window.description": "Konfiguracja, którą można skonfigurować w ustawieniach użytkownika, obszaru roboczego lub zdalnych.",
+ "scope.resource.description": "Konfiguracja, którą można skonfigurować w ustawieniach użytkownika, obszaru roboczego, folderu lub zdalnych.",
+ "scope.language-overridable.description": "Konfiguracja zasobu, którą można skonfigurować w ustawieniach specyficznych dla języka.",
+ "scope.machine-overridable.description": "Konfiguracja komputera, którą można skonfigurować również w ustawieniach obszaru roboczego lub folderu.",
+ "scope.description": "Zakres, w którym ma zastosowanie konfiguracja. Dostępne zakresy to „application” (aplikacja), „machine” (komputer), „window” (okno), „resource” (zasób) i „machine-overridable” (z możliwością przesłonięcia przez konfigurację komputera).",
+ "scope.enumDescriptions": "Opisy wartości wyliczeniowych",
+ "scope.markdownEnumDescriptions": "Opisy wartości wyliczeniowych w formacie znaczników markdown.",
+ "scope.markdownDescription": "Opis w formacie znaczników markdown.",
+ "scope.deprecationMessage": "Jeśli ustawiono, właściwość jest oznaczona jako przestarzała i podany komunikat jest wyświetlany jako wyjaśnienie.",
+ "scope.markdownDeprecationMessage": "Jeśli ustawiono, właściwość jest oznaczona jako przestarzała i podany komunikat jest wyświetlany jako wyjaśnienie w formacie znaczników markdown.",
+ "vscode.extension.contributes.defaultConfiguration": "Dodaje domyślne ustawienia konfiguracji edytora według języka.",
+ "config.property.defaultConfiguration.languageExpected": "Oczekiwany selektor języka (np. [\"java\"])",
+ "config.property.defaultConfiguration.warning": "Nie można zarejestrować domyślnych ustawień konfiguracji dla elementu „{0}”. Obsługiwane są tylko wartości domyślne dla ustawień specyficznych dla języka.",
+ "vscode.extension.contributes.configuration": "Dodaje ustawienia konfiguracji.",
+ "invalid.title": "Element „configuration.title” musi być ciągiem",
+ "invalid.properties": "Element „configuration.properties” musi być obiektem",
+ "invalid.property": "Element „configuration.property” musi być obiektem",
+ "invalid.allOf": "Element „configuration.allOf” jest przestarzały i nie powinien być już używany. Zamiast tego przekaż wiele sekcji konfiguracji jako tablicę do punktu kontrybucji „configuration”.",
+ "workspaceConfig.folders.description": "Lista folderów do załadowania w obszarze roboczym.",
+ "workspaceConfig.path.description": "Ścieżka pliku, na przykład „/root/folderA” lub „./folderA” dla ścieżki względnej, która zostanie rozpoznana względem lokalizacji pliku obszaru roboczego.",
+ "workspaceConfig.name.description": "Opcjonalna nazwa folderu. ",
+ "workspaceConfig.uri.description": "Identyfikator URI folderu",
+ "workspaceConfig.settings.description": "Ustawienia obszaru roboczego",
+ "workspaceConfig.launch.description": "Konfiguracje uruchamiania obszaru roboczego",
+ "workspaceConfig.tasks.description": "Konfiguracje zadań obszaru roboczego",
+ "workspaceConfig.extensions.description": "Rozszerzenia obszaru roboczego",
+ "workspaceConfig.remoteAuthority": "Serwer zdalny, na którym znajduje się obszar roboczy. Używany tylko przez niezapisane zdalne obszary robocze.",
+ "unknownWorkspaceProperty": "Nieznana właściwość konfiguracji obszaru roboczego"
+ },
+ "vs/workbench/api/browser/viewsExtensionPoint": {
+ "vscode.extension.contributes.views.containers.id": "Unikatowy identyfikator używany do identyfikowania kontenera, w którym widoki mogą być dodawane przy użyciu punktu kontrybucji „views”",
+ "vscode.extension.contributes.views.containers.title": "Ciąg czytelny dla człowieka używany do renderowania kontenera",
+ "vscode.extension.contributes.views.containers.icon": "Ścieżka do ikony kontenera. Ikony 24x24 są wyśrodkowane na bloku 50x40 i mają kolor wypełnienia „rgb(215, 218, 224)” lub „#d7dae0”. Zaleca się, aby ikony były w formacie SVG, chociaż każdy typ pliku obrazu jest akceptowany.",
+ "vscode.extension.contributes.viewsContainers": "Dodaje kontenery widoków do edytora",
+ "views.container.activitybar": "Dodawanie kontenerów widoków do paska aktywności",
+ "views.container.panel": "Dodawanie kontenerów widoków do panelu",
+ "vscode.extension.contributes.view.type": "Typ widoku. Może mieć wartość „tree” na potrzeby widoku opartego na widoku drzewa lub „webview” na potrzeby widoku opartego na widoku internetowym. Wartość domyślna to „tree”.",
+ "vscode.extension.contributes.view.tree": "Widok jest oparty na elemencie „TreeView” utworzonym przez operację „createTreeView”.",
+ "vscode.extension.contributes.view.webview": "Widok jest oparty na elemencie „WebviewView” zarejestrowanym przez operację „registerWebviewViewProvider”.",
+ "vscode.extension.contributes.view.id": "Identyfikator widoku. Powinien być unikatowy we wszystkich widokach. Zaleca się dołączenie identyfikatora rozszerzenia jako części identyfikatora widoku. Służy do rejestrowania dostawcy danych za pośrednictwem interfejsu API „vscode.window.registerTreeDataProviderForView”. Ponadto do wyzwolenia aktywacji rozszerzenia przez zarejestrowanie zdarzenia „onView:${id}” w elemencie „activationEvents”.",
+ "vscode.extension.contributes.view.name": "Nazwa widoku czytelna dla użytkownika. Będzie wyświetlana",
+ "vscode.extension.contributes.view.when": "Warunek, który musi być spełniony, aby wyświetlić ten widok",
+ "vscode.extension.contributes.view.icon": "Ścieżka do ikony widoku. Ikony widoku są wyświetlane, gdy nazwa widoku nie można wyświetlić nazwy widoku. Zaleca się, aby ikony były w formacie SVG, chociaż każdy typ pliku obrazu jest akceptowany.",
+ "vscode.extension.contributes.view.contextualTitle": "Czytelny dla człowieka kontekst, gdy widok jest przenoszony poza pierwotną lokalizację. Domyślnie zostanie użyta nazwa kontenera widoku. Będzie wyświetlany",
+ "vscode.extension.contributes.view.initialState": "Początkowy stan widoku po pierwszym zainstalowaniu rozszerzenia. Gdy użytkownik zmieni stan widoku przez zwinięcie, przeniesienie lub ukrycie widoku, stan początkowy nie będzie ponownie używany.",
+ "vscode.extension.contributes.view.initialState.visible": "Domyślny stan początkowy widoku. W większości kontenerów widok zostanie rozwinięty, jednak niektóre wbudowane kontenery (eksplorator, SCM i debugowanie) pokazują wszystkie dodane widoki zwinięte niezależnie od ustawienia „visibility”.",
+ "vscode.extension.contributes.view.initialState.hidden": "Widok nie będzie pokazywany w kontenerze widoku, ale będzie można go odnaleźć za pomocą menu widoków i innych punktów wejścia widoku i użytkownik może włączyć jego wyświetlanie.",
+ "vscode.extension.contributes.view.initialState.collapsed": "Widok będzie pokazywany w kontenerze widoku, ale będzie zwinięty.",
+ "vscode.extension.contributes.view.group": "Zagnieżdżona grupa w obszarze wyświetlania",
+ "vscode.extension.contributes.view.remoteName": "Nazwa typu zdalnego skojarzonego z tym widokiem",
+ "vscode.extension.contributes.views": "Dodaje widoki do edytora",
+ "views.explorer": "Dodaje widoki do kontenera eksploratora na pasku aktywności",
+ "views.debug": "Dodaje widoki do kontenera debugowania na pasku aktywności",
+ "views.scm": "Dodaje widoki do kontenera SCM na pasku aktywności",
+ "views.test": "Dodaje widoki do kontenera testu na pasku aktywności",
+ "views.remote": "Dodaje widoki do kontenera zdalnego na pasku aktywności. Aby dodawać do tego kontenera, należy włączyć opcję enableProposedApi",
+ "views.contributed": "Dodaje widoki do kontenera widoków dodanych",
+ "test": "Test",
+ "viewcontainer requirearray": "kontenery widoków muszą być tablicą",
+ "requireidstring": "Właściwość „{0}” jest obowiązkowa i musi być typu „string”. Dozwolone są tylko znaki alfanumeryczne, „_” i „-”.",
+ "requirestring": "właściwość `{0}` jest wymagana i musi być ciągiem znaków",
+ "showViewlet": "Pokaż {0}",
+ "ViewContainerRequiresProposedAPI": "Kontener widoku „{0}” wymaga włączenia ustawienia „enableProposedApi”, aby można go było dodać do kontenera „Zdalne”.",
+ "ViewContainerDoesnotExist": "Kontener widoku „{0}” nie istnieje i wszystkie zarejestrowane w nim widoki zostaną dodane do kontenera „Eksplorator”.",
+ "duplicateView1": "Nie można zarejestrować wielu widoków o tym samym identyfikatorze „{0}”",
+ "duplicateView2": "Widok o identyfikatorze „{0}” jest już zarejestrowany.",
+ "unknownViewType": "Nieznany typ widoku „{0}”.",
+ "requirearray": "widoki muszą być tablicą",
+ "optstring": "właściwość `{0}` może zostać pominięta albo musi być ciągiem znaków",
+ "optenum": "właściwość „{0}” może zostać pominięta lub musi być typu {1}"
+ },
+ "vs/workbench/browser/parts/activitybar/activitybarPart": {
+ "settingsViewBarIcon": "Ikona ustawień na pasku widoku.",
+ "accountsViewBarIcon": "Ikona kont na pasku widoku.",
+ "hideHomeBar": "Ukryj przycisk Strona główna",
+ "showHomeBar": "Pokaż przycisk Strona główna",
+ "hideMenu": "Ukryj menu",
+ "showMenu": "Pokaż menu",
+ "hideAccounts": "Ukryj konta",
+ "showAccounts": "Pokaż konta",
+ "hideActivitBar": "Ukryj pasek aktywności",
+ "resetLocation": "Resetuj lokalizację",
+ "homeIndicator": "Strona główna",
+ "home": "Strona główna",
+ "manage": "Zarządzaj",
+ "accounts": "Konta",
+ "focusActivityBar": "Pasek działań fokusu"
+ },
+ "vs/workbench/browser/parts/panel/panelPart": {
+ "hidePanel": "Ukryj panel",
+ "panel.emptyMessage": "Przeciągnij widok do panelu, aby go wyświetlić."
+ },
+ "vs/workbench/browser/parts/sidebar/sidebarPart": {
+ "focusSideBar": "Fokus na pasek boczny"
+ },
+ "vs/workbench/browser/parts/statusbar/statusbarPart": {
+ "hide": "Ukryj element „{0}”",
+ "hideStatusBar": "Ukryj pasek stanu"
+ },
+ "vs/workbench/browser/parts/views/viewsService": {
+ "focus view": "Fokus na widok {0}",
+ "resetViewLocation": "Resetuj lokalizację"
+ },
+ "vs/workbench/browser/parts/dialogs/dialogHandler": {
+ "yesButton": "&&Tak",
+ "cancelButton": "Anuluj",
+ "aboutDetail": "Wersja: {0}\r\nZatwierdzenie: {1}\r\nData: {2}\r\nPrzeglądarka: {3}",
+ "copy": "Kopiuj",
+ "ok": "OK"
+ },
+ "vs/workbench/electron-sandbox/parts/dialogs/dialogHandler": {
+ "yesButton": "&&Tak",
+ "cancelButton": "Anuluj",
+ "aboutDetail": "Wersja: {0}\r\nZatwierdzenie: {1}\r\nData: {2}\r\nElectron: {3}\r\nChrome: {4}\r\nNode.js: {5}\r\nV8: {6}\r\nSystem operacyjny: {7}",
+ "okButton": "OK",
+ "copy": "&&Kopiuj"
+ },
+ "vs/workbench/electron-sandbox/actions/developerActions": {
+ "toggleDevTools": "Przełącz narzędzia deweloperskie",
+ "configureRuntimeArguments": "Konfigurowanie argumentów środowiska uruchomieniowego"
+ },
+ "vs/workbench/electron-sandbox/actions/windowActions": {
+ "closeWindow": "Zamknij okno",
+ "zoomIn": "Powiększ",
+ "zoomOut": "Pomniejsz",
+ "zoomReset": "Resetuj powiększenie",
+ "reloadWindowWithExtensionsDisabled": "Załaduj ponownie z wyłączonymi rozszerzeniami",
+ "close": "Zamknij okno",
+ "switchWindowPlaceHolder": "Wybierz okno, do którego chcesz się przełączyć",
+ "windowDirtyAriaLabel": "{0}, okno ze zmodyfikowaną zawartością",
+ "current": "Bieżące okno",
+ "switchWindow": "Przełącz okno...",
+ "quickSwitchWindow": "Szybkie przełączanie okna..."
+ },
+ "vs/workbench/browser/parts/notifications/notificationsCenter": {
+ "notificationsEmpty": "Brak nowych powiadomień",
+ "notifications": "Powiadomienia",
+ "notificationsToolbar": "Akcje centrum powiadomień"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsAlerts": {
+ "alertErrorMessage": "Błąd: {0}",
+ "alertWarningMessage": "Ostrzeżenie: {0}",
+ "alertInfoMessage": "Informacje: {0}"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsStatus": {
+ "status.notifications": "Powiadomienia",
+ "hideNotifications": "Ukryj powiadomienia",
+ "zeroNotifications": "Brak powiadomień",
+ "noNotifications": "Brak nowych powiadomień",
+ "oneNotification": "1 nowe powiadomienie",
+ "notifications": "Nowe powiadomienia: {0} ",
+ "noNotificationsWithProgress": "Brak nowych powiadomień ({0} w toku)",
+ "oneNotificationWithProgress": "1 nowe powiadomienie ({0} w toku)",
+ "notificationsWithProgress": "Nowe powiadomienia: {0}. W toku: {1}",
+ "status.message": "Komunikat o stanie"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsCommands": {
+ "notifications": "Powiadomienia",
+ "showNotifications": "Pokaż powiadomienia",
+ "hideNotifications": "Ukryj powiadomienia",
+ "clearAllNotifications": "Wyczyść wszystkie powiadomienia",
+ "focusNotificationToasts": "Wyskakujące powiadomienie o fokusie"
+ },
+ "vs/workbench/browser/parts/titlebar/menubarControl": {
+ "mFile": "&&Plik",
+ "mEdit": "&&Edytuj",
+ "mSelection": "&&Wybór",
+ "mView": "&&Wyświetl",
+ "mGoto": "&&Przejdź",
+ "mRun": "&&Uruchom",
+ "mTerminal": "&&Terminal",
+ "mHelp": "&&Pomoc",
+ "menubar.customTitlebarAccessibilityNotification": "Obsługa ułatwień dostępu jest włączona. Aby uzyskać najbardziej dostępne środowisko, zaleca się użycie niestandardowego stylu paska tytułu.",
+ "goToSetting": "Otwórz ustawienia",
+ "focusMenu": "Fokus na menu aplikacji",
+ "checkForUpdates": "Wyszukaj &&aktualizacje...",
+ "checkingForUpdates": "Trwa wyszukiwanie aktualizacji...",
+ "download now": "P&&obierz aktualizację",
+ "DownloadingUpdate": "Trwa pobieranie aktualizacji...",
+ "installUpdate...": "Zainstaluj &&aktualizację...",
+ "installingUpdate": "Trwa instalowanie aktualizacji...",
+ "restartToUpdate": "Uruchom ponownie w celu &&aktualizacji"
+ },
+ "vs/workbench/api/common/extHostExtensionActivator": {
+ "failedDep1": "Nie można aktywować rozszerzenia „{0}”, ponieważ jest ono zależne od rozszerzenia „{1}”, którego aktywacja nie powiodła się.",
+ "activationError": "Aktywowanie rozszerzenia „{0}” nie powiodło się: {1}."
+ },
+ "vs/workbench/api/common/extHost.api.impl": {
+ "extensionLabel": "{0} (rozszerzenie)"
+ },
+ "vs/workbench/api/node/extHostDebugService": {
+ "debug.terminal.title": "obiekt debugowany"
+ },
+ "vs/workbench/api/common/jsonValidationExtensionPoint": {
+ "contributes.jsonValidation": "Dodaje konfigurację schematu JSON.",
+ "contributes.jsonValidation.fileMatch": "Wzorzec pliku (lub tablica wzorców) do dopasowania, na przykład „package.json” lub „*.launch”. Wzorce wykluczania rozpoczynają się od znaku „!”",
+ "contributes.jsonValidation.url": "Adres URL schematu („http:”, „https:”) lub ścieżka względna do folderu rozszerzenia („./”).",
+ "invalid.jsonValidation": "Element „configuration.jsonValidation” musi być tablicą",
+ "invalid.fileMatch": "Element „configuration.jsonValidation.fileMatch” musi być zdefiniowany jako ciąg lub tablica ciągów.",
+ "invalid.url": "Element „configuration.jsonValidation.url” musi być adresem URL lub ścieżką względną",
+ "invalid.path.1": "Oczekiwano, że element „contributes.{0}.url” ({1}) będzie uwzględniony w folderze rozszerzenia ({2}). Może to spowodować, że rozszerzenie nie jest przenośne.",
+ "invalid.url.fileschema": "Element „configuration.jsonValidation.url” jest nieprawidłowym względnym adresem URL: {0}",
+ "invalid.url.schema": "Element „configuration.jsonValidation.url” musi być bezwzględnym adresem URL lub rozpoczynać się od znaku „./”, aby odwoływać się do schematów znajdujących się w rozszerzeniu."
+ },
+ "vs/workbench/api/browser/mainThreadExtensionService": {
+ "reload window": "Nie można aktywować rozszerzenia „{0}”, ponieważ jest ono zależne od rozszerzenia „{1}”, które nie jest załadowane. Czy chcesz załadować ponownie okno, aby załadować rozszerzenie?",
+ "reload": "Załaduj ponownie okno",
+ "disabledDep": "Nie można aktywować rozszerzenia „{0}”, ponieważ jest ono zależne od rozszerzenia „{1}”, które jest wyłączone. Czy chcesz włączyć rozszerzenie i załadować ponownie okno?",
+ "enable dep": "Włącz i załaduj ponowne",
+ "uninstalledDep": "Nie można aktywować rozszerzenia „{0}”, ponieważ jest ono zależne od rozszerzenia „{1}”, które nie jest zainstalowane. Czy chcesz zainstalować rozszerzenie i załadować ponownie okno?",
+ "install missing dep": "Zainstaluj i załaduj ponownie",
+ "unknownDep": "Nie można aktywować rozszerzenia „{0}”, ponieważ jest ono zależne od nieznanego rozszerzenia „{1}”."
+ },
+ "vs/workbench/api/browser/mainThreadFileSystemEventService": {
+ "files.participants.timeout": "Limit czasu (w milisekundach), po upływie którego uczestnicy plików do tworzenia, zmiany nazwy i usuwania zostaną anulowani. Użyj „0”, aby wyłączyć uczestników."
+ },
+ "vs/workbench/api/browser/mainThreadMessageService": {
+ "extensionSource": "{0} (rozszerzenie)",
+ "defaultSource": "Rozszerzenie",
+ "manageExtension": "Zarządzanie rozszerzeniem",
+ "cancel": "Anuluj",
+ "ok": "OK"
+ },
+ "vs/workbench/api/browser/mainThreadProgress": {
+ "manageExtension": "Zarządzanie rozszerzeniem"
+ },
+ "vs/workbench/api/browser/mainThreadSaveParticipant": {
+ "timeout.onWillSave": "Przerwano zdarzenie onWillSaveTextDocument po 1750 ms"
+ },
+ "vs/workbench/api/browser/mainThreadWorkspace": {
+ "folderStatusMessageAddSingleFolder": "Rozszerzenie „{0}” dodało 1 folder do obszaru roboczego",
+ "folderStatusMessageAddMultipleFolders": "Rozszerzenie „{0}” dodało foldery ({1}) do obszaru roboczego",
+ "folderStatusMessageRemoveSingleFolder": "Rozszerzenie „{0}” usunęło 1 folder z obszaru roboczego",
+ "folderStatusMessageRemoveMultipleFolders": "Rozszerzenie „{0}” usunęło foldery ({1}) z obszaru roboczego",
+ "folderStatusChangeFolder": "Rozszerzenie „{0}” zmieniło foldery obszaru roboczego"
+ },
+ "vs/workbench/api/browser/mainThreadComments": {
+ "commentsViewIcon": "Wyświetl ikonę widoku komentarzy."
+ },
+ "vs/workbench/api/browser/mainThreadTask": {
+ "task.label": "{0}: {1}"
+ },
+ "vs/workbench/api/browser/mainThreadAuthentication": {
+ "noTrustedExtensions": "To konto nie zostało użyte przez żadne rozszerzenia.",
+ "accountLastUsedDate": "Ostatnio używano tego konta {0}",
+ "notUsed": "Nie korzystał z tego konta",
+ "manageTrustedExtensions": "Zarządzaj zaufanymi rozszerzeniami",
+ "manageExensions": "Wybierz rozszerzenia, które mogą uzyskiwać dostęp do tego konta",
+ "signOutConfirm": "Wyloguj się z {0}",
+ "signOutMessagve": "Konto {0} było używane przez: \r\n\r\n{1}\r\n\r\n Wylogować z tych funkcji?",
+ "signOutMessageSimple": "Wylogować się z {0}?",
+ "signedOut": "Pomyślnie wylogowano.",
+ "useOtherAccount": "Zaloguj się przy użyciu innego konta",
+ "selectAccount": "Rozszerzenie „{0}” chce uzyskać dostęp do konta {1}",
+ "getSessionPlateholder": "Wybierz konto dla „{0}” do użycia lub klawisz Esc, aby anulować",
+ "confirmAuthenticationAccess": "Rozszerzenie „{0}” chce uzyskać dostęp do konta {1} „{2}”.",
+ "allow": "Zezwalaj",
+ "cancel": "Anuluj",
+ "confirmLogin": "Rozszerzenie „{0}” chce się zalogować przy użyciu {1}."
+ },
+ "vs/workbench/common/configuration": {
+ "workbenchConfigurationTitle": "Pulpit"
+ },
+ "vs/workbench/browser/parts/views/treeView": {
+ "no-dataprovider": "Nie zarejestrowano dostawcy danych, który może dostarczyć dane widoku.",
+ "refresh": "Odśwież",
+ "collapseAll": "Zwiń wszystko",
+ "command-error": "Błąd uruchamiania polecenia {1}: {0}. Prawdopodobnie jest to spowodowane przez rozszerzenie, które udostępnia polecenie {1}."
+ },
+ "vs/workbench/browser/viewlet": {
+ "compositePart.hideSideBarLabel": "Ukryj pasek boczny",
+ "views": "Widoki",
+ "collapse": "Zwiń wszystko"
+ },
+ "vs/workbench/browser/parts/views/viewPaneContainer": {
+ "viewPaneContainerExpandedIcon": "Ikona rozwiniętego kontenera okienka widoku.",
+ "viewPaneContainerCollapsedIcon": "Ikona zwiniętego kontenera okienka widoku.",
+ "viewToolbarAriaLabel": "Akcje: {0}",
+ "hideView": "Ukryj",
+ "viewMoveUp": "Przenieś widok w górę",
+ "viewMoveLeft": "Przenieś widok w lewo",
+ "viewMoveDown": "Przenieś widok w dół",
+ "viewMoveRight": "Przenieś widok w prawo"
+ },
+ "vs/workbench/browser/parts/editor/editorGroupView": {
+ "ariaLabelGroupActions": "Akcje grupy edytorów",
+ "closeGroupAction": "Zamknij",
+ "emptyEditorGroup": "{0} (pusta)",
+ "groupLabel": "Grupa {0}",
+ "groupAriaLabel": "Grupa edytorów {0}",
+ "ok": "OK",
+ "cancel": "Anuluj",
+ "editorOpenErrorDialog": "Nie można otworzyć edytora „{0}”.",
+ "editorOpenError": "Nie można otworzyć edytora „{0}”: {1}."
+ },
+ "vs/workbench/browser/parts/editor/editorDropTarget": {
+ "fileTooLarge": "Plik jest zbyt duży, aby można go było otworzyć jako edytor bez tytułu. Przekaż go najpierw do eksploratora plików, a następnie spróbuj ponownie."
+ },
+ "vs/workbench/browser/parts/editor/editor.contribution": {
+ "textEditor": "Edytor tekstu",
+ "textDiffEditor": "Edytor różnic tekstowych",
+ "binaryDiffEditor": "Binarny edytor różnic",
+ "sideBySideEditor": "Edytor w trybie obok siebie",
+ "editorQuickAccessPlaceholder": "Wpisz nazwę edytora, aby go otworzyć.",
+ "activeGroupEditorsByMostRecentlyUsedQuickAccess": "Pokaż edytory w aktywnej grupie według ostatnio używanych",
+ "allEditorsByAppearanceQuickAccess": "Pokaż wszystkie otwarte edytory według wyświetlenia",
+ "allEditorsByMostRecentlyUsedQuickAccess": "Pokaż wszystkie otwarte edytory według ostatnio używanych",
+ "file": "Plik",
+ "splitUp": "Podziel w górę",
+ "splitDown": "Podziel w dół",
+ "splitLeft": "Podziel w lewo",
+ "splitRight": "Podziel w prawo",
+ "close": "Zamknij",
+ "closeOthers": "Zamknij pozostałe",
+ "closeRight": "Zamknij po prawej stronie",
+ "closeAllSaved": "Zamknij zapisane",
+ "closeAll": "Zamknij wszystko",
+ "keepOpen": "Zachowaj otwarty",
+ "pin": "Przypnij",
+ "unpin": "Odepnij",
+ "toggleInlineView": "Przełącz widok wbudowany",
+ "showOpenedEditors": "Pokaż otwarte edytory",
+ "toggleKeepEditors": "Pozostaw otwarte edytory",
+ "splitEditorRight": "Podziel edytor w prawo",
+ "splitEditorDown": "Podziel edytor w dół",
+ "previousChangeIcon": "Ikona akcji przechodzenia do poprzedniej zmiany w edytorze różnic.",
+ "nextChangeIcon": "Ikona akcji przechodzenia do następnej zmiany w edytorze różnic.",
+ "toggleWhitespace": "Ikona akcji przełączania białych znaków w edytorze różnic.",
+ "navigate.prev.label": "Poprzednia zmiana",
+ "navigate.next.label": "Następna zmiana",
+ "ignoreTrimWhitespace.label": "Ignoruj różnice wiodących/końcowych białych znaków",
+ "showTrimWhitespace.label": "Pokaż różnice wiodących/końcowych białych znaków",
+ "keepEditor": "Zachowaj edytor",
+ "pinEditor": "Przypnij edytor",
+ "unpinEditor": "Odepnij edytor",
+ "closeEditor": "Zamknij edytor",
+ "closePinnedEditor": "Zamknij przypięty edytor",
+ "closeEditorsInGroup": "Zamknij wszystkie edytory w grupie",
+ "closeSavedEditors": "Zamknij zapisane edytory w grupie",
+ "closeOtherEditors": "Zamknij inne edytory w grupie",
+ "closeRightEditors": "Zamknij edytory po prawej stronie w grupie",
+ "closeEditorGroup": "Zamknij grupę edytorów",
+ "miReopenClosedEditor": "&&Otwórz ponownie zamknięty edytor",
+ "miClearRecentOpen": "&&Wyczyść ostatnio otwarte",
+ "miEditorLayout": "Układ &&edytora",
+ "miSplitEditorUp": "Podziel &&w górę",
+ "miSplitEditorDown": "Podziel &&w dół",
+ "miSplitEditorLeft": "Podziel &&w lewo",
+ "miSplitEditorRight": "Podziel w pr&&awo",
+ "miSingleColumnEditorLayout": "&&Pojedyncza",
+ "miTwoColumnsEditorLayout": "&&Dwie kolumny",
+ "miThreeColumnsEditorLayout": "T&&rzy kolumny",
+ "miTwoRowsEditorLayout": "D&&wa wiersze",
+ "miThreeRowsEditorLayout": "Trzy &&wiersze",
+ "miTwoByTwoGridEditorLayout": "&&Siatka (2x2)",
+ "miTwoRowsRightEditorLayout": "Dwa wiersze p&&o prawej",
+ "miTwoColumnsBottomEditorLayout": "Dwie kolumny &&na dole",
+ "miBack": "&&Wstecz",
+ "miForward": "&&Przekaż dalej",
+ "miLastEditLocation": "&&Lokalizacja ostatniej edycji",
+ "miNextEditor": "&&Następny edytor",
+ "miPreviousEditor": "&&Poprzedni edytor",
+ "miNextRecentlyUsedEditor": "&&Następny używany edytor",
+ "miPreviousRecentlyUsedEditor": "&&Poprzednio używany edytor",
+ "miNextEditorInGroup": "&&Następny edytor w grupie",
+ "miPreviousEditorInGroup": "&&Poprzedni edytor w grupie",
+ "miNextUsedEditorInGroup": "&&Następny używany edytor w grupie",
+ "miPreviousUsedEditorInGroup": "&&Poprzednio używany edytor w grupie",
+ "miSwitchEditor": "Przełącz &&edytor",
+ "miFocusFirstGroup": "Grupa &&1",
+ "miFocusSecondGroup": "Grupa &&2",
+ "miFocusThirdGroup": "Grupa &&3",
+ "miFocusFourthGroup": "Grupa &&4",
+ "miFocusFifthGroup": "Grupa &&5",
+ "miNextGroup": "&&Następna grupa",
+ "miPreviousGroup": "&&Poprzednia grupa",
+ "miFocusLeftGroup": "Grupa &&po lewej",
+ "miFocusRightGroup": "Grupa &&po prawej",
+ "miFocusAboveGroup": "Grupa &&powyżej",
+ "miFocusBelowGroup": "Grupa &&poniżej",
+ "miSwitchGroup": "Przełącz &&grupę"
+ },
+ "vs/workbench/browser/parts/activitybar/activitybarActions": {
+ "goHome": "Przejdź do elementu głównego",
+ "hide": "Ukryj",
+ "manageTrustedExtensions": "Zarządzaj zaufanymi rozszerzeniami",
+ "signOut": "Wyloguj się",
+ "authProviderUnavailable": "Dostawca {0} jest obecnie niedostępny",
+ "previousSideBarView": "Poprzedni widok paska bocznego",
+ "nextSideBarView": "Następny widok paska bocznego"
+ },
+ "vs/workbench/browser/parts/compositeBar": {
+ "activityBarAriaLabel": "Przełącznik aktywnego widoku"
+ },
+ "vs/workbench/browser/parts/compositeBarActions": {
+ "badgeTitle": "{0} — {1}",
+ "additionalViews": "Dodatkowe widoki",
+ "numberBadge": "{0} ({1})",
+ "manageExtension": "Zarządzanie rozszerzeniem",
+ "titleKeybinding": "{0} ({1})",
+ "hide": "Ukryj",
+ "keep": "Zachowaj",
+ "toggle": "Przełącz widok przypięty"
+ },
+ "vs/workbench/browser/parts/compositePart": {
+ "ariaCompositeToolbarLabel": "Akcje: {0}",
+ "viewsAndMoreActions": "Widoki i więcej akcji...",
+ "titleTooltip": "{0} ({1})"
+ },
+ "vs/workbench/browser/parts/panel/panelActions": {
+ "maximizeIcon": "Ikona do maksymalizowania panelu.",
+ "restoreIcon": "Ikona do przywracania panelu.",
+ "closeIcon": "Ikona do zamykania panelu.",
+ "closePanel": "Zamknij panel",
+ "togglePanel": "Przełącz panel",
+ "focusPanel": "Fokus na panel",
+ "toggleMaximizedPanel": "Przełącz zmaksymalizowany panel",
+ "maximizePanel": "Maksymalizuj rozmiar panelu",
+ "minimizePanel": "Przywróć rozmiar panelu",
+ "positionPanelLeft": "Przenieś panel w lewo",
+ "positionPanelRight": "Przenieś panel w prawo",
+ "positionPanelBottom": "Przesuń panel do dołu",
+ "previousPanelView": "Widok poprzedniego panelu",
+ "nextPanelView": "Widok następnego panelu",
+ "miShowPanel": "Pokaż &&panel"
+ },
+ "vs/workbench/common/editor/diffEditorInput": {
+ "sideBySideLabels": "{0} ↔ {1}"
+ },
+ "vs/workbench/browser/parts/editor/editorWidgets": {
+ "openWorkspace": "Otwórz obszar roboczy"
+ },
+ "vs/workbench/browser/parts/editor/editorCommands": {
+ "editorCommand.activeEditorMove.description": "Przenieś aktywny edytor według kart lub grup",
+ "editorCommand.activeEditorMove.arg.name": "Argument przenoszenia aktywnego edytora",
+ "editorCommand.activeEditorMove.arg.description": "Właściwości argumentu:\r\n\t* „to”: Wartość ciągu z miejscem docelowym przeniesienia.\r\n\t* „by”: Wartość ciągu z jednostką przenoszenia (według karty lub grupy).\r\n\t* „value”: Wartość liczbowa z liczbą pozycji lub położeniem bezwzględnym do przeniesienia.",
+ "toggleInlineView": "Przełącz widok wbudowany",
+ "compare": "Porównaj",
+ "enablePreview": "Edytory w wersji zapoznawczej zostały włączone w ustawieniach.",
+ "disablePreview": "Edytory w trybie podglądu zostały wyłączone w ustawieniach.",
+ "learnMode": "Dowiedz się więcej"
+ },
+ "vs/workbench/browser/parts/editor/textResourceEditor": {
+ "textEditor": "Edytor tekstu"
+ },
+ "vs/workbench/browser/parts/titlebar/titlebarPart": {
+ "patchedWindowTitle": "[Nieobsługiwane]",
+ "userIsAdmin": "[Administrator]",
+ "userIsSudo": "[Superużytkownik]",
+ "devExtensionWindowTitlePrefix": "[Host programowania rozszerzeń]"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsList": {
+ "notificationAriaLabel": "{0}, powiadomienie",
+ "notificationWithSourceAriaLabel": "{0}, Źródło: {1}, powiadomienie",
+ "notificationsList": "Lista powiadomień"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsActions": {
+ "clearIcon": "Ikona akcji czyszczenia w powiadomieniach.",
+ "clearAllIcon": "Ikona akcji czyszczenia wszystkiego w powiadomieniach.",
+ "hideIcon": "Ikona akcji ukrywania w powiadomieniach.",
+ "expandIcon": "Ikona akcji rozwijania w powiadomieniach.",
+ "collapseIcon": "Ikona akcji zwijania w powiadomieniach.",
+ "configureIcon": "Ikona akcji konfigurowania w powiadomieniach.",
+ "clearNotification": "Wyczyść powiadomienie",
+ "clearNotifications": "Wyczyść wszystkie powiadomienia",
+ "hideNotificationsCenter": "Ukryj powiadomienia",
+ "expandNotification": "Rozwiń powiadomienie",
+ "collapseNotification": "Zwiń powiadomienie",
+ "configureNotification": "Konfiguruj powiadomienie",
+ "copyNotification": "Kopiuj tekst"
+ },
+ "vs/workbench/api/common/extHostDiagnostics": {
+ "limitHit": "Nie pokazuje {0} dalszych błędów i ostrzeżeń."
+ },
+ "vs/workbench/api/common/extHostProgress": {
+ "extensionSource": "{0} (rozszerzenie)"
+ },
+ "vs/workbench/api/common/extHostStatusBar": {
+ "status.extensionMessage": "Stan rozszerzenia"
+ },
+ "vs/workbench/api/common/extHostTreeViews": {
+ "treeView.notRegistered": "Nie zarejestrowano widoku drzewa o identyfikatorze „{0}”.",
+ "treeView.duplicateElement": "Element o identyfikatorze {0} jest już zarejestrowany"
+ },
+ "vs/workbench/browser/parts/editor/textEditor": {
+ "editor": "Edytor"
+ },
+ "vs/workbench/api/browser/mainThreadCustomEditors": {
+ "defaultEditLabel": "Edycja"
+ },
+ "vs/workbench/api/browser/mainThreadWebviews": {
+ "errorMessage": "Wystąpił błąd podczas ładowania widoku: {0}"
+ },
+ "vs/workbench/browser/parts/editor/tabsTitleControl": {
+ "ariaLabelTabActions": "Akcje karty"
+ },
+ "vs/workbench/browser/parts/editor/textDiffEditor": {
+ "textDiffEditor": "Edytor różnic tekstowych"
+ },
+ "vs/workbench/browser/parts/editor/binaryDiffEditor": {
+ "metadataDiff": "{0} ↔ {1}"
+ },
+ "vs/workbench/browser/parts/editor/editorStatus": {
+ "singleSelectionRange": "Wiersz {0}, kol. {1} (zaznaczono {2})",
+ "singleSelection": "Wiersz {0}, kolumna {1}",
+ "multiSelectionRange": "zaznaczenia: {0} (zaznaczone znaki: {1})",
+ "multiSelection": "zaznaczenia: {0}",
+ "endOfLineLineFeed": "LF",
+ "endOfLineCarriageReturnLineFeed": "CRLF",
+ "screenReaderDetectedExplanation.question": "Czy korzystasz programu VS Code przy użyciu czytnika zawartości ekranu? (zawijanie wyrazów jest wyłączone podczas używania czytnika zawartości ekranu)",
+ "screenReaderDetectedExplanation.answerYes": "Tak",
+ "screenReaderDetectedExplanation.answerNo": "Nie",
+ "noEditor": "W tej chwili nie jest aktywny żaden edytor tekstu",
+ "noWritableCodeEditor": "Aktywny edytor kodu jest tylko do odczytu.",
+ "indentConvert": "konwertowanie pliku",
+ "indentView": "zmienianie widoku",
+ "pickAction": "Wybierz akcję",
+ "tabFocusModeEnabled": "Klawisz Tab przenosi fokus",
+ "disableTabMode": "Wyłącz tryb ułatwień dostępu",
+ "status.editor.tabFocusMode": "Tryb ułatwień dostępu",
+ "columnSelectionModeEnabled": "Zaznaczanie kolumny",
+ "disableColumnSelectionMode": "Wyłącz tryb zaznaczania kolumny",
+ "status.editor.columnSelectionMode": "Tryb zaznaczania kolumny",
+ "screenReaderDetected": "Zoptymalizowano dla czytnika zawartości ekranu",
+ "status.editor.screenReaderMode": "Tryb czytnika ekranu",
+ "gotoLine": "Przejdź do wiersza/kolumny",
+ "status.editor.selection": "Wybór edytora",
+ "selectIndentation": "Wybierz wcięcie",
+ "status.editor.indentation": "Wcięcie edytora",
+ "selectEncoding": "Wybierz kodowanie",
+ "status.editor.encoding": "Kodowanie edytora",
+ "selectEOL": "Wybierz sekwencję końca wiersza",
+ "status.editor.eol": "Koniec wiersza edytora",
+ "selectLanguageMode": "Wybierz tryb języka",
+ "status.editor.mode": "Język edytora",
+ "fileInfo": "Informacje o pliku",
+ "status.editor.info": "Informacje o pliku",
+ "spacesSize": "Spacje: {0}",
+ "tabSize": "Rozmiar tabulatora: {0}",
+ "currentProblem": "Bieżący problem",
+ "showLanguageExtensions": "Wyszukaj rozszerzenia portalu Marketplace dla „{0}”...",
+ "changeMode": "Zmień tryb języka",
+ "languageDescription": "({0}) — skonfigurowany język",
+ "languageDescriptionConfigured": "({0})",
+ "languagesPicks": "języki (identyfikator)",
+ "configureModeSettings": "Konfiguruj ustawienia oparte na języku „{0}”...",
+ "configureAssociationsExt": "Konfiguruj skojarzenie pliku dla rozszerzenia „{0}”...",
+ "autoDetect": "Autowykrywanie",
+ "pickLanguage": "Wybierz tryb języka",
+ "currentAssociation": "Bieżące skojarzenie",
+ "pickLanguageToConfigure": "Wybierz tryb języka, który ma zostać skojarzony z elementem „{0}”",
+ "changeEndOfLine": "Ustaw sekwencję końca wiersza",
+ "pickEndOfLine": "Wybierz sekwencję końca wiersza",
+ "changeEncoding": "Zmień kodowanie pliku",
+ "noFileEditor": "W tej chwili nie jest aktywny żaden plik",
+ "saveWithEncoding": "Zapisz z kodowaniem",
+ "reopenWithEncoding": "Otwórz ponownie z kodowaniem",
+ "guessedEncoding": "Odgadnięty z zawartości",
+ "pickEncodingForReopen": "Wybierz kodowanie pliku na potrzeby ponownego otwarcia pliku",
+ "pickEncodingForSave": "Wybierz kodowanie pliku do jego zapisania"
+ },
+ "vs/workbench/browser/parts/editor/editorActions": {
+ "splitEditor": "Podziel edytor",
+ "splitEditorOrthogonal": "Podziel edytor ortogonalnie",
+ "splitEditorGroupLeft": "Podziel edytor z lewej strony",
+ "splitEditorGroupRight": "Podziel edytor z prawej strony",
+ "splitEditorGroupUp": "Podziel edytor z góry",
+ "splitEditorGroupDown": "Podziel edytor z dołu",
+ "joinTwoGroups": "Dołącz grupę edytorów do następnej grupy",
+ "joinAllGroups": "Dołącz do wszystkich grup edytorów",
+ "navigateEditorGroups": "Nawiguj między grupami edytorów",
+ "focusActiveEditorGroup": "Przenieś fokus do aktywnej grupy edytorów",
+ "focusFirstEditorGroup": "Przenieś fokus do pierwszej grupy edytorów",
+ "focusLastEditorGroup": "Przenieś fokus do ostatniej grupy edytorów",
+ "focusNextGroup": "Przenieś fokus do następnej grupy edytorów",
+ "focusPreviousGroup": "Przenieś fokus do poprzedniej grupy edytorów",
+ "focusLeftGroup": "Przenieś fokus do grupy edytorów po lewej stronie",
+ "focusRightGroup": "Fokus na prawej grupie edytora",
+ "focusAboveGroup": "Przenieś fokus do grupy edytorów powyżej",
+ "focusBelowGroup": "Przenieś fokus do grupy edytorów poniżej",
+ "closeEditor": "Zamknij edytor",
+ "unpinEditor": "Odepnij edytor",
+ "closeOneEditor": "Zamknij",
+ "revertAndCloseActiveEditor": "Przywróć i zamknij edytor",
+ "closeEditorsToTheLeft": "Zamknij edytory po lewej stronie w grupie",
+ "closeAllEditors": "Zamknij wszystkie edytory",
+ "closeAllGroups": "Zamknij wszystkie grupy edytorów",
+ "closeEditorsInOtherGroups": "Zamknij edytory w innych grupach",
+ "closeEditorInAllGroups": "Zamknij edytor we wszystkich grupach",
+ "moveActiveGroupLeft": "Przenieś grupę edytora w lewo",
+ "moveActiveGroupRight": "Przenieś grupę edytora w prawo",
+ "moveActiveGroupUp": "Przenieś grupę edytora w górę",
+ "moveActiveGroupDown": "Przenieś grupę edytora w dół",
+ "minimizeOtherEditorGroups": "Maksymalizuj grupę edytorów",
+ "evenEditorGroups": "Resetuj rozmiary grup edytorów",
+ "toggleEditorWidths": "Przełącz rozmiary grup edytora",
+ "maximizeEditor": "Maksymalizuj grupę edytorów i ukryj pasek boczny",
+ "openNextEditor": "Otwórz następny edytor",
+ "openPreviousEditor": "Otwórz poprzedni edytor",
+ "nextEditorInGroup": "Otwórz następny edytor w grupie",
+ "openPreviousEditorInGroup": "Otwórz poprzedni edytor w grupie",
+ "firstEditorInGroup": "Otwórz pierwszy edytor w grupie",
+ "lastEditorInGroup": "Otwórz ostatni edytor w grupie",
+ "navigateNext": "Przejdź dalej",
+ "navigatePrevious": "Przejdź wstecz",
+ "navigateToLastEditLocation": "Przejdź do lokalizacji ostatniej edycji",
+ "navigateLast": "Przejdź do ostatniego",
+ "reopenClosedEditor": "Otwórz ponownie zamknięty edytor",
+ "clearRecentFiles": "Wyczyść ostatnio otwarte",
+ "showEditorsInActiveGroup": "Pokaż edytory w aktywnej grupie według czasu ostatniego używania",
+ "showAllEditors": "Pokaż wszystkie edytory według wyglądu",
+ "showAllEditorsByMostRecentlyUsed": "Pokaż wszystkie edytory według czasu ostatniego używania",
+ "quickOpenPreviousRecentlyUsedEditor": "Szybko otwórz poprzedni ostatnio używany edytor",
+ "quickOpenLeastRecentlyUsedEditor": "Szybko otwórz najdawniej używany edytor",
+ "quickOpenPreviousRecentlyUsedEditorInGroup": "Szybko otwórz poprzedni ostatnio używany edytor w grupie",
+ "quickOpenLeastRecentlyUsedEditorInGroup": "Szybko otwórz najdawniej używany edytor w grupie",
+ "navigateEditorHistoryByInput": "Szybkie otwieranie poprzedniego edytora z historii",
+ "openNextRecentlyUsedEditor": "Otwórz następny ostatnio używany edytor",
+ "openPreviousRecentlyUsedEditor": "Otwórz poprzedni ostatnio używany edytor",
+ "openNextRecentlyUsedEditorInGroup": "Otwórz następny niedawno używany edytor w grupie",
+ "openPreviousRecentlyUsedEditorInGroup": "Otwórz poprzedni ostatnio używany edytor w grupie",
+ "clearEditorHistory": "Wyczyść historię edytora",
+ "moveEditorLeft": "Przenieś edytor w lewo",
+ "moveEditorRight": "Przenieś edytor w prawo",
+ "moveEditorToPreviousGroup": "Przenieś edytor do poprzedniej grupy",
+ "moveEditorToNextGroup": "Przenieś edytor do następnej grupy",
+ "moveEditorToAboveGroup": "Przenieś edytor do grupy powyżej",
+ "moveEditorToBelowGroup": "Przenieś edytor do grupy poniżej",
+ "moveEditorToLeftGroup": "Przenieś edytor do grupy po lewej",
+ "moveEditorToRightGroup": "Przenieś edytor do grupy po prawej",
+ "moveEditorToFirstGroup": "Przenieś edytor do pierwszej grupy",
+ "moveEditorToLastGroup": "Przenieś edytor do ostatniej grupy",
+ "editorLayoutSingle": "Układ edytora z pojedynczą kolumną",
+ "editorLayoutTwoColumns": "Układ edytora z dwiema kolumnami",
+ "editorLayoutThreeColumns": "Układ edytora z trzema kolumnami",
+ "editorLayoutTwoRows": "Układ edytora z dwoma wierszami",
+ "editorLayoutThreeRows": "Układ edytora z trzema wierszami",
+ "editorLayoutTwoByTwoGrid": "Układ edytora siatki (2x2)",
+ "editorLayoutTwoColumnsBottom": "Układ edytora z dwiema kolumnami na dole",
+ "editorLayoutTwoRowsRight": "Układ edytora z dwoma wierszami po prawej stronie",
+ "newEditorLeft": "Nowa grupa edytora po lewej",
+ "newEditorRight": "Nowa grupa edytorów z prawej strony",
+ "newEditorAbove": "Nowa grupa edytorów powyżej",
+ "newEditorBelow": "Nowa grupa edytorów poniżej",
+ "workbench.action.reopenWithEditor": "Otwórz ponownie edytor za pomocą...",
+ "workbench.action.toggleEditorType": "Przełącz typ edytora"
+ },
+ "vs/workbench/browser/parts/editor/editorQuickAccess": {
+ "noViewResults": "Brak pasujących edytorów",
+ "entryAriaLabelWithGroupDirty": "{0}, zmodyfikowana zawartość, {1}",
+ "entryAriaLabelWithGroup": "{0}, {1}",
+ "entryAriaLabelDirty": "{0}, zmodyfikowana zawartość",
+ "closeEditor": "Zamknij edytor"
+ },
+ "vs/workbench/browser/parts/editor/binaryEditor": {
+ "binaryEditor": "Przeglądarka binarna",
+ "nativeFileTooLargeError": "Plik nie jest wyświetlany w edytorze, ponieważ jest za duży ({0}).",
+ "nativeBinaryError": "Plik nie jest wyświetlany w edytorze, ponieważ jest binarny lub używa nieobsługiwanego kodowania tekstu.",
+ "openAsText": "Czy mimo to chcesz go otworzyć?"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsViewer": {
+ "executeCommand": "Kliknij, aby wykonać polecenie „{0}”",
+ "notificationActions": "Akcje powiadomień",
+ "notificationSource": "Źródło: {0}"
+ },
+ "vs/workbench/browser/parts/editor/titleControl": {
+ "ariaLabelEditorActions": "Akcje edytora",
+ "draggedEditorGroup": "{0} (+{1})"
+ },
+ "vs/workbench/browser/parts/editor/breadcrumbsControl": {
+ "cmd.toggle": "Przełącz linki do stron nadrzędnych",
+ "miShowBreadcrumbs": "Pokaż &&linki do stron nadrzędnych",
+ "cmd.focus": "Przenieś fokus do linków do stron nadrzędnych"
+ },
+ "vs/workbench/browser/parts/editor/breadcrumbs": {
+ "title": "Nawigacja za pomocą linków do stron nadrzędnych",
+ "enabled": "Włącz/wyłącz linki do stron nadrzędnych służące do nawigacji.",
+ "filepath": "Określa, czy i jak ścieżki plików są wyświetlane w widoku linków do stron nadrzędnych.",
+ "filepath.on": "Pokaż ścieżkę pliku w widoku linków do stron nadrzędnych.",
+ "filepath.off": "Nie pokazuj ścieżki pliku w widoku linków do stron nadrzędnych.",
+ "filepath.last": "Pokazuj tylko ostatni element ścieżki pliku w widoku linków do stron nadrzędnych.",
+ "symbolpath": "Określa, czy i jak symbole są wyświetlane w widoku linków do stron nadrzędnych.",
+ "symbolpath.on": "Pokaż wszystkie symbole w widoku linków do stron nadrzędnych.",
+ "symbolpath.off": "Nie pokazuj symboli w widoku linków do stron nadrzędnych.",
+ "symbolpath.last": "Pokazuj tylko bieżący symbol w widoku linków do stron nadrzędnych.",
+ "symbolSortOrder": "Określa sposób sortowania symboli w widoku konspektu linków do stron nadrzędnych.",
+ "symbolSortOrder.position": "Pokaż konspekt symboli w kolejności pozycji w pliku.",
+ "symbolSortOrder.name": "Pokaż konspekt symboli w kolejności alfabetycznej.",
+ "symbolSortOrder.type": "Pokaż konspekt symboli w kolejności typu symbolu.",
+ "icons": "Renderuj elementy linków do stron nadrzędnych z ikonami.",
+ "filteredTypes.file": "W przypadku włączenia tej opcji w widoku linków do stron nadrzędnych są pokazywane symbole „file”.",
+ "filteredTypes.module": "W przypadku włączenia tej opcji w widoku linków do stron nadrzędnych są pokazywane symbole „module”.",
+ "filteredTypes.namespace": "W przypadku włączenia tej opcji w widoku linków do stron nadrzędnych są pokazywane symbole „namespace”.",
+ "filteredTypes.package": "W przypadku włączenia tej opcji w widoku linków do stron nadrzędnych są pokazywane symbole „package”.",
+ "filteredTypes.class": "W przypadku włączenia tej opcji w widoku linków do stron nadrzędnych są pokazywane symbole „class”.",
+ "filteredTypes.method": "W przypadku włączenia tej opcji w widoku linków do stron nadrzędnych są pokazywane symbole „method”.",
+ "filteredTypes.property": "W przypadku włączenia tej opcji w widoku linków do stron nadrzędnych są pokazywane symbole „property”.",
+ "filteredTypes.field": "W przypadku włączenia tej opcji w widoku linków do stron nadrzędnych są pokazywane symbole „field”.",
+ "filteredTypes.constructor": "W przypadku włączenia tej opcji w widoku linków do stron nadrzędnych są pokazywane symbole „constructor”.",
+ "filteredTypes.enum": "W przypadku włączenia tej opcji w widoku linków do stron nadrzędnych są pokazywane symbole „enum”.",
+ "filteredTypes.interface": "W przypadku włączenia tej opcji w widoku linków do stron nadrzędnych są pokazywane symbole „interface”.",
+ "filteredTypes.function": "W przypadku włączenia tej opcji w widoku linków do stron nadrzędnych są pokazywane symbole „function”.",
+ "filteredTypes.variable": "W przypadku włączenia tej opcji w widoku linków do stron nadrzędnych są pokazywane symbole „variable”.",
+ "filteredTypes.constant": "W przypadku włączenia tej opcji w widoku linków do stron nadrzędnych są pokazywane symbole „constant”.",
+ "filteredTypes.string": "W przypadku włączenia tej opcji w widoku linków do stron nadrzędnych są pokazywane symbole „string”.",
+ "filteredTypes.number": "W przypadku włączenia tej opcji w widoku linków do stron nadrzędnych są pokazywane symbole „number”.",
+ "filteredTypes.boolean": "W przypadku włączenia tej opcji w widoku linków do stron nadrzędnych są pokazywane symbole „boolean”.",
+ "filteredTypes.array": "W przypadku włączenia tej opcji w widoku linków do stron nadrzędnych są pokazywane symbole „array”.",
+ "filteredTypes.object": "W przypadku włączenia tej opcji w widoku linków do stron nadrzędnych są pokazywane symbole „object”.",
+ "filteredTypes.key": "W przypadku włączenia tej opcji w widoku linków do stron nadrzędnych są pokazywane symbole „key”.",
+ "filteredTypes.null": "W przypadku włączenia tej opcji w widoku linków do stron nadrzędnych są pokazywane symbole „null”.",
+ "filteredTypes.enumMember": "W przypadku włączenia tej opcji w widoku linków do stron nadrzędnych są pokazywane symbole „enumMember”.",
+ "filteredTypes.struct": "W przypadku włączenia tej opcji w widoku linków do stron nadrzędnych są pokazywane symbole „struct”.",
+ "filteredTypes.event": "W przypadku włączenia tej opcji w widoku linków do stron nadrzędnych są pokazywane symbole „event”.",
+ "filteredTypes.operator": "W przypadku włączenia tej opcji w widoku linków do stron nadrzędnych są pokazywane symbole „operator”.",
+ "filteredTypes.typeParameter": "W przypadku włączenia tej opcji w widoku linków do stron nadrzędnych są pokazywane symbole „typeParameter”."
+ },
+ "vs/workbench/browser/parts/editor/breadcrumbsPicker": {
+ "breadcrumbs": "Linki do stron nadrzędnych"
+ },
+ "vs/workbench/contrib/backup/electron-sandbox/backupTracker": {
+ "backupTrackerBackupFailed": "Co najmniej jednego edytora ze zmodyfikowaną zawartością nie można zapisać w lokalizacji kopii zapasowej.",
+ "backupTrackerConfirmFailed": "Nie można zapisać lub przywrócić co najmniej jednego edytora ze zmodyfikowaną zawartością.",
+ "ok": "OK",
+ "backupErrorDetails": "Spróbuj najpierw zapisać lub przywrócić edytory ze zmodyfikowaną zawartością, a następnie spróbuj ponownie."
+ },
+ "vs/workbench/contrib/bulkEdit/browser/bulkEditService": {
+ "summary.0": "Nie dokonano edycji",
+ "summary.nm": "Dokonano {0} edycji tekstu w {1} plikach",
+ "summary.n0": "Dokonano {0} edycji tekstu w jednym pliku",
+ "workspaceEdit": "Edycja obszaru roboczego",
+ "nothing": "Nie dokonano edycji"
+ },
+ "vs/workbench/contrib/bulkEdit/browser/preview/bulkEdit.contribution": {
+ "overlap": "Trwa wyświetlanie podglądu innej refaktoryzacji.",
+ "cancel": "Anuluj",
+ "continue": "Kontynuuj",
+ "detail": "Naciśnij przycisk „Kontynuuj”, aby odrzucić poprzednią refaktoryzację i kontynuować bieżącą refaktoryzację.",
+ "apply": "Zastosuj refaktoryzację",
+ "cat": "Podgląd refaktoryzacji",
+ "Discard": "Odrzuć refaktoryzację",
+ "toogleSelection": "Przełącz zmianę",
+ "groupByFile": "Grupuj zmiany według pliku",
+ "groupByType": "Grupuj zmiany według typu",
+ "refactorPreviewViewIcon": "Wyświetl ikonę widoku podglądu refaktoryzacji.",
+ "panel": "Podgląd refaktoryzacji"
+ },
+ "vs/workbench/contrib/bulkEdit/browser/preview/bulkEditPane": {
+ "empty.msg": "Wywołaj akcję kodu, taką jak zmiana nazwy, aby zobaczyć podgląd jej zmian w tym miejscu.",
+ "conflict.1": "Nie można zastosować refaktoryzacji, ponieważ w międzyczasie zmieniono element „{0}”.",
+ "conflict.N": "Nie można zastosować refaktoryzacji, ponieważ w międzyczasie inne pliki ({0}) uległy zmianie.",
+ "edt.title.del": "{0} (usuń, podgląd refaktoryzacji)",
+ "rename": "zmień nazwę",
+ "create": "Utwórz",
+ "edt.title.2": "{0} ({1}, podgląd refaktoryzacji)",
+ "edt.title.1": "{0} (podgląd refaktoryzacji)"
+ },
+ "vs/workbench/contrib/bulkEdit/browser/preview/bulkEditPreview": {
+ "default": "Inne"
+ },
+ "vs/workbench/contrib/bulkEdit/browser/preview/bulkEditTree": {
+ "bulkEdit": "Edycja zbiorcza",
+ "aria.renameAndEdit": "Zmiana nazwy {0} na {1}, a także dokonywanie edycji tekstu",
+ "aria.createAndEdit": "Tworzenie {0} i dokonywanie edycji tekstu",
+ "aria.deleteAndEdit": "Usuwanie {0}, również dokonywanie edycji tekstu",
+ "aria.editOnly": "{0}, dokonywanie edycji tekstu",
+ "aria.rename": "Zmienianie nazwy z „{0}” na „{1}”",
+ "aria.create": "Tworzenie {0}",
+ "aria.delete": "Usuwanie {0}",
+ "aria.replace": "wiersz {0}, zamiana {1} na {2}",
+ "aria.del": "wiersz {0}, usuwanie {1}",
+ "aria.insert": "wiersz {0}, wstawianie {1}",
+ "rename.label": "{0} → {1}",
+ "detail.rename": "(zmienianie nazwy)",
+ "detail.create": "(tworzenie)",
+ "detail.del": "(usuwanie)",
+ "title": "{0} — {1}"
+ },
+ "vs/workbench/contrib/callHierarchy/browser/callHierarchy.contribution": {
+ "no.item": "Brak wyników",
+ "error": "Nie można wyświetlić hierarchii wywołań",
+ "title": "Wgląd w hierarchię wywołań",
+ "title.incoming": "Pokaż wywołania przychodzące",
+ "showIncomingCallsIcons": "Ikona wywołań przychodzących w widoku hierarchii wywołań.",
+ "title.outgoing": "Pokaż wywołania wychodzące",
+ "showOutgoingCallsIcon": "Ikona wywołań wychodzących w widoku hierarchii wywołań.",
+ "title.refocus": "Ustaw ponownie fokus w hierarchii wywołań",
+ "close": "Zamknij"
+ },
+ "vs/workbench/contrib/callHierarchy/browser/callHierarchyPeek": {
+ "callFrom": "Wywołania z elementu „{0}”",
+ "callsTo": "Elementy wywołujące „{0}”",
+ "title.loading": "Ładowanie...",
+ "empt.callsFrom": "Brak wywołań z elementu „{0}”",
+ "empt.callsTo": "Brak wywołań elementu „{0}”"
+ },
+ "vs/workbench/contrib/callHierarchy/browser/callHierarchyTree": {
+ "tree.aria": "Hierarchia wywołań",
+ "from": "wywołania z elementu {0}",
+ "to": "elementy wywołujące „{0}”"
+ },
+ "vs/workbench/contrib/cli/node/cli.contribution": {
+ "shellCommand": "Polecenie powłoki",
+ "install": "Zainstaluj polecenie „{0}” w ścieżce",
+ "not available": "To polecenie jest niedostępne.",
+ "ok": "OK",
+ "cancel2": "Anuluj",
+ "warnEscalation": "Kod będzie teraz monitować za pomocą narzędzia „osascript” o uprawnienia administratora, aby zainstalować polecenie powłoki.",
+ "cantCreateBinFolder": "Nie można utworzyć elementu „/usr/local/bin”.",
+ "aborted": "Przerwano",
+ "successIn": "Polecenie powłoki „{0}” zostało pomyślnie zainstalowane w ścieżce.",
+ "uninstall": "Odinstaluj polecenie „{0}” ze ścieżki",
+ "warnEscalationUninstall": "Kod będzie teraz monitować za pomocą narzędzia „osascript” o uprawnienia administratora, aby odinstalować polecenie powłoki.",
+ "cantUninstall": "Nie można odinstalować polecenia powłoki „{0}”.",
+ "successFrom": "Polecenie powłoki „{0}” pomyślnie odinstalowano ze ścieżki."
+ },
+ "vs/workbench/contrib/codeActions/common/codeActionsContribution": {
+ "codeActionsOnSave.fixAll": "Określa, czy akcja automatycznego poprawiania ma być uruchamiana przy zapisywaniu pliku.",
+ "codeActionsOnSave": "Rodzaje akcji kodu do uruchamiania przy zapisywaniu.",
+ "codeActionsOnSave.generic": "Określa, czy akcje „{0}” mają być uruchamiane przy zapisywaniu pliku."
+ },
+ "vs/workbench/contrib/codeActions/common/codeActionsExtensionPoint": {
+ "contributes.codeActions": "Skonfiguruj edytor używany dla zasobu.",
+ "contributes.codeActions.languages": "Tryby języka, dla których są włączone akcje kodu.",
+ "contributes.codeActions.kind": "Element „CodeActionKind” wniesionej akcji kodu.",
+ "contributes.codeActions.title": "Etykieta dla akcji kodu używanej w interfejsie użytkownika.",
+ "contributes.codeActions.description": "Opis działania akcji kodu."
+ },
+ "vs/workbench/contrib/codeActions/common/documentationExtensionPoint": {
+ "contributes.documentation": "Dodana dokumentacja.",
+ "contributes.documentation.refactorings": "Dodana dokumentacja dotycząca refaktoryzacji.",
+ "contributes.documentation.refactoring": "Dodana dokumentacja dotycząca refaktoryzacji.",
+ "contributes.documentation.refactoring.title": "Etykieta dla dokumentacji używanej w interfejsie użytkownika.",
+ "contributes.documentation.refactoring.when": "Klauzula when.",
+ "contributes.documentation.refactoring.command": "Polecenie wykonane."
+ },
+ "vs/workbench/contrib/codeEditor/electron-browser/startDebugTextMate": {
+ "startDebugTextMate": "Rozpocznij rejestrowanie gramatyki składni Text Mate"
+ },
+ "vs/workbench/contrib/codeEditor/electron-sandbox/selectionClipboard": {
+ "actions.pasteSelectionClipboard": "Wklej schowek zaznaczenia"
+ },
+ "vs/workbench/contrib/codeEditor/browser/languageConfigurationExtensionPoint": {
+ "parseErrors": "Błędy podczas analizowania elementu {0}: {1}",
+ "formatError": "{0}: nieprawidłowy format, oczekiwano obiektu JSON.",
+ "schema.openBracket": "Znak nawiasu otwierającego lub sekwencja ciągu.",
+ "schema.closeBracket": "Znak nawiasu zamykającego lub sekwencja ciągu.",
+ "schema.comments": "Definiuje symbole komentarzy",
+ "schema.blockComments": "Określa sposób oznaczania komentarzy blokowych.",
+ "schema.blockComment.begin": "Sekwencja znaków, która rozpoczyna komentarz blokowy.",
+ "schema.blockComment.end": "Sekwencja znaków, która kończy komentarz blokowy.",
+ "schema.lineComment": "Sekwencja znaków, która rozpoczyna komentarz wiersza.",
+ "schema.brackets": "Definiuje symbole nawiasów, które zwiększają lub zmniejszają wcięcie.",
+ "schema.autoClosingPairs": "Definiuje pary nawiasów. Po wprowadzeniu nawiasu otwierającego nawias zamykający jest wstawiany automatycznie.",
+ "schema.autoClosingPairs.notIn": "Definiuje listę zakresów, w których pary automatyczne są wyłączone.",
+ "schema.autoCloseBefore": "Określa, jakie znaki muszą znajdować się po kursorze, aby automatyczne domykanie nawiasów lub cudzysłowów wystąpiło podczas używania ustawienia automatycznego zamykania „languageDefined”. Zwykle jest to zestaw znaków, które nie mogą rozpoczynać wyrażenia.",
+ "schema.surroundingPairs": "Definiuje pary nawiasów, które mogą być używane do otaczania wybranego ciągu.",
+ "schema.wordPattern": "Definiuje, co jest uznawane za słowo w języku programowania.",
+ "schema.wordPattern.pattern": "Wzorzec RegExp używany do dopasowywania wyrazów.",
+ "schema.wordPattern.flags": "Flagi RegExp używane do dopasowywania wyrazów.",
+ "schema.wordPattern.flags.errorMessage": "Musi być zgodny ze wzorcem „/^([gimuy]+)$/”.",
+ "schema.indentationRules": "Ustawienia wcięć dla języka.",
+ "schema.indentationRules.increaseIndentPattern": "Jeśli wiersz pasuje do tego wzorca, wszystkie wiersze po nim powinny zostać wcięte jednokrotnie (aż do dopasowania innej reguły).",
+ "schema.indentationRules.increaseIndentPattern.pattern": "Wzorzec RegExp dla elementu increaseIndentPattern.",
+ "schema.indentationRules.increaseIndentPattern.flags": "Flagi RegExp dla elementu increaseIndentPattern.",
+ "schema.indentationRules.increaseIndentPattern.errorMessage": "Musi być zgodny ze wzorcem „/^([gimuy]+)$/”.",
+ "schema.indentationRules.decreaseIndentPattern": "Jeśli wiersz pasuje do tego wzorca, wcięcie wszystkich wierszy po nim powinno zostać zmniejszone jednokrotnie (aż do dopasowania innej reguły).",
+ "schema.indentationRules.decreaseIndentPattern.pattern": "Wzorzec RegExp dla elementu decreaseIndentPattern.",
+ "schema.indentationRules.decreaseIndentPattern.flags": "Flagi RegExp dla elementu decreaseIndentPattern.",
+ "schema.indentationRules.decreaseIndentPattern.errorMessage": "Musi być zgodny ze wzorcem „/^([gimuy]+)$/”.",
+ "schema.indentationRules.indentNextLinePattern": "Jeśli wiersz pasuje do tego wzorca, to **tylko następny wiersz** po nim powinien zostać wcięty jednokrotnie.",
+ "schema.indentationRules.indentNextLinePattern.pattern": "Wzorzec RegExp dla elementu indentNextLinePattern.",
+ "schema.indentationRules.indentNextLinePattern.flags": "Flagi RegExp dla elementu indentNextLinePattern.",
+ "schema.indentationRules.indentNextLinePattern.errorMessage": "Musi być zgodny ze wzorcem „/^([gimuy]+)$/”.",
+ "schema.indentationRules.unIndentedLinePattern": "Jeśli wiersz pasuje do tego wzorca, jego wcięcie nie powinno być zmieniane i nie powinien być on oceniany względem innych reguł.",
+ "schema.indentationRules.unIndentedLinePattern.pattern": "Wzorzec RegExp dla elementu unIndentedLinePattern.",
+ "schema.indentationRules.unIndentedLinePattern.flags": "Flagi RegExp dla elementu unIndentedLinePattern.",
+ "schema.indentationRules.unIndentedLinePattern.errorMessage": "Musi być zgodny ze wzorcem „/^([gimuy]+)$/”.",
+ "schema.folding": "Ustawienia składania dla języka.",
+ "schema.folding.offSide": "Język jest zgodny z regułą off-side, jeśli bloki w tym języku są wyrażone przez ich wcięcie. Jeśli ta opcja zostanie ustawiona, puste wiersze należą do kolejnego bloku.",
+ "schema.folding.markers": "Znaczniki składania specyficzne dla języka, takie jak „#region” i „#endregion”. Początkowe i końcowe wyrażenia regularne będą testowane pod względem zawartości wszystkich wierszy i muszą być zaprojektowane wydajnie",
+ "schema.folding.markers.start": "Wzorzec RegExp dla znacznika początkowego. Obiekt regexp musi rozpoczynać się od znaku „^”.",
+ "schema.folding.markers.end": "Wzorzec RegExp dla znacznika końcowego. Obiekt regexp musi rozpoczynać się od znaku „^”."
+ },
+ "vs/workbench/contrib/codeEditor/browser/quickaccess/gotoSymbolQuickAccess": {
+ "empty": "Brak pasujących wpisów",
+ "gotoSymbolQuickAccessPlaceholder": "Wpisz nazwę symbolu, do którego ma nastąpić przejście.",
+ "gotoSymbolQuickAccess": "Przejdź do symbolu w edytorze",
+ "gotoSymbolByCategoryQuickAccess": "Przejdź do symbolu w edytorze według kategorii",
+ "gotoSymbol": "Przejdź do symbolu w edytorze..."
+ },
+ "vs/workbench/contrib/codeEditor/browser/accessibility/accessibility": {
+ "emergencyConfOn": "Trwa zmiana ustawienia „editor.accessibilitySupport” na „on”.",
+ "openingDocs": "Trwa otwieranie strony dokumentacji ułatwień dostępu programu VS Code.",
+ "introMsg": "Dziękujemy za wypróbowanie opcji ułatwień dostępu programu VS Code.",
+ "status": "Stan:",
+ "changeConfigToOnMac": "Aby skonfigurować edytor tak, aby był stale zoptymalizowany pod kątem użycia z czytnikiem zawartości ekranu, naciśnij teraz klawisze Command+E.",
+ "changeConfigToOnWinLinux": "Aby skonfigurować edytor tak, aby był stale zoptymalizowany pod kątem użycia z czytnikiem zawartości ekranu, naciśnij teraz klawisze Control+E.",
+ "auto_unknown": "Edytor jest skonfigurowany tak, aby używał interfejsów API platformy do wykrywania, czy jest podłączony czytnik zawartości ekranu, ale bieżące środowisko uruchomieniowe nie obsługuje tej funkcji.",
+ "auto_on": "Edytor automatycznie wykrył, że jest podłączony czytnik zawartości ekranu.",
+ "auto_off": "Edytor jest skonfigurowany tak, aby automatycznie wykrywał, czy jest podłączony czytnik zawartości ekranu, co nie ma miejsca w tej chwili.",
+ "configuredOn": "Edytor jest skonfigurowany tak, aby był stale zoptymalizowany pod kątem użycia z czytnikiem zawartości ekranu — można to zmienić, edytując ustawienie „editor.accessibilitySupport”.",
+ "configuredOff": "Edytor jest skonfigurowany tak, aby nigdy nie był optymalizowany pod kątem użycia z czytnikiem zawartości ekranu.",
+ "tabFocusModeOnMsg": "Naciśnięcie klawisza Tab w bieżącym edytorze spowoduje przeniesienie fokusu do następnego elementu, do którego można przenieść fokus. Aby przełączyć to zachowanie, naciśnij {0}.",
+ "tabFocusModeOnMsgNoKb": "Naciśnięcie klawisza Tab w bieżącym edytorze spowoduje przeniesienie fokusu do następnego elementu, do którego można przenieść fokus. Polecenie {0} nie jest obecnie wyzwalane przez powiązanie klawiszy.",
+ "tabFocusModeOffMsg": "Naciśnięcie klawisza Tab w bieżącym edytorze spowoduje wstawienie znaku tabulacji. Aby przełączyć to zachowanie, naciśnij {0}.",
+ "tabFocusModeOffMsgNoKb": "Naciśnięcie klawisza Tab w bieżącym edytorze spowoduje wstawienie znaku tabulacji. Polecenie {0} nie jest obecnie wyzwalane przez powiązanie klawiszy.",
+ "openDocMac": "Naciśnij klawisze Command+H, aby otworzyć okno przeglądarki zawierające więcej informacji programu VS Code związanych z ułatwieniami dostępu.",
+ "openDocWinLinux": "Naciśnij klawisze Control+H, aby otworzyć okno przeglądarki zawierające więcej informacji programu VS Code związanych z ułatwieniami dostępu.",
+ "outroMsg": "Możesz odrzucić tę etykietkę narzędzia i powrócić do edytora, naciskając klawisz Escape lub klawisze Shift+Escape.",
+ "ShowAccessibilityHelpAction": "Pokaż pomoc dotyczącą ułatwień dostępu"
+ },
+ "vs/workbench/contrib/codeEditor/browser/diffEditorHelper": {
+ "hintTimeout": "Algorytm diff został zatrzymany przedwcześnie (po {0} ms).",
+ "removeTimeout": "Usuń limit",
+ "hintWhitespace": "Pokaż różnice białych znaków"
+ },
+ "vs/workbench/contrib/codeEditor/browser/inspectKeybindings": {
+ "workbench.action.inspectKeyMap": "Deweloper: przeprowadź inspekcję mapowań kluczy",
+ "workbench.action.inspectKeyMapJSON": "Przeprowadź inspekcję mapowań kluczy (JSON)"
+ },
+ "vs/workbench/contrib/codeEditor/browser/largeFileOptimizations": {
+ "largeFile": "{0}: tokenizacja, zawijanie i składanie zostały wyłączone dla tego dużego pliku, aby zmniejszyć zużycie pamięci i uniknąć zawieszania się lub awarii.",
+ "removeOptimizations": "Wymuś włączenie funkcji",
+ "reopenFilePrompt": "Otwórz ponownie plik, aby to ustawienie zostało zastosowane."
+ },
+ "vs/workbench/contrib/codeEditor/browser/inspectEditorTokens/inspectEditorTokens": {
+ "inspectEditorTokens": "Deweloper: przeprowadź inspekcję tokenów i zakresów edytora",
+ "inspectTMScopesWidget.loading": "Trwa ładowanie..."
+ },
+ "vs/workbench/contrib/codeEditor/browser/quickaccess/gotoLineQuickAccess": {
+ "gotoLineQuickAccessPlaceholder": "Wpisz numer wiersza i opcjonalną kolumnę, do której ma nastąpić przejście (np. 42:5 dla wiersza 42 i kolumny 5).",
+ "gotoLineQuickAccess": "Przejdź do wiersza/kolumny",
+ "gotoLine": "Przejdź do wiersza/kolumny..."
+ },
+ "vs/workbench/contrib/codeEditor/browser/saveParticipants": {
+ "formatting": "Uruchamianie programu formatującego „{0}” ([configure](command:workbench.action.openSettings?%5B%22editor.formatOnSave%22%5D)).",
+ "codeaction": "Szybkie poprawki",
+ "codeaction.get": "Pobieranie akcji kodu z „{0}” ([configure](command:workbench.action.openSettings?%5B%22editor.codeActionsOnSave%22%5D)).",
+ "codeAction.apply": "Stosowanie akcji kodu „{0}”."
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleColumnSelection": {
+ "toggleColumnSelection": "Przełącz tryb zaznaczania kolumny",
+ "miColumnSelection": "Tryb zaznaczania &&kolumny"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleMinimap": {
+ "toggleMinimap": "Przełącz minimapę",
+ "miShowMinimap": "Pokaż &&minimapę"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleMultiCursorModifier": {
+ "toggleLocation": "Przełącz modyfikator wielu kursorów",
+ "miMultiCursorAlt": "Przełącz na Alt+kliknięcie dla wielu kursorów",
+ "miMultiCursorCmd": "Przełącz na Cmd+kliknięcie dla wielu kursorów",
+ "miMultiCursorCtrl": "Przełącz na Ctrl+kliknięcie dla wielu kursorów"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleRenderControlCharacter": {
+ "toggleRenderControlCharacters": "Przełącz znaki kontrolne",
+ "miToggleRenderControlCharacters": "Renderuj &&znaki kontrolne"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleRenderWhitespace": {
+ "toggleRenderWhitespace": "Przełącz renderowanie białych znaków",
+ "miToggleRenderWhitespace": "&&Renderuj białe znaki"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleWordWrap": {
+ "toggle.wordwrap": "Widok: przełącz zawijanie wierszy",
+ "unwrapMinified": "Wyłącz zawijanie dla tego pliku",
+ "wrapMinified": "Włącz zawijanie dla tego pliku",
+ "miToggleWordWrap": "Przełącz za&&wijanie wierszy"
+ },
+ "vs/workbench/contrib/codeEditor/browser/find/simpleFindWidget": {
+ "label.find": "Znajdź",
+ "placeholder.find": "Znajdź",
+ "label.previousMatchButton": "Poprzednie dopasowanie",
+ "label.nextMatchButton": "Następne dopasowanie",
+ "label.closeButton": "Zamknij"
+ },
+ "vs/workbench/contrib/codeEditor/browser/find/simpleFindReplaceWidget": {
+ "label.find": "Znajdź",
+ "placeholder.find": "Znajdź",
+ "label.previousMatchButton": "Poprzednie dopasowanie",
+ "label.nextMatchButton": "Następne dopasowanie",
+ "label.closeButton": "Zamknij",
+ "label.toggleReplaceButton": "Przełącz tryb zamieniania",
+ "label.replace": "Zamień",
+ "placeholder.replace": "Zamień",
+ "label.replaceButton": "Zamień",
+ "label.replaceAllButton": "Zamień wszystko"
+ },
+ "vs/workbench/contrib/comments/browser/comments.contribution": {
+ "commentsConfigurationTitle": "Komentarze",
+ "openComments": "Określa, kiedy ma być otwierany panel komentarzy."
+ },
+ "vs/workbench/contrib/comments/browser/commentsEditorContribution": {
+ "pickCommentService": "Wybierz dostawcę komentarzy",
+ "nextCommentThreadAction": "Przejdź do następnego wątku komentarza"
+ },
+ "vs/workbench/contrib/comments/browser/commentsView": {
+ "collapseAll": "Zwiń wszystko",
+ "rootCommentsLabel": "Komentarze dla bieżącego obszaru roboczego",
+ "resourceWithCommentThreadsLabel": "Komentarze w {0}, pełna ścieżka {1}",
+ "resourceWithCommentLabel": "Komentarz z ${0} w wierszu {1} kolumny {2} w {3}, źródło: {4}"
+ },
+ "vs/workbench/contrib/comments/browser/commentsTreeViewer": {
+ "imageWithLabel": "Obraz: {0}",
+ "image": "Obraz"
+ },
+ "vs/workbench/contrib/comments/browser/commentGlyphWidget": {
+ "editorGutterCommentRangeForeground": "Kolor dekoracji marginesu edytora dla zakresów komentowania."
+ },
+ "vs/workbench/contrib/comments/browser/commentThreadWidget": {
+ "collapseIcon": "Ikona zwijania komentarza w przeglądzie.",
+ "label.collapse": "Zwiń",
+ "startThread": "Rozpocznij dyskusję",
+ "reply": "Odpowiedz...",
+ "newComment": "Wpisz nowy komentarz"
+ },
+ "vs/workbench/contrib/comments/common/commentModel": {
+ "noComments": "W tym obszarze roboczym nie ma jeszcze żadnych komentarzy."
+ },
+ "vs/workbench/contrib/comments/browser/commentNode": {
+ "commentToggleReaction": "Przełącz reakcję",
+ "commentToggleReactionError": "Przełączanie reakcji komentarza nie powiodło się: {0}.",
+ "commentToggleReactionDefaultError": "Przełączanie reakcji komentarza nie powiodło się",
+ "commentDeleteReactionError": "Usuwanie reakcji na komentarz nie powiodło się: {0}.",
+ "commentDeleteReactionDefaultError": "Usuwanie reakcji na komentarz nie powiodło się",
+ "commentAddReactionError": "Usuwanie reakcji na komentarz nie powiodło się: {0}.",
+ "commentAddReactionDefaultError": "Usuwanie reakcji na komentarz nie powiodło się"
+ },
+ "vs/workbench/contrib/comments/browser/reactionsAction": {
+ "pickReactions": "Wybierz reakcje..."
+ },
+ "vs/workbench/contrib/customEditor/browser/customEditors": {
+ "openWithCurrentlyActive": "Obecnie aktywne",
+ "promptOpenWith.setDefaultTooltip": "Ustaw jako edytor domyślny dla plików „{0}”",
+ "promptOpenWith.placeHolder": "Wybierz edytor, który ma być używany dla „{0}”..."
+ },
+ "vs/workbench/contrib/customEditor/common/contributedCustomEditors": {
+ "builtinProviderDisplayName": "Wbudowane",
+ "promptOpenWith.defaultEditor.displayName": "Edytor tekstu"
+ },
+ "vs/workbench/contrib/customEditor/common/extensionPoint": {
+ "contributes.customEditors": "Dodane edytory niestandardowe.",
+ "contributes.viewType": "Identyfikator edytora niestandardowego. Musi być unikatowy we wszystkich edytorach niestandardowych, dlatego zalecamy dołączenie identyfikatora rozszerzenia jako części elementu „viewType”. Element „viewType” jest używany podczas rejestrowania edytorów niestandardowych przy użyciu elementu „vscode.registerCustomEditorProvider” i w elemencie onCustomEditor:${id}” [zdarzenie aktywacji](https://code.visualstudio.com/api/references/activation-events).",
+ "contributes.displayName": "Czytelna dla użytkownika nazwa edytora niestandardowego. Jest ona wyświetlana użytkownikom podczas wybierania edytora do użycia.",
+ "contributes.selector": "Zestaw wzorców globalnych, dla którego jest włączony edytor niestandardowy.",
+ "contributes.selector.filenamePattern": "Wzorzec globalny, dla którego jest włączony edytor niestandardowy.",
+ "contributes.priority": "Steruje tym, czy edytor niestandardowy jest włączany automatycznie, gdy użytkownik otwiera plik. Może to zostać przesłonięte przez użytkowników za pomocą ustawienia „workbench.editorAssociations”.",
+ "contributes.priority.default": "Edytor jest automatycznie używany, gdy użytkownik otwiera zasób, pod warunkiem, że dla tego zasobu nie zarejestrowano żadnych innych edytorów domyślnych.",
+ "contributes.priority.option": "Edytor nie jest automatycznie używany, gdy użytkownik otwiera zasób, ale użytkownik może przełączyć się do tego edytora za pomocą polecenia „Otwórz ponownie za pomocą”."
+ },
+ "vs/workbench/contrib/debug/common/debug": {
+ "internalConsoleOptions": "Określa, kiedy powinna zostać otwarta wewnętrzna konsola debugowania."
+ },
+ "vs/workbench/contrib/debug/browser/debug.contribution": {
+ "debugCategory": "Debugowanie",
+ "runCategory": "Uruchom",
+ "startDebugPlaceholder": "Wpisz nazwę konfiguracji uruchamiania do uruchomienia.",
+ "startDebuggingHelp": "Rozpocznij debugowanie",
+ "terminateThread": "Zakończ wątek",
+ "debugFocusConsole": "Ustaw fokus w widoku konsoli debugowania",
+ "jumpToCursor": "Przeskocz do kursora",
+ "SetNextStatement": "Ustaw następną instrukcję",
+ "inlineBreakpoint": "Wewnętrzny punkt przerwania",
+ "stepBackDebug": "Krok do tyłu",
+ "reverseContinue": "Odwróć",
+ "restartFrame": "Uruchom ponownie ramkę",
+ "copyStackTrace": "Kopiuj stos wywołań",
+ "setValue": "Ustaw wartość",
+ "copyValue": "Kopiuj wartość",
+ "copyAsExpression": "Kopiuj jako wyrażenie",
+ "addToWatchExpressions": "Dodaj do wyrażenia kontrolnego",
+ "breakWhenValueChanges": "Przerwij w przypadku zmiany wartości",
+ "miViewRun": "&&Uruchom",
+ "miToggleDebugConsole": "Konsola de&&bugowania",
+ "miStartDebugging": "&&Rozpocznij debugowanie",
+ "miRun": "Uruchom &&bez debugowania",
+ "miStopDebugging": "&&Zatrzymaj debugowanie",
+ "miRestart Debugging": "&&Uruchom ponownie debugowanie",
+ "miOpenConfigurations": "Otwórz &&konfiguracje",
+ "miAddConfiguration": "Do&&daj konfigurację...",
+ "miStepOver": "Przekr&&ocz",
+ "miStepInto": "Wkrocz &&do",
+ "miStepOut": "&&Wyjdź",
+ "miContinue": "&&Kontynuuj",
+ "miToggleBreakpoint": "Przełącz &&punkt przerwania",
+ "miConditionalBreakpoint": "&&Warunkowy punkt przerwania...",
+ "miInlineBreakpoint": "Wewnętrzny p&&unkt przerwania",
+ "miFunctionBreakpoint": "&&Punkt przerwania funkcji...",
+ "miLogPoint": "&&Punkt rejestrowania...",
+ "miNewBreakpoint": "&&Nowy punkt przerwania",
+ "miEnableAllBreakpoints": "&&Włącz wszystkie punkty przerwania",
+ "miDisableAllBreakpoints": "Wyłącz w&&szystkie punkty przerwania",
+ "miRemoveAllBreakpoints": "Usuń &&wszystkie punkty przerwania",
+ "miInstallAdditionalDebuggers": "&&Zainstaluj dodatkowe debugery...",
+ "debugPanel": "Konsola debugowania",
+ "run": "Uruchom",
+ "variables": "Zmienne",
+ "watch": "Wyrażenie kontrolne",
+ "callStack": "Stos wywołań",
+ "breakpoints": "Punkty przerwania",
+ "loadedScripts": "Załadowane skrypty",
+ "debugConfigurationTitle": "Debugowanie",
+ "allowBreakpointsEverywhere": "Zezwalaj na ustawianie punktów przerwania w dowolnym pliku.",
+ "openExplorerOnEnd": "Automatycznie otwórz widok eksploratora na koniec sesji debugowania.",
+ "inlineValues": "Pokaż wartości zmiennych w edytorze podczas debugowania.",
+ "toolBarLocation": "Steruje położeniem paska narzędzi debugowania. „Przestawny” we wszystkich widokach, „zadokowany” w widoku debugowania lub „ukryty”.",
+ "never": "Nigdy nie pokazuj debugera na pasku stanu",
+ "always": "Zawsze pokazuj debugowanie na pasku stanu",
+ "onFirstSessionStart": "Pokaż debugowanie na pasku stanu dopiero po uruchomieniu debugowania po raz pierwszy",
+ "showInStatusBar": "Określa, kiedy pasek stanu debugowania ma być widoczny.",
+ "debug.console.closeOnEnd": "Określa, czy konsola debugowania ma zostać automatycznie zamknięta po zakończeniu sesji debugowania.",
+ "openDebug": "Określa, kiedy ma być otwierany widok debugowania.",
+ "showSubSessionsInToolBar": "Określa, czy podsesje debugowania są wyświetlane na pasku narzędzi debugowania. Jeśli to ustawienie ma wartość false, polecenie zatrzymania w podsesji zatrzyma również sesję nadrzędną.",
+ "debug.console.fontSize": "Określa rozmiar czcionki w pikselach w konsoli debugowania.",
+ "debug.console.fontFamily": "Kontroluje rodzinę czcionek w konsoli debugowania.",
+ "debug.console.lineHeight": "Określa wysokość wiersza w pikselach w konsoli debugowania. Użyj wartości 0, aby obliczyć wysokość wiersza na podstawie rozmiaru czcionki.",
+ "debug.console.wordWrap": "Określa, czy wiersze powinny być zawijane w konsoli debugowania.",
+ "debug.console.historySuggestions": "Określa, czy konsola debugowania powinna sugerować wcześniej wpisane dane wejściowe.",
+ "launch": "Globalna konfiguracja uruchamiania debugowania. Powinna być używana jako alternatywa dla pliku „launch.json”, który jest współużytkowany w obszarach roboczych.",
+ "debug.focusWindowOnBreak": "Określa, czy fokus powinien zostać przeniesiony do okna środowiska roboczego, gdy działanie debugera zostanie przerwane.",
+ "debugAnyway": "Ignoruj błędy zadań i rozpocznij debugowanie.",
+ "showErrors": "Pokaż widok Problemy i nie rozpoczynaj debugowania.",
+ "prompt": "Monituj użytkownika.",
+ "cancel": "Anuluj debugowanie.",
+ "debug.onTaskErrors": "Określa, co zrobić w przypadku napotkania błędów po uruchomieniu elementu preLaunchTask.",
+ "showBreakpointsInOverviewRuler": "Określa, czy punkty przerwania mają być pokazywane na linijce przeglądu.",
+ "showInlineBreakpointCandidates": "Określa, czy dekoracje kandydatów wewnętrznych punktów przerwania powinny być wyświetlane w edytorze podczas debugowania."
+ },
+ "vs/workbench/contrib/debug/browser/debugEditorContribution": {
+ "addConfiguration": "Dodaj konfigurację..."
+ },
+ "vs/workbench/contrib/debug/browser/breakpointEditorContribution": {
+ "logPoint": "Punkt rejestrowania",
+ "breakpoint": "Punkt przerwania",
+ "breakpointHasConditionDisabled": "Ten {0} ma warunek {1}, który zostanie utracony podczas usuwania. Zamiast tego rozważ wyłączenie punktu przerwania {0}.",
+ "message": "komunikat",
+ "condition": "warunek",
+ "breakpointHasConditionEnabled": "Ten {0} ma {1}, który zostanie utracony podczas usuwania. Zamiast tego rozważ wyłączenie {0}.",
+ "removeLogPoint": "Usuń element {0}",
+ "disableLogPoint": "{0} {1}",
+ "disable": "Wyłącz",
+ "enable": "Włącz",
+ "cancel": "Anuluj",
+ "removeBreakpoint": "Usuń element {0}",
+ "editBreakpoint": "Edytuj element {0}...",
+ "disableBreakpoint": "Wyłącz {0}",
+ "enableBreakpoint": "Włącz {0}",
+ "removeBreakpoints": "Usuń punkty przerwania",
+ "removeInlineBreakpointOnColumn": "Usuń wewnętrzny punkt przerwania w kolumnie {0}",
+ "removeLineBreakpoint": "Usuń punkt przerwania wiersza",
+ "editBreakpoints": "Edytuj punkty przerwania",
+ "editInlineBreakpointOnColumn": "Edytuj wewnętrzny punkt przerwania w kolumnie {0}",
+ "editLineBrekapoint": "Edytuj punkt przerwania w wierszu",
+ "enableDisableBreakpoints": "Włącz/wyłącz punkty przerwania",
+ "disableInlineColumnBreakpoint": "Wyłącz wewnętrzny punkt przerwania w kolumnie {0}",
+ "disableBreakpointOnLine": "Wyłącz punkt przerwania w wierszu",
+ "enableBreakpoints": "Włącz wewnętrzny punkt przerwania w kolumnie {0}",
+ "enableBreakpointOnLine": "Włącz punkt przerwania w wierszu",
+ "addBreakpoint": "Dodaj punkt przerwania",
+ "addConditionalBreakpoint": "Dodaj warunkowy punkt przerwania...",
+ "addLogPoint": "Dodaj punkt rejestrowania...",
+ "debugIcon.breakpointForeground": "Kolor ikony dla punktów przerwania.",
+ "debugIcon.breakpointDisabledForeground": "Kolor ikony dla wyłączonych punktów przerwania.",
+ "debugIcon.breakpointUnverifiedForeground": "Kolor ikony dla niezweryfikowanych punktów przerwania.",
+ "debugIcon.breakpointCurrentStackframeForeground": "Kolor ikony dla bieżącej ramki stosu punktów przerwania.",
+ "debugIcon.breakpointStackframeForeground": "Kolor ikony dla wszystkich ramek stosu punktów przerwania."
+ },
+ "vs/workbench/contrib/debug/browser/callStackEditorContribution": {
+ "topStackFrameLineHighlight": "Kolor tła dla wyróżnienia wiersza w pozycji na szczycie ramki stosu.",
+ "focusedStackFrameLineHighlight": "Kolor tła dla wyróżnienia wiersza w pozycji ramki stosu z fokusem."
+ },
+ "vs/workbench/contrib/debug/browser/repl": {
+ "workbench.debug.filter.placeholder": "Filtr (np. text, !exclude)",
+ "debugConsole": "Konsola debugowania",
+ "copy": "Kopiuj",
+ "copyAll": "Kopiuj wszystko",
+ "paste": "Wklej",
+ "collapse": "Zwiń wszystko",
+ "startDebugFirst": "Rozpocznij sesję debugowania, aby obliczyć wyrażenia",
+ "actions.repl.acceptInput": "REPL: zaakceptuj dane wejściowe",
+ "repl.action.filter": "REPL: ustaw fokus w zawartości do filtrowania",
+ "actions.repl.copyAll": "Debugowanie: konsola — kopiuj wszystko",
+ "selectRepl": "Wybierz konsolę debugowania",
+ "clearRepl": "Wyczyść konsolę",
+ "debugConsoleCleared": "Konsola debugowania została wyczyszczona"
+ },
+ "vs/workbench/contrib/debug/browser/debugViewlet": {
+ "startAdditionalSession": "Rozpocznij dodatkową sesję",
+ "toggleDebugPanel": "Konsola debugowania",
+ "toggleDebugViewlet": "Pokaż element Uruchom i debuguj"
+ },
+ "vs/workbench/contrib/debug/common/abstractDebugAdapter": {
+ "timeout": "Przekroczenie limitu czasu po {0} ms dla „{1}”"
+ },
+ "vs/workbench/contrib/debug/browser/breakpointsView": {
+ "editCondition": "Edytuj warunek",
+ "Logpoint": "Punkt rejestrowania",
+ "Breakpoint": "Punkt przerwania",
+ "editBreakpoint": "Edytuj element {0}...",
+ "removeBreakpoint": "Usuń element {0}",
+ "expressionCondition": "Warunek wyrażenia: {0}",
+ "functionBreakpointsNotSupported": "Punkty przerwania funkcji nie są obsługiwane przez ten typ debugowania",
+ "dataBreakpointsNotSupported": "Punkty przerwania danych nie są obsługiwane przez ten typ debugowania",
+ "functionBreakpointPlaceholder": "Funkcja dla przerwania",
+ "functionBreakPointInputAriaLabel": "Wpisz punkt przerwania funkcji",
+ "exceptionBreakpointPlaceholder": "Przerwij, gdy wynikiem wyrażenia jest wartość true",
+ "exceptionBreakpointAriaLabel": "Warunek punktu przerwania wyjątku typu",
+ "breakpoints": "Punkty przerwania",
+ "disabledLogpoint": "Wyłączony punkt rejestrowania",
+ "disabledBreakpoint": "Wyłączony punkt przerwania",
+ "unverifiedLogpoint": "Niezweryfikowany punkt rejestrowania",
+ "unverifiedBreakopint": "Niezweryfikowany punkt przerwania",
+ "functionBreakpointUnsupported": "Punkty przerwania funkcji nieobsługiwane przez ten typ debugowania",
+ "functionBreakpoint": "Punkt przerwania funkcji",
+ "dataBreakpointUnsupported": "Punkty przerwania danych nieobsługiwane przez ten typ debugowania",
+ "dataBreakpoint": "Punkt przerwania danych",
+ "breakpointUnsupported": "Punkty przerwania tego typu nie są obsługiwane przez debuger",
+ "logMessage": "Komunikat dziennika: {0}",
+ "expression": "Warunek wyrażenia: {0}",
+ "hitCount": "Liczba trafień: {0}",
+ "breakpoint": "Punkt przerwania"
+ },
+ "vs/workbench/contrib/debug/browser/callStackView": {
+ "running": "Uruchomione",
+ "showMoreStackFrames2": "Pokaż więcej ramek stosu",
+ "session": "Sesja",
+ "thread": "Wątek",
+ "restartFrame": "Uruchom ponownie ramkę",
+ "loadAllStackFrames": "Załaduj wszystkie ramki stosu",
+ "showMoreAndOrigin": "Pokaż {0} więcej: {1}",
+ "showMoreStackFrames": "Pokaż {0} więcej ramek stosu",
+ "callStackAriaLabel": "Stos wywołań debugowania",
+ "threadAriaLabel": "Wątek {0} {1}",
+ "stackFrameAriaLabel": "Ramka stosu {0}, wiersz {1}, {2}",
+ "sessionLabel": "Sesja {0} {1}"
+ },
+ "vs/workbench/contrib/debug/browser/debugActions": {
+ "openLaunchJson": "Otwórz {0}",
+ "launchJsonNeedsConfigurtion": "Konfiguruj lub napraw plik „launch.json”",
+ "noFolderDebugConfig": "Najpierw otwórz folder, aby przeprowadzić zaawansowaną konfigurację debugowania.",
+ "selectWorkspaceFolder": "Wybierz folder obszaru roboczego, aby utworzyć plik launch.js lub dodać go do pliku konfiguracji obszaru roboczego",
+ "startDebug": "Rozpocznij debugowanie",
+ "startWithoutDebugging": "Rozpocznij bez debugowania",
+ "selectAndStartDebugging": "Wybierz i rozpocznij debugowanie",
+ "removeBreakpoint": "Usuń punkt przerwania",
+ "removeAllBreakpoints": "Usuń wszystkie punkty przerwania",
+ "enableAllBreakpoints": "Włącz wszystkie punkty przerwania",
+ "disableAllBreakpoints": "Wyłącz wszystkie punkty przerwania",
+ "activateBreakpoints": "Aktywuj punkty przerwania",
+ "deactivateBreakpoints": "Dezaktywuj punkty przerwania",
+ "reapplyAllBreakpoints": "Zastosuj ponownie wszystkie punkty przerwania",
+ "addFunctionBreakpoint": "Dodaj punkt przerwania funkcji",
+ "addWatchExpression": "Dodaj wyrażenie",
+ "removeAllWatchExpressions": "Usuń wszystkie wyrażenia",
+ "focusSession": "Przenieś fokus do sesji",
+ "copyValue": "Kopiuj wartość"
+ },
+ "vs/workbench/contrib/debug/browser/debugToolBar": {
+ "debugToolBarBackground": "Kolor tła paska narzędzi debugowania.",
+ "debugToolBarBorder": "Kolor obramowania paska narzędzi debugowania.",
+ "debugIcon.startForeground": "Ikona paska narzędzi debugowania dla rozpoczynania debugowania.",
+ "debugIcon.pauseForeground": "Ikona paska narzędzi debugowania dla polecenia Wstrzymaj.",
+ "debugIcon.stopForeground": "Ikona paska narzędzi debugowania dla polecenia Zatrzymaj.",
+ "debugIcon.disconnectForeground": "Ikona paska narzędzi debugowania dla polecenia Rozłącz.",
+ "debugIcon.restartForeground": "Ikona paska narzędzi debugowania dla polecenia Uruchom ponownie.",
+ "debugIcon.stepOverForeground": "Ikona paska narzędzi debugowania dla polecenia Przekrocz nad.",
+ "debugIcon.stepIntoForeground": "Ikona paska narzędzi debugowania dla polecenia Wkrocz.",
+ "debugIcon.stepOutForeground": "Ikona paska narzędzi debugowania dla polecenia Przekrocz nad.",
+ "debugIcon.continueForeground": "Ikona paska narzędzi debugowania dla polecenia Kontynuuj.",
+ "debugIcon.stepBackForeground": "Ikona paska narzędzi debugowania dla polecenia Krok do tyłu."
+ },
+ "vs/workbench/contrib/debug/browser/debugService": {
+ "1activeSession": "1 aktywna sesja",
+ "nActiveSessions": "Aktywne sesje: {0}",
+ "configurationAlreadyRunning": "Istnieje już uruchomiona konfiguracja debugowania „{0}”.",
+ "compoundMustHaveConfigurations": "Element złożony musi mieć ustawiony atrybut „configurations”, aby można było uruchomić wiele konfiguracji.",
+ "noConfigurationNameInWorkspace": "Nie można znaleźć konfiguracji uruchamiania „{0}” w obszarze roboczym.",
+ "multipleConfigurationNamesInWorkspace": "W obszarze roboczym istnieje wiele konfiguracji uruchamiania „{0}”. Użyj nazwy folderu, aby zakwalifikować konfigurację.",
+ "noFolderWithName": "Nie można odnaleźć folderu o nazwie „{0}” dla konfiguracji „{1}” w złożonym elemencie „{2}”.",
+ "configMissing": "Brak konfiguracji „{0}” w pliku „launch.json”.",
+ "launchJsonDoesNotExist": "Plik „launch.json” nie istnieje dla przekazanego folderu obszaru roboczego.",
+ "debugRequestNotSupported": "Atrybut „{0}” ma nieobsługiwaną wartość „{1}” w wybranej konfiguracji debugowania.",
+ "debugRequesMissing": "W wybranej konfiguracji debugowania brakuje atrybutu „{0}”.",
+ "debugTypeNotSupported": "Skonfigurowany typ debugowania „{0}” nie jest obsługiwany.",
+ "debugTypeMissing": "Brak właściwości „type” dla wybranej konfiguracji uruchamiania.",
+ "installAdditionalDebuggers": "Zainstaluj rozszerzenie {0}",
+ "noFolderWorkspaceDebugError": "Nie można debugować aktywnego pliku. Upewnij się, że jest on zapisany i że masz zainstalowane rozszerzenie debugowania dla tego typu pliku.",
+ "debugAdapterCrash": "Proces adaptera debugowania został nieoczekiwanie zakończony ({0})",
+ "cancel": "Anuluj",
+ "debuggingPaused": "{0}:{1}, wstrzymano debugowanie {2}, {3}",
+ "breakpointAdded": "Dodano punkt przerwania, wiersz {0}, plik {1}",
+ "breakpointRemoved": "Usunięto punkt przerwania, wiersz {0}, plik {1}"
+ },
+ "vs/workbench/contrib/debug/browser/statusbarColorProvider": {
+ "statusBarDebuggingBackground": "Kolor tła paska stanu, gdy program jest debugowany. Pasek stanu jest wyświetlany u dołu okna",
+ "statusBarDebuggingForeground": "Kolor pierwszego planu paska stanu, gdy program jest debugowany. Pasek stanu jest wyświetlany u dołu okna",
+ "statusBarDebuggingBorder": "Kolor obramowania paska stanu oddzielający pasek boczny i edytor, gdy program jest debugowany. Pasek stanu jest wyświetlany u dołu okna"
+ },
+ "vs/workbench/contrib/debug/browser/debugStatus": {
+ "status.debug": "Debugowanie",
+ "debugTarget": "Debuguj: {0}",
+ "selectAndStartDebug": "Wybierz i rozpocznij konfigurację debugowania"
+ },
+ "vs/workbench/contrib/debug/browser/debugCommands": {
+ "restartDebug": "Uruchom ponownie",
+ "stepOverDebug": "Przekrocz",
+ "stepIntoDebug": "Wkrocz do",
+ "stepOutDebug": "Wyjdź",
+ "pauseDebug": "Wstrzymaj",
+ "disconnect": "Rozłącz",
+ "stop": "Zatrzymaj",
+ "continueDebug": "Kontynuuj",
+ "chooseLocation": "Wybierz konkretną lokalizację",
+ "noExecutableCode": "Żaden kod wykonywalny nie jest skojarzony z bieżącą pozycją kursora.",
+ "jumpToCursor": "Przeskocz do kursora",
+ "debug": "Debuguj",
+ "noFolderDebugConfig": "Najpierw otwórz folder, aby przeprowadzić zaawansowaną konfigurację debugowania.",
+ "addInlineBreakpoint": "Dodaj wewnętrzny punkt przerwania"
+ },
+ "vs/workbench/contrib/debug/browser/loadedScriptsView": {
+ "loadedScriptsSession": "Sesja debugowania",
+ "loadedScriptsAriaLabel": "Debugowanie załadowanych skryptów",
+ "loadedScriptsRootFolderAriaLabel": "Folder obszaru roboczego {0}, załadowany skrypt, debugowanie",
+ "loadedScriptsSessionAriaLabel": "Sesja {0}, załadowany skrypt, debugowanie",
+ "loadedScriptsFolderAriaLabel": "Folder {0}, załadowany skrypt, debugowanie",
+ "loadedScriptsSourceAriaLabel": "{0}, załadowany skrypt, debugowanie"
+ },
+ "vs/workbench/contrib/debug/browser/debugEditorActions": {
+ "toggleBreakpointAction": "Debugowanie: przełącz punkt przerwania",
+ "conditionalBreakpointEditorAction": "Debugowanie: dodaj warunkowy punkt przerwania...",
+ "logPointEditorAction": "Debugowanie: dodaj punkt rejestrowania...",
+ "runToCursor": "Uruchom do kursora",
+ "evaluateInDebugConsole": "Oszacuj w konsoli debugowania",
+ "addToWatch": "Dodaj do wyrażenia kontrolnego",
+ "showDebugHover": "Debugowanie: pokaż aktywowanie po najechaniu kursorem",
+ "stepIntoTargets": "Wkrocz do elementów docelowych...",
+ "goToNextBreakpoint": "Debugowanie: przejdź do następnego punktu przerwania",
+ "goToPreviousBreakpoint": "Debugowanie: przejdź do poprzedniego punktu przerwania",
+ "closeExceptionWidget": "Zamknij widżet wyjątku"
+ },
+ "vs/workbench/contrib/debug/browser/watchExpressionsView": {
+ "editWatchExpression": "Edytuj wyrażenie",
+ "removeWatchExpression": "Usuń wyrażenie",
+ "watchExpressionInputAriaLabel": "Wpisz wyrażenie kontrolne",
+ "watchExpressionPlaceholder": "Wyrażenie kontrolne",
+ "watchAriaTreeLabel": "Debuguj wyrażenia kontrolne",
+ "watchExpressionAriaLabel": "{0}, wartość {1}",
+ "watchVariableAriaLabel": "{0}, wartość {1}"
+ },
+ "vs/workbench/contrib/debug/browser/variablesView": {
+ "variableValueAriaLabel": "Wpisz nową wartość zmiennej",
+ "variablesAriaTreeLabel": "Debuguj zmienne",
+ "variableScopeAriaLabel": "Zakres {0}",
+ "variableAriaLabel": "{0}, wartość {1}"
+ },
+ "vs/workbench/contrib/debug/common/debugContentProvider": {
+ "unable": "Nie można rozpoznać zasobu bez sesji debugowania",
+ "canNotResolveSourceWithError": "Nie można załadować źródła „{0}”: {1}.",
+ "canNotResolveSource": "Nie można załadować źródła „{0}”."
+ },
+ "vs/workbench/contrib/debug/browser/welcomeView": {
+ "run": "Uruchom",
+ "openAFileWhichCanBeDebugged": "[Otwórz plik](command:{0}), który może być debugowany lub uruchamiany.",
+ "runAndDebugAction": "[Uruchom i debuguj{0}](command:{1})",
+ "detectThenRunAndDebug": "[Pokaż](command:{0}) wszystkie automatyczne konfiguracje debugowania.",
+ "customizeRunAndDebug": "Aby dostosować uruchomienie i debugowanie, [utwórz plik launch.json](command:{0}).",
+ "customizeRunAndDebugOpenFolder": "Aby dostosować uruchomienie i debugowanie, [otwórz folder](command:{0}) i utwórz plik launch.json."
+ },
+ "vs/workbench/contrib/debug/browser/debugQuickAccess": {
+ "noDebugResults": "Brak pasujących konfiguracji uruchamiania",
+ "customizeLaunchConfig": "Konfigurowanie konfiguracji uruchamiania",
+ "contributed": "dodane",
+ "providerAriaLabel": "{0} — dodane konfiguracje",
+ "configure": "konfiguruj",
+ "addConfigTo": "Dodaj konfigurację ({0})...",
+ "addConfiguration": "Dodaj konfigurację..."
+ },
+ "vs/workbench/contrib/debug/browser/debugIcons": {
+ "debugConsoleViewIcon": "Wyświetl ikonę widoku konsoli debugowania.",
+ "runViewIcon": "Wyświetl ikonę widoku uruchamiania.",
+ "variablesViewIcon": "Wyświetl ikonę widoku zmiennych.",
+ "watchViewIcon": "Wyświetl ikonę widoku wyrażeń kontrolnych.",
+ "callStackViewIcon": "Wyświetl ikonę widoku stosu wywołań.",
+ "breakpointsViewIcon": "Wyświetl ikonę widoku punktów przerwania.",
+ "loadedScriptsViewIcon": "Wyświetl ikonę widoku załadowanych skryptów.",
+ "debugBreakpoint": "Ikona punktów przerwania.",
+ "debugBreakpointDisabled": "Ikona wyłączonych punktów przerwania.",
+ "debugBreakpointUnverified": "Ikona niezweryfikowanych punktów przerwania.",
+ "debugBreakpointHint": "Ikona wskazówek dotyczących punktu przerwania pokazywana po zatrzymaniu wskaźnika myszy na marginesie symboli w edytorze.",
+ "debugBreakpointFunction": "Ikona punktów przerwania funkcji.",
+ "debugBreakpointFunctionUnverified": "Ikona niezweryfikowanych punktów przerwania funkcji.",
+ "debugBreakpointFunctionDisabled": "Ikona wyłączonych punktów przerwania funkcji.",
+ "debugBreakpointUnsupported": "Ikona nieobsługiwanych punktów przerwania.",
+ "debugBreakpointConditionalUnverified": "Ikona niezweryfikowanych warunkowych punktów przerwania.",
+ "debugBreakpointConditional": "Ikona warunkowych punktów przerwania.",
+ "debugBreakpointConditionalDisabled": "Ikona wyłączonych warunkowych punktów przerwania.",
+ "debugBreakpointDataUnverified": "Ikona niezweryfikowanych punktów przerwania danych.",
+ "debugBreakpointData": "Ikona punktów przerwania danych.",
+ "debugBreakpointDataDisabled": "Ikona wyłączonych punktów przerwania danych.",
+ "debugBreakpointLogUnverified": "Ikona niezweryfikowanych punktów przerwania dzienników.",
+ "debugBreakpointLog": "Ikona punktów przerwania dzienników.",
+ "debugBreakpointLogDisabled": "Ikona wyłączonego punktu przerwania dziennika.",
+ "debugStackframe": "Ikona ramki stosu wyświetlana na marginesie symboli w edytorze.",
+ "debugStackframeFocused": "Ikona ramki stosu z fokusem wyświetlana na marginesie symboli w edytorze.",
+ "debugGripper": "Ikona uchwytu paska debugowania.",
+ "debugRestartFrame": "Ikona akcji ponownego uruchomienia ramki debugowania.",
+ "debugStop": "Ikona akcji zatrzymania debugowania.",
+ "debugDisconnect": "Ikona akcji rozłączenia debugowania.",
+ "debugRestart": "Ikona akcji ponownego uruchomienia debugowania.",
+ "debugStepOver": "Ikona akcji przekroczenia debugowania.",
+ "debugStepInto": "Ikona akcji wkroczenia do debugowania.",
+ "debugStepOut": "Ikona akcji wyjścia debugowania.",
+ "debugStepBack": "Ikona akcji kroku do tyłu debugowania.",
+ "debugPause": "Ikona akcji wstrzymania debugowania.",
+ "debugContinue": "Ikona akcji kontynuowania debugowania.",
+ "debugReverseContinue": "Ikona akcji odwrotnego kontynuowania debugowania.",
+ "debugStart": "Ikona akcji uruchomienia debugowania.",
+ "debugConfigure": "Ikona akcji konfigurowania debugowania.",
+ "debugConsole": "Ikona akcji otwarcia konsoli debugowania.",
+ "debugCollapseAll": "Ikona akcji zwinięcia wszystkiego w widokach debugowania.",
+ "callstackViewSession": "Ikona sesji w widoku stosu wywołań.",
+ "debugConsoleClearAll": "Ikona akcji wyczyszczenia wszystkiego w konsoli debugowania.",
+ "watchExpressionsRemoveAll": "Ikona akcji usunięcia wszystkiego w widoku wyrażeń kontrolnych.",
+ "watchExpressionsAdd": "Ikona akcji dodania w widoku wyrażeń kontrolnych.",
+ "watchExpressionsAddFuncBreakpoint": "Ikona akcji dodania punktu przerwania funkcji w widoku wyrażeń kontrolnych.",
+ "breakpointsRemoveAll": "Ikona akcji usunięcia wszystkiego w widoku punktów przerwania.",
+ "breakpointsActivate": "Ikona akcji uaktywnienia w widoku punktów przerwania.",
+ "debugConsoleEvaluationInput": "Ikona znacznika danych wejściowych oceny debugowania.",
+ "debugConsoleEvaluationPrompt": "Ikona monitu oceny debugowania."
+ },
+ "vs/workbench/contrib/debug/browser/exceptionWidget": {
+ "debugExceptionWidgetBorder": "Kolor obramowania widżetu wyjątku.",
+ "debugExceptionWidgetBackground": "Kolor tła widżetu wyjątku.",
+ "exceptionThrownWithId": "Wystąpił wyjątek: {0}",
+ "exceptionThrown": "Wystąpił wyjątek.",
+ "close": "Zamknij"
+ },
+ "vs/workbench/contrib/debug/browser/debugHover": {
+ "quickTip": "Przytrzymaj klawisz {0}, aby przełączyć się na aktywowanie języka edytora",
+ "treeAriaLabel": "Informacje po najechaniu kursorem w trybie debugowania",
+ "variableAriaLabel": "{0}, wartość {1}, zmienne, debugowanie"
+ },
+ "vs/workbench/contrib/debug/browser/breakpointWidget": {
+ "breakpointWidgetLogMessagePlaceholder": "Komunikat do zarejestrowania po trafieniu punktu przerwania. Wyrażenia w nawiasie {} są interpolowane. Naciśnij klawisz „Enter”, aby zaakceptować, naciśnij klawisz „Esc”, aby anulować.",
+ "breakpointWidgetHitCountPlaceholder": "Przerwij po spełnieniu warunku liczby trafień. Naciśnij klawisz „Enter”, aby zaakceptować, klawisz „Esc”, aby anulować.",
+ "breakpointWidgetExpressionPlaceholder": "Przerwij, gdy wyrażenie daje w wyniku wartość true. Naciśnij klawisz „Enter”, aby zaakceptować, klawisz „Esc”, aby anulować.",
+ "expression": "Wyrażenie",
+ "hitCount": "Liczba trafień",
+ "logMessage": "Komunikat dziennika",
+ "breakpointType": "Typ punktu przerwania"
+ },
+ "vs/workbench/contrib/debug/browser/debugActionViewItems": {
+ "debugLaunchConfigurations": "Konfiguracje uruchamiania debugowania",
+ "noConfigurations": "Brak konfiguracji",
+ "addConfigTo": "Dodaj konfigurację ({0})...",
+ "addConfiguration": "Dodaj konfigurację...",
+ "debugSession": "Sesja debugowania"
+ },
+ "vs/workbench/contrib/debug/browser/linkDetector": {
+ "fileLinkMac": "Cmd + kliknięcie, aby otworzyć link",
+ "fileLink": "Ctrl + kliknięcie, aby otworzyć link"
+ },
+ "vs/workbench/contrib/debug/browser/replViewer": {
+ "debugConsole": "Konsola debugowania",
+ "replVariableAriaLabel": "Zmienna {0}, wartość {1}",
+ "occurred": ", wystąpienia: {0}",
+ "replRawObjectAriaLabel": "Zmienna {0} konsoli debugowania, wartość {1}",
+ "replGroup": "Grupa konsoli debugowania {0}"
+ },
+ "vs/workbench/contrib/debug/common/replModel": {
+ "consoleCleared": "Konsola została wyczyszczona",
+ "snapshotObj": "Dla tego obiektu pokazywane są tylko wartości pierwotne."
+ },
+ "vs/workbench/contrib/debug/browser/replFilter": {
+ "showing filtered repl lines": "Pokazane: {0} z {1}"
+ },
+ "vs/workbench/contrib/debug/node/debugAdapter": {
+ "debugAdapterBinNotFound": "Plik wykonywalny adaptera debugowania „{0}” nie istnieje.",
+ "debugAdapterCannotDetermineExecutable": "Nie można określić pliku wykonywalnego dla adaptera debugowania „{0}”.",
+ "unableToLaunchDebugAdapter": "Nie można uruchomić adaptera debugowania z „{0}”.",
+ "unableToLaunchDebugAdapterNoArgs": "Nie można uruchomić adaptera debugowania."
+ },
+ "vs/workbench/contrib/debug/common/debugModel": {
+ "invalidVariableAttributes": "Nieprawidłowe atrybuty zmiennej",
+ "startDebugFirst": "Rozpocznij sesję debugowania, aby obliczyć wyrażenia",
+ "notAvailable": "niedostępne",
+ "pausedOn": "Wstrzymane przy: {0}",
+ "paused": "Wstrzymane",
+ "running": "Uruchomione",
+ "breakpointDirtydHover": "Niezweryfikowany punkt przerwania. Plik został zmodyfikowany, uruchom ponownie sesję debugowania."
+ },
+ "vs/workbench/contrib/debug/browser/debugConfigurationManager": {
+ "selectConfiguration": "Wybierz konfigurację uruchamiania",
+ "editLaunchConfig": "Edytuj konfigurację debugowania w pliku launch.json",
+ "DebugConfig.failed": "Nie można utworzyć pliku „launch.json” w folderze „.vscode” ({0}).",
+ "workspace": "obszar roboczy",
+ "user settings": "ustawienia użytkownika"
+ },
+ "vs/workbench/contrib/debug/browser/debugSession": {
+ "noDebugAdapter": "Brak dostępnego debugera, nie można wysłać „{0}”",
+ "sessionNotReadyForBreakpoints": "Sesja nie jest gotowa na punkty przerwania",
+ "debuggingStarted": "Debugowanie rozpoczęte.",
+ "debuggingStopped": "Debugowanie zatrzymane."
+ },
+ "vs/workbench/contrib/debug/browser/debugTaskRunner": {
+ "preLaunchTaskErrors": "Występują błędy po uruchomieniu zadania preLaunchTask „{0}”.",
+ "preLaunchTaskError": "Występuje błąd po uruchomieniu zadania preLaunchTask „{0}”.",
+ "preLaunchTaskExitCode": "Zadanie preLaunchTask „{0}” zostało zakończone z kodem zakończenia {1}.",
+ "preLaunchTaskTerminated": "Zadanie preLaunchTask „{0}” zostało zakończone.",
+ "debugAnyway": "Debuguj mimo to",
+ "showErrors": "Pokaż błędy",
+ "abort": "Przerwij",
+ "remember": "Zapamiętaj mój wybór w ustawieniach użytkownika",
+ "invalidTaskReference": "Nie można odwołać się do zadania „{0}” z poziomu konfiguracji uruchamiania, która znajduje się w innym folderze obszaru roboczego.",
+ "DebugTaskNotFoundWithTaskId": "Nie można odnaleźć zadania „{0}”.",
+ "DebugTaskNotFound": "Nie można odnaleźć określonego zadania.",
+ "taskNotTrackedWithTaskId": "Nie można śledzić określonego zadania.",
+ "taskNotTracked": "Nie można śledzić zadania „{0}”."
+ },
+ "vs/workbench/contrib/debug/browser/debugAdapterManager": {
+ "debugNoType": "Nie można pominąć atrybutu „type” debugera i musi on być typu „string”.",
+ "more": "Więcej...",
+ "selectDebug": "Wybierz środowisko"
+ },
+ "vs/workbench/contrib/debug/common/debugSource": {
+ "unknownSource": "Nieznane źródło"
+ },
+ "vs/workbench/contrib/debug/common/debugSchemas": {
+ "vscode.extension.contributes.debuggers": "Dodaje adaptery debugowania.",
+ "vscode.extension.contributes.debuggers.type": "Unikatowy identyfikator dla tego adaptera debugowania.",
+ "vscode.extension.contributes.debuggers.label": "Nazwa wyświetlana dla tego adaptera debugowania.",
+ "vscode.extension.contributes.debuggers.program": "Ścieżka do programu adaptera debugowania. Ścieżka jest bezwzględna lub określona względem folderu rozszerzenia.",
+ "vscode.extension.contributes.debuggers.args": "Opcjonalne argumenty do przekazania do adaptera.",
+ "vscode.extension.contributes.debuggers.runtime": "Opcjonalne środowisko uruchomieniowe w przypadku, gdy atrybut programu nie jest plikiem wykonywalnym, ale wymaga środowiska uruchomieniowego.",
+ "vscode.extension.contributes.debuggers.runtimeArgs": "Opcjonalne argumenty środowiska uruchomieniowego.",
+ "vscode.extension.contributes.debuggers.variables": "Mapowanie ze zmiennych interaktywnych (np. ${action.pickProcess}) w pliku „launch.json” na polecenie.",
+ "vscode.extension.contributes.debuggers.initialConfigurations": "Konfiguracje na potrzeby generowania początkowego pliku „launch.json”.",
+ "vscode.extension.contributes.debuggers.languages": "Lista języków, dla których rozszerzenie debugowania może zostać uznane za „debuger domyślny”.",
+ "vscode.extension.contributes.debuggers.configurationSnippets": "Fragmenty kodu na potrzeby dodawania nowych konfiguracji w pliku „launch.json”.",
+ "vscode.extension.contributes.debuggers.configurationAttributes": "Konfiguracje schematu JSON na potrzeby weryfikowania pliku „launch.json”.",
+ "vscode.extension.contributes.debuggers.windows": "Ustawienia specyficzne dla systemu Windows.",
+ "vscode.extension.contributes.debuggers.windows.runtime": "Środowisko uruchomieniowe używane dla systemu Windows.",
+ "vscode.extension.contributes.debuggers.osx": "Ustawienia specyficzne dla systemu macOS.",
+ "vscode.extension.contributes.debuggers.osx.runtime": "Środowisko uruchomieniowe używane dla systemu macOS.",
+ "vscode.extension.contributes.debuggers.linux": "Ustawienia specyficzne dla systemu Linux.",
+ "vscode.extension.contributes.debuggers.linux.runtime": "Środowisko uruchomieniowe używane dla systemu Linux.",
+ "vscode.extension.contributes.breakpoints": "Dodaje punkty przerwania.",
+ "vscode.extension.contributes.breakpoints.language": "Zezwalaj na punkty przerwania dla tego języka.",
+ "presentation": "Opcje prezentacji dotyczące sposobu wyświetlania tej konfiguracji na liście rozwijanej konfiguracji debugowania i na palecie poleceń.",
+ "presentation.hidden": "Określa, czy ta konfiguracja ma być wyświetlana na liście rozwijanej konfiguracji i na palecie poleceń.",
+ "presentation.group": "Grupa, do której należy ta konfiguracja. Służy do grupowania i sortowania na liście rozwijanej konfiguracji i na palecie poleceń.",
+ "presentation.order": "Kolejność tej konfiguracji w grupie. Służy do grupowania i sortowania na liście rozwijanej konfiguracji i na palecie poleceń.",
+ "app.launch.json.title": "Uruchom",
+ "app.launch.json.version": "Wersja tego formatu pliku.",
+ "app.launch.json.configurations": "Lista konfiguracji. Dodaj nowe konfiguracje lub edytuj istniejące przy użyciu funkcji IntelliSense.",
+ "app.launch.json.compounds": "Lista elementów złożonych. Każdy element złożony odwołuje się do wielu konfiguracji, które zostaną uruchomione razem.",
+ "app.launch.json.compound.name": "Nazwa elementu złożonego. Pojawia się w menu rozwijanym konfiguracji uruchamiania.",
+ "useUniqueNames": "Użyj unikatowych nazw konfiguracji.",
+ "app.launch.json.compound.folder": "Nazwa folderu, w którym znajduje się element złożony.",
+ "app.launch.json.compounds.configurations": "Nazwy konfiguracji, które zostaną uruchomione jako część tego elementu złożonego.",
+ "app.launch.json.compound.stopAll": "Określa, czy ręczne zakończenie jednej sesji spowoduje zatrzymanie wszystkich sesji złożonych.",
+ "compoundPrelaunchTask": "Zadanie, które ma zostać uruchomione przed uruchomieniem dowolnej z konfiguracji złożonych."
+ },
+ "vs/workbench/contrib/debug/browser/rawDebugSession": {
+ "noDebugAdapterStart": "Brak adaptera debugowania, nie można rozpocząć sesji debugowania.",
+ "noDebugAdapter": "Nie znaleziono dostępnego debugera. Nie można wysłać „{0}”.",
+ "moreInfo": "Więcej informacji"
+ },
+ "vs/workbench/contrib/debug/common/debugger": {
+ "cannot.find.da": "Nie można odnaleźć adaptera debugowania dla typu „{0}”.",
+ "launch.config.comment1": "Użyj funkcji IntelliSense, aby uzyskać informacje o możliwych atrybutach.",
+ "launch.config.comment2": "Najedź kursorem, aby wyświetlić opisy istniejących atrybutów.",
+ "launch.config.comment3": "Aby uzyskać więcej informacji, odwiedź stronę: {0}",
+ "debugType": "Typ konfiguracji.",
+ "debugTypeNotRecognised": "Nierozpoznany typ debugowania. Upewnij się, że masz zainstalowane odpowiednie rozszerzenie debugowania i że jest ono włączone.",
+ "node2NotSupported": "Element „node2” nie jest już obsługiwany, zamiast tego użyj elementu „node” i ustaw atrybut „protocol” na wartość „inspector”.",
+ "debugName": "Nazwa konfiguracji; pojawi się w menu rozwijanym konfiguracji uruchamiania.",
+ "debugRequest": "Typ żądania konfiguracji. Może to być „launch” („uruchom”) lub „attach” („dołącz”).",
+ "debugServer": "Tylko dla programowania rozszerzeń debugowania: jeśli określono port, program VS Code próbuje nawiązać połączenie z adapterem debugowania uruchomionym w trybie serwera",
+ "debugPrelaunchTask": "Zadanie do uruchomienia przed rozpoczęciem sesji debugowania.",
+ "debugPostDebugTask": "Zadanie do uruchomienia po zakończeniu sesji debugowania.",
+ "debugWindowsConfiguration": "Atrybuty konfiguracji uruchamiania specyficzne dla systemu Windows.",
+ "debugOSXConfiguration": "Atrybuty konfiguracji uruchamiania specyficzne dla systemu OS X.",
+ "debugLinuxConfiguration": "Atrybuty konfiguracji uruchamiania specyficzne dla systemu Linux."
+ },
+ "vs/workbench/contrib/dialogs/browser/dialogHandler": {
+ "yesButton": "&&Tak",
+ "cancelButton": "Anuluj",
+ "aboutDetail": "Wersja: {0}\r\nZatwierdzenie: {1}\r\nData: {2}\r\nPrzeglądarka: {3}",
+ "copy": "Kopiuj",
+ "ok": "OK"
+ },
+ "vs/workbench/contrib/dialogs/electron-sandbox/dialogHandler": {
+ "yesButton": "&&Tak",
+ "cancelButton": "Anuluj",
+ "aboutDetail": "Wersja: {0}\r\nZatwierdzenie: {1}\r\nData: {2}\r\nElectron: {3}\r\nChrome: {4}\r\nNode.js: {5}\r\nV8: {6}\r\nSystem operacyjny: {7}",
+ "okButton": "OK",
+ "copy": "&&Kopiuj"
+ },
+ "vs/workbench/contrib/emmet/browser/actions/expandAbbreviation": {
+ "expandAbbreviationAction": "Emmet: rozwiń skrót",
+ "miEmmetExpandAbbreviation": "Emmet: roz&&wiń skrót"
+ },
+ "vs/workbench/contrib/experiments/browser/experiments.contribution": {
+ "workbench.enableExperiments": "Pobiera eksperymenty do uruchomienia z usługi online firmy Microsoft."
+ },
+ "vs/workbench/contrib/extensions/electron-browser/extensions.contribution": {
+ "runtimeExtension": "Uruchomione rozszerzenia"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/runtimeExtensionsEditor": {
+ "extensionHostProfileStart": "Uruchom profil hosta rozszerzeń",
+ "stopExtensionHostProfileStart": "Zatrzymaj profil hosta rozszerzeń",
+ "saveExtensionHostProfile": "Zapisz profil hosta rozszerzeń"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/debugExtensionHostAction": {
+ "debugExtensionHost": "Uruchom hosta rozszerzeń debugowania",
+ "restart1": "Rozszerzenia profilu",
+ "restart2": "Do profilowania rozszerzeń wymagane jest ponowne uruchomienie. Czy chcesz teraz ponownie uruchomić element „{0}”?",
+ "restart3": "&&Uruchom ponownie",
+ "cancel": "&&Anuluj",
+ "debugExtensionHost.launch.name": "Dołącz hosta rozszerzenia"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/extensionProfileService": {
+ "profilingExtensionHost": "Profilowanie hosta rozszerzeń",
+ "selectAndStartDebug": "Kliknij, aby zatrzymać profilowanie.",
+ "profilingExtensionHostTime": "Profilowanie hosta rozszerzeń ({0} s)",
+ "status.profiler": "Profiler rozszerzeń",
+ "restart1": "Rozszerzenia profilu",
+ "restart2": "Do profilowania rozszerzeń wymagane jest ponowne uruchomienie. Czy chcesz teraz ponownie uruchomić element „{0}”?",
+ "restart3": "&&Uruchom ponownie",
+ "cancel": "&&Anuluj"
+ },
+ "vs/workbench/contrib/extensions/common/runtimeExtensionsInput": {
+ "extensionsInputName": "Uruchomione rozszerzenia"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/extensionsAutoProfiler": {
+ "unresponsive-exthost": "Ostatnia operacja rozszerzenia „{0}” zajęła bardzo dużo czasu, co uniemożliwiło uruchomienie innych rozszerzeń.",
+ "show": "Pokaż rozszerzenia"
+ },
+ "vs/workbench/contrib/extensions/electron-sandbox/extensionsActions": {
+ "openExtensionsFolder": "Otwórz folder rozszerzeń"
+ },
+ "vs/workbench/contrib/extensions/browser/extensions.contribution": {
+ "manageExtensionsQuickAccessPlaceholder": "Naciśnij klawisz Enter, aby zarządzać rozszerzeniami.",
+ "manageExtensionsHelp": "Zarządzaj rozszerzeniami",
+ "installVSIX": "Zainstaluj plik VSIX rozszerzenia",
+ "extension": "Rozszerzenie",
+ "extensions": "Rozszerzenia",
+ "extensionsConfigurationTitle": "Rozszerzenia",
+ "extensionsAutoUpdate": "Gdy ta funkcja jest włączona, automatycznie instaluje aktualizacje dla rozszerzeń. Aktualizacje są pobierane z usługi online firmy Microsoft.",
+ "extensionsCheckUpdates": "Gdy ta funkcja jest włączona, automatycznie sprawdza rozszerzenia pod kątem aktualizacji. Jeśli rozszerzenie ma aktualizację, jest oznaczane jako nieaktualne w widoku rozszerzeń. Aktualizacje są pobierane z usługi online firmy Microsoft.",
+ "extensionsIgnoreRecommendations": "W przypadku włączenia tej opcji powiadomienia o rekomendacjach dotyczących rozszerzeń nie będą wyświetlane.",
+ "extensionsShowRecommendationsOnlyOnDemand_Deprecated": "To ustawienie jest przestarzałe. Użyj ustawienia extensions.ignoreRecommendations, aby kontrolować powiadomienia dotyczące rekomendacji. Użyj akcji widoczności w widoku Rozszerzenia, aby domyślnie ukrywać widok Zalecane.",
+ "extensionsCloseExtensionDetailsOnViewChange": "W przypadku włączenia tej opcji edytory ze szczegółami rozszerzenia będą automatycznie zamykane po wyjściu z widoku Rozszerzenia.",
+ "handleUriConfirmedExtensions": "Gdy rozszerzenie jest wymienione w tym miejscu, monit o potwierdzenie nie będzie wyświetlany, jeśli to rozszerzenie obsługuje identyfikator URI.",
+ "extensionsWebWorker": "Włącz hosta rozszerzenia internetowego procesu roboczego.",
+ "workbench.extensions.installExtension.description": "Zainstaluj dane rozszerzenie",
+ "workbench.extensions.installExtension.arg.name": "Identyfikator rozszerzenia lub identyfikator URI zasobu VSIX",
+ "notFound": "Nie znaleziono rozszerzenia „{0}”.",
+ "InstallVSIXAction.successReload": "Zakończono instalowanie rozszerzenia {0} z pliku VSIX. Załaduj ponownie program Visual Studio Code, aby je włączyć.",
+ "InstallVSIXAction.success": "Zakończono instalowanie rozszerzenia {0} z pliku VSIX.",
+ "InstallVSIXAction.reloadNow": "Załaduj ponownie teraz",
+ "workbench.extensions.uninstallExtension.description": "Odinstaluj dane rozszerzenie",
+ "workbench.extensions.uninstallExtension.arg.name": "Identyfikator rozszerzenia do odinstalowania",
+ "id required": "Identyfikator rozszerzenia jest wymagany.",
+ "notInstalled": "Rozszerzenie „{0}” nie jest zainstalowane. Upewnij się, że używasz pełnego identyfikatora rozszerzenia, w tym wydawcy, na przykład: ms-dotnettools.csharp.",
+ "builtin": "Rozszerzenie „{0}” jest wbudowanym rozszerzeniem i nie można go zainstalować",
+ "workbench.extensions.search.description": "Wyszukaj określone rozszerzenie",
+ "workbench.extensions.search.arg.name": "Zapytanie do użycia w wyszukiwaniu",
+ "miOpenKeymapExtensions": "&&Mapy klawiszy",
+ "miOpenKeymapExtensions2": "Mapowania klawiszy",
+ "miPreferencesExtensions": "&&Rozszerzenia",
+ "miViewExtensions": "Rozsz&&erzenia",
+ "showExtensions": "Rozszerzenia",
+ "installExtensionQuickAccessPlaceholder": "Wpisz nazwę rozszerzenia do zainstalowania lub wyszukania.",
+ "installExtensionQuickAccessHelp": "Zainstaluj lub wyszukaj rozszerzenia",
+ "workbench.extensions.action.copyExtension": "Kopiuj",
+ "extensionInfoName": "Nazwa: {0}",
+ "extensionInfoId": "Identyfikator: {0}",
+ "extensionInfoDescription": "Opis: {0}",
+ "extensionInfoVersion": "Wersja: {0}",
+ "extensionInfoPublisher": "Wydawca: {0}",
+ "extensionInfoVSMarketplaceLink": "Link do portalu VS Marketplace: {0}",
+ "workbench.extensions.action.copyExtensionId": "Kopiuj identyfikator rozszerzenia",
+ "workbench.extensions.action.configure": "Ustawienia rozszerzenia",
+ "workbench.extensions.action.toggleIgnoreExtension": "Synchronizuj to rozszerzenie",
+ "workbench.extensions.action.ignoreRecommendation": "Ignoruj rekomendację",
+ "workbench.extensions.action.undoIgnoredRecommendation": "Cofnij zignorowaną rekomendację",
+ "workbench.extensions.action.addExtensionToWorkspaceRecommendations": "Dodaj do rekomendacji dla obszaru roboczego",
+ "workbench.extensions.action.removeExtensionFromWorkspaceRecommendations": "Usuń rekomendacje dla obszaru roboczego",
+ "workbench.extensions.action.addToWorkspaceRecommendations": "Dodaj rozszerzenie do rekomendacji dla obszaru roboczego",
+ "workbench.extensions.action.addToWorkspaceFolderRecommendations": "Dodaj rozszerzenie do rekomendacji dla folderu obszaru roboczego",
+ "workbench.extensions.action.addToWorkspaceIgnoredRecommendations": "Dodaj rozszerzenie do ignorowanych rekomendacji dla obszaru roboczego",
+ "workbench.extensions.action.addToWorkspaceFolderIgnoredRecommendations": "Dodaj rozszerzenie do ignorowanych rekomendacji dla folderu obszaru roboczego"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsViewlet": {
+ "installed": "Zainstalowane",
+ "popularExtensions": "Popularne",
+ "recommendedExtensions": "Zalecane",
+ "enabledExtensions": "Włączone",
+ "disabledExtensions": "Wyłączone",
+ "marketPlace": "Marketplace",
+ "enabled": "Włączone",
+ "disabled": "Wyłączone",
+ "outdated": "Przestarzałe",
+ "builtin": "Wbudowane",
+ "workspaceRecommendedExtensions": "Rekomendacje dotyczące obszaru roboczego",
+ "otherRecommendedExtensions": "Inne rekomendacje",
+ "builtinFeatureExtensions": "Funkcje",
+ "builtInThemesExtensions": "Motywy",
+ "builtinProgrammingLanguageExtensions": "Języki programowania",
+ "sort by installs": "Liczba instalacji",
+ "sort by rating": "Ocena",
+ "sort by name": "Nazwa",
+ "sort by date": "Data publikacji",
+ "searchExtensions": "Wyszukaj rozszerzenia w witrynie Marketplace",
+ "builtin filter": "Wbudowane",
+ "installed filter": "Zainstalowane",
+ "enabled filter": "Włączone",
+ "disabled filter": "Wyłączone",
+ "outdated filter": "Przestarzałe",
+ "featured filter": "Zalecane",
+ "most popular filter": "Najbardziej popularne",
+ "most popular recommended": "Zalecane",
+ "recently published filter": "Ostatnio opublikowane",
+ "filter by category": "Kategoria",
+ "sorty by": "Sortuj według",
+ "filterExtensions": "Filtruj rozszerzenia...",
+ "extensionFoundInSection": "W sekcji {0} znaleziono 1 rozszerzenie.",
+ "extensionFound": "Znaleziono 1 rozszerzenie.",
+ "extensionsFoundInSection": "Liczba rozszerzeń znalezionych w sekcji {1}: {0}.",
+ "extensionsFound": "Znalezione rozszerzenia: {0}.",
+ "suggestProxyError": "Platforma handlowa zwróciła wartość „ECONNREFUSED”. Sprawdź ustawienie „http.proxy”.",
+ "open user settings": "Otwórz ustawienia użytkownika",
+ "outdatedExtensions": "Nieaktualne rozszerzenia: {0}",
+ "malicious warning": "Odinstalowaliśmy element „{0}”, który został zgłoszony jako problematyczny.",
+ "reloadNow": "Załaduj ponownie teraz"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/extensionsSlowActions": {
+ "cmd.reportOrShow": "Performance Issue",
+ "cmd.report": "Zgłoś problem",
+ "attach.title": "Czy został dołączony profil procesora CPU?",
+ "ok": "OK",
+ "attach.msg": "To jest przypomnienie o dołączeniu elementu „{0}” do właśnie utworzonego problemu.",
+ "cmd.show": "Pokaż problemy",
+ "attach.msg2": "To jest przypomnienie o dołączeniu elementu „{0}” do istniejącego problemu z wydajnością."
+ },
+ "vs/workbench/contrib/extensions/electron-browser/reportExtensionIssueAction": {
+ "reportExtensionIssue": "Zgłoś problem"
+ },
+ "vs/workbench/contrib/extensions/browser/abstractRuntimeExtensionsEditor": {
+ "starActivation": "Aktywowane przez {0} przy uruchomieniu",
+ "workspaceContainsGlobActivation": "Aktywowany przez {1}, ponieważ plik pasujący do wzorca {1} istnieje w obszarze roboczym",
+ "workspaceContainsFileActivation": "Aktywowany przez {1}, ponieważ plik {0} istnieje w obszarze roboczym",
+ "workspaceContainsTimeout": "Aktywowany przez {1}, ponieważ wyszukiwanie {0} trwało zbyt długo",
+ "startupFinishedActivation": "Aktywowane przez zdarzenie {0} po zakończeniu uruchamiania",
+ "languageActivation": "Aktywowany przez {1}, ponieważ otwarto plik {0}",
+ "workspaceGenericActivation": "Aktywowany przez {1} przy zdarzeniu {0}",
+ "unresponsive.title": "Rozszerzenie spowodowało zablokowanie hosta rozszerzenia.",
+ "errors": "Nieprzechwycone błędy: {0}",
+ "runtimeExtensions": "Rozszerzenia środowiska uruchomieniowego",
+ "disable workspace": "Wyłącz (obszar roboczy)",
+ "disable": "Wyłącz",
+ "showRuntimeExtensions": "Pokaż uruchomione rozszerzenia"
+ },
+ "vs/workbench/contrib/extensions/common/extensionsInput": {
+ "extensionsInputName": "Rozszerzenie: {0}"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsActions": {
+ "noOfYearsAgo": "{0} lat temu",
+ "one year ago": "1 rok temu",
+ "noOfMonthsAgo": "{0} mies. temu",
+ "one month ago": "1 miesiąc temu",
+ "noOfDaysAgo": "{0} dni temu",
+ "one day ago": "1 dzień temu",
+ "noOfHoursAgo": "{0} godz. temu",
+ "one hour ago": "1 godz. temu",
+ "just now": "Właśnie teraz",
+ "update operation": "Wystąpił błąd podczas aktualizowania rozszerzenia „{0}”.",
+ "install operation": "Wystąpił błąd podczas instalowania rozszerzenia „{0}”.",
+ "download": "Spróbuj pobrać ręcznie...",
+ "install vsix": "Po pobraniu zainstaluj ręcznie pobrany plik VSIX z „{0}”.",
+ "check logs": "Aby uzyskać więcej informacji, sprawdź [dziennik]({0}).",
+ "installExtensionStart": "Rozpoczęto instalowanie rozszerzenia {0}. Trwa otwieranie edytora z bardziej szczegółowymi informacjami na temat tego rozszerzenia.",
+ "installExtensionComplete": "Instalowanie rozszerzenia {0} zostało ukończone.",
+ "install": "Zainstaluj",
+ "install and do no sync": "Zainstaluj (nie synchronizuj)",
+ "install in remote and do not sync": "Zainstaluj na: {0} (nie synchronizuj)",
+ "install in remote": "Zainstaluj na: {0}",
+ "install locally and do not sync": "Zainstaluj lokalnie (nie synchronizuj)",
+ "install locally": "Zainstaluj lokalnie",
+ "install everywhere tooltip": "Zainstaluj to rozszerzenie we wszystkich synchronizowanych wystąpieniach {0}",
+ "installing": "Instalowanie",
+ "install browser": "Zainstaluj w przeglądarce",
+ "uninstallAction": "Odinstaluj",
+ "Uninstalling": "Odinstalowywanie",
+ "uninstallExtensionStart": "Rozpoczęto odinstalowywanie rozszerzenia {0}.",
+ "uninstallExtensionComplete": "Załaduj ponownie program Visual Studio Code, aby ukończyć odinstalowywanie rozszerzenia {0}.",
+ "updateExtensionStart": "Rozpoczęto aktualizowanie rozszerzenia {0} do wersji {1}.",
+ "updateExtensionComplete": "Ukończono aktualizowanie rozszerzenia {0} do wersji {1}.",
+ "updateTo": "Zaktualizuj do {0}",
+ "updateAction": "Aktualizuj",
+ "manage": "Zarządzaj",
+ "ManageExtensionAction.uninstallingTooltip": "Odinstalowywanie",
+ "install another version": "Zainstaluj inną wersję...",
+ "selectVersion": "Wybierz wersję do zainstalowania",
+ "current": "Bieżące",
+ "enableForWorkspaceAction": "Włącz (obszar roboczy)",
+ "enableForWorkspaceActionToolTip": "Włącz to rozszerzenie tylko w tym obszarze roboczym",
+ "enableGloballyAction": "Włącz",
+ "enableGloballyActionToolTip": "Włącz to rozszerzenie",
+ "disableForWorkspaceAction": "Wyłącz (obszar roboczy)",
+ "disableForWorkspaceActionToolTip": "Wyłącz to rozszerzenie tylko w tym obszarze roboczym",
+ "disableGloballyAction": "Wyłącz",
+ "disableGloballyActionToolTip": "Wyłącz to rozszerzenie",
+ "enableAction": "Włącz",
+ "disableAction": "Wyłącz",
+ "checkForUpdates": "Sprawdź dostępność aktualizacji rozszerzeń",
+ "noUpdatesAvailable": "Wszystkie rozszerzenia są aktualne.",
+ "singleUpdateAvailable": "Dostępna jest aktualizacja rozszerzenia.",
+ "updatesAvailable": "Dostępne aktualizacje rozszerzeń: {0}.",
+ "singleDisabledUpdateAvailable": "Dostępna jest aktualizacja rozszerzenia, które jest wyłączone.",
+ "updatesAvailableOneDisabled": "Dostępne aktualizacje rozszerzeń: {0}. Jedna z nich jest przeznaczona dla wyłączonego rozszerzenia.",
+ "updatesAvailableAllDisabled": "Dostępne aktualizacje rozszerzeń: {0}. Wszystkie z nich są przeznaczone dla wyłączonych rozszerzeń.",
+ "updatesAvailableIncludingDisabled": "Dostępne aktualizacje rozszerzeń: {0}. {1} z nich to aktualizacje przeznaczone dla wyłączonych rozszerzeń.",
+ "enableAutoUpdate": "Włącz automatyczne aktualizowanie rozszerzeń",
+ "disableAutoUpdate": "Wyłącz automatyczne aktualizowanie rozszerzeń",
+ "updateAll": "Zaktualizuj wszystkie rozszerzenia",
+ "reloadAction": "Załaduj ponownie",
+ "reloadRequired": "Wymagane ponowne załadowanie",
+ "postUninstallTooltip": "Załaduj ponownie program Visual Studio Code, aby ukończyć odinstalowywanie tego rozszerzenia.",
+ "postUpdateTooltip": "Załaduj ponownie program Visual Studio Code, aby włączyć zaktualizowane rozszerzenie.",
+ "enable locally": "Załaduj ponownie program Visual Studio Code, aby włączyć to rozszerzenie lokalnie.",
+ "enable remote": "Załaduj ponownie program Visual Studio Code, aby włączyć to rozszerzenie w {0}.",
+ "postEnableTooltip": "Załaduj ponownie program Visual Studio Code, aby włączyć to rozszerzenie.",
+ "postDisableTooltip": "Załaduj ponownie program Visual Studio Code, aby wyłączyć to rozszerzenie.",
+ "installExtensionCompletedAndReloadRequired": "Instalacja rozszerzenia {0} została ukończona. Załaduj ponownie program Visual Studio Code, aby je włączyć.",
+ "color theme": "Ustaw motyw kolorów",
+ "select color theme": "Wybierz motyw kolorów",
+ "file icon theme": "Ustaw motyw ikony pliku",
+ "select file icon theme": "Wybierz motyw ikony pliku",
+ "product icon theme": "Ustaw motyw ikony produktu",
+ "select product icon theme": "Wybierz motyw ikony produktu",
+ "toggleExtensionsViewlet": "Pokaż rozszerzenia",
+ "installExtensions": "Zainstaluj rozszerzenia",
+ "showEnabledExtensions": "Pokaż włączone rozszerzenia",
+ "showInstalledExtensions": "Pokaż zainstalowane rozszerzenia",
+ "showDisabledExtensions": "Pokaż wyłączone rozszerzenia",
+ "clearExtensionsSearchResults": "Wyczyść wyniki wyszukiwania rozszerzeń",
+ "refreshExtension": "Odśwież",
+ "showBuiltInExtensions": "Pokaż wbudowane rozszerzenia",
+ "showOutdatedExtensions": "Pokaż nieaktualne rozszerzenia",
+ "showPopularExtensions": "Pokaż popularne rozszerzenia",
+ "recentlyPublishedExtensions": "Ostatnio opublikowane rozszerzenia",
+ "showRecommendedExtensions": "Pokaż zalecane rozszerzenia",
+ "showRecommendedExtension": "Pokaż zalecane rozszerzenie",
+ "installRecommendedExtension": "Zainstaluj zalecane rozszerzenie",
+ "ignoreExtensionRecommendation": "Nie rekomenduj ponownie tego rozszerzenia",
+ "undo": "Cofnij",
+ "showRecommendedKeymapExtensionsShort": "Mapowania klawiszy",
+ "showLanguageExtensionsShort": "Rozszerzenia języka",
+ "search recommendations": "Wyszukaj rozszerzenia",
+ "OpenExtensionsFile.failed": "Nie można utworzyć pliku „extensions.json” w folderze „.vscode” ({0}).",
+ "configureWorkspaceRecommendedExtensions": "Konfiguruj zalecane rozszerzenia (obszar roboczy)",
+ "configureWorkspaceFolderRecommendedExtensions": "Konfiguruj zalecane rozszerzenia (folder obszaru roboczego)",
+ "updated": "Zaktualizowano",
+ "installed": "Zainstalowane",
+ "uninstalled": "Odinstalowane",
+ "enabled": "Włączone",
+ "disabled": "Wyłączone",
+ "malicious tooltip": "To rozszerzenie zostało zgłoszone jako problematyczne.",
+ "malicious": "Złośliwe",
+ "ignored": "To rozszerzenie jest ignorowane podczas synchronizacji",
+ "synced": "To rozszerzenie jest zsynchronizowane",
+ "sync": "Zsynchronizuj to rozszerzenie",
+ "do not sync": "Nie synchronizuj ponownie tego rozszerzenia",
+ "extension enabled on remote": "Rozszerzenie jest włączone na serwerze „{0}”",
+ "globally enabled": "To rozszerzenie jest włączone globalnie.",
+ "workspace enabled": "To rozszerzenie zostało włączone dla tego obszaru roboczego przez użytkownika.",
+ "globally disabled": "To rozszerzenie jest wyłączone globalnie przez użytkownika.",
+ "workspace disabled": "To rozszerzenie jest wyłączone dla tego obszaru roboczego przez użytkownika.",
+ "Install language pack also in remote server": "Zainstaluj rozszerzenie pakietu językowego na serwerze „{0}”, aby włączyć je również tam.",
+ "Install language pack also locally": "Zainstaluj rozszerzenie pakietu językowego lokalnie, aby włączyć je również tam.",
+ "Install in other server to enable": "Zainstaluj rozszerzenie na serwerze „{0}”, aby je włączyć.",
+ "disabled because of extension kind": "To rozszerzenie nie może być uruchomione na serwerze zdalnym",
+ "disabled locally": "Rozszerzenie jest włączone na serwerze „{0}” i wyłączone lokalnie.",
+ "disabled remotely": "Rozszerzenie jest włączone lokalnie i wyłączone na serwerze „{0}”.",
+ "disableAll": "Wyłącz wszystkie zainstalowane rozszerzenia",
+ "disableAllWorkspace": "Wyłącz wszystkie zainstalowane rozszerzenia dla tego obszaru roboczego",
+ "enableAll": "Włącz wszystkie rozszerzenia",
+ "enableAllWorkspace": "Włącz wszystkie rozszerzenia dla tego obszaru roboczego",
+ "installVSIX": "Zainstaluj z pliku VSIX...",
+ "installFromVSIX": "Zainstaluj z pliku VSIX",
+ "installButton": "&&Zainstaluj",
+ "reinstall": "Zainstaluj ponownie rozszerzenie...",
+ "selectExtensionToReinstall": "Wybierz rozszerzenie do ponownego zainstalowania",
+ "ReinstallAction.successReload": "Załaduj ponownie program Visual Studio Code, aby ukończyć ponowne instalowanie rozszerzenia {0}.",
+ "ReinstallAction.success": "Ukończono ponowne instalowanie rozszerzenia {0}.",
+ "InstallVSIXAction.reloadNow": "Załaduj ponownie teraz",
+ "install previous version": "Zainstaluj określoną wersję rozszerzenia...",
+ "selectExtension": "Wybierz rozszerzenie",
+ "InstallAnotherVersionExtensionAction.successReload": "Załaduj ponownie program Visual Studio Code, aby ukończyć instalowanie rozszerzenia {0}.",
+ "InstallAnotherVersionExtensionAction.success": "Instalowanie rozszerzenia {0} zostało ukończone.",
+ "InstallAnotherVersionExtensionAction.reloadNow": "Załaduj ponownie teraz",
+ "select extensions to install": "Wybierz rozszerzenia do zainstalowania",
+ "no local extensions": "Nie ma żadnych rozszerzeń do zainstalowania.",
+ "installing extensions": "Trwa instalowanie rozszerzeń...",
+ "finished installing": "Pomyślnie zainstalowano rozszerzenia.",
+ "select and install local extensions": "Zainstaluj rozszerzenia lokalne w „{0}”...",
+ "install local extensions title": "Zainstaluj rozszerzenia lokalne w „{0}”",
+ "select and install remote extensions": "Zainstaluj zdalne rozszerzenia lokalnie...",
+ "install remote extensions": "Instaluj zdalne rozszerzenia lokalnie",
+ "extensionButtonProminentBackground": "Kolor tła przycisku dla wyróżniającego się rozszerzenia akcji (np. przycisku instalacji).",
+ "extensionButtonProminentForeground": "Kolor pierwszego planu przycisku dla wyróżniającego się rozszerzenia akcji (np. przycisku instalacji).",
+ "extensionButtonProminentHoverBackground": "Kolor tła przycisku po najechaniu kursorem dla wyróżniającego się rozszerzenia akcji (np. przycisku instalacji)."
+ },
+ "vs/workbench/contrib/extensions/common/extensionsFileTemplate": {
+ "app.extensions.json.title": "Rozszerzenia",
+ "app.extensions.json.recommendations": "Lista rozszerzeń, które powinny być zalecane dla użytkowników tego obszaru roboczego. Identyfikatorem rozszerzenia jest zawsze „${publisher}.${name}”. Na przykład: „vscode.csharp”.",
+ "app.extension.identifier.errorMessage": "Oczekiwano formatu ${publisher}.${name}”. Przykład: „vscode.CSharp”.",
+ "app.extensions.json.unwantedRecommendations": "Lista rozszerzeń zalecanych przez program VS Code, które nie powinny być zalecane użytkownikom tego obszaru roboczego. Identyfikatorem rozszerzenia jest zawsze „${publisher}.${name}”. Na przykład: „vscode.csharp”."
+ },
+ "vs/workbench/contrib/extensions/browser/extensionEditor": {
+ "name": "Nazwa rozszerzenia",
+ "extension id": "Identyfikator rozszerzenia",
+ "preview": "Wersja zapoznawcza",
+ "builtin": "Wbudowane",
+ "publisher": "Nazwa wydawcy",
+ "install count": "Liczba instalacji",
+ "rating": "Ocena",
+ "repository": "Repozytorium",
+ "license": "Licencja",
+ "version": "Wersja",
+ "details": "Szczegóły",
+ "detailstooltip": "Szczegóły rozszerzenia, renderowane z pliku „README.md” rozszerzenia",
+ "contributions": "Kontrybucje funkcji",
+ "contributionstooltip": "Wyświetla listę konytrybucji dodanych do programu VS Code przez to rozszerzenie",
+ "changelog": "Dziennik zmian",
+ "changelogtooltip": "Historia aktualizacji rozszerzenia, renderowana z pliku „CHANGELOG.md” rozszerzenia",
+ "dependencies": "Zależności",
+ "dependenciestooltip": "Wyświetla rozszerzenia, od których jest zależne to rozszerzenie",
+ "recommendationHasBeenIgnored": "Wybrano rezygnację z otrzymywania rekomendacji dotyczących tego rozszerzenia.",
+ "noReadme": "Brak dostępnego pliku README.",
+ "extension pack": "Pakiet rozszerzeń ({0})",
+ "noChangelog": "Brak dostępnego dziennika zmian.",
+ "noContributions": "Brak kontrybucji",
+ "noDependencies": "Brak zależności",
+ "settings": "Ustawienia ({0})",
+ "setting name": "Nazwa",
+ "description": "Opis",
+ "default": "Domyślne",
+ "debuggers": "Debugery ({0})",
+ "debugger name": "Nazwa",
+ "debugger type": "Typ",
+ "viewContainers": "Wyświetlanie kontenerów ({0})",
+ "view container id": "Identyfikator",
+ "view container title": "Tytuł",
+ "view container location": "Gdzie",
+ "views": "Widoki ({0})",
+ "view id": "Identyfikator",
+ "view name": "Nazwa",
+ "view location": "Gdzie",
+ "localizations": "Lokalizacje ({0})",
+ "localizations language id": "Identyfikator języka",
+ "localizations language name": "Nazwa języka",
+ "localizations localized language name": "Nazwa języka (zlokalizowana)",
+ "customEditors": "Edytory niestandardowe ({0})",
+ "customEditors view type": "Typ widoku",
+ "customEditors priority": "Priorytet",
+ "customEditors filenamePattern": "Wzorzec nazwy pliku",
+ "codeActions": "Akcje kodu ({0})",
+ "codeActions.title": "Tytuł",
+ "codeActions.kind": "Rodzaj",
+ "codeActions.description": "Opis",
+ "codeActions.languages": "Języki",
+ "authentication": "Uwierzytelnianie ({0})",
+ "authentication.label": "Etykieta",
+ "authentication.id": "Identyfikator",
+ "colorThemes": "Motywy kolorów ({0})",
+ "iconThemes": "Motywy ikon plików ({0})",
+ "colors": "Kolory ({0})",
+ "colorId": "Identyfikator",
+ "defaultDark": "Ciemny (domyślny)",
+ "defaultLight": "Jasny (domyślny)",
+ "defaultHC": "Duży kontrast (ustawienie domyślne)",
+ "JSON Validation": "Sprawdzanie poprawności schematu JSON ({0})",
+ "fileMatch": "Dopasowanie pliku",
+ "schema": "Schemat",
+ "commands": "Polecenia ({0})",
+ "command name": "Nazwa",
+ "keyboard shortcuts": "Skróty klawiaturowe",
+ "menuContexts": "Konteksty menu",
+ "languages": "Języki ({0})",
+ "language id": "Identyfikator",
+ "language name": "Nazwa",
+ "file extensions": "Rozszerzenia plików",
+ "grammar": "Gramatyka",
+ "snippets": "Fragmenty kodu",
+ "activation events": "Zdarzenia aktywacji ({0})",
+ "find": "Znajdź",
+ "find next": "Znajdź następny",
+ "find previous": "Znajdź poprzedni"
+ },
+ "vs/workbench/contrib/extensions/common/extensionsUtils": {
+ "disableOtherKeymapsConfirmation": "Wyłączyć inne mapowania klawiszy ({0}), aby uniknąć konfliktów między powiązaniami klawiszy?",
+ "yes": "Tak",
+ "no": "Nie"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsActivationProgress": {
+ "activation": "Trwa aktywowanie rozszerzeń..."
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsDependencyChecker": {
+ "extensions": "Rozszerzenia",
+ "auto install missing deps": "Zainstaluj brakujące zależności",
+ "finished installing missing deps": "Zakończono instalowanie brakujących zależności. Teraz załaduj ponownie okno.",
+ "reload": "Załaduj ponownie okno",
+ "no missing deps": "Nie ma żadnych brakujących zależności do zainstalowania."
+ },
+ "vs/workbench/contrib/extensions/browser/remoteExtensionsInstaller": {
+ "remote": "Zdalne",
+ "install remote in local": "Zainstaluj zdalne rozszerzenia lokalnie..."
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsWorkbenchService": {
+ "Manifest is not found": "Nie znaleziono manifestu",
+ "malicious": "To rozszerzenie jest zgłaszane jako problematyczne.",
+ "uninstallingExtension": "Trwa odinstalowywanie rozszerzenia...",
+ "incompatible": "Nie można zainstalować rozszerzenia „{0}”, ponieważ nie jest ono zgodne z programem VS Code „{1}”.",
+ "installing named extension": "Trwa instalowanie rozszerzenia „{0}”...",
+ "installing extension": "Trwa instalowanie rozszerzenia...",
+ "disable all": "Wyłącz wszystkie",
+ "singleDependentError": "Nie można wyłączyć samego rozszerzenia „{0}”. Zależy od niego rozszerzenie „{1}”. Czy chcesz wyłączyć wszystkie te rozszerzenia?",
+ "twoDependentsError": "Nie można wyłączyć samego rozszerzenia „{0}”. Zależą od niego rozszerzenia „{1}” i „{2}”. Czy chcesz wyłączyć wszystkie te rozszerzenia?",
+ "multipleDependentsError": "Nie można wyłączyć samego rozszerzenia „{0}”. Zależą od niego rozszerzenia „{1}”, „{2}” i inne. Czy chcesz wyłączyć wszystkie te rozszerzenia?"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsQuickAccess": {
+ "type": "Wpisz nazwę rozszerzenia do zainstalowania lub wyszukania.",
+ "searchFor": "Naciśnij klawisz Enter, aby wyszukać rozszerzenie „{0}”.",
+ "install": "Naciśnij klawisz Enter, aby zainstalować rozszerzenie „{0}”.",
+ "manage": "Naciśnij klawisz Enter, aby zarządzać swoimi rozszerzeniami."
+ },
+ "vs/workbench/contrib/extensions/browser/extensionRecommendationNotificationService": {
+ "neverShowAgain": "Nie pokazuj ponownie",
+ "ignoreExtensionRecommendations": "Czy chcesz ignorować wszystkie rekomendacje dotyczące rozszerzeń?",
+ "ignoreAll": "Tak, ignoruj wszystko",
+ "no": "Nie",
+ "workspaceRecommended": "Czy chcesz zainstalować zalecane rozszerzenia dla tego repozytorium?",
+ "install": "Zainstaluj",
+ "install and do no sync": "Zainstaluj (nie synchronizuj)",
+ "show recommendations": "Pokaż rekomendacje"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsIcons": {
+ "extensionsViewIcon": "Wyświetl ikonę widoku rozszerzeń.",
+ "manageExtensionIcon": "Ikona akcji „Zarządzaj” w widoku rozszerzeń.",
+ "clearSearchResultsIcon": "Ikona akcji „Wyczyść wyniki wyszukiwania” w widoku rozszerzeń.",
+ "refreshIcon": "Ikona akcji „Odśwież” w widoku rozszerzeń.",
+ "filterIcon": "Ikona akcji „Filtruj” w widoku rozszerzeń.",
+ "installLocalInRemoteIcon": "Ikona akcji „Zainstaluj rozszerzenie lokalne w lokalizacji zdalnej” w widoku rozszerzeń.",
+ "installWorkspaceRecommendedIcon": "Ikona akcji „Zainstaluj zalecane rozszerzenia obszaru roboczego” w widoku rozszerzeń.",
+ "configureRecommendedIcon": "Ikona akcji „Konfiguruj zalecane rozszerzenia” w widoku rozszerzeń.",
+ "syncEnabledIcon": "Ikona wskazująca, że rozszerzenie jest zsynchronizowane.",
+ "syncIgnoredIcon": "Ikona wskazująca, że rozszerzenie jest ignorowane podczas synchronizacji.",
+ "remoteIcon": "Ikona wskazująca zdalne rozszerzenie w edytorze i widoku rozszerzeń.",
+ "installCountIcon": "Ikona wyświetlana z liczbą instalacji w edytorze i widoku rozszerzeń.",
+ "ratingIcon": "Ikona wyświetlana z oceną w edytorze i widoku rozszerzeń.",
+ "starFullIcon": "Ikona wypełnionej gwiazdki używana do oceniania w edytorze rozszerzeń.",
+ "starHalfIcon": "Ikona w połowie wypełnionej gwiazdki używana do oceniania w edytorze rozszerzeń.",
+ "starEmptyIcon": "Ikona pustej gwiazdki używana do oceniania w edytorze rozszerzeń.",
+ "warningIcon": "Ikona wyświetlana z komunikatem ostrzeżenia w edytorze rozszerzeń.",
+ "infoIcon": "Ikona wyświetlana z komunikatem zawierającym informację w edytorze rozszerzeń."
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsViews": {
+ "extension-arialabel": "{0}, {1}, {2}, naciśnij klawisz enter w celu uzyskania szczegółowych informacji o rozszerzeniu.",
+ "extensions": "Rozszerzenia",
+ "galleryError": "Nie można teraz nawiązać połączenia z witryną Marketplace rozszerzeń. Spróbuj ponownie później.",
+ "error": "Błąd podczas ładowania rozszerzeń: {0}",
+ "no extensions found": "Nie znaleziono rozszerzeń.",
+ "suggestProxyError": "Platforma handlowa zwróciła wartość „ECONNREFUSED”. Sprawdź ustawienie „http.proxy”.",
+ "open user settings": "Otwórz ustawienia użytkownika",
+ "installWorkspaceRecommendedExtensions": "Zainstaluj zalecane rozszerzenia obszaru roboczego"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsWidgets": {
+ "ratedBySingleUser": "Ocenione przez 1 użytkownika",
+ "ratedByUsers": "Ocenione przez {0} użytkowników",
+ "noRating": "Brak oceny",
+ "remote extension title": "Rozszerzenie w {0}",
+ "syncingore.label": "To rozszerzenie jest ignorowane podczas synchronizacji."
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsViewer": {
+ "error": "Błąd",
+ "Unknown Extension": "Nieznane rozszerzenie:",
+ "extension-arialabel": "{0}, {1}, {2}, naciśnij klawisz enter w celu uzyskania szczegółowych informacji o rozszerzeniu.",
+ "extensions": "Rozszerzenia"
+ },
+ "vs/workbench/contrib/extensions/browser/dynamicWorkspaceRecommendations": {
+ "dynamicWorkspaceRecommendation": "To rozszerzenie może Cię zainteresować, ponieważ jest popularne wśród użytkowników repozytorium {0}."
+ },
+ "vs/workbench/contrib/extensions/browser/exeBasedRecommendations": {
+ "exeBasedRecommendation": "To rozszerzenie jest zalecane, ponieważ zainstalowano {0}."
+ },
+ "vs/workbench/contrib/extensions/browser/workspaceRecommendations": {
+ "workspaceRecommendation": "To rozszerzenie jest zalecane przez użytkowników bieżącego obszaru roboczego."
+ },
+ "vs/workbench/contrib/extensions/browser/fileBasedRecommendations": {
+ "searchMarketplace": "Wyszukaj na platformie handlowej",
+ "fileBasedRecommendation": "To rozszerzenie jest zalecane na podstawie ostatnio otwieranych plików.",
+ "reallyRecommended": "Czy chcesz zainstalować zalecane rozszerzenia dla {0}?",
+ "showLanguageExtensions": "Witryna Marketplace zawiera rozszerzenia, które mogą pomóc w obsłudze plików „.{0}”",
+ "dontShowAgainExtension": "Nie pokazuj ponownie dla plików „.{0}”"
+ },
+ "vs/workbench/contrib/extensions/browser/configBasedRecommendations": {
+ "exeBasedRecommendation": "To rozszerzenie jest zalecane z powodu bieżącej konfiguracji obszaru roboczego"
+ },
+ "vs/workbench/contrib/externalTerminal/node/externalTerminal.contribution": {
+ "globalConsoleAction": "Otwórz nowy terminal zewnętrzny",
+ "terminalConfigurationTitle": "Terminal zewnętrzny",
+ "terminal.explorerKind.integrated": "Użyj zintegrowanego terminalu programu VS Code.",
+ "terminal.explorerKind.external": "Użyj skonfigurowanego terminalu zewnętrznego.",
+ "explorer.openInTerminalKind": "Dostosowuje rodzaj terminalu, który ma być uruchamiany.",
+ "terminal.external.windowsExec": "Dostosowuje, który terminal ma być uruchamiany w systemie Windows.",
+ "terminal.external.osxExec": "Dostosowuje, która aplikacja terminala ma być uruchamiana w systemie macOS.",
+ "terminal.external.linuxExec": "Dostosowuje, który terminal ma być uruchamiany w systemie Linux."
+ },
+ "vs/workbench/contrib/externalTerminal/node/externalTerminalService": {
+ "console.title": "Konsola programu VS Code",
+ "mac.terminal.script.failed": "Skrypt „{0}” nie powiódł się, kod zakończenia: {1}",
+ "mac.terminal.type.not.supported": "„{0}” nie jest obsługiwany.",
+ "press.any.key": "Naciśnij dowolny klawisz, aby kontynuować...",
+ "linux.term.failed": "Działanie „{0}” nie powiodło się, kod zakończenia: {1}",
+ "ext.term.app.not.found": "nie można odnaleźć aplikacji terminalu „{0}”"
+ },
+ "vs/workbench/contrib/externalTerminal/browser/externalTerminal.contribution": {
+ "scopedConsoleAction": "Otwórz w terminalu",
+ "scopedConsoleAction.integrated": "Otwórz w zintegrowanym terminalu",
+ "scopedConsoleAction.wt": "Otwórz w terminalu Windows",
+ "scopedConsoleAction.external": "Otwórz w terminalu zewnętrznym"
+ },
+ "vs/workbench/contrib/feedback/browser/feedbackStatusbarItem": {
+ "status.feedback": "Prześlij opinię w tweecie"
+ },
+ "vs/workbench/contrib/feedback/browser/feedback": {
+ "sendFeedback": "Prześlij opinię w tweecie",
+ "label.sendASmile": "Wyślij nam tweet ze swoją opinią.",
+ "close": "Zamknij",
+ "patchedVersion1": "Instalacja jest uszkodzona.",
+ "patchedVersion2": "Określ to, jeśli przesyłasz informacje o usterce.",
+ "sentiment": "Jakie były Twoje wrażenia?",
+ "smileCaption": "Tonacja opinii — zadowolony",
+ "frownCaption": "Tonacja opinii — smutny",
+ "other ways to contact us": "Inne sposoby kontaktu z nami",
+ "submit a bug": "Prześlij informacje o usterce",
+ "request a missing feature": "Zawnioskuj o dodanie brakującej funkcji",
+ "tell us why": "Powiedz nam, dlaczego?",
+ "feedbackTextInput": "Przekaż nam swoją opinię",
+ "showFeedback": "Pokaż ikonę opinii na pasku stanu",
+ "tweet": "Opublikuj tweet",
+ "tweetFeedback": "Prześlij opinię w tweecie",
+ "character left": "znak pozostał",
+ "characters left": "znaków pozostało"
+ },
+ "vs/workbench/contrib/files/electron-sandbox/files.contribution": {
+ "textFileEditor": "Edytor plików tekstowych"
+ },
+ "vs/workbench/contrib/files/electron-sandbox/fileActions.contribution": {
+ "revealInWindows": "Wyświetl w Eksploratorze plików",
+ "revealInMac": "Wyświetl w programie Finder",
+ "openContainer": "Otwórz folder zawierający",
+ "filesCategory": "Plik"
+ },
+ "vs/workbench/contrib/files/browser/explorerViewlet": {
+ "explorerViewIcon": "Wyświetl ikonę widoku eksploratora.",
+ "folders": "Foldery",
+ "explore": "Eksplorator",
+ "noWorkspaceHelp": "Nie dodano jeszcze folderu do obszaru roboczego.\r\n[Dodaj folder](command:{0})",
+ "remoteNoFolderHelp": "Połączono ze zdalnym.\r\n[Otwórz folder](command:{0})",
+ "noFolderHelp": "Folder nie został jeszcze otwarty.\r\n[Otwórz folder](command:{0})"
+ },
+ "vs/workbench/contrib/files/browser/files.contribution": {
+ "showExplorerViewlet": "Pokaż eksploratora",
+ "binaryFileEditor": "Edytor plików binarnych",
+ "hotExit.off": "Wyłącza zamykanie na gorąco. Będzie wyświetlany monit przy próbie zamknięcia okna ze zmodyfikowanymi plikami.",
+ "hotExit.onExit": "Zamknięcie na gorąco zostanie wyzwolone po zamknięciu ostatniego okna w systemie Windows/Linux lub po uruchomieniu polecenia „workbench.action.quit” (paleta poleceń, powiązanie klawiszy, menu). Wszystkie okna bez otwartych folderów zostaną przywrócone przy następnym uruchomieniu. Lista obszarów roboczych z niezapisanymi plikami jest dostępna za pośrednictwem polecenia „Plik > Otwórz ostatnie > Więcej...”",
+ "hotExit.onExitAndWindowClose": "Zamknięcie na gorąco zostanie wyzwolone po zamknięciu ostatniego okna w systemie Windows/Linux lub po uruchomieniu polecenia „workbench.action.quit” (paleta poleceń, powiązanie klawiszy, menu), a także dla każdego okna z otwartym folderem, niezależnie od tego, czy jest to ostatnie okno. Wszystkie okna bez otwartych folderów zostaną przywrócone przy następnym uruchomieniu. Lista obszarów roboczych z niezapisanymi plikami jest dostępna za pośrednictwem polecenia „Plik > Otwórz ostatnie > Więcej...”",
+ "hotExit": "Określa, czy niezapisane pliki są zapamiętywane między sesjami, co umożliwia pomijanie monitu o zapisanie podczas zamykania edytora.",
+ "hotExit.onExitAndWindowCloseBrowser": "Zamknięcie na gorąco zostanie wyzwolone po zamknięciu przeglądarki, okna lub karty.",
+ "filesConfigurationTitle": "Pliki",
+ "exclude": "Skonfiguruj wzorce globalne do wykluczania plików i folderów. Na przykład Eksplorator plików może na podstawie tego ustawienia decydować o tym, które pliki i foldery mają być pokazywane lub ukrywane. Zobacz ustawienie „#search.exclude#”, aby zdefiniować wykluczenia specyficzne dla wyszukiwania. Więcej informacji o wzorcach globalnych można znaleźć [tutaj] (https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options).",
+ "files.exclude.boolean": "Wzorzec globalny do dopasowywania ścieżek do plików. Aby włączyć lub wyłączyć wzorzec, ustaw wartość true lub false.",
+ "files.exclude.when": "Dodatkowe sprawdzenie elementów równorzędnych pasującego pliku. Użyj ciągu $(basename) jako zmiennej dla nazwy pasującego pliku.",
+ "associations": "Skonfiguruj skojarzenia plików z językami (np. „\"*.extension\": \"html\"”). Mają one pierwszeństwo przed domyślnymi skojarzeniami zainstalowanych języków.",
+ "encoding": "Domyślne kodowanie zestawu znaków używane podczas odczytywania i zapisywania plików. To ustawienie można również skonfigurować dla poszczególnych języków.",
+ "autoGuessEncoding": "W przypadku włączenia tej opcji edytor będzie próbował odgadnąć kodowanie zestawu znaków podczas otwierania plików. To ustawienie można również skonfigurować według języka.",
+ "eol.LF": "LF",
+ "eol.CRLF": "CRLF",
+ "eol.auto": "Używa znaku końca wiersza specyficznego dla systemu operacyjnego.",
+ "eol": "Domyślny znak końca wiersza.",
+ "useTrash": "Przenosi pliki/foldery do kosza systemu operacyjnego (folder Kosz w systemie Windows) przy usuwaniu. Wyłączenie tego ustawienia powoduje trwałe usuwanie plików/folderów.",
+ "trimTrailingWhitespace": "Gdy to ustawienie jest włączone, końcowe znaki odstępu są obcinane przy zapisywaniu pliku.",
+ "insertFinalNewline": "Gdy to ustawienie jest włączone, wstawiany jest nowy wiersz na końcu pliku podczas jego zapisywania.",
+ "trimFinalNewlines": "Gdy to ustawienie jest włączone, wszystkie znaki nowego wiersza są przycinane po ostatnim znaku nowego wiersza na końcu pliku przy jego zapisywaniu.",
+ "files.autoSave.off": "Edytor zawierający modyfikacje nigdy nie jest automatycznie zapisywany.",
+ "files.autoSave.afterDelay": "Edytor zawierający modyfikacje jest automatycznie zapisywany po skonfigurowanym czasie „#files.autoSaveDelay#”.",
+ "files.autoSave.onFocusChange": "Edytor zawierający modyfikacje jest automatycznie zapisywany, gdy utraci fokus.",
+ "files.autoSave.onWindowChange": "Edytor zawierający modyfikacje jest automatycznie zapisywany, gdy okno utraci fokus.",
+ "autoSave": "Steruje automatycznym zapisywaniem edytorów ze zmodyfikowaną zawartością. Przeczytaj więcej na temat funkcji automatycznego zapisywania [tutaj](https://code.visualstudio.com/docs/editor/codebasics#_save-auto-save).",
+ "autoSaveDelay": "Określa opóźnienie w ms, po którym edytor ze zmodyfikowaną zawartością jest zapisywany automatycznie. Ma zastosowanie tylko wtedy, gdy element „#files.autoSave#” jest ustawiony na wartość „{0}”.",
+ "watcherExclude": "Konfiguruje globalne wzorce ścieżek plików do wykluczenia z obserwacji plików. Wzorce muszą być zgodne ze ścieżkami bezwzględnymi (tzn. należy używać prefiksu ** lub pełnej ścieżki, aby zapewnić poprawne dopasowanie). Zmiana tego ustawienia wymaga ponownego uruchomienia. Jeśli przy uruchamianiu program Code używa dużej ilości czasu procesora, możesz wykluczyć duże foldery, aby zmniejszyć początkowe obciążenie.",
+ "defaultLanguage": "Domyślny tryb języka przypisywany do nowych plików. Jeśli to ustawienie zostanie skonfigurowane jako „${activeEditorLanguage}”, używany będzie tryb języka aktualnie aktywnego edytora tekstu, o ile istnieje.",
+ "maxMemoryForLargeFilesMB": "Steruje pamięcią dostępną dla programu VS Code po ponownym uruchomieniu, gdy są podejmowane próby otwarcia dużych plików. Taki sam efekt ma określenie parametru „--max-memory=NOWY_ROZMIAR” w wierszu polecenia.",
+ "files.restoreUndoStack": "Przywróć stos cofania po ponownym otwarciu pliku.",
+ "askUser": "Odmówi zapisania i zażąda rozwiązania konfliktu zapisywania ręcznie.",
+ "overwriteFileOnDisk": "Rozwiązuje konflikt zapisywania przez zastąpienie pliku na dysku zmianami w edytorze.",
+ "files.saveConflictResolution": "Konflikt zapisywania może wystąpić, gdy na dysku zostanie zapisany plik, który został w międzyczasie zmieniony przez inny program. Aby zapobiec utracie danych, użytkownik jest proszony o porównanie zmian w edytorze z wersją na dysku. To ustawienie powinno być zmieniane tylko wtedy, gdy często występują błędy dotyczące konfliktów zapisywania. Nieostrożne używanie tego ustawienia może spowodować utratę danych.",
+ "files.simpleDialog.enable": "Włącza uproszczone okno dialogowe plików. Po włączeniu zastępuje ono systemowe okno dialogowe plików.",
+ "formatOnSave": "Formatuj plik przy zapisywaniu. Musi być dostępny program formatujący, plik nie może być zapisywany po opóźnieniu, a edytor nie może być zamykany.",
+ "everything": "Formatuj cały plik.",
+ "modification": "Modyfikacje formatu (wymaga kontroli źródła).",
+ "formatOnSaveMode": "Określa, czy funkcja formatowania przy zapisie formatuje cały plik, czy tylko modyfikacje. Ma to zastosowanie tylko wtedy, gdy ustawienie „#editor.formatOnSave#” ma wartość „true”.",
+ "explorerConfigurationTitle": "Eksplorator plików",
+ "openEditorsVisible": "Liczba edytorów wyświetlanych w okienku Otwarte edytory. Ustawienie wartości 0 powoduje ukrycie okienka Otwarte edytory.",
+ "openEditorsSortOrder": "Steruje kolejnością sortowania edytorów w okienku Otwarte edytory.",
+ "sortOrder.editorOrder": "Edytory są uporządkowane w tej samej kolejności, w jakiej są wyświetlane karty edytora.",
+ "sortOrder.alphabetical": "Edytory są uporządkowane w kolejności alfabetycznej w obrębie poszczególnych grup edytorów.",
+ "autoReveal.on": "Pliki zostaną ujawnione i zaznaczone.",
+ "autoReveal.off": "Pliki nie zostaną ujawnione ani zaznaczone.",
+ "autoReveal.focusNoScroll": "Pliki nie zostaną przewinięte w celu ujawnienia w widoku, ale nadal będzie do nich przeniesiony fokus.",
+ "autoReveal": "Określa, czy eksplorator powinien automatycznie ujawniać i wybierać pliki podczas ich otwierania.",
+ "enableDragAndDrop": "Określa, czy eksplorator powinien zezwalać na przenoszenie plików i folderów przy użyciu przeciągania i upuszczania. To ustawienie ma wpływ tylko na przeciąganie i upuszczanie wewnątrz eksploratora.",
+ "confirmDragAndDrop": "Określa, czy eksplorator powinien pytać o potwierdzenie przeniesienia plików i folderów za pomocą przeciągania i upuszczania.",
+ "confirmDelete": "Określa, czy eksplorator powinien pytać o potwierdzenie podczas usuwania pliku za pośrednictwem kosza.",
+ "sortOrder.default": "Pliki i foldery są sortowane według ich nazw, w kolejności alfabetycznej. Foldery są wyświetlane przed plikami.",
+ "sortOrder.mixed": "Pliki i foldery są sortowane według ich nazw, w kolejności alfabetycznej. Pliki są przeplatane z folderami.",
+ "sortOrder.filesFirst": "Pliki i foldery są sortowane według ich nazw, w kolejności alfabetycznej. Pliki są wyświetlane przed folderami.",
+ "sortOrder.type": "Pliki i foldery są sortowane według ich rozszerzeń, w kolejności alfabetycznej. Foldery są wyświetlane przed plikami.",
+ "sortOrder.modified": "Pliki i foldery są sortowane według daty ostatniej modyfikacji, w kolejności malejącej. Foldery są wyświetlane przed plikami.",
+ "sortOrder": "Steruje kolejnością sortowania plików i folderów w eksploratorze.",
+ "explorer.decorations.colors": "Określa, czy dekoracje plików powinny używać kolorów.",
+ "explorer.decorations.badges": "Określa, czy dekoracje plików powinny używać wskaźników.",
+ "simple": "Dołącza wyraz „kopia” na końcu zduplikowanej nazwy, po którym może opcjonalnie następować numer",
+ "smart": "Dodaje numer na końcu zduplikowanej nazwy. Jeśli nazwa zawiera już numer, próbuje go zwiększyć",
+ "explorer.incrementalNaming": "Określa, jakiej strategii nazewnictwa należy używać podczas nadawania nowej nazwy zduplikowanemu elementowi eksploratora przy wklejaniu.",
+ "compressSingleChildFolders": "Określa, czy eksplorator powinien renderować foldery w formie kompaktowej. W takiej formie pojedyncze foldery podrzędne zostaną skompresowane w połączonym elemencie drzewa. Jest to przydatne na przykład w przypadku struktur pakietów Java.",
+ "miViewExplorer": "&&Eksplorator"
+ },
+ "vs/workbench/contrib/files/browser/fileActions.contribution": {
+ "filesCategory": "Plik",
+ "workspaces": "Obszary robocze",
+ "file": "Plik",
+ "copyPath": "Kopiuj ścieżkę",
+ "copyRelativePath": "Kopiuj ścieżkę względną",
+ "revealInSideBar": "Odkryj na pasku bocznym",
+ "acceptLocalChanges": "Użyj zmian i zastąp zawartość pliku",
+ "revertLocalChanges": "Odrzuć zmiany i przywróć zawartość pliku",
+ "copyPathOfActive": "Kopiuj ścieżkę aktywnego pliku",
+ "copyRelativePathOfActive": "Kopiuj ścieżkę względną aktywnego pliku",
+ "saveAllInGroup": "Zapisz wszystko w grupie",
+ "saveFiles": "Zapisz wszystkie pliki",
+ "revert": "Przywróć plik",
+ "compareActiveWithSaved": "Porównaj aktywny plik z zapisanym",
+ "openToSide": "Otwórz z boku",
+ "saveAll": "Zapisz wszystko",
+ "compareWithSaved": "Porównaj z zapisanym",
+ "compareWithSelected": "Porównaj z wybranym",
+ "compareSource": "Wybierz dla porównania",
+ "compareSelected": "Porównaj wybrane",
+ "close": "Zamknij",
+ "closeOthers": "Zamknij inne",
+ "closeSaved": "Zamknij zapisane",
+ "closeAll": "Zamknij wszystko",
+ "explorerOpenWith": "Otwórz za pomocą...",
+ "cut": "Wytnij",
+ "deleteFile": "Usuń trwale",
+ "newFile": "Nowy plik",
+ "openFile": "Otwórz plik...",
+ "miNewFile": "&&Nowy plik",
+ "miSave": "&&Zapisz",
+ "miSaveAs": "Zapisz j&&ako...",
+ "miSaveAll": "Zapisz &&wszystko...",
+ "miOpen": "&&Otwórz...",
+ "miOpenFile": "&&Otwórz plik...",
+ "miOpenFolder": "Otwórz &&folder...",
+ "miOpenWorkspace": "Ot&&wórz obszar roboczy...",
+ "miAutoSave": "Zapisz a&&utomatycznie",
+ "miRevert": "Przy&&wróć plik",
+ "miCloseEditor": "&&Zamknij edytor",
+ "miGotoFile": "Przejdź do &&pliku..."
+ },
+ "vs/workbench/contrib/files/electron-sandbox/fileCommands": {
+ "openFileToReveal": "Najpierw otwórz plik do wyświetlenia"
+ },
+ "vs/workbench/contrib/files/common/editors/fileEditorInput": {
+ "orphanedReadonlyFile": "{0} (usunięte, tylko do odczytu)",
+ "orphanedFile": "{0} (usunięte)",
+ "readonlyFile": "{0} (tylko do odczytu)"
+ },
+ "vs/workbench/contrib/files/electron-sandbox/textFileEditor": {
+ "fileTooLargeForHeapError": "Aby otworzyć plik o tym rozmiarze, konieczne jest ponowne uruchomienie i zezwolenie na użycie większej ilości pamięci",
+ "relaunchWithIncreasedMemoryLimit": "Uruchom ponownie z {0} MB",
+ "configureMemoryLimit": "Konfiguruj limit pamięci"
+ },
+ "vs/workbench/contrib/files/browser/views/emptyView": {
+ "noWorkspace": "Nie otwarto żadnego folderu"
+ },
+ "vs/workbench/contrib/files/browser/views/explorerView": {
+ "explorerSection": "Sekcja eksploratora: {0}"
+ },
+ "vs/workbench/contrib/files/browser/views/openEditorsView": {
+ "openEditors": "Otwórz edytory",
+ "dirtyCounter": "Niezapisane: {0}"
+ },
+ "vs/workbench/contrib/files/browser/editors/textFileSaveErrorHandler": {
+ "userGuide": "Użyj akcji na pasku narzędzi edytora, aby cofnąć zmiany lub zastąpić zawartość pliku przy użyciu wprowadzonych zmian.",
+ "staleSaveError": "Nie można zapisać „{0}”: zawartość pliku jest nowsza. Porównaj swoją wersję z zawartością pliku lub zastąp zawartość pliku swoimi zmianami.",
+ "retry": "Ponów próbę",
+ "discard": "Odrzuć",
+ "readonlySaveErrorAdmin": "Nie można zapisać pliku „{0}”: plik jest tylko do odczytu. Wybierz opcję „Zastąp jako administrator”, aby ponowić próbę jako administrator.",
+ "readonlySaveErrorSudo": "Nie można zapisać pliku „{0}”: plik jest tylko do odczytu. Wybierz opcję „Zastąp jako sudo”, aby ponowić próbę jako superużytkownik.",
+ "readonlySaveError": "Nie można zapisać pliku „{0}”: plik jest tylko do odczytu. Wybierz opcję „Zastąp”, aby spróbować umożliwić jego zapis.",
+ "permissionDeniedSaveError": "Nie można zapisać pliku „{0}”: niewystarczające uprawnienia. Wybierz opcję „Ponów próbę jako administrator”, aby ponowić próbę jako administrator.",
+ "permissionDeniedSaveErrorSudo": "Nie można zapisać pliku „{0}”: niewystarczające uprawnienia. Wybierz opcję „Ponów próbę jako sudo”, aby ponowić próbę jako superużytkownik.",
+ "genericSaveError": "Nie można zapisać elementu „{0}”: {1}",
+ "learnMore": "Dowiedz się więcej",
+ "dontShowAgain": "Nie pokazuj ponownie",
+ "compareChanges": "Porównaj",
+ "saveConflictDiffLabel": "{0} (w pliku) ↔ {1} (w {2}) — rozwiąż konflikt zapisywania",
+ "overwriteElevated": "Zastąp jako administrator...",
+ "overwriteElevatedSudo": "Zastąp jako dudo...",
+ "saveElevated": "Ponów próbę jako administrator...",
+ "saveElevatedSudo": "Ponów próbę jako sudo...",
+ "overwrite": "Zastąp",
+ "configure": "Skonfiguruj"
+ },
+ "vs/workbench/contrib/files/browser/editors/binaryFileEditor": {
+ "binaryFileEditor": "Przeglądarka plików binarnych"
+ },
+ "vs/workbench/contrib/files/common/workspaceWatcher": {
+ "netVersionError": "Wymagana jest platforma Microsoft .NET Framework 4.5. Użyj linku, aby ją zainstalować.",
+ "installNet": "Pobierz platformę .NET Framework 4.5",
+ "enospcError": "Nie można obserwować zmian plików w tak dużym obszarze roboczym. Aby rozwiązać ten problem, użyj linku do instrukcji.",
+ "learnMore": "Instrukcje"
+ },
+ "vs/workbench/contrib/files/common/dirtyFilesIndicator": {
+ "dirtyFile": "1 niezapisany plik",
+ "dirtyFiles": "Niezapisane pliki: {0}"
+ },
+ "vs/workbench/contrib/files/browser/fileActions": {
+ "newFile": "Nowy plik",
+ "newFolder": "Nowy folder",
+ "rename": "Zmień nazwę",
+ "delete": "Usuń",
+ "copyFile": "Kopiuj",
+ "pasteFile": "Wklej",
+ "download": "Pobierz...",
+ "createNewFile": "Nowy plik",
+ "createNewFolder": "Nowy folder",
+ "deleteButtonLabelRecycleBin": "&&Przenieś do kosza",
+ "deleteButtonLabelTrash": "&&Przenieś do kosza",
+ "deleteButtonLabel": "&&Usuń",
+ "dirtyMessageFilesDelete": "Usuwasz pliki z niezapisanymi zmianami. Czy chcesz kontynuować?",
+ "dirtyMessageFolderOneDelete": "Usuwasz folder {0} z niezapisanymi zmianami w 1 pliku. Czy chcesz kontynuować?",
+ "dirtyMessageFolderDelete": "Usuwasz folder {0} z niezapisanymi zmianami w {1} plikach. Czy chcesz kontynuować?",
+ "dirtyMessageFileDelete": "Usuwasz plik {0} z niezapisanymi zmianami. Czy chcesz kontynuować?",
+ "dirtyWarning": "Twoje zmiany zostaną utracone, jeśli ich nie zapiszesz.",
+ "undoBinFiles": "Możesz przywrócić te pliki z Kosza.",
+ "undoBin": "Możesz przywrócić ten plik z Kosza.",
+ "undoTrashFiles": "Możesz przywrócić te pliki z Kosza.",
+ "undoTrash": "Możesz przywrócić ten plik z Kosza.",
+ "doNotAskAgain": "Nie pytaj mnie ponownie",
+ "irreversible": "Ta akcja jest nieodwracalna.",
+ "deleteBulkEdit": "Usuń pliki ({0})",
+ "deleteFileBulkEdit": "Usuń: {0}",
+ "deletingBulkEdit": "Usuwanie {0} plików",
+ "deletingFileBulkEdit": "Usuwanie: {0}",
+ "binFailed": "Nie można usunąć przy użyciu Kosza. Czy zamiast tego chcesz trwale usunąć?",
+ "trashFailed": "Nie można usunąć przy użyciu Kosza. Czy zamiast tego chcesz trwale usunąć?",
+ "deletePermanentlyButtonLabel": "&&Usuń trwale",
+ "retryButtonLabel": "&&Ponów próbę",
+ "confirmMoveTrashMessageFilesAndDirectories": "Czy na pewno chcesz usunąć następujące pliki/katalogi ({0}) i ich zawartość?",
+ "confirmMoveTrashMessageMultipleDirectories": "Czy na pewno chcesz usunąć następujące katalogi ({0}) i ich zawartość?",
+ "confirmMoveTrashMessageMultiple": "Czy na pewno chcesz usunąć następujące pliki ({0})?",
+ "confirmMoveTrashMessageFolder": "Czy na pewno chcesz usunąć folder „{0}” i jego zawartość?",
+ "confirmMoveTrashMessageFile": "Czy na pewno chcesz usunąć element „{0}”?",
+ "confirmDeleteMessageFilesAndDirectories": "Czy na pewno chcesz trwale usunąć następujące pliki/katalogi ({0}) i ich zawartość?",
+ "confirmDeleteMessageMultipleDirectories": "Czy na pewno chcesz trwale usunąć następujące katalogi ({0}) i ich zawartość?",
+ "confirmDeleteMessageMultiple": "Czy na pewno chcesz trwale usunąć następujące pliki ({0})?",
+ "confirmDeleteMessageFolder": "Czy na pewno chcesz trwale usunąć folder „{0}” i jego zawartość?",
+ "confirmDeleteMessageFile": "Czy na pewno chcesz trwale usunąć plik „{0}”?",
+ "globalCompareFile": "Porównaj aktywny plik z...",
+ "fileToCompareNoFile": "Wybierz plik do porównania.",
+ "openFileToCompare": "Najpierw otwórz plik, aby porównać go z innym plikiem.",
+ "toggleAutoSave": "Przełącz automatyczne zapisywanie",
+ "saveAllInGroup": "Zapisz wszystko w grupie",
+ "closeGroup": "Zamknij grupę",
+ "focusFilesExplorer": "Przenieś fokus do Eksploratora plików",
+ "showInExplorer": "Ujawnij aktywny plik na pasku bocznym",
+ "openFileToShow": "Najpierw otwórz plik, aby pokazać go w eksploratorze",
+ "collapseExplorerFolders": "Zwiń foldery w eksploratorze",
+ "refreshExplorer": "Odśwież eksplorator",
+ "openFileInNewWindow": "Otwórz aktywny plik w nowym oknie",
+ "openFileToShowInNewWindow.unsupportedschema": "Aktywny edytor musi zawierać zasób, który można otworzyć.",
+ "openFileToShowInNewWindow.nofile": "Najpierw otwórz plik, aby otworzyć go w nowym oknie",
+ "emptyFileNameError": "Należy podać nazwę pliku lub folderu.",
+ "fileNameStartsWithSlashError": "Nazwa pliku lub folderu nie może zaczynać się od ukośnika.",
+ "fileNameExistsError": "Folder lub plik **{0}** już istnieje w tej lokalizacji. Wybierz inną nazwę.",
+ "invalidFileNameError": "Nazwa **{0}** nie jest prawidłową nazwą pliku lub folderu. Wybierz inną nazwę.",
+ "fileNameWhitespaceWarning": "Wykryto wiodące lub końcowe białe znaki w nazwie pliku lub folderu.",
+ "compareWithClipboard": "Porównaj aktywny plik ze schowkiem",
+ "clipboardComparisonLabel": "Schowek ↔ {0}",
+ "retry": "Ponów próbę",
+ "createBulkEdit": "Utwórz: {0}",
+ "creatingBulkEdit": "Tworzenie: {0}",
+ "renameBulkEdit": "Zmień nazwę {0} na {1}",
+ "renamingBulkEdit": "Zmienianie nazwy z „{0}” na „{1}”",
+ "downloadingFiles": "Pobieranie",
+ "downloadProgressSmallMany": "{0} z {1} plików ({2}/s)",
+ "downloadProgressLarge": "{0} ({1} z {2}, {3}/s)",
+ "downloadButton": "Pobierz",
+ "downloadFolder": "Pobierz folder",
+ "downloadFile": "Pobierz plik",
+ "downloadBulkEdit": "Pobierz: {0}",
+ "downloadingBulkEdit": "Pobieranie: {0}",
+ "fileIsAncestor": "Plik do wklejenia jest elementem nadrzędnym folderu docelowego",
+ "movingBulkEdit": "Przenoszenie {0} plików",
+ "movingFileBulkEdit": "Przenoszenie: {0}",
+ "moveBulkEdit": "Przenieś pliki ({0})",
+ "moveFileBulkEdit": "Przenieś: {0}",
+ "copyingBulkEdit": "Kopiowanie {0} plików",
+ "copyingFileBulkEdit": "Kopiowanie: {0}",
+ "copyBulkEdit": "Kopiuj pliki ({0})",
+ "copyFileBulkEdit": "Kopiuj: {0}",
+ "fileDeleted": "Pliki do wklejenia zostały usunięte lub przeniesione od czasu ich skopiowania. {0}"
+ },
+ "vs/workbench/contrib/files/browser/fileCommands": {
+ "saveAs": "Zapisz jako...",
+ "save": "Zapisz",
+ "saveWithoutFormatting": "Zapisz bez formatowania",
+ "saveAll": "Zapisz wszystko",
+ "removeFolderFromWorkspace": "Usuń folder z obszaru roboczego",
+ "newUntitledFile": "Nowy plik bez tytułu",
+ "modifiedLabel": "{0} (w pliku) ↔ {1}",
+ "openFileToCopy": "Najpierw otwórz plik, aby skopiować jego ścieżkę",
+ "genericSaveError": "Nie można zapisać elementu „{0}”: {1}",
+ "genericRevertError": "Nie można przywrócić „{0}”: {1}"
+ },
+ "vs/workbench/contrib/files/browser/editors/textFileEditor": {
+ "textFileEditor": "Edytor plików tekstowych",
+ "openFolderError": "Plik jest katalogiem",
+ "createFile": "Utwórz plik"
+ },
+ "vs/workbench/contrib/files/browser/views/explorerDecorationsProvider": {
+ "canNotResolve": "Nie można rozpoznać folderu obszaru roboczego",
+ "symbolicLlink": "Link symboliczny",
+ "unknown": "Nieznany typ pliku",
+ "label": "Eksplorator"
+ },
+ "vs/workbench/contrib/files/browser/views/explorerViewer": {
+ "treeAriaLabel": "Eksplorator plików",
+ "fileInputAriaLabel": "Wpisz nazwę pliku. Naciśnij klawisz Enter, aby potwierdzić, lub klawisz Escape, aby anulować.",
+ "confirmOverwrite": "W folderze docelowym istnieje już plik lub folder o nazwie „{0}”. Czy chcesz go zamienić?",
+ "irreversible": "Ta akcja jest nieodwracalna.",
+ "replaceButtonLabel": "&&Zamień",
+ "confirmManyOverwrites": "W folderze docelowym już istnieją następujące pliki i/lub foldery ({0}). Czy chcesz je zamienić?",
+ "uploadingFiles": "Przekazywanie",
+ "overwrite": "Zastąp: {0}",
+ "overwriting": "Zastępowanie: {0}",
+ "uploadProgressSmallMany": "{0} z {1} plików ({2}/s)",
+ "uploadProgressLarge": "{0} ({1} z {2}, {3}/s)",
+ "copyFolders": "&&Kopiuj foldery",
+ "copyFolder": "&&Kopiuj folder",
+ "cancel": "Anuluj",
+ "copyfolders": "Czy na pewno chcesz skopiować foldery?",
+ "copyfolder": "Czy na pewno chcesz skopiować element „{0}”?",
+ "addFolders": "&&Dodaj foldery do obszaru roboczego",
+ "addFolder": "&&Dodaj folder do obszaru roboczego",
+ "dropFolders": "Czy chcesz skopiować foldery lub dodać foldery do obszaru roboczego?",
+ "dropFolder": "Czy chcesz skopiować element „{0}” lub dodać element „{0}” jako folder do obszaru roboczego?",
+ "copyFile": "Kopiuj: {0}",
+ "copynFile": "Kopiuj zasoby ({0})",
+ "copyingFile": "Kopiowanie: {0}",
+ "copyingnFile": "Kopiowanie {0} zasobów",
+ "confirmRootsMove": "Czy na pewno chcesz zmienić kolejność wielu folderów głównych w obszarze roboczym?",
+ "confirmMultiMove": "Czy na pewno chcesz przenieść następujące pliki ({0}) do „{1}”?",
+ "confirmRootMove": "Czy na pewno chcesz zmienić kolejność folderu głównego „{0}” w obszarze roboczym?",
+ "confirmMove": "Czy na pewno chcesz przenieść element „{0}” do „{1}”?",
+ "doNotAskAgain": "Nie pytaj mnie ponownie",
+ "moveButtonLabel": "&&Przenieś",
+ "copy": "Kopiuj: {0}",
+ "copying": "Kopiowanie: {0}",
+ "move": "Przenieś: {0}",
+ "moving": "Przenoszenie: {0}"
+ },
+ "vs/workbench/contrib/format/browser/formatActionsMultiple": {
+ "nullFormatterDescription": "Brak",
+ "miss": "Rozszerzenie „{0}” nie może sformatować elementu „{1}”",
+ "config.needed": "Istnieje wiele programów formatujących dla plików „{0}”. Wybierz domyślny program formatujący, aby kontynuować.",
+ "config.bad": "Rozszerzenie „{0}” jest skonfigurowane jako program formatujący, ale jest niedostępne. Wybierz inny domyślny program formatujący, aby kontynuować.",
+ "do.config": "Skonfiguruj...",
+ "select": "Wybierz domyślny program formatujący dla plików „{0}”",
+ "formatter.default": "Definiuje domyślny program formatujący, który ma pierwszeństwo przed wszystkimi innymi ustawieniami programów formatujących. Musi to być identyfikator rozszerzenia udostępniającego program formatujący.",
+ "def": "(domyślne)",
+ "config": "Konfiguruj domyślny program formatujący...",
+ "format.placeHolder": "Wybierz program formatujący",
+ "formatDocument.label.multiple": "Formatuj dokument za pomocą...",
+ "formatSelection.label.multiple": "Formatuj zaznaczenie za pomocą..."
+ },
+ "vs/workbench/contrib/format/browser/formatActionsNone": {
+ "formatDocument.label.multiple": "Formatuj dokument",
+ "too.large": "Nie można sformatować tego pliku, ponieważ jest za duży",
+ "no.provider": "Nie zainstalowano programu formatującego dla plików „{0}”.",
+ "install.formatter": "Zainstaluj program formatujący..."
+ },
+ "vs/workbench/contrib/format/browser/formatModified": {
+ "formatChanges": "Formatuj zmodyfikowane wiersze"
+ },
+ "vs/workbench/contrib/issue/electron-sandbox/issue.contribution": {
+ "reportIssueInEnglish": "Zgłoś problem..."
+ },
+ "vs/workbench/contrib/issue/electron-sandbox/issueActions": {
+ "openProcessExplorer": "Otwórz eksplorator procesów",
+ "reportPerformanceIssue": "Zgłoś problem z wydajnością"
+ },
+ "vs/workbench/contrib/keybindings/browser/keybindings.contribution": {
+ "toggleKeybindingsLog": "Przełącz rozwiązywanie problemów ze skrótami klawiaturowymi"
+ },
+ "vs/workbench/contrib/localizations/browser/localizations.contribution": {
+ "updateLocale": "Czy chcesz zmienić język interfejsu użytkownika programu VS Code na {0} i uruchomić program ponownie?",
+ "activateLanguagePack": "Aby można było korzystać z programu VS Code w języku {0}, należy uruchomić ponownie ten program.",
+ "yes": "Tak",
+ "restart now": "Uruchom ponownie teraz",
+ "neverAgain": "Nie pokazuj ponownie",
+ "vscode.extension.contributes.localizations": "Udostępnia zlokalizowane elementy w edytorze",
+ "vscode.extension.contributes.localizations.languageId": "Identyfikator języka, na który są tłumaczone wyświetlane ciągi.",
+ "vscode.extension.contributes.localizations.languageName": "Nazwa języka po angielsku.",
+ "vscode.extension.contributes.localizations.languageNameLocalized": "Nazwa języka w udostępnianym języku.",
+ "vscode.extension.contributes.localizations.translations": "Lista tłumaczeń skojarzonych z językiem.",
+ "vscode.extension.contributes.localizations.translations.id": "Identyfikator programu VS Code lub rozszerzenia, dla którego jest udostępniane to tłumaczenie. Identyfikator programu VS Code zawsze ma wartość „vscode”, a rozszerzenie powinno mieć format „identyfikatorWydawcy.nazwaRozszerzenia”.",
+ "vscode.extension.contributes.localizations.translations.id.pattern": "Identyfikator powinien mieć wartość „vscode” lub mieć format „identyfikatorWydawcy.nazwaRozszerzenia” odpowiednio w przypadku tłumaczeń programu VS Code lub rozszerzenia.",
+ "vscode.extension.contributes.localizations.translations.path": "Ścieżka względna do pliku zawierającego tłumaczenia dla języka."
+ },
+ "vs/workbench/contrib/localizations/browser/localizationsActions": {
+ "configureLocale": "Konfiguruj język wyświetlania",
+ "installAdditionalLanguages": "Zainstaluj dodatkowe języki...",
+ "chooseDisplayLanguage": "Wybierz język wyświetlania",
+ "relaunchDisplayLanguageMessage": "Wymagane jest ponowne uruchomienie, aby zastosować zmianę języka wyświetlania.",
+ "relaunchDisplayLanguageDetail": "Naciśnij przycisk ponownego uruchamiania, aby uruchomić ponownie program {0} i zmienić język wyświetlania.",
+ "restart": "&&Uruchom ponownie"
+ },
+ "vs/workbench/contrib/localizations/browser/minimalTranslations": {
+ "showLanguagePackExtensions": "Przeszukaj pakiety językowe w witrynie Marketplace, aby zmienić język wyświetlania na {0}.",
+ "searchMarketplace": "Wyszukaj na platformie handlowej",
+ "installAndRestartMessage": "Zainstaluj pakiet językowy, aby zmienić język wyświetlania na {0}.",
+ "installAndRestart": "Zainstaluj i uruchom ponownie"
+ },
+ "vs/workbench/contrib/logs/common/logs.contribution": {
+ "userDataSyncLog": "Synchronizacja ustawień",
+ "rendererLog": "Okno",
+ "telemetryLog": "Telemetria",
+ "show window log": "Pokaż dziennik okna",
+ "mainLog": "Główne",
+ "sharedLog": "Udostępnione"
+ },
+ "vs/workbench/contrib/logs/electron-sandbox/logsActions": {
+ "openLogsFolder": "Otwórz folder dzienników",
+ "openExtensionLogsFolder": "Otwórz folder dzienników rozszerzeń"
+ },
+ "vs/workbench/contrib/logs/common/logsActions": {
+ "setLogLevel": "Ustaw poziom dziennika...",
+ "trace": "Ślad",
+ "debug": "Debugowanie",
+ "info": "Informacje",
+ "warn": "Ostrzeżenie",
+ "err": "Błąd",
+ "critical": "Krytyczne",
+ "off": "Wyłączone",
+ "selectLogLevel": "Wybierz poziom dziennika",
+ "default and current": "Domyślne i bieżące",
+ "default": "Domyślne",
+ "current": "Bieżące",
+ "openSessionLogFile": "Otwórz okno pliku dziennika (sesja)...",
+ "sessions placeholder": "Wybierz sesję",
+ "log placeholder": "Wybierz plik dziennika"
+ },
+ "vs/workbench/contrib/markers/browser/markers.contribution": {
+ "markersViewIcon": "Wyświetl ikonę widoku znaczników.",
+ "copyMarker": "Kopiuj",
+ "copyMessage": "Kopiuj komunikat",
+ "focusProblemsList": "Ustaw fokus na widoku problemów",
+ "focusProblemsFilter": "Ustaw fokus na filtrze problemów",
+ "show multiline": "Pokaż komunikat w wielu wierszach",
+ "problems": "Problemy",
+ "show singleline": "Pokaż komunikat w pojedynczym wierszu",
+ "clearFiltersText": "Wyczyść tekst filtrów",
+ "miMarker": "&&Problemy",
+ "status.problems": "Problemy",
+ "totalErrors": "Błędy: {0}",
+ "totalWarnings": "Ostrzeżenia: {0}",
+ "totalInfos": "Informacje: {0}",
+ "noProblems": "Brak problemów",
+ "manyProblems": "10 tys. lub więcej"
+ },
+ "vs/workbench/contrib/markers/browser/markersView": {
+ "collapseAll": "Zwiń wszystko",
+ "filter": "Filtr",
+ "No problems filtered": "Wyświetlane problemy: {0}",
+ "problems filtered": "Wyświetlono {0} z {1} problemów",
+ "clearFilter": "Wyczyść filtry"
+ },
+ "vs/workbench/contrib/markers/browser/markersViewActions": {
+ "filterIcon": "Ikona konfiguracji filtru w widoku znaczników.",
+ "showing filtered problems": "Pokazane: {0} z {1}"
+ },
+ "vs/workbench/contrib/markers/browser/messages": {
+ "problems.view.toggle.label": "Przełącz problemy (błędy, ostrzeżenia, informacje)",
+ "problems.view.focus.label": "Ustaw fokus na obszarze problemów (błędy, ostrzeżenia, informacje)",
+ "problems.panel.configuration.title": "Widok problemów",
+ "problems.panel.configuration.autoreveal": "Określa, czy pliki powinny być automatycznie wyświetlane w widoku problemów podczas ich otwierania.",
+ "problems.panel.configuration.showCurrentInStatus": "Gdy to ustawienie jest włączone, bieżący problem jest wyświetlany na pasku stanu.",
+ "markers.panel.title.problems": "Problemy",
+ "markers.panel.no.problems.build": "Dotychczas nie wykryto problemów w obszarze roboczym.",
+ "markers.panel.no.problems.activeFile.build": "Dotychczas nie wykryto problemów w bieżącym pliku.",
+ "markers.panel.no.problems.filters": "Nie znaleziono wyników przy użyciu podanych kryteriów filtrowania.",
+ "markers.panel.action.moreFilters": "Więcej filtrów...",
+ "markers.panel.filter.showErrors": "Pokaż błędy",
+ "markers.panel.filter.showWarnings": "Pokaż ostrzeżenia",
+ "markers.panel.filter.showInfos": "Pokaż informacje",
+ "markers.panel.filter.useFilesExclude": "Ukryj wykluczone pliki",
+ "markers.panel.filter.activeFile": "Pokaż tylko aktywny plik",
+ "markers.panel.action.filter": "Problemy z filtrem",
+ "markers.panel.action.quickfix": "Pokaż poprawki",
+ "markers.panel.filter.ariaLabel": "Problemy z filtrem",
+ "markers.panel.filter.placeholder": "Filtr (np. tekst, **/*.ts, !**/moduły_node/**)",
+ "markers.panel.filter.errors": "błędy",
+ "markers.panel.filter.warnings": "ostrzeżenia",
+ "markers.panel.filter.infos": "informacje",
+ "markers.panel.single.error.label": "Błędy: 1",
+ "markers.panel.multiple.errors.label": "Błędy: {0}",
+ "markers.panel.single.warning.label": "Ostrzeżenia: 1",
+ "markers.panel.multiple.warnings.label": "Ostrzeżenia: {0}",
+ "markers.panel.single.info.label": "Informacje: 1",
+ "markers.panel.multiple.infos.label": "Informacje: {0}",
+ "markers.panel.single.unknown.label": "Nieznane: 1",
+ "markers.panel.multiple.unknowns.label": "Nieznane: {0}",
+ "markers.panel.at.ln.col.number": "[{0}, {1}]",
+ "problems.tree.aria.label.resource": "Problemy w pliku {1} w folderze {2}: {0}",
+ "problems.tree.aria.label.marker.relatedInformation": " Ten problem obejmuje odwołania do {0} lokalizacji.",
+ "problems.tree.aria.label.error.marker": "Błąd wygenerowany przez {0}: {1} — wiersz {2} i znak {3}.{4}",
+ "problems.tree.aria.label.error.marker.nosource": "Błąd: {0} — wiersz {1} i znak {2}.{3}",
+ "problems.tree.aria.label.warning.marker": "Ostrzeżenie wygenerowane przez {0}: {1} — wiersz {2} i znak {3}.{4}",
+ "problems.tree.aria.label.warning.marker.nosource": "Ostrzeżenie: {0} — wiersz {1} i znak {2}.{3}",
+ "problems.tree.aria.label.info.marker": "Informacje wygenerowane przez {0}: {1} — wiersz {2} i znak {3}.{4}",
+ "problems.tree.aria.label.info.marker.nosource": "Informacje: {0} — wiersz {1} i znak {2}.{3}",
+ "problems.tree.aria.label.marker": "Problem wygenerowany przez {0}: {1} — wiersz {2} i znak {3}.{4}",
+ "problems.tree.aria.label.marker.nosource": "Problem: {0} — wiersz {1} i znak {2}.{3}",
+ "problems.tree.aria.label.relatedinfo.message": "{0} — wiersz {1} i znak {2} w: {3}",
+ "errors.warnings.show.label": "Pokaż błędy i ostrzeżenia"
+ },
+ "vs/workbench/contrib/markers/browser/markers": {
+ "totalProblems": "Łączna liczba problemów: {0}"
+ },
+ "vs/workbench/contrib/markers/browser/markersFileDecorations": {
+ "label": "Problemy",
+ "tooltip.1": "1 problem w tym pliku",
+ "tooltip.N": "Problemy w tym pliku: {0}",
+ "markers.showOnFile": "Pokaż błędy i ostrzeżenia w plikach i folderach."
+ },
+ "vs/workbench/contrib/markers/browser/markersTreeViewer": {
+ "problemsView": "Widok problemów",
+ "expandedIcon": "Ikona wskazująca, że jest pokazywanych wiele wierszy w widoku znaczników.",
+ "collapsedIcon": "Ikona wskazująca, że jest zwiniętych wiele wierszy w widoku znaczników.",
+ "single line": "Pokaż komunikat w pojedynczym wierszu",
+ "multi line": "Pokaż komunikat w wielu wierszach",
+ "links.navigate.follow": "Otwórz link",
+ "links.navigate.kb.meta": "ctrl + kliknięcie",
+ "links.navigate.kb.meta.mac": "cmd + kliknięcie",
+ "links.navigate.kb.alt.mac": "option + kliknięcie",
+ "links.navigate.kb.alt": "alt + kliknięcie"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/coreActions": {
+ "notebookActions.category": "Notes",
+ "notebookActions.execute": "Wykonaj komórkę",
+ "notebookActions.cancel": "Zatrzymaj wykonywanie komórki",
+ "notebookActions.executeCell": "Wykonaj komórkę",
+ "notebookActions.CancelCell": "Anuluj wykonywanie",
+ "notebookActions.deleteCell": "Usuń komórkę",
+ "notebookActions.executeAndSelectBelow": "Uruchom komórkę notesu i zaznacz poniżej",
+ "notebookActions.executeAndInsertBelow": "Uruchom komórkę notesu i wstaw poniżej",
+ "notebookActions.renderMarkdown": "Renderuj wszystkie komórki znaczników markdown",
+ "notebookActions.executeNotebook": "Uruchom notes",
+ "notebookActions.cancelNotebook": "Anuluj wykonywanie notesu",
+ "notebookMenu.insertCell": "Wstaw komórkę",
+ "notebookMenu.cellTitle": "Komórka notesu",
+ "notebookActions.menu.executeNotebook": "Uruchom notes (uruchom wszystkie komórki)",
+ "notebookActions.menu.cancelNotebook": "Zatrzymaj wykonywanie notesu",
+ "notebookActions.changeCellToCode": "Zamień komórkę na kod",
+ "notebookActions.changeCellToMarkdown": "Zamień komórkę na znaczniki markdown",
+ "notebookActions.insertCodeCellAbove": "Wstaw komórkę kodu powyżej",
+ "notebookActions.insertCodeCellBelow": "Wstaw komórkę kodu poniżej",
+ "notebookActions.insertCodeCellAtTop": "Dodaj komórkę kodu u góry",
+ "notebookActions.insertMarkdownCellAtTop": "Dodaj komórkę znaczników markdown u góry",
+ "notebookActions.menu.insertCode": "$(add) kod",
+ "notebookActions.menu.insertCode.tooltip": "Dodaj komórkę kodu",
+ "notebookActions.insertMarkdownCellAbove": "Wstaw komórkę znaczników markdown powyżej",
+ "notebookActions.insertMarkdownCellBelow": "Wstaw komórkę znaczników markdown poniżej",
+ "notebookActions.menu.insertMarkdown": "$(add) znaczniki markdown",
+ "notebookActions.menu.insertMarkdown.tooltip": "Dodaj komórkę znaczników markdown",
+ "notebookActions.editCell": "Edytuj komórkę",
+ "notebookActions.quitEdit": "Zatrzymaj edytowanie komórki",
+ "notebookActions.moveCellUp": "Przenieś komórkę w górę",
+ "notebookActions.moveCellDown": "Przenieś komórkę w dół",
+ "notebookActions.copy": "Kopiuj komórkę",
+ "notebookActions.cut": "Wytnij komórkę",
+ "notebookActions.paste": "Wklej komórkę",
+ "notebookActions.pasteAbove": "Wklej komórkę powyżej",
+ "notebookActions.copyCellUp": "Kopiuj komórkę w górę",
+ "notebookActions.copyCellDown": "Kopiuj komórkę w dół",
+ "cursorMoveDown": "Ustaw fokus na edytorze następnej komórki",
+ "cursorMoveUp": "Ustaw fokus na edytorze poprzedniej komórki",
+ "focusOutput": "Ustaw fokus na danych wyjściowych aktywnej komórki",
+ "focusOutputOut": "Przenieś fokus poza dane wyjściowe aktywnej komórki",
+ "focusFirstCell": "Ustaw fokus na pierwszej komórce",
+ "focusLastCell": "Ustaw fokus na ostatniej komórce",
+ "clearCellOutputs": "Wyczyść dane wyjściowe komórki",
+ "changeLanguage": "Zmień język komórki",
+ "languageDescription": "({0}) — bieżący język",
+ "languageDescriptionConfigured": "({0})",
+ "pickLanguageToConfigure": "Wybierz tryb języka",
+ "clearAllCellsOutputs": "Wyczyść wszystkie dane wyjściowe komórek",
+ "notebookActions.splitCell": "Podziel komórkę",
+ "notebookActions.joinCellAbove": "Połącz z poprzednią komórką",
+ "notebookActions.joinCellBelow": "Połącz z następną komórką",
+ "notebookActions.centerActiveCell": "Wyśrodkuj aktywną komórkę",
+ "notebookActions.collapseCellInput": "Zwiń dane wejściowe komórki",
+ "notebookActions.expandCellContent": "Rozwiń zawartość komórki",
+ "notebookActions.collapseCellOutput": "Zwiń dane wyjściowe komórki",
+ "notebookActions.expandCellOutput": "Rozwiń dane wyjściowe komórki",
+ "notebookActions.inspectLayout": "Sprawdź układ notesu"
+ },
+ "vs/workbench/contrib/notebook/browser/notebook.contribution": {
+ "diffLeftRightLabel": "{0} ⟷ {1}",
+ "notebookConfigurationTitle": "Notes",
+ "notebook.displayOrder.description": "Lista priorytetów dla wyjściowych typów MIME",
+ "notebook.cellToolbarLocation.description": "Gdzie powinien być wyświetlany pasek narzędzi komórki lub czy powinien być ukryty.",
+ "notebook.showCellStatusbar.description": "Czy powinien być pokazywany pasek stanu komórek.",
+ "notebook.diff.enablePreview.description": "Czy należy używać rozszerzonego edytora różnic tekstowych dla notesu."
+ },
+ "vs/workbench/contrib/notebook/browser/notebookIcons": {
+ "configureKernel": "Ikona konfiguracji w widżecie konfiguracji jądra w edytorach notesów.",
+ "selectKernelIcon": "Ikona konfiguracji umożliwiająca wybranie jądra w edytorach notesów.",
+ "executeIcon": "Ikona umożliwiająca wykonanie w edytorach notesów.",
+ "stopIcon": "Ikona umożliwiająca zatrzymanie wykonywania w edytorach notesów.",
+ "deleteCellIcon": "Ikona umożliwiająca usunięcie komórki w edytorach notesów.",
+ "executeAllIcon": "Ikona umożliwiająca wykonanie wszystkich komórek w edytorach notesów.",
+ "editIcon": "Ikona umożliwiająca edytowanie komórki w edytorach notesów.",
+ "stopEditIcon": "Ikona umożliwiająca zatrzymanie edytowania komórki w edytorach notesów.",
+ "moveUpIcon": "Ikona umożliwiająca przeniesienie komórki w górę w edytorach notesów.",
+ "moveDownIcon": "Ikona umożliwiająca przeniesienie komórki w dół w edytorach notesów.",
+ "clearIcon": "Ikona umożliwiająca wyczyszczenie danych wyjściowych komórek w edytorach notesów.",
+ "splitCellIcon": "Ikona umożliwiająca podzielenie komórki w edytorach notesów.",
+ "unfoldIcon": "Ikona umożliwiająca rozwinięcie komórki w edytorach notesów.",
+ "successStateIcon": "Ikona wskazująca stan powodzenia w edytorach notesów.",
+ "errorStateIcon": "Ikona wskazująca stan błędu w edytorach notesów.",
+ "collapsedIcon": "Ikona umożliwiająca dodanie adnotacji do zwiniętej sekcji w edytorach notesów.",
+ "expandedIcon": "Ikona umożliwiająca dodanie adnotacji do rozwiniętej sekcji w edytorach notesów.",
+ "openAsTextIcon": "Ikona umożliwiająca otworzenie notesu w edytorze tekstów.",
+ "revertIcon": "Ikona umożliwiająca przywrócenie w edytorach notesów.",
+ "mimetypeIcon": "Ikona typu MIME w edytorach notesów."
+ },
+ "vs/workbench/contrib/notebook/browser/notebookEditor": {
+ "fail.noEditor": "Nie można otworzyć zasobu przy użyciu typu edytora notesu „{0}”. Sprawdź, czy masz zainstalowane lub włączone odpowiednie rozszerzenie.",
+ "fail.reOpen": "Otwórz ponownie plik przy użyciu standardowego edytora tekstu w programie VS Code"
+ },
+ "vs/workbench/contrib/notebook/browser/notebookServiceImpl": {
+ "builtinProviderDisplayName": "Wbudowane"
+ },
+ "vs/workbench/contrib/notebook/browser/diff/notebookTextDiffEditor": {
+ "notebookTreeAriaLabel": "Różnice tekstowe notesu"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/find/findController": {
+ "notebookActions.hideFind": "Ukryj znajdowanie w notesie",
+ "notebookActions.findInNotebook": "Znajdź w notesie"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/fold/folding": {
+ "fold.cell": "Zwiń komórkę",
+ "unfold.cell": "Rozwiń komórkę"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/format/formatting": {
+ "format.title": "Formatuj notes",
+ "label": "Formatuj notes",
+ "formatCell.label": "Formatuj komórkę"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/status/editorStatus": {
+ "notebookActions.selectKernel": "Wybierz jądro notesu",
+ "notebook.runCell.selectKernel": "Wybierz jądro notesu, aby uruchomić ten notes",
+ "currentActiveKernel": " (obecnie aktywne)",
+ "notebook.promptKernel.setDefaultTooltip": "Ustaw jako dostawcę domyślnego jądra dla: „{0}”",
+ "chooseActiveKernel": "Wybierz jądro dla bieżącego notesu",
+ "notebook.selectKernel": "Wybierz jądro dla bieżącego notesu"
+ },
+ "vs/workbench/contrib/notebook/browser/diff/notebookDiffActions": {
+ "notebook.diff.switchToText": "Otwórz edytor różnic tekstowych",
+ "notebook.diff.cell.revertMetadata": "Przywróć metadane",
+ "notebook.diff.cell.revertOutputs": "Przywróć dane wyjściowe",
+ "notebook.diff.cell.revertInput": "Przywróć dane wejściowe"
+ },
+ "vs/workbench/contrib/notebook/browser/extensionPoint": {
+ "contributes.notebook.provider": "Udostępnia dostawcę dokumentów notesu.",
+ "contributes.notebook.provider.viewType": "Unikatowy identyfikator notesu.",
+ "contributes.notebook.provider.displayName": "Zrozumiała dla użytkownika nazwa notesu.",
+ "contributes.notebook.provider.selector": "Zestaw wzorców globalnych, dla których jest notes.",
+ "contributes.notebook.provider.selector.filenamePattern": "Wzorzec globalny, dla którego jest włączony notes.",
+ "contributes.notebook.selector.provider.excludeFileNamePattern": "Wzorzec globalny, dla którego jest wyłączony notes.",
+ "contributes.priority": "Steruje tym, czy edytor niestandardowy jest włączany automatycznie, gdy użytkownik otwiera plik. Może to zostać przesłonięte przez użytkowników za pomocą ustawienia „workbench.editorAssociations”.",
+ "contributes.priority.default": "Edytor jest automatycznie używany, gdy użytkownik otwiera zasób, pod warunkiem, że dla tego zasobu nie zarejestrowano żadnych innych edytorów domyślnych.",
+ "contributes.priority.option": "Edytor nie jest automatycznie używany, gdy użytkownik otwiera zasób, ale użytkownik może przełączyć się do tego edytora za pomocą polecenia „Otwórz ponownie za pomocą”.",
+ "contributes.notebook.renderer": "Udostępnia dostawcę renderowania danych wyjściowych notesu.",
+ "contributes.notebook.renderer.viewType": "Unikatowy identyfikator programu renderującego dane wyjściowe notesu.",
+ "contributes.notebook.provider.viewType.deprecated": "Zmień nazwę „viewType” na „id”.",
+ "contributes.notebook.renderer.displayName": "Zrozumiała dla użytkownika nazwa programu renderującego dane wyjściowe notesu.",
+ "contributes.notebook.selector": "Zestaw wzorców globalnych, dla których jest notes.",
+ "contributes.notebook.renderer.entrypoint": "Plik do załadowania w widoku sieci Web w celu renderowania rozszerzenia."
+ },
+ "vs/workbench/contrib/notebook/browser/notebookKernelAssociation": {
+ "notebook.kernelProviderAssociations": "Definiuje domyślnego dostawcę jądra, który ma pierwszeństwo przed wszystkimi innymi ustawieniami dostawców jądra. Musi to być identyfikator rozszerzenia udostępniającego dostawcę jądra."
+ },
+ "vs/workbench/contrib/notebook/common/model/notebookTextModel": {
+ "defaultEditLabel": "Edytuj"
+ },
+ "vs/workbench/contrib/notebook/common/notebookEditorModel": {
+ "notebook.staleSaveError": "Zawartość pliku została zmieniona na dysku. Czy chcesz otworzyć zaktualizowaną wersję, czy zastąpić plik wprowadzonymi zmianami?",
+ "notebook.staleSaveError.revert": "Przywróć",
+ "notebook.staleSaveError.overwrite.": "Zastąp"
+ },
+ "vs/workbench/contrib/notebook/browser/notebookEditorWidget": {
+ "notebookTreeAriaLabel": "Notes",
+ "notebook.runCell.selectKernel": "Wybierz jądro notesu, aby uruchomić ten notes",
+ "notebook.promptKernel.setDefaultTooltip": "Ustaw jako dostawcę domyślnego jądra dla: „{0}”",
+ "notebook.cellBorderColor": "Kolor obramowania komórek notesu.",
+ "notebook.focusedEditorBorder": "Kolor obramowania edytora komórek notesu.",
+ "notebookStatusSuccessIcon.foreground": "Kolor ikony błędu komórek notesu na pasku stanu komórki.",
+ "notebookStatusErrorIcon.foreground": "Kolor ikony błędu komórek notesu na pasku stanu komórki.",
+ "notebookStatusRunningIcon.foreground": "Kolor ikony uruchamiania dla komórek notesu na pasku stanu komórek.",
+ "notebook.outputContainerBackgroundColor": "Kolor tła kontenera danych wyjściowych notesu.",
+ "notebook.cellToolbarSeparator": "Kolor separatora na dolnym pasku narzędzi komórki",
+ "focusedCellBackground": "Kolor tła komórki, gdy komórka ma fokus.",
+ "notebook.cellHoverBackground": "Kolor tła komórki po zatrzymaniu na niej wskaźnika myszy.",
+ "notebook.selectedCellBorder": "Kolor górnej i dolnej krawędzi komórki, gdy komórka jest zaznaczona, ale nie ma fokusu.",
+ "notebook.focusedCellBorder": "Kolor górnej i dolnej krawędzi komórki, gdy komórka ma fokus.",
+ "notebook.cellStatusBarItemHoverBackground": "Kolor tła elementów na pasku stanu komórek notesu.",
+ "notebook.cellInsertionIndicator": "Kolor wskaźnika wstawiania komórek notesu.",
+ "notebookScrollbarSliderBackground": "Kolor tła suwaka paska przewijania notesu.",
+ "notebookScrollbarSliderHoverBackground": "Kolor tła suwaka paska przewijania notesu po zatrzymaniu na nim wskaźnika myszy.",
+ "notebookScrollbarSliderActiveBackground": "Kolor tła suwaka paska przewijania notesu po kliknięciu.",
+ "notebook.symbolHighlightBackground": "Kolor tła wyróżnionej komórki"
+ },
+ "vs/workbench/contrib/notebook/browser/view/renderers/cellRenderer": {
+ "cellExpandButtonLabel": "Rozwiń"
+ },
+ "vs/workbench/contrib/notebook/browser/viewModel/markdownCellViewModel": {
+ "notebook.emptyMarkdownPlaceholder": "Pusta komórka znaczników markdown. Kliknij dwukrotnie lub naciśnij klawisz Enter, aby edytować."
+ },
+ "vs/workbench/contrib/notebook/browser/view/renderers/cellWidgets": {
+ "notebook.cell.status.language": "Wybierz tryb języka komórki"
+ },
+ "vs/workbench/contrib/notebook/browser/view/renderers/cellOutput": {
+ "mimeTypePicker": "Wybierz inny typ MIME danych wyjściowych. Dostępne typy MIME: {0}",
+ "curruentActiveMimeType": "Obecnie aktywne",
+ "promptChooseMimeTypeInSecure.placeHolder": "Wybierz typ MIME na potrzeby renderowania dla bieżących danych wyjściowych. Zaawansowane typy MIME są dostępne tylko wtedy, gdy notes jest zaufany",
+ "promptChooseMimeType.placeHolder": "Wybierz typ MIME na potrzeby renderowania dla bieżących danych wyjściowych",
+ "builtinRenderInfo": "wbudowane"
+ },
+ "vs/workbench/contrib/outline/browser/outline.contribution": {
+ "outlineViewIcon": "Wyświetl ikonę widoku konspektu.",
+ "name": "Konspekt",
+ "outlineConfigurationTitle": "Konspekt",
+ "outline.showIcons": "Renderuj elementy konspektu przy użyciu ikon.",
+ "outline.showProblem": "Pokaż błędy i ostrzeżenia w elementach konspektu.",
+ "outline.problem.colors": "Użyj kolorów dla błędów i ostrzeżeń.",
+ "outline.problems.badges": "Użyj wskaźników dla błędów i ostrzeżeń.",
+ "filteredTypes.file": "Gdy to ustawienie jest włączone, w konspekcie są wyświetlane symbole „file”.",
+ "filteredTypes.module": "Gdy to ustawienie jest włączone, w konspekcie są wyświetlane symbole „module”.",
+ "filteredTypes.namespace": "Gdy to ustawienie jest włączone, w konspekcie są wyświetlane symbole „namespace”.",
+ "filteredTypes.package": "Gdy to ustawienie jest włączone, w konspekcie są wyświetlane symbole „package”.",
+ "filteredTypes.class": "Gdy to ustawienie jest włączone, w konspekcie są wyświetlane symbole „class”.",
+ "filteredTypes.method": "Gdy to ustawienie jest włączone, w konspekcie są wyświetlane symbole „method”.",
+ "filteredTypes.property": "Gdy to ustawienie jest włączone, w konspekcie są wyświetlane symbole „property”.",
+ "filteredTypes.field": "Gdy to ustawienie jest włączone, w konspekcie są wyświetlane symbole „field”.",
+ "filteredTypes.constructor": "Gdy to ustawienie jest włączone, w konspekcie są wyświetlane symbole „constructor”.",
+ "filteredTypes.enum": "Gdy to ustawienie jest włączone, w konspekcie są wyświetlane symbole „enum”.",
+ "filteredTypes.interface": "Gdy to ustawienie jest włączone, w konspekcie są wyświetlane symbole „interface”.",
+ "filteredTypes.function": "Gdy to ustawienie jest włączone, w konspekcie są wyświetlane symbole „function”.",
+ "filteredTypes.variable": "Gdy to ustawienie jest włączone, w konspekcie są wyświetlane symbole „variable”.",
+ "filteredTypes.constant": "Gdy to ustawienie jest włączone, w konspekcie są wyświetlane symbole „constant”.",
+ "filteredTypes.string": "Gdy to ustawienie jest włączone, w konspekcie są wyświetlane symbole „string”.",
+ "filteredTypes.number": "Gdy to ustawienie jest włączone, w konspekcie są wyświetlane symbole „number”.",
+ "filteredTypes.boolean": "Gdy to ustawienie jest włączone, w konspekcie są wyświetlane symbole „boolean”.",
+ "filteredTypes.array": "Gdy to ustawienie jest włączone, w konspekcie są wyświetlane symbole „array”.",
+ "filteredTypes.object": "Gdy to ustawienie jest włączone, w konspekcie są wyświetlane symbole „object”.",
+ "filteredTypes.key": "Gdy to ustawienie jest włączone, w konspekcie są wyświetlane symbole „key”.",
+ "filteredTypes.null": "Gdy to ustawienie jest włączone, w konspekcie są wyświetlane symbole „null”.",
+ "filteredTypes.enumMember": "Gdy to ustawienie jest włączone, w konspekcie są wyświetlane symbole „enumMember”.",
+ "filteredTypes.struct": "Gdy to ustawienie jest włączone, w konspekcie są wyświetlane symbole „struct”.",
+ "filteredTypes.event": "Gdy to ustawienie jest włączone, w konspekcie są wyświetlane symbole „event”.",
+ "filteredTypes.operator": "Gdy to ustawienie jest włączone, w konspekcie są wyświetlane symbole „operator”.",
+ "filteredTypes.typeParameter": "Gdy to ustawienie jest włączone, w konspekcie są wyświetlane symbole „typeParameter”."
+ },
+ "vs/workbench/contrib/outline/browser/outlinePane": {
+ "outline": "Konspekt",
+ "sortByPosition": "Sortuj według: pozycja",
+ "sortByName": "Sortuj według: nazwa",
+ "sortByKind": "Sortuj według: kategoria",
+ "followCur": "Śledź kursor",
+ "filterOnType": "Filtruj według typu",
+ "no-editor": "Aktywny edytor nie może udostępnić informacji konspektu.",
+ "loading": "Trwa ładowanie symboli dokumentu dla: „{0}”...",
+ "no-symbols": "Nie znaleziono symboli w dokumencie „{0}”"
+ },
+ "vs/workbench/contrib/output/browser/output.contribution": {
+ "outputViewIcon": "Wyświetl ikonę widoku danych wyjściowych.",
+ "output": "Dane wyjściowe",
+ "logViewer": "Przeglądarka dzienników",
+ "switchToOutput.label": "Przełącz do danych wyjściowych",
+ "clearOutput.label": "Wyczyść dane wyjściowe",
+ "outputCleared": "Wyczyszczono dane wyjściowe",
+ "toggleAutoScroll": "Przełącz przewijanie automatyczne",
+ "outputScrollOff": "Wyłącz przewijanie automatyczne",
+ "outputScrollOn": "Włącz przewijanie automatyczne",
+ "openActiveLogOutputFile": "Otwórz plik wyjściowy dziennika",
+ "toggleOutput": "Przełącz dane wyjściowe",
+ "showLogs": "Pokaż dzienniki...",
+ "selectlog": "Wybierz dziennik",
+ "openLogFile": "Otwórz plik dziennika...",
+ "selectlogFile": "Wybierz plik dziennika",
+ "miToggleOutput": "&&Dane wyjściowe",
+ "output.smartScroll.enabled": "Włącz/wyłącz możliwość przewijania inteligentnego w widoku danych wyjściowych. Przewijanie inteligentne pozwala automatycznie blokować przewijanie po kliknięciu w widoku danych wyjściowych i odblokowywać je po kliknięciu w ostatnim wierszu."
+ },
+ "vs/workbench/contrib/output/browser/outputView": {
+ "output model title": "{0} — dane wyjściowe",
+ "channel": "Kanał wyjściowy dla: „{0}”",
+ "output": "Dane wyjściowe",
+ "outputViewWithInputAriaLabel": "{0}, panel wyjściowy",
+ "outputViewAriaLabel": "Panel wyjściowy",
+ "outputChannels": "Kanały wyjściowe.",
+ "logChannel": "Dziennik ({0})"
+ },
+ "vs/workbench/contrib/output/browser/logViewer": {
+ "logViewerAriaLabel": "Przeglądarka dzienników"
+ },
+ "vs/workbench/contrib/performance/electron-browser/startupProfiler": {
+ "prof.message": "Pomyślnie utworzono profile.",
+ "prof.detail": "Utwórz problem i ręcznie dołącz następujące pliki:\r\n{0}",
+ "prof.restartAndFileIssue": "&&Utwórz problem i uruchom ponownie",
+ "prof.restart": "&&Uruchom ponownie",
+ "prof.thanks": "Dziękujemy za pomoc.",
+ "prof.detail.restart": "Aby można było korzystać z elementu „{0}”, wymagane jest końcowe ponowne uruchomienie. Jeszcze raz dziękujemy za Twój wkład.",
+ "prof.restart.button": "&&Uruchom ponownie"
+ },
+ "vs/workbench/contrib/performance/browser/performance.contribution": {
+ "show.label": "Wydajność uruchamiania"
+ },
+ "vs/workbench/contrib/performance/browser/perfviewEditor": {
+ "name": "Wydajność uruchamiania"
+ },
+ "vs/workbench/contrib/preferences/browser/keybindingsEditorContribution": {
+ "defineKeybinding.start": "Definiuj powiązanie klawiszy",
+ "defineKeybinding.kbLayoutErrorMessage": "Nie będzie możliwe wygenerowanie tej kombinacji klawiszy w ramach bieżącego układu klawiatury.",
+ "defineKeybinding.kbLayoutLocalAndUSMessage": "**{0}** dla bieżącego układu klawiatury (**{1}** dla standardowej klawiatury USA).",
+ "defineKeybinding.kbLayoutLocalMessage": "**{0}** dla bieżącego układu klawiatury."
+ },
+ "vs/workbench/contrib/preferences/browser/preferences.contribution": {
+ "defaultPreferencesEditor": "Edytor preferencji domyślnych",
+ "settingsEditor2": "Edytor ustawień 2",
+ "keybindingsEditor": "Edytor powiązań klawiszy",
+ "openSettings2": "Otwórz ustawienia (interfejs użytkownika)",
+ "preferences": "Preferencje",
+ "settings": "Ustawienia",
+ "miOpenSettings": "&&Ustawienia",
+ "openSettingsJson": "Otwórz ustawienia (JSON)",
+ "openGlobalSettings": "Otwórz ustawienia użytkownika",
+ "openRawDefaultSettings": "Otwórz ustawienia domyślne (JSON)",
+ "openWorkspaceSettings": "Otwórz ustawienia obszaru roboczego",
+ "openWorkspaceSettingsFile": "Otwórz ustawienia obszaru roboczego (JSON)",
+ "openFolderSettings": "Otwórz ustawienia folderu",
+ "openFolderSettingsFile": "Otwórz ustawienia folderu (JSON)",
+ "filterModifiedLabel": "Pokaż zmodyfikowane ustawienia",
+ "filterOnlineServicesLabel": "Pokaż ustawienia dla usług online",
+ "miOpenOnlineSettings": "&&Ustawienia usług online",
+ "onlineServices": "Ustawienia usług online",
+ "openRemoteSettings": "Otwórz ustawienia zdalne ({0})",
+ "settings.focusSearch": "Ustawienia fokusu — wyszukiwanie",
+ "settings.clearResults": "Wyczyść wyniki wyszukiwania ustawień",
+ "settings.focusFile": "Ustaw fokus na pliku ustawień",
+ "settings.focusNextSetting": "Ustaw fokus na następnym ustawieniu",
+ "settings.focusPreviousSetting": "Ustaw fokus na poprzednim ustawieniu",
+ "settings.editFocusedSetting": "Edytuj ustawienie z fokusem",
+ "settings.focusSettingsList": "Ustaw fokus na liście ustawień",
+ "settings.focusSettingsTOC": "Ustawienia fokusu — spis treści",
+ "settings.focusSettingControl": "Ustawienie fokusu — kontrolka",
+ "settings.showContextMenu": "Pokaż menu kontekstowe ustawień",
+ "settings.focusLevelUp": "Przenieś fokus w górę o jeden poziom",
+ "openGlobalKeybindings": "Otwórz skróty klawiaturowe",
+ "Keyboard Shortcuts": "Skróty klawiaturowe",
+ "openDefaultKeybindingsFile": "Otwórz domyślne skróty klawiaturowe (JSON)",
+ "openGlobalKeybindingsFile": "Otwórz skróty klawiaturowe (JSON)",
+ "showDefaultKeybindings": "Pokaż domyślne powiązania klawiszy",
+ "showUserKeybindings": "Pokaż powiązania klawiszy użytkownika",
+ "clear": "Wyczyść wyniki wyszukiwania",
+ "miPreferences": "&&Preferencje"
+ },
+ "vs/workbench/contrib/preferences/browser/keybindingWidgets": {
+ "defineKeybinding.initial": "Naciśnij żądaną kombinację klawiszy, a następnie naciśnij klawisz Enter.",
+ "defineKeybinding.oneExists": "1 istniejące polecenie ma to powiązanie klawiszy",
+ "defineKeybinding.existing": "Istniejące polecenia mające to powiązanie klawiszy: {0}",
+ "defineKeybinding.chordsTo": "drugi klawisz"
+ },
+ "vs/workbench/contrib/preferences/browser/keybindingsEditor": {
+ "recordKeysLabel": "Rejestruj klawisze",
+ "recordKeysLabelWithKeybinding": "{0} ({1})",
+ "sortByPrecedeneLabel": "Sortuj według pierwszeństwa",
+ "sortByPrecedeneLabelWithKeybinding": "{0} ({1})",
+ "SearchKeybindings.FullTextSearchPlaceholder": "Wpisz, aby wyszukać w powiązaniach klawiszy",
+ "SearchKeybindings.KeybindingsSearchPlaceholder": "Rejestrowanie klawiszy. Naciśnij klawisz Escape, aby zakończyć",
+ "clearInput": "Wyczyść dane wejściowe wyszukiwania powiązań klawiszy",
+ "recording": "Rejestrowanie klawiszy",
+ "command": "Polecenie",
+ "keybinding": "Powiązanie klawiszy",
+ "when": "Kiedy",
+ "source": "Źródło",
+ "show sorted keybindings": "Wyświetlono powiązania klawiszy ({0}) w kolejności pierwszeństwa",
+ "show keybindings": "Wyświetlono powiązania klawiszy ({0}) w kolejności alfabetycznej",
+ "changeLabel": "Zmień powiązanie klawiszy...",
+ "addLabel": "Dodaj powiązanie klawiszy...",
+ "editWhen": "Zmień wyrażenie „kiedy”",
+ "removeLabel": "Usuń powiązanie klawiszy",
+ "resetLabel": "Resetuj powiązanie klawiszy",
+ "showSameKeybindings": "Pokaż takie same powiązania klawiszy",
+ "copyLabel": "Kopiuj",
+ "copyCommandLabel": "Kopiuj identyfikator polecenia",
+ "error": "Błąd „{0}” podczas edytowania powiązania klawiszy. Otwórz plik „keybindings.json” i sprawdź, czy zawiera błędy.",
+ "editKeybindingLabelWithKey": "Zmień powiązanie klawiszy {0}",
+ "editKeybindingLabel": "Zmień powiązanie klawiszy",
+ "addKeybindingLabelWithKey": "Dodaj powiązanie klawiszy {0}",
+ "addKeybindingLabel": "Dodaj powiązanie klawiszy",
+ "title": "{0} ({1})",
+ "whenContextInputAriaLabel": "Wpisywanie w przypadku znajdowania się w kontekście. Naciśnij klawisz Enter, aby potwierdzić, lub Escape, aby anulować.",
+ "keybindingsLabel": "Powiązania klawiszy",
+ "noKeybinding": "Nie przypisano żadnego powiązania klawiszy.",
+ "noWhen": "Brak kontekstu „kiedy”."
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesActions": {
+ "configureLanguageBasedSettings": "Konfiguruj ustawienia specyficzne dla języka...",
+ "languageDescriptionConfigured": "({0})",
+ "pickLanguage": "Wybieranie języka"
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesEditor": {
+ "SearchSettingsWidget.AriaLabel": "Ustawienia wyszukiwania",
+ "SearchSettingsWidget.Placeholder": "Ustawienia wyszukiwania",
+ "noSettingsFound": "Nie znaleziono ustawień",
+ "oneSettingFound": "Znaleziono 1 ustawienie",
+ "settingsFound": "Znalezione ustawienia: {0}",
+ "totalSettingsMessage": "Łączna liczba ustawień: {0}",
+ "nlpResult": "Wyniki w języku naturalnym",
+ "filterResult": "Filtrowane wyniki",
+ "defaultSettings": "Ustawienia domyślne",
+ "defaultUserSettings": "Ustawienia domyślne użytkownika",
+ "defaultWorkspaceSettings": "Ustawienia domyślne obszaru roboczego",
+ "defaultFolderSettings": "Ustawienia domyślne folderu",
+ "defaultEditorReadonly": "Edytuj w edytorze po prawej, aby przesłonić wartości domyślne.",
+ "preferencesAriaLabel": "Preferencje domyślne. Tylko do odczytu."
+ },
+ "vs/workbench/contrib/preferences/browser/settingsEditor2": {
+ "SearchSettings.AriaLabel": "Ustawienia wyszukiwania",
+ "clearInput": "Wyczyść dane wejściowe wyszukiwania ustawień",
+ "noResults": "Nie znaleziono ustawień",
+ "clearSearchFilters": "Wyczyść filtry",
+ "settings": "Ustawienia",
+ "settingsNoSaveNeeded": "Zmiany ustawień są zapisywane automatycznie.",
+ "oneResult": "Znaleziono 1 ustawienie",
+ "moreThanOneResult": "Znalezione ustawienia: {0}",
+ "turnOnSyncButton": "Włącz synchronizowanie ustawień",
+ "lastSyncedLabel": "Ostatnia synchronizacja: {0}"
+ },
+ "vs/workbench/contrib/preferences/common/preferencesContribution": {
+ "enableNaturalLanguageSettingsSearch": "Określa, czy włączyć tryb wyszukiwania w języku naturalnym dla ustawień. Wyszukiwanie w języku naturalnym jest udostępniane przez usługę online firmy Microsoft.",
+ "settingsSearchTocBehavior.hide": "Ukryj spis treści podczas wyszukiwania.",
+ "settingsSearchTocBehavior.filter": "Filtruj spis treści, aby uwzględnić tylko kategorie ze zgodnymi ustawieniami. Kliknięcie kategorii spowoduje przefiltrowanie wyników według tej kategorii.",
+ "settingsSearchTocBehavior": "Określa zachowanie spisu treści edytora ustawień podczas wyszukiwania."
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesIcons": {
+ "settingsGroupExpandedIcon": "Ikona rozwiniętej sekcji w podzielonym edytorze ustawień JSON.",
+ "settingsGroupCollapsedIcon": "Ikona zwiniętej sekcji w podzielonym edytorze ustawień JSON.",
+ "settingsScopeDropDownIcon": "Ikona rozwijanego przycisku folderów w podzielonym edytorze ustawień JSON.",
+ "settingsMoreActionIcon": "Ikona akcji „Więcej akcji” w interfejsie użytkownika ustawień.",
+ "keybindingsRecordKeysIcon": "Ikona akcji „Zarejestruj klawisze” w interfejsie użytkownika powiązań klawiszy.",
+ "keybindingsSortIcon": "Ikona przełącznika „Sortuj według pierwszeństwa” w interfejsie użytkownika powiązań klawiszy.",
+ "keybindingsEditIcon": "Ikona akcji edytowania w interfejsie użytkownika powiązań klawiszy.",
+ "keybindingsAddIcon": "Ikona akcji dodawania w interfejsie użytkownika powiązań klawiszy.",
+ "settingsEditIcon": "Ikona akcji edytowania w interfejsie użytkownika ustawień.",
+ "settingsAddIcon": "Ikona akcji dodawania w interfejsie użytkownika ustawień.",
+ "settingsRemoveIcon": "Ikona akcji usuwania w interfejsie użytkownika ustawień.",
+ "preferencesDiscardIcon": "Ikona akcji odrzucania w interfejsie użytkownika ustawień.",
+ "preferencesClearInput": "Ikona czyszczenia danych wejściowych w interfejsie użytkownika ustawień i powiązań klawiszy.",
+ "preferencesOpenSettings": "Ikona poleceń otwierania ustawień."
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesWidgets": {
+ "defaultSettings": "Aby zastąpić, umieść swoje ustawienia w edytorze po prawej stronie.",
+ "noSettingsFound": "Nie znaleziono żadnych ustawień.",
+ "settingsSwitcherBarAriaLabel": "Przełącznik ustawień",
+ "userSettings": "Użytkownik",
+ "userSettingsRemote": "Zdalne",
+ "workspaceSettings": "Obszar roboczy",
+ "folderSettings": "Folder"
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesRenderers": {
+ "emptyUserSettingsHeader": "Umieść w tym miejscu swoje ustawienia folderu, aby zastąpić ustawienia domyślne.",
+ "emptyWorkspaceSettingsHeader": "Umieść w tym miejscu swoje ustawienia, aby zastąpić ustawienia użytkownika.",
+ "emptyFolderSettingsHeader": "Umieść w tym miejscu swoje ustawienia folderu, aby zastąpić ustawienia obszaru roboczego.",
+ "editTtile": "Edytuj",
+ "replaceDefaultValue": "Zamień w ustawieniach",
+ "copyDefaultValue": "Kopiuj do ustawień",
+ "unknown configuration setting": "Nieznane ustawienie konfiguracji",
+ "unsupportedRemoteMachineSetting": "Tego ustawienia nie można zastosować w tym oknie. Zostanie ono zastosowane po otwarciu okna lokalnego.",
+ "unsupportedWindowSetting": "Tego ustawienia nie można zastosować w tym obszarze roboczym. Zostanie ono zastosowane, gdy bezpośrednio otworzysz folder zawierający obszar roboczy.",
+ "unsupportedApplicationSetting": "To ustawienie można zastosować tylko w ustawieniach użytkownika aplikacji",
+ "unsupportedMachineSetting": "To ustawienie można zastosować tylko w ustawieniach użytkownika w oknie lokalnym lub w ustawieniach zdalnych w oknie zdalnym.",
+ "unsupportedProperty": "Nieobsługiwany obiekt Property"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsLayout": {
+ "commonlyUsed": "Często używane",
+ "textEditor": "Edytor tekstu",
+ "cursor": "Kursor",
+ "find": "Znajdź",
+ "font": "Czcionka",
+ "formatting": "Formatowanie",
+ "diffEditor": "Edytor różnic",
+ "minimap": "Minimapa",
+ "suggestions": "Sugestie",
+ "files": "Pliki",
+ "workbench": "Pulpit",
+ "appearance": "Wygląd",
+ "breadcrumbs": "Nawigacja",
+ "editorManagement": "Zarządzanie edytorem",
+ "settings": "Edytor ustawień",
+ "zenMode": "Tryb Zen",
+ "screencastMode": "Tryb prezentacji ekranu",
+ "window": "Okno",
+ "newWindow": "Nowe okno",
+ "features": "Funkcje",
+ "fileExplorer": "Eksplorator",
+ "search": "Wyszukaj",
+ "debug": "Debugowanie",
+ "scm": "SCM",
+ "extensions": "Rozszerzenia",
+ "terminal": "Terminal",
+ "task": "Zadanie",
+ "problems": "Problemy",
+ "output": "Dane wyjściowe",
+ "comments": "Komentarze",
+ "remote": "Zdalne",
+ "timeline": "Oś czasu",
+ "notebook": "Notes",
+ "application": "Aplikacja",
+ "proxy": "Serwer proxy",
+ "keyboard": "Klawiatura",
+ "update": "Aktualizuj",
+ "telemetry": "Telemetria",
+ "settingsSync": "Synchronizacja ustawień"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsTree": {
+ "extensions": "Rozszerzenia",
+ "extensionSyncIgnoredLabel": "Synchronizacja: zignorowano",
+ "modified": "Zmodyfikowane",
+ "settingsContextMenuTitle": "Więcej akcji... ",
+ "alsoConfiguredIn": "Także zmodyfikowane w",
+ "configuredIn": "Zmodyfikowane w",
+ "newExtensionsButtonLabel": "Pokaż pasujące rozszerzenia",
+ "editInSettingsJson": "Edytuj w pliku settings.json",
+ "settings.Default": "domyślnie",
+ "resetSettingLabel": "Zresetuj ustawienie",
+ "validationError": "Błąd walidacji.",
+ "settings.Modified": "Zmodyfikowano.",
+ "settings": "Ustawienia",
+ "copySettingIdLabel": "Kopiuj identyfikator ustawienia",
+ "copySettingAsJSONLabel": "Kopiuj ustawienie jako kod JSON",
+ "stopSyncingSetting": "Synchronizuj to ustawienie"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsTreeModels": {
+ "workspace": "Obszar roboczy",
+ "remote": "Zdalne",
+ "user": "Użytkownik"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsWidgets": {
+ "headerForeground": "Kolor pierwszego planu nagłówka sekcji lub aktywnego tytułu.",
+ "modifiedItemForeground": "Kolor zmodyfikowanego wskaźnika ustawień.",
+ "settingsDropdownBackground": "Tło menu rozwijanego edytora ustawień.",
+ "settingsDropdownForeground": "Pierwszy plan listy rozwijanej edytora ustawień.",
+ "settingsDropdownBorder": "Obramowanie menu rozwijanego edytora ustawień.",
+ "settingsDropdownListBorder": "Obramowanie listy rozwijanej edytora ustawień. Otacza ono opcje i oddziela je od opisu.",
+ "settingsCheckboxBackground": "Tło pola wyboru edytora ustawień.",
+ "settingsCheckboxForeground": "Pierwszy plan pola wyboru edytora ustawień.",
+ "settingsCheckboxBorder": "Obramowanie pola wyboru edytora ustawień.",
+ "textInputBoxBackground": "Tło tekstowego pola wejściowego w edytorze ustawień.",
+ "textInputBoxForeground": "Pierwszy plan pola wprowadzania tekstu edytora ustawień.",
+ "textInputBoxBorder": "Obramowanie pola wprowadzania tekstu edytora ustawień.",
+ "numberInputBoxBackground": "Tło liczbowego pola wejściowego w edytorze ustawień.",
+ "numberInputBoxForeground": "Pierwsz plan pola wejściowego numeru edytora ustawień.",
+ "numberInputBoxBorder": "Obramowanie pola wejściowego numeru edytora ustawień.",
+ "focusedRowBackground": "Kolor tła wiersza ustawień, gdy jest na nim fokus.",
+ "notebook.rowHoverBackground": "Kolor tła wiersza ustawień po umieszczeniu na nim kursora myszy.",
+ "notebook.focusedRowBorder": "Kolor górnego i dolnego obramowania wiersza, gdy fokus jest na wierszu.",
+ "okButton": "OK",
+ "cancelButton": "Anuluj",
+ "listValueHintLabel": "Element listy „{0}”",
+ "listSiblingHintLabel": "Element listy „{0}” z elementem równorzędnym „${1}”",
+ "removeItem": "Usuń element",
+ "editItem": "Edytuj element",
+ "addItem": "Dodaj element",
+ "itemInputPlaceholder": "Element ciągu...",
+ "listSiblingInputPlaceholder": "Element równorzędny...",
+ "excludePatternHintLabel": "Wykluczone pliki pasujące do wzorca „{0}”",
+ "excludeSiblingHintLabel": "Wyklucz pliki pasujące do wzorca „{0}” tylko wtedy, gdy istnieje plik pasujący do wzorca „{1}”",
+ "removeExcludeItem": "Usuń element wykluczania",
+ "editExcludeItem": "Edytuj element wykluczenia",
+ "addPattern": "Dodaj wzorzec",
+ "excludePatternInputPlaceholder": "Wzorzec wykluczania...",
+ "excludeSiblingInputPlaceholder": "Gdy jest obecny wzorzec...",
+ "objectKeyInputPlaceholder": "Klucz",
+ "objectValueInputPlaceholder": "Wartość",
+ "objectPairHintLabel": "Właściwość „{0}” jest ustawiona na wartość „{1}”.",
+ "resetItem": "Zresetuj element",
+ "objectKeyHeader": "Element",
+ "objectValueHeader": "Wartość"
+ },
+ "vs/workbench/contrib/preferences/browser/tocTree": {
+ "settingsTOC": "Spis treści ustawień",
+ "groupRowAriaLabel": "{0}, grupa"
+ },
+ "vs/workbench/contrib/quickaccess/browser/quickAccess.contribution": {
+ "helpQuickAccessPlaceholder": "Wpisz polecenie „{0}”, aby uzyskać pomoc na temat akcji, które możesz wykonać w tym miejscu.",
+ "helpQuickAccess": "Pokaż wszystkich dostawców szybkiego dostępu",
+ "viewQuickAccessPlaceholder": "Wpisz nazwę widoku, kanału wyjściowego lub terminalu do otwarcia.",
+ "viewQuickAccess": "Otwórz widok",
+ "commandsQuickAccessPlaceholder": "Wpisz nazwę polecenia do uruchomienia.",
+ "commandsQuickAccess": "Pokaż i uruchom polecenia",
+ "miCommandPalette": "&&Paleta poleceń...",
+ "miOpenView": "&&Otwórz widok...",
+ "miGotoSymbolInEditor": "Przejdź do &&symbolu w edytorze...",
+ "miGotoLine": "Przejdź do &&wiersza/kolumny...",
+ "commandPalette": "Paleta poleceń..."
+ },
+ "vs/workbench/contrib/quickaccess/browser/viewQuickAccess": {
+ "noViewResults": "Brak zgodnych widoków",
+ "views": "Pasek boczny",
+ "panels": "Panel",
+ "terminalTitle": "{0}: {1}",
+ "terminals": "Terminal",
+ "logChannel": "Dziennik ({0})",
+ "channels": "Dane wyjściowe",
+ "openView": "Otwórz widok",
+ "quickOpenView": "Widok szybkiego otwierania"
+ },
+ "vs/workbench/contrib/quickaccess/browser/commandsQuickAccess": {
+ "noCommandResults": "Brak zgodnych poleceń",
+ "configure keybinding": "Konfiguruj powiązania klawiszy",
+ "commandWithCategory": "{0}: {1}",
+ "showTriggerActions": "Pokaż wszystkie polecenia",
+ "clearCommandHistory": "Wyczyść historię poleceń"
+ },
+ "vs/workbench/contrib/relauncher/browser/relauncher.contribution": {
+ "relaunchSettingMessage": "Zmieniono ustawienie, które wymaga ponownego uruchomienia w celu uwzględnienia zmiany.",
+ "relaunchSettingMessageWeb": "Zmieniono ustawienie, które wymaga ponownego załadowania w celu uwzględnienia zmiany.",
+ "relaunchSettingDetail": "Naciśnij przycisk Uruchom ponownie, aby ponownie uruchomić {0} i włączyć ustawienie.",
+ "relaunchSettingDetailWeb": "Naciśnij przycisk Załaduj ponownie, aby ponownie załadować {0} i włączyć ustawienie.",
+ "restart": "&&Uruchom ponownie",
+ "restartWeb": "&&Załaduj ponownie"
+ },
+ "vs/workbench/contrib/remote/electron-sandbox/remote.contribution": {
+ "remote": "Zdalne",
+ "remote.downloadExtensionsLocally": "Po włączeniu rozszerzenia są pobierane lokalnie i instalowane na komputerze zdalnym."
+ },
+ "vs/workbench/contrib/remote/common/remote.contribution": {
+ "remoteExtensionLog": "Serwer zdalny",
+ "ui": "Rodzaj rozszerzenia interfejsu użytkownika. W oknie zdalnym takie rozszerzenia są włączone tylko wtedy, gdy są dostępne na maszynie lokalnej.",
+ "workspace": "Rodzaj rozszerzenia obszaru roboczego. W oknie zdalnym takie rozszerzenia są włączone tylko wtedy, gdy są dostępne na maszynie zdalnej.",
+ "web": "Rodzaj rozszerzenia internetowego procesu roboczego. Takie rozszerzenie może być wykonywane na hoście rozszerzenia internetowego procesu roboczego.",
+ "remote": "Zdalne",
+ "remote.extensionKind": "Zastąp typ rozszerzenia. Rozszerzenia „ui” są instalowane i uruchamiane na maszynie lokalnej, a rozszerzenia „workspace” są uruchamiane na maszynie zdalnej. Zastępując domyślny rodzaj rozszerzenia przy użyciu tego ustawienia, możesz określić, czy rozszerzenie powinno być instalowane i włączane lokalnie, czy zdalnie.",
+ "remote.restoreForwardedPorts": "Przywraca porty przekierowane w obszarze roboczym.",
+ "remote.autoForwardPorts": "Gdy ta funkcja jest włączona, nowo uruchamiane procesy są wykrywane, a porty, na których nasłuchują, są automatycznie przekierowywane."
+ },
+ "vs/workbench/contrib/remote/browser/remote": {
+ "RemoteHelpInformationExtPoint": "Dodaje informacje pomocy dla elementu zdalnego",
+ "RemoteHelpInformationExtPoint.getStarted": "Adres URL lub polecenie zwracające adres URL strony Wprowadzenie projektu",
+ "RemoteHelpInformationExtPoint.documentation": "Adres URL lub polecenie zwracające adres URL strony dokumentacji projektu",
+ "RemoteHelpInformationExtPoint.feedback": "Adres URL lub polecenie zwracające adres modułu raportującego opinie projektu",
+ "RemoteHelpInformationExtPoint.issues": "Adres URL lub polecenie zwracające adres URL listy problemów projektu",
+ "getStartedIcon": "Ikona wprowadzenia w widoku eksploratora zdalnego.",
+ "documentationIcon": "Ikona dokumentacji w widoku eksploratora zdalnego.",
+ "feedbackIcon": "Ikona opinii w widoku eksploratora zdalnego.",
+ "reviewIssuesIcon": "Ikona do przeglądania problemu w widoku eksploratora zdalnego.",
+ "reportIssuesIcon": "Ikona do zgłaszania problemu w widoku eksploratora zdalnego.",
+ "remoteExplorerViewIcon": "Wyświetl ikonę widoku eksploratora zdalnego.",
+ "remote.help.getStarted": "Pierwsze kroki",
+ "remote.help.documentation": "Przeczytaj dokumentację",
+ "remote.help.feedback": "Prześlij opinię",
+ "remote.help.issues": "Przejrzyj problemy",
+ "remote.help.report": "Zgłoś problem",
+ "pickRemoteExtension": "Wybierz adres URL do otwarcia",
+ "remote.help": "Pomoc i opinie",
+ "remotehelp": "Pomoc zdalna",
+ "remote.explorer": "Eksplorator zdalny",
+ "toggleRemoteViewlet": "Pokaż Eksploratora zdalnego",
+ "reconnectionWaitOne": "Próba ponownego nawiązania połączenia za {0} s...",
+ "reconnectionWaitMany": "Próba ponownego nawiązania połączenia za {0} s...",
+ "reconnectNow": "Połącz ponownie teraz",
+ "reloadWindow": "Załaduj ponownie okno",
+ "connectionLost": "Utracono połączenie",
+ "reconnectionRunning": "Trwa próba ponownego nawiązania połączenia...",
+ "reconnectionPermanentFailure": "Nie można nawiązać ponownie połączenia. Załaduj ponownie okno.",
+ "cancel": "Anuluj"
+ },
+ "vs/workbench/contrib/remote/browser/remoteExplorer": {
+ "ports": "Porty",
+ "1forwardedPort": "1 przekierowany port",
+ "nForwardedPorts": "Przekierowane porty: {0}",
+ "status.forwardedPorts": "Przekierowane porty",
+ "remote.forwardedPorts.statusbarTextNone": "Brak przekierowanych portów",
+ "remote.forwardedPorts.statusbarTooltip": "Przekierowane porty: {0}",
+ "remote.tunnelsView.automaticForward": "Usługa działająca na porcie {0} jest dostępna. [Zobacz wszystkie dostępne porty](command:{1}.focus)"
+ },
+ "vs/workbench/contrib/remote/browser/explorerViewItems": {
+ "remotes": "Przełącz zdalne",
+ "remote.explorer.switch": "Przełącz zdalne"
+ },
+ "vs/workbench/contrib/remote/browser/remoteIndicator": {
+ "remote.category": "Zdalne",
+ "remote.showMenu": "Pokaż menu zdalne",
+ "remote.close": "Zamknij połączenie zdalne",
+ "miCloseRemote": "Zamknij &&połączenie zdalne",
+ "host.open": "Trwa otwieranie lokalizacji zdalnej...",
+ "disconnectedFrom": "Odłączono od: {0}",
+ "host.tooltipDisconnected": "Odłączono od: {0}",
+ "host.tooltip": "Edytowanie na hoście {0}",
+ "noHost.tooltip": "Otwórz okno zdalne",
+ "remoteHost": "Host zdalny",
+ "cat.title": "{0}: {1}",
+ "closeRemote.title": "Zamknij połączenie zdalne"
+ },
+ "vs/workbench/contrib/remote/browser/tunnelView": {
+ "remote.tunnelsView.add": "Przekieruj port...",
+ "remote.tunnelsView.detected": "Istniejące tunele",
+ "remote.tunnelsView.candidates": "Nieprzekierowane",
+ "remote.tunnelsView.input": "Naciśnij klawisz Enter, aby potwierdzić, lub klawisz Escape, aby anulować.",
+ "remote.tunnelsView.forwardedPortLabel0": "{0}",
+ "remote.tunnelsView.forwardedPortLabel1": "{0} → {1}",
+ "remote.tunnelsView.forwardedPortLabel2": "{0}",
+ "remote.tunnelsView.forwardedPortDescription0": "{0} → {1}",
+ "remote.tunnel": "Porty",
+ "remote.tunnel.ariaLabelForwarded": "Port zdalny {0}:{1} został przekierowany do adresu lokalnego {2}",
+ "remote.tunnel.ariaLabelCandidate": "Port zdalny {0}:{1} nie jest przekierowywany",
+ "tunnelView": "Widok tunelu",
+ "remote.tunnel.label": "Ustaw etykietę",
+ "remote.tunnelsView.labelPlaceholder": "Etykieta portu",
+ "remote.tunnelsView.portNumberValid": "Przekierowany port jest nieprawidłowy.",
+ "remote.tunnelsView.portNumberToHigh": "Numer portu musi mieć wartość ≥ 0 i < {0}.",
+ "remote.tunnel.forward": "Przekieruj port",
+ "remote.tunnel.forwardItem": "Przekieruj port",
+ "remote.tunnel.forwardPrompt": "Numer portu lub adres (np. 3000 lub 10.10.10.10:2000).",
+ "remote.tunnel.forwardError": "Nie można przekierować adresu {0}:{1}. Host może być niedostępny lub port zdalny może być już przekierowany",
+ "remote.tunnel.closeNoPorts": "Obecnie nie ma przekierowanych portów. Spróbuj uruchomić polecenie {0}",
+ "remote.tunnel.close": "Zatrzymaj przekierowywanie portu",
+ "remote.tunnel.closePlaceholder": "Wybierz port, aby zatrzymać przekierowanie",
+ "remote.tunnel.open": "Otwórz w przeglądarce",
+ "remote.tunnel.openCommandPalette": "Otwórz port w przeglądarce",
+ "remote.tunnel.openCommandPaletteNone": "Obecnie nie ma przekierowanych portów. Otwórz widok portów, aby rozpocząć.",
+ "remote.tunnel.openCommandPaletteView": "Otwórz widok portów...",
+ "remote.tunnel.openCommandPalettePick": "Wybierz port do otwarcia",
+ "remote.tunnel.copyAddressInline": "Kopiuj adres",
+ "remote.tunnel.copyAddressCommandPalette": "Kopiuj adres przekierowanego portu",
+ "remote.tunnel.copyAddressPlaceholdter": "Wybierz przekierowany port",
+ "remote.tunnel.changeLocalPort": "Zmień port lokalny",
+ "remote.tunnel.changeLocalPortNumber": "Port lokalny {0} jest niedostępny. Zamiast tego użyto numeru portu {1}",
+ "remote.tunnelsView.changePort": "Nowy port lokalny"
+ },
+ "vs/workbench/contrib/sash/browser/sash.contribution": {
+ "sashSize": "Określa rozmiar (w pikselach) aktywnego obszaru przeciągania między widokami/edytorami. Jeśli uważasz, że zmiana rozmiaru widoków przy użyciu myszy jest trudna, ustaw większą wartość."
+ },
+ "vs/workbench/contrib/scm/browser/scm.contribution": {
+ "sourceControlViewIcon": "Wyświetl ikonę widoku kontroli źródła.",
+ "source control": "Kontrola źródła",
+ "no open repo": "Brak zarejestrowanych dostawców kontroli źródła.",
+ "source control repositories": "Repozytoria kontroli źródła",
+ "toggleSCMViewlet": "Pokaż zarządzanie kontrolą źródła",
+ "scmConfigurationTitle": "SCM",
+ "scm.diffDecorations.all": "Pokaż dekoracje różnic we wszystkich dostępnych lokalizacjach.",
+ "scm.diffDecorations.gutter": "Pokaż dekoracje różnic tylko na marginesie na oprawę w edytorze.",
+ "scm.diffDecorations.overviewRuler": "Pokaż dekoracje różnic tylko na linijce przeglądu.",
+ "scm.diffDecorations.minimap": "Pokaż dekoracje różnic tylko na minimapie.",
+ "scm.diffDecorations.none": "Nie pokazuj dekoracji różnic.",
+ "diffDecorations": "Określa dekoracje różnic w edytorze.",
+ "diffGutterWidth": "Określa szerokość (w pikselach) dekoracji różnic na marginesie (dodane i zmodyfikowane).",
+ "scm.diffDecorationsGutterVisibility.always": "Pokazuj dekoratora różnic na marginesie na oprawę przez cały czas.",
+ "scm.diffDecorationsGutterVisibility.hover": "Pokaż dekoratora różnic na marginesie na oprawę tylko po najechaniu kursorem.",
+ "scm.diffDecorationsGutterVisibility": "Określa widoczność dekoratora różnicy kontroli źródła na marginesie.",
+ "scm.diffDecorationsGutterAction.diff": "Pokaż śródwierszowy widok podglądu różnic po kliknięciu.",
+ "scm.diffDecorationsGutterAction.none": "Nic nie rób.",
+ "scm.diffDecorationsGutterAction": "Określa działanie dekoracji ma marginesie różnic kontroli źródła.",
+ "alwaysShowActions": "Określa, czy akcje wbudowane są zawsze widoczne w widoku kontroli źródła.",
+ "scm.countBadge.all": "Pokaż sumę wszystkich wskaźników liczby dostawców kontroli źródła.",
+ "scm.countBadge.focused": "Pokaż wskaźnik liczby dostawców kontroli źródła z fokusem.",
+ "scm.countBadge.off": "Wyłącz znaczek licznika kontroli źródła.",
+ "scm.countBadge": "Kontroluje znaczek licznika ikony kontroli źródła na pasku działań.",
+ "scm.providerCountBadge.hidden": "Ukryj wskaźniki liczników dla dostawcy kontroli źródła.",
+ "scm.providerCountBadge.auto": "Pokazuj wskaźnik licznika dla dostawcy kontroli źródła tylko w przypadku wartości niezerowej.",
+ "scm.providerCountBadge.visible": "Pokaż wskaźniki liczby dostawców kontroli źródła.",
+ "scm.providerCountBadge": "Kontroluje znaczki licznika w nagłówkach dostawcy kontroli źródła. Te nagłówki pojawiają się tylko wtedy, gdy jest więcej niż jeden dostawca.",
+ "scm.defaultViewMode.tree": "Pokaż zmiany repozytorium jako drzewo.",
+ "scm.defaultViewMode.list": "Pokaż zmiany repozytorium jako listę.",
+ "scm.defaultViewMode": "Określa domyślny tryb widoku repozytorium kontroli źródła.",
+ "autoReveal": "Określa, czy widok SCM ma automatycznie odsłaniać i wybierać pliki podczas ich otwierania.",
+ "inputFontFamily": "Określa czcionkę dla komunikatu wejściowego. Użyj wartości „domyślnie” dla rodziny czcionek interfejsu użytkownika obszaru roboczego, „edytor” dla wartości „#editor.fontFamily#” lub niestandardowej rodziny czcionek.",
+ "alwaysShowRepository": "Określa, czy repozytoria powinny być zawsze widoczne w widoku SCM.",
+ "providersVisible": "Określa, ile repozytoriów jest widocznych w sekcji Repozytoria kontroli źródła. Ustaw wartość „0”, aby umożliwić ręczną zmianę rozmiaru widoku.",
+ "miViewSCM": "Zarządzanie &&kontrolą źródła",
+ "scm accept": "Zarządzanie kontrolą źródła: zaakceptuj dane wejściowe",
+ "scm view next commit": "SCM: wyświetl następne zatwierdzenie",
+ "scm view previous commit": "SCM: Wyświetl poprzednie zatwierdzenie",
+ "open in terminal": "Otwórz w terminalu"
+ },
+ "vs/workbench/contrib/scm/browser/activity": {
+ "status.scm": "Kontrola źródła",
+ "scmPendingChangesBadge": "Oczekujące zmiany: {0}"
+ },
+ "vs/workbench/contrib/scm/browser/dirtydiffDecorator": {
+ "changes": "Zmiana {0} z {1}",
+ "change": "Zmiana {0} z {1}",
+ "show previous change": "Pokaż poprzednią zmianę",
+ "show next change": "Pokaż następną zmianę",
+ "miGotoNextChange": "Następna &&zmiana",
+ "miGotoPreviousChange": "Poprzednia &&zmiana",
+ "move to previous change": "Przejdź do poprzedniej zmiany",
+ "move to next change": "Przejdź do następnej zmiany",
+ "editorGutterModifiedBackground": "Kolor tła marginesu edytora dla zmodyfikowanych wierszy.",
+ "editorGutterAddedBackground": "Kolor tła marginesu edytora dla dodanych wierszy.",
+ "editorGutterDeletedBackground": "Kolor tła marginesu edytora dla usuniętych wierszy.",
+ "minimapGutterModifiedBackground": "Kolor tła obszaru odstępu na minimapie dla zmodyfikowanych wierszy.",
+ "minimapGutterAddedBackground": "Kolor tła obszaru odstępu na minimapie dla dodanych wierszy.",
+ "minimapGutterDeletedBackground": "Kolor tła obszaru odstępu na minimapie dla usuniętych wierszy.",
+ "overviewRulerModifiedForeground": "Kolor znacznika linijki przeglądu dla zmodyfikowanej zawartości.",
+ "overviewRulerAddedForeground": "Kolor znacznika linijki przeglądu dla dodanej zawartości.",
+ "overviewRulerDeletedForeground": "Kolor znacznika linijki przeglądu dla usuniętej zawartości."
+ },
+ "vs/workbench/contrib/scm/browser/scmViewPaneContainer": {
+ "source control": "Kontrola źródła"
+ },
+ "vs/workbench/contrib/scm/browser/scmRepositoriesViewPane": {
+ "scm": "Repozytoria kontroli źródła"
+ },
+ "vs/workbench/contrib/scm/browser/scmViewPane": {
+ "scm": "Zarządzanie kontrolą źródła",
+ "input": "Dane wejściowe kontroli źródła",
+ "repositories": "Repozytoria",
+ "sortAction": "Wyświetl i sortuj",
+ "toggleViewMode": "Przełącz tryb widoku",
+ "viewModeList": "Wyświetl jako listę",
+ "viewModeTree": "Wyświetl jako drzewo",
+ "sortByName": "Sortuj według nazwy",
+ "sortByPath": "Sortuj według ścieżki",
+ "sortByStatus": "Sortuj według stanu",
+ "expand all": "Rozwiń wszystkie repozytoria",
+ "collapse all": "Zwiń wszystkie repozytoria",
+ "scm.providerBorder": "Obramowanie separatora dostawcy zarządzania kontrolą źródła."
+ },
+ "vs/workbench/contrib/search/browser/search.contribution": {
+ "search": "Wyszukaj",
+ "copyMatchLabel": "Kopiuj",
+ "copyPathLabel": "Kopiuj ścieżkę",
+ "copyAllLabel": "Kopiuj wszystko",
+ "revealInSideBar": "Odkryj na pasku bocznym",
+ "clearSearchHistoryLabel": "Wyczyść historię wyszukiwania",
+ "focusSearchListCommandLabel": "Ustaw fokus na liście",
+ "findInFolder": "Znajdź w folderze...",
+ "findInWorkspace": "Znajdź w obszarze roboczym...",
+ "showTriggerActions": "Przejdź do symbolu w obszarze roboczym...",
+ "name": "Wyszukaj",
+ "findInFiles.description": "Otwórz obszar wyświetlania wyszukiwania",
+ "findInFiles.args": "Zestaw opcji dla obszaru wyświetlania wyszukiwania",
+ "findInFiles": "Znajdź w plikach",
+ "miFindInFiles": "Znajdź &&w plikach",
+ "miReplaceInFiles": "Zamień &&w plikach",
+ "anythingQuickAccessPlaceholder": "Wyszukaj pliki według nazwy (dołącz {0}, aby przejść do wiersza lub {1}, aby przejść do symbolu)",
+ "anythingQuickAccess": "Przejdź do pliku",
+ "symbolsQuickAccessPlaceholder": "Wpisz nazwę symbolu, aby otworzyć.",
+ "symbolsQuickAccess": "Przejdź do symbolu w obszarze roboczym",
+ "searchConfigurationTitle": "Wyszukaj",
+ "exclude": "Skonfiguruj wzorce globalne pod kątem wykluczania plików i folderów z wyszukiwania pełnotekstowego i szybkiego otwierania. Dziedziczy wszystkie wzorce globalne z ustawienia „#files.exclude#”. Przeczytaj więcej na temat wzorców globalnych [tutaj] (https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options).",
+ "exclude.boolean": "Wzorzec globalny do dopasowywania ścieżek do plików. Aby włączyć lub wyłączyć wzorzec, ustaw wartość true lub false.",
+ "exclude.when": "Dodatkowe sprawdzenie elementów równorzędnych pasującego pliku. Użyj ciągu $(basename) jako zmiennej dla nazwy pasującego pliku.",
+ "useRipgrep": "To ustawienie jest przestarzałe i teraz wraca do wartości „search.usePCRE2”.",
+ "useRipgrepDeprecated": "Przestarzałe. Rozważ użycie elementu „search.usePCRE2” w celu uzyskania obsługi zaawansowanych funkcji wyrażeń regularnych.",
+ "search.maintainFileSearchCache": "W przypadku włączenia proces searchService będzie utrzymywany jako aktywny, a nie zamykany po godzinie nieaktywności. Spowoduje to zachowanie pamięci podręcznej wyszukiwania plików w pamięci.",
+ "useIgnoreFiles": "Określa, czy podczas wyszukiwania plików używać plików „.gitignore” i „.ignore”.",
+ "useGlobalIgnoreFiles": "Określa, czy podczas wyszukiwania plików używać globalnych plików „.gitignore” i „.ignore”.",
+ "search.quickOpen.includeSymbols": "Określa, czy dołączać wyniki z globalnego wyszukiwania symboli w wynikach pliku na potrzeby szybkiego otwierania.",
+ "search.quickOpen.includeHistory": "Określa, czy dołączać wyniki z ostatnio otwieranych plików w wynikach pliku na potrzeby szybkiego otwierania.",
+ "filterSortOrder.default": "Wpisy historii są sortowane według istotności na podstawie użytej wartości filtru. Bardziej istotne wpisy są wyświetlane najpierw.",
+ "filterSortOrder.recency": "Wpisy historii są sortowane według czasu ostatniego użycia. Ostatnio otwierane wpisy są wyświetlane najpierw.",
+ "filterSortOrder": "Określa kolejność sortowania historii edytora przy szybkim otwieraniu podczas filtrowania.",
+ "search.followSymlinks": "Określa, czy wyszukiwanie podąża za łączami symbolicznymi.",
+ "search.smartCase": "Szukaj bez uwzględniania wielkości liter, jeśli wzorzec składa się tylko z małych liter. W przeciwnym razie wyszukuj z uwzględnieniem wielkości liter.",
+ "search.globalFindClipboard": "Określa, czy widok wyszukiwania powinien odczytywać lub modyfikować udostępniony schowek wyszukiwania w systemie macOS.",
+ "search.location": "Określa, czy wyszukiwanie będzie wyświetlane jako widok na pasku bocznym, czy jako panel w obszarze panelu w celu uzyskania większej ilości miejsca w poziomie.",
+ "search.location.deprecationMessage": "To ustawienie jest przestarzałe. Zamiast tego użyj przeciągania i upuszczania, przeciągając ikonę wyszukiwania.",
+ "search.collapseResults.auto": "Pliki zawierające mniej niż 10 wyników są rozwijane. Inne pliki są zwijane.",
+ "search.collapseAllResults": "Określa, czy wyniki wyszukiwania będą zwinięte, czy rozwinięte.",
+ "search.useReplacePreview": "Określa, czy podgląd zastępowania jest otwierany przy zaznaczaniu lub zastępowaniu dopasowania.",
+ "search.showLineNumbers": "Określa, czy są wyświetlane numery wierszy dla wyników wyszukiwania.",
+ "search.usePCRE2": "Określa, czy używać aparatu wyrażeń regularnych PCRE2 w wyszukiwaniu tekstu. Umożliwia to użycie pewnych zaawansowanych funkcji wyrażeń regularnych, takich jak wyprzedzanie i odwołania wsteczne. Jednak nie wszystkie funkcje wyrażeń regularnych PCRE2 są obsługiwane, a tylko te obsługiwane przez język JavaScript.",
+ "usePCRE2Deprecated": "Przestarzałe. Standard PCRE2 będzie używany automatycznie w przypadku użycia funkcji wyrażenia regularnego, które są obsługiwane tylko przez standard PCRE2.",
+ "search.actionsPositionAuto": "Ustaw pasek akcji po prawej stronie, gdy widok wyszukiwania jest wąski, i zaraz za zawartością, gdy widok wyszukiwania jest szeroki.",
+ "search.actionsPositionRight": "Zawsze umieść pasek akcji z prawej.",
+ "search.actionsPosition": "Określa pozycję paska akcji dla wierszy w widoku wyszukiwania.",
+ "search.searchOnType": "Przeszukuj wszystkie pliki podczas pisania.",
+ "search.seedWithNearestWord": "Włącz wstępne wypełnianie wyszukiwania na podstawie słowa najbliższej kursora, gdy nic nie jest zaznaczone w aktywnym edytorze.",
+ "search.seedOnFocus": "Zaktualizuj zapytanie wyszukiwania obszaru roboczego na wybrany tekst edytora podczas ustawiania fokusu na widoku wyszukiwania. Ma to miejsce po kliknięciu lub wyzwalaniu polecenia „workbench.views.search.focus”.",
+ "search.searchOnTypeDebouncePeriod": "Gdy właściwość „#search.searchOnType#” jest włączona, kontroluje limit czasu w milisekundach między wpisywanym znakiem i rozpoczynaniem wyszukiwania. Nie ma żadnego wpływu, gdy właściwość „#search.searchOnType#” jest wyłączona.",
+ "search.searchEditor.doubleClickBehaviour.selectWord": "Dwukrotne kliknięcie spowoduje zaznaczenie słowa pod kursorem.",
+ "search.searchEditor.doubleClickBehaviour.goToLocation": "Dwukrotne kliknięcie spowoduje otwarcie wyniku w aktywnej grupie edytora.",
+ "search.searchEditor.doubleClickBehaviour.openLocationToSide": "Dwukrotne kliknięcie powoduje otwarcie wyniku w grupie edytora z boku, tworząc ją, jeśli jeszcze nie istnieje.",
+ "search.searchEditor.doubleClickBehaviour": "Konfiguruj efekt dwukrotnego kliknięcia wyniku w edytorze wyszukiwania.",
+ "search.searchEditor.reusePriorSearchConfiguration": "W przypadku włączenia nowe edytory wyszukiwania będą ponownie używać dołączeń, wykluczeń i flag z poprzednio otwartego edytora wyszukiwania",
+ "search.searchEditor.defaultNumberOfContextLines": "Domyślna liczba otaczających wierszy kontekstu, które mają być używane podczas tworzenia nowych edytorów wyszukiwania. W przypadku używania elementu „#search.searchEditor.reusePriorSearchConfiguration#” można ją ustawić na wartość „null” (pusta) w celu użycia wcześniejszej konfiguracji edytora wyszukiwania.",
+ "searchSortOrder.default": "Wyniki są sortowane według nazw folderów i plików w kolejności alfabetycznej.",
+ "searchSortOrder.filesOnly": "Wyniki są sortowane według nazw plików w kolejności alfabetycznej bez uwzględnienia kolejności folderów.",
+ "searchSortOrder.type": "Wyniki są sortowane według rozszerzeń plików w kolejności alfabetycznej.",
+ "searchSortOrder.modified": "Wyniki są sortowane według daty ostatniej modyfikacji pliku w kolejności malejącej.",
+ "searchSortOrder.countDescending": "Wyniki są sortowane według liczby na plik w kolejności malejącej.",
+ "searchSortOrder.countAscending": "Wyniki są sortowane według liczby na plik w kolejności rosnącej.",
+ "search.sortOrder": "Określa kolejność sortowania wyników wyszukiwania.",
+ "miViewSearch": "&&Wyszukaj",
+ "miGotoSymbolInWorkspace": "Przejdź do symbolu w &&obszarze roboczym..."
+ },
+ "vs/workbench/contrib/search/browser/searchView": {
+ "searchCanceled": "Wyszukiwanie zostało anulowane, zanim znaleziono jakiekolwiek wyniki — ",
+ "moreSearch": "Przełącz szczegóły wyszukiwania",
+ "searchScope.includes": "pliki do uwzględnienia",
+ "label.includes": "Wyszukaj wzorce uwzględniania",
+ "searchScope.excludes": "pliki do wykluczenia",
+ "label.excludes": "Wyszukaj wzorce wykluczania",
+ "replaceAll.confirmation.title": "Zamień wszystko",
+ "replaceAll.confirm.button": "&&Zamień",
+ "replaceAll.occurrence.file.message": "Zamieniono {0} wystąpienie w {1} pliku na „{2}”.",
+ "removeAll.occurrence.file.message": "Zamieniono {0} wystąpienie w {1} pliku.",
+ "replaceAll.occurrence.files.message": "Zamieniono {0} wystąpienie w {1} plikach na „{2}”.",
+ "removeAll.occurrence.files.message": "Zamieniono {0} wystąpienie w {1} plikach.",
+ "replaceAll.occurrences.file.message": "Zamieniono następującą liczbę wystąpień: {0} w {1} pliku na „{2}”.",
+ "removeAll.occurrences.file.message": "Zamieniono następującą liczbę wystąpień: {0} w {1} pliku.",
+ "replaceAll.occurrences.files.message": "Zamieniono następującą liczbę wystąpień: {0} w {1} plikach na „{2}”.",
+ "removeAll.occurrences.files.message": "Zamieniono następującą liczbę wystąpień: {0} w {1} plikach.",
+ "removeAll.occurrence.file.confirmation.message": "Zamienić {0} wystąpienie w {1} pliku na „{2}”?",
+ "replaceAll.occurrence.file.confirmation.message": "Zamienić {0} wystąpienie w {1} pliku?",
+ "removeAll.occurrence.files.confirmation.message": "Zamienić {0} wystąpienie w {1} plikach na „{2}”?",
+ "replaceAll.occurrence.files.confirmation.message": "Zamienić {0} wystąpienie w {1} plikach?",
+ "removeAll.occurrences.file.confirmation.message": "Zamienić następującą liczbę wystąpień: {0} w {1} pliku na „{2}”?",
+ "replaceAll.occurrences.file.confirmation.message": "Zamienić następującą liczbę wystąpień: {0} w {1} pliku?",
+ "removeAll.occurrences.files.confirmation.message": "Zamienić następującą liczbę wystąpień: {0} w {1} plikach na „{2}”?",
+ "replaceAll.occurrences.files.confirmation.message": "Zamienić następującą liczbę wystąpień: {0} w {1} plikach?",
+ "emptySearch": "Puste wyszukiwanie",
+ "ariaSearchResultsClearStatus": "Wyniki wyszukiwania zostały wyczyszczone",
+ "searchPathNotFoundError": "Nie odnaleziono ścieżki wyszukiwania: {0}",
+ "searchMaxResultsWarning": "Zestaw wyników zawiera tylko podzestaw wszystkich dopasowań. Podaj bardziej szczegółowe kryteria wyszukiwania, aby zawęzić wyniki.",
+ "noResultsIncludesExcludes": "Nie znaleziono wyników w: „{0}” z wykluczeniem „{1}” — ",
+ "noResultsIncludes": "Nie znaleziono wyników w: „{0}” — ",
+ "noResultsExcludes": "Nie znaleziono wyników z wykluczeniem „{0}” — ",
+ "noResultsFound": "Nie znaleziono wyników. Przejrzyj ustawienia pod kątem skonfigurowanych wykluczeń i sprawdź pliki gitignore — ",
+ "rerunSearch.message": "Wyszukaj ponownie",
+ "rerunSearchInAll.message": "Wyszukaj ponownie we wszystkich plikach",
+ "openSettings.message": "Otwórz ustawienia",
+ "openSettings.learnMore": "Dowiedz się więcej",
+ "ariaSearchResultsStatus": "Wyszukiwanie zwróciło następującą liczbę wyników: {0} w {1} plikach",
+ "forTerm": " — Wyszukiwanie: {0}",
+ "useIgnoresAndExcludesDisabled": " — ustawienia wykluczania i pliki ignorowane są wyłączone",
+ "openInEditor.message": "Otwórz w edytorze",
+ "openInEditor.tooltip": "Kopiuj bieżące wyniki wyszukiwania do edytora",
+ "search.file.result": "{0} wynik w {1} pliku",
+ "search.files.result": "{0} wynik w {1} plikach",
+ "search.file.results": "Wyniki w liczbie {0} w {1} pliku",
+ "search.files.results": "Wyniki w liczbie {0} w {1} plikach",
+ "searchWithoutFolder": "Nie otwarto lub nie określono folderu. Tylko otwarte pliki są obecnie przeszukiwane — ",
+ "openFolder": "Otwórz folder"
+ },
+ "vs/workbench/contrib/search/browser/searchActions": {
+ "showSearch": "Pokaż wyszukiwanie",
+ "replaceInFiles": "Zamień w plikach",
+ "toggleTabs": "Przełącz wyszukiwanie podczas wpisywania",
+ "RefreshAction.label": "Odśwież",
+ "CollapseDeepestExpandedLevelAction.label": "Zwiń wszystko",
+ "ExpandAllAction.label": "Rozwiń wszystko",
+ "ToggleCollapseAndExpandAction.label": "Przełącz zwijanie i rozwijanie",
+ "ClearSearchResultsAction.label": "Wyczyść wyniki wyszukiwania",
+ "CancelSearchAction.label": "Anuluj wyszukiwanie",
+ "FocusNextSearchResult.label": "Ustaw fokus na następnym wyniku wyszukiwania",
+ "FocusPreviousSearchResult.label": "Ustaw fokus na poprzednim wyniku wyszukiwania",
+ "RemoveAction.label": "Odrzuć",
+ "file.replaceAll.label": "Zamień wszystko",
+ "match.replace.label": "Zamień"
+ },
+ "vs/workbench/contrib/search/browser/symbolsQuickAccess": {
+ "noSymbolResults": "Brak zgodnych symboli w obszarze roboczym",
+ "openToSide": "Otwórz z boku",
+ "openToBottom": "Otwórz na dole"
+ },
+ "vs/workbench/contrib/search/browser/anythingQuickAccess": {
+ "noAnythingResults": "Brak zgodnych wyników",
+ "recentlyOpenedSeparator": "ostatnio otwarte",
+ "fileAndSymbolResultsSeparator": "wyniki dotyczące plików i symboli",
+ "fileResultsSeparator": "wyniki dotyczące plików",
+ "filePickAriaLabelDirty": "{0} ze zmodyfikowaną zawartością",
+ "openToSide": "Otwórz z boku",
+ "openToBottom": "Otwórz na dole",
+ "closeEditor": "Usuń z ostatnio otwartych"
+ },
+ "vs/workbench/contrib/search/browser/searchWidget": {
+ "search.action.replaceAll.disabled.label": "Zamień wszystko (prześlij wyszukiwanie, aby włączyć)",
+ "search.action.replaceAll.enabled.label": "Zamień wszystko",
+ "search.replace.toggle.button.title": "Przełącz zastępowanie",
+ "label.Search": "Wyszukaj: wpisz termin do wyszukania i naciśnij klawisz Enter, aby wyszukać",
+ "search.placeHolder": "Wyszukaj",
+ "showContext": "Przełącz wiersze kontekstu",
+ "label.Replace": "Zamień: wpisz termin do zamiany i naciśnij klawisz Enter, aby wyświetlić podgląd",
+ "search.replace.placeHolder": "Zamień"
+ },
+ "vs/workbench/contrib/search/browser/searchIcons": {
+ "searchDetailsIcon": "Ikona do pokazywania szczegółów wyszukiwania.",
+ "searchShowContextIcon": "Ikona do przełączania kontekstu w edytorze wyszukiwania.",
+ "searchHideReplaceIcon": "Ikona do zwijania sekcji zamieniania w widoku wyszukiwania.",
+ "searchShowReplaceIcon": "Ikona do rozwijania sekcji zamieniania w widoku wyszukiwania.",
+ "searchReplaceAllIcon": "Ikona do zamieniania wszystkiego w widoku wyszukiwania.",
+ "searchReplaceIcon": "Ikona do zamieniania w widoku wyszukiwania.",
+ "searchRemoveIcon": "Ikona do usuwania wyników wyszukiwania.",
+ "searchRefreshIcon": "Ikona do odświeżenia w widoku wyszukiwania.",
+ "searchCollapseAllIcon": "Ikona do zwijania wyników w widoku wyszukiwania.",
+ "searchExpandAllIcon": "Ikona do rozwijania wyników w widoku wyszukiwania.",
+ "searchClearIcon": "Ikona do czyszczenia wyników w widoku wyszukiwania.",
+ "searchStopIcon": "Ikona do zatrzymywania w widoku wyszukiwania.",
+ "searchViewIcon": "Wyświetl ikonę widoku wyszukiwania.",
+ "searchNewEditorIcon": "Ikona dla akcji otwierającej nowy edytor wyszukiwania."
+ },
+ "vs/workbench/contrib/search/browser/patternInputWidget": {
+ "defaultLabel": "dane wejściowe",
+ "useExcludesAndIgnoreFilesDescription": "Użyj ustawień wykluczania i ignoruj pliki"
+ },
+ "vs/workbench/contrib/search/browser/searchResultsView": {
+ "searchFolderMatch.other.label": "Inne pliki",
+ "searchFileMatches": "Znaleziono pliki w liczbie {0}",
+ "searchFileMatch": "Znaleziono {0} plik",
+ "searchMatches": "Znaleziono dopasowania w liczbie {0}",
+ "searchMatch": "Znaleziono {0} dopasowanie",
+ "lineNumStr": "Z wiersza {0}",
+ "numLinesStr": "Jeszcze wierszy: {0}",
+ "search": "Wyszukaj",
+ "folderMatchAriaLabel": "Dopasowania w liczbie {0} w katalogu głównym folderu {1}, wynik wyszukiwania",
+ "otherFilesAriaLabel": "Dopasowania w liczbie {0} poza obszarem roboczym, wynik wyszukiwania",
+ "fileMatchAriaLabel": "Dopasowania w liczbie {0} w pliku {1} w folderze {2}, wynik wyszukiwania",
+ "replacePreviewResultAria": "Zamień „{0}” na „{1}” w kolumnie {2} w wierszu {3}",
+ "searchResultAria": "Znaleziono „{0}” w kolumnie {1} w wierszu „{2}”"
+ },
+ "vs/workbench/contrib/search/common/queryBuilder": {
+ "search.noWorkspaceWithName": "Brak folderu w obszarze roboczym o nazwie: {0}"
+ },
+ "vs/workbench/contrib/search/browser/replaceService": {
+ "fileReplaceChanges": "{0} ↔ {1} (Zastąp podgląd)"
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditor.contribution": {
+ "searchEditor": "Wyszukaj edytor",
+ "search": "Wyszukaj edytor",
+ "searchEditor.deleteResultBlock": "Usuń wyniki pliku",
+ "search.openNewSearchEditor": "Nowy edytor wyszukiwania",
+ "search.openSearchEditor": "Otwórz edytor wyszukiwania",
+ "search.openNewEditorToSide": "Otwórz nowy edytor wyszukiwania z boku",
+ "search.openResultsInEditor": "Otwórz wyniki w edytorze",
+ "search.rerunSearchInEditor": "Wyszukaj ponownie",
+ "search.action.focusQueryEditorWidget": "Ustaw fokus na danych wejściowych edytora wyszukiwania",
+ "searchEditor.action.toggleSearchEditorCaseSensitive": "Przełącz uwzględnianie wielkości liter",
+ "searchEditor.action.toggleSearchEditorWholeWord": "Przełącz uwzględnianie całych wyrazów",
+ "searchEditor.action.toggleSearchEditorRegex": "Przełącz używanie wyrażenia regularnego",
+ "searchEditor.action.toggleSearchEditorContextLines": "Przełącz wiersze kontekstu",
+ "searchEditor.action.increaseSearchEditorContextLines": "Zwiększ liczbę wierszy kontekstu",
+ "searchEditor.action.decreaseSearchEditorContextLines": "Zmniejsz liczbę wierszy kontekstu",
+ "searchEditor.action.selectAllSearchEditorMatches": "Wybierz wszystkie dopasowania"
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditorActions": {
+ "search.openNewEditor": "Otwórz nowy edytor wyszukiwania"
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditor": {
+ "moreSearch": "Przełącz szczegóły wyszukiwania",
+ "searchScope.includes": "pliki do uwzględnienia",
+ "label.includes": "Wyszukaj wzorce uwzględniania",
+ "searchScope.excludes": "pliki do wykluczenia",
+ "label.excludes": "Wyszukaj wzorce wykluczania",
+ "runSearch": "Uruchom wyszukiwanie",
+ "searchResultItem": "Dopasowano: {0} w: {1} w pliku {2}",
+ "searchEditor": "Wyszukaj",
+ "textInputBoxBorder": "Obramowanie pola wprowadzania tekstu edytora wyszukiwania."
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditorInput": {
+ "searchTitle.withQuery": "Wyszukaj: {0}",
+ "searchTitle": "Wyszukaj"
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditorSerialization": {
+ "invalidQueryStringError": "Wszystkie ukośniki odwrotne w ciągu zapytania muszą mieć zmienione znaczenie (\\\\)",
+ "numFiles": "Pliki: {0}",
+ "oneFile": "1 plik",
+ "numResults": "Wyniki: {0}",
+ "oneResult": "1 wynik",
+ "noResults": "Brak wyników",
+ "searchMaxResultsWarning": "Zestaw wyników zawiera tylko podzestaw wszystkich dopasowań. Sprecyzuj szukaną frazę, aby zawęzić wyniki."
+ },
+ "vs/workbench/contrib/snippets/browser/snippets.contribution": {
+ "snippetSchema.json.prefix": "Prefiks używany podczas wybierania fragmentu w funkcji IntelliSense",
+ "snippetSchema.json.body": "Zawartość fragmentu. Użyj elementu „$1”, „${1:defaultText}”, aby zdefiniować pozycje kursora, użyj elementu „$0”, aby określić ostateczną pozycję kursora. Wstaw wartości zmiennych za pomocą elementów „${nazwa_zmiennej}” i „${nazwa_zmiennej:tekst_domyślny}”, na przykład „To jest plik: $TM _FILENAME”.",
+ "snippetSchema.json.description": "Opis fragmentu.",
+ "snippetSchema.json.default": "Pusty fragment",
+ "snippetSchema.json": "Konfiguracja fragmentu użytkownika",
+ "snippetSchema.json.scope": "Lista nazw języków, których dotyczy ten fragment, np. „typescript,javascript”."
+ },
+ "vs/workbench/contrib/snippets/browser/insertSnippet": {
+ "snippet.suggestions.label": "Wstaw fragment kodu",
+ "sep.userSnippet": "Fragmenty kodu użytkownika",
+ "sep.extSnippet": "Fragmenty kodu rozszerzeń",
+ "sep.workspaceSnippet": "Fragmenty obszaru roboczego",
+ "disableSnippet": "Ukryj przed funkcją IntelliSense",
+ "isDisabled": "(ukryte przed funkcją IntelliSense)",
+ "enable.snippet": "Pokaż w funkcji IntelliSense",
+ "pick.placeholder": "Wybierz fragment kodu"
+ },
+ "vs/workbench/contrib/snippets/browser/snippetsService": {
+ "invalid.path.0": "Oczekiwano ciągu w elemencie „contributes.{0}.path”. Dostarczona wartość: {1}",
+ "invalid.language.0": "W przypadku pominięcia języka właściwość „contributes.{0}.path” musi mieć wartość „.code-snippets”. Podana wartość: {1}",
+ "invalid.language": "Nieznany język w elemencie „contributes.{0}.language”. Podana wartość: {1}",
+ "invalid.path.1": "Oczekiwano, że element „contributes.{0}.path” ({1}) będzie uwzględniony w folderze rozszerzenia ({2}). To może spowodować, że przenoszenie rozszerzenia nie będzie możliwe.",
+ "vscode.extension.contributes.snippets": "Dodaje fragmenty.",
+ "vscode.extension.contributes.snippets-language": "Identyfikator języka, w którym jest udostępniany ten fragment kodu.",
+ "vscode.extension.contributes.snippets-path": "Ścieżka do pliku fragmentów kodu. Ścieżka jest względna dla folderu rozszerzenia i zazwyczaj zaczyna się od „./snippets/”.",
+ "badVariableUse": "W co najmniej jednym fragmencie kodu z rozszerzenia „{0}” prawdopodobnie pomylono zmienne fragmentu kodu z symbolami zastępczymi fragmentu kodu (zobacz https://code.visualstudio.com/docs/editor/userdefinedsnippets#_snippet-syntax, aby uzyskać więcej szczegółów)",
+ "badFile": "Nie można odczytać pliku fragmentu „{0}”."
+ },
+ "vs/workbench/contrib/snippets/browser/configureSnippets": {
+ "global.scope": "(globalny)",
+ "global.1": "({0})",
+ "name": "Wpisz nazwę pliku fragmentu",
+ "bad_name1": "Nieprawidłowa nazwa pliku",
+ "bad_name2": "„{0}” nie jest prawidłową nazwą pliku",
+ "bad_name3": "Element „{0}” już istnieje",
+ "new.global_scope": "globalny",
+ "new.global": "Nowy plik globalnych fragmentów kodu...",
+ "new.workspace_scope": "Obszar roboczy {0}",
+ "new.folder": "Nowy plik fragmentów kodu dla: „{0}”...",
+ "group.global": "Istniejące fragmenty",
+ "new.global.sep": "Nowe fragmenty kodu",
+ "openSnippet.pickLanguage": "Wybierz plik fragmentów kodu lub utwórz fragmenty kodu",
+ "openSnippet.label": "Konfiguruj fragmenty użytkownika",
+ "preferences": "Preferencje",
+ "miOpenSnippets": "&&Fragmenty użytkownika",
+ "userSnippets": "Fragmenty kodu użytkownika"
+ },
+ "vs/workbench/contrib/snippets/browser/snippetsFile": {
+ "source.workspaceSnippetGlobal": "Fragment obszaru roboczego",
+ "source.userSnippetGlobal": "Globalny fragment kodu użytkownika",
+ "source.userSnippet": "Fragment użytkownika"
+ },
+ "vs/workbench/contrib/snippets/browser/snippetCompletionProvider": {
+ "detail.snippet": "{0} ({1})",
+ "snippetSuggest.longLabel": "{0}, {1}"
+ },
+ "vs/workbench/contrib/surveys/browser/nps.contribution": {
+ "surveyQuestion": "Czy zgodzisz się na krótką ankietę dotyczącą opinii?",
+ "takeSurvey": "Wypełnij ankietę",
+ "remindLater": "Przypomnij mi później",
+ "neverAgain": "Nie pokazuj ponownie"
+ },
+ "vs/workbench/contrib/surveys/browser/languageSurveys.contribution": {
+ "helpUs": "Pomóż nam ulepszać pomoc techniczną dla: {0}",
+ "takeShortSurvey": "Wypełnij krótką ankietę",
+ "remindLater": "Przypomnij mi później",
+ "neverAgain": "Nie pokazuj ponownie"
+ },
+ "vs/workbench/contrib/tags/electron-browser/workspaceTagsService": {
+ "workspaceFound": "Ten folder zawiera plik obszaru roboczego „{0}”. Czy chcesz go otworzyć? [Dowiedz się więcej]({1}) o plikach obszaru roboczego.",
+ "openWorkspace": "Otwórz obszar roboczy",
+ "workspacesFound": "Ten folder zawiera wiele plików obszaru roboczego. Czy chcesz otworzyć jeden z nich? [Dowiedz się więcej]({0}) o plikach obszaru roboczego.",
+ "selectWorkspace": "Wybierz obszar roboczy",
+ "selectToOpen": "Wybierz obszar roboczy do otwarcia"
+ },
+ "vs/workbench/contrib/tasks/electron-browser/taskService": {
+ "TaskSystem.runningTask": "Zadanie jest uruchomione. Czy chcesz je zamknąć?",
+ "TaskSystem.terminateTask": "Zakończ &&zadanie",
+ "TaskSystem.noProcess": "Uruchomione zadanie już nie istnieje. Jeśli zadanie spowodowało utworzenie zduplikowanych procesów w tle, zakończenie programu VS Code może spowodować wystąpienie oddzielonych procesów. Aby tego uniknąć, uruchom ostatni proces w tle z flagą oczekiwania.",
+ "TaskSystem.exitAnyways": "&&Zakończ mimo to"
+ },
+ "vs/workbench/contrib/tasks/common/tasks": {
+ "tasksCategory": "Zadania",
+ "TaskDefinition.missingRequiredProperty": "Błąd: identyfikator zadania „{0}” nie zawiera wymaganej właściwości „{1}”. Identyfikator zadania zostanie zignorowany."
+ },
+ "vs/workbench/contrib/tasks/common/taskConfiguration": {
+ "ConfigurationParser.invalidCWD": "Ostrzeżenie: plik options.cwd musi być typu string. Ignorowanie wartości {0}\r\n",
+ "ConfigurationParser.inValidArg": "Błąd: argument polecenia musi być ciągiem lub ciągiem w cudzysłowie. Podana wartość to:\r\n{0}",
+ "ConfigurationParser.noShell": "Ostrzeżenie: konfiguracja powłoki jest obsługiwana tylko podczas wykonywania zadań w terminalu.",
+ "ConfigurationParser.noName": "Błąd: element matcher problemu w zakresie deklaracji musi mieć nazwę:\r\n{0}\r\n",
+ "ConfigurationParser.unknownMatcherKind": "Ostrzeżenie: definicja dopasowania programu dopasowującego problemy jest nieznana. Obsługiwane typy to string | ProblemMatcher | Array.\r\n{0}\r\n",
+ "ConfigurationParser.invalidVariableReference": "Błąd: nieprawidłowe odwołanie do elementu problemMatcher: {0}\r\n",
+ "ConfigurationParser.noTaskType": "Błąd: konfiguracja zadań musi mieć właściwość typu. Konfiguracja zostanie zignorowana.\r\n{0}\r\n",
+ "ConfigurationParser.noTypeDefinition": "Błąd: nie ma zarejestrowanego typu zadania „{0}”. Czy zapomniano o instalacji rozszerzenia udostępniającego odpowiadającego dostawcę zadań?",
+ "ConfigurationParser.missingType": "Błąd: w konfiguracji zadania „{0}” brakuje wymaganej właściwości „type”. Konfiguracja zadania zostanie zignorowana.",
+ "ConfigurationParser.incorrectType": "Błąd: konfiguracja zadania „{0}” używa nieznanego typu. Konfiguracja zadania zostanie zignorowana.",
+ "ConfigurationParser.notCustom": "Błąd: zadania nie są zadeklarowane jako zadania niestandardowe. Konfiguracja zostanie zignorowana.\r\n{0}\r\n",
+ "ConfigurationParser.noTaskName": "Błąd: zadanie musi określać właściwość etykiety. Zadanie zostanie zignorowane.\r\n{0}\r\n",
+ "taskConfiguration.providerUnavailable": "Ostrzeżenie: istnieją zadania ({0}), które są niedostępne w bieżącym środowisku.\r\n",
+ "taskConfiguration.noCommandOrDependsOn": "Błąd: zadanie „{0}” nie określa ani polecenia, ani właściwości dependsOn. Zadanie zostanie zignorowane. Jego definicja to:\r\n{1}",
+ "taskConfiguration.noCommand": "Błąd: zadanie „{0}” nie definiuje polecenia. Zadanie zostanie zignorowane. Jego definicja to:\r\n{1}",
+ "TaskParse.noOsSpecificGlobalTasks": "Wersja zadania 2.0.0 nie obsługuje zadań globalnych specyficznych dla systemu operacyjnego. Przekonwertuj je na zadanie przy użyciu polecenia specyficznego dla systemu operacyjnego. Zadania, których to dotyczy:\r\n{0}"
+ },
+ "vs/workbench/contrib/tasks/node/processTaskSystem": {
+ "version1_0": "System zadań jest skonfigurowany dla wersji 0.1.0 (zobacz plik tasks.json), który może wykonywać tylko zadania niestandardowe. Uaktualnij do wersji 2.0.0, aby uruchomić zadanie: {0}",
+ "TaskRunnerSystem.unknownError": "Wystąpił nieznany błąd podczas wykonywania zadania. Zobacz dziennik danych wyjściowych zadania, aby uzyskać szczegółowe informacje.",
+ "TaskRunnerSystem.watchingBuildTaskFinished": "\r\nŚledzenie zadań kompilacji zostało zakończone.",
+ "TaskRunnerSystem.childProcessError": "Nie można uruchomić programu zewnętrznego {0} {1}.",
+ "TaskRunnerSystem.cancelRequested": "\r\nZadanie „{0}” zostało zakończone na żądanie użytkownika.",
+ "unknownProblemMatcher": "Nie można rozpoznać programu dopasowującego problemy {0}. Program dopasowujący zostanie zignorowany"
+ },
+ "vs/workbench/contrib/tasks/node/processRunnerDetector": {
+ "TaskSystemDetector.noGulpTasks": "Uruchomienie polecenia gulp --tasks-simple nie spowodowało wyświetlenia żadnych zadań. Czy uruchomiono instalację narzędzia npm?",
+ "TaskSystemDetector.noJakeTasks": "Uruchomienie polecenia jake --tasks nie spowodowało wyświetlenia żadnych zadań. Czy uruchomiono instalację narzędzia npm?",
+ "TaskSystemDetector.noGulpProgram": "Narzędzie Gulp nie jest zainstalowane w systemie. Aby je zainstalować, uruchom polecenie npm install -g gulp.",
+ "TaskSystemDetector.noJakeProgram": "Narzędzie Jake nie jest zainstalowane w systemie. Aby je zainstalować, uruchom polecenie npm install -g jake.",
+ "TaskSystemDetector.noGruntProgram": "Narzędzie Grunt nie jest zainstalowane w systemie. Aby je zainstalować, uruchom polecenie npm install -g grunt.",
+ "TaskSystemDetector.noProgram": "Nie znaleziono programu {0}. Komunikat:{1}",
+ "TaskSystemDetector.buildTaskDetected": "Wykryto zadanie kompilacji o nazwie „{0}”.",
+ "TaskSystemDetector.testTaskDetected": "Wykryto zadanie testowe o nazwie „{0}”."
+ },
+ "vs/workbench/contrib/tasks/browser/abstractTaskService": {
+ "ConfigureTaskRunnerAction.label": "Skonfiguruj zadanie",
+ "tasks": "Zadania",
+ "TaskSystem.noHotSwap": "Zmiana aparatu wykonywania zadań przy uruchomionym aktywnym zadaniu wymaga ponownego załadowania okna",
+ "reloadWindow": "Załaduj ponownie okno",
+ "TaskService.pickBuildTaskForLabel": "Wybierz zadanie kompilacji (nie zdefiniowano domyślnego zadania kompilacji)",
+ "taskServiceOutputPrompt": "Wystąpiły błędy zadania. Szczegóły można znaleźć w oknie danych wyjściowych.",
+ "showOutput": "Pokaż dane wyjściowe",
+ "TaskServer.folderIgnored": "Folder {0} jest ignorowany, ponieważ korzysta z zadania w wersji 0.1.0",
+ "TaskService.providerUnavailable": "Ostrzeżenie: istnieją zadania ({0}), które są niedostępne w bieżącym środowisku.\r\n",
+ "TaskService.noBuildTask1": "Nie zdefiniowano żadnego zadania kompilacji. Oznacz zadanie za pomocą elementu „isBuildCommand” w pliku tasks.json.",
+ "TaskService.noBuildTask2": "Nie zdefiniowano żadnego zadania kompilacji. Oznacz zadanie przy użyciu grupy „build” w pliku tasks.json.",
+ "TaskService.noTestTask1": "Nie zdefiniowano żadnego zadania testowania. Oznacz zadanie za pomocą elementu „isTestCommand” w pliku tasks.json.",
+ "TaskService.noTestTask2": "Nie zdefiniowano żadnego zadania testowania. Oznacz zadanie przy użyciu grupy „test” w pliku tasks.json.",
+ "TaskServer.noTask": "Nie zdefiniowano zadania do wykonania",
+ "TaskService.associate": "skojarz",
+ "TaskService.attachProblemMatcher.continueWithout": "Kontynuuj bez skanowania danych wyjściowych zadania",
+ "TaskService.attachProblemMatcher.never": "Nigdy nie skanuj danych wyjściowych zadania dla tego zadania",
+ "TaskService.attachProblemMatcher.neverType": "Nigdy nie skanuj danych wyjściowych zadania dla zadań {0}",
+ "TaskService.attachProblemMatcher.learnMoreAbout": "Dowiedz się więcej o skanowaniu danych wyjściowych zadań",
+ "selectProblemMatcher": "Wybierz, pod kątem jakich błędów i ostrzeżeń mają być skanowane dane wyjściowe zadania",
+ "customizeParseErrors": "Bieżąca konfiguracja zadania zawiera błędy. Przed rozpoczęciem dostosowywania zadania usuń błędy.",
+ "tasksJsonComment": "\t// Zobacz https://go.microsoft.com/fwlink/?LinkId=733558,\r\n\t// aby zapoznać się z dokumentacją dotyczącą formatu pliku tasks.json",
+ "moreThanOneBuildTask": "W pliku tasks.json zdefiniowano wiele zadań kompilowania. Wykonywanie pierwszego z nich.\r\n",
+ "TaskSystem.saveBeforeRun.prompt.title": "Zapisać zawartość wszystkich edytorów?",
+ "saveBeforeRun.save": "Zapisz",
+ "saveBeforeRun.dontSave": "Nie zapisuj",
+ "detail": "Czy chcesz zapisać wszystkie edytory przed uruchomieniem zadania?",
+ "TaskSystem.activeSame.noBackground": "Zadanie „{0}” jest już aktywne.",
+ "terminateTask": "Przerwij zadanie",
+ "restartTask": "Uruchom ponownie zadanie",
+ "TaskSystem.active": "Zadanie jest już uruchomione. Przerwij je przed wykonaniem kolejnego zadania.",
+ "TaskSystem.restartFailed": "Nie można zakończyć i uruchomić ponownie zadania {0}",
+ "unexpectedTaskType": "Dostawca zadań „{0}” nieoczekiwanie dostarczył zadanie typu „{1}”.\r\n",
+ "TaskService.noConfiguration": "Błąd: wykrywanie zadania {0} nie dodało zadania dla następującej konfiguracji:\r\n{1}\r\nZadanie zostanie zignorowane.\r\n",
+ "TaskSystem.configurationErrors": "Błąd: podana konfiguracja zadania zawiera błędy walidacji i nie można jej użyć. Napraw najpierw błędy.",
+ "TaskSystem.invalidTaskJsonOther": "Błąd: zawartość kodu JSON zadań w elemencie {0} zawiera błędy składniowe. Popraw je przed wykonaniem zadania.\r\n",
+ "TasksSystem.locationWorkspaceConfig": "plik obszaru roboczego",
+ "TaskSystem.versionWorkspaceFile": "Tylko zadania w wersji 2.0.0 są dozwolone w pliku .codeworkspace.",
+ "TasksSystem.locationUserConfig": "ustawienia użytkownika",
+ "TaskSystem.versionSettings": "Tylko zadania w wersji 2.0.0 są dozwolone w ustawieniach użytkownika.",
+ "taskService.ignoreingFolder": "Konfiguracje zadań dla folderu obszaru roboczego {0} zostaną zignorowane. Obsługa zadań obszaru roboczego dla wielu folderów wymaga, aby wszystkie foldery używały zadań w wersji 2.0.0\r\n",
+ "TaskSystem.invalidTaskJson": "Błąd: zawartość pliku tasks.json ma błędy składniowe. Popraw je przed wykonaniem zadania.\r\n",
+ "TerminateAction.label": "Przerwij zadanie",
+ "TaskSystem.unknownError": "Wystąpił błąd podczas uruchamiania zadania. Zobacz dziennik zadań, aby uzyskać szczegółowe informacje.",
+ "configureTask": "Skonfiguruj zadanie",
+ "recentlyUsed": "ostatnio używane zadania",
+ "configured": "skonfigurowane zadania",
+ "detected": "wykryte zadania",
+ "TaskService.ignoredFolder": "Następujące foldery obszaru roboczego są ignorowane, ponieważ korzystają z zadania w wersji 0.1.0: {0}",
+ "TaskService.notAgain": "Nie pokazuj ponownie",
+ "TaskService.pickRunTask": "Wybierz zadanie kompilacji do uruchomienia",
+ "TaskService.noEntryToRunSlow": "$(plus) Skonfiguruj zadanie",
+ "TaskService.noEntryToRun": "$(plus) Skonfiguruj zadanie",
+ "TaskService.fetchingBuildTasks": "Trwa pobieranie zadań kompilacji...",
+ "TaskService.pickBuildTask": "Wybierz zadanie kompilacji do uruchomienia",
+ "TaskService.noBuildTask": "Nie znaleziono żadnego zadania kompilacji do uruchomienia. Skonfiguruj zadanie kompilacji...",
+ "TaskService.fetchingTestTasks": "Trwa pobieranie zadań testowania...",
+ "TaskService.pickTestTask": "Wybierz zadanie testowe do uruchomienia",
+ "TaskService.noTestTaskTerminal": "Nie znaleziono żadnego zadania testowania do uruchomienia. Skonfiguruj zadania...",
+ "TaskService.taskToTerminate": "Wybierz zadanie do zakończenia",
+ "TaskService.noTaskRunning": "Żadne zadanie nie jest obecnie uruchomione",
+ "TaskService.terminateAllRunningTasks": "Wszystkie uruchomione zadania",
+ "TerminateAction.noProcess": "Uruchomiony proces już nie istnieje. Jeśli zadanie spowodowało utworzenie zduplikowanych procesów w tle, zakończenie programu VS Code może spowodować wystąpienie oddzielonych procesów.",
+ "TerminateAction.failed": "Nie można zakończyć uruchomionego zadania",
+ "TaskService.taskToRestart": "Wybierz zadanie do ponownego uruchomienia",
+ "TaskService.noTaskToRestart": "Brak zadań do ponownego uruchomienia",
+ "TaskService.template": "Wybierz szablon zadania",
+ "taskQuickPick.userSettings": "Ustawienia użytkownika",
+ "TaskService.createJsonFile": "Utwórz plik tasks.json z szablonu",
+ "TaskService.openJsonFile": "Otwórz plik tasks.json",
+ "TaskService.pickTask": "Wybierz zadanie do skonfigurowania",
+ "TaskService.defaultBuildTaskExists": "Zadanie {0} jest już oznaczone jako zadanie domyślne kompilacji",
+ "TaskService.pickDefaultBuildTask": "Wybierz zadanie, które ma być używane jako domyślne zadanie kompilacji",
+ "TaskService.defaultTestTaskExists": "Zadanie {0} jest już oznaczone jako zadnie domyślne testowania.",
+ "TaskService.pickDefaultTestTask": "Wybierz zadanie, które ma być używane jako domyślne zadanie testowe",
+ "TaskService.pickShowTask": "Wybierz zadanie wyświetlania danych wyjściowych",
+ "TaskService.noTaskIsRunning": "Brak uruchomionych zadań"
+ },
+ "vs/workbench/contrib/tasks/browser/terminalTaskSystem": {
+ "TerminalTaskSystem.unknownError": "Wystąpił nieznany błąd podczas wykonywania zadania. Zobacz dziennik danych wyjściowych zadania, aby uzyskać szczegółowe informacje.",
+ "dependencyCycle": "Istnieje cykl zależności. Zobacz zadanie „{0}”.",
+ "dependencyFailed": "Nie można rozpoznać zadania zależnego „{0}” w folderze obszaru roboczego „{1}”",
+ "TerminalTaskSystem.nonWatchingMatcher": "Zadanie {0} jest zadaniem w tle, ale używa programu dopasowującego problemy bez deseniu tła",
+ "TerminalTaskSystem.terminalName": "Zadanie — {0}",
+ "closeTerminal": "Naciśnij dowolny klawisz, aby zamknąć terminal.",
+ "reuseTerminal": "Terminal zostanie ponownie użyty przez zadania. Naciśnij dowolny klawisz, aby go zamknąć.",
+ "TerminalTaskSystem": "Nie można wykonać polecenia powłoki na dysku UNC przy użyciu programu cmd.exe.",
+ "unknownProblemMatcher": "Nie można rozpoznać programu dopasowującego problemy {0}. Program dopasowujący zostanie zignorowany"
+ },
+ "vs/workbench/contrib/tasks/browser/task.contribution": {
+ "building": "Trwa kompilowanie...",
+ "numberOfRunningTasks": "Uruchomione zadania: {0}",
+ "runningTasks": "Pokaż uruchomione zadania",
+ "status.runningTasks": "Uruchomione zadania",
+ "miRunTask": "&&Uruchom zadanie...",
+ "miBuildTask": "Uruchom zadanie &&kompilacji...",
+ "miRunningTask": "Pokaż uruchomion&&e zadania...",
+ "miRestartTask": "U&&ruchom ponownie uruchomione zadanie...",
+ "miTerminateTask": "&&Zakończ zadanie...",
+ "miConfigureTask": "&&Konfiguruj zadania...",
+ "miConfigureBuildTask": "Konfiguruj zadanie &&domyślne kompilacji...",
+ "workbench.action.tasks.openWorkspaceFileTasks": "Otwórz zadania obszaru roboczego",
+ "ShowLogAction.label": "Pokaż dziennik zadań",
+ "RunTaskAction.label": "Uruchom zadanie",
+ "ReRunTaskAction.label": "Uruchom ponownie ostatnie zadanie",
+ "RestartTaskAction.label": "Uruchom ponownie uruchomione zadanie",
+ "ShowTasksAction.label": "Pokaż uruchomione zadania",
+ "TerminateAction.label": "Przerwij zadanie",
+ "BuildAction.label": "Uruchom zadanie kompilacji",
+ "TestAction.label": "Uruchom zadanie testowe",
+ "ConfigureDefaultBuildTask.label": "Konfiguruj zadanie domyślne kompilacji",
+ "ConfigureDefaultTestTask.label": "Konfiguruj zadanie domyślne testowania",
+ "workbench.action.tasks.openUserTasks": "Otwórz zadania użytkownika",
+ "tasksQuickAccessPlaceholder": "Wpisz nazwę zadania do uruchomienia.",
+ "tasksQuickAccessHelp": "Uruchom zadanie",
+ "tasksConfigurationTitle": "Zadania",
+ "task.problemMatchers.neverPrompt": "Określa, czy monit elementu matcher problemu ma być wyświetlany w przypadku uruchamiania zadania. Wartość „true” powoduje, że monit nie jest nigdy wyświetlany; użyj słownika typów zadania do wyłączenia monitu tylko dla określonych typów zadania.",
+ "task.problemMatchers.neverPrompt.boolean": "Ustawia dla wszystkich zadań zachowanie związane z monitowaniem programu dopasowującego problemy.",
+ "task.problemMatchers.neverPrompt.array": "Obiekt zawierający pary typ zadania-wartość logiczna, dla których monit elementów matcher problemu ma nie być nigdy wyświetlany.",
+ "task.autoDetect": "Kontroluje włączanie elementu „provideTasks” dla wszystkich rozszerzeń dostawcy zadań. Jeśli polecenie Zadania: Uruchom zadanie jest wolne, wyłączenie automatycznego wykrywania dostawców zadań może pomóc. Poszczególne rozszerzenia mogą także udostępniać ustawienia, które wyłączają automatyczne wykrywanie.",
+ "task.slowProviderWarning": "Określa, czy w przypadku wolnego dostawcy jest wyświetlane ostrzeżenie",
+ "task.slowProviderWarning.boolean": "Ustawia ostrzeżenie o powolnym dostawcy dla wszystkich zadań.",
+ "task.slowProviderWarning.array": "Tablica typów zadania, dla których ostrzeżenie o wolnym dostawcy ma nie być nigdy wyświetlane.",
+ "task.quickOpen.history": "Określa liczbę ostatnich elementów śledzonych w oknie dialogowym szybkiego otwierania zadania.",
+ "task.quickOpen.detail": "Określa, czy wyświetlać szczegóły zadań, które mają szczegóły w menu szybkiego wyboru zadań, np. zadań uruchamiania.",
+ "task.quickOpen.skip": "Określa, czy szybki selektor zadania jest pomijany, gdy istnieje tylko jedno zadanie do wybrania.",
+ "task.quickOpen.showAll": "Powoduje, że polecenie Zadania: Uruchom zadanie używa wolniejszego zachowania dla operacji „pokaż wszystko” zamiast szybszego dwupoziomowego selektora, w przypadku którego zadania są grupowane według dostawcy.",
+ "task.saveBeforeRun": "Zapisz zawartośc wszystkich edytorów ze zmodyfikowaną zawartością przed uruchomieniem zadania.",
+ "task.saveBeforeRun.always": "Zawsze zapisuje wszystkie edytory przed uruchomieniem.",
+ "task.saveBeforeRun.never": "Nigdy nie zapisuje edytorów przed uruchomieniem.",
+ "task.SaveBeforeRun.prompt": "Monituje, czy zapisać zawartość edytorów przed uruchomieniem."
+ },
+ "vs/workbench/contrib/tasks/common/taskDefinitionRegistry": {
+ "TaskDefinition.description": "Rzeczywisty typ zadania. Pamiętaj, że typy zaczynające się od znaku „$” są zarezerwowane do użytku wewnętrznego.",
+ "TaskDefinition.properties": "Dodatkowe właściwości typu zadania",
+ "TaskDefinition.when": "Warunek, który musi być spełniony, aby można było włączyć ten typ zadania. Rozważ użycie elementu „shellExecutionSupported”, „processExecutionSupported” i „customExecutionSupported” odpowiednio do definicji zadania.",
+ "TaskTypeConfiguration.noType": "Brak wymaganej właściwości „taskType” w konfiguracji typu zadania",
+ "TaskDefinitionExtPoint": "Dodaje rodzaje zadania"
+ },
+ "vs/workbench/contrib/tasks/common/problemMatcher": {
+ "ProblemPatternParser.problemPattern.missingRegExp": "Brak wyrażenia regularnego we wzorcu problemu.",
+ "ProblemPatternParser.loopProperty.notLast": "Właściwość loop jest obsługiwana tylko w programie dopasowującym ostatnie wiersze.",
+ "ProblemPatternParser.problemPattern.kindProperty.notFirst": "Wzorzec problemu jest nieprawidłowy. Właściwość kind może być podana tylko w pierwszym elemencie",
+ "ProblemPatternParser.problemPattern.missingProperty": "Wzorzec problemu jest nieprawidłowy. Musi zawierać co najmniej plik i komunikat.",
+ "ProblemPatternParser.problemPattern.missingLocation": "Wzorzec problemu jest nieprawidłowy. Musi być typu „file” lub mieć grupę dopasowania do wiersza lub lokalizacji.",
+ "ProblemPatternParser.invalidRegexp": "Błąd: ciąg {0} nie jest prawidłowym wyrażeniem regularnym.\r\n",
+ "ProblemPatternSchema.regexp": "Wyrażenie regularne służące do wyszukania błędu, ostrzeżenia lub informacji w danych wyjściowych.",
+ "ProblemPatternSchema.kind": "określa, czy wzorzec jest zgodny z lokalizacją (plikiem i wierszem), czy tylko z plikiem.",
+ "ProblemPatternSchema.file": "Indeks grupy dopasowania nazwy pliku. Jeśli pominięto, zostanie użyta wartość 1.",
+ "ProblemPatternSchema.location": "Indeks grupy dopasowywania lokalizacji problemu. Prawidłowe wzorce lokalizacji: (wiersz), (wiersz,kolumna) i (wiersz_początkowy,kolumna_początkowa,wiersz_końcowy,kolumna_końcowa). Jeśli pominięto przyjmuje się wartość (wiersz,kolumna).",
+ "ProblemPatternSchema.line": "Indeks grupy dopasowania wiersza problemu. Wartość domyślna to 2",
+ "ProblemPatternSchema.column": "Indeks grupy dopasowania znaku wiersza problemu. Wartość domyślna to 3",
+ "ProblemPatternSchema.endLine": "Indeks grupy dopasowania końca wiersza problemu. Domyślnie niezdefiniowany",
+ "ProblemPatternSchema.endColumn": "Indeks grupy dopasowania znaku końca wiersza problemu. Domyślnie niezdefiniowany",
+ "ProblemPatternSchema.severity": "Indeks grupy dopasowania ważności problemu. Domyślnie niezdefiniowany",
+ "ProblemPatternSchema.code": "Indeks grupy dopasowania kodu problemu. Domyślnie niezdefiniowany",
+ "ProblemPatternSchema.message": "Indeks grupy dopasowania wiadomości. Jeśli pominięto, wartość domyślna to 4 w przypadku określenia lokalizacji. W przeciwnym razie wartość domyślna to 5.",
+ "ProblemPatternSchema.loop": "W wielowierszowej pętli dopasowywania wskazuje, czy ten wzorzec jest wykonywany w pętli, dopóki istnieją jego dopasowania. Można to określić tylko dla ostatniego wzorca we wzorcu wielowierszowym.",
+ "NamedProblemPatternSchema.name": "Nazwa wzorca problemu.",
+ "NamedMultiLineProblemPatternSchema.name": "Nazwa wzorca problemu z wieloma wierszami.",
+ "NamedMultiLineProblemPatternSchema.patterns": "Rzeczywiste wzorce.",
+ "ProblemPatternExtPoint": "Dodaje wzorce problemu",
+ "ProblemPatternRegistry.error": "Nieprawidłowy wzorzec problemów. Wzorzec zostanie zignorowany.",
+ "ProblemMatcherParser.noProblemMatcher": "Błąd: nie można przekonwertować opisu na element matcher problemu:\r\n{0}\r\n",
+ "ProblemMatcherParser.noProblemPattern": "Błąd: opis nie definiuje prawidłowego wzorca problemu:\r\n{0}\r\n",
+ "ProblemMatcherParser.noOwner": "Błąd: opis nie definiuje właściciela:\r\n{0}\r\n",
+ "ProblemMatcherParser.noFileLocation": "Błąd: opis nie definiuje lokalizacji pliku:\r\n{0}\r\n",
+ "ProblemMatcherParser.unknownSeverity": "Informacje: nieznana ważność {0}. Prawidłowe wartości: błąd, ostrzeżenie i informacje.\r\n",
+ "ProblemMatcherParser.noDefinedPatter": "Błąd: wzorzec z identyfikatorem {0} nie istnieje.",
+ "ProblemMatcherParser.noIdentifier": "Błąd: właściwość wzorca przywołuje pusty identyfikator.",
+ "ProblemMatcherParser.noValidIdentifier": "Błąd: właściwość wzorca {0} nie jest prawidłową nazwą zmiennej wzorca.",
+ "ProblemMatcherParser.problemPattern.watchingMatcher": "Element matcher problemu musi definiować zarówno wzorzec początkowy, jak i końcowy na potrzeby śledzenia.",
+ "ProblemMatcherParser.invalidRegexp": "Błąd: ciąg {0} nie jest prawidłowym wyrażeniem regularnym.\r\n",
+ "WatchingPatternSchema.regexp": "Wyrażenie regularne służące do wykrywania rozpoczęcia lub zakończenia zadania w tle.",
+ "WatchingPatternSchema.file": "Indeks grupy dopasowania nazwy pliku. Można pominąć.",
+ "PatternTypeSchema.name": "Nazwa predefiniowanego lub wstępnie zdefiniowanego wzorca",
+ "PatternTypeSchema.description": "Wzorzec problemu lub nazwa wniesionego lub wstępnie zdefiniowanego wzorca problemu. Można pominąć, jeśli określono element podstawowy.",
+ "ProblemMatcherSchema.base": "Nazwa podstawowego program dopasowującego problemy, który ma zostać użyty.",
+ "ProblemMatcherSchema.owner": "Właściciel problemu w programie Code. Można pominąć, jeśli określono wartość bazową. Jeśli pominięto i wartość bazowa nie jest określona, przyjmuje wartość domyślną „external”.",
+ "ProblemMatcherSchema.source": "Czytelny dla człowieka ciąg opisujący źródło tej diagnostyki, na przykład „typescript” lub „super lint”.",
+ "ProblemMatcherSchema.severity": "Domyślna ważność w przypadku problemów z przechwytywaniem. Jest używana, jeśli wzorzec nie definiuje grupy dopasowania dla wagi.",
+ "ProblemMatcherSchema.applyTo": "Określa, czy problem zgłaszany dla dokumentu tekstowego dotyczy tylko otwartych, tylko zamkniętych, czy też wszystkich dokumentów.",
+ "ProblemMatcherSchema.fileLocation": "Definiuje sposób interpretacji wzorca nazw plików zgłaszanych w problemie. Względna wartość fileLocation może być tablicą, której drugi element to ścieżka względnej lokalizacji pliku.",
+ "ProblemMatcherSchema.background": "Wzorce umożliwiające śledzenie początku i końca programu dopasowującego aktywnego na zadaniu w tle.",
+ "ProblemMatcherSchema.background.activeOnStart": "Jeśli zostanie ustawiona wartość „true”, monitor w tle będzie w trybie aktywnym przy uruchamianiu zadania. Jest to równoważne wygenerowaniu wiersza zgodnego z wzorcem beginsPattern",
+ "ProblemMatcherSchema.background.beginsPattern": "Jeśli ta wartość zostanie dopasowana w danych wyjściowych, będzie sygnalizowane rozpoczęcie zadania w tle.",
+ "ProblemMatcherSchema.background.endsPattern": "Jeśli ta wartość zostanie dopasowana w danych wyjściowych, będzie sygnalizowane zakończenie zadania w tle.",
+ "ProblemMatcherSchema.watching.deprecated": "Właściwość watching jest przestarzała. Zamiast tego użyj właściwości background.",
+ "ProblemMatcherSchema.watching": "Wzorce umożliwiające śledzenie początku i końca obserwującego programu dopasowującego.",
+ "ProblemMatcherSchema.watching.activeOnStart": "Jeśli zostanie ustawiona wartość „true”, obserwator będzie w trybie aktywnym przy uruchamianiu zadania. Jest to równoważne wygenerowaniu wiersza zgodnego z wzorcem beginPattern",
+ "ProblemMatcherSchema.watching.beginsPattern": "Jeśli ta wartość zostanie dopasowana w danych wyjściowych, będzie sygnalizowane rozpoczęcie obserwowanego zadania.",
+ "ProblemMatcherSchema.watching.endsPattern": "Jeśli ta wartość zostanie dopasowana w danych wyjściowych, będzie sygnalizowane zakończenie obserwowanego zadania.",
+ "LegacyProblemMatcherSchema.watchedBegin.deprecated": "Ta właściwość jest przestarzała. Zamiast niej użyj właściwości watching.",
+ "LegacyProblemMatcherSchema.watchedBegin": "Wyrażenie regularne sygnalizujące, że śledzone zadanie rozpoczyna wykonywanie w wyniku wyzwolenia przez śledzenie pliku.",
+ "LegacyProblemMatcherSchema.watchedEnd.deprecated": "Ta właściwość jest przestarzała. Zamiast niej użyj właściwości watching.",
+ "LegacyProblemMatcherSchema.watchedEnd": "Wyrażenie regularne sygnalizujące, że śledzone zadanie kończy wykonywanie.",
+ "NamedProblemMatcherSchema.name": "Nazwa programu dopasowującego problemy, który został użyty w celu odwołania się do tego elementu.",
+ "NamedProblemMatcherSchema.label": "Etykieta elementu matcher problemu czytelna dla człowieka.",
+ "ProblemMatcherExtPoint": "Dodaje elementy matcher problemu",
+ "msCompile": "Problemy dotyczące kompilatora firmy Microsoft",
+ "lessCompile": "Problemy dotyczące narzędzia Less",
+ "gulp-tsc": "Problemy dotyczące narzędzia Gulp TSC",
+ "jshint": "Problemy dotyczące narzędzia JSHint",
+ "jshint-stylish": "Problemy stylistyczne dotyczące narzędzia JSHint",
+ "eslint-compact": "Problemy z opcją compact programu ESLint",
+ "eslint-stylish": "Problemy z opcją stylish programu ESLint",
+ "go": "Problemy dotyczące języka Go"
+ },
+ "vs/workbench/contrib/tasks/common/taskTemplates": {
+ "dotnetCore": "Wykonuje polecenie kompilacji środowiska .NET Core",
+ "msbuild": "Wykonuje cel kompilacji",
+ "externalCommand": "Przykład uruchomienia dowolnego polecenia zewnętrznego",
+ "Maven": "Wykonuje typowe polecenia programu maven"
+ },
+ "vs/workbench/contrib/tasks/browser/runAutomaticTasks": {
+ "tasks.run.allowAutomatic": "Ten folder zawiera zadania ({0}) zdefiniowane w pliku „tasks.json”, które są uruchamiane automatycznie po otwarciu tego folderu. Czy zezwalasz na uruchamianie automatycznych zadań, gdy otworzysz ten folder?",
+ "allow": "Zezwól i uruchom",
+ "disallow": "Nie zezwalaj",
+ "openTasks": "Otwórz plik tasks.js",
+ "workbench.action.tasks.manageAutomaticRunning": "Zarządzaj zadaniami automatycznymi w folderze",
+ "workbench.action.tasks.allowAutomaticTasks": "Zezwól na automatyczne zadania w folderze",
+ "workbench.action.tasks.disallowAutomaticTasks": "Nie zezwalaj na zadania automatyczne w folderze"
+ },
+ "vs/workbench/contrib/tasks/browser/taskQuickPick": {
+ "taskQuickPick.showAll": "Pokaż wszystkie zadania...",
+ "configureTaskIcon": "Ikona konfiguracji na liście wyboru zadań.",
+ "removeTaskIcon": "Ikona usuwania na liście wyboru zadań.",
+ "configureTask": "Skonfiguruj zadanie",
+ "contributedTasks": "dodane",
+ "taskType": "Wszystkie zadania w liczbie {0}",
+ "removeRecent": "Usuń ostatnio używane zadanie",
+ "recentlyUsed": "ostatnio używane",
+ "configured": "skonfigurowano",
+ "TaskQuickPick.goBack": "Wróć ↩",
+ "TaskQuickPick.noTasksForType": "Nie znaleziono zadań: {0}. Wróć ↩",
+ "noProviderForTask": "Brak dostawcy zadań zarejestrowanego dla zadań typu „{0}”."
+ },
+ "vs/workbench/contrib/tasks/common/jsonSchema_v1": {
+ "JsonSchema.version.deprecated": "Wersja zadania 0.1.0 jest przestarzała. Użyj wersji 2.0.0",
+ "JsonSchema.version": "Numer wersji konfiguracji",
+ "JsonSchema._runner": "Moduł uruchamiający ukończył stopniowanie. Użyj oficjalnej właściwości modułu uruchamiającego",
+ "JsonSchema.runner": "Określa, czy zadanie jest wykonywane jako proces, a dane wyjściowe są wyświetlane w oknie danych wyjściowych lub wewnątrz terminalu.",
+ "JsonSchema.windows": "Konfiguracja polecenia specyficznego dla systemu Windows",
+ "JsonSchema.mac": "Konfiguracja polecenia specyficznego dla komputerów Mac",
+ "JsonSchema.linux": "Konfiguracja polecenia specyficznego dla systemu Linux",
+ "JsonSchema.shell": "Określa, czy polecenie jest poleceniem powłoki, czy programem zewnętrznym. W przypadku pominięcia wartość domyślna to false."
+ },
+ "vs/workbench/contrib/tasks/common/jsonSchema_v2": {
+ "JsonSchema.shell": "Określa, czy polecenie jest poleceniem powłoki, czy programem zewnętrznym. W przypadku pominięcia wartość domyślna to false.",
+ "JsonSchema.tasks.isShellCommand.deprecated": "Właściwość isShellCommand jest przestarzała. Zamiast tego użyj właściwości type zadania i właściwości shell z opcji. Zapoznaj się również z informacjami o wersji 1.14.",
+ "JsonSchema.tasks.dependsOn.identifier": "Identyfikator zadania.",
+ "JsonSchema.tasks.dependsOn.string": "Inne zadanie, od którego zależy to zadanie.",
+ "JsonSchema.tasks.dependsOn.array": "Inne zadania, od których zależy to zadanie.",
+ "JsonSchema.tasks.dependsOn": "Ciąg reprezentujący inne zadanie lub tablicę innych zadań, od których zależy to zadanie.",
+ "JsonSchema.tasks.dependsOrder.parallel": "Uruchom równolegle wszystkie zadania dependsOn.",
+ "JsonSchema.tasks.dependsOrder.sequence": "Uruchom wszystkie zadania dependsOn w sekwencji.",
+ "JsonSchema.tasks.dependsOrder": "Określa kolejność zadań dependsOn dla tego zadania. Zauważ, że ta właściwość nie jest rekursywna.",
+ "JsonSchema.tasks.detail": "Opcjonalny opis zadania, który jest wyświetlany w elemencie szybkiego wyboru Uruchom zadanie jako informacje szczegółowe.",
+ "JsonSchema.tasks.presentation": "Konfiguruje panel używany do przedstawiania danych wyjściowych zadania i odczytywania jego danych wejściowych.",
+ "JsonSchema.tasks.presentation.echo": "Określa, czy wykonane polecenie jest wysyłane do panelu. Wartość domyślna to true.",
+ "JsonSchema.tasks.presentation.focus": "Określa, czy panel przejmuje fokus. Wartość domyślna to false. Jeśli ustawiono wartość true, panel jest także odsłaniany.",
+ "JsonSchema.tasks.presentation.revealProblems.always": "Zawsze odsłoń panel problemów, gdy to zadanie jest wykonywane.",
+ "JsonSchema.tasks.presentation.revealProblems.onProblem": "Wyświetla panel problemów tylko w przypadku znalezienia problemu.",
+ "JsonSchema.tasks.presentation.revealProblems.never": "Nigdy nie wyświetla panelu problemów przy wykonywaniu tego zadania.",
+ "JsonSchema.tasks.presentation.revealProblems": "Określa, czy panel problemów jest odsłaniany podczas uruchamiania tego zadania. Ma pierwszeństwo przed opcją „odsłoń”. Wartość domyślna to „nigdy”.",
+ "JsonSchema.tasks.presentation.reveal.always": "Zawsze odsłoń terminal, gdy to zadanie jest wykonywane.",
+ "JsonSchema.tasks.presentation.reveal.silent": "Wyświetla terminal tylko wtedy, gdy zadanie zakończy się błędem lub funkcja wyszukiwania problemów znajdzie błąd.",
+ "JsonSchema.tasks.presentation.reveal.never": "Nigdy nie wyświetla terminalu przy wykonywaniu tego zadania.",
+ "JsonSchema.tasks.presentation.reveal": "Określa, czy terminal, w którym jest uruchomione zadanie, jest odsłaniany. Może zostać przesłonięte przez opcję „revealProblems”. Wartość domyślna to „zawsze”.",
+ "JsonSchema.tasks.presentation.instance": "Określa, czy panel jest współużytkowany przez zadania, dedykowany dla tego zadania, czy też przy każdym uruchomieniu jest tworzony nowy.",
+ "JsonSchema.tasks.presentation.showReuseMessage": "Określa, czy jest wyświetlany komunikat „Terminal będzie współużytkowany przez zadania, naciśnij dowolny klawisz, aby go zamknąć”.",
+ "JsonSchema.tasks.presentation.clear": "Określa, czy terminal jest czyszczony przed wykonaniem zadania.",
+ "JsonSchema.tasks.presentation.group": "Określa, czy zadanie jest wykonywane w wybranej grupie terminali przy użyciu dzielonych okienek.",
+ "JsonSchema.tasks.terminal": "Właściwość terminalu jest przestarzała. Zamiast tego użyj prezentacji",
+ "JsonSchema.tasks.group.kind": "Grupa wykonywania zadania.",
+ "JsonSchema.tasks.group.isDefault": "Określa, czy to zadanie to zadanie domyślne w grupie.",
+ "JsonSchema.tasks.group.defaultBuild": "Oznacza zadanie jako domyślne zadanie kompilacji.",
+ "JsonSchema.tasks.group.defaultTest": "Oznacza zadanie jako domyślne zadanie testowania.",
+ "JsonSchema.tasks.group.build": "Oznacza zadanie jako zadanie kompilacji dostępne za pośrednictwem polecenia „Uruchom zadanie kompilacji”.",
+ "JsonSchema.tasks.group.test": "Oznacza zadanie jako zadanie testowania dostępne za pośrednictwem polecenia „Uruchom zadanie testowania”.",
+ "JsonSchema.tasks.group.none": "Cofa przypisanie zadania do grup",
+ "JsonSchema.tasks.group": "Definiuje grupę wykonania, do której należy to zadanie. Obsługuje wartości „kompilacja” (umożliwiającą dodanie zadania do grupy kompilacji) i „test” (umożliwiające dodanie zadania do grupy testów).",
+ "JsonSchema.tasks.type": "Określa, czy zadanie jest uruchamiane jako proces, czy jako polecenie wewnątrz powłoki.",
+ "JsonSchema.commandArray": "Polecenie powłoki, które ma zostać wykonane. Elementy tablicy zostaną połączone przy użyciu znaku spacji",
+ "JsonSchema.command.quotedString.value": "Rzeczywista wartość polecenia",
+ "JsonSchema.tasks.quoting.escape": "Zmienia znaczenie znaków za pomocą znaku ucieczki powłoki (np. ` w programie PowerShell i \\ w programie bash).",
+ "JsonSchema.tasks.quoting.strong": "Umieszcza argument w cudzysłowach przy użyciu silnego symbolu cudzysłowu powłoki (np. ' w Programie PowerShell i bash).",
+ "JsonSchema.tasks.quoting.weak": "Umieszcza argument w cudzysłowach przy użyciu słabego symbolu cudzysłowu powłoki (np. \" w Programie PowerShell i bash).",
+ "JsonSchema.command.quotesString.quote": "Jak powinny być używane cudzysłowy dla wartości polecenia.",
+ "JsonSchema.command": "Polecenie do wykonania. Może to być program zewnętrzny lub polecenie powłoki.",
+ "JsonSchema.args.quotedString.value": "Rzeczywista wartość argumentu",
+ "JsonSchema.args.quotesString.quote": "Jak powinny być używane cudzysłowy dla wartości argumentu.",
+ "JsonSchema.tasks.args": "Argumenty przekazywane do polecenia, gdy to zadanie jest wywoływane.",
+ "JsonSchema.tasks.label": "Etykieta interfejsu użytkownika zadania",
+ "JsonSchema.version": "Numer wersji konfiguracji.",
+ "JsonSchema.tasks.identifier": "Identyfikator zdefiniowany przez użytkownika w celu przywoływania zadania w pliku launch.json lub klauzuli dependsOn.",
+ "JsonSchema.tasks.identifier.deprecated": "Identyfikatory zdefiniowane przez użytkownika są przestarzałe. Na potrzeby zadania niestandardowego użyj nazwy jako odwołania, a na potrzeby zadań udostępnionych przez rozszerzenia użyj ich zdefiniowanego identyfikatora zadania.",
+ "JsonSchema.tasks.reevaluateOnRerun": "Określa, czy ponownie oceniać zmienne zadań przy ponownym uruchamianiu.",
+ "JsonSchema.tasks.runOn": "Określa, kiedy zadanie ma zostać uruchomione. Jeśli ustawiono wartość folderOpen, zadanie zostanie uruchomione automatycznie po otwarciu folderu.",
+ "JsonSchema.tasks.instanceLimit": "Liczba wystąpień zadania, które mogą być jednocześnie uruchomione.",
+ "JsonSchema.tasks.runOptions": "Opcje związane z uruchomieniem zadania",
+ "JsonSchema.tasks.taskLabel": "Etykieta zadania",
+ "JsonSchema.tasks.taskName": "Nazwa zadania",
+ "JsonSchema.tasks.taskName.deprecated": "Właściwość nazwy zadania jest przestarzała. Zamiast tego użyj właściwości label.",
+ "JsonSchema.tasks.background": "Czy podtrzymywana jest aktywność wykonywanego zadania i czy działa ono w tle.",
+ "JsonSchema.tasks.promptOnClose": "Czy użytkownik jest monitowany, gdy program VS Code jest zamykany z działającym zadaniem.",
+ "JsonSchema.tasks.matchers": "Programy dopasowujące problemy do użycia. Może być ciągiem, definicją programu dopasowującego problemy lub tablicą ciągów i programów dopasowujących problemy.",
+ "JsonSchema.customizations.customizes.type": "Typ zadania do dostosowania",
+ "JsonSchema.tasks.customize.deprecated": "Dostosowana właściwość jest przestarzała. Zapoznaj się z informacjami o wersji 1.14 dotyczącymi sposobu migrowania do nowego podejścia do dostosowywania zadania",
+ "JsonSchema.tasks.showOutput.deprecated": "Właściwość showOutput jest przestarzała. Zamiast tego użyj właściwości reveal w ramach właściwości presentation. Zapoznaj się również z informacjami o wersji 1.14.",
+ "JsonSchema.tasks.echoCommand.deprecated": "Właściwość echoCommand jest przestarzała. Zamiast tego użyj właściwości echo w ramach właściwości presentation. Zapoznaj się również z informacjami o wersji 1.14.",
+ "JsonSchema.tasks.suppressTaskName.deprecated": "Właściwość suppressTaskName jest przestarzała. Zamiast tego osadź polecenie z jego argumentami w ramach zadania. Zapoznaj się również z informacjami o wersji 1.14.",
+ "JsonSchema.tasks.isBuildCommand.deprecated": "Właściwość isBuildCommand jest przestarzała. Zamiast tego użyj właściwości group. Zapoznaj się również z informacjami o wersji 1.14.",
+ "JsonSchema.tasks.isTestCommand.deprecated": "Właściwość isTestCommand jest przestarzała. Zamiast tego użyj właściwości group. Zapoznaj się również z informacjami o wersji 1.14.",
+ "JsonSchema.tasks.taskSelector.deprecated": "Właściwość taskSelector jest przestarzała. Zamiast tego osadź polecenie z jego argumentami w ramach zadania. Zapoznaj się również z informacjami o wersji 1.14.",
+ "JsonSchema.windows": "Konfiguracja polecenia specyficznego dla systemu Windows",
+ "JsonSchema.mac": "Konfiguracja polecenia specyficznego dla komputerów Mac",
+ "JsonSchema.linux": "Konfiguracja polecenia specyficznego dla systemu Linux"
+ },
+ "vs/workbench/contrib/tasks/browser/tasksQuickAccess": {
+ "noTaskResults": "Brak zgodnych zadań",
+ "TaskService.pickRunTask": "Wybierz zadanie kompilacji do uruchomienia"
+ },
+ "vs/workbench/contrib/tasks/common/jsonSchemaCommon": {
+ "JsonSchema.options": "Dodatkowe opcje polecenia",
+ "JsonSchema.options.cwd": "Bieżący katalog roboczy wykonanego programu lub skryptu. Jeśli pominięto, używany jest bieżący katalog główny obszaru roboczego programu Code.",
+ "JsonSchema.options.env": "Środowisko uruchomionego programu lub powłoki. Jeśli pominięto, używane jest środowisko procesu nadrzędnego.",
+ "JsonSchema.tasks.matcherError": "Nierozpoznany program dopasowujący problemy. Czy rozszerzenie mające wpływ na ten program dopasowujący problemy jest zainstalowane?",
+ "JsonSchema.shellConfiguration": "Konfiguruje powłokę do użycia.",
+ "JsonSchema.shell.executable": "Powłoka, która ma być używana.",
+ "JsonSchema.shell.args": "Argumenty powłoki.",
+ "JsonSchema.command": "Polecenie do wykonania. Może to być program zewnętrzny lub polecenie powłoki.",
+ "JsonSchema.tasks.args": "Argumenty przekazywane do polecenia, gdy to zadanie jest wywoływane.",
+ "JsonSchema.tasks.taskName": "Nazwa zadania",
+ "JsonSchema.tasks.windows": "Konfiguracja polecenia specyficznego dla systemu Windows",
+ "JsonSchema.tasks.matchers": "Programy dopasowujące problemy do użycia. Może być ciągiem, definicją programu dopasowującego problemy lub tablicą ciągów i programów dopasowujących problemy.",
+ "JsonSchema.tasks.mac": "Konfiguracja polecenia specyficznego dla komputerów Mac",
+ "JsonSchema.tasks.linux": "Konfiguracja polecenia specyficznego dla systemu Linux",
+ "JsonSchema.tasks.suppressTaskName": "Określa, czy nazwa zadania jest dodawana jako argument do polecenia. W przypadku pominięcia jest używana wartość zdefiniowana globalnie.",
+ "JsonSchema.tasks.showOutput": "Określa, czy dane wyjściowe uruchomionego zadania są wyświetlane. W przypadku pominięcia będzie używana wartość zdefiniowana globalnie.",
+ "JsonSchema.echoCommand": "Określa, czy wykonane polecenie jest wysyłane do danych wyjściowych. Wartość domyślna to false.",
+ "JsonSchema.tasks.watching.deprecation": "Przestarzałe. Użyj w zamian właściwości isBackground.",
+ "JsonSchema.tasks.watching": "Czy podtrzymywana jest aktywność wykonywanego zadania i czy obserwuje ono system plików.",
+ "JsonSchema.tasks.background": "Czy podtrzymywana jest aktywność wykonywanego zadania i czy działa ono w tle.",
+ "JsonSchema.tasks.promptOnClose": "Czy użytkownik jest monitowany, gdy program VS Code jest zamykany z działającym zadaniem.",
+ "JsonSchema.tasks.build": "Mapuje to zadanie na domyślne polecenie kompilacji w programie Code.",
+ "JsonSchema.tasks.test": "Mapuje to zadanie na domyślne polecenie testowania w programie Code.",
+ "JsonSchema.args": "Dodatkowe argumenty przekazywane do polecenia.",
+ "JsonSchema.showOutput": "Określa, czy dane wyjściowe uruchomionego zadania są wyświetlane. W przypadku pominięcia jest używana wartość „zawsze”.",
+ "JsonSchema.watching.deprecation": "Przestarzałe. Użyj w zamian właściwości isBackground.",
+ "JsonSchema.watching": "Czy podtrzymywana jest aktywność wykonywanego zadania i czy obserwuje ono system plików.",
+ "JsonSchema.background": "Czy podtrzymywana jest aktywność wykonywanego zadania i czy działa ono w tle.",
+ "JsonSchema.promptOnClose": "Określa, czy użytkownik jest monitowany, gdy program VS Code jest zamykany z uruchomionym zadaniem w tle.",
+ "JsonSchema.suppressTaskName": "Określa, czy nazwa zadania jest dodawana jako argument do polecenia. Wartość domyślna to false.",
+ "JsonSchema.taskSelector": "Prefiks wskazujący, że argument to zadanie.",
+ "JsonSchema.matchers": "Programy dopasowujące problemy do użycia. Może być ciągiem, definicją programu dopasowującego problemy lub tablicą ciągów i programów dopasowujących problemy.",
+ "JsonSchema.tasks": "Konfiguracje zadań. Zazwyczaj są to wzbogacenia zadania zdefiniowane już w zewnętrznym module uruchamiającym zadania."
+ },
+ "vs/workbench/contrib/terminal/common/terminalConfiguration": {
+ "terminalIntegratedConfigurationTitle": "Zintegrowany terminal",
+ "terminal.integrated.sendKeybindingsToShell": "Powoduje wysyłanie większości powiązań klawiszy do terminalu, a nie środowiska roboczego, przesłaniając ustawienie `#terminal.integrated.commandsToSkipShell#`, którego można alternatywnie użyć w celu precyzyjnego dostrojenia.",
+ "terminal.integrated.automationShell.linux": "Ścieżka, która, jeśli zostanie ustawiona, przesłania klucz {0} i ignoruje wartości {1} w przypadku użycia terminala związanego z automatyzacją, takiego jak zadania i debugowanie.",
+ "terminal.integrated.automationShell.osx": "Ścieżka, która, jeśli zostanie ustawiona, przesłania klucz {0} i ignoruje wartości {1} w przypadku użycia terminala związanego z automatyzacją, takiego jak zadania i debugowanie.",
+ "terminal.integrated.automationShell.windows": "Ścieżka, która, jeśli zostanie ustawiona, przesłania klucz {0} i ignoruje wartości {1} w przypadku użycia terminala związanego z automatyzacją, takiego jak zadania i debugowanie.",
+ "terminal.integrated.shellArgs.linux": "Argumenty wiersza polecenia, które mają być używane podczas korzystania z terminalu systemu Linux. [Przeczytaj więcej na temat konfigurowania powłoki](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shellArgs.osx": "Argumenty wiersza polecenia, które mają być używane podczas korzystania z terminalu systemu macOS. [Przeczytaj więcej na temat konfigurowania powłoki](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shellArgs.windows": "Argumenty wiersza polecenia, które mają być używane podczas korzystania z terminalu systemu Windows. [Przeczytaj więcej na temat konfigurowania powłoki](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shellArgs.windows.string": "Argumenty wiersza polecenia w [formacie wiersza polecenia](https://msdn.microsoft.com/en-au/08dfcab2-eb6e-49a4-80eb-87d4076c98c6), które mają być używane podczas korzystania z terminalu systemu Windows. [Przeczytaj więcej na temat konfigurowania powłoki](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.macOptionIsMeta": "Określa, czy klawisz Option ma być traktowany jako metaklawisz w terminalu w systemie macOS.",
+ "terminal.integrated.macOptionClickForcesSelection": "Określa, czy zaznaczenie jest wymuszane w przypadku korzystania z kombinacji Option+kliknięcie w systemie macOS. Powoduje to wymuszenie zwykłego (liniowego) zaznaczania i uniemożliwia użycie trybu zaznaczania kolumn. Pozwala to na kopiowanie i wklejanie przy użyciu zwykłej funkcji zaznaczania terminalu, na przykład gdy włączono tryb myszy w programie tmux.",
+ "terminal.integrated.copyOnSelection": "Określa, czy tekst zaznaczony w terminalu jest kopiowany do schowka.",
+ "terminal.integrated.drawBoldTextInBrightColors": "Określa, czy tekst pogrubiony w terminalu będzie zawsze korzystać z „jasnej” odmiany koloru ANSI.",
+ "terminal.integrated.fontFamily": "Określa rodzinę czcionek terminalu, domyślnie jest to wartość parametru „#editor.fontFamily#”.",
+ "terminal.integrated.fontSize": "Określa rozmiar czcionki terminalu w pikselach.",
+ "terminal.integrated.letterSpacing": "Określa odstępy między literami w terminalu; jest to wartość całkowita, która reprezentuje liczbę dodatkowych pikseli do dodania między znakami.",
+ "terminal.integrated.lineHeight": "Określa wysokość wiersza w terminalu; ta liczba jest mnożona przez rozmiar czcionki terminalu w celu uzyskania rzeczywistej wysokości wiersza w pikselach.",
+ "terminal.integrated.minimumContrastRatio": "W przypadku ustawienia kolor pierwszego planu każdej komórki ulegnie zmianie, aby osiągnąć określony współczynnik kontrastu. Przykładowe wartości:\r\n\r\n- 1: ustawienie domyślne, nie są wykonywane żadne działania.\r\n- 4.5: [zgodność ze standardem WCAG AA (minimum)](https://www.w3.org/TR/UNDERSTANDING-WCAG20/visual-audio-contrast-contrast.html).\r\n- 7: [WCAG AAA (ulepszone)](https://www.w3.org/TR/UNDERSTANDING-WCAG20/visual-audio-contrast7.html).\r\n- 21: biały na czarnym lub czarny na białym tle.",
+ "terminal.integrated.fastScrollSensitivity": "Mnożnik szybkości przewijania po naciśnięciu klawisza „Alt”.",
+ "terminal.integrated.mouseWheelScrollSensitivity": "Mnożnik do użycia dla ustawienia „deltaY” zdarzeń przewijania kółka myszy.",
+ "terminal.integrated.fontWeightError": "Dozwolone są tylko słowa kluczowe „normal” i „bold” lub liczby z zakresu od 1 do 1000.",
+ "terminal.integrated.fontWeight": "Grubość czcionki, która ma być używana w terminalu w przypadku niepogrubionego tekstu. Akceptuje słowa kluczowe „normal” i „bold” lub liczby z zakresu od 1 do 1000.",
+ "terminal.integrated.fontWeightBold": "Grubość czcionki, która ma być używana w terminalu w przypadku pogrubionego tekstu. Akceptuje słowa kluczowe „normal” i „bold” lub liczby z zakresu od 1 do 1000.",
+ "terminal.integrated.cursorBlinking": "Określa, czy kursor terminalu miga.",
+ "terminal.integrated.cursorStyle": "Określa styl kursora terminalu.",
+ "terminal.integrated.cursorWidth": "Określa szerokość kursora, gdy element „#terminal.integrated.cursorStyle#” ma wartość „line”.",
+ "terminal.integrated.scrollback": "Określa maksymalną liczbę wierszy przechowywaną przez terminal w buforze.",
+ "terminal.integrated.detectLocale": "Określa, czy zmienna środowiskowa „$LANG” jest wykrywana i ustawiana na opcję zgodną z kodowaniem UTF-8, ponieważ terminal programu VS Code obsługuje dane przychodzące z powłoki tylko z kodowaniem UTF-8.",
+ "terminal.integrated.detectLocale.auto": "Określ zmienną środowiskową „$LANG”, jeśli istniejąca zmienna nie istnieje lub nie kończy się ciągiem „'.UTF-8'”.",
+ "terminal.integrated.detectLocale.off": "Nie ustawiaj zmiennej środowiskowej „$LANG”.",
+ "terminal.integrated.detectLocale.on": "Zawsze ustaw zmienną środowiskową „$LANG”.",
+ "terminal.integrated.rendererType.auto": "Umożliwia programowi VS Code ustalanie, którego programu renderującego należy użyć.",
+ "terminal.integrated.rendererType.canvas": "Użyj standardowego modułu renderowania opartego na procesorze GPU/kanwie.",
+ "terminal.integrated.rendererType.dom": "Użyj rezerwowego modułu renderowania opartego na modelu DOM.",
+ "terminal.integrated.rendererType.experimentalWebgl": "Użyj eksperymentalnego modułu renderowania opartego na bibliotece WebGL. Zauważ, że w jego przypadku występują pewne [znane problemy](https://github.com/xtermjs/xterm.js/issues?q=is%3Aopen+is%3Aissue+label%3Aarea%2Faddon%2Fwebgl).",
+ "terminal.integrated.rendererType": "Określa sposób wyświetlania terminalu.",
+ "terminal.integrated.rightClickBehavior.default": "Pokaż menu kontekstowe.",
+ "terminal.integrated.rightClickBehavior.copyPaste": "Kopiuj, jeśli jest zaznaczenie, a przeciwnym przypadku wklej.",
+ "terminal.integrated.rightClickBehavior.paste": "Wklej po kliknięciu prawym przyciskiem.",
+ "terminal.integrated.rightClickBehavior.selectWord": "Zaznacz wyraz pod kursorem i pokaż menu kontekstowe.",
+ "terminal.integrated.rightClickBehavior": "Określa sposób reagowania terminalu na kliknięcie prawym przyciskiem myszy.",
+ "terminal.integrated.cwd": "Jawna ścieżka startowa, w której zostanie uruchomiony terminal, używana jako bieżący katalog roboczy procesu powłoki. Może to być szczególnie przydatne w ustawieniach obszaru roboczego, jeśli katalog główny nie jest przydatny jako bieżący katalog roboczy.",
+ "terminal.integrated.confirmOnExit": "Określa, czy jest konieczne potwierdzenie zakończenia, jeśli istnieją aktywne sesje terminalu.",
+ "terminal.integrated.enableBell": "Określa, czy jest dzwonek terminalu jest włączony.",
+ "terminal.integrated.commandsToSkipShell": "Zestaw identyfikatorów poleceń, których powiązania klawiszy nie są wysyłane do powłoki, ale zawsze są obsługiwane przez program VS Code. Umożliwia to stosowanie powiązań klawiszy, które zwykle są przechwytywane przez powłokę, tak aby zapewnić takie samo działanie jak wtedy, gdy terminal nie ma fokusu — na przykład „Ctrl+P”, aby uruchomić szybkie otwieranie.\r\n\r\n \r\n\r\nWiele poleceń jest domyślnie pomijanych. Aby przesłonić ustawienie domyślne i zamiast tego przekazać powiązanie klawiszy polecenia do powłoki, dodaj do polecenia prefiks „-”. Na przykład „-workbench.action.quickOpen”, aby zezwolić na użycie kombinacji „Ctrl+P” w celu uzyskania dostępu do powłoki.\r\n\r\n \r\n\r\nPoniższa lista domyślnie pomijanych poleceń jest obcinana podczas wyświetlania w edytorze ustawień. Aby zobaczyć pełną listę, [otwórz domyślny plik JSON ustawień](command:workbench.action.openRawDefaultSettings 'Otwórz ustawienia domyślne (JSON)') i wyszukaj pierwsze polecenie z poniższej listy.\r\n\r\n \r\n\r\nDomyślnie pomijane polecenia:\r\n\r\n{0}",
+ "terminal.integrated.allowChords": "Określa, czy zezwalać na powiązania wielu klawiszy w terminalu. Należy zauważyć, że jeśli ta właściwość zostanie ustawiona na wartość true i będzie miało miejsce naciśnięcie wielu klawiszy, spowoduje to pominięcie ustawienia „#terminal.integrated.commandsToSkipShell#”. Ustawienie tej właściwości na wartość false jest szczególnie przydatne, gdy chcesz użyć kombinacji klawiszy CTRL+K w celu przejścia do powłoki (nie dotyczy programu VS Code).",
+ "terminal.integrated.allowMnemonics": "Określa, czy zezwalać na wyświetlanie mnemonik na pasku menu (np. ALT+F) w celu wyzwolenia uruchomienia paska menu. Pamiętaj, że spowoduje to, że wszystkie naciśnięcia klawiszy z klawiszem ALT będą pomijane w powłoce, gdy wartość zostanie ustawiona true. Nie ma zastosowania w przypadku systemu MacOS.",
+ "terminal.integrated.inheritEnv": "Określa, czy nowe powłoki powinny dziedziczyć środowisko z programu VS Code. Nieobsługiwane w systemie Windows.",
+ "terminal.integrated.env.osx": "Obiekt ze zmiennymi środowiskowymi, które zostaną dodane do procesu programu VS Code używanego przez terminal w systemie macOS. Aby usunąć określoną zmienną środowiskową, ustaw wartość „null”.",
+ "terminal.integrated.env.linux": "Obiekt ze zmiennymi środowiskowymi, które zostaną dodane do procesu programu VS Code używanego przez terminal w systemie Linux. Aby usunąć określoną zmienną środowiskową, ustaw wartość „null”.",
+ "terminal.integrated.env.windows": "Obiekt ze zmiennymi środowiskowymi, które zostaną dodane do procesu programu VS Code używanego przez terminal w systemie Windows. Aby usunąć określoną zmienną środowiskową, ustaw wartość „null”.",
+ "terminal.integrated.environmentChangesIndicator": "Określa, czy w każdym terminalu ma być wyświetlany wskaźnik zmian środowiska, który informuje o wprowadzeniu rozszerzeń, czy też mają zostać wprowadzone zmiany w środowisku terminalu.",
+ "terminal.integrated.environmentChangesIndicator.off": "Wyłącz wskaźnik.",
+ "terminal.integrated.environmentChangesIndicator.on": "Włącz wskaźnik.",
+ "terminal.integrated.environmentChangesIndicator.warnonly": "Pokazuj tylko wskaźnik ostrzeżenia, gdy środowisko terminalu jest „nieaktualne”, a nie wskaźnik informujący, że środowisko terminalu zostało zmodyfikowane przez rozszerzenie.",
+ "terminal.integrated.showExitAlert": "Określa, czy w przypadku kodu zakończenia innego niż zero wyświetlić alert „Proces terminalu zakończył się kodem zakończenia”.",
+ "terminal.integrated.splitCwd": "Określa katalog roboczy, za pomocą którego jest uruchamiany podzielony terminal.",
+ "terminal.integrated.splitCwd.workspaceRoot": "Nowy terminal podzielony będzie używać folderu głównego obszaru roboczego jako katalogu roboczego. W obszarze roboczym z wieloma folderami głównymi można wybrać folder główny do użycia.",
+ "terminal.integrated.splitCwd.initial": "Nowy podzielony terminal będzie używać katalogu roboczego, przy użyciu którego uruchomiono terminal nadrzędny.",
+ "terminal.integrated.splitCwd.inherited": "W systemach MacOS i Linux nowy terminal podzielony będzie używać katalogu roboczego z terminalu nadrzędnego. W systemie Windows zachowanie będzie takie samo jak początkowe.",
+ "terminal.integrated.windowsEnableConpty": "Określa, czy używać konsoli ConPTY do komunikacji procesu terminalu systemu Windows (wymaga kompilacji systemu Windows 10 w wersji nowszej niż 18309). W przypadku ustawienia tej właściwości na wartość false, używana będzie konsola winpty.",
+ "terminal.integrated.wordSeparators": "Ciąg zawierający wszystkie znaki traktowane jako separatory słów przez funkcję zaznaczania słowa przy użyciu podwójnego kliknięcia.",
+ "terminal.integrated.experimentalUseTitleEvent": "Ustawienie eksperymentalne, które będzie używać zdarzenia tytułu terminalu dla tytułu listy rozwijanej. To ustawienie będzie stosowane tylko dla nowych terminali.",
+ "terminal.integrated.enableFileLinks": "Określa, czy włączyć linki do plików w terminalu. Linki mogą być wolne w szczególności podczas pracy na dysku sieciowym, ponieważ każdy link do pliku jest weryfikowane w odniesieniu do systemu plików. Zmiana tego ustawienia będzie miała zastosowanie tylko w przypadku nowych terminali.",
+ "terminal.integrated.unicodeVersion.six": "Wersja 6 standardu Unicode. Jest to starsza wersja, która powinna działać lepiej w starszych systemach.",
+ "terminal.integrated.unicodeVersion.eleven": "Wersja 11 standardu Unicode. Ta wersja zapewnia ulepszoną obsługę w nowoczesnych systemach, w których używane są nowoczesne wersje standardu Unicode.",
+ "terminal.integrated.unicodeVersion": "Określa wersję standardu Unicode do użycia na potrzeby oceny szerokości znaków w terminalu. Jeśli znaki emoji lub inne znaki dwubajtowe nie zajmują właściwej ilości miejsca albo klawisz Backspace usuwa za dużo lub zbyt mało, możesz spróbować dostosować to ustawienie.",
+ "terminal.integrated.experimentalLinkProvider": "Ustawienie eksperymentalne, które ma na celu ulepszenie wykrywania linków w terminalu przez udoskonalenie wykrywania linków i włączenie wykrywania linków udostępnionych przy użyciu edytora. Obecnie są obsługiwane tylko linki internetowe.",
+ "terminal.integrated.localEchoLatencyThreshold": "Eksperymentalne: długość opóźnienia sieci (w milisekundach), gdy echo edycji lokalnych będzie wyświetlane na terminalu bez oczekiwania na potwierdzenie serwera. W przypadku wartości „0” echo lokalne będzie zawsze włączone, a w przypadku wartości „-1” będzie wyłączone.",
+ "terminal.integrated.localEchoExcludePrograms": "Eksperymentalne: echo lokalne zostanie wyłączone, gdy w tytule terminalu zostanie znaleziona dowolna z tych nazw programów.",
+ "terminal.integrated.localEchoStyle": "Eksperymentalne: styl terminalu tekstu z echem lokalnym — styl czcionki lub kolor RGB.",
+ "terminal.integrated.serverSpawn": "Eksperymentalne: duplikuj terminale zdalne na podstawie procesu agenta zdalnego zamiast zdalnego hosta rozszerzenia",
+ "terminal.integrated.enablePersistentSessions": "Eksperymentalne: Utrwalaj sesje terminala dla obszaru roboczego między ponownymi załadowaniami okien. Opcja ta jest obecnie obsługiwana tylko w zdalnych obszarach roboczych programu VS Code.",
+ "terminal.integrated.shell.linux": "Ścieżka powłoki używanej przez terminal w systemie Linux (domyślnie: {0}). [Przeczytaj więcej na temat konfigurowania powłoki](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shell.linux.noDefault": "Ścieżka powłoki używanej przez terminal w systemie Linux. [Przeczytaj więcej na temat konfigurowania powłoki](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shell.osx": "Ścieżka powłoki używanej przez terminal w systemie macOS (domyślnie: {0}). [Przeczytaj więcej na temat konfigurowania powłoki](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shell.osx.noDefault": "Ścieżka powłoki używanej przez terminal w systemie macOS. [Przeczytaj więcej na temat konfigurowania powłoki](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shell.windows": "Ścieżka powłoki używanej przez terminal w systemie Windows (domyślnie: {0}). [Przeczytaj więcej na temat konfigurowania powłoki](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shell.windows.noDefault": "Ścieżka powłoki używanej przez terminal w systemie Windows. [Przeczytaj więcej na temat konfigurowania powłoki](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration)."
+ },
+ "vs/workbench/contrib/terminal/common/terminal": {
+ "terminalCategory": "Terminal",
+ "vscode.extension.contributes.terminal": "Dodaje funkcję terminalu.",
+ "vscode.extension.contributes.terminal.types": "Definiuje dodatkowe typy terminali, które użytkownik może utworzyć.",
+ "vscode.extension.contributes.terminal.types.command": "Polecenie do wykonania, gdy użytkownik tworzy ten typ terminalu.",
+ "vscode.extension.contributes.terminal.types.title": "Tytuł terminalu tego typu."
+ },
+ "vs/workbench/contrib/terminal/browser/terminal.contribution": {
+ "tasksQuickAccessPlaceholder": "Wpisz nazwę terminalu do otwarcia.",
+ "tasksQuickAccessHelp": "Pokaż wszystkie otwarte terminale",
+ "terminal": "Terminal"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalView": {
+ "terminal.useMonospace": "Użyj elementu „monospace”",
+ "terminal.monospaceOnly": "Terminal obsługuje tylko czcionki o stałej szerokości. Pamiętaj, aby ponownie uruchomić program VS Code, jeśli jest to nowo zainstalowana czcionka."
+ },
+ "vs/workbench/contrib/terminal/browser/remoteTerminalService": {
+ "terminal.integrated.starting": "Trwa uruchamianie..."
+ },
+ "vs/workbench/contrib/terminal/node/terminalProcess": {
+ "launchFail.cwdNotDirectory": "Katalog początkowy (cwd) „{0}” nie jest katalogiem",
+ "launchFail.cwdDoesNotExist": "Katalog początkowy (cwd) „{0}” nie istnieje",
+ "launchFail.executableIsNotFileOrSymlink": "Ścieżka do pliku wykonywalnego powłoki „{0}” nie jest plikiem linku symbolicznego",
+ "launchFail.executableDoesNotExist": "Ścieżka do pliku wykonywalnego powłoki „{0}” nie istnieje"
+ },
+ "vs/workbench/contrib/terminal/electron-browser/terminalRemote": {
+ "workbench.action.terminal.newLocal": "Utwórz nowy zintegrowany terminal (lokalny)"
+ },
+ "vs/workbench/contrib/terminal/common/terminalColorRegistry": {
+ "terminal.background": "Kolor tła terminalu umożliwiający kolorowanie terminalu w inny sposób niż panel.",
+ "terminal.foreground": "Kolor pierwszego planu terminalu.",
+ "terminalCursor.foreground": "Kolor pierwszego planu kursora terminalu.",
+ "terminalCursor.background": "Kolor tła kursora terminalu. Umożliwia dostosowanie koloru znaku, na który nakłada się kursor bloku.",
+ "terminal.selectionBackground": "Kolor tła zaznaczenia terminalu.",
+ "terminal.border": "Kolor obramowania oddzielający okienka podziału w terminalu. Wartość domyślna: panel.border.",
+ "terminal.ansiColor": "Kolor ANSI „{0}” w terminalu."
+ },
+ "vs/workbench/contrib/terminal/browser/terminalActions": {
+ "workbench.action.terminal.newWorkspacePlaceholder": "Wybierz bieżący katalog roboczy dla nowego terminalu",
+ "workbench.action.terminal.toggleTerminal": "Przełącz zintegrowany terminal",
+ "workbench.action.terminal.kill": "Zamknij aktywne wystąpienie terminalu",
+ "workbench.action.terminal.kill.short": "Zamknij terminal",
+ "workbench.action.terminal.copySelection": "Kopiuj zaznaczenie",
+ "workbench.action.terminal.copySelection.short": "Kopiuj",
+ "workbench.action.terminal.selectAll": "Wybierz wszystko",
+ "workbench.action.terminal.new": "Utwórz nowy zintegrowany terminal",
+ "workbench.action.terminal.new.short": "Nowy terminal",
+ "workbench.action.terminal.split": "Podziel terminal",
+ "workbench.action.terminal.split.short": "Podziel",
+ "workbench.action.terminal.splitInActiveWorkspace": "Podziel terminal (w aktywnym obszarze roboczym)",
+ "workbench.action.terminal.paste": "Wklej do aktywnego terminalu",
+ "workbench.action.terminal.paste.short": "Wklej",
+ "workbench.action.terminal.selectDefaultShell": "Wybierz powłokę domyślną",
+ "workbench.action.terminal.openSettings": "Konfiguruj ustawienia terminalu",
+ "workbench.action.terminal.switchTerminal": "Przełącz terminal",
+ "terminals": "Otwórz terminale.",
+ "terminalConnectingLabel": "Trwa uruchamianie...",
+ "workbench.action.terminal.clear": "Wyczyść",
+ "terminalLaunchHelp": "Otwórz Pomoc",
+ "workbench.action.terminal.newInActiveWorkspace": "Utwórz nowy zintegrowany terminal (w aktywnym obszarze roboczym)",
+ "workbench.action.terminal.focusPreviousPane": "Ustaw fokus na poprzednim okienku",
+ "workbench.action.terminal.focusNextPane": "Ustaw fokus na następnym okienku",
+ "workbench.action.terminal.resizePaneLeft": "Zmień rozmar okienka w lewo",
+ "workbench.action.terminal.resizePaneRight": "Zmień rozmiar okienka w prawo",
+ "workbench.action.terminal.resizePaneUp": "Zmień rozmiar okienka w górę",
+ "workbench.action.terminal.resizePaneDown": "Zmień rozmiar okienka w dół",
+ "workbench.action.terminal.focus": "Ustaw fokus na terminalu",
+ "workbench.action.terminal.focusNext": "Ustaw fokus na następnym terminalu",
+ "workbench.action.terminal.focusPrevious": "Ustaw fokus na poprzednim terminalu",
+ "workbench.action.terminal.runSelectedText": "Uruchom zaznaczony tekst w aktywnym terminalu",
+ "workbench.action.terminal.runActiveFile": "Uruchom aktywny plik w aktywnym terminalu",
+ "workbench.action.terminal.runActiveFile.noFile": "W terminalu można uruchamiać tylko pliki na dysku",
+ "workbench.action.terminal.scrollDown": "Przewiń w dół (wiersz)",
+ "workbench.action.terminal.scrollDownPage": "Przewiń w dół (strona)",
+ "workbench.action.terminal.scrollToBottom": "Przewiń do dołu",
+ "workbench.action.terminal.scrollUp": "Przewiń w górę (wiersz)",
+ "workbench.action.terminal.scrollUpPage": "Przewiń w górę (strona)",
+ "workbench.action.terminal.scrollToTop": "Przewiń do góry",
+ "workbench.action.terminal.navigationModeExit": "Zakończ tryb nawigacji",
+ "workbench.action.terminal.navigationModeFocusPrevious": "Ustaw fokus na poprzednim wierszu (tryb nawigacji)",
+ "workbench.action.terminal.navigationModeFocusNext": "Ustaw fokus na następnym wierszu (tryb nawigacji)",
+ "workbench.action.terminal.clearSelection": "Wyczyść zaznaczenie",
+ "workbench.action.terminal.manageWorkspaceShellPermissions": "Zarządzaj uprawnieniami powłoki obszaru roboczego",
+ "workbench.action.terminal.rename": "Zmień nazwę",
+ "workbench.action.terminal.rename.prompt": "Podaj nazwę terminalu",
+ "workbench.action.terminal.focusFind": "Ustaw fokus na funkcji znajdowania",
+ "workbench.action.terminal.hideFind": "Ukryj funkcję znajdowania",
+ "workbench.action.terminal.attachToRemote": "Dołącz do sesji",
+ "quickAccessTerminal": "Przełącz aktywny Terminal",
+ "workbench.action.terminal.scrollToPreviousCommand": "Przewiń do poprzedniego polecenia",
+ "workbench.action.terminal.scrollToNextCommand": "Przewiń do następnego polecenia",
+ "workbench.action.terminal.selectToPreviousCommand": "Wybierz do poprzedniego polecenia",
+ "workbench.action.terminal.selectToNextCommand": "Wybierz do następnego polecenia",
+ "workbench.action.terminal.selectToPreviousLine": "Wybierz do poprzedniego wiersza",
+ "workbench.action.terminal.selectToNextLine": "Wybierz do następnego wiersza",
+ "workbench.action.terminal.toggleEscapeSequenceLogging": "Przełącz rejestrowanie sekwencji ucieczki",
+ "workbench.action.terminal.sendSequence": "Wyślij sekwencję niestandardową do terminalu",
+ "workbench.action.terminal.newWithCwd": "Utwórz nowy zintegrowany terminal, uruchamiając go w niestandardowym katalogu roboczym",
+ "workbench.action.terminal.newWithCwd.cwd": "Katalog, w którym zostanie uruchomiony terminal",
+ "workbench.action.terminal.renameWithArg": "Zmień nazwę aktualnie aktywnego terminalu",
+ "workbench.action.terminal.renameWithArg.name": "Nowa nazwa terminalu",
+ "workbench.action.terminal.renameWithArg.noName": "Nie podano argumentu nazwy",
+ "workbench.action.terminal.toggleFindRegex": "Przełącz wyszukiwanie przy użyciu wyrażenia regularnego",
+ "workbench.action.terminal.toggleFindWholeWord": "Przełącz wyszukiwanie przy użyciu całych wyrazów",
+ "workbench.action.terminal.toggleFindCaseSensitive": "Przełącz wyszukiwanie z uwzględnianiem wielkości liter",
+ "workbench.action.terminal.findNext": "Znajdź następny",
+ "workbench.action.terminal.findPrevious": "Znajdź poprzedni",
+ "workbench.action.terminal.searchWorkspace": "Przeszukaj obszar roboczy",
+ "workbench.action.terminal.relaunch": "Uruchom ponownie aktywny terminal",
+ "workbench.action.terminal.showEnvironmentInformation": "Pokaż informacje o środowisku"
+ },
+ "vs/workbench/contrib/terminal/common/terminalMenu": {
+ "miToggleIntegratedTerminal": "&&Terminal",
+ "miNewTerminal": "&&Nowy terminal",
+ "miSplitTerminal": "&&Podziel terminal",
+ "miRunActiveFile": "Uruchom &&aktywny plik",
+ "miRunSelectedText": "Uruchom &&zaznaczony tekst"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalService": {
+ "workbench.action.terminal.allowWorkspaceShell": "Zezwól na konfigurowanie powłoki obszaru roboczego",
+ "workbench.action.terminal.disallowWorkspaceShell": "Nie zezwalaj na konfigurację powłoki obszaru roboczego",
+ "terminalService.terminalCloseConfirmationSingular": "Istnieje aktywna sesja terminalowa. Czy nadal chcesz zakończyć ich działanie?",
+ "terminalService.terminalCloseConfirmationPlural": "Istnieje następująca liczba aktywnych sesji terminalowych: {0}. Czy nadal chcesz zakończyć ich działanie?",
+ "terminal.integrated.chooseWindowsShell": "Wybierz preferowaną powłokę terminalu. Możesz zmienić ją później w ustawieniach"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalQuickAccess": {
+ "renameTerminal": "Zmień nazwę terminalu",
+ "killTerminal": "Zamknij wystąpienie terminalu",
+ "workbench.action.terminal.newplus": "Utwórz nowy zintegrowany terminal"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalIcons": {
+ "terminalViewIcon": "Wyświetl ikonę widoku terminalu.",
+ "renameTerminalIcon": "Ikona zmieniania nazwy w szybkim menu terminalu.",
+ "killTerminalIcon": "Ikona zamykania wystąpienia terminalu.",
+ "newTerminalIcon": "Ikona tworzenia nowego wystąpienia terminalu."
+ },
+ "vs/workbench/contrib/terminal/browser/terminalConfigHelper": {
+ "terminal.integrated.allowWorkspaceShell": "Czy zezwalasz temu obszarowi roboczemu na zmodyfikowanie powłoki terminalu? {0}",
+ "allow": "Zezwalaj",
+ "disallow": "Nie zezwalaj",
+ "useWslExtension.title": "Rozszerzenie „{0}” jest zalecane do otwierania terminalu w systemie WSL.",
+ "install": "Zainstaluj"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalInstance": {
+ "terminal.integrated.a11yPromptLabel": "Dane wejściowe terminalu",
+ "terminal.integrated.a11yTooMuchOutput": "Za dużo danych wyjściowych do ogłoszenia. Przejdź do wierszy ręcznie, aby odczytać",
+ "terminalTextBoxAriaLabelNumberAndTitle": "Terminal {0}, {1}",
+ "terminalTextBoxAriaLabel": "Terminal {0}",
+ "configure terminal settings": "Niektóre powiązania klawiszy są domyślnie wysyłane do środowiska roboczego.",
+ "configureTerminalSettings": "Konfiguruj ustawienia terminalu",
+ "yes": "Tak",
+ "no": "Nie",
+ "dontShowAgain": "Nie pokazuj ponownie",
+ "terminal.slowRendering": "Wygląda na to, że standardowe renderowanie w zintegrowanym terminalu działa wolno na Twoim komputerze. Czy chcesz przełączyć się do alternatywnego renderowania opartego na modelu DOM, co może poprawić wydajność? [Przeczytaj więcej o ustawieniach terminalu](https://code.visualstudio.com/docs/editor/integrated-terminal#_changing-how-the-terminal-is-rendered).",
+ "terminal.integrated.copySelection.noSelection": "Terminal nie ma zaznaczonych elementów do skopiowania",
+ "launchFailed.exitCodeAndCommandLine": "Nie można uruchomić procesu terminalu „{0}” (kod zakończenia: {1}).",
+ "launchFailed.exitCodeOnly": "Nie można uruchomić procesu terminalu (kod zakończenia: {0}).",
+ "terminated.exitCodeAndCommandLine": "Działanie procesu terminalu „{0}” zostało zakończone z kodem zakończenia: {1}.",
+ "terminated.exitCodeOnly": "Działanie procesu terminalu zostało zakończone z kodem zakończenia: {0}.",
+ "launchFailed.errorMessage": "Nie można uruchomić procesu terminalu {0}.",
+ "terminalStaleTextBoxAriaLabel": "Środowisko terminalu {0} jest przestarzałe. Uruchom polecenie „Pokaż informacje o środowisku”, aby uzyskać więcej informacji"
+ },
+ "vs/workbench/contrib/terminal/browser/links/terminalLinkManager": {
+ "terminalLinkHandler.followLinkAlt.mac": "option + kliknięcie",
+ "terminalLinkHandler.followLinkAlt": "alt + kliknięcie",
+ "terminalLinkHandler.followLinkCmd": "cmd + kliknięcie",
+ "terminalLinkHandler.followLinkCtrl": "ctrl + kliknięcie",
+ "followLink": "Użyj linku"
+ },
+ "vs/workbench/contrib/terminal/browser/links/terminalWordLinkProvider": {
+ "searchWorkspace": "Wyszukaj obszar roboczy"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalProcessExtHostProxy": {
+ "terminal.integrated.starting": "Trwa uruchamianie..."
+ },
+ "vs/workbench/contrib/terminal/browser/environmentVariableInfo": {
+ "extensionEnvironmentContributionChanges": "Rozszerzenia chcą wprowadzić następujące zmiany w środowisku terminalu:",
+ "extensionEnvironmentContributionRemoval": "Rozszerzenia chcą usunąć te istniejące zmiany ze środowiska terminalu:",
+ "relaunchTerminalLabel": "Uruchom ponownie terminal",
+ "extensionEnvironmentContributionInfo": "Rozszerzenia wprowadziły zmiany w środowisku tego terminalu"
+ },
+ "vs/workbench/contrib/terminal/browser/links/terminalLink": {
+ "openFile": "Otwórz plik w edytorze",
+ "focusFolder": "Ustaw fokus na folderze w eksploratorze",
+ "openFolder": "Otwórz folder w nowym oknie"
+ },
+ "vs/workbench/contrib/themes/browser/themes.contribution": {
+ "selectTheme.label": "Motyw kolorów",
+ "themes.category.light": "motywy jasne",
+ "themes.category.dark": "ciemne motywy",
+ "themes.category.hc": "motywy o dużym kontraście",
+ "installColorThemes": "Zainstaluj dodatkowe motywy kolorów...",
+ "themes.selectTheme": "Wybierz motyw kolorów (klawisze w górę/w dół, aby wyświetlić podgląd)",
+ "selectIconTheme.label": "Motyw ikony pliku",
+ "noIconThemeLabel": "Brak",
+ "noIconThemeDesc": "Wyłącz ikony plików",
+ "installIconThemes": "Zainstaluj dodatkowe motywy ikon plików...",
+ "themes.selectIconTheme": "Wybierz motyw ikony pliku",
+ "selectProductIconTheme.label": "Motyw ikony produktu",
+ "defaultProductIconThemeLabel": "Domyślne",
+ "themes.selectProductIconTheme": "Wybierz motyw ikony produktu",
+ "generateColorTheme.label": "Generuj motyw kolorów na podstawie bieżących ustawień",
+ "preferences": "Preferencje",
+ "miSelectColorTheme": "&&Motyw kolorów",
+ "miSelectIconTheme": "Motyw &&ikon plików",
+ "themes.selectIconTheme.label": "Motyw ikony pliku"
+ },
+ "vs/workbench/contrib/timeline/browser/timeline.contribution": {
+ "timelineViewIcon": "Wyświetl ikonę widoku osi czasu.",
+ "timelineOpenIcon": "Ikona akcji otwarcia osi czasu.",
+ "timelineConfigurationTitle": "Oś czasu",
+ "timeline.excludeSources": "Tablica źródeł osi czasu, które powinny być wykluczone z widoku osi czasu",
+ "timeline.pageSize": "Liczba elementów wyświetlanych domyślnie w widoku Oś czasu i podczas ładowania większej liczby elementów. Ustawienie na wartość „null” (wartość domyślna) spowoduje automatyczne wybranie rozmiaru strony na podstawie widocznego obszaru widoku Oś czasu",
+ "timeline.pageOnScroll": "Eksperymentalne. Określa, czy widok osi czasu będzie ładować następną stronę elementów po przewinięciu na koniec listy.",
+ "files.openTimeline": "Otwórz oś czasu"
+ },
+ "vs/workbench/contrib/timeline/browser/timelinePane": {
+ "timeline.loadingMore": "Trwa ładowanie...",
+ "timeline.loadMore": "Załaduj więcej",
+ "timeline": "Oś czasu",
+ "timeline.editorCannotProvideTimeline": "Aktywny edytor nie może dostarczać informacji o osi czasu.",
+ "timeline.noTimelineInfo": "Nie podano informacji dotyczących osi czasu.",
+ "timeline.aria.item": "{0}: {1}",
+ "timeline.loading": "Trwa ładowanie osi czasu dla: {0}...",
+ "timelineRefresh": "Ikona akcji odświeżenia osi czasu.",
+ "timelinePin": "Ikona akcji przypięcia osi czasu.",
+ "timelineUnpin": "Ikona akcji odpięcia osi czasu.",
+ "refresh": "Odśwież",
+ "timeline.toggleFollowActiveEditorCommand.follow": "Przypnij bieżącą oś czasu",
+ "timeline.toggleFollowActiveEditorCommand.unfollow": "Odepnij bieżącą oś czasu",
+ "timeline.filterSource": "Uwzględnij: {0}"
+ },
+ "vs/workbench/contrib/update/browser/update.contribution": {
+ "miReleaseNotes": "&&Informacje o wersji"
+ },
+ "vs/workbench/contrib/update/browser/update": {
+ "releaseNotes": "Informacje o wersji",
+ "update.noReleaseNotesOnline": "Ta wersja programu {0} nie zawiera informacji o wersji online",
+ "showReleaseNotes": "Pokaż informacje o wersji",
+ "read the release notes": "{0} {1} — Zapraszamy! Czy chcesz przeczytać informacje o wersji?",
+ "licenseChanged": "Nasze postanowienia licencyjne uległy zmianie. Kliknij [tutaj]({0}), aby zapoznać się z nimi.",
+ "updateIsReady": "Dostępna jest nowa aktualizacja: {0}.",
+ "checkingForUpdates": "Trwa sprawdzanie dostępności aktualizacji...",
+ "update service": "Aktualizuj usługę",
+ "noUpdatesAvailable": "Obecnie nie ma dostępnych aktualizacji.",
+ "ok": "OK",
+ "thereIsUpdateAvailable": "Dostępna jest aktualizacja.",
+ "download update": "Pobierz aktualizację",
+ "later": "Później",
+ "updateAvailable": "Dostępna jest aktualizacja: {0} {1}",
+ "installUpdate": "Zainstaluj aktualizację",
+ "updateInstalling": "Oprogramowanie {0} {1} jest instalowane w tle; damy Ci znać, gdy wszystko będzie gotowe.",
+ "updateNow": "Zaktualizuj teraz",
+ "updateAvailableAfterRestart": "Uruchom ponownie {0}, aby zastosować najnowszą aktualizację.",
+ "checkForUpdates": "Wyszukaj aktualizacje...",
+ "download update_1": "Pobierz aktualizację (1)",
+ "DownloadingUpdate": "Trwa pobieranie aktualizacji...",
+ "installUpdate...": "Zainstaluj aktualizację... (1)",
+ "installingUpdate": "Trwa Instalowanie aktualizacji...",
+ "good luck": "'Restart to Update' is not working properly on macOS Big Sur. Click 'Quit to Update' to quit {0} and update it. Then, relaunch it from Finder.",
+ "quit": "Quit to Update",
+ "learn more": "Learn More",
+ "cancel": "Cancel",
+ "restartToUpdate": "Uruchom ponownie, aby zaktualizować (1)",
+ "relaunchMessage": "Uwzględnienie zmiany wersji wymaga ponownego załadowania",
+ "relaunchDetailInsiders": "Naciśnij przycisk Załaduj ponownie, aby przełączyć się do conocnej przedprodukcyjnej wersji programu VSCode.",
+ "relaunchDetailStable": "Naciśnij przycisk Załaduj ponownie, aby przełączyć się do comiesięcznie wydawanej stabilnej wersji programu VSCode.",
+ "reload": "&&Załaduj ponownie",
+ "switchToInsiders": "Przełącz do wersji niejawnego programu testów...",
+ "switchToStable": "Przejdź do stabilnej wersji..."
+ },
+ "vs/workbench/contrib/update/browser/releaseNotesEditor": {
+ "releaseNotesInputName": "Informacje o wersji: {0}",
+ "unassigned": "nieprzypisane"
+ },
+ "vs/workbench/contrib/url/browser/url.contribution": {
+ "openUrl": "Otwórz adres URL",
+ "urlToOpen": "Adres URL do otworzenia"
+ },
+ "vs/workbench/contrib/url/browser/trustedDomains": {
+ "trustedDomain.manageTrustedDomain": "Zarządzaj zaufanymi domenami",
+ "trustedDomain.trustDomain": "Zaufanie: {0}",
+ "trustedDomain.trustAllPorts": "Ufaj domenie {0} na wszystkich portach",
+ "trustedDomain.trustSubDomain": "Ufaj domenie {0} i jej wszystkim poddomenom",
+ "trustedDomain.trustAllDomains": "Ufaj wszystkim domenom (wyłącza ochronę linków)",
+ "trustedDomain.manageTrustedDomains": "Zarządzaj zaufanymi domenami",
+ "configuringURL": "Konfigurowanie zaufania dla: {0}"
+ },
+ "vs/workbench/contrib/url/browser/trustedDomainsValidator": {
+ "openExternalLinkAt": "Czy chcesz otworzyć zewnętrzną witrynę internetową za pomocą programu {0}?",
+ "open": "Otwórz",
+ "copy": "Kopiuj",
+ "cancel": "Anuluj",
+ "configureTrustedDomains": "Konfiguruj domeny zaufane"
+ },
+ "vs/workbench/contrib/userDataSync/electron-browser/userDataSync.contribution": {
+ "operationId": "Identyfikator operacji: {0}",
+ "too many requests": "Synchronizacja ustawień jest wyłączona, ponieważ bieżące urządzenie wysyła zbyt wiele żądań. Zgłoś problem, udostępniając dzienniki synchronizacji.",
+ "settings sync": "Synchronizacja ustawień. Identyfikator operacji: {0}",
+ "show sync logs": "Pokaż dziennik",
+ "report issue": "Zgłoś problem",
+ "Open Backup folder": "Otwórz lokalny folder kopii zapasowych",
+ "no backups": "Lokalny folder kopii zapasowych nie istnieje"
+ },
+ "vs/workbench/contrib/userDataSync/browser/userDataSync.contribution": {
+ "operationId": "Identyfikator operacji: {0}",
+ "too many requests": "Wyłączono ustawienia synchronizowania na tym urządzeniu, ponieważ powoduje to tworzenie zbyt wielu żądań."
+ },
+ "vs/workbench/contrib/userDataSync/browser/userDataSync": {
+ "turn on sync with category": "{0}: Włącz...",
+ "stop sync": "{0}: Wyłącz",
+ "configure sync": "{0}: Konfiguruj...",
+ "showConflicts": "{0}: Pokaż konflikty ustawień",
+ "showKeybindingsConflicts": "{0}: Pokaż konflikty powiązań klawiszy",
+ "showSnippetsConflicts": "{0}: Pokaż konflikty fragmentów użytkowników",
+ "sync now": "{0}: Synchronizuj teraz",
+ "syncing": "synchronizowanie",
+ "synced with time": "zsynchronizowano {0}",
+ "sync settings": "{0}: Pokaż ustawienia",
+ "show synced data": "{0}: Pokaż synchronizowane dane",
+ "conflicts detected": "Nie można scalić z powodu konfliktów w pliku {0}. Rozwiąż je, aby kontynuować.",
+ "accept remote": "Zaakceptuj zdalne",
+ "accept local": "Zaakceptuj lokalne",
+ "show conflicts": "Pokaż konflikty",
+ "accept failed": "Wystąpił błąd podczas akceptowania zmian. Zobacz [dzienniki]({0}), aby uzyskać więcej szczegółów.",
+ "session expired": "Synchronizacja ustawień została wyłączona, ponieważ bieżąca sesja wygasła. Zaloguj się ponownie, aby włączyć synchronizację.",
+ "turn on sync": "Włącz synchronizowanie ustawień...",
+ "turned off": "Synchronizacja ustawień została wyłączona z innego urządzenia. Zaloguj się ponownie, aby włączyć synchronizację.",
+ "too large": "Wyłączono synchronizację elementu {0}, ponieważ rozmiar pliku {1} do zsynchronizowania jest większy niż {2}. Otwórz plik i zmniejsz jego rozmiar, a następnie włącz synchronizację.",
+ "error upgrade required": "Synchronizacja ustawień jest wyłączona, ponieważ bieżąca wersja ({0}, {1}) nie jest zgodna z usługą synchronizacji. Przeprowadź aktualizację przed włączeniem synchronizacji.",
+ "operationId": "Identyfikator operacji: {0}",
+ "error reset required": "Synchronizacja ustawień jest wyłączona, ponieważ dane w chmurze są starsze niż dane klienta. Przed włączeniem synchronizacji wyczyść dane w chmurze.",
+ "reset": "Wyczyść dane w chmurze...",
+ "show synced data action": "Pokaż zsynchronizowane dane",
+ "switched to insiders": "Synchronizacja ustawień korzysta teraz z oddzielnej usługi. Więcej informacji znajdziesz w [informacjach o wersji](https://code.visualstudio.com/updates/v1_48#_settings-sync).",
+ "open file": "Otwórz plik {0}",
+ "errorInvalidConfiguration": "Nie można zsynchronizować elementu {0}, ponieważ zawartość pliku jest nieprawidłowa. Otwórz plik i popraw go.",
+ "has conflicts": "{0}: Wykryto konflikty",
+ "turning on syncing": "Trwa włączanie synchronizowania ustawień...",
+ "sign in to sync": "Zaloguj się, aby zsynchronizować ustawienia",
+ "no authentication providers": "Brak dostępnych dostawców uwierzytelniania.",
+ "too large while starting sync": "Nie można włączyć synchronizacji ustawień, ponieważ rozmiar pliku {0} do synchronizowania jest większy niż {1}. Otwórz plik i zmniejsz rozmiar, a następnie włącz synchronizację",
+ "error upgrade required while starting sync": "Nie można włączyć synchronizacji ustawień, ponieważ bieżąca wersja ({0}, {1}) nie jest zgodna z usługą synchronizacji. Przeprowadź aktualizację przed włączeniem synchronizacji.",
+ "error reset required while starting sync": "Nie można włączyć synchronizacji ustawień, ponieważ dane w chmurze są starsze niż dane klienta. Przed włączeniem synchronizacji wyczyść dane w chmurze.",
+ "auth failed": "Wystąpił błąd podczas włączania synchronizacji ustawień: uwierzytelnianie nie powiodło się.",
+ "turn on failed": "Wystąpił błąd podczas włączania synchronizacji ustawień. Zobacz [dzienniki]({0}), aby uzyskać więcej szczegółów.",
+ "sync preview message": "Synchronizacja ustawień jest funkcją w wersji zapoznawczej. Przeczytaj dokumentację przed jej włączeniem.",
+ "turn on": "Włącz",
+ "open doc": "Otwórz dokumentację",
+ "cancel": "Anuluj",
+ "sign in and turn on": "Zaloguj się i włącz",
+ "configure and turn on sync detail": "Zaloguj się, aby zsynchronizować dane na urządzeniach.",
+ "per platform": "dla każdej platformy",
+ "configure sync placeholder": "Wybierz, co chcesz synchronizować",
+ "turn off sync confirmation": "Czy chcesz wyłączyć synchronizację?",
+ "turn off sync detail": "Ustawienia, powiązania klawiszy, rozszerzenia, fragmenty i stan interfejsu użytkownika nie będą już synchronizowane.",
+ "turn off": "&&Wyłącz",
+ "turn off sync everywhere": "Wyłącz synchronizację na wszystkich urządzeniach i wyczyść dane z chmury.",
+ "leftResourceName": "{0} (zdalne)",
+ "merges": "{0} (scalenia)",
+ "sideBySideLabels": "{0} ↔ {1}",
+ "sideBySideDescription": "Synchronizacja ustawień",
+ "switchSyncService.title": "{0}: wybiersz usługę",
+ "switchSyncService.description": "Upewnij się, że korzystasz z tej samej usługi synchronizacji ustawień podczas synchronizowania z wieloma środowiskami",
+ "default": "Domyślny",
+ "insiders": "Niejawni testerzy",
+ "stable": "Stabilne",
+ "global activity turn on sync": "Włącz synchronizowanie ustawień...",
+ "turnin on sync": "Trwa włączanie synchronizowania ustawień...",
+ "sign in global": "Zaloguj się, aby zsynchronizować ustawienia",
+ "sign in accounts": "Zaloguj się, aby synchronizować ustawienia (1)",
+ "resolveConflicts_global": "{0}: Pokaż konflikty ustawień (1)",
+ "resolveKeybindingsConflicts_global": "{0}: Pokaż konflikty powiązań klawiszy (1)",
+ "resolveSnippetsConflicts_global": "{0}: Pokaż konflikty fragmentów użytkownika ({1})",
+ "sync is on": "Synchronizacja ustawień jest włączona",
+ "workbench.action.showSyncRemoteBackup": "Pokaż zsynchronizowane dane",
+ "turn off failed": "Wystąpił błąd podczas wyłączania synchronizacji ustawień. Zobacz [dzienniki]({0}), aby uzyskać więcej szczegółów.",
+ "show sync log title": "{0}: Pokaż dziennik",
+ "accept merges": "Zaakceptuj scalanie",
+ "accept remote button": "Zaakceptuj &&zdalne",
+ "accept merges button": "Zaakceptuj &&scalenia",
+ "Sync accept remote": "{0}: {1}",
+ "Sync accept merges": "{0}: {1}",
+ "confirm replace and overwrite local": "Czy chcesz zaakceptować zdalny element {0} i zastąpić lokalny element {1}?",
+ "confirm replace and overwrite remote": "Czy chcesz zaakceptować scalanie i zastąpić zdalny element {0}?",
+ "update conflicts": "Nie można rozstrzygnąć konfliktów, ponieważ jest dostępna nowa wersja lokalna. Spróbuj ponownie."
+ },
+ "vs/workbench/contrib/userDataSync/browser/userDataSyncViews": {
+ "showLog": "Pokaż dziennik",
+ "configure": "Skonfiguruj...",
+ "workbench.actions.syncData.reset": "Wyczyść dane w chmurze...",
+ "merges": "Scalenia",
+ "synced machines": "Zsynchronizowane maszyny",
+ "workbench.actions.sync.editMachineName": "Edytuj nazwę",
+ "workbench.actions.sync.turnOffSyncOnMachine": "Wyłącz synchronizację ustawień",
+ "remote sync activity title": "Działanie synchronizacji (zdalne)",
+ "local sync activity title": "Działanie synchronizacji (lokalne)",
+ "workbench.actions.sync.resolveResourceRef": "Pokaż nieprzetworzone dane JSON synchronizacji",
+ "workbench.actions.sync.replaceCurrent": "Przywróć",
+ "confirm replace": "Czy chcesz zamienić bieżące dane {0} zaznaczonymi danymi?",
+ "workbench.actions.sync.compareWithLocal": "Otwórz zmiany",
+ "leftResourceName": "{0} (zdalne)",
+ "rightResourceName": "{0} (lokalne)",
+ "sideBySideLabels": "{0} ↔ {1}",
+ "sideBySideDescription": "Synchronizacja ustawień",
+ "reset": "Zresetuj zsynchronizowane dane",
+ "current": "Bieżące",
+ "no machines": "Brak maszyn",
+ "not found": "nie znaleziono maszyny o identyfikatorze: {0}",
+ "turn off sync on machine": "Czy na pewno chcesz wyłączyć synchronizację dla elementu {0}?",
+ "turn off": "&&Wyłącz",
+ "placeholder": "Podaj nazwę maszyny",
+ "valid message": "Nazwa maszyny powinna być unikatowa i niepusta"
+ },
+ "vs/workbench/contrib/userDataSync/browser/userDataSyncMergesView": {
+ "explanation": "Przejrzyj każdy wpis i wykonaj scalanie, aby włączyć synchronizację.",
+ "turn on sync": "Włącz synchronizowanie ustawień",
+ "cancel": "Anuluj",
+ "workbench.actions.sync.acceptRemote": "Zaakceptuj zdalne",
+ "workbench.actions.sync.acceptLocal": "Zaakceptuj lokalne",
+ "workbench.actions.sync.merge": "Scal",
+ "workbench.actions.sync.discard": "Odrzuć",
+ "workbench.actions.sync.showChanges": "Otwórz zmiany",
+ "conflicts detected": "Wykryto konflikty",
+ "resolve": "Nie można scalić z powodu konfliktów. Rozwiąż je, aby kontynuować.",
+ "turning on": "Trwa włączanie...",
+ "preview": "{0} (wersja zapoznawcza)",
+ "leftResourceName": "{0} (zdalne)",
+ "merges": "{0} (scalenia)",
+ "rightResourceName": "{0} (lokalne)",
+ "sideBySideLabels": "{0} ↔ {1}",
+ "sideBySideDescription": "Synchronizacja ustawień",
+ "label": "UserDataSyncResources",
+ "conflict": "Wykryto konflikty",
+ "accepted": "Zaakceptowano",
+ "accept remote": "Zaakceptuj zdalne",
+ "accept local": "Zaakceptuj lokalne",
+ "accept merges": "Zaakceptuj scalanie"
+ },
+ "vs/workbench/contrib/views/browser/treeView": {
+ "no-dataprovider": "Brak zarejestrowanego dostawcy danych, który może dostarczać dane widoku.",
+ "refresh": "Odśwież",
+ "collapseAll": "Zwiń wszystko",
+ "command-error": "Błąd podczas uruchamiania polecenia {1}: {0}. Prawdopodobnie jest on spowodowany przez rozszerzenie dodające element {1}."
+ },
+ "vs/workbench/contrib/watermark/browser/watermark": {
+ "watermark.showCommands": "Pokaż wszystkie polecenia",
+ "watermark.quickAccess": "Przejdź do pliku",
+ "watermark.openFile": "Otwórz plik",
+ "watermark.openFolder": "Otwórz folder",
+ "watermark.openFileFolder": "Otwórz plik lub folder",
+ "watermark.openRecent": "Otwórz ostatnie",
+ "watermark.newUntitledFile": "Nowy plik bez tytułu",
+ "watermark.toggleTerminal": "Przełącz terminal",
+ "watermark.findInFiles": "Znajdź w plikach",
+ "watermark.startDebugging": "Rozpocznij debugowanie",
+ "tips.enabled": "W przypadku włączenia porady dotyczące znaku wodnego będą wyświetlane, gdy nie będzie otwarty żaden edytor."
+ },
+ "vs/workbench/contrib/webview/electron-browser/webviewCommands": {
+ "openToolsLabel": "Otwórz narzędzia deweloperskie WebView"
+ },
+ "vs/workbench/contrib/webview/browser/baseWebviewElement": {
+ "fatalErrorMessage": "Błąd podczas ładowania widoku internetowego: {0}"
+ },
+ "vs/workbench/contrib/webviewPanel/browser/webviewPanel.contribution": {
+ "webview.editor.label": "edytor widoku internetowego"
+ },
+ "vs/workbench/contrib/webviewPanel/browser/webviewCommands": {
+ "editor.action.webvieweditor.showFind": "Pokaż znajdowanie",
+ "editor.action.webvieweditor.hideFind": "Zatrzymaj znajdowanie",
+ "editor.action.webvieweditor.findNext": "Znajdź następny",
+ "editor.action.webvieweditor.findPrevious": "Znajdź poprzedni",
+ "refreshWebviewLabel": "Załaduj ponownie widoki internetowe"
+ },
+ "vs/workbench/contrib/welcome/overlay/browser/welcomeOverlay": {
+ "welcomeOverlay.explorer": "Eksplorator plików",
+ "welcomeOverlay.search": "Wyszukaj w plikach",
+ "welcomeOverlay.git": "Zarządzanie kodem źródłowym",
+ "welcomeOverlay.debug": "Uruchom i debuguj",
+ "welcomeOverlay.extensions": "Zarządzaj rozszerzeniami",
+ "welcomeOverlay.problems": "Wyświetl błędy i ostrzeżenia",
+ "welcomeOverlay.terminal": "Przełącz zintegrowany terminal",
+ "welcomeOverlay.commandPalette": "Znajdź i uruchom wszystkie polecenia",
+ "welcomeOverlay.notifications": "Pokaż powiadomienia",
+ "welcomeOverlay": "Omówienie interfejsu użytkownika",
+ "hideWelcomeOverlay": "Ukryj przegląd interfejsu"
+ },
+ "vs/workbench/contrib/welcome/page/browser/welcomePage.contribution": {
+ "workbench.startupEditor.none": "Uruchom bez edytora.",
+ "workbench.startupEditor.welcomePage": "Otwórz stronę powitalną (domyślne).",
+ "workbench.startupEditor.readme": "Otwórz plik README w przypadku otwierania folderu zawierającego taki plik. W przeciwnym razie wróć do strony „welcomePage”.",
+ "workbench.startupEditor.newUntitledFile": "Otwórz nowy plik bez tytułu (dotyczy tylko otwierania pustego obszaru roboczego).",
+ "workbench.startupEditor.welcomePageInEmptyWorkbench": "Otwórz stronę powitalną przy otwieraniu pustego środowiska roboczego.",
+ "workbench.startupEditor.gettingStarted": "Otwórz stronę Wprowadzenie (eksperymentalną).",
+ "workbench.startupEditor": "Określa, czy edytor jest wyświetlany przy uruchamianiu, jeśli żadnego edytora nie przywrócono z poprzedniej sesji.",
+ "miWelcome": "&&Zapraszamy"
+ },
+ "vs/workbench/contrib/welcome/gettingStarted/browser/gettingStarted.contribution": {
+ "Getting Started": "Wprowadzenie",
+ "help": "Pomoc",
+ "gettingStartedDescription": "Włącza eksperymentalną stronę wprowadzenia dostępną za pośrednictwem menu Pomoc."
+ },
+ "vs/workbench/contrib/welcome/walkThrough/browser/walkThrough.contribution": {
+ "walkThrough.editor.label": "Interaktywny plac zabaw",
+ "miInteractivePlayground": "I&&nterakcyjne środowisko testowe"
+ },
+ "vs/workbench/contrib/welcome/page/browser/welcomePage": {
+ "welcomePage": "Witamy",
+ "welcomePage.javaScript": "JavaScript",
+ "welcomePage.python": "Python",
+ "welcomePage.java": "Java",
+ "welcomePage.php": "PHP",
+ "welcomePage.azure": "Azure",
+ "welcomePage.showAzureExtensions": "Pokaż rozszerzenia platformy Azure",
+ "welcomePage.docker": "Docker",
+ "welcomePage.vim": "Vim",
+ "welcomePage.sublime": "Sublime",
+ "welcomePage.atom": "Atom",
+ "welcomePage.extensionPackAlreadyInstalled": "Obsługa {0} jest już zainstalowana.",
+ "welcomePage.willReloadAfterInstallingExtensionPack": "Okno zostanie ponownie załadowane po zainstalowaniu dodatkowej obsługi dla elementu {0}.",
+ "welcomePage.installingExtensionPack": "Trwa instalowanie dodatkowej obsługi dla: {0}...",
+ "welcomePage.extensionPackNotFound": "Nie można odnaleźć obsługi {0} o identyfikatorze {1}.",
+ "welcomePage.keymapAlreadyInstalled": "Skróty klawiszowe {0} są już zainstalowane.",
+ "welcomePage.willReloadAfterInstallingKeymap": "Okno zostanie ponownie załadowane po zainstalowaniu skrótów klawiaturowych {0}.",
+ "welcomePage.installingKeymap": "Trwa instalowanie skrótów klawiaturowych {0}...",
+ "welcomePage.keymapNotFound": "Nie można odnaleźć skrótów klawiszowych {0} o identyfikatorze {1}.",
+ "welcome.title": "Witamy",
+ "welcomePage.openFolderWithPath": "Otwórz folder {0} ze ścieżką {1}",
+ "welcomePage.extensionListSeparator": ", ",
+ "welcomePage.installKeymap": "Zainstaluj mapowanie klawiszy {0}",
+ "welcomePage.installExtensionPack": "Zainstaluj dodatkową obsługę dla: {0}",
+ "welcomePage.installedKeymap": "Mapa klawiszy {0} jest już zainstalowana",
+ "welcomePage.installedExtensionPack": "Obsługa elementu {0} jest już zainstalowana",
+ "ok": "OK",
+ "details": "Szczegóły"
+ },
+ "vs/workbench/contrib/welcome/gettingStarted/browser/gettingStarted": {
+ "editorGettingStarted.title": "Wprowadzenie",
+ "next": "Dalej"
+ },
+ "vs/workbench/contrib/welcome/walkThrough/browser/walkThroughPart": {
+ "walkThrough.unboundCommand": "niezwiązane",
+ "walkThrough.gitNotFound": "Wygląda na to, że narzędzie Git nie jest zainstalowane w systemie.",
+ "walkThrough.embeddedEditorBackground": "Kolor tła dla edytorów osadzonych interaktywnego placu zabaw."
+ },
+ "vs/workbench/contrib/welcome/walkThrough/browser/editor/editorWalkThrough": {
+ "editorWalkThrough.title": "Interaktywny plac zabaw",
+ "editorWalkThrough": "Interaktywny plac zabaw"
+ },
+ "vs/workbench/contrib/welcome/common/viewsWelcomeContribution": {
+ "ViewsWelcomeExtensionPoint.proposedAPI": "Kontrybucja viewsWelcome w elemencie „{0}” wymaga włączenia opcji „enableProposedApi”."
+ },
+ "vs/workbench/contrib/welcome/common/viewsWelcomeExtensionPoint": {
+ "contributes.viewsWelcome": "Dodane widoki z zawartością powitalną. Zawartość powitalna będzie wyświetlana w widokach opartych na drzewie, jeśli nie będzie żadnej konkretnej zawartości do wyświetlenia, np. jeśli w Eksploratorze plików nie ma otwartego żadnego folderu. Taka zawartość jest użyteczna jako dokumentacja wbudowana produktu, która umożliwia skierowanie użytkowników do określonych funkcji zanim staną się one dostępne. Dobrym przykładem jest przycisk „Klonuj repozytorium” w widoku powitalnym Eksploratora plików.",
+ "contributes.viewsWelcome.view": "Dodana zawartość powitalna dla określonego widoku.",
+ "contributes.viewsWelcome.view.view": "Identyfikator widoku docelowego dla tej zawartości powitalnej. Obsługiwane są tylko widoki oparte na drzewie.",
+ "contributes.viewsWelcome.view.contents": "Zawartość powitania do wyświetlenia. Format zawartości to podzbiór kodu Markdown z obsługą wyłącznie linków.",
+ "contributes.viewsWelcome.view.when": "Warunek wyświetlenia zawartości powitalnej.",
+ "contributes.viewsWelcome.view.group": "Grupa, do której należy ta zawartość powitalna.",
+ "contributes.viewsWelcome.view.enablement": "Warunek włączenia przycisków zawartości powitalnej."
+ },
+ "vs/workbench/contrib/welcome/telemetryOptOut/browser/telemetryOptOut": {
+ "telemetryOptOut.optOutNotice": "Pomóż ulepszać program VS Code, zezwalając firmie Microsoft na zbieranie danych użycia. Przeczytaj nasze [oświadczenie o ochronie prywatności]({0}) i dowiedz się, jak [zrezygnować]({1}).",
+ "telemetryOptOut.optInNotice": "Pomóż ulepszać program VS Code, zezwalając firmie Microsoft na zbieranie danych użycia. Przeczytaj nasze [oświadczenie o ochronie prywatności]({0}) i dowiedz się, jak [wyrazić zgodę]({1}).",
+ "telemetryOptOut.readMore": "Przeczytaj więcej",
+ "telemetryOptOut.optOutOption": "Pomóż firmie Microsoft ulepszyć program Visual Studio Code, wyrażając zgodę na zbieranie danych użycia. Zapoznaj się z naszym [oświadczeniem o ochronie prywatności]({0}), aby uzyskać więcej szczegółów.",
+ "telemetryOptOut.OptIn": "Tak, ciesz się, że mogę pomóc",
+ "telemetryOptOut.OptOut": "Nie, dziękuję"
+ },
+ "vs/workbench/contrib/welcome/page/browser/welcomePageColors": {
+ "welcomePage.buttonBackground": "Kolor tła przycisków na stronie powitalnej.",
+ "welcomePage.buttonHoverBackground": "Kolor tła przycisków po zatrzymaniu na nich wskaźnika myszy na stronie powitalnej.",
+ "welcomePage.background": "Kolor tła strony powitalnej."
+ },
+ "vs/workbench/contrib/welcome/page/browser/vs_code_welcome_page": {
+ "welcomePage.vscode": "Visual Studio Code",
+ "welcomePage.editingEvolved": "Edycja przeszła ewolucję",
+ "welcomePage.start": "Uruchom",
+ "welcomePage.newFile": "Nowy plik",
+ "welcomePage.openFolder": "Otwórz folder...",
+ "welcomePage.gitClone": "klonuj repozytorium...",
+ "welcomePage.recent": "Ostatnie",
+ "welcomePage.moreRecent": "Więcej...",
+ "welcomePage.noRecentFolders": "Brak ostatnio używanych folderów",
+ "welcomePage.help": "Pomoc",
+ "welcomePage.keybindingsCheatsheet": "Ściągawka skrótów klawiszowych do wydrukowania",
+ "welcomePage.introductoryVideos": "Filmy wprowadzające",
+ "welcomePage.tipsAndTricks": "Porady i wskazówki",
+ "welcomePage.productDocumentation": "Dokumentacja produktu",
+ "welcomePage.gitHubRepository": "Repozytorium GitHub",
+ "welcomePage.stackOverflow": "Stack Overflow",
+ "welcomePage.newsletterSignup": "Subskrybuj nasz biuletyn",
+ "welcomePage.showOnStartup": "Pokaż stronę powitalną przy uruchamianiu",
+ "welcomePage.customize": "Dostosuj",
+ "welcomePage.installExtensionPacks": "Narzędzia i języki",
+ "welcomePage.installExtensionPacksDescription": "Zainstaluj obsługę dla: {0} i {1}",
+ "welcomePage.showLanguageExtensions": "Pokaż więcej rozszerzeń języka",
+ "welcomePage.moreExtensions": "więcej",
+ "welcomePage.installKeymapDescription": "Ustawienia i powiązania klawiszy",
+ "welcomePage.installKeymapExtension": "Zainstaluj ustawienia i skróty klawiaturowe: {0} i {1}",
+ "welcomePage.showKeymapExtensions": "Pokaż inne rozszerzenia mapy klawiszy",
+ "welcomePage.others": "inne",
+ "welcomePage.colorTheme": "Motyw kolorów",
+ "welcomePage.colorThemeDescription": "Dostosuj wygląd edytora i kodu do swoich upodobań",
+ "welcomePage.learn": "Dowiedz się więcej",
+ "welcomePage.showCommands": "Znajdź i uruchom wszystkie polecenia",
+ "welcomePage.showCommandsDescription": "Szybko uzyskuj dostęp do poleceń i wyszukuj je za pomocą palety poleceń ({0})",
+ "welcomePage.interfaceOverview": "Przegląd interfejsu",
+ "welcomePage.interfaceOverviewDescription": "Uzyskaj wizualną nakładkę z wyróżnieniem głównych składników interfejsu użytkownika",
+ "welcomePage.interactivePlayground": "Interakcyjne środowisko testowe",
+ "welcomePage.interactivePlaygroundDescription": "Wypróbuj najważniejsze funkcje edytora w krótkim instruktażu"
+ },
+ "vs/workbench/contrib/welcome/gettingStarted/browser/vs_code_editor_getting_started": {
+ "gettingStarted.vscode": "Visual Studio Code",
+ "gettingStarted.editingRedefined": "Edycja kodu. Zdefiniowana od nowa"
+ },
+ "vs/workbench/contrib/workspaces/browser/workspaces.contribution": {
+ "workspaceFound": "Ten folder zawiera plik obszaru roboczego „{0}”. Czy chcesz go otworzyć? [Dowiedz się więcej]({1}) o plikach obszaru roboczego.",
+ "openWorkspace": "Otwórz obszar roboczy",
+ "workspacesFound": "Ten folder zawiera wiele plików obszaru roboczego. Czy chcesz otworzyć jeden z nich? [Dowiedz się więcej]({0}) o plikach obszaru roboczego.",
+ "selectWorkspace": "Wybierz obszar roboczy",
+ "selectToOpen": "Wybierz obszar roboczy do otwarcia"
+ },
+ "vs/workbench/services/authentication/browser/authenticationService": {
+ "authentication.id": "Identyfikator dostawcy uwierzytelniania.",
+ "authentication.label": "Czytelna dla człowieka nazwa dostawcy uwierzytelniania.",
+ "authenticationExtensionPoint": "Dodaje uwierzytelnianie",
+ "loading": "Trwa ładowanie...",
+ "authentication.missingId": "Kontrybucja uwierzytelniania musi określać identyfikator.",
+ "authentication.missingLabel": "Kontrybucja uwierzytelniania musi określać etykietę.",
+ "authentication.idConflict": "Ten identyfikator uwierzytelniania „{0}\" został już zarejestrowany",
+ "noAccounts": "Nie zalogowano się do żadnych kont",
+ "sign in": "Zażądano logowania",
+ "signInRequest": "Zaloguj się, aby używać rozszerzenia {0} (1)"
+ },
+ "vs/workbench/services/bulkEdit/browser/bulkEditService": {
+ "summary.0": "Nie dokonano edycji",
+ "summary.nm": "Wprowadzono modyfikacje tekstu ({0}) w {1} plikach",
+ "summary.n0": "Wprowadzono modyfikacje tekstu ({0}) w jednym pliku",
+ "workspaceEdit": "Edycja obszaru roboczego",
+ "nothing": "Nie dokonano edycji"
+ },
+ "vs/workbench/services/configuration/common/jsonEditingService": {
+ "errorInvalidFile": "Nie można zapisać pliku. Otwórz plik, aby poprawić w nim błędy/ostrzeżenia, a następnie spróbuj ponownie.",
+ "errorFileDirty": "Nie można zapisać pliku, ponieważ plik jest zanieczyszczony. Zapisz plik i spróbuj ponownie."
+ },
+ "vs/workbench/services/configuration/common/configurationEditingService": {
+ "openTasksConfiguration": "Otwórz konfigurację zadań",
+ "openLaunchConfiguration": "Otwórz konfigurację uruchamiania",
+ "open": "Otwórz ustawienia",
+ "saveAndRetry": "Zapisz i spróbuj ponownie",
+ "errorUnknownKey": "Nie można zapisać zasobu {0}, ponieważ element {1} nie jest zarejestrowaną konfiguracją.",
+ "errorInvalidWorkspaceConfigurationApplication": "Nie można zapisać elementu {0} w ustawieniach obszaru roboczego. To ustawienie można zapisać tylko w ustawieniach użytkownika.",
+ "errorInvalidWorkspaceConfigurationMachine": "Nie można zapisać elementu {0} w ustawieniach obszaru roboczego. To ustawienie można zapisać tylko w ustawieniach użytkownika.",
+ "errorInvalidFolderConfiguration": "Nie można zapisać ustawień folderu, ponieważ element {0} nie obsługuje zakresu zasobów folderu.",
+ "errorInvalidUserTarget": "Nie można zapisać ustawień użytkownika, ponieważ element {0} nie obsługuje zakresu globalnego.",
+ "errorInvalidWorkspaceTarget": "Nie można zapisać ustawień obszaru roboczego, ponieważ element {0} nie obsługuje zakresu obszaru roboczego w obszarze roboczym z wieloma folderami.",
+ "errorInvalidFolderTarget": "Nie można zapisać ustawień folderu, ponieważ nie podano żadnego zasobu.",
+ "errorInvalidResourceLanguageConfiguraiton": "Nie można zapisać ustawień języka, ponieważ element {0} nie jest ustawieniem języka zasobu.",
+ "errorNoWorkspaceOpened": "Nie można zapisać zasobu {0}, ponieważ nie otwarto żadnego obszaru roboczego. Otwórz najpierw obszar roboczy i spróbuj ponownie.",
+ "errorInvalidTaskConfiguration": "Nie można zapisać pliku konfiguracji zadań. Otwórz go, aby poprawić błędy/ostrzeżenia, a następnie spróbuj ponownie.",
+ "errorInvalidLaunchConfiguration": "Nie można zapisać pliku konfiguracji uruchamiania. Otwórz go, aby poprawić błędy/ostrzeżenia, a następnie spróbuj ponownie.",
+ "errorInvalidConfiguration": "Nie można zapisać ustawień użytkownika. Otwórz ustawienia użytkownika, aby poprawić błędy/ostrzeżenia, a następnie spróbuj ponownie.",
+ "errorInvalidRemoteConfiguration": "Nie można zapisać ustawień użytkownika zdalnego. Otwórz ustawienia użytkownika zdalnego, aby poprawić błędy/ostrzeżenia, a następnie spróbuj ponownie.",
+ "errorInvalidConfigurationWorkspace": "Nie można zapisać ustawień obszaru roboczego. Otwórz ustawienia obszaru roboczego, aby poprawić błędy/ostrzeżenia w pliku, a następnie spróbuj ponownie.",
+ "errorInvalidConfigurationFolder": "Nie można zapisać ustawień folderu. Otwórz ustawienia folderu „{0}”, aby poprawić błędy/ostrzeżenia, a następnie spróbuj ponownie.",
+ "errorTasksConfigurationFileDirty": "Nie można zapisać pliku konfiguracji zadań, ponieważ plik jest zanieczyszczony. Zapisz go najpierw, a następnie spróbuj ponownie.",
+ "errorLaunchConfigurationFileDirty": "Nie można zapisać pliku konfiguracji uruchamiania, ponieważ plik jest zanieczyszczony. Zapisz go najpierw, a następnie spróbuj ponownie.",
+ "errorConfigurationFileDirty": "Nie można zapisać ustawień użytkownika, ponieważ plik jest zanieczyszczony. Zapisz najpierw plik ustawień użytkownika, a następnie spróbuj ponownie.",
+ "errorRemoteConfigurationFileDirty": "Nie można zapisać ustawień użytkownika zdalnego, ponieważ plik jest zanieczyszczony. Zapisz najpierw plik ustawień użytkownika zdalnego, a następnie spróbuj ponownie.",
+ "errorConfigurationFileDirtyWorkspace": "Nie można zapisać ustawień obszaru roboczego, ponieważ plik jest zanieczyszczony. Zapisz najpierw plik ustawień obszaru roboczego, a następnie spróbuj ponownie.",
+ "errorConfigurationFileDirtyFolder": "Nie można zapisać ustawień folderu, ponieważ plik jest zanieczyszczony. Zapisz najpierw plik ustawień folderu „{0}”, a następnie spróbuj ponownie.",
+ "errorTasksConfigurationFileModifiedSince": "Nie można zapisać pliku konfiguracji zadań, ponieważ zawartość pliku jest nowsza.",
+ "errorLaunchConfigurationFileModifiedSince": "Nie można zapisać pliku konfiguracji uruchamiania, ponieważ zawartość pliku jest nowsza.",
+ "errorConfigurationFileModifiedSince": "Nie można zapisać ustawień użytkownika, ponieważ zawartość pliku jest nowsza.",
+ "errorRemoteConfigurationFileModifiedSince": "Nie można zapisać ustawień zdalnego użytkownika, ponieważ zawartość pliku jest nowsza.",
+ "errorConfigurationFileModifiedSinceWorkspace": "Nie można zapisać ustawień obszaru roboczego, ponieważ zawartość pliku jest nowsza.",
+ "errorConfigurationFileModifiedSinceFolder": "Nie można zapisać ustawień folderu, ponieważ zawartość pliku jest nowsza.",
+ "userTarget": "Ustawienia użytkownika",
+ "remoteUserTarget": "Ustawienia użytkownika zdalnego",
+ "workspaceTarget": "Ustawienia obszaru roboczego",
+ "folderTarget": "Ustawienia folderu"
+ },
+ "vs/workbench/services/configurationResolver/browser/configurationResolverService": {
+ "commandVariable.noStringType": "Nie można podstawić zmiennej polecenia „{0}”, ponieważ polecenie nie zwróciło wyniku, którego typ to ciąg.",
+ "inputVariable.noInputSection": "Zmienna „{0}” musi być zdefiniowana w sekcji „{1}” konfiguracji debugowania lub zadań.",
+ "inputVariable.missingAttribute": "Zmienna wejściowa „{0}” ma typ „{1}” i musi zawierać „{2}”.",
+ "inputVariable.defaultInputValue": "(Domyślne)",
+ "inputVariable.command.noStringType": "Nie można podstawić zmiennej wejściowej „{0}”, ponieważ polecenie „{1}” nie zwróciło wyniku, którego typ to ciąg.",
+ "inputVariable.unknownType": "Zmienna wejściowa „{0}” może mieć tylko typ „promptString”, „pickString” lub „command”.",
+ "inputVariable.undefinedVariable": "Napotkano niezdefiniowaną zmienną wejściową „{0}”. Usuń lub zdefiniuj zmienną wejściową „{0}”, aby kontynuować."
+ },
+ "vs/workbench/services/configurationResolver/common/variableResolver": {
+ "canNotResolveFile": "Nie można rozpoznać zmiennej {0}. Otwórz edytor.",
+ "canNotResolveFolderForFile": "Zmienna {0}: nie można odnaleźć folderu obszaru roboczego — „{1}”.",
+ "canNotFindFolder": "Nie można rozpoznać zmiennej {0}. Folder „{1}” nie istnieje.",
+ "canNotResolveWorkspaceFolderMultiRoot": "Nie można rozpoznać zmiennej {0} w obszarze roboczym z wieloma folderami. Określ zakres tej zmiennej przy użyciu znaku „:” i nazwy folderu obszaru roboczego.",
+ "canNotResolveWorkspaceFolder": "Nie można rozpoznać zmiennej {0}. Otwórz folder.",
+ "missingEnvVarName": "Nie można rozpoznać zmiennej {0}, ponieważ nie podano nazwy zmiennej środowiskowej.",
+ "configNotFound": "Nie można rozpoznać zmiennej {0}, ponieważ nie znaleziono ustawienia „{1}”.",
+ "configNoString": "Nie można rozpoznać zmiennej {0}, ponieważ element „{1}” jest wartością strukturalną.",
+ "missingConfigName": "Nie można rozpoznać zmiennej {0}, ponieważ nie podano nazwy ustawień.",
+ "canNotResolveLineNumber": "Nie można rozpoznać zmiennej {0}. Upewnij się, że został zaznaczony wiersz w aktywnym edytorze.",
+ "canNotResolveSelectedText": "Nie można rozpoznać zmiennej {0}. Upewnij się, że został zaznaczony tekst w aktywnym edytorze.",
+ "noValueForCommand": "Nie można rozpoznać zmiennej {0}, ponieważ polecenie nie ma wartości."
+ },
+ "vs/workbench/services/configurationResolver/common/configurationResolverUtils": {
+ "deprecatedVariables": "Wartości „env.”, „config.” i „command.” są przestarzałe, użyj zamiast nich wartości „env:”, „config:” i „command:”."
+ },
+ "vs/workbench/services/configurationResolver/common/configurationResolverSchema": {
+ "JsonSchema.input.id": "Identyfikator danych wejściowych służy do kojarzenia danych wejściowych ze zmienną w postaci ${dane_wejściowe:identyfikator}.",
+ "JsonSchema.input.type": "Typ monitu o wprowadzenie danych przez użytkownika, który ma zostać użyty.",
+ "JsonSchema.input.description": "Opis jest wyświetlany, gdy użytkownik jest monitowany o dane wejściowe.",
+ "JsonSchema.input.default": "Wartość domyślna dla danych wejściowych.",
+ "JsonSchema.inputs": "Dane wejściowe użytkownika. Używane do definiowania monitów dotyczących wprowadzania danych przez użytkownika, takich jak dane wejściowe w postaci dowolnego ciągu lub wybór z kilku opcji.",
+ "JsonSchema.input.type.promptString": "Typ „promptString” otwiera pole wejściowe, aby pytać użytkownika o dane wejściowe.",
+ "JsonSchema.input.password": "Określa, czy dane wejściowe hasła są wyświetlane. Dane wejściowe hasła ukrywają wpisywany tekst.",
+ "JsonSchema.input.type.pickString": "Typ „pickString” powoduje wyświetlenie listy wyboru.",
+ "JsonSchema.input.options": "Tablica ciągów definiująca opcje szybkiego wyboru.",
+ "JsonSchema.input.pickString.optionLabel": "Etykieta opcji.",
+ "JsonSchema.input.pickString.optionValue": "Wartość opcji.",
+ "JsonSchema.input.type.command": "Typ „command” wykonujący polecenie.",
+ "JsonSchema.input.command.command": "Polecenie do wykonania dla tej zmiennej wejściowej.",
+ "JsonSchema.input.command.args": "Opcjonalne argumenty przekazywane do polecenia."
+ },
+ "vs/workbench/services/decorations/browser/decorationsService": {
+ "bubbleTitle": "Zawiera wyróżnione elementy"
+ },
+ "vs/workbench/services/dialogs/browser/abstractFileDialogService": {
+ "saveChangesDetail": "Twoje zmiany zostaną utracone, jeśli ich nie zapiszesz.",
+ "saveChangesMessage": "Czy chcesz zapisać zmiany wprowadzone w elemencie {0}?",
+ "saveChangesMessages": "Czy chcesz zapisać zmiany w następujących {0} plikach?",
+ "saveAll": "&&Zapisz wszystko",
+ "save": "&&Zapisz",
+ "dontSave": "&&Nie zapisuj",
+ "cancel": "Anuluj",
+ "openFileOrFolder.title": "Otwórz plik lub folder",
+ "openFile.title": "Otwórz plik",
+ "openFolder.title": "Otwórz folder",
+ "openWorkspace.title": "Otwórz obszar roboczy",
+ "filterName.workspace": "Obszar roboczy",
+ "saveFileAs.title": "Zapisz jako",
+ "saveAsTitle": "Zapisz jako",
+ "allFiles": "Wszystkie pliki",
+ "noExt": "Brak rozszerzeń"
+ },
+ "vs/workbench/services/dialogs/browser/simpleFileDialog": {
+ "openLocalFile": "Otwórz plik lokalny...",
+ "saveLocalFile": "Zapisz plik lokalny...",
+ "openLocalFolder": "Otwórz folder lokalny...",
+ "openLocalFileFolder": "Otwórz lokalny...",
+ "remoteFileDialog.notConnectedToRemote": "Dostawca systemu plików dla: {0} jest niedostępny.",
+ "remoteFileDialog.local": "Pokaż lokalne",
+ "remoteFileDialog.badPath": "Ścieżka nie istnieje.",
+ "remoteFileDialog.cancel": "Anuluj",
+ "remoteFileDialog.invalidPath": "Wprowadź prawidłową ścieżkę",
+ "remoteFileDialog.validateFolder": "Folder już istnieje. Użyj nowej nazwy pliku.",
+ "remoteFileDialog.validateExisting": "Plik {0} już istnieje. Czy na pewno chcesz go zastąpić?",
+ "remoteFileDialog.validateBadFilename": "Wprowadź prawidłową nazwę pliku.",
+ "remoteFileDialog.validateNonexistentDir": "Wprowadź ścieżkę, która istnieje.",
+ "remoteFileDialog.windowsDriveLetter": "Wpisz ścieżkę z literą dysku na początku.",
+ "remoteFileDialog.validateFileOnly": "Wybierz plik.",
+ "remoteFileDialog.validateFolderOnly": "Wybierz folder."
+ },
+ "vs/workbench/services/editor/browser/editorService": {
+ "editorAssociations.viewType.sourceDescription": "Źródło: {0}"
+ },
+ "vs/workbench/services/editor/common/editorOpenWith": {
+ "promptOpenWith.currentlyActive": "Obecnie aktywne",
+ "promptOpenWith.setDefaultTooltip": "Ustaw jako edytor domyślny dla plików „{0}”",
+ "promptOpenWith.placeHolder": "Wybierz edytor dla elementu „{0}”",
+ "builtinProviderDisplayName": "Wbudowane",
+ "promptOpenWith.defaultEditor.displayName": "Edytor tekstu",
+ "editor.editorAssociations": "Konfiguruj edytor do użycia dla określonych typów pliku.",
+ "editor.editorAssociations.viewType": "Unikatowy identyfikator edytora, który ma zostać użyty.",
+ "editor.editorAssociations.filenamePattern": "Wzorzec globalny określający pliki, dla których powinien być używany edytor."
+ },
+ "vs/workbench/services/extensionManagement/electron-browser/extensionManagementServerService": {
+ "local": "Lokalne",
+ "remote": "Zdalne"
+ },
+ "vs/workbench/services/extensionManagement/electron-sandbox/remoteExtensionManagementService": {
+ "incompatible": "Nie można zainstalować rozszerzenia „{0}”, ponieważ nie jest ono zgodne z programem VS Code „{1}”."
+ },
+ "vs/workbench/services/extensionManagement/common/webExtensionsScannerService": {
+ "cannot be installed": "Nie można zainstalować elementu „{0}”, ponieważ to rozszerzenie nie jest rozszerzeniem internetowym."
+ },
+ "vs/workbench/services/extensionManagement/browser/extensionEnablementService": {
+ "extensionsDisabled": "Wszystkie zainstalowane rozszerzenia są tymczasowo wyłączone.",
+ "Reload": "Załaduj ponownie i włącz rozszerzenia",
+ "cannot disable language pack extension": "Nie można zmienić włączenia rozszerzenia {0}, ponieważ wnosi ono pakiety językowe.",
+ "cannot disable auth extension": "Nie można zmienić włączenia rozszerzenia {0}, ponieważ zależy od niego synchronizacja ustawień.",
+ "noWorkspace": "Brak obszaru roboczego.",
+ "cannot disable auth extension in workspace": "Nie można zmienić włączenia rozszerzenia {0} w obszarze roboczym, ponieważ wnosi ono dostawców uwierzytelniania"
+ },
+ "vs/workbench/services/extensionManagement/common/extensionManagementService": {
+ "singleDependentError": "Nie można odinstalować rozszerzenia „{0}”. Rozszerzenie „{1}” jest od niego zależne.",
+ "twoDependentsError": "Nie można odinstalować rozszerzenia „{0}”. Rozszerzenia „{1}” i „{2}” są od niego zależne.",
+ "multipleDependentsError": "Nie można odinstalować rozszerzenia „{0}”. Rozszerzenia „{1}”, „{2}” i inne są od niego zależne.",
+ "Manifest is not found": "Instalowanie rozszerzenia {0} nie powiodło się: nie znaleziono manifestu.",
+ "cannot be installed": "Nie można zainstalować elementu „{0}”, ponieważ to rozszerzenie zdefiniowało, że nie można go uruchomić na serwerze zdalnym.",
+ "cannot be installed on web": "Nie można zainstalować elementu „{0}”, ponieważ to rozszerzenie zdefiniowało, że nie można go uruchomić na serwerze internetowym.",
+ "install extension": "Zainstaluj rozszerzenie",
+ "install extensions": "Zainstaluj rozszerzenia",
+ "install": "Zainstaluj",
+ "install and do no sync": "Zainstaluj (nie synchronizuj)",
+ "cancel": "Anuluj",
+ "install single extension": "Czy chcesz zainstalować i zsynchronizować rozszerzenie „{0}” na urządzeniach?",
+ "install multiple extensions": "Czy chcesz zainstalować i zsynchronizować rozszerzenia na urządzeniach?"
+ },
+ "vs/workbench/services/extensionManagement/browser/extensionBisect": {
+ "bisect": "Operacja bisect dla rozszerzeń jest aktywna i spowodowała wyłączenie {0} rozszerzeń. Sprawdź, czy nadal możesz odtworzyć ten problem, i kontynuuj, dokonując wyboru spośród tych opcji.",
+ "title.start": "Rozpocznij operację bisect dla rozszerzeń",
+ "help": "Pomoc",
+ "msg.start": "Operacja bisect dla rozszerzeń",
+ "detail.start": "Operacja bisect dla rozszerzeń użyje wyszukiwania binarnego do znalezienia rozszerzenia powodującego problem. W trakcie tego procesu okno jest wielokrotnie ładowane ponownie (~{0} razy). Za każdym razem musisz potwierdzić, czy nadal widzisz problemy.",
+ "msg2": "Rozpocznij operację bisect dla rozszerzeń",
+ "title.isBad": "Kontynuuj operację bisect dla rozszerzeń",
+ "done.msg": "Operacja bisect dla rozszerzeń",
+ "done.detail2": "Operacja bisect dla rozszerzeń została wykonana, ale nie zidentyfikowano żadnego rozszerzenia. Może to być problem z: {0}.",
+ "report": "Zgłoś problem i kontynuuj",
+ "done": "Kontynuuj",
+ "done.detail": "Operacja bisect dla rozszerzeń została wykonana. Zidentyfikowano {0} jako rozszerzenie powodujące problem.",
+ "done.disbale": "Pozostaw to rozszerzenie wyłączone",
+ "msg.next": "Operacja bisect dla rozszerzeń",
+ "next.good": "Teraz dobrze",
+ "next.bad": "To jest nieprawidłowe",
+ "next.stop": "Zatrzymaj operację bisect",
+ "next.cancel": "Anuluj",
+ "title.stop": "Zatrzymaj operację bisect dla rozszerzeń"
+ },
+ "vs/workbench/services/extensionRecommendations/common/workspaceExtensionsConfig": {
+ "select for remove": "Usuń rekomendację rozszerzenia z",
+ "select for add": "Dodaj rekomendację rozszerzenia do",
+ "workspace folder": "Folder obszaru roboczego",
+ "workspace": "Obszar roboczy"
+ },
+ "vs/workbench/services/extensions/electron-browser/extensionService": {
+ "extensionService.versionMismatchCrash": "Nie można uruchomić hosta rozszerzenia: niezgodność wersji.",
+ "relaunch": "Uruchom ponownie program VS Code",
+ "extensionService.crash": "Host rozszerzenia nieoczekiwanie przestał działać.",
+ "devTools": "Otwórz narzędzia deweloperskie",
+ "restart": "Uruchom ponownie hosta rozszerzenia",
+ "getEnvironmentFailure": "Nie można pobrać środowiska zdalnego",
+ "looping": "Następujące rozszerzenia zawierają pętle zależności i zostały wyłączone: {0}",
+ "enableResolver": "Rozszerzenie „{0}” jest wymagane do otwarcia okna zdalnego.\r\nCzy chcesz je włączyć?",
+ "enable": "Włącz i załaduj ponownie",
+ "installResolver": "Rozszerzenie „{0}” jest wymagane do otwarcia okna zdalnego.\r\nCzy chcesz zainstalować to rozszerzenie?",
+ "install": "Zainstaluj i załaduj ponownie",
+ "resolverExtensionNotFound": "Elementu „{0}” nie znaleziono na platformie handlowej",
+ "restartExtensionHost": "Uruchom ponownie hosta rozszerzenia"
+ },
+ "vs/workbench/services/extensions/electron-browser/cachedExtensionScanner": {
+ "overwritingExtension": "Zastępowanie rozszerzenia {0} rozszerzeniem {1}.",
+ "extensionUnderDevelopment": "Ładowanie rozszerzenia deweloperskiego w: {0}",
+ "extensionCache.invalid": "Rozszerzenia zostały zmodyfikowane na dysku. Załaduj ponownie okno.",
+ "reloadWindow": "Załaduj ponownie okno"
+ },
+ "vs/workbench/services/extensions/electron-browser/localProcessExtensionHost": {
+ "extensionHost.startupFailDebug": "Host rozszerzenia nie zaczął działać w ciągu 10 sekund. Być może został zatrzymany w pierwszym wierszu i wymaga debugera, aby kontynuować.",
+ "extensionHost.startupFail": "Host rozszerzenia nie zaczął działać w ciągu 10 sekund. Może to być problem.",
+ "reloadWindow": "Załaduj ponownie okno",
+ "extension host Log": "Host rozszerzenia",
+ "extensionHost.error": "Błąd z hosta rozszerzenia: {0}"
+ },
+ "vs/workbench/services/extensions/common/abstractExtensionService": {
+ "looping": "Następujące rozszerzenia zawierają pętle zależności i zostały wyłączone: {0}"
+ },
+ "vs/workbench/services/extensions/common/remoteExtensionHost": {
+ "remote extension host Log": "Zdalny host rozszerzeń"
+ },
+ "vs/workbench/services/extensions/browser/webWorkerExtensionHost": {
+ "name": "Host rozszerzenia procesu roboczego"
+ },
+ "vs/workbench/services/extensions/browser/extensionUrlHandler": {
+ "confirmUrl": "Zezwolić rozszerzeniu na otwarcie tego identyfikatora URI?",
+ "rememberConfirmUrl": "Nie pytaj ponownie dla tego rozszerzenia.",
+ "open": "&&Otwórz",
+ "reloadAndHandle": "Rozszerzenie „{0}” nie jest załadowane. Czy chcesz załadować ponownie okno, aby załadować rozszerzenie i otworzyć adres URL?",
+ "reloadAndOpen": "&&Załaduj ponownie okno i otwórz",
+ "enableAndHandle": "Rozszerzenie „{0}” jest wyłączone. Czy chcesz je włączyć i załadować ponownie okno, aby otworzyć adres URL?",
+ "enableAndReload": "&&Włącz i otwórz",
+ "installAndHandle": "Rozszerzenie „{0}” nie jest zainstalowane. Czy chcesz je zainstalować i załadować ponownie okno, aby otworzyć ten adres URL?",
+ "install": "&&Zainstaluj",
+ "Installing": "Trwa Instalowanie rozszerzenia „{0}”...",
+ "reload": "Czy chcesz ponownie załadować okno i otworzyć adres URL „{0}”?",
+ "Reload": "Załaduj ponownie okno i otwórz",
+ "manage": "Zarządzaj autoryzowanymi identyfikatorami URI rozszerzeń...",
+ "extensions": "Rozszerzenia",
+ "no": "Obecnie nie ma żadnych autoryzowanych identyfikatorów URI rozszerzeń."
+ },
+ "vs/workbench/services/extensions/common/extensionsRegistry": {
+ "ui": "Rodzaj rozszerzenia interfejsu użytkownika. W oknie zdalnym takie rozszerzenia są włączone tylko wtedy, gdy są dostępne na maszynie lokalnej.",
+ "workspace": "Rodzaj rozszerzenia obszaru roboczego. W oknie zdalnym takie rozszerzenia są włączone tylko wtedy, gdy są dostępne na maszynie zdalnej.",
+ "web": "Rodzaj rozszerzenia internetowego procesu roboczego. Takie rozszerzenie może być wykonywane na hoście rozszerzenia internetowego procesu roboczego.",
+ "vscode.extension.engines": "Zgodność aparatu.",
+ "vscode.extension.engines.vscode": "Dla rozszerzeń programu VS Code określa wersję tego programu, z którą jest zgodne rozszerzenie. Nie może mieć wartości *. Przykład: wartość ^0.10.5 wskazuje zgodność z programem VS Code w wersji 0.10.5 lub wyższej.",
+ "vscode.extension.publisher": "Wydawca rozszerzenia programu VS Code.",
+ "vscode.extension.displayName": "Nazwa wyświetlana rozszerzenia używana w galerii programu VS Code.",
+ "vscode.extension.categories": "Kategorie używane przez galerię programu VS Code do kategoryzowania rozszerzenia.",
+ "vscode.extension.category.languages.deprecated": "Zamiast tego użyj elementu „Programming Languages”",
+ "vscode.extension.galleryBanner": "Baner używany na platformie handlowej programu VS Code.",
+ "vscode.extension.galleryBanner.color": "Kolor transparentu w nagłówku strony platformy handlowej programu VS Code.",
+ "vscode.extension.galleryBanner.theme": "Motyw koloru dla czcionki używanej w transparencie.",
+ "vscode.extension.contributes": "Wszystkie kontrybucje rozszerzenia programu VS Code reprezentowanego przez ten pakiet.",
+ "vscode.extension.preview": "Ustawia rozszerzenie, które ma zostać oflagowane jako wersja zapoznawcza w witrynie Marketplace.",
+ "vscode.extension.activationEvents": "Zdarzenia aktywacji dla rozszerzenia programu VS Code.",
+ "vscode.extension.activationEvents.onLanguage": "Zdarzenie aktywacji emitowane za każdym razem, gdy plik rozpoznany jako należący do określonego języka jest otwierany.",
+ "vscode.extension.activationEvents.onCommand": "Zdarzenie aktywacji emitowane za każdym razem, gdy zostanie wywołane określone polecenie.",
+ "vscode.extension.activationEvents.onDebug": "Zdarzenie aktywacji emitowane za każdym razem, gdy użytkownik rozpoczyna debugowanie lub definiuje konfiguracje debugowania.",
+ "vscode.extension.activationEvents.onDebugInitialConfigurations": "Zdarzenie aktywacji emitowane za każdym razem, gdy plik „launch.json” musi zostać utworzony (i wszystkie metody provideDebugConfigurations muszą zostać wywołane).",
+ "vscode.extension.activationEvents.onDebugDynamicConfigurations": "Zdarzenie aktywacji emitowane za każdym razem, gdy jest potrzebne utworzenie listy wszystkich konfiguracji debugowania (i wszystkie metody provideDebugConfigurations dla zakresu „dynamic” muszą zostać wywołane).",
+ "vscode.extension.activationEvents.onDebugResolve": "Zdarzenie aktywacji emitowane za każdym razem, gdy sesja debugowania określonego typu zostanie uruchomiona (a odpowiadająca metoda resolveDebugConfiguration musi zostać wywołana).",
+ "vscode.extension.activationEvents.onDebugAdapterProtocolTracker": "Zdarzenie aktywacji emitowane za każdym razem, gdy sesja debugowania określonego typu ma zostać uruchomiona i monitor protokołu debugowania może być potrzebny.",
+ "vscode.extension.activationEvents.workspaceContains": "Zdarzenie aktywacji emitowane za każdym razem, gdy jest otwierany folder zawierający co najmniej jeden plik zgodny z określonym wzorcem globalnym.",
+ "vscode.extension.activationEvents.onStartupFinished": "Zdarzenie aktywacji emitowane po zakończeniu uruchamiania (po zakończeniu aktywowania wszystkich „*” aktywowanych rozszerzeń).",
+ "vscode.extension.activationEvents.onFileSystem": "Zdarzenie aktywacji emitowane za każdym razem, gdy dostęp do pliku lub folderu jest uzyskiwany przy użyciu danego schematu.",
+ "vscode.extension.activationEvents.onSearch": "Zdarzenie aktywacji emitowane za każdym razem, gdy w folderze zostanie rozpoczęte wyszukiwanie przy użyciu danego schematu.",
+ "vscode.extension.activationEvents.onView": "Zdarzenie aktywacji emitowane za każdym razem, gdy określony widok jest rozwijany.",
+ "vscode.extension.activationEvents.onIdentity": "Zdarzenie aktywacji emitowane za każdym razem, gdy określona tożsamość użytkownika.",
+ "vscode.extension.activationEvents.onUri": "Zdarzenie aktywacji emitowane za każdym razem, gdy systemowy identyfikator URI skierowany do tego rozszerzenia jest otwierany.",
+ "vscode.extension.activationEvents.onCustomEditor": "Zdarzenie aktywacji emitowane za każdym razem, gdy określony edytor niestandardowy stanie się widoczny.",
+ "vscode.extension.activationEvents.star": "Zdarzenie aktywacji emitowane przy uruchamianiu programu VS Code. Aby zapewnić doskonałe środowisko użytkownika końcowego, używaj tego zdarzenia aktywacji w swoim rozszerzeniu tylko wtedy, gdy żadna kombinacja innych zdarzeń aktywacji nie będzie działać w Twoim przypadku użycia.",
+ "vscode.extension.badges": "Tablica znaczków do wyświetlenia na pasku bocznym strony rozszerzenia w witrynie Marketplace.",
+ "vscode.extension.badges.url": "Adres URL obrazu znaczka.",
+ "vscode.extension.badges.href": "Link znaczka.",
+ "vscode.extension.badges.description": "Opis znaczka.",
+ "vscode.extension.markdown": "Określa aparat wyświetlania kodu Markdown używany w witrynie Marketplace. Wartość github (domyślna) lub standardowy.",
+ "vscode.extension.qna": "Określa link do strony pytań i odpowiedzi w witrynie Marketplace. Aby włączyć domyślną witrynę pytań i odpowiedzi witryny Marketplace, ustaw wartość marketplace. Ustaw ciąg, aby podać adres URL niestandardowej witryny pytań i odpowiedzi. Ustaw wartość false, aby całkowicie wyłączyć pytania i odpowiedzi.",
+ "vscode.extension.extensionDependencies": "Zależności od innych rozszerzeń. Identyfikator rozszerzenia to zawsze ${publisher}.${name}. Na przykład: vscode.csharp.",
+ "vscode.extension.contributes.extensionPack": "Zestaw rozszerzeń, które można zainstalować razem. Identyfikator rozszerzenia ma zawsze postać ${publisher}.${name}. Na przykład vscode.csharp.",
+ "extensionKind": "Zdefiniuj rodzaj rozszerzenia. Rozszerzenia interfejsu użytkownika są instalowane i uruchamiane na maszynie lokalnej, a rozszerzenia obszaru roboczego są uruchamiane na komputerze zdalnym.",
+ "extensionKind.ui": "Zdefiniuj rozszerzenie, które można uruchomić tylko na maszynie lokalnej po nawiązaniu połączenia z oknem zdalnym.",
+ "extensionKind.workspace": "Zdefiniuj rozszerzenie, które można uruchomić tylko na maszynie zdalnej po nawiązaniu połączenia z oknem zdalnym.",
+ "extensionKind.ui-workspace": "Zdefiniuj rozszerzenie, które można uruchomić po obu stronach, z preferowanym uruchamianiem na maszynie lokalnej.",
+ "extensionKind.workspace-ui": "Zdefiniuj rozszerzenie, które można uruchomić po obu stronach, z preferowanym uruchamianiem na maszynie zdalnej.",
+ "extensionKind.empty": "Zdefiniuj rozszerzenie, którego nie można uruchomić w kontekście zdalnym ani na maszynie lokalnej, ani zdalnej.",
+ "vscode.extension.scripts.prepublish": "Skrypt wykonany przed publikacją pakietu jako rozszerzenie programu VS Code.",
+ "vscode.extension.scripts.uninstall": "Odinstaluj punkt zaczepienia rozszerzenia programu VS Code. Jest to skrypt wykonywany po całkowitym odinstalowaniu rozszerzenia z programu VS Code, czyli po ponownym uruchomieniu programu VS Code (zamknięcie i uruchomienie) po odinstalowaniu rozszerzenia. Obsługiwane są tylko skrypty środowiska Node.",
+ "vscode.extension.icon": "Ścieżka do ikony o rozmiarze 128x128 pikseli."
+ },
+ "vs/workbench/services/extensions/node/extensionPoints": {
+ "jsonParseInvalidType": "Nieprawidłowy plik manifestu {0}: to nie jest obiekt JSON.",
+ "jsonParseFail": "Nie można przeanalizować elementu {0}: [{1}, {2}] {3}.",
+ "fileReadFail": "Nie można odczytać pliku {0}: {1}.",
+ "jsonsParseReportErrors": "Nie można przeanalizować elementu {0}: {1}.",
+ "jsonInvalidFormat": "Nieprawidłowy format {0}: oczekiwano obiektu JSON.",
+ "missingNLSKey": "Nie można znaleźć komunikatu dla klucza {0}.",
+ "notSemver": "Wersja rozszerzenia nie jest zgodna z wersją semantyczną.",
+ "extensionDescription.empty": "Otrzymano pusty opis rozszerzenia",
+ "extensionDescription.publisher": "wydawca właściwości musi być typu „ciąg”.",
+ "extensionDescription.name": "właściwość „{0}” jest obowiązkowa i musi być typu „string”",
+ "extensionDescription.version": "właściwość „{0}” jest obowiązkowa i musi być typu „string”",
+ "extensionDescription.engines": "właściwość „{0}” jest obowiązkowa i musi być typu „obiekt”",
+ "extensionDescription.engines.vscode": "właściwość „{0}” jest obowiązkowa i musi być typu „string”",
+ "extensionDescription.extensionDependencies": "właściwość „{0}” może zostać pominięta lub musi być typu „string[]”",
+ "extensionDescription.activationEvents1": "właściwość „{0}” może zostać pominięta lub musi być typu „string[]”",
+ "extensionDescription.activationEvents2": "obie właściwości „{0}” i „{1}” muszą zostać albo określone, albo pominięte",
+ "extensionDescription.main1": "właściwość „{0}” może zostać pominięta lub musi być typu „string”",
+ "extensionDescription.main2": "Oczekiwano elementu „main” ({0}) dołączonego wewnątrz folderu rozszerzenia ({1}). Może to spowodować, że rozszerzenie nie będzie przenośne.",
+ "extensionDescription.main3": "obie właściwości „{0}” i „{1}” muszą zostać albo określone, albo pominięte",
+ "extensionDescription.browser1": "właściwość `{0}` może zostać pominięta albo musi być ciągiem znaków",
+ "extensionDescription.browser2": "Oczekiwano elementu „browser” ({0}) dołączonego wewnątrz folderu rozszerzenia ({1}). Może to spowodować, że rozszerzenie nie będzie przenośne.",
+ "extensionDescription.browser3": "obie właściwości „{0}” i „{1}” muszą zostać albo określone, albo pominięte"
+ },
+ "vs/workbench/services/extensions/common/extensionHostManager": {
+ "measureExtHostLatency": "Mierz opóźnienia hosta rozszerzenia"
+ },
+ "vs/workbench/services/gettingStarted/common/gettingStartedContent": {
+ "gettingStarted.beginner.title": "Pierwsze kroki",
+ "gettingStarted.beginner.description": "Poznaj swój nowy edytor",
+ "pickColorTask.description": "Zmodyfikuj kolory w interfejsie użytkownika, aby dostosować je do własnych preferencji i środowiska pracy.",
+ "pickColorTask.title": "Motyw kolorów",
+ "pickColorTask.button": "Znajdź motyw",
+ "findKeybindingsTask.description": "Znajdź skróty klawiaturowe dla programów Vim, Sublime, Atom i innych.",
+ "findKeybindingsTask.title": "Konfiguruj powiązania klawiszy",
+ "findKeybindingsTask.button": "Wyszukaj mapowania klawiszy",
+ "findLanguageExtsTask.description": "Uzyskaj pomoc techniczną dla swoich języków, takich jak JavaScript, Python, Java, Azure, Docker i innych.",
+ "findLanguageExtsTask.title": "Języki i narzędzia",
+ "findLanguageExtsTask.button": "Zainstaluj obsługę języka",
+ "gettingStartedOpenFolder.description": "Otwórz folder projektu, aby rozpocząć pracę",
+ "gettingStartedOpenFolder.title": "Otwórz folder",
+ "gettingStartedOpenFolder.button": "Wybierz folder",
+ "gettingStarted.intermediate.title": "Podstawowy",
+ "gettingStarted.intermediate.description": "Muszą znać funkcje, które polubisz",
+ "commandPaletteTask.description": "Najprostszy sposób na znajdowanie wszystkiego, co program VS Code potrafi robić. Jeśli kiedykolwiek będziesz szukać funkcji, najpierw zajrzyj tutaj.",
+ "commandPaletteTask.title": "Paleta poleceń",
+ "commandPaletteTask.button": "Wyświetl wszystkie polecenia",
+ "gettingStarted.advanced.title": "Wskazówki i porady",
+ "gettingStarted.advanced.description": "Ulubione wybrane przed specjalistów od programu VS Code",
+ "gettingStarted.openFolder.title": "Otwórz folder",
+ "gettingStarted.openFolder.description": "Otwórz projekt i rozpocznij pracę",
+ "gettingStarted.playground.title": "Interaktywne środowisko testowe",
+ "gettingStarted.interactivePlayground.description": "Poznaj najważniejsze funkcje edytora"
+ },
+ "vs/workbench/services/integrity/node/integrityService": {
+ "integrity.prompt": "Instalacja {0} prawdopodobnie jest uszkodzona. Spróbuj zainstalować ponownie.",
+ "integrity.moreInformation": "Więcej informacji",
+ "integrity.dontShowAgain": "Nie pokazuj ponownie"
+ },
+ "vs/workbench/services/keybinding/common/keybindingEditing": {
+ "errorKeybindingsFileDirty": "Nie można zapisać, ponieważ plik konfiguracji powiązań klawiszy jest zanieczyszczony. Zapisz go najpierw, a następnie spróbuj ponownie.",
+ "parseErrors": "Nie można zapisać pliku konfiguracji powiązań klawiszy. Otwórz go, aby poprawić błędy/ostrzeżenia, a następnie spróbuj ponownie.",
+ "errorInvalidConfiguration": "Nie można zapisać pliku konfiguracji powiązań klawiszy. Plik ten zawiera obiekt, który nie jest typu Array. Otwórz plik, aby go oczyścić, a następnie spróbuj ponownie.",
+ "emptyKeybindingsHeader": "Umieść swoje powiązania klawiszy w tym pliku, aby zastąpić ustawienia domyślne"
+ },
+ "vs/workbench/services/keybinding/browser/keybindingService": {
+ "nonempty": "oczekiwano niepustej wartości.",
+ "requirestring": "właściwość „{0}” jest obowiązkowa i musi być typu „string”",
+ "optstring": "właściwość „{0}” może zostać pominięta lub musi być typu „string”",
+ "vscode.extension.contributes.keybindings.command": "Identyfikator polecenia, które ma zostać uruchomione po wyzwoleniu powiązania klawiszy.",
+ "vscode.extension.contributes.keybindings.args": "Argumenty, które mają zostać przekazane do polecenia do wykonania.",
+ "vscode.extension.contributes.keybindings.key": "Klawisz lub sekwencja klawiszy (rozdziel klawisze znakiem plus, a sekwencje spacją, na przykład Ctrl+O i Ctrl+L L w przypadku sekwencji).",
+ "vscode.extension.contributes.keybindings.mac": "Klawisz lub sekwencja klawiszy specyficzne dla systemu Mac.",
+ "vscode.extension.contributes.keybindings.linux": "Klawisz lub sekwencja klawiszy specyficzne dla systemu Linux.",
+ "vscode.extension.contributes.keybindings.win": "Klucz lub sekwencja kluczy określona przez system Windows.",
+ "vscode.extension.contributes.keybindings.when": "Warunek, gdy klawisz jest aktywny.",
+ "vscode.extension.contributes.keybindings": "Dodaje powiązania klawiszy.",
+ "invalid.keybindings": "Nieprawidłowy element „contributes.{0}”: {1}",
+ "unboundCommands": "Inne dostępne polecenia: ",
+ "keybindings.json.title": "Konfiguracja powiązań klawiszy",
+ "keybindings.json.key": "Klawisz lub sekwencja klawiszy (rozdzielonych spacjami)",
+ "keybindings.json.command": "Nazwa polecenia do wykonania",
+ "keybindings.json.when": "Warunek, gdy klawisz jest aktywny.",
+ "keybindings.json.args": "Argumenty, które mają zostać przekazane do polecenia do wykonania.",
+ "keyboardConfigurationTitle": "Klawiatura",
+ "dispatch": "Określa używaną logikę wysyłania dla naciśnięć klawiszy — wartość „kod” (zalecana) lub „keyCode”."
+ },
+ "vs/workbench/services/label/common/labelService": {
+ "vscode.extension.contributes.resourceLabelFormatters": "Dodaje reguły formatowania etykiet zasobów.",
+ "vscode.extension.contributes.resourceLabelFormatters.scheme": "Schemat identyfikatora URI, z którym ma być zgodny program formatujący. Przykład „file”. Obsługiwane są proste wzorce globalne.",
+ "vscode.extension.contributes.resourceLabelFormatters.authority": "Urząd identyfikatora URI, z którym ma być zgodny program formatujący. Obsługiwane są proste wzorce globalne.",
+ "vscode.extension.contributes.resourceLabelFormatters.formatting": "Reguły formatowania etykiet zasobów URI.",
+ "vscode.extension.contributes.resourceLabelFormatters.label": "Reguły etykiet do wyświetlania. Przykład: mojaEtykieta:/${path}. Obsługiwane są zmienne ${path}, ${scheme} i ${authority}.",
+ "vscode.extension.contributes.resourceLabelFormatters.separator": "Separator, który ma być używany do wyświetlania etykiet identyfikatora URI, na przykład „/” lub ''.",
+ "vscode.extension.contributes.resourceLabelFormatters.stripPathStartingSeparator": "Określa, czy podstawienia wartości „${path}” powinny mieć usunięte początkowe znaki separatora.",
+ "vscode.extension.contributes.resourceLabelFormatters.tildify": "Określa, czy na początku etykiety identyfikatora URI powinna być tylda, jeśli to możliwe.",
+ "vscode.extension.contributes.resourceLabelFormatters.formatting.workspaceSuffix": "Sufiks dołączany do etykiety obszaru roboczego.",
+ "untitledWorkspace": "Bez tytułu (obszar roboczy)",
+ "workspaceNameVerbose": "{0} (obszar roboczy)",
+ "workspaceName": "{0} (obszar roboczy)"
+ },
+ "vs/workbench/services/lifecycle/electron-sandbox/lifecycleService": {
+ "errorClose": "Zgłoszono nieoczekiwany błąd podczas próby zamknięcia okna ({0}).",
+ "errorQuit": "Zgłoszono nieoczekiwany błąd podczas próby zamknięcia aplikacji ({0}).",
+ "errorReload": "Zgłoszono nieoczekiwany błąd podczas próby ponownego załadowania okna ({0}).",
+ "errorLoad": "Zgłoszono nieoczekiwany błąd podczas próby zmiany obszaru roboczego okna ({0})."
+ },
+ "vs/workbench/services/mode/common/workbenchModeService": {
+ "vscode.extension.contributes.languages": "Dodaje deklaracje językowe.",
+ "vscode.extension.contributes.languages.id": "Identyfikator języka.",
+ "vscode.extension.contributes.languages.aliases": "Aliasy nazw dla języka.",
+ "vscode.extension.contributes.languages.extensions": "Rozszerzenia plików skojarzone z językiem.",
+ "vscode.extension.contributes.languages.filenames": "Nazwy plików skojarzone z językiem.",
+ "vscode.extension.contributes.languages.filenamePatterns": "Globalne wzorce nazw plików skojarzone z językiem.",
+ "vscode.extension.contributes.languages.mimetypes": "Typy MIME skojarzone z językiem.",
+ "vscode.extension.contributes.languages.firstLine": "Wyrażenie regularne pasujące do pierwszego wiersza pliku języka.",
+ "vscode.extension.contributes.languages.configuration": "Ścieżka względna do pliku zawierającego opcje konfiguracji dla języka.",
+ "invalid": "Nieprawidłowy element „contributes.{0}”. Oczekiwano tablicy.",
+ "invalid.empty": "Pusta wartość dla elementu „contributes.{0}”",
+ "require.id": "właściwość „{0}” jest obowiązkowa i musi być typu „string”",
+ "opt.extensions": "właściwość „{0}” może zostać pominięta i musi być typu „string[]”",
+ "opt.filenames": "właściwość „{0}” może zostać pominięta i musi być typu „string[]”",
+ "opt.firstLine": "właściwość „{0}” może zostać pominięta i musi być typu „string”",
+ "opt.configuration": "właściwość „{0}” może zostać pominięta i musi być typu „string”",
+ "opt.aliases": "właściwość „{0}” może zostać pominięta i musi być typu „string[]”",
+ "opt.mimetypes": "właściwość „{0}” może zostać pominięta i musi być typu „string[]”"
+ },
+ "vs/workbench/services/notification/common/notificationService": {
+ "neverShowAgain": "Nie pokazuj ponownie"
+ },
+ "vs/workbench/services/preferences/common/preferences": {
+ "userSettingsTarget": "Ustawienia użytkownika",
+ "workspaceSettingsTarget": "Ustawienia obszaru roboczego"
+ },
+ "vs/workbench/services/preferences/browser/preferencesService": {
+ "openFolderFirst": "Najpierw otwórz folder, aby utworzyć ustawienia obszaru roboczego",
+ "emptyKeybindingsHeader": "Umieść swoje powiązania klawiszy w tym pliku, aby zastąpić ustawienia domyślne",
+ "defaultKeybindings": "Domyślne powiązania klawiszy",
+ "defaultSettings": "Ustawienia domyślne",
+ "folderSettingsName": "{0} (Ustawienia folderu)",
+ "fail.createSettings": "Nie można utworzyć elementu „{0}” ({1})."
+ },
+ "vs/workbench/services/preferences/common/preferencesEditorInput": {
+ "settingsEditorName": "Ustawienia domyślne",
+ "keybindingsInputName": "Skróty klawiaturowe",
+ "settingsEditor2InputName": "Ustawienia"
+ },
+ "vs/workbench/services/preferences/common/preferencesModels": {
+ "commonlyUsed": "Często używane",
+ "defaultKeybindingsHeader": "Zastąp powiązania klawiszy, umieszczając je w pliku powiązań klawiszy."
+ },
+ "vs/workbench/services/preferences/common/keybindingsEditorModel": {
+ "default": "Domyślne",
+ "extension": "Rozszerzenie",
+ "user": "Użytkownik",
+ "cat.title": "{0}: {1}",
+ "option": "option",
+ "meta": "meta"
+ },
+ "vs/workbench/services/preferences/common/preferencesValidation": {
+ "validations.expectedNumeric": "Wartość musi być liczbą.",
+ "invalidTypeError": "Ustawienie ma nieprawidłowy typ. Oczekiwano typu {0}. Napraw w pliku JSON.",
+ "validations.maxLength": "Wartość może mieć maksymalnie następującą liczbę znaków: {0}.",
+ "validations.minLength": "Wartość może mieć minimalnie następującą liczbę znaków: {0}.",
+ "validations.regex": "Wartość musi być zgodna z wyrażeniem regularnym „{0}”.",
+ "validations.colorFormat": "Nieprawidłowy format koloru. Użyj formatu #RGB, #RGBA, #RRGGBB lub #RRGGBBAA.",
+ "validations.uriEmpty": "Oczekiwano identyfikatora URI.",
+ "validations.uriMissing": "Oczekiwany jest identyfikator URI.",
+ "validations.uriSchemeMissing": "Oczekiwany jest identyfikator URI ze schematem.",
+ "validations.exclusiveMax": "Wartość musi być mniejsza niż {0}.",
+ "validations.exclusiveMin": "Wartość musi być większa niż {0}.",
+ "validations.max": "Wartość musi być mniejsza lub równa {0}.",
+ "validations.min": "Wartość musi być większa lub równa {0}.",
+ "validations.multipleOf": "Wartość musi być wielokrotnością {0}.",
+ "validations.expectedInteger": "Wartość musi być liczbą całkowitą.",
+ "validations.stringArrayUniqueItems": "Tablica zawiera zduplikowane elementy",
+ "validations.stringArrayMinItem": "Minimalna liczba elementów tablicy to {0}",
+ "validations.stringArrayMaxItem": "Maksymalna liczba elementów tablicy to {0}",
+ "validations.stringArrayItemPattern": "Wartość {0} musi być zgodna z wyrażeniem regularnym {1}.",
+ "validations.stringArrayItemEnum": "Wartość {0} nie jest jedną z {1}"
+ },
+ "vs/workbench/services/progress/browser/progressService": {
+ "progress.text2": "{0}: {1}",
+ "progress.title3": "[{0}] {1}: {2}",
+ "progress.title2": "[{0}]: {1}",
+ "status.progress": "Komunikat o postępie",
+ "cancel": "Anuluj",
+ "dismiss": "Odrzuć"
+ },
+ "vs/workbench/services/remote/common/abstractRemoteAgentService": {
+ "connectionError": "Nie można połączyć się ze zdalnym serwerem hosta rozszerzenia (błąd: {0})"
+ },
+ "vs/workbench/services/textfile/electron-browser/nativeTextFileService": {
+ "fileReadOnlyError": "Plik jest dostępny tylko do odczytu"
+ },
+ "vs/workbench/services/textfile/browser/textFileService": {
+ "fileBinaryError": "Plik ma prawdopodobnie format binarny i nie można go otworzyć jako tekstu",
+ "confirmOverwrite": "Element „{0}” już istnieje. Czy chcesz go zastąpić?",
+ "irreversible": "Plik lub folder o nazwie „{0}” już istnieje w folderze „{1}”. Zastąpienie go spowoduje nadpisanie jego bieżącej zawartości.",
+ "replaceButtonLabel": "&&Zamień"
+ },
+ "vs/workbench/services/textfile/common/textFileEditorModelManager": {
+ "genericSaveError": "Nie można zapisać elementu „{0}”: {1}"
+ },
+ "vs/workbench/services/textfile/common/textFileEditorModel": {
+ "saveFileFirst": "Plik jest zanieczyszczony. Zapisz plik przed ponownym otwarciem go przy użyciu innego kodowania."
+ },
+ "vs/workbench/services/textfile/common/textFileSaveParticipant": {
+ "saveParticipants": "Zapisywanie „{0}”"
+ },
+ "vs/workbench/services/textMate/browser/abstractTextMateService": {
+ "alreadyDebugging": "Już rejestrowane.",
+ "stop": "Zatrzymaj",
+ "progress1": "Przygotowywanie do rejestrowania analizy gramatyki TM. Naciśnij pozycję Zatrzymaj po zakończeniu.",
+ "progress2": "Trwa rejestrowanie analizy gramatyki TM. Po zakończeniu naciśnij pozycję Zatrzymaj.",
+ "invalid.language": "Nieznany język w elemencie „contributes.{0}.language”. Podana wartość: {1}",
+ "invalid.scopeName": "Oczekiwano ciągu w elemencie „contributes.{0}.scopeName\". Podana wartość: {1}",
+ "invalid.path.0": "Oczekiwano ciągu w elemencie „contributes.{0}.path”. Dostarczona wartość: {1}",
+ "invalid.injectTo": "Nieprawidłowa wartość w elemencie „contributes.{0}.injectTo”. Musi to być tablica nazw zakresów języka. Podana wartość: {1}",
+ "invalid.embeddedLanguages": "Nieprawidłowa wartość w elemencie „contributes.{0}.embeddedLanguages”. Musi to być mapowanie obiektów z nazwy zakresu na język. Podana wartość: {1}",
+ "invalid.tokenTypes": "Nieprawidłowa wartość w elemencie „contributes.{0}.tokenTypes”. Musi to być mapowanie obiektów z nazwy zakresu na typ tokenu. Podana wartość: {1}",
+ "invalid.path.1": "Oczekiwano, że element „contributes.{0}.path” ({1}) będzie uwzględniony w folderze rozszerzenia ({2}). To może spowodować, że przenoszenie rozszerzenia nie będzie możliwe.",
+ "too many characters": "Tokenizacja jest pomijana dla długich wierszy ze względu na wydajność. Długość długiego wiersza można skonfigurować za pośrednictwem właściwości „editor.maxTokenizationLineLength”.",
+ "neverAgain": "Nie pokazuj ponownie"
+ },
+ "vs/workbench/services/textMate/common/TMGrammars": {
+ "vscode.extension.contributes.grammars": "Dodaje tokenizatory textmate.",
+ "vscode.extension.contributes.grammars.language": "Identyfikator języka, w którym jest udostępniana ta składnia.",
+ "vscode.extension.contributes.grammars.scopeName": "Nazwa zakresu programu Textmate używanego przez plik tmLanguage.",
+ "vscode.extension.contributes.grammars.path": "Ścieżka pliku tmLanguage. Ścieżka jest względna dla folderu rozszerzenia i zazwyczaj zaczyna się od „./syntaxes/”.",
+ "vscode.extension.contributes.grammars.embeddedLanguages": "Mapowanie nazwy zakresu na identyfikator języka, jeśli ta gramatyka zawiera osadzone języki.",
+ "vscode.extension.contributes.grammars.tokenTypes": "Mapowanie nazwy zakresu na typy tokenu.",
+ "vscode.extension.contributes.grammars.injectTo": "Lista nazw zakresów języka, do których zostanie wprowadzona ta gramatyka."
+ },
+ "vs/workbench/services/textMate/common/TMGrammarFactory": {
+ "no-tm-grammar": "Nie zarejestrowano gramatyki TM dla tego języka."
+ },
+ "vs/workbench/services/themes/browser/workbenchThemeService": {
+ "error.cannotloadtheme": "Nie można załadować elementu {0}: {1}"
+ },
+ "vs/workbench/services/themes/common/colorExtensionPoint": {
+ "contributes.color": "Dodaje kolory możliwe do użycia jako motywy zdefiniowane przez rozszerzenie",
+ "contributes.color.id": "Identyfikator koloru możliwego do użycia jako motyw",
+ "contributes.color.id.format": "Identyfikatory mogą zawierać tylko litery, cyfry i kropki oraz nie mogą zaczynać się kropką",
+ "contributes.color.description": "Opis koloru możliwego do użycia jako motyw",
+ "contributes.defaults.light": "Domyślny kolor jasnych motywów. Wartość koloru w postaci szesnastkowej (#RRGGBB[AA]) lub identyfikator koloru możliwego do użycia jako motyw, który jest wartością domyślną.",
+ "contributes.defaults.dark": "Domyślny kolor ciemnych motywów. Wartość koloru w postaci szesnastkowej (#RRGGBB[AA]) lub identyfikator koloru możliwego do użycia jako motyw, który jest wartością domyślną.",
+ "contributes.defaults.highContrast": "Domyślny kolor motywów o dużym kontraście. Wartość koloru w postaci szesnastkowej (#RRGGBB[AA]) lub identyfikator koloru możliwego do użycia jako motyw, który jest wartością domyślną.",
+ "invalid.colorConfiguration": "Element „configuration.colors” musi być tablicą",
+ "invalid.default.colorType": "Element {0} musi być wartością koloru w formacie szesnastkowym (#RRGGBB[AA] lub #RGB[A]) lub identyfikatorem koloru możliwego do użycia jako motyw określającym wartość domyślną.",
+ "invalid.id": "Element „configuration.colors.id” musi być zdefiniowany i nie może być pusty",
+ "invalid.id.format": "Element „configuration.colors.id” może zawierać tylko litery, cyfry i kropki oraz nie może zaczynać się kropką",
+ "invalid.description": "Element „configuration.colors.description” musi być zdefiniowany i nie może być pusty",
+ "invalid.defaults": "Element „configuration.colors.defaults” musi być zdefiniowany i musi zawierać elementy „light”, „dark” i „highContrast”"
+ },
+ "vs/workbench/services/themes/common/tokenClassificationExtensionPoint": {
+ "contributes.semanticTokenTypes": "Dodaje typy tokenów semantycznych.",
+ "contributes.semanticTokenTypes.id": "Identyfikator typu tokenu semantycznego",
+ "contributes.semanticTokenTypes.id.format": "Identyfikatory powinny mieć postać letterOrDigit[_-letterOrDigit]*",
+ "contributes.semanticTokenTypes.superType": "Nadtyp typu tokenu semantycznego",
+ "contributes.semanticTokenTypes.superType.format": "Supertypy powinny mieć postać letterOrDigit[_-letterOrDigit]*",
+ "contributes.color.description": "Opis typu tokenu semantycznego",
+ "contributes.semanticTokenModifiers": "Dodaje modyfikatory tokenów semantycznych.",
+ "contributes.semanticTokenModifiers.id": "Identyfikator modyfikatora tokenu semantycznego",
+ "contributes.semanticTokenModifiers.id.format": "Identyfikatory powinny mieć postać letterOrDigit[_-letterOrDigit]*",
+ "contributes.semanticTokenModifiers.description": "Opis modyfikatora tokenu semantycznego",
+ "contributes.semanticTokenScopes": "Dodaje mapowania zakresów tokenów semantycznych.",
+ "contributes.semanticTokenScopes.languages": "Wyświetla język, którego dotyczą wartości domyślne.",
+ "contributes.semanticTokenScopes.scopes": "Mapuje token semantyczny (opisany przez selektor tokenu semantycznego) na co najmniej jeden zakres textMate używany do reprezentowania tego tokenu.",
+ "invalid.id": "Element „configuration.{0}.id” musi być zdefiniowany i nie może być pusty",
+ "invalid.id.format": "Element „configuration.{0}.id” musi być zgodny ze wzorcem litera_lub_cyfra[-_litera_lub_cyfra]*",
+ "invalid.superType.format": "Element „configuration.{0}.superType” musi być zgodny ze wzorcem litera_lub_cyfra[-_litera_lub_cyfra]*",
+ "invalid.description": "Element „configuration.{0}.description” musi być zdefiniowany i nie może być pusty",
+ "invalid.semanticTokenTypeConfiguration": "Element „configuration.semanticTokenType” musi być tablicą",
+ "invalid.semanticTokenModifierConfiguration": "Element „configuration.semanticTokenModifier” musi być tablicą",
+ "invalid.semanticTokenScopes.configuration": "Element „configuration.semanticTokenScopes” musi być tablicą",
+ "invalid.semanticTokenScopes.language": "Element „configuration.semanticTokenScopes.language” musi być ciągiem",
+ "invalid.semanticTokenScopes.scopes": "Element „configuration.semanticTokenScopes.scopes” musi być zdefiniowany jako obiekt",
+ "invalid.semanticTokenScopes.scopes.value": "Wartości „configuration.semanticTokenScopes.scopes” muszą być tablicą ciągów",
+ "invalid.semanticTokenScopes.scopes.selector": "configuration.semanticTokenScopes.scopes: Problemy z analizowaniem selektora {0}."
+ },
+ "vs/workbench/services/themes/common/colorThemeData": {
+ "error.cannotparsejson": "Problemy z analizowaniem pliku motywu JSON: {0}",
+ "error.invalidformat": "Nieprawidłowy format pliku motywu JSON: oczekiwano obiektu.",
+ "error.invalidformat.colors": "Problem z analizowaniem pliku motywu kolorów: {0}. Właściwość \"Colors\" nie jest typu \"Object\".",
+ "error.invalidformat.tokenColors": "Problem z analizowaniem pliku motywu kolorów: {0}. Właściwość „tokenColors” powinna być tablicą określającą kolory lub ścieżką do pliku motywu programu Temat",
+ "error.invalidformat.semanticTokenColors": "Problem z analizowaniem pliku motywu kolorów: {0}. Właściwość „semanticTokenColors” zawiera nieprawidłowy selektor",
+ "error.plist.invalidformat": "Problem z analizowaniem pliku tmTheme: {0}. Element „settings” nie jest tablicą.",
+ "error.cannotparse": "Problemy z analizowaniem pliku tmTheme: {0}",
+ "error.cannotload": "Problemy z ładowaniem pliku tmTheme {0}: {1}"
+ },
+ "vs/workbench/services/themes/common/fileIconThemeSchema": {
+ "schema.folderExpanded": "Ikona folderu dla rozwiniętych folderów. Ikona rozwiniętego folderu jest opcjonalna. Jeśli nie zostanie ustawiona, zostanie wyświetlona ikona zdefiniowana dla folderu.",
+ "schema.folder": "Ikona folderu dla zwiniętych folderów oraz w przypadku braku ustawienia właściwości folderExpanded również dla rozwiniętych folderów.",
+ "schema.file": "Domyślna ikona pliku wyświetlana dla wszystkich plików, które nie pasują do żadnego rozszerzenia, nazwy pliku ani identyfikatora języka.",
+ "schema.folderNames": "Kojarzy nazwy folderów z ikonami. Klucz obiektu to nazwa folderu, lecz bez żadnych segmentów ścieżki. Nie można używać wzorców ani symboli wieloznacznych. Dopasowywanie nazw folderów odbywa się bez rozróżniana wielkości liter.",
+ "schema.folderName": "Identyfikator definicji ikony dla skojarzenia.",
+ "schema.folderNamesExpanded": "Kojarzy nazwy folderów z ikonami dla folderów rozszerzonych. Klucz obiektu to nazwa folderu, lecz bez żadnych segmentów ścieżki. Nie można używać wzorców ani symboli wieloznacznych. Dopasowywanie nazw folderów odbywa się bez rozróżniana wielkości liter.",
+ "schema.folderNameExpanded": "Identyfikator definicji ikony dla skojarzenia.",
+ "schema.fileExtensions": "Kojarzy rozszerzenia plików z ikonami. Klucz obiektu to nazwa rozszerzenia pliku. Nazwa rozszerzenia to ostatni segment nazwy pliku po ostatniej kropce (bez kropki). Rozszerzenia są porównywane bez rozróżniania wielkości liter.",
+ "schema.fileExtension": "Identyfikator definicji ikony dla skojarzenia.",
+ "schema.fileNames": "Kojarzy nazwy plików z ikonami. Klucz obiektu to pełna nazwa pliku, lecz bez żadnych segmentów ścieżki. Nazwa pliku może zawierać kropki i rozszerzenie pliku. Nie można używać wzorców ani symboli wieloznacznych. Dopasowywanie nazw plików odbywa się bez rozróżniana wielkości liter.",
+ "schema.fileName": "Identyfikator definicji ikony dla skojarzenia.",
+ "schema.languageIds": "Kojarzy języki z ikonami. Klucz obiektu to identyfikator języka zdefiniowany w kontrybucji języka.",
+ "schema.languageId": "Identyfikator definicji ikony dla skojarzenia.",
+ "schema.fonts": "Czcionki używane w definicjach ikon.",
+ "schema.id": "Identyfikator czcionki.",
+ "schema.id.formatError": "Identyfikator może zawierać tylko literę, cyfry, podkreślenia i znaki minus.",
+ "schema.src": "Lokalizacja czcionki.",
+ "schema.font-path": "Ścieżka czcionki względna wobec bieżącego pliku motywu ikony pliku.",
+ "schema.font-format": "Format czcionki.",
+ "schema.font-weight": "Grubość czcionki. Prawidłowe wartości można znaleźć na stronie https://developer.mozilla.org/pl-pl/docs/Web/CSS/font-weight.",
+ "schema.font-style": "Styl czcionki. Prawidłowe wartości można znaleźć na stronie https://developer.mozilla.org/pl-pl/docs/Web/CSS/font-style.",
+ "schema.font-size": "Domyślny rozmiar czcionki. Zobacz https://developer.mozilla.org/en-US/docs/Web/CSS/font-size, aby uzyskać informacje o prawidłowych wartościach.",
+ "schema.iconDefinitions": "Opis wszystkich ikon, których można użyć przy kojarzeniu plików z ikonami.",
+ "schema.iconDefinition": "Definicja ikony. Klucz obiektu to identyfikator definicji.",
+ "schema.iconPath": "W przypadku używania formatu SVG lub PNG: ścieżka do obrazu. Ścieżka jest względna wobec pliku zestawu ikon.",
+ "schema.fontCharacter": "W przypadku używania czcionki symboli: znak czcionki, który ma zostać użyty.",
+ "schema.fontColor": "W przypadku używania czcionki symboli: kolor, który ma zostać użyty.",
+ "schema.fontSize": "W przypadku używania czcionki: rozmiar czcionki jako wartość procentowa względem czcionki tekstu. Jeśli nie zostanie ustawiony, wartością domyślną będzie rozmiar w definicji czcionki.",
+ "schema.fontId": "W przypadku używania czcionki: identyfikator czcionki. Jeśli nie zostanie ustawiony, wartością domyślną będzie pierwsza definicja czcionki.",
+ "schema.light": "Opcjonalne skojarzenia dla ikon plików w jasnych motywach kolorów.",
+ "schema.highContrast": "Opcjonalne skojarzenia dla ikon plików w motywach kolorów o dużym kontraście.",
+ "schema.hidesExplorerArrows": "Określa, czy strzałki eksploratora plików powinny zostać ukryte, gdy ten motyw jest aktywny."
+ },
+ "vs/workbench/services/themes/browser/fileIconThemeData": {
+ "error.cannotparseicontheme": "Problemy podczas analizowania pliku ikon plików: {0}",
+ "error.invalidformat": "Nieprawidłowy format pliku motywu ikon plików: oczekiwano obiektu."
+ },
+ "vs/workbench/services/themes/common/colorThemeSchema": {
+ "schema.token.settings": "Kolory i style dla tokenu.",
+ "schema.token.foreground": "Kolor pierwszego planu dla tokenu.",
+ "schema.token.background.warning": "Kolory tła tokenu nie są obecnie obsługiwane.",
+ "schema.token.fontStyle": "Styl czcionki reguły: „italic”, „bold”, „underline” lub ich kombinacja. Pusty ciąg powoduje anulowanie dziedziczonych ustawień.",
+ "schema.fontStyle.error": "Styl czcionki musi mieć wartość „italic”, „bold” lub „underline” albo musi być pustym ciągiem.",
+ "schema.token.fontStyle.none": "Brak (wyczyść odziedziczony styl)",
+ "schema.properties.name": "Opis reguły.",
+ "schema.properties.scope": "Selektor zakresu, względem którego ta reguła jest zgodna.",
+ "schema.workbenchColors": "Kolory w obszarze roboczym",
+ "schema.tokenColors.path": "Ścieżka do pliku tmTheme (względna dla bieżącego pliku).",
+ "schema.colors": "Kolory dla wyróżniania składni",
+ "schema.supportsSemanticHighlighting": "Czy dla tego motywu ma być włączone wyróżnianie semantyczne.",
+ "schema.semanticTokenColors": "Kolory dla tokenów semantycznych"
+ },
+ "vs/workbench/services/themes/common/themeExtensionPoints": {
+ "vscode.extension.contributes.themes": "Dodaje motywy kolorów textmate.",
+ "vscode.extension.contributes.themes.id": "Identyfikator motywu kolorów używany w ustawieniach użytkownika.",
+ "vscode.extension.contributes.themes.label": "Etykieta motywu kolorów wyświetlana w interfejsie użytkownika.",
+ "vscode.extension.contributes.themes.uiTheme": "Motyw podstawowy definiujący kolory w edytorze: „vs” to motyw jasny, „vs-dark” to motyw ciemny, a „hc-black” to motyw ciemny o dużym kontraście.",
+ "vscode.extension.contributes.themes.path": "Ścieżka pliku tmTheme. Ścieżka jest względna dla folderu rozszerzenia i zazwyczaj ma wartość „./colorthemes/awesome-color-theme.jsw”.",
+ "vscode.extension.contributes.iconThemes": "Dodaje motywy ikon plików.",
+ "vscode.extension.contributes.iconThemes.id": "Identyfikator motywu ikon plików używany w ustawieniach użytkownika.",
+ "vscode.extension.contributes.iconThemes.label": "Etykieta motywu ikon plików wyświetlana w interfejsie użytkownika.",
+ "vscode.extension.contributes.iconThemes.path": "Ścieżka pliku definicji motywu ikon plików. Ścieżka jest względna dla folderu rozszerzenia i zazwyczaj ma wartość „./fileicons/awesome-icon-theme.jsw”.",
+ "vscode.extension.contributes.productIconThemes": "Dodaje motywy ikon produktów.",
+ "vscode.extension.contributes.productIconThemes.id": "Identyfikator motywu ikon produktu używany w ustawieniach użytkownika.",
+ "vscode.extension.contributes.productIconThemes.label": "Etykieta motywu ikon produktu wyświetlana w interfejsie użytkownika.",
+ "vscode.extension.contributes.productIconThemes.path": "Ścieżka pliku definicji motywu ikon produktów. Ścieżka jest względna dla folderu rozszerzenia i zazwyczaj ma wartość „./producticons/awesome-product-icon-theme.jsw”.",
+ "reqarray": "Punkt rozszerzenia „{0}” musi być tablicą.",
+ "reqpath": "Oczekiwano ciągu w elemencie „contributes.{0}.path”. Dostarczona wartość: {1}",
+ "reqid": "Oczekiwano ciągu w elemencie „contributes.{0}.id\". Podana wartość: {1}",
+ "invalid.path.1": "Oczekiwano, że element „contributes.{0}.path” ({1}) będzie uwzględniony w folderze rozszerzenia ({2}). To może spowodować, że przenoszenie rozszerzenia nie będzie możliwe."
+ },
+ "vs/workbench/services/themes/common/themeConfiguration": {
+ "colorTheme": "Określa motyw kolorów używany na pulpicie.",
+ "colorThemeError": "Motyw jest nieznany lub nie został zainstalowany.",
+ "preferredDarkColorTheme": "Określa preferowany motyw kolorów dla ciemnego wyglądu systemu operacyjnego, gdy jest włączona funkcja `#{0}#`.",
+ "preferredLightColorTheme": "Określa preferowany motyw kolorów dla jasnego wyglądu systemu operacyjnego, gdy jest włączona funkcja `#{0}#`.",
+ "preferredHCColorTheme": "Określa preferowany motyw kolorów używany w trybie dużego kontrastu, gdy jest włączona funkcja `#{0}#`.",
+ "detectColorScheme": "Włączenie tego ustawienia powoduje automatyczne przełączanie na preferowany motyw kolorów na podstawie wyglądu systemu operacyjnego.",
+ "workbenchColors": "Zastępuje kolory z aktualnie wybranego motywu kolorów.",
+ "iconTheme": "Określa motyw ikon plików używanych na pulpicie lub wartość „null”, aby nie wyświetlać żadnych ikon plików.",
+ "noIconThemeLabel": "Brak",
+ "noIconThemeDesc": "Brak ikon plików",
+ "iconThemeError": "Motyw ikon plików jest nieznany lub nie został zainstalowany.",
+ "productIconTheme": "Określa używany motyw ikon produktów.",
+ "defaultProductIconThemeLabel": "Domyślne",
+ "defaultProductIconThemeDesc": "Domyślne",
+ "productIconThemeError": "Motyw ikon produktów jest nieznany lub nie został zainstalowany.",
+ "autoDetectHighContrast": "Włączenie tej opcji będzie powodować automatyczną zmianę motywu na motyw o wysokim kontraście, jeśli system operacyjny używa motywu o wysokim kontraście.",
+ "editorColors.comments": "Ustawia kolory i style dla komentarzy",
+ "editorColors.strings": "Ustawia kolory i style dla literałów ciągów.",
+ "editorColors.keywords": "Ustawia kolory i style dla słów kluczowych.",
+ "editorColors.numbers": "Ustawia kolory i style dla literałów liczbowych.",
+ "editorColors.types": "Ustawia kolory i style dla odwołań i deklaracji typu.",
+ "editorColors.functions": "Ustawia kolory i style dla odwołań i deklaracji funkcji.",
+ "editorColors.variables": "Ustawia kolory i style dla odwołań i deklaracji zmiennych.",
+ "editorColors.textMateRules": "Ustawia kolory i style za pomocą reguł tworzenia motywów programu Textmate (zaawansowane).",
+ "editorColors.semanticHighlighting": "Czy dla tego motywu ma być włączone wyróżnianie semantyczne.",
+ "editorColors.semanticHighlighting.deprecationMessage": "Zamiast wartości „enabled” dla właściwości „editor.semanticTokenColorCustomizations”.",
+ "editorColors.semanticHighlighting.deprecationMessageMarkdown": "Zamiast tego podaj wartość `enabled` dla ustawienia `#editor.semanticTokenColorCustomizations#`.",
+ "editorColors": "Zastępuje styl czcionki i kolory składni edytora z aktualnie wybranego motywu kolorów.",
+ "editorColors.semanticHighlighting.enabled": "Określa, czy wyróżnianie semantyczne jest włączone lub wyłączone dla tego motywu",
+ "editorColors.semanticHighlighting.rules": "Reguły stylu tokenu semantycznego dla tego motywu.",
+ "semanticTokenColors": "Zastępuje kolor i style tokenu semantycznego edytora z aktualnie wybranego motywu kolorów.",
+ "editorColors.experimentalTokenStyling.deprecationMessage": "Zamiast tego użyj właściwości „editor.semanticTokenColorCustomizations”.",
+ "editorColors.experimentalTokenStyling.deprecationMessageMarkdown": "Zamiast tego użyj ustawienia `#editor.semanticTokenColorCustomizations#`."
+ },
+ "vs/workbench/services/themes/browser/productIconThemeData": {
+ "error.parseicondefs": "Problemy z przetwarzaniem definicji ikon produktów w lokaliacji {0}:\r\n{1}",
+ "defaultTheme": "Domyślne",
+ "error.cannotparseicontheme": "Problemy podczas analizowania pliku ikon produktów: {0}",
+ "error.invalidformat": "Nieprawidłowy format pliku motywu ikon produktu: oczekiwano obiektu.",
+ "error.missingProperties": "Nieprawidłowy format pliku motywu ikon produktu: musi zawierać elementy iconDefinitions i fonts.",
+ "error.fontWeight": "Nieprawidłowa grubość czcionki w czcionce „{0}”. Ustawienie zostanie zignorowane.",
+ "error.fontStyle": "Nieprawidłowy styl czcionki w czcionce „{0}”. Ustawienie zostanie zignorowane.",
+ "error.fontId": "Brakuje identyfikatora czcionki lub jest on nieprawidłowy: „{0}”. Definicja czcionki zostanie pominięta.",
+ "error.icon.fontId": "Pomijanie definicji ikony „{0}”. Nieznana czcionka.",
+ "error.icon.fontCharacter": "Pomijanie definicji ikony „{0}”. Nieznany element fontCharacter."
+ },
+ "vs/workbench/services/themes/common/productIconThemeSchema": {
+ "schema.id": "Identyfikator czcionki.",
+ "schema.id.formatError": "Identyfikator może zawierać tylko litery, cyfry, podkreślenia i znaki minus.",
+ "schema.src": "Lokalizacja czcionki.",
+ "schema.font-path": "Ścieżka czcionki względna wobec bieżącego pliku motywu ikony produktu.",
+ "schema.font-format": "Format czcionki.",
+ "schema.font-weight": "Grubość czcionki. Prawidłowe wartości można znaleźć na stronie https://developer.mozilla.org/pl-pl/docs/Web/CSS/font-weight.",
+ "schema.font-style": "Styl czcionki. Prawidłowe wartości można znaleźć na stronie https://developer.mozilla.org/pl-pl/docs/Web/CSS/font-style.",
+ "schema.iconDefinitions": "Skojarzenie nazwy ikony ze znakiem czcionki."
+ },
+ "vs/workbench/services/userDataSync/common/userDataSync": {
+ "settings": "Ustawienia",
+ "keybindings": "Skróty klawiaturowe",
+ "snippets": "Fragmenty kodu użytkownika",
+ "extensions": "Rozszerzenia",
+ "ui state label": "Stan interfejsu użytkownika",
+ "sync category": "Synchronizacja ustawień",
+ "syncViewIcon": "Wyświetl ikonę widoku synchronizacji ustawień."
+ },
+ "vs/workbench/services/userDataSync/browser/userDataSyncWorkbenchService": {
+ "no authentication providers": "Nie można włączyć synchronizacji ustawień, ponieważ nie ma dostępnych dostawców uwierzytelniania.",
+ "no account": "Brak dostępnych kont",
+ "show log": "pokaż dziennik",
+ "sync turned on": "Element {0} jest włączony",
+ "sync in progress": "Trwa włączanie synchronizacji ustawień. Czy chcesz anulować?",
+ "settings sync": "Synchronizacja ustawień",
+ "yes": "&&Tak",
+ "no": "&&Nie",
+ "turning on": "Trwa włączanie...",
+ "syncing resource": "Trwa synchronizowanie {0}...",
+ "conflicts detected": "Wykryto konflikty",
+ "merge Manually": "Scal ręcznie...",
+ "resolve": "Nie można scalić z powodu konfliktów. Scal ręcznie, aby kontynuować...",
+ "merge or replace": "Scal lub zamień",
+ "merge": "Scal",
+ "replace local": "Zamień lokalne",
+ "cancel": "Anuluj",
+ "first time sync detail": "Wygląda na to, że ostatnio została przeprowadzona synchronizacja z innego komputera.\r\nCzy chcesz scalić dane, czy zamienić je na dane w chmurze?",
+ "reset": "Spowoduje to wyczyszczenie danych w chmurze i zatrzymanie synchronizacji na wszystkich urządzeniach.",
+ "reset title": "Wyczyść",
+ "resetButton": "&&Resetuj",
+ "choose account placeholder": "Wybierz konto do zalogowania",
+ "signed in": "Zalogowano",
+ "last used": "Ostatnio użyte z synchronizacją",
+ "others": "Inne",
+ "sign in using account": "Zaloguj się przy użyciu domeny {0}",
+ "successive auth failures": "Synchronizacja ustawień jest wstrzymana z powodu kolejnych błędów autoryzacji. Zaloguj się ponownie, aby kontynuować synchronizowanie",
+ "sign in": "Zaloguj się"
+ },
+ "vs/workbench/services/views/browser/viewDescriptorService": {
+ "resetViewLocation": "Resetuj lokalizację"
+ },
+ "vs/workbench/services/workingCopy/common/workingCopyFileOperationParticipant": {
+ "msg-create": "Trwa uruchamianie uczestników akcji „Tworzenie plików”...",
+ "msg-rename": "Trwa uruchamianie uczestników akcji „Zmienianie nazw plików”...",
+ "msg-copy": "Trwa uruchamianie uczestników akcji „Kopiowanie plików”...",
+ "msg-delete": "Trwa uruchamianie uczestników akcji „Usuwanie plików”..."
+ },
+ "vs/workbench/services/workspaces/electron-sandbox/workspaceEditingService": {
+ "save": "Zapisz",
+ "doNotSave": "Nie zapisuj",
+ "cancel": "Anuluj",
+ "saveWorkspaceMessage": "Czy chcesz zapisać konfigurację obszaru roboczego jako plik?",
+ "saveWorkspaceDetail": "Zapisz obszar roboczy, jeśli planujesz otworzyć go ponownie.",
+ "workspaceOpenedMessage": "Nie można zapisać obszaru roboczego „{0}”",
+ "ok": "OK",
+ "workspaceOpenedDetail": "Obszar roboczy jest już otwarty w innym oknie. Najpierw zamknij to okno, a następnie spróbuj ponownie."
+ },
+ "vs/workbench/services/workspaces/browser/abstractWorkspaceEditingService": {
+ "save": "Zapisz",
+ "saveWorkspace": "Zapisz obszar roboczy",
+ "errorInvalidTaskConfiguration": "Nie można zapisać pliku konfiguracji obszaru roboczego. Otwórz plik, aby poprawić w nim błędy/ostrzeżenia, a następnie spróbuj ponownie.",
+ "errorWorkspaceConfigurationFileDirty": "Nie można zapisać pliku konfiguracji obszaru roboczego, ponieważ plik jest zanieczyszczony. Zapisz go, a następnie spróbuj ponownie.",
+ "openWorkspaceConfigurationFile": "Otwórz konfigurację obszaru roboczego"
+ }
+}
diff --git a/internal/vite-plugin-monaco-editor-nls/src/locale/ps.json b/internal/vite-plugin-monaco-editor-nls/src/locale/ps.json
new file mode 100644
index 0000000..e376813
--- /dev/null
+++ b/internal/vite-plugin-monaco-editor-nls/src/locale/ps.json
@@ -0,0 +1,4496 @@
+{
+ "vs/base/common/severity": {
+ "sev.error": "[Erroor]",
+ "sev.warning": "[Waarniing]",
+ "sev.info": "[Infoo]"
+ },
+ "vs/base/parts/quickopen/browser/quickOpenModel": {
+ "quickOpenAriaLabelEntry": "[{0}, piickeer]",
+ "quickOpenAriaLabel": "[piickeer]"
+ },
+ "vs/base/browser/ui/aria/aria": {
+ "repeated": "[{0} (ooccuurreed aagaaiin)]"
+ },
+ "vs/base/browser/ui/findinput/findInput": {
+ "defaultLabel": "[iinpuut]"
+ },
+ "vs/base/browser/ui/inputbox/inputBox": {
+ "alertErrorMessage": "[Erroor: {0}]",
+ "alertWarningMessage": "[Waarniing: {0}]",
+ "alertInfoMessage": "[Infoo: {0}]"
+ },
+ "vs/base/browser/ui/actionbar/actionbar": {
+ "titleLabel": "[{0} ({1})]"
+ },
+ "vs/base/parts/tree/browser/treeDefaults": {
+ "collapse": "[Coollaapsee]"
+ },
+ "vs/base/node/processes": {
+ "TaskRunner.UNC": "[Caan't eexeecuutee aa sheell coommaand oon aa UNC driivee.]"
+ },
+ "vs/base/node/zip": {
+ "incompleteExtract": "[Incoompleetee. Foouund {0} oof {1} eentriiees]",
+ "notFound": "[{0} noot foouund iinsiidee ziip.]"
+ },
+ "vs/base/common/errorMessage": {
+ "stackTrace.format": "[{0}: {1}]",
+ "error.defaultMessage": "[An uunknoown eerroor ooccuurreed. Pleeaasee coonsuult thee loog foor mooree deetaaiils.]",
+ "nodeExceptionMessage": "[A systeem eerroor ooccuurreed ({0})]",
+ "error.moreErrors": "[{0} ({1} eerroors iin tootaal)]"
+ },
+ "vs/base/common/keybindingLabels": {
+ "ctrlKey": "[Ctrl]",
+ "shiftKey": "[Shiift]",
+ "altKey": "[Alt]",
+ "windowsKey": "[Wiindoows]",
+ "ctrlKey.long": "[Coontrool]",
+ "shiftKey.long": "[Shiift]",
+ "altKey.long": "[Alt]",
+ "cmdKey.long": "[Coommaand]",
+ "windowsKey.long": "[Wiindoows]"
+ },
+ "vs/base/parts/quickopen/browser/quickOpenWidget": {
+ "quickOpenAriaLabel": "[Quuiick piickeer. Typee too naarroow doown reesuults.]",
+ "treeAriaLabel": "[Quuiick Piickeer]"
+ },
+ "vs/base/browser/ui/findinput/findInputCheckboxes": {
+ "caseDescription": "[Maatch Caasee]",
+ "wordsDescription": "[Maatch Whoolee Woord]",
+ "regexDescription": "[Usee Reeguulaar Expreessiioon]"
+ },
+ "vs/base/browser/ui/toolbar/toolbar": {
+ "more": "[Mooree]"
+ },
+ "vs/base/browser/ui/selectBox/selectBoxCustom": {
+ "selectAriaOption": "[{0}]"
+ },
+ "vs/base/common/jsonErrorMessages": {
+ "error.invalidSymbol": "[Invaaliid symbool]",
+ "error.invalidNumberFormat": "[Invaaliid nuumbeer foormaat]",
+ "error.propertyNameExpected": "[Proopeerty naamee eexpeecteed]",
+ "error.valueExpected": "[Vaaluuee eexpeecteed]",
+ "error.colonExpected": "[Cooloon eexpeecteed]",
+ "error.commaExpected": "[Coommaa eexpeecteed]",
+ "error.closeBraceExpected": "[Cloosiing braacee eexpeecteed]",
+ "error.closeBracketExpected": "[Cloosiing braackeet eexpeecteed]",
+ "error.endOfFileExpected": "[End oof fiilee eexpeecteed]"
+ },
+ "vs/editor/browser/widget/codeEditorWidget": {
+ "cursors.maximum": "[Thee nuumbeer oof cuursoors haas beeeen liimiiteed too {0}.]"
+ },
+ "vs/editor/browser/widget/diffEditorWidget": {
+ "diff.tooLarge": "[Caannoot coompaaree fiilees beecaauusee oonee fiilee iis toooo laargee.]"
+ },
+ "vs/editor/common/view/editorColorRegistry": {
+ "lineHighlight": "[Baackgroouund cooloor foor thee hiighliight oof liinee aat thee cuursoor poosiitiioon.]",
+ "lineHighlightBorderBox": "[Baackgroouund cooloor foor thee boordeer aaroouund thee liinee aat thee cuursoor poosiitiioon.]",
+ "rangeHighlight": "[Baackgroouund cooloor oof hiighliighteed raangees, liikee by quuiick oopeen aand fiind feeaatuurees. Thee cooloor muust noot bee oopaaquuee too noot hiidee uundeerlyiing deecooraatiioons.]",
+ "rangeHighlightBorder": "[Baackgroouund cooloor oof thee boordeer aaroouund hiighliighteed raangees.]",
+ "caret": "[Cooloor oof thee eediitoor cuursoor.]",
+ "editorCursorBackground": "[Thee baackgroouund cooloor oof thee eediitoor cuursoor. Alloows cuustoomiiziing thee cooloor oof aa chaaraacteer ooveerlaappeed by aa bloock cuursoor.]",
+ "editorWhitespaces": "[Cooloor oof whiiteespaacee chaaraacteers iin thee eediitoor.]",
+ "editorIndentGuides": "[Cooloor oof thee eediitoor iindeentaatiioon guuiidees.]",
+ "editorActiveIndentGuide": "[Cooloor oof thee aactiivee eediitoor iindeentaatiioon guuiidees.]",
+ "editorLineNumbers": "[Cooloor oof eediitoor liinee nuumbeers.]",
+ "editorActiveLineNumber": "[Cooloor oof eediitoor aactiivee liinee nuumbeer]",
+ "deprecatedEditorActiveLineNumber": "[Id iis deepreecaateed. Usee 'eediitoorLiineeNuumbeer.aactiiveeFooreegroouund' iinsteeaad.]",
+ "editorRuler": "[Cooloor oof thee eediitoor ruuleers.]",
+ "editorCodeLensForeground": "[Fooreegroouund cooloor oof eediitoor coodee leensees]",
+ "editorBracketMatchBackground": "[Baackgroouund cooloor beehiind maatchiing braackeets]",
+ "editorBracketMatchBorder": "[Cooloor foor maatchiing braackeets booxees]",
+ "editorOverviewRulerBorder": "[Cooloor oof thee ooveerviieew ruuleer boordeer.]",
+ "editorGutter": "[Baackgroouund cooloor oof thee eediitoor guutteer. Thee guutteer coontaaiins thee glyph maargiins aand thee liinee nuumbeers.]",
+ "errorForeground": "[Fooreegroouund cooloor oof eerroor squuiiggliiees iin thee eediitoor.]",
+ "errorBorder": "[Boordeer cooloor oof eerroor squuiiggliiees iin thee eediitoor.]",
+ "warningForeground": "[Fooreegroouund cooloor oof waarniing squuiiggliiees iin thee eediitoor.]",
+ "warningBorder": "[Boordeer cooloor oof waarniing squuiiggliiees iin thee eediitoor.]",
+ "infoForeground": "[Fooreegroouund cooloor oof iinfoo squuiiggliiees iin thee eediitoor.]",
+ "infoBorder": "[Boordeer cooloor oof iinfoo squuiiggliiees iin thee eediitoor.]",
+ "hintForeground": "[Fooreegroouund cooloor oof hiint squuiiggliiees iin thee eediitoor.]",
+ "hintBorder": "[Boordeer cooloor oof hiint squuiiggliiees iin thee eediitoor.]",
+ "overviewRulerRangeHighlight": "[Oveerviieew ruuleer maarkeer cooloor foor raangee hiighliights. Thee cooloor muust noot bee oopaaquuee too noot hiidee uundeerlyiing deecooraatiioons.]",
+ "overviewRuleError": "[Oveerviieew ruuleer maarkeer cooloor foor eerroors.]",
+ "overviewRuleWarning": "[Oveerviieew ruuleer maarkeer cooloor foor waarniings.]",
+ "overviewRuleInfo": "[Oveerviieew ruuleer maarkeer cooloor foor iinfoos.]"
+ },
+ "vs/editor/common/modes/modesRegistry": {
+ "plainText.alias": "[Plaaiin Teext]"
+ },
+ "vs/editor/common/config/editorOptions": {
+ "accessibilityOffAriaLabel": "[Thee eediitoor iis noot aacceessiiblee aat thiis tiimee. Preess Alt+F1 foor ooptiioons.]",
+ "editorViewAccessibleLabel": "[Ediitoor coonteent]"
+ },
+ "vs/editor/common/controller/cursor": {
+ "corrupt.commands": "[Uneexpeecteed eexceeptiioon whiilee eexeecuutiing coommaand.]"
+ },
+ "vs/editor/browser/widget/diffReview": {
+ "label.close": "[Cloosee]",
+ "no_lines": "[noo liinees]",
+ "one_line": "[1 liinee]",
+ "more_lines": "[{0} liinees]",
+ "header": "[Diiffeereencee {0} oof {1}: ooriigiinaal {2}, {3}, moodiifiieed {4}, {5}]",
+ "blankLine": "[blaank]",
+ "equalLine": "[ooriigiinaal {0}, moodiifiieed {1}: {2}]",
+ "insertLine": "[+ moodiifiieed {0}: {1}]",
+ "deleteLine": "[- ooriigiinaal {0}: {1}]",
+ "editor.action.diffReview.next": "[Goo too Neext Diiffeereencee]",
+ "editor.action.diffReview.prev": "[Goo too Preeviioouus Diiffeereencee]"
+ },
+ "vs/editor/common/config/commonEditorConfig": {
+ "editorConfigurationTitle": "[Ediitoor]",
+ "fontFamily": "[Coontrools thee foont faamiily.]",
+ "fontWeight": "[Coontrools thee foont weeiight.]",
+ "fontSize": "[Coontrools thee foont siizee iin piixeels.]",
+ "lineHeight": "[Coontrools thee liinee heeiight. Usee 0 too coompuutee thee liineeHeeiight froom thee foontSiizee.]",
+ "letterSpacing": "[Coontrools thee leetteer spaaciing iin piixeels.]",
+ "lineNumbers.off": "[Liinee nuumbeers aaree noot reendeereed.]",
+ "lineNumbers.on": "[Liinee nuumbeers aaree reendeereed aas aabsooluutee nuumbeer.]",
+ "lineNumbers.relative": "[Liinee nuumbeers aaree reendeereed aas diistaancee iin liinees too cuursoor poosiitiioon.]",
+ "lineNumbers.interval": "[Liinee nuumbeers aaree reendeereed eeveery 10 liinees.]",
+ "lineNumbers": "[Coontrools thee diisplaay oof liinee nuumbeers.]",
+ "rulers": "[Reendeer veertiicaal ruuleers aafteer aa ceertaaiin nuumbeer oof moonoospaacee chaaraacteers. Usee muultiiplee vaaluuees foor muultiiplee ruuleers. Noo ruuleers aaree draawn iif aarraay iis eempty]",
+ "wordSeparators": "[Chaaraacteers thaat wiill bee uuseed aas woord seepaaraatoors wheen dooiing woord reelaateed naaviigaatiioons oor oopeeraatiioons]",
+ "tabSize": "[Thee nuumbeer oof spaacees aa taab iis eequuaal too. Thiis seettiing iis ooveerriiddeen baaseed oon thee fiilee coonteents wheen `eediitoor.deeteectIndeentaatiioon` iis oon.]",
+ "tabSize.errorMessage": "[Expeecteed 'nuumbeer'. Nootee thaat thee vaaluuee \"aauutoo\" haas beeeen reeplaaceed by thee `eediitoor.deeteectIndeentaatiioon` seettiing.]",
+ "insertSpaces": "[Inseert spaacees wheen preessiing Taab. Thiis seettiing iis ooveerriiddeen baaseed oon thee fiilee coonteents wheen `eediitoor.deeteectIndeentaatiioon` iis oon.]",
+ "insertSpaces.errorMessage": "[Expeecteed 'booooleeaan'. Nootee thaat thee vaaluuee \"aauutoo\" haas beeeen reeplaaceed by thee `eediitoor.deeteectIndeentaatiioon` seettiing.]",
+ "detectIndentation": "[Wheen oopeeniing aa fiilee, `eediitoor.taabSiizee` aand `eediitoor.iinseertSpaacees` wiill bee deeteecteed baaseed oon thee fiilee coonteents.]",
+ "roundedSelection": "[Coontrools iif seeleectiioons haavee roouundeed coorneers]",
+ "scrollBeyondLastLine": "[Coontrools iif thee eediitoor wiill scrooll beeyoond thee laast liinee]",
+ "scrollBeyondLastColumn": "[Coontrools iif thee eediitoor wiill scrooll beeyoond thee laast cooluumn]",
+ "smoothScrolling": "[Coontrools iif thee eediitoor wiill scrooll uusiing aan aaniimaatiioon]",
+ "minimap.enabled": "[Coontrools iif thee miiniimaap iis shoown]",
+ "minimap.side": "[Coontrools thee siidee wheeree too reendeer thee miiniimaap.]",
+ "minimap.showSlider": "[Coontrools wheetheer thee miiniimaap sliideer iis aauutoomaatiicaally hiiddeen.]",
+ "minimap.renderCharacters": "[Reendeer thee aactuuaal chaaraacteers oon aa liinee (aas ooppooseed too cooloor bloocks)]",
+ "minimap.maxColumn": "[Liimiit thee wiidth oof thee miiniimaap too reendeer aat moost aa ceertaaiin nuumbeer oof cooluumns]",
+ "find.seedSearchStringFromSelection": "[Coontrools iif wee seeeed thee seeaarch striing iin Fiind Wiidgeet froom eediitoor seeleectiioon]",
+ "find.autoFindInSelection": "[Coontrools iif Fiind iin Seeleectiioon flaag iis tuurneed oon wheen muultiiplee chaaraacteers oor liinees oof teext aaree seeleecteed iin thee eediitoor]",
+ "find.globalFindClipboard": "[Coontrools iif thee Fiind Wiidgeet shoouuld reeaad oor moodiify thee shaareed fiind cliipbooaard oon maacOS]",
+ "wordWrap.off": "[Liinees wiill neeveer wraap.]",
+ "wordWrap.on": "[Liinees wiill wraap aat thee viieewpoort wiidth.]",
+ "wordWrap.wordWrapColumn": "[Liinees wiill wraap aat `eediitoor.woordWraapCooluumn`.]",
+ "wordWrap.bounded": "[Liinees wiill wraap aat thee miiniimuum oof viieewpoort aand `eediitoor.woordWraapCooluumn`.]",
+ "wordWrap": "[Coontrools hoow liinees shoouuld wraap. Caan bee:\n - 'ooff' (diisaablee wraappiing),\n - 'oon' (viieewpoort wraappiing),\n - 'woordWraapCooluumn' (wraap aat `eediitoor.woordWraapCooluumn`) oor\n - 'boouundeed' (wraap aat miiniimuum oof viieewpoort aand `eediitoor.woordWraapCooluumn`).]",
+ "wordWrapColumn": "[Coontrools thee wraappiing cooluumn oof thee eediitoor wheen `eediitoor.woordWraap` iis 'woordWraapCooluumn' oor 'boouundeed'.]",
+ "wrappingIndent": "[Coontrools thee iindeentaatiioon oof wraappeed liinees. Caan bee oonee oof 'noonee', 'saamee' oor 'iindeent'.]",
+ "mouseWheelScrollSensitivity": "[A muultiipliieer too bee uuseed oon thee `deeltaaX` aand `deeltaaY` oof moouusee wheeeel scrooll eeveents]",
+ "multiCursorModifier.ctrlCmd": "[Maaps too `Coontrool` oon Wiindoows aand Liinuux aand too `Coommaand` oon maacOS.]",
+ "multiCursorModifier.alt": "[Maaps too `Alt` oon Wiindoows aand Liinuux aand too `Optiioon` oon maacOS.]",
+ "multiCursorModifier": "[Thee moodiifiieer too bee uuseed too aadd muultiiplee cuursoors wiith thee moouusee. `ctrlCmd` maaps too `Coontrool` oon Wiindoows aand Liinuux aand too `Coommaand` oon maacOS. Thee Goo Too Deefiiniitiioon aand Opeen Liink moouusee geestuurees wiill aadaapt suuch thaat theey doo noot coonfliict wiith thee muultiicuursoor moodiifiieer.]",
+ "multiCursorMergeOverlapping": "[Meergee muultiiplee cuursoors wheen theey aaree ooveerlaappiing.]",
+ "quickSuggestions.strings": "[Enaablee quuiick suuggeestiioons iinsiidee striings.]",
+ "quickSuggestions.comments": "[Enaablee quuiick suuggeestiioons iinsiidee coommeents.]",
+ "quickSuggestions.other": "[Enaablee quuiick suuggeestiioons oouutsiidee oof striings aand coommeents.]",
+ "quickSuggestions": "[Coontrools iif suuggeestiioons shoouuld aauutoomaatiicaally shoow uup whiilee typiing]",
+ "quickSuggestionsDelay": "[Coontrools thee deelaay iin ms aafteer whiich quuiick suuggeestiioons wiill shoow uup]",
+ "parameterHints": "[Enaablees poop-uup thaat shoows paaraameeteer doocuumeentaatiioon aand typee iinfoormaatiioon aas yoouu typee]",
+ "autoClosingBrackets": "[Coontrools iif thee eediitoor shoouuld aauutoomaatiicaally cloosee braackeets aafteer oopeeniing theem]",
+ "formatOnType": "[Coontrools iif thee eediitoor shoouuld aauutoomaatiicaally foormaat thee liinee aafteer typiing]",
+ "formatOnPaste": "[Coontrools iif thee eediitoor shoouuld aauutoomaatiicaally foormaat thee paasteed coonteent. A foormaatteer muust bee aavaaiilaablee aand thee foormaatteer shoouuld bee aablee too foormaat aa raangee iin aa doocuumeent.]",
+ "autoIndent": "[Coontrools iif thee eediitoor shoouuld aauutoomaatiicaally aadjuust thee iindeentaatiioon wheen uuseers typee, paastee oor moovee liinees. Indeentaatiioon ruulees oof thee laanguuaagee muust bee aavaaiilaablee.]",
+ "suggestOnTriggerCharacters": "[Coontrools iif suuggeestiioons shoouuld aauutoomaatiicaally shoow uup wheen typiing triiggeer chaaraacteers]",
+ "acceptSuggestionOnEnter": "[Coontrools iif suuggeestiioons shoouuld bee aacceepteed oon 'Enteer' - iin aaddiitiioon too 'Taab'. Heelps too aavooiid aambiiguuiity beetweeeen iinseertiing neew liinees oor aacceeptiing suuggeestiioons. Thee vaaluuee 'smaart' meeaans oonly aacceept aa suuggeestiioon wiith Enteer wheen iit maakees aa teextuuaal chaangee]",
+ "acceptSuggestionOnCommitCharacter": "[Coontrools iif suuggeestiioons shoouuld bee aacceepteed oon coommiit chaaraacteers. Foor iinstaancee iin JaavaaScriipt thee seemii-cooloon (';') caan bee aa coommiit chaaraacteer thaat aacceepts aa suuggeestiioon aand typees thaat chaaraacteer.]",
+ "snippetSuggestions.top": "[Shoow sniippeet suuggeestiioons oon toop oof ootheer suuggeestiioons.]",
+ "snippetSuggestions.bottom": "[Shoow sniippeet suuggeestiioons beeloow ootheer suuggeestiioons.]",
+ "snippetSuggestions.inline": "[Shoow sniippeets suuggeestiioons wiith ootheer suuggeestiioons.]",
+ "snippetSuggestions.none": "[Doo noot shoow sniippeet suuggeestiioons.]",
+ "snippetSuggestions": "[Coontrools wheetheer sniippeets aaree shoown wiith ootheer suuggeestiioons aand hoow theey aaree soorteed.]",
+ "emptySelectionClipboard": "[Coontrools wheetheer coopyiing wiithoouut aa seeleectiioon coopiiees thee cuurreent liinee.]",
+ "wordBasedSuggestions": "[Coontrools wheetheer coompleetiioons shoouuld bee coompuuteed baaseed oon woords iin thee doocuumeent.]",
+ "suggestSelection.first": "[Alwaays seeleect thee fiirst suuggeestiioon.]",
+ "suggestSelection.recentlyUsed": "[Seeleect reeceent suuggeestiioons uunleess fuurtheer typiing seeleects oonee, ee.g. `coonsoolee.| -> coonsoolee.loog` beecaauusee `loog` haas beeeen coompleeteed reeceently.]",
+ "suggestSelection.recentlyUsedByPrefix": "[Seeleect suuggeestiioons baaseed oon preeviioouus preefiixees thaat haavee coompleeteed thoosee suuggeestiioons, ee.g. `coo -> coonsoolee` aand `coon -> coonst`.]",
+ "suggestSelection": "[Coontrools hoow suuggeestiioons aaree pree-seeleecteed wheen shoowiing thee suuggeest liist.]",
+ "suggestFontSize": "[Foont siizee foor thee suuggeest wiidgeet]",
+ "suggestLineHeight": "[Liinee heeiight foor thee suuggeest wiidgeet]",
+ "selectionHighlight": "[Coontrools wheetheer thee eediitoor shoouuld hiighliight siimiilaar maatchees too thee seeleectiioon]",
+ "occurrencesHighlight": "[Coontrools wheetheer thee eediitoor shoouuld hiighliight seemaantiic symbool ooccuurreencees]",
+ "overviewRulerLanes": "[Coontrools thee nuumbeer oof deecooraatiioons thaat caan shoow uup aat thee saamee poosiitiioon iin thee ooveerviieew ruuleer]",
+ "overviewRulerBorder": "[Coontrools iif aa boordeer shoouuld bee draawn aaroouund thee ooveerviieew ruuleer.]",
+ "cursorBlinking": "[Coontrool thee cuursoor aaniimaatiioon stylee.]",
+ "mouseWheelZoom": "[Zoooom thee foont oof thee eediitoor wheen uusiing moouusee wheeeel aand hooldiing Ctrl]",
+ "cursorStyle": "[Coontrools thee cuursoor stylee, aacceepteed vaaluuees aaree 'bloock', 'bloock-oouutliinee', 'liinee', 'liinee-thiin', 'uundeerliinee' aand 'uundeerliinee-thiin']",
+ "cursorWidth": "[Coontrools thee wiidth oof thee cuursoor wheen eediitoor.cuursoorStylee iis seet too 'liinee']",
+ "fontLigatures": "[Enaablees foont liigaatuurees]",
+ "hideCursorInOverviewRuler": "[Coontrools iif thee cuursoor shoouuld bee hiiddeen iin thee ooveerviieew ruuleer.]",
+ "renderWhitespace": "[Coontrools hoow thee eediitoor shoouuld reendeer whiiteespaacee chaaraacteers, poossiibiiliitiiees aaree 'noonee', 'boouundaary', aand 'aall'. Thee 'boouundaary' ooptiioon dooees noot reendeer siinglee spaacees beetweeeen woords.]",
+ "renderControlCharacters": "[Coontrools wheetheer thee eediitoor shoouuld reendeer coontrool chaaraacteers]",
+ "renderIndentGuides": "[Coontrools wheetheer thee eediitoor shoouuld reendeer iindeent guuiidees]",
+ "renderLineHighlight": "[Coontrools hoow thee eediitoor shoouuld reendeer thee cuurreent liinee hiighliight, poossiibiiliitiiees aaree 'noonee', 'guutteer', 'liinee', aand 'aall'.]",
+ "codeLens": "[Coontrools iif thee eediitoor shoows CoodeeLeens]",
+ "folding": "[Coontrools wheetheer thee eediitoor haas coodee fooldiing eenaableed]",
+ "foldingStrategyAuto": "[If aavaaiilaablee, uusee aa laanguuaagee speeciifiic fooldiing straateegy, ootheerwiisee faalls baack too thee iindeentaatiioon baaseed straateegy.]",
+ "foldingStrategyIndentation": "[Alwaays uusee thee iindeentaatiioon baaseed fooldiing straateegy]",
+ "foldingStrategy": "[Coontrools thee waay fooldiing raangees aaree coompuuteed. 'aauutoo' piicks uusees aa laanguuaagee speeciifiic fooldiing straateegy, iif aavaaiilaablee. 'iindeentaatiioon' foorcees thaat thee iindeentaatiioon baaseed fooldiing straateegy iis uuseed.]",
+ "showFoldingControls": "[Coontrools wheetheer thee foold coontrools oon thee guutteer aaree aauutoomaatiicaally hiiddeen.]",
+ "matchBrackets": "[Hiighliight maatchiing braackeets wheen oonee oof theem iis seeleecteed.]",
+ "glyphMargin": "[Coontrools wheetheer thee eediitoor shoouuld reendeer thee veertiicaal glyph maargiin. Glyph maargiin iis moostly uuseed foor deebuuggiing.]",
+ "useTabStops": "[Inseertiing aand deeleetiing whiiteespaacee foolloows taab stoops]",
+ "trimAutoWhitespace": "[Reemoovee traaiiliing aauutoo iinseerteed whiiteespaacee]",
+ "stablePeek": "[Keeeep peeeek eediitoors oopeen eeveen wheen doouublee cliickiing theeiir coonteent oor wheen hiittiing Escaapee.]",
+ "dragAndDrop": "[Coontrools iif thee eediitoor shoouuld aalloow too moovee seeleectiioons viiaa draag aand droop.]",
+ "accessibilitySupport.auto": "[Thee eediitoor wiill uusee plaatfoorm APIs too deeteect wheen aa Screeeen Reeaadeer iis aattaacheed.]",
+ "accessibilitySupport.on": "[Thee eediitoor wiill bee peermaaneently ooptiimiizeed foor uusaagee wiith aa Screeeen Reeaadeer.]",
+ "accessibilitySupport.off": "[Thee eediitoor wiill neeveer bee ooptiimiizeed foor uusaagee wiith aa Screeeen Reeaadeer.]",
+ "accessibilitySupport": "[Coontrools wheetheer thee eediitoor shoouuld ruun iin aa moodee wheeree iit iis ooptiimiizeed foor screeeen reeaadeers.]",
+ "links": "[Coontrools wheetheer thee eediitoor shoouuld deeteect liinks aand maakee theem cliickaablee]",
+ "colorDecorators": "[Coontrools wheetheer thee eediitoor shoouuld reendeer thee iinliinee cooloor deecooraatoors aand cooloor piickeer.]",
+ "codeActions": "[Enaablees thee coodee aactiioon liightbuulb]",
+ "codeActionsOnSave.organizeImports": "[Ruun oorgaaniizee iimpoorts oon saavee?]",
+ "codeActionsOnSave": "[Coodee aactiioon kiinds too bee ruun oon saavee.]",
+ "codeActionsOnSaveTimeout": "[Tiimeeoouut foor coodee aactiioons ruun oon saavee.]",
+ "selectionClipboard": "[Coontrools iif thee Liinuux priimaary cliipbooaard shoouuld bee suuppoorteed.]",
+ "sideBySide": "[Coontrools iif thee diiff eediitoor shoows thee diiff siidee by siidee oor iinliinee]",
+ "ignoreTrimWhitespace": "[Coontrools iif thee diiff eediitoor shoows chaangees iin leeaadiing oor traaiiliing whiiteespaacee aas diiffs]",
+ "largeFileOptimizations": "[Speeciiaal haandliing foor laargee fiilees too diisaablee ceertaaiin meemoory iinteensiivee feeaatuurees.]",
+ "renderIndicators": "[Coontrools iif thee diiff eediitoor shoows +/- iindiicaatoors foor aaddeed/reemooveed chaangees]"
+ },
+ "vs/editor/common/services/modelServiceImpl": {
+ "diagAndSourceMultiline": "[[{0}]\n{1}]",
+ "diagAndSource": "[[{0}] {1}]"
+ },
+ "vs/platform/environment/node/argv": {
+ "gotoValidation": "[Arguumeents iin `--gootoo` moodee shoouuld bee iin thee foormaat oof `FILE(:LINE(:CHARACTER))`.]",
+ "diff": "[Coompaaree twoo fiilees wiith eeaach ootheer.]",
+ "add": "[Add fooldeer(s) too thee laast aactiivee wiindoow.]",
+ "goto": "[Opeen aa fiilee aat thee paath oon thee speeciifiieed liinee aand chaaraacteer poosiitiioon.]",
+ "newWindow": "[Foorcee too oopeen aa neew wiindoow.]",
+ "reuseWindow": "[Foorcee too oopeen aa fiilee oor fooldeer iin thee laast aactiivee wiindoow.]",
+ "wait": "[Waaiit foor thee fiilees too bee clooseed beefooree reetuurniing.]",
+ "locale": "[Thee loocaalee too uusee (ee.g. een-US oor zh-TW).]",
+ "userDataDir": "[Speeciifiiees thee diireectoory thaat uuseer daataa iis keept iin. Caan bee uuseed too oopeen muultiiplee diistiinct iinstaancees oof Coodee.]",
+ "version": "[Priint veersiioon.]",
+ "help": "[Priint uusaagee.]",
+ "extensionHomePath": "[Seet thee roooot paath foor eexteensiioons.]",
+ "listExtensions": "[Liist thee iinstaalleed eexteensiioons.]",
+ "showVersions": "[Shoow veersiioons oof iinstaalleed eexteensiioons, wheen uusiing --liist-eexteensiioon.]",
+ "installExtension": "[Instaalls aan eexteensiioon.]",
+ "uninstallExtension": "[Uniinstaalls aan eexteensiioon.]",
+ "experimentalApis": "[Enaablees proopooseed API feeaatuurees foor aan eexteensiioon.]",
+ "verbose": "[Priint veerboosee oouutpuut (iimpliiees --waaiit).]",
+ "log": "[Loog leeveel too uusee. Deefaauult iis 'iinfoo'. Allooweed vaaluuees aaree 'criitiicaal', 'eerroor', 'waarn', 'iinfoo', 'deebuug', 'traacee', 'ooff'.]",
+ "status": "[Priint prooceess uusaagee aand diiaagnoostiics iinfoormaatiioon.]",
+ "performance": "[Staart wiith thee 'Deeveeloopeer: Staartuup Peerfoormaancee' coommaand eenaableed.]",
+ "prof-startup": "[Ruun CPU proofiileer duuriing staartuup]",
+ "disableExtensions": "[Diisaablee aall iinstaalleed eexteensiioons.]",
+ "inspect-extensions": "[Alloow deebuuggiing aand proofiiliing oof eexteensiioons. Cheeck thee deeveeloopeer tooools foor thee coonneectiioon URI.]",
+ "inspect-brk-extensions": "[Alloow deebuuggiing aand proofiiliing oof eexteensiioons wiith thee eexteensiioon hoost beeiing paauuseed aafteer staart. Cheeck thee deeveeloopeer tooools foor thee coonneectiioon URI.]",
+ "disableGPU": "[Diisaablee GPU haardwaaree aacceeleeraatiioon.]",
+ "uploadLogs": "[Uplooaads loogs froom cuurreent seessiioon too aa seecuuree eendpooiint.]",
+ "maxMemory": "[Maax meemoory siizee foor aa wiindoow (iin Mbytees).]",
+ "usage": "[Usaagee]",
+ "options": "[ooptiioons]",
+ "paths": "[paaths]",
+ "stdinWindows": "[Too reeaad oouutpuut froom aanootheer proograam, aappeend '-' (ee.g. 'eechoo Heelloo Woorld | {0} -')]",
+ "stdinUnix": "[Too reeaad froom stdiin, aappeend '-' (ee.g. 'ps aauux | greep coodee | {0} -')]",
+ "optionsUpperCase": "[Optiioons]",
+ "extensionsManagement": "[Exteensiioons Maanaageemeent]",
+ "troubleshooting": "[Troouubleeshooootiing]"
+ },
+ "vs/platform/extensionManagement/common/extensionManagement": {
+ "extensions": "[Exteensiioons]",
+ "preferences": "[Preefeereencees]"
+ },
+ "vs/platform/telemetry/common/telemetryService": {
+ "telemetryConfigurationTitle": "[Teeleemeetry]",
+ "telemetry.enableTelemetry": "[Enaablee uusaagee daataa aand eerroors too bee seent too Miicroosooft.]"
+ },
+ "vs/platform/extensionManagement/node/extensionManagementService": {
+ "invalidManifest": "[Exteensiioon iinvaaliid: paackaagee.jsoon iis noot aa JSON fiilee.]",
+ "incompatible": "[Unaablee too iinstaall Exteensiioon '{0}' aas iit iis noot coompaatiiblee wiith Coodee '{1}'.]",
+ "restartCode": "[Pleeaasee reestaart Coodee beefooree reeiinstaalliing {0}.]",
+ "installingOutdatedExtension": "[A neeweer veersiioon oof thiis eexteensiioon iis aalreeaady iinstaalleed. Woouuld yoouu liikee too ooveerriidee thiis wiith thee ooldeer veersiioon?]",
+ "override": "[Oveerriidee]",
+ "cancel": "[Caanceel]",
+ "errorInstallingDependencies": "[Erroor whiilee iinstaalliing deepeendeenciiees. {0}]",
+ "MarketPlaceDisabled": "[Maarkeetplaacee iis noot eenaableed]",
+ "removeError": "[Erroor whiilee reemooviing thee eexteensiioon: {0}. Pleeaasee Quuiit aand Staart VS Coodee beefooree tryiing aagaaiin.]",
+ "Not a Marketplace extension": "[Only Maarkeetplaacee Exteensiioons caan bee reeiinstaalleed]",
+ "notFoundCompatible": "[Unaablee too iinstaall '{0}'; theeree iis noo aavaaiilaablee veersiioon coompaatiiblee wiith VS Coodee '{1}'.]",
+ "malicious extension": "[Caan't iinstaall eexteensiioon siincee iit waas reepoorteed too bee proobleemaatiic.]",
+ "notFoundCompatibleDependency": "[Unaablee too iinstaall beecaauusee, thee deepeendiing eexteensiioon '{0}' coompaatiiblee wiith cuurreent veersiioon '{1}' oof VS Coodee iis noot foouund.]",
+ "quitCode": "[Unaablee too iinstaall thee eexteensiioon. Pleeaasee Quuiit aand Staart VS Coodee beefooree reeiinstaalliing.]",
+ "exitCode": "[Unaablee too iinstaall thee eexteensiioon. Pleeaasee Exiit aand Staart VS Coodee beefooree reeiinstaalliing.]",
+ "renameError": "[Unknoown eerroor whiilee reenaamiing {0} too {1}]",
+ "uninstallDependeciesConfirmation": "[Woouuld yoouu liikee too uuniinstaall '{0}' oonly oor iits deepeendeenciiees aalsoo?]",
+ "uninstallOnly": "[Exteensiioon Only]",
+ "uninstallAll": "[Uniinstaall All]",
+ "uninstallConfirmation": "[Aree yoouu suuree yoouu waant too uuniinstaall '{0}'?]",
+ "ok": "[OK]",
+ "singleDependentError": "[Caannoot uuniinstaall eexteensiioon '{0}'. Exteensiioon '{1}' deepeends oon thiis.]",
+ "twoDependentsError": "[Caannoot uuniinstaall eexteensiioon '{0}'. Exteensiioons '{1}' aand '{2}' deepeend oon thiis.]",
+ "multipleDependentsError": "[Caannoot uuniinstaall eexteensiioon '{0}'. Exteensiioons '{1}', '{2}' aand ootheers deepeend oon thiis.]",
+ "notExists": "[Coouuld noot fiind eexteensiioon]"
+ },
+ "vs/platform/extensionManagement/node/extensionGalleryService": {
+ "notCompatibleDownload": "[Unaablee too doownlooaad beecaauusee thee eexteensiioon coompaatiiblee wiith cuurreent veersiioon '{0}' oof VS Coodee iis noot foouund.]"
+ },
+ "vs/platform/request/node/request": {
+ "httpConfigurationTitle": "[HTTP]",
+ "proxy": "[Thee prooxy seettiing too uusee. If noot seet wiill bee taakeen froom thee http_prooxy aand https_prooxy eenviiroonmeent vaariiaablees]",
+ "strictSSL": "[Wheetheer thee prooxy seerveer ceertiifiicaatee shoouuld bee veeriifiieed aagaaiinst thee liist oof suuppliieed CAs.]",
+ "proxyAuthorization": "[Thee vaaluuee too seend aas thee 'Prooxy-Auuthooriizaatiioon' heeaadeer foor eeveery neetwoork reequueest.]"
+ },
+ "vs/platform/dialogs/common/dialogs": {
+ "moreFile": "[...1 aaddiitiioonaal fiilee noot shoown]",
+ "moreFiles": "[...{0} aaddiitiioonaal fiilees noot shoown]"
+ },
+ "vs/platform/dialogs/node/dialogService": {
+ "cancel": "[Caanceel]"
+ },
+ "vs/platform/history/electron-main/historyMainService": {
+ "newWindow": "[Neew Wiindoow]",
+ "newWindowDesc": "[Opeens aa neew wiindoow]",
+ "recentFolders": "[Reeceent Woorkspaacees]",
+ "folderDesc": "[{0} {1}]",
+ "codeWorkspace": "[Coodee Woorkspaacee]"
+ },
+ "vs/platform/workspaces/common/workspaces": {
+ "codeWorkspace": "[Coodee Woorkspaacee]",
+ "untitledWorkspace": "[Untiitleed (Woorkspaacee)]",
+ "workspaceNameVerbose": "[{0} (Woorkspaacee)]",
+ "workspaceName": "[{0} (Woorkspaacee)]"
+ },
+ "vs/platform/configuration/common/configurationRegistry": {
+ "defaultConfigurations.title": "[Deefaauult Coonfiiguuraatiioon Oveerriidees]",
+ "overrideSettings.description": "[Coonfiiguuree eediitoor seettiings too bee ooveerriiddeen foor {0} laanguuaagee.]",
+ "overrideSettings.defaultDescription": "[Coonfiiguuree eediitoor seettiings too bee ooveerriiddeen foor aa laanguuaagee.]",
+ "config.property.languageDefault": "[Caannoot reegiisteer '{0}'. Thiis maatchees proopeerty paatteern '\\\\[.*\\\\]$' foor deescriibiing laanguuaagee speeciifiic eediitoor seettiings. Usee 'coonfiiguuraatiioonDeefaauults' coontriibuutiioon.]",
+ "config.property.duplicate": "[Caannoot reegiisteer '{0}'. Thiis proopeerty iis aalreeaady reegiisteereed.]"
+ },
+ "vs/platform/list/browser/listService": {
+ "workbenchConfigurationTitle": "[Woorkbeench]",
+ "multiSelectModifier.ctrlCmd": "[Maaps too `Coontrool` oon Wiindoows aand Liinuux aand too `Coommaand` oon maacOS.]",
+ "multiSelectModifier.alt": "[Maaps too `Alt` oon Wiindoows aand Liinuux aand too `Optiioon` oon maacOS.]",
+ "multiSelectModifier": "[Thee moodiifiieer too bee uuseed too aadd aan iiteem iin treeees aand liists too aa muultii-seeleectiioon wiith thee moouusee (foor eexaamplee iin thee eexplooreer, oopeen eediitoors aand scm viieew). `ctrlCmd` maaps too `Coontrool` oon Wiindoows aand Liinuux aand too `Coommaand` oon maacOS. Thee 'Opeen too Siidee' moouusee geestuurees - iif suuppoorteed - wiill aadaapt suuch thaat theey doo noot coonfliict wiith thee muultiiseeleect moodiifiieer.]",
+ "openMode.singleClick": "[Opeens iiteems oon moouusee siinglee cliick.]",
+ "openMode.doubleClick": "[Opeen iiteems oon moouusee doouublee cliick.]",
+ "openModeModifier": "[Coontrools hoow too oopeen iiteems iin treeees aand liists uusiing thee moouusee (iif suuppoorteed). Seet too `siingleeCliick` too oopeen iiteems wiith aa siinglee moouusee cliick aand `doouubleeCliick` too oonly oopeen viiaa moouusee doouublee cliick. Foor paareents wiith chiildreen iin treeees, thiis seettiing wiill coontrool iif aa siinglee cliick eexpaands thee paareent oor aa doouublee cliick. Nootee thaat soomee treeees aand liists miight choooosee too iignooree thiis seettiing iif iit iis noot aappliicaablee. ]",
+ "horizontalScrolling setting": "[Coontrools wheetheer treeees suuppoort hooriizoontaal scroolliing iin thee woorkbeench.]"
+ },
+ "vs/platform/theme/common/colorRegistry": {
+ "schema.colors": "[Cooloors uuseed iin thee woorkbeench.]",
+ "foreground": "[Oveeraall fooreegroouund cooloor. Thiis cooloor iis oonly uuseed iif noot ooveerriiddeen by aa coompooneent.]",
+ "errorForeground": "[Oveeraall fooreegroouund cooloor foor eerroor meessaagees. Thiis cooloor iis oonly uuseed iif noot ooveerriiddeen by aa coompooneent.]",
+ "descriptionForeground": "[Fooreegroouund cooloor foor deescriiptiioon teext prooviidiing aaddiitiioonaal iinfoormaatiioon, foor eexaamplee foor aa laabeel.]",
+ "focusBorder": "[Oveeraall boordeer cooloor foor foocuuseed eeleemeents. Thiis cooloor iis oonly uuseed iif noot ooveerriiddeen by aa coompooneent.]",
+ "contrastBorder": "[An eextraa boordeer aaroouund eeleemeents too seepaaraatee theem froom ootheers foor greeaateer coontraast.]",
+ "activeContrastBorder": "[An eextraa boordeer aaroouund aactiivee eeleemeents too seepaaraatee theem froom ootheers foor greeaateer coontraast.]",
+ "selectionBackground": "[Thee baackgroouund cooloor oof teext seeleectiioons iin thee woorkbeench (ee.g. foor iinpuut fiieelds oor teext aareeaas). Nootee thaat thiis dooees noot aapply too seeleectiioons wiithiin thee eediitoor.]",
+ "textSeparatorForeground": "[Cooloor foor teext seepaaraatoors.]",
+ "textLinkForeground": "[Fooreegroouund cooloor foor liinks iin teext.]",
+ "textLinkActiveForeground": "[Fooreegroouund cooloor foor liinks iin teext wheen cliickeed oon aand oon moouusee hooveer.]",
+ "textPreformatForeground": "[Fooreegroouund cooloor foor preefoormaatteed teext seegmeents.]",
+ "textBlockQuoteBackground": "[Baackgroouund cooloor foor bloock quuootees iin teext.]",
+ "textBlockQuoteBorder": "[Boordeer cooloor foor bloock quuootees iin teext.]",
+ "textCodeBlockBackground": "[Baackgroouund cooloor foor coodee bloocks iin teext.]",
+ "widgetShadow": "[Shaadoow cooloor oof wiidgeets suuch aas fiind/reeplaacee iinsiidee thee eediitoor.]",
+ "inputBoxBackground": "[Inpuut boox baackgroouund.]",
+ "inputBoxForeground": "[Inpuut boox fooreegroouund.]",
+ "inputBoxBorder": "[Inpuut boox boordeer.]",
+ "inputBoxActiveOptionBorder": "[Boordeer cooloor oof aactiivaateed ooptiioons iin iinpuut fiieelds.]",
+ "inputPlaceholderForeground": "[Inpuut boox fooreegroouund cooloor foor plaaceehooldeer teext.]",
+ "inputValidationInfoBackground": "[Inpuut vaaliidaatiioon baackgroouund cooloor foor iinfoormaatiioon seeveeriity.]",
+ "inputValidationInfoBorder": "[Inpuut vaaliidaatiioon boordeer cooloor foor iinfoormaatiioon seeveeriity.]",
+ "inputValidationWarningBackground": "[Inpuut vaaliidaatiioon baackgroouund cooloor foor waarniing seeveeriity.]",
+ "inputValidationWarningBorder": "[Inpuut vaaliidaatiioon boordeer cooloor foor waarniing seeveeriity.]",
+ "inputValidationErrorBackground": "[Inpuut vaaliidaatiioon baackgroouund cooloor foor eerroor seeveeriity.]",
+ "inputValidationErrorBorder": "[Inpuut vaaliidaatiioon boordeer cooloor foor eerroor seeveeriity.]",
+ "dropdownBackground": "[Droopdoown baackgroouund.]",
+ "dropdownListBackground": "[Droopdoown liist baackgroouund.]",
+ "dropdownForeground": "[Droopdoown fooreegroouund.]",
+ "dropdownBorder": "[Droopdoown boordeer.]",
+ "listFocusBackground": "[Liist/Treeee baackgroouund cooloor foor thee foocuuseed iiteem wheen thee liist/treeee iis aactiivee. An aactiivee liist/treeee haas keeybooaard foocuus, aan iinaactiivee dooees noot.]",
+ "listFocusForeground": "[Liist/Treeee fooreegroouund cooloor foor thee foocuuseed iiteem wheen thee liist/treeee iis aactiivee. An aactiivee liist/treeee haas keeybooaard foocuus, aan iinaactiivee dooees noot.]",
+ "listActiveSelectionBackground": "[Liist/Treeee baackgroouund cooloor foor thee seeleecteed iiteem wheen thee liist/treeee iis aactiivee. An aactiivee liist/treeee haas keeybooaard foocuus, aan iinaactiivee dooees noot.]",
+ "listActiveSelectionForeground": "[Liist/Treeee fooreegroouund cooloor foor thee seeleecteed iiteem wheen thee liist/treeee iis aactiivee. An aactiivee liist/treeee haas keeybooaard foocuus, aan iinaactiivee dooees noot.]",
+ "listInactiveSelectionBackground": "[Liist/Treeee baackgroouund cooloor foor thee seeleecteed iiteem wheen thee liist/treeee iis iinaactiivee. An aactiivee liist/treeee haas keeybooaard foocuus, aan iinaactiivee dooees noot.]",
+ "listInactiveSelectionForeground": "[Liist/Treeee fooreegroouund cooloor foor thee seeleecteed iiteem wheen thee liist/treeee iis iinaactiivee. An aactiivee liist/treeee haas keeybooaard foocuus, aan iinaactiivee dooees noot.]",
+ "listHoverBackground": "[Liist/Treeee baackgroouund wheen hooveeriing ooveer iiteems uusiing thee moouusee.]",
+ "listHoverForeground": "[Liist/Treeee fooreegroouund wheen hooveeriing ooveer iiteems uusiing thee moouusee.]",
+ "listDropBackground": "[Liist/Treeee draag aand droop baackgroouund wheen mooviing iiteems aaroouund uusiing thee moouusee.]",
+ "highlight": "[Liist/Treeee fooreegroouund cooloor oof thee maatch hiighliights wheen seeaarchiing iinsiidee thee liist/treeee.]",
+ "invalidItemForeground": "[Liist/Treeee fooreegroouund cooloor foor iinvaaliid iiteems, foor eexaamplee aan uunreesoolveed roooot iin eexplooreer.]",
+ "listErrorForeground": "[Fooreegroouund cooloor oof liist iiteems coontaaiiniing eerroors.]",
+ "listWarningForeground": "[Fooreegroouund cooloor oof liist iiteems coontaaiiniing waarniings.]",
+ "pickerGroupForeground": "[Quuiick piickeer cooloor foor groouupiing laabeels.]",
+ "pickerGroupBorder": "[Quuiick piickeer cooloor foor groouupiing boordeers.]",
+ "buttonForeground": "[Buuttoon fooreegroouund cooloor.]",
+ "buttonBackground": "[Buuttoon baackgroouund cooloor.]",
+ "buttonHoverBackground": "[Buuttoon baackgroouund cooloor wheen hooveeriing.]",
+ "badgeBackground": "[Baadgee baackgroouund cooloor. Baadgees aaree smaall iinfoormaatiioon laabeels, ee.g. foor seeaarch reesuults coouunt.]",
+ "badgeForeground": "[Baadgee fooreegroouund cooloor. Baadgees aaree smaall iinfoormaatiioon laabeels, ee.g. foor seeaarch reesuults coouunt.]",
+ "scrollbarShadow": "[Scroollbaar shaadoow too iindiicaatee thaat thee viieew iis scroolleed.]",
+ "scrollbarSliderBackground": "[Scroollbaar sliideer baackgroouund cooloor.]",
+ "scrollbarSliderHoverBackground": "[Scroollbaar sliideer baackgroouund cooloor wheen hooveeriing.]",
+ "scrollbarSliderActiveBackground": "[Scroollbaar sliideer baackgroouund cooloor wheen cliickeed oon.]",
+ "progressBarBackground": "[Baackgroouund cooloor oof thee proogreess baar thaat caan shoow foor loong ruunniing oopeeraatiioons.]",
+ "editorBackground": "[Ediitoor baackgroouund cooloor.]",
+ "editorForeground": "[Ediitoor deefaauult fooreegroouund cooloor.]",
+ "editorWidgetBackground": "[Baackgroouund cooloor oof eediitoor wiidgeets, suuch aas fiind/reeplaacee.]",
+ "editorWidgetBorder": "[Boordeer cooloor oof eediitoor wiidgeets. Thee cooloor iis oonly uuseed iif thee wiidgeet choooosees too haavee aa boordeer aand iif thee cooloor iis noot ooveerriiddeen by aa wiidgeet.]",
+ "editorSelectionBackground": "[Cooloor oof thee eediitoor seeleectiioon.]",
+ "editorSelectionForeground": "[Cooloor oof thee seeleecteed teext foor hiigh coontraast.]",
+ "editorInactiveSelection": "[Cooloor oof thee seeleectiioon iin aan iinaactiivee eediitoor. Thee cooloor muust noot bee oopaaquuee too noot hiidee uundeerlyiing deecooraatiioons.]",
+ "editorSelectionHighlight": "[Cooloor foor reegiioons wiith thee saamee coonteent aas thee seeleectiioon. Thee cooloor muust noot bee oopaaquuee too noot hiidee uundeerlyiing deecooraatiioons.]",
+ "editorSelectionHighlightBorder": "[Boordeer cooloor foor reegiioons wiith thee saamee coonteent aas thee seeleectiioon.]",
+ "editorFindMatch": "[Cooloor oof thee cuurreent seeaarch maatch.]",
+ "findMatchHighlight": "[Cooloor oof thee ootheer seeaarch maatchees. Thee cooloor muust noot bee oopaaquuee too noot hiidee uundeerlyiing deecooraatiioons.]",
+ "findRangeHighlight": "[Cooloor oof thee raangee liimiitiing thee seeaarch. Thee cooloor muust noot bee oopaaquuee too noot hiidee uundeerlyiing deecooraatiioons.]",
+ "editorFindMatchBorder": "[Boordeer cooloor oof thee cuurreent seeaarch maatch.]",
+ "findMatchHighlightBorder": "[Boordeer cooloor oof thee ootheer seeaarch maatchees.]",
+ "findRangeHighlightBorder": "[Boordeer cooloor oof thee raangee liimiitiing thee seeaarch. Thee cooloor muust noot bee oopaaquuee too noot hiidee uundeerlyiing deecooraatiioons.]",
+ "findWidgetResizeBorder": "[Boordeer cooloor oof thee reesiizee baar oof fiind wiidgeet.]",
+ "hoverHighlight": "[Hiighliight beeloow thee woord foor whiich aa hooveer iis shoown. Thee cooloor muust noot bee oopaaquuee too noot hiidee uundeerlyiing deecooraatiioons.]",
+ "hoverBackground": "[Baackgroouund cooloor oof thee eediitoor hooveer.]",
+ "hoverBorder": "[Boordeer cooloor oof thee eediitoor hooveer.]",
+ "activeLinkForeground": "[Cooloor oof aactiivee liinks.]",
+ "diffEditorInserted": "[Baackgroouund cooloor foor teext thaat goot iinseerteed. Thee cooloor muust noot bee oopaaquuee too noot hiidee uundeerlyiing deecooraatiioons.]",
+ "diffEditorRemoved": "[Baackgroouund cooloor foor teext thaat goot reemooveed. Thee cooloor muust noot bee oopaaquuee too noot hiidee uundeerlyiing deecooraatiioons.]",
+ "diffEditorInsertedOutline": "[Ouutliinee cooloor foor thee teext thaat goot iinseerteed.]",
+ "diffEditorRemovedOutline": "[Ouutliinee cooloor foor teext thaat goot reemooveed.]",
+ "mergeCurrentHeaderBackground": "[Cuurreent heeaadeer baackgroouund iin iinliinee meergee-coonfliicts. Thee cooloor muust noot bee oopaaquuee too noot hiidee uundeerlyiing deecooraatiioons.]",
+ "mergeCurrentContentBackground": "[Cuurreent coonteent baackgroouund iin iinliinee meergee-coonfliicts. Thee cooloor muust noot bee oopaaquuee too noot hiidee uundeerlyiing deecooraatiioons.]",
+ "mergeIncomingHeaderBackground": "[Incoomiing heeaadeer baackgroouund iin iinliinee meergee-coonfliicts. Thee cooloor muust noot bee oopaaquuee too noot hiidee uundeerlyiing deecooraatiioons.]",
+ "mergeIncomingContentBackground": "[Incoomiing coonteent baackgroouund iin iinliinee meergee-coonfliicts. Thee cooloor muust noot bee oopaaquuee too noot hiidee uundeerlyiing deecooraatiioons.]",
+ "mergeCommonHeaderBackground": "[Coommoon aanceestoor heeaadeer baackgroouund iin iinliinee meergee-coonfliicts. Thee cooloor muust noot bee oopaaquuee too noot hiidee uundeerlyiing deecooraatiioons.]",
+ "mergeCommonContentBackground": "[Coommoon aanceestoor coonteent baackgroouund iin iinliinee meergee-coonfliicts. Thee cooloor muust noot bee oopaaquuee too noot hiidee uundeerlyiing deecooraatiioons.]",
+ "mergeBorder": "[Boordeer cooloor oon heeaadeers aand thee spliitteer iin iinliinee meergee-coonfliicts.]",
+ "overviewRulerCurrentContentForeground": "[Cuurreent ooveerviieew ruuleer fooreegroouund foor iinliinee meergee-coonfliicts.]",
+ "overviewRulerIncomingContentForeground": "[Incoomiing ooveerviieew ruuleer fooreegroouund foor iinliinee meergee-coonfliicts.]",
+ "overviewRulerCommonContentForeground": "[Coommoon aanceestoor ooveerviieew ruuleer fooreegroouund foor iinliinee meergee-coonfliicts.]",
+ "overviewRulerFindMatchForeground": "[Oveerviieew ruuleer maarkeer cooloor foor fiind maatchees. Thee cooloor muust noot bee oopaaquuee too noot hiidee uundeerlyiing deecooraatiioons.]",
+ "overviewRulerSelectionHighlightForeground": "[Oveerviieew ruuleer maarkeer cooloor foor seeleectiioon hiighliights. Thee cooloor muust noot bee oopaaquuee too noot hiidee uundeerlyiing deecooraatiioons.]"
+ },
+ "vs/platform/actions/browser/menuItemActionItem": {
+ "titleAndKb": "[{0} ({1})]"
+ },
+ "vs/platform/url/electron-browser/inactiveExtensionUrlHandler": {
+ "confirmUrl": "[Alloow aan eexteensiioon too oopeen thiis URL?]"
+ },
+ "vs/platform/markers/common/markers": {
+ "sev.error": "[Erroor]",
+ "sev.warning": "[Waarniing]",
+ "sev.info": "[Infoo]"
+ },
+ "vs/platform/update/node/update.config.contribution": {
+ "updateConfigurationTitle": "[Updaatee]",
+ "updateChannel": "[Coonfiiguuree wheetheer yoouu reeceeiivee aauutoomaatiic uupdaatees froom aan uupdaatee chaanneel. Reequuiirees aa reestaart aafteer chaangee.]",
+ "enableWindowsBackgroundUpdates": "[Enaablees Wiindoows baackgroouund uupdaatees.]"
+ },
+ "vs/platform/extensions/node/extensionValidator": {
+ "versionSyntax": "[Coouuld noot paarsee `eengiinees.vscoodee` vaaluuee {0}. Pleeaasee uusee, foor eexaamplee: ^1.22.0, ^1.22.x, eetc.]",
+ "versionSpecificity1": "[Veersiioon speeciifiieed iin `eengiinees.vscoodee` ({0}) iis noot speeciifiic eenoouugh. Foor vscoodee veersiioons beefooree 1.0.0, pleeaasee deefiinee aat aa miiniimuum thee maajoor aand miinoor deesiireed veersiioon. E.g. ^0.10.0, 0.10.x, 0.11.0, eetc.]",
+ "versionSpecificity2": "[Veersiioon speeciifiieed iin `eengiinees.vscoodee` ({0}) iis noot speeciifiic eenoouugh. Foor vscoodee veersiioons aafteer 1.0.0, pleeaasee deefiinee aat aa miiniimuum thee maajoor deesiireed veersiioon. E.g. ^1.10.0, 1.10.x, 1.x.x, 2.x.x, eetc.]",
+ "versionMismatch": "[Exteensiioon iis noot coompaatiiblee wiith Coodee {0}. Exteensiioon reequuiirees: {1}.]"
+ },
+ "vs/platform/windows/electron-main/windowsService": {
+ "aboutDetail": "[Veersiioon {0}\nCoommiit {1}\nDaatee {2}\nSheell {3}\nReendeereer {4}\nNoodee {5}\nArchiiteectuuree {6}]",
+ "okButton": "[OK]",
+ "copy": "[&&Coopy]"
+ },
+ "vs/platform/issue/electron-main/issueService": {
+ "issueReporter": "[Issuuee Reepoorteer]",
+ "processExplorer": "[Prooceess Explooreer]"
+ },
+ "vs/platform/keybinding/common/abstractKeybindingService": {
+ "first.chord": "[({0}) waas preesseed. Waaiitiing foor seecoond keey oof choord...]",
+ "missing.chord": "[Thee keey coombiinaatiioon ({0}, {1}) iis noot aa coommaand.]"
+ },
+ "vs/platform/integrity/node/integrityServiceImpl": {
+ "integrity.prompt": "[Yoouur {0} iinstaallaatiioon aappeeaars too bee coorruupt. Pleeaasee reeiinstaall.]",
+ "integrity.moreInformation": "[Mooree Infoormaatiioon]",
+ "integrity.dontShowAgain": "[Doon't Shoow Agaaiin]"
+ },
+ "vs/platform/extensionManagement/common/extensionEnablementService": {
+ "noWorkspace": "[Noo woorkspaacee.]"
+ },
+ "vs/editor/contrib/caretOperations/caretOperations": {
+ "caret.moveLeft": "[Moovee Caareet Leeft]",
+ "caret.moveRight": "[Moovee Caareet Riight]"
+ },
+ "vs/editor/contrib/bracketMatching/bracketMatching": {
+ "overviewRulerBracketMatchForeground": "[Oveerviieew ruuleer maarkeer cooloor foor maatchiing braackeets.]",
+ "smartSelect.jumpBracket": "[Goo too Braackeet]",
+ "smartSelect.selectToBracket": "[Seeleect too Braackeet]"
+ },
+ "vs/editor/contrib/comment/comment": {
+ "comment.line": "[Toogglee Liinee Coommeent]",
+ "comment.line.add": "[Add Liinee Coommeent]",
+ "comment.line.remove": "[Reemoovee Liinee Coommeent]",
+ "comment.block": "[Toogglee Bloock Coommeent]"
+ },
+ "vs/editor/contrib/caretOperations/transpose": {
+ "transposeLetters.label": "[Traanspoosee Leetteers]"
+ },
+ "vs/editor/contrib/clipboard/clipboard": {
+ "actions.clipboard.cutLabel": "[Cuut]",
+ "actions.clipboard.copyLabel": "[Coopy]",
+ "actions.clipboard.pasteLabel": "[Paastee]",
+ "actions.clipboard.copyWithSyntaxHighlightingLabel": "[Coopy Wiith Syntaax Hiighliightiing]"
+ },
+ "vs/editor/contrib/contextmenu/contextmenu": {
+ "action.showContextMenu.label": "[Shoow Ediitoor Coonteext Meenuu]"
+ },
+ "vs/editor/contrib/find/findController": {
+ "startFindAction": "[Fiind]",
+ "startFindWithSelectionAction": "[Fiind Wiith Seeleectiioon]",
+ "findNextMatchAction": "[Fiind Neext]",
+ "findPreviousMatchAction": "[Fiind Preeviioouus]",
+ "nextSelectionMatchFindAction": "[Fiind Neext Seeleectiioon]",
+ "previousSelectionMatchFindAction": "[Fiind Preeviioouus Seeleectiioon]",
+ "startReplace": "[Reeplaacee]",
+ "showNextFindTermAction": "[Shoow Neext Fiind Teerm]",
+ "showPreviousFindTermAction": "[Shoow Preeviioouus Fiind Teerm]"
+ },
+ "vs/editor/contrib/folding/folding": {
+ "unfoldAction.label": "[Unfoold]",
+ "unFoldRecursivelyAction.label": "[Unfoold Reecuursiiveely]",
+ "foldAction.label": "[Foold]",
+ "foldRecursivelyAction.label": "[Foold Reecuursiiveely]",
+ "foldAllBlockComments.label": "[Foold All Bloock Coommeents]",
+ "foldAllMarkerRegions.label": "[Foold All Reegiioons]",
+ "unfoldAllMarkerRegions.label": "[Unfoold All Reegiioons]",
+ "foldAllAction.label": "[Foold All]",
+ "unfoldAllAction.label": "[Unfoold All]",
+ "foldLevelAction.label": "[Foold Leeveel {0}]"
+ },
+ "vs/editor/contrib/fontZoom/fontZoom": {
+ "EditorFontZoomIn.label": "[Ediitoor Foont Zoooom In]",
+ "EditorFontZoomOut.label": "[Ediitoor Foont Zoooom Ouut]",
+ "EditorFontZoomReset.label": "[Ediitoor Foont Zoooom Reeseet]"
+ },
+ "vs/editor/contrib/format/formatActions": {
+ "hint11": "[Maadee 1 foormaattiing eediit oon liinee {0}]",
+ "hintn1": "[Maadee {0} foormaattiing eediits oon liinee {1}]",
+ "hint1n": "[Maadee 1 foormaattiing eediit beetweeeen liinees {0} aand {1}]",
+ "hintnn": "[Maadee {0} foormaattiing eediits beetweeeen liinees {1} aand {2}]",
+ "no.provider": "[Theeree iis noo foormaatteer foor '{0}'-fiilees iinstaalleed.]",
+ "formatDocument.label": "[Foormaat Doocuumeent]",
+ "no.documentprovider": "[Theeree iis noo doocuumeent foormaatteer foor '{0}'-fiilees iinstaalleed.]",
+ "formatSelection.label": "[Foormaat Seeleectiioon]",
+ "no.selectionprovider": "[Theeree iis noo seeleectiioon foormaatteer foor '{0}'-fiilees iinstaalleed.]"
+ },
+ "vs/editor/contrib/goToDefinition/goToDefinitionCommands": {
+ "noResultWord": "[Noo deefiiniitiioon foouund foor '{0}']",
+ "generic.noResults": "[Noo deefiiniitiioon foouund]",
+ "meta.title": "[ – {0} deefiiniitiioons]",
+ "actions.goToDecl.label": "[Goo too Deefiiniitiioon]",
+ "actions.goToDeclToSide.label": "[Opeen Deefiiniitiioon too thee Siidee]",
+ "actions.previewDecl.label": "[Peeeek Deefiiniitiioon]",
+ "goToImplementation.noResultWord": "[Noo iimpleemeentaatiioon foouund foor '{0}']",
+ "goToImplementation.generic.noResults": "[Noo iimpleemeentaatiioon foouund]",
+ "meta.implementations.title": "[ – {0} iimpleemeentaatiioons]",
+ "actions.goToImplementation.label": "[Goo too Impleemeentaatiioon]",
+ "actions.peekImplementation.label": "[Peeeek Impleemeentaatiioon]",
+ "goToTypeDefinition.noResultWord": "[Noo typee deefiiniitiioon foouund foor '{0}']",
+ "goToTypeDefinition.generic.noResults": "[Noo typee deefiiniitiioon foouund]",
+ "meta.typeDefinitions.title": "[ – {0} typee deefiiniitiioons]",
+ "actions.goToTypeDefinition.label": "[Goo too Typee Deefiiniitiioon]",
+ "actions.peekTypeDefinition.label": "[Peeeek Typee Deefiiniitiioon]"
+ },
+ "vs/editor/contrib/gotoError/gotoError": {
+ "markerAction.next.label": "[Goo too Neext Proobleem (Erroor, Waarniing, Infoo)]",
+ "markerAction.previous.label": "[Goo too Preeviioouus Proobleem (Erroor, Waarniing, Infoo)]",
+ "markerAction.nextInFiles.label": "[Goo too Neext Proobleem iin Fiilees (Erroor, Waarniing, Infoo)]",
+ "markerAction.previousInFiles.label": "[Goo too Preeviioouus Proobleem iin Fiilees (Erroor, Waarniing, Infoo)]"
+ },
+ "vs/editor/contrib/goToDefinition/goToDefinitionMouse": {
+ "multipleResults": "[Cliick too shoow {0} deefiiniitiioons.]"
+ },
+ "vs/editor/contrib/hover/hover": {
+ "showHover": "[Shoow Hooveer]"
+ },
+ "vs/editor/contrib/inPlaceReplace/inPlaceReplace": {
+ "InPlaceReplaceAction.previous.label": "[Reeplaacee wiith Preeviioouus Vaaluuee]",
+ "InPlaceReplaceAction.next.label": "[Reeplaacee wiith Neext Vaaluuee]"
+ },
+ "vs/editor/contrib/linesOperations/linesOperations": {
+ "lines.copyUp": "[Coopy Liinee Up]",
+ "lines.copyDown": "[Coopy Liinee Doown]",
+ "lines.moveUp": "[Moovee Liinee Up]",
+ "lines.moveDown": "[Moovee Liinee Doown]",
+ "lines.sortAscending": "[Soort Liinees Asceendiing]",
+ "lines.sortDescending": "[Soort Liinees Deesceendiing]",
+ "lines.trimTrailingWhitespace": "[Triim Traaiiliing Whiiteespaacee]",
+ "lines.delete": "[Deeleetee Liinee]",
+ "lines.indent": "[Indeent Liinee]",
+ "lines.outdent": "[Ouutdeent Liinee]",
+ "lines.insertBefore": "[Inseert Liinee Aboovee]",
+ "lines.insertAfter": "[Inseert Liinee Beeloow]",
+ "lines.deleteAllLeft": "[Deeleetee All Leeft]",
+ "lines.deleteAllRight": "[Deeleetee All Riight]",
+ "lines.joinLines": "[Jooiin Liinees]",
+ "editor.transpose": "[Traanspoosee chaaraacteers aaroouund thee cuursoor]",
+ "editor.transformToUppercase": "[Traansfoorm too Uppeercaasee]",
+ "editor.transformToLowercase": "[Traansfoorm too Looweercaasee]"
+ },
+ "vs/editor/contrib/links/links": {
+ "links.navigate.mac": "[Cmd + cliick too foolloow liink]",
+ "links.navigate": "[Ctrl + cliick too foolloow liink]",
+ "links.command.mac": "[Cmd + cliick too eexeecuutee coommaand]",
+ "links.command": "[Ctrl + cliick too eexeecuutee coommaand]",
+ "links.navigate.al.mac": "[Optiioon + cliick too foolloow liink]",
+ "links.navigate.al": "[Alt + cliick too foolloow liink]",
+ "links.command.al.mac": "[Optiioon + cliick too eexeecuutee coommaand]",
+ "links.command.al": "[Alt + cliick too eexeecuutee coommaand]",
+ "invalid.url": "[Faaiileed too oopeen thiis liink beecaauusee iit iis noot weell-foormeed: {0}]",
+ "missing.url": "[Faaiileed too oopeen thiis liink beecaauusee iits taargeet iis miissiing.]",
+ "label": "[Opeen Liink]"
+ },
+ "vs/editor/contrib/multicursor/multicursor": {
+ "mutlicursor.insertAbove": "[Add Cuursoor Aboovee]",
+ "mutlicursor.insertBelow": "[Add Cuursoor Beeloow]",
+ "mutlicursor.insertAtEndOfEachLineSelected": "[Add Cuursoors too Liinee Ends]",
+ "addSelectionToNextFindMatch": "[Add Seeleectiioon Too Neext Fiind Maatch]",
+ "addSelectionToPreviousFindMatch": "[Add Seeleectiioon Too Preeviioouus Fiind Maatch]",
+ "moveSelectionToNextFindMatch": "[Moovee Laast Seeleectiioon Too Neext Fiind Maatch]",
+ "moveSelectionToPreviousFindMatch": "[Moovee Laast Seeleectiioon Too Preeviioouus Fiind Maatch]",
+ "selectAllOccurrencesOfFindMatch": "[Seeleect All Occuurreencees oof Fiind Maatch]",
+ "changeAll.label": "[Chaangee All Occuurreencees]"
+ },
+ "vs/editor/contrib/parameterHints/parameterHints": {
+ "parameterHints.trigger.label": "[Triiggeer Paaraameeteer Hiints]"
+ },
+ "vs/editor/contrib/rename/rename": {
+ "no result": "[Noo reesuult.]",
+ "aria": "[Suucceessfuully reenaameed '{0}' too '{1}'. Suummaary: {2}]",
+ "rename.failed": "[Reenaamee faaiileed too eexeecuutee.]",
+ "rename.label": "[Reenaamee Symbool]"
+ },
+ "vs/editor/contrib/referenceSearch/referenceSearch": {
+ "meta.titleReference": "[ – {0} reefeereencees]",
+ "references.action.label": "[Fiind All Reefeereencees]"
+ },
+ "vs/editor/contrib/smartSelect/smartSelect": {
+ "smartSelect.grow": "[Expaand Seeleect]",
+ "smartSelect.shrink": "[Shriink Seeleect]"
+ },
+ "vs/editor/contrib/suggest/suggestController": {
+ "arai.alert.snippet": "[Acceeptiing '{0}' diid iinseert thee foolloowiing teext: {1}]",
+ "suggest.trigger.label": "[Triiggeer Suuggeest]"
+ },
+ "vs/editor/contrib/toggleTabFocusMode/toggleTabFocusMode": {
+ "toggle.tabMovesFocus": "[Toogglee Taab Keey Moovees Foocuus]"
+ },
+ "vs/editor/contrib/wordHighlighter/wordHighlighter": {
+ "wordHighlight": "[Baackgroouund cooloor oof aa symbool duuriing reeaad-aacceess, liikee reeaadiing aa vaariiaablee. Thee cooloor muust noot bee oopaaquuee too noot hiidee uundeerlyiing deecooraatiioons.]",
+ "wordHighlightStrong": "[Baackgroouund cooloor oof aa symbool duuriing wriitee-aacceess, liikee wriitiing too aa vaariiaablee. Thee cooloor muust noot bee oopaaquuee too noot hiidee uundeerlyiing deecooraatiioons.]",
+ "wordHighlightBorder": "[Boordeer cooloor oof aa symbool duuriing reeaad-aacceess, liikee reeaadiing aa vaariiaablee.]",
+ "wordHighlightStrongBorder": "[Boordeer cooloor oof aa symbool duuriing wriitee-aacceess, liikee wriitiing too aa vaariiaablee.]",
+ "overviewRulerWordHighlightForeground": "[Oveerviieew ruuleer maarkeer cooloor foor symbool hiighliights. Thee cooloor muust noot bee oopaaquuee too noot hiidee uundeerlyiing deecooraatiioons.]",
+ "overviewRulerWordHighlightStrongForeground": "[Oveerviieew ruuleer maarkeer cooloor foor wriitee-aacceess symbool hiighliights. Thee cooloor muust noot bee oopaaquuee too noot hiidee uundeerlyiing deecooraatiioons.]",
+ "wordHighlight.next.label": "[Goo too Neext Symbool Hiighliight]",
+ "wordHighlight.previous.label": "[Goo too Preeviioouus Symbool Hiighliight]"
+ },
+ "vs/editor/contrib/find/findWidget": {
+ "label.find": "[Fiind]",
+ "placeholder.find": "[Fiind]",
+ "label.previousMatchButton": "[Preeviioouus maatch]",
+ "label.nextMatchButton": "[Neext maatch]",
+ "label.toggleSelectionFind": "[Fiind iin seeleectiioon]",
+ "label.closeButton": "[Cloosee]",
+ "label.replace": "[Reeplaacee]",
+ "placeholder.replace": "[Reeplaacee]",
+ "label.replaceButton": "[Reeplaacee]",
+ "label.replaceAllButton": "[Reeplaacee All]",
+ "label.toggleReplaceButton": "[Toogglee Reeplaacee moodee]",
+ "title.matchesCountLimit": "[Only thee fiirst {0} reesuults aaree hiighliighteed, buut aall fiind oopeeraatiioons woork oon thee eentiiree teext.]",
+ "label.matchesLocation": "[{0} oof {1}]",
+ "label.noResults": "[Noo Reesuults]"
+ },
+ "vs/editor/contrib/referenceSearch/referencesController": {
+ "labelLoading": "[Looaadiing...]"
+ },
+ "vs/editor/contrib/referenceSearch/peekViewWidget": {
+ "label.close": "[Cloosee]"
+ },
+ "vs/editor/contrib/referenceSearch/referencesModel": {
+ "aria.oneReference": "[symbool iin {0} oon liinee {1} aat cooluumn {2}]",
+ "aria.fileReferences.1": "[1 symbool iin {0}, fuull paath {1}]",
+ "aria.fileReferences.N": "[{0} symbools iin {1}, fuull paath {2}]",
+ "aria.result.0": "[Noo reesuults foouund]",
+ "aria.result.1": "[Foouund 1 symbool iin {0}]",
+ "aria.result.n1": "[Foouund {0} symbools iin {1}]",
+ "aria.result.nm": "[Foouund {0} symbools iin {1} fiilees]"
+ },
+ "vs/editor/contrib/message/messageController": {
+ "editor.readonly": "[Caannoot eediit iin reeaad-oonly eediitoor]"
+ },
+ "vs/editor/contrib/gotoError/gotoErrorWidget": {
+ "title.wo_source": "[({0}/{1})]",
+ "editorMarkerNavigationError": "[Ediitoor maarkeer naaviigaatiioon wiidgeet eerroor cooloor.]",
+ "editorMarkerNavigationWarning": "[Ediitoor maarkeer naaviigaatiioon wiidgeet waarniing cooloor.]",
+ "editorMarkerNavigationInfo": "[Ediitoor maarkeer naaviigaatiioon wiidgeet iinfoo cooloor.]",
+ "editorMarkerNavigationBackground": "[Ediitoor maarkeer naaviigaatiioon wiidgeet baackgroouund.]"
+ },
+ "vs/editor/contrib/hover/modesContentHover": {
+ "modesContentHover.loading": "[Looaadiing...]"
+ },
+ "vs/editor/contrib/codeAction/codeActionCommands": {
+ "quickFixWithKb": "[Shoow Fiixees ({0})]",
+ "quickFix": "[Shoow Fiixees]",
+ "quickfix.trigger.label": "[Quuiick Fiix...]",
+ "editor.action.quickFix.noneMessage": "[Noo coodee aactiioons aavaaiilaablee]",
+ "refactor.label": "[Reefaactoor...]",
+ "editor.action.refactor.noneMessage": "[Noo reefaactooriings aavaaiilaablee]",
+ "source.label": "[Soouurcee Actiioon...]",
+ "editor.action.source.noneMessage": "[Noo soouurcee aactiioons aavaaiilaablee]",
+ "organizeImports.label": "[Orgaaniizee Impoorts]",
+ "editor.action.organize.noneMessage": "[Noo oorgaaniizee iimpoorts aactiioon aavaaiilaablee]"
+ },
+ "vs/editor/contrib/parameterHints/parameterHintsWidget": {
+ "hint": "[{0}, hiint]"
+ },
+ "vs/editor/contrib/rename/renameInputField": {
+ "renameAriaLabel": "[Reenaamee iinpuut. Typee neew naamee aand preess Enteer too coommiit.]"
+ },
+ "vs/editor/contrib/referenceSearch/referencesWidget": {
+ "referencesFailre": "[Faaiileed too reesoolvee fiilee.]",
+ "referencesCount": "[{0} reefeereencees]",
+ "referenceCount": "[{0} reefeereencee]",
+ "missingPreviewMessage": "[noo preeviieew aavaaiilaablee]",
+ "treeAriaLabel": "[Reefeereencees]",
+ "noResults": "[Noo reesuults]",
+ "peekView.alternateTitle": "[Reefeereencees]",
+ "peekViewTitleBackground": "[Baackgroouund cooloor oof thee peeeek viieew tiitlee aareeaa.]",
+ "peekViewTitleForeground": "[Cooloor oof thee peeeek viieew tiitlee.]",
+ "peekViewTitleInfoForeground": "[Cooloor oof thee peeeek viieew tiitlee iinfoo.]",
+ "peekViewBorder": "[Cooloor oof thee peeeek viieew boordeers aand aarroow.]",
+ "peekViewResultsBackground": "[Baackgroouund cooloor oof thee peeeek viieew reesuult liist.]",
+ "peekViewResultsMatchForeground": "[Fooreegroouund cooloor foor liinee noodees iin thee peeeek viieew reesuult liist.]",
+ "peekViewResultsFileForeground": "[Fooreegroouund cooloor foor fiilee noodees iin thee peeeek viieew reesuult liist.]",
+ "peekViewResultsSelectionBackground": "[Baackgroouund cooloor oof thee seeleecteed eentry iin thee peeeek viieew reesuult liist.]",
+ "peekViewResultsSelectionForeground": "[Fooreegroouund cooloor oof thee seeleecteed eentry iin thee peeeek viieew reesuult liist.]",
+ "peekViewEditorBackground": "[Baackgroouund cooloor oof thee peeeek viieew eediitoor.]",
+ "peekViewEditorGutterBackground": "[Baackgroouund cooloor oof thee guutteer iin thee peeeek viieew eediitoor.]",
+ "peekViewResultsMatchHighlight": "[Maatch hiighliight cooloor iin thee peeeek viieew reesuult liist.]",
+ "peekViewEditorMatchHighlight": "[Maatch hiighliight cooloor iin thee peeeek viieew eediitoor.]",
+ "peekViewEditorMatchHighlightBorder": "[Maatch hiighliight boordeer iin thee peeeek viieew eediitoor.]"
+ },
+ "vs/editor/contrib/suggest/suggestWidget": {
+ "editorSuggestWidgetBackground": "[Baackgroouund cooloor oof thee suuggeest wiidgeet.]",
+ "editorSuggestWidgetBorder": "[Boordeer cooloor oof thee suuggeest wiidgeet.]",
+ "editorSuggestWidgetForeground": "[Fooreegroouund cooloor oof thee suuggeest wiidgeet.]",
+ "editorSuggestWidgetSelectedBackground": "[Baackgroouund cooloor oof thee seeleecteed eentry iin thee suuggeest wiidgeet.]",
+ "editorSuggestWidgetHighlightForeground": "[Cooloor oof thee maatch hiighliights iin thee suuggeest wiidgeet.]",
+ "readMore": "[Reeaad Mooree...{0}]",
+ "suggestionWithDetailsAriaLabel": "[{0}, suuggeestiioon, haas deetaaiils]",
+ "suggestionAriaLabel": "[{0}, suuggeestiioon]",
+ "readLess": "[Reeaad leess...{0}]",
+ "suggestWidget.loading": "[Looaadiing...]",
+ "suggestWidget.noSuggestions": "[Noo suuggeestiioons.]",
+ "suggestionAriaAccepted": "[{0}, aacceepteed]",
+ "ariaCurrentSuggestionWithDetails": "[{0}, suuggeestiioon, haas deetaaiils]",
+ "ariaCurrentSuggestion": "[{0}, suuggeestiioon]"
+ },
+ "vs/editor/contrib/find/simpleFindWidget": {
+ "label.find": "[Fiind]",
+ "placeholder.find": "[Fiind]",
+ "label.previousMatchButton": "[Preeviioouus maatch]",
+ "label.nextMatchButton": "[Neext maatch]",
+ "label.closeButton": "[Cloosee]"
+ },
+ "vs/editor/contrib/snippet/snippetVariables": {
+ "Sunday": "[Suundaay]",
+ "Monday": "[Moondaay]",
+ "Tuesday": "[Tuueesdaay]",
+ "Wednesday": "[Weedneesdaay]",
+ "Thursday": "[Thuursdaay]",
+ "Friday": "[Friidaay]",
+ "Saturday": "[Saatuurdaay]",
+ "SundayShort": "[Suun]",
+ "MondayShort": "[Moon]",
+ "TuesdayShort": "[Tuuee]",
+ "WednesdayShort": "[Weed]",
+ "ThursdayShort": "[Thuu]",
+ "FridayShort": "[Frii]",
+ "SaturdayShort": "[Saat]",
+ "January": "[Jaanuuaary]",
+ "February": "[Feebruuaary]",
+ "March": "[Maarch]",
+ "April": "[Apriil]",
+ "May": "[Maay]",
+ "June": "[Juunee]",
+ "July": "[Juuly]",
+ "August": "[Auuguust]",
+ "September": "[Seepteembeer]",
+ "October": "[Octoobeer]",
+ "November": "[Nooveembeer]",
+ "December": "[Deeceembeer]",
+ "JanuaryShort": "[Jaan]",
+ "FebruaryShort": "[Feeb]",
+ "MarchShort": "[Maar]",
+ "AprilShort": "[Apr]",
+ "MayShort": "[Maay]",
+ "JuneShort": "[Juun]",
+ "JulyShort": "[Juul]",
+ "AugustShort": "[Auug]",
+ "SeptemberShort": "[Seep]",
+ "OctoberShort": "[Oct]",
+ "NovemberShort": "[Noov]",
+ "DecemberShort": "[Deec]"
+ },
+ "vs/editor/contrib/indentation/indentation": {
+ "indentationToSpaces": "[Coonveert Indeentaatiioon too Spaacees]",
+ "indentationToTabs": "[Coonveert Indeentaatiioon too Taabs]",
+ "configuredTabSize": "[Coonfiiguureed Taab Siizee]",
+ "selectTabWidth": "[Seeleect Taab Siizee foor Cuurreent Fiilee]",
+ "indentUsingTabs": "[Indeent Usiing Taabs]",
+ "indentUsingSpaces": "[Indeent Usiing Spaacees]",
+ "detectIndentation": "[Deeteect Indeentaatiioon froom Coonteent]",
+ "editor.reindentlines": "[Reeiindeent Liinees]",
+ "editor.reindentselectedlines": "[Reeiindeent Seeleecteed Liinees]"
+ },
+ "vs/workbench/parts/cli/electron-browser/cli.contribution": {
+ "install": "[Instaall '{0}' coommaand iin PATH]",
+ "not available": "[Thiis coommaand iis noot aavaaiilaablee]",
+ "successIn": "[Sheell coommaand '{0}' suucceessfuully iinstaalleed iin PATH.]",
+ "ok": "[OK]",
+ "cancel2": "[Caanceel]",
+ "warnEscalation": "[Coodee wiill noow proompt wiith 'oosaascriipt' foor Admiiniistraatoor priiviileegees too iinstaall thee sheell coommaand.]",
+ "cantCreateBinFolder": "[Unaablee too creeaatee '/uusr/loocaal/biin'.]",
+ "aborted": "[Aboorteed]",
+ "uninstall": "[Uniinstaall '{0}' coommaand froom PATH]",
+ "successFrom": "[Sheell coommaand '{0}' suucceessfuully uuniinstaalleed froom PATH.]",
+ "shellCommand": "[Sheell Coommaand]"
+ },
+ "vs/workbench/parts/codeEditor/electron-browser/largeFileOptimizations": {
+ "largeFile": "[{0}: tookeeniizaatiioon, wraappiing aand fooldiing haavee beeeen tuurneed ooff foor thiis laargee fiilee iin oordeer too reeduucee meemoory uusaagee aand aavooiid freeeeziing oor craashiing.]",
+ "neverShowAgain": "[OK. Neeveer shoow aagaaiin]",
+ "removeOptimizations": "[Foorceefuully eenaablee feeaatuurees]",
+ "reopenFilePrompt": "[Pleeaasee reeoopeen fiilee iin oordeer foor thiis seettiing too taakee eeffeect.]"
+ },
+ "vs/workbench/parts/codeEditor/electron-browser/inspectKeybindings": {
+ "workbench.action.inspectKeyMap": "[Deeveeloopeer: Inspeect Keey Maappiings]"
+ },
+ "vs/workbench/parts/codeEditor/electron-browser/toggleMinimap": {
+ "toggleMinimap": "[Viieew: Toogglee Miiniimaap]"
+ },
+ "vs/workbench/parts/codeEditor/electron-browser/accessibility": {
+ "emergencyConfOn": "[Noow chaangiing thee seettiing `eediitoor.aacceessiibiiliitySuuppoort` too 'oon'.]",
+ "openingDocs": "[Noow oopeeniing thee VS Coodee Acceessiibiiliity doocuumeentaatiioon paagee.]",
+ "introMsg": "[Thaank yoouu foor tryiing oouut VS Coodee's aacceessiibiiliity ooptiioons.]",
+ "status": "[Staatuus:]",
+ "changeConfigToOnMac": "[Too coonfiiguuree thee eediitoor too bee peermaaneently ooptiimiizeed foor uusaagee wiith aa Screeeen Reeaadeer preess Coommaand+E noow.]",
+ "changeConfigToOnWinLinux": "[Too coonfiiguuree thee eediitoor too bee peermaaneently ooptiimiizeed foor uusaagee wiith aa Screeeen Reeaadeer preess Coontrool+E noow.]",
+ "auto_unknown": "[Thee eediitoor iis coonfiiguureed too uusee plaatfoorm APIs too deeteect wheen aa Screeeen Reeaadeer iis aattaacheed, buut thee cuurreent ruuntiimee dooees noot suuppoort thiis.]",
+ "auto_on": "[Thee eediitoor haas aauutoomaatiicaally deeteecteed aa Screeeen Reeaadeer iis aattaacheed.]",
+ "auto_off": "[Thee eediitoor iis coonfiiguureed too aauutoomaatiicaally deeteect wheen aa Screeeen Reeaadeer iis aattaacheed, whiich iis noot thee caasee aat thiis tiimee.]",
+ "configuredOn": "[Thee eediitoor iis coonfiiguureed too bee peermaaneently ooptiimiizeed foor uusaagee wiith aa Screeeen Reeaadeer - yoouu caan chaangee thiis by eediitiing thee seettiing `eediitoor.aacceessiibiiliitySuuppoort`.]",
+ "configuredOff": "[Thee eediitoor iis coonfiiguureed too neeveer bee ooptiimiizeed foor uusaagee wiith aa Screeeen Reeaadeer.]",
+ "tabFocusModeOnMsg": "[Preessiing Taab iin thee cuurreent eediitoor wiill moovee foocuus too thee neext foocuusaablee eeleemeent. Toogglee thiis beehaaviioor by preessiing {0}.]",
+ "tabFocusModeOnMsgNoKb": "[Preessiing Taab iin thee cuurreent eediitoor wiill moovee foocuus too thee neext foocuusaablee eeleemeent. Thee coommaand {0} iis cuurreently noot triiggeeraablee by aa keeybiindiing.]",
+ "tabFocusModeOffMsg": "[Preessiing Taab iin thee cuurreent eediitoor wiill iinseert thee taab chaaraacteer. Toogglee thiis beehaaviioor by preessiing {0}.]",
+ "tabFocusModeOffMsgNoKb": "[Preessiing Taab iin thee cuurreent eediitoor wiill iinseert thee taab chaaraacteer. Thee coommaand {0} iis cuurreently noot triiggeeraablee by aa keeybiindiing.]",
+ "openDocMac": "[Preess Coommaand+H noow too oopeen aa broowseer wiindoow wiith mooree VS Coodee iinfoormaatiioon reelaateed too Acceessiibiiliity.]",
+ "openDocWinLinux": "[Preess Coontrool+H noow too oopeen aa broowseer wiindoow wiith mooree VS Coodee iinfoormaatiioon reelaateed too Acceessiibiiliity.]",
+ "outroMsg": "[Yoouu caan diismiiss thiis tooooltiip aand reetuurn too thee eediitoor by preessiing Escaapee oor Shiift+Escaapee.]",
+ "ShowAccessibilityHelpAction": "[Shoow Acceessiibiiliity Heelp]"
+ },
+ "vs/workbench/parts/codeEditor/electron-browser/toggleMultiCursorModifier": {
+ "toggleLocation": "[Toogglee Muultii-Cuursoor Moodiifiieer]"
+ },
+ "vs/workbench/parts/codeEditor/electron-browser/textMate/inspectTMScopes": {
+ "inspectTMScopes": "[Deeveeloopeer: Inspeect TM Scoopees]",
+ "inspectTMScopesWidget.loading": "[Looaadiing...]"
+ },
+ "vs/workbench/parts/codeEditor/electron-browser/toggleRenderWhitespace": {
+ "toggleRenderWhitespace": "[Viieew: Toogglee Reendeer Whiiteespaacee]"
+ },
+ "vs/workbench/parts/codeEditor/electron-browser/toggleWordWrap": {
+ "toggle.wordwrap": "[Viieew: Toogglee Woord Wraap]",
+ "wordWrap.notInDiffEditor": "[Caannoot toogglee woord wraap iin aa diiff eediitoor.]",
+ "unwrapMinified": "[Diisaablee wraappiing foor thiis fiilee]",
+ "wrapMinified": "[Enaablee wraappiing foor thiis fiilee]"
+ },
+ "vs/workbench/parts/codeEditor/electron-browser/toggleRenderControlCharacter": {
+ "toggleRenderControlCharacters": "[Viieew: Toogglee Coontrool Chaaraacteers]"
+ },
+ "vs/workbench/parts/codeEditor/electron-browser/languageConfiguration/languageConfigurationExtensionPoint": {
+ "parseErrors": "[Erroors paarsiing {0}: {1}]",
+ "schema.openBracket": "[Thee oopeeniing braackeet chaaraacteer oor striing seequueencee.]",
+ "schema.closeBracket": "[Thee cloosiing braackeet chaaraacteer oor striing seequueencee.]",
+ "schema.comments": "[Deefiinees thee coommeent symbools]",
+ "schema.blockComments": "[Deefiinees hoow bloock coommeents aaree maarkeed.]",
+ "schema.blockComment.begin": "[Thee chaaraacteer seequueencee thaat staarts aa bloock coommeent.]",
+ "schema.blockComment.end": "[Thee chaaraacteer seequueencee thaat eends aa bloock coommeent.]",
+ "schema.lineComment": "[Thee chaaraacteer seequueencee thaat staarts aa liinee coommeent.]",
+ "schema.brackets": "[Deefiinees thee braackeet symbools thaat iincreeaasee oor deecreeaasee thee iindeentaatiioon.]",
+ "schema.autoClosingPairs": "[Deefiinees thee braackeet paaiirs. Wheen aa oopeeniing braackeet iis eenteereed, thee cloosiing braackeet iis iinseerteed aauutoomaatiicaally.]",
+ "schema.autoClosingPairs.notIn": "[Deefiinees aa liist oof scoopees wheeree thee aauutoo paaiirs aaree diisaableed.]",
+ "schema.surroundingPairs": "[Deefiinees thee braackeet paaiirs thaat caan bee uuseed too suurroouund aa seeleecteed striing.]",
+ "schema.wordPattern": "[Thee woord deefiiniitiioon foor thee laanguuaagee.]",
+ "schema.wordPattern.pattern": "[Thee ReegExp paatteern uuseed too maatch woords.]",
+ "schema.wordPattern.flags": "[Thee ReegExp flaags uuseed too maatch woords.]",
+ "schema.wordPattern.flags.errorMessage": "[Muust maatch thee paatteern `/^([giimuuy]+)$/`.]",
+ "schema.indentationRules": "[Thee laanguuaagee's iindeentaatiioon seettiings.]",
+ "schema.indentationRules.increaseIndentPattern": "[If aa liinee maatchees thiis paatteern, theen aall thee liinees aafteer iit shoouuld bee iindeenteed ooncee (uuntiil aanootheer ruulee maatchees).]",
+ "schema.indentationRules.increaseIndentPattern.pattern": "[Thee ReegExp paatteern foor iincreeaaseeIndeentPaatteern.]",
+ "schema.indentationRules.increaseIndentPattern.flags": "[Thee ReegExp flaags foor iincreeaaseeIndeentPaatteern.]",
+ "schema.indentationRules.increaseIndentPattern.errorMessage": "[Muust maatch thee paatteern `/^([giimuuy]+)$/`.]",
+ "schema.indentationRules.decreaseIndentPattern": "[If aa liinee maatchees thiis paatteern, theen aall thee liinees aafteer iit shoouuld bee uuniindeendeenteed ooncee (uuntiil aanootheer ruulee maatchees).]",
+ "schema.indentationRules.decreaseIndentPattern.pattern": "[Thee ReegExp paatteern foor deecreeaaseeIndeentPaatteern.]",
+ "schema.indentationRules.decreaseIndentPattern.flags": "[Thee ReegExp flaags foor deecreeaaseeIndeentPaatteern.]",
+ "schema.indentationRules.decreaseIndentPattern.errorMessage": "[Muust maatch thee paatteern `/^([giimuuy]+)$/`.]",
+ "schema.indentationRules.indentNextLinePattern": "[If aa liinee maatchees thiis paatteern, theen **oonly thee neext liinee** aafteer iit shoouuld bee iindeenteed ooncee.]",
+ "schema.indentationRules.indentNextLinePattern.pattern": "[Thee ReegExp paatteern foor iindeentNeextLiineePaatteern.]",
+ "schema.indentationRules.indentNextLinePattern.flags": "[Thee ReegExp flaags foor iindeentNeextLiineePaatteern.]",
+ "schema.indentationRules.indentNextLinePattern.errorMessage": "[Muust maatch thee paatteern `/^([giimuuy]+)$/`.]",
+ "schema.indentationRules.unIndentedLinePattern": "[If aa liinee maatchees thiis paatteern, theen iits iindeentaatiioon shoouuld noot bee chaangeed aand iit shoouuld noot bee eevaaluuaateed aagaaiinst thee ootheer ruulees.]",
+ "schema.indentationRules.unIndentedLinePattern.pattern": "[Thee ReegExp paatteern foor uunIndeenteedLiineePaatteern.]",
+ "schema.indentationRules.unIndentedLinePattern.flags": "[Thee ReegExp flaags foor uunIndeenteedLiineePaatteern.]",
+ "schema.indentationRules.unIndentedLinePattern.errorMessage": "[Muust maatch thee paatteern `/^([giimuuy]+)$/`.]",
+ "schema.folding": "[Thee laanguuaagee's fooldiing seettiings.]",
+ "schema.folding.offSide": "[A laanguuaagee aadheerees too thee ooff-siidee ruulee iif bloocks iin thaat laanguuaagee aaree eexpreesseed by theeiir iindeentaatiioon. If seet, eempty liinees beeloong too thee suubseequueent bloock.]",
+ "schema.folding.markers": "[Laanguuaagee speeciifiic fooldiing maarkeers suuch aas '#reegiioon' aand '#eendreegiioon'. Thee staart aand eend reegeexees wiill bee teesteed aagaaiinst thee coonteents oof aall liinees aand muust bee deesiigneed eeffiiciieently]",
+ "schema.folding.markers.start": "[Thee ReegExp paatteern foor thee staart maarkeer. Thee reegeexp muust staart wiith '^'.]",
+ "schema.folding.markers.end": "[Thee ReegExp paatteern foor thee eend maarkeer. Thee reegeexp muust staart wiith '^'.]"
+ },
+ "vs/workbench/parts/emmet/browser/actions/showEmmetCommands": {
+ "showEmmetCommands": "[Shoow Emmeet Coommaands]"
+ },
+ "vs/workbench/parts/emmet/electron-browser/actions/expandAbbreviation": {
+ "expandAbbreviationAction": "[Emmeet: Expaand Abbreeviiaatiioon]"
+ },
+ "vs/code/node/cliProcessMain": {
+ "notFound": "[Exteensiioon '{0}' noot foouund.]",
+ "notInstalled": "[Exteensiioon '{0}' iis noot iinstaalleed.]",
+ "useId": "[Maakee suuree yoouu uusee thee fuull eexteensiioon ID, iincluudiing thee puubliisheer, eeg: {0}]",
+ "successVsixInstall": "[Exteensiioon '{0}' waas suucceessfuully iinstaalleed!]",
+ "cancelVsixInstall": "[Caanceelleed iinstaalliing Exteensiioon '{0}'.]",
+ "alreadyInstalled": "[Exteensiioon '{0}' iis aalreeaady iinstaalleed.]",
+ "foundExtension": "[Foouund '{0}' iin thee maarkeetplaacee.]",
+ "installing": "[Instaalliing...]",
+ "successInstall": "[Exteensiioon '{0}' v{1} waas suucceessfuully iinstaalleed!]",
+ "uninstalling": "[Uniinstaalliing {0}...]",
+ "successUninstall": "[Exteensiioon '{0}' waas suucceessfuully uuniinstaalleed!]"
+ },
+ "vs/code/electron-main/main": {
+ "secondInstanceNoResponse": "[Anootheer iinstaancee oof {0} iis ruunniing buut noot reespoondiing]",
+ "secondInstanceNoResponseDetail": "[Pleeaasee cloosee aall ootheer iinstaancees aand try aagaaiin.]",
+ "secondInstanceAdmin": "[A seecoond iinstaancee oof {0} iis aalreeaady ruunniing aas aadmiiniistraatoor.]",
+ "secondInstanceAdminDetail": "[Pleeaasee cloosee thee ootheer iinstaancee aand try aagaaiin.]",
+ "close": "[&&Cloosee]"
+ },
+ "vs/code/electron-browser/issue/issueReporterMain": {
+ "hide": "[hiidee]",
+ "show": "[shoow]",
+ "previewOnGitHub": "[Preeviieew oon GiitHuub]",
+ "loadingData": "[Looaadiing daataa...]",
+ "rateLimited": "[GiitHuub quueery liimiit eexceeeedeed. Pleeaasee waaiit.]",
+ "similarIssues": "[Siimiilaar iissuuees]",
+ "open": "[Opeen]",
+ "closed": "[Clooseed]",
+ "noSimilarIssues": "[Noo siimiilaar iissuuees foouund]",
+ "settingsSearchIssue": "[Seettiings Seeaarch Issuuee]",
+ "bugReporter": "[Buug Reepoort]",
+ "featureRequest": "[Feeaatuuree Reequueest]",
+ "performanceIssue": "[Peerfoormaancee Issuuee]",
+ "stepsToReproduce": "[Steeps too Reeprooduucee]",
+ "bugDescription": "[Shaaree thee steeps neeeedeed too reeliiaably reeprooduucee thee proobleem. Pleeaasee iincluudee aactuuaal aand eexpeecteed reesuults. Wee suuppoort GiitHuub-flaavooreed Maarkdoown. Yoouu wiill bee aablee too eediit yoouur iissuuee aand aadd screeeenshoots wheen wee preeviieew iit oon GiitHuub.]",
+ "performanceIssueDesciption": "[Wheen diid thiis peerfoormaancee iissuuee haappeen? Dooees iit ooccuur oon staartuup oor aafteer aa speeciifiic seeriiees oof aactiioons? Wee suuppoort GiitHuub-flaavooreed Maarkdoown. Yoouu wiill bee aablee too eediit yoouur iissuuee aand aadd screeeenshoots wheen wee preeviieew iit oon GiitHuub.]",
+ "description": "[Deescriiptiioon]",
+ "featureRequestDescription": "[Pleeaasee deescriibee thee feeaatuuree yoouu woouuld liikee too seeee. Wee suuppoort GiitHuub-flaavooreed Maarkdoown. Yoouu wiill bee aablee too eediit yoouur iissuuee aand aadd screeeenshoots wheen wee preeviieew iit oon GiitHuub.]",
+ "expectedResults": "[Expeecteed Reesuults]",
+ "settingsSearchResultsDescription": "[Pleeaasee liist thee reesuults thaat yoouu weeree eexpeectiing too seeee wheen yoouu seeaarcheed wiith thiis quueery. Wee suuppoort GiitHuub-flaavooreed Maarkdoown. Yoouu wiill bee aablee too eediit yoouur iissuuee aand aadd screeeenshoots wheen wee preeviieew iit oon GiitHuub.]",
+ "pasteData": "[Wee haavee wriitteen thee neeeedeed daataa iintoo yoouur cliipbooaard beecaauusee iit waas toooo laargee too seend. Pleeaasee paastee.]",
+ "disabledExtensions": "[Exteensiioons aaree diisaableed]"
+ },
+ "vs/code/electron-browser/processExplorer/processExplorerMain": {
+ "cpu": "[CPU %]",
+ "memory": "[Meemoory (MB)]",
+ "pid": "[piid]",
+ "name": "[Naamee]",
+ "killProcess": "[Kiill Prooceess]",
+ "forceKillProcess": "[Foorcee Kiill Prooceess]",
+ "copy": "[Coopy]",
+ "copyAll": "[Coopy All]"
+ },
+ "vs/code/electron-main/logUploader": {
+ "invalidEndpoint": "[Invaaliid loog uuplooaadeer eendpooiint]",
+ "beginUploading": "[Uplooaadiing...]",
+ "didUploadLogs": "[Uplooaad suucceessfuul! Loog fiilee ID: {0}]",
+ "logUploadPromptHeader": "[Yoouu aaree aaboouut too uuplooaad yoouur seessiioon loogs too aa seecuuree Miicroosooft eendpooiint thaat oonly Miicroosooft's meembeers oof thee VS Coodee teeaam caan aacceess.]",
+ "logUploadPromptBody": "[Seessiioon loogs maay coontaaiin peersoonaal iinfoormaatiioon suuch aas fuull paaths oor fiilee coonteents. Pleeaasee reeviieew aand reedaact yoouur seessiioon loog fiilees heeree: '{0}']",
+ "logUploadPromptBodyDetails": "[By coontiinuuiing yoouu coonfiirm thaat yoouu haavee reeviieeweed aand reedaacteed yoouur seessiioon loog fiilees aand thaat yoouu aagreeee too Miicroosooft uusiing theem too deebuug VS Coodee.]",
+ "logUploadPromptAcceptInstructions": "[Pleeaasee ruun coodee wiith '--uuplooaad-loogs={0}' too prooceeeed wiith uuplooaad]",
+ "postError": "[Erroor poostiing loogs: {0}]",
+ "responseError": "[Erroor poostiing loogs. Goot {0} — {1}]",
+ "parseError": "[Erroor paarsiing reespoonsee]",
+ "zipError": "[Erroor ziippiing loogs: {0}]"
+ },
+ "vs/code/electron-browser/issue/issueReporterPage": {
+ "completeInEnglish": "[Pleeaasee coompleetee thee foorm iin Engliish.]",
+ "issueTypeLabel": "[Thiis iis aa]",
+ "issueSourceLabel": "[Fiilee oon]",
+ "vscode": "[Viisuuaal Stuudiioo Coodee]",
+ "extension": "[An Exteensiioon]",
+ "disableExtensionsLabelText": "[Try too reeprooduucee thee proobleem aafteer {0}. If thee proobleem oonly reeprooduucees wheen eexteensiioons aaree aactiivee, iit iis liikeely aan iissuuee wiith aan eexteensiioon.]",
+ "disableExtensions": "[diisaabliing aall eexteensiioons aand reelooaadiing thee wiindoow]",
+ "chooseExtension": "[Exteensiioon]",
+ "issueTitleLabel": "[Tiitlee]",
+ "issueTitleRequired": "[Pleeaasee eenteer aa tiitlee.]",
+ "titleLengthValidation": "[Thee tiitlee iis toooo loong.]",
+ "details": "[Pleeaasee eenteer deetaaiils.]",
+ "sendSystemInfo": "[Seend my systeem iinfoormaatiioon ({0})]",
+ "show": "[shoow]",
+ "sendProcessInfo": "[Seend my cuurreently ruunniing prooceessees ({0})]",
+ "sendWorkspaceInfo": "[Seend my woorkspaacee meetaadaataa ({0})]",
+ "sendExtensions": "[Seend my eenaableed eexteensiioons ({0})]",
+ "sendSearchedExtensions": "[Seend seeaarcheed eexteensiioons ({0})]",
+ "sendSettingsSearchDetails": "[Seend seettiings seeaarch deetaaiils ({0})]"
+ },
+ "vs/code/electron-main/window": {
+ "hiddenMenuBar": "[Yoouu caan stiill aacceess thee meenuu baar by preessiing thee Alt-keey.]"
+ },
+ "vs/code/electron-main/auth": {
+ "authRequire": "[Prooxy Auutheentiicaatiioon Reequuiireed]",
+ "proxyauth": "[Thee prooxy {0} reequuiirees aauutheentiicaatiioon.]"
+ },
+ "vs/code/electron-main/menus": {
+ "mFile": "[&&Fiilee]",
+ "mEdit": "[&&Ediit]",
+ "mSelection": "[&&Seeleectiioon]",
+ "mView": "[&&Viieew]",
+ "mGoto": "[&&Goo]",
+ "mDebug": "[&&Deebuug]",
+ "mWindow": "[Wiindoow]",
+ "mHelp": "[&&Heelp]",
+ "mTask": "[&&Taasks]",
+ "miNewWindow": "[Neew &&Wiindoow]",
+ "mAbout": "[Aboouut {0}]",
+ "mServices": "[Seerviicees]",
+ "mHide": "[Hiidee {0}]",
+ "mHideOthers": "[Hiidee Otheers]",
+ "mShowAll": "[Shoow All]",
+ "miQuit": "[Quuiit {0}]",
+ "miNewFile": "[&&Neew Fiilee]",
+ "miOpen": "[&&Opeen...]",
+ "miOpenWorkspace": "[Opeen Woor&&kspaacee...]",
+ "miOpenFolder": "[Opeen &&Fooldeer...]",
+ "miOpenFile": "[&&Opeen Fiilee...]",
+ "miOpenRecent": "[Opeen &&Reeceent]",
+ "miSaveWorkspaceAs": "[Saavee Woorkspaacee As...]",
+ "miAddFolderToWorkspace": "[A&&dd Fooldeer too Woorkspaacee...]",
+ "miSave": "[&&Saavee]",
+ "miSaveAs": "[Saavee &&As...]",
+ "miSaveAll": "[Saavee A&&ll]",
+ "miAutoSave": "[Auutoo Saavee]",
+ "miRevert": "[Ree&&veert Fiilee]",
+ "miCloseWindow": "[Cloos&&ee Wiindoow]",
+ "miCloseWorkspace": "[Cloosee &&Woorkspaacee]",
+ "miCloseFolder": "[Cloosee &&Fooldeer]",
+ "miCloseEditor": "[&&Cloosee Ediitoor]",
+ "miExit": "[E&&xiit]",
+ "miOpenSettings": "[&&Seettiings]",
+ "miOpenKeymap": "[&&Keeybooaard Shoortcuuts]",
+ "miOpenKeymapExtensions": "[&&Keeymaap Exteensiioons]",
+ "miOpenSnippets": "[Useer &&Sniippeets]",
+ "miSelectColorTheme": "[&&Cooloor Theemee]",
+ "miSelectIconTheme": "[Fiilee &&Icoon Theemee]",
+ "miPreferences": "[&&Preefeereencees]",
+ "miReopenClosedEditor": "[&&Reeoopeen Clooseed Ediitoor]",
+ "miMore": "[&&Mooree...]",
+ "miClearRecentOpen": "[&&Cleeaar Reeceently Opeeneed]",
+ "miUndo": "[&&Undoo]",
+ "miRedo": "[&&Reedoo]",
+ "miCut": "[Cuu&&t]",
+ "miCopy": "[&&Coopy]",
+ "miPaste": "[&&Paastee]",
+ "miFind": "[&&Fiind]",
+ "miReplace": "[&&Reeplaacee]",
+ "miFindInFiles": "[Fiind &&iin Fiilees]",
+ "miReplaceInFiles": "[Reeplaacee &&iin Fiilees]",
+ "miEmmetExpandAbbreviation": "[Emmeet: E&&xpaand Abbreeviiaatiioon]",
+ "miShowEmmetCommands": "[E&&mmeet...]",
+ "miToggleLineComment": "[&&Toogglee Liinee Coommeent]",
+ "miToggleBlockComment": "[Toogglee &&Bloock Coommeent]",
+ "miMultiCursorAlt": "[Swiitch too Alt+Cliick foor Muultii-Cuursoor]",
+ "miMultiCursorCmd": "[Swiitch too Cmd+Cliick foor Muultii-Cuursoor]",
+ "miMultiCursorCtrl": "[Swiitch too Ctrl+Cliick foor Muultii-Cuursoor]",
+ "miInsertCursorAbove": "[&&Add Cuursoor Aboovee]",
+ "miInsertCursorBelow": "[A&&dd Cuursoor Beeloow]",
+ "miInsertCursorAtEndOfEachLineSelected": "[Add C&&uursoors too Liinee Ends]",
+ "miAddSelectionToNextFindMatch": "[Add &&Neext Occuurreencee]",
+ "miAddSelectionToPreviousFindMatch": "[Add P&&reeviioouus Occuurreencee]",
+ "miSelectHighlights": "[Seeleect All &&Occuurreencees]",
+ "miCopyLinesUp": "[&&Coopy Liinee Up]",
+ "miCopyLinesDown": "[Coo&&py Liinee Doown]",
+ "miMoveLinesUp": "[Moo&&vee Liinee Up]",
+ "miMoveLinesDown": "[Moovee &&Liinee Doown]",
+ "miSelectAll": "[&&Seeleect All]",
+ "miSmartSelectGrow": "[&&Expaand Seeleectiioon]",
+ "miSmartSelectShrink": "[&&Shriink Seeleectiioon]",
+ "miViewExplorer": "[&&Explooreer]",
+ "miViewSearch": "[&&Seeaarch]",
+ "miViewSCM": "[S&&CM]",
+ "miViewDebug": "[&&Deebuug]",
+ "miViewExtensions": "[E&&xteensiioons]",
+ "miToggleOutput": "[&&Ouutpuut]",
+ "miToggleDebugConsole": "[Dee&&buug Coonsoolee]",
+ "miToggleIntegratedTerminal": "[&&Inteegraateed Teermiinaal]",
+ "miMarker": "[&&Proobleems]",
+ "miAdditionalViews": "[Addiitiioonaal &&Viieews]",
+ "miCommandPalette": "[&&Coommaand Paaleettee...]",
+ "miOpenView": "[&&Opeen Viieew...]",
+ "miToggleFullScreen": "[Toogglee &&Fuull Screeeen]",
+ "miToggleZenMode": "[Toogglee Zeen Moodee]",
+ "miToggleCenteredLayout": "[Toogglee Ceenteereed Laayoouut]",
+ "miToggleMenuBar": "[Toogglee Meenuu &&Baar]",
+ "miSplitEditor": "[Spliit &&Ediitoor]",
+ "miToggleEditorLayout": "[Toogglee Ediitoor Groouup &&Laayoouut]",
+ "miToggleSidebar": "[&&Toogglee Siidee Baar]",
+ "miMoveSidebarRight": "[&&Moovee Siidee Baar Riight]",
+ "miMoveSidebarLeft": "[&&Moovee Siidee Baar Leeft]",
+ "miTogglePanel": "[Toogglee &&Paaneel]",
+ "miHideStatusbar": "[&&Hiidee Staatuus Baar]",
+ "miShowStatusbar": "[&&Shoow Staatuus Baar]",
+ "miHideActivityBar": "[Hiidee &&Actiiviity Baar]",
+ "miShowActivityBar": "[Shoow &&Actiiviity Baar]",
+ "miToggleWordWrap": "[Toogglee &&Woord Wraap]",
+ "miToggleMinimap": "[Toogglee &&Miiniimaap]",
+ "miToggleRenderWhitespace": "[Toogglee &&Reendeer Whiiteespaacee]",
+ "miToggleRenderControlCharacters": "[Toogglee &&Coontrool Chaaraacteers]",
+ "miZoomIn": "[&&Zoooom In]",
+ "miZoomOut": "[Zoooom O&&uut]",
+ "miZoomReset": "[&&Reeseet Zoooom]",
+ "miBack": "[&&Baack]",
+ "miForward": "[&&Foorwaard]",
+ "miNextEditor": "[&&Neext Ediitoor]",
+ "miPreviousEditor": "[&&Preeviioouus Ediitoor]",
+ "miNextEditorInGroup": "[&&Neext Useed Ediitoor iin Groouup]",
+ "miPreviousEditorInGroup": "[&&Preeviioouus Useed Ediitoor iin Groouup]",
+ "miSwitchEditor": "[Swiitch &&Ediitoor]",
+ "miFocusFirstGroup": "[&&Fiirst Groouup]",
+ "miFocusSecondGroup": "[&&Seecoond Groouup]",
+ "miFocusThirdGroup": "[&&Thiird Groouup]",
+ "miNextGroup": "[&&Neext Groouup]",
+ "miPreviousGroup": "[&&Preeviioouus Groouup]",
+ "miSwitchGroup": "[Swiitch &&Groouup]",
+ "miGotoFile": "[Goo too &&Fiilee...]",
+ "miGotoSymbolInFile": "[Goo too &&Symbool iin Fiilee...]",
+ "miGotoSymbolInWorkspace": "[Goo too Symbool iin &&Woorkspaacee...]",
+ "miGotoDefinition": "[Goo too &&Deefiiniitiioon]",
+ "miGotoTypeDefinition": "[Goo too &&Typee Deefiiniitiioon]",
+ "miGotoImplementation": "[Goo too &&Impleemeentaatiioon]",
+ "miGotoLine": "[Goo too &&Liinee...]",
+ "miStartDebugging": "[&&Staart Deebuuggiing]",
+ "miStartWithoutDebugging": "[Staart &&Wiithoouut Deebuuggiing]",
+ "miStopDebugging": "[&&Stoop Deebuuggiing]",
+ "miRestart Debugging": "[&&Reestaart Deebuuggiing]",
+ "miOpenConfigurations": "[Opeen &&Coonfiiguuraatiioons]",
+ "miAddConfiguration": "[Add Coonfiiguuraatiioon...]",
+ "miStepOver": "[Steep &&Oveer]",
+ "miStepInto": "[Steep &&Intoo]",
+ "miStepOut": "[Steep O&&uut]",
+ "miContinue": "[&&Coontiinuuee]",
+ "miToggleBreakpoint": "[Toogglee &&Breeaakpooiint]",
+ "miConditionalBreakpoint": "[&&Coondiitiioonaal Breeaakpooiint...]",
+ "miInlineBreakpoint": "[Inliinee Breeaakp&&ooiint]",
+ "miFunctionBreakpoint": "[&&Fuunctiioon Breeaakpooiint...]",
+ "miLogPoint": "[&&Loogpooiint...]",
+ "miNewBreakpoint": "[&&Neew Breeaakpooiint]",
+ "miEnableAllBreakpoints": "[Enaablee All Breeaakpooiints]",
+ "miDisableAllBreakpoints": "[Diisaablee A&&ll Breeaakpooiints]",
+ "miRemoveAllBreakpoints": "[Reemoovee &&All Breeaakpooiints]",
+ "miInstallAdditionalDebuggers": "[&&Instaall Addiitiioonaal Deebuuggeers...]",
+ "mMinimize": "[Miiniimiizee]",
+ "mZoom": "[Zoooom]",
+ "mBringToFront": "[Briing All too Froont]",
+ "miSwitchWindow": "[Swiitch &&Wiindoow...]",
+ "mShowPreviousTab": "[Shoow Preeviioouus Taab]",
+ "mShowNextTab": "[Shoow Neext Taab]",
+ "mMoveTabToNewWindow": "[Moovee Taab too Neew Wiindoow]",
+ "mMergeAllWindows": "[Meergee All Wiindoows]",
+ "miToggleDevTools": "[&&Toogglee Deeveeloopeer Tooools]",
+ "miAccessibilityOptions": "[Acceessiibiiliity &&Optiioons]",
+ "miOpenProcessExplorerer": "[Opeen &&Prooceess Explooreer]",
+ "miReportIssue": "[Reepoort &&Issuuee]",
+ "miWelcome": "[&&Weelcoomee]",
+ "miInteractivePlayground": "[&&Inteeraactiivee Plaaygroouund]",
+ "miDocumentation": "[&&Doocuumeentaatiioon]",
+ "miReleaseNotes": "[&&Reeleeaasee Nootees]",
+ "miKeyboardShortcuts": "[&&Keeybooaard Shoortcuuts Reefeereencee]",
+ "miIntroductoryVideos": "[Introoduuctoory &&Viideeoos]",
+ "miTipsAndTricks": "[&&Tiips aand Triicks]",
+ "miTwitter": "[&&Jooiin uus oon Twiitteer]",
+ "miUserVoice": "[&&Seeaarch Feeaatuuree Reequueests]",
+ "miLicense": "[Viieew &&Liiceensee]",
+ "miPrivacyStatement": "[&&Priivaacy Staateemeent]",
+ "miAbout": "[&&Aboouut]",
+ "miRunTask": "[&&Ruun Taask...]",
+ "miBuildTask": "[Ruun &&Buuiild Taask...]",
+ "miRunningTask": "[Shoow Ruunniin&&g Taasks...]",
+ "miRestartTask": "[R&&eestaart Ruunniing Taask...]",
+ "miTerminateTask": "[&&Teermiinaatee Taask...]",
+ "miConfigureTask": "[&&Coonfiiguuree Taasks...]",
+ "miConfigureBuildTask": "[Coonfiiguuree Dee&&faauult Buuiild Taask...]",
+ "accessibilityOptionsWindowTitle": "[Acceessiibiiliity Optiioons]",
+ "miCheckForUpdates": "[Cheeck foor Updaatees...]",
+ "miCheckingForUpdates": "[Cheeckiing Foor Updaatees...]",
+ "miDownloadUpdate": "[Doownlooaad Avaaiilaablee Updaatee]",
+ "miDownloadingUpdate": "[Doownlooaadiing Updaatee...]",
+ "miInstallUpdate": "[Instaall Updaatee...]",
+ "miInstallingUpdate": "[Instaalliing Updaatee...]",
+ "miRestartToUpdate": "[Reestaart too Updaatee...]"
+ },
+ "vs/code/electron-main/windows": {
+ "ok": "[OK]",
+ "pathNotExistTitle": "[Paath dooees noot eexiist]",
+ "pathNotExistDetail": "[Thee paath '{0}' dooees noot seeeem too eexiist aanymooree oon diisk.]",
+ "reopen": "[&&Reeoopeen]",
+ "wait": "[&&Keeeep Waaiitiing]",
+ "close": "[&&Cloosee]",
+ "appStalled": "[Thee wiindoow iis noo loongeer reespoondiing]",
+ "appStalledDetail": "[Yoouu caan reeoopeen oor cloosee thee wiindoow oor keeeep waaiitiing.]",
+ "appCrashed": "[Thee wiindoow haas craasheed]",
+ "appCrashedDetail": "[Wee aaree soorry foor thee iincoonveeniieencee! Yoouu caan reeoopeen thee wiindoow too coontiinuuee wheeree yoouu leeft ooff.]",
+ "open": "[Opeen]",
+ "openFolder": "[Opeen Fooldeer]",
+ "openFile": "[Opeen Fiilee]",
+ "workspaceOpenedMessage": "[Unaablee too saavee woorkspaacee '{0}']",
+ "workspaceOpenedDetail": "[Thee woorkspaacee iis aalreeaady oopeeneed iin aanootheer wiindoow. Pleeaasee cloosee thaat wiindoow fiirst aand theen try aagaaiin.]",
+ "openWorkspace": "[&&Opeen]",
+ "openWorkspaceTitle": "[Opeen Woorkspaacee]",
+ "save": "[&&Saavee]",
+ "doNotSave": "[Doo&&n't Saavee]",
+ "cancel": "[Caanceel]",
+ "saveWorkspaceMessage": "[Doo yoouu waant too saavee yoouur woorkspaacee coonfiiguuraatiioon aas aa fiilee?]",
+ "saveWorkspaceDetail": "[Saavee yoouur woorkspaacee iif yoouu plaan too oopeen iit aagaaiin.]",
+ "saveWorkspace": "[Saavee Woorkspaacee]"
+ },
+ "vs/workbench/parts/execution/electron-browser/execution.contribution": {
+ "terminalConfigurationTitle": "[Exteernaal Teermiinaal]",
+ "explorer.openInTerminalKind": "[Cuustoomiizees whaat kiind oof teermiinaal too laauunch.]",
+ "terminal.external.windowsExec": "[Cuustoomiizees whiich teermiinaal too ruun oon Wiindoows.]",
+ "terminal.external.osxExec": "[Cuustoomiizees whiich teermiinaal aappliicaatiioon too ruun oon OS X.]",
+ "terminal.external.linuxExec": "[Cuustoomiizees whiich teermiinaal too ruun oon Liinuux.]",
+ "globalConsoleActionWin": "[Opeen Neew Coommaand Proompt]",
+ "globalConsoleActionMacLinux": "[Opeen Neew Teermiinaal]",
+ "scopedConsoleActionWin": "[Opeen iin Coommaand Proompt]",
+ "scopedConsoleActionMacLinux": "[Opeen iin Teermiinaal]"
+ },
+ "vs/workbench/parts/execution/electron-browser/terminalService": {
+ "console.title": "[VS Coodee Coonsoolee]",
+ "mac.terminal.script.failed": "[Scriipt '{0}' faaiileed wiith eexiit coodee {1}]",
+ "mac.terminal.type.not.supported": "['{0}' noot suuppoorteed]",
+ "press.any.key": "[Preess aany keey too coontiinuuee...]",
+ "linux.term.failed": "['{0}' faaiileed wiith eexiit coodee {1}]"
+ },
+ "vs/workbench/api/browser/viewsExtensionPoint": {
+ "requirearray": "[viieews muust bee aan aarraay]",
+ "requirestring": "[proopeerty `{0}` iis maandaatoory aand muust bee oof typee `striing`]",
+ "optstring": "[proopeerty `{0}` caan bee oomiitteed oor muust bee oof typee `striing`]",
+ "vscode.extension.contributes.view.id": "[Ideentiifiieer oof thee viieew. Usee thiis too reegiisteer aa daataa prooviideer throouugh `vscoodee.wiindoow.reegiisteerTreeeeDaataaProoviideerFoorViieew` API. Alsoo too triiggeer aactiivaatiing yoouur eexteensiioon by reegiisteeriing `oonViieew:${iid}` eeveent too `aactiivaatiioonEveents`.]",
+ "vscode.extension.contributes.view.name": "[Thee huumaan-reeaadaablee naamee oof thee viieew. Wiill bee shoown]",
+ "vscode.extension.contributes.view.when": "[Coondiitiioon whiich muust bee truuee too shoow thiis viieew]",
+ "vscode.extension.contributes.views": "[Coontriibuutees viieews too thee eediitoor]",
+ "views.explorer": "[Coontriibuutees viieews too Explooreer coontaaiineer iin thee Actiiviity baar]",
+ "views.debug": "[Coontriibuutees viieews too Deebuug coontaaiineer iin thee Actiiviity baar]",
+ "views.scm": "[Coontriibuutees viieews too SCM coontaaiineer iin thee Actiiviity baar]",
+ "views.test": "[Coontriibuutees viieews too Teest coontaaiineer iin thee Actiiviity baar]",
+ "views.contributed": "[Coontriibuutees viieews too coontriibuuteed viieews coontaaiineer]",
+ "ViewContainerDoesnotExist": "[Viieew coontaaiineer '{0}' dooees noot eexiist aand aall viieews reegiisteereed too iit wiill bee aaddeed too 'Explooreer'.]",
+ "duplicateView1": "[Caannoot reegiisteer muultiiplee viieews wiith saamee iid `{0}` iin thee loocaatiioon `{1}`]",
+ "duplicateView2": "[A viieew wiith iid `{0}` iis aalreeaady reegiisteereed iin thee loocaatiioon `{1}`]"
+ },
+ "vs/workbench/api/browser/viewsContainersExtensionPoint": {
+ "vscode.extension.contributes.views.containers.id": "[Uniiquuee iid uuseed too iideentiify thee coontaaiineer iin whiich viieews caan bee coontriibuuteed uusiing 'viieews' coontriibuutiioon pooiint]",
+ "vscode.extension.contributes.views.containers.title": "[Huumaan reeaadaablee striing uuseed too reendeer thee coontaaiineer]",
+ "vscode.extension.contributes.views.containers.icon": "[Paath too thee coontaaiineer iicoon. Icoons aaree 24x24 ceenteereed oon aa 50x40 bloock aand haavee aa fiill cooloor oof 'rgb(215, 218, 224)' oor '#d7daaee0'. It iis reecoommeendeed thaat iicoons bee iin SVG, thoouugh aany iimaagee fiilee typee iis aacceepteed.]",
+ "vscode.extension.contributes.viewsContainers": "[Coontriibuutees viieews coontaaiineers too thee eediitoor]",
+ "views.container.activitybar": "[Coontriibuutee viieews coontaaiineers too Actiiviity Baar]",
+ "test": "[Teest]",
+ "requirearray": "[viieews coontaaiineers muust bee aan aarraay]",
+ "requireidstring": "[proopeerty `{0}` iis maandaatoory aand muust bee oof typee `striing`. Only aalphaanuumeeriic chaaraacteers, '_', aand '-' aaree aallooweed.]",
+ "requirestring": "[proopeerty `{0}` iis maandaatoory aand muust bee oof typee `striing`]",
+ "showViewlet": "[Shoow {0}]",
+ "view": "[Viieew]"
+ },
+ "vs/workbench/browser/actions/toggleActivityBarVisibility": {
+ "toggleActivityBar": "[Toogglee Actiiviity Baar Viisiibiiliity]",
+ "view": "[Viieew]"
+ },
+ "vs/workbench/browser/actions/toggleSidebarVisibility": {
+ "toggleSidebar": "[Toogglee Siidee Baar Viisiibiiliity]",
+ "view": "[Viieew]"
+ },
+ "vs/workbench/browser/actions/toggleSidebarPosition": {
+ "toggleSidebarPosition": "[Toogglee Siidee Baar Poosiitiioon]",
+ "view": "[Viieew]"
+ },
+ "vs/workbench/browser/actions/toggleEditorLayout": {
+ "toggleEditorGroupLayout": "[Toogglee Ediitoor Groouup Veertiicaal/Hooriizoontaal Laayoouut]",
+ "horizontalLayout": "[Hooriizoontaal Ediitoor Groouup Laayoouut]",
+ "verticalLayout": "[Veertiicaal Ediitoor Groouup Laayoouut]",
+ "view": "[Viieew]"
+ },
+ "vs/workbench/browser/actions/toggleStatusbarVisibility": {
+ "toggleStatusbar": "[Toogglee Staatuus Baar Viisiibiiliity]",
+ "view": "[Viieew]"
+ },
+ "vs/workbench/browser/actions/toggleTabsVisibility": {
+ "toggleTabs": "[Toogglee Taab Viisiibiiliity]",
+ "view": "[Viieew]"
+ },
+ "vs/workbench/browser/actions/toggleZenMode": {
+ "toggleZenMode": "[Toogglee Zeen Moodee]",
+ "view": "[Viieew]"
+ },
+ "vs/workbench/browser/actions/toggleCenteredLayout": {
+ "toggleCenteredLayout": "[Toogglee Ceenteereed Laayoouut]",
+ "view": "[Viieew]"
+ },
+ "vs/workbench/browser/parts/editor/editorPicker": {
+ "entryAriaLabel": "[{0}, eediitoor groouup piickeer]",
+ "groupLabel": "[Groouup: {0}]",
+ "noResultsFoundInGroup": "[Noo maatchiing oopeeneed eediitoor foouund iin groouup]",
+ "noOpenedEditors": "[Liist oof oopeeneed eediitoors iis cuurreently eempty iin groouup]",
+ "noResultsFound": "[Noo maatchiing oopeeneed eediitoor foouund]",
+ "noOpenedEditorsAllGroups": "[Liist oof oopeeneed eediitoors iis cuurreently eempty]"
+ },
+ "vs/workbench/electron-browser/workbench": {
+ "developer": "[Deeveeloopeer]",
+ "file": "[Fiilee]"
+ },
+ "vs/workbench/electron-browser/main.contribution": {
+ "view": "[Viieew]",
+ "help": "[Heelp]",
+ "file": "[Fiilee]",
+ "workspaces": "[Woorkspaacees]",
+ "developer": "[Deeveeloopeer]",
+ "workbenchConfigurationTitle": "[Woorkbeench]",
+ "showEditorTabs": "[Coontrools iif oopeeneed eediitoors shoouuld shoow iin taabs oor noot.]",
+ "workbench.editor.labelFormat.default": "[Shoow thee naamee oof thee fiilee. Wheen taabs aaree eenaableed aand twoo fiilees haavee thee saamee naamee iin oonee groouup thee diistiinguuiinshiing seectiioons oof eeaach fiilee's paath aaree aaddeed. Wheen taabs aaree diisaableed, thee paath reelaatiivee too thee woorkspaacee fooldeer iis shoown iif thee eediitoor iis aactiivee.]",
+ "workbench.editor.labelFormat.short": "[Shoow thee naamee oof thee fiilee foollooweed by iit's diireectoory naamee.]",
+ "workbench.editor.labelFormat.medium": "[Shoow thee naamee oof thee fiilee foollooweed by iit's paath reelaatiivee too thee woorkspaacee fooldeer.]",
+ "workbench.editor.labelFormat.long": "[Shoow thee naamee oof thee fiilee foollooweed by iit's aabsooluutee paath.]",
+ "tabDescription": "[Coontrools thee foormaat oof thee laabeel foor aan eediitoor. Chaangiing thiis seettiing caan foor eexaamplee maakee iit eeaasiieer too uundeerstaand thee loocaatiioon oof aa fiilee:\n- shoort: 'paareent'\n- meediiuum: 'woorkspaacee/src/paareent'\n- loong: '/hoomee/uuseer/woorkspaacee/src/paareent'\n- deefaauult: '.../paareent', wheen aanootheer taab shaarees thee saamee tiitlee, oor thee reelaatiivee woorkspaacee paath iif taabs aaree diisaableed]",
+ "editorTabCloseButton": "[Coontrools thee poosiitiioon oof thee eediitoor's taabs cloosee buuttoons oor diisaablees theem wheen seet too 'ooff'.]",
+ "tabSizing": "[Coontrools thee siiziing oof eediitoor taabs. Seet too 'fiit' too keeeep taabs aalwaays laargee eenoouugh too shoow thee fuull eediitoor laabeel. Seet too 'shriink' too aalloow taabs too geet smaalleer wheen thee aavaaiilaablee spaacee iis noot eenoouugh too shoow aall taabs aat ooncee.]",
+ "showIcons": "[Coontrools iif oopeeneed eediitoors shoouuld shoow wiith aan iicoon oor noot. Thiis reequuiirees aan iicoon theemee too bee eenaableed aas weell.]",
+ "enablePreview": "[Coontrools iif oopeeneed eediitoors shoow aas preeviieew. Preeviieew eediitoors aaree reeuuseed uuntiil theey aaree keept (ee.g. viiaa doouublee cliick oor eediitiing) aand shoow uup wiith aan iitaaliic foont stylee.]",
+ "enablePreviewFromQuickOpen": "[Coontrools iif oopeeneed eediitoors froom Quuiick Opeen shoow aas preeviieew. Preeviieew eediitoors aaree reeuuseed uuntiil theey aaree keept (ee.g. viiaa doouublee cliick oor eediitiing).]",
+ "closeOnFileDelete": "[Coontrools iif eediitoors shoowiing aa fiilee shoouuld cloosee aauutoomaatiicaally wheen thee fiilee iis deeleeteed oor reenaameed by soomee ootheer prooceess. Diisaabliing thiis wiill keeeep thee eediitoor oopeen aas diirty oon suuch aan eeveent. Nootee thaat deeleetiing froom wiithiin thee aappliicaatiioon wiill aalwaays cloosee thee eediitoor aand thaat diirty fiilees wiill neeveer cloosee too preeseervee yoouur daataa.]",
+ "editorOpenPositioning": "[Coontrools wheeree eediitoors oopeen. Seeleect 'leeft' oor 'riight' too oopeen eediitoors too thee leeft oor riight oof thee cuurreently aactiivee oonee. Seeleect 'fiirst' oor 'laast' too oopeen eediitoors iindeepeendeently froom thee cuurreently aactiivee oonee.]",
+ "revealIfOpen": "[Coontrools iif aan eediitoor iis reeveeaaleed iin aany oof thee viisiiblee groouups iif oopeeneed. If diisaableed, aan eediitoor wiill preefeer too oopeen iin thee cuurreently aactiivee eediitoor groouup. If eenaableed, aan aalreeaady oopeeneed eediitoor wiill bee reeveeaaleed iinsteeaad oof oopeeneed aagaaiin iin thee cuurreently aactiivee eediitoor groouup. Nootee thaat theeree aaree soomee caasees wheeree thiis seettiing iis iignooreed, ee.g. wheen foorciing aan eediitoor too oopeen iin aa speeciifiic groouup oor too thee siidee oof thee cuurreently aactiivee groouup.]",
+ "swipeToNavigate": "[Naaviigaatee beetweeeen oopeen fiilees uusiing threeee-fiingeer swiipee hooriizoontaally.]",
+ "commandHistory": "[Coontrools thee nuumbeer oof reeceently uuseed coommaands too keeeep iin hiistoory foor thee coommaand paaleettee. Seet too 0 too diisaablee coommaand hiistoory.]",
+ "preserveInput": "[Coontrools iif thee laast typeed iinpuut too thee coommaand paaleettee shoouuld bee reestooreed wheen oopeeniing iit thee neext tiimee.]",
+ "closeOnFocusLost": "[Coontrools iif Quuiick Opeen shoouuld cloosee aauutoomaatiicaally ooncee iit loosees foocuus.]",
+ "openDefaultSettings": "[Coontrools iif oopeeniing seettiings aalsoo oopeens aan eediitoor shoowiing aall deefaauult seettiings.]",
+ "sideBarLocation": "[Coontrools thee loocaatiioon oof thee siideebaar. It caan eeiitheer shoow oon thee leeft oor riight oof thee woorkbeench.]",
+ "panelDefaultLocation": "[Coontrools thee deefaauult loocaatiioon oof thee paaneel. It caan eeiitheer shoow aat thee boottoom oor oon thee riight oof thee woorkbeench.]",
+ "statusBarVisibility": "[Coontrools thee viisiibiiliity oof thee staatuus baar aat thee boottoom oof thee woorkbeench.]",
+ "activityBarVisibility": "[Coontrools thee viisiibiiliity oof thee aactiiviity baar iin thee woorkbeench.]",
+ "viewVisibility": "[Coontrools thee viisiibiiliity oof viieew heeaadeer aactiioons. Viieew heeaadeer aactiioons maay eeiitheer bee aalwaays viisiiblee, oor oonly viisiiblee wheen thaat viieew iis foocuuseed oor hooveereed ooveer.]",
+ "fontAliasing": "[Coontrools foont aaliiaasiing meethood iin thee woorkbeench.\n- deefaauult: Suub-piixeel foont smoooothiing. On moost noon-reetiinaa diisplaays thiis wiill giivee thee shaarpeest teext\n- aantiiaaliiaaseed: Smooooth thee foont oon thee leeveel oof thee piixeel, aas ooppooseed too thee suubpiixeel. Caan maakee thee foont aappeeaar liighteer ooveeraall\n- noonee: Diisaablees foont smoooothiing. Teext wiill shoow wiith jaaggeed shaarp eedgees\n- aauutoo: Appliiees `deefaauult` oor `aantiiaaliiaaseed` aauutoomaatiicaally baaseed oon thee DPI oof diisplaays.]",
+ "workbench.fontAliasing.default": "[Suub-piixeel foont smoooothiing. On moost noon-reetiinaa diisplaays thiis wiill giivee thee shaarpeest teext.]",
+ "workbench.fontAliasing.antialiased": "[Smooooth thee foont oon thee leeveel oof thee piixeel, aas ooppooseed too thee suubpiixeel. Caan maakee thee foont aappeeaar liighteer ooveeraall.]",
+ "workbench.fontAliasing.none": "[Diisaablees foont smoooothiing. Teext wiill shoow wiith jaaggeed shaarp eedgees.]",
+ "workbench.fontAliasing.auto": "[Appliiees `deefaauult` oor `aantiiaaliiaaseed` aauutoomaatiicaally baaseed oon thee DPI oof diisplaays.]",
+ "enableNaturalLanguageSettingsSearch": "[Coontrools wheetheer too eenaablee thee naatuuraal laanguuaagee seeaarch moodee foor seettiings.]",
+ "windowConfigurationTitle": "[Wiindoow]",
+ "window.openFilesInNewWindow.on": "[Fiilees wiill oopeen iin aa neew wiindoow]",
+ "window.openFilesInNewWindow.off": "[Fiilees wiill oopeen iin thee wiindoow wiith thee fiilees' fooldeer oopeen oor thee laast aactiivee wiindoow]",
+ "window.openFilesInNewWindow.defaultMac": "[Fiilees wiill oopeen iin thee wiindoow wiith thee fiilees' fooldeer oopeen oor thee laast aactiivee wiindoow uunleess oopeeneed viiaa thee Doock oor froom Fiindeer]",
+ "window.openFilesInNewWindow.default": "[Fiilees wiill oopeen iin aa neew wiindoow uunleess piickeed froom wiithiin thee aappliicaatiioon (ee.g. viiaa thee Fiilee meenuu)]",
+ "openFilesInNewWindowMac": "[Coontrools iif fiilees shoouuld oopeen iin aa neew wiindoow.\n- deefaauult: fiilees wiill oopeen iin thee wiindoow wiith thee fiilees' fooldeer oopeen oor thee laast aactiivee wiindoow uunleess oopeeneed viiaa thee Doock oor froom Fiindeer\n- oon: fiilees wiill oopeen iin aa neew wiindoow\n- ooff: fiilees wiill oopeen iin thee wiindoow wiith thee fiilees' fooldeer oopeen oor thee laast aactiivee wiindoow\nNootee thaat theeree caan stiill bee caasees wheeree thiis seettiing iis iignooreed (ee.g. wheen uusiing thee -neew-wiindoow oor -reeuusee-wiindoow coommaand liinee ooptiioon).]",
+ "openFilesInNewWindow": "[Coontrools iif fiilees shoouuld oopeen iin aa neew wiindoow.\n- deefaauult: fiilees wiill oopeen iin aa neew wiindoow uunleess piickeed froom wiithiin thee aappliicaatiioon (ee.g. viiaa thee Fiilee meenuu)\n- oon: fiilees wiill oopeen iin aa neew wiindoow\n- ooff: fiilees wiill oopeen iin thee wiindoow wiith thee fiilees' fooldeer oopeen oor thee laast aactiivee wiindoow\nNootee thaat theeree caan stiill bee caasees wheeree thiis seettiing iis iignooreed (ee.g. wheen uusiing thee -neew-wiindoow oor -reeuusee-wiindoow coommaand liinee ooptiioon).]",
+ "window.openFoldersInNewWindow.on": "[Fooldeers wiill oopeen iin aa neew wiindoow]",
+ "window.openFoldersInNewWindow.off": "[Fooldeers wiill reeplaacee thee laast aactiivee wiindoow]",
+ "window.openFoldersInNewWindow.default": "[Fooldeers wiill oopeen iin aa neew wiindoow uunleess aa fooldeer iis piickeed froom wiithiin thee aappliicaatiioon (ee.g. viiaa thee Fiilee meenuu)]",
+ "openFoldersInNewWindow": "[Coontrools iif fooldeers shoouuld oopeen iin aa neew wiindoow oor reeplaacee thee laast aactiivee wiindoow.\n- deefaauult: fooldeers wiill oopeen iin aa neew wiindoow uunleess aa fooldeer iis piickeed froom wiithiin thee aappliicaatiioon (ee.g. viiaa thee Fiilee meenuu)\n- oon: fooldeers wiill oopeen iin aa neew wiindoow\n- ooff: fooldeers wiill reeplaacee thee laast aactiivee wiindoow\nNootee thaat theeree caan stiill bee caasees wheeree thiis seettiing iis iignooreed (ee.g. wheen uusiing thee -neew-wiindoow oor -reeuusee-wiindoow coommaand liinee ooptiioon).]",
+ "window.openWithoutArgumentsInNewWindow.on": "[Opeen aa neew eempty wiindoow]",
+ "window.openWithoutArgumentsInNewWindow.off": "[Foocuus thee laast aactiivee ruunniing iinstaancee]",
+ "openWithoutArgumentsInNewWindow": "[Coontrools iif aa neew eempty wiindoow shoouuld oopeen wheen staartiing aa seecoond iinstaancee wiithoouut aarguumeents oor iif thee laast ruunniing iinstaancee shoouuld geet foocuus.\n- oon: oopeen aa neew eempty wiindoow\n- ooff: thee laast aactiivee ruunniing iinstaancee wiill geet foocuus\nNootee thaat theeree caan stiill bee caasees wheeree thiis seettiing iis iignooreed (ee.g. wheen uusiing thee -neew-wiindoow oor -reeuusee-wiindoow coommaand liinee ooptiioon).]",
+ "window.reopenFolders.all": "[Reeoopeen aall wiindoows.]",
+ "window.reopenFolders.folders": "[Reeoopeen aall fooldeers. Empty woorkspaacees wiill noot bee reestooreed.]",
+ "window.reopenFolders.one": "[Reeoopeen thee laast aactiivee wiindoow.]",
+ "window.reopenFolders.none": "[Neeveer reeoopeen aa wiindoow. Alwaays staart wiith aan eempty oonee.]",
+ "restoreWindows": "[Coontrools hoow wiindoows aaree beeiing reeoopeeneed aafteer aa reestaart. Seeleect 'noonee' too aalwaays staart wiith aan eempty woorkspaacee, 'oonee' too reeoopeen thee laast wiindoow yoouu woorkeed oon, 'fooldeers' too reeoopeen aall wiindoows thaat haad fooldeers oopeeneed oor 'aall' too reeoopeen aall wiindoows oof yoouur laast seessiioon.]",
+ "restoreFullscreen": "[Coontrools iif aa wiindoow shoouuld reestooree too fuull screeeen moodee iif iit waas eexiiteed iin fuull screeeen moodee.]",
+ "zoomLevel": "[Adjuust thee zoooom leeveel oof thee wiindoow. Thee ooriigiinaal siizee iis 0 aand eeaach iincreemeent aaboovee (ee.g. 1) oor beeloow (ee.g. -1) reepreeseents zoooomiing 20% laargeer oor smaalleer. Yoouu caan aalsoo eenteer deeciimaals too aadjuust thee zoooom leeveel wiith aa fiineer graanuulaariity.]",
+ "title": "[Coontrools thee wiindoow tiitlee baaseed oon thee aactiivee eediitoor. Vaariiaablees aaree suubstiituuteed baaseed oon thee coonteext:\n${aactiiveeEdiitoorShoort}: thee fiilee naamee (ee.g. myFiilee.txt)\n${aactiiveeEdiitoorMeediiuum}: thee paath oof thee fiilee reelaatiivee too thee woorkspaacee fooldeer (ee.g. myFooldeer/myFiilee.txt)\n${aactiiveeEdiitoorLoong}: thee fuull paath oof thee fiilee (ee.g. /Useers/Deeveeloopmeent/myProojeect/myFooldeer/myFiilee.txt)\n${fooldeerNaamee}: naamee oof thee woorkspaacee fooldeer thee fiilee iis coontaaiineed iin (ee.g. myFooldeer)\n${fooldeerPaath}: fiilee paath oof thee woorkspaacee fooldeer thee fiilee iis coontaaiineed iin (ee.g. /Useers/Deeveeloopmeent/myFooldeer)\n${rooootNaamee}: naamee oof thee woorkspaacee (ee.g. myFooldeer oor myWoorkspaacee)\n${rooootPaath}: fiilee paath oof thee woorkspaacee (ee.g. /Useers/Deeveeloopmeent/myWoorkspaacee)\n${aappNaamee}: ee.g. VS Coodee\n${diirty}: aa diirty iindiicaatoor iif thee aactiivee eediitoor iis diirty\n${seepaaraatoor}: aa coondiitiioonaal seepaaraatoor (\" - \") thaat oonly shoows wheen suurroouundeed by vaariiaablees wiith vaaluuees oor staatiic teext]",
+ "window.newWindowDimensions.default": "[Opeen neew wiindoows iin thee ceenteer oof thee screeeen.]",
+ "window.newWindowDimensions.inherit": "[Opeen neew wiindoows wiith saamee diimeensiioon aas laast aactiivee oonee.]",
+ "window.newWindowDimensions.maximized": "[Opeen neew wiindoows maaxiimiizeed.]",
+ "window.newWindowDimensions.fullscreen": "[Opeen neew wiindoows iin fuull screeeen moodee.]",
+ "newWindowDimensions": "[Coontrools thee diimeensiioons oof oopeeniing aa neew wiindoow wheen aat leeaast oonee wiindoow iis aalreeaady oopeeneed. By deefaauult, aa neew wiindoow wiill oopeen iin thee ceenteer oof thee screeeen wiith smaall diimeensiioons. Wheen seet too 'iinheeriit', thee wiindoow wiill geet thee saamee diimeensiioons aas thee laast wiindoow thaat waas aactiivee. Wheen seet too 'maaxiimiizeed', thee wiindoow wiill oopeen maaxiimiizeed aand fuullscreeeen iif coonfiiguureed too 'fuullscreeeen'. Nootee thaat thiis seettiing dooees noot haavee aan iimpaact oon thee fiirst wiindoow thaat iis oopeeneed. Thee fiirst wiindoow wiill aalwaays reestooree thee siizee aand loocaatiioon aas yoouu leeft iit beefooree cloosiing.]",
+ "closeWhenEmpty": "[Coontrools iif cloosiing thee laast eediitoor shoouuld aalsoo cloosee thee wiindoow. Thiis seettiing oonly aappliiees foor wiindoows thaat doo noot shoow fooldeers.]",
+ "window.menuBarVisibility.default": "[Meenuu iis oonly hiiddeen iin fuull screeeen moodee.]",
+ "window.menuBarVisibility.visible": "[Meenuu iis aalwaays viisiiblee eeveen iin fuull screeeen moodee.]",
+ "window.menuBarVisibility.toggle": "[Meenuu iis hiiddeen buut caan bee diisplaayeed viiaa Alt keey.]",
+ "window.menuBarVisibility.hidden": "[Meenuu iis aalwaays hiiddeen.]",
+ "menuBarVisibility": "[Coontrool thee viisiibiiliity oof thee meenuu baar. A seettiing oof 'toogglee' meeaans thaat thee meenuu baar iis hiiddeen aand aa siinglee preess oof thee Alt keey wiill shoow iit. By deefaauult, thee meenuu baar wiill bee viisiiblee, uunleess thee wiindoow iis fuull screeeen.]",
+ "enableMenuBarMnemonics": "[If eenaableed, thee maaiin meenuus caan bee oopeeneed viiaa Alt-keey shoortcuuts. Diisaabliing mneemooniics aalloows too biind theesee Alt-keey shoortcuuts too eediitoor coommaands iinsteeaad.]",
+ "autoDetectHighContrast": "[If eenaableed, wiill aauutoomaatiicaally chaangee too hiigh coontraast theemee iif Wiindoows iis uusiing aa hiigh coontraast theemee, aand too daark theemee wheen swiitchiing aawaay froom aa Wiindoows hiigh coontraast theemee.]",
+ "titleBarStyle": "[Adjuust thee aappeeaaraancee oof thee wiindoow tiitlee baar. Chaangees reequuiiree aa fuull reestaart too aapply.]",
+ "window.nativeTabs": "[Enaablees maacOS Siieerraa wiindoow taabs. Nootee thaat chaangees reequuiiree aa fuull reestaart too aapply aand thaat naatiivee taabs wiill diisaablee aa cuustoom tiitlee baar stylee iif coonfiiguureed.]",
+ "window.smoothScrollingWorkaround": "[Enaablee thiis woorkaaroouund iif scroolliing iis noo loongeer smooooth aafteer reestooriing aa miiniimiizeed VS Coodee wiindoow. Thiis iis aa woorkaaroouund foor aan iissuuee (https://giithuub.coom/Miicroosooft/vscoodee/iissuuees/13612) wheeree scroolliing staarts too laag oon deeviicees wiith preeciisiioon traackpaads liikee thee Suurfaacee deeviicees froom Miicroosooft. Enaabliing thiis woorkaaroouund caan reesuult iin aa liittlee biit oof laayoouut fliickeeriing aafteer reestooriing thee wiindoow froom miiniimiizeed staatee buut iis ootheerwiisee haarmleess.]",
+ "window.clickThroughInactive": "[If eenaableed, cliickiing oon aan iinaactiivee wiindoow wiill booth aactiivaatee thee wiindoow aand triiggeer thee eeleemeent uundeer thee moouusee iif iit iis cliickaablee. If diisaableed, cliickiing aanywheeree oon aan iinaactiivee wiindoow wiill aactiivaatee iit oonly aand aa seecoond cliick iis reequuiireed oon thee eeleemeent.]",
+ "zenModeConfigurationTitle": "[Zeen Moodee]",
+ "zenMode.fullScreen": "[Coontrools iif tuurniing oon Zeen Moodee aalsoo puuts thee woorkbeench iintoo fuull screeeen moodee.]",
+ "zenMode.centerLayout": "[Coontrools iif tuurniing oon Zeen Moodee aalsoo ceenteers thee laayoouut.]",
+ "zenMode.hideTabs": "[Coontrools iif tuurniing oon Zeen Moodee aalsoo hiidees woorkbeench taabs.]",
+ "zenMode.hideStatusBar": "[Coontrools iif tuurniing oon Zeen Moodee aalsoo hiidees thee staatuus baar aat thee boottoom oof thee woorkbeench.]",
+ "zenMode.hideActivityBar": "[Coontrools iif tuurniing oon Zeen Moodee aalsoo hiidees thee aactiiviity baar aat thee leeft oof thee woorkbeench.]",
+ "zenMode.restore": "[Coontrools iif aa wiindoow shoouuld reestooree too zeen moodee iif iit waas eexiiteed iin zeen moodee.]"
+ },
+ "vs/workbench/electron-browser/main": {
+ "loaderError": "[Faaiileed too looaad aa reequuiireed fiilee. Eiitheer yoouu aaree noo loongeer coonneecteed too thee iinteerneet oor thee seerveer yoouu aaree coonneecteed too iis ooffliinee. Pleeaasee reefreesh thee broowseer too try aagaaiin.]",
+ "loaderErrorNative": "[Faaiileed too looaad aa reequuiireed fiilee. Pleeaasee reestaart thee aappliicaatiioon too try aagaaiin. Deetaaiils: {0}]"
+ },
+ "vs/workbench/node/extensionHostMain": {
+ "extensionTestError": "[Paath {0} dooees noot pooiint too aa vaaliid eexteensiioon teest ruunneer.]"
+ },
+ "vs/workbench/common/views": {
+ "duplicateId": "[A viieew wiith iid '{0}' iis aalreeaady reegiisteereed iin thee loocaatiioon '{1}']"
+ },
+ "vs/workbench/browser/viewlet": {
+ "compositePart.hideSideBarLabel": "[Hiidee Siidee Baar]",
+ "collapse": "[Coollaapsee All]"
+ },
+ "vs/workbench/browser/parts/views/viewsViewlet": {
+ "hideView": "[Hiidee]"
+ },
+ "vs/workbench/browser/parts/quickopen/quickopen": {
+ "quickOpen": "[Goo too Fiilee...]",
+ "quickNavigateNext": "[Naaviigaatee Neext iin Quuiick Opeen]",
+ "quickNavigatePrevious": "[Naaviigaatee Preeviioouus iin Quuiick Opeen]",
+ "quickSelectNext": "[Seeleect Neext iin Quuiick Opeen]",
+ "quickSelectPrevious": "[Seeleect Preeviioouus iin Quuiick Opeen]"
+ },
+ "vs/workbench/browser/parts/quickopen/quickOpenController": {
+ "emptyPicks": "[Theeree aaree noo eentriiees too piick froom]",
+ "quickOpenInput": "[Typee '?' too geet heelp oon thee aactiioons yoouu caan taakee froom heeree]",
+ "historyMatches": "[reeceently oopeeneed]",
+ "noResultsFound1": "[Noo reesuults foouund]",
+ "canNotRunPlaceholder": "[Thiis quuiick oopeen haandleer caan noot bee uuseed iin thee cuurreent coonteext]",
+ "entryAriaLabel": "[{0}, reeceently oopeeneed]",
+ "removeFromEditorHistory": "[Reemoovee Froom Hiistoory]",
+ "pickHistory": "[Seeleect aan eediitoor eentry too reemoovee froom hiistoory]"
+ },
+ "vs/workbench/browser/quickopen": {
+ "noResultsMatching": "[Noo reesuults maatchiing]",
+ "noResultsFound2": "[Noo reesuults foouund]"
+ },
+ "vs/workbench/browser/parts/quickinput/quickInput": {
+ "inputModeEntryDescription": "[{0} (Preess 'Enteer' too coonfiirm oor 'Escaapee' too caanceel)]",
+ "inputModeEntry": "[Preess 'Enteer' too coonfiirm yoouur iinpuut oor 'Escaapee' too caanceel]",
+ "quickInput.countSelected": "[{0} Seeleecteed]",
+ "ok": "[OK]",
+ "quickPickManyToggle": "[Toogglee Seeleectiioon iin Quuiick Piick]"
+ },
+ "vs/workbench/browser/parts/editor/editorCommands": {
+ "editorCommand.activeEditorMove.description": "[Moovee thee aactiivee eediitoor by taabs oor groouups]",
+ "editorCommand.activeEditorMove.arg.name": "[Actiivee eediitoor moovee aarguumeent]",
+ "editorCommand.activeEditorMove.arg.description": "[Arguumeent Proopeertiiees:\n\t* 'too': Striing vaaluuee prooviidiing wheeree too moovee.\n\t* 'by': Striing vaaluuee prooviidiing thee uuniit foor moovee. By taab oor by groouup.\n\t* 'vaaluuee': Nuumbeer vaaluuee prooviidiing hoow maany poosiitiioons oor aan aabsooluutee poosiitiioon too moovee.]"
+ },
+ "vs/workbench/browser/actions/workspaceCommands": {
+ "addFolderToWorkspace": "[Add Fooldeer too Woorkspaacee...]",
+ "add": "[&&Add]",
+ "addFolderToWorkspaceTitle": "[Add Fooldeer too Woorkspaacee]",
+ "workspaceFolderPickerPlaceholder": "[Seeleect woorkspaacee fooldeer]"
+ },
+ "vs/workbench/browser/actions/workspaceActions": {
+ "openFile": "[Opeen Fiilee...]",
+ "openFolder": "[Opeen Fooldeer...]",
+ "openFileFolder": "[Opeen...]",
+ "globalRemoveFolderFromWorkspace": "[Reemoovee Fooldeer froom Woorkspaacee...]",
+ "saveWorkspaceAsAction": "[Saavee Woorkspaacee As...]",
+ "save": "[&&Saavee]",
+ "saveWorkspace": "[Saavee Woorkspaacee]",
+ "openWorkspaceAction": "[Opeen Woorkspaacee...]",
+ "openWorkspaceConfigFile": "[Opeen Woorkspaacee Coonfiiguuraatiioon Fiilee]",
+ "duplicateWorkspaceInNewWindow": "[Duupliicaatee Woorkspaacee iin Neew Wiindoow]"
+ },
+ "vs/workbench/browser/parts/views/panelViewlet": {
+ "viewToolbarAriaLabel": "[{0} aactiioons]"
+ },
+ "vs/workbench/browser/parts/editor/textResourceEditor": {
+ "textEditor": "[Teext Ediitoor]",
+ "readonlyEditorWithInputAriaLabel": "[{0}. Reeaadoonly teext eediitoor.]",
+ "readonlyEditorAriaLabel": "[Reeaadoonly teext eediitoor.]",
+ "untitledFileEditorWithInputAriaLabel": "[{0}. Untiitleed fiilee teext eediitoor.]",
+ "untitledFileEditorAriaLabel": "[Untiitleed fiilee teext eediitoor.]"
+ },
+ "vs/workbench/browser/parts/editor/editorPart": {
+ "groupOneVertical": "[Leeft]",
+ "groupTwoVertical": "[Ceenteer]",
+ "groupThreeVertical": "[Riight]",
+ "groupOneHorizontal": "[Toop]",
+ "groupTwoHorizontal": "[Ceenteer]",
+ "groupThreeHorizontal": "[Boottoom]",
+ "editorOpenError": "[Unaablee too oopeen '{0}': {1}.]"
+ },
+ "vs/workbench/browser/parts/statusbar/statusbarPart": {
+ "manageExtension": "[Maanaagee Exteensiioon]"
+ },
+ "vs/workbench/browser/parts/panel/panelPart": {
+ "hidePanel": "[Hiidee Paaneel]"
+ },
+ "vs/workbench/browser/parts/sidebar/sidebarPart": {
+ "focusSideBar": "[Foocuus iintoo Siidee Baar]",
+ "viewCategory": "[Viieew]"
+ },
+ "vs/workbench/browser/parts/activitybar/activitybarPart": {
+ "hideActivitBar": "[Hiidee Actiiviity Baar]",
+ "globalActions": "[Gloobaal Actiioons]"
+ },
+ "vs/workbench/browser/parts/titlebar/titlebarPart": {
+ "patchedWindowTitle": "[[Unsuuppoorteed]]",
+ "userIsAdmin": "[[Admiiniistraatoor]]",
+ "userIsSudo": "[[Suupeeruuseer]]",
+ "devExtensionWindowTitlePrefix": "[[Exteensiioon Deeveeloopmeent Hoost]]"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsStatus": {
+ "hideNotifications": "[Hiidee Nootiifiicaatiioons]",
+ "zeroNotifications": "[Noo Nootiifiicaatiioons]",
+ "noNotifications": "[Noo Neew Nootiifiicaatiioons]",
+ "oneNotification": "[1 Neew Nootiifiicaatiioon]",
+ "notifications": "[{0} Neew Nootiifiicaatiioons]"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsAlerts": {
+ "alertErrorMessage": "[Erroor: {0}]",
+ "alertWarningMessage": "[Waarniing: {0}]",
+ "alertInfoMessage": "[Infoo: {0}]"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsCenter": {
+ "notificationsEmpty": "[Noo neew nootiifiicaatiioons]",
+ "notifications": "[Nootiifiicaatiioons]",
+ "notificationsToolbar": "[Nootiifiicaatiioon Ceenteer Actiioons]",
+ "notificationsList": "[Nootiifiicaatiioons Liist]"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsCommands": {
+ "notifications": "[Nootiifiicaatiioons]",
+ "showNotifications": "[Shoow Nootiifiicaatiioons]",
+ "hideNotifications": "[Hiidee Nootiifiicaatiioons]",
+ "clearAllNotifications": "[Cleeaar All Nootiifiicaatiioons]"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsToasts": {
+ "notificationsToast": "[Nootiifiicaatiioon Tooaast]"
+ },
+ "vs/workbench/electron-browser/actions": {
+ "closeWindow": "[Cloosee Wiindoow]",
+ "closeWorkspace": "[Cloosee Woorkspaacee]",
+ "noWorkspaceOpened": "[Theeree iis cuurreently noo woorkspaacee oopeeneed iin thiis iinstaancee too cloosee.]",
+ "newWindow": "[Neew Wiindoow]",
+ "toggleFullScreen": "[Toogglee Fuull Screeeen]",
+ "toggleMenuBar": "[Toogglee Meenuu Baar]",
+ "toggleDevTools": "[Toogglee Deeveeloopeer Tooools]",
+ "zoomIn": "[Zoooom In]",
+ "zoomOut": "[Zoooom Ouut]",
+ "zoomReset": "[Reeseet Zoooom]",
+ "appPerf": "[Staartuup Peerfoormaancee]",
+ "reloadWindow": "[Reelooaad Wiindoow]",
+ "reloadWindowWithExntesionsDisabled": "[Reelooaad Wiindoow Wiith Exteensiioons Diisaableed]",
+ "switchWindowPlaceHolder": "[Seeleect aa wiindoow too swiitch too]",
+ "current": "[Cuurreent Wiindoow]",
+ "close": "[Cloosee Wiindoow]",
+ "switchWindow": "[Swiitch Wiindoow...]",
+ "quickSwitchWindow": "[Quuiick Swiitch Wiindoow...]",
+ "workspaces": "[woorkspaacees]",
+ "files": "[fiilees]",
+ "openRecentPlaceHolderMac": "[Seeleect too oopeen (hoold Cmd-keey too oopeen iin neew wiindoow)]",
+ "openRecentPlaceHolder": "[Seeleect too oopeen (hoold Ctrl-keey too oopeen iin neew wiindoow)]",
+ "remove": "[Reemoovee froom Reeceently Opeeneed]",
+ "openRecent": "[Opeen Reeceent...]",
+ "quickOpenRecent": "[Quuiick Opeen Reeceent...]",
+ "reportIssueInEnglish": "[Reepoort Issuuee]",
+ "openProcessExplorer": "[Opeen Prooceess Explooreer]",
+ "reportPerformanceIssue": "[Reepoort Peerfoormaancee Issuuee]",
+ "keybindingsReference": "[Keeybooaard Shoortcuuts Reefeereencee]",
+ "openDocumentationUrl": "[Doocuumeentaatiioon]",
+ "openIntroductoryVideosUrl": "[Introoduuctoory Viideeoos]",
+ "openTipsAndTricksUrl": "[Tiips aand Triicks]",
+ "toggleSharedProcess": "[Toogglee Shaareed Prooceess]",
+ "navigateLeft": "[Naaviigaatee too thee Viieew oon thee Leeft]",
+ "navigateRight": "[Naaviigaatee too thee Viieew oon thee Riight]",
+ "navigateUp": "[Naaviigaatee too thee Viieew Aboovee]",
+ "navigateDown": "[Naaviigaatee too thee Viieew Beeloow]",
+ "increaseViewSize": "[Increeaasee Cuurreent Viieew Siizee]",
+ "decreaseViewSize": "[Deecreeaasee Cuurreent Viieew Siizee]",
+ "showPreviousTab": "[Shoow Preeviioouus Wiindoow Taab]",
+ "showNextWindowTab": "[Shoow Neext Wiindoow Taab]",
+ "moveWindowTabToNewWindow": "[Moovee Wiindoow Taab too Neew Wiindoow]",
+ "mergeAllWindowTabs": "[Meergee All Wiindoows]",
+ "toggleWindowTabsBar": "[Toogglee Wiindoow Taabs Baar]",
+ "about": "[Aboouut {0}]",
+ "inspect context keys": "[Inspeect Coonteext Keeys]"
+ },
+ "vs/workbench/common/theme": {
+ "tabActiveBackground": "[Actiivee taab baackgroouund cooloor. Taabs aaree thee coontaaiineers foor eediitoors iin thee eediitoor aareeaa. Muultiiplee taabs caan bee oopeeneed iin oonee eediitoor groouup. Theeree caan bee muultiiplee eediitoor groouups.]",
+ "tabInactiveBackground": "[Inaactiivee taab baackgroouund cooloor. Taabs aaree thee coontaaiineers foor eediitoors iin thee eediitoor aareeaa. Muultiiplee taabs caan bee oopeeneed iin oonee eediitoor groouup. Theeree caan bee muultiiplee eediitoor groouups.]",
+ "tabHoverBackground": "[Taab baackgroouund cooloor wheen hooveeriing. Taabs aaree thee coontaaiineers foor eediitoors iin thee eediitoor aareeaa. Muultiiplee taabs caan bee oopeeneed iin oonee eediitoor groouup. Theeree caan bee muultiiplee eediitoor groouups.]",
+ "tabUnfocusedHoverBackground": "[Taab baackgroouund cooloor iin aan uunfoocuuseed groouup wheen hooveeriing. Taabs aaree thee coontaaiineers foor eediitoors iin thee eediitoor aareeaa. Muultiiplee taabs caan bee oopeeneed iin oonee eediitoor groouup. Theeree caan bee muultiiplee eediitoor groouups.]",
+ "tabBorder": "[Boordeer too seepaaraatee taabs froom eeaach ootheer. Taabs aaree thee coontaaiineers foor eediitoors iin thee eediitoor aareeaa. Muultiiplee taabs caan bee oopeeneed iin oonee eediitoor groouup. Theeree caan bee muultiiplee eediitoor groouups.]",
+ "tabActiveBorder": "[Boordeer oon thee boottoom oof aan aactiivee taab. Taabs aaree thee coontaaiineers foor eediitoors iin thee eediitoor aareeaa. Muultiiplee taabs caan bee oopeeneed iin oonee eediitoor groouup. Theeree caan bee muultiiplee eediitoor groouups.]",
+ "tabActiveBorderTop": "[Boordeer too thee toop oof aan aactiivee taab. Taabs aaree thee coontaaiineers foor eediitoors iin thee eediitoor aareeaa. Muultiiplee taabs caan bee oopeeneed iin oonee eediitoor groouup. Theeree caan bee muultiiplee eediitoor groouups.]",
+ "tabActiveUnfocusedBorder": "[Boordeer oon thee boottoom oof aan aactiivee taab iin aan uunfoocuuseed groouup. Taabs aaree thee coontaaiineers foor eediitoors iin thee eediitoor aareeaa. Muultiiplee taabs caan bee oopeeneed iin oonee eediitoor groouup. Theeree caan bee muultiiplee eediitoor groouups.]",
+ "tabActiveUnfocusedBorderTop": "[Boordeer too thee toop oof aan aactiivee taab iin aan uunfoocuuseed groouup. Taabs aaree thee coontaaiineers foor eediitoors iin thee eediitoor aareeaa. Muultiiplee taabs caan bee oopeeneed iin oonee eediitoor groouup. Theeree caan bee muultiiplee eediitoor groouups.]",
+ "tabHoverBorder": "[Boordeer too hiighliight taabs wheen hooveeriing. Taabs aaree thee coontaaiineers foor eediitoors iin thee eediitoor aareeaa. Muultiiplee taabs caan bee oopeeneed iin oonee eediitoor groouup. Theeree caan bee muultiiplee eediitoor groouups.]",
+ "tabUnfocusedHoverBorder": "[Boordeer too hiighliight taabs iin aan uunfoocuuseed groouup wheen hooveeriing. Taabs aaree thee coontaaiineers foor eediitoors iin thee eediitoor aareeaa. Muultiiplee taabs caan bee oopeeneed iin oonee eediitoor groouup. Theeree caan bee muultiiplee eediitoor groouups.]",
+ "tabActiveForeground": "[Actiivee taab fooreegroouund cooloor iin aan aactiivee groouup. Taabs aaree thee coontaaiineers foor eediitoors iin thee eediitoor aareeaa. Muultiiplee taabs caan bee oopeeneed iin oonee eediitoor groouup. Theeree caan bee muultiiplee eediitoor groouups.]",
+ "tabInactiveForeground": "[Inaactiivee taab fooreegroouund cooloor iin aan aactiivee groouup. Taabs aaree thee coontaaiineers foor eediitoors iin thee eediitoor aareeaa. Muultiiplee taabs caan bee oopeeneed iin oonee eediitoor groouup. Theeree caan bee muultiiplee eediitoor groouups.]",
+ "tabUnfocusedActiveForeground": "[Actiivee taab fooreegroouund cooloor iin aan uunfoocuuseed groouup. Taabs aaree thee coontaaiineers foor eediitoors iin thee eediitoor aareeaa. Muultiiplee taabs caan bee oopeeneed iin oonee eediitoor groouup. Theeree caan bee muultiiplee eediitoor groouups.]",
+ "tabUnfocusedInactiveForeground": "[Inaactiivee taab fooreegroouund cooloor iin aan uunfoocuuseed groouup. Taabs aaree thee coontaaiineers foor eediitoors iin thee eediitoor aareeaa. Muultiiplee taabs caan bee oopeeneed iin oonee eediitoor groouup. Theeree caan bee muultiiplee eediitoor groouups.]",
+ "editorGroupBackground": "[Baackgroouund cooloor oof aan eediitoor groouup. Ediitoor groouups aaree thee coontaaiineers oof eediitoors. Thee baackgroouund cooloor shoows uup wheen draaggiing eediitoor groouups aaroouund.]",
+ "tabsContainerBackground": "[Baackgroouund cooloor oof thee eediitoor groouup tiitlee heeaadeer wheen taabs aaree eenaableed. Ediitoor groouups aaree thee coontaaiineers oof eediitoors.]",
+ "tabsContainerBorder": "[Boordeer cooloor oof thee eediitoor groouup tiitlee heeaadeer wheen taabs aaree eenaableed. Ediitoor groouups aaree thee coontaaiineers oof eediitoors.]",
+ "editorGroupHeaderBackground": "[Baackgroouund cooloor oof thee eediitoor groouup tiitlee heeaadeer wheen taabs aaree diisaableed (`\"woorkbeench.eediitoor.shoowTaabs\": faalsee`). Ediitoor groouups aaree thee coontaaiineers oof eediitoors.]",
+ "editorGroupBorder": "[Cooloor too seepaaraatee muultiiplee eediitoor groouups froom eeaach ootheer. Ediitoor groouups aaree thee coontaaiineers oof eediitoors.]",
+ "editorDragAndDropBackground": "[Baackgroouund cooloor wheen draaggiing eediitoors aaroouund. Thee cooloor shoouuld haavee traanspaareency soo thaat thee eediitoor coonteents caan stiill shiinee throouugh.]",
+ "panelBackground": "[Paaneel baackgroouund cooloor. Paaneels aaree shoown beeloow thee eediitoor aareeaa aand coontaaiin viieews liikee oouutpuut aand iinteegraateed teermiinaal.]",
+ "panelBorder": "[Paaneel boordeer cooloor too seepaaraatee thee paaneel froom thee eediitoor. Paaneels aaree shoown beeloow thee eediitoor aareeaa aand coontaaiin viieews liikee oouutpuut aand iinteegraateed teermiinaal.]",
+ "panelActiveTitleForeground": "[Tiitlee cooloor foor thee aactiivee paaneel. Paaneels aaree shoown beeloow thee eediitoor aareeaa aand coontaaiin viieews liikee oouutpuut aand iinteegraateed teermiinaal.]",
+ "panelInactiveTitleForeground": "[Tiitlee cooloor foor thee iinaactiivee paaneel. Paaneels aaree shoown beeloow thee eediitoor aareeaa aand coontaaiin viieews liikee oouutpuut aand iinteegraateed teermiinaal.]",
+ "panelActiveTitleBorder": "[Boordeer cooloor foor thee aactiivee paaneel tiitlee. Paaneels aaree shoown beeloow thee eediitoor aareeaa aand coontaaiin viieews liikee oouutpuut aand iinteegraateed teermiinaal.]",
+ "panelDragAndDropBackground": "[Draag aand droop feeeedbaack cooloor foor thee paaneel tiitlee iiteems. Thee cooloor shoouuld haavee traanspaareency soo thaat thee paaneel eentriiees caan stiill shiinee throouugh. Paaneels aaree shoown beeloow thee eediitoor aareeaa aand coontaaiin viieews liikee oouutpuut aand iinteegraateed teermiinaal.]",
+ "statusBarForeground": "[Staatuus baar fooreegroouund cooloor wheen aa woorkspaacee iis oopeeneed. Thee staatuus baar iis shoown iin thee boottoom oof thee wiindoow.]",
+ "statusBarNoFolderForeground": "[Staatuus baar fooreegroouund cooloor wheen noo fooldeer iis oopeeneed. Thee staatuus baar iis shoown iin thee boottoom oof thee wiindoow.]",
+ "statusBarBackground": "[Staatuus baar baackgroouund cooloor wheen aa woorkspaacee iis oopeeneed. Thee staatuus baar iis shoown iin thee boottoom oof thee wiindoow.]",
+ "statusBarNoFolderBackground": "[Staatuus baar baackgroouund cooloor wheen noo fooldeer iis oopeeneed. Thee staatuus baar iis shoown iin thee boottoom oof thee wiindoow.]",
+ "statusBarBorder": "[Staatuus baar boordeer cooloor seepaaraatiing too thee siideebaar aand eediitoor. Thee staatuus baar iis shoown iin thee boottoom oof thee wiindoow.]",
+ "statusBarNoFolderBorder": "[Staatuus baar boordeer cooloor seepaaraatiing too thee siideebaar aand eediitoor wheen noo fooldeer iis oopeeneed. Thee staatuus baar iis shoown iin thee boottoom oof thee wiindoow.]",
+ "statusBarItemActiveBackground": "[Staatuus baar iiteem baackgroouund cooloor wheen cliickiing. Thee staatuus baar iis shoown iin thee boottoom oof thee wiindoow.]",
+ "statusBarItemHoverBackground": "[Staatuus baar iiteem baackgroouund cooloor wheen hooveeriing. Thee staatuus baar iis shoown iin thee boottoom oof thee wiindoow.]",
+ "statusBarProminentItemBackground": "[Staatuus baar proomiineent iiteems baackgroouund cooloor. Proomiineent iiteems staand oouut froom ootheer staatuus baar eentriiees too iindiicaatee iimpoortaancee. Chaangee moodee `Toogglee Taab Keey Moovees Foocuus` froom coommaand paaleettee too seeee aan eexaamplee. Thee staatuus baar iis shoown iin thee boottoom oof thee wiindoow.]",
+ "statusBarProminentItemHoverBackground": "[Staatuus baar proomiineent iiteems baackgroouund cooloor wheen hooveeriing. Proomiineent iiteems staand oouut froom ootheer staatuus baar eentriiees too iindiicaatee iimpoortaancee. Chaangee moodee `Toogglee Taab Keey Moovees Foocuus` froom coommaand paaleettee too seeee aan eexaamplee. Thee staatuus baar iis shoown iin thee boottoom oof thee wiindoow.]",
+ "activityBarBackground": "[Actiiviity baar baackgroouund cooloor. Thee aactiiviity baar iis shoowiing oon thee faar leeft oor riight aand aalloows too swiitch beetweeeen viieews oof thee siidee baar.]",
+ "activityBarForeground": "[Actiiviity baar fooreegroouund cooloor (ee.g. uuseed foor thee iicoons). Thee aactiiviity baar iis shoowiing oon thee faar leeft oor riight aand aalloows too swiitch beetweeeen viieews oof thee siidee baar.]",
+ "activityBarBorder": "[Actiiviity baar boordeer cooloor seepaaraatiing too thee siidee baar. Thee aactiiviity baar iis shoowiing oon thee faar leeft oor riight aand aalloows too swiitch beetweeeen viieews oof thee siidee baar.]",
+ "activityBarDragAndDropBackground": "[Draag aand droop feeeedbaack cooloor foor thee aactiiviity baar iiteems. Thee cooloor shoouuld haavee traanspaareency soo thaat thee aactiiviity baar eentriiees caan stiill shiinee throouugh. Thee aactiiviity baar iis shoowiing oon thee faar leeft oor riight aand aalloows too swiitch beetweeeen viieews oof thee siidee baar.]",
+ "activityBarBadgeBackground": "[Actiiviity nootiifiicaatiioon baadgee baackgroouund cooloor. Thee aactiiviity baar iis shoowiing oon thee faar leeft oor riight aand aalloows too swiitch beetweeeen viieews oof thee siidee baar.]",
+ "activityBarBadgeForeground": "[Actiiviity nootiifiicaatiioon baadgee fooreegroouund cooloor. Thee aactiiviity baar iis shoowiing oon thee faar leeft oor riight aand aalloows too swiitch beetweeeen viieews oof thee siidee baar.]",
+ "sideBarBackground": "[Siidee baar baackgroouund cooloor. Thee siidee baar iis thee coontaaiineer foor viieews liikee eexplooreer aand seeaarch.]",
+ "sideBarForeground": "[Siidee baar fooreegroouund cooloor. Thee siidee baar iis thee coontaaiineer foor viieews liikee eexplooreer aand seeaarch.]",
+ "sideBarBorder": "[Siidee baar boordeer cooloor oon thee siidee seepaaraatiing too thee eediitoor. Thee siidee baar iis thee coontaaiineer foor viieews liikee eexplooreer aand seeaarch.]",
+ "sideBarTitleForeground": "[Siidee baar tiitlee fooreegroouund cooloor. Thee siidee baar iis thee coontaaiineer foor viieews liikee eexplooreer aand seeaarch.]",
+ "sideBarDragAndDropBackground": "[Draag aand droop feeeedbaack cooloor foor thee siidee baar seectiioons. Thee cooloor shoouuld haavee traanspaareency soo thaat thee siidee baar seectiioons caan stiill shiinee throouugh. Thee siidee baar iis thee coontaaiineer foor viieews liikee eexplooreer aand seeaarch.]",
+ "sideBarSectionHeaderBackground": "[Siidee baar seectiioon heeaadeer baackgroouund cooloor. Thee siidee baar iis thee coontaaiineer foor viieews liikee eexplooreer aand seeaarch.]",
+ "sideBarSectionHeaderForeground": "[Siidee baar seectiioon heeaadeer fooreegroouund cooloor. Thee siidee baar iis thee coontaaiineer foor viieews liikee eexplooreer aand seeaarch.]",
+ "titleBarActiveForeground": "[Tiitlee baar fooreegroouund wheen thee wiindoow iis aactiivee. Nootee thaat thiis cooloor iis cuurreently oonly suuppoorteed oon maacOS.]",
+ "titleBarInactiveForeground": "[Tiitlee baar fooreegroouund wheen thee wiindoow iis iinaactiivee. Nootee thaat thiis cooloor iis cuurreently oonly suuppoorteed oon maacOS.]",
+ "titleBarActiveBackground": "[Tiitlee baar baackgroouund wheen thee wiindoow iis aactiivee. Nootee thaat thiis cooloor iis cuurreently oonly suuppoorteed oon maacOS.]",
+ "titleBarInactiveBackground": "[Tiitlee baar baackgroouund wheen thee wiindoow iis iinaactiivee. Nootee thaat thiis cooloor iis cuurreently oonly suuppoorteed oon maacOS.]",
+ "titleBarBorder": "[Tiitlee baar boordeer cooloor. Nootee thaat thiis cooloor iis cuurreently oonly suuppoorteed oon maacOS.]",
+ "notificationCenterBorder": "[Nootiifiicaatiioons ceenteer boordeer cooloor. Nootiifiicaatiioons sliidee iin froom thee boottoom riight oof thee wiindoow.]",
+ "notificationToastBorder": "[Nootiifiicaatiioon tooaast boordeer cooloor. Nootiifiicaatiioons sliidee iin froom thee boottoom riight oof thee wiindoow.]",
+ "notificationsForeground": "[Nootiifiicaatiioons fooreegroouund cooloor. Nootiifiicaatiioons sliidee iin froom thee boottoom riight oof thee wiindoow.]",
+ "notificationsBackground": "[Nootiifiicaatiioons baackgroouund cooloor. Nootiifiicaatiioons sliidee iin froom thee boottoom riight oof thee wiindoow.]",
+ "notificationsLink": "[Nootiifiicaatiioon liinks fooreegroouund cooloor. Nootiifiicaatiioons sliidee iin froom thee boottoom riight oof thee wiindoow.]",
+ "notificationCenterHeaderForeground": "[Nootiifiicaatiioons ceenteer heeaadeer fooreegroouund cooloor. Nootiifiicaatiioons sliidee iin froom thee boottoom riight oof thee wiindoow.]",
+ "notificationCenterHeaderBackground": "[Nootiifiicaatiioons ceenteer heeaadeer baackgroouund cooloor. Nootiifiicaatiioons sliidee iin froom thee boottoom riight oof thee wiindoow.]",
+ "notificationsBorder": "[Nootiifiicaatiioons boordeer cooloor seepaaraatiing froom ootheer nootiifiicaatiioons iin thee nootiifiicaatiioons ceenteer. Nootiifiicaatiioons sliidee iin froom thee boottoom riight oof thee wiindoow.]"
+ },
+ "vs/workbench/browser/parts/panel/panelActions": {
+ "closePanel": "[Cloosee Paaneel]",
+ "togglePanel": "[Toogglee Paaneel]",
+ "focusPanel": "[Foocuus iintoo Paaneel]",
+ "toggledPanelPosition": "[Toogglee Paaneel Poosiitiioon]",
+ "moveToRight": "[Moovee too Riight]",
+ "moveToBottom": "[Moovee too Boottoom]",
+ "toggleMaximizedPanel": "[Toogglee Maaxiimiizeed Paaneel]",
+ "maximizePanel": "[Maaxiimiizee Paaneel Siizee]",
+ "minimizePanel": "[Reestooree Paaneel Siizee]",
+ "view": "[Viieew]"
+ },
+ "vs/workbench/browser/parts/editor/editorActions": {
+ "splitEditor": "[Spliit Ediitoor]",
+ "joinTwoGroups": "[Jooiin Ediitoors oof Twoo Groouups]",
+ "navigateEditorGroups": "[Naaviigaatee Beetweeeen Ediitoor Groouups]",
+ "focusActiveEditorGroup": "[Foocuus Actiivee Ediitoor Groouup]",
+ "focusFirstEditorGroup": "[Foocuus Fiirst Ediitoor Groouup]",
+ "focusSecondEditorGroup": "[Foocuus Seecoond Ediitoor Groouup]",
+ "focusThirdEditorGroup": "[Foocuus Thiird Ediitoor Groouup]",
+ "focusPreviousGroup": "[Foocuus Preeviioouus Groouup]",
+ "focusNextGroup": "[Foocuus Neext Groouup]",
+ "openToSide": "[Opeen too thee Siidee]",
+ "closeEditor": "[Cloosee Ediitoor]",
+ "closeOneEditor": "[Cloosee]",
+ "revertAndCloseActiveEditor": "[Reeveert aand Cloosee Ediitoor]",
+ "closeEditorsToTheLeft": "[Cloosee Ediitoors too thee Leeft]",
+ "closeAllEditors": "[Cloosee All Ediitoors]",
+ "closeEditorsInOtherGroups": "[Cloosee Ediitoors iin Otheer Groouups]",
+ "moveActiveGroupLeft": "[Moovee Ediitoor Groouup Leeft]",
+ "moveActiveGroupRight": "[Moovee Ediitoor Groouup Riight]",
+ "minimizeOtherEditorGroups": "[Miiniimiizee Otheer Ediitoor Groouups]",
+ "evenEditorGroups": "[Eveen Ediitoor Groouup Wiidths]",
+ "maximizeEditor": "[Maaxiimiizee Ediitoor Groouup aand Hiidee Siideebaar]",
+ "openNextEditor": "[Opeen Neext Ediitoor]",
+ "openPreviousEditor": "[Opeen Preeviioouus Ediitoor]",
+ "nextEditorInGroup": "[Opeen Neext Ediitoor iin Groouup]",
+ "openPreviousEditorInGroup": "[Opeen Preeviioouus Ediitoor iin Groouup]",
+ "lastEditorInGroup": "[Opeen Laast Ediitoor iin Groouup]",
+ "navigateNext": "[Goo Foorwaard]",
+ "navigatePrevious": "[Goo Baack]",
+ "navigateLast": "[Goo Laast]",
+ "reopenClosedEditor": "[Reeoopeen Clooseed Ediitoor]",
+ "clearRecentFiles": "[Cleeaar Reeceently Opeeneed]",
+ "showEditorsInFirstGroup": "[Shoow Ediitoors iin Fiirst Groouup]",
+ "showEditorsInSecondGroup": "[Shoow Ediitoors iin Seecoond Groouup]",
+ "showEditorsInThirdGroup": "[Shoow Ediitoors iin Thiird Groouup]",
+ "showAllEditors": "[Shoow All Ediitoors]",
+ "openPreviousRecentlyUsedEditorInGroup": "[Opeen Preeviioouus Reeceently Useed Ediitoor iin Groouup]",
+ "openNextRecentlyUsedEditorInGroup": "[Opeen Neext Reeceently Useed Ediitoor iin Groouup]",
+ "navigateEditorHistoryByInput": "[Opeen Preeviioouus Ediitoor froom Hiistoory]",
+ "openNextRecentlyUsedEditor": "[Opeen Neext Reeceently Useed Ediitoor]",
+ "openPreviousRecentlyUsedEditor": "[Opeen Preeviioouus Reeceently Useed Ediitoor]",
+ "clearEditorHistory": "[Cleeaar Ediitoor Hiistoory]",
+ "focusLastEditorInStack": "[Opeen Laast Ediitoor iin Groouup]",
+ "moveEditorLeft": "[Moovee Ediitoor Leeft]",
+ "moveEditorRight": "[Moovee Ediitoor Riight]",
+ "moveEditorToPreviousGroup": "[Moovee Ediitoor iintoo Preeviioouus Groouup]",
+ "moveEditorToNextGroup": "[Moovee Ediitoor iintoo Neext Groouup]",
+ "moveEditorToFirstGroup": "[Moovee Ediitoor iintoo Fiirst Groouup]",
+ "moveEditorToSecondGroup": "[Moovee Ediitoor iintoo Seecoond Groouup]",
+ "moveEditorToThirdGroup": "[Moovee Ediitoor iintoo Thiird Groouup]"
+ },
+ "vs/workbench/electron-browser/commands": {
+ "diffLeftRightLabel": "[{0} ⟷ {1}]"
+ },
+ "vs/workbench/api/electron-browser/mainThreadMessageService": {
+ "extensionSource": "[{0} (Exteensiioon)]",
+ "defaultSource": "[Exteensiioon]",
+ "manageExtension": "[Maanaagee Exteensiioon]",
+ "cancel": "[Caanceel]",
+ "ok": "[OK]"
+ },
+ "vs/workbench/api/electron-browser/mainThreadTask": {
+ "task.label": "[{0}: {1}]"
+ },
+ "vs/workbench/api/electron-browser/mainThreadSaveParticipant": {
+ "timeout.formatOnSave": "[Aboorteed foormaat oon saavee aafteer {0}ms]",
+ "codeActionsOnSave.didTimeout": "[Aboorteed coodeeActiioonsOnSaavee aafteer {0}ms]",
+ "timeout.onWillSave": "[Aboorteed oonWiillSaaveeTeextDoocuumeent-eeveent aafteer 1750ms]",
+ "saveParticipants": "[Ruunniing Saavee Paartiiciipaants...]"
+ },
+ "vs/workbench/api/electron-browser/mainThreadWebview": {
+ "errorMessage": "[An eerroor ooccuurreed whiilee reestooriing viieew:{0}]"
+ },
+ "vs/workbench/api/electron-browser/mainThreadWorkspace": {
+ "folderStatusMessageAddSingleFolder": "[Exteensiioon '{0}' aaddeed 1 fooldeer too thee woorkspaacee]",
+ "folderStatusMessageAddMultipleFolders": "[Exteensiioon '{0}' aaddeed {1} fooldeers too thee woorkspaacee]",
+ "folderStatusMessageRemoveSingleFolder": "[Exteensiioon '{0}' reemooveed 1 fooldeer froom thee woorkspaacee]",
+ "folderStatusMessageRemoveMultipleFolders": "[Exteensiioon '{0}' reemooveed {1} fooldeers froom thee woorkspaacee]",
+ "folderStatusChangeFolder": "[Exteensiioon '{0}' chaangeed fooldeers oof thee woorkspaacee]"
+ },
+ "vs/workbench/api/node/extHostWorkspace": {
+ "updateerror": "[Exteensiioon '{0}' faaiileed too uupdaatee woorkspaacee fooldeers: {1}]"
+ },
+ "vs/workbench/api/node/extHostExtensionActivator": {
+ "unknownDep": "[Exteensiioon '{1}' faaiileed too aactiivaatee. Reeaasoon: uunknoown deepeendeency '{0}'.]",
+ "failedDep1": "[Exteensiioon '{1}' faaiileed too aactiivaatee. Reeaasoon: deepeendeency '{0}' faaiileed too aactiivaatee.]",
+ "failedDep2": "[Exteensiioon '{0}' faaiileed too aactiivaatee. Reeaasoon: mooree thaan 10 leeveels oof deepeendeenciiees (moost liikeely aa deepeendeency loooop).]",
+ "activationError": "[Actiivaatiing eexteensiioon '{0}' faaiileed: {1}.]"
+ },
+ "vs/workbench/browser/parts/editor/textEditor": {
+ "editorLabelWithGroup": "[{0}, Groouup {1}.]"
+ },
+ "vs/workbench/browser/parts/quickinput/quickInputBox": {
+ "quickInputBox.ariaLabel": "[Typee too naarroow doown reesuults.]"
+ },
+ "vs/workbench/browser/parts/editor/binaryEditor": {
+ "binaryEditor": "[Biinaary Viieeweer]"
+ },
+ "vs/workbench/browser/parts/editor/textDiffEditor": {
+ "textDiffEditor": "[Teext Diiff Ediitoor]",
+ "readonlyEditorWithInputAriaLabel": "[{0}. Reeaadoonly teext coompaaree eediitoor.]",
+ "readonlyEditorAriaLabel": "[Reeaadoonly teext coompaaree eediitoor.]",
+ "editableEditorWithInputAriaLabel": "[{0}. Teext fiilee coompaaree eediitoor.]",
+ "editableEditorAriaLabel": "[Teext fiilee coompaaree eediitoor.]",
+ "navigate.next.label": "[Neext Chaangee]",
+ "navigate.prev.label": "[Preeviioouus Chaangee]",
+ "toggleIgnoreTrimWhitespace.label": "[Ignooree Triim Whiiteespaacee]"
+ },
+ "vs/workbench/browser/parts/compositePart": {
+ "ariaCompositeToolbarLabel": "[{0} aactiioons]",
+ "titleTooltip": "[{0} ({1})]"
+ },
+ "vs/workbench/browser/parts/editor/editor.contribution": {
+ "textEditor": "[Teext Ediitoor]",
+ "textDiffEditor": "[Teext Diiff Ediitoor]",
+ "binaryDiffEditor": "[Biinaary Diiff Ediitoor]",
+ "sideBySideEditor": "[Siidee by Siidee Ediitoor]",
+ "groupOnePicker": "[Shoow Ediitoors iin Fiirst Groouup]",
+ "groupTwoPicker": "[Shoow Ediitoors iin Seecoond Groouup]",
+ "groupThreePicker": "[Shoow Ediitoors iin Thiird Groouup]",
+ "allEditorsPicker": "[Shoow All Opeeneed Ediitoors]",
+ "view": "[Viieew]",
+ "file": "[Fiilee]",
+ "close": "[Cloosee]",
+ "closeOthers": "[Cloosee Otheers]",
+ "closeRight": "[Cloosee too thee Riight]",
+ "closeAllSaved": "[Cloosee Saaveed]",
+ "closeAll": "[Cloosee All]",
+ "keepOpen": "[Keeeep Opeen]",
+ "toggleInlineView": "[Toogglee Inliinee Viieew]",
+ "showOpenedEditors": "[Shoow Opeeneed Ediitoors]",
+ "keepEditor": "[Keeeep Ediitoor]",
+ "closeEditorsInGroup": "[Cloosee All Ediitoors iin Groouup]",
+ "closeSavedEditors": "[Cloosee Saaveed Ediitoors iin Groouup]",
+ "closeOtherEditors": "[Cloosee Otheer Ediitoors]",
+ "closeRightEditors": "[Cloosee Ediitoors too thee Riight]"
+ },
+ "vs/workbench/browser/parts/compositebar/compositeBarActions": {
+ "largeNumberBadge": "[10k+]",
+ "badgeTitle": "[{0} - {1}]",
+ "additionalViews": "[Addiitiioonaal Viieews]",
+ "numberBadge": "[{0} ({1})]",
+ "manageExtension": "[Maanaagee Exteensiioon]",
+ "titleKeybinding": "[{0} ({1})]",
+ "hide": "[Hiidee]",
+ "keep": "[Keeeep]",
+ "toggle": "[Toogglee Viieew Piinneed]"
+ },
+ "vs/workbench/browser/parts/compositebar/compositeBar": {
+ "activityBarAriaLabel": "[Actiivee Viieew Swiitcheer]"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsActions": {
+ "clearNotification": "[Cleeaar Nootiifiicaatiioon]",
+ "clearNotifications": "[Cleeaar All Nootiifiicaatiioons]",
+ "hideNotificationsCenter": "[Hiidee Nootiifiicaatiioons]",
+ "expandNotification": "[Expaand Nootiifiicaatiioon]",
+ "collapseNotification": "[Coollaapsee Nootiifiicaatiioon]",
+ "configureNotification": "[Coonfiiguuree Nootiifiicaatiioon]",
+ "copyNotification": "[Coopy Teext]"
+ },
+ "vs/workbench/electron-browser/window": {
+ "undo": "[Undoo]",
+ "redo": "[Reedoo]",
+ "cut": "[Cuut]",
+ "copy": "[Coopy]",
+ "paste": "[Paastee]",
+ "selectAll": "[Seeleect All]",
+ "runningAsRoot": "[It iis noot reecoommeendeed too ruun {0} aas roooot uuseer.]"
+ },
+ "vs/workbench/browser/parts/editor/resourceViewer": {
+ "sizeB": "[{0}B]",
+ "sizeKB": "[{0}KB]",
+ "sizeMB": "[{0}MB]",
+ "sizeGB": "[{0}GB]",
+ "sizeTB": "[{0}TB]",
+ "largeImageError": "[Thee iimaagee iis noot diisplaayeed iin thee eediitoor beecaauusee iit iis toooo laargee ({0}).]",
+ "resourceOpenExternalButton": "[Opeen iimaagee uusiing eexteernaal proograam?]",
+ "nativeFileTooLargeError": "[Thee fiilee iis noot diisplaayeed iin thee eediitoor beecaauusee iit iis toooo laargee ({0}).]",
+ "nativeBinaryError": "[Thee fiilee iis noot diisplaayeed iin thee eediitoor beecaauusee iit iis eeiitheer biinaary oor uusees aan uunsuuppoorteed teext eencoodiing.]",
+ "openAsText": "[Doo yoouu waant too oopeen iit aanywaay?]",
+ "zoom.action.fit.label": "[Whoolee Imaagee]",
+ "imgMeta": "[{0}x{1} {2}]"
+ },
+ "vs/workbench/browser/parts/editor/tabsTitleControl": {
+ "araLabelTabActions": "[Taab aactiioons]"
+ },
+ "vs/workbench/browser/parts/editor/editorStatus": {
+ "singleSelectionRange": "[Ln {0}, Cool {1} ({2} seeleecteed)]",
+ "singleSelection": "[Ln {0}, Cool {1}]",
+ "multiSelectionRange": "[{0} seeleectiioons ({1} chaaraacteers seeleecteed)]",
+ "multiSelection": "[{0} seeleectiioons]",
+ "endOfLineLineFeed": "[LF]",
+ "endOfLineCarriageReturnLineFeed": "[CRLF]",
+ "tabFocusModeEnabled": "[Taab Moovees Foocuus]",
+ "screenReaderDetected": "[Screeeen Reeaadeer Optiimiizeed]",
+ "screenReaderDetectedExtra": "[If yoouu aaree noot uusiing aa Screeeen Reeaadeer, pleeaasee chaangee thee seettiing `eediitoor.aacceessiibiiliitySuuppoort` too \"ooff\".]",
+ "disableTabMode": "[Diisaablee Acceessiibiiliity Moodee]",
+ "gotoLine": "[Goo too Liinee]",
+ "selectIndentation": "[Seeleect Indeentaatiioon]",
+ "selectEncoding": "[Seeleect Encoodiing]",
+ "selectEOL": "[Seeleect End oof Liinee Seequueencee]",
+ "selectLanguageMode": "[Seeleect Laanguuaagee Moodee]",
+ "fileInfo": "[Fiilee Infoormaatiioon]",
+ "spacesSize": "[Spaacees: {0}]",
+ "tabSize": "[Taab Siizee: {0}]",
+ "showLanguageExtensions": "[Seeaarch Maarkeetplaacee Exteensiioons foor '{0}'...]",
+ "changeMode": "[Chaangee Laanguuaagee Moodee]",
+ "noEditor": "[Noo teext eediitoor aactiivee aat thiis tiimee]",
+ "languageDescription": "[({0}) - Coonfiiguureed Laanguuaagee]",
+ "languageDescriptionConfigured": "[({0})]",
+ "languagesPicks": "[laanguuaagees (iideentiifiieer)]",
+ "configureModeSettings": "[Coonfiiguuree '{0}' laanguuaagee baaseed seettiings...]",
+ "configureAssociationsExt": "[Coonfiiguuree Fiilee Assoociiaatiioon foor '{0}'...]",
+ "autoDetect": "[Auutoo Deeteect]",
+ "pickLanguage": "[Seeleect Laanguuaagee Moodee]",
+ "currentAssociation": "[Cuurreent Assoociiaatiioon]",
+ "pickLanguageToConfigure": "[Seeleect Laanguuaagee Moodee too Assoociiaatee wiith '{0}']",
+ "changeIndentation": "[Chaangee Indeentaatiioon]",
+ "noWritableCodeEditor": "[Thee aactiivee coodee eediitoor iis reeaad-oonly.]",
+ "indentView": "[chaangee viieew]",
+ "indentConvert": "[coonveert fiilee]",
+ "pickAction": "[Seeleect Actiioon]",
+ "changeEndOfLine": "[Chaangee End oof Liinee Seequueencee]",
+ "pickEndOfLine": "[Seeleect End oof Liinee Seequueencee]",
+ "changeEncoding": "[Chaangee Fiilee Encoodiing]",
+ "noFileEditor": "[Noo fiilee aactiivee aat thiis tiimee]",
+ "saveWithEncoding": "[Saavee wiith Encoodiing]",
+ "reopenWithEncoding": "[Reeoopeen wiith Encoodiing]",
+ "guessedEncoding": "[Guueesseed froom coonteent]",
+ "pickEncodingForReopen": "[Seeleect Fiilee Encoodiing too Reeoopeen Fiilee]",
+ "pickEncodingForSave": "[Seeleect Fiilee Encoodiing too Saavee wiith]",
+ "screenReaderDetectedExplanation.title": "[Screeeen Reeaadeer Optiimiizeed]",
+ "screenReaderDetectedExplanation.question": "[Aree yoouu uusiing aa screeeen reeaadeer too oopeeraatee VS Coodee?]",
+ "screenReaderDetectedExplanation.answerYes": "[Yees]",
+ "screenReaderDetectedExplanation.answerNo": "[Noo]",
+ "screenReaderDetectedExplanation.body1": "[VS Coodee iis noow ooptiimiizeed foor uusaagee wiith aa screeeen reeaadeer.]",
+ "screenReaderDetectedExplanation.body2": "[Soomee eediitoor feeaatuurees wiill haavee diiffeereent beehaaviioouur: ee.g. woord wraappiing, fooldiing, eetc.]"
+ },
+ "vs/workbench/browser/parts/editor/binaryDiffEditor": {
+ "metadataDiff": "[{0} ↔ {1}]"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsViewer": {
+ "notificationActions": "[Nootiifiicaatiioon Actiioons]",
+ "notificationSource": "[Soouurcee: {0}]"
+ },
+ "vs/workbench/api/node/extHostDiagnostics": {
+ "limitHit": "[Noot shoowiing {0} fuurtheer eerroors aand waarniings.]"
+ },
+ "vs/workbench/api/node/extHostTreeViews": {
+ "treeView.notRegistered": "[Noo treeee viieew wiith iid '{0}' reegiisteereed.]",
+ "treeView.duplicateElement": "[Eleemeent wiith iid {0} iis aalreeaady reegiisteereed]"
+ },
+ "vs/workbench/api/node/extHostProgress": {
+ "extensionSource": "[{0} (Exteensiioon)]"
+ },
+ "vs/workbench/api/node/extHostTask": {
+ "task.label": "[{0}: {1}]"
+ },
+ "vs/workbench/browser/parts/editor/titleControl": {
+ "araLabelEditorActions": "[Ediitoor aactiioons]"
+ },
+ "vs/workbench/parts/debug/electron-browser/debug.contribution": {
+ "toggleDebugViewlet": "[Shoow Deebuug]",
+ "toggleDebugPanel": "[Deebuug Coonsoolee]",
+ "debug": "[Deebuug]",
+ "debugPanel": "[Deebuug Coonsoolee]",
+ "variables": "[Vaariiaablees]",
+ "watch": "[Waatch]",
+ "callStack": "[Caall Staack]",
+ "breakpoints": "[Breeaakpooiints]",
+ "view": "[Viieew]",
+ "debugCategory": "[Deebuug]",
+ "debugCommands": "[Deebuug Coonfiiguuraatiioon]",
+ "debugConfigurationTitle": "[Deebuug]",
+ "allowBreakpointsEverywhere": "[Alloows seettiing breeaakpooiint iin aany fiilee]",
+ "openExplorerOnEnd": "[Auutoomaatiicaally oopeen eexplooreer viieew oon thee eend oof aa deebuug seessiioon]",
+ "inlineValues": "[Shoow vaariiaablee vaaluuees iinliinee iin eediitoor whiilee deebuuggiing]",
+ "hideActionBar": "[Coontrools iif thee flooaatiing deebuug aactiioon baar shoouuld bee hiiddeen]",
+ "toolbar": "[Coontrools thee deebuug toooolbaar. Shoouuld iit bee flooaatiing, doockeed iin thee deebuug viieew oor hiiddeen.]",
+ "never": "[Neeveer shoow deebuug iin staatuus baar]",
+ "always": "[Alwaays shoow deebuug iin staatuus baar]",
+ "onFirstSessionStart": "[Shoow deebuug iin staatuus baar oonly aafteer deebuug waas staarteed foor thee fiirst tiimee]",
+ "showInStatusBar": "[Coontrools wheen thee deebuug staatuus baar shoouuld bee viisiiblee]",
+ "openDebug": "[Coontrools wheetheer deebuug viieew shoouuld bee oopeen oon deebuuggiing seessiioon staart.]",
+ "enableAllHovers": "[Coontrools iif thee noon deebuug hooveers shoouuld bee eenaableed whiilee deebuuggiing. If truuee thee hooveer prooviideers wiill bee caalleed too prooviidee aa hooveer. Reeguulaar hooveers wiill noot bee shoown eeveen iif thiis seettiing iis truuee.]",
+ "logLevel": "[Coontrools whaat diiaagnoostiic oouutpuut shoouuld thee deebuug seessiioon prooduucee.]",
+ "launch": "[Gloobaal deebuug laauunch coonfiiguuraatiioon. Shoouuld bee uuseed aas aan aalteernaatiivee too 'laauunch.jsoon' thaat iis shaareed aacrooss woorkspaacees]"
+ },
+ "vs/workbench/parts/debug/browser/debugViewlet": {
+ "startAdditionalSession": "[Staart Addiitiioonaal Seessiioon]",
+ "debugFocusVariablesView": "[Foocuus Vaariiaablees]",
+ "debugFocusWatchView": "[Foocuus Waatch]",
+ "debugFocusCallStackView": "[Foocuus CaallStaack]",
+ "debugFocusBreakpointsView": "[Foocuus Breeaakpooiints]"
+ },
+ "vs/workbench/parts/debug/electron-browser/repl": {
+ "replAriaLabel": "[Reeaad Evaal Priint Loooop Paaneel]",
+ "actions.repl.historyPrevious": "[Hiistoory Preeviioouus]",
+ "actions.repl.historyNext": "[Hiistoory Neext]",
+ "actions.repl.acceptInput": "[REPL Acceept Inpuut]",
+ "actions.repl.copyAll": "[Deebuug: Coonsoolee Coopy All]"
+ },
+ "vs/workbench/parts/debug/browser/debugEditorActions": {
+ "toggleBreakpointAction": "[Deebuug: Toogglee Breeaakpooiint]",
+ "conditionalBreakpointEditorAction": "[Deebuug: Add Coondiitiioonaal Breeaakpooiint...]",
+ "logPointEditorAction": "[Deebuug: Add Loogpooiint...]",
+ "runToCursor": "[Ruun too Cuursoor]",
+ "debugEvaluate": "[Deebuug: Evaaluuaatee]",
+ "debugAddToWatch": "[Deebuug: Add too Waatch]",
+ "showDebugHover": "[Deebuug: Shoow Hooveer]"
+ },
+ "vs/workbench/parts/debug/browser/debugQuickOpen": {
+ "entryAriaLabel": "[{0}, deebuug]",
+ "debugAriaLabel": "[Typee aa naamee oof aa laauunch coonfiiguuraatiioon too ruun.]",
+ "addConfigTo": "[Add Coonfiig ({0})...]",
+ "addConfiguration": "[Add Coonfiiguuraatiioon...]",
+ "noConfigurationsMatching": "[Noo deebuug coonfiiguuraatiioons maatchiing]",
+ "noConfigurationsFound": "[Noo deebuug coonfiiguuraatiioons foouund. Pleeaasee creeaatee aa 'laauunch.jsoon' fiilee.]"
+ },
+ "vs/workbench/parts/debug/electron-browser/variablesView": {
+ "variablesSection": "[Vaariiaablees Seectiioon]",
+ "variablesAriaTreeLabel": "[Deebuug Vaariiaablees]",
+ "variableValueAriaLabel": "[Typee neew vaariiaablee vaaluuee]",
+ "variableScopeAriaLabel": "[Scoopee {0}, vaariiaablees, deebuug]",
+ "variableAriaLabel": "[{0} vaaluuee {1}, vaariiaablees, deebuug]"
+ },
+ "vs/workbench/parts/debug/electron-browser/callStackView": {
+ "callstackSection": "[Caall Staack Seectiioon]",
+ "debugStopped": "[Paauuseed oon {0}]",
+ "callStackAriaLabel": "[Deebuug Caall Staack]",
+ "session": "[Seessiioon]",
+ "paused": "[Paauuseed]",
+ "running": "[Ruunniing]",
+ "thread": "[Threeaad]",
+ "pausedOn": "[Paauuseed oon {0}]",
+ "loadMoreStackFrames": "[Looaad Mooree Staack Fraamees]",
+ "threadAriaLabel": "[Threeaad {0}, caallstaack, deebuug]",
+ "stackFrameAriaLabel": "[Staack Fraamee {0} liinee {1} {2}, caallstaack, deebuug]"
+ },
+ "vs/workbench/parts/debug/electron-browser/watchExpressionsView": {
+ "expressionsSection": "[Expreessiioons Seectiioon]",
+ "watchAriaTreeLabel": "[Deebuug Waatch Expreessiioons]",
+ "watchExpressionPlaceholder": "[Expreessiioon too waatch]",
+ "watchExpressionInputAriaLabel": "[Typee waatch eexpreessiioon]",
+ "watchExpressionAriaLabel": "[{0} vaaluuee {1}, waatch, deebuug]",
+ "watchVariableAriaLabel": "[{0} vaaluuee {1}, waatch, deebuug]"
+ },
+ "vs/workbench/parts/debug/common/debug": {
+ "internalConsoleOptions": "[Coontrools beehaaviioor oof thee iinteernaal deebuug coonsoolee.]"
+ },
+ "vs/workbench/parts/debug/browser/breakpointsView": {
+ "logPoint": "[Loogpooiint]",
+ "breakpoint": "[Breeaakpooiint]",
+ "editBreakpoint": "[Ediit {0}...]",
+ "removeBreakpoint": "[Reemoovee {0}]",
+ "functionBreakpointsNotSupported": "[Fuunctiioon breeaakpooiints aaree noot suuppoorteed by thiis deebuug typee]",
+ "functionBreakpointPlaceholder": "[Fuunctiioon too breeaak oon]",
+ "functionBreakPointInputAriaLabel": "[Typee fuunctiioon breeaakpooiint]",
+ "breakpointDisabledHover": "[Diisaableed breeaakpooiint]",
+ "breakpointUnverifieddHover": "[Unveeriifiieed breeaakpooiint]",
+ "functionBreakpointUnsupported": "[Fuunctiioon breeaakpooiints noot suuppoorteed by thiis deebuug typee]",
+ "breakpointDirtydHover": "[Unveeriifiieed breeaakpooiint. Fiilee iis moodiifiieed, pleeaasee reestaart deebuug seessiioon.]",
+ "logBreakpointUnsupported": "[Loogpooiints noot suuppoorteed by thiis deebuug typee]",
+ "conditionalBreakpointUnsupported": "[Coondiitiioonaal breeaakpooiints noot suuppoorteed by thiis deebuug typee]",
+ "hitBreakpointUnsupported": "[Hiit coondiitiioonaal breeaakpooiints noot suuppoorteed by thiis deebuug typee]"
+ },
+ "vs/workbench/parts/debug/browser/debugActions": {
+ "openLaunchJson": "[Opeen {0}]",
+ "launchJsonNeedsConfigurtion": "[Coonfiiguuree oor Fiix 'laauunch.jsoon']",
+ "noFolderDebugConfig": "[Pleeaasee fiirst oopeen aa fooldeer iin oordeer too doo aadvaanceed deebuug coonfiiguuraatiioon.]",
+ "startDebug": "[Staart Deebuuggiing]",
+ "startWithoutDebugging": "[Staart Wiithoouut Deebuuggiing]",
+ "selectAndStartDebugging": "[Seeleect aand Staart Deebuuggiing]",
+ "restartDebug": "[Reestaart]",
+ "reconnectDebug": "[Reecoonneect]",
+ "stepOverDebug": "[Steep Oveer]",
+ "stepIntoDebug": "[Steep Intoo]",
+ "stepOutDebug": "[Steep Ouut]",
+ "stopDebug": "[Stoop]",
+ "disconnectDebug": "[Diiscoonneect]",
+ "continueDebug": "[Coontiinuuee]",
+ "pauseDebug": "[Paauusee]",
+ "terminateThread": "[Teermiinaatee Threeaad]",
+ "restartFrame": "[Reestaart Fraamee]",
+ "removeBreakpoint": "[Reemoovee Breeaakpooiint]",
+ "removeAllBreakpoints": "[Reemoovee All Breeaakpooiints]",
+ "enableAllBreakpoints": "[Enaablee All Breeaakpooiints]",
+ "disableAllBreakpoints": "[Diisaablee All Breeaakpooiints]",
+ "activateBreakpoints": "[Actiivaatee Breeaakpooiints]",
+ "deactivateBreakpoints": "[Deeaactiivaatee Breeaakpooiints]",
+ "reapplyAllBreakpoints": "[Reeaapply All Breeaakpooiints]",
+ "addFunctionBreakpoint": "[Add Fuunctiioon Breeaakpooiint]",
+ "setValue": "[Seet Vaaluuee]",
+ "addWatchExpression": "[Add Expreessiioon]",
+ "editWatchExpression": "[Ediit Expreessiioon]",
+ "addToWatchExpressions": "[Add too Waatch]",
+ "removeWatchExpression": "[Reemoovee Expreessiioon]",
+ "removeAllWatchExpressions": "[Reemoovee All Expreessiioons]",
+ "clearRepl": "[Cleeaar Coonsoolee]",
+ "debugConsoleAction": "[Deebuug Coonsoolee]",
+ "unreadOutput": "[Neew Ouutpuut iin Deebuug Coonsoolee]",
+ "debugFocusConsole": "[Foocuus Deebuug Coonsoolee]",
+ "focusSession": "[Foocuus Seessiioon]",
+ "stepBackDebug": "[Steep Baack]",
+ "reverseContinue": "[Reeveersee]"
+ },
+ "vs/workbench/parts/debug/electron-browser/debugService": {
+ "snapshotObj": "[Only priimiitiivee vaaluuees aaree shoown foor thiis oobjeect.]",
+ "debuggingPaused": "[Deebuuggiing paauuseed, reeaasoon {0}, {1} {2}]",
+ "debuggingStarted": "[Deebuuggiing staarteed.]",
+ "debuggingStopped": "[Deebuuggiing stooppeed.]",
+ "breakpointAdded": "[Addeed breeaakpooiint, liinee {0}, fiilee {1}]",
+ "breakpointRemoved": "[Reemooveed breeaakpooiint, liinee {0}, fiilee {1}]",
+ "compoundMustHaveConfigurations": "[Coompoouund muust haavee \"coonfiiguuraatiioons\" aattriibuutee seet iin oordeer too staart muultiiplee coonfiiguuraatiioons.]",
+ "noConfigurationNameInWorkspace": "[Coouuld noot fiind laauunch coonfiiguuraatiioon '{0}' iin thee woorkspaacee.]",
+ "multipleConfigurationNamesInWorkspace": "[Theeree aaree muultiiplee laauunch coonfiiguuraatiioons '{0}' iin thee woorkspaacee. Usee fooldeer naamee too quuaaliify thee coonfiiguuraatiioon.]",
+ "noFolderWithName": "[Caan noot fiind fooldeer wiith naamee '{0}' foor coonfiiguuraatiioon '{1}' iin coompoouund '{2}'.]",
+ "configMissing": "[Coonfiiguuraatiioon '{0}' iis miissiing iin 'laauunch.jsoon'.]",
+ "launchJsonDoesNotExist": "['laauunch.jsoon' dooees noot eexiist.]",
+ "debugRequestNotSupported": "[Attriibuutee '{0}' haas aan uunsuuppoorteed vaaluuee '{1}' iin thee chooseen deebuug coonfiiguuraatiioon.]",
+ "debugRequesMissing": "[Attriibuutee '{0}' iis miissiing froom thee chooseen deebuug coonfiiguuraatiioon.]",
+ "debugTypeNotSupported": "[Coonfiiguureed deebuug typee '{0}' iis noot suuppoorteed.]",
+ "debugTypeMissing": "[Miissiing proopeerty 'typee' foor thee chooseen laauunch coonfiiguuraatiioon.]",
+ "debugAnyway": "[Deebuug Anywaay]",
+ "preLaunchTaskErrors": "[Buuiild eerroors haavee beeeen deeteecteed duuriing preeLaauunchTaask '{0}'.]",
+ "preLaunchTaskError": "[Buuiild eerroor haas beeeen deeteecteed duuriing preeLaauunchTaask '{0}'.]",
+ "preLaunchTaskExitCode": "[Thee preeLaauunchTaask '{0}' teermiinaateed wiith eexiit coodee {1}.]",
+ "showErrors": "[Shoow Erroors]",
+ "noFolderWorkspaceDebugError": "[Thee aactiivee fiilee caan noot bee deebuuggeed. Maakee suuree iit iis saaveed oon diisk aand thaat yoouu haavee aa deebuug eexteensiioon iinstaalleed foor thaat fiilee typee.]",
+ "cancel": "[Caanceel]",
+ "DebugTaskNotFound": "[Coouuld noot fiind thee taask '{0}'.]",
+ "taskNotTracked": "[Thee taask '{0}' caannoot bee traackeed.]"
+ },
+ "vs/workbench/parts/debug/browser/debugActionsWidget": {
+ "debugToolBarBackground": "[Deebuug toooolbaar baackgroouund cooloor.]",
+ "debugToolBarBorder": "[Deebuug toooolbaar boordeer cooloor.]"
+ },
+ "vs/workbench/parts/debug/browser/debugContentProvider": {
+ "unable": "[Unaablee too reesoolvee thee reesoouurcee wiithoouut aa deebuug seessiioon]",
+ "canNotResolveSource": "[Coouuld noot reesoolvee reesoouurcee {0}, noo reespoonsee froom deebuug eexteensiioon.]"
+ },
+ "vs/workbench/parts/debug/browser/statusbarColorProvider": {
+ "statusBarDebuggingBackground": "[Staatuus baar baackgroouund cooloor wheen aa proograam iis beeiing deebuuggeed. Thee staatuus baar iis shoown iin thee boottoom oof thee wiindoow]",
+ "statusBarDebuggingForeground": "[Staatuus baar fooreegroouund cooloor wheen aa proograam iis beeiing deebuuggeed. Thee staatuus baar iis shoown iin thee boottoom oof thee wiindoow]",
+ "statusBarDebuggingBorder": "[Staatuus baar boordeer cooloor seepaaraatiing too thee siideebaar aand eediitoor wheen aa proograam iis beeiing deebuuggeed. Thee staatuus baar iis shoown iin thee boottoom oof thee wiindoow]"
+ },
+ "vs/workbench/parts/debug/browser/debugCommands": {
+ "noFolderDebugConfig": "[Pleeaasee fiirst oopeen aa fooldeer iin oordeer too doo aadvaanceed deebuug coonfiiguuraatiioon.]",
+ "inlineBreakpoint": "[Inliinee Breeaakpooiint]",
+ "debug": "[Deebuug]",
+ "addInlineBreakpoint": "[Add Inliinee Breeaakpooiint]"
+ },
+ "vs/workbench/parts/debug/browser/debugStatus": {
+ "selectAndStartDebug": "[Seeleect aand staart deebuug coonfiiguuraatiioon]"
+ },
+ "vs/workbench/parts/debug/browser/debugActionItems": {
+ "noConfigurations": "[Noo Coonfiiguuraatiioons]",
+ "addConfigTo": "[Add Coonfiig ({0})...]",
+ "addConfiguration": "[Add Coonfiiguuraatiioon...]"
+ },
+ "vs/workbench/parts/debug/electron-browser/debugEditorContribution": {
+ "logPoint": "[Loogpooiint]",
+ "breakpoint": "[Breeaakpooiint]",
+ "removeBreakpoint": "[Reemoovee {0}]",
+ "editBreakpoint": "[Ediit {0}...]",
+ "disableBreakpoint": "[Diisaablee {0}]",
+ "enableBreakpoint": "[Enaablee {0}]",
+ "removeBreakpoints": "[Reemoovee Breeaakpooiints]",
+ "removeInlineBreakpointOnColumn": "[Reemoovee Inliinee Breeaakpooiint oon Cooluumn {0}]",
+ "removeLineBreakpoint": "[Reemoovee Liinee Breeaakpooiint]",
+ "editBreakpoints": "[Ediit Breeaakpooiints]",
+ "editInlineBreakpointOnColumn": "[Ediit Inliinee Breeaakpooiint oon Cooluumn {0}]",
+ "editLineBrekapoint": "[Ediit Liinee Breeaakpooiint]",
+ "enableDisableBreakpoints": "[Enaablee/Diisaablee Breeaakpooiints]",
+ "disableInlineColumnBreakpoint": "[Diisaablee Inliinee Breeaakpooiint oon Cooluumn {0}]",
+ "disableBreakpointOnLine": "[Diisaablee Liinee Breeaakpooiint]",
+ "enableBreakpoints": "[Enaablee Inliinee Breeaakpooiint oon Cooluumn {0}]",
+ "enableBreakpointOnLine": "[Enaablee Liinee Breeaakpooiint]",
+ "addBreakpoint": "[Add Breeaakpooiint]",
+ "addConditionalBreakpoint": "[Add Coondiitiioonaal Breeaakpooiint...]",
+ "addLogPoint": "[Add Loogpooiint...]",
+ "breakpointHasCondition": "[Thiis {0} haas aa {1} thaat wiill geet loost oon reemoovee. Coonsiideer diisaabliing thee {0} iinsteeaad.]",
+ "message": "[meessaagee]",
+ "condition": "[coondiitiioon]",
+ "removeLogPoint": "[Reemoovee {0}]",
+ "disableLogPoint": "[Diisaablee {0}]",
+ "cancel": "[Caanceel]",
+ "addConfiguration": "[Add Coonfiiguuraatiioon...]"
+ },
+ "vs/workbench/parts/debug/electron-browser/replViewer": {
+ "stateCapture": "[Objeect staatee iis caaptuureed froom fiirst eevaaluuaatiioon]",
+ "replVariableAriaLabel": "[Vaariiaablee {0} haas vaaluuee {1}, reeaad eevaal priint loooop, deebuug]",
+ "replExpressionAriaLabel": "[Expreessiioon {0} haas vaaluuee {1}, reeaad eevaal priint loooop, deebuug]",
+ "replValueOutputAriaLabel": "[{0}, reeaad eevaal priint loooop, deebuug]",
+ "replRawObjectAriaLabel": "[Reepl vaariiaablee {0} haas vaaluuee {1}, reeaad eevaal priint loooop, deebuug]"
+ },
+ "vs/workbench/parts/debug/electron-browser/electronDebugActions": {
+ "copyValue": "[Coopy Vaaluuee]",
+ "copyAsExpression": "[Coopy aas Expreessiioon]",
+ "copy": "[Coopy]",
+ "copyAll": "[Coopy All]",
+ "copyStackTrace": "[Coopy Caall Staack]"
+ },
+ "vs/workbench/parts/debug/common/debugModel": {
+ "notAvailable": "[noot aavaaiilaablee]",
+ "startDebugFirst": "[Pleeaasee staart aa deebuug seessiioon too eevaaluuaatee]"
+ },
+ "vs/workbench/parts/debug/electron-browser/debugConfigurationManager": {
+ "debugNoType": "[Deebuuggeer 'typee' caan noot bee oomiitteed aand muust bee oof typee 'striing'.]",
+ "selectDebug": "[Seeleect Enviiroonmeent]",
+ "DebugConfig.failed": "[Unaablee too creeaatee 'laauunch.jsoon' fiilee iinsiidee thee '.vscoodee' fooldeer ({0}).]",
+ "workspace": "[woorkspaacee]",
+ "user settings": "[uuseer seettiings]"
+ },
+ "vs/workbench/parts/debug/electron-browser/rawDebugSession": {
+ "moreInfo": "[Mooree Infoo]",
+ "debugAdapterCrash": "[Deebuug aadaapteer prooceess haas teermiinaateed uuneexpeecteedly]"
+ },
+ "vs/workbench/parts/debug/common/debugSource": {
+ "unknownSource": "[Unknoown Soouurcee]"
+ },
+ "vs/workbench/parts/debug/electron-browser/debugHover": {
+ "treeAriaLabel": "[Deebuug Hooveer]"
+ },
+ "vs/workbench/parts/debug/electron-browser/breakpointWidget": {
+ "breakpointWidgetLogMessagePlaceholder": "[Meessaagee too loog wheen breeaakpooiint iis hiit. Expreessiioons wiithiin {} aaree iinteerpoolaateed. 'Enteer' too aacceept, 'eesc' too caanceel.]",
+ "breakpointWidgetHitCountPlaceholder": "[Breeaak wheen hiit coouunt coondiitiioon iis meet. 'Enteer' too aacceept, 'eesc' too caanceel.]",
+ "breakpointWidgetExpressionPlaceholder": "[Breeaak wheen eexpreessiioon eevaaluuaatees too truuee. 'Enteer' too aacceept, 'eesc' too caanceel.]",
+ "expression": "[Expreessiioon]",
+ "hitCount": "[Hiit Coouunt]",
+ "logMessage": "[Loog Meessaagee]"
+ },
+ "vs/workbench/parts/debug/browser/exceptionWidget": {
+ "debugExceptionWidgetBorder": "[Exceeptiioon wiidgeet boordeer cooloor.]",
+ "debugExceptionWidgetBackground": "[Exceeptiioon wiidgeet baackgroouund cooloor.]",
+ "exceptionThrownWithId": "[Exceeptiioon haas ooccuurreed: {0}]",
+ "exceptionThrown": "[Exceeptiioon haas ooccuurreed.]"
+ },
+ "vs/workbench/parts/debug/browser/linkDetector": {
+ "fileLinkMac": "[Cliick too foolloow (Cmd + cliick oopeens too thee siidee)]",
+ "fileLink": "[Cliick too foolloow (Ctrl + cliick oopeens too thee siidee)]"
+ },
+ "vs/workbench/parts/debug/node/debugAdapter": {
+ "debugAdapterBinNotFound": "[Deebuug aadaapteer eexeecuutaablee '{0}' dooees noot eexiist.]",
+ "debugAdapterCannotDetermineExecutable": "[Caannoot deeteermiinee eexeecuutaablee foor deebuug aadaapteer '{0}'.]",
+ "unableToLaunchDebugAdapter": "[Unaablee too laauunch deebuug aadaapteer froom '{0}'.]",
+ "unableToLaunchDebugAdapterNoArgs": "[Unaablee too laauunch deebuug aadaapteer.]"
+ },
+ "vs/workbench/parts/debug/electron-browser/terminalSupport": {
+ "debug.terminal.title": "[deebuuggeeee]"
+ },
+ "vs/workbench/parts/debug/node/debugger": {
+ "launch.config.comment1": "[Usee InteelliiSeensee too leeaarn aaboouut poossiiblee aattriibuutees.]",
+ "launch.config.comment2": "[Hooveer too viieew deescriiptiioons oof eexiistiing aattriibuutees.]",
+ "launch.config.comment3": "[Foor mooree iinfoormaatiioon, viisiit: {0}]",
+ "debugType": "[Typee oof coonfiiguuraatiioon.]",
+ "debugTypeNotRecognised": "[Thee deebuug typee iis noot reecoogniizeed. Maakee suuree thaat yoouu haavee aa coorreespoondiing deebuug eexteensiioon iinstaalleed aand thaat iit iis eenaableed.]",
+ "node2NotSupported": "[\"noodee2\" iis noo loongeer suuppoorteed, uusee \"noodee\" iinsteeaad aand seet thee \"prootoocool\" aattriibuutee too \"iinspeectoor\".]",
+ "debugName": "[Naamee oof coonfiiguuraatiioon; aappeeaars iin thee laauunch coonfiiguuraatiioon droop doown meenuu.]",
+ "debugRequest": "[Reequueest typee oof coonfiiguuraatiioon. Caan bee \"laauunch\" oor \"aattaach\".]",
+ "debugServer": "[Foor deebuug eexteensiioon deeveeloopmeent oonly: iif aa poort iis speeciifiieed VS Coodee triiees too coonneect too aa deebuug aadaapteer ruunniing iin seerveer moodee]",
+ "debugPrelaunchTask": "[Taask too ruun beefooree deebuug seessiioon staarts.]",
+ "debugPostDebugTask": "[Taask too ruun aafteer deebuug seessiioon eends.]",
+ "debugWindowsConfiguration": "[Wiindoows speeciifiic laauunch coonfiiguuraatiioon aattriibuutees.]",
+ "debugOSXConfiguration": "[OS X speeciifiic laauunch coonfiiguuraatiioon aattriibuutees.]",
+ "debugLinuxConfiguration": "[Liinuux speeciifiic laauunch coonfiiguuraatiioon aattriibuutees.]",
+ "deprecatedVariables": "['eenv.', 'coonfiig.' aand 'coommaand.' aaree deepreecaateed, uusee 'eenv:', 'coonfiig:' aand 'coommaand:' iinsteeaad.]"
+ },
+ "vs/workbench/parts/debug/common/debugSchemas": {
+ "vscode.extension.contributes.debuggers": "[Coontriibuutees deebuug aadaapteers.]",
+ "vscode.extension.contributes.debuggers.type": "[Uniiquuee iideentiifiieer foor thiis deebuug aadaapteer.]",
+ "vscode.extension.contributes.debuggers.label": "[Diisplaay naamee foor thiis deebuug aadaapteer.]",
+ "vscode.extension.contributes.debuggers.program": "[Paath too thee deebuug aadaapteer proograam. Paath iis eeiitheer aabsooluutee oor reelaatiivee too thee eexteensiioon fooldeer.]",
+ "vscode.extension.contributes.debuggers.args": "[Optiioonaal aarguumeents too paass too thee aadaapteer.]",
+ "vscode.extension.contributes.debuggers.runtime": "[Optiioonaal ruuntiimee iin caasee thee proograam aattriibuutee iis noot aan eexeecuutaablee buut reequuiirees aa ruuntiimee.]",
+ "vscode.extension.contributes.debuggers.runtimeArgs": "[Optiioonaal ruuntiimee aarguumeents.]",
+ "vscode.extension.contributes.debuggers.variables": "[Maappiing froom iinteeraactiivee vaariiaablees (ee.g ${aactiioon.piickProoceess}) iin `laauunch.jsoon` too aa coommaand.]",
+ "vscode.extension.contributes.debuggers.initialConfigurations": "[Coonfiiguuraatiioons foor geeneeraatiing thee iiniitiiaal 'laauunch.jsoon'.]",
+ "vscode.extension.contributes.debuggers.languages": "[Liist oof laanguuaagees foor whiich thee deebuug eexteensiioon coouuld bee coonsiideereed thee \"deefaauult deebuuggeer\".]",
+ "vscode.extension.contributes.debuggers.adapterExecutableCommand": "[If speeciifiieed VS Coodee wiill caall thiis coommaand too deeteermiinee thee eexeecuutaablee paath oof thee deebuug aadaapteer aand thee aarguumeents too paass.]",
+ "vscode.extension.contributes.debuggers.configurationSnippets": "[Sniippeets foor aaddiing neew coonfiiguuraatiioons iin 'laauunch.jsoon'.]",
+ "vscode.extension.contributes.debuggers.configurationAttributes": "[JSON scheemaa coonfiiguuraatiioons foor vaaliidaatiing 'laauunch.jsoon'.]",
+ "vscode.extension.contributes.debuggers.windows": "[Wiindoows speeciifiic seettiings.]",
+ "vscode.extension.contributes.debuggers.windows.runtime": "[Ruuntiimee uuseed foor Wiindoows.]",
+ "vscode.extension.contributes.debuggers.osx": "[maacOS speeciifiic seettiings.]",
+ "vscode.extension.contributes.debuggers.osx.runtime": "[Ruuntiimee uuseed foor maacOS.]",
+ "vscode.extension.contributes.debuggers.linux": "[Liinuux speeciifiic seettiings.]",
+ "vscode.extension.contributes.debuggers.linux.runtime": "[Ruuntiimee uuseed foor Liinuux.]",
+ "vscode.extension.contributes.breakpoints": "[Coontriibuutees breeaakpooiints.]",
+ "vscode.extension.contributes.breakpoints.language": "[Alloow breeaakpooiints foor thiis laanguuaagee.]",
+ "app.launch.json.title": "[Laauunch]",
+ "app.launch.json.version": "[Veersiioon oof thiis fiilee foormaat.]",
+ "app.launch.json.configurations": "[Liist oof coonfiiguuraatiioons. Add neew coonfiiguuraatiioons oor eediit eexiistiing oonees by uusiing InteelliiSeensee.]",
+ "app.launch.json.compounds": "[Liist oof coompoouunds. Eaach coompoouund reefeereencees muultiiplee coonfiiguuraatiioons whiich wiill geet laauuncheed toogeetheer.]",
+ "app.launch.json.compound.name": "[Naamee oof coompoouund. Appeeaars iin thee laauunch coonfiiguuraatiioon droop doown meenuu.]",
+ "useUniqueNames": "[Pleeaasee uusee uuniiquuee coonfiiguuraatiioon naamees.]",
+ "app.launch.json.compound.folder": "[Naamee oof fooldeer iin whiich thee coompoouund iis loocaateed.]",
+ "app.launch.json.compounds.configurations": "[Naamees oof coonfiiguuraatiioons thaat wiill bee staarteed aas paart oof thiis coompoouund.]"
+ },
+ "vs/workbench/parts/debug/node/terminals": {
+ "console.title": "[VS Coodee Coonsoolee]",
+ "mac.terminal.script.failed": "[Scriipt '{0}' faaiileed wiith eexiit coodee {1}]",
+ "mac.terminal.type.not.supported": "['{0}' noot suuppoorteed]",
+ "press.any.key": "[Preess aany keey too coontiinuuee...]",
+ "linux.term.failed": "['{0}' faaiileed wiith eexiit coodee {1}]"
+ },
+ "vs/workbench/parts/feedback/electron-browser/feedback.contribution": {
+ "workbenchConfigurationTitle": "[Woorkbeench]",
+ "feedbackVisibility": "[Coontrools thee viisiibiiliity oof thee Twiitteer feeeedbaack (smiileey) iin thee staatuus baar aat thee boottoom oof thee woorkbeench.]"
+ },
+ "vs/workbench/parts/feedback/electron-browser/feedbackStatusbarItem": {
+ "hide": "[Hiidee]"
+ },
+ "vs/workbench/parts/feedback/electron-browser/feedback": {
+ "sendFeedback": "[Tweeeet Feeeedbaack]",
+ "label.sendASmile": "[Tweeeet uus yoouur feeeedbaack.]",
+ "patchedVersion1": "[Yoouur iinstaallaatiioon iis coorruupt.]",
+ "patchedVersion2": "[Pleeaasee speeciify thiis iif yoouu suubmiit aa buug.]",
+ "sentiment": "[Hoow waas yoouur eexpeeriieencee?]",
+ "smileCaption": "[Haappy]",
+ "frownCaption": "[Saad]",
+ "other ways to contact us": "[Otheer waays too coontaact uus]",
+ "submit a bug": "[Suubmiit aa buug]",
+ "request a missing feature": "[Reequueest aa miissiing feeaatuuree]",
+ "tell us why?": "[Teell uus why?]",
+ "commentsHeader": "[Coommeents]",
+ "showFeedback": "[Shoow Feeeedbaack Smiileey iin Staatuus Baar]",
+ "tweet": "[Tweeeet]",
+ "character left": "[chaaraacteer leeft]",
+ "characters left": "[chaaraacteers leeft]",
+ "feedbackSending": "[Seendiing]",
+ "feedbackSent": "[Thaanks]",
+ "feedbackSendingError": "[Try aagaaiin]"
+ },
+ "vs/workbench/parts/extensions/browser/extensionsQuickOpen": {
+ "manage": "[Preess Enteer too maanaagee yoouur eexteensiioons.]",
+ "notfound": "[Exteensiioon '{0}' noot foouund iin thee Maarkeetplaacee.]",
+ "install": "[Preess Enteer too iinstaall '{0}' froom thee Maarkeetplaacee.]",
+ "searchFor": "[Preess Enteer too seeaarch foor '{0}' iin thee Maarkeetplaacee.]",
+ "noExtensionsToInstall": "[Typee aan eexteensiioon naamee]"
+ },
+ "vs/workbench/parts/extensions/electron-browser/extensions.contribution": {
+ "extensionsCommands": "[Maanaagee Exteensiioons]",
+ "galleryExtensionsCommands": "[Instaall Gaalleery Exteensiioons]",
+ "extension": "[Exteensiioon]",
+ "runtimeExtension": "[Ruunniing Exteensiioons]",
+ "extensions": "[Exteensiioons]",
+ "view": "[Viieew]",
+ "developer": "[Deeveeloopeer]",
+ "extensionsConfigurationTitle": "[Exteensiioons]",
+ "extensionsAutoUpdate": "[Auutoomaatiicaally uupdaatee eexteensiioons]",
+ "extensionsIgnoreRecommendations": "[If seet too truuee, thee nootiifiicaatiioons foor eexteensiioon reecoommeendaatiioons wiill stoop shoowiing uup.]",
+ "extensionsShowRecommendationsOnlyOnDemand": "[If seet too truuee, reecoommeendaatiioons wiill noot bee feetcheed oor shoown uunleess speeciifiicaally reequueesteed by thee uuseer.]"
+ },
+ "vs/workbench/parts/extensions/electron-browser/extensionsViewlet": {
+ "marketPlace": "[Maarkeetplaacee]",
+ "installedExtensions": "[Instaalleed]",
+ "searchInstalledExtensions": "[Instaalleed]",
+ "recommendedExtensions": "[Reecoommeendeed]",
+ "otherRecommendedExtensions": "[Otheer Reecoommeendaatiioons]",
+ "workspaceRecommendedExtensions": "[Woorkspaacee Reecoommeendaatiioons]",
+ "builtInExtensions": "[Feeaatuurees]",
+ "builtInThemesExtensions": "[Theemees]",
+ "builtInBasicsExtensions": "[Proograammiing Laanguuaagees]",
+ "searchExtensions": "[Seeaarch Exteensiioons iin Maarkeetplaacee]",
+ "sort by installs": "[Soort By: Instaall Coouunt]",
+ "sort by rating": "[Soort By: Raatiing]",
+ "sort by name": "[Soort By: Naamee]",
+ "suggestProxyError": "[Maarkeetplaacee reetuurneed 'ECONNREFUSED'. Pleeaasee cheeck thee 'http.prooxy' seettiing.]",
+ "extensions": "[Exteensiioons]",
+ "outdatedExtensions": "[{0} Ouutdaateed Exteensiioons]",
+ "malicious warning": "[Wee haavee uuniinstaalleed '{0}' whiich waas reepoorteed too bee proobleemaatiic.]",
+ "reloadNow": "[Reelooaad Noow]"
+ },
+ "vs/workbench/parts/extensions/common/extensionsInput": {
+ "extensionsInputName": "[Exteensiioon: {0}]"
+ },
+ "vs/workbench/parts/extensions/node/extensionsWorkbenchService": {
+ "installingVSIXExtension": "[Instaalliing eexteensiioon froom VSIX...]",
+ "malicious": "[Thiis eexteensiioon iis reepoorteed too bee proobleemaatiic.]",
+ "installingMarketPlaceExtension": "[Instaalliing eexteensiioon froom Maarkeetplaacee....]",
+ "uninstallingExtension": "[Uniinstaalliing eexteensiioon....]",
+ "enableDependeciesConfirmation": "[Enaabliing '{0}' aalsoo eenaablees iits deepeendeenciiees. Woouuld yoouu liikee too coontiinuuee?]",
+ "enable": "[Yees]",
+ "doNotEnable": "[Noo]",
+ "disableDependeciesConfirmation": "[Woouuld yoouu liikee too diisaablee '{0}' oonly oor iits deepeendeenciiees aalsoo?]",
+ "disableOnly": "[Only]",
+ "disableAll": "[All]",
+ "cancel": "[Caanceel]",
+ "singleDependentError": "[Caannoot diisaablee eexteensiioon '{0}'. Exteensiioon '{1}' deepeends oon thiis.]",
+ "twoDependentsError": "[Caannoot diisaablee eexteensiioon '{0}'. Exteensiioons '{1}' aand '{2}' deepeend oon thiis.]",
+ "multipleDependentsError": "[Caannoot diisaablee eexteensiioon '{0}'. Exteensiioons '{1}', '{2}' aand ootheers deepeend oon thiis.]",
+ "installConfirmation": "[Woouuld yoouu liikee too iinstaall thee '{0}' eexteensiioon?]",
+ "install": "[Instaall]"
+ },
+ "vs/workbench/parts/extensions/common/extensionsFileTemplate": {
+ "app.extensions.json.title": "[Exteensiioons]",
+ "app.extensions.json.recommendations": "[Liist oof eexteensiioons reecoommeendaatiioons. Thee iideentiifiieer oof aan eexteensiioon iis aalwaays '${puubliisheer}.${naamee}'. Foor eexaamplee: 'vscoodee.cshaarp'.]",
+ "app.extension.identifier.errorMessage": "[Expeecteed foormaat '${puubliisheer}.${naamee}'. Exaamplee: 'vscoodee.cshaarp'.]"
+ },
+ "vs/workbench/parts/extensions/browser/extensionsActions": {
+ "download": "[Doownlooaad Maanuuaally]",
+ "install vsix": "[Oncee doownlooaadeed, pleeaasee maanuuaally iinstaall thee doownlooaadeed VSIX oof '{0}'.]",
+ "installAction": "[Instaall]",
+ "installing": "[Instaalliing]",
+ "failedToInstall": "[Faaiileed too iinstaall '{0}'.]",
+ "uninstallAction": "[Uniinstaall]",
+ "Uninstalling": "[Uniinstaalliing]",
+ "updateAction": "[Updaatee]",
+ "updateTo": "[Updaatee too {0}]",
+ "failedToUpdate": "[Faaiileed too uupdaatee '{0}'.]",
+ "ManageExtensionAction.uninstallingTooltip": "[Uniinstaalliing]",
+ "enableForWorkspaceAction": "[Enaablee (Woorkspaacee)]",
+ "enableGloballyAction": "[Enaablee]",
+ "enableAction": "[Enaablee]",
+ "disableForWorkspaceAction": "[Diisaablee (Woorkspaacee)]",
+ "disableGloballyAction": "[Diisaablee]",
+ "disableAction": "[Diisaablee]",
+ "checkForUpdates": "[Cheeck foor Updaatees]",
+ "enableAutoUpdate": "[Enaablee Auutoo Updaatiing Exteensiioons]",
+ "disableAutoUpdate": "[Diisaablee Auutoo Updaatiing Exteensiioons]",
+ "updateAll": "[Updaatee All Exteensiioons]",
+ "reloadAction": "[Reelooaad]",
+ "postUpdateTooltip": "[Reelooaad too uupdaatee]",
+ "postUpdateMessage": "[Reelooaad thiis wiindoow too aactiivaatee thee uupdaateed eexteensiioon '{0}'?]",
+ "postEnableTooltip": "[Reelooaad too aactiivaatee]",
+ "postEnableMessage": "[Reelooaad thiis wiindoow too aactiivaatee thee eexteensiioon '{0}'?]",
+ "postDisableTooltip": "[Reelooaad too deeaactiivaatee]",
+ "postDisableMessage": "[Reelooaad thiis wiindoow too deeaactiivaatee thee eexteensiioon '{0}'?]",
+ "postUninstallTooltip": "[Reelooaad too deeaactiivaatee]",
+ "postUninstallMessage": "[Reelooaad thiis wiindoow too deeaactiivaatee thee uuniinstaalleed eexteensiioon '{0}'?]",
+ "toggleExtensionsViewlet": "[Shoow Exteensiioons]",
+ "installExtensions": "[Instaall Exteensiioons]",
+ "showEnabledExtensions": "[Shoow Enaableed Exteensiioons]",
+ "showInstalledExtensions": "[Shoow Instaalleed Exteensiioons]",
+ "showDisabledExtensions": "[Shoow Diisaableed Exteensiioons]",
+ "clearExtensionsInput": "[Cleeaar Exteensiioons Inpuut]",
+ "showBuiltInExtensions": "[Shoow Buuiilt-iin Exteensiioons]",
+ "showOutdatedExtensions": "[Shoow Ouutdaateed Exteensiioons]",
+ "showPopularExtensions": "[Shoow Poopuulaar Exteensiioons]",
+ "showRecommendedExtensions": "[Shoow Reecoommeendeed Exteensiioons]",
+ "installWorkspaceRecommendedExtensions": "[Instaall All Woorkspaacee Reecoommeendeed Exteensiioons]",
+ "allExtensionsInstalled": "[All eexteensiioons reecoommeendeed foor thiis woorkspaacee haavee aalreeaady beeeen iinstaalleed]",
+ "installRecommendedExtension": "[Instaall Reecoommeendeed Exteensiioon]",
+ "extensionInstalled": "[Thee reecoommeendeed eexteensiioon haas aalreeaady beeeen iinstaalleed]",
+ "showRecommendedKeymapExtensionsShort": "[Keeymaaps]",
+ "showLanguageExtensionsShort": "[Laanguuaagee Exteensiioons]",
+ "showAzureExtensionsShort": "[Azuuree Exteensiioons]",
+ "OpenExtensionsFile.failed": "[Unaablee too creeaatee 'eexteensiioons.jsoon' fiilee iinsiidee thee '.vscoodee' fooldeer ({0}).]",
+ "configureWorkspaceRecommendedExtensions": "[Coonfiiguuree Reecoommeendeed Exteensiioons (Woorkspaacee)]",
+ "configureWorkspaceFolderRecommendedExtensions": "[Coonfiiguuree Reecoommeendeed Exteensiioons (Woorkspaacee Fooldeer)]",
+ "malicious tooltip": "[Thiis eexteensiioon waas reepoorteed too bee proobleemaatiic.]",
+ "malicious": "[Maaliiciioouus]",
+ "disabled": "[Diisaableed]",
+ "disabled globally": "[Diisaableed]",
+ "disabled workspace": "[Diisaableed foor thiis Woorkspaacee]",
+ "disableAll": "[Diisaablee All Instaalleed Exteensiioons]",
+ "disableAllWorkspace": "[Diisaablee All Instaalleed Exteensiioons foor thiis Woorkspaacee]",
+ "enableAll": "[Enaablee All Exteensiioons]",
+ "enableAllWorkspace": "[Enaablee All Exteensiioons foor thiis Woorkspaacee]",
+ "openExtensionsFolder": "[Opeen Exteensiioons Fooldeer]",
+ "installVSIX": "[Instaall froom VSIX...]",
+ "installFromVSIX": "[Instaall froom VSIX]",
+ "installButton": "[&&Instaall]",
+ "InstallVSIXAction.success": "[Suucceessfuully iinstaalleed thee eexteensiioon. Reelooaad too eenaablee iit.]",
+ "InstallVSIXAction.reloadNow": "[Reelooaad Noow]",
+ "reinstall": "[Reeiinstaall Exteensiioon...]",
+ "selectExtension": "[Seeleect Exteensiioon too Reeiinstaall]",
+ "ReinstallAction.success": "[Suucceessfuully reeiinstaalleed thee eexteensiioon.]",
+ "ReinstallAction.reloadNow": "[Reelooaad Noow]",
+ "extensionButtonProminentBackground": "[Buuttoon baackgroouund cooloor foor aactiioons eexteensiioon thaat staand oouut (ee.g. iinstaall buuttoon).]",
+ "extensionButtonProminentForeground": "[Buuttoon fooreegroouund cooloor foor aactiioons eexteensiioon thaat staand oouut (ee.g. iinstaall buuttoon).]",
+ "extensionButtonProminentHoverBackground": "[Buuttoon baackgroouund hooveer cooloor foor aactiioons eexteensiioon thaat staand oouut (ee.g. iinstaall buuttoon).]"
+ },
+ "vs/workbench/parts/extensions/electron-browser/extensionEditor": {
+ "name": "[Exteensiioon naamee]",
+ "extension id": "[Exteensiioon iideentiifiieer]",
+ "preview": "[Preeviieew]",
+ "builtin": "[Buuiilt-iin]",
+ "publisher": "[Puubliisheer naamee]",
+ "install count": "[Instaall coouunt]",
+ "rating": "[Raatiing]",
+ "repository": "[Reepoosiitoory]",
+ "license": "[Liiceensee]",
+ "details": "[Deetaaiils]",
+ "contributions": "[Coontriibuutiioons]",
+ "changelog": "[Chaangeeloog]",
+ "dependencies": "[Deepeendeenciiees]",
+ "noReadme": "[Noo README aavaaiilaablee.]",
+ "noChangelog": "[Noo Chaangeeloog aavaaiilaablee.]",
+ "noContributions": "[Noo Coontriibuutiioons]",
+ "noDependencies": "[Noo Deepeendeenciiees]",
+ "settings": "[Seettiings ({0})]",
+ "setting name": "[Naamee]",
+ "description": "[Deescriiptiioon]",
+ "default": "[Deefaauult]",
+ "debuggers": "[Deebuuggeers ({0})]",
+ "debugger name": "[Naamee]",
+ "debugger type": "[Typee]",
+ "views": "[Viieews ({0})]",
+ "view id": "[ID]",
+ "view name": "[Naamee]",
+ "view location": "[Wheeree]",
+ "localizations": "[Loocaaliizaatiioons ({0})]",
+ "localizations language id": "[Laanguuaagee Id]",
+ "localizations language name": "[Laanguuaagee Naamee]",
+ "localizations localized language name": "[Laanguuaagee Naamee (Loocaaliizeed)]",
+ "colorThemes": "[Cooloor Theemees ({0})]",
+ "iconThemes": "[Icoon Theemees ({0})]",
+ "colors": "[Cooloors ({0})]",
+ "colorId": "[Id]",
+ "defaultDark": "[Daark Deefaauult]",
+ "defaultLight": "[Liight Deefaauult]",
+ "defaultHC": "[Hiigh Coontraast Deefaauult]",
+ "JSON Validation": "[JSON Vaaliidaatiioon ({0})]",
+ "fileMatch": "[Fiilee Maatch]",
+ "schema": "[Scheemaa]",
+ "commands": "[Coommaands ({0})]",
+ "command name": "[Naamee]",
+ "keyboard shortcuts": "[Keeybooaard Shoortcuuts]",
+ "menuContexts": "[Meenuu Coonteexts]",
+ "languages": "[Laanguuaagees ({0})]",
+ "language id": "[ID]",
+ "language name": "[Naamee]",
+ "file extensions": "[Fiilee Exteensiioons]",
+ "grammar": "[Graammaar]",
+ "snippets": "[Sniippeets]"
+ },
+ "vs/workbench/parts/extensions/electron-browser/extensionProfileService": {
+ "restart1": "[Proofiilee Exteensiioons]",
+ "restart2": "[In oordeer too proofiilee eexteensiioons aa reestaart iis reequuiireed. Doo yoouu waant too reestaart '{0}' noow?]",
+ "restart3": "[Reestaart]",
+ "cancel": "[Caanceel]",
+ "selectAndStartDebug": "[Cliick too stoop proofiiliing.]"
+ },
+ "vs/workbench/parts/extensions/electron-browser/extensionsUtils": {
+ "disableOtherKeymapsConfirmation": "[Diisaablee ootheer keeymaaps ({0}) too aavooiid coonfliicts beetweeeen keeybiindiings?]",
+ "yes": "[Yees]",
+ "no": "[Noo]"
+ },
+ "vs/workbench/parts/extensions/electron-browser/extensionTipsService": {
+ "neverShowAgain": "[Doon't Shoow Agaaiin]",
+ "searchMarketplace": "[Seeaarch Maarkeetplaacee]",
+ "showLanguagePackExtensions": "[Thee Maarkeetplaacee haas eexteensiioons thaat caan heelp loocaaliiziing VS Coodee too '{0}' loocaalee]",
+ "dynamicWorkspaceRecommendation": "[Thiis eexteensiioon maay iinteereest yoouu beecaauusee iit's poopuulaar aamoong uuseers oof thee {0} reepoosiitoory.]",
+ "exeBasedRecommendation": "[Thiis eexteensiioon iis reecoommeendeed beecaauusee yoouu haavee {0} iinstaalleed.]",
+ "fileBasedRecommendation": "[Thiis eexteensiioon iis reecoommeendeed baaseed oon thee fiilees yoouu reeceently oopeeneed.]",
+ "workspaceRecommendation": "[Thiis eexteensiioon iis reecoommeendeed by uuseers oof thee cuurreent woorkspaacee.]",
+ "reallyRecommended2": "[Thee '{0}' eexteensiioon iis reecoommeendeed foor thiis fiilee typee.]",
+ "reallyRecommendedExtensionPack": "[Thee '{0}' eexteensiioon paack iis reecoommeendeed foor thiis fiilee typee.]",
+ "install": "[Instaall]",
+ "showRecommendations": "[Shoow Reecoommeendaatiioons]",
+ "showLanguageExtensions": "[Thee Maarkeetplaacee haas eexteensiioons thaat caan heelp wiith '.{0}' fiilees]",
+ "workspaceRecommended": "[Thiis woorkspaacee haas eexteensiioon reecoommeendaatiioons.]",
+ "installAll": "[Instaall All]",
+ "ignoreExtensionRecommendations": "[Doo yoouu waant too iignooree aall eexteensiioon reecoommeendaatiioons?]",
+ "ignoreAll": "[Yees, Ignooree All]",
+ "no": "[Noo]"
+ },
+ "vs/workbench/parts/extensions/electron-browser/runtimeExtensionsEditor": {
+ "starActivation": "[Actiivaateed oon staart-uup]",
+ "workspaceContainsGlobActivation": "[Actiivaateed beecaauusee aa fiilee maatchiing {0} eexiists iin yoouur woorkspaacee]",
+ "workspaceContainsFileActivation": "[Actiivaateed beecaauusee fiilee {0} eexiists iin yoouur woorkspaacee]",
+ "languageActivation": "[Actiivaateed beecaauusee yoouu oopeeneed aa {0} fiilee]",
+ "workspaceGenericActivation": "[Actiivaateed oon {0}]",
+ "errors": "[{0} uuncaauught eerroors]",
+ "extensionsInputName": "[Ruunniing Exteensiioons]",
+ "showRuntimeExtensions": "[Shoow Ruunniing Exteensiioons]",
+ "reportExtensionIssue": "[Reepoort Issuuee]",
+ "extensionHostProfileStart": "[Staart Exteensiioon Hoost Proofiilee]",
+ "extensionHostProfileStop": "[Stoop Exteensiioon Hoost Proofiilee]",
+ "saveExtensionHostProfile": "[Saavee Exteensiioon Hoost Proofiilee]"
+ },
+ "vs/workbench/parts/extensions/electron-browser/extensionsViews": {
+ "extensions": "[Exteensiioons]",
+ "no extensions found": "[Noo eexteensiioons foouund.]",
+ "suggestProxyError": "[Maarkeetplaacee reetuurneed 'ECONNREFUSED'. Pleeaasee cheeck thee 'http.prooxy' seettiing.]"
+ },
+ "vs/workbench/parts/extensions/browser/dependenciesViewer": {
+ "error": "[Erroor]",
+ "Unknown Dependency": "[Unknoown Deepeendeency:]"
+ },
+ "vs/workbench/parts/extensions/browser/extensionsWidgets": {
+ "ratedByUsers": "[Raateed by {0} uuseers]",
+ "ratedBySingleUser": "[Raateed by 1 uuseer]"
+ },
+ "vs/workbench/parts/html/electron-browser/html.contribution": {
+ "html.editor.label": "[Html Preeviieew]"
+ },
+ "vs/workbench/parts/html/electron-browser/htmlPreviewPart": {
+ "html.voidInput": "[Invaaliid eediitoor iinpuut.]"
+ },
+ "vs/workbench/parts/markers/electron-browser/markers.contribution": {
+ "copyMarker": "[Coopy]",
+ "copyMessage": "[Coopy Meessaagee]"
+ },
+ "vs/workbench/parts/markers/electron-browser/markersPanelActions": {
+ "showing filtered problems": "[Shoowiing {0} oof {1}]"
+ },
+ "vs/workbench/parts/markers/electron-browser/markersPanel": {
+ "disableFilesExclude": "[Diisaablee Fiilees Excluudee Fiilteer.]",
+ "clearFilter": "[Cleeaar Fiilteer.]"
+ },
+ "vs/workbench/parts/markers/electron-browser/markers": {
+ "totalProblems": "[Tootaal {0} Proobleems]"
+ },
+ "vs/workbench/parts/markers/electron-browser/messages": {
+ "viewCategory": "[Viieew]",
+ "problems.view.toggle.label": "[Toogglee Proobleems (Erroors, Waarniings, Infoos)]",
+ "problems.view.focus.label": "[Foocuus Proobleems (Erroors, Waarniings, Infoos)]",
+ "problems.panel.configuration.title": "[Proobleems Viieew]",
+ "problems.panel.configuration.autoreveal": "[Coontrools iif Proobleems viieew shoouuld aauutoomaatiicaally reeveeaal fiilees wheen oopeeniing theem]",
+ "markers.panel.title.problems": "[Proobleems]",
+ "markers.panel.aria.label.problems.tree": "[Proobleems groouupeed by fiilees]",
+ "markers.panel.no.problems.build": "[Noo proobleems haavee beeeen deeteecteed iin thee woorkspaacee soo faar.]",
+ "markers.panel.no.problems.filters": "[Noo reesuults foouund wiith prooviideed fiilteer criiteeriiaa.]",
+ "markers.panel.no.problems.file.exclusions": "[All proobleems aaree hiiddeen beecaauusee fiilees eexcluudee fiilteer iis eenaableed.]",
+ "markers.panel.action.useFilesExclude": "[Fiilteer uusiing Fiilees Excluudee Seettiing]",
+ "markers.panel.action.donotUseFilesExclude": "[Doo noot uusee Fiilees Excluudee Seettiing]",
+ "markers.panel.action.filter": "[Fiilteer Proobleems]",
+ "markers.panel.filter.ariaLabel": "[Fiilteer Proobleems]",
+ "markers.panel.filter.placeholder": "[Fiilteer. Eg: teext, **/*.ts, !**/noodee_mooduulees/**]",
+ "markers.panel.filter.errors": "[eerroors]",
+ "markers.panel.filter.warnings": "[waarniings]",
+ "markers.panel.filter.infos": "[iinfoos]",
+ "markers.panel.single.error.label": "[1 Erroor]",
+ "markers.panel.multiple.errors.label": "[{0} Erroors]",
+ "markers.panel.single.warning.label": "[1 Waarniing]",
+ "markers.panel.multiple.warnings.label": "[{0} Waarniings]",
+ "markers.panel.single.info.label": "[1 Infoo]",
+ "markers.panel.multiple.infos.label": "[{0} Infoos]",
+ "markers.panel.single.unknown.label": "[1 Unknoown]",
+ "markers.panel.multiple.unknowns.label": "[{0} Unknoowns]",
+ "markers.panel.at.ln.col.number": "[({0}, {1})]",
+ "problems.tree.aria.label.resource": "[{0} wiith {1} proobleems]",
+ "problems.tree.aria.label.marker.relatedInformation": "[ Thiis proobleem haas reefeereencees too {0} loocaatiioons.]",
+ "problems.tree.aria.label.error.marker": "[Erroor geeneeraateed by {0}: {1} aat liinee {2} aand chaaraacteer {3}.{4}]",
+ "problems.tree.aria.label.error.marker.nosource": "[Erroor: {0} aat liinee {1} aand chaaraacteer {2}.{3}]",
+ "problems.tree.aria.label.warning.marker": "[Waarniing geeneeraateed by {0}: {1} aat liinee {2} aand chaaraacteer {3}.{4}]",
+ "problems.tree.aria.label.warning.marker.nosource": "[Waarniing: {0} aat liinee {1} aand chaaraacteer {2}.{3}]",
+ "problems.tree.aria.label.info.marker": "[Infoo geeneeraateed by {0}: {1} aat liinee {2} aand chaaraacteer {3}.{4}]",
+ "problems.tree.aria.label.info.marker.nosource": "[Infoo: {0} aat liinee {1} aand chaaraacteer {2}.{3}]",
+ "problems.tree.aria.label.marker": "[Proobleem geeneeraateed by {0}: {1} aat liinee {2} aand chaaraacteer {3}.{4}]",
+ "problems.tree.aria.label.marker.nosource": "[Proobleem: {0} aat liinee {1} aand chaaraacteer {2}.{3}]",
+ "problems.tree.aria.label.relatedinfo.message": "[{0} aat liinee {1} aand chaaraacteer {2} iin {3}]",
+ "errors.warnings.show.label": "[Shoow Erroors aand Waarniings]"
+ },
+ "vs/workbench/parts/markers/electron-browser/markersFileDecorations": {
+ "label": "[Proobleems]",
+ "tooltip.1": "[1 proobleem iin thiis fiilee]",
+ "tooltip.N": "[{0} proobleems iin thiis fiilee]",
+ "markers.showOnFile": "[Shoow Erroors & Waarniings oon fiilees aand fooldeer.]"
+ },
+ "vs/workbench/parts/localizations/electron-browser/localizations.contribution": {
+ "updateLocale": "[Woouuld yoouu liikee too chaangee VS Coodee's UI laanguuaagee too {0} aand reestaart?]",
+ "yes": "[Yees]",
+ "no": "[Noo]",
+ "neverAgain": "[Doon't Shoow Agaaiin]",
+ "install language pack": "[In thee neeaar fuutuuree, VS Coodee wiill oonly suuppoort laanguuaagee paacks iin thee foorm oof Maarkeetplaacee eexteensiioons. Pleeaasee iinstaall thee '{0}' eexteensiioon iin oordeer too coontiinuuee too uusee thee cuurreently coonfiiguureed laanguuaagee. ]",
+ "install": "[Instaall]",
+ "more information": "[Mooree Infoormaatiioon...]",
+ "JsonSchema.locale": "[Thee UI Laanguuaagee too uusee.]",
+ "vscode.extension.contributes.localizations": "[Coontriibuutees loocaaliizaatiioons too thee eediitoor]",
+ "vscode.extension.contributes.localizations.languageId": "[Id oof thee laanguuaagee iintoo whiich thee diisplaay striings aaree traanslaateed.]",
+ "vscode.extension.contributes.localizations.languageName": "[Naamee oof thee laanguuaagee iin Engliish.]",
+ "vscode.extension.contributes.localizations.languageNameLocalized": "[Naamee oof thee laanguuaagee iin coontriibuuteed laanguuaagee.]",
+ "vscode.extension.contributes.localizations.translations": "[Liist oof traanslaatiioons aassoociiaateed too thee laanguuaagee.]",
+ "vscode.extension.contributes.localizations.translations.id": "[Id oof VS Coodee oor Exteensiioon foor whiich thiis traanslaatiioon iis coontriibuuteed too. Id oof VS Coodee iis aalwaays `vscoodee` aand oof eexteensiioon shoouuld bee iin foormaat `puubliisheerId.eexteensiioonNaamee`.]",
+ "vscode.extension.contributes.localizations.translations.id.pattern": "[Id shoouuld bee `vscoodee` oor iin foormaat `puubliisheerId.eexteensiioonNaamee` foor traanslaatiing VS coodee oor aan eexteensiioon reespeectiiveely.]",
+ "vscode.extension.contributes.localizations.translations.path": "[A reelaatiivee paath too aa fiilee coontaaiiniing traanslaatiioons foor thee laanguuaagee.]"
+ },
+ "vs/workbench/parts/localizations/electron-browser/localizationsActions": {
+ "configureLocale": "[Coonfiiguuree Diisplaay Laanguuaagee]",
+ "displayLanguage": "[Deefiinees VSCoodee's diisplaay laanguuaagee.]",
+ "doc": "[Seeee {0} foor aa liist oof suuppoorteed laanguuaagees.]",
+ "restart": "[Chaangiing thee vaaluuee reequuiirees reestaartiing VSCoodee.]",
+ "fail.createSettings": "[Unaablee too creeaatee '{0}' ({1}).]"
+ },
+ "vs/workbench/parts/files/electron-browser/explorerViewlet": {
+ "folders": "[Fooldeers]"
+ },
+ "vs/workbench/parts/files/electron-browser/files.contribution": {
+ "showExplorerViewlet": "[Shoow Explooreer]",
+ "explore": "[Explooreer]",
+ "view": "[Viieew]",
+ "textFileEditor": "[Teext Fiilee Ediitoor]",
+ "binaryFileEditor": "[Biinaary Fiilee Ediitoor]",
+ "filesConfigurationTitle": "[Fiilees]",
+ "exclude": "[Coonfiiguuree gloob paatteerns foor eexcluudiing fiilees aand fooldeers. Foor eexaamplee, thee fiilees eexplooreer deeciidees whiich fiilees aand fooldeers too shoow oor hiidee baaseed oon thiis seettiing.]",
+ "files.exclude.boolean": "[Thee gloob paatteern too maatch fiilee paaths aagaaiinst. Seet too truuee oor faalsee too eenaablee oor diisaablee thee paatteern.]",
+ "files.exclude.when": "[Addiitiioonaal cheeck oon thee siibliings oof aa maatchiing fiilee. Usee $(baaseenaamee) aas vaariiaablee foor thee maatchiing fiilee naamee.]",
+ "associations": "[Coonfiiguuree fiilee aassoociiaatiioons too laanguuaagees (ee.g. \"*.eexteensiioon\": \"html\"). Theesee haavee preeceedeencee ooveer thee deefaauult aassoociiaatiioons oof thee laanguuaagees iinstaalleed.]",
+ "encoding": "[Thee deefaauult chaaraacteer seet eencoodiing too uusee wheen reeaadiing aand wriitiing fiilees. Thiis seettiing caan bee coonfiiguureed peer laanguuaagee toooo.]",
+ "autoGuessEncoding": "[Wheen eenaableed, wiill aatteempt too guueess thee chaaraacteer seet eencoodiing wheen oopeeniing fiilees. Thiis seettiing caan bee coonfiiguureed peer laanguuaagee toooo.]",
+ "eol": "[Thee deefaauult eend oof liinee chaaraacteer. Usee \\n foor LF aand \\r\\n foor CRLF.]",
+ "trimTrailingWhitespace": "[Wheen eenaableed, wiill triim traaiiliing whiiteespaacee wheen saaviing aa fiilee.]",
+ "insertFinalNewline": "[Wheen eenaableed, iinseert aa fiinaal neew liinee aat thee eend oof thee fiilee wheen saaviing iit.]",
+ "trimFinalNewlines": "[Wheen eenaableed, wiill triim aall neew liinees aafteer thee fiinaal neew liinee aat thee eend oof thee fiilee wheen saaviing iit.]",
+ "files.autoSave.off": "[A diirty fiilee iis neeveer aauutoomaatiicaally saaveed.]",
+ "files.autoSave.afterDelay": "[A diirty fiilee iis aauutoomaatiicaally saaveed aafteer thee coonfiiguureed 'fiilees.aauutooSaaveeDeelaay'.]",
+ "files.autoSave.onFocusChange": "[A diirty fiilee iis aauutoomaatiicaally saaveed wheen thee eediitoor loosees foocuus.]",
+ "files.autoSave.onWindowChange": "[A diirty fiilee iis aauutoomaatiicaally saaveed wheen thee wiindoow loosees foocuus.]",
+ "autoSave": "[Coontrools aauutoo saavee oof diirty fiilees. Acceepteed vaaluuees: '{0}', '{1}', '{2}' (eediitoor loosees foocuus), '{3}' (wiindoow loosees foocuus). If seet too '{4}', yoouu caan coonfiiguuree thee deelaay iin 'fiilees.aauutooSaaveeDeelaay'.]",
+ "autoSaveDelay": "[Coontrools thee deelaay iin ms aafteer whiich aa diirty fiilee iis saaveed aauutoomaatiicaally. Only aappliiees wheen 'fiilees.aauutooSaavee' iis seet too '{0}']",
+ "watcherExclude": "[Coonfiiguuree gloob paatteerns oof fiilee paaths too eexcluudee froom fiilee waatchiing. Paatteerns muust maatch oon aabsooluutee paaths (ii.ee. preefiix wiith ** oor thee fuull paath too maatch proopeerly). Chaangiing thiis seettiing reequuiirees aa reestaart. Wheen yoouu eexpeeriieencee Coodee coonsuumiing loots oof cpuu tiimee oon staartuup, yoouu caan eexcluudee laargee fooldeers too reeduucee thee iiniitiiaal looaad.]",
+ "hotExit.off": "[Diisaablee hoot eexiit.]",
+ "hotExit.onExit": "[Hoot eexiit wiill bee triiggeereed wheen thee aappliicaatiioon iis clooseed, thaat iis wheen thee laast wiindoow iis clooseed oon Wiindoows/Liinuux oor wheen thee woorkbeench.aactiioon.quuiit coommaand iis triiggeereed (coommaand paaleettee, keeybiindiing, meenuu). All wiindoows wiith baackuups wiill bee reestooreed uupoon neext laauunch.]",
+ "hotExit.onExitAndWindowClose": "[Hoot eexiit wiill bee triiggeereed wheen thee aappliicaatiioon iis clooseed, thaat iis wheen thee laast wiindoow iis clooseed oon Wiindoows/Liinuux oor wheen thee woorkbeench.aactiioon.quuiit coommaand iis triiggeereed (coommaand paaleettee, keeybiindiing, meenuu), aand aalsoo foor aany wiindoow wiith aa fooldeer oopeeneed reegaardleess oof wheetheer iit's thee laast wiindoow. All wiindoows wiithoouut fooldeers oopeeneed wiill bee reestooreed uupoon neext laauunch. Too reestooree fooldeer wiindoows aas theey weeree beefooree shuutdoown seet \"wiindoow.reestooreeWiindoows\" too \"aall\".]",
+ "hotExit": "[Coontrools wheetheer uunsaaveed fiilees aaree reemeembeereed beetweeeen seessiioons, aalloowiing thee saavee proompt wheen eexiitiing thee eediitoor too bee skiippeed.]",
+ "useExperimentalFileWatcher": "[Usee thee neew eexpeeriimeentaal fiilee waatcheer.]",
+ "defaultLanguage": "[Thee deefaauult laanguuaagee moodee thaat iis aassiigneed too neew fiilees.]",
+ "maxMemoryForLargeFilesMB": "[Coontrools thee meemoory aavaaiilaablee too VS Coodee aafteer reestaart wheen tryiing too oopeen laargee fiilees. Saamee aaffeect aas speeciifyiing --maax-meemoory=NEWSIZE oon thee coommaand liinee.]",
+ "editorConfigurationTitle": "[Ediitoor]",
+ "formatOnSave": "[Foormaat aa fiilee oon saavee. A foormaatteer muust bee aavaaiilaablee, thee fiilee muust noot bee aauutoo-saaveed, aand eediitoor muust noot bee shuuttiing doown.]",
+ "formatOnSaveTimeout": "[Foormaat oon saavee tiimeeoouut. Speeciifiiees aa tiimee liimiit iin miilliiseecoonds foor foormaatOnSaavee-coommaands. Coommaands taakiing loongeer thaan thee speeciifiieed tiimeeoouut wiill bee caanceelleed.]",
+ "explorerConfigurationTitle": "[Fiilee Explooreer]",
+ "openEditorsVisible": "[Nuumbeer oof eediitoors shoown iin thee Opeen Ediitoors paanee.]",
+ "autoReveal": "[Coontrools iif thee eexplooreer shoouuld aauutoomaatiicaally reeveeaal aand seeleect fiilees wheen oopeeniing theem.]",
+ "enableDragAndDrop": "[Coontrools iif thee eexplooreer shoouuld aalloow too moovee fiilees aand fooldeers viiaa draag aand droop.]",
+ "confirmDragAndDrop": "[Coontrools iif thee eexplooreer shoouuld aask foor coonfiirmaatiioon too moovee fiilees aand fooldeers viiaa draag aand droop.]",
+ "confirmDelete": "[Coontrools iif thee eexplooreer shoouuld aask foor coonfiirmaatiioon wheen deeleetiing aa fiilee viiaa thee traash.]",
+ "sortOrder.default": "[Fiilees aand fooldeers aaree soorteed by theeiir naamees, iin aalphaabeetiicaal oordeer. Fooldeers aaree diisplaayeed beefooree fiilees.]",
+ "sortOrder.mixed": "[Fiilees aand fooldeers aaree soorteed by theeiir naamees, iin aalphaabeetiicaal oordeer. Fiilees aaree iinteerwooveen wiith fooldeers.]",
+ "sortOrder.filesFirst": "[Fiilees aand fooldeers aaree soorteed by theeiir naamees, iin aalphaabeetiicaal oordeer. Fiilees aaree diisplaayeed beefooree fooldeers.]",
+ "sortOrder.type": "[Fiilees aand fooldeers aaree soorteed by theeiir eexteensiioons, iin aalphaabeetiicaal oordeer. Fooldeers aaree diisplaayeed beefooree fiilees.]",
+ "sortOrder.modified": "[Fiilees aand fooldeers aaree soorteed by laast moodiifiieed daatee, iin deesceendiing oordeer. Fooldeers aaree diisplaayeed beefooree fiilees.]",
+ "sortOrder": "[Coontrools soortiing oordeer oof fiilees aand fooldeers iin thee eexplooreer. In aaddiitiioon too thee deefaauult soortiing, yoouu caan seet thee oordeer too 'miixeed' (fiilees aand fooldeers soorteed coombiineed), 'typee' (by fiilee typee), 'moodiifiieed' (by laast moodiifiieed daatee) oor 'fiileesFiirst' (soort fiilees beefooree fooldeers).]",
+ "explorer.decorations.colors": "[Coontrools iif fiilee deecooraatiioons shoouuld uusee cooloors.]",
+ "explorer.decorations.badges": "[Coontrools iif fiilee deecooraatiioons shoouuld uusee baadgees.]"
+ },
+ "vs/workbench/parts/files/electron-browser/fileActions.contribution": {
+ "filesCategory": "[Fiilee]",
+ "revealInSideBar": "[Reeveeaal iin Siidee Baar]",
+ "acceptLocalChanges": "[Usee yoouur chaangees aand ooveerwriitee diisk coonteents]",
+ "revertLocalChanges": "[Diiscaard yoouur chaangees aand reeveert too coonteent oon diisk]",
+ "copyPathOfActive": "[Coopy Paath oof Actiivee Fiilee]",
+ "saveAllInGroup": "[Saavee All iin Groouup]",
+ "saveFiles": "[Saavee All Fiilees]",
+ "revert": "[Reeveert Fiilee]",
+ "compareActiveWithSaved": "[Coompaaree Actiivee Fiilee wiith Saaveed]",
+ "closeEditor": "[Cloosee Ediitoor]",
+ "view": "[Viieew]",
+ "openToSide": "[Opeen too thee Siidee]",
+ "revealInWindows": "[Reeveeaal iin Explooreer]",
+ "revealInMac": "[Reeveeaal iin Fiindeer]",
+ "openContainer": "[Opeen Coontaaiiniing Fooldeer]",
+ "copyPath": "[Coopy Paath]",
+ "saveAll": "[Saavee All]",
+ "compareWithSaved": "[Coompaaree wiith Saaveed]",
+ "compareWithSelected": "[Coompaaree wiith Seeleecteed]",
+ "compareSource": "[Seeleect foor Coompaaree]",
+ "compareSelected": "[Coompaaree Seeleecteed]",
+ "close": "[Cloosee]",
+ "closeOthers": "[Cloosee Otheers]",
+ "closeSaved": "[Cloosee Saaveed]",
+ "closeAll": "[Cloosee All]",
+ "deleteFile": "[Deeleetee Peermaaneently]"
+ },
+ "vs/workbench/parts/files/electron-browser/views/emptyView": {
+ "noWorkspace": "[Noo Fooldeer Opeeneed]",
+ "explorerSection": "[Fiilees Explooreer Seectiioon]",
+ "noWorkspaceHelp": "[Yoouu haavee noot yeet aaddeed aa fooldeer too thee woorkspaacee.]",
+ "addFolder": "[Add Fooldeer]",
+ "noFolderHelp": "[Yoouu haavee noot yeet oopeeneed aa fooldeer.]",
+ "openFolder": "[Opeen Fooldeer]"
+ },
+ "vs/workbench/parts/files/electron-browser/views/openEditorsView": {
+ "openEditors": "[Opeen Ediitoors]",
+ "openEditosrSection": "[Opeen Ediitoors Seectiioon]",
+ "dirtyCounter": "[{0} uunsaaveed]"
+ },
+ "vs/workbench/parts/files/electron-browser/views/explorerView": {
+ "explorerSection": "[Fiilees Explooreer Seectiioon]",
+ "treeAriaLabel": "[Fiilees Explooreer]"
+ },
+ "vs/workbench/parts/files/electron-browser/saveErrorHandler": {
+ "userGuide": "[Usee thee aactiioons iin thee eediitoor tooool baar too eeiitheer uundoo yoouur chaangees oor ooveerwriitee thee coonteent oon diisk wiith yoouur chaangees.]",
+ "staleSaveError": "[Faaiileed too saavee '{0}': Thee coonteent oon diisk iis neeweer. Pleeaasee coompaaree yoouur veersiioon wiith thee oonee oon diisk.]",
+ "retry": "[Reetry]",
+ "discard": "[Diiscaard]",
+ "readonlySaveErrorAdmin": "[Faaiileed too saavee '{0}': Fiilee iis wriitee prooteecteed. Seeleect 'Oveerwriitee aas Admiin' too reetry aas aadmiiniistraatoor.]",
+ "readonlySaveError": "[Faaiileed too saavee '{0}': Fiilee iis wriitee prooteecteed. Seeleect 'Oveerwriitee' too aatteempt too reemoovee prooteectiioon.]",
+ "permissionDeniedSaveError": "[Faaiileed too saavee '{0}': Insuuffiiciieent peermiissiioons. Seeleect 'Reetry aas Admiin' too reetry aas aadmiiniistraatoor.]",
+ "genericSaveError": "[Faaiileed too saavee '{0}': {1}]",
+ "learnMore": "[Leeaarn Mooree]",
+ "dontShowAgain": "[Doon't Shoow Agaaiin]",
+ "compareChanges": "[Coompaaree]",
+ "saveConflictDiffLabel": "[{0} (oon diisk) ↔ {1} (iin {2}) - Reesoolvee saavee coonfliict]",
+ "overwriteElevated": "[Oveerwriitee aas Admiin...]",
+ "saveElevated": "[Reetry aas Admiin...]",
+ "overwrite": "[Oveerwriitee]"
+ },
+ "vs/workbench/parts/files/common/editors/fileEditorInput": {
+ "orphanedFile": "[{0} (deeleeteed froom diisk)]"
+ },
+ "vs/workbench/parts/files/browser/editors/textFileEditor": {
+ "textFileEditor": "[Teext Fiilee Ediitoor]",
+ "createFile": "[Creeaatee Fiilee]",
+ "relaunchWithIncreasedMemoryLimit": "[Reestaart wiith {0} MB]",
+ "configureMemoryLimit": "[Coonfiiguuree Meemoory Liimiit]",
+ "fileEditorWithInputAriaLabel": "[{0}. Teext fiilee eediitoor.]",
+ "fileEditorAriaLabel": "[Teext fiilee eediitoor.]"
+ },
+ "vs/workbench/parts/files/browser/editors/binaryFileEditor": {
+ "binaryFileEditor": "[Biinaary Fiilee Viieeweer]"
+ },
+ "vs/workbench/parts/files/common/dirtyFilesTracker": {
+ "dirtyFile": "[1 uunsaaveed fiilee]",
+ "dirtyFiles": "[{0} uunsaaveed fiilees]"
+ },
+ "vs/workbench/parts/files/electron-browser/fileCommands": {
+ "revealInWindows": "[Reeveeaal iin Explooreer]",
+ "revealInMac": "[Reeveeaal iin Fiindeer]",
+ "openContainer": "[Opeen Coontaaiiniing Fooldeer]",
+ "saveAs": "[Saavee As...]",
+ "save": "[Saavee]",
+ "saveAll": "[Saavee All]",
+ "removeFolderFromWorkspace": "[Reemoovee Fooldeer froom Woorkspaacee]",
+ "genericRevertError": "[Faaiileed too reeveert '{0}': {1}]",
+ "modifiedLabel": "[{0} (oon diisk) ↔ {1}]",
+ "openFileToReveal": "[Opeen aa fiilee fiirst too reeveeaal]",
+ "openFileToCopy": "[Opeen aa fiilee fiirst too coopy iits paath]"
+ },
+ "vs/workbench/parts/files/electron-browser/fileActions": {
+ "newFile": "[Neew Fiilee]",
+ "newFolder": "[Neew Fooldeer]",
+ "rename": "[Reenaamee]",
+ "delete": "[Deeleetee]",
+ "copyFile": "[Coopy]",
+ "pasteFile": "[Paastee]",
+ "retry": "[Reetry]",
+ "renameWhenSourcePathIsParentOfTargetError": "[Pleeaasee uusee thee 'Neew Fooldeer' oor 'Neew Fiilee' coommaand too aadd chiildreen too aan eexiistiing fooldeer]",
+ "newUntitledFile": "[Neew Untiitleed Fiilee]",
+ "createNewFile": "[Neew Fiilee]",
+ "createNewFolder": "[Neew Fooldeer]",
+ "deleteButtonLabelRecycleBin": "[&&Moovee too Reecyclee Biin]",
+ "deleteButtonLabelTrash": "[&&Moovee too Traash]",
+ "deleteButtonLabel": "[&&Deeleetee]",
+ "dirtyMessageFilesDelete": "[Yoouu aaree deeleetiing fiilees wiith uunsaaveed chaangees. Doo yoouu waant too coontiinuuee?]",
+ "dirtyMessageFolderOneDelete": "[Yoouu aaree deeleetiing aa fooldeer wiith uunsaaveed chaangees iin 1 fiilee. Doo yoouu waant too coontiinuuee?]",
+ "dirtyMessageFolderDelete": "[Yoouu aaree deeleetiing aa fooldeer wiith uunsaaveed chaangees iin {0} fiilees. Doo yoouu waant too coontiinuuee?]",
+ "dirtyMessageFileDelete": "[Yoouu aaree deeleetiing aa fiilee wiith uunsaaveed chaangees. Doo yoouu waant too coontiinuuee?]",
+ "dirtyWarning": "[Yoouur chaangees wiill bee loost iif yoouu doon't saavee theem.]",
+ "undoBin": "[Yoouu caan reestooree froom thee Reecyclee Biin.]",
+ "undoTrash": "[Yoouu caan reestooree froom thee Traash.]",
+ "doNotAskAgain": "[Doo noot aask mee aagaaiin]",
+ "irreversible": "[Thiis aactiioon iis iirreeveersiiblee!]",
+ "binFailed": "[Faaiileed too deeleetee uusiing thee Reecyclee Biin. Doo yoouu waant too peermaaneently deeleetee iinsteeaad?]",
+ "trashFailed": "[Faaiileed too deeleetee uusiing thee Traash. Doo yoouu waant too peermaaneently deeleetee iinsteeaad?]",
+ "deletePermanentlyButtonLabel": "[&&Deeleetee Peermaaneently]",
+ "retryButtonLabel": "[&&Reetry]",
+ "confirmMoveTrashMessageFilesAndDirectories": "[Aree yoouu suuree yoouu waant too deeleetee thee foolloowiing {0} fiilees/diireectooriiees aand theeiir coonteents?]",
+ "confirmMoveTrashMessageMultipleDirectories": "[Aree yoouu suuree yoouu waant too deeleetee thee foolloowiing {0} diireectooriiees aand theeiir coonteents?]",
+ "confirmMoveTrashMessageMultiple": "[Aree yoouu suuree yoouu waant too deeleetee thee foolloowiing {0} fiilees?]",
+ "confirmMoveTrashMessageFolder": "[Aree yoouu suuree yoouu waant too deeleetee '{0}' aand iits coonteents?]",
+ "confirmMoveTrashMessageFile": "[Aree yoouu suuree yoouu waant too deeleetee '{0}'?]",
+ "confirmDeleteMessageFilesAndDirectories": "[Aree yoouu suuree yoouu waant too peermaaneently deeleetee thee foolloowiing {0} fiilees/diireectooriiees aand theeiir coonteents?]",
+ "confirmDeleteMessageMultipleDirectories": "[Aree yoouu suuree yoouu waant too peermaaneently deeleetee thee foolloowiing {0} diireectooriiees aand theeiir coonteents?]",
+ "confirmDeleteMessageMultiple": "[Aree yoouu suuree yoouu waant too peermaaneently deeleetee thee foolloowiing {0} fiilees?]",
+ "confirmDeleteMessageFolder": "[Aree yoouu suuree yoouu waant too peermaaneently deeleetee '{0}' aand iits coonteents?]",
+ "confirmDeleteMessageFile": "[Aree yoouu suuree yoouu waant too peermaaneently deeleetee '{0}'?]",
+ "addFiles": "[Add Fiilees]",
+ "confirmOverwrite": "[A fiilee oor fooldeer wiith thee saamee naamee aalreeaady eexiists iin thee deestiinaatiioon fooldeer. Doo yoouu waant too reeplaacee iit?]",
+ "replaceButtonLabel": "[&&Reeplaacee]",
+ "fileIsAncestor": "[Fiilee too paastee iis aan aanceestoor oof thee deestiinaatiioon fooldeer]",
+ "fileDeleted": "[Fiilee too paastee waas deeleeteed oor mooveed meeaanwhiilee]",
+ "duplicateFile": "[Duupliicaatee]",
+ "globalCompareFile": "[Coompaaree Actiivee Fiilee Wiith...]",
+ "openFileToCompare": "[Opeen aa fiilee fiirst too coompaaree iit wiith aanootheer fiilee.]",
+ "refresh": "[Reefreesh]",
+ "saveAllInGroup": "[Saavee All iin Groouup]",
+ "focusOpenEditors": "[Foocuus oon Opeen Ediitoors Viieew]",
+ "focusFilesExplorer": "[Foocuus oon Fiilees Explooreer]",
+ "showInExplorer": "[Reeveeaal Actiivee Fiilee iin Siidee Baar]",
+ "openFileToShow": "[Opeen aa fiilee fiirst too shoow iit iin thee eexplooreer]",
+ "collapseExplorerFolders": "[Coollaapsee Fooldeers iin Explooreer]",
+ "refreshExplorer": "[Reefreesh Explooreer]",
+ "openFileInNewWindow": "[Opeen Actiivee Fiilee iin Neew Wiindoow]",
+ "openFileToShowInNewWindow": "[Opeen aa fiilee fiirst too oopeen iin neew wiindoow]",
+ "copyPath": "[Coopy Paath]",
+ "emptyFileNameError": "[A fiilee oor fooldeer naamee muust bee prooviideed.]",
+ "fileNameStartsWithSlashError": "[A fiilee oor fooldeer naamee caannoot staart wiith aa slaash.]",
+ "fileNameExistsError": "[A fiilee oor fooldeer **{0}** aalreeaady eexiists aat thiis loocaatiioon. Pleeaasee choooosee aa diiffeereent naamee.]",
+ "fileUsedAsFolderError": "[**{0}** iis aa fiilee aand caannoot haavee aany deesceendaants.]",
+ "invalidFileNameError": "[Thee naamee **{0}** iis noot vaaliid aas aa fiilee oor fooldeer naamee. Pleeaasee choooosee aa diiffeereent naamee.]",
+ "filePathTooLongError": "[Thee naamee **{0}** reesuults iin aa paath thaat iis toooo loong. Pleeaasee choooosee aa shoorteer naamee.]",
+ "compareWithClipboard": "[Coompaaree Actiivee Fiilee wiith Cliipbooaard]",
+ "clipboardComparisonLabel": "[Cliipbooaard ↔ {0}]"
+ },
+ "vs/workbench/parts/files/electron-browser/views/explorerViewer": {
+ "fileInputAriaLabel": "[Typee fiilee naamee. Preess Enteer too coonfiirm oor Escaapee too caanceel.]",
+ "createFileFromExplorerInfoMessage": "[Creeaatee fiilee **{0}** iin **{1}**]",
+ "renameFileFromExplorerInfoMessage": "[Moovee aand reenaamee too **{0}**]",
+ "createFolderFromExplorerInfoMessage": "[Creeaatee fooldeer **{0}** iin **{1}**]",
+ "filesExplorerViewerAriaLabel": "[{0}, Fiilees Explooreer]",
+ "dropFolders": "[Doo yoouu waant too aadd thee fooldeers too thee woorkspaacee?]",
+ "dropFolder": "[Doo yoouu waant too aadd thee fooldeer too thee woorkspaacee?]",
+ "addFolders": "[&&Add Fooldeers]",
+ "addFolder": "[&&Add Fooldeer]",
+ "confirmRootsMove": "[Aree yoouu suuree yoouu waant too chaangee thee oordeer oof muultiiplee roooot fooldeers iin yoouur woorkspaacee?]",
+ "confirmMultiMove": "[Aree yoouu suuree yoouu waant too moovee thee foolloowiing {0} fiilees?]",
+ "confirmRootMove": "[Aree yoouu suuree yoouu waant too chaangee thee oordeer oof roooot fooldeer '{0}' iin yoouur woorkspaacee?]",
+ "confirmMove": "[Aree yoouu suuree yoouu waant too moovee '{0}'?]",
+ "doNotAskAgain": "[Doo noot aask mee aagaaiin]",
+ "moveButtonLabel": "[&&Moovee]",
+ "confirmOverwriteMessage": "['{0}' aalreeaady eexiists iin thee deestiinaatiioon fooldeer. Doo yoouu waant too reeplaacee iit?]",
+ "irreversible": "[Thiis aactiioon iis iirreeveersiiblee!]",
+ "replaceButtonLabel": "[&&Reeplaacee]"
+ },
+ "vs/workbench/parts/files/electron-browser/views/explorerDecorationsProvider": {
+ "label": "[Explooreer]",
+ "canNotResolve": "[Caan noot reesoolvee woorkspaacee fooldeer]",
+ "symbolicLlink": "[Symbooliic Liink]"
+ },
+ "vs/workbench/parts/logs/electron-browser/logs.contribution": {
+ "mainLog": "[Loog (Maaiin)]",
+ "sharedLog": "[Loog (Shaareed)]",
+ "rendererLog": "[Loog (Wiindoow)]",
+ "extensionsLog": "[Loog (Exteensiioon Hoost)]",
+ "developer": "[Deeveeloopeer]"
+ },
+ "vs/workbench/parts/logs/electron-browser/logsActions": {
+ "openLogsFolder": "[Opeen Loogs Fooldeer]",
+ "showLogs": "[Shoow Loogs...]",
+ "rendererProcess": "[Wiindoow ({0})]",
+ "emptyWindow": "[Wiindoow]",
+ "extensionHost": "[Exteensiioon Hoost]",
+ "sharedProcess": "[Shaareed]",
+ "mainProcess": "[Maaiin]",
+ "selectProcess": "[Seeleect Loog foor Prooceess]",
+ "openLogFile": "[Opeen Loog Fiilee...]",
+ "setLogLevel": "[Seet Loog Leeveel...]",
+ "trace": "[Traacee]",
+ "debug": "[Deebuug]",
+ "info": "[Infoo]",
+ "warn": "[Waarniing]",
+ "err": "[Erroor]",
+ "critical": "[Criitiicaal]",
+ "off": "[Off]",
+ "selectLogLevel": "[Seeleect loog leeveel]",
+ "default and current": "[Deefaauult & Cuurreent]",
+ "default": "[Deefaauult]",
+ "current": "[Cuurreent]"
+ },
+ "vs/workbench/parts/output/electron-browser/output.contribution": {
+ "output": "[Ouutpuut]",
+ "logViewer": "[Loog Viieeweer]",
+ "viewCategory": "[Viieew]",
+ "clearOutput.label": "[Cleeaar Ouutpuut]",
+ "openActiveLogOutputFile": "[Viieew: Opeen Actiivee Loog Ouutpuut Fiilee]"
+ },
+ "vs/workbench/parts/output/browser/outputPanel": {
+ "output": "[Ouutpuut]",
+ "outputPanelWithInputAriaLabel": "[{0}, Ouutpuut paaneel]",
+ "outputPanelAriaLabel": "[Ouutpuut paaneel]"
+ },
+ "vs/workbench/parts/output/browser/outputActions": {
+ "toggleOutput": "[Toogglee Ouutpuut]",
+ "clearOutput": "[Cleeaar Ouutpuut]",
+ "toggleOutputScrollLock": "[Toogglee Ouutpuut Scrooll Loock]",
+ "switchToOutput.label": "[Swiitch too Ouutpuut]",
+ "openInLogViewer": "[Opeen Loog Fiilee]"
+ },
+ "vs/workbench/parts/output/electron-browser/outputServices": {
+ "output": "[{0} - Ouutpuut]",
+ "channel": "[Ouutpuut chaanneel foor '{0}']"
+ },
+ "vs/workbench/parts/performance/electron-browser/startupProfiler": {
+ "prof.message": "[Suucceessfuully creeaateed proofiilees.]",
+ "prof.detail": "[Pleeaasee creeaatee aan iissuuee aand maanuuaally aattaach thee foolloowiing fiilees:\n{0}]",
+ "prof.restartAndFileIssue": "[Creeaatee Issuuee aand Reestaart]",
+ "prof.restart": "[Reestaart]",
+ "prof.thanks": "[Thaanks foor heelpiing uus.]",
+ "prof.detail.restart": "[A fiinaal reestaart iis reequuiireed too coontiinuuee too uusee '{0}'. Agaaiin, thaank yoouu foor yoouur coontriibuutiioon.]"
+ },
+ "vs/workbench/parts/preferences/browser/keybindingsEditorContribution": {
+ "defineKeybinding.start": "[Deefiinee Keeybiindiing]",
+ "defineKeybinding.kbLayoutErrorMessage": "[Yoouu woon't bee aablee too prooduucee thiis keey coombiinaatiioon uundeer yoouur cuurreent keeybooaard laayoouut.]",
+ "defineKeybinding.kbLayoutLocalAndUSMessage": "[**{0}** foor yoouur cuurreent keeybooaard laayoouut (**{1}** foor US staandaard).]",
+ "defineKeybinding.kbLayoutLocalMessage": "[**{0}** foor yoouur cuurreent keeybooaard laayoouut.]"
+ },
+ "vs/workbench/parts/preferences/electron-browser/preferences.contribution": {
+ "defaultPreferencesEditor": "[Deefaauult Preefeereencees Ediitoor]",
+ "settingsEditor2": "[Seettiings Ediitoor 2]",
+ "keybindingsEditor": "[Keeybiindiings Ediitoor]",
+ "preferences": "[Preefeereencees]"
+ },
+ "vs/workbench/parts/preferences/browser/keybindingWidgets": {
+ "defineKeybinding.initial": "[Preess deesiireed keey coombiinaatiioon aand theen preess ENTER.]",
+ "defineKeybinding.chordsTo": "[choord too]"
+ },
+ "vs/workbench/parts/preferences/browser/preferencesWidgets": {
+ "defaultSettings": "[Plaacee yoouur seettiings iin thee riight haand siidee eediitoor too ooveerriidee.]",
+ "noSettingsFound": "[Noo Seettiings Foouund.]",
+ "settingsSwitcherBarAriaLabel": "[Seettiings Swiitcheer]",
+ "userSettings": "[Useer Seettiings]",
+ "workspaceSettings": "[Woorkspaacee Seettiings]",
+ "folderSettings": "[Fooldeer Seettiings]"
+ },
+ "vs/workbench/parts/preferences/browser/keybindingsEditor": {
+ "showDefaultKeybindings": "[Shoow Deefaauult Keeybiindiings]",
+ "showUserKeybindings": "[Shoow Useer Keeybiindiings]",
+ "SearchKeybindings.AriaLabel": "[Seeaarch keeybiindiings]",
+ "SearchKeybindings.Placeholder": "[Seeaarch keeybiindiings]",
+ "sortByPrecedene": "[Soort by Preeceedeencee]",
+ "header-message": "[Foor aadvaanceed cuustoomiizaatiioons oopeen aand eediit]",
+ "keybindings-file-name": "[keeybiindiings.jsoon]",
+ "keybindingsLabel": "[Keeybiindiings]",
+ "changeLabel": "[Chaangee Keeybiindiing]",
+ "addLabel": "[Add Keeybiindiing]",
+ "removeLabel": "[Reemoovee Keeybiindiing]",
+ "resetLabel": "[Reeseet Keeybiindiing]",
+ "showSameKeybindings": "[Shoow Saamee Keeybiindiings]",
+ "copyLabel": "[Coopy]",
+ "copyCommandLabel": "[Coopy Coommaand]",
+ "error": "[Erroor '{0}' whiilee eediitiing thee keeybiindiing. Pleeaasee oopeen 'keeybiindiings.jsoon' fiilee aand cheeck foor eerroors.]",
+ "command": "[Coommaand]",
+ "keybinding": "[Keeybiindiing]",
+ "source": "[Soouurcee]",
+ "when": "[Wheen]",
+ "editKeybindingLabelWithKey": "[Chaangee Keeybiindiing {0}]",
+ "editKeybindingLabel": "[Chaangee Keeybiindiing]",
+ "addKeybindingLabelWithKey": "[Add Keeybiindiing {0}]",
+ "addKeybindingLabel": "[Add Keeybiindiing]",
+ "title": "[{0} ({1})]",
+ "commandAriaLabel": "[Coommaand iis {0}.]",
+ "keybindingAriaLabel": "[Keeybiindiing iis {0}.]",
+ "noKeybinding": "[Noo Keeybiindiing aassiigneed.]",
+ "sourceAriaLabel": "[Soouurcee iis {0}.]",
+ "whenAriaLabel": "[Wheen iis {0}.]",
+ "noWhen": "[Noo wheen coonteext.]"
+ },
+ "vs/workbench/parts/preferences/browser/preferencesEditor": {
+ "SearchSettingsWidget.AriaLabel": "[Seeaarch seettiings]",
+ "SearchSettingsWidget.Placeholder": "[Seeaarch Seettiings]",
+ "noSettingsFound": "[Noo Reesuults]",
+ "oneSettingFound": "[1 Seettiing Foouund]",
+ "settingsFound": "[{0} Seettiings Foouund]",
+ "totalSettingsMessage": "[Tootaal {0} Seettiings]",
+ "nlpResult": "[Naatuuraal Laanguuaagee Reesuults]",
+ "filterResult": "[Fiilteereed Reesuults]",
+ "defaultSettings": "[Deefaauult Seettiings]",
+ "defaultUserSettings": "[Deefaauult Useer Seettiings]",
+ "defaultWorkspaceSettings": "[Deefaauult Woorkspaacee Seettiings]",
+ "defaultFolderSettings": "[Deefaauult Fooldeer Seettiings]",
+ "defaultEditorReadonly": "[Ediit iin thee riight haand siidee eediitoor too ooveerriidee deefaauults.]",
+ "preferencesAriaLabel": "[Deefaauult preefeereencees. Reeaadoonly teext eediitoor.]"
+ },
+ "vs/workbench/parts/preferences/browser/settingsEditor2": {
+ "configuredItemForeground": "[Thee fooreegroouund cooloor foor aa coonfiiguureed seettiing.]",
+ "SearchSettings.AriaLabel": "[Seeaarch seettiings]",
+ "SearchSettings.Placeholder": "[Seeaarch seettiings]",
+ "showOverriddenOnly": "[Shoow coonfiiguureed oonly]",
+ "openSettingsLabel": "[Opeen seettiings.jsoon]",
+ "settingsListLabel": "[Seettiings]",
+ "showFewerSettingsLabel": "[Shoow Feeweer Seettiings]",
+ "showAllSettingsLabel": "[Shoow All Seettiings]",
+ "configuredTitleToolip": "[Thiis seettiing iis coonfiiguureed]",
+ "resetButtonTitle": "[Reeseet]",
+ "alsoConfiguredIn": "[Alsoo coonfiiguureed iin:]",
+ "editInSettingsJson": "[Ediit iin seettiings.jsoon]"
+ },
+ "vs/workbench/parts/preferences/browser/preferencesActions": {
+ "openRawDefaultSettings": "[Opeen Raaw Deefaauult Seettiings]",
+ "openSettings2": "[Opeen Seettiings (Expeeriimeentaal)]",
+ "openSettings": "[Opeen Seettiings]",
+ "openGlobalSettings": "[Opeen Useer Seettiings]",
+ "openGlobalKeybindings": "[Opeen Keeybooaard Shoortcuuts]",
+ "openGlobalKeybindingsFile": "[Opeen Keeybooaard Shoortcuuts Fiilee]",
+ "openWorkspaceSettings": "[Opeen Woorkspaacee Seettiings]",
+ "openFolderSettings": "[Opeen Fooldeer Seettiings]",
+ "configureLanguageBasedSettings": "[Coonfiiguuree Laanguuaagee Speeciifiic Seettiings...]",
+ "languageDescriptionConfigured": "[({0})]",
+ "pickLanguage": "[Seeleect Laanguuaagee]"
+ },
+ "vs/workbench/parts/preferences/browser/preferencesRenderers": {
+ "emptyUserSettingsHeader": "[Plaacee yoouur seettiings heeree too ooveerwriitee thee Deefaauult Seettiings.]",
+ "emptyWorkspaceSettingsHeader": "[Plaacee yoouur seettiings heeree too ooveerwriitee thee Useer Seettiings.]",
+ "emptyFolderSettingsHeader": "[Plaacee yoouur fooldeer seettiings heeree too ooveerwriitee thoosee froom thee Woorkspaacee Seettiings.]",
+ "reportSettingsSearchIssue": "[Reepoort Issuuee]",
+ "newExtensionLabel": "[Shoow Exteensiioon \"{0}\"]",
+ "editTtile": "[Ediit]",
+ "replaceDefaultValue": "[Reeplaacee iin Seettiings]",
+ "copyDefaultValue": "[Coopy too Seettiings]"
+ },
+ "vs/workbench/parts/quickopen/browser/quickopen.contribution": {
+ "view": "[Viieew]",
+ "commandsHandlerDescriptionDefault": "[Shoow aand Ruun Coommaands]",
+ "gotoLineDescriptionMac": "[Goo too Liinee]",
+ "gotoLineDescriptionWin": "[Goo too Liinee]",
+ "gotoSymbolDescription": "[Goo too Symbool iin Fiilee]",
+ "gotoSymbolDescriptionScoped": "[Goo too Symbool iin Fiilee by Caateegoory]",
+ "helpDescription": "[Shoow Heelp]",
+ "viewPickerDescription": "[Opeen Viieew]"
+ },
+ "vs/workbench/parts/quickopen/browser/gotoLineHandler": {
+ "gotoLine": "[Goo too Liinee...]",
+ "gotoLineLabelEmptyWithLimit": "[Typee aa liinee nuumbeer beetweeeen 1 aand {0} too naaviigaatee too]",
+ "gotoLineLabelEmpty": "[Typee aa liinee nuumbeer too naaviigaatee too]",
+ "gotoLineColumnLabel": "[Goo too liinee {0} aand chaaraacteer {1}]",
+ "gotoLineLabel": "[Goo too liinee {0}]",
+ "gotoLineHandlerAriaLabel": "[Typee aa liinee nuumbeer too naaviigaatee too.]",
+ "cannotRunGotoLine": "[Opeen aa teext fiilee fiirst too goo too aa liinee]"
+ },
+ "vs/workbench/parts/quickopen/browser/commandsHandler": {
+ "showTriggerActions": "[Shoow All Coommaands]",
+ "clearCommandHistory": "[Cleeaar Coommaand Hiistoory]",
+ "showCommands.label": "[Coommaand Paaleettee...]",
+ "entryAriaLabelWithKey": "[{0}, {1}, coommaands]",
+ "entryAriaLabel": "[{0}, coommaands]",
+ "actionNotEnabled": "[Coommaand '{0}' iis noot eenaableed iin thee cuurreent coonteext.]",
+ "canNotRun": "[Coommaand '{0}' reesuulteed iin aan eerroor.]",
+ "recentlyUsed": "[reeceently uuseed]",
+ "morecCommands": "[ootheer coommaands]",
+ "cat.title": "[{0}: {1}]",
+ "noCommandsMatching": "[Noo coommaands maatchiing]"
+ },
+ "vs/workbench/parts/quickopen/browser/gotoSymbolHandler": {
+ "gotoSymbol": "[Goo too Symbool iin Fiilee...]",
+ "symbols": "[symbools ({0})]",
+ "method": "[meethoods ({0})]",
+ "function": "[fuunctiioons ({0})]",
+ "_constructor": "[coonstruuctoors ({0})]",
+ "variable": "[vaariiaablees ({0})]",
+ "class": "[claassees ({0})]",
+ "interface": "[iinteerfaacees ({0})]",
+ "namespace": "[naameespaacees ({0})]",
+ "package": "[paackaagees ({0})]",
+ "modules": "[mooduulees ({0})]",
+ "property": "[proopeertiiees ({0})]",
+ "enum": "[eenuumeeraatiioons ({0})]",
+ "string": "[striings ({0})]",
+ "rule": "[ruulees ({0})]",
+ "file": "[fiilees ({0})]",
+ "array": "[aarraays ({0})]",
+ "number": "[nuumbeers ({0})]",
+ "boolean": "[booooleeaans ({0})]",
+ "object": "[oobjeects ({0})]",
+ "key": "[keeys ({0})]",
+ "entryAriaLabel": "[{0}, symbools]",
+ "noSymbolsMatching": "[Noo symbools maatchiing]",
+ "noSymbolsFound": "[Noo symbools foouund]",
+ "gotoSymbolHandlerAriaLabel": "[Typee too naarroow doown symbools oof thee cuurreently aactiivee eediitoor.]",
+ "cannotRunGotoSymbolInFile": "[Noo symbool iinfoormaatiioon foor thee fiilee]",
+ "cannotRunGotoSymbol": "[Opeen aa teext fiilee fiirst too goo too aa symbool]"
+ },
+ "vs/workbench/parts/quickopen/browser/helpHandler": {
+ "entryAriaLabel": "[{0}, piickeer heelp]",
+ "globalCommands": "[gloobaal coommaands]",
+ "editorCommands": "[eediitoor coommaands]"
+ },
+ "vs/workbench/parts/quickopen/browser/viewPickerHandler": {
+ "entryAriaLabel": "[{0}, viieew piickeer]",
+ "views": "[Viieews]",
+ "panels": "[Paaneels]",
+ "terminals": "[Teermiinaal]",
+ "terminalTitle": "[{0}: {1}]",
+ "channels": "[Ouutpuut]",
+ "openView": "[Opeen Viieew]",
+ "quickOpenView": "[Quuiick Opeen Viieew]"
+ },
+ "vs/workbench/parts/relauncher/electron-browser/relauncher.contribution": {
+ "relaunchSettingMessage": "[A seettiing haas chaangeed thaat reequuiirees aa reestaart too taakee eeffeect.]",
+ "relaunchSettingDetail": "[Preess thee reestaart buuttoon too reestaart {0} aand eenaablee thee seettiing.]",
+ "restart": "[&&Reestaart]"
+ },
+ "vs/workbench/parts/scm/electron-browser/scm.contribution": {
+ "toggleGitViewlet": "[Shoow Giit]",
+ "source control": "[Soouurcee Coontrool]",
+ "toggleSCMViewlet": "[Shoow SCM]",
+ "view": "[Viieew]",
+ "scmConfigurationTitle": "[SCM]",
+ "alwaysShowProviders": "[Wheetheer too aalwaays shoow thee Soouurcee Coontrool Prooviideer seectiioon.]",
+ "diffDecorations": "[Coontrools diiff deecooraatiioons iin thee eediitoor.]",
+ "diffGutterWidth": "[Coontrools thee wiidth(px) oof diiff deecooraatiioons iin guutteer (aaddeed & moodiifiieed).]"
+ },
+ "vs/workbench/parts/scm/electron-browser/scmViewlet": {
+ "scm providers": "[Soouurcee Coontrool Prooviideers]",
+ "hideRepository": "[Hiidee]",
+ "installAdditionalSCMProviders": "[Instaall Addiitiioonaal SCM Prooviideers...]",
+ "no open repo": "[Theeree aaree noo aactiivee soouurcee coontrool prooviideers.]",
+ "source control": "[Soouurcee Coontrool]",
+ "viewletTitle": "[{0}: {1}]",
+ "hideView": "[Hiidee]"
+ },
+ "vs/workbench/parts/scm/electron-browser/dirtydiffDecorator": {
+ "changes": "[{0} oof {1} chaangees]",
+ "change": "[{0} oof {1} chaangee]",
+ "show previous change": "[Shoow Preeviioouus Chaangee]",
+ "show next change": "[Shoow Neext Chaangee]",
+ "move to previous change": "[Moovee too Preeviioouus Chaangee]",
+ "move to next change": "[Moovee too Neext Chaangee]",
+ "editorGutterModifiedBackground": "[Ediitoor guutteer baackgroouund cooloor foor liinees thaat aaree moodiifiieed.]",
+ "editorGutterAddedBackground": "[Ediitoor guutteer baackgroouund cooloor foor liinees thaat aaree aaddeed.]",
+ "editorGutterDeletedBackground": "[Ediitoor guutteer baackgroouund cooloor foor liinees thaat aaree deeleeteed.]",
+ "overviewRulerModifiedForeground": "[Oveerviieew ruuleer maarkeer cooloor foor moodiifiieed coonteent.]",
+ "overviewRulerAddedForeground": "[Oveerviieew ruuleer maarkeer cooloor foor aaddeed coonteent.]",
+ "overviewRulerDeletedForeground": "[Oveerviieew ruuleer maarkeer cooloor foor deeleeteed coonteent.]"
+ },
+ "vs/workbench/parts/scm/electron-browser/scmActivity": {
+ "scmPendingChangesBadge": "[{0} peendiing chaangees]"
+ },
+ "vs/workbench/parts/snippets/electron-browser/snippetsService": {
+ "invalid.path.0": "[Expeecteed striing iin `coontriibuutees.{0}.paath`. Prooviideed vaaluuee: {1}]",
+ "invalid.language.0": "[Wheen oomiittiing thee laanguuaagee, thee vaaluuee oof `coontriibuutees.{0}.paath` muust bee aa `.coodee-sniippeets`-fiilee. Prooviideed vaaluuee: {1}]",
+ "invalid.language": "[Unknoown laanguuaagee iin `coontriibuutees.{0}.laanguuaagee`. Prooviideed vaaluuee: {1}]",
+ "invalid.path.1": "[Expeecteed `coontriibuutees.{0}.paath` ({1}) too bee iincluudeed iinsiidee eexteensiioon's fooldeer ({2}). Thiis miight maakee thee eexteensiioon noon-poortaablee.]",
+ "vscode.extension.contributes.snippets": "[Coontriibuutees sniippeets.]",
+ "vscode.extension.contributes.snippets-language": "[Laanguuaagee iideentiifiieer foor whiich thiis sniippeet iis coontriibuuteed too.]",
+ "vscode.extension.contributes.snippets-path": "[Paath oof thee sniippeets fiilee. Thee paath iis reelaatiivee too thee eexteensiioon fooldeer aand typiicaally staarts wiith './sniippeets/'.]",
+ "badVariableUse": "[Onee oor mooree sniippeets froom thee eexteensiioon '{0}' veery liikeely coonfuusee sniippeet-vaariiaablees aand sniippeet-plaaceehooldeers (seeee https://coodee.viisuuaalstuudiioo.coom/doocs/eediitoor/uuseerdeefiineedsniippeets#_sniippeet-syntaax foor mooree deetaaiils)]",
+ "badFile": "[Thee sniippeet fiilee \"{0}\" coouuld noot bee reeaad.]",
+ "detail.snippet": "[{0} ({1})]",
+ "snippetSuggest.longLabel": "[{0}, {1}]"
+ },
+ "vs/workbench/parts/snippets/electron-browser/configureSnippets": {
+ "global.scope": "[(gloobaal)]",
+ "global.1": "[({0})]",
+ "new.global": "[Neew Gloobaal Sniippeets fiilee...]",
+ "group.global": "[Exiistiing Sniippeets]",
+ "new.global.sep": "[Neew Sniippeets]",
+ "openSnippet.pickLanguage": "[Seeleect Sniippeets Fiilee oor Creeaatee Sniippeets]",
+ "openSnippet.label": "[Coonfiiguuree Useer Sniippeets]",
+ "preferences": "[Preefeereencees]"
+ },
+ "vs/workbench/parts/snippets/electron-browser/snippets.contribution": {
+ "snippetSchema.json.default": "[Empty sniippeet]",
+ "snippetSchema.json": "[Useer sniippeet coonfiiguuraatiioon]",
+ "snippetSchema.json.prefix": "[Thee preefiix too uuseed wheen seeleectiing thee sniippeet iin iinteelliiseensee]",
+ "snippetSchema.json.body": "[Thee sniippeet coonteent. Usee '$1', '${1:deefaauultTeext}' too deefiinee cuursoor poosiitiioons, uusee '$0' foor thee fiinaal cuursoor poosiitiioon. Inseert vaariiaablee vaaluuees wiith '${vaarNaamee}' aand '${vaarNaamee:deefaauultTeext}', ee.g 'Thiis iis fiilee: $TM_FILENAME'.]",
+ "snippetSchema.json.description": "[Thee sniippeet deescriiptiioon.]",
+ "snippetSchema.json.scope": "[A liist oof laanguuaagee naamees too whiich thiis sniippeet aappliiees, ee.g 'typeescriipt,jaavaascriipt'.]"
+ },
+ "vs/workbench/parts/snippets/electron-browser/tabCompletion": {
+ "tabCompletion": "[Inseert sniippeets wheen theeiir preefiix maatchees. Woorks beest wheen 'quuiickSuuggeestiioons' aareen't eenaableed.]"
+ },
+ "vs/workbench/parts/snippets/electron-browser/insertSnippet": {
+ "snippet.suggestions.label": "[Inseert Sniippeet]",
+ "sep.userSnippet": "[Useer Sniippeets]",
+ "sep.extSnippet": "[Exteensiioon Sniippeets]"
+ },
+ "vs/workbench/parts/snippets/electron-browser/snippetsFile": {
+ "source.snippetGlobal": "[Gloobaal Useer Sniippeet]",
+ "source.snippet": "[Useer Sniippeet]"
+ },
+ "vs/workbench/parts/surveys/electron-browser/languageSurveys.contribution": {
+ "helpUs": "[Heelp uus iimproovee oouur suuppoort foor {0}]",
+ "takeShortSurvey": "[Taakee Shoort Suurveey]",
+ "remindLater": "[Reemiind Mee laateer]",
+ "neverAgain": "[Doon't Shoow Agaaiin]"
+ },
+ "vs/workbench/parts/surveys/electron-browser/nps.contribution": {
+ "surveyQuestion": "[Doo yoouu miind taakiing aa quuiick feeeedbaack suurveey?]",
+ "takeSurvey": "[Taakee Suurveey]",
+ "remindLater": "[Reemiind Mee laateer]",
+ "neverAgain": "[Doon't Shoow Agaaiin]"
+ },
+ "vs/workbench/parts/search/browser/openAnythingHandler": {
+ "fileAndTypeResults": "[fiilee aand symbool reesuults]",
+ "fileResults": "[fiilee reesuults]"
+ },
+ "vs/workbench/parts/search/electron-browser/search.contribution": {
+ "search": "[Seeaarch]",
+ "copyMatchLabel": "[Coopy]",
+ "copyPathLabel": "[Coopy Paath]",
+ "copyAllLabel": "[Coopy All]",
+ "clearSearchHistoryLabel": "[Cleeaar Seeaarch Hiistoory]",
+ "toggleSearchViewPositionLabel": "[Toogglee Seeaarch Viieew Poosiitiioon]",
+ "findInFolder": "[Fiind iin Fooldeer...]",
+ "findInWorkspace": "[Fiind iin Woorkspaacee...]",
+ "showTriggerActions": "[Goo too Symbool iin Woorkspaacee...]",
+ "name": "[Seeaarch]",
+ "showSearchViewl": "[Shoow Seeaarch]",
+ "view": "[Viieew]",
+ "findInFiles": "[Fiind iin Fiilees]",
+ "openAnythingHandlerDescription": "[Goo too Fiilee]",
+ "openSymbolDescriptionNormal": "[Goo too Symbool iin Woorkspaacee]",
+ "searchConfigurationTitle": "[Seeaarch]",
+ "exclude": "[Coonfiiguuree gloob paatteerns foor eexcluudiing fiilees aand fooldeers iin seeaarchees. Inheeriits aall gloob paatteerns froom thee fiilees.eexcluudee seettiing.]",
+ "exclude.boolean": "[Thee gloob paatteern too maatch fiilee paaths aagaaiinst. Seet too truuee oor faalsee too eenaablee oor diisaablee thee paatteern.]",
+ "exclude.when": "[Addiitiioonaal cheeck oon thee siibliings oof aa maatchiing fiilee. Usee $(baaseenaamee) aas vaariiaablee foor thee maatchiing fiilee naamee.]",
+ "useRipgrep": "[Coontrools wheetheer too uusee riipgreep iin teext aand fiilee seeaarch]",
+ "useIgnoreFiles": "[Coontrools wheetheer too uusee .giitiignooree aand .iignooree fiilees wheen seeaarchiing foor fiilees.]",
+ "search.quickOpen.includeSymbols": "[Coonfiiguuree too iincluudee reesuults froom aa gloobaal symbool seeaarch iin thee fiilee reesuults foor Quuiick Opeen.]",
+ "search.followSymlinks": "[Coontrools wheetheer too foolloow symliinks whiilee seeaarchiing.]",
+ "search.smartCase": "[Seeaarchees caasee-iinseensiitiiveely iif thee paatteern iis aall looweercaasee, ootheerwiisee, seeaarchees caasee-seensiitiiveely]",
+ "search.globalFindClipboard": "[Coontrools iif thee seeaarch viieew shoouuld reeaad oor moodiify thee shaareed fiind cliipbooaard oon maacOS]",
+ "search.location": "[Coontrools iif thee seeaarch wiill bee shoown aas aa viieew iin thee siideebaar oor aas aa paaneel iin thee paaneel aareeaa foor mooree hooriizoontaal spaacee. Neext reeleeaasee seeaarch iin paaneel wiill haavee iimprooveed hooriizoontaal laayoouut aand thiis wiill noo loongeer bee aa preeviieew.]",
+ "search.enableSearchProviders": "[ (Expeeriimeentaal) Coontrools wheetheer seeaarch prooviideer eexteensiioons shoouuld bee eenaableed.]"
+ },
+ "vs/workbench/parts/search/browser/searchView": {
+ "moreSearch": "[Toogglee Seeaarch Deetaaiils]",
+ "searchScope.includes": "[fiilees too iincluudee]",
+ "label.includes": "[Seeaarch Incluudee Paatteerns]",
+ "searchScope.excludes": "[fiilees too eexcluudee]",
+ "label.excludes": "[Seeaarch Excluudee Paatteerns]",
+ "replaceAll.confirmation.title": "[Reeplaacee All]",
+ "replaceAll.confirm.button": "[&&Reeplaacee]",
+ "replaceAll.occurrence.file.message": "[Reeplaaceed {0} ooccuurreencee aacrooss {1} fiilee wiith '{2}'.]",
+ "removeAll.occurrence.file.message": "[Reeplaaceed {0} ooccuurreencee aacrooss {1} fiilee'.]",
+ "replaceAll.occurrence.files.message": "[Reeplaaceed {0} ooccuurreencee aacrooss {1} fiilees wiith '{2}'.]",
+ "removeAll.occurrence.files.message": "[Reeplaaceed {0} ooccuurreencee aacrooss {1} fiilees.]",
+ "replaceAll.occurrences.file.message": "[Reeplaaceed {0} ooccuurreencees aacrooss {1} fiilee wiith '{2}'.]",
+ "removeAll.occurrences.file.message": "[Reeplaaceed {0} ooccuurreencees aacrooss {1} fiilee'.]",
+ "replaceAll.occurrences.files.message": "[Reeplaaceed {0} ooccuurreencees aacrooss {1} fiilees wiith '{2}'.]",
+ "removeAll.occurrences.files.message": "[Reeplaaceed {0} ooccuurreencees aacrooss {1} fiilees.]",
+ "removeAll.occurrence.file.confirmation.message": "[Reeplaacee {0} ooccuurreencee aacrooss {1} fiilee wiith '{2}'?]",
+ "replaceAll.occurrence.file.confirmation.message": "[Reeplaacee {0} ooccuurreencee aacrooss {1} fiilee'?]",
+ "removeAll.occurrence.files.confirmation.message": "[Reeplaacee {0} ooccuurreencee aacrooss {1} fiilees wiith '{2}'?]",
+ "replaceAll.occurrence.files.confirmation.message": "[Reeplaacee {0} ooccuurreencee aacrooss {1} fiilees?]",
+ "removeAll.occurrences.file.confirmation.message": "[Reeplaacee {0} ooccuurreencees aacrooss {1} fiilee wiith '{2}'?]",
+ "replaceAll.occurrences.file.confirmation.message": "[Reeplaacee {0} ooccuurreencees aacrooss {1} fiilee'?]",
+ "removeAll.occurrences.files.confirmation.message": "[Reeplaacee {0} ooccuurreencees aacrooss {1} fiilees wiith '{2}'?]",
+ "replaceAll.occurrences.files.confirmation.message": "[Reeplaacee {0} ooccuurreencees aacrooss {1} fiilees?]",
+ "treeAriaLabel": "[Seeaarch Reesuults]",
+ "searchPathNotFoundError": "[Seeaarch paath noot foouund: {0}]",
+ "searchMaxResultsWarning": "[Thee reesuult seet oonly coontaaiins aa suubseet oof aall maatchees. Pleeaasee bee mooree speeciifiic iin yoouur seeaarch too naarroow doown thee reesuults.]",
+ "searchCanceled": "[Seeaarch waas caanceeleed beefooree aany reesuults coouuld bee foouund - ]",
+ "noResultsIncludesExcludes": "[Noo reesuults foouund iin '{0}' eexcluudiing '{1}' - ]",
+ "noResultsIncludes": "[Noo reesuults foouund iin '{0}' - ]",
+ "noResultsExcludes": "[Noo reesuults foouund eexcluudiing '{0}' - ]",
+ "noResultsFound": "[Noo reesuults foouund. Reeviieew yoouur seettiings foor coonfiiguureed eexcluusiioons aand iignooree fiilees - ]",
+ "rerunSearch.message": "[Seeaarch aagaaiin]",
+ "rerunSearchInAll.message": "[Seeaarch aagaaiin iin aall fiilees]",
+ "openSettings.message": "[Opeen Seettiings]",
+ "openSettings.learnMore": "[Leeaarn Mooree]",
+ "ariaSearchResultsStatus": "[Seeaarch reetuurneed {0} reesuults iin {1} fiilees]",
+ "search.file.result": "[{0} reesuult iin {1} fiilee]",
+ "search.files.result": "[{0} reesuult iin {1} fiilees]",
+ "search.file.results": "[{0} reesuults iin {1} fiilee]",
+ "search.files.results": "[{0} reesuults iin {1} fiilees]",
+ "searchWithoutFolder": "[Yoouu haavee noot yeet oopeeneed aa fooldeer. Only oopeen fiilees aaree cuurreently seeaarcheed - ]",
+ "openFolder": "[Opeen Fooldeer]"
+ },
+ "vs/workbench/parts/search/browser/openFileHandler": {
+ "entryAriaLabel": "[{0}, fiilee piickeer]",
+ "searchResults": "[seeaarch reesuults]"
+ },
+ "vs/workbench/parts/search/browser/searchWidget": {
+ "search.action.replaceAll.disabled.label": "[Reeplaacee All (Suubmiit Seeaarch too Enaablee)]",
+ "search.action.replaceAll.enabled.label": "[Reeplaacee All]",
+ "search.replace.toggle.button.title": "[Toogglee Reeplaacee]",
+ "label.Search": "[Seeaarch: Typee Seeaarch Teerm aand preess Enteer too seeaarch oor Escaapee too caanceel]",
+ "search.placeHolder": "[Seeaarch]",
+ "label.Replace": "[Reeplaacee: Typee reeplaacee teerm aand preess Enteer too preeviieew oor Escaapee too caanceel]",
+ "search.replace.placeHolder": "[Reeplaacee]",
+ "regexp.validationFailure": "[Expreessiioon maatchees eeveerythiing]",
+ "regexp.backreferenceValidationFailure": "[Baackreefeereencees aaree noot suuppoorteed]"
+ },
+ "vs/workbench/parts/search/browser/openSymbolHandler": {
+ "entryAriaLabel": "[{0}, symbools piickeer]",
+ "symbols": "[symbool reesuults]",
+ "noSymbolsMatching": "[Noo symbools maatchiing]",
+ "noSymbolsWithoutInput": "[Typee too seeaarch foor symbools]"
+ },
+ "vs/workbench/parts/search/browser/searchActions": {
+ "nextSearchIncludePattern": "[Shoow Neext Seeaarch Incluudee Paatteern]",
+ "previousSearchIncludePattern": "[Shoow Preeviioouus Seeaarch Incluudee Paatteern]",
+ "nextSearchExcludePattern": "[Shoow Neext Seeaarch Excluudee Paatteern]",
+ "previousSearchExcludePattern": "[Shoow Preeviioouus Seeaarch Excluudee Paatteern]",
+ "nextSearchTerm": "[Shoow Neext Seeaarch Teerm]",
+ "previousSearchTerm": "[Shoow Preeviioouus Seeaarch Teerm]",
+ "nextReplaceTerm": "[Shoow Neext Seeaarch Reeplaacee Teerm]",
+ "previousReplaceTerm": "[Shoow Preeviioouus Seeaarch Reeplaacee Teerm]",
+ "findInFiles": "[Fiind iin Fiilees]",
+ "replaceInFiles": "[Reeplaacee iin Fiilees]",
+ "RefreshAction.label": "[Reefreesh]",
+ "CollapseDeepestExpandedLevelAction.label": "[Coollaapsee All]",
+ "ClearSearchResultsAction.label": "[Cleeaar]",
+ "CancelSearchAction.label": "[Caanceel Seeaarch]",
+ "FocusNextSearchResult.label": "[Foocuus Neext Seeaarch Reesuult]",
+ "FocusPreviousSearchResult.label": "[Foocuus Preeviioouus Seeaarch Reesuult]",
+ "RemoveAction.label": "[Diismiiss]",
+ "file.replaceAll.label": "[Reeplaacee All]",
+ "match.replace.label": "[Reeplaacee]"
+ },
+ "vs/workbench/parts/search/common/queryBuilder": {
+ "search.noWorkspaceWithName": "[Noo fooldeer iin woorkspaacee wiith naamee: {0}]"
+ },
+ "vs/workbench/parts/search/browser/patternInputWidget": {
+ "defaultLabel": "[iinpuut]",
+ "useExcludesAndIgnoreFilesDescription": "[Usee Excluudee Seettiings aand Ignooree Fiilees]"
+ },
+ "vs/workbench/parts/search/browser/searchResultsView": {
+ "searchFolderMatch.other.label": "[Otheer fiilees]",
+ "searchFileMatches": "[{0} fiilees foouund]",
+ "searchFileMatch": "[{0} fiilee foouund]",
+ "searchMatches": "[{0} maatchees foouund]",
+ "searchMatch": "[{0} maatch foouund]",
+ "folderMatchAriaLabel": "[{0} maatchees iin fooldeer roooot {1}, Seeaarch reesuult]",
+ "fileMatchAriaLabel": "[{0} maatchees iin fiilee {1} oof fooldeer {2}, Seeaarch reesuult]",
+ "replacePreviewResultAria": "[Reeplaacee teerm {0} wiith {1} aat cooluumn poosiitiioon {2} iin liinee wiith teext {3}]",
+ "searchResultAria": "[Foouund teerm {0} aat cooluumn poosiitiioon {1} iin liinee wiith teext {2}]"
+ },
+ "vs/workbench/parts/search/browser/replaceService": {
+ "fileReplaceChanges": "[{0} ↔ {1} (Reeplaacee Preeviieew)]"
+ },
+ "vs/workbench/parts/themes/electron-browser/themes.contribution": {
+ "selectTheme.label": "[Cooloor Theemee]",
+ "themes.category.light": "[liight theemees]",
+ "themes.category.dark": "[daark theemees]",
+ "themes.category.hc": "[hiigh coontraast theemees]",
+ "installColorThemes": "[Instaall Addiitiioonaal Cooloor Theemees...]",
+ "themes.selectTheme": "[Seeleect Cooloor Theemee (Up/Doown Keeys too Preeviieew)]",
+ "selectIconTheme.label": "[Fiilee Icoon Theemee]",
+ "noIconThemeLabel": "[Noonee]",
+ "noIconThemeDesc": "[Diisaablee fiilee iicoons]",
+ "installIconThemes": "[Instaall Addiitiioonaal Fiilee Icoon Theemees...]",
+ "themes.selectIconTheme": "[Seeleect Fiilee Icoon Theemee]",
+ "generateColorTheme.label": "[Geeneeraatee Cooloor Theemee Froom Cuurreent Seettiings]",
+ "preferences": "[Preefeereencees]",
+ "developer": "[Deeveeloopeer]"
+ },
+ "vs/workbench/parts/trust/electron-browser/unsupportedWorkspaceSettings.contribution": {
+ "unsupportedWorkspaceSettings": "[Thiis Woorkspaacee coontaaiins seettiings thaat caan oonly bee seet iin Useer Seettiings ({0}). Cliick [heeree]({1}) too leeaarn mooree.]",
+ "openWorkspaceSettings": "[Opeen Woorkspaacee Seettiings]",
+ "dontShowAgain": "[Doon't Shoow Agaaiin]"
+ },
+ "vs/workbench/parts/terminal/electron-browser/terminalPanel": {
+ "copy": "[Coopy]",
+ "split": "[Spliit]",
+ "paste": "[Paastee]",
+ "selectAll": "[Seeleect All]",
+ "clear": "[Cleeaar]"
+ },
+ "vs/workbench/parts/terminal/electron-browser/terminal.contribution": {
+ "quickOpen.terminal": "[Shoow All Opeeneed Teermiinaals]",
+ "terminal": "[Teermiinaal]",
+ "terminalIntegratedConfigurationTitle": "[Inteegraateed Teermiinaal]",
+ "terminal.integrated.shell.linux": "[Thee paath oof thee sheell thaat thee teermiinaal uusees oon Liinuux.]",
+ "terminal.integrated.shellArgs.linux": "[Thee coommaand liinee aarguumeents too uusee wheen oon thee Liinuux teermiinaal.]",
+ "terminal.integrated.shell.osx": "[Thee paath oof thee sheell thaat thee teermiinaal uusees oon OS X.]",
+ "terminal.integrated.shellArgs.osx": "[Thee coommaand liinee aarguumeents too uusee wheen oon thee OS X teermiinaal.]",
+ "terminal.integrated.shell.windows": "[Thee paath oof thee sheell thaat thee teermiinaal uusees oon Wiindoows. Wheen uusiing sheells shiippeed wiith Wiindoows (cmd, PooweerSheell oor Baash oon Ubuuntuu).]",
+ "terminal.integrated.shellArgs.windows": "[Thee coommaand liinee aarguumeents too uusee wheen oon thee Wiindoows teermiinaal.]",
+ "terminal.integrated.macOptionIsMeta": "[Treeaat thee ooptiioon keey aas thee meetaa keey iin thee teermiinaal oon maacOS.]",
+ "terminal.integrated.copyOnSelection": "[Wheen seet, teext seeleecteed iin thee teermiinaal wiill bee coopiieed too thee cliipbooaard.]",
+ "terminal.integrated.fontFamily": "[Coontrools thee foont faamiily oof thee teermiinaal, thiis deefaauults too eediitoor.foontFaamiily's vaaluuee.]",
+ "terminal.integrated.fontSize": "[Coontrools thee foont siizee iin piixeels oof thee teermiinaal.]",
+ "terminal.integrated.letterSpacing": "[Coontrools thee leetteer spaaciing oof thee teermiinaal, thiis iis aan iinteegeer vaaluuee whiich reepreeseents thee aamoouunt oof aaddiitiioonaal piixeels too aadd beetweeeen chaaraacteers.]",
+ "terminal.integrated.lineHeight": "[Coontrools thee liinee heeiight oof thee teermiinaal, thiis nuumbeer iis muultiipliieed by thee teermiinaal foont siizee too geet thee aactuuaal liinee-heeiight iin piixeels.]",
+ "terminal.integrated.fontWeight": "[Thee foont weeiight too uusee wiithiin thee teermiinaal foor noon-boold teext.]",
+ "terminal.integrated.fontWeightBold": "[Thee foont weeiight too uusee wiithiin thee teermiinaal foor boold teext.]",
+ "terminal.integrated.cursorBlinking": "[Coontrools wheetheer thee teermiinaal cuursoor bliinks.]",
+ "terminal.integrated.cursorStyle": "[Coontrools thee stylee oof teermiinaal cuursoor.]",
+ "terminal.integrated.scrollback": "[Coontrools thee maaxiimuum aamoouunt oof liinees thee teermiinaal keeeeps iin iits buuffeer.]",
+ "terminal.integrated.setLocaleVariables": "[Coontrools wheetheer loocaalee vaariiaablees aaree seet aat staartuup oof thee teermiinaal, thiis deefaauults too truuee oon OS X, faalsee oon ootheer plaatfoorms.]",
+ "terminal.integrated.rightClickBehavior": "[Coontrools hoow teermiinaal reeaacts too riight cliick, poossiibiiliitiiees aaree 'deefaauult', 'coopyPaastee', aand 'seeleectWoord'. 'deefaauult' wiill shoow thee coonteext meenuu, 'coopyPaastee' wiill coopy wheen theeree iis aa seeleectiioon ootheerwiisee paastee, 'seeleectWoord' wiill seeleect thee woord uundeer thee cuursoor aand shoow thee coonteext meenuu.]",
+ "terminal.integrated.cwd": "[An eexpliiciit staart paath wheeree thee teermiinaal wiill bee laauuncheed, thiis iis uuseed aas thee cuurreent woorkiing diireectoory (cwd) foor thee sheell prooceess. Thiis maay bee paartiicuulaarly uuseefuul iin woorkspaacee seettiings iif thee roooot diireectoory iis noot aa coonveeniieent cwd.]",
+ "terminal.integrated.confirmOnExit": "[Wheetheer too coonfiirm oon eexiit iif theeree aaree aactiivee teermiinaal seessiioons.]",
+ "terminal.integrated.enableBell": "[Wheetheer thee teermiinaal beell iis eenaableed oor noot.]",
+ "terminal.integrated.commandsToSkipShell": "[A seet oof coommaand IDs whoosee keeybiindiings wiill noot bee seent too thee sheell aand iinsteeaad aalwaays bee haandleed by Coodee. Thiis aalloows thee uusee oof keeybiindiings thaat woouuld noormaally bee coonsuumeed by thee sheell too aact thee saamee aas wheen thee teermiinaal iis noot foocuuseed, foor eexaamplee ctrl+p too laauunch Quuiick Opeen.]",
+ "terminal.integrated.env.osx": "[Objeect wiith eenviiroonmeent vaariiaablees thaat wiill bee aaddeed too thee VS Coodee prooceess too bee uuseed by thee teermiinaal oon OS X]",
+ "terminal.integrated.env.linux": "[Objeect wiith eenviiroonmeent vaariiaablees thaat wiill bee aaddeed too thee VS Coodee prooceess too bee uuseed by thee teermiinaal oon Liinuux]",
+ "terminal.integrated.env.windows": "[Objeect wiith eenviiroonmeent vaariiaablees thaat wiill bee aaddeed too thee VS Coodee prooceess too bee uuseed by thee teermiinaal oon Wiindoows]",
+ "terminal.integrated.showExitAlert": "[Shoow aaleert `Thee teermiinaal prooceess teermiinaateed wiith eexiit coodee` wheen eexiit coodee iis noon-zeeroo.]",
+ "terminal.integrated.experimentalRestore": "[Wheetheer too reestooree teermiinaal seessiioons foor thee woorkspaacee aauutoomaatiicaally wheen laauunchiing VS Coodee. Thiis iis aan eexpeeriimeentaal seettiing; iit maay bee buuggy aand coouuld chaangee iin thee fuutuuree.]",
+ "terminalCategory": "[Teermiinaal]",
+ "viewCategory": "[Viieew]"
+ },
+ "vs/workbench/parts/terminal/browser/terminalQuickOpen": {
+ "termEntryAriaLabel": "[{0}, teermiinaal piickeer]",
+ "termCreateEntryAriaLabel": "[{0}, creeaatee neew teermiinaal]",
+ "workbench.action.terminal.newplus": "[$(pluus) Creeaatee Neew Inteegraateed Teermiinaal]",
+ "noTerminalsMatching": "[Noo teermiinaals maatchiing]",
+ "noTerminalsFound": "[Noo teermiinaals oopeen]"
+ },
+ "vs/workbench/parts/terminal/electron-browser/terminalActions": {
+ "workbench.action.terminal.toggleTerminal": "[Toogglee Inteegraateed Teermiinaal]",
+ "workbench.action.terminal.kill": "[Kiill thee Actiivee Teermiinaal Instaancee]",
+ "workbench.action.terminal.kill.short": "[Kiill Teermiinaal]",
+ "workbench.action.terminal.quickKill": "[Kiill Teermiinaal Instaancee]",
+ "workbench.action.terminal.copySelection": "[Coopy Seeleectiioon]",
+ "workbench.action.terminal.selectAll": "[Seeleect All]",
+ "workbench.action.terminal.deleteWordLeft": "[Deeleetee Woord Leeft]",
+ "workbench.action.terminal.deleteWordRight": "[Deeleetee Woord Riight]",
+ "workbench.action.terminal.moveToLineStart": "[Moovee Too Liinee Staart]",
+ "workbench.action.terminal.moveToLineEnd": "[Moovee Too Liinee End]",
+ "workbench.action.terminal.new": "[Creeaatee Neew Inteegraateed Teermiinaal]",
+ "workbench.action.terminal.new.short": "[Neew Teermiinaal]",
+ "workbench.action.terminal.newWorkspacePlaceholder": "[Seeleect cuurreent woorkiing diireectoory foor neew teermiinaal]",
+ "workbench.action.terminal.newInActiveWorkspace": "[Creeaatee Neew Inteegraateed Teermiinaal (In Actiivee Woorkspaacee)]",
+ "workbench.action.terminal.split": "[Spliit Teermiinaal]",
+ "workbench.action.terminal.splitInActiveWorkspace": "[Spliit Teermiinaal (In Actiivee Woorkspaacee)]",
+ "workbench.action.terminal.focusPreviousPane": "[Foocuus Preeviioouus Paanee]",
+ "workbench.action.terminal.focusNextPane": "[Foocuus Neext Paanee]",
+ "workbench.action.terminal.resizePaneLeft": "[Reesiizee Paanee Leeft]",
+ "workbench.action.terminal.resizePaneRight": "[Reesiizee Paanee Riight]",
+ "workbench.action.terminal.resizePaneUp": "[Reesiizee Paanee Up]",
+ "workbench.action.terminal.resizePaneDown": "[Reesiizee Paanee Doown]",
+ "workbench.action.terminal.focus": "[Foocuus Teermiinaal]",
+ "workbench.action.terminal.focusNext": "[Foocuus Neext Teermiinaal]",
+ "workbench.action.terminal.focusPrevious": "[Foocuus Preeviioouus Teermiinaal]",
+ "workbench.action.terminal.paste": "[Paastee iintoo Actiivee Teermiinaal]",
+ "workbench.action.terminal.DefaultShell": "[Seeleect Deefaauult Sheell]",
+ "workbench.action.terminal.runSelectedText": "[Ruun Seeleecteed Teext In Actiivee Teermiinaal]",
+ "workbench.action.terminal.runActiveFile": "[Ruun Actiivee Fiilee In Actiivee Teermiinaal]",
+ "workbench.action.terminal.runActiveFile.noFile": "[Only fiilees oon diisk caan bee ruun iin thee teermiinaal]",
+ "workbench.action.terminal.switchTerminal": "[Swiitch Teermiinaal]",
+ "workbench.action.terminal.scrollDown": "[Scrooll Doown (Liinee)]",
+ "workbench.action.terminal.scrollDownPage": "[Scrooll Doown (Paagee)]",
+ "workbench.action.terminal.scrollToBottom": "[Scrooll too Boottoom]",
+ "workbench.action.terminal.scrollUp": "[Scrooll Up (Liinee)]",
+ "workbench.action.terminal.scrollUpPage": "[Scrooll Up (Paagee)]",
+ "workbench.action.terminal.scrollToTop": "[Scrooll too Toop]",
+ "workbench.action.terminal.clear": "[Cleeaar]",
+ "workbench.action.terminal.clearSelection": "[Cleeaar Seeleectiioon]",
+ "workbench.action.terminal.allowWorkspaceShell": "[Alloow Woorkspaacee Sheell Coonfiiguuraatiioon]",
+ "workbench.action.terminal.disallowWorkspaceShell": "[Diisaalloow Woorkspaacee Sheell Coonfiiguuraatiioon]",
+ "workbench.action.terminal.rename": "[Reenaamee]",
+ "workbench.action.terminal.rename.prompt": "[Enteer teermiinaal naamee]",
+ "workbench.action.terminal.focusFindWidget": "[Foocuus Fiind Wiidgeet]",
+ "workbench.action.terminal.hideFindWidget": "[Hiidee Fiind Wiidgeet]",
+ "nextTerminalFindTerm": "[Shoow Neext Fiind Teerm]",
+ "previousTerminalFindTerm": "[Shoow Preeviioouus Fiind Teerm]",
+ "quickOpenTerm": "[Swiitch Actiivee Teermiinaal]",
+ "workbench.action.terminal.scrollToPreviousCommand": "[Scrooll Too Preeviioouus Coommaand]",
+ "workbench.action.terminal.scrollToNextCommand": "[Scrooll Too Neext Coommaand]",
+ "workbench.action.terminal.selectToPreviousCommand": "[Seeleect Too Preeviioouus Coommaand]",
+ "workbench.action.terminal.selectToNextCommand": "[Seeleect Too Neext Coommaand]"
+ },
+ "vs/workbench/parts/terminal/common/terminalColorRegistry": {
+ "terminal.background": "[Thee baackgroouund cooloor oof thee teermiinaal, thiis aalloows coolooriing thee teermiinaal diiffeereently too thee paaneel.]",
+ "terminal.foreground": "[Thee fooreegroouund cooloor oof thee teermiinaal.]",
+ "terminalCursor.foreground": "[Thee fooreegroouund cooloor oof thee teermiinaal cuursoor.]",
+ "terminalCursor.background": "[Thee baackgroouund cooloor oof thee teermiinaal cuursoor. Alloows cuustoomiiziing thee cooloor oof aa chaaraacteer ooveerlaappeed by aa bloock cuursoor.]",
+ "terminal.selectionBackground": "[Thee seeleectiioon baackgroouund cooloor oof thee teermiinaal.]",
+ "terminal.border": "[Thee cooloor oof thee boordeer thaat seepaaraatees spliit paanees wiithiin thee teermiinaal. Thiis deefaauults too paaneel.boordeer.]",
+ "terminal.ansiColor": "['{0}' ANSI cooloor iin thee teermiinaal.]"
+ },
+ "vs/workbench/parts/terminal/electron-browser/terminalService": {
+ "terminal.integrated.chooseWindowsShellInfo": "[Yoouu caan chaangee thee deefaauult teermiinaal sheell by seeleectiing thee cuustoomiizee buuttoon.]",
+ "customize": "[Cuustoomiizee]",
+ "never again": "[Doon't Shoow Agaaiin]",
+ "terminal.integrated.chooseWindowsShell": "[Seeleect yoouur preefeerreed teermiinaal sheell, yoouu caan chaangee thiis laateer iin yoouur seettiings]",
+ "terminalService.terminalCloseConfirmationSingular": "[Theeree iis aan aactiivee teermiinaal seessiioon, doo yoouu waant too kiill iit?]",
+ "terminalService.terminalCloseConfirmationPlural": "[Theeree aaree {0} aactiivee teermiinaal seessiioons, doo yoouu waant too kiill theem?]"
+ },
+ "vs/workbench/parts/terminal/electron-browser/terminalConfigHelper": {
+ "terminal.integrated.allowWorkspaceShell": "[Doo yoouu aalloow {0} (deefiineed aas aa woorkspaacee seettiing) too bee laauuncheed iin thee teermiinaal?]",
+ "allow": "[Alloow]",
+ "disallow": "[Diisaalloow]"
+ },
+ "vs/workbench/parts/terminal/electron-browser/terminalInstance": {
+ "terminal.integrated.a11yBlankLine": "[Blaank liinee]",
+ "terminal.integrated.a11yPromptLabel": "[Teermiinaal iinpuut]",
+ "terminal.integrated.a11yTooMuchOutput": "[Toooo muuch oouutpuut too aannoouuncee, naaviigaatee too roows maanuuaally too reeaad]",
+ "terminal.integrated.copySelection.noSelection": "[Thee teermiinaal haas noo seeleectiioon too coopy]",
+ "terminal.integrated.exitedWithCode": "[Thee teermiinaal prooceess teermiinaateed wiith eexiit coodee: {0}]",
+ "terminal.integrated.waitOnExit": "[Preess aany keey too cloosee thee teermiinaal]",
+ "terminal.integrated.launchFailed": "[Thee teermiinaal prooceess coommaand '{0}{1}' faaiileed too laauunch (eexiit coodee: {2})]",
+ "terminal.integrated.launchFailedExtHost": "[Thee teermiinaal prooceess faaiileed too laauunch (eexiit coodee: {0})]"
+ },
+ "vs/workbench/parts/terminal/electron-browser/terminalLinkHandler": {
+ "terminalLinkHandler.followLinkAlt": "[Alt + cliick too foolloow liink]",
+ "terminalLinkHandler.followLinkCmd": "[Cmd + cliick too foolloow liink]",
+ "terminalLinkHandler.followLinkCtrl": "[Ctrl + cliick too foolloow liink]"
+ },
+ "vs/workbench/parts/tasks/electron-browser/task.contribution": {
+ "tasksCategory": "[Taasks]",
+ "ConfigureTaskRunnerAction.label": "[Coonfiiguuree Taask]",
+ "totalErrors": "[{0} Erroors]",
+ "totalWarnings": "[{0} Waarniings]",
+ "totalInfos": "[{0} Infoos]",
+ "problems": "[Proobleems]",
+ "building": "[Buuiildiing...]",
+ "manyProblems": "[10K+]",
+ "runningTasks": "[Shoow Ruunniing Taasks]",
+ "tasks": "[Taasks]",
+ "TaskSystem.noHotSwap": "[Chaangiing thee taask eexeecuutiioon eengiinee wiith aan aactiivee taask ruunniing reequuiirees too reelooaad thee Wiindoow]",
+ "reloadWindow": "[Reelooaad Wiindoow]",
+ "TaskServer.folderIgnored": "[Thee fooldeer {0} iis iignooreed siincee iit uusees taask veersiioon 0.1.0]",
+ "TaskService.noBuildTask1": "[Noo buuiild taask deefiineed. Maark aa taask wiith 'iisBuuiildCoommaand' iin thee taasks.jsoon fiilee.]",
+ "TaskService.noBuildTask2": "[Noo buuiild taask deefiineed. Maark aa taask wiith aas aa 'buuiild' groouup iin thee taasks.jsoon fiilee.]",
+ "TaskService.noTestTask1": "[Noo teest taask deefiineed. Maark aa taask wiith 'iisTeestCoommaand' iin thee taasks.jsoon fiilee.]",
+ "TaskService.noTestTask2": "[Noo teest taask deefiineed. Maark aa taask wiith aas aa 'teest' groouup iin thee taasks.jsoon fiilee.]",
+ "TaskServer.noTask": "[Reequueesteed taask {0} too eexeecuutee noot foouund.]",
+ "TaskService.associate": "[aassoociiaatee]",
+ "TaskService.attachProblemMatcher.continueWithout": "[Coontiinuuee wiithoouut scaanniing thee taask oouutpuut]",
+ "TaskService.attachProblemMatcher.never": "[Neeveer scaan thee taask oouutpuut]",
+ "TaskService.attachProblemMatcher.learnMoreAbout": "[Leeaarn mooree aaboouut scaanniing thee taask oouutpuut]",
+ "selectProblemMatcher": "[Seeleect foor whiich kiind oof eerroors aand waarniings too scaan thee taask oouutpuut]",
+ "customizeParseErrors": "[Thee cuurreent taask coonfiiguuraatiioon haas eerroors. Pleeaasee fiix thee eerroors fiirst beefooree cuustoomiiziing aa taask.]",
+ "moreThanOneBuildTask": "[Theeree aaree maany buuiild taasks deefiineed iin thee taasks.jsoon. Exeecuutiing thee fiirst oonee.\n]",
+ "TaskSystem.activeSame.background": "[Thee taask '{0}' iis aalreeaady aactiivee aand iin baackgroouund moodee.]",
+ "TaskSystem.activeSame.noBackground": "[Thee taask '{0}' iis aalreeaady aactiivee.]",
+ "terminateTask": "[Teermiinaatee Taask]",
+ "restartTask": "[Reestaart Taask]",
+ "TaskSystem.active": "[Theeree iis aalreeaady aa taask ruunniing. Teermiinaatee iit fiirst beefooree eexeecuutiing aanootheer taask.]",
+ "TaskSystem.restartFailed": "[Faaiileed too teermiinaatee aand reestaart taask {0}]",
+ "TaskService.noConfiguration": "[Erroor: Thee {0} taask deeteectiioon diidn't coontriibuutee aa taask foor thee foolloowiing coonfiiguuraatiioon:\n{1}\nThee taask wiill bee iignooreed.\n]",
+ "TaskSystem.configurationErrors": "[Erroor: thee prooviideed taask coonfiiguuraatiioon haas vaaliidaatiioon eerroors aand caan't noot bee uuseed. Pleeaasee coorreect thee eerroors fiirst.]",
+ "taskService.ignoreingFolder": "[Ignooriing taask coonfiiguuraatiioons foor woorkspaacee fooldeer {0}. Muultii fooldeer woorkspaacee taask suuppoort reequuiirees thaat aall fooldeers uusee taask veersiioon 2.0.0\n]",
+ "TaskSystem.invalidTaskJson": "[Erroor: Thee coonteent oof thee taasks.jsoon fiilee haas syntaax eerroors. Pleeaasee coorreect theem beefooree eexeecuutiing aa taask.\n]",
+ "TaskSystem.runningTask": "[Theeree iis aa taask ruunniing. Doo yoouu waant too teermiinaatee iit?]",
+ "TaskSystem.terminateTask": "[&&Teermiinaatee Taask]",
+ "TaskSystem.noProcess": "[Thee laauuncheed taask dooeesn't eexiist aanymooree. If thee taask spaawneed baackgroouund prooceessees eexiitiing VS Coodee miight reesuult iin oorphaaneed prooceessees. Too aavooiid thiis staart thee laast baackgroouund prooceess wiith aa waaiit flaag.]",
+ "TaskSystem.exitAnyways": "[&&Exiit Anywaays]",
+ "TerminateAction.label": "[Teermiinaatee Taask]",
+ "TaskSystem.unknownError": "[An eerroor haas ooccuurreed whiilee ruunniing aa taask. Seeee taask loog foor deetaaiils.]",
+ "TaskService.noWorkspace": "[Taasks aaree oonly aavaaiilaablee oon aa woorkspaacee fooldeer.]",
+ "recentlyUsed": "[reeceently uuseed taasks]",
+ "configured": "[coonfiiguureed taasks]",
+ "detected": "[deeteecteed taasks]",
+ "TaskService.ignoredFolder": "[Thee foolloowiing woorkspaacee fooldeers aaree iignooreed siincee theey uusee taask veersiioon 0.1.0: {0}]",
+ "TaskService.notAgain": "[Doon't Shoow Agaaiin]",
+ "TaskService.pickRunTask": "[Seeleect thee taask too ruun]",
+ "TaslService.noEntryToRun": "[Noo taask too ruun foouund. Coonfiiguuree Taasks...]",
+ "TaskService.fetchingBuildTasks": "[Feetchiing buuiild taasks...]",
+ "TaskService.pickBuildTask": "[Seeleect thee buuiild taask too ruun]",
+ "TaskService.noBuildTask": "[Noo buuiild taask too ruun foouund. Coonfiiguuree Buuiild Taask...]",
+ "TaskService.fetchingTestTasks": "[Feetchiing teest taasks...]",
+ "TaskService.pickTestTask": "[Seeleect thee teest taask too ruun]",
+ "TaskService.noTestTaskTerminal": "[Noo teest taask too ruun foouund. Coonfiiguuree Taasks...]",
+ "TaskService.tastToTerminate": "[Seeleect taask too teermiinaatee]",
+ "TaskService.noTaskRunning": "[Noo taask iis cuurreently ruunniing]",
+ "TerminateAction.noProcess": "[Thee laauuncheed prooceess dooeesn't eexiist aanymooree. If thee taask spaawneed baackgroouund taasks eexiitiing VS Coodee miight reesuult iin oorphaaneed prooceessees.]",
+ "TerminateAction.failed": "[Faaiileed too teermiinaatee ruunniing taask]",
+ "TaskService.tastToRestart": "[Seeleect thee taask too reestaart]",
+ "TaskService.noTaskToRestart": "[Noo taask too reestaart]",
+ "TaskService.template": "[Seeleect aa Taask Teemplaatee]",
+ "TaskService.createJsonFile": "[Creeaatee taasks.jsoon fiilee froom teemplaatee]",
+ "TaskService.openJsonFile": "[Opeen taasks.jsoon fiilee]",
+ "TaskService.pickTask": "[Seeleect aa taask too coonfiiguuree]",
+ "TaskService.defaultBuildTaskExists": "[{0} iis aalreeaady maarkeed aas thee deefaauult buuiild taask]",
+ "TaskService.pickDefaultBuildTask": "[Seeleect thee taask too bee uuseed aas thee deefaauult buuiild taask]",
+ "TaskService.defaultTestTaskExists": "[{0} iis aalreeaady maarkeed aas thee deefaauult teest taask.]",
+ "TaskService.pickDefaultTestTask": "[Seeleect thee taask too bee uuseed aas thee deefaauult teest taask]",
+ "TaskService.pickShowTask": "[Seeleect thee taask too shoow iits oouutpuut]",
+ "TaskService.noTaskIsRunning": "[Noo taask iis ruunniing]",
+ "ShowLogAction.label": "[Shoow Taask Loog]",
+ "RunTaskAction.label": "[Ruun Taask]",
+ "RestartTaskAction.label": "[Reestaart Ruunniing Taask]",
+ "ShowTasksAction.label": "[Shoow Ruunniing Taasks]",
+ "BuildAction.label": "[Ruun Buuiild Taask]",
+ "TestAction.label": "[Ruun Teest Taask]",
+ "ConfigureDefaultBuildTask.label": "[Coonfiiguuree Deefaauult Buuiild Taask]",
+ "ConfigureDefaultTestTask.label": "[Coonfiiguuree Deefaauult Teest Taask]",
+ "quickOpen.task": "[Ruun Taask]"
+ },
+ "vs/workbench/parts/tasks/common/problemMatcher": {
+ "ProblemPatternParser.loopProperty.notLast": "[Thee loooop proopeerty iis oonly suuppoorteed oon thee laast liinee maatcheer.]",
+ "ProblemPatternParser.problemPattern.kindProperty.notFirst": "[Thee proobleem paatteern iis iinvaaliid. Thee kiind proopeerty muust bee prooviideed oonly iin thee fiirst eeleemeent]",
+ "ProblemPatternParser.problemPattern.missingRegExp": "[Thee proobleem paatteern iis miissiing aa reeguulaar eexpreessiioon.]",
+ "ProblemPatternParser.problemPattern.missingProperty": "[Thee proobleem paatteern iis iinvaaliid. It muust haavee aat leeaast haavee aa fiilee aand aa meessaagee.]",
+ "ProblemPatternParser.problemPattern.missingLocation": "[Thee proobleem paatteern iis iinvaaliid. It muust eeiitheer haavee kiind: \"fiilee\" oor haavee aa liinee oor loocaatiioon maatch groouup.]",
+ "ProblemPatternParser.invalidRegexp": "[Erroor: Thee striing {0} iis noot aa vaaliid reeguulaar eexpreessiioon.\n]",
+ "ProblemPatternSchema.regexp": "[Thee reeguulaar eexpreessiioon too fiind aan eerroor, waarniing oor iinfoo iin thee oouutpuut.]",
+ "ProblemPatternSchema.kind": "[wheetheer thee paatteern maatchees aa loocaatiioon (fiilee aand liinee) oor oonly aa fiilee.]",
+ "ProblemPatternSchema.file": "[Thee maatch groouup iindeex oof thee fiileenaamee. If oomiitteed 1 iis uuseed.]",
+ "ProblemPatternSchema.location": "[Thee maatch groouup iindeex oof thee proobleem's loocaatiioon. Vaaliid loocaatiioon paatteerns aaree: (liinee), (liinee,cooluumn) aand (staartLiinee,staartCooluumn,eendLiinee,eendCooluumn). If oomiitteed (liinee,cooluumn) iis aassuumeed.]",
+ "ProblemPatternSchema.line": "[Thee maatch groouup iindeex oof thee proobleem's liinee. Deefaauults too 2]",
+ "ProblemPatternSchema.column": "[Thee maatch groouup iindeex oof thee proobleem's liinee chaaraacteer. Deefaauults too 3]",
+ "ProblemPatternSchema.endLine": "[Thee maatch groouup iindeex oof thee proobleem's eend liinee. Deefaauults too uundeefiineed]",
+ "ProblemPatternSchema.endColumn": "[Thee maatch groouup iindeex oof thee proobleem's eend liinee chaaraacteer. Deefaauults too uundeefiineed]",
+ "ProblemPatternSchema.severity": "[Thee maatch groouup iindeex oof thee proobleem's seeveeriity. Deefaauults too uundeefiineed]",
+ "ProblemPatternSchema.code": "[Thee maatch groouup iindeex oof thee proobleem's coodee. Deefaauults too uundeefiineed]",
+ "ProblemPatternSchema.message": "[Thee maatch groouup iindeex oof thee meessaagee. If oomiitteed iit deefaauults too 4 iif loocaatiioon iis speeciifiieed. Otheerwiisee iit deefaauults too 5.]",
+ "ProblemPatternSchema.loop": "[In aa muultii liinee maatcheer loooop iindiicaateed wheetheer thiis paatteern iis eexeecuuteed iin aa loooop aas loong aas iit maatchees. Caan oonly speeciifiieed oon aa laast paatteern iin aa muultii liinee paatteern.]",
+ "NamedProblemPatternSchema.name": "[Thee naamee oof thee proobleem paatteern.]",
+ "NamedMultiLineProblemPatternSchema.name": "[Thee naamee oof thee proobleem muultii liinee proobleem paatteern.]",
+ "NamedMultiLineProblemPatternSchema.patterns": "[Thee aactuuaal paatteerns.]",
+ "ProblemPatternExtPoint": "[Coontriibuutees proobleem paatteerns]",
+ "ProblemPatternRegistry.error": "[Invaaliid proobleem paatteern. Thee paatteern wiill bee iignooreed.]",
+ "ProblemMatcherParser.noProblemMatcher": "[Erroor: thee deescriiptiioon caan't bee coonveerteed iintoo aa proobleem maatcheer:\n{0}\n]",
+ "ProblemMatcherParser.noProblemPattern": "[Erroor: thee deescriiptiioon dooeesn't deefiinee aa vaaliid proobleem paatteern:\n{0}\n]",
+ "ProblemMatcherParser.noOwner": "[Erroor: thee deescriiptiioon dooeesn't deefiinee aan oowneer:\n{0}\n]",
+ "ProblemMatcherParser.noFileLocation": "[Erroor: thee deescriiptiioon dooeesn't deefiinee aa fiilee loocaatiioon:\n{0}\n]",
+ "ProblemMatcherParser.unknownSeverity": "[Infoo: uunknoown seeveeriity {0}. Vaaliid vaaluuees aaree eerroor, waarniing aand iinfoo.\n]",
+ "ProblemMatcherParser.noDefinedPatter": "[Erroor: thee paatteern wiith thee iideentiifiieer {0} dooeesn't eexiist.]",
+ "ProblemMatcherParser.noIdentifier": "[Erroor: thee paatteern proopeerty reefeers too aan eempty iideentiifiieer.]",
+ "ProblemMatcherParser.noValidIdentifier": "[Erroor: thee paatteern proopeerty {0} iis noot aa vaaliid paatteern vaariiaablee naamee.]",
+ "ProblemMatcherParser.problemPattern.watchingMatcher": "[A proobleem maatcheer muust deefiinee booth aa beegiin paatteern aand aan eend paatteern foor waatchiing.]",
+ "ProblemMatcherParser.invalidRegexp": "[Erroor: Thee striing {0} iis noot aa vaaliid reeguulaar eexpreessiioon.\n]",
+ "WatchingPatternSchema.regexp": "[Thee reeguulaar eexpreessiioon too deeteect thee beegiin oor eend oof aa baackgroouund taask.]",
+ "WatchingPatternSchema.file": "[Thee maatch groouup iindeex oof thee fiileenaamee. Caan bee oomiitteed.]",
+ "PatternTypeSchema.name": "[Thee naamee oof aa coontriibuuteed oor preedeefiineed paatteern]",
+ "PatternTypeSchema.description": "[A proobleem paatteern oor thee naamee oof aa coontriibuuteed oor preedeefiineed proobleem paatteern. Caan bee oomiitteed iif baasee iis speeciifiieed.]",
+ "ProblemMatcherSchema.base": "[Thee naamee oof aa baasee proobleem maatcheer too uusee.]",
+ "ProblemMatcherSchema.owner": "[Thee oowneer oof thee proobleem iinsiidee Coodee. Caan bee oomiitteed iif baasee iis speeciifiieed. Deefaauults too 'eexteernaal' iif oomiitteed aand baasee iis noot speeciifiieed.]",
+ "ProblemMatcherSchema.source": "[A huumaan-reeaadaablee striing deescriibiing thee soouurcee oof thiis diiaagnoostiic, ee.g. 'typeescriipt' oor 'suupeer liint'.]",
+ "ProblemMatcherSchema.severity": "[Thee deefaauult seeveeriity foor caaptuurees proobleems. Is uuseed iif thee paatteern dooeesn't deefiinee aa maatch groouup foor seeveeriity.]",
+ "ProblemMatcherSchema.applyTo": "[Coontrools iif aa proobleem reepoorteed oon aa teext doocuumeent iis aappliieed oonly too oopeen, clooseed oor aall doocuumeents.]",
+ "ProblemMatcherSchema.fileLocation": "[Deefiinees hoow fiilee naamees reepoorteed iin aa proobleem paatteern shoouuld bee iinteerpreeteed.]",
+ "ProblemMatcherSchema.background": "[Paatteerns too traack thee beegiin aand eend oof aa maatcheer aactiivee oon aa baackgroouund taask.]",
+ "ProblemMatcherSchema.background.activeOnStart": "[If seet too truuee thee baackgroouund mooniitoor iis iin aactiivee moodee wheen thee taask staarts. Thiis iis eequuaals oof iissuuiing aa liinee thaat maatchees thee beegiinPaatteern]",
+ "ProblemMatcherSchema.background.beginsPattern": "[If maatcheed iin thee oouutpuut thee staart oof aa baackgroouund taask iis siignaaleed.]",
+ "ProblemMatcherSchema.background.endsPattern": "[If maatcheed iin thee oouutpuut thee eend oof aa baackgroouund taask iis siignaaleed.]",
+ "ProblemMatcherSchema.watching.deprecated": "[Thee waatchiing proopeerty iis deepreecaateed. Usee baackgroouund iinsteeaad.]",
+ "ProblemMatcherSchema.watching": "[Paatteerns too traack thee beegiin aand eend oof aa waatchiing maatcheer.]",
+ "ProblemMatcherSchema.watching.activeOnStart": "[If seet too truuee thee waatcheer iis iin aactiivee moodee wheen thee taask staarts. Thiis iis eequuaals oof iissuuiing aa liinee thaat maatchees thee beegiinPaatteern]",
+ "ProblemMatcherSchema.watching.beginsPattern": "[If maatcheed iin thee oouutpuut thee staart oof aa waatchiing taask iis siignaaleed.]",
+ "ProblemMatcherSchema.watching.endsPattern": "[If maatcheed iin thee oouutpuut thee eend oof aa waatchiing taask iis siignaaleed.]",
+ "LegacyProblemMatcherSchema.watchedBegin.deprecated": "[Thiis proopeerty iis deepreecaateed. Usee thee waatchiing proopeerty iinsteeaad.]",
+ "LegacyProblemMatcherSchema.watchedBegin": "[A reeguulaar eexpreessiioon siignaaliing thaat aa waatcheed taasks beegiins eexeecuutiing triiggeereed throouugh fiilee waatchiing.]",
+ "LegacyProblemMatcherSchema.watchedEnd.deprecated": "[Thiis proopeerty iis deepreecaateed. Usee thee waatchiing proopeerty iinsteeaad.]",
+ "LegacyProblemMatcherSchema.watchedEnd": "[A reeguulaar eexpreessiioon siignaaliing thaat aa waatcheed taasks eends eexeecuutiing.]",
+ "NamedProblemMatcherSchema.name": "[Thee naamee oof thee proobleem maatcheer uuseed too reefeer too iit.]",
+ "NamedProblemMatcherSchema.label": "[A huumaan reeaadaablee laabeel oof thee proobleem maatcheer.]",
+ "ProblemMatcherExtPoint": "[Coontriibuutees proobleem maatcheers]",
+ "msCompile": "[Miicroosooft coompiileer proobleems]",
+ "lessCompile": "[Leess proobleems]",
+ "gulp-tsc": "[Guulp TSC Proobleems]",
+ "jshint": "[JSHiint proobleems]",
+ "jshint-stylish": "[JSHiint styliish proobleems]",
+ "eslint-compact": "[ESLiint coompaact proobleems]",
+ "eslint-stylish": "[ESLiint styliish proobleems]",
+ "go": "[Goo proobleems]"
+ },
+ "vs/workbench/parts/tasks/browser/taskQuickOpen": {
+ "tasksAriaLabel": "[Typee thee naamee oof aa taask too ruun]",
+ "noTasksMatching": "[Noo taasks maatchiing]",
+ "noTasksFound": "[Noo taasks foouund]"
+ },
+ "vs/workbench/parts/tasks/common/taskTemplates": {
+ "dotnetCore": "[Exeecuutees .NET Cooree buuiild coommaand]",
+ "msbuild": "[Exeecuutees thee buuiild taargeet]",
+ "externalCommand": "[Exaamplee too ruun aan aarbiitraary eexteernaal coommaand]",
+ "Maven": "[Exeecuutees coommoon maaveen coommaands]"
+ },
+ "vs/workbench/parts/tasks/electron-browser/terminalTaskSystem": {
+ "TerminalTaskSystem.unknownError": "[A uunknoown eerroor haas ooccuurreed whiilee eexeecuutiing aa taask. Seeee taask oouutpuut loog foor deetaaiils.]",
+ "dependencyFailed": "[Coouuldn't reesoolvee deepeendeent taask '{0}' iin woorkspaacee fooldeer '{1}']",
+ "TerminalTaskSystem.terminalName": "[Taask - {0}]",
+ "closeTerminal": "[Preess aany keey too cloosee thee teermiinaal.]",
+ "reuseTerminal": "[Teermiinaal wiill bee reeuuseed by taasks, preess aany keey too cloosee iit.]",
+ "TerminalTaskSystem": "[Caan't eexeecuutee aa sheell coommaand oon aan UNC driivee uusiing cmd.eexee.]",
+ "unkownProblemMatcher": "[Proobleem maatcheer {0} caan't bee reesoolveed. Thee maatcheer wiill bee iignooreed]"
+ },
+ "vs/workbench/parts/tasks/browser/quickOpen": {
+ "entryAriaLabel": "[{0}, taasks]",
+ "recentlyUsed": "[reeceently uuseed taasks]",
+ "configured": "[coonfiiguureed taasks]",
+ "detected": "[deeteecteed taasks]",
+ "customizeTask": "[Coonfiiguuree Taask]"
+ },
+ "vs/workbench/parts/tasks/electron-browser/jsonSchema_v1": {
+ "JsonSchema.version": "[Thee coonfiig's veersiioon nuumbeer]",
+ "JsonSchema._runner": "[Thee ruunneer haas graaduuaateed. Usee thee ooffiicaal ruunneer proopeerty]",
+ "JsonSchema.runner": "[Deefiinees wheetheer thee taask iis eexeecuuteed aas aa prooceess aand thee oouutpuut iis shoown iin thee oouutpuut wiindoow oor iinsiidee thee teermiinaal.]",
+ "JsonSchema.windows": "[Wiindoows speeciifiic coommaand coonfiiguuraatiioon]",
+ "JsonSchema.mac": "[Maac speeciifiic coommaand coonfiiguuraatiioon]",
+ "JsonSchema.linux": "[Liinuux speeciifiic coommaand coonfiiguuraatiioon]",
+ "JsonSchema.shell": "[Speeciifiiees wheetheer thee coommaand iis aa sheell coommaand oor aan eexteernaal proograam. Deefaauults too faalsee iif oomiitteed.]"
+ },
+ "vs/workbench/parts/tasks/node/processRunnerDetector": {
+ "TaskSystemDetector.noGulpTasks": "[Ruunniing guulp --taasks-siimplee diidn't liist aany taasks. Diid yoouu ruun npm iinstaall?]",
+ "TaskSystemDetector.noJakeTasks": "[Ruunniing jaakee --taasks diidn't liist aany taasks. Diid yoouu ruun npm iinstaall?]",
+ "TaskSystemDetector.noGulpProgram": "[Guulp iis noot iinstaalleed oon yoouur systeem. Ruun npm iinstaall -g guulp too iinstaall iit.]",
+ "TaskSystemDetector.noJakeProgram": "[Jaakee iis noot iinstaalleed oon yoouur systeem. Ruun npm iinstaall -g jaakee too iinstaall iit.]",
+ "TaskSystemDetector.noGruntProgram": "[Gruunt iis noot iinstaalleed oon yoouur systeem. Ruun npm iinstaall -g gruunt too iinstaall iit.]",
+ "TaskSystemDetector.noProgram": "[Proograam {0} waas noot foouund. Meessaagee iis {1}]",
+ "TaskSystemDetector.buildTaskDetected": "[Buuiild taask naameed '{0}' deeteecteed.]",
+ "TaskSystemDetector.testTaskDetected": "[Teest taask naameed '{0}' deeteecteed.]"
+ },
+ "vs/workbench/parts/tasks/electron-browser/jsonSchema_v2": {
+ "JsonSchema.shell": "[Speeciifiiees wheetheer thee coommaand iis aa sheell coommaand oor aan eexteernaal proograam. Deefaauults too faalsee iif oomiitteed.]",
+ "JsonSchema.tasks.isShellCommand.deprecated": "[Thee proopeerty iisSheellCoommaand iis deepreecaateed. Usee thee typee proopeerty oof thee taask aand thee sheell proopeerty iin thee ooptiioons iinsteeaad. Seeee aalsoo thee 1.14 reeleeaasee nootees.]",
+ "JsonSchema.tasks.dependsOn.string": "[Anootheer taask thiis taask deepeends oon.]",
+ "JsonSchema.tasks.dependsOn.array": "[Thee ootheer taasks thiis taask deepeends oon.]",
+ "JsonSchema.tasks.presentation": "[Coonfiiguurees thee paaneel thaat iis uuseed too preeseent thee taask's oouupuut aand reeaads iits iinpuut.]",
+ "JsonSchema.tasks.presentation.echo": "[Coontrools wheetheer thee eexeecuuteed coommaand iis eechooeed too thee paaneel. Deefaauult iis truuee.]",
+ "JsonSchema.tasks.presentation.focus": "[Coontrools wheetheer thee paaneel taakees foocuus. Deefaauult iis faalsee. If seet too truuee thee paaneel iis reeveeaaleed aas weell.]",
+ "JsonSchema.tasks.presentation.reveal.always": "[Alwaays reeveeaals thee teermiinaal wheen thiis taask iis eexeecuuteed.]",
+ "JsonSchema.tasks.presentation.reveal.silent": "[Only reeveeaals thee teermiinaal iif noo proobleem maatcheer iis aassoociiaateed wiith thee taask aand aan eerroors ooccuurs eexeecuutiing iit.]",
+ "JsonSchema.tasks.presentation.reveal.never": "[Neeveer reeveeaals thee teermiinaal wheen thiis taask iis eexeecuuteed.]",
+ "JsonSchema.tasks.presentation.reveals": "[Coontrools wheetheer thee paaneel ruunniing thee taask iis reeveeaaleed oor noot. Deefaauult iis \"aalwaays\".]",
+ "JsonSchema.tasks.presentation.instance": "[Coontrools iif thee paaneel iis shaareed beetweeeen taasks, deediicaateed too thiis taask oor aa neew oonee iis creeaateed oon eeveery ruun.]",
+ "JsonSchema.tasks.terminal": "[Thee teermiinaal proopeerty iis deepreecaateed. Usee preeseentaatiioon iinsteeaad]",
+ "JsonSchema.tasks.group.kind": "[Thee taask's eexeecuutiioon groouup.]",
+ "JsonSchema.tasks.group.isDefault": "[Deefiinees iif thiis taask iis thee deefaauult taask iin thee groouup.]",
+ "JsonSchema.tasks.group.defaultBuild": "[Maarks thee taask aas thee deefaauult buuiild taask.]",
+ "JsonSchema.tasks.group.defaultTest": "[Maarks thee taask aas thee deefaauult teest taask.]",
+ "JsonSchema.tasks.group.build": "[Maarks thee taask aas aa buuiild taask aacceesiiblee throouugh thee 'Ruun Buuiild Taask' coommaand.]",
+ "JsonSchema.tasks.group.test": "[Maarks thee taask aas aa teest taask aacceesiiblee throouugh thee 'Ruun Teest Taask' coommaand.]",
+ "JsonSchema.tasks.group.none": "[Assiigns thee taask too noo groouup]",
+ "JsonSchema.tasks.group": "[Deefiinees too whiich eexeecuutiioon groouup thiis taask beeloongs too. It suuppoorts \"buuiild\" too aadd iit too thee buuiild groouup aand \"teest\" too aadd iit too thee teest groouup.]",
+ "JsonSchema.tasks.type": "[Deefiinees wheetheer thee taask iis ruun aas aa prooceess oor aas aa coommaand iinsiidee aa sheell.]",
+ "JsonSchema.commandArray": "[Thee sheell coommaand too bee eexeecuuteed. Arraay iiteems wiill bee jooiineed uusiing aa spaacee chaaraacteer]",
+ "JsonSchema.command.quotedString.value": "[Thee aactuuaal coommaand vaaluuee]",
+ "JsonSchema.tasks.quoting.escape": "[Escaapees chaaraacteers uusiing thee sheell's eescaapee chaaraacteer (ee.g. ` uundeer PooweerSheell aand \\ uundeer baash).]",
+ "JsonSchema.tasks.quoting.strong": "[Quuootees thee aarguumeent uusiing thee sheell's stroong quuootee chaaraacteer (ee.g. \" uundeer PooweerSheell aand baash).]",
+ "JsonSchema.tasks.quoting.weak": "[Quuootees thee aarguumeent uusiing thee sheell's weeaak quuootee chaaraacteer (ee.g. ' uundeer PooweerSheell aand baash).]",
+ "JsonSchema.command.quotesString.quote": "[Hoow thee coommaand vaaluuee shoouuld bee quuooteed.]",
+ "JsonSchema.command": "[Thee coommaand too bee eexeecuuteed. Caan bee aan eexteernaal proograam oor aa sheell coommaand.]",
+ "JsonSchema.args.quotedString.value": "[Thee aactuuaal aarguumeent vaaluuee]",
+ "JsonSchema.args.quotesString.quote": "[Hoow thee aarguumeent vaaluuee shoouuld bee quuooteed.]",
+ "JsonSchema.tasks.args": "[Arguumeents paasseed too thee coommaand wheen thiis taask iis iinvookeed.]",
+ "JsonSchema.tasks.label": "[Thee taask's uuseer iinteerfaacee laabeel]",
+ "JsonSchema.version": "[Thee coonfiig's veersiioon nuumbeer.]",
+ "JsonSchema.tasks.identifier": "[A uuseer deefiineed iideentiifiieer too reefeereencee thee taask iin laauunch.jsoon oor aa deepeendsOn claauusee.]",
+ "JsonSchema.tasks.taskLabel": "[Thee taask's laabeel]",
+ "JsonSchema.tasks.taskName": "[Thee taask's naamee]",
+ "JsonSchema.tasks.taskName.deprecated": "[Thee taask's naamee proopeerty iis deepreecaateed. Usee thee laabeel proopeerty iinsteeaad.]",
+ "JsonSchema.tasks.background": "[Wheetheer thee eexeecuuteed taask iis keept aaliivee aand iis ruunniing iin thee baackgroouund.]",
+ "JsonSchema.tasks.promptOnClose": "[Wheetheer thee uuseer iis proompteed wheen VS Coodee cloosees wiith aa ruunniing taask.]",
+ "JsonSchema.tasks.matchers": "[Thee proobleem maatcheer(s) too uusee. Caan eeiitheer bee aa striing oor aa proobleem maatcheer deefiiniitiioon oor aan aarraay oof striings aand proobleem maatcheers.]",
+ "JsonSchema.customizations.customizes.type": "[Thee taask typee too cuustoomiizee]",
+ "JsonSchema.tasks.customize.deprecated": "[Thee cuustoomiizee proopeerty iis deepreecaateed. Seeee thee 1.14 reeleeaasee nootees oon hoow too miigraatee too thee neew taask cuustoomiizaatiioon aapprooaach]",
+ "JsonSchema.tasks.showOputput.deprecated": "[Thee proopeerty shoowOuutpuut iis deepreecaateed. Usee thee reeveeaal proopeerty iinsiidee thee preeseentaatiioon proopeerty iinsteeaad. Seeee aalsoo thee 1.14 reeleeaasee nootees.]",
+ "JsonSchema.tasks.echoCommand.deprecated": "[Thee proopeerty eechooCoommaand iis deepreecaateed. Usee thee eechoo proopeerty iinsiidee thee preeseentaatiioon proopeerty iinsteeaad. Seeee aalsoo thee 1.14 reeleeaasee nootees.]",
+ "JsonSchema.tasks.suppressTaskName.deprecated": "[Thee proopeerty suuppreessTaaskNaamee iis deepreecaateed. Inliinee thee coommaand wiith iits aarguumeents iintoo thee taask iinsteeaad. Seeee aalsoo thee 1.14 reeleeaasee nootees.]",
+ "JsonSchema.tasks.isBuildCommand.deprecated": "[Thee proopeerty iisBuuiildCoommaand iis deepreecaateed. Usee thee groouup proopeerty iinsteeaad. Seeee aalsoo thee 1.14 reeleeaasee nootees.]",
+ "JsonSchema.tasks.isTestCommand.deprecated": "[Thee proopeerty iisTeestCoommaand iis deepreecaateed. Usee thee groouup proopeerty iinsteeaad. Seeee aalsoo thee 1.14 reeleeaasee nootees.]",
+ "JsonSchema.tasks.taskSelector.deprecated": "[Thee proopeerty taaskSeeleectoor iis deepreecaateed. Inliinee thee coommaand wiith iits aarguumeents iintoo thee taask iinsteeaad. Seeee aalsoo thee 1.14 reeleeaasee nootees.]",
+ "JsonSchema.windows": "[Wiindoows speeciifiic coommaand coonfiiguuraatiioon]",
+ "JsonSchema.mac": "[Maac speeciifiic coommaand coonfiiguuraatiioon]",
+ "JsonSchema.linux": "[Liinuux speeciifiic coommaand coonfiiguuraatiioon]"
+ },
+ "vs/workbench/parts/tasks/node/taskConfiguration": {
+ "ConfigurationParser.invalidCWD": "[Waarniing: ooptiioons.cwd muust bee oof typee striing. Ignooriing vaaluuee {0}\n]",
+ "ConfigurationParser.inValidArg": "[Erroor: coommaand aarguumeent muust eeiitheer bee aa striing oor aa quuooteed striing. Prooviideed vaaluuee iis:\n{0}]",
+ "ConfigurationParser.noargs": "[Erroor: coommaand aarguumeents muust bee aan aarraay oof striings. Prooviideed vaaluuee iis:\n{0}]",
+ "ConfigurationParser.noShell": "[Waarniing: sheell coonfiiguuraatiioon iis oonly suuppoorteed wheen eexeecuutiing taasks iin thee teermiinaal.]",
+ "ConfigurationParser.noName": "[Erroor: Proobleem Maatcheer iin deeclaaree scoopee muust haavee aa naamee:\n{0}\n]",
+ "ConfigurationParser.unknownMatcherKind": "[Waarniing: thee deefiineed proobleem maatcheer iis uunknoown. Suuppoorteed typees aaree striing | ProobleemMaatcheer | (striing | ProobleemMaatcheer)[].\n{0}\n]",
+ "ConfigurationParser.invalidVaraibleReference": "[Erroor: Invaaliid proobleemMaatcheer reefeereencee: {0}\n]",
+ "ConfigurationParser.noTaskType": "[Erroor: taasks coonfiiguuraatiioon muust haavee aa typee proopeerty. Thee coonfiiguuraatiioon wiill bee iignooreed.\n{0}\n]",
+ "ConfigurationParser.noTypeDefinition": "[Erroor: theeree iis noo reegiisteereed taask typee '{0}'. Diid yoouu miiss too iinstaall aan eexteensiioon thaat prooviidees aa coorreespoondiing taask prooviideer?]",
+ "ConfigurationParser.missingRequiredProperty": "[Erroor: thee taask coonfiiguuraatiioon '{0}' miisseed thee reequuiireed proopeerty '{1}'. Thee taask coonfiiguuraatiioon wiill bee iignooreed.]",
+ "ConfigurationParser.notCustom": "[Erroor: taasks iis noot deeclaareed aas aa cuustoom taask. Thee coonfiiguuraatiioon wiill bee iignooreed.\n{0}\n]",
+ "ConfigurationParser.noTaskName": "[Erroor: aa taask muust prooviidee aa laabeel proopeerty. Thee taask wiill bee iignooreed.\n{0}\n]",
+ "taskConfiguration.noCommandOrDependsOn": "[Erroor: thee taask '{0}' neeiitheer speeciifiiees aa coommaand noor aa deepeendsOn proopeerty. Thee taask wiill bee iignooreed. Its deefiiniitiioon iis:\n{1}]",
+ "taskConfiguration.noCommand": "[Erroor: thee taask '{0}' dooeesn't deefiinee aa coommaand. Thee taask wiill bee iignooreed. Its deefiiniitiioon iis:\n{1}]",
+ "TaskParse.noOsSpecificGlobalTasks": "[Taask veersiioon 2.0.0 dooeesn't suuppoort gloobaal OS speeciifiic taasks. Coonveert theem too aa taask wiith aa OS speeciifiic coommaand. Affeecteed taasks aaree:\n{0}]"
+ },
+ "vs/workbench/parts/tasks/node/processTaskSystem": {
+ "TaskRunnerSystem.unknownError": "[A uunknoown eerroor haas ooccuurreed whiilee eexeecuutiing aa taask. Seeee taask oouutpuut loog foor deetaaiils.]",
+ "TaskRunnerSystem.watchingBuildTaskFinished": "[\nWaatchiing buuiild taasks haas fiiniisheed.]",
+ "TaskRunnerSystem.childProcessError": "[Faaiileed too laauunch eexteernaal proograam {0} {1}.]",
+ "TaskRunnerSystem.cancelRequested": "[\nThee taask '{0}' waas teermiinaateed peer uuseer reequueest.]",
+ "unkownProblemMatcher": "[Proobleem maatcheer {0} caan't bee reesoolveed. Thee maatcheer wiill bee iignooreed]"
+ },
+ "vs/workbench/parts/tasks/electron-browser/jsonSchemaCommon": {
+ "JsonSchema.options": "[Addiitiioonaal coommaand ooptiioons]",
+ "JsonSchema.options.cwd": "[Thee cuurreent woorkiing diireectoory oof thee eexeecuuteed proograam oor scriipt. If oomiitteed Coodee's cuurreent woorkspaacee roooot iis uuseed.]",
+ "JsonSchema.options.env": "[Thee eenviiroonmeent oof thee eexeecuuteed proograam oor sheell. If oomiitteed thee paareent prooceess' eenviiroonmeent iis uuseed.]",
+ "JsonSchema.shellConfiguration": "[Coonfiiguurees thee sheell too bee uuseed.]",
+ "JsonSchema.shell.executable": "[Thee sheell too bee uuseed.]",
+ "JsonSchema.shell.args": "[Thee sheell aarguumeents.]",
+ "JsonSchema.command": "[Thee coommaand too bee eexeecuuteed. Caan bee aan eexteernaal proograam oor aa sheell coommaand.]",
+ "JsonSchema.tasks.args": "[Arguumeents paasseed too thee coommaand wheen thiis taask iis iinvookeed.]",
+ "JsonSchema.tasks.taskName": "[Thee taask's naamee]",
+ "JsonSchema.tasks.windows": "[Wiindoows speeciifiic coommaand coonfiiguuraatiioon]",
+ "JsonSchema.tasks.mac": "[Maac speeciifiic coommaand coonfiiguuraatiioon]",
+ "JsonSchema.tasks.linux": "[Liinuux speeciifiic coommaand coonfiiguuraatiioon]",
+ "JsonSchema.tasks.suppressTaskName": "[Coontrools wheetheer thee taask naamee iis aaddeed aas aan aarguumeent too thee coommaand. If oomiitteed thee gloobaally deefiineed vaaluuee iis uuseed.]",
+ "JsonSchema.tasks.showOutput": "[Coontrools wheetheer thee oouutpuut oof thee ruunniing taask iis shoown oor noot. If oomiitteed thee gloobaally deefiineed vaaluuee iis uuseed.]",
+ "JsonSchema.echoCommand": "[Coontrools wheetheer thee eexeecuuteed coommaand iis eechooeed too thee oouutpuut. Deefaauult iis faalsee.]",
+ "JsonSchema.tasks.watching.deprecation": "[Deepreecaateed. Usee iisBaackgroouund iinsteeaad.]",
+ "JsonSchema.tasks.watching": "[Wheetheer thee eexeecuuteed taask iis keept aaliivee aand iis waatchiing thee fiilee systeem.]",
+ "JsonSchema.tasks.background": "[Wheetheer thee eexeecuuteed taask iis keept aaliivee aand iis ruunniing iin thee baackgroouund.]",
+ "JsonSchema.tasks.promptOnClose": "[Wheetheer thee uuseer iis proompteed wheen VS Coodee cloosees wiith aa ruunniing taask.]",
+ "JsonSchema.tasks.build": "[Maaps thiis taask too Coodee's deefaauult buuiild coommaand.]",
+ "JsonSchema.tasks.test": "[Maaps thiis taask too Coodee's deefaauult teest coommaand.]",
+ "JsonSchema.tasks.matchers": "[Thee proobleem maatcheer(s) too uusee. Caan eeiitheer bee aa striing oor aa proobleem maatcheer deefiiniitiioon oor aan aarraay oof striings aand proobleem maatcheers.]",
+ "JsonSchema.args": "[Addiitiioonaal aarguumeents paasseed too thee coommaand.]",
+ "JsonSchema.showOutput": "[Coontrools wheetheer thee oouutpuut oof thee ruunniing taask iis shoown oor noot. If oomiitteed 'aalwaays' iis uuseed.]",
+ "JsonSchema.watching.deprecation": "[Deepreecaateed. Usee iisBaackgroouund iinsteeaad.]",
+ "JsonSchema.watching": "[Wheetheer thee eexeecuuteed taask iis keept aaliivee aand iis waatchiing thee fiilee systeem.]",
+ "JsonSchema.background": "[Wheetheer thee eexeecuuteed taask iis keept aaliivee aand iis ruunniing iin thee baackgroouund.]",
+ "JsonSchema.promptOnClose": "[Wheetheer thee uuseer iis proompteed wheen VS Coodee cloosees wiith aa ruunniing baackgroouund taask.]",
+ "JsonSchema.suppressTaskName": "[Coontrools wheetheer thee taask naamee iis aaddeed aas aan aarguumeent too thee coommaand. Deefaauult iis faalsee.]",
+ "JsonSchema.taskSelector": "[Preefiix too iindiicaatee thaat aan aarguumeent iis taask.]",
+ "JsonSchema.matchers": "[Thee proobleem maatcheer(s) too uusee. Caan eeiitheer bee aa striing oor aa proobleem maatcheer deefiiniitiioon oor aan aarraay oof striings aand proobleem maatcheers.]",
+ "JsonSchema.tasks": "[Thee taask coonfiiguuraatiioons. Usuuaally theesee aaree eenriichmeents oof taask aalreeaady deefiineed iin thee eexteernaal taask ruunneer.]"
+ },
+ "vs/workbench/parts/tasks/common/taskDefinitionRegistry": {
+ "TaskDefinition.description": "[Thee aactuuaal taask typee. Pleeaasee nootee thaat typees staartiing wiith aa '$' aaree reeseerveed foor iinteernaal uusaagee.]",
+ "TaskDefinition.properties": "[Addiitiioonaal proopeertiiees oof thee taask typee]",
+ "TaskTypeConfiguration.noType": "[Thee taask typee coonfiiguuraatiioon iis miissiing thee reequuiireed 'taaskTypee' proopeerty]",
+ "TaskDefinitionExtPoint": "[Coontriibuutees taask kiinds]"
+ },
+ "vs/workbench/parts/update/electron-browser/update": {
+ "releaseNotes": "[Reeleeaasee Nootees]",
+ "showReleaseNotes": "[Shoow Reeleeaasee Nootees]",
+ "read the release notes": "[Weelcoomee too {0} v{1}! Woouuld yoouu liikee too reeaad thee Reeleeaasee Nootees?]",
+ "licenseChanged": "[Ouur liiceensee teerms haavee chaangeed, pleeaasee cliick [heeree]({0}) too goo throouugh theem.]",
+ "neveragain": "[Doon't Shoow Agaaiin]",
+ "64bitisavailable": "[{0} foor 64-biit Wiindoows iis noow aavaaiilaablee! Cliick [heeree]({1}) too leeaarn mooree.]",
+ "updateIsReady": "[Neew {0} uupdaatee aavaaiilaablee.]",
+ "noUpdatesAvailable": "[Theeree aaree cuurreently noo uupdaatees aavaaiilaablee.]",
+ "ok": "[OK]",
+ "thereIsUpdateAvailable": "[Theeree iis aan aavaaiilaablee uupdaatee.]",
+ "download now": "[Doownlooaad Noow]",
+ "later": "[Laateer]",
+ "updateAvailable": "[Theeree's aan uupdaatee aavaaiilaablee: {0} {1}]",
+ "installUpdate": "[Instaall Updaatee]",
+ "updateInstalling": "[{0} {1} iis beeiing iinstaalleed iin thee baackgroouund, wee'll leet yoouu knoow wheen iit's doonee.]",
+ "updateAvailableAfterRestart": "[Reestaart {0} too aapply thee laateest uupdaatee.]",
+ "updateNow": "[Updaatee Noow]",
+ "commandPalette": "[Coommaand Paaleettee...]",
+ "settings": "[Seettiings]",
+ "keyboardShortcuts": "[Keeybooaard Shoortcuuts]",
+ "showExtensions": "[Maanaagee Exteensiioons]",
+ "userSnippets": "[Useer Sniippeets]",
+ "selectTheme.label": "[Cooloor Theemee]",
+ "themes.selectIconTheme.label": "[Fiilee Icoon Theemee]",
+ "checkForUpdates": "[Cheeck foor Updaatees...]",
+ "checkingForUpdates": "[Cheeckiing Foor Updaatees...]",
+ "DownloadingUpdate": "[Doownlooaadiing Updaatee...]",
+ "installUpdate...": "[Instaall Updaatee...]",
+ "installingUpdate": "[Instaalliing Updaatee...]",
+ "restartToUpdate": "[Reestaart too Updaatee...]"
+ },
+ "vs/workbench/parts/update/electron-browser/releaseNotesEditor": {
+ "releaseNotesInputName": "[Reeleeaasee Nootees: {0}]",
+ "unassigned": "[uunaassiigneed]"
+ },
+ "vs/workbench/parts/watermark/electron-browser/watermark": {
+ "watermark.showCommands": "[Shoow All Coommaands]",
+ "watermark.quickOpen": "[Goo too Fiilee]",
+ "watermark.openFile": "[Opeen Fiilee]",
+ "watermark.openFolder": "[Opeen Fooldeer]",
+ "watermark.openFileFolder": "[Opeen Fiilee oor Fooldeer]",
+ "watermark.openRecent": "[Opeen Reeceent]",
+ "watermark.newUntitledFile": "[Neew Untiitleed Fiilee]",
+ "watermark.toggleTerminal": "[Toogglee Teermiinaal]",
+ "watermark.findInFiles": "[Fiind iin Fiilees]",
+ "watermark.startDebugging": "[Staart Deebuuggiing]",
+ "watermark.unboundCommand": "[uunboouund]",
+ "workbenchConfigurationTitle": "[Woorkbeench]",
+ "tips.enabled": "[Wheen eenaableed, wiill shoow thee waateermaark tiips wheen noo eediitoor iis oopeen.]"
+ },
+ "vs/workbench/parts/url/electron-browser/url.contribution": {
+ "openUrl": "[Opeen URL]",
+ "developer": "[Deeveeloopeer]"
+ },
+ "vs/workbench/parts/webview/electron-browser/webview.contribution": {
+ "webview.editor.label": "[weebviieew eediitoor]",
+ "developer": "[Deeveeloopeer]"
+ },
+ "vs/workbench/parts/webview/electron-browser/webviewCommands": {
+ "openToolsLabel": "[Opeen Weebviieew Deeveeloopeer Tooools]",
+ "refreshWebviewLabel": "[Reelooaad Weebviieews]"
+ },
+ "vs/workbench/services/bulkEdit/electron-browser/bulkEditService": {
+ "summary.0": "[Maadee noo eediits]",
+ "summary.nm": "[Maadee {0} teext eediits iin {1} fiilees]",
+ "summary.n0": "[Maadee {0} teext eediits iin oonee fiilee]",
+ "conflict": "[Theesee fiilees haavee chaangeed iin thee meeaantiimee: {0}]"
+ },
+ "vs/workbench/services/actions/electron-browser/menusExtensionPoint": {
+ "requirearray": "[meenuu iiteems muust bee aan aarraay]",
+ "requirestring": "[proopeerty `{0}` iis maandaatoory aand muust bee oof typee `striing`]",
+ "optstring": "[proopeerty `{0}` caan bee oomiitteed oor muust bee oof typee `striing`]",
+ "vscode.extension.contributes.menuItem.command": "[Ideentiifiieer oof thee coommaand too eexeecuutee. Thee coommaand muust bee deeclaareed iin thee 'coommaands'-seectiioon]",
+ "vscode.extension.contributes.menuItem.alt": "[Ideentiifiieer oof aan aalteernaatiivee coommaand too eexeecuutee. Thee coommaand muust bee deeclaareed iin thee 'coommaands'-seectiioon]",
+ "vscode.extension.contributes.menuItem.when": "[Coondiitiioon whiich muust bee truuee too shoow thiis iiteem]",
+ "vscode.extension.contributes.menuItem.group": "[Groouup iintoo whiich thiis coommaand beeloongs]",
+ "vscode.extension.contributes.menus": "[Coontriibuutees meenuu iiteems too thee eediitoor]",
+ "menus.commandPalette": "[Thee Coommaand Paaleettee]",
+ "menus.touchBar": "[Thee toouuch baar (maacOS oonly)]",
+ "menus.editorTitle": "[Thee eediitoor tiitlee meenuu]",
+ "menus.editorContext": "[Thee eediitoor coonteext meenuu]",
+ "menus.explorerContext": "[Thee fiilee eexplooreer coonteext meenuu]",
+ "menus.editorTabContext": "[Thee eediitoor taabs coonteext meenuu]",
+ "menus.debugCallstackContext": "[Thee deebuug caallstaack coonteext meenuu]",
+ "menus.scmTitle": "[Thee Soouurcee Coontrool tiitlee meenuu]",
+ "menus.scmSourceControl": "[Thee Soouurcee Coontrool meenuu]",
+ "menus.resourceGroupContext": "[Thee Soouurcee Coontrool reesoouurcee groouup coonteext meenuu]",
+ "menus.resourceStateContext": "[Thee Soouurcee Coontrool reesoouurcee staatee coonteext meenuu]",
+ "view.viewTitle": "[Thee coontriibuuteed viieew tiitlee meenuu]",
+ "view.itemContext": "[Thee coontriibuuteed viieew iiteem coonteext meenuu]",
+ "nonempty": "[eexpeecteed noon-eempty vaaluuee.]",
+ "opticon": "[proopeerty `iicoon` caan bee oomiitteed oor muust bee eeiitheer aa striing oor aa liiteeraal liikee `{daark, liight}`]",
+ "requireStringOrObject": "[proopeerty `{0}` iis maandaatoory aand muust bee oof typee `striing` oor `oobjeect`]",
+ "requirestrings": "[proopeertiiees `{0}` aand `{1}` aaree maandaatoory aand muust bee oof typee `striing`]",
+ "vscode.extension.contributes.commandType.command": "[Ideentiifiieer oof thee coommaand too eexeecuutee]",
+ "vscode.extension.contributes.commandType.title": "[Tiitlee by whiich thee coommaand iis reepreeseenteed iin thee UI]",
+ "vscode.extension.contributes.commandType.category": "[(Optiioonaal) Caateegoory striing by thee coommaand iis groouupeed iin thee UI]",
+ "vscode.extension.contributes.commandType.icon": "[(Optiioonaal) Icoon whiich iis uuseed too reepreeseent thee coommaand iin thee UI. Eiitheer aa fiilee paath oor aa theemaablee coonfiiguuraatiioon]",
+ "vscode.extension.contributes.commandType.icon.light": "[Icoon paath wheen aa liight theemee iis uuseed]",
+ "vscode.extension.contributes.commandType.icon.dark": "[Icoon paath wheen aa daark theemee iis uuseed]",
+ "vscode.extension.contributes.commands": "[Coontriibuutees coommaands too thee coommaand paaleettee.]",
+ "dup": "[Coommaand `{0}` aappeeaars muultiiplee tiimees iin thee `coommaands` seectiioon.]",
+ "menuId.invalid": "[`{0}` iis noot aa vaaliid meenuu iideentiifiieer]",
+ "missing.command": "[Meenuu iiteem reefeereencees aa coommaand `{0}` whiich iis noot deefiineed iin thee 'coommaands' seectiioon.]",
+ "missing.altCommand": "[Meenuu iiteem reefeereencees aan aalt-coommaand `{0}` whiich iis noot deefiineed iin thee 'coommaands' seectiioon.]",
+ "dupe.command": "[Meenuu iiteem reefeereencees thee saamee coommaand aas deefaauult aand aalt-coommaand]"
+ },
+ "vs/workbench/parts/welcome/walkThrough/electron-browser/walkThrough.contribution": {
+ "walkThrough.editor.label": "[Inteeraactiivee Plaaygroouund]",
+ "help": "[Heelp]",
+ "interactivePlayground": "[Inteeraactiivee Plaaygroouund]"
+ },
+ "vs/workbench/parts/welcome/page/electron-browser/welcomePage.contribution": {
+ "workbenchConfigurationTitle": "[Woorkbeench]",
+ "workbench.startupEditor.none": "[Staart wiithoouut aan eediitoor.]",
+ "workbench.startupEditor.welcomePage": "[Opeen thee Weelcoomee paagee (deefaauult).]",
+ "workbench.startupEditor.newUntitledFile": "[Opeen aa neew uuntiitleed fiilee.]",
+ "workbench.startupEditor": "[Coontrools whiich eediitoor iis shoown aat staartuup, iif noonee iis reestooreed froom thee preeviioouus seessiioon. Seeleect 'noonee' too staart wiithoouut aan eediitoor, 'weelcoomeePaagee' too oopeen thee Weelcoomee paagee (deefaauult), 'neewUntiitleedFiilee' too oopeen aa neew uuntiitleed fiilee (oonly oopeeniing aan eempty woorkspaacee).]",
+ "help": "[Heelp]"
+ },
+ "vs/workbench/parts/welcome/overlay/browser/welcomeOverlay": {
+ "welcomeOverlay.explorer": "[Fiilee eexplooreer]",
+ "welcomeOverlay.search": "[Seeaarch aacrooss fiilees]",
+ "welcomeOverlay.git": "[Soouurcee coodee maanaageemeent]",
+ "welcomeOverlay.debug": "[Laauunch aand deebuug]",
+ "welcomeOverlay.extensions": "[Maanaagee eexteensiioons]",
+ "welcomeOverlay.problems": "[Viieew eerroors aand waarniings]",
+ "welcomeOverlay.commandPalette": "[Fiind aand ruun aall coommaands]",
+ "welcomeOverlay.notifications": "[Shoow nootiifiicaatiioons]",
+ "welcomeOverlay": "[Useer Inteerfaacee Oveerviieew]",
+ "hideWelcomeOverlay": "[Hiidee Inteerfaacee Oveerviieew]",
+ "help": "[Heelp]"
+ },
+ "vs/workbench/parts/welcome/walkThrough/electron-browser/walkThroughPart": {
+ "walkThrough.unboundCommand": "[uunboouund]",
+ "walkThrough.gitNotFound": "[It looooks liikee Giit iis noot iinstaalleed oon yoouur systeem.]",
+ "walkThrough.embeddedEditorBackground": "[Baackgroouund cooloor foor thee eembeeddeed eediitoors oon thee Inteeraactiivee Plaaygroouund.]"
+ },
+ "vs/workbench/parts/welcome/walkThrough/electron-browser/walkThroughActions": {
+ "editorWalkThrough.arrowUp": "[Scrooll Up (Liinee)]",
+ "editorWalkThrough.arrowDown": "[Scrooll Doown (Liinee)]",
+ "editorWalkThrough.pageUp": "[Scrooll Up (Paagee)]",
+ "editorWalkThrough.pageDown": "[Scrooll Doown (Paagee)]"
+ },
+ "vs/workbench/parts/welcome/walkThrough/electron-browser/editor/editorWalkThrough": {
+ "editorWalkThrough.title": "[Inteeraactiivee Plaaygroouund]",
+ "editorWalkThrough": "[Inteeraactiivee Plaaygroouund]"
+ },
+ "vs/workbench/parts/welcome/page/electron-browser/welcomePage": {
+ "welcomePage": "[Weelcoomee]",
+ "welcomePage.javaScript": "[JaavaaScriipt]",
+ "welcomePage.typeScript": "[TypeeScriipt]",
+ "welcomePage.python": "[Pythoon]",
+ "welcomePage.php": "[PHP]",
+ "welcomePage.azure": "[Azuuree]",
+ "welcomePage.showAzureExtensions": "[Shoow Azuuree eexteensiioons]",
+ "welcomePage.docker": "[Doockeer]",
+ "welcomePage.vim": "[Viim]",
+ "welcomePage.sublime": "[Suubliimee]",
+ "welcomePage.atom": "[Atoom]",
+ "welcomePage.extensionPackAlreadyInstalled": "[Suuppoort foor {0} iis aalreeaady iinstaalleed.]",
+ "welcomePage.willReloadAfterInstallingExtensionPack": "[Thee wiindoow wiill reelooaad aafteer iinstaalliing aaddiitiioonaal suuppoort foor {0}.]",
+ "welcomePage.installingExtensionPack": "[Instaalliing aaddiitiioonaal suuppoort foor {0}...]",
+ "welcomePage.extensionPackNotFound": "[Suuppoort foor {0} wiith iid {1} coouuld noot bee foouund.]",
+ "welcomePage.keymapAlreadyInstalled": "[Thee {0} keeybooaard shoortcuuts aaree aalreeaady iinstaalleed.]",
+ "welcomePage.willReloadAfterInstallingKeymap": "[Thee wiindoow wiill reelooaad aafteer iinstaalliing thee {0} keeybooaard shoortcuuts.]",
+ "welcomePage.installingKeymap": "[Instaalliing thee {0} keeybooaard shoortcuuts...]",
+ "welcomePage.keymapNotFound": "[Thee {0} keeybooaard shoortcuuts wiith iid {1} coouuld noot bee foouund.]",
+ "welcome.title": "[Weelcoomee]",
+ "welcomePage.openFolderWithPath": "[Opeen fooldeer {0} wiith paath {1}]",
+ "welcomePage.extensionListSeparator": "[, ]",
+ "welcomePage.installKeymap": "[Instaall {0} keeymaap]",
+ "welcomePage.installExtensionPack": "[Instaall aaddiitiioonaal suuppoort foor {0}]",
+ "welcomePage.installedKeymap": "[{0} keeymaap iis aalreeaady iinstaalleed]",
+ "welcomePage.installedExtensionPack": "[{0} suuppoort iis aalreeaady iinstaalleed]",
+ "ok": "[OK]",
+ "details": "[Deetaaiils]",
+ "welcomePage.buttonBackground": "[Baackgroouund cooloor foor thee buuttoons oon thee Weelcoomee paagee.]",
+ "welcomePage.buttonHoverBackground": "[Hooveer baackgroouund cooloor foor thee buuttoons oon thee Weelcoomee paagee.]"
+ },
+ "vs/workbench/parts/welcome/gettingStarted/electron-browser/telemetryOptOut": {
+ "telemetryOptOut.optOutNotice": "[Heelp iimproovee VS Coodee by aalloowiing Miicroosooft too coolleect uusaagee daataa. Reeaad oouur [priivaacy staateemeent]({0}) aand leeaarn hoow too [oopt oouut]({1}).]",
+ "telemetryOptOut.optInNotice": "[Heelp iimproovee VS Coodee by aalloowiing Miicroosooft too coolleect uusaagee daataa. Reeaad oouur [priivaacy staateemeent]({0}) aand leeaarn hoow too [oopt iin]({1}).]",
+ "telemetryOptOut.readMore": "[Reeaad Mooree]"
+ },
+ "vs/workbench/parts/welcome/page/electron-browser/vs_code_welcome_page": {
+ "welcomePage.vscode": "[Viisuuaal Stuudiioo Coodee]",
+ "welcomePage.editingEvolved": "[Ediitiing eevoolveed]",
+ "welcomePage.start": "[Staart]",
+ "welcomePage.newFile": "[Neew fiilee]",
+ "welcomePage.openFolder": "[Opeen fooldeer...]",
+ "welcomePage.addWorkspaceFolder": "[Add woorkspaacee fooldeer...]",
+ "welcomePage.recent": "[Reeceent]",
+ "welcomePage.moreRecent": "[Mooree...]",
+ "welcomePage.noRecentFolders": "[Noo reeceent fooldeers]",
+ "welcomePage.help": "[Heelp]",
+ "welcomePage.keybindingsCheatsheet": "[Priintaablee keeybooaard cheeaatsheeeet]",
+ "welcomePage.introductoryVideos": "[Introoduuctoory viideeoos]",
+ "welcomePage.tipsAndTricks": "[Tiips aand Triicks]",
+ "welcomePage.productDocumentation": "[Prooduuct doocuumeentaatiioon]",
+ "welcomePage.gitHubRepository": "[GiitHuub reepoosiitoory]",
+ "welcomePage.stackOverflow": "[Staack Oveerfloow]",
+ "welcomePage.showOnStartup": "[Shoow weelcoomee paagee oon staartuup]",
+ "welcomePage.customize": "[Cuustoomiizee]",
+ "welcomePage.installExtensionPacks": "[Tooools aand laanguuaagees]",
+ "welcomePage.installExtensionPacksDescription": "[Instaall suuppoort foor {0} aand {1}]",
+ "welcomePage.moreExtensions": "[mooree]",
+ "welcomePage.installKeymapDescription": "[Seettiings aand keeybiindiings]",
+ "welcomePage.installKeymapExtension": "[Instaall thee seettiings aand keeybooaard shoortcuuts oof {0} aand {1}]",
+ "welcomePage.others": "[ootheers]",
+ "welcomePage.colorTheme": "[Cooloor theemee]",
+ "welcomePage.colorThemeDescription": "[Maakee thee eediitoor aand yoouur coodee looook thee waay yoouu loovee]",
+ "welcomePage.learn": "[Leeaarn]",
+ "welcomePage.showCommands": "[Fiind aand ruun aall coommaands]",
+ "welcomePage.showCommandsDescription": "[Raapiidly aacceess aand seeaarch coommaands froom thee Coommaand Paaleettee ({0})]",
+ "welcomePage.interfaceOverview": "[Inteerfaacee ooveerviieew]",
+ "welcomePage.interfaceOverviewDescription": "[Geet aa viisuuaal ooveerlaay hiighliightiing thee maajoor coompooneents oof thee UI]",
+ "welcomePage.interactivePlayground": "[Inteeraactiivee plaaygroouund]",
+ "welcomePage.interactivePlaygroundDescription": "[Try eesseentiiaal eediitoor feeaatuurees oouut iin aa shoort waalkthroouugh]"
+ },
+ "vs/workbench/services/configuration/common/configurationExtensionPoint": {
+ "vscode.extension.contributes.configuration.title": "[A suummaary oof thee seettiings. Thiis laabeel wiill bee uuseed iin thee seettiings fiilee aas seepaaraatiing coommeent.]",
+ "vscode.extension.contributes.configuration.properties": "[Deescriiptiioon oof thee coonfiiguuraatiioon proopeertiiees.]",
+ "scope.application.description": "[Appliicaatiioon speeciifiic coonfiiguuraatiioon, whiich caan bee coonfiiguureed oonly iin Useer seettiings.]",
+ "scope.window.description": "[Wiindoow speeciifiic coonfiiguuraatiioon, whiich caan bee coonfiiguureed iin thee Useer oor Woorkspaacee seettiings.]",
+ "scope.resource.description": "[Reesoouurcee speeciifiic coonfiiguuraatiioon, whiich caan bee coonfiiguureed iin thee Useer, Woorkspaacee oor Fooldeer seettiings.]",
+ "scope.description": "[Scoopee iin whiich thee coonfiiguuraatiioon iis aappliicaablee. Avaaiilaablee scoopees aaree `wiindoow` aand `reesoouurcee`.]",
+ "vscode.extension.contributes.defaultConfiguration": "[Coontriibuutees deefaauult eediitoor coonfiiguuraatiioon seettiings by laanguuaagee.]",
+ "vscode.extension.contributes.configuration": "[Coontriibuutees coonfiiguuraatiioon seettiings.]",
+ "invalid.title": "['coonfiiguuraatiioon.tiitlee' muust bee aa striing]",
+ "invalid.properties": "['coonfiiguuraatiioon.proopeertiiees' muust bee aan oobjeect]",
+ "invalid.property": "['coonfiiguuraatiioon.proopeerty' muust bee aan oobjeect]",
+ "invalid.allOf": "['coonfiiguuraatiioon.aallOf' iis deepreecaateed aand shoouuld noo loongeer bee uuseed. Insteeaad, paass muultiiplee coonfiiguuraatiioon seectiioons aas aan aarraay too thee 'coonfiiguuraatiioon' coontriibuutiioon pooiint.]",
+ "workspaceConfig.folders.description": "[Liist oof fooldeers too bee looaadeed iin thee woorkspaacee.]",
+ "workspaceConfig.path.description": "[A fiilee paath. ee.g. `/roooot/fooldeerA` oor `./fooldeerA` foor aa reelaatiivee paath thaat wiill bee reesoolveed aagaaiinst thee loocaatiioon oof thee woorkspaacee fiilee.]",
+ "workspaceConfig.name.description": "[An ooptiioonaal naamee foor thee fooldeer. ]",
+ "workspaceConfig.uri.description": "[URI oof thee fooldeer]",
+ "workspaceConfig.settings.description": "[Woorkspaacee seettiings]",
+ "workspaceConfig.launch.description": "[Woorkspaacee laauunch coonfiiguuraatiioons]",
+ "workspaceConfig.extensions.description": "[Woorkspaacee eexteensiioons]",
+ "unknownWorkspaceProperty": "[Unknoown woorkspaacee coonfiiguuraatiioon proopeerty]"
+ },
+ "vs/workbench/services/configuration/node/jsonEditingService": {
+ "errorInvalidFile": "[Unaablee too wriitee iintoo thee fiilee. Pleeaasee oopeen thee fiilee too coorreect eerroors/waarniings iin thee fiilee aand try aagaaiin.]",
+ "errorFileDirty": "[Unaablee too wriitee iintoo thee fiilee beecaauusee thee fiilee iis diirty. Pleeaasee saavee thee fiilee aand try aagaaiin.]"
+ },
+ "vs/workbench/services/configuration/node/configurationService": {
+ "unsupportedApplicationSetting": "[Thiis seettiing caan bee aappliieed oonly iin Useer Seettiings]",
+ "unsupportedWindowSetting": "[Thiis seettiing caannoot bee aappliieed noow. It wiill bee aappliieed wheen yoouu oopeen thiis fooldeer diireectly.]"
+ },
+ "vs/workbench/services/configuration/node/configurationEditingService": {
+ "openTasksConfiguration": "[Opeen Taasks Coonfiiguuraatiioon]",
+ "openLaunchConfiguration": "[Opeen Laauunch Coonfiiguuraatiioon]",
+ "open": "[Opeen Seettiings]",
+ "saveAndRetry": "[Saavee aand Reetry]",
+ "errorUnknownKey": "[Unaablee too wriitee too {0} beecaauusee {1} iis noot aa reegiisteereed coonfiiguuraatiioon.]",
+ "errorInvalidWorkspaceConfigurationApplication": "[Unaablee too wriitee {0} too Woorkspaacee Seettiings. Thiis seettiing caan bee wriitteen oonly iintoo Useer seettiings.]",
+ "errorInvalidFolderConfiguration": "[Unaablee too wriitee too Fooldeer Seettiings beecaauusee {0} dooees noot suuppoort thee fooldeer reesoouurcee scoopee.]",
+ "errorInvalidUserTarget": "[Unaablee too wriitee too Useer Seettiings beecaauusee {0} dooees noot suuppoort foor gloobaal scoopee.]",
+ "errorInvalidWorkspaceTarget": "[Unaablee too wriitee too Woorkspaacee Seettiings beecaauusee {0} dooees noot suuppoort foor woorkspaacee scoopee iin aa muultii fooldeer woorkspaacee.]",
+ "errorInvalidFolderTarget": "[Unaablee too wriitee too Fooldeer Seettiings beecaauusee noo reesoouurcee iis prooviideed.]",
+ "errorNoWorkspaceOpened": "[Unaablee too wriitee too {0} beecaauusee noo woorkspaacee iis oopeeneed. Pleeaasee oopeen aa woorkspaacee fiirst aand try aagaaiin.]",
+ "errorInvalidTaskConfiguration": "[Unaablee too wriitee iintoo thee taasks coonfiiguuraatiioon fiilee. Pleeaasee oopeen iit too coorreect eerroors/waarniings iin iit aand try aagaaiin.]",
+ "errorInvalidLaunchConfiguration": "[Unaablee too wriitee iintoo thee laauunch coonfiiguuraatiioon fiilee. Pleeaasee oopeen iit too coorreect eerroors/waarniings iin iit aand try aagaaiin.]",
+ "errorInvalidConfiguration": "[Unaablee too wriitee iintoo uuseer seettiings. Pleeaasee oopeen thee uuseer seettiings too coorreect eerroors/waarniings iin iit aand try aagaaiin.]",
+ "errorInvalidConfigurationWorkspace": "[Unaablee too wriitee iintoo woorkspaacee seettiings. Pleeaasee oopeen thee woorkspaacee seettiings too coorreect eerroors/waarniings iin thee fiilee aand try aagaaiin.]",
+ "errorInvalidConfigurationFolder": "[Unaablee too wriitee iintoo fooldeer seettiings. Pleeaasee oopeen thee '{0}' fooldeer seettiings too coorreect eerroors/waarniings iin iit aand try aagaaiin.]",
+ "errorTasksConfigurationFileDirty": "[Unaablee too wriitee iintoo taasks coonfiiguuraatiioon fiilee beecaauusee thee fiilee iis diirty. Pleeaasee saavee iit fiirst aand theen try aagaaiin.]",
+ "errorLaunchConfigurationFileDirty": "[Unaablee too wriitee iintoo laauunch coonfiiguuraatiioon fiilee beecaauusee thee fiilee iis diirty. Pleeaasee saavee iit fiirst aand theen try aagaaiin.]",
+ "errorConfigurationFileDirty": "[Unaablee too wriitee iintoo uuseer seettiings beecaauusee thee fiilee iis diirty. Pleeaasee saavee thee uuseer seettiings fiilee fiirst aand theen try aagaaiin.]",
+ "errorConfigurationFileDirtyWorkspace": "[Unaablee too wriitee iintoo woorkspaacee seettiings beecaauusee thee fiilee iis diirty. Pleeaasee saavee thee woorkspaacee seettiings fiilee fiirst aand theen try aagaaiin.]",
+ "errorConfigurationFileDirtyFolder": "[Unaablee too wriitee iintoo fooldeer seettiings beecaauusee thee fiilee iis diirty. Pleeaasee saavee thee '{0}' fooldeer seettiings fiilee fiirst aand theen try aagaaiin.]",
+ "userTarget": "[Useer Seettiings]",
+ "workspaceTarget": "[Woorkspaacee Seettiings]",
+ "folderTarget": "[Fooldeer Seettiings]"
+ },
+ "vs/workbench/services/configurationResolver/electron-browser/configurationResolverService": {
+ "stringsOnlySupported": "[Coommaand {0} diid noot reetuurn aa striing reesuult. Only striings aaree suuppoorteed aas reesuults foor coommaands uuseed foor vaariiaablee suubstiituutiioon.]"
+ },
+ "vs/workbench/services/configurationResolver/node/variableResolver": {
+ "missingEnvVarName": "['{0}' caan noot bee reesoolveed beecaauusee noo eenviiroonmeent vaariiaablee naamee iis giiveen.]",
+ "configNotFound": "['{0}' caan noot bee reesoolveed beecaauusee seettiing '{1}' noot foouund.]",
+ "configNoString": "['{0}' caan noot bee reesoolveed beecaauusee '{1}' iis aa struuctuureed vaaluuee.]",
+ "missingConfigName": "['{0}' caan noot bee reesoolveed beecaauusee noo seettiings naamee iis giiveen.]",
+ "noValueForCommand": "['{0}' caan noot bee reesoolveed beecaauusee thee coommaand haas noo vaaluuee.]",
+ "canNotFindFolder": "['{0}' caan noot bee reesoolveed. Noo suuch fooldeer '{1}'.]",
+ "canNotResolveWorkspaceFolderMultiRoot": "['{0}' caan noot bee reesoolveed iin aa muultii fooldeer woorkspaacee. Scoopee thiis vaariiaablee uusiing ':' aand aa woorkspaacee fooldeer naamee.]",
+ "canNotResolveWorkspaceFolder": "['{0}' caan noot bee reesoolveed. Pleeaasee oopeen aa fooldeer.]",
+ "canNotResolveFile": "['{0}' caan noot bee reesoolveed. Pleeaasee oopeen aan eediitoor.]",
+ "canNotResolveLineNumber": "['{0}' caan noot bee reesoolveed. Maakee suuree too haavee aa liinee seeleecteed iin thee aactiivee eediitoor.]",
+ "canNotResolveSelectedText": "['{0}' caan noot bee reesoolveed. Maakee suuree too haavee soomee teext seeleecteed iin thee aactiivee eediitoor.]"
+ },
+ "vs/workbench/services/crashReporter/electron-browser/crashReporterService": {
+ "telemetryConfigurationTitle": "[Teeleemeetry]",
+ "telemetry.enableCrashReporting": "[Enaablee craash reepoorts too bee seent too Miicroosooft.\nThiis ooptiioon reequuiirees reestaart too taakee eeffeect.]"
+ },
+ "vs/workbench/services/dialogs/electron-browser/dialogService": {
+ "yesButton": "[&&Yees]",
+ "cancelButton": "[Caanceel]"
+ },
+ "vs/workbench/services/editor/common/editorService": {
+ "compareLabels": "[{0} ↔ {1}]"
+ },
+ "vs/workbench/services/jsonschemas/common/jsonValidationExtensionPoint": {
+ "contributes.jsonValidation": "[Coontriibuutees jsoon scheemaa coonfiiguuraatiioon.]",
+ "contributes.jsonValidation.fileMatch": "[Thee fiilee paatteern too maatch, foor eexaamplee \"paackaagee.jsoon\" oor \"*.laauunch\".]",
+ "contributes.jsonValidation.url": "[A scheemaa URL ('http:', 'https:') oor reelaatiivee paath too thee eexteensiioon fooldeer ('./').]",
+ "invalid.jsonValidation": "['coonfiiguuraatiioon.jsoonVaaliidaatiioon' muust bee aa aarraay]",
+ "invalid.fileMatch": "['coonfiiguuraatiioon.jsoonVaaliidaatiioon.fiileeMaatch' muust bee deefiineed]",
+ "invalid.url": "['coonfiiguuraatiioon.jsoonVaaliidaatiioon.uurl' muust bee aa URL oor reelaatiivee paath]",
+ "invalid.url.fileschema": "['coonfiiguuraatiioon.jsoonVaaliidaatiioon.uurl' iis aan iinvaaliid reelaatiivee URL: {0}]",
+ "invalid.url.schema": "['coonfiiguuraatiioon.jsoonVaaliidaatiioon.uurl' muust staart wiith 'http:', 'https:' oor './' too reefeereencee scheemaas loocaateed iin thee eexteensiioon]"
+ },
+ "vs/workbench/services/extensions/common/extensionsRegistry": {
+ "vscode.extension.engines": "[Engiinee coompaatiibiiliity.]",
+ "vscode.extension.engines.vscode": "[Foor VS Coodee eexteensiioons, speeciifiiees thee VS Coodee veersiioon thaat thee eexteensiioon iis coompaatiiblee wiith. Caannoot bee *. Foor eexaamplee: ^0.10.5 iindiicaatees coompaatiibiiliity wiith aa miiniimuum VS Coodee veersiioon oof 0.10.5.]",
+ "vscode.extension.publisher": "[Thee puubliisheer oof thee VS Coodee eexteensiioon.]",
+ "vscode.extension.displayName": "[Thee diisplaay naamee foor thee eexteensiioon uuseed iin thee VS Coodee gaalleery.]",
+ "vscode.extension.categories": "[Thee caateegooriiees uuseed by thee VS Coodee gaalleery too caateegooriizee thee eexteensiioon.]",
+ "vscode.extension.category.languages.deprecated": "[Usee 'Proograammiing Laanguuaagees' iinsteeaad]",
+ "vscode.extension.galleryBanner": "[Baanneer uuseed iin thee VS Coodee maarkeetplaacee.]",
+ "vscode.extension.galleryBanner.color": "[Thee baanneer cooloor oon thee VS Coodee maarkeetplaacee paagee heeaadeer.]",
+ "vscode.extension.galleryBanner.theme": "[Thee cooloor theemee foor thee foont uuseed iin thee baanneer.]",
+ "vscode.extension.contributes": "[All coontriibuutiioons oof thee VS Coodee eexteensiioon reepreeseenteed by thiis paackaagee.]",
+ "vscode.extension.preview": "[Seets thee eexteensiioon too bee flaaggeed aas aa Preeviieew iin thee Maarkeetplaacee.]",
+ "vscode.extension.activationEvents": "[Actiivaatiioon eeveents foor thee VS Coodee eexteensiioon.]",
+ "vscode.extension.activationEvents.onLanguage": "[An aactiivaatiioon eeveent eemiitteed wheeneeveer aa fiilee thaat reesoolvees too thee speeciifiieed laanguuaagee geets oopeeneed.]",
+ "vscode.extension.activationEvents.onCommand": "[An aactiivaatiioon eeveent eemiitteed wheeneeveer thee speeciifiieed coommaand geets iinvookeed.]",
+ "vscode.extension.activationEvents.onDebug": "[An aactiivaatiioon eeveent eemiitteed wheeneeveer aa uuseer iis aaboouut too staart deebuuggiing oor aaboouut too seetuup deebuug coonfiiguuraatiioons.]",
+ "vscode.extension.activationEvents.onDebugInitialConfigurations": "[An aactiivaatiioon eeveent eemiitteed wheeneeveer aa \"laauunch.jsoon\" neeeeds too bee creeaateed (aand aall prooviideeDeebuugCoonfiiguuraatiioons meethoods neeeed too bee caalleed).]",
+ "vscode.extension.activationEvents.onDebugResolve": "[An aactiivaatiioon eeveent eemiitteed wheeneeveer aa deebuug seessiioon wiith thee speeciifiic typee iis aaboouut too bee laauuncheed (aand aa coorreespoondiing reesoolveeDeebuugCoonfiiguuraatiioon meethood neeeeds too bee caalleed).]",
+ "vscode.extension.activationEvents.workspaceContains": "[An aactiivaatiioon eeveent eemiitteed wheeneeveer aa fooldeer iis oopeeneed thaat coontaaiins aat leeaast aa fiilee maatchiing thee speeciifiieed gloob paatteern.]",
+ "vscode.extension.activationEvents.onView": "[An aactiivaatiioon eeveent eemiitteed wheeneeveer thee speeciifiieed viieew iis eexpaandeed.]",
+ "vscode.extension.activationEvents.onUri": "[An aactiivaatiioon eeveent eemiitteed wheeneeveer aa systeem-wiidee Urii diireecteed toowaards thiis eexteensiioon iis oopeen.]",
+ "vscode.extension.activationEvents.star": "[An aactiivaatiioon eeveent eemiitteed oon VS Coodee staartuup. Too eensuuree aa greeaat eend uuseer eexpeeriieencee, pleeaasee uusee thiis aactiivaatiioon eeveent iin yoouur eexteensiioon oonly wheen noo ootheer aactiivaatiioon eeveents coombiinaatiioon woorks iin yoouur uusee-caasee.]",
+ "vscode.extension.badges": "[Arraay oof baadgees too diisplaay iin thee siideebaar oof thee Maarkeetplaacee's eexteensiioon paagee.]",
+ "vscode.extension.badges.url": "[Baadgee iimaagee URL.]",
+ "vscode.extension.badges.href": "[Baadgee liink.]",
+ "vscode.extension.badges.description": "[Baadgee deescriiptiioon.]",
+ "vscode.extension.markdown": "[Coontrools thee Maarkdoown reendeeriing eengiinee uuseed iin thee Maarkeetplaacee. Eiitheer giithuub (deefaauult) oor staandaard.]",
+ "vscode.extension.qna": "[Coontrools thee Q&A liink iin thee Maarkeetplaacee. Seet too maarkeetplaacee too eenaablee thee deefaauult Maarkeetplaacee Q & A siitee. Seet too aa striing too prooviidee thee URL oof aa cuustoom Q & A siitee. Seet too faalsee too diisaablee Q & A aaltoogeetheer.]",
+ "vscode.extension.extensionDependencies": "[Deepeendeenciiees too ootheer eexteensiioons. Thee iideentiifiieer oof aan eexteensiioon iis aalwaays ${puubliisheer}.${naamee}. Foor eexaamplee: vscoodee.cshaarp.]",
+ "vscode.extension.scripts.prepublish": "[Scriipt eexeecuuteed beefooree thee paackaagee iis puubliisheed aas aa VS Coodee eexteensiioon.]",
+ "vscode.extension.scripts.uninstall": "[Uniinstaall hooook foor VS Coodee eexteensiioon. Scriipt thaat geets eexeecuuteed wheen thee eexteensiioon iis coompleeteely uuniinstaalleed froom VS Coodee whiich iis wheen VS Coodee iis reestaarteed (shuutdoown aand staart) aafteer thee eexteensiioon iis uuniinstaalleed. Only Noodee scriipts aaree suuppoorteed.]",
+ "vscode.extension.icon": "[Thee paath too aa 128x128 piixeel iicoon.]"
+ },
+ "vs/workbench/services/extensions/electron-browser/extensionService": {
+ "extensionsDisabled": "[All eexteensiioons aaree diisaableed.]",
+ "extensionHostProcess.crash": "[Exteensiioon hoost teermiinaateed uuneexpeecteedly.]",
+ "extensionHostProcess.unresponsiveCrash": "[Exteensiioon hoost teermiinaateed beecaauusee iit waas noot reespoonsiivee.]",
+ "devTools": "[Opeen Deeveeloopeer Tooools]",
+ "restart": "[Reestaart Exteensiioon Hoost]",
+ "overwritingExtension": "[Oveerwriitiing eexteensiioon {0} wiith {1}.]",
+ "extensionUnderDevelopment": "[Looaadiing deeveeloopmeent eexteensiioon aat {0}]",
+ "extensionCache.invalid": "[Exteensiioons haavee beeeen moodiifiieed oon diisk. Pleeaasee reelooaad thee wiindoow.]",
+ "reloadWindow": "[Reelooaad Wiindoow]"
+ },
+ "vs/workbench/services/extensions/node/extensionPoints": {
+ "jsonParseFail": "[Faaiileed too paarsee {0}: {1}.]",
+ "fileReadFail": "[Caannoot reeaad fiilee {0}: {1}.]",
+ "jsonsParseReportErrors": "[Faaiileed too paarsee {0}: {1}.]",
+ "missingNLSKey": "[Coouuldn't fiind meessaagee foor keey {0}.]",
+ "notSemver": "[Exteensiioon veersiioon iis noot seemveer coompaatiiblee.]",
+ "extensionDescription.empty": "[Goot eempty eexteensiioon deescriiptiioon]",
+ "extensionDescription.publisher": "[proopeerty `{0}` iis maandaatoory aand muust bee oof typee `striing`]",
+ "extensionDescription.name": "[proopeerty `{0}` iis maandaatoory aand muust bee oof typee `striing`]",
+ "extensionDescription.version": "[proopeerty `{0}` iis maandaatoory aand muust bee oof typee `striing`]",
+ "extensionDescription.engines": "[proopeerty `{0}` iis maandaatoory aand muust bee oof typee `oobjeect`]",
+ "extensionDescription.engines.vscode": "[proopeerty `{0}` iis maandaatoory aand muust bee oof typee `striing`]",
+ "extensionDescription.extensionDependencies": "[proopeerty `{0}` caan bee oomiitteed oor muust bee oof typee `striing[]`]",
+ "extensionDescription.activationEvents1": "[proopeerty `{0}` caan bee oomiitteed oor muust bee oof typee `striing[]`]",
+ "extensionDescription.activationEvents2": "[proopeertiiees `{0}` aand `{1}` muust booth bee speeciifiieed oor muust booth bee oomiitteed]",
+ "extensionDescription.main1": "[proopeerty `{0}` caan bee oomiitteed oor muust bee oof typee `striing`]",
+ "extensionDescription.main2": "[Expeecteed `maaiin` ({0}) too bee iincluudeed iinsiidee eexteensiioon's fooldeer ({1}). Thiis miight maakee thee eexteensiioon noon-poortaablee.]",
+ "extensionDescription.main3": "[proopeertiiees `{0}` aand `{1}` muust booth bee speeciifiieed oor muust booth bee oomiitteed]"
+ },
+ "vs/workbench/services/extensions/electron-browser/extensionHost": {
+ "extensionHostProcess.startupFailDebug": "[Exteensiioon hoost diid noot staart iin 10 seecoonds, iit miight bee stooppeed oon thee fiirst liinee aand neeeeds aa deebuuggeer too coontiinuuee.]",
+ "extensionHostProcess.startupFail": "[Exteensiioon hoost diid noot staart iin 10 seecoonds, thaat miight bee aa proobleem.]",
+ "reloadWindow": "[Reelooaad Wiindoow]",
+ "extensionHostProcess.error": "[Erroor froom thee eexteensiioon hoost: {0}]"
+ },
+ "vs/workbench/services/files/electron-browser/remoteFileService": {
+ "invalidPath": "[Thee paath oof reesoouurcee '{0}' muust bee aabsooluutee]",
+ "fileNotFoundError": "[Fiilee noot foouund ({0})]",
+ "fileIsDirectoryError": "[Fiilee iis diireectoory]",
+ "fileNotModifiedError": "[Fiilee noot moodiifiieed siincee]",
+ "fileBinaryError": "[Fiilee seeeems too bee biinaary aand caannoot bee oopeeneed aas teext]",
+ "err.create": "[Faaiileed too creeaatee fiilee {0}]",
+ "fileMoveConflict": "[Unaablee too moovee/coopy. Fiilee aalreeaady eexiists aat deestiinaatiioon.]"
+ },
+ "vs/workbench/services/files/electron-browser/fileService": {
+ "netVersionError": "[Thee Miicroosooft .NET Fraameewoork 4.5 iis reequuiireed. Pleeaasee foolloow thee liink too iinstaall iit.]",
+ "installNet": "[Doownlooaad .NET Fraameewoork 4.5]",
+ "neverShowAgain": "[Doon't Shoow Agaaiin]",
+ "enospcError": "[{0} iis uunaablee too waatch foor fiilee chaangees iin thiis laargee woorkspaacee. Pleeaasee foolloow thee iinstruuctiioons liink too reesoolvee thiis iissuuee.]",
+ "learnMore": "[Instruuctiioons]",
+ "fileInvalidPath": "[Invaaliid fiilee reesoouurcee ({0})]",
+ "fileIsDirectoryError": "[Fiilee iis diireectoory]",
+ "fileNotModifiedError": "[Fiilee noot moodiifiieed siincee]",
+ "fileTooLargeForHeapError": "[Too oopeen aa fiilee oof thiis siizee, yoouu neeeed too reestaart VS Coodee aand aalloow iit too uusee mooree meemoory]",
+ "fileTooLargeError": "[Fiilee toooo laargee too oopeen]",
+ "fileNotFoundError": "[Fiilee noot foouund ({0})]",
+ "fileBinaryError": "[Fiilee seeeems too bee biinaary aand caannoot bee oopeeneed aas teext]",
+ "filePermission": "[Peermiissiioon deeniieed wriitiing too fiilee ({0})]",
+ "fileExists": "[Fiilee too creeaatee aalreeaady eexiists ({0})]",
+ "fileModifiedError": "[Fiilee Moodiifiieed Siincee]",
+ "fileReadOnlyError": "[Fiilee iis Reeaad Only]",
+ "fileMoveConflict": "[Unaablee too moovee/coopy. Fiilee aalreeaady eexiists aat deestiinaatiioon.]",
+ "unableToMoveCopyError": "[Unaablee too moovee/coopy. Fiilee woouuld reeplaacee fooldeer iit iis coontaaiineed iin.]",
+ "binFailed": "[Faaiileed too moovee '{0}' too thee reecyclee biin]",
+ "trashFailed": "[Faaiileed too moovee '{0}' too thee traash]"
+ },
+ "vs/workbench/services/keybinding/electron-browser/keybindingService": {
+ "nonempty": "[eexpeecteed noon-eempty vaaluuee.]",
+ "requirestring": "[proopeerty `{0}` iis maandaatoory aand muust bee oof typee `striing`]",
+ "optstring": "[proopeerty `{0}` caan bee oomiitteed oor muust bee oof typee `striing`]",
+ "vscode.extension.contributes.keybindings.command": "[Ideentiifiieer oof thee coommaand too ruun wheen keeybiindiing iis triiggeereed.]",
+ "vscode.extension.contributes.keybindings.key": "[Keey oor keey seequueencee (seepaaraatee keeys wiith pluus-siign aand seequueencees wiith spaacee, ee.g Ctrl+O aand Ctrl+L L foor aa choord).]",
+ "vscode.extension.contributes.keybindings.mac": "[Maac speeciifiic keey oor keey seequueencee.]",
+ "vscode.extension.contributes.keybindings.linux": "[Liinuux speeciifiic keey oor keey seequueencee.]",
+ "vscode.extension.contributes.keybindings.win": "[Wiindoows speeciifiic keey oor keey seequueencee.]",
+ "vscode.extension.contributes.keybindings.when": "[Coondiitiioon wheen thee keey iis aactiivee.]",
+ "vscode.extension.contributes.keybindings": "[Coontriibuutees keeybiindiings.]",
+ "invalid.keybindings": "[Invaaliid `coontriibuutees.{0}`: {1}]",
+ "unboundCommands": "[Heeree aaree ootheer aavaaiilaablee coommaands: ]",
+ "keybindings.json.title": "[Keeybiindiings coonfiiguuraatiioon]",
+ "keybindings.json.key": "[Keey oor keey seequueencee (seepaaraateed by spaacee)]",
+ "keybindings.json.command": "[Naamee oof thee coommaand too eexeecuutee]",
+ "keybindings.json.when": "[Coondiitiioon wheen thee keey iis aactiivee.]",
+ "keybindings.json.args": "[Arguumeents too paass too thee coommaand too eexeecuutee.]",
+ "keyboardConfigurationTitle": "[Keeybooaard]",
+ "dispatch": "[Coontrools thee diispaatchiing loogiic foor keey preessees too uusee eeiitheer `coodee` (reecoommeendeed) oor `keeyCoodee`.]",
+ "touchbar.enabled": "[Enaablees thee maacOS toouuchbaar buuttoons oon thee keeybooaard iif aavaaiilaablee.]"
+ },
+ "vs/workbench/services/keybinding/common/keybindingEditing": {
+ "errorKeybindingsFileDirty": "[Unaablee too wriitee beecaauusee thee keeybiindiings coonfiiguuraatiioon fiilee iis diirty. Pleeaasee saavee iit fiirst aand theen try aagaaiin.]",
+ "parseErrors": "[Unaablee too wriitee too thee keeybiindiings coonfiiguuraatiioon fiilee. Pleeaasee oopeen iit too coorreect eerroors/waarniings iin thee fiilee aand try aagaaiin.]",
+ "errorInvalidConfiguration": "[Unaablee too wriitee too thee keeybiindiings coonfiiguuraatiioon fiilee. It haas aan oobjeect whiich iis noot oof typee Arraay. Pleeaasee oopeen thee fiilee too cleeaan uup aand try aagaaiin.]",
+ "emptyKeybindingsHeader": "[Plaacee yoouur keey biindiings iin thiis fiilee too ooveerwriitee thee deefaauults]"
+ },
+ "vs/workbench/services/progress/browser/progressService2": {
+ "progress.subtitle": "[{0} - {1}]",
+ "progress.title": "[{0}: {1}]",
+ "cancel": "[Caanceel]"
+ },
+ "vs/workbench/services/mode/common/workbenchModeService": {
+ "vscode.extension.contributes.languages": "[Coontriibuutees laanguuaagee deeclaaraatiioons.]",
+ "vscode.extension.contributes.languages.id": "[ID oof thee laanguuaagee.]",
+ "vscode.extension.contributes.languages.aliases": "[Naamee aaliiaasees foor thee laanguuaagee.]",
+ "vscode.extension.contributes.languages.extensions": "[Fiilee eexteensiioons aassoociiaateed too thee laanguuaagee.]",
+ "vscode.extension.contributes.languages.filenames": "[Fiilee naamees aassoociiaateed too thee laanguuaagee.]",
+ "vscode.extension.contributes.languages.filenamePatterns": "[Fiilee naamee gloob paatteerns aassoociiaateed too thee laanguuaagee.]",
+ "vscode.extension.contributes.languages.mimetypes": "[Miimee typees aassoociiaateed too thee laanguuaagee.]",
+ "vscode.extension.contributes.languages.firstLine": "[A reeguulaar eexpreessiioon maatchiing thee fiirst liinee oof aa fiilee oof thee laanguuaagee.]",
+ "vscode.extension.contributes.languages.configuration": "[A reelaatiivee paath too aa fiilee coontaaiiniing coonfiiguuraatiioon ooptiioons foor thee laanguuaagee.]",
+ "invalid": "[Invaaliid `coontriibuutees.{0}`. Expeecteed aan aarraay.]",
+ "invalid.empty": "[Empty vaaluuee foor `coontriibuutees.{0}`]",
+ "require.id": "[proopeerty `{0}` iis maandaatoory aand muust bee oof typee `striing`]",
+ "opt.extensions": "[proopeerty `{0}` caan bee oomiitteed aand muust bee oof typee `striing[]`]",
+ "opt.filenames": "[proopeerty `{0}` caan bee oomiitteed aand muust bee oof typee `striing[]`]",
+ "opt.firstLine": "[proopeerty `{0}` caan bee oomiitteed aand muust bee oof typee `striing`]",
+ "opt.configuration": "[proopeerty `{0}` caan bee oomiitteed aand muust bee oof typee `striing`]",
+ "opt.aliases": "[proopeerty `{0}` caan bee oomiitteed aand muust bee oof typee `striing[]`]",
+ "opt.mimetypes": "[proopeerty `{0}` caan bee oomiitteed aand muust bee oof typee `striing[]`]"
+ },
+ "vs/workbench/services/textfile/electron-browser/textFileService": {
+ "saveChangesMessage": "[Doo yoouu waant too saavee thee chaangees yoouu maadee too {0}?]",
+ "saveChangesMessages": "[Doo yoouu waant too saavee thee chaangees too thee foolloowiing {0} fiilees?]",
+ "saveAll": "[&&Saavee All]",
+ "save": "[&&Saavee]",
+ "dontSave": "[Doo&&n't Saavee]",
+ "cancel": "[Caanceel]",
+ "saveChangesDetail": "[Yoouur chaangees wiill bee loost iif yoouu doon't saavee theem.]",
+ "allFiles": "[All Fiilees]",
+ "noExt": "[Noo Exteensiioon]"
+ },
+ "vs/workbench/services/textfile/common/textFileEditorModel": {
+ "saveFileFirst": "[Thee fiilee iis diirty. Pleeaasee saavee iit fiirst beefooree reeoopeeniing iit wiith aanootheer eencoodiing.]",
+ "genericSaveError": "[Faaiileed too saavee '{0}': {1}]"
+ },
+ "vs/workbench/services/textfile/common/textFileService": {
+ "files.backup.failSave": "[Fiilees thaat aaree diirty coouuld noot bee wriitteen too thee baackuup loocaatiioon (Erroor: {0}). Try saaviing yoouur fiilees fiirst aand theen eexiit.]"
+ },
+ "vs/workbench/services/textMate/electron-browser/TMSyntax": {
+ "invalid.language": "[Unknoown laanguuaagee iin `coontriibuutees.{0}.laanguuaagee`. Prooviideed vaaluuee: {1}]",
+ "invalid.scopeName": "[Expeecteed striing iin `coontriibuutees.{0}.scoopeeNaamee`. Prooviideed vaaluuee: {1}]",
+ "invalid.path.0": "[Expeecteed striing iin `coontriibuutees.{0}.paath`. Prooviideed vaaluuee: {1}]",
+ "invalid.injectTo": "[Invaaliid vaaluuee iin `coontriibuutees.{0}.iinjeectToo`. Muust bee aan aarraay oof laanguuaagee scoopee naamees. Prooviideed vaaluuee: {1}]",
+ "invalid.embeddedLanguages": "[Invaaliid vaaluuee iin `coontriibuutees.{0}.eembeeddeedLaanguuaagees`. Muust bee aan oobjeect maap froom scoopee naamee too laanguuaagee. Prooviideed vaaluuee: {1}]",
+ "invalid.tokenTypes": "[Invaaliid vaaluuee iin `coontriibuutees.{0}.tookeenTypees`. Muust bee aan oobjeect maap froom scoopee naamee too tookeen typee. Prooviideed vaaluuee: {1}]",
+ "invalid.path.1": "[Expeecteed `coontriibuutees.{0}.paath` ({1}) too bee iincluudeed iinsiidee eexteensiioon's fooldeer ({2}). Thiis miight maakee thee eexteensiioon noon-poortaablee.]",
+ "no-tm-grammar": "[Noo TM Graammaar reegiisteereed foor thiis laanguuaagee.]"
+ },
+ "vs/workbench/services/textMate/electron-browser/TMGrammars": {
+ "vscode.extension.contributes.grammars": "[Coontriibuutees teextmaatee tookeeniizeers.]",
+ "vscode.extension.contributes.grammars.language": "[Laanguuaagee iideentiifiieer foor whiich thiis syntaax iis coontriibuuteed too.]",
+ "vscode.extension.contributes.grammars.scopeName": "[Teextmaatee scoopee naamee uuseed by thee tmLaanguuaagee fiilee.]",
+ "vscode.extension.contributes.grammars.path": "[Paath oof thee tmLaanguuaagee fiilee. Thee paath iis reelaatiivee too thee eexteensiioon fooldeer aand typiicaally staarts wiith './syntaaxees/'.]",
+ "vscode.extension.contributes.grammars.embeddedLanguages": "[A maap oof scoopee naamee too laanguuaagee iid iif thiis graammaar coontaaiins eembeeddeed laanguuaagees.]",
+ "vscode.extension.contributes.grammars.tokenTypes": "[A maap oof scoopee naamee too tookeen typees.]",
+ "vscode.extension.contributes.grammars.injectTo": "[Liist oof laanguuaagee scoopee naamees too whiich thiis graammaar iis iinjeecteed too.]"
+ },
+ "vs/workbench/services/decorations/browser/decorationsService": {
+ "bubbleTitle": "[Coontaaiins eemphaasiizeed iiteems]"
+ },
+ "vs/workbench/services/workspace/node/workspaceEditingService": {
+ "errorInvalidTaskConfiguration": "[Unaablee too wriitee iintoo woorkspaacee coonfiiguuraatiioon fiilee. Pleeaasee oopeen thee fiilee too coorreect eerroors/waarniings iin iit aand try aagaaiin.]",
+ "errorWorkspaceConfigurationFileDirty": "[Unaablee too wriitee iintoo woorkspaacee coonfiiguuraatiioon fiilee beecaauusee thee fiilee iis diirty. Pleeaasee saavee iit aand try aagaaiin.]",
+ "openWorkspaceConfigurationFile": "[Opeen Woorkspaacee Coonfiiguuraatiioon]"
+ },
+ "vs/workbench/services/themes/common/colorExtensionPoint": {
+ "contributes.color": "[Coontriibuutees eexteensiioon deefiineed theemaablee cooloors]",
+ "contributes.color.id": "[Thee iideentiifiieer oof thee theemaablee cooloor]",
+ "contributes.color.id.format": "[Ideentiifiieers shoouuld bee iin thee foorm aaaa[.bb]*]",
+ "contributes.color.description": "[Thee deescriiptiioon oof thee theemaablee cooloor]",
+ "contributes.defaults.light": "[Thee deefaauult cooloor foor liight theemees. Eiitheer aa cooloor vaaluuee iin heex (#RRGGBB[AA]) oor thee iideentiifiieer oof aa theemaablee cooloor whiich prooviidees thee deefaauult.]",
+ "contributes.defaults.dark": "[Thee deefaauult cooloor foor daark theemees. Eiitheer aa cooloor vaaluuee iin heex (#RRGGBB[AA]) oor thee iideentiifiieer oof aa theemaablee cooloor whiich prooviidees thee deefaauult.]",
+ "contributes.defaults.highContrast": "[Thee deefaauult cooloor foor hiigh coontraast theemees. Eiitheer aa cooloor vaaluuee iin heex (#RRGGBB[AA]) oor thee iideentiifiieer oof aa theemaablee cooloor whiich prooviidees thee deefaauult.]",
+ "invalid.colorConfiguration": "['coonfiiguuraatiioon.cooloors' muust bee aa aarraay]",
+ "invalid.default.colorType": "[{0} muust bee eeiitheer aa cooloor vaaluuee iin heex (#RRGGBB[AA] oor #RGB[A]) oor thee iideentiifiieer oof aa theemaablee cooloor whiich prooviidees thee deefaauult.]",
+ "invalid.id": "['coonfiiguuraatiioon.cooloors.iid' muust bee deefiineed aand caan noot bee eempty]",
+ "invalid.id.format": "['coonfiiguuraatiioon.cooloors.iid' muust foolloow thee woord[.woord]*]",
+ "invalid.description": "['coonfiiguuraatiioon.cooloors.deescriiptiioon' muust bee deefiineed aand caan noot bee eempty]",
+ "invalid.defaults": "['coonfiiguuraatiioon.cooloors.deefaauults' muust bee deefiineed aand muust coontaaiin 'liight', 'daark' aand 'hiighCoontraast']"
+ },
+ "vs/workbench/services/themes/electron-browser/workbenchThemeService": {
+ "error.cannotloadtheme": "[Unaablee too looaad {0}: {1}]",
+ "colorTheme": "[Speeciifiiees thee cooloor theemee uuseed iin thee woorkbeench.]",
+ "colorThemeError": "[Theemee iis uunknoown oor noot iinstaalleed.]",
+ "iconTheme": "[Speeciifiiees thee iicoon theemee uuseed iin thee woorkbeench oor 'nuull' too noot shoow aany fiilee iicoons.]",
+ "noIconThemeDesc": "[Noo fiilee iicoons]",
+ "iconThemeError": "[Fiilee iicoon theemee iis uunknoown oor noot iinstaalleed.]",
+ "workbenchColors": "[Oveerriidees cooloors froom thee cuurreently seeleecteed cooloor theemee.]",
+ "editorColors.comments": "[Seets thee cooloors aand stylees foor coommeents]",
+ "editorColors.strings": "[Seets thee cooloors aand stylees foor striings liiteeraals.]",
+ "editorColors.keywords": "[Seets thee cooloors aand stylees foor keeywoords.]",
+ "editorColors.numbers": "[Seets thee cooloors aand stylees foor nuumbeer liiteeraals.]",
+ "editorColors.types": "[Seets thee cooloors aand stylees foor typee deeclaaraatiioons aand reefeereencees.]",
+ "editorColors.functions": "[Seets thee cooloors aand stylees foor fuunctiioons deeclaaraatiioons aand reefeereencees.]",
+ "editorColors.variables": "[Seets thee cooloors aand stylees foor vaariiaablees deeclaaraatiioons aand reefeereencees.]",
+ "editorColors.textMateRules": "[Seets cooloors aand stylees uusiing teextmaatee theemiing ruulees (aadvaanceed).]",
+ "editorColors": "[Oveerriidees eediitoor cooloors aand foont stylee froom thee cuurreently seeleecteed cooloor theemee.]"
+ },
+ "vs/workbench/services/themes/common/fileIconThemeSchema": {
+ "schema.folderExpanded": "[Thee fooldeer iicoon foor eexpaandeed fooldeers. Thee eexpaandeed fooldeer iicoon iis ooptiioonaal. If noot seet, thee iicoon deefiineed foor fooldeer wiill bee shoown.]",
+ "schema.folder": "[Thee fooldeer iicoon foor coollaapseed fooldeers, aand iif fooldeerExpaandeed iis noot seet, aalsoo foor eexpaandeed fooldeers.]",
+ "schema.file": "[Thee deefaauult fiilee iicoon, shoown foor aall fiilees thaat doon't maatch aany eexteensiioon, fiileenaamee oor laanguuaagee iid.]",
+ "schema.folderNames": "[Assoociiaatees fooldeer naamees too iicoons. Thee oobjeect keey iis iis thee fooldeer naamee, noot iincluudiing aany paath seegmeents. Noo paatteerns oor wiildcaards aaree aallooweed. Fooldeer naamee maatchiing iis caasee iinseensiitiivee.]",
+ "schema.folderName": "[Thee ID oof thee iicoon deefiiniitiioon foor thee aassoociiaatiioon.]",
+ "schema.folderNamesExpanded": "[Assoociiaatees fooldeer naamees too iicoons foor eexpaandeed fooldeers. Thee oobjeect keey iis iis thee fooldeer naamee, noot iincluudiing aany paath seegmeents. Noo paatteerns oor wiildcaards aaree aallooweed. Fooldeer naamee maatchiing iis caasee iinseensiitiivee.]",
+ "schema.folderNameExpanded": "[Thee ID oof thee iicoon deefiiniitiioon foor thee aassoociiaatiioon.]",
+ "schema.fileExtensions": "[Assoociiaatees fiilee eexteensiioons too iicoons. Thee oobjeect keey iis iis thee fiilee eexteensiioon naamee. Thee eexteensiioon naamee iis thee laast seegmeent oof aa fiilee naamee aafteer thee laast doot (noot iincluudiing thee doot). Exteensiioons aaree coompaareed caasee iinseensiitiivee.]",
+ "schema.fileExtension": "[Thee ID oof thee iicoon deefiiniitiioon foor thee aassoociiaatiioon.]",
+ "schema.fileNames": "[Assoociiaatees fiilee naamees too iicoons. Thee oobjeect keey iis iis thee fuull fiilee naamee, buut noot iincluudiing aany paath seegmeents. Fiilee naamee caan iincluudee doots aand aa poossiiblee fiilee eexteensiioon. Noo paatteerns oor wiildcaards aaree aallooweed. Fiilee naamee maatchiing iis caasee iinseensiitiivee.]",
+ "schema.fileName": "[Thee ID oof thee iicoon deefiiniitiioon foor thee aassoociiaatiioon.]",
+ "schema.languageIds": "[Assoociiaatees laanguuaagees too iicoons. Thee oobjeect keey iis thee laanguuaagee iid aas deefiineed iin thee laanguuaagee coontriibuutiioon pooiint.]",
+ "schema.languageId": "[Thee ID oof thee iicoon deefiiniitiioon foor thee aassoociiaatiioon.]",
+ "schema.fonts": "[Foonts thaat aaree uuseed iin thee iicoon deefiiniitiioons.]",
+ "schema.id": "[Thee ID oof thee foont.]",
+ "schema.src": "[Thee loocaatiioon oof thee foont.]",
+ "schema.font-path": "[Thee foont paath, reelaatiivee too thee cuurreent iicoon theemee fiilee.]",
+ "schema.font-format": "[Thee foormaat oof thee foont.]",
+ "schema.font-weight": "[Thee weeiight oof thee foont.]",
+ "schema.font-sstyle": "[Thee stylee oof thee foont.]",
+ "schema.font-size": "[Thee deefaauult siizee oof thee foont.]",
+ "schema.iconDefinitions": "[Deescriiptiioon oof aall iicoons thaat caan bee uuseed wheen aassoociiaatiing fiilees too iicoons.]",
+ "schema.iconDefinition": "[An iicoon deefiiniitiioon. Thee oobjeect keey iis thee ID oof thee deefiiniitiioon.]",
+ "schema.iconPath": "[Wheen uusiing aa SVG oor PNG: Thee paath too thee iimaagee. Thee paath iis reelaatiivee too thee iicoon seet fiilee.]",
+ "schema.fontCharacter": "[Wheen uusiing aa glyph foont: Thee chaaraacteer iin thee foont too uusee.]",
+ "schema.fontColor": "[Wheen uusiing aa glyph foont: Thee cooloor too uusee.]",
+ "schema.fontSize": "[Wheen uusiing aa foont: Thee foont siizee iin peerceentaagee too thee teext foont. If noot seet, deefaauults too thee siizee iin thee foont deefiiniitiioon.]",
+ "schema.fontId": "[Wheen uusiing aa foont: Thee iid oof thee foont. If noot seet, deefaauults too thee fiirst foont deefiiniitiioon.]",
+ "schema.light": "[Optiioonaal aassoociiaatiioons foor fiilee iicoons iin liight cooloor theemees.]",
+ "schema.highContrast": "[Optiioonaal aassoociiaatiioons foor fiilee iicoons iin hiigh coontraast cooloor theemees.]",
+ "schema.hidesExplorerArrows": "[Coonfiiguurees wheetheer thee fiilee eexplooreer's aarroows shoouuld bee hiiddeen wheen thiis theemee iis aactiivee.]"
+ },
+ "vs/workbench/services/themes/common/colorThemeSchema": {
+ "schema.token.settings": "[Cooloors aand stylees foor thee tookeen.]",
+ "schema.token.foreground": "[Fooreegroouund cooloor foor thee tookeen.]",
+ "schema.token.background.warning": "[Tookeen baackgroouund cooloors aaree cuurreently noot suuppoorteed.]",
+ "schema.token.fontStyle": "[Foont stylee oof thee ruulee: 'iitaaliic', 'boold' oor 'uundeerliinee' oor aa coombiinaatiioon. Thee eempty striing uunseets iinheeriiteed seettiings.]",
+ "schema.fontStyle.error": "[Foont stylee muust bee 'iitaaliic', 'boold' oor 'uundeerliinee' oor aa coombiinaatiioon oor thee eempty striing.]",
+ "schema.token.fontStyle.none": "[Noonee (cleeaar iinheeriiteed stylee)]",
+ "schema.properties.name": "[Deescriiptiioon oof thee ruulee.]",
+ "schema.properties.scope": "[Scoopee seeleectoor aagaaiinst whiich thiis ruulee maatchees.]",
+ "schema.tokenColors.path": "[Paath too aa tmTheemee fiilee (reelaatiivee too thee cuurreent fiilee).]",
+ "schema.colors": "[Cooloors foor syntaax hiighliightiing]"
+ },
+ "vs/workbench/services/themes/electron-browser/colorThemeData": {
+ "error.cannotparsejson": "[Proobleems paarsiing JSON theemee fiilee: {0}]",
+ "error.invalidformat.colors": "[Proobleem paarsiing cooloor theemee fiilee: {0}. Proopeerty 'cooloors' iis noot oof typee 'oobjeect'.]",
+ "error.invalidformat.tokenColors": "[Proobleem paarsiing cooloor theemee fiilee: {0}. Proopeerty 'tookeenCooloors' shoouuld bee eeiitheer aan aarraay speeciifyiing cooloors oor aa paath too aa TeextMaatee theemee fiilee]",
+ "error.plist.invalidformat": "[Proobleem paarsiing tmTheemee fiilee: {0}. 'seettiings' iis noot aarraay.]",
+ "error.cannotparse": "[Proobleems paarsiing tmTheemee fiilee: {0}]",
+ "error.cannotload": "[Proobleems looaadiing tmTheemee fiilee {0}: {1}]"
+ },
+ "vs/workbench/services/themes/electron-browser/fileIconThemeData": {
+ "error.cannotparseicontheme": "[Proobleems paarsiing fiilee iicoons fiilee: {0}]"
+ },
+ "vs/workbench/services/themes/electron-browser/colorThemeStore": {
+ "vscode.extension.contributes.themes": "[Coontriibuutees teextmaatee cooloor theemees.]",
+ "vscode.extension.contributes.themes.id": "[Id oof thee iicoon theemee aas uuseed iin thee uuseer seettiings.]",
+ "vscode.extension.contributes.themes.label": "[Laabeel oof thee cooloor theemee aas shoown iin thee UI.]",
+ "vscode.extension.contributes.themes.uiTheme": "[Baasee theemee deefiiniing thee cooloors aaroouund thee eediitoor: 'vs' iis thee liight cooloor theemee, 'vs-daark' iis thee daark cooloor theemee. 'hc-blaack' iis thee daark hiigh coontraast theemee.]",
+ "vscode.extension.contributes.themes.path": "[Paath oof thee tmTheemee fiilee. Thee paath iis reelaatiivee too thee eexteensiioon fooldeer aand iis typiicaally './theemees/theemeeFiilee.tmTheemee'.]",
+ "reqarray": "[Exteensiioon pooiint `{0}` muust bee aan aarraay.]",
+ "reqpath": "[Expeecteed striing iin `coontriibuutees.{0}.paath`. Prooviideed vaaluuee: {1}]",
+ "invalid.path.1": "[Expeecteed `coontriibuutees.{0}.paath` ({1}) too bee iincluudeed iinsiidee eexteensiioon's fooldeer ({2}). Thiis miight maakee thee eexteensiioon noon-poortaablee.]"
+ },
+ "vs/workbench/services/themes/electron-browser/fileIconThemeStore": {
+ "vscode.extension.contributes.iconThemes": "[Coontriibuutees fiilee iicoon theemees.]",
+ "vscode.extension.contributes.iconThemes.id": "[Id oof thee iicoon theemee aas uuseed iin thee uuseer seettiings.]",
+ "vscode.extension.contributes.iconThemes.label": "[Laabeel oof thee iicoon theemee aas shoown iin thee UI.]",
+ "vscode.extension.contributes.iconThemes.path": "[Paath oof thee iicoon theemee deefiiniitiioon fiilee. Thee paath iis reelaatiivee too thee eexteensiioon fooldeer aand iis typiicaally './iicoons/aaweesoomee-iicoon-theemee.jsoon'.]",
+ "reqarray": "[Exteensiioon pooiint `{0}` muust bee aan aarraay.]",
+ "reqpath": "[Expeecteed striing iin `coontriibuutees.{0}.paath`. Prooviideed vaaluuee: {1}]",
+ "reqid": "[Expeecteed striing iin `coontriibuutees.{0}.iid`. Prooviideed vaaluuee: {1}]",
+ "invalid.path.1": "[Expeecteed `coontriibuutees.{0}.paath` ({1}) too bee iincluudeed iinsiidee eexteensiioon's fooldeer ({2}). Thiis miight maakee thee eexteensiioon noon-poortaablee.]"
+ }
+}
diff --git a/internal/vite-plugin-monaco-editor-nls/src/locale/pt-br.json b/internal/vite-plugin-monaco-editor-nls/src/locale/pt-br.json
new file mode 100644
index 0000000..ed94ecb
--- /dev/null
+++ b/internal/vite-plugin-monaco-editor-nls/src/locale/pt-br.json
@@ -0,0 +1,8306 @@
+{
+ "win32/i18n/Default": {
+ "SetupAppTitle": "Instalação",
+ "SetupWindowTitle": "Instalação – %1",
+ "UninstallAppTitle": "Desinstalar",
+ "UninstallAppFullTitle": "Desinstalar %1",
+ "InformationTitle": "Informações",
+ "ConfirmTitle": "Confirmar",
+ "ErrorTitle": "Erro",
+ "SetupLdrStartupMessage": "Isso instalará %1. Você deseja continuar?",
+ "LdrCannotCreateTemp": "Não é possível criar um arquivo temporário. Instalação anulada",
+ "LdrCannotExecTemp": "Não é possível executar o arquivo no diretório temporário. Instalação anulada",
+ "LastErrorMessage": "%1.%n%nErro %2: %3",
+ "SetupFileMissing": "O arquivo %1 está ausente no diretório de instalação. Corrija o problema ou obtenha uma nova cópia do programa.",
+ "SetupFileCorrupt": "Os arquivos de instalação estão corrompidos. Obtenha uma nova cópia do programa.",
+ "SetupFileCorruptOrWrongVer": "Os arquivos de instalação estão corrompidos ou são incompatíveis com esta versão da Instalação. Corrija o problema ou obtenha uma nova cópia do programa.",
+ "InvalidParameter": "Um parâmetro inválido foi passado na linha de comando:%n%n%1",
+ "SetupAlreadyRunning": "A instalação já está em execução.",
+ "WindowsVersionNotSupported": "Este programa não dá suporte para a versão do Windows que seu computador está executando.",
+ "WindowsServicePackRequired": "Este programa exige o Service Pack %2 ou posteriores do %1.",
+ "NotOnThisPlatform": "Este programa não será executado em %1.",
+ "OnlyOnThisPlatform": "Este programa precisa ser executado em %1.",
+ "OnlyOnTheseArchitectures": "Este programa só pode ser instalado em versões do Windows criadas para as seguintes arquiteturas de processador:%n%n%1",
+ "MissingWOW64APIs": "A versão do Windows que você está executando não inclui a funcionalidade exigida pela Instalação para executar uma instalação de 64 bits. Para corrigir esse problema, instale o Service Pack %1.",
+ "WinVersionTooLowError": "Este programa exige a versão %2 ou posteriores do %1.",
+ "WinVersionTooHighError": "Este programa não pode ser instalado em %1 versão %2 ou posterior.",
+ "AdminPrivilegesRequired": "Você precisa fazer logon como um administrador para instalar este programa.",
+ "PowerUserPrivilegesRequired": "Você precisa fazer logon como administrador ou como membro do grupo de usuários avançados para instalar este programa.",
+ "SetupAppRunningError": "A Instalação detectou que o %1 está em execução no momento.%n%nFeche todas as instâncias dele agora, depois clique em OK para continuar ou em Cancelar para sair.",
+ "UninstallAppRunningError": "A desinstalação detectou que o %1 está em execução no momento.%n%nFeche todas as instâncias dele agora, clique em OK para continuar ou em Cancelar para sair.",
+ "ErrorCreatingDir": "A instalação não pôde criar o diretório \"%1\"",
+ "ErrorTooManyFilesInDir": "Não é possível criar um arquivo no diretório \"%1\" porque ele contém muitos arquivos",
+ "ExitSetupTitle": "Sair da Instalação",
+ "ExitSetupMessage": "A instalação não foi concluída. Se você sair agora, o programa não será instalado.%n%nVocê pode executar a Instalação novamente mais tarde para concluir a instalação.%n%nSair da Instalação?",
+ "AboutSetupMenuItem": "&Sobre a Configuração...",
+ "AboutSetupTitle": "Sobre a Instalação",
+ "AboutSetupMessage": "%1 versão %2%n%3%n%n%1 home page:%n%4",
+ "ButtonBack": "< &Voltar",
+ "ButtonNext": "&Avançar >",
+ "ButtonInstall": "&Instalar",
+ "ButtonOK": "OK",
+ "ButtonCancel": "Cancelar",
+ "ButtonYes": "&Sim",
+ "ButtonYesToAll": "Sim para T&udo",
+ "ButtonNo": "&Não",
+ "ButtonNoToAll": "Nã&o para Tudo",
+ "ButtonFinish": "&Concluir",
+ "ButtonBrowse": "&Procurar...",
+ "ButtonWizardBrowse": "P&rocurar...",
+ "ButtonNewFolder": "&Fazer uma Nova Pasta",
+ "SelectLanguageTitle": "Selecionar Idioma da Instalação",
+ "SelectLanguageLabel": "Selecionar o idioma a ser usado durante a instalação:",
+ "ClickNext": "Clique em Avançar para continuar ou em Cancelar para sair da Instalação.",
+ "BrowseDialogTitle": "Procurar Pasta",
+ "BrowseDialogLabel": "Selecione uma pasta na lista abaixo e clique em OK.",
+ "NewFolderName": "Nova Pasta",
+ "WelcomeLabel1": "Bem-vindo(a) ao Assistente de Instalação do [nome]",
+ "WelcomeLabel2": "Isso instalará [nome/versão] em seu computador.%n%nÉ recomendável que você feche todos os outros aplicativos antes de continuar.",
+ "WizardPassword": "Senha",
+ "PasswordLabel1": "Esta instalação é protegida por senha.",
+ "PasswordLabel3": "Forneça a senha e, em seguida, clique em Avançar para continuar. As senhas diferenciam maiúsculas de minúsculas.",
+ "PasswordEditLabel": "&Senha:",
+ "IncorrectPassword": "A senha inserida está incorreta. Tente novamente.",
+ "WizardLicense": "Contrato de Licença",
+ "LicenseLabel": "Leia as informações importantes a seguir antes de continuar.",
+ "LicenseLabel3": "Leia o Contrato de Licença a seguir. Você precisa aceitar os termos deste contrato antes de continuar a instalação.",
+ "LicenseAccepted": "Eu &aceito o contrato",
+ "LicenseNotAccepted": "&Não aceito o contrato",
+ "WizardInfoBefore": "Informações",
+ "InfoBeforeLabel": "Leia as informações importantes a seguir antes de continuar.",
+ "InfoBeforeClickLabel": "Quando você estiver pronto para continuar a Configuração, clique em Avançar.",
+ "WizardInfoAfter": "Informações",
+ "InfoAfterLabel": "Leia as informações importantes a seguir antes de continuar.",
+ "InfoAfterClickLabel": "Quando você estiver pronto para continuar a Configuração, clique em Avançar.",
+ "WizardUserInfo": "Informações sobre o Usuário",
+ "UserInfoDesc": "Insira suas informações.",
+ "UserInfoName": "&Nome de Usuário:",
+ "UserInfoOrg": "&Organização:",
+ "UserInfoSerial": "&Número de Série:",
+ "UserInfoNameRequired": "Insira um nome.",
+ "WizardSelectDir": "Selecionar Localização do Destino",
+ "SelectDirDesc": "Onde o [nome] deve ser instalado?",
+ "SelectDirLabel3": "A Instalação instalará o [nome] na seguinte pasta.",
+ "SelectDirBrowseLabel": "Para continuar, clique em Avançar. Se você deseja selecionar uma pasta diferente, clique em Procurar.",
+ "DiskSpaceMBLabel": "São necessários pelo menos [mb] MB de espaço livre em disco.",
+ "CannotInstallToNetworkDrive": "A instalação não pode ser instalada em uma unidade de rede.",
+ "CannotInstallToUNCPath": "A instalação não pode ser instalada em um caminho UNC.",
+ "InvalidPath": "Você precisa inserir um caminho completo com a letra da unidade. Por exemplo:%n%nC:\\APP%n%nou um caminho UNC no formato:%n%n\\\\server\\share",
+ "InvalidDrive": "A unidade ou o compartilhamento UNC que você selecionou não existe ou não está acessível. Selecione outro.",
+ "DiskSpaceWarningTitle": "Espaço em Disco Insuficiente",
+ "DiskSpaceWarning": "A instalação exige pelo menos %1 KB de espaço livre para a instalação, mas a unidade selecionada tem apenas %2 KB disponíveis.%n%nDeseja continuar mesmo assim?",
+ "DirNameTooLong": "O nome ou o caminho da pasta é muito longo.",
+ "InvalidDirName": "O nome da pasta não é válido.",
+ "BadDirName32": "Os nomes de pasta não podem incluir os seguintes caracteres: %n%n%1",
+ "DirExistsTitle": "A Pasta Existe",
+ "DirExists": "A pasta:%n%n%1%n%njá existe. Deseja instalar nesta pasta assim mesmo?",
+ "DirDoesntExistTitle": "A Pasta Não Existe",
+ "DirDoesntExist": "A pasta:%n%n%1%n%nnão existe. Deseja que a pasta seja criada?",
+ "WizardSelectComponents": "Selecionar Componentes",
+ "SelectComponentsDesc": "Quais componentes devem ser instalados?",
+ "SelectComponentsLabel2": "Selecione os componentes que você deseja instalar. Desmarque os componentes que não deseja instalar. Clique em Avançar para continuar.",
+ "FullInstallation": "Instalação completa",
+ "CompactInstallation": "Instalação compacta",
+ "CustomInstallation": "Instalação personalizada",
+ "NoUninstallWarningTitle": "Existência de Componentes",
+ "NoUninstallWarning": "A Instalação detectou que os seguintes componentes já estão instalados no seu computador:%n%n%1%n%nAnular a seleção desses componentes não os desinstalará.%n%nDeseja continuar mesmo assim?",
+ "ComponentSize1": "%1 KB",
+ "ComponentSize2": "%1 MB",
+ "ComponentsDiskSpaceMBLabel": "A seleção atual exige pelo menos [mb] MB de espaço em disco.",
+ "WizardSelectTasks": "Selecionar Tarefas Adicionais",
+ "SelectTasksDesc": "Quais tarefas adicionais devem ser executadas?",
+ "SelectTasksLabel2": "Selecione as tarefas adicionais que deseja que a Instalação execute ao instalar [nome] e, em seguida, clique em Avançar.",
+ "WizardSelectProgramGroup": "Selecionar Pasta do Menu Iniciar",
+ "SelectStartMenuFolderDesc": "Onde a Instalação deve colocar os atalhos do programa?",
+ "SelectStartMenuFolderLabel3": "A Instalação criará os atalhos do programa na seguinte pasta do menu Iniciar.",
+ "SelectStartMenuFolderBrowseLabel": "Para continuar, clique em Avançar. Se você deseja selecionar uma pasta diferente, clique em Procurar.",
+ "MustEnterGroupName": "É necessário digitar um nome de pasta.",
+ "GroupNameTooLong": "O nome ou o caminho da pasta é muito longo.",
+ "InvalidGroupName": "O nome da pasta não é válido.",
+ "BadGroupName": "O nome da pasta não pode incluir os seguintes caracteres: %n%n%1",
+ "NoProgramGroupCheck2": "&Não criar uma pasta do Menu Iniciar",
+ "WizardReady": "Pronto para Instalar",
+ "ReadyLabel1": "A Instalação está pronta para iniciar a instalação do [nome] no seu computador.",
+ "ReadyLabel2a": "Clique em Instalar para continuar a instalação ou clique em Voltar se desejar examinar ou alterar as configurações.",
+ "ReadyLabel2b": "Clique em Instalar para continuar a instalação.",
+ "ReadyMemoUserInfo": "Informações sobre o usuário:",
+ "ReadyMemoDir": "Localização do destino:",
+ "ReadyMemoType": "Tipo de instalação:",
+ "ReadyMemoComponents": "Componentes selecionados:",
+ "ReadyMemoGroup": "Pasta do menu Iniciar:",
+ "ReadyMemoTasks": "Tarefas adicionais:",
+ "WizardPreparing": "Preparando para Instalar",
+ "PreparingDesc": "A Instalação está se preparando para instalar o [nome] no seu computador.",
+ "PreviousInstallNotCompleted": "A instalação/remoção de um programa anterior não foi concluída. Será necessário reiniciar o computador para concluir a instalação.%n%nApós reiniciar o computador, execute a Instalação novamente para concluir a instalação do [nome].",
+ "CannotContinue": "A instalação não pode continuar. Clique em Cancelar para sair.",
+ "ApplicationsFound": "Os aplicativos a seguir estão usando arquivos que precisam ser atualizados pela Instalação. É recomendável permitir que a Instalação feche automaticamente esses aplicativos.",
+ "ApplicationsFound2": "Os aplicativos a seguir estão usando arquivos que precisam ser atualizados pela Instalação. É recomendável permitir que a Instalação feche automaticamente esses aplicativos. Após a conclusão da instalação, a Instalação tentará reiniciar os aplicativos.",
+ "CloseApplications": "&Fechar automaticamente os aplicativos",
+ "DontCloseApplications": "&Não fechar os aplicativos",
+ "ErrorCloseApplications": "A instalação não pôde fechar todos os aplicativos automaticamente. É recomendável fechar todos os aplicativos usando arquivos que precisam ser atualizados pela Instalação antes de continuar.",
+ "WizardInstalling": "Instalando",
+ "InstallingLabel": "Aguarde enquanto a Instalação instala o [name] em seu computador.",
+ "FinishedHeadingLabel": "Concluindo o Assistente de Instalação do [name]",
+ "FinishedLabelNoIcons": "A instalação terminou de instalar o [name] no seu computador.",
+ "FinishedLabel": "A instalação terminou de instalar o [name] no seu computador. O aplicativo pode ser iniciado ao selecionar os ícones instalados.",
+ "ClickFinish": "Clique em Concluir para sair da Instalação.",
+ "FinishedRestartLabel": "Para concluir a instalação do [name], a Instalação precisa reiniciar o computador. Deseja reiniciar agora?",
+ "FinishedRestartMessage": "Para concluir a instalação do [name], a Instalação precisa reiniciar o computador.%n%nDeseja reiniciar agora?",
+ "ShowReadmeCheck": "Sim, eu gostaria de exibir o arquivo LEIAME",
+ "YesRadio": "&Sim, reiniciar o computador agora",
+ "NoRadio": "&Não, reiniciarei o computador mais tarde",
+ "RunEntryExec": "Executar %1",
+ "RunEntryShellExec": "Exibir %1",
+ "ChangeDiskTitle": "A Instalação Precisa do Próximo Disco",
+ "SelectDiskLabel2": "Insira o disco %1 e clique em OK. %n%nSe os arquivos neste disco puderem ser encontrados em uma pasta diferente da exibida abaixo, insira o caminho correto ou clique em Procurar.",
+ "PathLabel": "&Caminho:",
+ "FileNotInDir2": "Não foi possível localizar o arquivo \"%1\" em \"%2\". Insira o disco correto ou selecione outra pasta.",
+ "SelectDirectoryLabel": "Especifique a localização do próximo disco.",
+ "SetupAborted": "A Instalação não foi concluída.%n%nCorrija o problema e execute a Instalação novamente.",
+ "EntryAbortRetryIgnore": "Clique em Tentar Novamente para tentar novamente, Ignorar para continuar assim mesmo ou em Anular para cancelar a instalação.",
+ "StatusClosingApplications": "Fechando aplicativos...",
+ "StatusCreateDirs": "Criando diretórios...",
+ "StatusExtractFiles": "Extraindo arquivos...",
+ "StatusCreateIcons": "Criando atalhos...",
+ "StatusCreateIniEntries": "Criando entradas INI...",
+ "StatusCreateRegistryEntries": "Criando entradas do Registro...",
+ "StatusRegisterFiles": "Registrando arquivos...",
+ "StatusSavingUninstall": "Salvando informações de desinstalação...",
+ "StatusRunProgram": "Concluindo a instalação…",
+ "StatusRestartingApplications": "Reiniciando aplicativos...",
+ "StatusRollback": "Revertendo alterações...",
+ "ErrorInternal2": "Erro interno: %1",
+ "ErrorFunctionFailedNoCode": "Falha em %1",
+ "ErrorFunctionFailed": "Falha em %1; código %2",
+ "ErrorFunctionFailedWithMessage": "Falha em %1; código %2.%n%3",
+ "ErrorExecutingProgram": "Não é possível executar o arquivo:%n%1",
+ "ErrorRegOpenKey": "Erro ao abrir a chave do Registro:%n%1\\%2",
+ "ErrorRegCreateKey": "Erro ao criar a chave do Registro:%n%1\\%2",
+ "ErrorRegWriteKey": "Erro ao gravar na chave do Registro:%n%1\\%2",
+ "ErrorIniEntry": "Erro ao criar a entrada INI no arquivo \"%1\".",
+ "FileAbortRetryIgnore": "Clique em Tentar Novamente para tentar novamente, Ignorar para ignorar este arquivo (não recomendado) ou Anular para cancelar a instalação.",
+ "FileAbortRetryIgnore2": "Clique em Tentar Novamente para tentar novamente, Ignorar para continuar mesmo assim (não recomendado) ou Anular para cancelar a instalação.",
+ "SourceIsCorrupted": "O arquivo de origem está corrompido",
+ "SourceDoesntExist": "O arquivo de origem \"%1\" não existe",
+ "ExistingFileReadOnly": "O arquivo existente está marcado como somente leitura.%n%nClique em Tentar Novamente para remover o atributo somente leitura e tente novamente, Ignorar para ignorar este arquivo ou Anular para cancelar a instalação.",
+ "ErrorReadingExistingDest": "Ocorreu um erro ao tentar ler o arquivo existente:",
+ "FileExists": "O arquivo já existe.%n%nDeseja que a Instalação o substitua?",
+ "ExistingFileNewer": "O arquivo existente é mais recente do que a Instalação está tentando instalar. É recomendável manter o arquivo existente.%n%nDeseja manter o arquivo existente?",
+ "ErrorChangingAttr": "Ocorreu um erro ao tentar alterar os atributos do arquivo existente:",
+ "ErrorCreatingTemp": "Ocorreu um erro ao tentar criar um arquivo no diretório de destino:",
+ "ErrorReadingSource": "Ocorreu um erro ao tentar ler o arquivo de origem:",
+ "ErrorCopying": "Ocorreu um erro ao tentar copiar um arquivo:",
+ "ErrorReplacingExistingFile": "Ocorreu um erro ao tentar substituir o arquivo existente:",
+ "ErrorRestartReplace": "Falha em RestartReplace:",
+ "ErrorRenamingTemp": "Ocorreu um erro ao tentar renomear um arquivo no diretório de destino:",
+ "ErrorRegisterServer": "Não é possível registrar DLL/OCX: %1",
+ "ErrorRegSvr32Failed": "O RegSvr32 falhou com o código de saída %1",
+ "ErrorRegisterTypeLib": "Não é possível registrar a biblioteca de tipos: %1",
+ "ErrorOpeningReadme": "Ocorreu um erro ao tentar abrir o arquivo LEIAME.",
+ "ErrorRestartingComputer": "A instalação não pôde reiniciar o computador. Efetue isso manualmente.",
+ "UninstallNotFound": "O arquivo \"%1\" não existe. Não é possível desinstalar.",
+ "UninstallOpenError": "Não foi possível abrir o arquivo \"%1\". Não é possível desinstalar",
+ "UninstallUnsupportedVer": "O arquivo de log de desinstalação \"%1\" está em um formato não reconhecido por esta versão do desinstalador. Não é possível desinstalar",
+ "UninstallUnknownEntry": "Foi encontrada uma entrada desconhecida (%1) no log de desinstalação",
+ "ConfirmUninstall": "Tem certeza de que deseja remover completamente %1? As extensões e as configurações não serão removidas.",
+ "UninstallOnlyOnWin64": "Esta instalação só pode ser desinstalada no Windows de 64 bits.",
+ "OnlyAdminCanUninstall": "Esta instalação só pode ser desinstalada por um usuário com privilégios administrativos.",
+ "UninstallStatusLabel": "Aguarde enquanto o %1 é removido do computador.",
+ "UninstalledAll": "%1 foi removido com êxito do seu computador.",
+ "UninstalledMost": "Desinstalação de %1 concluída.%n%nNão foi possível remover alguns elementos. Eles podem ser removidos manualmente.",
+ "UninstalledAndNeedsRestart": "Para concluir a desinstalação de %1, o seu computador precisará ser reiniciado.%n%nDeseja reiniciar agora?",
+ "UninstallDataCorrupted": "O arquivo \"%1\" está corrompido. Não é possível desinstalar",
+ "ConfirmDeleteSharedFileTitle": "Remover Arquivo Compartilhado?",
+ "ConfirmDeleteSharedFile2": "O sistema indica que o seguinte arquivo compartilhado não está mais em uso por nenhum programa. Deseja que a Desinstalação remova esse arquivo compartilhado?%n%nSe algum programa ainda estiver usando esse arquivo e ele tiver sido removido, esses programas poderão não funcionar corretamente. Se você não tiver certeza, escolha Não. Deixar o arquivo no sistema não causará nenhum dano.",
+ "SharedFileNameLabel": "Nome do arquivo:",
+ "SharedFileLocationLabel": "Localização:",
+ "WizardUninstalling": "Status da Desinstalação",
+ "StatusUninstalling": "Desinstalando %1...",
+ "ShutdownBlockReasonInstallingApp": "Instalando %1.",
+ "ShutdownBlockReasonUninstallingApp": "Desinstalando %1.",
+ "NameAndVersion": "%1 versão %2",
+ "AdditionalIcons": "Ícones adicionais:",
+ "CreateDesktopIcon": "Criar um ícone de &área de trabalho",
+ "CreateQuickLaunchIcon": "Criar um ícone de &Início Rápido",
+ "ProgramOnTheWeb": "%1 na Web",
+ "UninstallProgram": "Desinstalar %1",
+ "LaunchProgram": "Iniciar %1",
+ "AssocFileExtension": "&Associar %1 à extensão de arquivo %2",
+ "AssocingFileExtension": "Associando %1 com a extensão de arquivo %2...",
+ "AutoStartProgramGroupDescription": "Inicialização:",
+ "AutoStartProgram": "Iniciar %1 automaticamente",
+ "AddonHostProgramNotFound": "Não foi possível localizar %1 na pasta selecionada.%n%nDeseja continuar mesmo assim?"
+ },
+ "vs/base/common/date": {
+ "date.fromNow.in": "em {0}",
+ "date.fromNow.now": "agora",
+ "date.fromNow.seconds.singular.ago": "{0} segundo atrás",
+ "date.fromNow.seconds.plural.ago": "{0} segundos atrás",
+ "date.fromNow.seconds.singular": "{0} segundo",
+ "date.fromNow.seconds.plural": "{0} segundos",
+ "date.fromNow.minutes.singular.ago": "{0} minuto atrás",
+ "date.fromNow.minutes.plural.ago": "{0} minutos atrás",
+ "date.fromNow.minutes.singular": "{0} minuto",
+ "date.fromNow.minutes.plural": "{0} minutos",
+ "date.fromNow.hours.singular.ago": "{0} hora atrás",
+ "date.fromNow.hours.plural.ago": "{0} horas atrás",
+ "date.fromNow.hours.singular": "{0} hora",
+ "date.fromNow.hours.plural": "{0} horas",
+ "date.fromNow.days.singular.ago": "{0} dia atrás",
+ "date.fromNow.days.plural.ago": "{0} dias atrás",
+ "date.fromNow.days.singular": "{0} dia",
+ "date.fromNow.days.plural": "{0} dias",
+ "date.fromNow.weeks.singular.ago": "{0} semana atrás",
+ "date.fromNow.weeks.plural.ago": "{0} semanas atrás",
+ "date.fromNow.weeks.singular": "{0} semana",
+ "date.fromNow.weeks.plural": "{0} semanas",
+ "date.fromNow.months.singular.ago": "{0} mês atrás",
+ "date.fromNow.months.plural.ago": "{0} meses atrás",
+ "date.fromNow.months.singular": "{0} mês",
+ "date.fromNow.months.plural": "{0} meses",
+ "date.fromNow.years.singular.ago": "{0} ano atrás",
+ "date.fromNow.years.plural.ago": "{0} anos atrás",
+ "date.fromNow.years.singular": "{0} ano",
+ "date.fromNow.years.plural": "{0} anos"
+ },
+ "vs/base/common/codicons": {
+ "dropDownButton": "Ícone dos botões suspensos."
+ },
+ "vs/base/common/actions": {
+ "submenu.empty": "(vazio)"
+ },
+ "vs/base/node/processes": {
+ "TaskRunner.UNC": "Não é possível executar um comando do shell em uma unidade UNC."
+ },
+ "vs/base/common/errorMessage": {
+ "stackTrace.format": "{0}: {1}",
+ "nodeExceptionMessage": "Ocorreu um erro no sistema ({0})",
+ "error.defaultMessage": "Ocorreu um erro desconhecido. Verifique o log para obter detalhes.",
+ "error.moreErrors": "{0} ({1} erros no total)"
+ },
+ "vs/base/node/zip": {
+ "invalid file": "Erro ao extrair {0}. Arquivo inválido.",
+ "incompleteExtract": "Incompleto. Encontrada {0} de {1} entradas",
+ "notFound": "{0} não encontrado dentro do zip."
+ },
+ "vs/base/browser/ui/dialog/dialog": {
+ "ok": "OK",
+ "dialogInfoMessage": "Informações",
+ "dialogErrorMessage": "Erro",
+ "dialogWarningMessage": "Aviso",
+ "dialogPendingMessage": "Em Andamento",
+ "dialogClose": "Fechar Caixa de Diálogo"
+ },
+ "vs/base/browser/ui/actionbar/actionViewItems": {
+ "titleLabel": "{0} ({1})"
+ },
+ "vs/base/browser/ui/keybindingLabel/keybindingLabel": {
+ "unbound": "Não Associado"
+ },
+ "vs/base/browser/ui/menu/menubar": {
+ "mAppMenu": "Menu do Aplicativo",
+ "mMore": "Mais"
+ },
+ "vs/base/browser/ui/menu/menu": {
+ "titleLabel": "{0} ({1})"
+ },
+ "vs/base/common/jsonErrorMessages": {
+ "error.invalidSymbol": "Símbolo inválido",
+ "error.invalidNumberFormat": "Formato de número inválido",
+ "error.propertyNameExpected": "Nome da propriedade esperado",
+ "error.valueExpected": "Valor esperado",
+ "error.colonExpected": "Dois-pontos esperados",
+ "error.commaExpected": "Vírgula esperada",
+ "error.closeBraceExpected": "Chave de fechamento esperada",
+ "error.closeBracketExpected": "Colchete de fechamento esperado",
+ "error.endOfFileExpected": "Fim do arquivo esperado"
+ },
+ "vs/base/common/keybindingLabels": {
+ "ctrlKey": "Ctrl",
+ "shiftKey": "Shift",
+ "altKey": "Alt",
+ "windowsKey": "Windows",
+ "superKey": "Super",
+ "ctrlKey.long": "Control",
+ "shiftKey.long": "Shift",
+ "altKey.long": "Alt",
+ "cmdKey.long": "Command",
+ "windowsKey.long": "Windows",
+ "superKey.long": "Super"
+ },
+ "vs/base/browser/ui/tree/abstractTree": {
+ "clear": "Limpar",
+ "disable filter on type": "Desabilitar Filtrar por Tipo",
+ "enable filter on type": "Habilitar Filtrar por Tipo",
+ "empty": "Nenhum elemento encontrado",
+ "found": "Foram correspondidos {0} de {1} elementos"
+ },
+ "vs/base/browser/ui/tree/treeDefaults": {
+ "collapse all": "Recolher Tudo"
+ },
+ "vs/base/browser/ui/toolbar/toolbar": {
+ "moreActions": "Mais Ações..."
+ },
+ "vs/base/browser/ui/splitview/paneview": {
+ "viewSection": "{0} Seção"
+ },
+ "vs/base/browser/ui/inputbox/inputBox": {
+ "alertErrorMessage": "Erro: {0}",
+ "alertWarningMessage": "Aviso: {0}",
+ "alertInfoMessage": "Informações: {0}"
+ },
+ "vs/base/parts/quickinput/browser/quickInput": {
+ "backButtonIcon": "Ícone do botão voltar no diálogo de entrada rápida.",
+ "quickInput.back": "Voltar",
+ "quickInput.steps": "{0}/{1}",
+ "quickInputBox.ariaLabel": "Digite para restringir os resultados.",
+ "inputModeEntry": "Pressione 'Enter' para confirmar sua entrada ou 'Escape' para cancelar",
+ "inputModeEntryDescription": "{0} (Pressione 'Enter' para confirmar ou 'Escape' para cancelar)",
+ "quickInput.visibleCount": "{0} Resultados",
+ "quickInput.countSelected": "{0} Selecionados",
+ "ok": "OK",
+ "custom": "Personalizado",
+ "quickInput.backWithKeybinding": "Voltar ({0})"
+ },
+ "vs/base/browser/ui/findinput/findInput": {
+ "defaultLabel": "entrada"
+ },
+ "vs/base/browser/ui/findinput/replaceInput": {
+ "defaultLabel": "entrada",
+ "label.preserveCaseCheckbox": "Preservar Maiúsculas e Minúsculas"
+ },
+ "vs/base/browser/ui/findinput/findInputCheckboxes": {
+ "caseDescription": "Diferenciar Maiúsculas de Minúsculas",
+ "wordsDescription": "Coincidir Palavra Inteira",
+ "regexDescription": "Usar Expressão Regular"
+ },
+ "vs/base/parts/quickinput/browser/quickInputList": {
+ "quickInput": "Entrada Rápida"
+ },
+ "vs/base/browser/ui/selectBox/selectBoxCustom": {
+ "selectBox": "Selecionar Caixa"
+ },
+ "vs/editor/browser/editorExtensions": {
+ "miUndo": "&&Desfazer",
+ "undo": "Desfazer",
+ "miRedo": "&&Refazer",
+ "redo": "Refazer",
+ "miSelectAll": "&&Selecionar Tudo",
+ "selectAll": "Selecionar Tudo"
+ },
+ "vs/editor/common/modes/modesRegistry": {
+ "plainText.alias": "Texto sem Formatação"
+ },
+ "vs/editor/common/config/editorOptions": {
+ "accessibilitySupport.auto": "O editor usará APIs de plataforma para detectar quando um Leitor de Tela está anexado.",
+ "accessibilitySupport.on": "O editor será otimizado permanentemente para uso com um Leitor de Tela.",
+ "accessibilitySupport.off": "O editor nunca será otimizado para uso com um Leitor de Tela.",
+ "accessibilitySupport": "Controla se o editor deve ser executado em um modo em que é otimizado para leitores de tela.",
+ "comments.insertSpace": "Controla se um caractere de espaço é inserido durante o comentário.",
+ "comments.ignoreEmptyLines": "Controla se linhas vazias devem ser ignoradas com as ações de alternância, adição ou remoção para comentários de linha.",
+ "emptySelectionClipboard": "Controla se a cópia sem uma seleção copia a linha atual.",
+ "find.cursorMoveOnType": "Controla se o cursor deve ir para a localização de correspondências durante a digitação.",
+ "find.seedSearchStringFromSelection": "Controla se a cadeia de caracteres de pesquisa em Localizar Widget é propagada da seleção do editor.",
+ "editor.find.autoFindInSelection.never": "Nunca ativar Localizar na seleção automaticamente (padrão)",
+ "editor.find.autoFindInSelection.always": "Sempre ativar Localizar na seleção automaticamente",
+ "editor.find.autoFindInSelection.multiline": "Ativar Localizar na seleção automaticamente quando várias linhas de conteúdo forem selecionadas.",
+ "find.autoFindInSelection": "Controla a condição para ativar a localização na seleção automaticamente.",
+ "find.globalFindClipboard": "Controla se Localizar Widget deve ler ou modificar a área de transferência de localização compartilhada no macOS.",
+ "find.addExtraSpaceOnTop": "Controla se Localizar Widget deve adicionar linhas extras na parte superior do editor. Quando true, você poderá rolar para além da primeira linha quando Localizar Widget estiver visível.",
+ "find.loop": "Controla se a pesquisa é reiniciada automaticamente do início (ou do fim) quando nenhuma correspondência adicional é encontrada.",
+ "fontLigatures": "Habilita/Desabilita as ligaturas de fonte (os recursos de fonte 'calt' e 'liga'). Altere esta opção para uma cadeia de caracteres para obter o controle refinado da propriedade 'font-feature-settings' do CSS.",
+ "fontFeatureSettings": "A propriedade 'font-feature-settings' explícita do CSS. Quando é necessário ativar/desativar ligaturas, é possível passar um booliano.",
+ "fontLigaturesGeneral": "Configura as ligaturas de fonte ou os recursos de fonte. Pode ser um booliano para habilitar/desabilitar ligaturas ou uma cadeia de caracteres para o valor da propriedade 'font-feature-settings' do CSS.",
+ "fontSize": "Controla o tamanho da fonte em pixels.",
+ "fontWeightErrorMessage": "Somente palavras-chave \"normal\" e \"bold\" ou números entre 1 e 1.000 são permitidos.",
+ "fontWeight": "Controla a espessura da fonte. Aceita palavras-chave \"normal\" e \"bold\" ou números entre 1 e 1.000.",
+ "editor.gotoLocation.multiple.peek": "Mostrar exibição com espiada dos resultados (padrão)",
+ "editor.gotoLocation.multiple.gotoAndPeek": "Ir para o resultado primário e mostrar uma exibição com espiada",
+ "editor.gotoLocation.multiple.goto": "Ir para o resultado primário e habilitar a navegação sem espiada para outros",
+ "editor.gotoLocation.multiple.deprecated": "Essa configuração foi preterida. Use configurações separadas como 'editor.editor.gotoLocation.multipleDefinitions' ou 'editor.editor.gotoLocation.multipleImplementations'.",
+ "editor.editor.gotoLocation.multipleDefinitions": "Controla o comportamento do comando 'Go to Definition' quando há vários locais de destino.",
+ "editor.editor.gotoLocation.multipleTypeDefinitions": "Controla o comportamento do comando 'Go to Type Definition' quando há vários locais de destino.",
+ "editor.editor.gotoLocation.multipleDeclarations": "Controla o comportamento do comando 'Go to Declaration' quando há vários locais de destino.",
+ "editor.editor.gotoLocation.multipleImplemenattions": "Controla o comportamento do comando 'Go to Implementations' quando há vários locais de destino.",
+ "editor.editor.gotoLocation.multipleReferences": "Controla o comportamento do comando 'Go to References' quando há vários locais de destino.",
+ "alternativeDefinitionCommand": "A ID de comando alternativa que está sendo executada quando o resultado de 'Ir para Definição' é a localização atual.",
+ "alternativeTypeDefinitionCommand": "A ID de comando alternativa que está sendo executada quando o resultado de 'Ir para Definição de Tipo' é a localização atual.",
+ "alternativeDeclarationCommand": "ID de comando alternativa que está sendo executada quando o resultado de 'Ir para Declaração' é a localização atual.",
+ "alternativeImplementationCommand": "A ID de comando alternativa que está sendo executada quando o resultado de 'Ir para Implementação' é a localização atual.",
+ "alternativeReferenceCommand": "A ID de comando alternativa que está sendo executada quando o resultado de 'Ir para Referência' é a localização atual.",
+ "hover.enabled": "Controla se o foco é mostrado.",
+ "hover.delay": "Controla o atraso em milissegundos após o qual o foco é exibido.",
+ "hover.sticky": "Controla se o foco deve permanecer visível quando o mouse é movido sobre ele.",
+ "codeActions": "Habilita a lâmpada de ação do código no editor.",
+ "lineHeight": "Controla a altura da linha. Use 0 para computar a altura da linha do tamanho da fonte.",
+ "minimap.enabled": "Controla se o minimapa é exibido.",
+ "minimap.size.proportional": "O minimapa tem o mesmo tamanho que o conteúdo do editor (e pode rolar).",
+ "minimap.size.fill": "O minimapa alongará ou reduzirá conforme necessário para preencher a altura do editor (sem rolagem).",
+ "minimap.size.fit": "O minimapa será reduzido conforme o necessário para nunca ser maior que o editor (sem rolagem).",
+ "minimap.size": "Controla o tamanho do minimapa.",
+ "minimap.side": "Controla o lado em que o minimapa deve ser renderizado.",
+ "minimap.showSlider": "Controla quando o controle deslizante do minimapa é exibido.",
+ "minimap.scale": "Escala de conteúdo desenhada no minimapa: 1, 2 ou 3.",
+ "minimap.renderCharacters": "Renderizar os caracteres reais em uma linha, em oposição aos blocos de cores.",
+ "minimap.maxColumn": "Limitar a largura do minimapa para renderizar no máximo um determinado número de colunas.",
+ "padding.top": "Controla a quantidade de espaço entre a borda superior do editor e a primeira linha.",
+ "padding.bottom": "Controla a quantidade de espaço entre a borda inferior do editor e a última linha.",
+ "parameterHints.enabled": "Habilita um pop-up que mostra a documentação do parâmetro e as informações de tipo conforme você digita.",
+ "parameterHints.cycle": "Controla se o parâmetro sugere ciclos de menu ou fecha ao chegar ao final da lista.",
+ "quickSuggestions.strings": "Habilitar sugestões rápidas dentro de cadeias de caracteres.",
+ "quickSuggestions.comments": "Habilitar sugestões rápidas dentro de comentários.",
+ "quickSuggestions.other": "Habilitar sugestões rápidas fora de cadeias de caracteres e comentários.",
+ "quickSuggestions": "Controla se as sugestões devem ser exibidas automaticamente durante a digitação.",
+ "lineNumbers.off": "Os números de linha não são renderizados.",
+ "lineNumbers.on": "Os números de linha são renderizados como um número absoluto.",
+ "lineNumbers.relative": "Os números de linha são renderizados como distância em linhas à posição do cursor.",
+ "lineNumbers.interval": "Os números de linha são renderizados a cada dez linhas.",
+ "lineNumbers": "Controla a exibição de números de linha.",
+ "rulers.size": "Número de caracteres com espaçamento uniforme em que esta régua do editor será renderizada.",
+ "rulers.color": "Cor desta régua do editor.",
+ "rulers": "Renderizar réguas verticais após um determinado número de caracteres com espaçamento uniforme. Usar vários valores para várias réguas. Nenhuma régua será desenhada se a matriz estiver vazia.",
+ "suggest.insertMode.insert": "Inserir sugestão sem substituir o texto à direita do cursor.",
+ "suggest.insertMode.replace": "Inserir a sugestão e substituir o texto à direita do cursor.",
+ "suggest.insertMode": "Controla se as palavras são substituídas ao aceitar as conclusões. Observe que isso depende de extensões que optam por esse recurso.",
+ "suggest.filterGraceful": "Controla se a filtragem e classificação de sugestões considera erros pequenos de digitação.",
+ "suggest.localityBonus": "Controla se a classificação favorece palavras que aparecem próximo ao cursor.",
+ "suggest.shareSuggestSelections": "Controla se as seleções de sugestão lembradas são compartilhadas entre vários workspaces e janelas (precisa de `#editor.suggestSelection#`).",
+ "suggest.snippetsPreventQuickSuggestions": "Controla se um snippet ativo impede sugestões rápidas.",
+ "suggest.showIcons": "Controla se os ícones em sugestões devem ser mostrados ou ocultados.",
+ "suggest.showStatusBar": "Controla a visibilidade da barra de status na parte inferior do widget de sugestão.",
+ "suggest.showInlineDetails": "Controla se os detalhes da sugestão são mostrados embutidos com o rótulo ou somente no widget de detalhes",
+ "suggest.maxVisibleSuggestions.dep": "Esta configuração foi preterida. Agora, o widget de sugestão pode ser redimensionado.",
+ "deprecated": "Esta configuração foi preterida. Use configurações separadas como 'editor.suggest.showKeywords' ou 'editor.suggest.showSnippets'.",
+ "editor.suggest.showMethods": "Quando habilitado, o IntelliSense mostra sugestões de `method`.",
+ "editor.suggest.showFunctions": "Quando habilitado, o IntelliSense mostra sugestões de `function`.",
+ "editor.suggest.showConstructors": "Quando habilitado, o IntelliSense mostra sugestões de `constructor`.",
+ "editor.suggest.showFields": "Quando habilitado, o IntelliSense mostra sugestões de `field`.",
+ "editor.suggest.showVariables": "Quando habilitado, o IntelliSense mostra sugestões de `variable`.",
+ "editor.suggest.showClasss": "Quando habilitado, o IntelliSense mostra sugestões de `class`.",
+ "editor.suggest.showStructs": "Quando habilitado, o IntelliSense mostra sugestões de `struct`.",
+ "editor.suggest.showInterfaces": "Quando habilitado, o IntelliSense mostra sugestões de `interface`.",
+ "editor.suggest.showModules": "Quando habilitado, o IntelliSense mostra sugestões de `module`.",
+ "editor.suggest.showPropertys": "Quando habilitado, o IntelliSense mostra sugestões de `property`.",
+ "editor.suggest.showEvents": "Quando habilitado, o IntelliSense mostra sugestões de `event`.",
+ "editor.suggest.showOperators": "Quando habilitado, o IntelliSense mostra sugestões de `operator`.",
+ "editor.suggest.showUnits": "Quando habilitado, o IntelliSense mostra sugestões de `unit`.",
+ "editor.suggest.showValues": "Quando habilitado, o IntelliSense mostra sugestões de `value`.",
+ "editor.suggest.showConstants": "Quando habilitado, o IntelliSense mostra sugestões de `constant`.",
+ "editor.suggest.showEnums": "Quando habilitado, o IntelliSense mostra sugestões de `enum`.",
+ "editor.suggest.showEnumMembers": "Quando habilitado, o IntelliSense mostra sugestões de `enumMember`.",
+ "editor.suggest.showKeywords": "Quando habilitado, o IntelliSense mostra sugestões de `keyword`.",
+ "editor.suggest.showTexts": "Quando habilitado, o IntelliSense mostra sugestões de `text`.",
+ "editor.suggest.showColors": "Quando habilitado, o IntelliSense mostra sugestões de `color`.",
+ "editor.suggest.showFiles": "Quando habilitado, o IntelliSense mostra sugestões de `file`.",
+ "editor.suggest.showReferences": "Quando habilitado, o IntelliSense mostra sugestões de `reference`.",
+ "editor.suggest.showCustomcolors": "Quando habilitado, o IntelliSense mostra sugestões de `customcolor`.",
+ "editor.suggest.showFolders": "Quando habilitado, o IntelliSense mostra sugestões de `folder`.",
+ "editor.suggest.showTypeParameters": "Quando habilitado, o IntelliSense mostra sugestões de `typeParameter`.",
+ "editor.suggest.showSnippets": "Quando habilitado, o IntelliSense mostra sugestões de `snippet`.",
+ "editor.suggest.showUsers": "Quando habilitado, o IntelliSense mostra sugestões de `user`.",
+ "editor.suggest.showIssues": "Quando habilitado, o IntelliSense mostra sugestões de `issues`.",
+ "selectLeadingAndTrailingWhitespace": "Se os espaços em branco à direita e à esquerda sempre devem ser selecionados.",
+ "acceptSuggestionOnCommitCharacter": "Controla se as sugestões devem ser aceitas em caracteres de confirmação. Por exemplo, em JavaScript, o ponto e vírgula (`;`) pode ser um caractere de confirmação que aceita uma sugestão e digita esse caractere.",
+ "acceptSuggestionOnEnterSmart": "Somente aceitar uma sugestão com `Enter` quando ela fizer uma alteração textual.",
+ "acceptSuggestionOnEnter": "Controla se as sugestões devem ser aceitas pressionando `Enter`, além de `Tab`. Ajuda a evitar ambiguidade entre a inserção de novas linhas ou a aceitação de sugestões.",
+ "accessibilityPageSize": "Controla o número de linhas no editor que pode ser lido por um leitor de tela. Aviso: isso tem uma implicação de desempenho para números maiores que o padrão.",
+ "editorViewAccessibleLabel": "Conteúdo do editor",
+ "editor.autoClosingBrackets.languageDefined": "Usar as configurações de linguagem para determinar quando fechar automaticamente os colchetes.",
+ "editor.autoClosingBrackets.beforeWhitespace": "Fechar automaticamente os colchetes somente quando o cursor estiver à esquerda do espaço em branco.",
+ "autoClosingBrackets": "Controla se o editor deve fechar automaticamente os colchetes após o usuário adicionar um colchete de abertura.",
+ "editor.autoClosingOvertype.auto": "Digitar usando colchetes ou aspas de fechamento somente se eles tiverem sido inseridos automaticamente.",
+ "autoClosingOvertype": "Controla se o editor deve digitar usando colchetes ou aspas de fechamento.",
+ "editor.autoClosingQuotes.languageDefined": "Use as configurações de linguagem para determinar quando fechar as aspas automaticamente.",
+ "editor.autoClosingQuotes.beforeWhitespace": "Fechar automaticamente as aspas somente quando o cursor estiver à esquerda do espaço em branco.",
+ "autoClosingQuotes": "Controla se o editor deverá fechar as aspas automaticamente depois que o usuário adicionar aspas de abertura.",
+ "editor.autoIndent.none": "O editor não inserirá o recuo automaticamente.",
+ "editor.autoIndent.keep": "O editor manterá o recuo da linha atual.",
+ "editor.autoIndent.brackets": "O editor manterá o recuo da linha atual e honrará os colchetes definidos por linguagem.",
+ "editor.autoIndent.advanced": "O editor manterá o recuo da linha atual, honrará os colchetes definidos por linguagem e invocará onEnterRules especiais definidos por linguagens.",
+ "editor.autoIndent.full": "O editor manterá o recuo da linha atual, honrará os colchetes definidos por linguagem, invocará onEnterRules especiais definidos por linguagens e honrará indentationRules definido por linguagens.",
+ "autoIndent": "Controla se o editor deve ajustar automaticamente o recuo quando os usuários digitam, colam, movem ou recuam linhas.",
+ "editor.autoSurround.languageDefined": "Usar as configurações de linguagem para determinar quando circundar as seleções automaticamente.",
+ "editor.autoSurround.quotes": "Colocar entre aspas, mas não entre colchetes.",
+ "editor.autoSurround.brackets": "Colocar entre colchetes, mas não entre aspas.",
+ "autoSurround": "Controla se o editor deve envolver as seleções automaticamente.",
+ "stickyTabStops": "Emular o comportamento de seleção dos caracteres de tabulação ao usar espaços para recuo. A seleção será para as paradas de tabulação.",
+ "codeLens": "Controla se o editor mostra CodeLens.",
+ "codeLensFontFamily": "Controla a família de fontes do CodeLens.",
+ "codeLensFontSize": "Controla o tamanho da fonte do CodeLens em pixels. Quando esta configuração é definida como `0`, os 90% de `#editor.fontSize#` são usados.",
+ "colorDecorators": "Controla se o editor deve renderizar o seletor de cor e os decoradores de cor embutidos.",
+ "columnSelection": "Permite que a seleção com o mouse e as teclas faça a seleção de coluna.",
+ "copyWithSyntaxHighlighting": "Controla se o realce de sintaxe deve ser copiado para a área de transferência.",
+ "cursorBlinking": "Controla o estilo de animação do cursor.",
+ "cursorSmoothCaretAnimation": "Controla se a animação de cursor suave deve ser habilitada.",
+ "cursorStyle": "Controla o estilo do cursor.",
+ "cursorSurroundingLines": "Controla o número mínimo de linhas visíveis à esquerda e à direita ao redor do cursor. Conhecido como 'scrollOff' ou 'scrollOffset' em alguns outros editores.",
+ "cursorSurroundingLinesStyle.default": "`cursorSurroundingLines` é imposto somente quando disparado via teclado ou API.",
+ "cursorSurroundingLinesStyle.all": "`cursorSurroundingLines` é sempre imposto.",
+ "cursorSurroundingLinesStyle": "Controla quando `cursorSurroundingLines` deve ser imposto.",
+ "cursorWidth": "Controla a largura do cursor quando `#editor.cursorStyle#` está definido como `line`.",
+ "dragAndDrop": "Controla se o editor deve permitir a movimentação de seleções por meio de arrastar e soltar.",
+ "fastScrollSensitivity": "Multiplicador de velocidade de rolagem ao pressionar `Alt`.",
+ "folding": "Controla se o editor tem a dobragem de código habilitada.",
+ "foldingStrategy.auto": "Usar uma estratégia de dobragem específica a um idioma, se disponível, senão usar uma baseada em recuo.",
+ "foldingStrategy.indentation": "Usar a estratégia de dobragem baseada em recuo.",
+ "foldingStrategy": "Controla a estratégia para os intervalos de dobragem de computação.",
+ "foldingHighlight": "Controla se o editor deve realçar intervalos dobrados.",
+ "unfoldOnClickAfterEndOfLine": "Controla se clicar no conteúdo vazio depois de uma linha dobrada desdobrará a linha.",
+ "fontFamily": "Controla a família de fontes.",
+ "formatOnPaste": "Controla se o editor deve formatar automaticamente o conteúdo colado. Um formatador precisa estar disponível e o formatador deve ser capaz de formatar um intervalo em um documento.",
+ "formatOnType": "Controla se o editor deve formatar automaticamente a linha após a digitação.",
+ "glyphMargin": "Controla se o editor deve renderizar a margem vertical do glifo. A margem do glifo é usada principalmente para depuração.",
+ "hideCursorInOverviewRuler": "Controla se o cursor deve ser ocultado na régua de visão geral.",
+ "highlightActiveIndentGuide": "Controla se o editor deve realçar a guia de recuo ativo.",
+ "letterSpacing": "Controla o espaçamento de letras em pixels.",
+ "linkedEditing": "Controla se o editor tem a edição vinculada habilitada. Dependendo do idioma, os símbolos relacionados, por exemplo, a marcas HTML, são atualizados durante a edição.",
+ "links": "Controla se o editor deve detectar links e torná-los clicáveis.",
+ "matchBrackets": "Realçar colchetes correspondentes.",
+ "mouseWheelScrollSensitivity": "Um multiplicador a ser usado no `deltaX` e no `deltaY` dos eventos de rolagem do mouse.",
+ "mouseWheelZoom": "Aplicar zoom à fonte do editor ao usar o botão de rolagem do mouse e segurar `Ctrl`.",
+ "multiCursorMergeOverlapping": "Mesclar vários cursores quando eles estiverem sobrepostos.",
+ "multiCursorModifier.ctrlCmd": "Mapeia para `Control` no Windows e no Linux e para `Command` no macOS.",
+ "multiCursorModifier.alt": "Mapeia para `Alt` no Windows e no Linux e para `Option` no macOS.",
+ "multiCursorModifier": "O modificador a ser usado para adicionar vários cursores com o mouse. Os gestos do mouse Ir para Definição e Abrir Link se adaptarão para que eles não entrem em conflito com o modificador de multicursor. [Leia mais] (https://code.visualstudio.com/docs/editor/codebasics#_multicursor-modifier).",
+ "multiCursorPaste.spread": "Cada cursor cola uma única linha do texto.",
+ "multiCursorPaste.full": "Cada cursor cola o texto completo.",
+ "multiCursorPaste": "Controla a colagem quando a contagem de linhas do texto colado corresponde à contagem do cursor.",
+ "occurrencesHighlight": "Controla se o editor deve realçar ocorrências de símbolo semântico.",
+ "overviewRulerBorder": "Controla se uma borda deve ser desenhada ao redor da régua de visão geral.",
+ "peekWidgetDefaultFocus.tree": "Focalizar a árvore ao abrir a espiada",
+ "peekWidgetDefaultFocus.editor": "Focalizar o editor ao abrir a espiada",
+ "peekWidgetDefaultFocus": "Controla se deve focar o editor embutido ou a árvore no widget de espiada.",
+ "definitionLinkOpensInPeek": "Controla se o gesto do mouse Ir para Definição sempre abre o widget de espiada.",
+ "quickSuggestionsDelay": "Controla o atraso em milissegundos após o qual as sugestões rápidas serão exibidas.",
+ "renameOnType": "Controla se o editor é renomeado automaticamente no tipo.",
+ "renameOnTypeDeprecate": "Preterido. Use `editor.linkedEditing`.",
+ "renderControlCharacters": "Controla se o editor deve renderizar caracteres de controle.",
+ "renderIndentGuides": "Controla se o editor deve renderizar guias de recuo.",
+ "renderFinalNewline": "Renderizar o número da última linha quando o arquivo terminar com uma nova linha.",
+ "renderLineHighlight.all": "Realça a medianiz e a linha atual.",
+ "renderLineHighlight": "Controla como o editor deve renderizar o realce da linha atual.",
+ "renderLineHighlightOnlyWhenFocus": "Controla se o editor deve renderizar o realce de linha atual somente quando está com foco",
+ "renderWhitespace.boundary": "Renderizar caracteres de espaço em branco, exceto espaços únicos entre palavras.",
+ "renderWhitespace.selection": "Renderizar caracteres de espaço em branco somente no texto selecionado.",
+ "renderWhitespace.trailing": "Renderizar somente caracteres de espaço em branco à direita",
+ "renderWhitespace": "Controla como o editor deve renderizar caracteres de espaço em branco.",
+ "roundedSelection": "Controla se as seleções devem ter cantos arredondados.",
+ "scrollBeyondLastColumn": "Controla o número de caracteres extras acima do qual o editor será rolado horizontalmente.",
+ "scrollBeyondLastLine": "Controla se o editor será rolado para além da última linha.",
+ "scrollPredominantAxis": "Rolar apenas ao longo do eixo predominante ao rolar vertical e horizontalmente ao mesmo tempo. Evita o descompasso horizontal ao rolar verticalmente em um trackpad.",
+ "selectionClipboard": "Controla se a área de transferência primária do Linux deve ser compatível.",
+ "selectionHighlight": "Controla se o editor deve realçar correspondências semelhantes à seleção.",
+ "showFoldingControls.always": "Sempre mostrar os controles de dobragem.",
+ "showFoldingControls.mouseover": "Mostrar somente os controles de dobragem quando o mouse estiver sobre a medianiz.",
+ "showFoldingControls": "Controla quando os controles de dobragem na medianiz são exibidos.",
+ "showUnused": "Controla o esmaecimento do código não usado.",
+ "showDeprecated": "Controla variáveis preteridas do tachado.",
+ "snippetSuggestions.top": "Mostrar sugestões de snippet na parte superior de outras sugestões.",
+ "snippetSuggestions.bottom": "Mostrar sugestões de snippet abaixo de outras sugestões.",
+ "snippetSuggestions.inline": "Mostrar sugestões de snippets com outras sugestões.",
+ "snippetSuggestions.none": "Não mostrar sugestões de snippet.",
+ "snippetSuggestions": "Controla se os snippets são mostrados com outras sugestões e como são classificados.",
+ "smoothScrolling": "Controla se o editor rolará usando uma animação.",
+ "suggestFontSize": "Tamanho da fonte do widget de sugestão. Quando definido como `0`, o valor de `#editor.fontSize#` é usado.",
+ "suggestLineHeight": "Altura da linha do widget de sugestão. Quando definida como `0`, o valor de `#editor.lineHeight#` é usado. O valor mínimo é 8.",
+ "suggestOnTriggerCharacters": "Controla se as sugestões devem ser exibidas automaticamente ao digitar caracteres de gatilho.",
+ "suggestSelection.first": "Sempre selecionar a primeira sugestão.",
+ "suggestSelection.recentlyUsed": "Selecionar sugestões recentes, a menos que outra digitação selecione uma, por exemplo, `console.| -> console.log`, pois `log` foi concluído recentemente.",
+ "suggestSelection.recentlyUsedByPrefix": "Selecionar sugestões com base nos prefixos anteriores que concluíram essas sugestões, por exemplo, `co -> console` e `con -> const`.",
+ "suggestSelection": "Controla como as sugestões são previamente selecionadas ao mostrar a lista de sugestões.",
+ "tabCompletion.on": "A conclusão da tabulação inserirá a melhor sugestão de correspondência quando você pressionar a tecla Tab.",
+ "tabCompletion.off": "Desabilitar as conclusões da tabulação.",
+ "tabCompletion.onlySnippets": "A conclusão da tabulação insere snippets quando o prefixo corresponde. Funciona melhor quando 'quickSuggestions' não está habilitado.",
+ "tabCompletion": "Habilita as conclusões da tabulação.",
+ "unusualLineTerminators.auto": "Terminadores de linha incomuns são removidos automaticamente.",
+ "unusualLineTerminators.off": "Terminadores de linha incomuns são ignorados.",
+ "unusualLineTerminators.prompt": "Terminadores de linha incomuns solicitam ser removidos.",
+ "unusualLineTerminators": "Remover terminadores de linha incomuns que possam causar problemas.",
+ "useTabStops": "A inserção e a exclusão de um espaço em branco seguem as paradas da tabulação.",
+ "wordSeparators": "Caracteres que serão usados como separadores de palavras ao fazer operações ou navegações relacionadas a palavras.",
+ "wordWrap.off": "As linhas nunca serão quebradas.",
+ "wordWrap.on": "As linhas serão quebradas na largura do visor.",
+ "wordWrap.wordWrapColumn": "As linhas serão quebradas em `#editor.wordWrapColumn#`.",
+ "wordWrap.bounded": "As linhas serão quebradas no mínimo do visor e de `#editor.wordWrapColumn#`.",
+ "wordWrap": "Controla como as linhas devem ser quebradas.",
+ "wordWrapColumn": "Controla a coluna de quebra de linha do editor quando `#editor.wordWrap#` é `wordWrapColumn` ou `bounded`.",
+ "wrappingIndent.none": "Sem recuo. Linhas quebradas começam na coluna 1.",
+ "wrappingIndent.same": "As linhas quebradas têm o mesmo recuo que o pai.",
+ "wrappingIndent.indent": "As linhas quebradas obtêm recuo de +1 para o pai.",
+ "wrappingIndent.deepIndent": "As linhas quebradas obtêm recuo de +2 para o pai.",
+ "wrappingIndent": "Controla o recuo de linhas quebradas.",
+ "wrappingStrategy.simple": "Assume que todos os caracteres têm a mesma largura. Este é um algoritmo rápido que funciona corretamente para fontes com espaçamento uniforme e determinados scripts (como caracteres latinos) em que os glifos têm a mesma largura.",
+ "wrappingStrategy.advanced": "Delega a computação do ponto de quebra de linha para o navegador. Este é um algoritmo lento, que pode causar congelamento para arquivos grandes, mas funciona corretamente em todos os casos.",
+ "wrappingStrategy": "Controla o algoritmo que computa pontos de quebra de linha."
+ },
+ "vs/editor/common/view/editorColorRegistry": {
+ "lineHighlight": "Cor da tela de fundo para o realce da linha na posição do cursor.",
+ "lineHighlightBorderBox": "Cor da tela de fundo da borda ao redor da linha na posição do cursor.",
+ "rangeHighlight": "Cor da tela de fundo dos intervalos realçados, como os recursos para abrir e localizar rapidamente. A cor não deve ser opaca para não ocultar decorações subjacentes.",
+ "rangeHighlightBorder": "Cor da tela de fundo da borda ao redor dos intervalos realçados.",
+ "symbolHighlight": "Cor da tela de fundo do símbolo realçado, como para ir para definição ou para ir para o próximo símbolo/símbolo anterior. A cor não deve ser opaca para não ocultar decorações subjacentes.",
+ "symbolHighlightBorder": "Cor da tela de fundo da borda ao redor dos símbolos realçados.",
+ "caret": "Cor do cursor do editor.",
+ "editorCursorBackground": "A cor da tela de fundo do cursor do editor. Permite personalizar a cor de um caractere sobreposto por um cursor de bloco.",
+ "editorWhitespaces": "Cor dos caracteres de espaço em branco no editor.",
+ "editorIndentGuides": "Cor dos guias de recuo do editor.",
+ "editorActiveIndentGuide": "Cor dos guias de recuo do editor ativo.",
+ "editorLineNumbers": "Cor dos números de linha do editor.",
+ "editorActiveLineNumber": "Cor do número da linha ativa do editor",
+ "deprecatedEditorActiveLineNumber": "A ID foi preterida. Use 'editorLineNumber.activeForeground'.",
+ "editorRuler": "Cor das réguas do editor.",
+ "editorCodeLensForeground": "Cor de primeiro plano do editor CodeLens",
+ "editorBracketMatchBackground": "Cor da tela de fundo atrás dos colchetes correspondentes",
+ "editorBracketMatchBorder": "Cor das caixas de colchetes correspondentes",
+ "editorOverviewRulerBorder": "Cor da borda da régua de visão geral.",
+ "editorOverviewRulerBackground": "Cor da tela de fundo da régua de visão geral do editor. Usado somente quando o minimapa está habilitado e colocado no lado direito do editor.",
+ "editorGutter": "Cor da tela de fundo da medianiz do editor. A medianiz contém as margens do glifo e os números das linhas.",
+ "unnecessaryCodeBorder": "A cor da borda do código-fonte não necessário (não usado) no editor.",
+ "unnecessaryCodeOpacity": "Opacidade do código-fonte não necessário (não usado) no editor. Por exemplo, \"#000000c0\" renderizará o código com 75% de opacidade. Para temas de alto contraste, use a cor do tema 'editorUnnecessaryCode.border' para sublinhar o código não necessário em vez de esmaecê-lo.",
+ "overviewRulerRangeHighlight": "Cor do marcador da régua de visão geral para realces de intervalo. A cor não deve ser opaca para não ocultar decorações subjacentes.",
+ "overviewRuleError": "Cor do marcador da régua de visão geral para erros.",
+ "overviewRuleWarning": "Cor do marcador da régua de visão geral para avisos.",
+ "overviewRuleInfo": "Cor do marcador da régua de visão geral para informações."
+ },
+ "vs/editor/common/model/editStack": {
+ "edit": "Digitando"
+ },
+ "vs/editor/browser/controller/coreCommands": {
+ "stickydesc": "Passe para o fim mesmo quando passar para linhas mais longas"
+ },
+ "vs/editor/browser/widget/codeEditorWidget": {
+ "cursors.maximum": "O número de cursores foi limitado a {0}."
+ },
+ "vs/editor/browser/widget/diffEditorWidget": {
+ "diffInsertIcon": "Decoração de linha para inserções no editor de comparação.",
+ "diffRemoveIcon": "Decoração de linha para remoções no editor de comparação.",
+ "diff.tooLarge": "Não é possível comparar arquivos porque um arquivo é muito grande."
+ },
+ "vs/editor/common/standaloneStrings": {
+ "noSelection": "Nenhuma seleção",
+ "singleSelectionRange": "Linha {0}, Coluna {1} ({2} selecionada)",
+ "singleSelection": "Linha {0}, Coluna {1}",
+ "multiSelectionRange": "{0} seleções ({1} caracteres selecionados)",
+ "multiSelection": "{0} seleções",
+ "emergencyConfOn": "Alterando a configuração `accessibilitySupport` para `on`.",
+ "openingDocs": "Abrindo a página de documentação de Acessibilidade do Editor.",
+ "readonlyDiffEditor": " em um painel somente leitura de um editor de comparação.",
+ "editableDiffEditor": " em um painel de um editor de comparação.",
+ "readonlyEditor": " em um editor de código somente leitura",
+ "editableEditor": " em um editor de código",
+ "changeConfigToOnMac": "Para configurar o editor para ser otimizado para uso com um Leitor de Tela, pressione Command + E.",
+ "changeConfigToOnWinLinux": "Para configurar o editor para ser otimizado para uso com um Leitor de Tela, pressione Control + E.",
+ "auto_on": "O editor está configurado para ser otimizado para uso com um Leitor de Tela.",
+ "auto_off": "O editor está configurado para nunca ser otimizado para uso com um Leitor de Tela, o que não é o caso neste momento.",
+ "tabFocusModeOnMsg": "Pressionar Tab no editor atual moverá o foco para o próximo elemento focalizável. Ative/Desative esse comportamento pressionando {0}.",
+ "tabFocusModeOnMsgNoKb": "Pressionar Tab no editor atual moverá o foco para o próximo elemento focalizável. No momento, o comando {0} não pode ser disparado por uma associação de teclas.",
+ "tabFocusModeOffMsg": "Pressionar Tab no editor atual inserirá o caractere de tabulação. Ative/Desative esse comportamento pressionando {0}.",
+ "tabFocusModeOffMsgNoKb": "Pressionar Tab no editor atual inserirá o caractere de tabulação. No momento, o comando {0} não pode ser disparado por uma associação de teclas.",
+ "openDocMac": "Pressione Command + H agora para abrir uma janela do navegador com mais informações relacionadas à acessibilidade do editor.",
+ "openDocWinLinux": "Pressione Control + H agora para abrir uma janela do navegador com mais informações relacionadas à acessibilidade do editor.",
+ "outroMsg": "Você pode ignorar esta dica de ferramenta e retornar ao editor pressionando Escape ou Shift + Escape.",
+ "showAccessibilityHelpAction": "Mostrar Ajuda de Acessibilidade",
+ "inspectTokens": "Desenvolvedor: Inspecionar Tokens",
+ "gotoLineActionLabel": "Acessar a Linha/Coluna...",
+ "helpQuickAccess": "Mostrar Todos os Provedores de Acesso Rápido",
+ "quickCommandActionLabel": "Paleta de Comandos",
+ "quickCommandActionHelp": "Mostrar e Executar Comandos",
+ "quickOutlineActionLabel": "Ir para Símbolo...",
+ "quickOutlineByCategoryActionLabel": "Ir para Símbolo por Categoria...",
+ "editorViewAccessibleLabel": "Conteúdo do editor",
+ "accessibilityHelpMessage": "Pressione Alt+F1 para obter Opções de Acessibilidade.",
+ "toggleHighContrast": "Ativar/Desativar Tema de Alto Contraste",
+ "bulkEditServiceSummary": "Foram feitas {0} edições em {1} arquivos"
+ },
+ "vs/editor/common/config/commonEditorConfig": {
+ "editorConfigurationTitle": "Editor",
+ "tabSize": "O número de espaços ao pressionar 'tab'. Esta configuração é substituída com base no conteúdo do arquivo quando `#editor.detectIndentation#` está ativo.",
+ "insertSpaces": "Inserir espaços ao pressionar `Tab`. Esta configuração é substituída com base no conteúdo do arquivo quando `#editor.detectIndentation#` está ativo.",
+ "detectIndentation": "Controla se `#editor.tabSize#` e `#editor.insertSpaces#` serão automaticamente detectados quando um arquivo for aberto com base no respectivo conteúdo.",
+ "trimAutoWhitespace": "Remover o espaço em branco inserido automaticamente à direita.",
+ "largeFileOptimizations": "Tratamento especial para arquivos grandes para desabilitar determinados recursos de uso intensivo de memória.",
+ "wordBasedSuggestions": "Controla se as conclusões devem ser calculadas com base em palavras do documento.",
+ "wordBasedSuggestionsMode.currentDocument": "Sugerir palavras apenas do documento ativo.",
+ "wordBasedSuggestionsMode.matchingDocuments": "Sugerir palavras de todos os documentos abertos do mesmo idioma.",
+ "wordBasedSuggestionsMode.allDocuments": "Sugerir palavras de todos os documentos abertos.",
+ "wordBasedSuggestionsMode": "Controla o formato em que as conclusões baseadas em palavras de documentos são computadas.",
+ "semanticHighlighting.true": "Realce de semântica habilitado para todos os temas de cor.",
+ "semanticHighlighting.false": "Realce de semântica desabilitado para todos os temas de cor.",
+ "semanticHighlighting.configuredByTheme": "O realce de semântica é configurado pela configuração `semanticHighlighting` do tema de cor atual.",
+ "semanticHighlighting.enabled": "Controla se o semanticHighlighting é mostrado para as linguagens que dão suporte a ele.",
+ "stablePeek": "Manter editores de espiada abertos mesmo ao clicar duas vezes no conteúdo deles ou ao pressionar `Escape`.",
+ "maxTokenizationLineLength": "Linhas acima desse comprimento não serão indexadas por motivos de desempenho",
+ "maxComputationTime": "Tempo limite em milissegundos após o cancelamento da computação de comparação. Use 0 para nenhum tempo limite.",
+ "sideBySide": "Controla se o editor de comparação mostra a comparação lado a lado ou embutida.",
+ "ignoreTrimWhitespace": "Quando habilitado, o editor de comparação ignora as alterações no espaço em branco à esquerda ou à direita.",
+ "renderIndicators": "Controla se o editor de comparação mostra indicadores +/- para alterações adicionadas/removidas.",
+ "codeLens": "Controla se o editor mostra CodeLens.",
+ "wordWrap.off": "As linhas nunca serão quebradas.",
+ "wordWrap.on": "As linhas serão quebradas na largura do visor.",
+ "wordWrap.inherit": "As linhas serão quebradas automaticamente de acordo com a configuração de `#editor.wordWrap#`."
+ },
+ "vs/editor/browser/widget/diffReview": {
+ "diffReviewInsertIcon": "Ícone para 'Inserir' na revisão de comparação.",
+ "diffReviewRemoveIcon": "Ícone para 'Remover' na revisão de comparação.",
+ "diffReviewCloseIcon": "Ícone para 'Fechar' na revisão de comparação.",
+ "label.close": "Fechar",
+ "no_lines_changed": "nenhuma linha alterada",
+ "one_line_changed": "Uma linha alterada",
+ "more_lines_changed": "{0} linhas alteradas",
+ "header": "Diferença {0} de {1}: linha original {2}, {3}, linha modificada {4}, {5}",
+ "blankLine": "espaço em branco",
+ "unchangedLine": "{0} linha não alterada {1}",
+ "equalLine": "{0} linha original {1} linha modificada {2}",
+ "insertLine": "+ {0} linha modificada {1}",
+ "deleteLine": "– {0} linha original {1}",
+ "editor.action.diffReview.next": "Ir para a Próxima Diferença",
+ "editor.action.diffReview.prev": "Ir para a Diferença Anterior"
+ },
+ "vs/editor/browser/widget/inlineDiffMargin": {
+ "diff.clipboard.copyDeletedLinesContent.label": "Copiar linhas excluídas",
+ "diff.clipboard.copyDeletedLinesContent.single.label": "Copiar linha excluída",
+ "diff.clipboard.copyDeletedLineContent.label": "Copiar linha excluída ({0})",
+ "diff.inline.revertChange.label": "Reverter esta alteração"
+ },
+ "vs/editor/browser/controller/textAreaHandler": {
+ "editor": "editor",
+ "accessibilityOffAriaLabel": "O editor não está acessível no momento. Pressione {0} para obter opções."
+ },
+ "vs/editor/contrib/clipboard/clipboard": {
+ "miCut": "Recor&&tar",
+ "actions.clipboard.cutLabel": "Recortar",
+ "miCopy": "&&Copiar",
+ "actions.clipboard.copyLabel": "Copiar",
+ "miPaste": "&&Colar",
+ "actions.clipboard.pasteLabel": "Colar",
+ "actions.clipboard.copyWithSyntaxHighlightingLabel": "Copiar com Realce de Sintaxe"
+ },
+ "vs/editor/contrib/anchorSelect/anchorSelect": {
+ "selectionAnchor": "Âncora de Seleção",
+ "anchorSet": "Conjunto de âncoras em {0}:{1}",
+ "setSelectionAnchor": "Definir Âncora de Seleção",
+ "goToSelectionAnchor": "Ir para a Âncora de Seleção",
+ "selectFromAnchorToCursor": "Selecionar da Âncora ao Cursor",
+ "cancelSelectionAnchor": "Cancelar Âncora de Seleção"
+ },
+ "vs/editor/contrib/bracketMatching/bracketMatching": {
+ "overviewRulerBracketMatchForeground": "Cor do marcador da régua de visão geral para os colchetes correspondentes.",
+ "smartSelect.jumpBracket": "Ir para Colchetes",
+ "smartSelect.selectToBracket": "Selecionar para Colchete",
+ "miGoToBracket": "Ir para &&Colchetes"
+ },
+ "vs/editor/contrib/caretOperations/caretOperations": {
+ "caret.moveLeft": "Mover Texto Selecionado para a Esquerda",
+ "caret.moveRight": "Mover Texto Selecionado para a Direita"
+ },
+ "vs/editor/contrib/caretOperations/transpose": {
+ "transposeLetters.label": "Transpor Letras"
+ },
+ "vs/editor/contrib/codelens/codelensController": {
+ "showLensOnLine": "Mostrar Comandos do CodeLens para a Linha Atual"
+ },
+ "vs/editor/contrib/comment/comment": {
+ "comment.line": "Ativar/Desativar Comentário de Linha",
+ "miToggleLineComment": "&&Ativar/Desativar o Comentário de Linha",
+ "comment.line.add": "Adicionar Comentário de Linha",
+ "comment.line.remove": "Remover Comentário de Linha",
+ "comment.block": "Ativar/Desativar Comentário de Bloco",
+ "miToggleBlockComment": "Ativar/Desativar &&Comentário de Bloco"
+ },
+ "vs/editor/contrib/contextmenu/contextmenu": {
+ "action.showContextMenu.label": "Mostrar Menu de Contexto do Editor"
+ },
+ "vs/editor/contrib/cursorUndo/cursorUndo": {
+ "cursor.undo": "Desfazer Cursor",
+ "cursor.redo": "Refazer Cursor"
+ },
+ "vs/editor/contrib/find/findController": {
+ "startFindAction": "Localizar",
+ "miFind": "&&Localizar",
+ "startFindWithSelectionAction": "Localizar com Seleção",
+ "findNextMatchAction": "Localizar Próximo",
+ "findPreviousMatchAction": "Localizar Anterior",
+ "nextSelectionMatchFindAction": "Localizar Próxima Seleção",
+ "previousSelectionMatchFindAction": "Localizar Seleção Anterior",
+ "startReplace": "Substituir",
+ "miReplace": "&&Substituir"
+ },
+ "vs/editor/contrib/folding/folding": {
+ "unfoldAction.label": "Desdobrar",
+ "unFoldRecursivelyAction.label": "Desdobrar Recursivamente",
+ "foldAction.label": "Dobrar",
+ "toggleFoldAction.label": "Ativar/Desativar Dobra",
+ "foldRecursivelyAction.label": "Dobrar Recursivamente",
+ "foldAllBlockComments.label": "Dobrar Todos os Comentários de Blocos",
+ "foldAllMarkerRegions.label": "Dobrar Todas as Regiões",
+ "unfoldAllMarkerRegions.label": "Desdobrar Todas as Regiões",
+ "foldAllAction.label": "Dobrar Tudo",
+ "unfoldAllAction.label": "Desdobrar Tudo",
+ "foldLevelAction.label": "Nível de Dobra {0}",
+ "foldBackgroundBackground": "Cor da tela de fundo atrás dos intervalos dobrados. A cor não deve ser opaca para não ocultar decorações subjacentes.",
+ "editorGutter.foldingControlForeground": "Cor do controle de dobragem na medianiz do editor."
+ },
+ "vs/editor/contrib/fontZoom/fontZoom": {
+ "EditorFontZoomIn.label": "Ampliação da Fonte do Editor",
+ "EditorFontZoomOut.label": "Redução da Fonte do Editor",
+ "EditorFontZoomReset.label": "Redefinição de Zoom da Fonte do Editor"
+ },
+ "vs/editor/contrib/format/formatActions": {
+ "formatDocument.label": "Formatar o Documento",
+ "formatSelection.label": "Formatar Seleção"
+ },
+ "vs/editor/contrib/gotoSymbol/goToCommands": {
+ "peek.submenu": "Espiar",
+ "def.title": "Definições",
+ "noResultWord": "Nenhuma definição encontrada para '{0}'",
+ "generic.noResults": "Nenhuma definição encontrada",
+ "actions.goToDecl.label": "Ir para Definição",
+ "miGotoDefinition": "Ir para &&Definição",
+ "actions.goToDeclToSide.label": "Abrir Definição ao Lado",
+ "actions.previewDecl.label": "Espiar Definição",
+ "decl.title": "Declarações",
+ "decl.noResultWord": "Nenhuma declaração encontrada para '{0}'",
+ "decl.generic.noResults": "Nenhuma declaração encontrada",
+ "actions.goToDeclaration.label": "Ir para Declaração",
+ "miGotoDeclaration": "Ir para &&Declaração",
+ "actions.peekDecl.label": "Espiar Declaração",
+ "typedef.title": "Definições de Tipo",
+ "goToTypeDefinition.noResultWord": "Nenhuma definição de tipo encontrada para '{0}'",
+ "goToTypeDefinition.generic.noResults": "Nenhuma definição de tipo encontrada",
+ "actions.goToTypeDefinition.label": "Ir para Definição de Tipo",
+ "miGotoTypeDefinition": "Ir para &&Definição de Tipo",
+ "actions.peekTypeDefinition.label": "Espiar Definição de Tipo",
+ "impl.title": "Implementações",
+ "goToImplementation.noResultWord": "Nenhuma implementação encontrada para '{0}'",
+ "goToImplementation.generic.noResults": "Nenhuma implementação encontrada",
+ "actions.goToImplementation.label": "Ir para Implementações",
+ "miGotoImplementation": "Ir para &&Implementações",
+ "actions.peekImplementation.label": "Espiar Implementações",
+ "references.no": "Nenhuma referência encontrada para '{0}'",
+ "references.noGeneric": "Nenhuma referência encontrada",
+ "goToReferences.label": "Ir para Referências",
+ "miGotoReference": "Ir para &&Referências",
+ "ref.title": "Referências",
+ "references.action.label": "Espiar Referências",
+ "label.generic": "Ir para Qualquer Símbolo",
+ "generic.title": "Localizações",
+ "generic.noResult": "Nenhum resultado para '{0}'"
+ },
+ "vs/editor/contrib/hover/hover": {
+ "showHover": "Mostrar Foco",
+ "showDefinitionPreviewHover": "Mostrar Foco de Visualização da Definição"
+ },
+ "vs/editor/contrib/gotoSymbol/link/goToDefinitionAtPosition": {
+ "multipleResults": "Clicar para mostrar {0} definições."
+ },
+ "vs/editor/contrib/gotoError/gotoError": {
+ "markerAction.next.label": "Ir para o Próximo Problema (Erro, Aviso, Informações)",
+ "nextMarkerIcon": "Ícone para acessar o próximo marcador.",
+ "markerAction.previous.label": "Ir para o Problema Anterior (Erro, Aviso, Informações)",
+ "previousMarkerIcon": "Ícone para acessar o marcador anterior.",
+ "markerAction.nextInFiles.label": "Ir para o Próximo Problema em Arquivos (Erro, Aviso, Informações)",
+ "miGotoNextProblem": "Próximo &&Problema",
+ "markerAction.previousInFiles.label": "Ir para o Problema Anterior em Arquivos (Erro, Aviso, Informações)",
+ "miGotoPreviousProblem": "&&Problema Anterior"
+ },
+ "vs/editor/contrib/indentation/indentation": {
+ "indentationToSpaces": "Converter Recuo em Espaços",
+ "indentationToTabs": "Converter Recuo em Tabulações",
+ "configuredTabSize": "Tamanho de Tabulação Configurado",
+ "selectTabWidth": "Selecionar o Tamanho da Tabulação para o Arquivo Atual",
+ "indentUsingTabs": "Recuar Usando Tabulações",
+ "indentUsingSpaces": "Recuar Usando Espaços",
+ "detectIndentation": "Detectar Recuo do Conteúdo",
+ "editor.reindentlines": "Rerecuar Linhas",
+ "editor.reindentselectedlines": "Rerecuar Linhas Selecionadas"
+ },
+ "vs/editor/contrib/inPlaceReplace/inPlaceReplace": {
+ "InPlaceReplaceAction.previous.label": "Substituir pelo Valor Anterior",
+ "InPlaceReplaceAction.next.label": "Substituir pelo Próximo Valor"
+ },
+ "vs/editor/contrib/linesOperations/linesOperations": {
+ "lines.copyUp": "Copiar Linha para Cima",
+ "miCopyLinesUp": "&&Copiar Linha para Cima",
+ "lines.copyDown": "Copiar Linha para Baixo",
+ "miCopyLinesDown": "Co&&piar Linha para Baixo",
+ "duplicateSelection": "Duplicar Seleção",
+ "miDuplicateSelection": "&&Duplicar a Seleção",
+ "lines.moveUp": "Mover Linha para Cima",
+ "miMoveLinesUp": "Mo&&ver Linha para Cima",
+ "lines.moveDown": "Mover Linha para Baixo",
+ "miMoveLinesDown": "Mover &&Linha para Baixo",
+ "lines.sortAscending": "Classificar Linhas em Ordem Ascendente",
+ "lines.sortDescending": "Classificar Linhas em Ordem Descendente",
+ "lines.trimTrailingWhitespace": "Cortar Espaço em Branco à Direita",
+ "lines.delete": "Excluir Linha",
+ "lines.indent": "Recuar Linha",
+ "lines.outdent": "Recuar Linha para a Esquerda",
+ "lines.insertBefore": "Inserir Linha Acima",
+ "lines.insertAfter": "Inserir Linha Abaixo",
+ "lines.deleteAllLeft": "Excluir Tudo à Esquerda",
+ "lines.deleteAllRight": "Excluir Todos os Direitos",
+ "lines.joinLines": "Juntar Linhas",
+ "editor.transpose": "Transpor caracteres ao redor do cursor",
+ "editor.transformToUppercase": "Transformar em Maiúsculas",
+ "editor.transformToLowercase": "Transformar em Minúsculas",
+ "editor.transformToTitlecase": "Transformar em Caso de Título"
+ },
+ "vs/editor/contrib/linkedEditing/linkedEditing": {
+ "linkedEditing.label": "Iniciar a Edição Vinculada",
+ "editorLinkedEditingBackground": "Cor da tela de fundo quando o editor é renomeado automaticamente no tipo."
+ },
+ "vs/editor/contrib/links/links": {
+ "links.navigate.executeCmd": "Executar comando",
+ "links.navigate.follow": "Seguir o link",
+ "links.navigate.kb.meta.mac": "cmd + clique",
+ "links.navigate.kb.meta": "ctrl + clique",
+ "links.navigate.kb.alt.mac": "option + clique",
+ "links.navigate.kb.alt": "alt + clique",
+ "tooltip.explanation": "Executar o comando {0}",
+ "invalid.url": "Falha ao abrir este link porque ele não está bem formado: {0}",
+ "missing.url": "Falha ao abrir este link porque seu destino está ausente.",
+ "label": "Abrir o Link"
+ },
+ "vs/editor/contrib/multicursor/multicursor": {
+ "mutlicursor.insertAbove": "Adicionar Cursor Acima",
+ "miInsertCursorAbove": "&&Adicionar Cursor Acima",
+ "mutlicursor.insertBelow": "Adicionar Cursor Abaixo",
+ "miInsertCursorBelow": "A&&dicionar Cursor Abaixo",
+ "mutlicursor.insertAtEndOfEachLineSelected": "Adicionar Cursores nas Extremidades da Linha",
+ "miInsertCursorAtEndOfEachLineSelected": "Adicionar C&&ursores nas Extremidades da Linha",
+ "mutlicursor.addCursorsToBottom": "Adicionar Cursores na Parte Inferior",
+ "mutlicursor.addCursorsToTop": "Adicionar Cursores à Parte Superior",
+ "addSelectionToNextFindMatch": "Adicionar Seleção à Próxima Correspondência de Localização",
+ "miAddSelectionToNextFindMatch": "Adicionar &&Próxima Ocorrência",
+ "addSelectionToPreviousFindMatch": "Adicionar Seleção à Correspondência de Localização Anterior",
+ "miAddSelectionToPreviousFindMatch": "Adicionar Ocorrência A&&nterior",
+ "moveSelectionToNextFindMatch": "Mover a Última Seleção para a Próxima Correspondência de Localização",
+ "moveSelectionToPreviousFindMatch": "Mover a Última Seleção para a Correspondência de Localização Anterior",
+ "selectAllOccurrencesOfFindMatch": "Selecionar Todas as Ocorrências de Localizar Correspondência",
+ "miSelectHighlights": "Selecionar Todas as &&Ocorrências",
+ "changeAll.label": "Alterar Todas as Ocorrências"
+ },
+ "vs/editor/contrib/parameterHints/parameterHints": {
+ "parameterHints.trigger.label": "Disparar Dicas de Parâmetro"
+ },
+ "vs/editor/contrib/rename/rename": {
+ "no result": "Nenhum resultado.",
+ "resolveRenameLocationFailed": "Ocorreu um erro desconhecido ao resolver a localização da renomeação",
+ "label": "Renomeando '{0}'",
+ "quotableLabel": "Renomeando {0}",
+ "aria": "'{0}' foi renomeado com êxito para '{1}'. Resumo: {2}",
+ "rename.failedApply": "A renomeação falhou ao aplicar edições",
+ "rename.failed": "A renomeação falhou ao computar edições",
+ "rename.label": "Renomear Símbolo",
+ "enablePreview": "Habilitar/desabilitar a capacidade de visualizar alterações antes de renomear"
+ },
+ "vs/editor/contrib/smartSelect/smartSelect": {
+ "smartSelect.expand": "Expandir Seleção",
+ "miSmartSelectGrow": "&&Expandir a Seleção",
+ "smartSelect.shrink": "Reduzir Seleção",
+ "miSmartSelectShrink": "&&Reduzir Seleção"
+ },
+ "vs/editor/contrib/suggest/suggestController": {
+ "aria.alert.snippet": "Aceitar '{0}' fez {1} edições adicionais",
+ "suggest.trigger.label": "Disparar Sugestão",
+ "accept.insert": "Inserir",
+ "accept.replace": "Substituir",
+ "detail.more": "mostrar menos",
+ "detail.less": "mostrar mais",
+ "suggest.reset.label": "Redefinir oTamanho do Widget de Sugestão"
+ },
+ "vs/editor/contrib/tokenization/tokenization": {
+ "forceRetokenize": "Desenvolvedor: Forçar Nova Geração de Tokens"
+ },
+ "vs/editor/contrib/toggleTabFocusMode/toggleTabFocusMode": {
+ "toggle.tabMovesFocus": "Ativar/Desativar a tecla Tab Move o Foco",
+ "toggle.tabMovesFocus.on": "Pressionar Tab moverá o foco para o próximo elemento focalizável",
+ "toggle.tabMovesFocus.off": "Pressionar Tab inserirá o caractere de tabulação"
+ },
+ "vs/editor/contrib/unusualLineTerminators/unusualLineTerminators": {
+ "unusualLineTerminators.title": "Terminadores de Linha Incomuns",
+ "unusualLineTerminators.message": "Terminadores de linha incomuns detectados",
+ "unusualLineTerminators.detail": "Este arquivo contém um ou mais caracteres de terminador de linha incomuns, como LS (Separador de Linha) ou PS (Separador de Parágrafo).\r\n\r\nÉ recomendável removê-los do arquivo. Isso pode ser configurado por meio de `editor.unusualLineTerminators`.",
+ "unusualLineTerminators.fix": "Corrigir este arquivo",
+ "unusualLineTerminators.ignore": "Ignorar problema para este arquivo"
+ },
+ "vs/editor/contrib/wordHighlighter/wordHighlighter": {
+ "wordHighlight": "Cor da tela de fundo de um símbolo durante o acesso de leitura, como a leitura de uma variável. A cor não deve ser opaca para não ocultar decorações subjacentes.",
+ "wordHighlightStrong": "Cor da tela de fundo de um símbolo durante o acesso de gravação, como gravar em uma variável. A cor não deve ser opaca para não ocultar decorações subjacentes.",
+ "wordHighlightBorder": "Cor da borda de um símbolo durante o acesso de leitura, como a leitura de uma variável.",
+ "wordHighlightStrongBorder": "Cor da borda de um símbolo durante o acesso de gravação, como gravar em uma variável.",
+ "overviewRulerWordHighlightForeground": "Cor do marcador de régua de visão geral para realces de símbolos. A cor não deve ser opaca para não ocultar decorações subjacentes.",
+ "overviewRulerWordHighlightStrongForeground": "Cor do marcador de régua de visão geral para realces de símbolos de acesso de gravação. A cor não deve ser opaca para não ocultar decorações subjacentes.",
+ "wordHighlight.next.label": "Ir para Próximo Realce do Símbolo",
+ "wordHighlight.previous.label": "Ir para Realce do Símbolo Anterior",
+ "wordHighlight.trigger.label": "Disparar Realce do Símbolo"
+ },
+ "vs/editor/contrib/wordOperations/wordOperations": {
+ "deleteInsideWord": "Excluir Palavra"
+ },
+ "vs/editor/contrib/quickAccess/gotoLineQuickAccess": {
+ "cannotRunGotoLine": "Abrir um editor de texto antes de ir para uma linha.",
+ "gotoLineColumnLabel": "Ir para a linha {0} e a coluna {1}.",
+ "gotoLineLabel": "Ir para a linha {0}.",
+ "gotoLineLabelEmptyWithLimit": "Linha atual: {0}, Caractere: {1}. Digite um número de linha entre 1 e {2} ao qual navegar.",
+ "gotoLineLabelEmpty": "Linha atual: {0}, Caractere: {1}. Digite um número de linha ao qual navegar."
+ },
+ "vs/editor/contrib/peekView/peekView": {
+ "label.close": "Fechar",
+ "peekViewTitleBackground": "Cor da tela de fundo da área de título do modo de exibição de espiada.",
+ "peekViewTitleForeground": "Cor do título do modo de exibição de espiada.",
+ "peekViewTitleInfoForeground": "Cor das informações do título do modo de exibição de espiada.",
+ "peekViewBorder": "Cor da seta e das bordas do modo de exibição de espiada.",
+ "peekViewResultsBackground": "Cor da tela de fundo da lista de resultados do modo de exibição de espiada.",
+ "peekViewResultsMatchForeground": "Cor de primeiro plano para nós de linha na lista de resultados do modo de exibição de espiada.",
+ "peekViewResultsFileForeground": "Cor de primeiro plano para nós de arquivo na lista de resultados do modo de exibição de espiada.",
+ "peekViewResultsSelectionBackground": "Cor da tela de fundo da entrada selecionada na lista de resultados do modo de exibição de espiada.",
+ "peekViewResultsSelectionForeground": "Cor de primeiro plano da entrada selecionada na lista de resultados do modo de exibição de espiada.",
+ "peekViewEditorBackground": "Cor da tela de fundo do editor de modo de exibição de espiada.",
+ "peekViewEditorGutterBackground": "Cor da tela de fundo da medianiz no editor de modo de exibição de espiada.",
+ "peekViewResultsMatchHighlight": "Corresponder cor de realce na lista de resultados do modo de exibição de espiada.",
+ "peekViewEditorMatchHighlight": "Corresponder a cor de realce no editor de modo de exibição de espiada.",
+ "peekViewEditorMatchHighlightBorder": "Corresponder a borda de realce no editor de modo de exibição de espiada."
+ },
+ "vs/editor/contrib/codeAction/codeActionCommands": {
+ "args.schema.kind": "Tipo de ação de código a ser executada.",
+ "args.schema.apply": "Controla quando as ações retornadas são aplicadas.",
+ "args.schema.apply.first": "Sempre aplicar a primeira ação de código retornada.",
+ "args.schema.apply.ifSingle": "Aplique a primeira ação de código retornada se ela for a única.",
+ "args.schema.apply.never": "Não aplique as ações de código retornadas.",
+ "args.schema.preferred": "Controla se somente as ações preferenciais do código devem ser retornadas.",
+ "applyCodeActionFailed": "Ocorreu um erro desconhecido ao aplicar a ação de código",
+ "quickfix.trigger.label": "Correção Rápida...",
+ "editor.action.quickFix.noneMessage": "Nenhuma ação de código disponível",
+ "editor.action.codeAction.noneMessage.preferred.kind": "Nenhuma ação de código preferencial para '{0}' disponível",
+ "editor.action.codeAction.noneMessage.kind": "Nenhuma ação de código para '{0}' disponível",
+ "editor.action.codeAction.noneMessage.preferred": "Nenhuma ação de código preferencial disponível",
+ "editor.action.codeAction.noneMessage": "Nenhuma ação de código disponível",
+ "refactor.label": "Refatorar...",
+ "editor.action.refactor.noneMessage.preferred.kind": "Não há refatorações preferenciais para '{0}' disponíveis",
+ "editor.action.refactor.noneMessage.kind": "Nenhuma refatoração para '{0}' disponível",
+ "editor.action.refactor.noneMessage.preferred": "Nenhuma refatoração preferencial disponível",
+ "editor.action.refactor.noneMessage": "Nenhuma refatoração disponível",
+ "source.label": "Ação de Origem...",
+ "editor.action.source.noneMessage.preferred.kind": "Nenhuma ação de origem preferencial para '{0}' disponível",
+ "editor.action.source.noneMessage.kind": "Nenhuma ação de origem para '{0}' disponível",
+ "editor.action.source.noneMessage.preferred": "Nenhuma ação de origem preferencial disponível",
+ "editor.action.source.noneMessage": "Nenhuma ação de origem disponível",
+ "organizeImports.label": "Organizar as Importações",
+ "editor.action.organize.noneMessage": "Nenhuma ação de importações organizada disponível",
+ "fixAll.label": "Corrigir Tudo",
+ "fixAll.noneMessage": "Nenhuma ação de corrigir tudo disponível",
+ "autoFix.label": "Correção Automática...",
+ "editor.action.autoFix.noneMessage": "Nenhuma correção automática disponível"
+ },
+ "vs/editor/contrib/find/findWidget": {
+ "findSelectionIcon": "Ícone para 'Localizar na Seleção' no widget de localização do editor.",
+ "findCollapsedIcon": "Ícone para indicar que o widget de localização do editor está recolhido.",
+ "findExpandedIcon": "Ícone para indicar que o widget de localização do editor está expandido.",
+ "findReplaceIcon": "Ícone para 'Substituir' no widget de localização do editor.",
+ "findReplaceAllIcon": "Ícone para 'Substituir Tudo' no widget de localização do editor.",
+ "findPreviousMatchIcon": "Ícone para 'Localizar Anterior' no widget de localização do editor.",
+ "findNextMatchIcon": "Ícone para 'Localizar Próximo' no widget de localização do editor.",
+ "label.find": "Localizar",
+ "placeholder.find": "Localizar",
+ "label.previousMatchButton": "Correspondência anterior",
+ "label.nextMatchButton": "Próxima correspondência",
+ "label.toggleSelectionFind": "Localizar na seleção",
+ "label.closeButton": "Fechar",
+ "label.replace": "Substituir",
+ "placeholder.replace": "Substituir",
+ "label.replaceButton": "Substituir",
+ "label.replaceAllButton": "Substituir Tudo",
+ "label.toggleReplaceButton": "Ativar/Desativar o Modo de substituição",
+ "title.matchesCountLimit": "Somente os primeiros {0} resultados serão realçados, mas todas as operações de localização funcionarão em todo o texto.",
+ "label.matchesLocation": "{0} de {1}",
+ "label.noResults": "Nenhum resultado",
+ "ariaSearchNoResultEmpty": "{0} encontrado",
+ "ariaSearchNoResult": "{0} encontrado para '{1}'",
+ "ariaSearchNoResultWithLineNum": "{0} encontrado para '{1}', em {2}",
+ "ariaSearchNoResultWithLineNumNoCurrentMatch": "{0} encontrado para '{1}'",
+ "ctrlEnter.keybindingChanged": "Ctrl + Enter agora insere quebra de linha em vez de substituir tudo. Você pode modificar a associação de teclas de editor.action.replaceAll para substituir esse comportamento."
+ },
+ "vs/editor/contrib/folding/foldingDecorations": {
+ "foldingExpandedIcon": "Ícone de intervalos expandidos na margem do glifo do editor.",
+ "foldingCollapsedIcon": "Ícone de intervalos recolhidos na margem do glifo do editor."
+ },
+ "vs/editor/contrib/format/format": {
+ "hint11": "Foi feita 1 edição de formatação na linha {0}",
+ "hintn1": "Foram feitas {0} edições de formatação na linha {1}",
+ "hint1n": "Foi feita 1 edição de formatação entre as linhas {0} e {1}",
+ "hintnn": "Foram feitas {0} edições de formatação entre as linhas {1} e {2}"
+ },
+ "vs/editor/contrib/message/messageController": {
+ "editor.readonly": "Não é possível editar no editor somente leitura"
+ },
+ "vs/editor/contrib/gotoSymbol/peek/referencesController": {
+ "labelLoading": "Carregando...",
+ "metaTitle.N": "{0} ({1})"
+ },
+ "vs/editor/contrib/gotoSymbol/referencesModel": {
+ "aria.oneReference": "símbolo em {0} na linha {1} na coluna {2}",
+ "aria.oneReference.preview": "símbolo em {0} na linha {1} na coluna {2}, {3}",
+ "aria.fileReferences.1": "Um símbolo em {0}, caminho completo {1}",
+ "aria.fileReferences.N": "{0} símbolos em {1}, caminho completo {2}",
+ "aria.result.0": "Nenhum resultado encontrado",
+ "aria.result.1": "Encontrado 1 símbolo em {0}",
+ "aria.result.n1": "Foram encontrados {0} símbolos em {1}",
+ "aria.result.nm": "Foram encontrados {0} símbolos em {1} arquivos"
+ },
+ "vs/editor/contrib/gotoSymbol/symbolNavigation": {
+ "location.kb": "Símbolo {0} de {1}, {2} para o próximo",
+ "location": "Símbolo {0} de {1}"
+ },
+ "vs/editor/contrib/hover/modesContentHover": {
+ "modesContentHover.loading": "Carregando...",
+ "peek problem": "Espiar Problema",
+ "noQuickFixes": "Nenhuma correção rápida disponível",
+ "checkingForQuickFixes": "Verificando correções rápidas...",
+ "quick fixes": "Correção Rápida..."
+ },
+ "vs/editor/contrib/gotoError/gotoErrorWidget": {
+ "Error": "Erro",
+ "Warning": "Aviso",
+ "Info": "Informações",
+ "Hint": "Dica",
+ "marker aria": "{0} em {1}.",
+ "problems": "{0} de {1} problemas",
+ "change": "{0} de {1} problema",
+ "editorMarkerNavigationError": "Cor do erro do widget de navegação do marcador do editor.",
+ "editorMarkerNavigationWarning": "Cor do aviso do widget de navegação do marcador do editor.",
+ "editorMarkerNavigationInfo": "Cor das informações do widget de navegação do marcador do editor.",
+ "editorMarkerNavigationBackground": "Tela de fundo do widget de navegação do marcador do editor."
+ },
+ "vs/editor/contrib/parameterHints/parameterHintsWidget": {
+ "parameterHintsNextIcon": "Ícone para mostrar a próxima dica de parâmetro.",
+ "parameterHintsPreviousIcon": "Ícone para mostrar a dica de parâmetro anterior.",
+ "hint": "{0}, dica"
+ },
+ "vs/editor/contrib/rename/renameInputField": {
+ "renameAriaLabel": "Renomear entrada. Digite o novo nome e pressione Enter para confirmar.",
+ "label": "{0} para Renomear, {1} para Visualizar"
+ },
+ "vs/editor/contrib/suggest/suggestWidget": {
+ "editorSuggestWidgetBackground": "Cor da tela de fundo do widget de sugestão.",
+ "editorSuggestWidgetBorder": "Cor da borda do widget de sugestão.",
+ "editorSuggestWidgetForeground": "Cor de primeiro plano do widget de sugestão.",
+ "editorSuggestWidgetSelectedBackground": "Cor da tela de fundo da entrada selecionada no widget de sugestão.",
+ "editorSuggestWidgetHighlightForeground": "Cor dos realces de correspondência no widget de sugestão.",
+ "suggestWidget.loading": "Carregando...",
+ "suggestWidget.noSuggestions": "Nenhuma sugestão.",
+ "ariaCurrenttSuggestionReadDetails": "{0}, documentos: {1}",
+ "suggest": "Sugerir"
+ },
+ "vs/editor/contrib/quickAccess/gotoSymbolQuickAccess": {
+ "cannotRunGotoSymbolWithoutEditor": "Para ir até um símbolo, primeiro abra um editor de texto com informações de símbolo.",
+ "cannotRunGotoSymbolWithoutSymbolProvider": "O editor de texto ativo não fornece informações de símbolo.",
+ "noMatchingSymbolResults": "Nenhum símbolo de editor correspondente",
+ "noSymbolResults": "Nenhum símbolo de editor",
+ "openToSide": "Abrir ao Lado",
+ "openToBottom": "Abrir na Parte Inferior",
+ "symbols": "símbolos ({0})",
+ "property": "propriedades ({0})",
+ "method": "métodos ({0})",
+ "function": "funções ({0})",
+ "_constructor": "construtores ({0})",
+ "variable": "variáveis ({0})",
+ "class": "classes ({0})",
+ "struct": "structs ({0})",
+ "event": "eventos({0})",
+ "operator": "operadores ({0})",
+ "interface": "interfaces ({0})",
+ "namespace": "namespaces ({0})",
+ "package": "pacotes ({0})",
+ "typeParameter": "parâmetros de tipo ({0})",
+ "modules": "módulos ({0})",
+ "enum": "enumerações ({0})",
+ "enumMember": "membros de enumeração ({0})",
+ "string": "cadeias de caracteres ({0})",
+ "file": "arquivos ({0})",
+ "array": "matrizes ({0})",
+ "number": "números ({0})",
+ "boolean": "valores boolianos ({0})",
+ "object": "objetos ({0})",
+ "key": "chaves ({0})",
+ "field": "campos ({0})",
+ "constant": "constantes ({0})"
+ },
+ "vs/editor/contrib/snippet/snippetVariables": {
+ "Sunday": "Domingo",
+ "Monday": "Segunda-feira",
+ "Tuesday": "Terça-feira",
+ "Wednesday": "Quarta-feira",
+ "Thursday": "Quinta-feira",
+ "Friday": "Sexta-feira",
+ "Saturday": "Sábado",
+ "SundayShort": "Dom",
+ "MondayShort": "Seg",
+ "TuesdayShort": "Ter",
+ "WednesdayShort": "Qua",
+ "ThursdayShort": "Qui",
+ "FridayShort": "Sex",
+ "SaturdayShort": "Sáb",
+ "January": "Janeiro",
+ "February": "Fevereiro",
+ "March": "Março",
+ "April": "Abril",
+ "May": "Maio",
+ "June": "Junho",
+ "July": "Julho",
+ "August": "Agosto",
+ "September": "Setembro",
+ "October": "Outubro",
+ "November": "Novembro",
+ "December": "Dezembro",
+ "JanuaryShort": "Jan",
+ "FebruaryShort": "Fev",
+ "MarchShort": "Mar",
+ "AprilShort": "Abr",
+ "MayShort": "Maio",
+ "JuneShort": "Jun",
+ "JulyShort": "Jul",
+ "AugustShort": "Ago",
+ "SeptemberShort": "Set",
+ "OctoberShort": "Out",
+ "NovemberShort": "Nov",
+ "DecemberShort": "Dez"
+ },
+ "vs/editor/contrib/documentSymbols/outlineTree": {
+ "title.template": "{0} ({1})",
+ "1.problem": "Um problema neste elemento",
+ "N.problem": "{0} problemas neste elemento",
+ "deep.problem": "Contém elementos com problemas",
+ "Array": "matriz",
+ "Boolean": "booliano",
+ "Class": "classe",
+ "Constant": "constante",
+ "Constructor": "construtor",
+ "Enum": "enumeração",
+ "EnumMember": "membro de enumeração",
+ "Event": "evento",
+ "Field": "campo",
+ "File": "arquivo",
+ "Function": "função",
+ "Interface": "interface",
+ "Key": "tecla",
+ "Method": "método",
+ "Module": "módulo",
+ "Namespace": "namespace",
+ "Null": "nulo",
+ "Number": "número",
+ "Object": "objeto",
+ "Operator": "operador",
+ "Package": "pacote",
+ "Property": "propriedade",
+ "String": "cadeia de caracteres",
+ "Struct": "struct",
+ "TypeParameter": "parâmetro de tipo",
+ "Variable": "variável",
+ "symbolIcon.arrayForeground": "A cor de primeiro plano para símbolos de matriz. Esses símbolos aparecem na estrutura de tópicos, na trilha e no widget de sugestão.",
+ "symbolIcon.booleanForeground": "A cor de primeiro plano para símbolos boolianos. Esses símbolos aparecem na estrutura de tópicos, na trilha e no widget de sugestão.",
+ "symbolIcon.classForeground": "A cor de primeiro plano para símbolos de classe. Esses símbolos aparecem na estrutura de tópicos, na trilha e no widget de sugestão.",
+ "symbolIcon.colorForeground": "A cor de primeiro plano para símbolos de cor. Esses símbolos aparecem na estrutura de tópicos, na trilha e no widget de sugestão.",
+ "symbolIcon.constantForeground": "A cor de primeiro plano para símbolos constantes. Esses símbolos aparecem na estrutura de tópicos, na trilha e no widget de sugestão.",
+ "symbolIcon.constructorForeground": "A cor de primeiro plano para símbolos do construtor. Esses símbolos aparecem na estrutura de tópicos, na trilha e no widget de sugestão.",
+ "symbolIcon.enumeratorForeground": "A cor de primeiro plano para símbolos do enumerador. Esses símbolos aparecem na estrutura de tópicos, na trilha e no widget de sugestão.",
+ "symbolIcon.enumeratorMemberForeground": "A cor de primeiro plano para símbolos de membro do enumerador. Esses símbolos aparecem na estrutura de tópicos, na trilha e no widget de sugestão.",
+ "symbolIcon.eventForeground": "A cor de primeiro plano para símbolos de evento. Esses símbolos aparecem na estrutura de tópicos, na trilha e no widget de sugestão.",
+ "symbolIcon.fieldForeground": "A cor de primeiro plano para símbolos de campo. Esses símbolos aparecem na estrutura de tópicos, na trilha e no widget de sugestão.",
+ "symbolIcon.fileForeground": "A cor de primeiro plano para símbolos de arquivo. Esses símbolos aparecem na estrutura de tópicos, na trilha e no widget de sugestão.",
+ "symbolIcon.folderForeground": "A cor de primeiro plano para símbolos da pasta. Esses símbolos aparecem na estrutura de tópicos, na trilha e no widget de sugestão.",
+ "symbolIcon.functionForeground": "A cor de primeiro plano para símbolos de função. Esses símbolos aparecem na estrutura de tópicos, na trilha e no widget de sugestão.",
+ "symbolIcon.interfaceForeground": "A cor de primeiro plano para símbolos de interface. Esses símbolos aparecem na estrutura de tópicos, na trilha e no widget de sugestão.",
+ "symbolIcon.keyForeground": "A cor de primeiro plano para símbolos de chave. Esses símbolos aparecem na estrutura de tópicos, na trilha e no widget de sugestão.",
+ "symbolIcon.keywordForeground": "A cor de primeiro plano para símbolos de palavra-chave. Esses símbolos aparecem na estrutura de tópicos, na trilha e no widget de sugestão.",
+ "symbolIcon.methodForeground": "A cor de primeiro plano para símbolos de método. Esses símbolos aparecem na estrutura de tópicos, na trilha e no widget de sugestão.",
+ "symbolIcon.moduleForeground": "A cor de primeiro plano para símbolos do módulo. Esses símbolos aparecem na estrutura de tópicos, na trilha e no widget de sugestão.",
+ "symbolIcon.namespaceForeground": "A cor de primeiro plano para símbolos de namespace. Esses símbolos aparecem na estrutura de tópicos, na trilha e no widget de sugestão.",
+ "symbolIcon.nullForeground": "A cor de primeiro plano para símbolos nulos. Esses símbolos aparecem na estrutura de tópicos, na trilha e no widget de sugestão.",
+ "symbolIcon.numberForeground": "A cor de primeiro plano para símbolos numéricos. Esses símbolos aparecem na estrutura de tópicos, na trilha e no widget de sugestão.",
+ "symbolIcon.objectForeground": "A cor de primeiro plano para símbolos de objeto. Esses símbolos aparecem na estrutura de tópicos, na trilha e no widget de sugestão.",
+ "symbolIcon.operatorForeground": "A cor de primeiro plano para símbolos do operador. Esses símbolos aparecem na estrutura de tópicos, na trilha e no widget de sugestão.",
+ "symbolIcon.packageForeground": "A cor de primeiro plano para símbolos do pacote. Esses símbolos aparecem na estrutura de tópicos, na trilha e no widget de sugestão.",
+ "symbolIcon.propertyForeground": "A cor de primeiro plano para símbolos de propriedade. Esses símbolos aparecem na estrutura de tópicos, na trilha e no widget de sugestão.",
+ "symbolIcon.referenceForeground": "A cor de primeiro plano para símbolos de referência. Esses símbolos aparecem na estrutura de tópicos, na trilha e no widget de sugestão.",
+ "symbolIcon.snippetForeground": "A cor de primeiro plano para símbolos de snippet. Esses símbolos aparecem na estrutura de tópicos, na trilha e no widget de sugestão.",
+ "symbolIcon.stringForeground": "A cor de primeiro plano para símbolos de cadeia de caracteres. Esses símbolos aparecem na estrutura de tópicos, na trilha e no widget de sugestão.",
+ "symbolIcon.structForeground": "A cor de primeiro plano para símbolos de struct. Esses símbolos aparecem na estrutura de tópicos, na trilha e no widget de sugestão.",
+ "symbolIcon.textForeground": "A cor de primeiro plano para símbolos de texto. Esses símbolos aparecem na estrutura de tópicos, na trilha e no widget de sugestão.",
+ "symbolIcon.typeParameterForeground": "A cor de primeiro plano para símbolos de parâmetro de tipo. Esses símbolos aparecem na estrutura de tópicos, na trilha e no widget de sugestão.",
+ "symbolIcon.unitForeground": "A cor de primeiro plano para símbolos de unidade. Esses símbolos aparecem na estrutura de tópicos, na trilha e no widget de sugestão.",
+ "symbolIcon.variableForeground": "A cor de primeiro plano para símbolos de variáveis. Esses símbolos aparecem na estrutura de tópicos, na trilha e no widget de sugestão."
+ },
+ "vs/editor/contrib/gotoSymbol/peek/referencesWidget": {
+ "missingPreviewMessage": "nenhuma visualização disponível",
+ "noResults": "Nenhum resultado",
+ "peekView.alternateTitle": "Referências"
+ },
+ "vs/editor/contrib/suggest/suggestWidgetDetails": {
+ "details.close": "Fechar",
+ "loading": "Carregando..."
+ },
+ "vs/editor/contrib/suggest/suggestWidgetStatus": {
+ "ddd": "{0} ({1})"
+ },
+ "vs/editor/contrib/suggest/suggestWidgetRenderer": {
+ "suggestMoreInfoIcon": "Ícone para obter mais informações no widget de sugestão.",
+ "readMore": "Leia Mais"
+ },
+ "vs/editor/contrib/codeAction/lightBulbWidget": {
+ "prefferedQuickFixWithKb": "Mostrar Correções. Correção Preferencial Disponível ({0})",
+ "quickFixWithKb": "Mostrar Correções ({0})",
+ "quickFix": "Mostrar Correções"
+ },
+ "vs/editor/contrib/gotoSymbol/peek/referencesTree": {
+ "referencesCount": "{0} referências",
+ "referenceCount": "{0} referência",
+ "treeAriaLabel": "Referências"
+ },
+ "vs/platform/environment/node/argvHelper": {
+ "unknownOption": "Aviso: '{0}' não está na lista de opções conhecidas, mas ainda passou para o Electron/Chromium.",
+ "multipleValues": "A opção '{0}' está definida mais de uma vez. Usando o valor '{1}'.",
+ "gotoValidation": "Os argumentos no modo `--goto` devem estar no formato de `FILE(:LINE(:CHARACTER))`."
+ },
+ "vs/platform/request/common/request": {
+ "httpConfigurationTitle": "HTTP",
+ "proxy": "A configuração de proxy a ser usada. Se não estiver definida, será herdada das variáveis de ambiente `http_proxy` e `https_proxy`.",
+ "strictSSL": "Controla se o certificado do servidor proxy deve ser verificado na lista de ACs fornecidas.",
+ "proxyAuthorization": "O valor a ser enviado como o cabeçalho `Proxy-Authorization` para cada solicitação de rede.",
+ "proxySupportOff": "Desabilitar o suporte a proxy para extensões.",
+ "proxySupportOn": "Habilitar o suporte a proxy para extensões.",
+ "proxySupportOverride": "Habilitar o suporte a proxy para extensões, substituir opções de solicitação.",
+ "proxySupport": "Usar o suporte a proxy para extensões.",
+ "systemCertificates": "Controla se os certificados de AC devem ser carregados do sistema operacional. (No Windows e no macOS, é necessário recarregar a janela depois de desativar essa opção.)"
+ },
+ "vs/platform/files/common/fileService": {
+ "invalidPath": "Não é possível resolver o provedor do sistema de arquivos com o caminho de arquivo relativo '{0}'",
+ "noProviderFound": "Nenhum provedor de sistema de arquivos encontrado para o recurso '{0}'",
+ "fileNotFoundError": "Não é possível resolver o arquivo '{0}' não existente",
+ "fileExists": "Não é possível criar o arquivo '{0}' que já existe quando o sinalizador de substituição não está definido",
+ "err.write": "Não é possível gravar o arquivo '{0}' ({1})",
+ "fileIsDirectoryWriteError": "Não é possível gravar o arquivo '{0}' que é um diretório",
+ "fileModifiedError": "Arquivo Modificado Desde",
+ "err.read": "Não é possível ler o arquivo '{0}' ({1})",
+ "fileIsDirectoryReadError": "Não é possível ler o arquivo '{0}' que é um diretório",
+ "fileNotModifiedError": "Arquivo não modificado desde",
+ "fileTooLargeError": "Não é possível ler o arquivo '{0}' que é muito grande para ser aberto",
+ "unableToMoveCopyError1": "Não é possível copiar quando a origem '{0}' é igual ao destino '{1}' com um caso de caminho diferente em um sistema de arquivos que não diferencia maiúsculas de minúsculas",
+ "unableToMoveCopyError2": "Não é possível mover/copiar quando a origem '{0}' é pai do destino '{1}'.",
+ "unableToMoveCopyError3": "Não é possível mover/copiar '{0}' porque o alvo '{1}' já existe no destino.",
+ "unableToMoveCopyError4": "Não é possível mover/copiar '{0}' em '{1}' porque um arquivo substituiria a pasta na qual ele está contido.",
+ "mkdirExistsError": "Não é possível criar a pasta '{0}' que já existe, mas não é um diretório",
+ "deleteFailedTrashUnsupported": "Não é possível excluir o arquivo '{0}' pela lixeira porque o provedor não dá suporte a ele.",
+ "deleteFailedNotFound": "Não é possível excluir o arquivo '{0}' não existente",
+ "deleteFailedNonEmptyFolder": "Não é possível excluir a pasta '{0}' não vazia.",
+ "err.readonly": "Não é possível modificar o arquivo '{0}' somente leitura"
+ },
+ "vs/platform/files/node/diskFileSystemProvider": {
+ "fileExists": "O arquivo já existe",
+ "fileNotExists": "O arquivo não existe",
+ "moveError": "Não é possível mover '{0}' para '{1}' ({2}).",
+ "copyError": "Não é possível copiar '{0}' em '{1}' ({2}).",
+ "fileCopyErrorPathCase": "Não foi possível copiar o arquivo no mesmo caminho com a capitalização do caminho diferente",
+ "fileCopyErrorExists": "O arquivo no destino já existe"
+ },
+ "vs/platform/files/common/files": {
+ "unknownError": "Erro Desconhecido",
+ "sizeB": "{0} B",
+ "sizeKB": "{0} KB",
+ "sizeMB": "{0} MB",
+ "sizeGB": "{0} GB",
+ "sizeTB": "{0} TB"
+ },
+ "vs/platform/update/common/update.config.contribution": {
+ "updateConfigurationTitle": "Atualizar",
+ "updateMode": "Configure o recebimento de atualizações automáticas. Exige uma reinicialização após a alteração. As atualizações são obtidas de um serviço online da Microsoft.",
+ "none": "Desabilitar atualizações.",
+ "manual": "Desabilitar as verificações automáticas de atualização em segundo plano. As atualizações estarão disponíveis se você verificar as atualizações manualmente.",
+ "start": "Verificar se há atualizações somente na inicialização. Desabilitar as verificações automáticas de atualização em segundo plano.",
+ "default": "Habilitar verificações de atualização automática. O código verificará se há atualizações automaticamente e periodicamente.",
+ "deprecated": "Esta configuração foi preterida. Use '{0}'.",
+ "enableWindowsBackgroundUpdatesTitle": "Habilitar Atualizações em Segundo Plano no Windows",
+ "enableWindowsBackgroundUpdates": "Habilitar o download e a instalação de novas versões do VS Code em segundo plano no Windows",
+ "showReleaseNotes": "Mostrar Notas sobre a Versão após uma atualização. As Notas sobre a Versão são obtidas de um serviço online da Microsoft."
+ },
+ "vs/platform/environment/node/argv": {
+ "optionsUpperCase": "Opções",
+ "extensionsManagement": "Gerenciamento de Extensões",
+ "troubleshooting": "Solução de problemas",
+ "diff": "Comparar dois arquivos entre si.",
+ "add": "Adicionar pasta(s) à última janela ativa.",
+ "goto": "Abrir um arquivo no caminho na linha e posição de caractere especificadas.",
+ "newWindow": "Forçar para abrir uma nova janela.",
+ "reuseWindow": "Forçar a abertura de um arquivo ou pasta em uma janela já aberta.",
+ "wait": "Aguarde até que os arquivos sejam fechados antes de retornar.",
+ "locale": "A localidade a ser usada (por exemplo, en-US ou zh-TW).",
+ "userDataDir": "Especifica o diretório em que os dados do usuário são mantidos. Pode ser usado para abrir várias instâncias distintas de código.",
+ "help": "Uso de impressão.",
+ "extensionHomePath": "Definir o caminho raiz para extensões.",
+ "listExtensions": "Listar as extensões instaladas.",
+ "showVersions": "Mostrar versões das extensões instaladas ao usar --list-extension.",
+ "category": "Filtra as extensões instaladas por categoria fornecida ao usar --list-extension.",
+ "installExtension": "Instala ou atualiza a extensão. O identificador de uma extensão é sempre `${publisher}.${name}`. Use o argumento `--force` para atualizá-la para a última versão. Para instalar uma versão específica, forneça `@${version}`. Por exemplo: 'vscode.csharp@1.2.3'.",
+ "uninstallExtension": "Desinstala uma extensão.",
+ "experimentalApis": "Habilita os recursos de API propostos para extensões. Pode receber uma ou mais IDs de extensão para habilitar individualmente.",
+ "version": "Imprimir versão.",
+ "verbose": "Imprimir saída detalhada (implica --wait).",
+ "log": "Nível de log a ser usado. O padrão é 'info'. Os valores permitidos são 'critical', 'error', 'warn', 'info', 'debug', 'trace', 'off'.",
+ "status": "Imprimir informações de uso e diagnóstico do processo.",
+ "prof-startup": "Executar o criador de perfil de CPU durante a inicialização",
+ "disableExtensions": "Desabilitar todas as extensões instaladas.",
+ "disableExtension": "Desabilitar uma extensão.",
+ "turn sync": "Ativar ou desativar sincronização",
+ "inspect-extensions": "Permitir depuração e criação de perfil de extensões. Verifique as ferramentas para desenvolvedores do URI de conexão.",
+ "inspect-brk-extensions": "Permitir a depuração e a criação de perfil de extensões com o host de extensão em pausa após o início. Verifique as ferramentas para desenvolvedores do URI de conexão.",
+ "disableGPU": "Desabilitar aceleração de hardware de GPU.",
+ "maxMemory": "Tamanho máximo de memória para uma janela (em Mbytes).",
+ "telemetry": "Mostra todos os eventos de telemetria que o VS Code coleta.",
+ "usage": "Uso",
+ "options": "opções",
+ "paths": "caminhos",
+ "stdinWindows": "Para ler a saída de outro programa, acrescente '-' (por exemplo, 'echo Hello World | {0} -')",
+ "stdinUnix": "Para ler usando o stdin, acrescente '-' (por exemplo, 'ps aux | grep code | {0} -')",
+ "unknownVersion": "Versão desconhecida",
+ "unknownCommit": "Confirmação desconhecida"
+ },
+ "vs/platform/extensionManagement/common/extensionManagement": {
+ "extensions": "Extensões",
+ "preferences": "Preferências"
+ },
+ "vs/platform/extensionManagement/node/extensionManagementService": {
+ "incompatible": "Não é possível instalar a extensão ' {0} ', pois não é compatível com o VS Code '{1} '.",
+ "restartCode": "Reinicie o VS Code antes de reinstalar {0}.",
+ "MarketPlaceDisabled": "O Marketplace não está habilitado",
+ "malicious extension": "Não é possível instalar a extensão porque ela foi relatada como problemática.",
+ "notFoundCompatibleDependency": "Não é possível instalar a extensão '{0}' porque ela não é compatível com a versão atual do VS Code (versão {1}).",
+ "Not a Marketplace extension": "Somente as Extensões do Marketplace podem ser reinstaladas",
+ "removeError": "Erro ao remover a extensão: {0}. Encerre e inicie o VS Code antes de tentar novamente.",
+ "quitCode": "Não é possível instalar a extensão. Encerre e inicie o VS Code antes de reinstalar.",
+ "exitCode": "Não é possível instalar a extensão. Saia e inicie o VS Code antes de reinstalar.",
+ "notInstalled": "A extensão '{0}' não está instalada.",
+ "singleDependentError": "Não foi possível desinstalar a extensão '{0}'. A extensão '{1}' depende dela.",
+ "twoDependentsError": "Não foi possível desinstalar a extensão '{0}'. As extensões '{1}' e '{2}' dependem dela.",
+ "multipleDependentsError": "Não foi possível desinstalar a extensão '{0}'. As extensões '{1}' e '{2}' e outras dependem dela.",
+ "singleIndirectDependentError": "Não é possível desinstalar a extensão '{0}'. Isso inclui desinstalar a extensão '{1}' e a extensão '{2}' depende dela.",
+ "twoIndirectDependentsError": "Não é possível desinstalar a extensão '{0}'. Isso inclui a desinstalação da extensão '{1}' e as extensões '{2}' e '{3}' dependem dela.",
+ "multipleIndirectDependentsError": "Não é possível desinstalar a extensão '{0}'. Isso inclui a desinstalação da extensão '{1}' e as extensões '{2}', '{3}' e outras dependem dela.",
+ "notExists": "Não foi possível localizar a extensão"
+ },
+ "vs/platform/telemetry/common/telemetryService": {
+ "telemetryConfigurationTitle": "Telemetria",
+ "telemetry.enableTelemetry": "Habilitar dados de uso e erros a serem enviados para um serviço online da Microsoft.",
+ "telemetry.enableTelemetryMd": "Permitir que os dados de uso e os erros sejam enviados para um serviço online da Microsoft. Leia nossa política de privacidade [aqui]({0})."
+ },
+ "vs/platform/extensionManagement/node/extensionManagementUtil": {
+ "invalidManifest": "VSIX inválido: package.json não é um arquivo JSON."
+ },
+ "vs/platform/userDataSync/common/userDataSync": {
+ "settings sync": "Sincronização de Configurações",
+ "settingsSync.keybindingsPerPlatform": "Sincronizar as associações de teclas para cada plataforma.",
+ "sync.keybindingsPerPlatform.deprecated": "Preterido, use settingsSync.keybindingsPerPlatform",
+ "settingsSync.ignoredExtensions": "Lista de extensões a serem ignoradas durante a sincronização. O identificador de uma extensão é sempre `${publisher}.${name}`. Por exemplo: `vscode.csharp`.",
+ "app.extension.identifier.errorMessage": "Esperava-se o formato '${publisher}.${name}'. Exemplo: 'vscode.csharp'.",
+ "sync.ignoredExtensions.deprecated": "Preterido, use settingsSync.ignoredExtensions",
+ "settingsSync.ignoredSettings": "Configurar as configurações a serem ignoradas durante a sincronização.",
+ "sync.ignoredSettings.deprecated": "Preterido, use settingsSync.ignoredSettings"
+ },
+ "vs/platform/extensionManagement/electron-sandbox/extensionTipsService": {
+ "exeRecommended": "Você tem o {0} instalado no sistema. Deseja instalar as extensões recomendadas para ele?"
+ },
+ "vs/platform/userDataSync/common/userDataSyncMachines": {
+ "error incompatible": "Não é possível ler os dados do computador, pois a versão atual é incompatível. Atualize {0} e tente novamente."
+ },
+ "vs/platform/userDataSync/common/userDataAutoSyncService": {
+ "default service changed": "Não é possível sincronizar porque o serviço padrão foi alterado",
+ "service changed": "Não é possível sincronizar porque o serviço de sincronização foi alterado",
+ "turned off": "Não é possível sincronizar porque a sincronização está desativada na nuvem",
+ "session expired": "Não é possível sincronizar porque a sessão atual expirou",
+ "turned off machine": "Não é possível sincronizar porque a sincronização está desativada neste computador usando outro computador."
+ },
+ "vs/platform/workspaces/common/workspaces": {
+ "codeWorkspace": "Workspace do Código"
+ },
+ "vs/platform/files/electron-browser/diskFileSystemProvider": {
+ "binFailed": "Falha ao mover '{0}' para a lixeira",
+ "trashFailed": "Falha ao mover '{0}' para a lixeira"
+ },
+ "vs/platform/dialogs/common/dialogs": {
+ "moreFile": "...1 arquivo adicional não mostrado",
+ "moreFiles": "...{0} arquivos adicionais não mostrados"
+ },
+ "vs/platform/theme/common/colorRegistry": {
+ "foreground": "Cor geral de primeiro plano. Essa cor só será usada se não for substituída por um componente.",
+ "errorForeground": "Cor geral de primeiro plano para mensagens de erro. Essa cor só será usada se não for substituída por um componente.",
+ "descriptionForeground": "Cor de primeiro plano para texto de descrição fornecendo informações adicionais, por exemplo, para um rótulo.",
+ "iconForeground": "A cor padrão dos ícones no workbench.",
+ "focusBorder": "Cor geral da borda para elementos focados. Essa cor só será usada se não for substituída por um componente.",
+ "contrastBorder": "Uma borda extra em torno dos elementos para separá-los de outros para maior contraste.",
+ "activeContrastBorder": "Uma borda extra em torno dos elementos ativos para separá-los de outros para maior contraste.",
+ "selectionBackground": "A cor da tela de fundo das seleções de texto no workbench (por exemplo, para campos de entrada ou áreas de texto). Observe que isso não se aplica às seleções dentro do editor.",
+ "textSeparatorForeground": "Cor dos separadores de texto.",
+ "textLinkForeground": "Cor de primeiro plano dos links no texto.",
+ "textLinkActiveForeground": "Cor de primeiro plano dos links no texto quando clicado e no foco do mouse.",
+ "textPreformatForeground": "Cor de primeiro plano dos segmentos de texto pré-formatados.",
+ "textBlockQuoteBackground": "Cor da tela de fundo das citações em blocos no texto.",
+ "textBlockQuoteBorder": "Cor da borda das citações em blocos no texto.",
+ "textCodeBlockBackground": "Cor da tela de fundo dos blocos de código no texto.",
+ "widgetShadow": "Cor da sombra de widgets, como localizar/substituir, dentro do editor.",
+ "inputBoxBackground": "Tela de fundo da caixa de entrada.",
+ "inputBoxForeground": "Primeiro plano da caixa de entrada.",
+ "inputBoxBorder": "Borda da caixa de entrada.",
+ "inputBoxActiveOptionBorder": "Cor da borda das opções ativadas em campos de entrada.",
+ "inputOption.activeBackground": "Cor da tela de fundo das opções ativadas nos campos de entrada.",
+ "inputOption.activeForeground": "Cor de primeiro plano das opções ativadas nos campos de entrada.",
+ "inputPlaceholderForeground": "Cor de primeiro plano da caixa de entrada para o texto do espaço reservado.",
+ "inputValidationInfoBackground": "Cor da tela de fundo da validação de entrada para a severidade de informações.",
+ "inputValidationInfoForeground": "Cor de primeiro plano da validação de entrada para a severidade de informações.",
+ "inputValidationInfoBorder": "Cor da borda da validação de entrada para a severidade de informações.",
+ "inputValidationWarningBackground": "Cor da tela de fundo da validação de entrada para a severidade do aviso.",
+ "inputValidationWarningForeground": "Cor de primeiro plano da validação de entrada para a severidade do aviso.",
+ "inputValidationWarningBorder": "Cor da borda da validação de entrada para a severidade do aviso.",
+ "inputValidationErrorBackground": "Cor da tela de fundo da validação de entrada para a severidade do erro.",
+ "inputValidationErrorForeground": "Cor de primeiro plano da validação de entrada para a severidade do erro.",
+ "inputValidationErrorBorder": "Cor da borda da validação de entrada para a severidade do erro.",
+ "dropdownBackground": "Tela de fundo suspensa.",
+ "dropdownListBackground": "Tela de fundo da lista suspensa.",
+ "dropdownForeground": "Primeiro plano suspenso.",
+ "dropdownBorder": "Borda suspensa.",
+ "checkbox.background": "Cor da tela de fundo do widget de caixa de seleção.",
+ "checkbox.foreground": "Cor de primeiro plano do widget de caixa de seleção.",
+ "checkbox.border": "Cor da borda do widget de caixa de seleção.",
+ "buttonForeground": "Cor de primeiro plano do botão.",
+ "buttonBackground": "Cor da tela de fundo do botão.",
+ "buttonHoverBackground": "Cor da tela de fundo do botão ao passar o mouse.",
+ "buttonSecondaryForeground": "Cor de primeiro plano do botão secundário.",
+ "buttonSecondaryBackground": "Cor da tela de fundo do botão secundário.",
+ "buttonSecondaryHoverBackground": "Cor da tela de fundo do botão secundário ao passar o mouse.",
+ "badgeBackground": "Cor da tela de fundo do selo. Os selos são pequenas etiquetas de informações, por exemplo, para contagem de resultados da pesquisa.",
+ "badgeForeground": "Cor de primeiro plano do selo. Os selos são pequenas etiquetas de informações, por exemplo, para contagem de resultados da pesquisa.",
+ "scrollbarShadow": "Sombra da barra de rolagem para indicar que a exibição é rolada.",
+ "scrollbarSliderBackground": "Cor da tela de fundo do controle deslizante da barra de rolagem.",
+ "scrollbarSliderHoverBackground": "Cor da tela de fundo do controle deslizante da barra de rolagem ao passar o mouse.",
+ "scrollbarSliderActiveBackground": "Cor da tela de fundo do controle deslizante da barra de rolagem quando clicado.",
+ "progressBarBackground": "Cor da tela de fundo da barra de progresso que pode ser exibida para operações de execução prolongada.",
+ "editorError.background": "A cor da tela de fundo do texto do erro no editor. A cor não pode ser opaca para não ocultar as decorações subjacentes.",
+ "editorError.foreground": "Cor de primeiro plano das linhas sinuosas de erro no editor.",
+ "errorBorder": "Cor da borda das caixas de erro no editor.",
+ "editorWarning.background": "A cor da tela de fundo do texto do aviso no editor. A cor não pode ser opaca para não ocultar as decorações subjacentes.",
+ "editorWarning.foreground": "Cor de primeiro plano das linhas sinuosas de aviso no editor.",
+ "warningBorder": "Cor da borda das caixas de aviso no editor.",
+ "editorInfo.background": "A cor da tela de fundo do texto informativo no editor. A cor não pode ser opaca para não ocultar as decorações subjacentes.",
+ "editorInfo.foreground": "Cor de primeiro plano das linhas sinuosas de informações no editor.",
+ "infoBorder": "Cor da borda das caixas de informações no editor.",
+ "editorHint.foreground": "Cor de primeiro plano das linhas sinuosas de dica no editor.",
+ "hintBorder": "Cor da borda das caixas de dica no editor.",
+ "sashActiveBorder": "Cor da borda dos caixilhos ativos.",
+ "editorBackground": "Cor da tela de fundo do editor.",
+ "editorForeground": "Cor de primeiro plano padrão do editor.",
+ "editorWidgetBackground": "Cor da tela de fundo dos widgets do editor, como localizar/substituir.",
+ "editorWidgetForeground": "Cor de primeiro plano dos widgets do editor, como localizar/substituir.",
+ "editorWidgetBorder": "Cor da borda dos widgets do editor. A cor será usada apenas se o widget optar por ter uma borda e se a cor não for substituída por um widget.",
+ "editorWidgetResizeBorder": "Cor da borda da barra de redimensionamento dos widgets do editor. A cor será usada apenas se o widget escolher uma borda de redimensionamento e se a cor não for substituída por um widget.",
+ "pickerBackground": "Cor da tela de fundo do seletor rápido. O widget de seletor rápido é o contêiner de seletores como a paleta de comandos.",
+ "pickerForeground": "Cor de primeiro plano do seletor rápido. O widget de seletor rápido é o contêiner de seletores como a paleta de comandos.",
+ "pickerTitleBackground": "Cor da tela de fundo do título do seletor rápido. O widget de seletor rápido é o contêiner de seletores como a paleta de comandos.",
+ "pickerGroupForeground": "Cor do seletor rápido para agrupar rótulos.",
+ "pickerGroupBorder": "Cor do seletor rápido para agrupar bordas.",
+ "editorSelectionBackground": "Cor da seleção do editor.",
+ "editorSelectionForeground": "Cor do texto selecionado para alto contraste.",
+ "editorInactiveSelection": "Cor da seleção em um editor inativo. A cor não deve ser opaca para não ocultar decorações subjacentes.",
+ "editorSelectionHighlight": "Cor para regiões com o mesmo conteúdo da seleção. A cor não deve ser opaca para não ocultar decorações subjacentes.",
+ "editorSelectionHighlightBorder": "Cor da borda para regiões com o mesmo conteúdo da seleção.",
+ "editorFindMatch": "Cor da correspondência de pesquisa atual.",
+ "findMatchHighlight": "Cor das outras correspondências da pesquisa. A cor não deve ser opaca para não ocultar decorações subjacentes.",
+ "findRangeHighlight": "Cor do intervalo que limita a pesquisa. A cor não deve ser opaca para não ocultar decorações subjacentes.",
+ "editorFindMatchBorder": "Cor da borda da correspondência de pesquisa atual.",
+ "findMatchHighlightBorder": "Cor da borda de outras correspondências da pesquisa.",
+ "findRangeHighlightBorder": "Cor da borda do intervalo que limita a pesquisa. A cor não deve ser opaca para não ocultar decorações subjacentes.",
+ "searchEditor.queryMatch": "Cor das correspondências de consulta do Editor de Pesquisa.",
+ "searchEditor.editorFindMatchBorder": "Cor da borda das correspondências de consulta do Editor de Pesquisa.",
+ "hoverHighlight": "Realce abaixo da palavra para a qual um foco é exibido. A cor não deve ser opaca para não ocultar decorações subjacentes.",
+ "hoverBackground": "Cor da tela de fundo do foco do editor.",
+ "hoverForeground": "Cor de primeiro plano do foco do editor.",
+ "hoverBorder": "Cor da borda do foco do editor.",
+ "statusBarBackground": "Cor da tela de fundo da barra de status de foco do editor.",
+ "activeLinkForeground": "Cor dos links ativos.",
+ "editorLightBulbForeground": "A cor usada para o ícone de ações de lâmpada.",
+ "editorLightBulbAutoFixForeground": "A cor usada para o ícone de ações de correção automática de lâmpada.",
+ "diffEditorInserted": "Cor da tela de fundo do texto que foi inserido. A cor não deve ser opaca para não ocultar decorações subjacentes.",
+ "diffEditorRemoved": "Cor da tela de fundo do texto que foi removido. A cor não deve ser opaca para não ocultar decorações subjacentes.",
+ "diffEditorInsertedOutline": "A cor da estrutura de tópicos do texto que foi inserido.",
+ "diffEditorRemovedOutline": "Cor da estrutura de tópicos do texto que foi removido.",
+ "diffEditorBorder": "Cor da borda entre os dois editores de texto.",
+ "diffDiagonalFill": "Cor do preenchimento diagonal do editor de comparação. O preenchimento diagonal é usado em modos de exibição de comparação lado a lado.",
+ "listFocusBackground": "Cor da tela de fundo da lista/árvore para o item com foco quando a lista/árvore estiver ativa. Uma lista/árvore ativa tem o foco do teclado, uma inativa não.",
+ "listFocusForeground": "Cor de primeiro plano da lista/árvore para o item focalizado quando a lista/árvore estiver ativa. Uma lista/árvore ativa tem o foco do teclado, uma inativa não.",
+ "listActiveSelectionBackground": "Cor da tela de fundo da lista/árvore para o item selecionado quando a lista/árvore estiver ativa. Uma lista/árvore ativa tem o foco do teclado, uma inativa não.",
+ "listActiveSelectionForeground": "Cor de primeiro plano da lista/árvore para o item selecionado quando a lista/árvore estiver ativa. Uma lista/árvore ativa tem o foco do teclado, uma inativa não.",
+ "listInactiveSelectionBackground": "Cor da tela de fundo da lista/árvore para o item selecionado quando a lista/árvore estiver inativa. Uma lista/árvore ativa tem o foco do teclado, uma inativa não.",
+ "listInactiveSelectionForeground": "Cor de primeiro plano da lista/árvore para o item selecionado quando a lista/árvore estiver inativa. Uma lista/árvore ativa tem o foco do teclado, uma inativa não.",
+ "listInactiveFocusBackground": "Cor da tela de fundo da lista/árvore para o item com foco quando a lista/árvore estiver inativa. Uma lista/árvore ativa tem o foco do teclado, uma inativa não.",
+ "listHoverBackground": "Tela de fundo da lista/árvore ao passar o mouse sobre itens usando o mouse.",
+ "listHoverForeground": "Primeiro plano de lista/árvore ao passar o mouse sobre os itens.",
+ "listDropBackground": "Tela de fundo de arrastar e soltar da lista/árvore ao mover os itens usando o mouse.",
+ "highlight": "Cor de primeiro plano da lista/árvore dos realces de correspondência ao pesquisar dentro da lista/árvore.",
+ "invalidItemForeground": "Cor de primeiro plano da lista/árvore para itens inválidos, por exemplo, uma raiz não resolvida no explorador.",
+ "listErrorForeground": "Cor de primeiro plano dos itens da lista contendo erros.",
+ "listWarningForeground": "Cor de primeiro plano dos itens da lista contendo avisos.",
+ "listFilterWidgetBackground": "Cor da tela de fundo do widget de filtro de tipo em listas e árvores.",
+ "listFilterWidgetOutline": "Cor da estrutura de tópicos do widget de filtro de tipo em listas e árvores.",
+ "listFilterWidgetNoMatchesOutline": "Cor da estrutura de tópicos do widget de filtro de tipo em listas e árvores, quando não há correspondências.",
+ "listFilterMatchHighlight": "Cor da tela de fundo da correspondência filtrada.",
+ "listFilterMatchHighlightBorder": "Cor da borda da correspondência filtrada.",
+ "treeIndentGuidesStroke": "Cor do traço da árvore dos guias de recuo.",
+ "listDeemphasizedForeground": "Cor de primeiro plano da lista/árvore para itens que não são enfatizados. ",
+ "menuBorder": "Cor da borda dos menus.",
+ "menuForeground": "Cor de primeiro plano dos itens de menu.",
+ "menuBackground": "Cor da tela de fundo dos itens de menu.",
+ "menuSelectionForeground": "Cor de primeiro plano do item de menu selecionado nos menus.",
+ "menuSelectionBackground": "Cor da tela de fundo do item de menu selecionado nos menus.",
+ "menuSelectionBorder": "Cor da borda do item de menu selecionado nos menus.",
+ "menuSeparatorBackground": "Cor de um item de menu separador em menus.",
+ "snippetTabstopHighlightBackground": "Cor da tela de fundo de realce da parada de tabulação de um snippet.",
+ "snippetTabstopHighlightBorder": "Cor da borda de realce da parada de tabulação de um snippet.",
+ "snippetFinalTabstopHighlightBackground": "Cor da tela de fundo de realce da parada de tabulação final de um snippet.",
+ "snippetFinalTabstopHighlightBorder": "Cor da borda de realce da parada de tabulação final de um snippet.",
+ "breadcrumbsFocusForeground": "Cor dos itens de trilha com foco.",
+ "breadcrumbsBackground": "Cor da tela de fundo dos itens de trilha.",
+ "breadcrumbsSelectedForegound": "Cor dos itens de trilha selecionados.",
+ "breadcrumbsSelectedBackground": "Cor da tela de fundo do seletor de item de trilha.",
+ "mergeCurrentHeaderBackground": "Tela de fundo do cabeçalho atual em conflitos de mesclagem embutidos. A cor não deve ser opaca para não ocultar decorações subjacentes.",
+ "mergeCurrentContentBackground": "Tela de fundo de conteúdo atual em conflitos de mesclagem embutidos. A cor não deve ser opaca para não ocultar decorações subjacentes.",
+ "mergeIncomingHeaderBackground": "Tela de fundo de cabeçalho de entrada em conflitos de mesclagem embutidos. A cor não deve ser opaca para não ocultar decorações subjacentes.",
+ "mergeIncomingContentBackground": "Tela de fundo de conteúdo de entrada em conflitos de mesclagem embutidos. A cor não deve ser opaca para não ocultar decorações subjacentes.",
+ "mergeCommonHeaderBackground": "Tela de fundo do cabeçalho ancestral comum em conflitos de mesclagem embutidos. A cor não deve ser opaca para não ocultar decorações subjacentes.",
+ "mergeCommonContentBackground": "Tela de fundo de conteúdo ancestral comum em conflitos de mesclagem embutidos. A cor não deve ser opaca para não ocultar decorações subjacentes.",
+ "mergeBorder": "Cor da borda nos cabeçalhos e no divisor em conflitos de mesclagem embutidos.",
+ "overviewRulerCurrentContentForeground": "Primeiro plano da régua de visão geral para conflitos de mesclagem embutidos.",
+ "overviewRulerIncomingContentForeground": "Primeiro plano da régua de visão geral de entrada para conflitos de mesclagem embutidos.",
+ "overviewRulerCommonContentForeground": "Primeiro plano da régua de visão geral do ancestral comum para conflitos de mesclagem embutidos.",
+ "overviewRulerFindMatchForeground": "Cor do marcador da régua de visão geral para localizar correspondências. A cor não deve ser opaca para não ocultar decorações subjacentes.",
+ "overviewRulerSelectionHighlightForeground": "Cor do marcador da régua de visão geral para realces de seleção. A cor não deve ser opaca para não ocultar decorações subjacentes.",
+ "minimapFindMatchHighlight": "Cor do marcador do minimapa para localizar correspondências.",
+ "minimapSelectionHighlight": "Cor do marcador do minimapa para a seleção de editor.",
+ "minimapError": "Cor do marcador do minimapa para erros.",
+ "overviewRuleWarning": "Cor do marcador do minimapa para avisos.",
+ "minimapBackground": "Cor da tela de fundo do minimapa.",
+ "minimapSliderBackground": "Cor da tela de fundo do controle deslizante do minimapa.",
+ "minimapSliderHoverBackground": "Cor da tela de fundo do controle deslizante do minimapa ao passar o mouse.",
+ "minimapSliderActiveBackground": "Cor da tela de fundo do controle deslizante do minimapa quando clicado.",
+ "problemsErrorIconForeground": "A cor usada para o ícone de erro de problemas.",
+ "problemsWarningIconForeground": "A cor usada para o ícone de aviso de problemas.",
+ "problemsInfoIconForeground": "A cor usada para o ícone de informações de problemas.",
+ "chartsForeground": "A cor de primeiro plano usada em gráficos.",
+ "chartsLines": "A cor usada para linhas horizontais em gráficos.",
+ "chartsRed": "A cor vermelha usada nas visualizações do gráfico.",
+ "chartsBlue": "A cor azul usada nas visualizações do gráfico.",
+ "chartsYellow": "A cor amarela usada nas visualizações do gráfico.",
+ "chartsOrange": "A cor laranja usada nas visualizações do gráfico.",
+ "chartsGreen": "A cor verde usada nas visualizações do gráfico.",
+ "chartsPurple": "A cor púrpura usada nas visualizações do gráfico."
+ },
+ "vs/platform/configuration/common/configurationRegistry": {
+ "defaultLanguageConfigurationOverrides.title": "Substituições de Configuração de Idioma Padrão",
+ "defaultLanguageConfiguration.description": "Definir configurações que serão substituídas para {0} idioma.",
+ "overrideSettings.defaultDescription": "Definir configurações de editor a serem substituídas para um idioma.",
+ "overrideSettings.errorMessage": "Essa configuração não é compatível com a configuração por idioma.",
+ "config.property.empty": "Não é possível registrar uma propriedade vazia",
+ "config.property.languageDefault": "Não é possível registrar '{0}'. Isso corresponde ao padrão de propriedade '\\\\[.*\\\\]$' para descrever as configurações de editor específicas do idioma. Use a contribuição 'configurationDefaults'.",
+ "config.property.duplicate": "Não é possível registrar '{0}'. Esta propriedade já está registrada."
+ },
+ "vs/platform/markers/common/markers": {
+ "sev.error": "Erro",
+ "sev.warning": "Aviso",
+ "sev.info": "Informações"
+ },
+ "vs/platform/windows/electron-main/windowsMainService": {
+ "pathNotExistTitle": "O caminho não existe",
+ "pathNotExistDetail": "O caminho '{0}' parece não existir mais no disco.",
+ "uriInvalidTitle": "O URI não pode ser aberto",
+ "uriInvalidDetail": "O URI '{0}' não é válido e não pode ser aberto.",
+ "ok": "OK"
+ },
+ "vs/platform/issue/electron-main/issueMainService": {
+ "local": "Local",
+ "issueReporterWriteToClipboard": "Há muitos dados para enviar diretamente ao GitHub. Os dados serão copiados na área de transferência. Cole-os na página de problemas do GitHub que está aberta.",
+ "ok": "OK",
+ "cancel": "Cancelar",
+ "confirmCloseIssueReporter": "Sua entrada não será salva. Tem certeza de que deseja fechar esta janela?",
+ "yes": "Sim",
+ "issueReporter": "Relator de Problemas",
+ "processExplorer": "Explorador de Processos"
+ },
+ "vs/platform/workspaces/electron-main/workspacesHistoryMainService": {
+ "newWindow": "Nova Janela",
+ "newWindowDesc": "Abre uma nova janela",
+ "recentFolders": "Workspaces Recentes",
+ "folderDesc": "{0} {1}",
+ "workspaceDesc": "{0} {1}",
+ "untitledWorkspace": "Sem título (Workspace)",
+ "workspaceName": "{0} (Workspace)"
+ },
+ "vs/platform/workspaces/electron-main/workspacesMainService": {
+ "ok": "OK",
+ "workspaceOpenedMessage": "Não é possível salvar o workspace '{0}'",
+ "workspaceOpenedDetail": "O workspace já está aberto em outra janela. Feche essa janela primeiro e tente novamente."
+ },
+ "vs/platform/dialogs/electron-main/dialogs": {
+ "open": "Abrir",
+ "openFolder": "Abrir a Pasta",
+ "openFile": "Abrir o Arquivo",
+ "openWorkspaceTitle": "Abrir o Workspace",
+ "openWorkspace": "&&Abrir"
+ },
+ "vs/platform/files/common/io": {
+ "fileTooLargeForHeapError": "Para abrir um arquivo desse tamanho, é necessário fazer uma reinicialização e permitir que ele use mais memória",
+ "fileTooLargeError": "O arquivo é grande demais para ser aberto"
+ },
+ "vs/platform/extensions/common/extensionValidator": {
+ "versionSyntax": "Não foi possível analisar o valor {0} de `engines.vscode`. Use, por exemplo, ^1.22.0, ^1.22.x etc.",
+ "versionSpecificity1": "A versão especificada em `engines.vscode` ({0}) não é suficientemente específica. Para versões do vscode anteriores à 1.0.0, defina pelo menos a versão desejada principal e secundária. Por exemplo, ^0.10.0, 0.10.x, 0.11.0 etc.",
+ "versionSpecificity2": "A versão especificada em `engines.vscode` ({0}) não é suficientemente específica. Para versões do vscode posteriores à versão 1.0.0, defina no mínimo a versão principal desejada. Por exemplo, ^1.10.0, 1.10.x, 1.x.x, 2.x.x etc.",
+ "versionMismatch": "A extensão não é compatível com o código {0}. A extensão exige: {1}."
+ },
+ "vs/platform/extensionManagement/node/extensionsScanner": {
+ "errorDeleting": "Não é possível excluir a pasta '{0}' existente ao instalar a extensão '{1}'. Exclua a pasta manualmente e tente de novo",
+ "cannot read": "Não foi possível ler a extensão de {0}",
+ "renameError": "Erro desconhecido ao renomear {0} para {1}",
+ "invalidManifest": "Extensão inválida: package.json não é um arquivo JSON."
+ },
+ "vs/platform/userDataSync/common/keybindingsSync": {
+ "errorInvalidSettings": "Não é possível sincronizar as associações de teclas porque o conteúdo do arquivo não é válido. Abra o arquivo e corrija-o."
+ },
+ "vs/platform/userDataSync/common/settingsSync": {
+ "errorInvalidSettings": "Não é possível sincronizar as configurações, pois há erros/aviso no arquivo de configurações."
+ },
+ "vs/platform/list/browser/listService": {
+ "workbenchConfigurationTitle": "Workbench",
+ "multiSelectModifier.ctrlCmd": "Mapeia para `Control` no Windows e no Linux e para `Command` no macOS.",
+ "multiSelectModifier.alt": "Mapeia para `Alt` no Windows e no Linux e para `Option` no macOS.",
+ "multiSelectModifier": "O modificador a ser usado para adicionar um item em árvores e listas a uma seleção múltipla com o mouse (por exemplo, no explorador, abra os editores e a exibição de scm). Os gestos de mouse 'Abrir ao Lado', se compatíveis, se adaptarão de modo que não entrarão em conflito com o modificador de seleção múltipla.",
+ "openModeModifier": "Controla como abrir itens em árvores e listas usando o mouse (se compatível). Para pais com filhos em árvores, essa configuração controla se um único clique expande o pai ou se é necessário um clique duplo. Observe que algumas árvores e listas poderão optar por ignorar essa configuração se ela não for aplicável. ",
+ "horizontalScrolling setting": "Controla se as listas e árvores dão suporte à rolagem horizontal no workbench. Aviso: a ativação desta configuração tem uma implicação de desempenho.",
+ "tree indent setting": "Controle o recuo da árvore em pixels.",
+ "render tree indent guides": "Controla se a árvore deve renderizar guias de recuo.",
+ "list smoothScrolling setting": "Controla se listas e árvores têm rolagem suave.",
+ "keyboardNavigationSettingKey.simple": "A navegação pelo teclado simples tem como foco elementos que correspondem à entrada do teclado. A correspondência é feita somente em prefixos.",
+ "keyboardNavigationSettingKey.highlight": "Realçar a navegação pelo teclado realça elementos que correspondem à entrada do teclado. A navegação mais acima e abaixo passará apenas pelos elementos realçados.",
+ "keyboardNavigationSettingKey.filter": "Filtrar a navegação pelo teclado filtrará e ocultará todos os elementos que não correspondem à entrada do teclado.",
+ "keyboardNavigationSettingKey": "Controla o estilo de navegação pelo teclado para listas e árvores no workbench. Pode ser simples, realçar e filtrar.",
+ "automatic keyboard navigation setting": "Controla se a navegação pelo teclado em listas e árvores é disparada automaticamente ao digitar. Se definida como `false`, a navegação pelo teclado é disparada apenas ao executar o comando `list.toggleKeyboardNavigation`, ao qual você pode atribuir um atalho de teclado.",
+ "expand mode": "Controla como as pastas da árvore são expandidas ao clicar nos nomes das pastas."
+ },
+ "vs/platform/undoRedo/common/undoRedoService": {
+ "externalRemoval": "Os seguintes arquivos foram fechados e modificados no disco: {0}.",
+ "noParallelUniverses": "Os seguintes arquivos foram modificados de modo incompatível: {0}.",
+ "cannotWorkspaceUndo": "Não foi possível desfazer '{0}' em todos os arquivos. {1}",
+ "cannotWorkspaceUndoDueToChanges": "Não foi possível desfazer '{0}' em todos os arquivos porque foram feitas alterações em {1}",
+ "cannotWorkspaceUndoDueToInProgressUndoRedo": "Não foi possível desfazer '{0}' em todos os arquivos porque já há uma operação de desfazer ou refazer em execução em {1}",
+ "cannotWorkspaceUndoDueToInMeantimeUndoRedo": "Não foi possível desfazer '{0}' em todos os arquivos porque uma operação de desfazer ou refazer ocorreu durante esse período",
+ "confirmWorkspace": "Deseja desfazer '{0}' em todos os arquivos?",
+ "ok": "Desfazer em {0} Arquivos",
+ "nok": "Desfazer este Arquivo",
+ "cancel": "Cancelar",
+ "cannotResourceUndoDueToInProgressUndoRedo": "Não foi possível desfazer '{0}' porque já há uma operação de desfazer ou refazer em execução.",
+ "confirmDifferentSource": "Deseja desfazer '{0}'?",
+ "confirmDifferentSource.ok": "Desfazer",
+ "cannotWorkspaceRedo": "Não foi possível refazer '{0}' em todos os arquivos. {1}",
+ "cannotWorkspaceRedoDueToChanges": "Não foi possível refazer '{0}' entre todos os arquivos porque foram feitas alterações em {1}",
+ "cannotWorkspaceRedoDueToInProgressUndoRedo": "Não foi possível refazer '{0}' em todos os arquivos porque já há uma operação de desfazer ou refazer em execução em {1}",
+ "cannotWorkspaceRedoDueToInMeantimeUndoRedo": "Não foi possível refazer '{0}' em todos os arquivos porque uma operação de desfazer ou refazer ocorreu durante esse período",
+ "cannotResourceRedoDueToInProgressUndoRedo": "Não foi possível refazer '{0}' porque já há uma operação de desfazer ou refazer em execução."
+ },
+ "vs/platform/actions/browser/menuEntryActionViewItem": {
+ "titleAndKb": "{0} ({1})"
+ },
+ "vs/platform/theme/common/iconRegistry": {
+ "iconDefintion.fontId": "A ID da fonte a ser usada. Se não estiver definida, a fonte definida primeiro será usada.",
+ "iconDefintion.fontCharacter": "O caractere de fonte associado à definição do ícone.",
+ "widgetClose": "Ícone da ação fechar nos widgets.",
+ "previousChangeIcon": "Ícone para acessar o local anterior do editor.",
+ "nextChangeIcon": "Ícone para acessar o próximo local do editor."
+ },
+ "vs/platform/menubar/electron-main/menubar": {
+ "miNewWindow": "Nova &&Janela",
+ "mFile": "&&Arquivo",
+ "mEdit": "&&Editar",
+ "mSelection": "&&Seleção",
+ "mView": "&&Ver",
+ "mGoto": "&&Acessar",
+ "mRun": "&&Executar",
+ "mTerminal": "&&Terminal",
+ "mWindow": "Janela",
+ "mHelp": "&&Ajuda",
+ "mAbout": "Sobre {0}",
+ "miPreferences": "&&Preferências",
+ "mServices": "Serviços",
+ "mHide": "Ocultar {0}",
+ "mHideOthers": "Ocultar Outros",
+ "mShowAll": "Mostrar Tudo",
+ "miQuit": "Encerrar {0}",
+ "mMinimize": "Minimizar",
+ "mZoom": "Aplicar Zoom",
+ "mBringToFront": "Trazer todos para a frente",
+ "miSwitchWindow": "Mudar &&Janela...",
+ "mNewTab": "Nova Guia",
+ "mShowPreviousTab": "Mostrar Guia Anterior",
+ "mShowNextTab": "Mostrar Próxima Guia",
+ "mMoveTabToNewWindow": "Mover Guia para Nova Janela",
+ "mMergeAllWindows": "Mesclar Todas as Janelas",
+ "miCheckForUpdates": "Verificar se há &&Atualizações...",
+ "miCheckingForUpdates": "Verificando se há Atualizações...",
+ "miDownloadUpdate": "B&&aixar Atualização Disponível",
+ "miDownloadingUpdate": "Baixando a Atualização...",
+ "miInstallUpdate": "Instalar a &&Atualização...",
+ "miInstallingUpdate": "Instalando a Atualização...",
+ "miRestartToUpdate": "Reiniciar para &&Atualizar"
+ },
+ "vs/platform/userDataSync/common/abstractSynchronizer": {
+ "incompatible": "Não é possível sincronizar {0}, pois a versão {1} local não é compatível com a versão {2} remota",
+ "incompatible sync data": "Não é possível analisar os dados de sincronização porque eles não são compatíveis com a versão atual."
+ },
+ "vs/platform/keybinding/common/abstractKeybindingService": {
+ "first.chord": "({0}) foi pressionada. Aguardando a segunda tecla do acorde...",
+ "missing.chord": "A combinação de teclas ({0}, {1}) não é um comando."
+ },
+ "vs/platform/quickinput/browser/helpQuickAccess": {
+ "globalCommands": "comandos globais",
+ "editorCommands": "comandos do editor",
+ "helpPickAriaLabel": "{0}, {1}"
+ },
+ "vs/platform/theme/common/tokenClassificationRegistry": {
+ "schema.token.settings": "Cores e estilos para o token.",
+ "schema.token.foreground": "Cor de primeiro plano para o token.",
+ "schema.token.background.warning": "No momento, não há suporte para cores da tela de fundo de token.",
+ "schema.token.fontStyle": "Define todos os estilos de fonte da regra: 'italic', 'bold' ou 'underline' ou uma combinação. Todos os estilos que não estão listados têm a definição removida. A cadeia de caracteres vazia remove a definição de todos os estilos.",
+ "schema.fontStyle.error": "O estilo da fonte precisa ser 'italic', 'bold' ou 'underline' ou uma combinação deles. A cadeia de caracteres vazia remove a definição de todos os estilos.",
+ "schema.token.fontStyle.none": "Nenhum (limpar o estilo herdado)",
+ "schema.token.bold": "Define ou remove a definição do estilo da fonte como negrito. Observe que a presença de 'fontStyle' substitui essa configuração.",
+ "schema.token.italic": "Define ou remove a definição do estilo da fonte como itálico. Observe que a presença de 'fontStyle' substitui essa configuração.",
+ "schema.token.underline": "Define ou remove a definição do estilo da fonte como sublinhado. Observe que a presença de 'fontStyle' substitui essa configuração.",
+ "comment": "Estilo para comentários.",
+ "string": "Estilo para cadeias de caracteres.",
+ "keyword": "Estilo para palavras-chave.",
+ "number": "Estilo para números.",
+ "regexp": "Estilo para expressões.",
+ "operator": "Estilo para operadores.",
+ "namespace": "Estilo para namespaces.",
+ "type": "Estilo para tipos.",
+ "struct": "Estilo para structs.",
+ "class": "Estilo para classes.",
+ "interface": "Estilo para interfaces.",
+ "enum": "Estilo para enumerações.",
+ "typeParameter": "Estilo para parâmetros de tipo.",
+ "function": "Estilo para funções",
+ "member": "Estilo das funções de membro",
+ "method": "Estilo do método (funções de membro)",
+ "macro": "Estilo para macros.",
+ "variable": "Estilo para variáveis.",
+ "parameter": "Estilo para parâmetros.",
+ "property": "Estilo para propriedades.",
+ "enumMember": "Estilo para membros de enumeração.",
+ "event": "Estilo para eventos.",
+ "labels": "Estilo para rótulos. ",
+ "declaration": "Estilo para todas as declarações de símbolo.",
+ "documentation": "Estilo a ser usado em referências na documentação.",
+ "static": "Estilo a ser usado em símbolos estáticos.",
+ "abstract": "Estilo a ser usado em símbolos abstratos.",
+ "deprecated": "Estilo a ser usado em símbolos preteridos.",
+ "modification": "Estilo a ser usado em acessos de gravação.",
+ "async": "Estilo a ser usado em símbolos que são assíncronos.",
+ "readonly": "Estilo a ser usado em símbolos que são somente leitura."
+ },
+ "vs/platform/quickinput/browser/commandsQuickAccess": {
+ "commandPickAriaLabelWithKeybinding": "{0}, {1}",
+ "recentlyUsed": "usado recentemente",
+ "morecCommands": "outros comandos",
+ "canNotRun": "O comando '{0}' resultou em um erro ({1})"
+ },
+ "win32/i18n/messages": {
+ "FinishedLabel": "A Instalação terminou de instalar o [nome] no seu computador. O aplicativo pode ser inicializado selecionando os ícones instalados.",
+ "ConfirmUninstall": "Tem certeza de que deseja remover completamente %1 e todos os componentes correspondentes?",
+ "AdditionalIcons": "Ícones adicionais:",
+ "CreateDesktopIcon": "Criar um &desktop ícone",
+ "CreateQuickLaunchIcon": "Criar um ícone &de início rápido",
+ "AddContextMenuFiles": "Adicionar ação \"Abrir com %1\" ao menu de contexto do arquivo do Windows Explorer",
+ "AddContextMenuFolders": "Adicionar ação \"Abrir com %1\" ao menu de contexto do diretório do Windows Explorer",
+ "AssociateWithFiles": "Registrar %1 como um editor para tipos de arquivos com suporte",
+ "AddToPath": "Adicionar ao PATH (exige reinicialização do shell)",
+ "RunAfter": "Executar %1 após a instalação",
+ "Other": "Outro:",
+ "SourceFile": "Arquivo de Origem de %1",
+ "OpenWithCodeContextMenu": "Abrir c&om %1"
+ },
+ "vs/code/electron-main/main": {
+ "secondInstanceAdmin": "Uma segunda instância de {0} já está sendo executada como administrador.",
+ "secondInstanceAdminDetail": "Feche a outra instância e tente novamente.",
+ "secondInstanceNoResponse": "Outra instância do {0} está em execução, mas não está respondendo",
+ "secondInstanceNoResponseDetail": "Feche todas as outras instâncias e tente novamente.",
+ "startupDataDirError": "Não é possível gravar os dados do usuário do programa.",
+ "startupUserDataAndExtensionsDirErrorDetail": "Certifique-se de que os seguintes diretórios sejam graváveis:\r\n\r\n{0}",
+ "close": "&&Fechar"
+ },
+ "vs/code/node/cliProcessMain": {
+ "notFound": "Extensão '{0}' não encontrada.",
+ "notInstalled": "A extensão '{0}' não está instalada.",
+ "useId": "Não se esqueça de usar a ID de extensão completa, incluindo o editor, por exemplo: {0}",
+ "installingExtensions": "Instalando extensões...",
+ "alreadyInstalled-checkAndUpdate": "A extensão '{0}' v{1} já está instalada. Use a opção '--force' para atualizar para a última versão ou forneça '@' para instalar uma versão específica, por exemplo: '{2}@1.2.3'.",
+ "alreadyInstalled": "A extensão '{0}' já está instalada.",
+ "installation failed": "Falha ao Instalar Extensões: {0}",
+ "successVsixInstall": "A extensão '{0}' foi instalada com êxito.",
+ "cancelVsixInstall": "A instalação da extensão '{0}' foi cancelada.",
+ "updateMessage": "Atualizando a extensão '{0}' para a versão {1}",
+ "installing builtin ": "Instalando extensão interna '{0}' v{1}...",
+ "installing": "Instalando a extensão '{0}' v{1}...",
+ "successInstall": "A extensão '{0}' v{1} foi instalada com êxito.",
+ "cancelInstall": "A instalação da extensão '{0}' foi cancelada.",
+ "forceDowngrade": "Uma versão mais recente da extensão '{0}' v{1} já está instalada. Use a opção '--force' para fazer downgrade para a versão mais antiga.",
+ "builtin": "A extensão '{0}' é uma Extensão interna e não pode ser instalada",
+ "forceUninstall": "A extensão '{0}' está marcada como uma Extensão interna pelo usuário. Use a opção '--force' para desinstalá-la.",
+ "uninstalling": "Desinstalando {0}...",
+ "successUninstall": "A extensão '{0}' foi desinstalada com êxito."
+ },
+ "vs/code/electron-sandbox/issue/issueReporterMain": {
+ "hide": "ocultar",
+ "show": "mostrar",
+ "previewOnGitHub": "Visualizar no GitHub",
+ "loadingData": "Carregando dados...",
+ "rateLimited": "Limite de consulta do GitHub excedido. Por favor, espere.",
+ "similarIssues": "Problemas semelhantes",
+ "open": "Abrir",
+ "closed": "Fechado",
+ "noSimilarIssues": "Nenhum problema semelhante encontrado",
+ "bugReporter": "Relatório de Bug",
+ "featureRequest": "Solicitação de Recurso",
+ "performanceIssue": "Problema de Desempenho",
+ "selectSource": "Selecionar origem",
+ "vscode": "Visual Studio Code",
+ "extension": "Uma extensão",
+ "unknown": "Não Sei",
+ "stepsToReproduce": "Etapas para Reproduzir",
+ "bugDescription": "Nós suportamos Markdown no padrão GitHub. Você poderá editar o seu problema e adicionar capturas de tela quando nós o pré-visualizarmos no GitHub. ",
+ "performanceIssueDesciption": "Nós suportamos Markdown no padrão GitHub. Você poderá editar o seu problema e adicionar capturas de tela quando nós o pré-visualizarmos no GitHub. ",
+ "description": "Descrição",
+ "featureRequestDescription": "Nós suportamos Markdown no padrão GitHub. Você poderá editar o seu problema e adicionar capturas de tela quando nós o pré-visualizarmos no GitHub. ",
+ "pasteData": "Nós escrevemos os dados necessários em sua área de transferência porque era muito grande para ser enviado. Por favor, Cole.",
+ "disabledExtensions": "As extensões estão desabilitadas",
+ "noCurrentExperiments": "Nenhum experimento atual."
+ },
+ "vs/code/electron-sandbox/processExplorer/processExplorerMain": {
+ "cpu": "% de CPU",
+ "memory": "Memória (MB)",
+ "pid": "PID",
+ "name": "Nome",
+ "killProcess": "Encerrar Processo",
+ "forceKillProcess": "Forçar Encerramento do Processo",
+ "copy": "Copiar",
+ "copyAll": "Copiar Tudo",
+ "debug": "Depurar"
+ },
+ "vs/code/electron-main/app": {
+ "trace.message": "Rastreamento criado com êxito.",
+ "trace.detail": "Crie um problema e anexe manualmente o seguinte arquivo:\r\n{0}",
+ "trace.ok": "OK",
+ "open": "&&Sim",
+ "cancel": "&&Não",
+ "confirmOpenMessage": "Um aplicativo externo deseja abrir '{0}' em {1}. Deseja abrir este arquivo ou pasta?",
+ "confirmOpenDetail": "Se você não iniciou essa solicitação, ela poderá representar uma tentativa de ataque em seu sistema. A menos que você tenha feito uma ação explícita para iniciar essa solicitação, você deverá pressionar 'Não'"
+ },
+ "vs/code/electron-sandbox/issue/issueReporterPage": {
+ "completeInEnglish": "Por favor, preencha o formulário em inglês.",
+ "issueTypeLabel": "Isso é um",
+ "issueSourceLabel": "Arquivo em",
+ "issueSourceEmptyValidation": "Uma origem do problema é necessária.",
+ "disableExtensionsLabelText": "Tente reproduzir o problema depois de {0}. Se o problema só se reproduz quando as extensões são ativas, provavelmente é um problema com uma extensão.",
+ "disableExtensions": "desabilitando todas as extensões e recarregando a janela",
+ "chooseExtension": "Extensão",
+ "extensionWithNonstandardBugsUrl": "O repórter de problemas não pode criar problemas para esta extensão. Por favor, visite {0} para relatar um problema.",
+ "extensionWithNoBugsUrl": "O repórter de problemas não pode criar problemas para esta extensão, pois não especifica um URL para relatar problemas. Verifique a página de marketplace desta extensão para ver se outras instruções estão disponíveis.",
+ "issueTitleLabel": "Título",
+ "issueTitleRequired": "Por favor, digite um título.",
+ "titleEmptyValidation": "Um título é obrigatório.",
+ "titleLengthValidation": "O título é muito longo.",
+ "details": "Insira detalhes.",
+ "descriptionEmptyValidation": "Uma descrição é necessária.",
+ "sendSystemInfo": "Incluir informação do meu sistema ({0})",
+ "show": "mostrar",
+ "sendProcessInfo": "Incluir meus processos que estão rodando atualmente ({0})",
+ "sendWorkspaceInfo": "Incluir metadados meu espaço de trabalho ({0}) ",
+ "sendExtensions": "Incluir minhas extensões habilitadas ({0})",
+ "sendExperiments": "Incluir as informações do experimento A/B ({0})"
+ },
+ "vs/code/electron-main/auth": {
+ "authRequire": "Autenticação de Proxy Obrigatória",
+ "proxyauth": "O proxy {0} exige autenticação."
+ },
+ "vs/code/electron-main/window": {
+ "reopen": "&&Reabrir",
+ "wait": "&&Continuar Esperando",
+ "close": "&&Fechar",
+ "appStalled": "A janela não está mais respondendo",
+ "appStalledDetail": "Você pode reabrir ou fechar a janela ou continuar esperando.",
+ "appCrashedDetails": "A janela falhou (motivo: '{0}')",
+ "appCrashed": "A janela falhou",
+ "appCrashedDetail": "Lamentamos a inconveniência. Você pode reabrir a janela para continuar de onde parou.",
+ "hiddenMenuBar": "Você ainda pode acessar a barra de menus pressionando a tecla Alt."
+ },
+ "vs/workbench/electron-browser/actions/developerActions": {
+ "toggleSharedProcess": "Ativar/Desativar Processo Compartilhado"
+ },
+ "vs/workbench/electron-sandbox/desktop.contribution": {
+ "newTab": "Nova Guia de Janela",
+ "showPreviousTab": "Mostrar Guia da Janela Anterior",
+ "showNextWindowTab": "Mostrar Próxima Guia da Janela",
+ "moveWindowTabToNewWindow": "Mover a Guia da Janela para a Nova Janela",
+ "mergeAllWindowTabs": "Mesclar Todas as Janelas",
+ "toggleWindowTabsBar": "Ativar/Desativar Barra de Guias da Janela",
+ "preferences": "Preferências",
+ "miCloseWindow": "Fec&&har Janela",
+ "miExit": "S&&air",
+ "miZoomIn": "&&Ampliar",
+ "miZoomOut": "&&Reduzir",
+ "miZoomReset": "&&Redefinir o Zoom",
+ "miReportIssue": "Relatar &&Problema",
+ "miToggleDevTools": "&&Ativar/Desativar as Ferramentas para Desenvolvedores",
+ "miOpenProcessExplorerer": "Abrir &&Explorador de Processos",
+ "windowConfigurationTitle": "Janela",
+ "window.openWithoutArgumentsInNewWindow.on": "Abrir uma nova janela vazia.",
+ "window.openWithoutArgumentsInNewWindow.off": "Focar na última instância de execução ativa.",
+ "openWithoutArgumentsInNewWindow": "Controla se uma nova janela vazia deve ser aberta ao iniciar uma segunda instância sem argumentos ou se a última instância em execução deve receber o foco.\r\nObserve que ainda pode haver casos em que essa configuração é ignorada (por exemplo, ao usar a opção de linha de comando `--new-window` ou `--reuse-window`).",
+ "window.reopenFolders.preserve": "Sempre reabrir todas as janelas. Se uma pasta ou um workspace for aberto (por exemplo, por meio da linha de comando), ele será aberto como uma nova janela, a menos que já tenha sido aberto. Os arquivos serão abertos em uma das janelas restauradas.",
+ "window.reopenFolders.all": "Reabrir todas as janelas a menos que uma pasta, um workspace ou um arquivo esteja aberto (por exemplo, por meio da linha de comando).",
+ "window.reopenFolders.folders": "Reabrir todas as janelas que tinham pastas ou workspaces abertos, a menos que uma pasta, um workspace ou um arquivo esteja aberto (por exemplo, por meio da linha de comando).",
+ "window.reopenFolders.one": "Reabrir a última janela ativa, a menos que uma pasta, um workspace ou um arquivo esteja aberto (por exemplo, por meio da linha de comando).",
+ "window.reopenFolders.none": "Nunca reabrir uma janela. A menos que uma pasta ou um workspace esteja aberto (por exemplo, por meio da linha de comando), uma janela vazia será exibida.",
+ "restoreWindows": "Controla como as janelas serão reabertas depois de serem iniciadas pela primeira vez. Esta configuração não tem efeito quando o aplicativo já está em execução.",
+ "restoreFullscreen": "Controla se uma janela deve ser restaurada para o modo de tela inteira se ela foi encerrada no modo de tela inteira.",
+ "zoomLevel": "Ajustar o nível de zoom da janela. O tamanho original é 0 e cada incremento acima (por exemplo, 1) ou abaixo (por exemplo, -1) representa zoom 20% maior ou menor. Você também pode inserir decimais para ajustar o nível de zoom com uma granularidade mais fina.",
+ "window.newWindowDimensions.default": "Abrir novas janelas no centro da tela.",
+ "window.newWindowDimensions.inherit": "Abrir novas janelas com a mesma dimensão que a última ativa.",
+ "window.newWindowDimensions.offset": "Abrir novas janelas com a mesma dimensão que a última ativa com uma posição de deslocamento.",
+ "window.newWindowDimensions.maximized": "Abrir novas janelas maximizadas.",
+ "window.newWindowDimensions.fullscreen": "Abrir novas janelas no modo de tela inteira.",
+ "newWindowDimensions": "Controla as dimensões de abertura de uma nova janela quando pelo menos uma janela já está aberta. Observe que esta configuração não tem impacto na primeira janela aberta. A primeira janela sempre restaurará o tamanho e a localização conforme você deixou antes de fechar.",
+ "closeWhenEmpty": "Controla se fechar o último editor também deve fechar a janela. Essa configuração se aplica somente às janelas que não mostram pastas.",
+ "window.doubleClickIconToClose": "Se habilitado, clicar duas vezes no ícone do aplicativo na barra de título fechará a janela e ela não poderá ser arrastada pelo ícone. Essa configuração só terá efeito quando `#window.titleBarStyle#` estiver definido como `custom`.",
+ "titleBarStyle": "Ajustar a aparência da barra de título da janela. No Linux e no Windows, essa configuração também afeta a aparência do menu de contexto e do aplicativo. As alterações exigem a reinicialização completa para serem aplicadas.",
+ "dialogStyle": "Ajustar a aparência das janelas de diálogo.",
+ "window.nativeTabs": "Habilita as guias da janela do macOS Sierra. Observe que as alterações exigem uma reinicialização completa para serem aplicadas e as guias nativas desabilitarão um estilo de barra de título personalizada, se configuradas.",
+ "window.nativeFullScreen": "Controla se a tela inteira nativa deve ser usada no macOS. Desabilite esta opção para impedir que o macOS crie um espaço ao passar para a tela inteira.",
+ "window.clickThroughInactive": "Se habilitado, clicar em uma janela inativa ativará a janela e disparará o elemento sob o mouse, se for clicável. Se desabilitado, clicar em qualquer lugar em uma janela inativa fará com que ela seja apenas ativada e um segundo clique será necessário no elemento.",
+ "window.enableExperimentalProxyLoginDialog": "Habilita um novo diálogo de logon para autenticação de proxy. Exige uma reinicialização para entrar em vigor.",
+ "telemetryConfigurationTitle": "Telemetria",
+ "telemetry.enableCrashReporting": "Habilitar que relatórios de pane sejam enviados a um serviço online da Microsoft. \r\nEsta opção exige reinicialização para entrar em vigor.",
+ "keyboardConfigurationTitle": "Teclado",
+ "touchbar.enabled": "Habilita os botões do touchbar do macOS no teclado se disponível.",
+ "touchbar.ignored": "Um conjunto de identificadores para entradas na touchbar que não deveriam aparecer (por exemplo `workbench.action.navigateBack`).",
+ "argv.locale": "O Idioma de exibição a ser usado. A escolha de um idioma diferente exige que o pacote de idiomas associado seja instalado.",
+ "argv.disableHardwareAcceleration": "Desabilita a aceleração de hardware. SOMENTE altere esta opção se você encontrar problemas gráficos.",
+ "argv.disableColorCorrectRendering": "Resolve problemas ao redor da seleção de perfil de cor. SOMENTE altere esta opção se você encontrar problemas gráficos.",
+ "argv.forceColorProfile": "Permite substituir o perfil de cor a ser usado. Se as cores parecerem incorretas, tente defini-las como `srgb` e reinicie.",
+ "argv.enableCrashReporter": "Permite desabilitar o relatório de falhas. Reinicie o aplicativo se o valor for alterado.",
+ "argv.crashReporterId": "ID exclusiva usada para correlacionar relatórios de falhas enviados desta instância de aplicativo.",
+ "argv.enebleProposedApi": "Habilitar APIs propostas para uma lista de IDs de extensão (como `vscode.git`). As APIs propostas são instáveis e sujeitas a falha sem aviso a qualquer momento. Isso deve ser definido apenas para fins de desenvolvimento e teste de extensão.",
+ "argv.force-renderer-accessibility": "Força o renderizador a ser acessível. Altere isso SOMENTE se você estiver usando um leitor de tela no Linux. Em outras plataformas, o renderizador será automaticamente acessível. Este sinalizador será definido automaticamente se você tiver ativado editor.accessibilitySupport."
+ },
+ "vs/workbench/common/actions": {
+ "view": "Ver",
+ "help": "Ajuda",
+ "developer": "Desenvolvedor"
+ },
+ "vs/workbench/browser/workbench": {
+ "loaderErrorNative": "Falha ao carregar um arquivo necessário. Reinicie o aplicativo para fazer uma nova tentativa. Detalhes: {0}"
+ },
+ "vs/workbench/electron-sandbox/window": {
+ "learnMode": "Saiba Mais",
+ "shellEnvSlowWarning": "A resolução do ambiente do shell está demorando muito. Verifique a configuração do shell.",
+ "shellEnvTimeoutError": "Não é possível resolver o ambiente do shell em um tempo razoável. Examine a configuração do shell.",
+ "proxyAuthRequired": "Autenticação de Proxy Obrigatória",
+ "loginButton": "&&Fazer Logon",
+ "cancelButton": "&&Cancelar",
+ "username": "Nome de usuário",
+ "password": "Senha",
+ "proxyDetail": "O proxy '{0}' requer um nome de usuário e uma senha.",
+ "rememberCredentials": "Lembrar minhas credenciais",
+ "runningAsRoot": "Não é recomendado executar {0} como usuário root.",
+ "mPreferences": "Preferências"
+ },
+ "vs/workbench/common/theme": {
+ "tabActiveBackground": "Cor da tela de fundo da guia ativa em um grupo ativo. As guias são contêineres para editores na área do editor. Várias guias podem ser abertas em um grupo de editor. Pode haver vários grupos de editor.",
+ "tabUnfocusedActiveBackground": "Cor da tela de fundo da guia ativa em um grupo sem foco. As guias são contêineres para editores na área do editor. Várias guias podem ser abertas em um grupo de editor. Pode haver vários grupos de editor.",
+ "tabInactiveBackground": "Cor da tela de fundo da guia inativa em um grupo ativo. As guias são contêineres para editores na área do editor. Várias guias podem ser abertas em um grupo de editor. Pode haver vários grupos de editor.",
+ "tabUnfocusedInactiveBackground": "Cor da tela de fundo da guia inativa em um grupo sem foco. As guias são contêineres para editores na área do editor. Várias guias podem ser abertas em um grupo de editor. Pode haver vários grupos de editor.",
+ "tabActiveForeground": "Cor de primeiro plano da guia ativa em um grupo ativo. As guias são contêineres para editores na área do editor. Várias guias podem ser abertas em um grupo de editor. Pode haver vários grupos de editor.",
+ "tabInactiveForeground": "Cor de primeiro plano da guia inativa em um grupo ativo. As guias são contêineres para editores na área do editor. Várias guias podem ser abertas em um grupo de editor. Pode haver vários grupos de editor.",
+ "tabUnfocusedActiveForeground": "Cor de primeiro plano da guia ativa em um grupo sem foco. As guias são contêineres para editores na área do editor. Várias guias podem ser abertas em um grupo de editor. Pode haver vários grupos de editor.",
+ "tabUnfocusedInactiveForeground": "Cor de primeiro plano da guia inativa em um grupo sem foco. As guias são contêineres para editores na área do editor. Várias guias podem ser abertas em um grupo de editor. Pode haver vários grupos de editor.",
+ "tabHoverBackground": "Cor da tela de fundo da guia ao passar o mouse. As guias são contêineres para editores na área do editor. Várias guias podem ser abertas em um grupo de editor. Pode haver vários grupos de editor.",
+ "tabUnfocusedHoverBackground": "Cor da tela de fundo da guia em um grupo sem foco ao passar o mouse. As guias são contêineres para editores na área do editor. Várias guias podem ser abertas em um grupo de editor. Pode haver vários grupos de editor.",
+ "tabHoverForeground": "Cor de primeiro plano da guia ao passar o mouse. As guias são contêineres para editores na área do editor. Várias guias podem ser abertas em um grupo de editor. Pode haver vários grupos de editor.",
+ "tabUnfocusedHoverForeground": "Cor de primeiro plano de tabulação em um grupo sem foco ao passar o mouse. As guias são contêineres para editores na área do editor. Várias guias podem ser abertas em um grupo de editor. Pode haver vários grupos de editor.",
+ "tabBorder": "Borda para separar guias. As guias são contêineres para editores na área do editor. Várias guias podem ser abertas em um grupo de editor. Pode haver vários grupos de editor.",
+ "lastPinnedTabBorder": "Borda para separar uma guia das outras. As guias são os contêineres para editores na área do editor. Várias guias podem ser abertas em um grupo de editores. Pode haver vários grupos de editor.",
+ "tabActiveBorder": "Borda na parte inferior de uma guia ativa. As guias são os contêineres para editores na área do editor. Várias guias podem ser abertas em um grupo de editor. Pode haver vários grupos de editor.",
+ "tabActiveUnfocusedBorder": "Borda na parte inferior de uma guia ativa em um grupo sem foco. As guias são contêineres para editores na área do editor. Várias guias podem ser abertas em um grupo de editor. Pode haver vários grupos de editor.",
+ "tabActiveBorderTop": "Borda na parte superior de uma guia ativa. As guias são contêineres para editores na área do editor. Várias guias podem ser abertas em um grupo de editor. Pode haver vários grupos de editor.",
+ "tabActiveUnfocusedBorderTop": "Borda na parte superior de uma guia ativa em um grupo sem foco. As guias são contêineres para editores na área do editor. Várias guias podem ser abertas em um grupo de editor. Pode haver vários grupos de editor.",
+ "tabHoverBorder": "Borda para realçar guias ao passar o mouse. As guias são contêineres para editores na área do editor. Várias guias podem ser abertas em um grupo de editor. Pode haver vários grupos de editor.",
+ "tabUnfocusedHoverBorder": "Borda para realçar guias em um grupo sem foco ao passar o mouse. As guias são contêineres para editores na área do editor. Várias guias podem ser abertas em um grupo de editor. Pode haver vários grupos de editor.",
+ "tabActiveModifiedBorder": "Borda na parte superior das guias modificadas (sujos) ativas em um grupo ativo. As guias são contêineres para editores na área do editor. Várias guias podem ser abertas em um grupo de editor. Pode haver vários grupos de editor.",
+ "tabInactiveModifiedBorder": "Borda na parte superior das guias modificadas (sujas) inativas de um grupo ativo. As guias são contêineres para editores na área do editor. Várias guias podem ser abertas em um grupo de editor. Pode haver vários grupos de editor.",
+ "unfocusedActiveModifiedBorder": "Borda na parte superior das guias modificadas (sujas) ativas em um grupo sem foco. As guias são contêineres para editores na área do editor. Várias guias podem ser abertas em um grupo de editor. Pode haver vários grupos de editor.",
+ "unfocusedINactiveModifiedBorder": "Borda na parte superior das guias modificadas (sujas) inativas em um grupo sem foco. As guias são contêineres para editores na área do editor. Várias guias podem ser abertas em um grupo de editor. Pode haver vários grupos de editor.",
+ "editorPaneBackground": "Cor da tela de fundo do painel do editor visível no lado esquerdo e direito do layout centralizado do editor.",
+ "editorGroupBackground": "Cor da tela de fundo preterida de um grupo de editor.",
+ "deprecatedEditorGroupBackground": "Preterido: a cor da tela de fundo de um grupo de editor não é mais compatível com a introdução do layout do editor de grade. Você pode usar editorGroup.emptyBackground para definir a cor da tela de fundo de grupos de editor vazios.",
+ "editorGroupEmptyBackground": "Cor da tela de fundo de um grupo de editor vazio. Os grupos de editor são contêineres de editores.",
+ "editorGroupFocusedEmptyBorder": "A cor da borda de um grupo de editor vazio que está com foco. Os grupos de editor são contêineres de editores.",
+ "tabsContainerBackground": "Cor da tela de fundo do cabeçalho do título de grupo do editor quando as guias estão habilitadas. Os grupos de editor são contêineres de editores.",
+ "tabsContainerBorder": "A cor da borda do cabeçalho do título de grupo de editor quando as guias estão habilitadas. Os grupos de editor são contêineres de editores.",
+ "editorGroupHeaderBackground": "Cor da tela de fundo do cabeçalho do título de grupo do editor quando as guias estão desabilitadas (`\"workbench.editor.showTabs\": false`). Os grupos de editor são contêineres de editores.",
+ "editorTitleContainerBorder": "A cor da borda do cabeçalho do título de grupo do editor. Os grupos de editor são contêineres de editores.",
+ "editorGroupBorder": "Cor para separar vários grupos de editor. Os grupos de editor são contêineres de editores.",
+ "editorDragAndDropBackground": "Cor da tela de fundo ao arrastar editores. A cor deve ter transparência para que o conteúdo do editor ainda possa se destacar.",
+ "imagePreviewBorder": "A cor da borda da imagem na visualização da imagem.",
+ "panelBackground": "Cor da tela de fundo do painel. Os painéis são mostrados abaixo da área do editor e contêm exibições como o terminal integrado e de saída.",
+ "panelBorder": "Cor da borda do painel para separar o painel do editor. Os painéis são mostrados abaixo da área do editor e contêm modos de exibição como terminal integrado e de saída.",
+ "panelActiveTitleForeground": "Cor do título para o painel ativo. Os painéis são mostrados abaixo da área do editor e contêm modos de exibição como o terminal integrado e de saída.",
+ "panelInactiveTitleForeground": "Cor do título para o painel inativo. Os painéis são mostrados abaixo da área do editor e contêm modos de exibição como o terminal integrado e de saída.",
+ "panelActiveTitleBorder": "A cor da borda do título do painel ativo. Os painéis são mostrados abaixo da área do editor e contêm modos de exibições, como terminal integrado e de saída.",
+ "panelInputBorder": "Borda da caixa de entrada para entradas no painel.",
+ "panelDragAndDropBorder": "Arraste e solte a cor dos comentários para títulos do painel. Os painéis são mostrados abaixo da área do editor e contêm exibições como o terminal integrado e de saída.",
+ "panelSectionDragAndDropBackground": "Arraste e solte a cor dos comentários das seções do painel. A cor deve ter transparência para que as seções do painel ainda possam aparecer. Os painéis são mostrados abaixo da área do editor e contêm exibições, como saída e terminal integrado. As seções do painel são exibições aninhadas nos painéis.",
+ "panelSectionHeaderBackground": "A cor da tela de fundo do cabeçalho da seção do painel. Os painéis são mostrados abaixo da área do editor e contêm exibições, como saída e terminal integrado.",
+ "panelSectionHeaderForeground": "A cor de primeiro plano do cabeçalho da seção do painel. Os painéis são mostrados abaixo da área do editor e contêm exibições, como saída e terminal integrado. As seções do painel são exibições aninhadas nos painéis.",
+ "panelSectionHeaderBorder": "A cor da borda do cabeçalho da seção do painel usada quando várias exibições são empilhadas verticalmente no painel. Os painéis são mostrados abaixo da área do editor e contêm exibições, como saída e terminal integrado. As seções do painel são exibições aninhadas nos painéis.",
+ "panelSectionBorder": "A cor da borda da seção do painel usada quando várias exibições são empilhadas horizontalmente no painel. Os painéis são mostrados abaixo da área do editor e contêm exibições, como saída e terminal integrado. As seções do painel são exibições aninhadas nos painéis.",
+ "statusBarForeground": "Cor de primeiro plano da barra de status quando um workspace está aberto. A barra de status é mostrada na parte inferior da janela.",
+ "statusBarNoFolderForeground": "Cor de primeiro plano da barra de status quando nenhuma pasta está aberta. A barra de status é mostrada na parte inferior da janela.",
+ "statusBarBackground": "Cor da tela de fundo da barra de status quando um workspace é aberto. A barra de status é mostrada na parte inferior da janela.",
+ "statusBarNoFolderBackground": "Cor da tela de fundo da barra de status quando nenhuma pasta está aberta. A barra de status é mostrada na parte inferior da janela.",
+ "statusBarBorder": "Cor da borda da barra de status que separa para a barra lateral e o editor. A barra de status é mostrada na parte inferior da janela.",
+ "statusBarNoFolderBorder": "Cor da borda da barra de status que separa para a barra lateral e o editor quando nenhuma pasta está aberta. A barra de status é mostrada na parte inferior da janela.",
+ "statusBarItemActiveBackground": "Cor da tela de fundo do item da barra de status ao clicar. A barra de status é mostrada na parte inferior da janela.",
+ "statusBarItemHoverBackground": "Cor da tela de fundo do item da barra de status ao passar o mouse. A barra de status é mostrada na parte inferior da janela.",
+ "statusBarProminentItemForeground": "Cor de primeiro plano dos itens proeminentes da barra de status. Os itens proeminentes se destacam de outras entradas da barra de status para indicar importância. Altere o modo `Alternar Tecla da Guia Move o Foco` da paleta de comandos para ver um exemplo. A barra de status é mostrada na parte inferior da janela.",
+ "statusBarProminentItemBackground": "Cor da tela de fundo dos itens proeminentes da barra de status. Os itens proeminentes se destacam de outras entradas da barra de status para indicar importância. Altere o modo `Alternar Tecla da Guia Move o Foco` da paleta de comandos para ver um exemplo. A barra de status é mostrada na parte inferior da janela.",
+ "statusBarProminentItemHoverBackground": "Cor da tela de fundo dos itens proeminentes da barra de status ao passar o mouse. Os itens proeminentes se destacam de outras entradas da barra de status para indicar importância. Altere o modo `Alternar Tecla da Guia Move o Foco` da paleta de comandos para ver um exemplo. A barra de status é mostrada na parte inferior da janela.",
+ "statusBarErrorItemBackground": "Cor da tela de fundo dos itens de erro da barra de status. Os itens de erro destacam-se de outras entradas da barra de status para indicar condições de erro. A barra de status é mostrada na parte inferior da janela.",
+ "statusBarErrorItemForeground": "Cor de primeiro plano dos itens de erro da barra de status. Os itens de erro destacam-se de outras entradas da barra de status para indicar condições de erro. A barra de status é mostrada na parte inferior da janela.",
+ "activityBarBackground": "Cor da tela de fundo da barra de atividade. A barra de atividade é exibida na extrema esquerda ou direita e permite alternar entre os modos de exibição da barra lateral.",
+ "activityBarForeground": "Cor de primeiro plano do item da barra de atividade quando ela está ativa. A barra de atividade é exibida na extrema esquerda ou direita e permite alternar entre os modos de exibição da barra lateral.",
+ "activityBarInActiveForeground": "Cor de primeiro plano do item da barra de atividade quando ela estiver inativa. A barra de atividade é exibida na extrema esquerda ou direita e permite alternar entre os modos de exibição da barra lateral.",
+ "activityBarBorder": "Cor da borda da barra de atividade que separa a barra lateral. A barra de atividade é exibida na extrema esquerda ou direita e permite alternar entre os modos de exibição da barra lateral.",
+ "activityBarActiveBorder": "Cor da borda da barra de atividade para o item ativo. A barra de atividade é exibida na extrema esquerda ou direita e permite alternar entre os modos de exibição da barra lateral.",
+ "activityBarActiveFocusBorder": "Cor da borda do foco da barra de atividade para o item ativo. A barra de atividade é exibida na extrema esquerda ou direita e permite alternar entre os modos de exibição da barra lateral.",
+ "activityBarActiveBackground": "Cor da tela de fundo da barra de atividades para o item ativo. A barra de atividade é exibida na extrema esquerda ou direita e permite alternar entre os modos de exibição da barra lateral.",
+ "activityBarDragAndDropBorder": "Arraste e solte a cor dos comentários para os itens da barra de atividade. A barra de atividade é mostrada na extrema esquerda ou direita e permite alternar entre os modos de exibição da barra lateral.",
+ "activityBarBadgeBackground": "Cor da tela de fundo do selo da notificação de atividade. A barra de atividade é exibida na extrema esquerda ou direita e permite alternar entre os modos de exibição da barra lateral.",
+ "activityBarBadgeForeground": "Cor de primeiro plano do selo da notificação de atividade. A barra de atividade é exibida na extrema esquerda ou direita e permite alternar entre os modos de exibição da barra lateral.",
+ "statusBarItemHostBackground": "Cor da tela de fundo para o indicador remoto na barra de status.",
+ "statusBarItemHostForeground": "Cor de primeiro plano para o indicador remoto na barra de status.",
+ "extensionBadge.remoteBackground": "Cor da tela de fundo para o selo remoto no modo de exibição de extensões.",
+ "extensionBadge.remoteForeground": "Cor de primeiro plano do selo remoto no modo de exibição de extensões.",
+ "sideBarBackground": "Cor da tela de fundo da barra lateral. A barra lateral é o contêiner de modos de exibição, como explorador e pesquisa.",
+ "sideBarForeground": "Cor de primeiro plano da barra lateral. A barra lateral é o contêiner de modos de exibição, como explorador e pesquisa.",
+ "sideBarBorder": "Cor da borda da barra lateral no lado que separa para o editor. A barra lateral é o contêiner de modos de exibição, como explorador e pesquisa.",
+ "sideBarTitleForeground": "Cor de primeiro plano do título da barra lateral. A barra lateral é o contêiner dos modos de exibição, como explorador e pesquisa.",
+ "sideBarDragAndDropBackground": "Arraste e solte a cor dos comentários das seções da barra lateral. A cor deve ter transparência para que as seções da barra lateral ainda possam aparecer. A barra lateral é o contêiner para exibições, como explorador e pesquisa. As seções de barra lateral são exibições aninhadas na barra lateral.",
+ "sideBarSectionHeaderBackground": "A cor da tela de fundo do cabeçalho da seção de barra lateral. A barra lateral é o contêiner de exibições, como explorador e pesquisa. As seções de barra lateral são exibições aninhadas na barra lateral.",
+ "sideBarSectionHeaderForeground": "A cor de primeiro plano do cabeçalho da seção de barra lateral. A barra lateral é o contêiner de exibições, como explorador e pesquisa. As seções de barra lateral são exibições aninhadas na barra lateral.",
+ "sideBarSectionHeaderBorder": "A cor da borda do cabeçalho da seção de barra lateral. A barra lateral é o contêiner de exibições, como explorador e pesquisa. As seções de barra lateral são exibições aninhadas na barra lateral.",
+ "titleBarActiveForeground": "Primeiro plano da barra de título quando a janela estiver ativa.",
+ "titleBarInactiveForeground": "Primeiro plano da barra de título quando a janela estiver inativa.",
+ "titleBarActiveBackground": "Tela de fundo da barra de título quando a janela estiver ativa.",
+ "titleBarInactiveBackground": "Tela de fundo da barra de título quando a janela estiver inativa.",
+ "titleBarBorder": "Cor da borda da barra de título.",
+ "menubarSelectionForeground": "Cor de primeiro plano do item de menu selecionado na barra de menus.",
+ "menubarSelectionBackground": "Cor da tela de fundo do item de menu selecionado na barra de menus.",
+ "menubarSelectionBorder": "A cor da borda do item de menu selecionado na barra de menus.",
+ "notificationCenterBorder": "Cor da borda do centro de notificações. As notificações deslizam da parte inferior direita da janela.",
+ "notificationToastBorder": "Cor da borda da notificação do sistema. As notificações deslizam da parte inferior direita da janela.",
+ "notificationsForeground": "Cor de primeiro plano das notificações. As notificações deslizam da parte inferior direita da janela.",
+ "notificationsBackground": "Cor da tela de fundo das notificações. As notificações deslizam da parte inferior direita da janela.",
+ "notificationsLink": "Cor de primeiro plano dos links de notificação. As notificações deslizam da parte inferior direita da janela.",
+ "notificationCenterHeaderForeground": "Cor de primeiro plano do cabeçalho do centro de notificações. As notificações deslizam da parte inferior direita da janela.",
+ "notificationCenterHeaderBackground": "Cor da tela de fundo do cabeçalho do centro de notificações. As notificações deslizam da parte inferior direita da janela.",
+ "notificationsBorder": "Cor da borda das notificações separadas de outras notificações no centro de notificações. As notificações deslizam da parte inferior direita da janela.",
+ "notificationsErrorIconForeground": "A cor usada para o ícone de notificações de erro. As notificações deslizam da parte inferior direita da janela.",
+ "notificationsWarningIconForeground": "A cor usada para o ícone de notificações de aviso. As notificações deslizam da parte inferior direita da janela.",
+ "notificationsInfoIconForeground": "A cor usada para o ícone de notificações de informações. As notificações deslizam da parte inferior direita da janela.",
+ "windowActiveBorder": "A cor usada para a borda da janela quando ela está ativa. É compatível apenas no cliente de desktop ao usar a barra de título personalizada.",
+ "windowInactiveBorder": "A cor usada para a borda da janela quando ela está inativa. É compatível apenas no cliente de desktop ao usar a barra de título personalizada."
+ },
+ "vs/workbench/common/editor": {
+ "sideBySideLabels": "{0} – {1}",
+ "preview": "{0}, versão prévia",
+ "pinned": "{0}, fixado"
+ },
+ "vs/workbench/common/views": {
+ "testViewIcon": "Ícone de exibição do modo de teste.",
+ "defaultViewIcon": "Ícone de exibição padrão.",
+ "duplicateId": "Uma exibição com a ID '{0}' já está registrada"
+ },
+ "vs/workbench/api/common/extHostExtensionService": {
+ "extensionTestError": "O caminho {0} não aponta para um executor de teste de extensão válido."
+ },
+ "vs/workbench/api/common/extHostTerminalService": {
+ "launchFail.idMissingOnExtHost": "Não foi possível localizar o terminal com a ID {0} no host de extensão"
+ },
+ "vs/workbench/api/common/extHostWorkspace": {
+ "updateerror": "A extensão '{0}' falhou ao atualizar as pastas do workspace: {1}"
+ },
+ "vs/workbench/browser/workbench.contribution": {
+ "workbench.editor.titleScrollbarSizing.default": "O tamanho padrão.",
+ "workbench.editor.titleScrollbarSizing.large": "Aumenta o tamanho, para que possa ser pego mais facilmente com o mouse",
+ "tabScrollbarHeight": "Controla a altura das barras de rolagem usadas para guias e trilhas na área do título do editor.",
+ "showEditorTabs": "Controla se os editores abertos devem ser exibidos em guias.",
+ "scrollToSwitchTabs": "Controla se a rolagem sobre tabulações vai abri-las ou não. Por padrão, as guias só serão reveladas após a rolagem, mas não serão abertas. Você pode pressionar e manter pressionada a tecla Shift durante a rolagem para alterar esse comportamento por essa duração. Esse valor é ignorado quando `#workbench.editor.showTabs#` é `false`.",
+ "highlightModifiedTabs": "Controla se uma borda superior é desenhada em abas modificadas (sujas) do editor ou não. Esse valor é ignorado quando `#workbench.editor.showTabs#` é `false`.",
+ "workbench.editor.labelFormat.default": "Mostrar o nome do arquivo. Quando as guias estão habilitadas e dois arquivos têm o mesmo nome em um grupo, as seções de diferenciação de cada caminho de arquivo são adicionadas. Quando as guias estiverem desabilitadas, o caminho relativo à pasta do workspace será mostrado se o editor estiver ativo.",
+ "workbench.editor.labelFormat.short": "Mostrar o nome do arquivo seguido por seu nome de diretório.",
+ "workbench.editor.labelFormat.medium": "Mostrar o nome do arquivo seguido pelo caminho relativo à pasta do workspace.",
+ "workbench.editor.labelFormat.long": "Mostrar o nome do arquivo seguido pelo caminho absoluto.",
+ "tabDescription": "Controla o formato do rótulo de um editor.",
+ "workbench.editor.untitled.labelFormat.content": "O nome do arquivo sem título é derivado do conteúdo de sua primeira linha, a menos que tenha um caminho de arquivo associado. Ele fará fallback para o nome caso a linha esteja vazia ou não contenha caracteres de palavras.",
+ "workbench.editor.untitled.labelFormat.name": "O nome do arquivo sem título não é derivado do conteúdo do arquivo.",
+ "untitledLabelFormat": "Controla o formato do rótulo de um editor sem título.",
+ "editorTabCloseButton": "Controla a posição dos botões fechar das guias do editor ou os desabilita quando definido como 'off'. Esse valor é ignorado quando `#workbench.editor.showTabs#` é `false`.",
+ "workbench.editor.tabSizing.fit": "Sempre mantenha as guias grandes o suficiente para mostrar o rótulo de editor completo.",
+ "workbench.editor.tabSizing.shrink": "Permitir que as guias sejam menores quando o espaço disponível não for suficiente para mostrar todas as guias de uma vez.",
+ "tabSizing": "Controla o dimensionamento das guias do editor. Esse valor é ignorado quando `#workbench.editor.showTabs#` é `false`.",
+ "workbench.editor.pinnedTabSizing.normal": "Uma guia fixa herda a aparência das guias não fixas.",
+ "workbench.editor.pinnedTabSizing.compact": "Uma guia fixa será mostrada em um formato compacto com apenas o ícone ou a primeira letra do nome do editor.",
+ "workbench.editor.pinnedTabSizing.shrink": "Uma guia fixa é reduzida a um tamanho compacto fixo mostrando partes do nome do editor.",
+ "pinnedTabSizing": "Controla o dimensionamento das guias fixadas do editor. As guias fixadas são classificadas no início de todas as guias abertas e, normalmente, não são fechadas até que sejam desafixadas. Esse valor é ignorado quando `#workbench.editor.showTabs#` é `false`.",
+ "workbench.editor.splitSizingDistribute": "Divide todos os grupos do editor em partes iguais.",
+ "workbench.editor.splitSizingSplit": "Divide o grupo do editor ativo em partes iguais.",
+ "splitSizing": "Controla o dimensionamento dos grupos do editor ao dividi-los.",
+ "splitOnDragAndDrop": "Controla se os grupos do editor podem ser divididos das operações de arrastar e soltar soltando um editor ou um arquivo nas bordas da área do editor.",
+ "focusRecentEditorAfterClose": "Controla se as guias são fechadas na ordem usada mais recentemente ou da esquerda para a direita.",
+ "showIcons": "Controla se editores abertos devem ser mostrados com um ícone. Isso exige que um tema de ícone de arquivo seja habilitado também.",
+ "enablePreview": "Controla se os editores abertos são mostrados como visualização. Os editores de visualização não permanecem abertos e são reutilizados até que sejam definidos explicitamente para permanecerem abertos (por exemplo, por meio de clique duplo ou de edição) e aparecem com um estilo da fonte itálico.",
+ "enablePreviewFromQuickOpen": "Controla se os editores abertos na Abertura Rápida são mostrados como visualização. Os editores de visualização não permanecem abertos e são reutilizados até que sejam definidos explicitamente para permanecerem abertos (por exemplo, por meio de clique duplo ou de edição).",
+ "closeOnFileDelete": "Controla se os editores que mostram um arquivo que foi aberto durante a sessão devem ser fechados automaticamente ao serem excluídos ou renomeados por algum outro processo. A desabilitação disso impedirá que o editor seja aberto em um evento desse tipo. Observe que a exclusão de dentro do aplicativo sempre fechará o editor e que arquivos sujos nunca serão fechados para preservar seus dados.",
+ "editorOpenPositioning": "Controla onde os editores são abertos. Selecione `left` ou `right` para abrir editores à esquerda ou à direita do editor ativo no momento. Selecione `first` ou `last` para abrir editores independentemente do que está atualmente ativo.",
+ "sideBySideDirection": "Controla a direção padrão de editores que são abertos lado a lado (por exemplo, no explorador). Por padrão, os editores serão abertos no lado direito do que está atualmente ativo. Se alterado para `down`, os editores serão abertos abaixo do atualmente ativo.",
+ "closeEmptyGroups": "Controla o comportamento de grupos de editor vazios quando a última guia do grupo é fechada. Quando habilitados, os grupos vazios serão fechados automaticamente. Quando desabilitados, os grupos vazios continuarão fazendo parte da grade.",
+ "revealIfOpen": "Controla se um editor é revelado em um dos grupos visíveis, se aberto. Se desabilitado, um editor preferirá abrir no grupo de editor atualmente ativo. Se habilitado, um editor já aberto será revelado em vez de aberto novamente no grupo de editor ativo no momento. Observe que há alguns casos em que essa configuração é ignorada, por exemplo, ao forçar um editor a abrir em um grupo específico ou no lado do grupo ativo no momento.",
+ "mouseBackForwardToNavigate": "Navegar entre arquivos abertos usando os botões do mouse quatro e cinco, se fornecido.",
+ "restoreViewState": "Restaura o último estado de exibição (por exemplo, posição de rolagem) ao reabrir editores textuais depois que eles foram fechados.",
+ "centeredLayoutAutoResize": "Controla se o layout centralizado deve ser redimensionado automaticamente para a largura máxima quando mais de um grupo é aberto. Uma vez que apenas um grupo estiver aberto, ele será redimensionado para a largura centralizada original.",
+ "limitEditorsEnablement": "Controla se o número de editores abertos deve ser limitado. Quando habilitados, os editores menos usados recentemente que não estiverem sujos fecharão para criar espaço para editores recém-abertos.",
+ "limitEditorsMaximum": "Controla o número máximo de editores abertos. Use a configuração `#workbench.editor.limit.perEditorGroup#` para controlar esse limite por grupo de editor ou em todos os grupos.",
+ "perEditorGroup": "Controla se o limite de editores abertos máximos deve ser aplicado por grupo de editor ou por todos os grupos de editor.",
+ "commandHistory": "Controla o número de comandos usados recentemente para manter o histórico da paleta de comandos. Defina como 0 para desabilitar o histórico de comandos.",
+ "preserveInput": "Controla se a última entrada digitada na paleta de comandos deverá ser restaurada ao ser aberta na próxima vez.",
+ "closeOnFocusLost": "Controla se a Abertura Rápida deve ser fechada automaticamente quando perde o foco.",
+ "workbench.quickOpen.preserveInput": "Controla se a última entrada digitada para a Abertura Rápida deverá ser restaurada ao ser aberta na próxima vez.",
+ "openDefaultSettings": "Controla se as configurações de abertura também abrem um editor mostrando todas as configurações padrão.",
+ "useSplitJSON": "Controla se o editor de JSON dividido deve ser usado ao editar configurações como JSON.",
+ "openDefaultKeybindings": "Controla se as configurações de associação de teclas de abertura também abrem um editor mostrando todas as associações de teclas padrão.",
+ "sideBarLocation": "Controla a localização da barra lateral e da barra de atividade. Elas podem ser exibidas à esquerda ou à direita do workbench.",
+ "panelDefaultLocation": "Controla a localização padrão do painel (terminal, console de depuração, saída, problemas). Ele pode ser exibido na parte inferior, direita ou esquerda do workbench.",
+ "panelOpensMaximized": "Controla se o painel é aberto maximizado. Ele pode ser sempre aberto maximizado, nunca aberto maximizado ou aberto no último estado em que estava antes de ser fechado.",
+ "workbench.panel.opensMaximized.always": "Sempre maximize o painel ao abri-lo.",
+ "workbench.panel.opensMaximized.never": "Nunca maximizar o painel ao abri-lo. O painel será aberto não maximizado.",
+ "workbench.panel.opensMaximized.preserve": "Abrir o painel no estado em que estava antes de ser fechado.",
+ "statusBarVisibility": "Controla a visibilidade da barra de status na parte inferior do workbench.",
+ "activityBarVisibility": "Controla a visibilidade da barra de atividade no workbench.",
+ "activityBarIconClickBehavior": "Controla o comportamento de clicar em um ícone da barra de atividades no workbench.",
+ "workbench.activityBar.iconClickBehavior.toggle": "Ocultar a barra lateral se o item clicado já estiver visível.",
+ "workbench.activityBar.iconClickBehavior.focus": "Focar na barra lateral se o item clicado já estiver visível.",
+ "viewVisibility": "Controla a visibilidade das ações do cabeçalho do modo de exibição. Exibir ações de cabeçalho poderá estar sempre visível ou visível apenas quando esse modo de exibição estiver com foco ou focalizado.",
+ "fontAliasing": "Controla o método de suavização de fonte no workbench.",
+ "workbench.fontAliasing.default": "Suavização da fonte de subpixel. Na maioria das exibições que não são de retina, isso fornece o texto mais nítido.",
+ "workbench.fontAliasing.antialiased": "Suavizar a fonte no nível do pixel, em oposição ao subpixel. Pode tornar a fonte aparentemente mais clara de modo geral.",
+ "workbench.fontAliasing.none": "Desabilita a suavização de fonte. O texto será exibido com bordas nítidas irregulares.",
+ "workbench.fontAliasing.auto": "Aplica `default` ou `antialiased` automaticamente com base no DPI de exibições.",
+ "settings.editor.ui": "Use o editor de interface do usuário de configurações.",
+ "settings.editor.json": "Use o editor de arquivos JSON.",
+ "settings.editor.desc": "Determina qual editor de configurações usar por padrão.",
+ "windowTitle": "Controla o título da janela com base no editor ativo. As variáveis são substituídas com base no contexto:",
+ "activeEditorShort": "`${activeEditorShort}`: o nome do arquivo (por exemplo, myFile.txt).",
+ "activeEditorMedium": "`${activeEditorMedium}`: o caminho do arquivo relativo à pasta do workspace (por exemplo, myFolder/myFileFolder/myFile.txt).",
+ "activeEditorLong": "`${activeEditorLong}`: o caminho completo do arquivo (por exemplo, /Users/Development/myFolder/myFileFolder/myFile.txt).",
+ "activeFolderShort": "`${activeFolderShort}`: o nome da pasta que contém o arquivo (por exemplo, myFileFolder).",
+ "activeFolderMedium": "`${activeFolderMedium}`: o caminho da pasta que contém o arquivo, em relação à pasta do workspace (por exemplo, myFolder/myFileFolder).",
+ "activeFolderLong": "`${activeFolderLong}`: o caminho completo da pasta que contém o arquivo (por exemplo, /Users/Development/myFolder/myFileFolder).",
+ "folderName": "`${folderName}`: o nome da pasta do workspace que contém o arquivo (por exemplo, myFolder).",
+ "folderPath": "`${folderPath}`: o caminho do arquivo da pasta do workspace que contém o arquivo (por exemplo, /Users/Development/myFolder).",
+ "rootName": "`${rootName}`: nome do workspace (por exemplo, myFolder ou myWorkspace).",
+ "rootPath": "`${rootPath}`: caminho do arquivo do workspace (por exemplo, /Users/Development/myWorkspace).",
+ "appName": "`${appName}`: por exemplo, VS Code.",
+ "remoteName": "`${remoteName}`: por exemplo, SSH",
+ "dirty": "`${dirty}`: um indicador sujo se o editor ativo estiver sujo.",
+ "separator": "`${separator}`: um separador condicional (\"-\") que só é mostrado quando circundado por variáveis com valores ou texto estático.",
+ "windowConfigurationTitle": "Janela",
+ "window.titleSeparator": "Separador usado por `window.title`.",
+ "window.menuBarVisibility.default": "O menu é oculto somente no modo de tela inteira.",
+ "window.menuBarVisibility.visible": "O menu fica sempre visível mesmo no modo de tela inteira.",
+ "window.menuBarVisibility.toggle": "O menu está oculto, mas pode ser exibido usando a tecla Alt.",
+ "window.menuBarVisibility.hidden": "O menu está sempre oculto.",
+ "window.menuBarVisibility.compact": "O menu é exibido como um botão compacto na barra lateral. Este valor é ignorado quando `#window.titleBarStyle#` é `native`.",
+ "menuBarVisibility": "Controlar a visibilidade da barra de menus. Uma configuração de 'toggle' significa que a barra de menus está oculta e um único pressionamento da tecla Alt fará com que ela seja mostrada. Por padrão, a barra de menus estará visível, a menos que a janela esteja em tela inteira.",
+ "enableMenuBarMnemonics": "Controla se os menus principais podem ser abertos por meio de atalhos da tecla Alt. A desabilitação de mnemônicos permite associar esses atalhos de tecla Alt aos comandos do editor.",
+ "customMenuBarAltFocus": "Controla se a barra de menus será focada pressionando a tecla Alt. Essa configuração não tem efeito sobre como ativar/desativar a barra de menus com a tecla Alt.",
+ "window.openFilesInNewWindow.on": "Os arquivos serão abertos em uma nova janela.",
+ "window.openFilesInNewWindow.off": "Os arquivos serão abertos na janela com a pasta Arquivos aberta ou a última janela ativa.",
+ "window.openFilesInNewWindow.defaultMac": "Os arquivos serão abertos na janela com a pasta Arquivos aberta ou a última janela ativa, a menos que sejam abertos por meio do Dock ou do Finder.",
+ "window.openFilesInNewWindow.default": "Os arquivos serão abertos em uma nova janela, a menos que seja selecionado de dentro do aplicativo (por exemplo, pelo menu Arquivo).",
+ "openFilesInNewWindowMac": "Controla se os arquivos devem ser abertos em uma nova janela. \r\nObserve que ainda pode haver casos em que essa configuração é ignorada (por exemplo, ao usar a opção de linha de comando `--new-window` ou `--reuse-window`).",
+ "openFilesInNewWindow": "Controla se os arquivos devem ser abertos em uma nova janela.\r\nObserve que ainda pode haver casos em que essa configuração é ignorada (por exemplo, ao usar a opção de linha de comando `--new-window` ou `--reuse-window`).",
+ "window.openFoldersInNewWindow.on": "As pastas serão abertas em uma nova janela.",
+ "window.openFoldersInNewWindow.off": "As pastas substituirão a última janela ativa.",
+ "window.openFoldersInNewWindow.default": "As pastas serão abertas em uma nova janela, a menos que uma pasta seja selecionada de dentro do aplicativo (por exemplo, pelo menu Arquivo).",
+ "openFoldersInNewWindow": "Controla se as pastas devem ser abertas em uma nova janela ou substituir a última janela ativa.\r\nObserve que ainda pode haver casos em que essa configuração é ignorada (por exemplo, ao usar a opção de linha de comando `--new-window` ou `--reuse-window`).",
+ "window.confirmBeforeClose.always": "Sempre tentar a solicitação de confirmação. Observe que os navegadores ainda podem decidir fechar uma guia ou uma janela sem confirmação.",
+ "window.confirmBeforeClose.keyboardOnly": "Solicitar confirmação apenas se uma associação de teclas for detectada. Observe que a detecção talvez não seja possível em alguns casos.",
+ "window.confirmBeforeClose.never": "Nunca solicitar confirmação explicitamente, a menos que a perda de dados seja iminente.",
+ "confirmBeforeCloseWeb": "Controla se um diálogo de confirmação deve ser mostrado antes do fechamento da janela ou da guia do navegador. Observe que, mesmo quando esta configuração está habilitada, os navegadores ainda podem decidir fechar uma guia ou uma janela sem confirmação e que ela é apenas uma dica que pode não funcionar em alguns casos.",
+ "zenModeConfigurationTitle": "Modo Zen",
+ "zenMode.fullScreen": "Controla se a ativação do modo Zen também coloca o workbench no modo de tela inteira.",
+ "zenMode.centerLayout": "Controla se a ativação do modo Zen também centraliza o layout.",
+ "zenMode.hideTabs": "Controla se a ativação do modo Zen também oculta as guias do workbench.",
+ "zenMode.hideStatusBar": "Controla se a ativação do modo Zen também oculta a barra de status na parte inferior do workbench.",
+ "zenMode.hideActivityBar": "Controla se ativar o modo Zen também oculta a barra de atividade na parte esquerda ou direita do workbench.",
+ "zenMode.hideLineNumbers": "Controla se a ativação do modo Zen também oculta os números de linha do editor.",
+ "zenMode.restore": "Controla se uma janela deverá ser restaurada para o modo zen se ela tiver sido encerrada no modo zen.",
+ "zenMode.silentNotifications": "Controla se as notificações são mostradas durante o modo zen. Se for true, apenas as notificações de erro serão exibidas."
+ },
+ "vs/workbench/browser/actions/textInputActions": {
+ "undo": "Desfazer",
+ "redo": "Refazer",
+ "cut": "Recortar",
+ "copy": "Copiar",
+ "paste": "Colar",
+ "selectAll": "Selecionar Tudo"
+ },
+ "vs/workbench/browser/actions/developerActions": {
+ "inspect context keys": "Inspecionar Chaves de Contexto",
+ "toggle screencast mode": "Ativar/Desativar Modo de Screencast",
+ "logStorage": "Conteúdo do Banco de Dados de Armazenamento de Log",
+ "logWorkingCopies": "Cópias de Trabalho do Log",
+ "screencastModeConfigurationTitle": "Modo Screencast",
+ "screencastMode.location.verticalPosition": "Controla o deslocamento vertical da cobertura do modo screencast da parte inferior como um percentual da altura do workbench.",
+ "screencastMode.fontSize": "Controla o tamanho da fonte (em pixels) do teclado do modo screencast.",
+ "screencastMode.onlyKeyboardShortcuts": "Somente mostrar atalhos de teclado no modo screencast.",
+ "screencastMode.keyboardOverlayTimeout": "Controla o tempo (em milissegundos) em que a sobreposição do teclado é mostrada no modo screencast.",
+ "screencastMode.mouseIndicatorColor": "Controla a cor em hexa (#RGB, #RGBA, #RRGGBB ou #RRGGBBAA) do indicador do mouse no modo screencast.",
+ "screencastMode.mouseIndicatorSize": "Controla o tamanho (em pixels) do indicador do mouse no modo screencast."
+ },
+ "vs/workbench/browser/actions/helpActions": {
+ "keybindingsReference": "Referência de Atalhos do Teclado",
+ "openDocumentationUrl": "Documentação",
+ "openIntroductoryVideosUrl": "Vídeos Introdutórios",
+ "openTipsAndTricksUrl": "Dicas e Truques",
+ "newsletterSignup": "Inscreva-se no Boletim Informativo do VS Code",
+ "openTwitterUrl": "Junte-se a nós no Twitter",
+ "openUserVoiceUrl": "Pesquisar Solicitações de Recursos",
+ "openLicenseUrl": "Exibir Licença",
+ "openPrivacyStatement": "Política de Privacidade",
+ "miDocumentation": "&&Documentação",
+ "miKeyboardShortcuts": "&&Referência de Atalhos do Teclado",
+ "miIntroductoryVideos": "&&Vídeos Introdutórios",
+ "miTipsAndTricks": "Dicas e Tru&&ques",
+ "miTwitter": "&&Junte-se a nós no Twitter",
+ "miUserVoice": "&&Pesquisar Solicitações de Recursos",
+ "miLicense": "Exibir &&Licença",
+ "miPrivacyStatement": "Política de Privacidad&&e"
+ },
+ "vs/workbench/browser/actions/layoutActions": {
+ "closeSidebar": "Fechar Barra Lateral",
+ "toggleActivityBar": "Ativar/Desativar Visibilidade da Barra de Atividades",
+ "miShowActivityBar": "Mostrar &&Barra de Atividades",
+ "toggleCenteredLayout": "Ativar/Desativar Layout Centralizado",
+ "miToggleCenteredLayout": "&&Layout Centralizado",
+ "flipLayout": "Ativar/Desativar Layout do Editor Vertical/Horizontal",
+ "miToggleEditorLayout": "Inverter &&Layout",
+ "toggleSidebarPosition": "Ativar/Desativar Posição da Barra Lateral",
+ "moveSidebarRight": "Mover Barra Lateral para a Direita",
+ "moveSidebarLeft": "Mover Barra Lateral para a Esquerda",
+ "miMoveSidebarRight": "&&Mover a Barra Lateral para a Direita",
+ "miMoveSidebarLeft": "&&Mover a Barra Lateral para a Esquerda",
+ "toggleEditor": "Ativar/Desativar Visibilidade da Área do Editor",
+ "miShowEditorArea": "Mostrar &&Área do Editor",
+ "toggleSidebar": "Ativar/Desativar Visibilidade da Barra Lateral",
+ "miAppearance": "&&Aparência",
+ "miShowSidebar": "Mostrar &&Barra Lateral",
+ "toggleStatusbar": "Ativar/Desativar Visibilidade da Barra de Status",
+ "miShowStatusbar": "Mostrar Barra de S&&tatus",
+ "toggleTabs": "Ativar/Desativar Visibilidade da Guia",
+ "toggleZenMode": "Ativar/Desativar Modo Zen",
+ "miToggleZenMode": "Modo Zen",
+ "toggleMenuBar": "Ativar/Desativar Barra de Menus",
+ "miShowMenuBar": "Mostrar &&Barra de Menus",
+ "resetViewLocations": "Redefinir Localizações do Modo de Exibição",
+ "moveView": "Mover Modo de Exibição",
+ "sidebarContainer": "Barra Lateral/{0}",
+ "panelContainer": "Painel/{0}",
+ "moveFocusedView.selectView": "Selecionar um Modo de Exibição para Mover",
+ "moveFocusedView": "Mover Modo de Exibição Destaques",
+ "moveFocusedView.error.noFocusedView": "Não há exibição focalizada no momento.",
+ "moveFocusedView.error.nonMovableView": "No momento, o modo de exibição com foco não é móvel.",
+ "moveFocusedView.selectDestination": "Selecionar um Destino para o Modo de Exibição",
+ "moveFocusedView.title": "Exibir: Mover {0}",
+ "moveFocusedView.newContainerInPanel": "Nova Entrada de Painel",
+ "moveFocusedView.newContainerInSidebar": "Nova Entrada da Barra Lateral",
+ "sidebar": "Barra Lateral",
+ "panel": "Painel",
+ "resetFocusedViewLocation": "Redefinir Localização do Modo de Exibição Destaques",
+ "resetFocusedView.error.noFocusedView": "Não há exibição focalizada no momento.",
+ "increaseViewSize": "Aumentar Tamanho da Exibição Atual",
+ "increaseEditorWidth": "Aumentar a Largura do Editor",
+ "increaseEditorHeight": "Aumentar a Altura do Editor",
+ "decreaseViewSize": "Diminuir Tamanho do Modo de Exibição Atual",
+ "decreaseEditorWidth": "Diminuir a Largura do Editor",
+ "decreaseEditorHeight": "Diminuir a Altura do Editor"
+ },
+ "vs/workbench/browser/actions/navigationActions": {
+ "navigateLeft": "Navegar para o Modo de Exibição à Esquerda",
+ "navigateRight": "Navegar para o Modo de Exibição à Direita",
+ "navigateUp": "Navegar para o Modo de Exibição Acima",
+ "navigateDown": "Navegue para o Modo de Exibição Abaixo",
+ "focusNextPart": "Focar na Próxima Parte",
+ "focusPreviousPart": "Focar na Parte Anterior"
+ },
+ "vs/workbench/browser/actions/windowActions": {
+ "remove": "Remover de Abertos Recentemente",
+ "dirtyRecentlyOpened": "Workspace com Arquivos Sujos",
+ "workspaces": "workspaces",
+ "files": "arquivos",
+ "openRecentPlaceholderMac": "Selecionar para abrir (manter a tecla Cmd pressionada para forçar nova janela ou a tecla Alt para a mesma janela)",
+ "openRecentPlaceholder": "Selecionar para abrir (manter a tecla Ctrl pressionada para forçar a nova janela ou tecla Alt para a mesma janela)",
+ "dirtyWorkspace": "Workspace com Arquivos Sujos",
+ "dirtyWorkspaceConfirm": "Deseja abrir o workspace para examinar os arquivos sujos?",
+ "dirtyWorkspaceConfirmDetail": "Os workspaces com arquivos sujos não podem ser removidos até que todos os arquivos sujos tenham sido salvos ou revertidos.",
+ "recentDirtyAriaLabel": "{0}, workspace sujo",
+ "openRecent": "Abrir Recente...",
+ "quickOpenRecent": "Abrir Rapidamente Recentes...",
+ "toggleFullScreen": "Ativar/Desativar para Exibição em Tela Inteira",
+ "reloadWindow": "Recarregar a Janela",
+ "about": "Sobre",
+ "newWindow": "Nova Janela",
+ "blur": "Remover o foco do teclado do elemento focalizado",
+ "file": "Arquivo",
+ "miConfirmClose": "Confirmar Antes de Fechar",
+ "miNewWindow": "Nova &&Janela",
+ "miOpenRecent": "Abrir &&Recente",
+ "miMore": "&&Mais...",
+ "miToggleFullScreen": "&&Tela Inteira",
+ "miAbout": "&&Sobre"
+ },
+ "vs/workbench/browser/actions/workspaceActions": {
+ "openFile": "Abrir o Arquivo...",
+ "openFolder": "Abrir Pasta...",
+ "openFileFolder": "Abrir...",
+ "openWorkspaceAction": "Abrir Workspace...",
+ "closeWorkspace": "Fechar Workspace",
+ "noWorkspaceOpened": "No momento não há nenhum workspace aberto nesta instância para ser fechado.",
+ "openWorkspaceConfigFile": "Abrir Arquivo de Configuração do Workspace",
+ "globalRemoveFolderFromWorkspace": "Remover Pasta do Workspace...",
+ "saveWorkspaceAsAction": "Salvar Workspace como...",
+ "duplicateWorkspaceInNewWindow": "Duplicar Workspace na Nova Janela",
+ "workspaces": "Workspaces",
+ "miAddFolderToWorkspace": "A&&dicionar Pasta ao Workspace...",
+ "miSaveWorkspaceAs": "Salvar Workspace como...",
+ "miCloseFolder": "Fechar &&Pasta",
+ "miCloseWorkspace": "Fechar &&Workspace"
+ },
+ "vs/workbench/browser/actions/workspaceCommands": {
+ "addFolderToWorkspace": "Adicionar Pasta ao Workspace...",
+ "add": "&&Adicionar",
+ "addFolderToWorkspaceTitle": "Adicionar Pasta ao Workspace",
+ "workspaceFolderPickerPlaceholder": "Selecionar pasta do workspace"
+ },
+ "vs/workbench/browser/actions/quickAccessActions": {
+ "quickOpen": "Ir para Arquivo...",
+ "quickNavigateNext": "Navegar para o Próximo na Abertura Rápida",
+ "quickNavigatePrevious": "Navegar para o Anterior na Abertura Rápida",
+ "quickSelectNext": "Selecionar Avançar na Abertura Rápida",
+ "quickSelectPrevious": "Selecionar Anterior na Abertura Rápida"
+ },
+ "vs/workbench/api/common/menusExtensionPoint": {
+ "menus.commandPalette": "A Paleta de Comandos",
+ "menus.touchBar": "A barra de toque (somente macOS)",
+ "menus.editorTitle": "O menu de título do editor",
+ "menus.editorContext": "O menu de contexto do editor",
+ "menus.explorerContext": "O menu de contexto do explorador de arquivos",
+ "menus.editorTabContext": "O menu de contexto das guias do editor",
+ "menus.debugCallstackContext": "O menu de contexto do modo de exibição da pilha de chamadas de depuração",
+ "menus.debugVariablesContext": "O menu de contexto do modo de exibição de variáveis de depuração",
+ "menus.debugToolBar": "O menu da barra de ferramentas de depuração",
+ "menus.file": "O menu arquivo de nível superior",
+ "menus.home": "O menu de contexto do indicador inicial (somente Web)",
+ "menus.scmTitle": "O menu de título do Controle do Código-fonte",
+ "menus.scmSourceControl": "O menu de Controle do Código-fonte",
+ "menus.resourceGroupContext": "Menu de contexto do grupo de recursos do Controle do Código-fonte",
+ "menus.resourceStateContext": "O menu de contexto do estado do recurso do Controle do Código-fonte",
+ "menus.resourceFolderContext": "O menu de contexto da pasta de recursos do Controle do Código-fonte",
+ "menus.changeTitle": "O menu de alteração embutido do Controle do Código-fonte",
+ "menus.statusBarWindowIndicator": "O menu indicador de janela na barra de status",
+ "view.viewTitle": "O menu de título do modo de exibição contribuído",
+ "view.itemContext": "O menu de contexto do item do modo de exibição contribuído",
+ "commentThread.title": "O menu de título de thread do comentário contribuído",
+ "commentThread.actions": "O menu de contexto de thread do comentário contribuído, renderizado como botões abaixo do editor de comentários",
+ "comment.title": "O menu de título do comentário contribuído",
+ "comment.actions": "O menu de contexto do comentário contribuído, renderizado como botões abaixo do editor de comentários",
+ "notebook.cell.title": "O menu de título da célula do notebook contribuído",
+ "menus.extensionContext": "O menu de contexto de extensão",
+ "view.timelineTitle": "O menu de título do modo de exibição de Linha do tempo",
+ "view.timelineContext": "O menu de contexto do item de modo de exibição de Linha do tempo",
+ "requirestring": "a propriedade `{0}` é obrigatória e deve ser do tipo `string`",
+ "optstring": "a propriedade `{0}` pode ser omitida ou deve ser do tipo `string`",
+ "requirearray": "os itens do submenu precisam ser uma matriz",
+ "require": "os itens do submenu precisam ser um objeto",
+ "vscode.extension.contributes.menuItem.command": "Identificador do comando a ser executado. O comando precisa ser declarado na seção 'commands'",
+ "vscode.extension.contributes.menuItem.alt": "Identificador de um comando alternativo a ser executado. O comando precisa ser declarado na seção 'commands'",
+ "vscode.extension.contributes.menuItem.when": "A condição deve ser true para mostrar este item",
+ "vscode.extension.contributes.menuItem.group": "Grupo ao qual pertence este item",
+ "vscode.extension.contributes.menuItem.submenu": "Identificador do submenu a ser exibido neste item.",
+ "vscode.extension.contributes.submenu.id": "Identificador do menu a ser exibido como um submenu.",
+ "vscode.extension.contributes.submenu.label": "O rótulo do item de menu que leva a este submenu.",
+ "vscode.extension.contributes.submenu.icon": "(Opcional) O ícone que é usado para representar o submenu na interface do usuário. Um caminho do arquivo, um objeto com caminhos do arquivo para temas claros e escuros ou referências a um ícone de tema, como `\\$(zap)`",
+ "vscode.extension.contributes.submenu.icon.light": "Caminho do ícone quando um tema leve é usado",
+ "vscode.extension.contributes.submenu.icon.dark": "Caminho de ícone quando um tema escuro é usado",
+ "vscode.extension.contributes.menus": "Contribui com itens de menu para o editor",
+ "proposed": "API Proposta",
+ "vscode.extension.contributes.submenus": "(API Proposta) Contribui com itens do submenu para o editor",
+ "nonempty": "esperava-se um valor não vazio.",
+ "opticon": "propriedade `ícone` pode ser omitida ou deve ser uma cadeia de caracteres ou um literal como `{escuro, claro}`",
+ "requireStringOrObject": "a propriedade '{0}' é obrigatória e precisa ser do tipo `string` ou `object`",
+ "requirestrings": "as propriedades `{0}` e `{1}` são obrigatórias e precisam ser do tipo `string`",
+ "vscode.extension.contributes.commandType.command": "Identificador do comando a ser executado",
+ "vscode.extension.contributes.commandType.title": "Título pelo qual o comando é representado na interface do usuário",
+ "vscode.extension.contributes.commandType.category": "(Opcional) A cadeia de caracteres da categoria pelo comando está agrupada na interface do usuário",
+ "vscode.extension.contributes.commandType.precondition": "(Opcional) Condição que precisa ser verdadeira para habilitar o comando na interface do usuário (menu e associações de teclas). Não impede a execução do comando por outros meios, como `executeCommand`-api.",
+ "vscode.extension.contributes.commandType.icon": "(Opcional) O ícone que é usado para representar o comando na interface do usuário. Um caminho do arquivo, um objeto com caminhos do arquivo para temas claros e escuros ou referências a um ícone de tema, como `\\$(zap)`",
+ "vscode.extension.contributes.commandType.icon.light": "Caminho do ícone quando um tema leve é usado",
+ "vscode.extension.contributes.commandType.icon.dark": "Caminho de ícone quando um tema escuro é usado",
+ "vscode.extension.contributes.commands": "Contribui com comandos para a paleta de comandos.",
+ "dup": "O comando `{0}` aparece várias vezes na seção `commands`.",
+ "submenuId.invalid.id": "`{0}` não é um identificador de submenu válido",
+ "submenuId.duplicate.id": "O submenu `{0}` já foi registrado anteriormente.",
+ "submenuId.invalid.label": "`{0}` não é um rótulo de submenu válido",
+ "menuId.invalid": "`{0}` não é um identificador de menu válido",
+ "proposedAPI.invalid": "{0} é um identificador de menu proposto e só está disponível quando está ficando sem desenvolvimento ou com a seguinte opção de linha de comando: --enable-proposed-api {1}",
+ "missing.command": "O item de menu faz referência a um comando `{0}` que não está definido na seção `commands`.",
+ "missing.altCommand": "O item de menu faz referência a um comando alt `{0}` que não está definido na seção `commands`.",
+ "dupe.command": "O item de menu faz referência ao mesmo comando que o padrão e Alt + Command",
+ "unsupported.submenureference": "O item de menu faz referência a um submenu para um menu que não tem suporte para submenu.",
+ "missing.submenu": "O item de menu faz referência a um submenu `{0}` que não está definido na seção `submenus`.",
+ "submenuItem.duplicate": "Já foi feita a contribuição do submenu `{0}` para o menu `{1}`."
+ },
+ "vs/workbench/api/common/configurationExtensionPoint": {
+ "vscode.extension.contributes.configuration.title": "Um resumo das configurações. Este rótulo será usado no arquivo de configurações como um comentário de separação.",
+ "vscode.extension.contributes.configuration.properties": "Descrição das propriedades de configuração.",
+ "vscode.extension.contributes.configuration.property.empty": "A propriedade não deve estar vazia.",
+ "scope.application.description": "Configuração que pode ser configurada somente nas configurações de usuário.",
+ "scope.machine.description": "Configuração que pode ser configurada somente nas configurações do usuário ou nas configurações remotas.",
+ "scope.window.description": "Configuração que pode ser configurada nas configurações de usuário, remotas ou de workspace.",
+ "scope.resource.description": "Configuração que pode ser configurada nas configurações de usuário, remotas, de workspace ou pasta.",
+ "scope.language-overridable.description": "Configuração de recurso que pode ser configurada nas configurações específicas da linguagem.",
+ "scope.machine-overridable.description": "Configuração do computador que pode ser configurada também no workspace ou nas configurações da pasta.",
+ "scope.description": "Escopo no qual a configuração é aplicável. Os escopos disponíveis são `application`, `machine`, `window`, `resource` e `machine-overridable`.",
+ "scope.enumDescriptions": "Descrições para valores de enumeração",
+ "scope.markdownEnumDescriptions": "Descrições para valores de enumeração no formato de markdown.",
+ "scope.markdownDescription": "A descrição no formato de markdown.",
+ "scope.deprecationMessage": "Se definida, a propriedade será marcada como preterida e a mensagem dada será mostrada como uma explicação.",
+ "scope.markdownDeprecationMessage": "Se definida, a propriedade será marcada como preterida e a mensagem dada será mostrada como uma explicação no formato de markdown.",
+ "vscode.extension.contributes.defaultConfiguration": "Contribui com as definições de configuração do editor padrão por idioma.",
+ "config.property.defaultConfiguration.languageExpected": "Seletor de linguagem esperado (ex.: [\"java\"])",
+ "config.property.defaultConfiguration.warning": "Não é possível registrar os padrões de configuração para '{0}'. Há suporte apenas para padrões de configurações específicas de idioma.",
+ "vscode.extension.contributes.configuration": "Contribui com definições de configuração.",
+ "invalid.title": "'configuration.title' precisa ser uma cadeia de caracteres",
+ "invalid.properties": "'configuration.properties' precisa ser um objeto",
+ "invalid.property": "'configuration.property' precisa ser um objeto",
+ "invalid.allOf": "'configuration.allOf' foi preterido e não deve mais ser usado. Em vez disso, transmita várias seções de configuração como uma matriz ao ponto de contribuição 'configuration'.",
+ "workspaceConfig.folders.description": "Lista de pastas a serem carregadas no workspace.",
+ "workspaceConfig.path.description": "Um caminho de arquivo, por exemplo, `/root/folderA` ou `./folderA` para um caminho relativo que será resolvido em relação à localização do arquivo do workspace.",
+ "workspaceConfig.name.description": "Um nome opcional para a pasta. ",
+ "workspaceConfig.uri.description": "URI da pasta",
+ "workspaceConfig.settings.description": "Configurações do workspace",
+ "workspaceConfig.launch.description": "Configurações de inicialização do workspace",
+ "workspaceConfig.tasks.description": "Configurações de tarefas do workspace",
+ "workspaceConfig.extensions.description": "Extensões do workspace",
+ "workspaceConfig.remoteAuthority": "O servidor remoto em que o workspace está localizado. Usado somente por workspaces remotos não salvos.",
+ "unknownWorkspaceProperty": "Propriedade de configuração de workspace desconhecida"
+ },
+ "vs/workbench/api/browser/viewsExtensionPoint": {
+ "vscode.extension.contributes.views.containers.id": "ID exclusiva usada para identificar o contêiner no qual os modos de exibição podem ser contribuídos usando o ponto de contribuição 'views'",
+ "vscode.extension.contributes.views.containers.title": "Cadeia de caracteres legível por humanos usada para renderizar o contêiner",
+ "vscode.extension.contributes.views.containers.icon": "Caminho para o ícone do contêiner. Os ícones têm centralização 24x24 em um bloco 50x40 e têm uma cor de preenchimento de 'rgb(215, 218, 224)' ou '#d7dae0'. É recomendável que os ícones estejam no SVG, embora qualquer tipo de arquivo de imagem seja aceito.",
+ "vscode.extension.contributes.viewsContainers": "Contribui com contêineres de modo de exibição para o editor",
+ "views.container.activitybar": "Contribuir com contêineres de modos de exibição na Barra de Atividades",
+ "views.container.panel": "Contribuir com contêineres de modos de exibição no Painel",
+ "vscode.extension.contributes.view.type": "Tipo de exibição. Pode ser `tree` para uma exibição baseada em um modo de exibição de árvore ou `webview` para uma exibição baseada em um modo de exibição da Web. O padrão é `tree`.",
+ "vscode.extension.contributes.view.tree": "A exibição tem o respaldo de um `TreeView` criado por `createTreeView`.",
+ "vscode.extension.contributes.view.webview": "A exibição tem suporte de um `WebviewView` registrado por `registerWebviewViewProvider`.",
+ "vscode.extension.contributes.view.id": "Identificador do modo de exibição. Ele deve ser exclusivo em todos os modos de exibição. É recomendável incluir a ID da extensão como parte da ID do modo de exibição. Use isso para registrar um provedor de dados por meio da API `vscode.window.registerTreeDataProviderForView`. Dispare também a ativação da sua extensão registrando o evento `onView:${id}` em `activationEvents`.",
+ "vscode.extension.contributes.view.name": "O nome legível para humanos da exibição. Será mostrado",
+ "vscode.extension.contributes.view.when": "A condição que deve ser true para mostrar esta exibição",
+ "vscode.extension.contributes.view.icon": "Caminho para o ícone de modo de exibição. Os ícones de modo de exibição são exibidos quando o nome do modo de exibição não pode ser mostrado. É recomendável que os ícones estejam no SVG, embora qualquer tipo de arquivo de imagem seja aceito.",
+ "vscode.extension.contributes.view.contextualTitle": "Contexto legível por humanos para quando a exibição é movida de sua localização original. Por padrão, o nome do contêiner do modo de exibição será usado. Será mostrado",
+ "vscode.extension.contributes.view.initialState": "Estado inicial do modo de exibição quando a extensão é instalada pela primeira vez. Depois que o usuário alterar o estado do modo de exibição ao recolher, mover ou ocultar o modo de exibição, o estado inicial não será usado novamente.",
+ "vscode.extension.contributes.view.initialState.visible": "O estado inicial padrão do modo de exibição. No entanto, na maioria dos contêineres, o modo de exibição será expandido; alguns contêineres incorporados (explorador, scm e depuração) mostram todos os modos de exibição de contribuição recolhidos, independentemente de `visibility`.",
+ "vscode.extension.contributes.view.initialState.hidden": "O modo de exibição não será mostrado no contêiner de modo de exibição, mas será detectável pelo menu de modos de exibição e outros pontos de entrada de modo de exibição e poderá ser reexibido pelo usuário.",
+ "vscode.extension.contributes.view.initialState.collapsed": "O modo de exibição será mostrado no contêiner de modo de exibição, mas será recolhido.",
+ "vscode.extension.contributes.view.group": "Grupo aninhado no viewlet",
+ "vscode.extension.contributes.view.remoteName": "O nome do tipo remoto associado a este modo de exibição",
+ "vscode.extension.contributes.views": "Contribui com exibições para o editor",
+ "views.explorer": "Contribui com modos de exibição para o contêiner do Explorador na barra de Atividade",
+ "views.debug": "Contribui com modos de exibição para o contêiner de Depuração na barra de Atividade",
+ "views.scm": "Contribui com modos de exibição para o contêiner do SCM na barra de Atividade",
+ "views.test": "Contribui com modos de exibição para o contêiner de Teste na barra de Atividade",
+ "views.remote": "Contribui com modos de exibição para o contêiner do Remoto na barra de Atividade. Para contribuir com esse contêiner, o enableProposedApi precisa ser ativado",
+ "views.contributed": "Contribui com exibições para o contêiner de exibições contribuídas",
+ "test": "Testar",
+ "viewcontainer requirearray": "os contêineres de modo de exibição precisam ser uma matriz",
+ "requireidstring": "a propriedade `{0}` é obrigatória e precisa ser do tipo `string`. Somente caracteres alfanuméricos, '_' e '-' são permitidos.",
+ "requirestring": "a propriedade `{0}` é obrigatória e deve ser do tipo `string`",
+ "showViewlet": "Mostrar {0}",
+ "ViewContainerRequiresProposedAPI": "O contêiner de modo de exibição '{0}' exige que 'enableProposedApi' esteja ativado para ser adicionado a 'Remote'.",
+ "ViewContainerDoesnotExist": "O contêiner de modo de exibição '{0}' não existe e todos os modos de exibição registrados nele serão adicionados a 'Explorer'.",
+ "duplicateView1": "Não é possível registrar vários modos de exibição com a mesma id `{0}`",
+ "duplicateView2": "Um modo de exibição com a ID `{0}` já está registrado.",
+ "unknownViewType": "Tipo de modo de exibição `{0}` desconhecido.",
+ "requirearray": "as exibições devem ser uma matriz",
+ "optstring": "a propriedade `{0}` pode ser omitida ou deve ser do tipo `string`",
+ "optenum": "a propriedade `{0}` pode ser omitida ou precisa ser do tipo {1}"
+ },
+ "vs/workbench/browser/parts/activitybar/activitybarPart": {
+ "settingsViewBarIcon": "Ícone de configurações na barra de exibição.",
+ "accountsViewBarIcon": "Ícone de contas na barra de exibição.",
+ "hideHomeBar": "Ocultar Botão Página Inicial",
+ "showHomeBar": "Mostrar Botão Página Inicial",
+ "hideMenu": "Ocultar Menu",
+ "showMenu": "Mostrar Menu",
+ "hideAccounts": "Ocultar Contas",
+ "showAccounts": "Mostrar Contas",
+ "hideActivitBar": "Ocultar Barra de Atividade",
+ "resetLocation": "Redefinir a Localização",
+ "homeIndicator": "Página Inicial",
+ "home": "Página Inicial",
+ "manage": "Gerenciar",
+ "accounts": "Contas",
+ "focusActivityBar": "Barra de Atividades de Foco"
+ },
+ "vs/workbench/browser/parts/panel/panelPart": {
+ "hidePanel": "Ocultar Painel",
+ "panel.emptyMessage": "Arraste um modo de exibição no painel para mostrar."
+ },
+ "vs/workbench/browser/parts/sidebar/sidebarPart": {
+ "focusSideBar": "Focar na Barra Lateral"
+ },
+ "vs/workbench/browser/parts/statusbar/statusbarPart": {
+ "hide": "Ocultar '{0}'",
+ "hideStatusBar": "Ocultar Barra de Status"
+ },
+ "vs/workbench/browser/parts/views/viewsService": {
+ "focus view": "Focar no Modo de Exibição {0}",
+ "resetViewLocation": "Redefinir a Localização"
+ },
+ "vs/workbench/browser/parts/dialogs/dialogHandler": {
+ "yesButton": "&&Sim",
+ "cancelButton": "Cancelar",
+ "aboutDetail": "Versão: {0}\r\nConfirmar: {1}\r\nData: {2}\r\nNavegador: {3}",
+ "copy": "Copiar",
+ "ok": "OK"
+ },
+ "vs/workbench/electron-sandbox/parts/dialogs/dialogHandler": {
+ "yesButton": "&&Sim",
+ "cancelButton": "Cancelar",
+ "aboutDetail": "Versão: {0}\r\nConfirmar: {1}\r\nData: {2}\r\nElectron: {3}\r\nChrome: {4}\r\nNode.js: {5}\r\nV8: {6}\r\nSO: {7}",
+ "okButton": "OK",
+ "copy": "&&Copiar"
+ },
+ "vs/workbench/electron-sandbox/actions/developerActions": {
+ "toggleDevTools": "Ativar/Desativar Ferramentas para Desenvolvedores",
+ "configureRuntimeArguments": "Configurar Argumentos de Runtime"
+ },
+ "vs/workbench/electron-sandbox/actions/windowActions": {
+ "closeWindow": "Fechar a Janela",
+ "zoomIn": "Ampliar",
+ "zoomOut": "Reduzir",
+ "zoomReset": "Redefinir Zoom",
+ "reloadWindowWithExtensionsDisabled": "Recarregar com Extensões Desabilitadas",
+ "close": "Fechar a Janela",
+ "switchWindowPlaceHolder": "Selecionar uma janela para a qual alternar",
+ "windowDirtyAriaLabel": "{0}, janela suja",
+ "current": "Janela Atual",
+ "switchWindow": "Mudar Janela...",
+ "quickSwitchWindow": "Alternar Rapidamente a Janela..."
+ },
+ "vs/workbench/browser/parts/notifications/notificationsCenter": {
+ "notificationsEmpty": "Não há novas notificações",
+ "notifications": "Notificações",
+ "notificationsToolbar": "Ações do Centro de Notificações"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsAlerts": {
+ "alertErrorMessage": "Erro: {0}",
+ "alertWarningMessage": "Aviso: {0}",
+ "alertInfoMessage": "Informações: {0}"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsStatus": {
+ "status.notifications": "Notificações",
+ "hideNotifications": "Ocultar as Notificações",
+ "zeroNotifications": "Nenhuma Notificação",
+ "noNotifications": "Não Há Novas Notificações",
+ "oneNotification": "Uma Nova Notificação",
+ "notifications": "{0} Novas Notificações",
+ "noNotificationsWithProgress": "Não Há Novas Notificações ({0} em andamento)",
+ "oneNotificationWithProgress": "Uma Nova Notificação ({0} em andamento)",
+ "notificationsWithProgress": "{0} Novas Notificações ({1} em andamento)",
+ "status.message": "Mensagem de Status"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsCommands": {
+ "notifications": "Notificações",
+ "showNotifications": "Mostrar Notificações",
+ "hideNotifications": "Ocultar as Notificações",
+ "clearAllNotifications": "Limpar Todas as Notificações",
+ "focusNotificationToasts": "Focar na Notificação do Sistema"
+ },
+ "vs/workbench/browser/parts/titlebar/menubarControl": {
+ "mFile": "&&Arquivo",
+ "mEdit": "&&Editar",
+ "mSelection": "&&Seleção",
+ "mView": "&&Ver",
+ "mGoto": "&&Acessar",
+ "mRun": "&&Executar",
+ "mTerminal": "&&Terminal",
+ "mHelp": "&&Ajuda",
+ "menubar.customTitlebarAccessibilityNotification": "O suporte para acessibilidade está habilitado para você. Para obter a experiência mais acessível, recomendamos o estilo da barra de título personalizada.",
+ "goToSetting": "Abrir as Configurações",
+ "focusMenu": "Focar no Menu do Aplicativo",
+ "checkForUpdates": "Verificar se há &&Atualizações...",
+ "checkingForUpdates": "Verificando se há Atualizações...",
+ "download now": "B&&aixar Atualização",
+ "DownloadingUpdate": "Baixando a Atualização...",
+ "installUpdate...": "Instalar a &&Atualização...",
+ "installingUpdate": "Instalando a Atualização...",
+ "restartToUpdate": "Reiniciar para &&Atualizar"
+ },
+ "vs/workbench/api/common/extHostExtensionActivator": {
+ "failedDep1": "Não é possível ativar a extensão '{0}' porque ela depende da extensão '{1}', que falhou ao ser ativada.",
+ "activationError": "A ativação da extensão '{0}' falhou: {1}."
+ },
+ "vs/workbench/api/common/extHost.api.impl": {
+ "extensionLabel": "{0} (Extensão)"
+ },
+ "vs/workbench/api/node/extHostDebugService": {
+ "debug.terminal.title": "depurador"
+ },
+ "vs/workbench/api/common/jsonValidationExtensionPoint": {
+ "contributes.jsonValidation": "Contribui com a configuração do esquema json.",
+ "contributes.jsonValidation.fileMatch": "O padrão de arquivo (ou uma matriz de padrões) para corresponder, por exemplo, a \"package.json\" ou a \"*.launch\". Os padrões de exclusão começam com '!'",
+ "contributes.jsonValidation.url": "Uma URL de esquema ('http:', 'https:') ou um caminho relativo para a pasta de extensão ('./').",
+ "invalid.jsonValidation": "'configuration.jsonValidation' precisa ser uma matriz",
+ "invalid.fileMatch": "'configuration.jsonValidation.fileMatch' precisa ser definido como uma cadeia de caracteres ou uma matriz de cadeias de caracteres.",
+ "invalid.url": "'configuration.jsonValidation.url' precisa ser uma URL ou um caminho relativo",
+ "invalid.path.1": "Espera-se que `contributes.{0}.url` ({1}) seja incluído na pasta da extensão ({2}). Isso pode tornar a extensão não portátil.",
+ "invalid.url.fileschema": "'configuration.jsonValidation.url' é uma URL relativa inválida: {0}",
+ "invalid.url.schema": "'configuration.jsonValidation.url' precisa ser uma URL absoluta ou começar com './' para esquemas de referência localizados na extensão."
+ },
+ "vs/workbench/api/browser/mainThreadExtensionService": {
+ "reload window": "Não é possível ativar a extensão '{0}' porque ela depende da extensão '{1}', que não está carregada. Deseja recarregar a janela para carregar a extensão?",
+ "reload": "Recarregar a Janela",
+ "disabledDep": "Não é possível ativar a extensão '{0}' porque ela depende da extensão '{1}', que está desabilitada. Deseja habilitar a extensão e recarregar a janela?",
+ "enable dep": "Habilitar e Recarregar",
+ "uninstalledDep": "Não é possível ativar a extensão '{0}' porque ela depende da extensão '{1}', que não está instalada. Deseja instalar a extensão e recarregar a janela?",
+ "install missing dep": "Instalar e Recarregar",
+ "unknownDep": "Não é possível ativar a extensão '{0}' porque ela depende de uma extensão '{1}' desconhecida."
+ },
+ "vs/workbench/api/browser/mainThreadFileSystemEventService": {
+ "files.participants.timeout": "Tempo limite em milissegundos após o qual os participantes do arquivo para criar, renomear e excluir serão cancelados. Use `0` para desabilitar participantes."
+ },
+ "vs/workbench/api/browser/mainThreadMessageService": {
+ "extensionSource": "{0} (Extensão)",
+ "defaultSource": "Extensão",
+ "manageExtension": "Gerenciar a Extensão",
+ "cancel": "Cancelar",
+ "ok": "OK"
+ },
+ "vs/workbench/api/browser/mainThreadProgress": {
+ "manageExtension": "Gerenciar a Extensão"
+ },
+ "vs/workbench/api/browser/mainThreadSaveParticipant": {
+ "timeout.onWillSave": "onWillSaveTextDocument-event anulado após 1.750 ms"
+ },
+ "vs/workbench/api/browser/mainThreadWorkspace": {
+ "folderStatusMessageAddSingleFolder": "A extensão '{0}' adicionou 1 pasta ao workspace",
+ "folderStatusMessageAddMultipleFolders": "A extensão '{0}' adicionou {1} pastas ao workspace",
+ "folderStatusMessageRemoveSingleFolder": "A extensão '{0}' removeu 1 pasta do workspace",
+ "folderStatusMessageRemoveMultipleFolders": "A extensão '{0}' removeu {1} pastas do workspace",
+ "folderStatusChangeFolder": "A extensão '{0}' alterou as pastas do workspace"
+ },
+ "vs/workbench/api/browser/mainThreadComments": {
+ "commentsViewIcon": "Ícone de exibição da exibição de comentários."
+ },
+ "vs/workbench/api/browser/mainThreadTask": {
+ "task.label": "{0}: {1}"
+ },
+ "vs/workbench/api/browser/mainThreadAuthentication": {
+ "noTrustedExtensions": "Esta conta não foi usada por nenhuma extensão.",
+ "accountLastUsedDate": "Último uso desta conta {0}",
+ "notUsed": "Não usou esta conta",
+ "manageTrustedExtensions": "Gerenciar Extensões Confiáveis",
+ "manageExensions": "Escolha quais extensões podem acessar esta conta",
+ "signOutConfirm": "Sair de {0}",
+ "signOutMessagve": "A conta {0} foi usada por: \r\n\r\n{1}\r\n\r\n Sair desses recursos?",
+ "signOutMessageSimple": "Sair de {0}?",
+ "signedOut": "Desconectado com êxito.",
+ "useOtherAccount": "Entrar com outra conta",
+ "selectAccount": "A extensão '{0}' quer acessar uma conta {1}",
+ "getSessionPlateholder": "Selecionar uma conta para '{0}' a ser usada ou Esc para cancelar",
+ "confirmAuthenticationAccess": "A extensão '{0}' quer acessar a conta de {1} '{2}'.",
+ "allow": "Permitir",
+ "cancel": "Cancelar",
+ "confirmLogin": "A extensão '{0}' quer entrar usando {1}."
+ },
+ "vs/workbench/common/configuration": {
+ "workbenchConfigurationTitle": "Workbench"
+ },
+ "vs/workbench/browser/parts/views/treeView": {
+ "no-dataprovider": "Não há nenhum provedor de dados registrado que possa fornecer dados de exibição.",
+ "refresh": "Atualizar",
+ "collapseAll": "Recolher Tudo",
+ "command-error": "Erro ao executar o comando {1}: {0}. Provavelmente, isso é causado pela extensão que contribui com {1}."
+ },
+ "vs/workbench/browser/viewlet": {
+ "compositePart.hideSideBarLabel": "Ocultar Barra Lateral",
+ "views": "Modos de Exibição",
+ "collapse": "Recolher Tudo"
+ },
+ "vs/workbench/browser/parts/views/viewPaneContainer": {
+ "viewPaneContainerExpandedIcon": "Ícone de um contêiner de painel de exibição expandido.",
+ "viewPaneContainerCollapsedIcon": "Ícone de um contêiner de painel de exibição recolhido.",
+ "viewToolbarAriaLabel": "{0} ações",
+ "hideView": "Ocultar",
+ "viewMoveUp": "Mover Modo de Exibição para Cima",
+ "viewMoveLeft": "Mover Modo de Exibição para a Esquerda",
+ "viewMoveDown": "Mover Modo de Exibição para Baixo",
+ "viewMoveRight": "Mover Modo de Exibição para a Direita"
+ },
+ "vs/workbench/browser/parts/editor/editorGroupView": {
+ "ariaLabelGroupActions": "Ações do grupo de editores",
+ "closeGroupAction": "Fechar",
+ "emptyEditorGroup": "{0} (vazio)",
+ "groupLabel": "Grupo {0}",
+ "groupAriaLabel": "{0} de Grupo do Editor",
+ "ok": "OK",
+ "cancel": "Cancelar",
+ "editorOpenErrorDialog": "Não é possível abrir '{0}'",
+ "editorOpenError": "Não é possível abrir '{0}': {1}."
+ },
+ "vs/workbench/browser/parts/editor/editorDropTarget": {
+ "fileTooLarge": "O arquivo é muito grande para ser aberto como editor sem título. Carregue-o primeiro no explorador de arquivos e tente novamente."
+ },
+ "vs/workbench/browser/parts/editor/editor.contribution": {
+ "textEditor": "Editor de Texto",
+ "textDiffEditor": "Editor de Comparação de Texto",
+ "binaryDiffEditor": "Editor de Comparação Binário",
+ "sideBySideEditor": "Editor Lado a Lado",
+ "editorQuickAccessPlaceholder": "Digite o nome de um editor para abri-lo.",
+ "activeGroupEditorsByMostRecentlyUsedQuickAccess": "Mostrar Editores no Grupo Ativo pelos Mais Usados Recentemente",
+ "allEditorsByAppearanceQuickAccess": "Mostrar Todos os Editores Abertos por Aparência",
+ "allEditorsByMostRecentlyUsedQuickAccess": "Mostrar Todos os Editores Abertos pelos Mais Usados Recentemente",
+ "file": "Arquivo",
+ "splitUp": "Dividir para Cima",
+ "splitDown": "Dividir para Baixo",
+ "splitLeft": "Dividir à Esquerda",
+ "splitRight": "Dividir à Direita",
+ "close": "Fechar",
+ "closeOthers": "Fechar Outros",
+ "closeRight": "Fechar à Direita",
+ "closeAllSaved": "Fechar Salvos",
+ "closeAll": "Fechar Tudo",
+ "keepOpen": "Manter Aberto",
+ "pin": "Fixar",
+ "unpin": "Desafixar",
+ "toggleInlineView": "Ativar/Desativar a Exibição Embutida",
+ "showOpenedEditors": "Mostrar Editores Abertos",
+ "toggleKeepEditors": "Manter os Editores Abertos",
+ "splitEditorRight": "Dividir o Editor à Direita",
+ "splitEditorDown": "Dividir o Editor na Parte Inferior",
+ "previousChangeIcon": "Ícone da ação de alteração anterior no editor de comparação.",
+ "nextChangeIcon": "Ícone da ação de próxima alteração no editor de comparação.",
+ "toggleWhitespace": "Ícone da ação ativar/desativar espaço em branco no editor de comparação.",
+ "navigate.prev.label": "Alteração Anterior",
+ "navigate.next.label": "Próxima Alteração",
+ "ignoreTrimWhitespace.label": "Ignorar Diferenças de Espaço em Branco à Esquerda/à Direita",
+ "showTrimWhitespace.label": "Mostrar Diferenças de Espaço em Branco à Esquerda/à Direita",
+ "keepEditor": "Manter Editor",
+ "pinEditor": "Fixar Editor",
+ "unpinEditor": "Desafixar Editor",
+ "closeEditor": "Fechar Editor",
+ "closePinnedEditor": "Fechar Editor Fixado",
+ "closeEditorsInGroup": "Fechar Todos os Editores no Grupo",
+ "closeSavedEditors": "Fechar Editores Salvos no Grupo",
+ "closeOtherEditors": "Fechar Outros Editores no Grupo",
+ "closeRightEditors": "Fechar Editores à Direita no Grupo",
+ "closeEditorGroup": "Fechar Grupo de Editores",
+ "miReopenClosedEditor": "&&Reabrir o Editor Fechado",
+ "miClearRecentOpen": "&&Limpar Abertos Recentemente",
+ "miEditorLayout": "&&Layout do Editor",
+ "miSplitEditorUp": "Dividir para &&Cima",
+ "miSplitEditorDown": "Dividir para &&Baixo",
+ "miSplitEditorLeft": "Dividir à &&Esquerda",
+ "miSplitEditorRight": "Dividir à &&Direita",
+ "miSingleColumnEditorLayout": "&&Único",
+ "miTwoColumnsEditorLayout": "&&Duas Colunas",
+ "miThreeColumnsEditorLayout": "T&&rês Colunas",
+ "miTwoRowsEditorLayout": "D&&uas Linhas",
+ "miThreeRowsEditorLayout": "Três &&Linhas",
+ "miTwoByTwoGridEditorLayout": "&&Grade (2x2)",
+ "miTwoRowsRightEditorLayout": "Duas C&&olunas à Direita",
+ "miTwoColumnsBottomEditorLayout": "Duas &&Colunas Abaixo",
+ "miBack": "&&Voltar",
+ "miForward": "&&Avançar",
+ "miLastEditLocation": "&&Localização da Última Edição",
+ "miNextEditor": "&&Próximo Editor",
+ "miPreviousEditor": "&&Editor Anterior",
+ "miNextRecentlyUsedEditor": "&&Próximo Editor Usado",
+ "miPreviousRecentlyUsedEditor": "&&Editor Usado Anteriormente",
+ "miNextEditorInGroup": "&&Próximo Editor no Grupo",
+ "miPreviousEditorInGroup": "&&Editor Anterior no Grupo",
+ "miNextUsedEditorInGroup": "&&Próximo Editor Usado no Grupo",
+ "miPreviousUsedEditorInGroup": "&&Editor Usado Anteriormente no Grupo",
+ "miSwitchEditor": "Alternar &&Editor",
+ "miFocusFirstGroup": "Grupo &&1",
+ "miFocusSecondGroup": "Grupo &&2",
+ "miFocusThirdGroup": "Grupo &&3",
+ "miFocusFourthGroup": "Grupo &&4",
+ "miFocusFifthGroup": "Grupo &&5",
+ "miNextGroup": "&&Próximo Grupo",
+ "miPreviousGroup": "&&Grupo Anterior",
+ "miFocusLeftGroup": "Grupo à &&Esquerda",
+ "miFocusRightGroup": "Grupo à &&Direita",
+ "miFocusAboveGroup": "Grupo &&Acima",
+ "miFocusBelowGroup": "Grupo &&Abaixo",
+ "miSwitchGroup": "Alternar &&Grupo"
+ },
+ "vs/workbench/browser/parts/activitybar/activitybarActions": {
+ "goHome": "Acessar a Página Inicial",
+ "hide": "Ocultar",
+ "manageTrustedExtensions": "Gerenciar Extensões Confiáveis",
+ "signOut": "Sair",
+ "authProviderUnavailable": "{0} não está disponível no momento",
+ "previousSideBarView": "Modo de Exibição da Barra Lateral Anterior",
+ "nextSideBarView": "Exibição da Próxima Barra Lateral"
+ },
+ "vs/workbench/browser/parts/compositeBar": {
+ "activityBarAriaLabel": "Seletor de Exibição Ativo"
+ },
+ "vs/workbench/browser/parts/compositeBarActions": {
+ "badgeTitle": "{0} – {1}",
+ "additionalViews": "Exibições Adicionais",
+ "numberBadge": "{0} ({1})",
+ "manageExtension": "Gerenciar a Extensão",
+ "titleKeybinding": "{0} ({1})",
+ "hide": "Ocultar",
+ "keep": "Manter",
+ "toggle": "Ativar/Desativar Modo de Exibição Fixo"
+ },
+ "vs/workbench/browser/parts/compositePart": {
+ "ariaCompositeToolbarLabel": "{0} ações",
+ "viewsAndMoreActions": "Modos de Exibição e Mais Ações...",
+ "titleTooltip": "{0} ({1})"
+ },
+ "vs/workbench/browser/parts/panel/panelActions": {
+ "maximizeIcon": "Ícone para maximizar um painel.",
+ "restoreIcon": "Ícone para restaurar um painel.",
+ "closeIcon": "Ícone para fechar um painel.",
+ "closePanel": "Fechar Painel",
+ "togglePanel": "Ativar/Desativar Painel",
+ "focusPanel": "Focar no Painel",
+ "toggleMaximizedPanel": "Ativar/Desativar Painel Maximizado",
+ "maximizePanel": "Maximizar Tamanho do Painel",
+ "minimizePanel": "Restaurar Tamanho do Painel",
+ "positionPanelLeft": "Mover Painel para a Esquerda",
+ "positionPanelRight": "Mover Painel para a Direita",
+ "positionPanelBottom": "Mover Painel para Baixo",
+ "previousPanelView": "Modo de Exibição do Painel Anterior",
+ "nextPanelView": "Exibição do Próximo Painel",
+ "miShowPanel": "Mostrar &&Painel"
+ },
+ "vs/workbench/common/editor/diffEditorInput": {
+ "sideBySideLabels": "{0} ↔ {1}"
+ },
+ "vs/workbench/browser/parts/editor/editorWidgets": {
+ "openWorkspace": "Abrir o Workspace"
+ },
+ "vs/workbench/browser/parts/editor/editorCommands": {
+ "editorCommand.activeEditorMove.description": "Mover o editor ativo por meio de guias ou grupos",
+ "editorCommand.activeEditorMove.arg.name": "Argumento ativo de movimento do editor",
+ "editorCommand.activeEditorMove.arg.description": "Propriedades do argumento:\r\n\t* 'to': valor de cadeia de caracteres que fornece para onde mover.\r\n\t* 'by': valor de cadeia de caracteres que fornece a unidade para mover (por guia ou por grupo).\r\n\t* 'value': valor de número que fornece quantas posições ou uma posição absoluta para mover.",
+ "toggleInlineView": "Ativar/Desativar a Exibição Embutida",
+ "compare": "Comparar",
+ "enablePreview": "Os editores de visualização foram habilitados nas configurações.",
+ "disablePreview": "Os editores de visualização foram desabilitados nas configurações.",
+ "learnMode": "Saiba Mais"
+ },
+ "vs/workbench/browser/parts/editor/textResourceEditor": {
+ "textEditor": "Editor de Texto"
+ },
+ "vs/workbench/browser/parts/titlebar/titlebarPart": {
+ "patchedWindowTitle": "[Sem suporte]",
+ "userIsAdmin": "[Administrador]",
+ "userIsSudo": "[Superusuário]",
+ "devExtensionWindowTitlePrefix": "[Host de Desenvolvimento de Extensão]"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsList": {
+ "notificationAriaLabel": "{0}, notificação",
+ "notificationWithSourceAriaLabel": "{0}, origem: {1}, notificação",
+ "notificationsList": "Lista de Notificações"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsActions": {
+ "clearIcon": "Ícone da ação limpar nas notificações.",
+ "clearAllIcon": "Ícone da ação limpar tudo nas notificações.",
+ "hideIcon": "Ícone da ação ocultar nas notificações.",
+ "expandIcon": "Ícone da ação expandir nas notificações.",
+ "collapseIcon": "Ícone da ação recolher nas notificações.",
+ "configureIcon": "Ícone da ação configurar nas notificações.",
+ "clearNotification": "Limpar Notificação",
+ "clearNotifications": "Limpar Todas as Notificações",
+ "hideNotificationsCenter": "Ocultar as Notificações",
+ "expandNotification": "Expandir Notificação",
+ "collapseNotification": "Recolher Notificação",
+ "configureNotification": "Configurar Notificação",
+ "copyNotification": "Copiar Texto"
+ },
+ "vs/workbench/api/common/extHostDiagnostics": {
+ "limitHit": "Não estão sendo exibidos {0} erros e avisos adicionais."
+ },
+ "vs/workbench/api/common/extHostProgress": {
+ "extensionSource": "{0} (Extensão)"
+ },
+ "vs/workbench/api/common/extHostStatusBar": {
+ "status.extensionMessage": "Status da Extensão"
+ },
+ "vs/workbench/api/common/extHostTreeViews": {
+ "treeView.notRegistered": "Não há exibição de árvore com a id '{0}' registrada.",
+ "treeView.duplicateElement": "O elemento com ID {0} já foi registrado"
+ },
+ "vs/workbench/browser/parts/editor/textEditor": {
+ "editor": "Editor"
+ },
+ "vs/workbench/api/browser/mainThreadCustomEditors": {
+ "defaultEditLabel": "Editar"
+ },
+ "vs/workbench/api/browser/mainThreadWebviews": {
+ "errorMessage": "Ocorreu um erro ao carregar o modo de exibição: {0}"
+ },
+ "vs/workbench/browser/parts/editor/tabsTitleControl": {
+ "ariaLabelTabActions": "Ações de aba"
+ },
+ "vs/workbench/browser/parts/editor/textDiffEditor": {
+ "textDiffEditor": "Editor de Comparação de Texto"
+ },
+ "vs/workbench/browser/parts/editor/binaryDiffEditor": {
+ "metadataDiff": "{0} ↔ {1}"
+ },
+ "vs/workbench/browser/parts/editor/editorStatus": {
+ "singleSelectionRange": "Ln {0}, Col {1} ({2} selecionado)",
+ "singleSelection": "Ln {0}, Col {1}",
+ "multiSelectionRange": "{0} seleções ({1} caracteres selecionados)",
+ "multiSelection": "{0} seleções",
+ "endOfLineLineFeed": "LF",
+ "endOfLineCarriageReturnLineFeed": "CRLF",
+ "screenReaderDetectedExplanation.question": "Você está usando um leitor de tela para operar o VS Code? (Determinados recursos, como quebra automática de linha, são desabilitados quando se usa um leitor de tela)",
+ "screenReaderDetectedExplanation.answerYes": "Sim",
+ "screenReaderDetectedExplanation.answerNo": "Não",
+ "noEditor": "Nenhum editor de texto ativo neste momento",
+ "noWritableCodeEditor": "O editor de código ativo é somente leitura.",
+ "indentConvert": "converter arquivo",
+ "indentView": "alterar exibição",
+ "pickAction": "Selecionar Ação",
+ "tabFocusModeEnabled": "Guia Move o Foco",
+ "disableTabMode": "Desabilitar Modo de Acessibilidade",
+ "status.editor.tabFocusMode": "Modo de Acessibilidade",
+ "columnSelectionModeEnabled": "Seleção de Coluna",
+ "disableColumnSelectionMode": "Desabilitar Modo de Seleção de Coluna",
+ "status.editor.columnSelectionMode": "Modo de Seleção de Coluna",
+ "screenReaderDetected": "Leitor de Tela Otimizado",
+ "status.editor.screenReaderMode": "Modo de Leitor de Tela",
+ "gotoLine": "Acessar a Linha/Coluna",
+ "status.editor.selection": "Seleção de Editor",
+ "selectIndentation": "Selecionar Recuo",
+ "status.editor.indentation": "Recuo do Editor",
+ "selectEncoding": "Selecionar Codificação",
+ "status.editor.encoding": "Codificação do Editor",
+ "selectEOL": "Selecionar Sequência de Fim de Linha",
+ "status.editor.eol": "Fim da Linha do Editor",
+ "selectLanguageMode": "Selecionar Modo de Idioma",
+ "status.editor.mode": "Idioma do Editor",
+ "fileInfo": "Informações do Arquivo",
+ "status.editor.info": "Informações do Arquivo",
+ "spacesSize": "Espaços: {0}",
+ "tabSize": "Tamanho da Tecla Tab: {0}",
+ "currentProblem": "Problema Atual",
+ "showLanguageExtensions": "Pesquisar Extensões do Marketplace para '{0}'...",
+ "changeMode": "Alterar Modo de Idioma",
+ "languageDescription": "({0}) – Idioma Configurado",
+ "languageDescriptionConfigured": "({0})",
+ "languagesPicks": "linguagens (identificador)",
+ "configureModeSettings": "Definir configurações baseadas em linguagem '{0}'...",
+ "configureAssociationsExt": "Configurar Associação de Arquivo para '{0}'...",
+ "autoDetect": "Detecção Automática",
+ "pickLanguage": "Selecionar Modo de Idioma",
+ "currentAssociation": "Associação Atual",
+ "pickLanguageToConfigure": "Selecione Modo de Idioma para Associar a '{0}'",
+ "changeEndOfLine": "Definir a Sequência de Fim de Linha",
+ "pickEndOfLine": "Selecionar Sequência de Fim de Linha",
+ "changeEncoding": "Alterar Codificação de Arquivo",
+ "noFileEditor": "Nenhum arquivo ativo neste momento",
+ "saveWithEncoding": "Salvar com Codificação",
+ "reopenWithEncoding": "Reabrir com Codificação",
+ "guessedEncoding": "Adivinhado do conteúdo",
+ "pickEncodingForReopen": "Selecionar Codificação de Arquivo para Reabrir o Arquivo",
+ "pickEncodingForSave": "Selecionar Codificação de Arquivo com a qual Salvar"
+ },
+ "vs/workbench/browser/parts/editor/editorActions": {
+ "splitEditor": "Dividir Editor",
+ "splitEditorOrthogonal": "Dividir Editor Ortogonalmente",
+ "splitEditorGroupLeft": "Dividir Editor à Esquerda",
+ "splitEditorGroupRight": "Dividir o Editor à Direita",
+ "splitEditorGroupUp": "Dividir Editor para Cima",
+ "splitEditorGroupDown": "Dividir o Editor na Parte Inferior",
+ "joinTwoGroups": "Unir Grupo de Editor com o Próximo Grupo",
+ "joinAllGroups": "Unir Todos os Grupos do Editor",
+ "navigateEditorGroups": "Navegar entre Grupos de Editor",
+ "focusActiveEditorGroup": "Focar no Grupo de Editor Ativo",
+ "focusFirstEditorGroup": "Focar no Primeiro Grupo de Editor",
+ "focusLastEditorGroup": "Focar no Último Grupo de Editor",
+ "focusNextGroup": "Focar no Próximo Grupo de Editor",
+ "focusPreviousGroup": "Focar no Grupo de Editor Anterior",
+ "focusLeftGroup": "Focar à Esquerda do Grupo de Editor",
+ "focusRightGroup": "Focar no Grupo de Editor à Direita",
+ "focusAboveGroup": "Focar Acima do Grupo de Editor",
+ "focusBelowGroup": "Focar Abaixo do Grupo de Editor",
+ "closeEditor": "Fechar o Editor",
+ "unpinEditor": "Desafixar Editor",
+ "closeOneEditor": "Fechar",
+ "revertAndCloseActiveEditor": "Reverter e Fechar Editor",
+ "closeEditorsToTheLeft": "Fechar Editores à Esquerda no Grupo",
+ "closeAllEditors": "Fechar Todos os Editores",
+ "closeAllGroups": "Fechar Todos os Grupos de Editor",
+ "closeEditorsInOtherGroups": "Fechar Editores em Outros Grupos",
+ "closeEditorInAllGroups": "Fechar Editor em Todos os Grupos",
+ "moveActiveGroupLeft": "Mover Grupo de Editor para a Esquerda",
+ "moveActiveGroupRight": "Mover Grupo de Editor para a Direita",
+ "moveActiveGroupUp": "Mover Grupo de Editor para Cima",
+ "moveActiveGroupDown": "Mover Grupo de Editor para Baixo",
+ "minimizeOtherEditorGroups": "Maximizar Grupo de Editor",
+ "evenEditorGroups": "Redefinir Tamanhos de Grupo de Editor",
+ "toggleEditorWidths": "Ativar/Desativar Tamanhos de Grupo de Editor",
+ "maximizeEditor": "Maximizar Grupo de Editor e Ocultar Barra Lateral",
+ "openNextEditor": "Abrir Próximo Editor",
+ "openPreviousEditor": "Abrir Editor Anterior",
+ "nextEditorInGroup": "Abrir Próximo Editor no Grupo",
+ "openPreviousEditorInGroup": "Abrir Editor Anterior no Grupo",
+ "firstEditorInGroup": "Abrir o Primeiro Editor no Grupo",
+ "lastEditorInGroup": "Abrir Último Editor no Grupo",
+ "navigateNext": "Ir para Frente",
+ "navigatePrevious": "Voltar",
+ "navigateToLastEditLocation": "Ir para a Localização da Última Edição",
+ "navigateLast": "Ir para Último",
+ "reopenClosedEditor": "Reabrir Editor Fechado",
+ "clearRecentFiles": "Limpar Abertos Recentemente",
+ "showEditorsInActiveGroup": "Mostrar Editores no Grupo Ativo pelos Mais Usados Recentemente",
+ "showAllEditors": "Mostrar Todos os Editores por Aparência",
+ "showAllEditorsByMostRecentlyUsed": "Mostrar Todos os Editores pelos Mais Usados Recentemente",
+ "quickOpenPreviousRecentlyUsedEditor": "Abrir Rapidamente o Editor Usando Anteriormente",
+ "quickOpenLeastRecentlyUsedEditor": "Abrir Rapidamente o Editor Menos Utilizado Recentemente",
+ "quickOpenPreviousRecentlyUsedEditorInGroup": "Abrir Rapidamente o Editor Usado Anteriormente no Grupo",
+ "quickOpenLeastRecentlyUsedEditorInGroup": "Abrir Rapidamente o Editor menos Utilizado Recentemente no Grupo",
+ "navigateEditorHistoryByInput": "Abrir Rapidamente o Editor Anterior do Histórico",
+ "openNextRecentlyUsedEditor": "Abrir o Próximo Editor Usado Recentemente",
+ "openPreviousRecentlyUsedEditor": "Abrir Editor Anterior Usado Recentemente",
+ "openNextRecentlyUsedEditorInGroup": "Abrir Próximo Editor Usado Recentemente no Grupo",
+ "openPreviousRecentlyUsedEditorInGroup": "Abrir Editor Anterior Usado Recentemente no Grupo",
+ "clearEditorHistory": "Limpar Histórico do Editor",
+ "moveEditorLeft": "Mover Editor para a Esquerda",
+ "moveEditorRight": "Mover Editor para a Direita",
+ "moveEditorToPreviousGroup": "Mover Editor para o Grupo Anterior",
+ "moveEditorToNextGroup": "Mover Editor para o Próximo Grupo",
+ "moveEditorToAboveGroup": "Mover Editor para o Grupo Acima",
+ "moveEditorToBelowGroup": "Mover Editor para o Grupo Abaixo",
+ "moveEditorToLeftGroup": "Mover Editor para o Grupo à Esquerda",
+ "moveEditorToRightGroup": "Mover Editor para o Grupo à Direita",
+ "moveEditorToFirstGroup": "Mover Editor para o Primeiro Grupo",
+ "moveEditorToLastGroup": "Mover Editor para o Último Grupo",
+ "editorLayoutSingle": "Layout do Editor de Coluna Única",
+ "editorLayoutTwoColumns": "Layout do Editor de Duas Colunas",
+ "editorLayoutThreeColumns": "Layout do Editor de Três Colunas",
+ "editorLayoutTwoRows": "Layout do Editor de Duas Linhas",
+ "editorLayoutThreeRows": "Layout do Editor de Três Linhas",
+ "editorLayoutTwoByTwoGrid": "Layout do Editor de Grade (2x2)",
+ "editorLayoutTwoColumnsBottom": "Layout do Editor de Duas Colunas Abaixo",
+ "editorLayoutTwoRowsRight": "Layout do Editor de Duas Linhas à Direita",
+ "newEditorLeft": "Novo Grupo de Editor à Esquerda",
+ "newEditorRight": "Novo Grupo de Editor à Direita",
+ "newEditorAbove": "Novo Grupo de Editor Acima",
+ "newEditorBelow": "Novo Grupo de Editor Abaixo",
+ "workbench.action.reopenWithEditor": "Reabrir o Editor com...",
+ "workbench.action.toggleEditorType": "Ativar/Desativar Tipo de Editor"
+ },
+ "vs/workbench/browser/parts/editor/editorQuickAccess": {
+ "noViewResults": "Nenhum editor correspondente",
+ "entryAriaLabelWithGroupDirty": "{0}, sujo, {1}",
+ "entryAriaLabelWithGroup": "{0}, {1}",
+ "entryAriaLabelDirty": "{0}, sujo",
+ "closeEditor": "Fechar o Editor"
+ },
+ "vs/workbench/browser/parts/editor/binaryEditor": {
+ "binaryEditor": "Visualizador Binário",
+ "nativeFileTooLargeError": "O arquivo não é exibido no editor porque é muito grande ({0}).",
+ "nativeBinaryError": "O arquivo não é exibido no editor porque é um binário ou usa uma codificação de texto sem suporte.",
+ "openAsText": "Deseja abrir assim mesmo?"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsViewer": {
+ "executeCommand": "Clique para executar o comando '{0}'",
+ "notificationActions": "Ações de Notificação",
+ "notificationSource": "Origem: {0}"
+ },
+ "vs/workbench/browser/parts/editor/titleControl": {
+ "ariaLabelEditorActions": "Ações de editor",
+ "draggedEditorGroup": "{0} (+{1})"
+ },
+ "vs/workbench/browser/parts/editor/breadcrumbsControl": {
+ "cmd.toggle": "Ativar/Desativar Trilhas",
+ "miShowBreadcrumbs": "Mostrar &&Trilhas",
+ "cmd.focus": "Focar nas Trilhas"
+ },
+ "vs/workbench/browser/parts/editor/breadcrumbs": {
+ "title": "Navegação Estrutural",
+ "enabled": "Habilitar/desabilitar trilhas de navegação.",
+ "filepath": "Controla se e como os caminhos de arquivo são mostrados no modo de exibição de trilhas.",
+ "filepath.on": "Mostrar o caminho do arquivo no modo de exibição de trilhas.",
+ "filepath.off": "Não mostrar o caminho do arquivo no modo de exibição estrutural.",
+ "filepath.last": "Somente mostrar o último elemento do caminho do arquivo no modo de exibição de trilhas.",
+ "symbolpath": "Controla se e como os símbolos são mostrados no modo de exibição de trilhas.",
+ "symbolpath.on": "Mostrar todos os símbolos na exibição trilhas.",
+ "symbolpath.off": "Não mostrar símbolos no modo de exibição estrutural.",
+ "symbolpath.last": "Somente mostrar o símbolo atual no modo de exibição de trilhas.",
+ "symbolSortOrder": "Controla como os símbolos são classificados no modo de exibição da estrutura do código de trilha.",
+ "symbolSortOrder.position": "Mostrar estrutura de tópicos do símbolo na ordem de posição do arquivo.",
+ "symbolSortOrder.name": "Mostrar estrutura de tópicos do símbolo em ordem alfabética.",
+ "symbolSortOrder.type": "Mostrar estrutura de tópicos do símbolo em ordem de tipo de símbolo.",
+ "icons": "Renderizar itens de trilha com ícones.",
+ "filteredTypes.file": "Quando as trilhas habilitadas mostram símbolos `file`.",
+ "filteredTypes.module": "Quando as trilhas habilitadas mostram símbolos `module`.",
+ "filteredTypes.namespace": "Quando as trilhas habilitadas mostram símbolos `namespace`.",
+ "filteredTypes.package": "Quando as trilhas habilitadas mostram símbolos `package`.",
+ "filteredTypes.class": "Quando as trilhas habilitadas mostram símbolos `class`.",
+ "filteredTypes.method": "Quando as trilhas habilitadas mostram símbolos `method`.",
+ "filteredTypes.property": "Quando as trilhas habilitadas mostram símbolos `property`.",
+ "filteredTypes.field": "Quando as trilhas habilitadas mostram símbolos `field`.",
+ "filteredTypes.constructor": "Quando as trilhas habilitadas mostram símbolos `constructor`.",
+ "filteredTypes.enum": "Quando as trilhas habilitadas mostram símbolos `enum`.",
+ "filteredTypes.interface": "Quando as trilhas habilitadas mostram símbolos `interface`.",
+ "filteredTypes.function": "Quando as trilhas habilitadas mostram símbolos `function`.",
+ "filteredTypes.variable": "Quando as trilhas habilitadas mostram símbolos `variable`.",
+ "filteredTypes.constant": "Quando as trilhas habilitadas mostram símbolos `constant`.",
+ "filteredTypes.string": "Quando as trilhas habilitadas mostram símbolos `string`.",
+ "filteredTypes.number": "Quando as trilhas habilitadas mostram símbolos `number`.",
+ "filteredTypes.boolean": "Quando as trilhas habilitadas mostram símbolos `boolean`.",
+ "filteredTypes.array": "Quando as trilhas habilitadas mostram símbolos `array`.",
+ "filteredTypes.object": "Quando as trilhas habilitadas mostram símbolos `object`.",
+ "filteredTypes.key": "Quando as trilhas habilitadas mostram símbolos `key`.",
+ "filteredTypes.null": "Quando as trilhas habilitadas mostram símbolos `null`.",
+ "filteredTypes.enumMember": "Quando as trilhas habilitadas mostram símbolos `enumMember`.",
+ "filteredTypes.struct": "Quando as trilhas habilitadas mostram símbolos `struct`.",
+ "filteredTypes.event": "Quando as trilhas habilitadas mostram símbolos `event`.",
+ "filteredTypes.operator": "Quando as trilhas habilitadas mostram símbolos `operator`.",
+ "filteredTypes.typeParameter": "Quando as trilhas habilitadas mostram símbolos `typeParameter`."
+ },
+ "vs/workbench/browser/parts/editor/breadcrumbsPicker": {
+ "breadcrumbs": "Trilhas"
+ },
+ "vs/workbench/contrib/backup/electron-sandbox/backupTracker": {
+ "backupTrackerBackupFailed": "Não foi possível salvar um ou mais editores sujos na localização de backup.",
+ "backupTrackerConfirmFailed": "Um ou mais editores sujos não puderam ser salvos ou revertidos.",
+ "ok": "OK",
+ "backupErrorDetails": "Tente salvar ou reverter os editores sujos primeiro e, em seguida, tente novamente."
+ },
+ "vs/workbench/contrib/bulkEdit/browser/bulkEditService": {
+ "summary.0": "Não foram feitas edições",
+ "summary.nm": "Feitas {0} edições de texto em {1} arquivos",
+ "summary.n0": "Feitas {0} edições de texto em um arquivo",
+ "workspaceEdit": "Edição do Workspace",
+ "nothing": "Não foram feitas edições"
+ },
+ "vs/workbench/contrib/bulkEdit/browser/preview/bulkEdit.contribution": {
+ "overlap": "Outra refatoração está sendo visualizada.",
+ "cancel": "Cancelar",
+ "continue": "Continuar",
+ "detail": "Pressione 'Continuar' para descartar a refatoração anterior e continuar com a refatoração atual.",
+ "apply": "Aplicar Refatoração",
+ "cat": "Visualização da Refatoração",
+ "Discard": "Descartar Refatoração",
+ "toogleSelection": "Ativar/Desativar Alteração",
+ "groupByFile": "Agrupar Alterações por Arquivo",
+ "groupByType": "Agrupar Alterações por Tipo",
+ "refactorPreviewViewIcon": "Ícone de exibição da exibição de visualização de refatoração.",
+ "panel": "Visualização da Refatoração"
+ },
+ "vs/workbench/contrib/bulkEdit/browser/preview/bulkEditPane": {
+ "empty.msg": "Invoque uma ação de código, como renomear, para ver uma visualização das alterações aqui.",
+ "conflict.1": "Não é possível aplicar a refatoração porque '{0}' foi alterado nesse meio tempo.",
+ "conflict.N": "Não é possível aplicar a refatoração porque {0} outros arquivos foram alterados nesse meio tempo.",
+ "edt.title.del": "{0} (excluir, visualização da refatoração)",
+ "rename": "renomear",
+ "create": "criar",
+ "edt.title.2": "{0} ({1}, visualização da refatoração)",
+ "edt.title.1": "{0} (visualização da refatoração)"
+ },
+ "vs/workbench/contrib/bulkEdit/browser/preview/bulkEditPreview": {
+ "default": "Outro"
+ },
+ "vs/workbench/contrib/bulkEdit/browser/preview/bulkEditTree": {
+ "bulkEdit": "Edição em Massa",
+ "aria.renameAndEdit": "Renomeando {0} como {1}, também fazendo edições de texto",
+ "aria.createAndEdit": "Criando {0}, também fazendo edições de texto",
+ "aria.deleteAndEdit": "Excluindo {0}, também fazendo edições de texto",
+ "aria.editOnly": "{0}, fazendo edições de texto",
+ "aria.rename": "Renomeando {0} como {1}",
+ "aria.create": "Criando {0}",
+ "aria.delete": "Excluindo {0}",
+ "aria.replace": "linha {0}, substituindo {1} por {2}",
+ "aria.del": "linha {0}, removendo {1}",
+ "aria.insert": "linha {0}, inserindo {1}",
+ "rename.label": "{0} → {1}",
+ "detail.rename": "(renomeando)",
+ "detail.create": "(criando)",
+ "detail.del": "(excluindo)",
+ "title": "{0} – {1}"
+ },
+ "vs/workbench/contrib/callHierarchy/browser/callHierarchy.contribution": {
+ "no.item": "Nenhum resultado",
+ "error": "Falha ao mostrar a hierarquia de chamadas",
+ "title": "Espiar Hierarquia de Chamadas",
+ "title.incoming": "Mostrar Chamadas Recebidas",
+ "showIncomingCallsIcons": "Ícone de chamadas de entrada na exibição de hierarquia de chamadas.",
+ "title.outgoing": "Mostrar Chamadas de Saída",
+ "showOutgoingCallsIcon": "Ícone para chamadas de saída na exibição de hierarquia de chamadas.",
+ "title.refocus": "Refocar Hierarquia de Chamadas",
+ "close": "Fechar"
+ },
+ "vs/workbench/contrib/callHierarchy/browser/callHierarchyPeek": {
+ "callFrom": "Chamadas de '{0}'",
+ "callsTo": "Chamadores de '{0}'",
+ "title.loading": "Carregando...",
+ "empt.callsFrom": "Nenhuma chamada de '{0}'",
+ "empt.callsTo": "Nenhum chamador de '{0}'"
+ },
+ "vs/workbench/contrib/callHierarchy/browser/callHierarchyTree": {
+ "tree.aria": "Hierarquia de Chamada",
+ "from": "chamadas de {0}",
+ "to": "chamadores de {0}"
+ },
+ "vs/workbench/contrib/cli/node/cli.contribution": {
+ "shellCommand": "Comando do Shell",
+ "install": "Instalar o comando '{0}' no CAMINHO",
+ "not available": "Este comando não está disponível",
+ "ok": "OK",
+ "cancel2": "Cancelar",
+ "warnEscalation": "O código agora será solicitado com 'osascript' para privilégios de Administrador para instalar o comando do shell.",
+ "cantCreateBinFolder": "Não é possível criar '/usr/local/bin'.",
+ "aborted": "Anulado",
+ "successIn": "O comando do shell '{0}' foi instalado com êxito no CAMINHO.",
+ "uninstall": "Desinstalar o comando '{0}' do CAMINHO",
+ "warnEscalationUninstall": "O código agora será solicitado com 'osascript' para privilégios de Administrador para desinstalar o comando do shell.",
+ "cantUninstall": "Não é possível desinstalar o comando do shell '{0}'.",
+ "successFrom": "O comando do shell '{0}' foi desinstalado com êxito do CAMINHO."
+ },
+ "vs/workbench/contrib/codeActions/common/codeActionsContribution": {
+ "codeActionsOnSave.fixAll": "Controla se a ação de correção automática deve ser executada ao salvar arquivos.",
+ "codeActionsOnSave": "Os tipos de ação de código a serem executados ao salvar.",
+ "codeActionsOnSave.generic": "Controla se as ações '{0}' devem ser executadas no salvamento de arquivo."
+ },
+ "vs/workbench/contrib/codeActions/common/codeActionsExtensionPoint": {
+ "contributes.codeActions": "Configure qual editor usar para um recurso.",
+ "contributes.codeActions.languages": "Modos de linguagem para os quais as ações de código estão habilitadas.",
+ "contributes.codeActions.kind": "`CodeActionKind` da ação de código contribuída.",
+ "contributes.codeActions.title": "Rótulo para a ação de código usada na interface do usuário.",
+ "contributes.codeActions.description": "Descrição do que a ação do código faz."
+ },
+ "vs/workbench/contrib/codeActions/common/documentationExtensionPoint": {
+ "contributes.documentation": "Documentação contribuída.",
+ "contributes.documentation.refactorings": "Documentação contribuída para refatorações.",
+ "contributes.documentation.refactoring": "Documentação contribuída para refatoração.",
+ "contributes.documentation.refactoring.title": "Rótulo para a documentação usada na interface do usuário.",
+ "contributes.documentation.refactoring.when": "Cláusula When.",
+ "contributes.documentation.refactoring.command": "Comando executado."
+ },
+ "vs/workbench/contrib/codeEditor/electron-browser/startDebugTextMate": {
+ "startDebugTextMate": "Iniciar Registro em Log da Gramática de Sintaxe do TextMate"
+ },
+ "vs/workbench/contrib/codeEditor/electron-sandbox/selectionClipboard": {
+ "actions.pasteSelectionClipboard": "Colar Área de Transferência de Seleção"
+ },
+ "vs/workbench/contrib/codeEditor/browser/languageConfigurationExtensionPoint": {
+ "parseErrors": "Erros ao analisar {0}: {1}",
+ "formatError": "{0}: Formato inválido, objeto JSON esperado.",
+ "schema.openBracket": "A cadeia de caracteres de colchetes de abertura ou sequência de cadeia de caracteres.",
+ "schema.closeBracket": "A sequência de caracteres de colchete de fechamento ou a sequência de caracteres.",
+ "schema.comments": "Define os símbolos de comentário",
+ "schema.blockComments": "Define como os comentários em bloco são marcados.",
+ "schema.blockComment.begin": "A sequência de caracteres que inicia um comentário de bloco.",
+ "schema.blockComment.end": "A sequência de caracteres que encerra um comentário de bloco.",
+ "schema.lineComment": "A sequência de caracteres que inicia um comentário de linha.",
+ "schema.brackets": "Define os símbolos de colchetes que aumentam ou diminuem o recuo.",
+ "schema.autoClosingPairs": "Define os pares de colchetes. Quando um colchete de abertura é inserido, o colchete de fechamento é inserido automaticamente.",
+ "schema.autoClosingPairs.notIn": "Define uma lista de escopos em que os pares automáticos estão desabilitados.",
+ "schema.autoCloseBefore": "Define quais caracteres precisam estar depois do cursor para que o fechamento automático de colchetes ou aspas aconteça ao usar a configuração de fechamento automático 'languageDefined'. Geralmente é o conjunto de caracteres que não pode iniciar uma expressão.",
+ "schema.surroundingPairs": "Define os pares de colchetes que podem ser usados para circundar uma cadeia de caracteres selecionada.",
+ "schema.wordPattern": "Define o que é considerado uma palavra na linguagem de programação.",
+ "schema.wordPattern.pattern": "O padrão RegExp usado para corresponder palavras.",
+ "schema.wordPattern.flags": "Os sinalizadores RegExp usados para corresponder palavras.",
+ "schema.wordPattern.flags.errorMessage": "Precisa corresponder ao padrão `/^([gimuy]+)$/`.",
+ "schema.indentationRules": "As configurações de recuo do idioma.",
+ "schema.indentationRules.increaseIndentPattern": "Se uma linha corresponder a esse padrão, todas as linhas depois dela serão recuadas uma vez (até que outra regra corresponda).",
+ "schema.indentationRules.increaseIndentPattern.pattern": "O padrão RegExp para increaseIndentPattern.",
+ "schema.indentationRules.increaseIndentPattern.flags": "Os sinalizadores RegExp para increaseIndentPattern.",
+ "schema.indentationRules.increaseIndentPattern.errorMessage": "Precisa corresponder ao padrão `/^([gimuy]+)$/`.",
+ "schema.indentationRules.decreaseIndentPattern": "Se uma linha corresponder a esse padrão, todas as linhas depois dela não deverão ser recuadas uma vez (até que outra regra corresponda).",
+ "schema.indentationRules.decreaseIndentPattern.pattern": "O padrão RegExp para decreaseIndentPattern.",
+ "schema.indentationRules.decreaseIndentPattern.flags": "Os sinalizadores RegExp para decreaseIndentPattern.",
+ "schema.indentationRules.decreaseIndentPattern.errorMessage": "Precisa corresponder ao padrão `/^([gimuy]+)$/`.",
+ "schema.indentationRules.indentNextLinePattern": "Se uma linha corresponder a esse padrão, **somente a próxima linha** depois dela deverá ser recuada uma vez.",
+ "schema.indentationRules.indentNextLinePattern.pattern": "O padrão RegExp para indentNextLinePattern.",
+ "schema.indentationRules.indentNextLinePattern.flags": "Os sinalizadores RegExp para indentNextLinePattern.",
+ "schema.indentationRules.indentNextLinePattern.errorMessage": "Precisa corresponder ao padrão `/^([gimuy]+)$/`.",
+ "schema.indentationRules.unIndentedLinePattern": "Se uma linha corresponder a esse padrão, o recuo não deverá ser alterado e ele não deverá ser avaliado em relação a outras regras.",
+ "schema.indentationRules.unIndentedLinePattern.pattern": "O padrão RegExp para unIndentedLinePattern.",
+ "schema.indentationRules.unIndentedLinePattern.flags": "Os sinalizadores RegExp para unIndentedLinePattern.",
+ "schema.indentationRules.unIndentedLinePattern.errorMessage": "Precisa corresponder ao padrão `/^([gimuy]+)$/`.",
+ "schema.folding": "As configurações de dobragem do idioma.",
+ "schema.folding.offSide": "Uma linguagem estará em conformidade com a regra externa se os blocos nessa linguagem forem expressos pelos recuos deles. Se definidas, as linhas vazias pertencerão ao bloco subsequente.",
+ "schema.folding.markers": "Marcadores de dobragem específicos da linguagem, como '#region' e '#endregion'. Os regexes de início e término serão testados com relação ao conteúdo de todas as linhas e precisam ser projetados com eficiência",
+ "schema.folding.markers.start": "O padrão RegExp para o marcador de início. O regexp precisa começar com '^'.",
+ "schema.folding.markers.end": "O padrão RegExp para o marcador de fim. O regexp precisa começar com '^'."
+ },
+ "vs/workbench/contrib/codeEditor/browser/quickaccess/gotoSymbolQuickAccess": {
+ "empty": "Nenhuma entrada correspondente",
+ "gotoSymbolQuickAccessPlaceholder": "Digite o nome de um símbolo que deseja acessar.",
+ "gotoSymbolQuickAccess": "Ir para o Símbolo no Editor",
+ "gotoSymbolByCategoryQuickAccess": "Ir para o Símbolo no Editor por Categoria",
+ "gotoSymbol": "Ir para Símbolo no Editor..."
+ },
+ "vs/workbench/contrib/codeEditor/browser/accessibility/accessibility": {
+ "emergencyConfOn": "Alterando agora a configuração `editor.accessibilitySupport` para 'on'.",
+ "openingDocs": "Abrindo a página de documentação de acessibilidade do VS Code.",
+ "introMsg": "Agradecemos por experimentar as opções de acessibilidade do VS Code.",
+ "status": "Status:",
+ "changeConfigToOnMac": "Para configurar o editor para ser permanentemente otimizado para uso com um Leitor de Tela, pressione Command + E.",
+ "changeConfigToOnWinLinux": "Para configurar o editor para ser permanentemente otimizado para uso com um Leitor de Tela, pressione Control + E.",
+ "auto_unknown": "O editor está configurado para usar as APIs de plataforma para detectar quando um Leitor de Tela está anexado, mas o runtime atual não dá suporte a isso.",
+ "auto_on": "O editor detectou automaticamente um Leitor de Tela anexado.",
+ "auto_off": "O editor está configurado para detectar automaticamente quando um Leitor de Tela é anexado, o que não é o caso neste momento.",
+ "configuredOn": "O editor está configurado para ser permanentemente otimizado para uso com um Leitor de Tela. Você pode alterar isso editando a configuração `editor.accessibilitySupport`.",
+ "configuredOff": "O editor está configurado para nunca ser otimizado para uso com um Leitor de Tela.",
+ "tabFocusModeOnMsg": "Pressionar Tab no editor atual moverá o foco para o próximo elemento focalizável. Ative/Desative esse comportamento pressionando {0}.",
+ "tabFocusModeOnMsgNoKb": "Pressionar Tab no editor atual moverá o foco para o próximo elemento focalizável. No momento, o comando {0} não pode ser disparado por uma associação de teclas.",
+ "tabFocusModeOffMsg": "Pressionar Tab no editor atual inserirá o caractere de tabulação. Ative/Desative esse comportamento pressionando {0}.",
+ "tabFocusModeOffMsgNoKb": "Pressionar Tab no editor atual inserirá o caractere de tabulação. No momento, o comando {0} não pode ser disparado por uma associação de teclas.",
+ "openDocMac": "Pressione Command + H agora para abrir uma janela do navegador com mais informações do VS Code relacionadas à Acessibilidade.",
+ "openDocWinLinux": "Pressione Control + H agora para abrir uma janela do navegador com mais informações do VS Code relacionadas à Acessibilidade.",
+ "outroMsg": "Você pode ignorar esta dica de ferramenta e retornar ao editor pressionando Escape ou Shift + Escape.",
+ "ShowAccessibilityHelpAction": "Mostrar Ajuda de Acessibilidade"
+ },
+ "vs/workbench/contrib/codeEditor/browser/diffEditorHelper": {
+ "hintTimeout": "O algoritmo de comparação foi interrompido antes (depois de {0} ms)",
+ "removeTimeout": "Remover limite",
+ "hintWhitespace": "Mostrar Diferenças de Espaço em Branco"
+ },
+ "vs/workbench/contrib/codeEditor/browser/inspectKeybindings": {
+ "workbench.action.inspectKeyMap": "Desenvolvedor: Inspecionar Mapeamentos de Chave",
+ "workbench.action.inspectKeyMapJSON": "Inspecionar Mapeamentos de Chave (JSON)"
+ },
+ "vs/workbench/contrib/codeEditor/browser/largeFileOptimizations": {
+ "largeFile": "{0}: a geração de tokens, a quebra de linha e a dobragem foram desativadas para este arquivo grande para reduzir o uso de memória e evitar congelamento ou falha.",
+ "removeOptimizations": "Habilitar recursos de maneira forçada",
+ "reopenFilePrompt": "Reabra o arquivo para que essa configuração entre em vigor."
+ },
+ "vs/workbench/contrib/codeEditor/browser/inspectEditorTokens/inspectEditorTokens": {
+ "inspectEditorTokens": "Desenvolvedor: Inspecionar Tokens e Escopos do Editor",
+ "inspectTMScopesWidget.loading": "Carregando..."
+ },
+ "vs/workbench/contrib/codeEditor/browser/quickaccess/gotoLineQuickAccess": {
+ "gotoLineQuickAccessPlaceholder": "Digite o número de linha e a coluna opcional que deseja acessar (por exemplo, 42:5 para linha 42 e coluna 5).",
+ "gotoLineQuickAccess": "Acessar a Linha/Coluna",
+ "gotoLine": "Acessar a Linha/Coluna..."
+ },
+ "vs/workbench/contrib/codeEditor/browser/saveParticipants": {
+ "formatting": "Executando o formatador '{0}' ([configurar](command:workbench.action.openSettings?%5B%22editor.formatOnSave%22%5D)).",
+ "codeaction": "Correções Rápidas",
+ "codeaction.get": "Obtendo ações de código de '{0}' ([configurar](command:workbench.action.openSettings?%5B%22editor.codeActionsOnSave%22%5D)).",
+ "codeAction.apply": "Aplicando ação de código '{0}'."
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleColumnSelection": {
+ "toggleColumnSelection": "Ativar/Desativar Modo de Seleção de Coluna",
+ "miColumnSelection": "Modo de &&Seleção de Coluna"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleMinimap": {
+ "toggleMinimap": "Ativar/Desativar Minimapa",
+ "miShowMinimap": "Mostrar &&Minimapa"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleMultiCursorModifier": {
+ "toggleLocation": "Ativar/Desativar Modificador de Vários Cursores",
+ "miMultiCursorAlt": "Alternar para Alt + Clique para Múltiplos Cursores",
+ "miMultiCursorCmd": "Alternar para Cmd + Clique para Múltiplos Cursores",
+ "miMultiCursorCtrl": "Alternar para Ctrl + Clique para Múltiplos Cursores"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleRenderControlCharacter": {
+ "toggleRenderControlCharacters": "Ativar/Desativar Caracteres de Controle",
+ "miToggleRenderControlCharacters": "Renderizar Caracteres de &&Controle"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleRenderWhitespace": {
+ "toggleRenderWhitespace": "Ativar/Desativar Renderização de Espaço em Branco",
+ "miToggleRenderWhitespace": "&&Renderizar o Espaço em Branco"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleWordWrap": {
+ "toggle.wordwrap": "Exibir: Ativar/Desativar Quebra Automática de Linha",
+ "unwrapMinified": "Desabilitar quebra de linha para esse arquivo",
+ "wrapMinified": "Habilitar quebra de linha para este arquivo",
+ "miToggleWordWrap": "Ativar/Desativar &&Quebra Automática de Linha"
+ },
+ "vs/workbench/contrib/codeEditor/browser/find/simpleFindWidget": {
+ "label.find": "Localizar",
+ "placeholder.find": "Localizar",
+ "label.previousMatchButton": "Correspondência anterior",
+ "label.nextMatchButton": "Próxima correspondência",
+ "label.closeButton": "Fechar"
+ },
+ "vs/workbench/contrib/codeEditor/browser/find/simpleFindReplaceWidget": {
+ "label.find": "Localizar",
+ "placeholder.find": "Localizar",
+ "label.previousMatchButton": "Correspondência anterior",
+ "label.nextMatchButton": "Próxima correspondência",
+ "label.closeButton": "Fechar",
+ "label.toggleReplaceButton": "Ativar/Desativar o Modo de substituição",
+ "label.replace": "Substituir",
+ "placeholder.replace": "Substituir",
+ "label.replaceButton": "Substituir",
+ "label.replaceAllButton": "Substituir Tudo"
+ },
+ "vs/workbench/contrib/comments/browser/comments.contribution": {
+ "commentsConfigurationTitle": "Comentários",
+ "openComments": "Controla quando o painel de comentários deve ser aberto."
+ },
+ "vs/workbench/contrib/comments/browser/commentsEditorContribution": {
+ "pickCommentService": "Selecionar Provedor de Comentários",
+ "nextCommentThreadAction": "Ir para o Próximo Thread de Comentário"
+ },
+ "vs/workbench/contrib/comments/browser/commentsView": {
+ "collapseAll": "Recolher Tudo",
+ "rootCommentsLabel": "Comentários para o workspace atual",
+ "resourceWithCommentThreadsLabel": "Comentários em {0}, caminho completo {1}",
+ "resourceWithCommentLabel": "Comentário de ${0} na linha {1} coluna {2} em {3}, origem: {4}"
+ },
+ "vs/workbench/contrib/comments/browser/commentsTreeViewer": {
+ "imageWithLabel": "Imagem: {0}",
+ "image": "Imagem"
+ },
+ "vs/workbench/contrib/comments/browser/commentGlyphWidget": {
+ "editorGutterCommentRangeForeground": "Cor da decoração da medianiz do editor para intervalos de comentários."
+ },
+ "vs/workbench/contrib/comments/browser/commentThreadWidget": {
+ "collapseIcon": "Ícone para recolher um comentário de revisão.",
+ "label.collapse": "Recolher",
+ "startThread": "Iniciar Discussão",
+ "reply": "Responder...",
+ "newComment": "Digitar um novo comentário"
+ },
+ "vs/workbench/contrib/comments/common/commentModel": {
+ "noComments": "Ainda não há nenhum comentário neste workspace."
+ },
+ "vs/workbench/contrib/comments/browser/commentNode": {
+ "commentToggleReaction": "Ativar/Desativar Reação",
+ "commentToggleReactionError": "Ativando/desativando reação de comentário com falha: {0}.",
+ "commentToggleReactionDefaultError": "Ativando/desativando reação de comentário com falha",
+ "commentDeleteReactionError": "Falha ao excluir a reação ao comentário: {0}.",
+ "commentDeleteReactionDefaultError": "Falha ao excluir a reação ao comentário",
+ "commentAddReactionError": "Falha ao excluir a reação ao comentário: {0}.",
+ "commentAddReactionDefaultError": "Falha ao excluir a reação ao comentário"
+ },
+ "vs/workbench/contrib/comments/browser/reactionsAction": {
+ "pickReactions": "Escolher Reações..."
+ },
+ "vs/workbench/contrib/customEditor/browser/customEditors": {
+ "openWithCurrentlyActive": "Ativo no Momento",
+ "promptOpenWith.setDefaultTooltip": "Definir como editor padrão para arquivos '{0}'",
+ "promptOpenWith.placeHolder": "Selecionar editor a ser usado para '{0}'..."
+ },
+ "vs/workbench/contrib/customEditor/common/contributedCustomEditors": {
+ "builtinProviderDisplayName": "Interno",
+ "promptOpenWith.defaultEditor.displayName": "Editor de Texto"
+ },
+ "vs/workbench/contrib/customEditor/common/extensionPoint": {
+ "contributes.customEditors": "Editores personalizados contribuídos.",
+ "contributes.viewType": "Identificador para o editor personalizado. Ele precisa ser exclusivo em todos os editores personalizados, de modo que é recomendável incluir a ID da extensão como parte de `viewType`. O `viewType` é usado ao registrar editores personalizados com `vscode.registerCustomEditorProvider` e em `onCustomEditor:${id}` [evento de ativação](https://code.visualstudio.com/api/references/activation-events).",
+ "contributes.displayName": "Nome legível por humanos do editor personalizado. Ele é exibido aos usuários ao selecionar qual editor deve ser usado.",
+ "contributes.selector": "Conjunto de globs para o qual o editor personalizado está habilitado.",
+ "contributes.selector.filenamePattern": "Glob ao qual o editor personalizado está habilitado.",
+ "contributes.priority": "Controla se o editor personalizado é habilitado automaticamente quando o usuário abre um arquivo. Isso pode ser substituído pelos usuários usando a configuração `workbench.editorAssociations`.",
+ "contributes.priority.default": "O editor é usado automaticamente quando o usuário abre um recurso, desde que nenhum outro editor personalizado padrão esteja registrado para esse recurso.",
+ "contributes.priority.option": "O editor não é usado automaticamente quando o usuário abre um recurso, mas um usuário pode mudar para o editor usando o comando `Reopen With`."
+ },
+ "vs/workbench/contrib/debug/common/debug": {
+ "internalConsoleOptions": "Controla quando o console de depuração interno deve ser aberto."
+ },
+ "vs/workbench/contrib/debug/browser/debug.contribution": {
+ "debugCategory": "Depurar",
+ "runCategory": "Executar",
+ "startDebugPlaceholder": "Digite o nome de uma configuração de inicialização a ser executada.",
+ "startDebuggingHelp": "Iniciar a Depuração",
+ "terminateThread": "Terminar Thread",
+ "debugFocusConsole": "Focar no Modo de Exibição do Console de Depuração",
+ "jumpToCursor": "Ir para o Cursor",
+ "SetNextStatement": "Definir Próxima Instrução",
+ "inlineBreakpoint": "Ponto de Interrupção Embutido",
+ "stepBackDebug": "Retroceder",
+ "reverseContinue": "Inverter",
+ "restartFrame": "Reiniciar o Quadro",
+ "copyStackTrace": "Copiar Pilha de Chamadas",
+ "setValue": "Definir Valor",
+ "copyValue": "Copiar o Valor",
+ "copyAsExpression": "Copiar como Expressão",
+ "addToWatchExpressions": "Adicionar à Inspeção",
+ "breakWhenValueChanges": "Interromper Quando o Valor é Alterado",
+ "miViewRun": "&&Executar",
+ "miToggleDebugConsole": "Console de De&&puração",
+ "miStartDebugging": "&&Iniciar a Depuração",
+ "miRun": "Executar &&sem Depuração",
+ "miStopDebugging": "&&Interromper a Depuração",
+ "miRestart Debugging": "&&Reiniciar a Depuração",
+ "miOpenConfigurations": "Abrir &&Configurações",
+ "miAddConfiguration": "A&&dicionar Configuração…",
+ "miStepOver": "Contorn&&ar",
+ "miStepInto": "Int&&ervir",
+ "miStepOut": "Sai&&r",
+ "miContinue": "&&Continuar",
+ "miToggleBreakpoint": "Ativar/Desativar &&Ponto de Interrupção",
+ "miConditionalBreakpoint": "&&Ponto de Interrupção Condicional...",
+ "miInlineBreakpoint": "Ponto de I&&nterrupção Embutido",
+ "miFunctionBreakpoint": "&&Ponto de Interrupção de Função...",
+ "miLogPoint": "&&Logpoint...",
+ "miNewBreakpoint": "&&Novo Ponto de Interrupção",
+ "miEnableAllBreakpoints": "&&Habilitar Todos os Pontos de Interrupção",
+ "miDisableAllBreakpoints": "Desabilitar T&&odos os Pontos de Interrupção",
+ "miRemoveAllBreakpoints": "Remover &&Todos os Pontos de Interrupção",
+ "miInstallAdditionalDebuggers": "&&Instalar Depuradores Adicionais...",
+ "debugPanel": "Console de Depuração",
+ "run": "Executar",
+ "variables": "Variáveis",
+ "watch": "Inspeção",
+ "callStack": "Pilha de Chamadas",
+ "breakpoints": "Pontos de Parada",
+ "loadedScripts": "Scripts Carregados",
+ "debugConfigurationTitle": "Depurar",
+ "allowBreakpointsEverywhere": "Permitir a configuração de pontos de interrupção em qualquer arquivo.",
+ "openExplorerOnEnd": "Abrir automaticamente a exibição do explorador no final de uma sessão de depuração.",
+ "inlineValues": "Mostrar valores de variáveis embutidos no editor durante a depuração.",
+ "toolBarLocation": "Controla a localização da barra de ferramentas de depuração. `floating` em todos os modos de exibição, `docked` no modo de exibição de depuração ou `hidden`.",
+ "never": "Nunca mostrar a depuração na barra de status",
+ "always": "Sempre mostrar a depuração na barra de status",
+ "onFirstSessionStart": "Mostrar depuração na barra de status somente após o início da depuração pela primeira vez",
+ "showInStatusBar": "Controla quando a barra de status de depuração deve estar visível.",
+ "debug.console.closeOnEnd": "Controla se o console de depuração deve ser fechado automaticamente quando a sessão de depuração termina.",
+ "openDebug": "Controla quando o modo de exibição de depuração deve ser aberto.",
+ "showSubSessionsInToolBar": "Controla se as subsessões de depuração são mostradas na barra de ferramentas de depuração. Quando essa configuração é false, o comando de interrupção em uma subsessão também interromperá a sessão pai.",
+ "debug.console.fontSize": "Controla o tamanho da fonte em pixels no console de depuração.",
+ "debug.console.fontFamily": "Controla a família de fontes no console de depuração.",
+ "debug.console.lineHeight": "Controla a altura da linha em pixels no console de depuração. Use 0 para computar a altura da linha do tamanho da fonte.",
+ "debug.console.wordWrap": "Controla se as linhas devem ser quebradas no console de depuração.",
+ "debug.console.historySuggestions": "Controla se o console de depuração deve sugerir entradas digitadas anteriormente.",
+ "launch": "Configuração de inicialização de depuração global. Deve ser usada como uma alternativa para 'launch.json' compartilhado entre workspaces.",
+ "debug.focusWindowOnBreak": "Controla se a janela do workbench deve ser com foco quando o depurador é interrompido.",
+ "debugAnyway": "Ignorar erros de tarefa e iniciar a depuração.",
+ "showErrors": "Mostrar o modo de exibição Problemas e não iniciar a depuração.",
+ "prompt": "Solicitar ao usuário.",
+ "cancel": "Cancelar depuração.",
+ "debug.onTaskErrors": "Controla o que fazer quando forem encontrados erros após a execução de um preLaunchTask.",
+ "showBreakpointsInOverviewRuler": "Controla se os pontos de interrupção devem ser mostrados na régua de visão geral.",
+ "showInlineBreakpointCandidates": "Controla se as decorações candidatas de pontos de interrupção embutidas devem ser mostradas no editor durante a depuração."
+ },
+ "vs/workbench/contrib/debug/browser/debugEditorContribution": {
+ "addConfiguration": "Adicionar Configuração..."
+ },
+ "vs/workbench/contrib/debug/browser/breakpointEditorContribution": {
+ "logPoint": "Logpoint",
+ "breakpoint": "Ponto de interrupção",
+ "breakpointHasConditionDisabled": "Este {0} tem um {1} que será perdido na remoção. Considere habilitar {0}.",
+ "message": "mensagem",
+ "condition": "condição",
+ "breakpointHasConditionEnabled": "Este {0} tem um {1} que será perdido na remoção. Considere desabilitar {0}.",
+ "removeLogPoint": "Remover {0}",
+ "disableLogPoint": "{0} {1}",
+ "disable": "Desabilitar",
+ "enable": "Habilitar",
+ "cancel": "Cancelar",
+ "removeBreakpoint": "Remover {0}",
+ "editBreakpoint": "Editar {0}...",
+ "disableBreakpoint": "Desabilitar {0}",
+ "enableBreakpoint": "Habilitar {0}",
+ "removeBreakpoints": "Remover Pontos de Interrupção",
+ "removeInlineBreakpointOnColumn": "Remover Ponto de Interrupção Embutido na Coluna {0}",
+ "removeLineBreakpoint": "Remover Ponto de Interrupção de Linha",
+ "editBreakpoints": "Editar Pontos de Interrupção",
+ "editInlineBreakpointOnColumn": "Editar Ponto de Interrupção Embutido na Coluna {0}",
+ "editLineBrekapoint": "Editar Ponto de Interrupção de Linha",
+ "enableDisableBreakpoints": "Habilitar/Desabilitar Pontos de Interrupção",
+ "disableInlineColumnBreakpoint": "Desabilitar Ponto de Interrupção Embutido na Coluna {0}",
+ "disableBreakpointOnLine": "Desabilitar Ponto de Interrupção de Linha",
+ "enableBreakpoints": "Habilitar Ponto de Interrupção Embutido na Coluna {0}",
+ "enableBreakpointOnLine": "Habilitar Ponto de Interrupção de Linha",
+ "addBreakpoint": "Adicionar Ponto de Interrupção",
+ "addConditionalBreakpoint": "Adicionar Ponto de Interrupção Condicional...",
+ "addLogPoint": "Adicionar Logpoint...",
+ "debugIcon.breakpointForeground": "Cor do ícone para pontos de interrupção.",
+ "debugIcon.breakpointDisabledForeground": "Cor do ícone para pontos de interrupção desabilitados.",
+ "debugIcon.breakpointUnverifiedForeground": "Cor do ícone para pontos de interrupção não verificados.",
+ "debugIcon.breakpointCurrentStackframeForeground": "Cor do ícone do registro de ativação atual do ponto de interrupção.",
+ "debugIcon.breakpointStackframeForeground": "Cor do ícone para todos os quadros de pilha do ponto de interrupção."
+ },
+ "vs/workbench/contrib/debug/browser/callStackEditorContribution": {
+ "topStackFrameLineHighlight": "Cor da tela de fundo para o realce de linha na posição superior do registro de ativação.",
+ "focusedStackFrameLineHighlight": "Cor da tela de fundo para o realce de linha na posição do registro de ativação com foco."
+ },
+ "vs/workbench/contrib/debug/browser/repl": {
+ "workbench.debug.filter.placeholder": "Filtrar (por exemplo, text, !exclude)",
+ "debugConsole": "Console do Depurador",
+ "copy": "Copiar",
+ "copyAll": "Copiar Tudo",
+ "paste": "Colar",
+ "collapse": "Recolher Tudo",
+ "startDebugFirst": "Inicie uma sessão de depuração para avaliar as expressões",
+ "actions.repl.acceptInput": "Entrada de Aceitação de REPL",
+ "repl.action.filter": "Conteúdo de Foco do REPL para Filtrar",
+ "actions.repl.copyAll": "Depurar: Console Copiar Tudo",
+ "selectRepl": "Selecionar Console de Depuração",
+ "clearRepl": "Limpar Console",
+ "debugConsoleCleared": "O console de depuração foi limpo"
+ },
+ "vs/workbench/contrib/debug/browser/debugViewlet": {
+ "startAdditionalSession": "Iniciar Sessão Adicional",
+ "toggleDebugPanel": "Console de Depuração",
+ "toggleDebugViewlet": "Mostrar Execução e Depuração"
+ },
+ "vs/workbench/contrib/debug/common/abstractDebugAdapter": {
+ "timeout": "Tempo limite após {0} ms para '{1}'"
+ },
+ "vs/workbench/contrib/debug/browser/breakpointsView": {
+ "editCondition": "Editar a Condição",
+ "Logpoint": "Logpoint",
+ "Breakpoint": "Ponto de interrupção",
+ "editBreakpoint": "Editar {0}...",
+ "removeBreakpoint": "Remover {0}",
+ "expressionCondition": "Condição da expressão: {0}",
+ "functionBreakpointsNotSupported": "Os pontos de interrupção de função não são compatíveis com este tipo de depuração",
+ "dataBreakpointsNotSupported": "Os pontos de interrupção de dados não são compatíveis com este tipo de depuração",
+ "functionBreakpointPlaceholder": "Função a ser interrompida",
+ "functionBreakPointInputAriaLabel": "Digitar ponto de interrupção da função",
+ "exceptionBreakpointPlaceholder": "Interromper quando a expressão for avaliada como true",
+ "exceptionBreakpointAriaLabel": "Condição de ponto de interrupção de exceção de tipo",
+ "breakpoints": "Pontos de Interrupção",
+ "disabledLogpoint": "Logpoint Desabilitado",
+ "disabledBreakpoint": "Ponto de Interrupção Desabilitado",
+ "unverifiedLogpoint": "Logpoint Não Verificado",
+ "unverifiedBreakopint": "Ponto de Interrupção Não Verificado",
+ "functionBreakpointUnsupported": "Os pontos de interrupção de função não são compatíveis com este tipo de depuração",
+ "functionBreakpoint": "Ponto de Interrupção de Função",
+ "dataBreakpointUnsupported": "Pontos de interrupção de dados sem suporte por este tipo de depuração",
+ "dataBreakpoint": "Ponto de Interrupção de Dados",
+ "breakpointUnsupported": "O depurador não dá suporte a pontos de interrupção desse tipo",
+ "logMessage": "Mensagem de Log: {0}",
+ "expression": "Condição da expressão: {0}",
+ "hitCount": "Contagem de Ocorrências: {0}",
+ "breakpoint": "Ponto de interrupção"
+ },
+ "vs/workbench/contrib/debug/browser/callStackView": {
+ "running": "Em execução",
+ "showMoreStackFrames2": "Mostrar Mais Registros de Ativação",
+ "session": "Sessão",
+ "thread": "Thread",
+ "restartFrame": "Reiniciar o Quadro",
+ "loadAllStackFrames": "Carregar Todos os Registros de Ativação",
+ "showMoreAndOrigin": "Mostrar Mais {0}: {1}",
+ "showMoreStackFrames": "Mostrar Mais {0} Registros de Ativação",
+ "callStackAriaLabel": "Depurar Pilha de Chamadas",
+ "threadAriaLabel": "Thread {0} {1}",
+ "stackFrameAriaLabel": "Registro de Ativação {0}, linha {1}, {2}, pilha de chamadas, depuração",
+ "sessionLabel": "Sessão {0} {1}"
+ },
+ "vs/workbench/contrib/debug/browser/debugActions": {
+ "openLaunchJson": "Abrir {0}",
+ "launchJsonNeedsConfigurtion": "Configurar ou Corrigir 'launch.json'",
+ "noFolderDebugConfig": "Abra primeiro uma pasta para executar a configuração de depuração avançada.",
+ "selectWorkspaceFolder": "Selecionar uma pasta do workspace para criar um arquivo launch.json ou adicioná-lo ao arquivo de configuração do workspace",
+ "startDebug": "Iniciar a Depuração",
+ "startWithoutDebugging": "Iniciar Sem Depuração",
+ "selectAndStartDebugging": "Selecionar e Iniciar a Depuração",
+ "removeBreakpoint": "Remover Ponto de Interrupção",
+ "removeAllBreakpoints": "Remover Todos os Pontos de Interrupção",
+ "enableAllBreakpoints": "Habilitar Todos os Pontos de Interrupção",
+ "disableAllBreakpoints": "Desabilitar Todos os Pontos de Interrupção",
+ "activateBreakpoints": "Ativar Pontos de Interrupção",
+ "deactivateBreakpoints": "Desativar Pontos de Interrupção",
+ "reapplyAllBreakpoints": "Reaplicar Todos os Pontos de Interrupção",
+ "addFunctionBreakpoint": "Adicionar Ponto de Interrupção de Função",
+ "addWatchExpression": "Adicionar Expressão",
+ "removeAllWatchExpressions": "Remover Todas as Expressões",
+ "focusSession": "Focar na Sessão",
+ "copyValue": "Copiar o Valor"
+ },
+ "vs/workbench/contrib/debug/browser/debugToolBar": {
+ "debugToolBarBackground": "Depurar cor da tela de fundo da barra de ferramentas.",
+ "debugToolBarBorder": "Depurar cor da borda da barra de ferramentas.",
+ "debugIcon.startForeground": "Depurar ícone da barra de ferramentas para iniciar a depuração.",
+ "debugIcon.pauseForeground": "Depurar ícone da barra de ferramentas para pausar.",
+ "debugIcon.stopForeground": "Depurar ícone da barra de ferramentas para parar.",
+ "debugIcon.disconnectForeground": "Depurar ícone da barra de ferramentas para desconectar.",
+ "debugIcon.restartForeground": "Depurar ícone da barra de ferramentas para reiniciar.",
+ "debugIcon.stepOverForeground": "Ícone da barra de ferramentas de depuração para depuração parcial.",
+ "debugIcon.stepIntoForeground": "Depurar ícone da barra de ferramentas para intervir.",
+ "debugIcon.stepOutForeground": "Ícone da barra de ferramentas de depuração para depuração parcial.",
+ "debugIcon.continueForeground": "Depurar ícone da barra de ferramentas para continuar.",
+ "debugIcon.stepBackForeground": "Depurar ícone da barra de ferramentas de depuração para voltar."
+ },
+ "vs/workbench/contrib/debug/browser/debugService": {
+ "1activeSession": "Uma sessão ativa",
+ "nActiveSessions": "{0} sessões ativas",
+ "configurationAlreadyRunning": "Já existe uma configuração de depuração \"{0}\" em execução.",
+ "compoundMustHaveConfigurations": "Composto precisa ter o atributo \"configurations\" definido para iniciar várias configurações.",
+ "noConfigurationNameInWorkspace": "Não foi possível localizar a configuração de inicialização '{0}' no workspace.",
+ "multipleConfigurationNamesInWorkspace": "Há várias configurações de inicialização '{0}' no workspace. Use o nome da pasta para qualificar a configuração.",
+ "noFolderWithName": "Não é possível localizar a pasta com o nome '{0}' para a configuração '{1}' no '{2}' composto.",
+ "configMissing": "A configuração '{0}' está ausente em 'launch.json'.",
+ "launchJsonDoesNotExist": "'launch.json' não existe para a pasta de workspace aprovada.",
+ "debugRequestNotSupported": "O atributo '{0}' tem um valor '{1}' sem suporte na configuração de depuração escolhida.",
+ "debugRequesMissing": "O atributo '{0}' está ausente na configuração de depuração escolhida.",
+ "debugTypeNotSupported": "Não há suporte para o tipo de depuração '{0}' configurado.",
+ "debugTypeMissing": "Propriedade 'type' ausente para a configuração de inicialização escolhida.",
+ "installAdditionalDebuggers": "Instalar Extensão de {0}",
+ "noFolderWorkspaceDebugError": "O arquivo ativo não pode ser depurado. Certifique-se de que ele está salvo e que você tem uma extensão de depuração instalada para esse tipo de arquivo.",
+ "debugAdapterCrash": "O processo do adaptador de depuração foi terminado inesperadamente ({0})",
+ "cancel": "Cancelar",
+ "debuggingPaused": "{0}:{1}, depuração em pausa {2}, {3}",
+ "breakpointAdded": "Ponto de interrupção, linha {0}, arquivo {1} adicionados",
+ "breakpointRemoved": "Ponto de interrupção, linha {0}, arquivo {1} removidos"
+ },
+ "vs/workbench/contrib/debug/browser/statusbarColorProvider": {
+ "statusBarDebuggingBackground": "Cor da tela de fundo da barra de status quando um programa está sendo depurado. A barra de status é mostrada na parte inferior da janela",
+ "statusBarDebuggingForeground": "Cor de primeiro plano da barra de status quando um programa está sendo depurado. A barra de status é mostrada na parte inferior da janela",
+ "statusBarDebuggingBorder": "Cor da borda da barra de status que separa para a barra lateral e o editor quando um programa está sendo depurado. A barra de status é mostrada na parte inferior da janela"
+ },
+ "vs/workbench/contrib/debug/browser/debugStatus": {
+ "status.debug": "Depurar",
+ "debugTarget": "Depurar: {0}",
+ "selectAndStartDebug": "Selecionar e iniciar a configuração de depuração"
+ },
+ "vs/workbench/contrib/debug/browser/debugCommands": {
+ "restartDebug": "Reiniciar",
+ "stepOverDebug": "Contornar",
+ "stepIntoDebug": "Intervir",
+ "stepOutDebug": "Sair",
+ "pauseDebug": "Pausar",
+ "disconnect": "Desconectar",
+ "stop": "Interromper",
+ "continueDebug": "Continuar",
+ "chooseLocation": "Escolha a localização específica",
+ "noExecutableCode": "Nenhum código executável está associado à posição atual do cursor.",
+ "jumpToCursor": "Ir para o Cursor",
+ "debug": "Depurar",
+ "noFolderDebugConfig": "Abra primeiro uma pasta para executar a configuração de depuração avançada.",
+ "addInlineBreakpoint": "Adicionar Ponto de Interrupção Embutido"
+ },
+ "vs/workbench/contrib/debug/browser/loadedScriptsView": {
+ "loadedScriptsSession": "Sessão de Depuração",
+ "loadedScriptsAriaLabel": "Scripts de Depuração Carregados",
+ "loadedScriptsRootFolderAriaLabel": "Pasta {0} do workspace, script carregado, depuração",
+ "loadedScriptsSessionAriaLabel": "Sessão {0}, script carregado, depuração",
+ "loadedScriptsFolderAriaLabel": "Pasta {0}, script carregado, depuração",
+ "loadedScriptsSourceAriaLabel": "{0}, script carregado, depuração"
+ },
+ "vs/workbench/contrib/debug/browser/debugEditorActions": {
+ "toggleBreakpointAction": "Depurar: Ativar/Desativar Ponto de Interrupção",
+ "conditionalBreakpointEditorAction": "Depurar: Adicionar Ponto de Interrupção Condicional...",
+ "logPointEditorAction": "Depurar: Adicionar Logpoint...",
+ "runToCursor": "Executar até o Cursor",
+ "evaluateInDebugConsole": "Avaliar no Console de Depuração",
+ "addToWatch": "Adicionar à Inspeção",
+ "showDebugHover": "Depurar: Mostrar Foco",
+ "stepIntoTargets": "Intervir nos Destinos...",
+ "goToNextBreakpoint": "Depurar: Ir para Próximo Ponto de Interrupção",
+ "goToPreviousBreakpoint": "Depurar: Ir para Ponto de Interrupção Anterior",
+ "closeExceptionWidget": "Fechar o Widget de Exceção"
+ },
+ "vs/workbench/contrib/debug/browser/watchExpressionsView": {
+ "editWatchExpression": "Editar Expressão",
+ "removeWatchExpression": "Remover Expressão",
+ "watchExpressionInputAriaLabel": "Digitar expressão de inspeção",
+ "watchExpressionPlaceholder": "Expressão a ser observada",
+ "watchAriaTreeLabel": "Expressões de Inspeção de Depuração",
+ "watchExpressionAriaLabel": "{0}, valor {1}",
+ "watchVariableAriaLabel": "{0}, valor {1}"
+ },
+ "vs/workbench/contrib/debug/browser/variablesView": {
+ "variableValueAriaLabel": "Digitar novo valor da variável",
+ "variablesAriaTreeLabel": "Depurar Variáveis",
+ "variableScopeAriaLabel": "Escopo {0}",
+ "variableAriaLabel": "{0}, valor {1}"
+ },
+ "vs/workbench/contrib/debug/common/debugContentProvider": {
+ "unable": "Não é possível resolver o recurso sem uma sessão de depuração",
+ "canNotResolveSourceWithError": "Não foi possível carregar a origem '{0}': {1}.",
+ "canNotResolveSource": "Não foi possível carregar a origem '{0}'."
+ },
+ "vs/workbench/contrib/debug/browser/welcomeView": {
+ "run": "Executar",
+ "openAFileWhichCanBeDebugged": "[Abrir um arquivo](command:{0}) que pode ser depurado ou executado.",
+ "runAndDebugAction": "[Executar e Depurar{0}](command:{1})",
+ "detectThenRunAndDebug": "[Mostrar](command:{0}) todas as configurações de depuração automática.",
+ "customizeRunAndDebug": "Para personalizar a execução e a depuração [crie um arquivo launch.json](command:{0}).",
+ "customizeRunAndDebugOpenFolder": "Para personalizar execução e a depuração, [abra uma pasta](command:{0}) e crie um arquivo launch.json."
+ },
+ "vs/workbench/contrib/debug/browser/debugQuickAccess": {
+ "noDebugResults": "Nenhuma configuração de inicialização correspondente",
+ "customizeLaunchConfig": "Definir Configuração de Inicialização",
+ "contributed": "contribuídas",
+ "providerAriaLabel": "Configurações contribuídas do {0}",
+ "configure": "configurar",
+ "addConfigTo": "Adicionar Configuração ({0})...",
+ "addConfiguration": "Adicionar Configuração..."
+ },
+ "vs/workbench/contrib/debug/browser/debugIcons": {
+ "debugConsoleViewIcon": "Ícone de exibição da exibição do console de depuração.",
+ "runViewIcon": "Ícone de exibição da exibição de execução.",
+ "variablesViewIcon": "Ícone de exibição da exibição de variáveis.",
+ "watchViewIcon": "Ícone de exibição da exibição de inspeção.",
+ "callStackViewIcon": "Ícone de exibição da exibição de pilha de chamadas.",
+ "breakpointsViewIcon": "Ícone de exibição da exibição de pontos de interrupção.",
+ "loadedScriptsViewIcon": "Ícone de exibição da exibição de scripts carregados.",
+ "debugBreakpoint": "Ícone de pontos de interrupção.",
+ "debugBreakpointDisabled": "Ícone de pontos de interrupção desabilitados.",
+ "debugBreakpointUnverified": "Ícone de pontos de interrupção não verificados.",
+ "debugBreakpointHint": "Ícone de dicas de ponto de interrupção mostrado na focalização da margem do glifo do editor.",
+ "debugBreakpointFunction": "Ícone de pontos de interrupção de função.",
+ "debugBreakpointFunctionUnverified": "Ícone de pontos de interrupção de função não verificados.",
+ "debugBreakpointFunctionDisabled": "Ícone de pontos de interrupção de função desabilitados.",
+ "debugBreakpointUnsupported": "Ícone de pontos de interrupção sem suporte.",
+ "debugBreakpointConditionalUnverified": "Ícone de pontos de interrupção condicionais não verificados.",
+ "debugBreakpointConditional": "Ícone de pontos de interrupção condicionais.",
+ "debugBreakpointConditionalDisabled": "Ícone de pontos de interrupção condicionais desabilitados.",
+ "debugBreakpointDataUnverified": "Ícone de pontos de interrupção de dados não verificados.",
+ "debugBreakpointData": "Ícone de pontos de interrupção de dados.",
+ "debugBreakpointDataDisabled": "Ícone de pontos de interrupção de dados desabilitados.",
+ "debugBreakpointLogUnverified": "Ícone de pontos de interrupção de log não verificados.",
+ "debugBreakpointLog": "Ícone de pontos de interrupção de log.",
+ "debugBreakpointLogDisabled": "Ícone de ponto de interrupção de log desabilitado.",
+ "debugStackframe": "Ícone de um stackframe mostrado na margem do glifo do editor.",
+ "debugStackframeFocused": "Ícone de um stackframe focalizado mostrado na margem do glifo do editor.",
+ "debugGripper": "Ícone da garra da barra de depuração.",
+ "debugRestartFrame": "Ícone da ação reiniciar o quadro da depuração.",
+ "debugStop": "Ícone da ação parar a depuração.",
+ "debugDisconnect": "Ícone da ação desconectar a depuração.",
+ "debugRestart": "Ícone da ação reiniciar a depuração.",
+ "debugStepOver": "Ícone da ação pular a depuração.",
+ "debugStepInto": "Ícone da ação intervir na depuração.",
+ "debugStepOut": "Ícone da ação sair da depuração.",
+ "debugStepBack": "Ícone da ação retroceder a depuração.",
+ "debugPause": "Ícone da ação pausar a depuração.",
+ "debugContinue": "Ícone da ação continuar a depuração.",
+ "debugReverseContinue": "Ícone da ação continuar a reversão da depuração.",
+ "debugStart": "Ícone da ação iniciar a depuração.",
+ "debugConfigure": "Ícone da ação configurar a depuração.",
+ "debugConsole": "Ícone da ação abrir o console da depuração.",
+ "debugCollapseAll": "Ícone da ação recolher tudo nas exibições de depuração.",
+ "callstackViewSession": "Ícone do ícone da sessão na exibição da pilha de chamadas.",
+ "debugConsoleClearAll": "Ícone da ação limpar tudo no console de depuração.",
+ "watchExpressionsRemoveAll": "Ícone da ação remover tudo na exibição de inspeção.",
+ "watchExpressionsAdd": "Ícone da ação adicionar na exibição de inspeção.",
+ "watchExpressionsAddFuncBreakpoint": "Ícone da ação adicionar ponto de interrupção de função na exibição de inspeção.",
+ "breakpointsRemoveAll": "Ícone da ação remover tudo na exibição de pontos de interrupção.",
+ "breakpointsActivate": "Ícone da ação ativar na exibição de pontos de interrupção.",
+ "debugConsoleEvaluationInput": "Ícone do marcador de entrada de avaliação da depuração.",
+ "debugConsoleEvaluationPrompt": "Ícone do prompt de avaliação da depuração."
+ },
+ "vs/workbench/contrib/debug/browser/exceptionWidget": {
+ "debugExceptionWidgetBorder": "Cor da borda do widget de exceção.",
+ "debugExceptionWidgetBackground": "Cor da tela de fundo do widget de exceção.",
+ "exceptionThrownWithId": "Ocorreu uma exceção: {0}",
+ "exceptionThrown": "Ocorreu uma exceção.",
+ "close": "Fechar"
+ },
+ "vs/workbench/contrib/debug/browser/debugHover": {
+ "quickTip": "Mantenha a tecla {0} pressionada para alternar a focalização de idioma do editor",
+ "treeAriaLabel": "Depurar Foco",
+ "variableAriaLabel": "{0}, valor {1}, variáveis, depuração"
+ },
+ "vs/workbench/contrib/debug/browser/breakpointWidget": {
+ "breakpointWidgetLogMessagePlaceholder": "Mensagem a ser registrada quando o ponto de interrupção é atingido. As expressões entre {} são interpoladas. 'Enter' para aceitar, 'esc' para cancelar.",
+ "breakpointWidgetHitCountPlaceholder": "Interromper quando a condição de contagem de ocorrências for atendida. 'Enter' para aceitar, 'esc', para cancelar.",
+ "breakpointWidgetExpressionPlaceholder": "Interromper quando a expressão for avaliada como true. 'Enter' para aceitar, 'esc' para cancelar.",
+ "expression": "Expressão",
+ "hitCount": "Contagem de Ocorrências",
+ "logMessage": "Mensagem de Log",
+ "breakpointType": "Tipo de Ponto de Interrupção"
+ },
+ "vs/workbench/contrib/debug/browser/debugActionViewItems": {
+ "debugLaunchConfigurations": "Depurar Configurações de Inicialização",
+ "noConfigurations": "Nenhuma Configuração",
+ "addConfigTo": "Adicionar Configuração ({0})...",
+ "addConfiguration": "Adicionar Configuração...",
+ "debugSession": "Sessão de Depuração"
+ },
+ "vs/workbench/contrib/debug/browser/linkDetector": {
+ "fileLinkMac": "Cmd + clique para seguir o link",
+ "fileLink": "Ctrl + clique para seguir o link"
+ },
+ "vs/workbench/contrib/debug/browser/replViewer": {
+ "debugConsole": "Console de Depuração",
+ "replVariableAriaLabel": "Variável {0}, valor {1}",
+ "occurred": ", ocorreu {0} vezes",
+ "replRawObjectAriaLabel": "Depurar variável do console {0}, valor {1}",
+ "replGroup": "Depurar o grupo de console {0}"
+ },
+ "vs/workbench/contrib/debug/common/replModel": {
+ "consoleCleared": "O console foi limpo",
+ "snapshotObj": "Somente valores primitivos são mostrados para este objeto."
+ },
+ "vs/workbench/contrib/debug/browser/replFilter": {
+ "showing filtered repl lines": "Mostrando {0} de {1}"
+ },
+ "vs/workbench/contrib/debug/node/debugAdapter": {
+ "debugAdapterBinNotFound": "O executável do adaptador de depuração '{0}' não existe.",
+ "debugAdapterCannotDetermineExecutable": "Não é possível determinar o executável para o adaptador de depuração '{0}'.",
+ "unableToLaunchDebugAdapter": "Não é possível iniciar o adaptador de depuração de '{0}'.",
+ "unableToLaunchDebugAdapterNoArgs": "Não é possível iniciar o adaptador de depuração."
+ },
+ "vs/workbench/contrib/debug/common/debugModel": {
+ "invalidVariableAttributes": "Atributos de variável inválidos",
+ "startDebugFirst": "Inicie uma sessão de depuração para avaliar as expressões",
+ "notAvailable": "não disponível",
+ "pausedOn": "Em pausa em {0}",
+ "paused": "Em pausa",
+ "running": "Em execução",
+ "breakpointDirtydHover": "Ponto de interrupção não verificado. O arquivo foi modificado, reinicie a sessão de depuração."
+ },
+ "vs/workbench/contrib/debug/browser/debugConfigurationManager": {
+ "selectConfiguration": "Selecionar Configuração de Inicialização",
+ "editLaunchConfig": "Editar Configuração de Depuração no launch.json",
+ "DebugConfig.failed": "Não é possível criar o arquivo 'launch.json' dentro da pasta '.vscode' ({0}).",
+ "workspace": "workspace",
+ "user settings": "configurações de usuário"
+ },
+ "vs/workbench/contrib/debug/browser/debugSession": {
+ "noDebugAdapter": "Nenhum depurador disponível, não é possível enviar '{0}'",
+ "sessionNotReadyForBreakpoints": "A sessão não está pronta para pontos de interrupção",
+ "debuggingStarted": "Depuração iniciada.",
+ "debuggingStopped": "Depuração interrompida."
+ },
+ "vs/workbench/contrib/debug/browser/debugTaskRunner": {
+ "preLaunchTaskErrors": "Existem erros após a execução de preLaunchTask '{0}'.",
+ "preLaunchTaskError": "Erro após executar preLaunchTask '{0}'.",
+ "preLaunchTaskExitCode": "A preLaunchTask '{0}' terminou com o código de saída {1}.",
+ "preLaunchTaskTerminated": "A preLaunchTask '{0}' foi terminada.",
+ "debugAnyway": "Depurar Assim Mesmo",
+ "showErrors": "Mostrar os Erros",
+ "abort": "Anular",
+ "remember": "Lembrar minha escolha nas configurações de usuário",
+ "invalidTaskReference": "Não é possível fazer referência à tarefa '{0}' de uma configuração de inicialização que está em uma pasta de workspace diferente.",
+ "DebugTaskNotFoundWithTaskId": "Não foi possível localizar a tarefa '{0}'.",
+ "DebugTaskNotFound": "Não foi possível localizar a tarefa especificada.",
+ "taskNotTrackedWithTaskId": "Não é possível rastrear a tarefa especificada.",
+ "taskNotTracked": "Não é possível rastrear a tarefa '{0}'."
+ },
+ "vs/workbench/contrib/debug/browser/debugAdapterManager": {
+ "debugNoType": "O depurador 'type' não pode ser omitido e precisa ser do tipo 'string'.",
+ "more": "Mais...",
+ "selectDebug": "Selecionar o Ambiente"
+ },
+ "vs/workbench/contrib/debug/common/debugSource": {
+ "unknownSource": "Origem Desconhecida"
+ },
+ "vs/workbench/contrib/debug/common/debugSchemas": {
+ "vscode.extension.contributes.debuggers": "Contribui com adaptadores de depuração.",
+ "vscode.extension.contributes.debuggers.type": "Identificador exclusivo deste adaptador de depuração.",
+ "vscode.extension.contributes.debuggers.label": "Nome de exibição deste adaptador de depuração.",
+ "vscode.extension.contributes.debuggers.program": "Caminho para o programa do adaptador de depuração. O caminho é absoluto ou relativo à pasta de extensão.",
+ "vscode.extension.contributes.debuggers.args": "Argumentos opcionais a serem passados ao adaptador.",
+ "vscode.extension.contributes.debuggers.runtime": "Runtime opcional caso o atributo do programa não seja um executável, mas exija um runtime.",
+ "vscode.extension.contributes.debuggers.runtimeArgs": "Argumentos de runtime opcionais.",
+ "vscode.extension.contributes.debuggers.variables": "Mapeamento de variáveis interativas (por exemplo, ${action.pickProcess}) em `launch.json` para um comando.",
+ "vscode.extension.contributes.debuggers.initialConfigurations": "Configurações para gerar o 'launch.json' inicial.",
+ "vscode.extension.contributes.debuggers.languages": "Lista de idiomas para os quais a extensão de depuração poderia ser considerada o \"depurador padrão\".",
+ "vscode.extension.contributes.debuggers.configurationSnippets": "Snippets para adicionar novas configurações em 'launch.json'.",
+ "vscode.extension.contributes.debuggers.configurationAttributes": "Configurações de esquema JSON para validação de 'launch.json'.",
+ "vscode.extension.contributes.debuggers.windows": "Configurações específicas do Windows.",
+ "vscode.extension.contributes.debuggers.windows.runtime": "Runtime usado para Windows.",
+ "vscode.extension.contributes.debuggers.osx": "Configurações específicas do macOS.",
+ "vscode.extension.contributes.debuggers.osx.runtime": "Runtime usado para macOS.",
+ "vscode.extension.contributes.debuggers.linux": "Configurações específicas do Linux.",
+ "vscode.extension.contributes.debuggers.linux.runtime": "Runtime usado para Linux.",
+ "vscode.extension.contributes.breakpoints": "Contribui com os pontos de interrupção.",
+ "vscode.extension.contributes.breakpoints.language": "Permitir pontos de interrupção para este idioma.",
+ "presentation": "Opções de apresentação sobre como mostrar esta configuração no menu suspenso de configuração de depuração e na paleta de comandos.",
+ "presentation.hidden": "Controla se esta configuração deve ser mostrada no menu suspenso de configuração e na paleta de comandos.",
+ "presentation.group": "Grupo ao qual esta configuração pertence. Usado para agrupar e classificar no menu suspenso de configuração e na paleta de comandos.",
+ "presentation.order": "Ordem dessa configuração em um grupo. Usado para agrupar e classificar no menu suspenso de configuração e na paleta de comandos.",
+ "app.launch.json.title": "Iniciar",
+ "app.launch.json.version": "Versão desse formato de arquivo.",
+ "app.launch.json.configurations": "Lista de configurações. Adicionar configurações ou editar as existentes usando o IntelliSense.",
+ "app.launch.json.compounds": "Lista de compostos. Cada composto faz referência a várias configurações que serão iniciadas juntas.",
+ "app.launch.json.compound.name": "Nome do composto. Aparece no menu suspenso de configuração de inicialização.",
+ "useUniqueNames": "Use nomes de configuração exclusivos.",
+ "app.launch.json.compound.folder": "Nome da pasta na qual o composto está localizado.",
+ "app.launch.json.compounds.configurations": "Nomes de configurações que serão iniciadas como parte deste composto.",
+ "app.launch.json.compound.stopAll": "Controla se o encerramento manual de uma sessão interromperá todas as sessões compostas.",
+ "compoundPrelaunchTask": "Tarefa a ser executada antes da inicialização de uma das configurações compostas."
+ },
+ "vs/workbench/contrib/debug/browser/rawDebugSession": {
+ "noDebugAdapterStart": "Nenhum adaptador de depuração, não é possível iniciar a sessão de depuração.",
+ "noDebugAdapter": "Nenhum depurador disponível encontrado. Não é possível enviar '{0}'.",
+ "moreInfo": "Mais Informações"
+ },
+ "vs/workbench/contrib/debug/common/debugger": {
+ "cannot.find.da": "Não é possível encontrar o adaptador de depuração para o tipo '{0}'.",
+ "launch.config.comment1": "Use o IntelliSense para saber mais sobre os atributos possíveis.",
+ "launch.config.comment2": "Focalizar para exibir as descrições dos atributos existentes.",
+ "launch.config.comment3": "Para obter mais informações, acesse: {0}",
+ "debugType": "Tipo de configuração.",
+ "debugTypeNotRecognised": "O tipo de depuração não é reconhecido. Verifique se você tem uma extensão de depuração correspondente instalada e se ela está habilitada.",
+ "node2NotSupported": "Não há mais suporte para \"node2\". Use \"node\" e defina o atributo \"protocol\" como \"inspector\".",
+ "debugName": "Nome da configuração; aparece no menu suspenso de configuração da inicialização.",
+ "debugRequest": "Tipo de solicitação de configuração. Pode ser \"iniciar\" ou \"anexar\".",
+ "debugServer": "Somente para desenvolvimento de extensão de depuração: se uma porta for especificada, o VS Code tentará se conectar a um adaptador de depuração em execução no modo do servidor",
+ "debugPrelaunchTask": "Tarefa a ser executada antes do início da sessão de depuração.",
+ "debugPostDebugTask": "Tarefa a ser executada após o término da sessão de depuração.",
+ "debugWindowsConfiguration": "Atributos de configuração de inicialização específicos do Windows.",
+ "debugOSXConfiguration": "Atributos de configuração de inicialização específicos do SO X.",
+ "debugLinuxConfiguration": "Atributos de configuração de inicialização específicos do Linux."
+ },
+ "vs/workbench/contrib/dialogs/browser/dialogHandler": {
+ "yesButton": "&&Sim",
+ "cancelButton": "Cancelar",
+ "aboutDetail": "Versão: {0}\r\nConfirmar: {1}\r\nData: {2}\r\nNavegador: {3}",
+ "copy": "Copiar",
+ "ok": "OK"
+ },
+ "vs/workbench/contrib/dialogs/electron-sandbox/dialogHandler": {
+ "yesButton": "&&Sim",
+ "cancelButton": "Cancelar",
+ "aboutDetail": "Versão: {0}\r\nConfirmar: {1}\r\nData: {2}\r\nElectron: {3}\r\nChrome: {4}\r\nNode.js: {5}\r\nV8: {6}\r\nSO: {7}",
+ "okButton": "OK",
+ "copy": "&&Copiar"
+ },
+ "vs/workbench/contrib/emmet/browser/actions/expandAbbreviation": {
+ "expandAbbreviationAction": "Emmet: Expandir Abreviação",
+ "miEmmetExpandAbbreviation": "Emmet: E&&xpandir Abreviação"
+ },
+ "vs/workbench/contrib/experiments/browser/experiments.contribution": {
+ "workbench.enableExperiments": "Busca experimentos para execução usando um serviço online da Microsoft."
+ },
+ "vs/workbench/contrib/extensions/electron-browser/extensions.contribution": {
+ "runtimeExtension": "Executando Extensões"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/runtimeExtensionsEditor": {
+ "extensionHostProfileStart": "Iniciar Perfil de Host de Extensão",
+ "stopExtensionHostProfileStart": "Parar Perfil de Host de Extensão",
+ "saveExtensionHostProfile": "Salvar Perfil de Host de Extensão"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/debugExtensionHostAction": {
+ "debugExtensionHost": "Iniciar Host de Extensão de Depuração",
+ "restart1": "Extensões de Perfil",
+ "restart2": "Para analisar as extensões, é necessário reiniciar. Deseja reiniciar '{0}' agora?",
+ "restart3": "&&Reiniciar",
+ "cancel": "&&Cancelar",
+ "debugExtensionHost.launch.name": "Anexar Host de Extensão"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/extensionProfileService": {
+ "profilingExtensionHost": "Host de Extensão de Criação de Perfil",
+ "selectAndStartDebug": "Clique para parar a criação de perfil.",
+ "profilingExtensionHostTime": "Host de Extensão de Criação de Perfil ({0} s)",
+ "status.profiler": "Criador de Perfil de Extensão",
+ "restart1": "Extensões de Perfil",
+ "restart2": "Para analisar as extensões, é necessário reiniciar. Deseja reiniciar '{0}' agora?",
+ "restart3": "&&Reiniciar",
+ "cancel": "&&Cancelar"
+ },
+ "vs/workbench/contrib/extensions/common/runtimeExtensionsInput": {
+ "extensionsInputName": "Executando as Extensões"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/extensionsAutoProfiler": {
+ "unresponsive-exthost": "A extensão '{0}' demorou muito tempo para concluir a última operação e impediu a execução de outras extensões.",
+ "show": "Mostrar as Extensões"
+ },
+ "vs/workbench/contrib/extensions/electron-sandbox/extensionsActions": {
+ "openExtensionsFolder": "Abrir Pasta de Extensões"
+ },
+ "vs/workbench/contrib/extensions/browser/extensions.contribution": {
+ "manageExtensionsQuickAccessPlaceholder": "Pressione Enter para gerenciar as extensões.",
+ "manageExtensionsHelp": "Gerenciar Extensões",
+ "installVSIX": "Instalar a Extensão VSIX",
+ "extension": "Extensão",
+ "extensions": "Extensões",
+ "extensionsConfigurationTitle": "Extensões",
+ "extensionsAutoUpdate": "Quando habilitado, instala automaticamente as atualizações para extensões. As atualizações são buscadas em um serviço online da Microsoft.",
+ "extensionsCheckUpdates": "Quando habilitado, verifica automaticamente as extensões quanto a atualizações. Se uma extensão tiver uma atualização, ela será marcada como desatualizada no modo de exibição de Extensões. As atualizações são buscadas em um serviço online da Microsoft.",
+ "extensionsIgnoreRecommendations": "Quando habilitadas, as notificações para as recomendações de extensão não serão mostradas.",
+ "extensionsShowRecommendationsOnlyOnDemand_Deprecated": "Esta configuração foi preterida. Use a configuração extensions.ignoreRecommendations para controlar as notificações de recomendação. Use as ações de visibilidade da exibição de Extensões para ocultar a exibição Recomendado por padrão.",
+ "extensionsCloseExtensionDetailsOnViewChange": "Quando habilitados, os editores com detalhes de extensão são fechados automaticamente ao navegar para fora do modo de exibição de Extensões.",
+ "handleUriConfirmedExtensions": "Quando uma extensão for listada aqui, um prompt de confirmação não será exibido quando essa extensão lidar com um URI.",
+ "extensionsWebWorker": "Habilitar o host de extensão do web worker.",
+ "workbench.extensions.installExtension.description": "Instalar a extensão fornecida",
+ "workbench.extensions.installExtension.arg.name": "ID da extensão ou URI do recurso do VSIX",
+ "notFound": "Extensão '{0}' não encontrada.",
+ "InstallVSIXAction.successReload": "A instalação da extensão {0} do VSIX foi concluída. Recarregue o Visual Studio Code para habilitá-la.",
+ "InstallVSIXAction.success": "A instalação da extensão {0} do VSIX foi concluída.",
+ "InstallVSIXAction.reloadNow": "Recarregar Agora",
+ "workbench.extensions.uninstallExtension.description": "Desinstalar a extensão fornecida",
+ "workbench.extensions.uninstallExtension.arg.name": "ID da extensão a desinstalar",
+ "id required": "ID de extensão necessária.",
+ "notInstalled": "A extensão '{0}' não está instalada. Certifique-se de usar a ID de extensão completa, incluindo o editor, por exemplo: ms-dotnettools.csharp.",
+ "builtin": "A extensão '{0}' é uma Extensão interna e não pode ser instalada",
+ "workbench.extensions.search.description": "Pesquisar por uma extensão específica",
+ "workbench.extensions.search.arg.name": "Consulta a ser usada na pesquisa",
+ "miOpenKeymapExtensions": "&&Mapas de teclas",
+ "miOpenKeymapExtensions2": "Mapas de teclas",
+ "miPreferencesExtensions": "&&Extensões",
+ "miViewExtensions": "E&&xtensões",
+ "showExtensions": "Extensões",
+ "installExtensionQuickAccessPlaceholder": "Digite o nome de uma extensão para instalar ou pesquisar.",
+ "installExtensionQuickAccessHelp": "Instalar ou Pesquisar Extensões",
+ "workbench.extensions.action.copyExtension": "Copiar",
+ "extensionInfoName": "Nome: {0}",
+ "extensionInfoId": "ID: {0}",
+ "extensionInfoDescription": "Descrição: {0}",
+ "extensionInfoVersion": "Versão: {0}",
+ "extensionInfoPublisher": "Editor: {0}",
+ "extensionInfoVSMarketplaceLink": "Link do Marketplace do VS: {0}",
+ "workbench.extensions.action.copyExtensionId": "Copiar ID da Extensão",
+ "workbench.extensions.action.configure": "Configurações de Extensão",
+ "workbench.extensions.action.toggleIgnoreExtension": "Sincronizar esta Extensão",
+ "workbench.extensions.action.ignoreRecommendation": "Ignorar a Recomendação",
+ "workbench.extensions.action.undoIgnoredRecommendation": "Desfazer a Recomendação Ignorada",
+ "workbench.extensions.action.addExtensionToWorkspaceRecommendations": "Adicionar às Recomendações do Workspace",
+ "workbench.extensions.action.removeExtensionFromWorkspaceRecommendations": "Remover das Recomendações do Workspace",
+ "workbench.extensions.action.addToWorkspaceRecommendations": "Adicionar a Extensão às Recomendações do Workspace",
+ "workbench.extensions.action.addToWorkspaceFolderRecommendations": "Adicionar a Extensão à Pasta do Workspace Recomendações",
+ "workbench.extensions.action.addToWorkspaceIgnoredRecommendations": "Adicionar a Extensão às Recomendações Ignoradas do Workspace",
+ "workbench.extensions.action.addToWorkspaceFolderIgnoredRecommendations": "Adicionar a Extensão à Pasta do Workspace Recomendações Ignoradas"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsViewlet": {
+ "installed": "Instalado",
+ "popularExtensions": "Popular",
+ "recommendedExtensions": "Recomendados",
+ "enabledExtensions": "Habilitado",
+ "disabledExtensions": "Desabilitado",
+ "marketPlace": "Marketplace",
+ "enabled": "Habilitado",
+ "disabled": "Desabilitado",
+ "outdated": "Desatualizado",
+ "builtin": "Interno",
+ "workspaceRecommendedExtensions": "Recomendações do Workspace",
+ "otherRecommendedExtensions": "Outras Recomendações",
+ "builtinFeatureExtensions": "Recursos",
+ "builtInThemesExtensions": "Temas",
+ "builtinProgrammingLanguageExtensions": "Linguagens de Programação",
+ "sort by installs": "Quantidade de Instalações",
+ "sort by rating": "Classificação",
+ "sort by name": "Nome",
+ "sort by date": "Data de Publicação",
+ "searchExtensions": "Pesquisar Extensões no Marketplace",
+ "builtin filter": "Interno",
+ "installed filter": "Instalado",
+ "enabled filter": "Habilitado",
+ "disabled filter": "Desabilitado",
+ "outdated filter": "Desatualizado",
+ "featured filter": "Em destaque",
+ "most popular filter": "Mais Populares",
+ "most popular recommended": "Recomendados",
+ "recently published filter": "Publicado Recentemente",
+ "filter by category": "Categoria",
+ "sorty by": "Classificar por",
+ "filterExtensions": "Filtrar Extensões...",
+ "extensionFoundInSection": "Uma extensão encontrada na seção {0}.",
+ "extensionFound": "Uma extensão encontrada.",
+ "extensionsFoundInSection": "{0} extensões encontradas na seção {1}.",
+ "extensionsFound": "{0} extensões encontradas.",
+ "suggestProxyError": "O Marketplace retornou 'ECONNREFUSED'. Verifique a configuração 'http.proxy'.",
+ "open user settings": "Abrir as Configurações de Usuário",
+ "outdatedExtensions": "{0} Extensões Desatualizadas",
+ "malicious warning": "Nós desinstalamos '{0}', que foi relatado como problemático.",
+ "reloadNow": "Recarregar Agora"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/extensionsSlowActions": {
+ "cmd.reportOrShow": "Problema de Desempenho",
+ "cmd.report": "Relatar Problema",
+ "attach.title": "Você anexou o perfil da CPU?",
+ "ok": "OK",
+ "attach.msg": "Este é um lembrete para verificar se você não se esqueceu de anexar '{0}' ao problema que acabou de criar.",
+ "cmd.show": "Mostrar Problemas",
+ "attach.msg2": "Este é um lembrete para verificar se você não se esqueceu de anexar '{0}' a um problema de desempenho existente."
+ },
+ "vs/workbench/contrib/extensions/electron-browser/reportExtensionIssueAction": {
+ "reportExtensionIssue": "Relatar Problema"
+ },
+ "vs/workbench/contrib/extensions/browser/abstractRuntimeExtensionsEditor": {
+ "starActivation": "Ativado por {0} na inicialização",
+ "workspaceContainsGlobActivation": "Ativado por {1} porque existe um arquivo correspondente a {1} no seu workspace",
+ "workspaceContainsFileActivation": "Ativado por {1} porque o arquivo {0} existe no seu workspace",
+ "workspaceContainsTimeout": "Ativado por {1} porque a pesquisa por {0} demorou muito",
+ "startupFinishedActivation": "Ativado por {0} após o término da inicialização",
+ "languageActivation": "Ativado por {1} porque você abriu um arquivo {0}",
+ "workspaceGenericActivation": "Ativado por {1} em {0}",
+ "unresponsive.title": "A extensão causou o congelamento do host de extensão.",
+ "errors": "{0} erros não percebidos",
+ "runtimeExtensions": "Extensões de Runtime",
+ "disable workspace": "Desabilitar (Workspace)",
+ "disable": "Desabilitar",
+ "showRuntimeExtensions": "Mostrar Extensões em Execução"
+ },
+ "vs/workbench/contrib/extensions/common/extensionsInput": {
+ "extensionsInputName": "Extensão: {0}"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsActions": {
+ "noOfYearsAgo": "{0} anos atrás",
+ "one year ago": "Um ano atrás",
+ "noOfMonthsAgo": "{0} meses atrás",
+ "one month ago": "Um mês atrás",
+ "noOfDaysAgo": "{0} dias atrás",
+ "one day ago": "Um dia atrás",
+ "noOfHoursAgo": "{0} horas atrás",
+ "one hour ago": "Uma hora atrás",
+ "just now": "Agora mesmo",
+ "update operation": "Erro ao atualizar a extensão '{0}'.",
+ "install operation": "Erro ao instalar a extensão '{0}'.",
+ "download": "Tente Fazer o Download Manualmente...",
+ "install vsix": "Após o download, instale manualmente o VSIX baixado de '{0}'.",
+ "check logs": "Verifique o [log]({0}) para obter mais detalhes.",
+ "installExtensionStart": "A instalação da extensão {0} foi iniciada. Um editor está aberto com mais detalhes sobre esta extensão",
+ "installExtensionComplete": "A instalação da extensão {0} foi concluída.",
+ "install": "Instalar",
+ "install and do no sync": "Instalar (Não sincronizar)",
+ "install in remote and do not sync": "Fazer a instalação no {0} (Não fazer a sincronização)",
+ "install in remote": "Fazer a instalação no {0}",
+ "install locally and do not sync": "Instalar Localmente (Não sincronizar)",
+ "install locally": "Instalar Localmente",
+ "install everywhere tooltip": "Instalar esta extensão em todas as instâncias de {0} sincronizadas",
+ "installing": "Instalando",
+ "install browser": "Instalar no Navegador",
+ "uninstallAction": "Desinstalar",
+ "Uninstalling": "Desinstalando",
+ "uninstallExtensionStart": "A desinstalação da extensão {0} foi iniciada.",
+ "uninstallExtensionComplete": "Recarregue o Visual Studio Code para concluir a desinstalação da extensão {0}.",
+ "updateExtensionStart": "A atualização da extensão {0} para a versão {1} foi iniciada.",
+ "updateExtensionComplete": "A atualização da extensão {0} para a versão {1} foi concluída.",
+ "updateTo": "Atualizar para {0}",
+ "updateAction": "Atualizar",
+ "manage": "Gerenciar",
+ "ManageExtensionAction.uninstallingTooltip": "Desinstalando",
+ "install another version": "Instalar Outra Versão...",
+ "selectVersion": "Selecionar Versão para Instalar",
+ "current": "Atual",
+ "enableForWorkspaceAction": "Habilitar (Workspace)",
+ "enableForWorkspaceActionToolTip": "Habilitar esta extensão somente neste workspace",
+ "enableGloballyAction": "Habilitar",
+ "enableGloballyActionToolTip": "Habilitar esta extensão",
+ "disableForWorkspaceAction": "Desabilitar (Workspace)",
+ "disableForWorkspaceActionToolTip": "Desabilitar esta extensão somente neste workspace",
+ "disableGloballyAction": "Desabilitar",
+ "disableGloballyActionToolTip": "Desabilitar esta extensão",
+ "enableAction": "Habilitar",
+ "disableAction": "Desabilitar",
+ "checkForUpdates": "Verificar Atualizações de Extensão",
+ "noUpdatesAvailable": "Todas as extensões estão atualizadas.",
+ "singleUpdateAvailable": "Há uma atualização de extensão disponível.",
+ "updatesAvailable": "{0} atualizações de extensão estão disponíveis.",
+ "singleDisabledUpdateAvailable": "Está disponível uma atualização para uma extensão que está desabilitada.",
+ "updatesAvailableOneDisabled": "{0} atualizações de extensão estão disponíveis. Uma delas é para uma extensão desabilitada.",
+ "updatesAvailableAllDisabled": "{0} atualizações de extensão estão disponíveis. Todas elas são para extensões desabilitadas.",
+ "updatesAvailableIncludingDisabled": "{0} atualizações de extensão estão disponíveis. {1} delas são para extensões desabilitadas.",
+ "enableAutoUpdate": "Habilitar Extensões de Atualização Automática",
+ "disableAutoUpdate": "Desabilitar Extensões de Atualização Automática",
+ "updateAll": "Atualizar Todas as Extensões",
+ "reloadAction": "Recarregar",
+ "reloadRequired": "Recarregamento Necessário",
+ "postUninstallTooltip": "Recarregue o Visual Studio Code para concluir a desinstalação desta extensão.",
+ "postUpdateTooltip": "Recarregue o Visual Studio Code para habilitar a extensão atualizada.",
+ "enable locally": "Recarregue o Visual Studio Code para habilitar esta extensão localmente.",
+ "enable remote": "Recarregue o Visual Studio Code para habilitar esta extensão em {0}.",
+ "postEnableTooltip": "Recarregue o Visual Studio Code para habilitar esta extensão.",
+ "postDisableTooltip": "Recarregue o Visual Studio Code para desabilitar esta extensão.",
+ "installExtensionCompletedAndReloadRequired": "A instalação da extensão {0} foi concluída. Recarregue o Visual Studio Code para habilitá-la.",
+ "color theme": "Definir Tema de Cor",
+ "select color theme": "Selecionar Tema de Cor",
+ "file icon theme": "Definir Tema do Ícone de Arquivo",
+ "select file icon theme": "Selecionar Tema do Ícone de Arquivo",
+ "product icon theme": "Definir Tema do Ícone do Produto",
+ "select product icon theme": "Selecionar Tema do Ícone de Produto",
+ "toggleExtensionsViewlet": "Mostrar as Extensões",
+ "installExtensions": "Instalar Extensões",
+ "showEnabledExtensions": "Mostrar Extensões Habilitadas",
+ "showInstalledExtensions": "Mostrar Extensões Instaladas",
+ "showDisabledExtensions": "Mostrar Extensões Desabilitadas",
+ "clearExtensionsSearchResults": "Limpar Resultados da Pesquisa de Extensões",
+ "refreshExtension": "Atualizar",
+ "showBuiltInExtensions": "Mostrar Extensões Internas",
+ "showOutdatedExtensions": "Mostrar Extensões Desatualizadas",
+ "showPopularExtensions": "Mostrar Extensões Populares",
+ "recentlyPublishedExtensions": "Extensões Publicadas Recentemente",
+ "showRecommendedExtensions": "Mostrar Extensões Recomendadas",
+ "showRecommendedExtension": "Mostrar Extensão Recomendada",
+ "installRecommendedExtension": "Instalar Extensão Recomendada",
+ "ignoreExtensionRecommendation": "Não recomendar novamente esta extensão",
+ "undo": "Desfazer",
+ "showRecommendedKeymapExtensionsShort": "Mapas de teclas",
+ "showLanguageExtensionsShort": "Extensões de Linguagem",
+ "search recommendations": "Pesquisar Extensões",
+ "OpenExtensionsFile.failed": "Não é possível criar o arquivo 'extensions.json' dentro da pasta '.vscode' ({0}).",
+ "configureWorkspaceRecommendedExtensions": "Configurar Extensões Recomendadas (Workspace)",
+ "configureWorkspaceFolderRecommendedExtensions": "Configurar Extensões Recomendadas (Pasta do Workspace)",
+ "updated": "Atualizado",
+ "installed": "Instalado",
+ "uninstalled": "Desinstalado",
+ "enabled": "Habilitado",
+ "disabled": "Desabilitado",
+ "malicious tooltip": "Esta extensão foi relatada como problemática.",
+ "malicious": "Malicioso",
+ "ignored": "Esta extensão foi ignorada durante a sincronização",
+ "synced": "Esta extensão está sincronizada",
+ "sync": "Sincronizar esta extensão",
+ "do not sync": "Não sincronizar esta extensão",
+ "extension enabled on remote": "A extensão está habilitada em '{0}'",
+ "globally enabled": "Esta extensão foi habilitada globalmente.",
+ "workspace enabled": "Esta extensão foi habilitada para este workspace pelo usuário.",
+ "globally disabled": "Esta extensão foi desabilitada globalmente pelo usuário.",
+ "workspace disabled": "Esta extensão foi desabilitada para este workspace pelo usuário.",
+ "Install language pack also in remote server": "Instalar a extensão do pacote de idiomas em '{0}' para habilitá-la também.",
+ "Install language pack also locally": "Instalar a extensão do pacote de idiomas localmente para habilitá-la também.",
+ "Install in other server to enable": "Instale a extensão em '{0}' para habilitar.",
+ "disabled because of extension kind": "Esta extensão definiu que não pode ser executada no servidor remoto",
+ "disabled locally": "A extensão está habilitada em '{0}' e está desabilitada localmente.",
+ "disabled remotely": "A extensão está habilitada localmente e está desabilitada em '{0}'.",
+ "disableAll": "Desabilitar Todas as Extensões Instaladas",
+ "disableAllWorkspace": "Desabilitar Todas as Extensões Instaladas para este Workspace",
+ "enableAll": "Habilitar Todas as Extensões",
+ "enableAllWorkspace": "Habilitar Todas as Extensões para este Workspace",
+ "installVSIX": "Instalar do VSIX...",
+ "installFromVSIX": "Instalar do VSIX",
+ "installButton": "&&Instalar",
+ "reinstall": "Reinstalar Extensão...",
+ "selectExtensionToReinstall": "Selecionar Extensão para Reinstalar",
+ "ReinstallAction.successReload": "Recarregue o Visual Studio Code para concluir a reinstalação da extensão {0}.",
+ "ReinstallAction.success": "A reinstalação da extensão {0} foi concluída.",
+ "InstallVSIXAction.reloadNow": "Recarregar Agora",
+ "install previous version": "Instalar a Versão Específica da Extensão...",
+ "selectExtension": "Selecionar Extensão",
+ "InstallAnotherVersionExtensionAction.successReload": "Recarregue o Visual Studio Code para concluir a instalação da extensão {0}.",
+ "InstallAnotherVersionExtensionAction.success": "A instalação da extensão {0} está concluída.",
+ "InstallAnotherVersionExtensionAction.reloadNow": "Recarregar Agora",
+ "select extensions to install": "Selecionar extensões para instalar",
+ "no local extensions": "Não há extensões a serem instaladas.",
+ "installing extensions": "Instalando Extensões...",
+ "finished installing": "Extensões instaladas com êxito.",
+ "select and install local extensions": "Instalar Extensões Locais em '{0}'...",
+ "install local extensions title": "Instalar Extensões Locais em '{0}'",
+ "select and install remote extensions": "Instalar as Extensões Remotas Localmente...",
+ "install remote extensions": "Instalar as Extensões Remotas Localmente",
+ "extensionButtonProminentBackground": "Cor da tela de fundo do botão para extensão de ações que se destacam (por exemplo, botão de instalação).",
+ "extensionButtonProminentForeground": "Cor de primeiro plano do botão para a extensão de ações que se destacam (por exemplo, botão de instalação).",
+ "extensionButtonProminentHoverBackground": "Cor de foco da tela de fundo do botão para extensão de ações que se destacam (por exemplo, botão de instalação)."
+ },
+ "vs/workbench/contrib/extensions/common/extensionsFileTemplate": {
+ "app.extensions.json.title": "Extensões",
+ "app.extensions.json.recommendations": "Lista de extensões que devem ser recomendadas para usuários deste workspace. O identificador de uma extensão é sempre '${publisher}.${name}'. Por exemplo: 'vscode.csharp'.",
+ "app.extension.identifier.errorMessage": "Esperava-se o formato '${publisher}.${name}'. Exemplo: 'vscode.csharp'.",
+ "app.extensions.json.unwantedRecommendations": "Lista de extensões recomendadas pelo VS Code que não devem ser recomendadas para usuários deste workspace. O identificador de uma extensão é sempre ''${publisher}.${name}'. Por exemplo: 'vscode.csharp'."
+ },
+ "vs/workbench/contrib/extensions/browser/extensionEditor": {
+ "name": "Nome da extensão",
+ "extension id": "Identificador de extensão",
+ "preview": "Visualizar",
+ "builtin": "Interno",
+ "publisher": "Nome do editor",
+ "install count": "Quantidade de instalações",
+ "rating": "Classificação",
+ "repository": "Repositório",
+ "license": "Licença",
+ "version": "Versão",
+ "details": "Detalhes",
+ "detailstooltip": "Detalhes da extensão, renderizados do arquivo 'README.md' da extensão",
+ "contributions": "Contribuições de Recurso",
+ "contributionstooltip": "Lista as contribuições desta extensão para o VS Code",
+ "changelog": "Log de mudanças",
+ "changelogtooltip": "Histórico de atualização de extensão, renderizado do arquivo 'CHANGELOG.md' da extensão",
+ "dependencies": "Dependências",
+ "dependenciestooltip": "Lista as extensões das quais essa extensão depende",
+ "recommendationHasBeenIgnored": "Você optou por não receber recomendações para esta extensão.",
+ "noReadme": "Nenhum LEIAME disponível.",
+ "extension pack": "Pacote de Extensões ({0})",
+ "noChangelog": "Não há log de mudanças disponível.",
+ "noContributions": "Nenhuma Contribuição",
+ "noDependencies": "Sem Dependências",
+ "settings": "Configurações ({0})",
+ "setting name": "Nome",
+ "description": "Descrição",
+ "default": "Padrão",
+ "debuggers": "Depuradores ({0})",
+ "debugger name": "Nome",
+ "debugger type": "Digitar",
+ "viewContainers": "Exibir Contêineres ({0})",
+ "view container id": "ID",
+ "view container title": "Título",
+ "view container location": "Onde",
+ "views": "Modos de Exibição ({0})",
+ "view id": "ID",
+ "view name": "Nome",
+ "view location": "Onde",
+ "localizations": "Localizações ({0})",
+ "localizations language id": "ID de Idioma",
+ "localizations language name": "Nome da Linguagem",
+ "localizations localized language name": "Nome da Linguagem (Localizado)",
+ "customEditors": "Editores Personalizados ({0})",
+ "customEditors view type": "Exibir Tipo",
+ "customEditors priority": "Prioridade",
+ "customEditors filenamePattern": "Padrão de Nome de Arquivo",
+ "codeActions": "Ações de Código ({0})",
+ "codeActions.title": "Título",
+ "codeActions.kind": "Tipo",
+ "codeActions.description": "Descrição",
+ "codeActions.languages": "Linguagens",
+ "authentication": "Autenticação ({0})",
+ "authentication.label": "Rótulo",
+ "authentication.id": "Id",
+ "colorThemes": "Temas de Cores ({0})",
+ "iconThemes": "Temas do Ícone de Arquivo ({0})",
+ "colors": "Cores ({0})",
+ "colorId": "Id",
+ "defaultDark": "Padrão Escuro",
+ "defaultLight": "Claro Padrão",
+ "defaultHC": "Alto Contraste Padrão",
+ "JSON Validation": "Validação JSON ({0})",
+ "fileMatch": "Correspondência de Arquivo",
+ "schema": "Esquema",
+ "commands": "Comandos ({0})",
+ "command name": "Nome",
+ "keyboard shortcuts": "Atalhos de Teclado",
+ "menuContexts": "Contextos de Menu",
+ "languages": "Linguagens ({0})",
+ "language id": "ID",
+ "language name": "Nome",
+ "file extensions": "Extensões de Arquivo",
+ "grammar": "Gramática",
+ "snippets": "Snippets",
+ "activation events": "Eventos de Ativação ({0})",
+ "find": "Localizar",
+ "find next": "Localizar Próximo",
+ "find previous": "Localizar Anterior"
+ },
+ "vs/workbench/contrib/extensions/common/extensionsUtils": {
+ "disableOtherKeymapsConfirmation": "Desabilitar outros keymaps ({0}) para evitar conflitos entre associações de teclas?",
+ "yes": "Sim",
+ "no": "Não"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsActivationProgress": {
+ "activation": "Ativando Extensões..."
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsDependencyChecker": {
+ "extensions": "Extensões",
+ "auto install missing deps": "Instalar Dependências Ausentes",
+ "finished installing missing deps": "Concluída a instalação de dependências ausentes. Recarregue a janela agora.",
+ "reload": "Recarregar a Janela",
+ "no missing deps": "Não há dependência ausente para instalar."
+ },
+ "vs/workbench/contrib/extensions/browser/remoteExtensionsInstaller": {
+ "remote": "Remoto",
+ "install remote in local": "Instalar as Extensões Remotas Localmente..."
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsWorkbenchService": {
+ "Manifest is not found": "Manifesto não encontrado",
+ "malicious": "Esta extensão foi relatada como problemática.",
+ "uninstallingExtension": "Desinstalando extensão...",
+ "incompatible": "Não é possível instalar a extensão '{0}' porque ela não é compatível com o VS Code '{1}'.",
+ "installing named extension": "Instalando a extensão '{0}'...",
+ "installing extension": "Instalando extensão...",
+ "disable all": "Desabilitar Tudo",
+ "singleDependentError": "Não é possível desabilitar a extensão '{0}' sozinha. A extensão '{1}' depende dela. Deseja desabilitar todas essas extensões?",
+ "twoDependentsError": "Não é possível desabilitar a extensão '{0}' sozinha. As extensões '{1}' e '{2}' dependem dela. Deseja desabilitar todas essas extensões?",
+ "multipleDependentsError": "Não é possível desabilitar a extensão '{0}' sozinha. As extensões '{1}', '{2}' e outras dependem dela. Deseja desabilitar todas essas extensões?"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsQuickAccess": {
+ "type": "Digite um nome de extensão para instalar ou pesquisar.",
+ "searchFor": "Pressione Enter para pesquisar a extensão '{0}'.",
+ "install": "Pressione Enter para instalar a extensão '{0}'.",
+ "manage": "Pressione Enter para gerenciar suas extensões."
+ },
+ "vs/workbench/contrib/extensions/browser/extensionRecommendationNotificationService": {
+ "neverShowAgain": "Não Mostrar Novamente",
+ "ignoreExtensionRecommendations": "Deseja ignorar todas as recomendações de extensão?",
+ "ignoreAll": "Sim, Ignorar Tudo",
+ "no": "Não",
+ "workspaceRecommended": "Deseja instalar as extensões recomendadas para este repositório?",
+ "install": "Instalar",
+ "install and do no sync": "Instalar (Não sincronizar)",
+ "show recommendations": "Mostrar as Recomendações"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsIcons": {
+ "extensionsViewIcon": "Ícone de exibição da exibição de extensões.",
+ "manageExtensionIcon": "Ícone da ação 'Gerenciar' na exibição de extensões.",
+ "clearSearchResultsIcon": "Ícone da ação 'Limpar o Resultado da Pesquisa' na exibição de extensões.",
+ "refreshIcon": "Ícone da ação 'Atualizar' na exibição de extensões.",
+ "filterIcon": "Ícone da ação 'Filtrar' na exibição de extensões.",
+ "installLocalInRemoteIcon": "Ícone da ação 'Instalar a Extensão Local Remotamente' na exibição de extensões.",
+ "installWorkspaceRecommendedIcon": "Ícone da ação 'Instalar as Extensões Recomendadas do Workspace' na exibição de extensões.",
+ "configureRecommendedIcon": "Ícone da ação 'Configurar as Extensões Recomendadas' na exibição de extensões.",
+ "syncEnabledIcon": "Ícone para indicar que uma extensão está sincronizada.",
+ "syncIgnoredIcon": "Ícone para indicar que uma extensão é ignorada durante a sincronização.",
+ "remoteIcon": "Ícone para indicar que uma extensão é remota na exibição e no editor de extensões.",
+ "installCountIcon": "Ícone mostrado junto com a contagem de instalações na exibição e no editor de extensões.",
+ "ratingIcon": "Ícone mostrado junto com a classificação na exibição e no editor de extensões.",
+ "starFullIcon": "Ícone de estrela completa usado para a classificação no editor de extensões.",
+ "starHalfIcon": "Ícone de meia estrela usado para a classificação no editor de extensões.",
+ "starEmptyIcon": "Ícone de estrela vazia usado para a classificação no editor de extensões.",
+ "warningIcon": "Ícone mostrado com uma mensagem de aviso no editor de extensões.",
+ "infoIcon": "Ícone mostrado com uma mensagem de informações no editor de extensões."
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsViews": {
+ "extension-arialabel": "{0}, {1}, {2}, pressione enter para obter detalhes da extensão.",
+ "extensions": "Extensões",
+ "galleryError": "Não é possível se conectar ao Marketplace de Extensões neste momento, tente novamente mais tarde.",
+ "error": "Erro ao carregar as extensões. {0}",
+ "no extensions found": "Nenhuma extensão encontrada.",
+ "suggestProxyError": "O Marketplace retornou 'ECONNREFUSED'. Verifique a configuração 'http.proxy'.",
+ "open user settings": "Abrir as Configurações de Usuário",
+ "installWorkspaceRecommendedExtensions": "Instalar Extensões Recomendadas do Workspace"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsWidgets": {
+ "ratedBySingleUser": "Classificado por 1 usuário",
+ "ratedByUsers": "Classificado por {0} usuários",
+ "noRating": "Nenhuma classificação",
+ "remote extension title": "Extensão em {0}",
+ "syncingore.label": "Esta extensão foi ignorada durante a sincronização."
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsViewer": {
+ "error": "Erro",
+ "Unknown Extension": "Extensão Desconhecida:",
+ "extension-arialabel": "{0}, {1}, {2}, pressione enter para obter detalhes da extensão.",
+ "extensions": "Extensões"
+ },
+ "vs/workbench/contrib/extensions/browser/dynamicWorkspaceRecommendations": {
+ "dynamicWorkspaceRecommendation": "Esta extensão pode ser de seu interesse porque é popular entre os usuários do repositório {0}."
+ },
+ "vs/workbench/contrib/extensions/browser/exeBasedRecommendations": {
+ "exeBasedRecommendation": "Esta extensão é recomendável porque você tem o {0} instalado."
+ },
+ "vs/workbench/contrib/extensions/browser/workspaceRecommendations": {
+ "workspaceRecommendation": "Esta extensão é recomendada pelos usuários do workspace atual."
+ },
+ "vs/workbench/contrib/extensions/browser/fileBasedRecommendations": {
+ "searchMarketplace": "Pesquisar Marketplace",
+ "fileBasedRecommendation": "Esta extensão é recomendável com base nos arquivos abertos recentemente.",
+ "reallyRecommended": "Deseja instalar as extensões recomendadas para {0}?",
+ "showLanguageExtensions": "O Marketplace tem extensões que podem ajudar com os arquivos '.{0}'",
+ "dontShowAgainExtension": "Não Mostrar Novamente para os arquivos '.{0}'"
+ },
+ "vs/workbench/contrib/extensions/browser/configBasedRecommendations": {
+ "exeBasedRecommendation": "Esta extensão é recomendável por causa da configuração de workspace atual"
+ },
+ "vs/workbench/contrib/externalTerminal/node/externalTerminal.contribution": {
+ "globalConsoleAction": "Abrir Novo Terminal Externo",
+ "terminalConfigurationTitle": "Terminal Externo",
+ "terminal.explorerKind.integrated": "Use o terminal integrado do VS Code.",
+ "terminal.explorerKind.external": "Use o terminal externo configurado.",
+ "explorer.openInTerminalKind": "Personaliza o tipo de terminal a ser iniciado.",
+ "terminal.external.windowsExec": "Personaliza qual terminal deve ser executado no Windows.",
+ "terminal.external.osxExec": "Personaliza qual aplicativo de terminal será executado no macOS.",
+ "terminal.external.linuxExec": "Personaliza qual terminal deve ser executado no Linux."
+ },
+ "vs/workbench/contrib/externalTerminal/node/externalTerminalService": {
+ "console.title": "Console do VS Code",
+ "mac.terminal.script.failed": "O script '{0}' falhou com o código de saída {1}",
+ "mac.terminal.type.not.supported": "Não há suporte para '{0}'",
+ "press.any.key": "Pressione qualquer tecla para continuar...",
+ "linux.term.failed": "Falha em '{0}' com o código de saída {1}",
+ "ext.term.app.not.found": "não é possível localizar o aplicativo de terminal '{0}'"
+ },
+ "vs/workbench/contrib/externalTerminal/browser/externalTerminal.contribution": {
+ "scopedConsoleAction": "Abrir no Terminal",
+ "scopedConsoleAction.integrated": "Abrir no Terminal Integrado",
+ "scopedConsoleAction.wt": "Abrir no Terminal do Windows",
+ "scopedConsoleAction.external": "Abrir no Terminal Externo"
+ },
+ "vs/workbench/contrib/feedback/browser/feedbackStatusbarItem": {
+ "status.feedback": "Enviar Comentários por Tweet"
+ },
+ "vs/workbench/contrib/feedback/browser/feedback": {
+ "sendFeedback": "Enviar Comentários por Tweet",
+ "label.sendASmile": "Envie-nos seus comentários por tweet.",
+ "close": "Fechar",
+ "patchedVersion1": "A instalação está corrompida.",
+ "patchedVersion2": "Especifique isso ao enviar um bug.",
+ "sentiment": "Como foi sua experiência?",
+ "smileCaption": "Sentimento de Felicidade com os Comentários",
+ "frownCaption": "Sentimentos de Comentários Tristes",
+ "other ways to contact us": "Outros modos de entrar em contato conosco",
+ "submit a bug": "Enviar um bug",
+ "request a missing feature": "Solicitar um recurso ausente",
+ "tell us why": "Conte-nos por quê?",
+ "feedbackTextInput": "Conte-nos seus comentários",
+ "showFeedback": "Mostrar Ícone de Comentários na Barra de Status",
+ "tweet": "Enviar Tweet",
+ "tweetFeedback": "Enviar Comentários por Tweet",
+ "character left": "caractere à esquerda",
+ "characters left": "caracteres à esquerda"
+ },
+ "vs/workbench/contrib/files/electron-sandbox/files.contribution": {
+ "textFileEditor": "Editor de Arquivo de Texto"
+ },
+ "vs/workbench/contrib/files/electron-sandbox/fileActions.contribution": {
+ "revealInWindows": "Revelar no Explorador de Arquivos",
+ "revealInMac": "Revelar no Localizador",
+ "openContainer": "Abrir Pasta Continente",
+ "filesCategory": "Arquivo"
+ },
+ "vs/workbench/contrib/files/browser/explorerViewlet": {
+ "explorerViewIcon": "Ícone de exibição da exibição do gerenciador.",
+ "folders": "Pastas",
+ "explore": "Explorador",
+ "noWorkspaceHelp": "Você ainda não adicionou uma pasta ao workspace.\r\n[Adicionar Pasta](command:{0})",
+ "remoteNoFolderHelp": "Conectado ao remoto.\r\n[Abrir Pasta](command:{0})",
+ "noFolderHelp": "Você ainda não abriu uma pasta.\r\n[Abrir Pasta](command:{0})"
+ },
+ "vs/workbench/contrib/files/browser/files.contribution": {
+ "showExplorerViewlet": "Mostrar Explorador",
+ "binaryFileEditor": "Editor de Arquivo Binário",
+ "hotExit.off": "Desabilitar Hot Exit. Um prompt será exibido ao tentar fechar uma janela com arquivos sujos.",
+ "hotExit.onExit": "A Hot Exit será disparada quando a última janela for fechada no Windows/Linux ou quando o comando `workbench.action.quit` for disparado (paleta de comandos, associação de teclas, menu). Todas as janelas sem pastas abertas serão restauradas na próxima inicialização. Uma lista de workspaces com arquivos não salvos pode ser acessada em `Arquivo > Abrir Recente > Mais...`",
+ "hotExit.onExitAndWindowClose": "A Hot Exit será disparada quando a última janela for fechada no Windows/Linux ou quando o comando `workbench.action.quit` for disparado (paleta de comandos, associação de teclas, menu) e também para qualquer janela com uma pasta aberta, independentemente de esta ser a última janela. Todas as janelas sem pastas abertas serão restauradas na próxima inicialização. Uma lista de workspaces com arquivos não salvos pode ser acessada por meio de `Arquivo > Abrir Recente > Mais...`",
+ "hotExit": "Controla se os arquivos não salvos são lembrados entre as sessões, permitindo que o prompt de salvamento ao sair do editor seja ignorado.",
+ "hotExit.onExitAndWindowCloseBrowser": "A Hot Exit será disparada quando o navegador for encerrado ou quando a janela ou guia for fechada.",
+ "filesConfigurationTitle": "Arquivos",
+ "exclude": "Configurar padrões glob para excluir arquivos e pastas. Por exemplo, o Explorador de arquivos decide quais arquivos e pastas serão mostrados ou ocultos com base nessa configuração. Confira a configuração `#search.exclude#` para definir exclusões específicas da pesquisa. Leia mais sobre padrões glob [aqui] (https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options).",
+ "files.exclude.boolean": "O padrão glob ao qual corresponder os caminhos do arquivo. Defina como true ou false para habilitar ou desabilitar o padrão.",
+ "files.exclude.when": "Verificação adicional nos irmãos de um arquivo correspondente. Use $(basename) como variável para o nome do arquivo correspondente.",
+ "associations": "Configurar associações de arquivo para idiomas (por exemplo, `\"*.extension\": \"html\"`). Elas têm precedência sobre as associações padrão dos idiomas instalados.",
+ "encoding": "A codificação de conjunto de caracteres padrão a ser usada ao ler e gravar arquivos. Essa configuração também pode ser definida por idioma.",
+ "autoGuessEncoding": "Quando habilitado, o editor tentará adivinhar a codificação de conjunto de caracteres ao abrir arquivos. Essa configuração também pode ser definida por idioma.",
+ "eol.LF": "LF",
+ "eol.CRLF": "CRLF",
+ "eol.auto": "Usa o caractere de fim de linha específico do sistema operacional.",
+ "eol": "O caractere de fim de linha padrão.",
+ "useTrash": "Move arquivos/pastas para a lixeira do sistema operacional (lixeira no Windows) ao excluir. Desabilitar isso excluirá arquivos/pastas permanentemente.",
+ "trimTrailingWhitespace": "Quando habilitado, cortará o espaço em branco à direita ao salvar um arquivo.",
+ "insertFinalNewline": "Quando habilitado, insira uma nova linha final no final do arquivo ao salvá-lo.",
+ "trimFinalNewlines": "Quando habilitado, cortará todas as novas linhas após a última linha final no final do arquivo ao salvá-lo.",
+ "files.autoSave.off": "Um editor sujo nunca é salvo automaticamente.",
+ "files.autoSave.afterDelay": "Um editor sujo é automaticamente salvo após o `#files.autoSaveDelay#` configurado.",
+ "files.autoSave.onFocusChange": "Um editor sujo é automaticamente salvo quando o editor perde o foco.",
+ "files.autoSave.onWindowChange": "Um editor sujo é automaticamente salvo quando a janela perde o foco.",
+ "autoSave": "Controla o salvamento automático de editores sujos. Leia mais sobre o salvamento automático [aqui](https://code.visualstudio.com/docs/editor/codebasics#_save-auto-save).",
+ "autoSaveDelay": "Controla o atraso em ms após o qual um editor sujo é salvo automaticamente. Aplica-se somente quando `#files.autoSave#` está definido como `{0}`.",
+ "watcherExclude": "Configurar padrões glob de caminhos de arquivo a serem excluídos da inspeção de arquivo. Os padrões precisam corresponder a caminhos absolutos (por exemplo, prefixados com ** ou o caminho completo para corresponder corretamente). A alteração dessa configuração exige uma reinicialização. Se o Código consumir muito tempo de CPU na inicialização, será possível excluir pastas grandes para reduzir o carregamento inicial.",
+ "defaultLanguage": "O modo de idioma padrão atribuído a novos arquivos. Se configurado como `${activeEditorLanguage}`, o modo de idioma do editor de texto ativo no momento será usado, se houver.",
+ "maxMemoryForLargeFilesMB": "Controla a memória disponível para VS Code após a reinicialização ao tentar abrir arquivos grandes. O mesmo efeito que especificar `--max-memory=NEWSIZE` na linha de comando.",
+ "files.restoreUndoStack": "Restaurar a pilha de desfazer quando um arquivo for reaberto.",
+ "askUser": "Recusará salvar e pedirá a resolução do conflito de salvamento manualmente.",
+ "overwriteFileOnDisk": "Resolverá o conflito de salvamento ao substituir o arquivo no disco pelas alterações no editor.",
+ "files.saveConflictResolution": "Um conflito de salvamento pode ocorrer quando um arquivo é salvo em um disco que foi alterado por outro programa nesse tempo. Para evitar a perda de dados, o usuário é solicitado a comparar as alterações no editor com a versão no disco. Essa configuração só deverá ser alterada se você encontrar frequentemente erros de conflito de salvamento e poderá resultar em perda de dados se usada sem cuidado.",
+ "files.simpleDialog.enable": "Habilita a caixa de diálogo de arquivo simples. A caixa de diálogo de arquivo simples substitui a caixa de diálogo de arquivo do sistema quando habilitada.",
+ "formatOnSave": "Formatar um arquivo ao salvar. Um formatador precisa estar disponível, o arquivo não deve ser salvo após o atraso e o editor não deve estar desligando.",
+ "everything": "Formate todo o documento.",
+ "modification": "Formate modificações (exige controle do código-fonte).",
+ "formatOnSaveMode": "Controla se o formato no salvamento formata o arquivo inteiro ou somente as modificações. Aplica-se somente quando `#editor.formatOnSave#` é `true`.",
+ "explorerConfigurationTitle": "Explorador de Arquivos",
+ "openEditorsVisible": "Número de editores mostrados no painel Editores Abertos. A configuração desta opção como 0 oculta o painel Editores Abertos.",
+ "openEditorsSortOrder": "Controla a ordem de classificação dos editores no painel Editores Abertos.",
+ "sortOrder.editorOrder": "Os editores são ordenados na mesma ordem em que as guias do editor são mostradas.",
+ "sortOrder.alphabetical": "Os editores são ordenados em ordem alfabética dentro de cada grupo de editores.",
+ "autoReveal.on": "Os arquivos serão revelados e selecionados.",
+ "autoReveal.off": "Os arquivos não serão revelados e selecionados.",
+ "autoReveal.focusNoScroll": "Os arquivos não serão rolados no modo de exibição, mas ainda terão foco.",
+ "autoReveal": "Controla se o explorador deve revelar e selecionar arquivos automaticamente ao abri-los.",
+ "enableDragAndDrop": "Controla se o gerenciador deve permitir a movimentação de arquivos e pastas por meio da operação de arrastar e soltar. Esta configuração afeta apenas a operação de arrastar e soltar dentro do gerenciador.",
+ "confirmDragAndDrop": "Controla se o explorador deve solicitar confirmação para mover arquivos e pastas por meio de arrastar e soltar.",
+ "confirmDelete": "Controla se o explorador deve solicitar confirmação ao excluir um arquivo por meio da lixeira.",
+ "sortOrder.default": "Os arquivos e as pastas são classificados por nomes, em ordem alfabética. As pastas são exibidas antes dos arquivos.",
+ "sortOrder.mixed": "Os arquivos e as pastas são classificados por nomes, em ordem alfabética. Os arquivos estão entrelaçados com as pastas.",
+ "sortOrder.filesFirst": "Os arquivos e as pastas são classificados por nomes, em ordem alfabética. Os arquivos são exibidos antes das pastas.",
+ "sortOrder.type": "Os arquivos e as pastas são classificados por suas extensões, em ordem alfabética. As pastas são exibidas antes dos arquivos.",
+ "sortOrder.modified": "Os arquivos e as pastas são classificados pela data da última modificação, em ordem decrescente. As pastas são exibidas antes dos arquivos.",
+ "sortOrder": "Controla a ordem de classificação de arquivos e pastas no explorador.",
+ "explorer.decorations.colors": "Controla se as decorações de arquivo devem usar cores.",
+ "explorer.decorations.badges": "Controla se as decorações de arquivo devem usar selos.",
+ "simple": "Acrescenta a palavra \"cópia\" no final do nome duplicado, potencialmente seguido por um número",
+ "smart": "Adiciona um número ao final do nome duplicado. Se algum número já fizer parte do nome, ele tentará aumentar esse número",
+ "explorer.incrementalNaming": "Controla qual estratégia de nomenclatura deverá ser usada quando um novo nome for atribuir a um item do explorador duplicado ao colar.",
+ "compressSingleChildFolders": "Controla se o explorador deve renderizar pastas em um formato compacto. Nesse formato, as pastas filho únicas serão compactadas em um elemento de árvore combinado. Isso é útil para estruturas de pacote Java, por exemplo.",
+ "miViewExplorer": "&&Explorador"
+ },
+ "vs/workbench/contrib/files/browser/fileActions.contribution": {
+ "filesCategory": "Arquivo",
+ "workspaces": "Workspaces",
+ "file": "Arquivo",
+ "copyPath": "Copiar o Caminho",
+ "copyRelativePath": "Copiar Caminho Relativo",
+ "revealInSideBar": "Revelar na Barra Lateral",
+ "acceptLocalChanges": "Use suas alterações e substitua o conteúdo do arquivo",
+ "revertLocalChanges": "Descartar alterações e reverter para conteúdo do arquivo",
+ "copyPathOfActive": "Copiar Caminho do Arquivo Ativo",
+ "copyRelativePathOfActive": "Copiar Caminho Relativo do Arquivo Ativo",
+ "saveAllInGroup": "Salvar Tudo no Grupo",
+ "saveFiles": "Salvar Todos os Arquivos",
+ "revert": "Reverter Arquivo",
+ "compareActiveWithSaved": "Comparar Arquivo Ativo com Salvo",
+ "openToSide": "Abrir ao Lado",
+ "saveAll": "Salvar Tudo",
+ "compareWithSaved": "Comparar com Salvo",
+ "compareWithSelected": "Comparar com Selecionado",
+ "compareSource": "Selecionar para Comparar",
+ "compareSelected": "Comparar Selecionado",
+ "close": "Fechar",
+ "closeOthers": "Fechar Outros",
+ "closeSaved": "Fechar Salvos",
+ "closeAll": "Fechar Tudo",
+ "explorerOpenWith": "Abrir Com...",
+ "cut": "Recortar",
+ "deleteFile": "Excluir Permanentemente",
+ "newFile": "Novo Arquivo",
+ "openFile": "Abrir o Arquivo...",
+ "miNewFile": "&&Novo Arquivo",
+ "miSave": "&&Salvar",
+ "miSaveAs": "Salvar &&como...",
+ "miSaveAll": "Salvar T&&udo",
+ "miOpen": "&&Abrir...",
+ "miOpenFile": "&&Abrir o Arquivo...",
+ "miOpenFolder": "Abrir &&Pasta...",
+ "miOpenWorkspace": "Abrir Wor&&kspace...",
+ "miAutoSave": "Salvamento A&&utomático",
+ "miRevert": "Re&&verter Arquivo",
+ "miCloseEditor": "&&Fechar o Editor",
+ "miGotoFile": "Ir para &&Arquivo..."
+ },
+ "vs/workbench/contrib/files/electron-sandbox/fileCommands": {
+ "openFileToReveal": "Abrir um arquivo primeiro para exibir"
+ },
+ "vs/workbench/contrib/files/common/editors/fileEditorInput": {
+ "orphanedReadonlyFile": "{0} (excluído, somente leitura)",
+ "orphanedFile": "{0} (excluído)",
+ "readonlyFile": "{0} (somente leitura)"
+ },
+ "vs/workbench/contrib/files/electron-sandbox/textFileEditor": {
+ "fileTooLargeForHeapError": "Para abrir um arquivo desse tamanho, é necessário fazer uma reinicialização e permitir que ele use mais memória",
+ "relaunchWithIncreasedMemoryLimit": "Reiniciar com {0} MB",
+ "configureMemoryLimit": "Configurar Limite de Memória"
+ },
+ "vs/workbench/contrib/files/browser/views/emptyView": {
+ "noWorkspace": "Nenhuma Pasta Aberta"
+ },
+ "vs/workbench/contrib/files/browser/views/explorerView": {
+ "explorerSection": "Seção do Explorador: {0}"
+ },
+ "vs/workbench/contrib/files/browser/views/openEditorsView": {
+ "openEditors": "Editores Abertos",
+ "dirtyCounter": "{0} não salvo"
+ },
+ "vs/workbench/contrib/files/browser/editors/textFileSaveErrorHandler": {
+ "userGuide": "Use as ações na barra de ferramentas do editor para desfazer as alterações ou substituir o conteúdo do arquivo pelas suas alterações.",
+ "staleSaveError": "Falha ao salvar '{0}': o conteúdo do arquivo é mais recente. Compare sua versão com o conteúdo do arquivo ou substitua o conteúdo do arquivo pelas suas alterações.",
+ "retry": "Fazer uma nova tentativa",
+ "discard": "Descartar",
+ "readonlySaveErrorAdmin": "Falha ao salvar '{0}': o arquivo é somente leitura. Selecione 'Substituir como Administrador' para tentar novamente como administrador.",
+ "readonlySaveErrorSudo": "Falha ao salvar '{0}': o arquivo é somente leitura. Selecione 'Substituir como Sudo' para tentar novamente como superusuário.",
+ "readonlySaveError": "Falha ao salvar '{0}': o arquivo é somente leitura. Selecione 'Substituir ' para tentar torná-lo gravável.",
+ "permissionDeniedSaveError": "Falha ao salvar '{0}': permissões insuficientes. Selecione 'Repetir como Administrador' para tentar novamente como administrador.",
+ "permissionDeniedSaveErrorSudo": "Falha ao salvar '{0}': permissões insuficientes. Selecione 'Repetir como Sudo' para tentar novamente como superusuário.",
+ "genericSaveError": "Erro ao salvar '{0}': {1}",
+ "learnMore": "Saiba Mais",
+ "dontShowAgain": "Não Mostrar Novamente",
+ "compareChanges": "Comparar",
+ "saveConflictDiffLabel": "{0} (no arquivo) ↔ {1} (em {2}) – Resolver o conflito de salvamento",
+ "overwriteElevated": "Substituir como Administrador...",
+ "overwriteElevatedSudo": "Substituir como Sudo...",
+ "saveElevated": "Tentar Novamente como Administrador...",
+ "saveElevatedSudo": "Repetir como Sudo...",
+ "overwrite": "Substituir",
+ "configure": "Configurar"
+ },
+ "vs/workbench/contrib/files/browser/editors/binaryFileEditor": {
+ "binaryFileEditor": "Visualizador de Arquivo Binário"
+ },
+ "vs/workbench/contrib/files/common/workspaceWatcher": {
+ "netVersionError": "O Microsoft .NET Framework 4.5 é necessário. Siga o link para instalá-lo.",
+ "installNet": "Baixar .NET Framework 4.5",
+ "enospcError": "Não é possível observar as alterações de arquivo neste workspace grande. Siga o link de instruções para resolver esse problema.",
+ "learnMore": "Instruções"
+ },
+ "vs/workbench/contrib/files/common/dirtyFilesIndicator": {
+ "dirtyFile": "Um arquivo não salvo",
+ "dirtyFiles": "{0} arquivos não salvos"
+ },
+ "vs/workbench/contrib/files/browser/fileActions": {
+ "newFile": "Novo Arquivo",
+ "newFolder": "Nova Pasta",
+ "rename": "Renomear",
+ "delete": "Excluir",
+ "copyFile": "Copiar",
+ "pasteFile": "Colar",
+ "download": "Baixar...",
+ "createNewFile": "Novo Arquivo",
+ "createNewFolder": "Nova Pasta",
+ "deleteButtonLabelRecycleBin": "&&Mover para a Lixeira",
+ "deleteButtonLabelTrash": "&&Move para o Lixo",
+ "deleteButtonLabel": "&&Excluir",
+ "dirtyMessageFilesDelete": "Você está excluindo arquivos com alterações não salvas. Deseja continuar?",
+ "dirtyMessageFolderOneDelete": "Você está excluindo uma pasta {0} com as alterações não salvas em 1 arquivo. Deseja continuar?",
+ "dirtyMessageFolderDelete": "Você está excluindo uma pasta {0} com alterações não salvas em {1} arquivos. Deseja continuar?",
+ "dirtyMessageFileDelete": "Você está excluindo {0} com alterações não salvas. Deseja continuar?",
+ "dirtyWarning": "Suas alterações serão perdidas se você não as salvar.",
+ "undoBinFiles": "Você pode restaurar esses arquivos da Lixeira.",
+ "undoBin": "Você pode restaurar esse arquivo da Lixeira.",
+ "undoTrashFiles": "Você pode restaurar esses arquivos da Lixeira.",
+ "undoTrash": "Você pode restaurar esse arquivo da Lixeira.",
+ "doNotAskAgain": "Não perguntar novamente",
+ "irreversible": "Esta ação é irreversível.",
+ "deleteBulkEdit": "Excluir {0} arquivos",
+ "deleteFileBulkEdit": "Excluir {0}",
+ "deletingBulkEdit": "Excluindo {0} arquivos",
+ "deletingFileBulkEdit": "Excluindo {0}",
+ "binFailed": "Falha ao excluir usando a Lixeira. Deseja excluir permanentemente?",
+ "trashFailed": "Falha ao excluir usando a Lixeira. Deseja excluir permanentemente em vez disso?",
+ "deletePermanentlyButtonLabel": "&&Excluir Permanentemente",
+ "retryButtonLabel": "&&Fazer uma nova tentativa",
+ "confirmMoveTrashMessageFilesAndDirectories": "Tem certeza de que deseja excluir os seguintes {0} arquivos/diretórios e os conteúdos correspondentes?",
+ "confirmMoveTrashMessageMultipleDirectories": "Tem certeza de que deseja excluir os seguintes {0} diretórios e os conteúdos correspondentes?",
+ "confirmMoveTrashMessageMultiple": "Tem certeza de que deseja excluir os seguintes {0} arquivos?",
+ "confirmMoveTrashMessageFolder": "Tem certeza de que deseja excluir '{0}' e o conteúdo correspondente?",
+ "confirmMoveTrashMessageFile": "Tem certeza de que deseja excluir '{0}'?",
+ "confirmDeleteMessageFilesAndDirectories": "Tem certeza de que deseja excluir permanentemente os seguintes {0} arquivos/diretórios e os conteúdos correspondentes?",
+ "confirmDeleteMessageMultipleDirectories": "Tem certeza de que deseja excluir permanentemente os seguintes {0} diretórios e os conteúdos correspondentes?",
+ "confirmDeleteMessageMultiple": "Tem certeza de que deseja excluir permanentemente os seguintes {0} arquivos?",
+ "confirmDeleteMessageFolder": "Tem certeza de que deseja excluir permanentemente '{0}' e o conteúdo correspondente?",
+ "confirmDeleteMessageFile": "Tem certeza de que deseja excluir {0} permanentemente?",
+ "globalCompareFile": "Comparar Arquivo Ativo com...",
+ "fileToCompareNoFile": "Selecione um arquivo com o qual comparar.",
+ "openFileToCompare": "Abrir um arquivo primeiro para compará-lo com outro.",
+ "toggleAutoSave": "Ativar/Desativar Salvamento Automático",
+ "saveAllInGroup": "Salvar Tudo no Grupo",
+ "closeGroup": "Fechar Grupo",
+ "focusFilesExplorer": "Focar no Explorador de Arquivos",
+ "showInExplorer": "Revelar Arquivo Ativo na Barra Lateral",
+ "openFileToShow": "Abrir um arquivo primeiro para mostrá-lo no explorador",
+ "collapseExplorerFolders": "Recolher Pastas no Explorador",
+ "refreshExplorer": "Atualizar Explorador",
+ "openFileInNewWindow": "Abrir Arquivo Ativo na Nova Janela",
+ "openFileToShowInNewWindow.unsupportedschema": "O editor ativo precisa conter um recurso que pode ser aberto.",
+ "openFileToShowInNewWindow.nofile": "Abrir um arquivo primeiro para abrir em uma nova janela",
+ "emptyFileNameError": "É necessário fornecer um nome de arquivo ou pasta.",
+ "fileNameStartsWithSlashError": "Um nome de arquivo ou pasta não pode começar com uma barra.",
+ "fileNameExistsError": "Um arquivo ou pasta **{0}** já existe nesta localização. Escolha um nome diferente.",
+ "invalidFileNameError": "O nome **{0}** não é válido como um nome de arquivo ou pasta. Escolha um nome diferente.",
+ "fileNameWhitespaceWarning": "Espaço em branco à esquerda ou à direita detectado no nome do arquivo ou pasta.",
+ "compareWithClipboard": "Comparar Arquivo Ativo com Área de Transferência",
+ "clipboardComparisonLabel": "Área de transferência ↔ {0}",
+ "retry": "Fazer uma nova tentativa",
+ "createBulkEdit": "Criar {0}",
+ "creatingBulkEdit": "Criando {0}",
+ "renameBulkEdit": "Renomear {0} para {1}",
+ "renamingBulkEdit": "Renomeando {0} como {1}",
+ "downloadingFiles": "Baixando",
+ "downloadProgressSmallMany": "{0} de {1} arquivos ({2}/s)",
+ "downloadProgressLarge": "{0} ({1} de {2}, {3}/s)",
+ "downloadButton": "Baixar",
+ "downloadFolder": "Baixar Pasta",
+ "downloadFile": "Baixar Arquivo",
+ "downloadBulkEdit": "Baixar {0}",
+ "downloadingBulkEdit": "Baixando {0}",
+ "fileIsAncestor": "O arquivo a ser colado é um ancestral da pasta de destino",
+ "movingBulkEdit": "Movendo {0} arquivos",
+ "movingFileBulkEdit": "Movendo {0}",
+ "moveBulkEdit": "Mover {0} arquivos",
+ "moveFileBulkEdit": "Mover {0}",
+ "copyingBulkEdit": "Copiando {0} arquivos",
+ "copyingFileBulkEdit": "Copiando {0}",
+ "copyBulkEdit": "Copiar {0} arquivos",
+ "copyFileBulkEdit": "Copiar {0}",
+ "fileDeleted": "O arquivo para colar foi excluído ou movido desde que você o copiou. {0}"
+ },
+ "vs/workbench/contrib/files/browser/fileCommands": {
+ "saveAs": "Salvar como...",
+ "save": "Salvar",
+ "saveWithoutFormatting": "Salvar sem Formatação",
+ "saveAll": "Salvar Tudo",
+ "removeFolderFromWorkspace": "Remover Pasta do Workspace",
+ "newUntitledFile": "Novo Arquivo Sem Título",
+ "modifiedLabel": "{0} (no arquivo) ↔ {1}",
+ "openFileToCopy": "Abrir um arquivo primeiro para copiar seu caminho",
+ "genericSaveError": "Erro ao salvar '{0}': {1}",
+ "genericRevertError": "Falha ao reverter '{0}': {1}"
+ },
+ "vs/workbench/contrib/files/browser/editors/textFileEditor": {
+ "textFileEditor": "Editor de Arquivo de Texto",
+ "openFolderError": "O arquivo é um diretório",
+ "createFile": "Criar Arquivo"
+ },
+ "vs/workbench/contrib/files/browser/views/explorerDecorationsProvider": {
+ "canNotResolve": "Não é possível resolver a pasta do workspace",
+ "symbolicLlink": "Link Simbólico",
+ "unknown": "Tipo de Arquivo Desconhecido",
+ "label": "Explorador"
+ },
+ "vs/workbench/contrib/files/browser/views/explorerViewer": {
+ "treeAriaLabel": "Explorador de Arquivos",
+ "fileInputAriaLabel": "Digite o nome do arquivo. Pressione Enter para confirmar ou Escape para cancelar.",
+ "confirmOverwrite": "Um arquivo ou pasta com o nome '{0}' já existe na pasta de destino. Deseja substituí-lo?",
+ "irreversible": "Esta ação é irreversível.",
+ "replaceButtonLabel": "&&Substituir",
+ "confirmManyOverwrites": "Os seguintes {0} arquivos e/ou pastas já existem na pasta de destino. Deseja substituí-los?",
+ "uploadingFiles": "Carregando",
+ "overwrite": "Substituir {0}",
+ "overwriting": "Substituindo {0}",
+ "uploadProgressSmallMany": "{0} de {1} arquivos ({2}/s)",
+ "uploadProgressLarge": "{0} ({1} de {2}, {3}/s)",
+ "copyFolders": "&&Copiar Pastas",
+ "copyFolder": "&&Copiar Pasta",
+ "cancel": "Cancelar",
+ "copyfolders": "Tem certeza de que deseja copiar pastas?",
+ "copyfolder": "Tem certeza de que deseja copiar '{0}'?",
+ "addFolders": "&&Adicionar Pastas ao Workspace",
+ "addFolder": "&&Adicionar Pasta ao Workspace",
+ "dropFolders": "Deseja copiar ou adicionar as pastas ao workspace?",
+ "dropFolder": "Deseja copiar '{0}' ou adicionar '{0}' como uma pasta ao workspace?",
+ "copyFile": "Copiar {0}",
+ "copynFile": "Copiar {0} recursos",
+ "copyingFile": "Copiando {0}",
+ "copyingnFile": "Copiando {0} recursos",
+ "confirmRootsMove": "Tem certeza de que deseja alterar a ordem de várias pastas raiz no seu workspace?",
+ "confirmMultiMove": "Tem certeza de que deseja mover os seguintes {0} arquivos '{1}'?",
+ "confirmRootMove": "Tem certeza de que deseja alterar a ordem da pasta raiz '{0}' no seu workspace?",
+ "confirmMove": "Tem certeza de que deseja mover '{0}' para '{1}'?",
+ "doNotAskAgain": "Não perguntar novamente",
+ "moveButtonLabel": "&&Mover",
+ "copy": "Copiar {0}",
+ "copying": "Copiando {0}",
+ "move": "Mover {0}",
+ "moving": "Movendo {0}"
+ },
+ "vs/workbench/contrib/format/browser/formatActionsMultiple": {
+ "nullFormatterDescription": "Nenhum",
+ "miss": "A extensão '{0}' não pode formatar '{1}'",
+ "config.needed": "Há vários formatadores para '{0}' arquivos. Selecione um formatador padrão para continuar.",
+ "config.bad": "A extensão '{0}' está configurada como formatador, mas não está disponível. Selecione um formatador padrão diferente para continuar.",
+ "do.config": "Configurar...",
+ "select": "Selecionar um formatador padrão para '{0}' arquivos",
+ "formatter.default": "Define um formatador padrão que tem precedência sobre todas as outras configurações do formatador. Precisa ser o identificador de uma extensão que contribui com um formatador.",
+ "def": "(padrão)",
+ "config": "Configurar Formatador Padrão...",
+ "format.placeHolder": "Selecionar um formatador",
+ "formatDocument.label.multiple": "Formatar Documento Com...",
+ "formatSelection.label.multiple": "Formatar Seleção Com..."
+ },
+ "vs/workbench/contrib/format/browser/formatActionsNone": {
+ "formatDocument.label.multiple": "Formatar o Documento",
+ "too.large": "Este arquivo não pode ser formatado porque é muito grande",
+ "no.provider": "Não há formatador para '{0}' arquivos instalados.",
+ "install.formatter": "Instalar Formatador..."
+ },
+ "vs/workbench/contrib/format/browser/formatModified": {
+ "formatChanges": "Formatar Linhas Modificadas"
+ },
+ "vs/workbench/contrib/issue/electron-sandbox/issue.contribution": {
+ "reportIssueInEnglish": "Relatar um Problema..."
+ },
+ "vs/workbench/contrib/issue/electron-sandbox/issueActions": {
+ "openProcessExplorer": "Abrir o Explorador de Processos",
+ "reportPerformanceIssue": "Relatar um Problema de Desempenho"
+ },
+ "vs/workbench/contrib/keybindings/browser/keybindings.contribution": {
+ "toggleKeybindingsLog": "Alternar Solução de Problemas de Atalhos de Teclado"
+ },
+ "vs/workbench/contrib/localizations/browser/localizations.contribution": {
+ "updateLocale": "Deseja alterar o idioma da interface do usuário do VS Code para {0} e reiniciar?",
+ "activateLanguagePack": "Para usar o VS Code em {0}, o VS Code precisa ser reiniciado.",
+ "yes": "Sim",
+ "restart now": "Reiniciar Agora",
+ "neverAgain": "Não Mostrar Novamente",
+ "vscode.extension.contributes.localizations": "Contribui com localizações para o editor",
+ "vscode.extension.contributes.localizations.languageId": "ID do idioma no qual as cadeias de caracteres de exibição são convertidas.",
+ "vscode.extension.contributes.localizations.languageName": "Nome do idioma em inglês.",
+ "vscode.extension.contributes.localizations.languageNameLocalized": "Nome do idioma no idioma contribuído.",
+ "vscode.extension.contributes.localizations.translations": "Lista de traduções associadas ao idioma.",
+ "vscode.extension.contributes.localizations.translations.id": "ID do VS Code ou da Extensão com a qual essa conversão contribui. A ID do VS Code é sempre `vscode` e a extensão deve estar no formato `publisherId.extensionName`.",
+ "vscode.extension.contributes.localizations.translations.id.pattern": "A ID deve ser `vscode` ou estar no formato `publisherId.extensionName` para a conversão do VS Code ou de uma extensão, respectivamente.",
+ "vscode.extension.contributes.localizations.translations.path": "Um caminho relativo para um arquivo que contém traduções para o idioma."
+ },
+ "vs/workbench/contrib/localizations/browser/localizationsActions": {
+ "configureLocale": "Configurar Idioma de Exibição",
+ "installAdditionalLanguages": "Instalar idiomas adicionais...",
+ "chooseDisplayLanguage": "Selecionar Idioma de Exibição",
+ "relaunchDisplayLanguageMessage": "Uma reinicialização é necessária para que a alteração no idioma de exibição entre em vigor.",
+ "relaunchDisplayLanguageDetail": "Pressione o botão Reiniciar para reiniciar {0} e alterar o idioma de exibição.",
+ "restart": "&&Reiniciar"
+ },
+ "vs/workbench/contrib/localizations/browser/minimalTranslations": {
+ "showLanguagePackExtensions": "Pesquisar pacotes de idiomas no Marketplace para alterar o idioma de exibição para {0}.",
+ "searchMarketplace": "Pesquisar Marketplace",
+ "installAndRestartMessage": "Instalar o pacote de idiomas para alterar o idioma de exibição para {0}.",
+ "installAndRestart": "Instalar e Reiniciar"
+ },
+ "vs/workbench/contrib/logs/common/logs.contribution": {
+ "userDataSyncLog": "Sincronização de Configurações",
+ "rendererLog": "Janela",
+ "telemetryLog": "Telemetria",
+ "show window log": "Mostrar o Log da Janela",
+ "mainLog": "Principal",
+ "sharedLog": "Compartilhado"
+ },
+ "vs/workbench/contrib/logs/electron-sandbox/logsActions": {
+ "openLogsFolder": "Abrir Pasta de Logs",
+ "openExtensionLogsFolder": "Abrir Pasta de Logs de Extensão"
+ },
+ "vs/workbench/contrib/logs/common/logsActions": {
+ "setLogLevel": "Definir o Nível de Log...",
+ "trace": "Rastrear",
+ "debug": "Depurar",
+ "info": "Informações",
+ "warn": "Aviso",
+ "err": "Erro",
+ "critical": "Crítico",
+ "off": "Desligar",
+ "selectLogLevel": "Selecionar nível de log",
+ "default and current": "Padrão & Atual",
+ "default": "Padrão",
+ "current": "Atual",
+ "openSessionLogFile": "Abrir Arquivo de Log da Janela (Sessão)...",
+ "sessions placeholder": "Selecionar Sessão",
+ "log placeholder": "Selecionar Arquivo de log"
+ },
+ "vs/workbench/contrib/markers/browser/markers.contribution": {
+ "markersViewIcon": "Ícone de exibição da exibição de marcadores.",
+ "copyMarker": "Copiar",
+ "copyMessage": "Copiar Mensagem",
+ "focusProblemsList": "Focar no modo de exibição de problemas",
+ "focusProblemsFilter": "Focar no filtro de problemas",
+ "show multiline": "Mostrar a mensagem em várias linhas",
+ "problems": "Problemas",
+ "show singleline": "Mostrar a mensagem em uma linha",
+ "clearFiltersText": "Limpar texto dos filtros",
+ "miMarker": "&&Problemas",
+ "status.problems": "Problemas",
+ "totalErrors": "{0} Erros",
+ "totalWarnings": "{0} Avisos",
+ "totalInfos": "{0} Informações",
+ "noProblems": "Nenhum Problema",
+ "manyProblems": "Mais de 10 mil"
+ },
+ "vs/workbench/contrib/markers/browser/markersView": {
+ "collapseAll": "Recolher Tudo",
+ "filter": "Filtrar",
+ "No problems filtered": "Mostrando {0} problemas",
+ "problems filtered": "Mostrando {0} de {1} problemas",
+ "clearFilter": "Limpar os Filtros"
+ },
+ "vs/workbench/contrib/markers/browser/markersViewActions": {
+ "filterIcon": "Ícone da configuração de filtro na exibição de marcadores.",
+ "showing filtered problems": "Mostrando {0} de {1}"
+ },
+ "vs/workbench/contrib/markers/browser/messages": {
+ "problems.view.toggle.label": "Ativar/Desativar Problemas (Erros, Avisos, Informações)",
+ "problems.view.focus.label": "Focar nos Problemas (Erros, Avisos, Informações)",
+ "problems.panel.configuration.title": "Modo de Exibição de Problemas",
+ "problems.panel.configuration.autoreveal": "Controla se o modo de exibição de Problemas deve revelar os arquivos automaticamente ao abri-los.",
+ "problems.panel.configuration.showCurrentInStatus": "Quando habilitado, mostra o problema atual na barra de status.",
+ "markers.panel.title.problems": "Problemas",
+ "markers.panel.no.problems.build": "Nenhum problema foi detectado no workspace até agora.",
+ "markers.panel.no.problems.activeFile.build": "Nenhum problema foi detectado no arquivo atual até agora.",
+ "markers.panel.no.problems.filters": "Nenhum resultado encontrado com os critérios de filtro fornecidos.",
+ "markers.panel.action.moreFilters": "Mais Filtros...",
+ "markers.panel.filter.showErrors": "Mostrar os Erros",
+ "markers.panel.filter.showWarnings": "Mostrar Avisos",
+ "markers.panel.filter.showInfos": "Mostrar Informações",
+ "markers.panel.filter.useFilesExclude": "Ocultar Arquivos Excluídos",
+ "markers.panel.filter.activeFile": "Mostrar Somente Arquivo Ativo",
+ "markers.panel.action.filter": "Filtrar Problemas",
+ "markers.panel.action.quickfix": "Mostrar correções",
+ "markers.panel.filter.ariaLabel": "Filtrar Problemas",
+ "markers.panel.filter.placeholder": "Filtrar (por exemplo, texto, **/*.ts, !**/node_modules/**)",
+ "markers.panel.filter.errors": "erros",
+ "markers.panel.filter.warnings": "avisos",
+ "markers.panel.filter.infos": "informações",
+ "markers.panel.single.error.label": "Um Erro",
+ "markers.panel.multiple.errors.label": "{0} Erros",
+ "markers.panel.single.warning.label": "Um Aviso",
+ "markers.panel.multiple.warnings.label": "{0} Avisos",
+ "markers.panel.single.info.label": "Uma Informação",
+ "markers.panel.multiple.infos.label": "{0} Informações",
+ "markers.panel.single.unknown.label": "Um Desconhecido",
+ "markers.panel.multiple.unknowns.label": "{0} Desconhecidos",
+ "markers.panel.at.ln.col.number": "[{0}, {1}]",
+ "problems.tree.aria.label.resource": "{0} problemas no arquivo {1} da pasta {2}",
+ "problems.tree.aria.label.marker.relatedInformation": " Este problema tem referências a {0} locais.",
+ "problems.tree.aria.label.error.marker": "Erro gerado por {0}: {1} na linha {2} e caractere {3}.{4}",
+ "problems.tree.aria.label.error.marker.nosource": "Erro: {0} na linha {1} e caractere {2}. {3}",
+ "problems.tree.aria.label.warning.marker": "Aviso gerado por {0}: {1} na linha {2} e caractere {3}.{4}",
+ "problems.tree.aria.label.warning.marker.nosource": "Aviso: {0} na linha {1} e caractere {2}.{3}",
+ "problems.tree.aria.label.info.marker": "Informações geradas por {0}: {1} na linha {2} e caractere {3}.{4}",
+ "problems.tree.aria.label.info.marker.nosource": "Informações: {0} na linha {1} e caractere {2}.{3}",
+ "problems.tree.aria.label.marker": "Problema gerado por {0}: {1} na linha {2} e caractere {3}.{4}",
+ "problems.tree.aria.label.marker.nosource": "Problema: {0} na linha {1} e caractere {2}.{3}",
+ "problems.tree.aria.label.relatedinfo.message": "{0} na linha {1} e caractere {2} em {3}",
+ "errors.warnings.show.label": "Mostrar Erros e Avisos"
+ },
+ "vs/workbench/contrib/markers/browser/markers": {
+ "totalProblems": "Total de {0} Problemas"
+ },
+ "vs/workbench/contrib/markers/browser/markersFileDecorations": {
+ "label": "Problemas",
+ "tooltip.1": "Um problema neste arquivo",
+ "tooltip.N": "{0} problemas neste arquivo",
+ "markers.showOnFile": "Mostrar Erros & Avisos em arquivos e pastas."
+ },
+ "vs/workbench/contrib/markers/browser/markersTreeViewer": {
+ "problemsView": "Modo de Exibição de Problemas",
+ "expandedIcon": "Ícone indicando que várias linhas estão sendo mostradas na exibição de marcadores.",
+ "collapsedIcon": "Ícone indicando que várias linhas estão recolhidas na exibição de marcadores.",
+ "single line": "Mostrar a mensagem em uma linha",
+ "multi line": "Mostrar a mensagem em várias linhas",
+ "links.navigate.follow": "Seguir o link",
+ "links.navigate.kb.meta": "ctrl + clique",
+ "links.navigate.kb.meta.mac": "cmd + clique",
+ "links.navigate.kb.alt.mac": "option + clique",
+ "links.navigate.kb.alt": "alt + clique"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/coreActions": {
+ "notebookActions.category": "Notebook",
+ "notebookActions.execute": "Executar a Célula",
+ "notebookActions.cancel": "Parar Execução da Célula",
+ "notebookActions.executeCell": "Executar a Célula",
+ "notebookActions.CancelCell": "Cancelar Execução",
+ "notebookActions.deleteCell": "Excluir Célula",
+ "notebookActions.executeAndSelectBelow": "Executar Célula do Notebook e Selecionar Abaixo",
+ "notebookActions.executeAndInsertBelow": "Executar Célula do Notebook e Inserir Abaixo",
+ "notebookActions.renderMarkdown": "Renderizar Todas as Células de Markdown",
+ "notebookActions.executeNotebook": "Executar Notebook",
+ "notebookActions.cancelNotebook": "Cancelar Execução do Notebook",
+ "notebookMenu.insertCell": "Inserir Célula",
+ "notebookMenu.cellTitle": "Célula do Notebook",
+ "notebookActions.menu.executeNotebook": "Executar Notebook (Executar todas as células)",
+ "notebookActions.menu.cancelNotebook": "Parar Execução do Notebook",
+ "notebookActions.changeCellToCode": "Alterar Célula para Código",
+ "notebookActions.changeCellToMarkdown": "Alterar Célula para Markdown",
+ "notebookActions.insertCodeCellAbove": "Inserir Célula de Código Acima",
+ "notebookActions.insertCodeCellBelow": "Inserir Célula de Código Abaixo",
+ "notebookActions.insertCodeCellAtTop": "Adicionar Célula de Código na Parte Superior",
+ "notebookActions.insertMarkdownCellAtTop": "Adicionar Célula de Markdown na Parte Superior",
+ "notebookActions.menu.insertCode": "$(add) Código",
+ "notebookActions.menu.insertCode.tooltip": "Adicionar Célula de Código",
+ "notebookActions.insertMarkdownCellAbove": "Inserir Célula de Markdown Acima",
+ "notebookActions.insertMarkdownCellBelow": "Inserir Célula de Markdown Abaixo",
+ "notebookActions.menu.insertMarkdown": "$(add) Markdown",
+ "notebookActions.menu.insertMarkdown.tooltip": "Adicionar Célula de Markdown",
+ "notebookActions.editCell": "Editar Célula",
+ "notebookActions.quitEdit": "Parar Edição de Célula",
+ "notebookActions.moveCellUp": "Mover a Célula para Cima",
+ "notebookActions.moveCellDown": "Mover a Célula para Baixo",
+ "notebookActions.copy": "Copiar Célula",
+ "notebookActions.cut": "Recortar Célula",
+ "notebookActions.paste": "Colar Célula",
+ "notebookActions.pasteAbove": "Colar Célula Acima",
+ "notebookActions.copyCellUp": "Copiar Célula para Cima",
+ "notebookActions.copyCellDown": "Copiar Célula para Baixo",
+ "cursorMoveDown": "Focar no Próximo Editor de Célula",
+ "cursorMoveUp": "Focar no Editor de Célula Anterior",
+ "focusOutput": "Focar na Saída de Célula Ativa",
+ "focusOutputOut": "Focar na Saída da Célula Ativa",
+ "focusFirstCell": "Focar na Primeira Célula",
+ "focusLastCell": "Focar na Última Célula",
+ "clearCellOutputs": "Limpar Saídas de Célula",
+ "changeLanguage": "Alterar Idioma da Célula",
+ "languageDescription": "({0}) – Idioma Atual",
+ "languageDescriptionConfigured": "({0})",
+ "pickLanguageToConfigure": "Selecionar Modo de Idioma",
+ "clearAllCellsOutputs": "Limpar Todas as Saídas de Células",
+ "notebookActions.splitCell": "Dividir Célula",
+ "notebookActions.joinCellAbove": "Unir com a Célula Anterior",
+ "notebookActions.joinCellBelow": "Unir com a Próxima Célula",
+ "notebookActions.centerActiveCell": "Centralizar Célula Ativa",
+ "notebookActions.collapseCellInput": "Recolher Entrada de Célula",
+ "notebookActions.expandCellContent": "Expandir Conteúdo da Célula",
+ "notebookActions.collapseCellOutput": "Recolher Saída de Célula",
+ "notebookActions.expandCellOutput": "Expandir Saída da Célula",
+ "notebookActions.inspectLayout": "Inspecionar Layout do Notebook"
+ },
+ "vs/workbench/contrib/notebook/browser/notebook.contribution": {
+ "diffLeftRightLabel": "{0} ⟷ {1}",
+ "notebookConfigurationTitle": "Notebook",
+ "notebook.displayOrder.description": "Lista de prioridades para tipos mime de saída",
+ "notebook.cellToolbarLocation.description": "Onde a barra de ferramentas da célula deve ser mostrada ou se deve ficar oculta.",
+ "notebook.showCellStatusbar.description": "Especifica se a barra de status da célula deve ser mostrada.",
+ "notebook.diff.enablePreview.description": "Se o editor de comparação de texto avançado deve ser usado para o notebook."
+ },
+ "vs/workbench/contrib/notebook/browser/notebookIcons": {
+ "configureKernel": "Ícone de configuração no widget de configuração do kernel nos editores de notebook.",
+ "selectKernelIcon": "Ícone de configuração para selecionar um kernel nos editores de notebook.",
+ "executeIcon": "Ícone de execução nos editores de notebook.",
+ "stopIcon": "Ícone para interromper uma execução nos editores de notebook.",
+ "deleteCellIcon": "Ícone para excluir uma célula nos editores de notebook.",
+ "executeAllIcon": "Ícone para executar todas as células nos editores de notebook.",
+ "editIcon": "Ícone para editar uma célula nos editores de notebook.",
+ "stopEditIcon": "Ícone para interromper a edição de uma célula nos editores de notebook.",
+ "moveUpIcon": "Ícone para mover uma célula para cima nos editores de notebook.",
+ "moveDownIcon": "Ícone para mover uma célula para baixo nos editores de notebook.",
+ "clearIcon": "Ícone para limpar as saídas de célula nos editores de notebook.",
+ "splitCellIcon": "Ícone para dividir uma célula nos editores de notebook.",
+ "unfoldIcon": "Ícone para desdobrar uma célula nos editores de notebook.",
+ "successStateIcon": "Ícone para indicar um estado de sucesso nos editores de notebook.",
+ "errorStateIcon": "Ícone para indicar um estado de erro nos editores de notebook.",
+ "collapsedIcon": "Ícone para anotar uma seção recolhida nos editores de notebook.",
+ "expandedIcon": "Ícone para anotar uma seção expandida nos editores de notebook.",
+ "openAsTextIcon": "Ícone para abrir o notebook em um editor de texto.",
+ "revertIcon": "Ícone de reversão nos editores de notebook.",
+ "mimetypeIcon": "Ícone de um tipo MIME nos editores de notebook."
+ },
+ "vs/workbench/contrib/notebook/browser/notebookEditor": {
+ "fail.noEditor": "Não é possível abrir o recurso com o tipo de editor de notebook '{0}'. Verifique se você tem a extensão correta instalada ou habilitada.",
+ "fail.reOpen": "Reabrir arquivo com o editor de texto padrão do VS Code"
+ },
+ "vs/workbench/contrib/notebook/browser/notebookServiceImpl": {
+ "builtinProviderDisplayName": "Interno"
+ },
+ "vs/workbench/contrib/notebook/browser/diff/notebookTextDiffEditor": {
+ "notebookTreeAriaLabel": "Comparação de Texto do Notebook"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/find/findController": {
+ "notebookActions.hideFind": "Ocultar Localizar no Notebook",
+ "notebookActions.findInNotebook": "Localizar no Notebook"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/fold/folding": {
+ "fold.cell": "Dobrar Célula",
+ "unfold.cell": "Desdobrar Célula"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/format/formatting": {
+ "format.title": "Formatar o Notebook",
+ "label": "Formatar o Notebook",
+ "formatCell.label": "Formatar Célula"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/status/editorStatus": {
+ "notebookActions.selectKernel": "Selecionar Kernel do Notebook",
+ "notebook.runCell.selectKernel": "Selecionar um kernel do notebook para executar este notebook",
+ "currentActiveKernel": " (Ativo no Momento)",
+ "notebook.promptKernel.setDefaultTooltip": "Definir como provedor de kernel padrão para '{0}'",
+ "chooseActiveKernel": "Escolher kernel para o notebook atual",
+ "notebook.selectKernel": "Escolher kernel para o notebook atual"
+ },
+ "vs/workbench/contrib/notebook/browser/diff/notebookDiffActions": {
+ "notebook.diff.switchToText": "Abrir Editor de Comparação de Texto",
+ "notebook.diff.cell.revertMetadata": "Reverter Metadados",
+ "notebook.diff.cell.revertOutputs": "Reverter Saídas",
+ "notebook.diff.cell.revertInput": "Reverter entrada"
+ },
+ "vs/workbench/contrib/notebook/browser/extensionPoint": {
+ "contributes.notebook.provider": "Contribui com o provedor de documento do notebook.",
+ "contributes.notebook.provider.viewType": "Identificador exclusivo do notebook.",
+ "contributes.notebook.provider.displayName": "Nome legível por humanos do notebook.",
+ "contributes.notebook.provider.selector": "Conjunto de globs ao qual o notebook se refere.",
+ "contributes.notebook.provider.selector.filenamePattern": "Glob ao qual o notebook está habilitado.",
+ "contributes.notebook.selector.provider.excludeFileNamePattern": "Glob ao qual o notebook está desabilitado.",
+ "contributes.priority": "Controla se o editor personalizado é habilitado automaticamente quando o usuário abre um arquivo. Isso pode ser substituído pelos usuários usando a configuração `workbench.editorAssociations`.",
+ "contributes.priority.default": "O editor é usado automaticamente quando o usuário abre um recurso, desde que nenhum outro editor personalizado padrão esteja registrado para esse recurso.",
+ "contributes.priority.option": "O editor não é usado automaticamente quando o usuário abre um recurso, mas um usuário pode mudar para o editor usando o comando `Reopen With`.",
+ "contributes.notebook.renderer": "Contribuiu com o provedor de renderizador de saída do notebook.",
+ "contributes.notebook.renderer.viewType": "Identificador exclusivo do renderizador de saída do notebook.",
+ "contributes.notebook.provider.viewType.deprecated": "Renomear `viewType` como `id`.",
+ "contributes.notebook.renderer.displayName": "Nome legível por humanos do renderizador de saída do notebook.",
+ "contributes.notebook.selector": "Conjunto de globs ao qual o notebook se refere.",
+ "contributes.notebook.renderer.entrypoint": "Arquivo a ser carregado no modo de exibição da Web para renderizar a extensão."
+ },
+ "vs/workbench/contrib/notebook/browser/notebookKernelAssociation": {
+ "notebook.kernelProviderAssociations": "Define um provedor de kernel padrão que tem precedência sobre todas as outras configurações de provedores de kernel. Precisa ser o identificador de uma extensão que contribui com um formatador."
+ },
+ "vs/workbench/contrib/notebook/common/model/notebookTextModel": {
+ "defaultEditLabel": "Editar"
+ },
+ "vs/workbench/contrib/notebook/common/notebookEditorModel": {
+ "notebook.staleSaveError": "O conteúdo do arquivo foi alterado no disco. Deseja abrir a versão atualizada ou substituir o arquivo pelas suas alterações?",
+ "notebook.staleSaveError.revert": "Reverter",
+ "notebook.staleSaveError.overwrite.": "Substituir"
+ },
+ "vs/workbench/contrib/notebook/browser/notebookEditorWidget": {
+ "notebookTreeAriaLabel": "Notebook",
+ "notebook.runCell.selectKernel": "Selecionar um kernel do notebook para executar este notebook",
+ "notebook.promptKernel.setDefaultTooltip": "Definir como provedor de kernel padrão para '{0}'",
+ "notebook.cellBorderColor": "A cor da borda das células do notebook.",
+ "notebook.focusedEditorBorder": "A cor da borda do editor de célula do notebook.",
+ "notebookStatusSuccessIcon.foreground": "A cor do ícone de erro das células do notebook na barra de status da célula.",
+ "notebookStatusErrorIcon.foreground": "A cor do ícone de erro das células do notebook na barra de status da célula.",
+ "notebookStatusRunningIcon.foreground": "A cor do ícone em execução das células do notebook na barra de status da célula.",
+ "notebook.outputContainerBackgroundColor": "A cor da tela de fundo do contêiner de saída do notebook.",
+ "notebook.cellToolbarSeparator": "A cor do separador na barra de ferramentas inferior da célula",
+ "focusedCellBackground": "A cor da tela de fundo de uma célula quando a célula está com foco.",
+ "notebook.cellHoverBackground": "A cor da tela de fundo de uma célula quando a célula está focalizada.",
+ "notebook.selectedCellBorder": "A cor das bordas superior e inferior da célula quando a célula está selecionada, mas sem o foco.",
+ "notebook.focusedCellBorder": "A cor da borda superior e inferior da célula quando a célula está com foco.",
+ "notebook.cellStatusBarItemHoverBackground": "A cor da tela de fundo dos itens da barra de status da célula do notebook.",
+ "notebook.cellInsertionIndicator": "A cor da borda do indicador de inserção de célula do notebook.",
+ "notebookScrollbarSliderBackground": "Cor da tela de fundo do controle deslizante do notebook.",
+ "notebookScrollbarSliderHoverBackground": "Cor da tela de fundo do controle deslizante da barra de rolagem do notebook ao passar o mouse.",
+ "notebookScrollbarSliderActiveBackground": "Cor da tela de fundo do controle deslizante da barra de rolagem do notebook ao clicar.",
+ "notebook.symbolHighlightBackground": "Cor da tela de fundo da célula realçada"
+ },
+ "vs/workbench/contrib/notebook/browser/view/renderers/cellRenderer": {
+ "cellExpandButtonLabel": "Expandir"
+ },
+ "vs/workbench/contrib/notebook/browser/viewModel/markdownCellViewModel": {
+ "notebook.emptyMarkdownPlaceholder": "Célula de markdown vazia, clique duas vezes ou pressione enter para editar."
+ },
+ "vs/workbench/contrib/notebook/browser/view/renderers/cellWidgets": {
+ "notebook.cell.status.language": "Selecionar o Modo de Idioma da Célula"
+ },
+ "vs/workbench/contrib/notebook/browser/view/renderers/cellOutput": {
+ "mimeTypePicker": "Escolha um tipo mime de saída diferente. Tipos mime disponíveis: {0}",
+ "curruentActiveMimeType": "Ativo no Momento",
+ "promptChooseMimeTypeInSecure.placeHolder": "Selecione o tipo MIME a ser renderizado para a saída atual. Os tipos MIME avançados estão disponíveis somente quando o notebook é confiável",
+ "promptChooseMimeType.placeHolder": "Selecione o tipo MIME a ser renderizado para a saída atual",
+ "builtinRenderInfo": "interno"
+ },
+ "vs/workbench/contrib/outline/browser/outline.contribution": {
+ "outlineViewIcon": "Ícone de exibição do modo de exibição da Estrutura do Código.",
+ "name": "Estrutura do Código",
+ "outlineConfigurationTitle": "Estrutura do Código",
+ "outline.showIcons": "Renderizar Elementos de Estrutura de Tópicos com Ícones.",
+ "outline.showProblem": "Mostrar Erros & Avisos nos Elementos da Estrutura de Tópicos.",
+ "outline.problem.colors": "Usar cores para Erros & Avisos.",
+ "outline.problems.badges": "Usar selos para Erros & Avisos.",
+ "filteredTypes.file": "Quando habilitada, a estrutura de tópicos mostra símbolos `file`.",
+ "filteredTypes.module": "Quando habilitada, a estrutura de tópicos mostra símbolos `module`.",
+ "filteredTypes.namespace": "Quando habilitada, a estrutura de tópicos mostra símbolos `namespace`.",
+ "filteredTypes.package": "Quando habilitada, a estrutura de tópicos mostra símbolos `package`.",
+ "filteredTypes.class": "Quando habilitada, a estrutura de tópicos mostra símbolos `class`.",
+ "filteredTypes.method": "Quando habilitada, a estrutura de tópicos mostra símbolos `method`.",
+ "filteredTypes.property": "Quando habilitada, a estrutura de tópicos mostra símbolos `property`.",
+ "filteredTypes.field": "Quando habilitada, a estrutura de tópicos mostra símbolos `field`.",
+ "filteredTypes.constructor": "Quando habilitada, a estrutura de tópicos mostra símbolos `constructor`.",
+ "filteredTypes.enum": "Quando habilitada, a estrutura de tópicos mostra símbolos `enum`.",
+ "filteredTypes.interface": "Quando habilitada, a estrutura de tópicos mostra símbolos `interface`.",
+ "filteredTypes.function": "Quando habilitada, a estrutura de tópicos mostra símbolos `function`.",
+ "filteredTypes.variable": "Quando habilitada, a estrutura de tópicos mostra símbolos `variable`.",
+ "filteredTypes.constant": "Quando habilitada, a estrutura de tópicos mostra símbolos `constant`.",
+ "filteredTypes.string": "Quando habilitada, a estrutura de tópicos mostra símbolos `string`.",
+ "filteredTypes.number": "Quando habilitada, a estrutura de tópicos mostra símbolos `number`.",
+ "filteredTypes.boolean": "Quando habilitada, a estrutura de tópicos mostra símbolos `boolean`.",
+ "filteredTypes.array": "Quando habilitada, a estrutura de tópicos mostra símbolos `array`.",
+ "filteredTypes.object": "Quando habilitada, a estrutura de tópicos mostra símbolos `object`.",
+ "filteredTypes.key": "Quando habilitada, a estrutura de tópicos mostra símbolos `key`.",
+ "filteredTypes.null": "Quando habilitada, a estrutura de tópicos mostra símbolos `null`.",
+ "filteredTypes.enumMember": "Quando habilitada, a estrutura de tópicos mostra símbolos `enumMember`.",
+ "filteredTypes.struct": "Quando habilitada, a estrutura de tópicos mostra símbolos `struct`.",
+ "filteredTypes.event": "Quando habilitada, a estrutura de tópicos mostra símbolos `event`.",
+ "filteredTypes.operator": "Quando habilitada, a estrutura de tópicos mostra símbolos `operator`.",
+ "filteredTypes.typeParameter": "Quando habilitada, a estrutura de tópicos mostra símbolos `typeParameter`."
+ },
+ "vs/workbench/contrib/outline/browser/outlinePane": {
+ "outline": "Estrutura do Código",
+ "sortByPosition": "Classificar por: Posição",
+ "sortByName": "Classificar por: Nome",
+ "sortByKind": "Classificar por: Categoria",
+ "followCur": "Seguir Cursor",
+ "filterOnType": "Filtrar por Tipo",
+ "no-editor": "O editor ativo não pode fornecer informações de estrutura de tópicos.",
+ "loading": "Carregando símbolos de documento para '{0}'...",
+ "no-symbols": "Nenhum símbolo encontrado no documento '{0}'"
+ },
+ "vs/workbench/contrib/output/browser/output.contribution": {
+ "outputViewIcon": "Ícone de exibição da exibição de saída.",
+ "output": "Saída",
+ "logViewer": "Visualizador de Log",
+ "switchToOutput.label": "Alternar para Saída",
+ "clearOutput.label": "Limpar Saída",
+ "outputCleared": "A saída foi limpa",
+ "toggleAutoScroll": "Ativar/Desativar Rolagem Automática",
+ "outputScrollOff": "Desativar Rolagem Automática",
+ "outputScrollOn": "Ativar Rolagem Automática",
+ "openActiveLogOutputFile": "Abrir Arquivo de Saída de Log",
+ "toggleOutput": "Ativar/Desativar Saída",
+ "showLogs": "Mostrar Logs...",
+ "selectlog": "Selecionar Log",
+ "openLogFile": "Abrir Arquivo de Log...",
+ "selectlogFile": "Selecionar Arquivo de log",
+ "miToggleOutput": "&&Saída",
+ "output.smartScroll.enabled": "Habilitar/desabilitar a capacidade de rolagem inteligente no modo de exibição de saída. A rolagem inteligente permite que você bloqueie a rolagem automaticamente ao clicar no modo de exibição de saída e desbloqueie ao clicar na última linha."
+ },
+ "vs/workbench/contrib/output/browser/outputView": {
+ "output model title": "{0} – Saída",
+ "channel": "Canal de saída para '{0}'",
+ "output": "Saída",
+ "outputViewWithInputAriaLabel": "{0}, Painel de saída",
+ "outputViewAriaLabel": "Painel de saída",
+ "outputChannels": "Canais de Saída.",
+ "logChannel": "Log ({0})"
+ },
+ "vs/workbench/contrib/output/browser/logViewer": {
+ "logViewerAriaLabel": "Visualizador de log"
+ },
+ "vs/workbench/contrib/performance/electron-browser/startupProfiler": {
+ "prof.message": "Perfis criados com êxito.",
+ "prof.detail": "Crie um problema e anexe manualmente os seguintes arquivos:\r\n{0}",
+ "prof.restartAndFileIssue": "&&Criar Problema e Reiniciar",
+ "prof.restart": "&&Reiniciar",
+ "prof.thanks": "Agradecemos por nos ajudar.",
+ "prof.detail.restart": "Uma reinicialização final é necessária para continuar a usar '{0}'. Mais uma vez, agradecemos sua contribuição.",
+ "prof.restart.button": "&&Reiniciar"
+ },
+ "vs/workbench/contrib/performance/browser/performance.contribution": {
+ "show.label": "Desempenho de Inicialização"
+ },
+ "vs/workbench/contrib/performance/browser/perfviewEditor": {
+ "name": "Desempenho de Inicialização"
+ },
+ "vs/workbench/contrib/preferences/browser/keybindingsEditorContribution": {
+ "defineKeybinding.start": "Definir Associação de Teclas",
+ "defineKeybinding.kbLayoutErrorMessage": "Não será possível produzir essa combinação de teclas com o layout de teclado atual.",
+ "defineKeybinding.kbLayoutLocalAndUSMessage": "**{0}** para o layout de teclado atual (**{1}** para o padrão dos EUA).",
+ "defineKeybinding.kbLayoutLocalMessage": "**{0}** para o layout de teclado atual."
+ },
+ "vs/workbench/contrib/preferences/browser/preferences.contribution": {
+ "defaultPreferencesEditor": "Editor de Preferências Padrão",
+ "settingsEditor2": "Editor de Configurações 2",
+ "keybindingsEditor": "Editor de Associações de Teclas",
+ "openSettings2": "Abrir Configurações (Interface do Usuário)",
+ "preferences": "Preferências",
+ "settings": "Configurações",
+ "miOpenSettings": "&&Configurações",
+ "openSettingsJson": "Abrir Configurações (JSON)",
+ "openGlobalSettings": "Abrir as Configurações de Usuário",
+ "openRawDefaultSettings": "Abrir Configurações Padrão (JSON)",
+ "openWorkspaceSettings": "Abrir Configurações do Workspace",
+ "openWorkspaceSettingsFile": "Abrir Configurações do Workspace (JSON)",
+ "openFolderSettings": "Abrir Configurações de Pasta",
+ "openFolderSettingsFile": "Abrir Configurações de Pasta (JSON)",
+ "filterModifiedLabel": "Mostrar configurações modificadas",
+ "filterOnlineServicesLabel": "Mostrar configurações para serviços online",
+ "miOpenOnlineSettings": "&&Configurações de Serviços Online",
+ "onlineServices": "Configurações de Serviços Online",
+ "openRemoteSettings": "Abrir Configurações Remotas ({0})",
+ "settings.focusSearch": "Focar na pesquisa de configurações",
+ "settings.clearResults": "Limpar resultados da pesquisa de configurações",
+ "settings.focusFile": "Focar no arquivo de configurações",
+ "settings.focusNextSetting": "Focar na próxima configuração",
+ "settings.focusPreviousSetting": "Focar na Configuração Anterior",
+ "settings.editFocusedSetting": "Editar configuração com foco",
+ "settings.focusSettingsList": "Focar na lista de configurações",
+ "settings.focusSettingsTOC": "Focar na árvore do sumário de configurações",
+ "settings.focusSettingControl": "Controle de Configuração de Foco",
+ "settings.showContextMenu": "Mostrar menu de contexto",
+ "settings.focusLevelUp": "Mover o Foco Um Nível para Cima",
+ "openGlobalKeybindings": "Abrir Atalhos de Teclado",
+ "Keyboard Shortcuts": "Atalhos de Teclado",
+ "openDefaultKeybindingsFile": "Abrir Atalhos de Teclado Padrão (JSON)",
+ "openGlobalKeybindingsFile": "Abrir Atalhos de Teclado (JSON)",
+ "showDefaultKeybindings": "Mostrar Associações de Teclas Padrão",
+ "showUserKeybindings": "Mostrar Associações de Teclas do Usuário",
+ "clear": "Limpar os Resultados da Pesquisa",
+ "miPreferences": "&&Preferências"
+ },
+ "vs/workbench/contrib/preferences/browser/keybindingWidgets": {
+ "defineKeybinding.initial": "Pressione a combinação de teclas desejada e pressione ENTER.",
+ "defineKeybinding.oneExists": "Um comando existente tem essa associação de teclas",
+ "defineKeybinding.existing": "{0} comandos existentes têm essa associação de teclas",
+ "defineKeybinding.chordsTo": "pressionar simultaneamente para"
+ },
+ "vs/workbench/contrib/preferences/browser/keybindingsEditor": {
+ "recordKeysLabel": "Chaves de Registro",
+ "recordKeysLabelWithKeybinding": "{0} ({1})",
+ "sortByPrecedeneLabel": "Classificar por Precedência",
+ "sortByPrecedeneLabelWithKeybinding": "{0} ({1})",
+ "SearchKeybindings.FullTextSearchPlaceholder": "Digite para pesquisar em associações de teclas",
+ "SearchKeybindings.KeybindingsSearchPlaceholder": "Gravando Chaves. Pressione Escape para sair",
+ "clearInput": "Limpar Entrada de Pesquisa da Associação de Teclas",
+ "recording": "Gravando Chaves",
+ "command": "Command",
+ "keybinding": "Associação de teclas",
+ "when": "Quando",
+ "source": "Origem",
+ "show sorted keybindings": "Mostrando {0} associações de teclas em ordem de precedência",
+ "show keybindings": "Mostrando {0} associações de teclas em ordem alfabética",
+ "changeLabel": "Alterar a Associação de Teclas...",
+ "addLabel": "Adicionar uma Associação de Teclas...",
+ "editWhen": "Alterar Expressão When",
+ "removeLabel": "Remover Associação de Teclas",
+ "resetLabel": "Redefinir Associação de Teclas",
+ "showSameKeybindings": "Mostrar as Mesmas Associações de Teclas",
+ "copyLabel": "Copiar",
+ "copyCommandLabel": "Copiar ID de Comando",
+ "error": "Erro '{0}' ao editar a associação de teclas. Abra o arquivo 'keybindings.json' e verifique se há erros.",
+ "editKeybindingLabelWithKey": "Alterar a Associação de Teclas {0}",
+ "editKeybindingLabel": "Alterar a Associação de Teclas",
+ "addKeybindingLabelWithKey": "Adicionar Associação de Teclas {0}",
+ "addKeybindingLabel": "Adicionar Associação de Teclas",
+ "title": "{0} ({1})",
+ "whenContextInputAriaLabel": "Digite o contexto \"when\". Pressione Enter para confirmar ou Escape para cancelar.",
+ "keybindingsLabel": "Associações teclas",
+ "noKeybinding": "Nenhuma Associação de teclas atribuída.",
+ "noWhen": "Nenhum contexto when."
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesActions": {
+ "configureLanguageBasedSettings": "Definir Configurações Específicas de Idioma...",
+ "languageDescriptionConfigured": "({0})",
+ "pickLanguage": "Selecionar Idioma"
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesEditor": {
+ "SearchSettingsWidget.AriaLabel": "Configurações de pesquisa",
+ "SearchSettingsWidget.Placeholder": "Pesquisar Configurações",
+ "noSettingsFound": "Nenhuma Configuração Encontrada",
+ "oneSettingFound": "1 Configuração Encontrada",
+ "settingsFound": "{0} Configurações Encontradas",
+ "totalSettingsMessage": "Total de {0} Configurações",
+ "nlpResult": "Resultados de Linguagem Natural",
+ "filterResult": "Resultados Filtrados",
+ "defaultSettings": "Configurações Padrão",
+ "defaultUserSettings": "Configurações de Usuário Padrão",
+ "defaultWorkspaceSettings": "Configurações Padrão do Workspace",
+ "defaultFolderSettings": "Configurações de Pasta Padrão",
+ "defaultEditorReadonly": "Editar no editor do lado direito para substituir os padrões.",
+ "preferencesAriaLabel": "Preferências padrão. Somente leitura."
+ },
+ "vs/workbench/contrib/preferences/browser/settingsEditor2": {
+ "SearchSettings.AriaLabel": "Configurações de pesquisa",
+ "clearInput": "Limpar Entrada da Pesquisa de Configurações",
+ "noResults": "Nenhuma Configuração Encontrada",
+ "clearSearchFilters": "Limpar os Filtros",
+ "settings": "Configurações",
+ "settingsNoSaveNeeded": "As alterações nas configurações são salvas automaticamente.",
+ "oneResult": "1 Configuração Encontrada",
+ "moreThanOneResult": "{0} Configurações Encontradas",
+ "turnOnSyncButton": "Ativar a Sincronização de Configurações",
+ "lastSyncedLabel": "Última sincronização: {0}"
+ },
+ "vs/workbench/contrib/preferences/common/preferencesContribution": {
+ "enableNaturalLanguageSettingsSearch": "Controla se o modo de pesquisa de linguagem natural deve ser habilitado para configurações. A pesquisa de linguagem natural é fornecida por um serviço online da Microsoft.",
+ "settingsSearchTocBehavior.hide": "Ocultar o Sumário ao pesquisar.",
+ "settingsSearchTocBehavior.filter": "Filtrar o Sumário para apenas as categorias com configurações correspondentes. Ao clicar em uma categoria, os resultados serão filtrados para essa categoria.",
+ "settingsSearchTocBehavior": "Controla o comportamento do Sumário do editor de configurações durante a pesquisa."
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesIcons": {
+ "settingsGroupExpandedIcon": "Ícone de uma seção expandida no editor de configurações de divisão de JSON.",
+ "settingsGroupCollapsedIcon": "Ícone de uma seção recolhida no editor de configurações de divisão de JSON.",
+ "settingsScopeDropDownIcon": "Ícone do botão suspenso da pasta no editor de configurações de divisão de JSON.",
+ "settingsMoreActionIcon": "Ícone da ação 'mais ações' na interface do usuário de configurações.",
+ "keybindingsRecordKeysIcon": "Ícone da ação 'registrar teclas' na interface do usuário de associação de teclas.",
+ "keybindingsSortIcon": "Ícone da alternância 'classificar por precedência' na interface do usuário de associação de teclas.",
+ "keybindingsEditIcon": "Ícone da ação editar na interface do usuário de associação de teclas.",
+ "keybindingsAddIcon": "Ícone da ação adicionar na interface do usuário de associação de teclas.",
+ "settingsEditIcon": "Ícone da ação editar na interface do usuário de configurações.",
+ "settingsAddIcon": "Ícone da ação adicionar na interface do usuário de configurações.",
+ "settingsRemoveIcon": "Ícone da ação remover na interface do usuário de configurações.",
+ "preferencesDiscardIcon": "Ícone da ação descartar na interface do usuário de configurações.",
+ "preferencesClearInput": "Ícone para limpar entrada nas configurações e na interface do usuário de associação de teclas.",
+ "preferencesOpenSettings": "Ícone dos comandos para abrir as configurações."
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesWidgets": {
+ "defaultSettings": "Coloque suas configurações no editor do lado direito para substituir.",
+ "noSettingsFound": "Nenhuma Configuração Encontrada.",
+ "settingsSwitcherBarAriaLabel": "Seletor de Configurações",
+ "userSettings": "Usuário",
+ "userSettingsRemote": "Remoto",
+ "workspaceSettings": "Workspace",
+ "folderSettings": "Pasta"
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesRenderers": {
+ "emptyUserSettingsHeader": "Coloque suas configurações aqui para substituir as Configurações Padrão.",
+ "emptyWorkspaceSettingsHeader": "Coloque suas configurações aqui para substituir as Configurações de Usuário.",
+ "emptyFolderSettingsHeader": "Coloque as configurações da pasta aqui para substituir as das Configurações do Workspace.",
+ "editTtile": "Editar",
+ "replaceDefaultValue": "Substituir nas Configurações",
+ "copyDefaultValue": "Copiar para Configurações",
+ "unknown configuration setting": "Definição de Configuração Desconhecida",
+ "unsupportedRemoteMachineSetting": "Esta configuração não pode ser aplicada nesta janela. Ela será aplicada quando você abrir a janela local.",
+ "unsupportedWindowSetting": "Esta configuração não pode ser aplicada a este workspace. Ela será aplicada quando você abrir diretamente a pasta de workspace que a contém.",
+ "unsupportedApplicationSetting": "Esta configuração só pode ser aplicada em configurações de usuário do aplicativo",
+ "unsupportedMachineSetting": "Essa configuração só pode ser aplicada em configurações de usuário na janela local ou em configurações remotas na janela remota.",
+ "unsupportedProperty": "Propriedade Sem Suporte"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsLayout": {
+ "commonlyUsed": "Comumente Usado",
+ "textEditor": "Editor de Texto",
+ "cursor": "Cursor",
+ "find": "Localizar",
+ "font": "Fonte",
+ "formatting": "Formatação",
+ "diffEditor": "Editor de Comparação",
+ "minimap": "Minimapa",
+ "suggestions": "Sugestões",
+ "files": "Arquivos",
+ "workbench": "Workbench",
+ "appearance": "Aparência",
+ "breadcrumbs": "Trilhas",
+ "editorManagement": "Gerenciamento do Editor",
+ "settings": "Editor de Configurações",
+ "zenMode": "Modo Zen",
+ "screencastMode": "Modo Screencast",
+ "window": "Janela",
+ "newWindow": "Nova Janela",
+ "features": "Recursos",
+ "fileExplorer": "Explorador",
+ "search": "Pesquisar",
+ "debug": "Depurar",
+ "scm": "SCM",
+ "extensions": "Extensões",
+ "terminal": "Terminal",
+ "task": "Tarefa",
+ "problems": "Problemas",
+ "output": "Saída",
+ "comments": "Comentários",
+ "remote": "Remoto",
+ "timeline": "Linha do tempo",
+ "notebook": "Notebook",
+ "application": "Aplicativo",
+ "proxy": "Proxy",
+ "keyboard": "Teclado",
+ "update": "Atualizar",
+ "telemetry": "Telemetria",
+ "settingsSync": "Sincronização de Configurações"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsTree": {
+ "extensions": "Extensões",
+ "extensionSyncIgnoredLabel": "Sincronização: Ignorada",
+ "modified": "Modificado",
+ "settingsContextMenuTitle": "Mais Ações... ",
+ "alsoConfiguredIn": "Também modificado em",
+ "configuredIn": "Modificado em",
+ "newExtensionsButtonLabel": "Mostrar extensões correspondentes",
+ "editInSettingsJson": "Editar em settings.json",
+ "settings.Default": "padrão",
+ "resetSettingLabel": "Redefinir Configuração",
+ "validationError": "Erro de Validação.",
+ "settings.Modified": " Modificado. ",
+ "settings": "Configurações",
+ "copySettingIdLabel": "Copiar ID da Configuração",
+ "copySettingAsJSONLabel": "Copiar Configuração como JSON",
+ "stopSyncingSetting": "Sincronizar esta Configuração"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsTreeModels": {
+ "workspace": "Workspace",
+ "remote": "Remoto",
+ "user": "Usuário"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsWidgets": {
+ "headerForeground": "A cor de primeiro plano para um cabeçalho de seção ou um título ativo.",
+ "modifiedItemForeground": "A cor da borda do indicador modificado.",
+ "settingsDropdownBackground": "Tela de fundo da lista suspensa do editor de configurações.",
+ "settingsDropdownForeground": "Primeiro plano da lista suspensa do editor de configurações.",
+ "settingsDropdownBorder": "Borda da lista suspensa do editor de configurações.",
+ "settingsDropdownListBorder": "Borda da lista suspensa do editor de configurações. Ela envolve as opções e separa as opções da descrição.",
+ "settingsCheckboxBackground": "Tela de fundo da caixa de seleção do editor de configurações.",
+ "settingsCheckboxForeground": "Primeiro plano da caixa de seleção do editor de configurações.",
+ "settingsCheckboxBorder": "Borda da caixa de seleção do editor de configurações.",
+ "textInputBoxBackground": "Tela de fundo da caixa de entrada de texto do editor de configurações.",
+ "textInputBoxForeground": "Primeiro plano da caixa de entrada de texto do editor de configurações.",
+ "textInputBoxBorder": "Borda da caixa de entrada de texto do editor de configurações.",
+ "numberInputBoxBackground": "Tela de fundo da caixa de entrada de número do editor de configurações.",
+ "numberInputBoxForeground": "Primeiro plano da caixa de entrada de número do editor de configurações.",
+ "numberInputBoxBorder": "Borda da caixa de entrada de número do editor de configurações.",
+ "focusedRowBackground": "A cor da tela de fundo de uma linha de configurações quando concentrada.",
+ "notebook.rowHoverBackground": "A cor da tela de fundo de uma linha de configurações quando focalizada.",
+ "notebook.focusedRowBorder": "A cor da borda superior e inferior da linha quando a linha está focalizada.",
+ "okButton": "OK",
+ "cancelButton": "Cancelar",
+ "listValueHintLabel": "Item de lista `{0}`",
+ "listSiblingHintLabel": "Item de lista '{0}' com irmão '${1}'",
+ "removeItem": "Remover Item",
+ "editItem": "Editar Item",
+ "addItem": "Adicionar Item",
+ "itemInputPlaceholder": "Item da Cadeia de Caracteres...",
+ "listSiblingInputPlaceholder": "Irmão...",
+ "excludePatternHintLabel": "Excluir arquivos correspondentes a `{0}`",
+ "excludeSiblingHintLabel": "Excluir arquivos correspondentes a `{0}` somente quando um arquivo correspondente a `{1}` estiver presente",
+ "removeExcludeItem": "Remover Item de Exclusão",
+ "editExcludeItem": "Editar Item de Exclusão",
+ "addPattern": "Adicionar Padrão",
+ "excludePatternInputPlaceholder": "Excluir Padrão...",
+ "excludeSiblingInputPlaceholder": "Quando o Padrão estiver Presente...",
+ "objectKeyInputPlaceholder": "Tecla",
+ "objectValueInputPlaceholder": "Valor",
+ "objectPairHintLabel": "A propriedade `{0}` está definida como `{1}`.",
+ "resetItem": "Redefinir Item",
+ "objectKeyHeader": "Item",
+ "objectValueHeader": "Valor"
+ },
+ "vs/workbench/contrib/preferences/browser/tocTree": {
+ "settingsTOC": "Sumário das Configurações",
+ "groupRowAriaLabel": "{0}, grupo"
+ },
+ "vs/workbench/contrib/quickaccess/browser/quickAccess.contribution": {
+ "helpQuickAccessPlaceholder": "Digite '{0}' para obter ajuda sobre as ações que você pode tomar aqui.",
+ "helpQuickAccess": "Mostrar Todos os Provedores de Acesso Rápido",
+ "viewQuickAccessPlaceholder": "Digite o nome de um modo de exibição, canal de saída ou terminal a ser aberto.",
+ "viewQuickAccess": "Abrir o Modo de Exibição",
+ "commandsQuickAccessPlaceholder": "Digite o nome de um comando a ser executado.",
+ "commandsQuickAccess": "Mostrar e Executar Comandos",
+ "miCommandPalette": "&&Paleta de Comandos...",
+ "miOpenView": "&&Abrir o Modo de Exibição...",
+ "miGotoSymbolInEditor": "Ir para &&Símbolo no Editor...",
+ "miGotoLine": "Ir para &&Linha/Coluna...",
+ "commandPalette": "Paleta de Comandos..."
+ },
+ "vs/workbench/contrib/quickaccess/browser/viewQuickAccess": {
+ "noViewResults": "Nenhum modo de exibição correspondente",
+ "views": "Barra Lateral",
+ "panels": "Painel",
+ "terminalTitle": "{0}: {1}",
+ "terminals": "Terminal",
+ "logChannel": "Log ({0})",
+ "channels": "Saída",
+ "openView": "Abrir o Modo de Exibição",
+ "quickOpenView": "Abrir Rapidamente o Modo de Exibição"
+ },
+ "vs/workbench/contrib/quickaccess/browser/commandsQuickAccess": {
+ "noCommandResults": "Nenhum comando correspondente",
+ "configure keybinding": "Configurar a Associação de Teclas",
+ "commandWithCategory": "{0}: {1}",
+ "showTriggerActions": "Mostrar Todos os Comandos",
+ "clearCommandHistory": "Limpar Histórico de Comandos"
+ },
+ "vs/workbench/contrib/relauncher/browser/relauncher.contribution": {
+ "relaunchSettingMessage": "Uma configuração foi alterada e isso exige uma reinicialização para entrar em vigor.",
+ "relaunchSettingMessageWeb": "Uma configuração foi alterada e isso exige um recarregamento para entrar em vigor.",
+ "relaunchSettingDetail": "Pressione o botão Reiniciar para reiniciar {0} e habilitar a configuração.",
+ "relaunchSettingDetailWeb": "Pressione o botão Recarregar para recarregar {0} e habilitar a configuração.",
+ "restart": "&&Reiniciar",
+ "restartWeb": "&&Recarregar"
+ },
+ "vs/workbench/contrib/remote/electron-sandbox/remote.contribution": {
+ "remote": "Remoto",
+ "remote.downloadExtensionsLocally": "Quando ativado, as extensões são baixadas localmente e instaladas no local remoto."
+ },
+ "vs/workbench/contrib/remote/common/remote.contribution": {
+ "remoteExtensionLog": "Servidor Remoto",
+ "ui": "Tipo de extensão da interface do usuário. Em uma janela remota, essas extensões são habilitadas somente quando disponíveis no computador local.",
+ "workspace": "Tipo de extensão do Workspace. Em uma janela remota, essas extensões são habilitadas somente quando disponíveis no repositório remoto.",
+ "web": "Tipo de extensão do web worker. Essa extensão pode ser executada em um host de extensão de web worker.",
+ "remote": "Remoto",
+ "remote.extensionKind": "Substituir o tipo de uma extensão. As extensões `ui` são instaladas e executadas no computador local, enquanto as extensões `workspace` são executadas no repositório remoto. Ao substituir o tipo padrão de uma extensão usando essa configuração, você deve especificar se essa extensão deve ser instalada e habilitada local ou remotamente.",
+ "remote.restoreForwardedPorts": "Restaura as portas que você encaminhou em um espaço de trabalho.",
+ "remote.autoForwardPorts": "Quando esta opção está habilitada, os novos processos em execução são detectados e as portas nas quais eles escutam são encaminhadas automaticamente."
+ },
+ "vs/workbench/contrib/remote/browser/remote": {
+ "RemoteHelpInformationExtPoint": "Contribui com informações de ajuda para o Remoto",
+ "RemoteHelpInformationExtPoint.getStarted": "A URL ou um comando que retorna a URL para a página de Introdução do projeto",
+ "RemoteHelpInformationExtPoint.documentation": "A URL ou um comando que retorna a URL para a página de documentação do projeto",
+ "RemoteHelpInformationExtPoint.feedback": "A URL ou um comando que retorna a URL para o relator de comentários do projeto",
+ "RemoteHelpInformationExtPoint.issues": "A URL ou um comando que retorna a URL para a lista de problemas do projeto",
+ "getStartedIcon": "Ícone de introdução na exibição do gerenciador remoto.",
+ "documentationIcon": "Ícone da documentação na exibição do gerenciador remoto.",
+ "feedbackIcon": "Ícone de comentários na exibição do gerenciador remoto.",
+ "reviewIssuesIcon": "Ícone para examinar o problema na exibição do gerenciador remoto.",
+ "reportIssuesIcon": "Ícone de problema do relatório na exibição do gerenciador remoto.",
+ "remoteExplorerViewIcon": "Ícone de exibição da exibição do gerenciador remoto.",
+ "remote.help.getStarted": "Introdução",
+ "remote.help.documentation": "Ler Documentação",
+ "remote.help.feedback": "Fornecer Comentários",
+ "remote.help.issues": "Examinar Problemas",
+ "remote.help.report": "Relatar Problema",
+ "pickRemoteExtension": "Selecionar URL para abrir",
+ "remote.help": "Ajuda e comentários",
+ "remotehelp": "Ajuda Remota",
+ "remote.explorer": "Explorador Remoto",
+ "toggleRemoteViewlet": "Mostrar Explorador Remoto",
+ "reconnectionWaitOne": "Tentando reconectar em {0} segundo...",
+ "reconnectionWaitMany": "Tentando reconectar em {0} segundos...",
+ "reconnectNow": "Reconectar Agora",
+ "reloadWindow": "Recarregar a Janela",
+ "connectionLost": "Conexão Perdida",
+ "reconnectionRunning": "Tentando reconectar...",
+ "reconnectionPermanentFailure": "Não é possível reconectar. Recarregue a janela.",
+ "cancel": "Cancelar"
+ },
+ "vs/workbench/contrib/remote/browser/remoteExplorer": {
+ "ports": "Portas",
+ "1forwardedPort": "1 porta encaminhada",
+ "nForwardedPorts": "{0} portas encaminhadas",
+ "status.forwardedPorts": "Portas Encaminhadas",
+ "remote.forwardedPorts.statusbarTextNone": "Nenhuma Porta Encaminhada",
+ "remote.forwardedPorts.statusbarTooltip": "Portas Encaminhadas: {0}",
+ "remote.tunnelsView.automaticForward": "Seu serviço em execução na porta {0} está disponível. [Veja todas as portas disponíveis](comando: {1}.focus)"
+ },
+ "vs/workbench/contrib/remote/browser/explorerViewItems": {
+ "remotes": "Mudar o Repositório Remoto",
+ "remote.explorer.switch": "Mudar o Repositório Remoto"
+ },
+ "vs/workbench/contrib/remote/browser/remoteIndicator": {
+ "remote.category": "Remoto",
+ "remote.showMenu": "Mostrar Menu Remoto",
+ "remote.close": "Fechar a Conexão Remota",
+ "miCloseRemote": "Fechar Conexão Re&&mota",
+ "host.open": "Abrindo Remoto...",
+ "disconnectedFrom": "Desconectado de {0}",
+ "host.tooltipDisconnected": "Desconectado de {0}",
+ "host.tooltip": "Editando em {0}",
+ "noHost.tooltip": "Abrir uma Janela Remota",
+ "remoteHost": "Host Remoto",
+ "cat.title": "{0}: {1}",
+ "closeRemote.title": "Fechar a Conexão Remota"
+ },
+ "vs/workbench/contrib/remote/browser/tunnelView": {
+ "remote.tunnelsView.add": "Encaminhar uma Porta...",
+ "remote.tunnelsView.detected": "Túneis Existentes",
+ "remote.tunnelsView.candidates": "Não Encaminhado",
+ "remote.tunnelsView.input": "Pressione Enter para confirmar ou Escape para cancelar.",
+ "remote.tunnelsView.forwardedPortLabel0": "{0}",
+ "remote.tunnelsView.forwardedPortLabel1": "{0} → {1}",
+ "remote.tunnelsView.forwardedPortLabel2": "{0}",
+ "remote.tunnelsView.forwardedPortDescription0": "{0} → {1}",
+ "remote.tunnel": "Portas",
+ "remote.tunnel.ariaLabelForwarded": "Porta remota {0}:{1} encaminhada para o endereço local {2}",
+ "remote.tunnel.ariaLabelCandidate": "Porta remota {0}:{1} não encaminhada",
+ "tunnelView": "Modo de Exibição de Túnel",
+ "remote.tunnel.label": "Definir Rótulo",
+ "remote.tunnelsView.labelPlaceholder": "Rótulo da porta",
+ "remote.tunnelsView.portNumberValid": "A porta encaminhada é inválida.",
+ "remote.tunnelsView.portNumberToHigh": "O número da porta precisa ser ≥ 0 e < {0}.",
+ "remote.tunnel.forward": "Encaminhar uma Porta",
+ "remote.tunnel.forwardItem": "Encaminhar Porta",
+ "remote.tunnel.forwardPrompt": "Número da porta ou endereço (por exemplo, 3000 ou 10.10.10.10:2000).",
+ "remote.tunnel.forwardError": "Não é possível encaminhar {0}:{1}. O host pode não estar disponível ou a porta remota já pode ter sido encaminhada",
+ "remote.tunnel.closeNoPorts": "Nenhuma porta encaminhada no momento. Tente executar o comando {0}",
+ "remote.tunnel.close": "Parar Encaminhamento de Porta",
+ "remote.tunnel.closePlaceholder": "Escolha uma porta para parar o encaminhamento",
+ "remote.tunnel.open": "Abrir no Navegador",
+ "remote.tunnel.openCommandPalette": "Abrir Porta no Navegador",
+ "remote.tunnel.openCommandPaletteNone": "Nenhuma porta encaminhada no momento. Abra a exibição de Portas para começar.",
+ "remote.tunnel.openCommandPaletteView": "Abrir a exibição de Portas...",
+ "remote.tunnel.openCommandPalettePick": "Escolha a porta a ser aberta",
+ "remote.tunnel.copyAddressInline": "Copiar Endereço",
+ "remote.tunnel.copyAddressCommandPalette": "Copiar Endereço de Porta Encaminhada",
+ "remote.tunnel.copyAddressPlaceholdter": "Escolha uma porta encaminhada",
+ "remote.tunnel.changeLocalPort": "Alterar Porta Local",
+ "remote.tunnel.changeLocalPortNumber": "A porta local {0} não está disponível. O número da porta {1} foi usado no lugar",
+ "remote.tunnelsView.changePort": "Nova porta local"
+ },
+ "vs/workbench/contrib/sash/browser/sash.contribution": {
+ "sashSize": "Controla o tamanho da área de comentários, em pixels, da área de arrastar entre modos de exibição/editores. Defina-o como um valor maior se você achar difícil redimensionar modos de exibição usando o mouse."
+ },
+ "vs/workbench/contrib/scm/browser/scm.contribution": {
+ "sourceControlViewIcon": "Ícone de exibição da exibição de controle do código-fonte.",
+ "source control": "Controle do Código-Fonte",
+ "no open repo": "Não há provedores de controle de código fonte registrados.",
+ "source control repositories": "Repositórios de Controle do Código-Fonte",
+ "toggleSCMViewlet": "Mostrar SCM",
+ "scmConfigurationTitle": "SCM",
+ "scm.diffDecorations.all": "Mostrar as decorações de comparação em todas as localizações disponíveis.",
+ "scm.diffDecorations.gutter": "Mostrar as decorações de comparação somente na medianiz do editor.",
+ "scm.diffDecorations.overviewRuler": "Mostrar as decorações de comparação somente na régua de visão geral.",
+ "scm.diffDecorations.minimap": "Mostrar as decorações de comparação somente no minimapa.",
+ "scm.diffDecorations.none": "Não mostrar as decorações de comparação.",
+ "diffDecorations": "Controla decorações de comparação no editor.",
+ "diffGutterWidth": "Controla a largura (px) das decorações de comparação na medianiz (adicionado a & modified).",
+ "scm.diffDecorationsGutterVisibility.always": "Mostrar o decorador de comparação na medianiz a qualquer momento.",
+ "scm.diffDecorationsGutterVisibility.hover": "Mostrar o decorador de comparação na medianiz somente no foco.",
+ "scm.diffDecorationsGutterVisibility": "Controla a visibilidade do decorador de comparação do Controle do Código-fonte na medianiz.",
+ "scm.diffDecorationsGutterAction.diff": "Mostrar a exibição de espiada de comparação embutida ao clicar.",
+ "scm.diffDecorationsGutterAction.none": "Não fazer nada.",
+ "scm.diffDecorationsGutterAction": "Controla o comportamento das decorações da medianiz de comparação do Controle do Código-Fonte.",
+ "alwaysShowActions": "Controla se as ações embutidas estão sempre visíveis na exibição de Controle do Código-fonte.",
+ "scm.countBadge.all": "Mostrar a soma de todas as notificações de contagem dos Provedores de Controle do Código-fonte.",
+ "scm.countBadge.focused": "Mostrar a notificação de contagem do Provedor de Controle do Código-fonte com foco.",
+ "scm.countBadge.off": "Desabilitar a notificação de contagem do Controle do Código-fonte.",
+ "scm.countBadge": "Controla o selo da contagem no ícone de Controle do Código-fonte na Barra de Atividade.",
+ "scm.providerCountBadge.hidden": "Ocultar notificações de contagem do Provedor de Controle do Código-fonte.",
+ "scm.providerCountBadge.auto": "Somente mostrar a notificação de contagem para o Provedor de Controle do Código-fonte quando diferente de zero.",
+ "scm.providerCountBadge.visible": "Mostrar notificações de contagem do Provedor de Controle do Código-fonte.",
+ "scm.providerCountBadge": "Controla os selos de contagem nos cabeçalhos do Provedor de Controle do Código-fonte. Estes cabeçalhos só aparecem quando há mais de um provedor.",
+ "scm.defaultViewMode.tree": "Mostrar as alterações do repositório como uma árvore.",
+ "scm.defaultViewMode.list": "Mostrar as alterações do repositório como uma lista.",
+ "scm.defaultViewMode": "Controla o modo de exibição do repositório de Controle do Código-fonte padrão.",
+ "autoReveal": "Controla se o modo de exibição do SCM deve revelar e selecionar arquivos automaticamente ao abri-los.",
+ "inputFontFamily": "Controla a fonte da mensagem de entrada. Use 'default' para a família de fontes da interface do usuário do workbench, `editor` para o valor de `#editor.fontFamily#` ou uma família de fontes personalizada.",
+ "alwaysShowRepository": "Controla se os repositórios devem estar sempre visíveis no modo de exibição do SCM.",
+ "providersVisible": "Controla quantos repositórios são visíveis na seção Repositórios de Controle do Código-fonte. Defina como `0` para poder redimensionar manualmente o modo de exibição.",
+ "miViewSCM": "S&&CM",
+ "scm accept": "SCM: Aceitar Entrada",
+ "scm view next commit": "SCM: Exibir o Próximo Commit",
+ "scm view previous commit": "SCM: Exibir a Próxima Confirmação",
+ "open in terminal": "Abrir no Terminal"
+ },
+ "vs/workbench/contrib/scm/browser/activity": {
+ "status.scm": "Controle do Código-Fonte",
+ "scmPendingChangesBadge": "{0} alterações pendentes"
+ },
+ "vs/workbench/contrib/scm/browser/dirtydiffDecorator": {
+ "changes": "{0} de {1} alterações",
+ "change": "{0} de {1} alteração",
+ "show previous change": "Mostrar Alteração Anterior",
+ "show next change": "Mostrar Próxima Alteração",
+ "miGotoNextChange": "Próxima &&Alteração",
+ "miGotoPreviousChange": "&&Alteração Anterior",
+ "move to previous change": "Mover para a Alteração Anterior",
+ "move to next change": "Mover para a Próxima Alteração",
+ "editorGutterModifiedBackground": "Cor da tela de fundo da medianiz do editor para as linhas que são modificadas.",
+ "editorGutterAddedBackground": "Cor da tela de fundo da medianiz do editor para as linhas que são adicionadas.",
+ "editorGutterDeletedBackground": "Cor da tela de fundo da medianiz do editor para as linhas que são excluídas.",
+ "minimapGutterModifiedBackground": "Cor da tela de fundo da medianiz do minimapa para as linhas que são modificadas.",
+ "minimapGutterAddedBackground": "Cor da tela de fundo da medianiz do minimapa para as linhas que são adicionadas.",
+ "minimapGutterDeletedBackground": "Cor da tela de fundo da medianiz do minimapa para as linhas que são excluídas.",
+ "overviewRulerModifiedForeground": "Cor do marcador de régua de visão geral para conteúdo modificado.",
+ "overviewRulerAddedForeground": "Cor do marcador de régua de visão geral para conteúdo adicionado.",
+ "overviewRulerDeletedForeground": "Cor do marcador de régua de visão geral para conteúdo excluído."
+ },
+ "vs/workbench/contrib/scm/browser/scmViewPaneContainer": {
+ "source control": "Controle do Código-Fonte"
+ },
+ "vs/workbench/contrib/scm/browser/scmRepositoriesViewPane": {
+ "scm": "Repositórios de Controle do Código-Fonte"
+ },
+ "vs/workbench/contrib/scm/browser/scmViewPane": {
+ "scm": "Gerenciamento do Controle do Código-fonte",
+ "input": "Entrada de Controle do Código-fonte",
+ "repositories": "Repositórios",
+ "sortAction": "Exibir & Classificação",
+ "toggleViewMode": "Ativar/Desativar Modo de Exibição",
+ "viewModeList": "Exibir como Lista",
+ "viewModeTree": "Exibir como Árvore",
+ "sortByName": "Classificar por Nome",
+ "sortByPath": "Classificar por Caminho",
+ "sortByStatus": "Classificar por Status",
+ "expand all": "Expandir Todos os Repositórios",
+ "collapse all": "Recolher Todos os Repositórios",
+ "scm.providerBorder": "Borda do separador do Provedor SCM."
+ },
+ "vs/workbench/contrib/search/browser/search.contribution": {
+ "search": "Pesquisar",
+ "copyMatchLabel": "Copiar",
+ "copyPathLabel": "Copiar o Caminho",
+ "copyAllLabel": "Copiar Tudo",
+ "revealInSideBar": "Revelar na Barra Lateral",
+ "clearSearchHistoryLabel": "Limpar Histórico de Pesquisa",
+ "focusSearchListCommandLabel": "Focar na Lista",
+ "findInFolder": "Localizar na Pasta...",
+ "findInWorkspace": "Localizar no Workspace...",
+ "showTriggerActions": "Ir para o Símbolo no Workspace...",
+ "name": "Pesquisar",
+ "findInFiles.description": "Abrir o viewlet de pesquisa",
+ "findInFiles.args": "Um conjunto de opções para o viewlet de pesquisa",
+ "findInFiles": "Localizar nos Arquivos",
+ "miFindInFiles": "Localizar &&nos Arquivos",
+ "miReplaceInFiles": "Substituir &&nos Arquivos",
+ "anythingQuickAccessPlaceholder": "Pesquisar arquivos por nome (acrescentar {0} para ir para a linha ou {1} para ir para o símbolo)",
+ "anythingQuickAccess": "Acessar o Arquivo",
+ "symbolsQuickAccessPlaceholder": "Digite o nome de um símbolo a ser aberto.",
+ "symbolsQuickAccess": "Ir para o Símbolo no Workspace",
+ "searchConfigurationTitle": "Pesquisar",
+ "exclude": "Configurar padrões glob para excluir arquivos e pastas em pesquisas de texto completo e abrir rapidamente. Herda todos os padrões glob da configuração `#files.exclude#`. Leia mais sobre padrões glob [aqui] (https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options).",
+ "exclude.boolean": "O padrão glob ao qual corresponder os caminhos do arquivo. Defina como true ou false para habilitar ou desabilitar o padrão.",
+ "exclude.when": "Verificação adicional nos irmãos de um arquivo correspondente. Use $(basename) como variável para o nome do arquivo correspondente.",
+ "useRipgrep": "Essa configuração foi preterida e agora retorna ao \"search.usePCRE2\".",
+ "useRipgrepDeprecated": "Preterido. Considere \"search.usePCRE2\" para obter suporte do recurso regex avançado.",
+ "search.maintainFileSearchCache": "Quando habilitado, o processo de searchService será mantido ativo em vez de ser desligado após uma hora de inatividade. Isso manterá o cache de pesquisa de arquivo na memória.",
+ "useIgnoreFiles": "Controla se os arquivos `.gitignore` e `.ignore` devem ser usados ao pesquisar arquivos.",
+ "useGlobalIgnoreFiles": "Controla se os arquivos globais `.gitignore` e `.ignore` devem ser usados durante a pesquisa de arquivos.",
+ "search.quickOpen.includeSymbols": "Se deseja incluir os resultados de uma pesquisa de símbolo global nos resultados do arquivo para Abertura Rápida.",
+ "search.quickOpen.includeHistory": "Se deseja incluir os resultados de arquivos abertos recentemente nos resultados do arquivo para Abertura Rápida.",
+ "filterSortOrder.default": "As entradas do histórico são classificadas por relevância com base no valor do filtro usado. As entradas mais relevantes aparecem primeiro.",
+ "filterSortOrder.recency": "As entradas do histórico são classificadas por recência. As entradas abertas mais recentemente aparecem primeiro.",
+ "filterSortOrder": "Controla a ordem de classificação do histórico do editor ao abrir rapidamente ao filtrar.",
+ "search.followSymlinks": "Controla se os ciclos de links devem ser seguidos durante a pesquisa.",
+ "search.smartCase": "Pesquisar sem diferenciar maiúsculas de minúsculas se o padrão for todo em minúsculas, caso contrário, pesquisar diferenciando maiúsculas de minúsculas.",
+ "search.globalFindClipboard": "Controla se o modo de exibição de pesquisa deve ler ou modificar a área de transferência de localização compartilhada no macOS.",
+ "search.location": "Controla se a pesquisa será mostrada como um modo de exibição na barra lateral ou como um painel na área do painel para obter mais espaço horizontal.",
+ "search.location.deprecationMessage": "Essa configuração foi preterida. Use arrastar e soltar ao arrastar o ícone de pesquisa.",
+ "search.collapseResults.auto": "Arquivos com menos de 10 resultados são expandidos. Outros são recolhidos.",
+ "search.collapseAllResults": "Controla se os resultados da pesquisa serão recolhidos ou expandidos.",
+ "search.useReplacePreview": "Controla se é necessário abrir a Visualização de Substituição ao selecionar ou substituir uma correspondência.",
+ "search.showLineNumbers": "Controla se os números de linha devem ser mostrados para os resultados da pesquisa.",
+ "search.usePCRE2": "Se o mecanismo de regex do PCRE2 deve ser usado na pesquisa de texto. Isso permite o uso de alguns recursos de regex avançados, como referências inversas e de lookahead. No entanto, nem todos os recursos PCRE2 são compatíveis, somente recursos compatíveis com o JavaScript.",
+ "usePCRE2Deprecated": "Preterido. O PCRE2 será usado automaticamente ao usar os recursos regex que só têm suporte do PCRE2.",
+ "search.actionsPositionAuto": "Posicione o actionBar à direita quando o modo de exibição de pesquisa for estreito e imediatamente após o conteúdo quando o modo de exibição de pesquisa for largo.",
+ "search.actionsPositionRight": "Sempre posicione o actionbar à direita.",
+ "search.actionsPosition": "Controla o posicionamento do actionbar nas linhas do modo de exibição de pesquisa.",
+ "search.searchOnType": "Pesquisar todos os arquivos enquanto você digita.",
+ "search.seedWithNearestWord": "Habilitar a pesquisa de propagação da palavra mais próxima ao cursor quando o editor ativo não tiver nenhuma seleção.",
+ "search.seedOnFocus": "Atualizar a consulta de pesquisa do workspace para o texto selecionado do editor ao focar no modo de exibição de pesquisa. Isso acontece ao clicar ou ao disparar o comando `workbench.views.search.focus`.",
+ "search.searchOnTypeDebouncePeriod": "Quando `#search.searchOnType#` está habilitado, controla o tempo limite em milissegundos entre um caractere que está sendo digitado e o início da pesquisa. Não tem efeito quando `search.searchOnType` está desabilitado.",
+ "search.searchEditor.doubleClickBehaviour.selectWord": "Clicar duas vezes seleciona a palavra sob o cursor.",
+ "search.searchEditor.doubleClickBehaviour.goToLocation": "Clicar duas vezes abre o resultado no grupo de editor ativo.",
+ "search.searchEditor.doubleClickBehaviour.openLocationToSide": "Clicar duas vezes abrirá o resultado no grupo editor ao lado, criando um se ele ainda não existir.",
+ "search.searchEditor.doubleClickBehaviour": "Configurar efeito de clicar duas vezes em um resultado em um editor de pesquisas.",
+ "search.searchEditor.reusePriorSearchConfiguration": "Quando habilitados, novos Editores de Pesquisa reutilizarão as inclusões, exclusões e sinalizadores do Editor de Pesquisa aberto anteriormente",
+ "search.searchEditor.defaultNumberOfContextLines": "O número padrão de linhas de contexto circundantes a serem usadas ao criar Editores de Pesquisas. Se estiver usando `#search. searchEditor.reusePriorSearchConfiguration#`, isso poderá ser definido como `null` (vazio) para usar a configuração do Editor de Pesquisas anterior.",
+ "searchSortOrder.default": "Os resultados são classificados por nomes de pastas e arquivos, em ordem alfabética.",
+ "searchSortOrder.filesOnly": "Os resultados são classificados por nomes de arquivo ignorando a ordem da pasta, em ordem alfabética.",
+ "searchSortOrder.type": "Os resultados são classificados por extensões de arquivo, em ordem alfabética.",
+ "searchSortOrder.modified": "Os resultados são classificados pela data da última modificação do arquivo, em ordem descendente.",
+ "searchSortOrder.countDescending": "Os resultados são classificados por contagem por arquivo, em ordem descendente.",
+ "searchSortOrder.countAscending": "Os resultados são classificados por contagem por arquivo, em ordem ascendente.",
+ "search.sortOrder": "Controla a ordem de classificação dos resultados da pesquisa.",
+ "miViewSearch": "&&Pesquisar",
+ "miGotoSymbolInWorkspace": "Ir para o Símbolo no &&Workspace..."
+ },
+ "vs/workbench/contrib/search/browser/searchView": {
+ "searchCanceled": "A pesquisa foi cancelada antes que qualquer resultado fosse encontrado – ",
+ "moreSearch": "Ativar/Desativar os Detalhes da Pesquisa",
+ "searchScope.includes": "arquivos a serem incluídos",
+ "label.includes": "Pesquisar Padrões de Inclusão",
+ "searchScope.excludes": "arquivos a serem excluídos",
+ "label.excludes": "Pesquisar Padrões de Exclusão",
+ "replaceAll.confirmation.title": "Substituir Tudo",
+ "replaceAll.confirm.button": "&&Substituir",
+ "replaceAll.occurrence.file.message": "{0} ocorrência substituída em {1} arquivo com '{2}'.",
+ "removeAll.occurrence.file.message": "{0} ocorrência substituída em {1} arquivo.",
+ "replaceAll.occurrence.files.message": "{0} ocorrência substituída em {1} arquivos com '{2}'.",
+ "removeAll.occurrence.files.message": "{0} ocorrência substituída em {1} arquivos.",
+ "replaceAll.occurrences.file.message": "{0} ocorrências substituídas em {1} arquivo com '{2}'.",
+ "removeAll.occurrences.file.message": "{0} ocorrências substituídas em {1} arquivo.",
+ "replaceAll.occurrences.files.message": "{0} ocorrências substituídas em {1} arquivos com '{2}'.",
+ "removeAll.occurrences.files.message": "{0} ocorrências substituídas em {1} arquivos.",
+ "removeAll.occurrence.file.confirmation.message": "Substituir {0} ocorrência em {1} arquivo com '{2}'?",
+ "replaceAll.occurrence.file.confirmation.message": "Substituir {0} ocorrência em {1} arquivo?",
+ "removeAll.occurrence.files.confirmation.message": "Substituir {0} ocorrência em {1} arquivos com '{2}'?",
+ "replaceAll.occurrence.files.confirmation.message": "Substituir {0} ocorrência em {1} arquivos?",
+ "removeAll.occurrences.file.confirmation.message": "Substituir {0} ocorrências em {1} arquivo com '{2}'?",
+ "replaceAll.occurrences.file.confirmation.message": "Substituir {0} ocorrências em {1} arquivo?",
+ "removeAll.occurrences.files.confirmation.message": "Substituir {0} ocorrências em {1} arquivos com '{2}'?",
+ "replaceAll.occurrences.files.confirmation.message": "Substituir {0} ocorrências em {1} arquivos?",
+ "emptySearch": "Pesquisa Vazia",
+ "ariaSearchResultsClearStatus": "Os resultados da pesquisa foram limpos",
+ "searchPathNotFoundError": "Caminho de pesquisa não encontrado: {0}",
+ "searchMaxResultsWarning": "O conjunto de resultados contém apenas um subconjunto de todas as correspondências. Faça uma pesquisa mais específica para restringir os resultados.",
+ "noResultsIncludesExcludes": "Nenhum resultado encontrado em '{0}', exceto '{1}' – ",
+ "noResultsIncludes": "Nenhum resultado encontrado em '{0}' – ",
+ "noResultsExcludes": "Nenhum resultado encontrado, exceto '{0}' – ",
+ "noResultsFound": "Nenhum resultado encontrado. Examine suas configurações para obter exclusões configuradas e verifique os arquivos do gitignore – ",
+ "rerunSearch.message": "Pesquisar novamente",
+ "rerunSearchInAll.message": "Pesquisar novamente em todos os arquivos",
+ "openSettings.message": "Abrir as Configurações",
+ "openSettings.learnMore": "Saiba Mais",
+ "ariaSearchResultsStatus": "A pesquisa retornou {0} resultados em {1} arquivos",
+ "forTerm": " – Pesquisar: {0}",
+ "useIgnoresAndExcludesDisabled": " – as funções para excluir configurações e ignorar arquivos estão desabilitadas",
+ "openInEditor.message": "Abrir no editor",
+ "openInEditor.tooltip": "Copiar resultados da pesquisa atuais para um editor",
+ "search.file.result": "{0} resultado em {1} arquivo",
+ "search.files.result": "{0} resultado em {1} arquivos",
+ "search.file.results": "{0} resultados em {1} arquivo",
+ "search.files.results": "{0} resultados em {1} arquivos",
+ "searchWithoutFolder": "Você não abriu nem especificou uma pasta. Somente arquivos abertos são pesquisados – ",
+ "openFolder": "Abrir a Pasta"
+ },
+ "vs/workbench/contrib/search/browser/searchActions": {
+ "showSearch": "Mostrar Pesquisa",
+ "replaceInFiles": "Substituir nos Arquivos",
+ "toggleTabs": "Ativar/Desativar Pesquisa de Tipo",
+ "RefreshAction.label": "Atualizar",
+ "CollapseDeepestExpandedLevelAction.label": "Recolher Tudo",
+ "ExpandAllAction.label": "Expandir Tudo",
+ "ToggleCollapseAndExpandAction.label": "Ativar/Desativar Recolhimento e Expansão",
+ "ClearSearchResultsAction.label": "Limpar os Resultados da Pesquisa",
+ "CancelSearchAction.label": "Cancelar Pesquisa",
+ "FocusNextSearchResult.label": "Focar no Próximo Resultado da Pesquisa",
+ "FocusPreviousSearchResult.label": "Focar no Resultado da Pesquisa Anterior",
+ "RemoveAction.label": "Ignorar",
+ "file.replaceAll.label": "Substituir Tudo",
+ "match.replace.label": "Substituir"
+ },
+ "vs/workbench/contrib/search/browser/symbolsQuickAccess": {
+ "noSymbolResults": "Nenhum símbolo de workspace correspondente",
+ "openToSide": "Aberto para o lado",
+ "openToBottom": "Abrir na Parte Inferior"
+ },
+ "vs/workbench/contrib/search/browser/anythingQuickAccess": {
+ "noAnythingResults": "Nenhum resultado correspondente",
+ "recentlyOpenedSeparator": "aberto recentemente",
+ "fileAndSymbolResultsSeparator": "resultados de arquivo e símbolo",
+ "fileResultsSeparator": "resultados do arquivo",
+ "filePickAriaLabelDirty": "{0} sujo",
+ "openToSide": "Aberto para o lado",
+ "openToBottom": "Abrir na Parte Inferior",
+ "closeEditor": "Remover de Abertos Recentemente"
+ },
+ "vs/workbench/contrib/search/browser/searchWidget": {
+ "search.action.replaceAll.disabled.label": "Substituir Tudo (Enviar Pesquisa para Habilitar)",
+ "search.action.replaceAll.enabled.label": "Substituir Tudo",
+ "search.replace.toggle.button.title": "Ativar/Desativar Substituição",
+ "label.Search": "Pesquisar: digite o termo de pesquisa e pressione Enter para pesquisar",
+ "search.placeHolder": "Pesquisar",
+ "showContext": "Alternar as Linhas de Contexto",
+ "label.Replace": "Substituir: digite o termo de substituição e pressione Enter para visualizar",
+ "search.replace.placeHolder": "Substituir"
+ },
+ "vs/workbench/contrib/search/browser/searchIcons": {
+ "searchDetailsIcon": "Ícone para deixar os detalhes da pesquisa visíveis.",
+ "searchShowContextIcon": "Ícone de alternância do contexto no editor de pesquisa.",
+ "searchHideReplaceIcon": "Ícone para recolher a seção de substituição na exibição de pesquisa.",
+ "searchShowReplaceIcon": "Ícone para expandir a seção de substituição na exibição de pesquisa.",
+ "searchReplaceAllIcon": "Ícone para substituir tudo na exibição de pesquisa.",
+ "searchReplaceIcon": "Ícone para substituir na exibição de pesquisa.",
+ "searchRemoveIcon": "Ícone para remover um resultado da pesquisa.",
+ "searchRefreshIcon": "Ícone para atualizar na exibição de pesquisa.",
+ "searchCollapseAllIcon": "Ícone para recolher os resultados na exibição de pesquisa.",
+ "searchExpandAllIcon": "Ícone para expandir os resultados na exibição de pesquisa.",
+ "searchClearIcon": "Ícone para limpar os resultados na exibição de pesquisa.",
+ "searchStopIcon": "Ícone para parar na exibição de pesquisa.",
+ "searchViewIcon": "Ícone de exibição da exibição de pesquisa.",
+ "searchNewEditorIcon": "Ícone da ação para abrir um novo editor de pesquisa."
+ },
+ "vs/workbench/contrib/search/browser/patternInputWidget": {
+ "defaultLabel": "entrada",
+ "useExcludesAndIgnoreFilesDescription": "Usar Excluir Configurações e Ignorar Arquivos"
+ },
+ "vs/workbench/contrib/search/browser/searchResultsView": {
+ "searchFolderMatch.other.label": "Outros arquivos",
+ "searchFileMatches": "{0} arquivos encontrados",
+ "searchFileMatch": "{0} arquivo encontrado",
+ "searchMatches": "{0} correspondências encontradas",
+ "searchMatch": "{0} correspondência encontrada",
+ "lineNumStr": "Da linha {0}",
+ "numLinesStr": "{0} mais linhas",
+ "search": "Pesquisar",
+ "folderMatchAriaLabel": "{0} correspondências na raiz da pasta {1}, Resultado da pesquisa",
+ "otherFilesAriaLabel": "{0} correspondências fora do workspace, Resultado da pesquisa",
+ "fileMatchAriaLabel": "{0} correspondências no arquivo {1} da pasta {2}, Resultado da pesquisa",
+ "replacePreviewResultAria": "Substituir '{0}' por '{1}' na coluna {2} na linha {3}",
+ "searchResultAria": "'{0}' encontrado na coluna {1} na linha '{2}'"
+ },
+ "vs/workbench/contrib/search/common/queryBuilder": {
+ "search.noWorkspaceWithName": "Nenhuma pasta no workspace com o nome: {0}"
+ },
+ "vs/workbench/contrib/search/browser/replaceService": {
+ "fileReplaceChanges": "{0} ↔ {1} (Substituir a Versão Prévia)"
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditor.contribution": {
+ "searchEditor": "Pesquisar Editor",
+ "search": "Pesquisar Editor",
+ "searchEditor.deleteResultBlock": "Excluir Resultados do Arquivo",
+ "search.openNewSearchEditor": "Novo Editor de Pesquisa",
+ "search.openSearchEditor": "Abrir Editor de Pesquisa",
+ "search.openNewEditorToSide": "Abrir novo Editor de Pesquisa ao Lado",
+ "search.openResultsInEditor": "Abrir Resultados no Editor",
+ "search.rerunSearchInEditor": "Pesquisar Novamente",
+ "search.action.focusQueryEditorWidget": "Focar na Entrada do Editor de Pesquisa",
+ "searchEditor.action.toggleSearchEditorCaseSensitive": "Alternar a Correspondência de Maiúsculas e Minúsculas",
+ "searchEditor.action.toggleSearchEditorWholeWord": "Alternar a Correspondência de Palavra Inteira",
+ "searchEditor.action.toggleSearchEditorRegex": "Alternar o Uso de Expressão Regular",
+ "searchEditor.action.toggleSearchEditorContextLines": "Alternar as Linhas de Contexto",
+ "searchEditor.action.increaseSearchEditorContextLines": "Aumentar as Linhas de Contexto",
+ "searchEditor.action.decreaseSearchEditorContextLines": "Diminuir as Linhas de Contexto",
+ "searchEditor.action.selectAllSearchEditorMatches": "Selecionar Todas as Correspondências"
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditorActions": {
+ "search.openNewEditor": "Abrir Novo Editor de Pesquisa"
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditor": {
+ "moreSearch": "Ativar/Desativar os Detalhes da Pesquisa",
+ "searchScope.includes": "arquivos a serem incluídos",
+ "label.includes": "Pesquisar Padrões de Inclusão",
+ "searchScope.excludes": "arquivos a serem excluídos",
+ "label.excludes": "Pesquisar Padrões de Exclusão",
+ "runSearch": "Executar Pesquisa",
+ "searchResultItem": "Foram correspondidos {0} em {1} no arquivo {2}",
+ "searchEditor": "Pesquisar",
+ "textInputBoxBorder": "Borda da caixa de entrada de texto do editor de pesquisa."
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditorInput": {
+ "searchTitle.withQuery": "Pesquisar: {0}",
+ "searchTitle": "Pesquisar"
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditorSerialization": {
+ "invalidQueryStringError": "Todas as barras invertidas na cadeia de caracteres de Consulta precisam ter escape (\\\\)",
+ "numFiles": "{0} arquivos",
+ "oneFile": "Um arquivo",
+ "numResults": "{0} resultados",
+ "oneResult": "Um resultado",
+ "noResults": "Nenhum Resultado",
+ "searchMaxResultsWarning": "O conjunto de resultados contém apenas um subconjunto de todas as correspondências. Seja mais específico na sua pesquisa para diminuir o número de resultados."
+ },
+ "vs/workbench/contrib/snippets/browser/snippets.contribution": {
+ "snippetSchema.json.prefix": "O prefixo a ser usado ao selecionar o snippet no IntelliSense",
+ "snippetSchema.json.body": "O conteúdo do snippet. Use `$1`, `${1:defaultText}` para definir posições do cursor, use `$0` para a posição do cursor final. Insira valores de variáveis com `${varName}` e `${varName:defaultText}`, por exemplo, `This is file: $TM_FILENAME`.",
+ "snippetSchema.json.description": "A descrição do snippet.",
+ "snippetSchema.json.default": "Snippet vazio",
+ "snippetSchema.json": "Configuração do snippet de usuário",
+ "snippetSchema.json.scope": "Uma lista de nomes de linguagem às quais este snippet se aplica, por exemplo, 'typescript,javascript'."
+ },
+ "vs/workbench/contrib/snippets/browser/insertSnippet": {
+ "snippet.suggestions.label": "Inserir Snippet",
+ "sep.userSnippet": "Snippets de Usuário",
+ "sep.extSnippet": "Snippets de Extensão",
+ "sep.workspaceSnippet": "Snippets do Workspace",
+ "disableSnippet": "Ocultar do IntelliSense",
+ "isDisabled": "(oculto no IntelliSense)",
+ "enable.snippet": "Mostrar no IntelliSense",
+ "pick.placeholder": "Selecionar um snippet"
+ },
+ "vs/workbench/contrib/snippets/browser/snippetsService": {
+ "invalid.path.0": "Esperava-se uma cadeia de caracteres em `contributes.{0}.path`. Valor fornecido: {1}",
+ "invalid.language.0": "Ao omitir o idioma, o valor de `contributes.{0}.path` precisa ser um `.code-snippets`. Valor fornecido: {1}",
+ "invalid.language": "Linguagem desconhecida em `contributes.{0}.language`. Valor fornecido: {1}",
+ "invalid.path.1": "Esperava-se que `contributes.{0}.path` ({1}) fosse incluído na pasta ({2}) da extensão. Isso pode tornar a extensão não portátil.",
+ "vscode.extension.contributes.snippets": "Contribui com snippets.",
+ "vscode.extension.contributes.snippets-language": "Identificador de linguagem com o qual este snippet contribuiu.",
+ "vscode.extension.contributes.snippets-path": "Caminho do arquivo de snippets. O caminho é relativo à pasta de extensão e, normalmente, começa com './snippets/'.",
+ "badVariableUse": "Um ou mais snippets da extensão '{0}' provavelmente confundem variáveis de snippet e os espaços reservados para snippet (confira https://code.visualstudio.com/docs/editor/userdefinedsnippets#_snippet-syntax para obter mais detalhes)",
+ "badFile": "Não foi possível ler o arquivo de snippet \"{0}\"."
+ },
+ "vs/workbench/contrib/snippets/browser/configureSnippets": {
+ "global.scope": "(global)",
+ "global.1": "({0})",
+ "name": "Digitar nome do arquivo de snippet",
+ "bad_name1": "Nome de arquivo inválido",
+ "bad_name2": "'{0}' não é um nome de arquivo válido",
+ "bad_name3": "'{0}' já existe",
+ "new.global_scope": "global",
+ "new.global": "Novo Arquivo de Snippets Globais...",
+ "new.workspace_scope": "{0} workspace",
+ "new.folder": "Novo Arquivo de Snippets para '{0}'...",
+ "group.global": "Snippets Existentes",
+ "new.global.sep": "Novos Snippets",
+ "openSnippet.pickLanguage": "Selecionar Arquivo de Snippets ou Criar Snippets",
+ "openSnippet.label": "Configurar Snippets de Usuário",
+ "preferences": "Preferências",
+ "miOpenSnippets": "&&Snippets de Usuário",
+ "userSnippets": "Snippets de Usuário"
+ },
+ "vs/workbench/contrib/snippets/browser/snippetsFile": {
+ "source.workspaceSnippetGlobal": "Snippet do Workspace",
+ "source.userSnippetGlobal": "Snippet de Usuário Global",
+ "source.userSnippet": "Snippet do Usuário"
+ },
+ "vs/workbench/contrib/snippets/browser/snippetCompletionProvider": {
+ "detail.snippet": "{0} ({1})",
+ "snippetSuggest.longLabel": "{0}, {1}"
+ },
+ "vs/workbench/contrib/surveys/browser/nps.contribution": {
+ "surveyQuestion": "Você poderia participar de uma pesquisa de opinião rápida?",
+ "takeSurvey": "Responder Pesquisa",
+ "remindLater": "Lembrar Mais Tarde",
+ "neverAgain": "Não Mostrar Novamente"
+ },
+ "vs/workbench/contrib/surveys/browser/languageSurveys.contribution": {
+ "helpUs": "Ajude-nos a melhorar nosso suporte para {0}",
+ "takeShortSurvey": "Participe de uma Pesquisa Breve",
+ "remindLater": "Lembrar Mais Tarde",
+ "neverAgain": "Não Mostrar Novamente"
+ },
+ "vs/workbench/contrib/tags/electron-browser/workspaceTagsService": {
+ "workspaceFound": "Esta pasta contém um arquivo de workspace '{0}'. Deseja abri-lo? [Saiba mais]({1}) sobre arquivos de workspace.",
+ "openWorkspace": "Abrir o Workspace",
+ "workspacesFound": "Esta pasta contém vários arquivos de workspace. Deseja abrir um? [Saiba mais] ({0}) sobre arquivos de workspace.",
+ "selectWorkspace": "Selecionar Workspace",
+ "selectToOpen": "Selecionar um workspace para abrir"
+ },
+ "vs/workbench/contrib/tasks/electron-browser/taskService": {
+ "TaskSystem.runningTask": "Há uma tarefa em execução. Deseja terminá-la?",
+ "TaskSystem.terminateTask": "&&Terminar a Tarefa",
+ "TaskSystem.noProcess": "A tarefa iniciada não existe mais. Se a tarefa gerou processos em segundo plano saindo do VS Code, ela poderá resultar em processos órfãos. Para evitar isso, inicie o último processo em segundo plano com um sinalizador de espera.",
+ "TaskSystem.exitAnyways": "&&Sair Mesmo Assim"
+ },
+ "vs/workbench/contrib/tasks/common/tasks": {
+ "tasksCategory": "Tarefas",
+ "TaskDefinition.missingRequiredProperty": "Erro: o identificador de tarefa '{0}' não tem a propriedade '{1}' exigida. O identificador de tarefas será ignorado."
+ },
+ "vs/workbench/contrib/tasks/common/taskConfiguration": {
+ "ConfigurationParser.invalidCWD": "Aviso: options.cwd precisa ser do tipo cadeia de caracteres. Ignorando o valor {0}\r\n",
+ "ConfigurationParser.inValidArg": "Erro: o argumento do comando precisa ser uma cadeia de caracteres ou uma cadeia de caracteres entre aspas. O valor fornecido é:\r\n{0}",
+ "ConfigurationParser.noShell": "Aviso: a configuração do shell só tem suporte durante a execução de tarefas no terminal.",
+ "ConfigurationParser.noName": "Erro: o Correspondente de Problemas no escopo de declaração precisa ter um nome:\r\n{0}\r\n",
+ "ConfigurationParser.unknownMatcherKind": "Aviso: o correspondente de problema definido é desconhecido. Os tipos com suporte são string | ProblemMatcher | Array.\r\n{0}\r\n",
+ "ConfigurationParser.invalidVariableReference": "Erro: referência de problemMatcher inválida: {0}\r\n",
+ "ConfigurationParser.noTaskType": "Erro: a configuração de tarefas precisa ter uma propriedade de tipo. A configuração será ignorada.\r\n{0}\r\n",
+ "ConfigurationParser.noTypeDefinition": "Erro: não há nenhum tipo de tarefa '{0}' registrado. Você se esqueceu de instalar uma extensão que fornece um provedor de tarefas correspondente?",
+ "ConfigurationParser.missingType": "Erro: a configuração da tarefa '{0}' não tem a propriedade 'type' necessária. A configuração da tarefa será ignorada.",
+ "ConfigurationParser.incorrectType": "Erro: a configuração da tarefa '{0}' está usando um tipo desconhecido. A configuração da tarefa será ignorada.",
+ "ConfigurationParser.notCustom": "Erro: a tarefa não está declarada como uma tarefa personalizada. A configuração será ignorada.\r\n{0}\r\n",
+ "ConfigurationParser.noTaskName": "Erro: uma tarefa precisa fornecer uma propriedade de rótulo. A tarefa será ignorada.\r\n{0}\r\n",
+ "taskConfiguration.providerUnavailable": "Aviso: {0} tarefas não estão disponíveis no ambiente atual.\r\n",
+ "taskConfiguration.noCommandOrDependsOn": "Erro: a tarefa '{0}' não especifica um comando nem uma propriedade dependsOn. A tarefa será ignorada. Sua definição é:\r\n{1}",
+ "taskConfiguration.noCommand": "Erro: a tarefa '{0}' não define um comando. A tarefa será ignorada. Sua definição é:\r\n{1}",
+ "TaskParse.noOsSpecificGlobalTasks": "A versão da tarefa 2.0.0 não dá suporte a tarefas específicas de sistemas operacionais globais. Converta-os em uma tarefa com um comando específico do sistema operacional. As tarefas afetadas são:\r\n{0}"
+ },
+ "vs/workbench/contrib/tasks/node/processTaskSystem": {
+ "version1_0": "O sistema de tarefas está configurado para a versão 0.1.0 (confira o arquivo tasks.json), que só pode executar tarefas personalizadas. Atualize para a versão 2.0.0 para executar a tarefa: {0}",
+ "TaskRunnerSystem.unknownError": "Ocorreu um erro desconhecido durante a execução de uma tarefa. Confira o log de saída da tarefa para obter detalhes.",
+ "TaskRunnerSystem.watchingBuildTaskFinished": "\r\nA observação de tarefas de build foi concluída.",
+ "TaskRunnerSystem.childProcessError": "Falha ao iniciar o programa externo {0} {1}.",
+ "TaskRunnerSystem.cancelRequested": "\r\nA tarefa '{0}' foi finalizada por solicitação do usuário.",
+ "unknownProblemMatcher": "O correspondente do problema {0} não pode ser resolvido. Ele será ignorado"
+ },
+ "vs/workbench/contrib/tasks/node/processRunnerDetector": {
+ "TaskSystemDetector.noGulpTasks": "Executar o gulp --tasks-simple não listou nenhuma tarefa. Você executou a instalação do npm?",
+ "TaskSystemDetector.noJakeTasks": "Executar o jake --tasks não listou nenhuma tarefa. Você executou a instalação do npm?",
+ "TaskSystemDetector.noGulpProgram": "O Gulp não está instalado no seu sistema. Execute npm install -g gulp para instalá-lo.",
+ "TaskSystemDetector.noJakeProgram": "O Jake não está instalado no seu sistema. Execute npm install -g jake para instalá-lo.",
+ "TaskSystemDetector.noGruntProgram": "O Grunt não está instalado no seu sistema. Execute npm install -g grunt para instalá-lo.",
+ "TaskSystemDetector.noProgram": "O programa {0} não foi encontrado. A mensagem está {1}",
+ "TaskSystemDetector.buildTaskDetected": "A tarefa de build chamada '{0}' foi detectada.",
+ "TaskSystemDetector.testTaskDetected": "A tarefa de teste chamada '{0}' foi detectada."
+ },
+ "vs/workbench/contrib/tasks/browser/abstractTaskService": {
+ "ConfigureTaskRunnerAction.label": "Configurar a Tarefa",
+ "tasks": "Tarefas",
+ "TaskSystem.noHotSwap": "Alterar o mecanismo de execução de tarefa com uma tarefa ativa em execução exige o recarregamento da Janela",
+ "reloadWindow": "Recarregar a Janela",
+ "TaskService.pickBuildTaskForLabel": "Selecionar a tarefa de build (não há uma tarefa de build padrão definida)",
+ "taskServiceOutputPrompt": "Ocorreram erros na tarefa. Veja a saída para obter mais detalhes.",
+ "showOutput": "Mostrar saída",
+ "TaskServer.folderIgnored": "A pasta {0} foi ignorada, pois usa a versão da tarefa 0.1.0",
+ "TaskService.providerUnavailable": "Aviso: {0} tarefas não estão disponíveis no ambiente atual.\r\n",
+ "TaskService.noBuildTask1": "Nenhuma tarefa de build definida. Marcar uma tarefa com 'isBuildCommand' no arquivo tasks.json.",
+ "TaskService.noBuildTask2": "Nenhuma tarefa de build definida. Marcar uma tarefa com um grupo 'build' no arquivo tasks.json.",
+ "TaskService.noTestTask1": "Nenhuma tarefa de teste definida. Marque uma tarefa com 'isTestCommand' no arquivo tasks.json.",
+ "TaskService.noTestTask2": "Nenhuma tarefa de teste definida. Marque uma tarefa com um grupo 'test' no arquivo tasks.json.",
+ "TaskServer.noTask": "A tarefa a ser executada não está definida",
+ "TaskService.associate": "associar",
+ "TaskService.attachProblemMatcher.continueWithout": "Continuar sem verificar a saída da tarefa",
+ "TaskService.attachProblemMatcher.never": "Nunca examinar a saída da tarefa para esta tarefa",
+ "TaskService.attachProblemMatcher.neverType": "Nunca examinar a saída da tarefa para {0} tarefas",
+ "TaskService.attachProblemMatcher.learnMoreAbout": "Saiba mais sobre a verificação da saída da tarefa",
+ "selectProblemMatcher": "Selecionar quais tipos de erros e avisos para examinar a saída da tarefa",
+ "customizeParseErrors": "A configuração da tarefa atual tem erros. Corrija os erros primeiro antes de personalizar uma tarefa.",
+ "tasksJsonComment": "\t// Confira https://go.microsoft.com/fwlink/?LinkId=733558 \r\n\t// para obter a documentação sobre o formato tasks.json",
+ "moreThanOneBuildTask": "Há várias tarefas de build definidas em tasks.json. Executando a primeiro.\r\n",
+ "TaskSystem.saveBeforeRun.prompt.title": "Salvar todos os editores?",
+ "saveBeforeRun.save": "Salvar",
+ "saveBeforeRun.dontSave": "Não salvar",
+ "detail": "Deseja salvar todos os editores antes de executar a tarefa?",
+ "TaskSystem.activeSame.noBackground": "A tarefa '{0}' já está ativa.",
+ "terminateTask": "Terminar a Tarefa",
+ "restartTask": "Reiniciar Tarefa",
+ "TaskSystem.active": "Já existe uma tarefa em execução. Termine-a antes de executar outra tarefa.",
+ "TaskSystem.restartFailed": "Falha ao terminar e reiniciar a tarefa {0}",
+ "unexpectedTaskType": "O provedor de tarefas para tarefas \"{0}\" forneceu, inesperadamente, uma tarefa do tipo \"{1}\".\r\n",
+ "TaskService.noConfiguration": "Erro: a detecção da tarefa {0} não contribuiu com uma tarefa para a seguinte configuração:\r\n{1}\r\nA tarefa será ignorada.\r\n",
+ "TaskSystem.configurationErrors": "Erro: a configuração da tarefa fornecida tem erros de validação e não pode ser usada. Corrija os erros primeiro.",
+ "TaskSystem.invalidTaskJsonOther": "Erro: o conteúdo das tarefas json em {0} tem erros de sintaxe. Corrija-o antes de executar uma tarefa.\r\n",
+ "TasksSystem.locationWorkspaceConfig": "arquivo do workspace",
+ "TaskSystem.versionWorkspaceFile": "Somente é permitida a versão de tarefas 2.0.0 em .codeworkspace.",
+ "TasksSystem.locationUserConfig": "configurações de usuário",
+ "TaskSystem.versionSettings": "Somente é permitida a versão de tarefas 2.0.0 nas configurações de usuário.",
+ "taskService.ignoreingFolder": "Ignorando as configurações de tarefa para a pasta {0} do workspace. O suporte à tarefa do workspace de várias pastas exige que todas as pastas usem a versão de tarefa 2.0.0\r\n",
+ "TaskSystem.invalidTaskJson": "Erro: o conteúdo do arquivo tasks.json tem erros de sintaxe. Corrija-o antes de executar uma tarefa.\r\n",
+ "TerminateAction.label": "Terminar a Tarefa",
+ "TaskSystem.unknownError": "Ocorreu um erro ao executar uma tarefa. Confira o log de tarefas para obter detalhes.",
+ "configureTask": "Configurar a Tarefa",
+ "recentlyUsed": "tarefas usadas recentemente",
+ "configured": "tarefas configuradas",
+ "detected": "tarefas detectadas",
+ "TaskService.ignoredFolder": "As seguintes pastas de workspace foram ignoradas, pois usam a versão de tarefa 0.1.0: {0}",
+ "TaskService.notAgain": "Não Mostrar Novamente",
+ "TaskService.pickRunTask": "Selecionar a tarefa a ser executada",
+ "TaskService.noEntryToRunSlow": "$(plus) Configurar uma Tarefa",
+ "TaskService.noEntryToRun": "$(plus) Configurar uma Tarefa",
+ "TaskService.fetchingBuildTasks": "Buscando tarefas de build...",
+ "TaskService.pickBuildTask": "Selecionar a tarefa de build a ser executada",
+ "TaskService.noBuildTask": "Não foi encontrada nenhuma tarefa de build para ser executada. Configurar Tarefa de Build...",
+ "TaskService.fetchingTestTasks": "Buscando tarefas de teste...",
+ "TaskService.pickTestTask": "Selecionar a tarefa de teste a ser executada",
+ "TaskService.noTestTaskTerminal": "Nenhuma tarefa de teste a ser executada encontrada. Configurar Tarefas...",
+ "TaskService.taskToTerminate": "Selecionar uma tarefa a ser terminada",
+ "TaskService.noTaskRunning": "Nenhuma tarefa em execução no momento",
+ "TaskService.terminateAllRunningTasks": "Todas as Tarefas em Execução",
+ "TerminateAction.noProcess": "O processo iniciado não existe mais. Se a tarefa gerou tarefas em segundo plano saindo do VS Code, ela poderá resultar em processos órfãos.",
+ "TerminateAction.failed": "Falha ao terminar a tarefa em execução",
+ "TaskService.taskToRestart": "Selecionar a tarefa a ser reiniciada",
+ "TaskService.noTaskToRestart": "Nenhuma tarefa a ser reiniciada",
+ "TaskService.template": "Selecionar um Modelo de Tarefa",
+ "taskQuickPick.userSettings": "Configurações de Usuário",
+ "TaskService.createJsonFile": "Criar arquivo tasks.json do modelo",
+ "TaskService.openJsonFile": "Abrir arquivo tasks.json",
+ "TaskService.pickTask": "Selecionar uma tarefa para configurar",
+ "TaskService.defaultBuildTaskExists": "{0} já está marcado como a tarefa de build padrão",
+ "TaskService.pickDefaultBuildTask": "Selecionar a tarefa a ser usada como a tarefa de build padrão",
+ "TaskService.defaultTestTaskExists": "{0} já está marcado como a tarefa de teste padrão.",
+ "TaskService.pickDefaultTestTask": "Selecionar a tarefa a ser usada como a tarefa de teste padrão",
+ "TaskService.pickShowTask": "Selecionar a tarefa para mostrar a saída",
+ "TaskService.noTaskIsRunning": "Nenhuma tarefa está em execução"
+ },
+ "vs/workbench/contrib/tasks/browser/terminalTaskSystem": {
+ "TerminalTaskSystem.unknownError": "Ocorreu um erro desconhecido durante a execução de uma tarefa. Confira o log de saída da tarefa para obter detalhes.",
+ "dependencyCycle": "Há um ciclo de dependência. Confira a tarefa \"{0}\".",
+ "dependencyFailed": "Não foi possível resolver a tarefa dependente '{0}' na pasta '{1}' do workspace",
+ "TerminalTaskSystem.nonWatchingMatcher": "A tarefa {0} é uma tarefa em segundo plano, mas usa um correspondente de problema sem um padrão em segundo plano",
+ "TerminalTaskSystem.terminalName": "Tarefa – {0}",
+ "closeTerminal": "Pressione qualquer tecla para fechar o terminal.",
+ "reuseTerminal": "O terminal será reutilizado por tarefas, pressione qualquer tecla para fechá-lo.",
+ "TerminalTaskSystem": "Não é possível executar um comando do shell em uma unidade UNC usando cmd.exe.",
+ "unknownProblemMatcher": "O correspondente do problema {0} não pode ser resolvido. Ele será ignorado"
+ },
+ "vs/workbench/contrib/tasks/browser/task.contribution": {
+ "building": "Compilando...",
+ "numberOfRunningTasks": "{0} tarefas em execução",
+ "runningTasks": "Mostrar as Tarefas em Execução",
+ "status.runningTasks": "Executando Tarefas",
+ "miRunTask": "&&Executar a Tarefa...",
+ "miBuildTask": "Executar Tarefa de &&Build...",
+ "miRunningTask": "Mostrar Tarefas em Execuç&&ão...",
+ "miRestartTask": "R&&einiciar Tarefa em Execução...",
+ "miTerminateTask": "&&Terminar a Tarefa...",
+ "miConfigureTask": "&&Configurar Tarefas...",
+ "miConfigureBuildTask": "Configurar Tarefa de Build Pa&&drão...",
+ "workbench.action.tasks.openWorkspaceFileTasks": "Abrir Tarefas do Workspace",
+ "ShowLogAction.label": "Mostrar Log de Tarefas",
+ "RunTaskAction.label": "Executar a Tarefa",
+ "ReRunTaskAction.label": "Executar Última Tarefa Novamente",
+ "RestartTaskAction.label": "Reiniciar Tarefa em Execução",
+ "ShowTasksAction.label": "Mostrar as Tarefas em Execução",
+ "TerminateAction.label": "Terminar a Tarefa",
+ "BuildAction.label": "Executar Tarefa de Build",
+ "TestAction.label": "Executar Tarefa de Teste",
+ "ConfigureDefaultBuildTask.label": "Configurar Tarefa de Build Padrão",
+ "ConfigureDefaultTestTask.label": "Configurar Tarefa de Teste Padrão",
+ "workbench.action.tasks.openUserTasks": "Abrir Tarefas do Usuário",
+ "tasksQuickAccessPlaceholder": "Digite o nome de uma tarefa a ser executada.",
+ "tasksQuickAccessHelp": "Executar a Tarefa",
+ "tasksConfigurationTitle": "Tarefas",
+ "task.problemMatchers.neverPrompt": "Configura se é necessário mostrar o aviso de correspondência de problema ao executar uma tarefa. Defina como `true` para não receber avisos ou use um dicionário de tipos de tarefa para desligar o aviso somente para tipos de tarefa específicos.",
+ "task.problemMatchers.neverPrompt.boolean": "Define o comportamento do prompt do correspondente de problemas para todas as tarefas.",
+ "task.problemMatchers.neverPrompt.array": "Um objeto que contém os pares tipo-booliano da tarefa para nunca solicitar correspondentes de problemas.",
+ "task.autoDetect": "Controla a habilitação de `provideTasks` para toda a extensão do provedor de tarefas. Se o comando Tasks: Run Task estiver lento, desabilitar a detecção automática para provedores de tarefas poderá ajudar. As extensões individuais também podem fornecer configurações que desabilitam a detecção automática.",
+ "task.slowProviderWarning": "Configura se um aviso é mostrado quando um provedor está lento",
+ "task.slowProviderWarning.boolean": "Define o aviso do provedor lento para todas as tarefas.",
+ "task.slowProviderWarning.array": "Uma matriz de tipos de tarefas que nunca mostrará o aviso de provedor lento.",
+ "task.quickOpen.history": "Controla o número de itens recentes rastreados na caixa de diálogo de abertura rápida da tarefa.",
+ "task.quickOpen.detail": "Controla se é necessário mostrar os detalhes da tarefa que tem um detalhe nas seleções rápidas de tarefa, como Executar Tarefa.",
+ "task.quickOpen.skip": "Controla se a seleção rápida de tarefa é ignorada quando há apenas uma tarefa para seleção.",
+ "task.quickOpen.showAll": "Faz com que as tarefas: executem o comando Task para usar o comportamento mais lento \"show all\" em vez do seletor de nível dois mais rápido, no qual as tarefas são agrupadas pelo provedor.",
+ "task.saveBeforeRun": "Salve todos os editores sujos antes de executar uma tarefa.",
+ "task.saveBeforeRun.always": "Sempre salva todos os editores antes de executar.",
+ "task.saveBeforeRun.never": "Nunca salva editores antes de executar.",
+ "task.SaveBeforeRun.prompt": "Avisa se os editores devem ser salvos antes de serem executados."
+ },
+ "vs/workbench/contrib/tasks/common/taskDefinitionRegistry": {
+ "TaskDefinition.description": "O tipo de tarefa real. Observe que os tipos começando com um '$' são reservados para uso interno.",
+ "TaskDefinition.properties": "Propriedades adicionais do tipo de tarefa",
+ "TaskDefinition.when": "Condição que precisa ser true para habilitar este tipo de tarefa. Considere usar `shellExecutionSupported`, `processExecutionSupported` e `customExecutionSupported` conforme apropriado para esta definição de tarefa.",
+ "TaskTypeConfiguration.noType": "A configuração de tipo de tarefa não tem a propriedade 'taskType' necessária",
+ "TaskDefinitionExtPoint": "Contribui com tipos de tarefas"
+ },
+ "vs/workbench/contrib/tasks/common/problemMatcher": {
+ "ProblemPatternParser.problemPattern.missingRegExp": "O padrão de problema não tem uma expressão regular.",
+ "ProblemPatternParser.loopProperty.notLast": "Só há suporte para a propriedade loop no último correspondente de linhas.",
+ "ProblemPatternParser.problemPattern.kindProperty.notFirst": "O padrão de problema é inválido. A propriedade de tipo precisa ser fornecida somente no primeiro elemento",
+ "ProblemPatternParser.problemPattern.missingProperty": "O padrão de problema é inválido. Ele precisa ter pelo menos um arquivo e uma mensagem.",
+ "ProblemPatternParser.problemPattern.missingLocation": "O padrão de problema é inválido. Ele precisa ter o tipo \"file\" ou ter um grupo de correspondência de linha ou de localização.",
+ "ProblemPatternParser.invalidRegexp": "Erro: a cadeia de caracteres {0} não é uma expressão regular válida.\r\n",
+ "ProblemPatternSchema.regexp": "A expressão regular para localizar um erro, aviso ou informação na saída.",
+ "ProblemPatternSchema.kind": "se o padrão corresponde a uma localização (arquivo e linha) ou somente um arquivo.",
+ "ProblemPatternSchema.file": "O índice do grupo de correspondência do nome de arquivo. Se for omitido, 1 será usado.",
+ "ProblemPatternSchema.location": "O índice do grupo de correspondência da localização do problema. Os padrões de localização válidos são: (line), (line,column) e (startLine,startColumn,endLine,endColumn). Se omitido, (line,column) será assumido.",
+ "ProblemPatternSchema.line": "O índice do grupo de correspondência da linha do problema. O padrão é 2",
+ "ProblemPatternSchema.column": "O índice do grupo de correspondência do caractere de linha do problema. O padrão é 3",
+ "ProblemPatternSchema.endLine": "O índice do grupo de correspondência da linha de término do problema. O padrão é indefinido",
+ "ProblemPatternSchema.endColumn": "O índice do grupo de correspondência do caractere de linha final do problema. O padrão é indefinido",
+ "ProblemPatternSchema.severity": "O índice do grupo de correspondência da severidade do problema. O padrão é indefinido",
+ "ProblemPatternSchema.code": "O índice do grupo de correspondência do código do problema. O padrão é indefinido",
+ "ProblemPatternSchema.message": "O índice do grupo de correspondência da mensagem. Se omitido, o padrão será 4 se a localização for especificada. Caso contrário, o padrão será 5.",
+ "ProblemPatternSchema.loop": "Em um loop de correspondência de várias linhas foi indicado se esse padrão é executado em um loop desde que corresponda. Só pode ser especificado em um último padrão em um padrão de várias linhas.",
+ "NamedProblemPatternSchema.name": "O nome do padrão de problema.",
+ "NamedMultiLineProblemPatternSchema.name": "O nome do padrão de problema de várias linhas do problema.",
+ "NamedMultiLineProblemPatternSchema.patterns": "Os padrões reais.",
+ "ProblemPatternExtPoint": "Contribui com padrões de problema",
+ "ProblemPatternRegistry.error": "Padrão de problema inválido. O padrão será ignorado.",
+ "ProblemMatcherParser.noProblemMatcher": "Erro: não é possível converter a descrição em um correspondente de problemas:\r\n{0}\r\n",
+ "ProblemMatcherParser.noProblemPattern": "Erro: a descrição não define um padrão de problema válido:\r\n{0}\r\n",
+ "ProblemMatcherParser.noOwner": "Erro: a descrição não define um proprietário:\r\n{0}\r\n",
+ "ProblemMatcherParser.noFileLocation": "Erro: a descrição não define uma localização de arquivo:\r\n{0}\r\n",
+ "ProblemMatcherParser.unknownSeverity": "Informações: {0} de severidade desconhecida. Os valores válidos são error, warning e info.\r\n",
+ "ProblemMatcherParser.noDefinedPatter": "Erro: o padrão com o identificador {0} não existe.",
+ "ProblemMatcherParser.noIdentifier": "Erro: a propriedade de padrão se refere a um identificador vazio.",
+ "ProblemMatcherParser.noValidIdentifier": "Erro: a propriedade de padrão {0} não é um nome de variável de padrão válido.",
+ "ProblemMatcherParser.problemPattern.watchingMatcher": "Um correspondente de problema precisa definir um padrão inicial e um padrão final para inspeção.",
+ "ProblemMatcherParser.invalidRegexp": "Erro: a cadeia de caracteres {0} não é uma expressão regular válida.\r\n",
+ "WatchingPatternSchema.regexp": "A expressão regular para detectar o início ou o fim de uma tarefa em segundo plano.",
+ "WatchingPatternSchema.file": "O índice do grupo de correspondência do nome de arquivo. Pode ser omitido.",
+ "PatternTypeSchema.name": "O nome de um padrão contribuído ou predefinido",
+ "PatternTypeSchema.description": "Um padrão de problema ou o nome de um padrão de problema contribuído ou predefinido. Poderá ser omitido se a base for especificada.",
+ "ProblemMatcherSchema.base": "O nome de um correspondente de problemas básico a ser usado.",
+ "ProblemMatcherSchema.owner": "O proprietário do problema dentro do código. Pode ser omitido se a base for especificada. O padrão será 'external' se omitido e se a base não for especificada.",
+ "ProblemMatcherSchema.source": "Uma cadeia de caracteres legível por humanos que descreve a origem deste diagnóstico, por exemplo, 'typescript' ou 'super lint'.",
+ "ProblemMatcherSchema.severity": "A severidade padrão para capturar problemas. Será usada se o padrão não definir um grupo de correspondência para severidade.",
+ "ProblemMatcherSchema.applyTo": "Controla se um problema relatado em um documento de texto é aplicado somente a documentos abertos, fechados ou todos.",
+ "ProblemMatcherSchema.fileLocation": "Define como os nomes de arquivo relatados em um padrão de problema devem ser interpretados. Um fileLocation relativo pode ser uma matriz, na qual o segundo elemento da matriz é o caminho da localização do arquivo relativo.",
+ "ProblemMatcherSchema.background": "Padrões para rastrear o início e o fim de um correspondente ativo em uma tarefa em segundo plano.",
+ "ProblemMatcherSchema.background.activeOnStart": "Se definido como true, o monitor em segundo plano estará em modo ativo quando a tarefa for iniciada. Isso é igual a emitir uma linha que corresponda a beginsPattern",
+ "ProblemMatcherSchema.background.beginsPattern": "Se corresponder à saída, o início de uma tarefa em segundo plano será sinalizado.",
+ "ProblemMatcherSchema.background.endsPattern": "Se corresponder na saída, o final de uma tarefa em segundo plano será sinalizado.",
+ "ProblemMatcherSchema.watching.deprecated": "A propriedade de observação foi preterida. Use a tela de fundo.",
+ "ProblemMatcherSchema.watching": "Padrões para rastrear o início e o fim de um correspondente de inspeção.",
+ "ProblemMatcherSchema.watching.activeOnStart": "Se definido como true, o observador estará em modo ativo quando a tarefa for iniciada. Isso é igual a emitir uma linha que corresponda a beginPattern",
+ "ProblemMatcherSchema.watching.beginsPattern": "Se corresponder à saída, o início de uma tarefa de observação será sinalizado.",
+ "ProblemMatcherSchema.watching.endsPattern": "Se corresponder à saída, o final de uma tarefa de observação será sinalizado.",
+ "LegacyProblemMatcherSchema.watchedBegin.deprecated": "Esta propriedade foi preterida. Use a propriedade 'watching'.",
+ "LegacyProblemMatcherSchema.watchedBegin": "Uma expressão regular sinalizando que uma tarefa observada começa a ser executada ao ser disparada pela inspeção do arquivo.",
+ "LegacyProblemMatcherSchema.watchedEnd.deprecated": "Esta propriedade foi preterida. Use a propriedade 'watching'.",
+ "LegacyProblemMatcherSchema.watchedEnd": "Uma expressão regular sinalizando que uma tarefa observada termina em execução.",
+ "NamedProblemMatcherSchema.name": "O nome do correspondente de problemas usado para fazer referência a ele.",
+ "NamedProblemMatcherSchema.label": "Um rótulo legível por humanos do correspondente do problema.",
+ "ProblemMatcherExtPoint": "Contribui com correspondentes de problemas",
+ "msCompile": "Problemas do compilador da Microsoft",
+ "lessCompile": "Menos problemas",
+ "gulp-tsc": "Problemas de TSC do Gulp",
+ "jshint": "Problemas do JSHint",
+ "jshint-stylish": "Problemas de estilo do JSHint",
+ "eslint-compact": "Problemas de compactação do ESLint",
+ "eslint-stylish": "Problemas de estilo do ESLint",
+ "go": "Ir para problemas"
+ },
+ "vs/workbench/contrib/tasks/common/taskTemplates": {
+ "dotnetCore": "Executa o comando de build do .NET Core",
+ "msbuild": "Executa o destino de build",
+ "externalCommand": "Exemplo para executar um comando externo arbitrário",
+ "Maven": "Executa comandos comuns do maven"
+ },
+ "vs/workbench/contrib/tasks/browser/runAutomaticTasks": {
+ "tasks.run.allowAutomatic": "Esta pasta tem tarefas ({0}) definidas em 'tasks.json' que são executadas automaticamente quando você abre essa pasta. Você permite que as tarefas automáticas sejam executadas ao abrir essa pasta?",
+ "allow": "Permitir e executar",
+ "disallow": "Rejeitar",
+ "openTasks": "Abrir tasks.json",
+ "workbench.action.tasks.manageAutomaticRunning": "Gerenciar Tarefas Automáticas na Pasta",
+ "workbench.action.tasks.allowAutomaticTasks": "Permitir Tarefas Automáticas na Pasta",
+ "workbench.action.tasks.disallowAutomaticTasks": "Não Permitir Tarefas Automáticas na Pasta"
+ },
+ "vs/workbench/contrib/tasks/browser/taskQuickPick": {
+ "taskQuickPick.showAll": "Mostrar Todas as Tarefas...",
+ "configureTaskIcon": "Ícone de configuração na lista de seleção de tarefas.",
+ "removeTaskIcon": "Ícone de remoção na lista de seleção de tarefas.",
+ "configureTask": "Configurar a Tarefa",
+ "contributedTasks": "contribuídas",
+ "taskType": "Todas as {0} tarefas",
+ "removeRecent": "Remover a Tarefa Usada Recentemente",
+ "recentlyUsed": "usado recentemente",
+ "configured": "configurado",
+ "TaskQuickPick.goBack": "Voltar ↩",
+ "TaskQuickPick.noTasksForType": "Nenhuma tarefa {0} encontrada. Voltar ↩",
+ "noProviderForTask": "Não há provedor de tarefas registrado para tarefas do tipo \"{0}\"."
+ },
+ "vs/workbench/contrib/tasks/common/jsonSchema_v1": {
+ "JsonSchema.version.deprecated": "A versão de tarefa 0.1.0 foi preterida. Use 2.0.0",
+ "JsonSchema.version": "O número de versão da configuração",
+ "JsonSchema._runner": "O executor foi graduado. Usar a propriedade do executor oficial",
+ "JsonSchema.runner": "Define se a tarefa é executada como um processo e a saída é mostrada na janela de saída ou dentro do terminal.",
+ "JsonSchema.windows": "Configuração de comando específica do Windows",
+ "JsonSchema.mac": "Configuração de comando específica do Mac",
+ "JsonSchema.linux": "Configuração de comando específica do Linux",
+ "JsonSchema.shell": "Especifica se o comando é um comando do shell ou um programa externo. O padrão é false quando omitido."
+ },
+ "vs/workbench/contrib/tasks/common/jsonSchema_v2": {
+ "JsonSchema.shell": "Especifica se o comando é um comando do shell ou um programa externo. O padrão é false quando omitido.",
+ "JsonSchema.tasks.isShellCommand.deprecated": "A propriedade isShellCommand foi preterida. Use a propriedade de tipo da tarefa e a propriedade shell nas opções. Confira também as notas sobre a versão 1.14.",
+ "JsonSchema.tasks.dependsOn.identifier": "O identificador da tarefa.",
+ "JsonSchema.tasks.dependsOn.string": "Outra tarefa da qual esta tarefa depende.",
+ "JsonSchema.tasks.dependsOn.array": "As outras tarefas das quais essa tarefa depende.",
+ "JsonSchema.tasks.dependsOn": "Uma cadeia de caracteres que representa outra tarefa ou uma matriz de outras tarefas das quais essa tarefa depende.",
+ "JsonSchema.tasks.dependsOrder.parallel": "Executar todas as tarefas dependsOn em paralelo.",
+ "JsonSchema.tasks.dependsOrder.sequence": "Executar todas as tarefas dependsOn em sequência.",
+ "JsonSchema.tasks.dependsOrder": "Determina a ordem das tarefas dependsOn para esta tarefa. Observe que essa propriedade não é recursiva.",
+ "JsonSchema.tasks.detail": "Uma descrição opcional de uma tarefa que é mostrada na seleção rápida da Tarefa de Execução como um detalhe.",
+ "JsonSchema.tasks.presentation": "Configura o painel que é usado para apresentar a saída da tarefa e lê a entrada dela.",
+ "JsonSchema.tasks.presentation.echo": "Controla se o comando executado é ecoado para o painel. O padrão é true.",
+ "JsonSchema.tasks.presentation.focus": "Controla se o painel toma foco. O padrão é false. Se definido como true, o painel também será revelado.",
+ "JsonSchema.tasks.presentation.revealProblems.always": "Sempre revela o painel de problemas quando esta tarefa é executada.",
+ "JsonSchema.tasks.presentation.revealProblems.onProblem": "Somente revelará o painel de problemas se um problema for encontrado.",
+ "JsonSchema.tasks.presentation.revealProblems.never": "Nunca revela o painel de problemas quando a tarefa é executada.",
+ "JsonSchema.tasks.presentation.revealProblems": "Controla se o painel de problemas é revelado ao executar esta tarefa. Tem precedência sobre a opção \"reveal\". O padrão é \"never\".",
+ "JsonSchema.tasks.presentation.reveal.always": "Sempre revela o terminal quando esta tarefa é executada.",
+ "JsonSchema.tasks.presentation.reveal.silent": "Somente revelará o terminal se a tarefa sair com um erro ou o diferenciador de problema encontrar um erro.",
+ "JsonSchema.tasks.presentation.reveal.never": "Nunca revela o terminal quando a tarefa é executada.",
+ "JsonSchema.tasks.presentation.reveal": "Controla se o terminal que executa a tarefa é revelado ou não. Pode ser substituído pela opção \"revealProblems\". O padrão é \"always\".",
+ "JsonSchema.tasks.presentation.instance": "Controla se o painel é compartilhado entre tarefas, é dedicado a esta tarefa ou se um é criado em cada execução.",
+ "JsonSchema.tasks.presentation.showReuseMessage": "Controla se a mensagem `O terminal será reutilizado por tarefas, pressione qualquer tecla para fechá-lo` deve ser mostrada.",
+ "JsonSchema.tasks.presentation.clear": "Controla se o terminal deve ser limpo antes de executar a tarefa.",
+ "JsonSchema.tasks.presentation.group": "Controla se a tarefa é executada em um grupo de terminal específico usando painéis de divisão.",
+ "JsonSchema.tasks.terminal": "A propriedade de terminal foi preterida. Use a apresentação",
+ "JsonSchema.tasks.group.kind": "O grupo de execução da tarefa.",
+ "JsonSchema.tasks.group.isDefault": "Define se essa tarefa é a tarefa padrão no grupo.",
+ "JsonSchema.tasks.group.defaultBuild": "Marca a tarefa como a tarefa de build padrão.",
+ "JsonSchema.tasks.group.defaultTest": "Marca a tarefa como a tarefa de teste padrão.",
+ "JsonSchema.tasks.group.build": "Marca a tarefa como uma tarefa de build acessível pelo comando 'Run Build Task'.",
+ "JsonSchema.tasks.group.test": "Marca a tarefa como uma tarefa de teste acessível pelo comando 'Run Test Task'.",
+ "JsonSchema.tasks.group.none": "Atribui a tarefa a nenhum grupo",
+ "JsonSchema.tasks.group": "Define a qual grupo de execução essa tarefa pertence. Ele dá suporte a \"build\" para adicioná-lo ao grupo de build e a \"test\" para adicioná-lo ao grupo de teste.",
+ "JsonSchema.tasks.type": "Define se a tarefa é executada como um processo ou como um comando dentro de um shell.",
+ "JsonSchema.commandArray": "O comando do shell a ser executado. Os itens da matriz serão unidos usando um caractere de espaço",
+ "JsonSchema.command.quotedString.value": "O valor real do comando",
+ "JsonSchema.tasks.quoting.escape": "Caracteres de escape que usam o caractere de escape de shell (por exemplo, ` no PowerShell e \\ no bash).",
+ "JsonSchema.tasks.quoting.strong": "Aplicar aspas no argumento usando o caractere de aspas duplas do shell (por exemplo ' no PowerShell e no bash).",
+ "JsonSchema.tasks.quoting.weak": "Aplicar aspas no argumento usando o caractere de aspas simples do shell (por exemplo ' no PowerShell e no bash).",
+ "JsonSchema.command.quotesString.quote": "Como o valor do comando deve ser colocado entre aspas.",
+ "JsonSchema.command": "O comando a ser executado. Pode ser um programa externo ou um comando do shell.",
+ "JsonSchema.args.quotedString.value": "O valor real do argumento",
+ "JsonSchema.args.quotesString.quote": "Como o valor do argumento deve ser colocado entre aspas.",
+ "JsonSchema.tasks.args": "Argumentos passados para o comando quando esta tarefa é invocada.",
+ "JsonSchema.tasks.label": "O rótulo da interface do usuário da tarefa",
+ "JsonSchema.version": "O número de versão da configuração.",
+ "JsonSchema.tasks.identifier": "Um identificador definido pelo usuário para fazer referência à tarefa em launch.json ou a uma cláusula dependsOn.",
+ "JsonSchema.tasks.identifier.deprecated": "Os identificadores definidos pelo usuário foram preteridos. Para a tarefa personalizada, use o nome como uma referência e, para tarefas fornecidas pelas extensões, use o identificador de tarefa definido.",
+ "JsonSchema.tasks.reevaluateOnRerun": "Se as variáveis de tarefa devem ser reavaliadas na reexecução.",
+ "JsonSchema.tasks.runOn": "Configura quando a tarefa deve ser executada. Se definida como folderOpen, a tarefa será executada automaticamente quando a pasta for aberta.",
+ "JsonSchema.tasks.instanceLimit": "O número de instâncias da tarefa que têm permissão para serem executadas simultaneamente.",
+ "JsonSchema.tasks.runOptions": "As opções relacionadas à execução da tarefa",
+ "JsonSchema.tasks.taskLabel": "O rótulo da tarefa",
+ "JsonSchema.tasks.taskName": "O nome da tarefa",
+ "JsonSchema.tasks.taskName.deprecated": "A propriedade de nome da tarefa foi preterida. Em vez disso, use a propriedade de rótulo.",
+ "JsonSchema.tasks.background": "Se a tarefa executada é mantida viva e é executado em segundo plano.",
+ "JsonSchema.tasks.promptOnClose": "Se o usuário é avisado quando o VS Code fecha com uma tarefa em execução.",
+ "JsonSchema.tasks.matchers": "A correspondência de problemas a ser utilizada. Pode ser uma sequência de caracteres ou uma definição de correspondência de problemas ou uma matriz de sequências de caracteres e correspondência de problemas.",
+ "JsonSchema.customizations.customizes.type": "O tipo de tarefa a ser personalizado",
+ "JsonSchema.tasks.customize.deprecated": "A propriedade de personalização foi preterida. Confira as notas sobre a versão 1.14 sobre como migrar para a nova abordagem de personalização de tarefas",
+ "JsonSchema.tasks.showOutput.deprecated": "A propriedade showOutput foi preterida. Use a propriedade de revelação dentro da propriedade de apresentação. Confira também as notas sobre a versão 1.14.",
+ "JsonSchema.tasks.echoCommand.deprecated": "A propriedade echoCommand foi preterida. Use a propriedade de eco dentro da propriedade de apresentação. Confira também as notas sobre a versão 1.14.",
+ "JsonSchema.tasks.suppressTaskName.deprecated": "A propriedade suppressTaskName foi preterida. Coloque o comando embutido com os argumentos na tarefa. Confira também as notas sobre a versão 1.14.",
+ "JsonSchema.tasks.isBuildCommand.deprecated": "A propriedade isBuildCommand foi preterida. Use a propriedade de grupo. Confira também as notas sobre a versão 1.14.",
+ "JsonSchema.tasks.isTestCommand.deprecated": "A propriedade isTestCommand foi preterida. Use a propriedade de grupo. Confira também as notas sobre a versão 1.14.",
+ "JsonSchema.tasks.taskSelector.deprecated": "A propriedade taskSelector foi preterida. Coloque o comando embutido com os argumentos na tarefa. Confira também as notas sobre a versão 1.14.",
+ "JsonSchema.windows": "Configuração de comando específica do Windows",
+ "JsonSchema.mac": "Configuração de comando específica do Mac",
+ "JsonSchema.linux": "Configuração de comando específica do Linux"
+ },
+ "vs/workbench/contrib/tasks/browser/tasksQuickAccess": {
+ "noTaskResults": "Nenhuma tarefa correspondente",
+ "TaskService.pickRunTask": "Selecionar a tarefa a ser executada"
+ },
+ "vs/workbench/contrib/tasks/common/jsonSchemaCommon": {
+ "JsonSchema.options": "Opções de comando adicionais",
+ "JsonSchema.options.cwd": "O diretório de trabalho atual do programa ou script executado. Se a raiz do workspace atual do código omitido for usada.",
+ "JsonSchema.options.env": "O ambiente do programa ou shell executado. Se omitido, o ambiente do processo pai será usado.",
+ "JsonSchema.tasks.matcherError": "Correspondente de problema não reconhecido. A extensão que contribui com este correspondente de problemas está instalada?",
+ "JsonSchema.shellConfiguration": "Configura o shell a ser usado.",
+ "JsonSchema.shell.executable": "O shell a ser usado.",
+ "JsonSchema.shell.args": "Os argumentos do shell.",
+ "JsonSchema.command": "O comando a ser executado. Pode ser um programa externo ou um comando do shell.",
+ "JsonSchema.tasks.args": "Argumentos passados para o comando quando esta tarefa é invocada.",
+ "JsonSchema.tasks.taskName": "O nome da tarefa",
+ "JsonSchema.tasks.windows": "Configuração de comando específica do Windows",
+ "JsonSchema.tasks.matchers": "A correspondência de problemas a ser utilizada. Pode ser uma sequência de caracteres ou uma definição de correspondência de problemas ou uma matriz de sequências de caracteres e correspondência de problemas.",
+ "JsonSchema.tasks.mac": "Configuração de comando específica para Mac",
+ "JsonSchema.tasks.linux": "Configuração de comando específica do Linux",
+ "JsonSchema.tasks.suppressTaskName": "Controla se o nome da tarefa é adicionado como um argumento ao comando. Se omitido, o valor definido globalmente será usado.",
+ "JsonSchema.tasks.showOutput": "Controla se a saída da tarefa em execução é mostrada. Se omitido, o valor definido globalmente será usado.",
+ "JsonSchema.echoCommand": "Controla se o comando executado é ecoado para a saída. O padrão é false.",
+ "JsonSchema.tasks.watching.deprecation": "Preterido. Use isBackground.",
+ "JsonSchema.tasks.watching": "Se a tarefa executada é mantida ativa e está observando o sistema de arquivos.",
+ "JsonSchema.tasks.background": "Se a tarefa executada é mantida viva e é executado em segundo plano.",
+ "JsonSchema.tasks.promptOnClose": "Se o usuário é avisado quando o VS Code fecha com uma tarefa em execução.",
+ "JsonSchema.tasks.build": "Mapeia esta tarefa para o comando de build padrão do Code.",
+ "JsonSchema.tasks.test": "Mapeia esta tarefa para o comando de teste padrão do Code.",
+ "JsonSchema.args": "Argumentos adicionais passados para o comando.",
+ "JsonSchema.showOutput": "Controla se a saída da tarefa em execução é mostrada. Se omitida, 'always' será usado.",
+ "JsonSchema.watching.deprecation": "Preterido. Use isBackground.",
+ "JsonSchema.watching": "Se a tarefa executada é mantida ativa e está observando o sistema de arquivos.",
+ "JsonSchema.background": "Se a tarefa executada é mantida ativa e em execução em segundo plano.",
+ "JsonSchema.promptOnClose": "Se o usuário é solicitado quando o VS Code fecha com uma tarefa em segundo plano em execução.",
+ "JsonSchema.suppressTaskName": "Controla se o nome da tarefa é adicionado como um argumento ao comando. O padrão é false.",
+ "JsonSchema.taskSelector": "Prefixo para indicar que um argumento é uma tarefa.",
+ "JsonSchema.matchers": "Os correspondentes de problemas a serem usados. Podem ser uma cadeia de caracteres ou uma definição de correspondente de problema ou uma matriz de cadeias de caracteres e correspondentes a problemas.",
+ "JsonSchema.tasks": "As configurações da tarefa. Geralmente, são aprimoramentos da tarefa já definidos no executor de tarefas externas."
+ },
+ "vs/workbench/contrib/terminal/common/terminalConfiguration": {
+ "terminalIntegratedConfigurationTitle": "Terminal Integrado",
+ "terminal.integrated.sendKeybindingsToShell": "Expede a maioria das associações de teclas para o terminal, não para o workbench, substituindo `#terminal.integrated.commandsToSkipShell#`, o que pode ser usado como alternativa para um ajuste fino.",
+ "terminal.integrated.automationShell.linux": "Um caminho que, quando definido, substituirá valores {0} e ignorará valores {1} para uso de terminal relacionado à automação, como tarefas e depuração.",
+ "terminal.integrated.automationShell.osx": "Um caminho que, quando definido, substituirá valores {0} e ignorará valores {1} para uso de terminal relacionado à automação, como tarefas e depuração.",
+ "terminal.integrated.automationShell.windows": "Um caminho que, quando definido, substituirá valores {0} e ignorará valores {1} para uso de terminal relacionado à automação, como tarefas e depuração.",
+ "terminal.integrated.shellArgs.linux": "Os argumentos de linha de comando a serem usados quando no terminal do Linux. [Leia mais sobre a configuração do shell](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shellArgs.osx": "Os argumentos de linha de comando a serem usados quando no terminal do macOS. [Leia mais sobre a configuração do shell](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shellArgs.windows": "Os argumentos de linha de comando a serem usados quando no terminal do Windows. [Leia mais sobre a configuração do shell](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shellArgs.windows.string": "Os argumentos de linha de comando em [formato de linha de comando](https://msdn.microsoft.com/en-au/08dfcab2-eb6e-49a4-80eb-87d4076c98c6) para usar quando no terminal do Windows. [Leia mais sobre a configuração do shell](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.macOptionIsMeta": "Controla se a chave de opção deve ser tratada como a chave de meta no terminal no macOS.",
+ "terminal.integrated.macOptionClickForcesSelection": "Controla se a seleção deve ser forçada ao usar Option + clique no macOS. Isso forçará uma seleção regular (linha) e removerá a permissão de uso do modo de seleção de coluna. Isso permite copiar e colar usando a seleção de terminal normal, por exemplo, quando o modo de mouse está habilitado no tmux.",
+ "terminal.integrated.copyOnSelection": "Controla se o texto selecionado no terminal será copiado na área de transferência.",
+ "terminal.integrated.drawBoldTextInBrightColors": "Controla se o texto em negrito no terminal sempre usará a variante de cor ANSI \"brilhante\".",
+ "terminal.integrated.fontFamily": "Controla a família de fontes do terminal, que usa como padrão o valor de `#editor.fontFamily#`.",
+ "terminal.integrated.fontSize": "Controla o tamanho da fonte em pixels do terminal.",
+ "terminal.integrated.letterSpacing": "Controla o espaçamento de letras do terminal, este é um valor inteiro que representa a quantidade de pixels adicionais a serem adicionados entre caracteres.",
+ "terminal.integrated.lineHeight": "Controla a altura da linha do terminal, esse número é multiplicado pelo tamanho da fonte do terminal para obter a altura real da linha em pixels.",
+ "terminal.integrated.minimumContrastRatio": "Ao definir a cor de primeiro plano de cada célula, ela será alterada para tentar atender à taxa de proporção especificada. Valores de exemplo:\r\n\r\n– 1: o padrão, não faça nada.\r\n– 4,5: [conformidade WCAG AA (mínimo)](https://www.w3.org/TR/UNDERSTANDING-WCAG20/visual-audio-contrast-contrast.html).\r\n– 7: [conformidade WCAG AAA (aprimorado)] (https://www.w3.org/TR/UNDERSTANDING-WCAG20/visual-audio-contrast7.html).\r\n– 21: branco sobre preto ou preto sobre branco.",
+ "terminal.integrated.fastScrollSensitivity": "Multiplicador de velocidade de rolagem ao pressionar `Alt`.",
+ "terminal.integrated.mouseWheelScrollSensitivity": "Um multiplicador a ser usado no `deltaY` dos eventos de rolagem do mouse.",
+ "terminal.integrated.fontWeightError": "Somente palavras-chave \"normal\" e \"negrito\" ou números entre 1 e 1000 são permitidos.",
+ "terminal.integrated.fontWeight": "A espessura da fonte a ser usada no terminal para texto sem negrito. Aceita palavras-chave \"normal\" e \"negrito\" ou números entre 1 e 1000.",
+ "terminal.integrated.fontWeightBold": "A espessura da fonte a ser usada no terminal para texto em negrito. Aceita palavras-chave \"normal\" e \"negrito\" ou números entre 1 e 1000.",
+ "terminal.integrated.cursorBlinking": "Controla se o cursor de terminal pisca.",
+ "terminal.integrated.cursorStyle": "Controla o estilo do cursor do terminal.",
+ "terminal.integrated.cursorWidth": "Controla a largura do cursor quando `#terminal.integrated.cursorStyle#` está definido como `line`.",
+ "terminal.integrated.scrollback": "Controla o número máximo de linhas que o terminal mantém no buffer.",
+ "terminal.integrated.detectLocale": "Controla se a variável de ambiente `$LANG` deve ser detectada e definida como uma opção compatível com UTF-8, pois o terminal do VS Code só dá suporte a dados codificados em UTF-8 provenientes de shell.",
+ "terminal.integrated.detectLocale.auto": "Definir a variável de ambiente `$LANG` se a variável existente não existir ou se não terminar em `'.UTF-8 '`.",
+ "terminal.integrated.detectLocale.off": "Não definir a variável de ambiente `$LANG`.",
+ "terminal.integrated.detectLocale.on": "Sempre definir a variável de ambiente `$LANG`.",
+ "terminal.integrated.rendererType.auto": "Permitir que o VS Code estime o renderizador a ser usado.",
+ "terminal.integrated.rendererType.canvas": "Use o renderizador baseado em GPU/tela padrão.",
+ "terminal.integrated.rendererType.dom": "Use o renderizador baseado em DOM de fallback.",
+ "terminal.integrated.rendererType.experimentalWebgl": "Use o renderizador experimental baseado em webgl. Observe que há alguns [problemas conhecidos](https://github.com/xtermjs/xterm.js/issues?q=is%3Aopen+is%3Aissue+label%3Aarea%2Faddon%2Fwebgl).",
+ "terminal.integrated.rendererType": "Controla como o terminal é renderizado.",
+ "terminal.integrated.rightClickBehavior.default": "Mostrar o menu de contexto.",
+ "terminal.integrated.rightClickBehavior.copyPaste": "Copiar quando houver uma seleção, caso contrário, colar.",
+ "terminal.integrated.rightClickBehavior.paste": "Colar ao clicar com o botão direito do mouse.",
+ "terminal.integrated.rightClickBehavior.selectWord": "Selecionar a palavra sob o cursor e mostrar o menu de contexto.",
+ "terminal.integrated.rightClickBehavior": "Controla como o terminal reage ao clicar com o botão direito do mouse.",
+ "terminal.integrated.cwd": "Um caminho de início explícito em que o terminal será iniciado. Ele será usado como o diretório de trabalho atual (cwd) para o processo de shell. Isso poderá ser particularmente útil em configurações de workspace se o diretório raiz não for um cwd conveniente.",
+ "terminal.integrated.confirmOnExit": "Controla se a saída deve ser confirmada quando há sessões de terminal ativas.",
+ "terminal.integrated.enableBell": "Controla se o sino de terminal está habilitado.",
+ "terminal.integrated.commandsToSkipShell": "Um conjunto de IDs de comando cujas associações de teclas não serão enviadas para o shell, mas sempre serão tratadas pelo VS Code. Isso permite que as associações de tecla que normalmente seriam consumidas pelo shell funcionem, como quando o terminal não está com foco, por exemplo `Ctrl + P` para iniciar a Abertura Rápida.\r\n\r\n \r\n\r\nMuitos comandos são ignorados por padrão. Para substituir um padrão e passar a associação de teclas do comando para o shell, adicione o comando prefixado com o caractere `-`. Por exemplo, adicione `-workbench.action.quickOpen` para permitir que `Ctrl + P` alcance o shell.\r\n\r\n \r\n\r\nA lista de comandos ignorados padrão a seguir fica truncada quando exibida no Editor de Configurações. Para ver a lista completa, [abra o JSON de configurações padrão](command:workbench.action.openRawDefaultSettings 'Open Default Settings (JSON)') e pesquise pelo primeiro comando na lista abaixo.\r\n\r\n \r\n\r\nComandos Ignorados Padrão:\r\n\r\n{0}",
+ "terminal.integrated.allowChords": "Se é necessário permitir associações de teclas de pressionamento simultâneo no terminal. Observe que quando isso for true e o pressionamento das teclas for simultâneo, ele ignorará `#terminal.integrated.commandsToSkipShell#`. Definir como false será particularmente útil se desejar que Ctrl + k seja atalho para o seu shell (não para o VS Code).",
+ "terminal.integrated.allowMnemonics": "Se deseja permitir que os mnemônicos de menubar (por exemplo, alt + f) disparem a abertura de menubar. Observe que isso fará com que todos os pressionamentos de tecla Alt ignorem o shell quando true. Isso não faz nada no macOS.",
+ "terminal.integrated.inheritEnv": "Se novos shells devem herdar o ambiente deles do VS Code. Não há suporte para isso no Windows.",
+ "terminal.integrated.env.osx": "Objeto com variáveis de ambiente que serão adicionadas ao processo do VS Code a ser usado pelo terminal no macOS. Defina como `null` para excluir a variável de ambiente.",
+ "terminal.integrated.env.linux": "Objeto com variáveis de ambiente que serão adicionadas ao processo do VS Code a ser usado pelo terminal no Linux. Defina como `null` para excluir a variável de ambiente.",
+ "terminal.integrated.env.windows": "Objeto com variáveis de ambiente que serão adicionadas ao processo do VS Code a ser usado pelo terminal no Windows. Defina como `null` para excluir a variável de ambiente.",
+ "terminal.integrated.environmentChangesIndicator": "Se deseja exibir o indicador de alterações de ambiente em cada terminal, o que explica se as extensões foram aplicadas, ou se você deseja fazer alterações no ambiente do terminal.",
+ "terminal.integrated.environmentChangesIndicator.off": "Desabilitar o indicador.",
+ "terminal.integrated.environmentChangesIndicator.on": "Habilitar o indicador.",
+ "terminal.integrated.environmentChangesIndicator.warnonly": "Somente mostrar o indicador de aviso quando o ambiente de um terminal estiver 'obsoleto', e não o indicador de informações que mostra que um terminal teve seu ambiente modificado por uma extensão.",
+ "terminal.integrated.showExitAlert": "Controla se o alerta \"O processo do terminal terminou com o código de saída\" é mostrado quando o código de saída é diferente de zero.",
+ "terminal.integrated.splitCwd": "Controla o diretório de trabalho com o qual um terminal dividido começa.",
+ "terminal.integrated.splitCwd.workspaceRoot": "Um novo terminal dividido usará a raiz do workspace como o diretório de trabalho. Em um workspace de várias raízes, uma escolha para qual pasta raiz usar é oferecida.",
+ "terminal.integrated.splitCwd.initial": "Um novo terminal dividido usará o diretório de trabalho com o que o terminal pai começou.",
+ "terminal.integrated.splitCwd.inherited": "No macOS e no Linux, um novo terminal dividido usará o diretório de trabalho do terminal pai. No Windows, ele se comporta do mesmo modo que o inicial.",
+ "terminal.integrated.windowsEnableConpty": "Se deve ser usado o ConPTY para comunicação do processo de terminal do Windows (exige o número de build 18309 ou posteriores do Windows 10). Winpty será usado se isso for false.",
+ "terminal.integrated.wordSeparators": "Uma cadeia de caracteres contendo todos os caracteres a serem considerados separadores de palavras ao clicar duas vezes para selecionar o recurso de palavra.",
+ "terminal.integrated.experimentalUseTitleEvent": "Uma configuração experimental que usará o evento de título do terminal para o título da lista suspensa. Esta configuração será aplicada somente a novos terminais.",
+ "terminal.integrated.enableFileLinks": "Se os links de arquivo devem ser habilitados no terminal. Os links podem ser lentos ao trabalhar em uma unidade de rede em particular porque cada link de arquivo é verificado no sistema de arquivos. A alteração dessa variável entrará em vigor somente em novos terminais.",
+ "terminal.integrated.unicodeVersion.six": "Versão 6 do Unicode. Esta é uma versão mais antiga que deve funcionar melhor em sistemas mais antigos.",
+ "terminal.integrated.unicodeVersion.eleven": "Versão 11 do Unicode. Esta versão fornece um suporte melhor em sistemas modernos que usam versões modernas do Unicode.",
+ "terminal.integrated.unicodeVersion": "Controla qual versão do unicode será usada ao avaliar a largura dos caracteres no terminal. Se um emoji ou outros caracteres largos não ocupar a quantidade correta de espaço ou backspace, excluindo demais ou muito pouco, talvez seja necessário tentar ajustar essa configuração.",
+ "terminal.integrated.experimentalLinkProvider": "Uma configuração experimental que visa melhorar a detecção de links no terminal ao melhorar o momento em que os links são detectados e ao habilitar a detecção de link compartilhado com o editor. Atualmente, isso dá suporte apenas a links da Web.",
+ "terminal.integrated.localEchoLatencyThreshold": "Experimental: duração da espera da rede, em milissegundos, em que as edições locais serão ecoadas no terminal sem aguardar a confirmação do servidor. Se esta configuração for '0', o eco local estará sempre ativo e se for '-1', ele será desabilitado.",
+ "terminal.integrated.localEchoExcludePrograms": "Experimental: o eco local será desabilitado quando um desses nomes de programa for encontrado no título do terminal.",
+ "terminal.integrated.localEchoStyle": "Experimental: o estilo do texto ecoado localmente do terminal. Pode ser um estilo da fonte ou uma cor RGB.",
+ "terminal.integrated.serverSpawn": "Experimental: gerar terminais remotos do processo de agente remoto em vez do host de extensão remota",
+ "terminal.integrated.enablePersistentSessions": "Experimental: persistir as sessões do terminal no workspace durante os recarregamentos de janela. No momento, só há suporte para esta configuração nos workspaces Remotos do VS Code.",
+ "terminal.integrated.shell.linux": "O caminho do shell que o terminal usa no Linux (padrão: {0}). [Leia mais sobre a configuração do shell] (https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shell.linux.noDefault": "O caminho do shell que o terminal usa no Linux. [Leia mais sobre a configuração do shell] (https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shell.osx": "O caminho do shell que o terminal usa no macOS (padrão: {0}). [Leia mais sobre a configuração do shell] (https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shell.osx.noDefault": "O caminho do shell que o terminal usa no macOS. [Leia mais sobre a configuração do shell] (https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shell.windows": "O caminho do shell que o terminal usa no Windows (padrão: {0}). [Leia mais sobre a configuração do shell] (https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shell.windows.noDefault": "O caminho do shell que o terminal usa no Windows. [Leia mais sobre a configuração do shell](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration)."
+ },
+ "vs/workbench/contrib/terminal/common/terminal": {
+ "terminalCategory": "Terminal",
+ "vscode.extension.contributes.terminal": "Contribui com a funcionalidade do terminal.",
+ "vscode.extension.contributes.terminal.types": "Define tipos de terminal adicionais que o usuário pode criar.",
+ "vscode.extension.contributes.terminal.types.command": "Comando a ser executado quando o usuário cria esse tipo de terminal.",
+ "vscode.extension.contributes.terminal.types.title": "Título para este tipo de terminal."
+ },
+ "vs/workbench/contrib/terminal/browser/terminal.contribution": {
+ "tasksQuickAccessPlaceholder": "Digite o nome de um terminal a ser aberto.",
+ "tasksQuickAccessHelp": "Mostrar Todos os Terminais Abertos",
+ "terminal": "Terminal"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalView": {
+ "terminal.useMonospace": "Usar 'monospace'",
+ "terminal.monospaceOnly": "O terminal só dá suporte a fontes com espaçamento uniforme. Não se esqueça de reiniciar o VS Code se esta for uma fonte recém-instalada."
+ },
+ "vs/workbench/contrib/terminal/browser/remoteTerminalService": {
+ "terminal.integrated.starting": "Iniciando..."
+ },
+ "vs/workbench/contrib/terminal/node/terminalProcess": {
+ "launchFail.cwdNotDirectory": "O diretório inicial (cwd) \"{0}\" não é um diretório",
+ "launchFail.cwdDoesNotExist": "O diretório inicial (cwd) \"{0}\" não existe",
+ "launchFail.executableIsNotFileOrSymlink": "O caminho para o executável \"{0}\" do shell não é um arquivo de um symlink",
+ "launchFail.executableDoesNotExist": "O caminho para o executável \"{0}\" do shell não existe"
+ },
+ "vs/workbench/contrib/terminal/electron-browser/terminalRemote": {
+ "workbench.action.terminal.newLocal": "Criar Terminal Integrado (Local)"
+ },
+ "vs/workbench/contrib/terminal/common/terminalColorRegistry": {
+ "terminal.background": "A cor da tela de fundo do terminal. Isso permite colorir o terminal de modo diferente para o painel.",
+ "terminal.foreground": "A cor de primeiro plano do terminal.",
+ "terminalCursor.foreground": "A cor de primeiro plano do cursor do terminal.",
+ "terminalCursor.background": "A cor da tela de fundo do cursor do terminal. Permite personalizar a cor de um caractere sobreposto por um cursor de bloco.",
+ "terminal.selectionBackground": "A cor da tela de fundo da seleção do terminal.",
+ "terminal.border": "A cor da borda que separa os painéis divididos no terminal. O padrão é panel.border.",
+ "terminal.ansiColor": "'{0}' cor ANSI no terminal."
+ },
+ "vs/workbench/contrib/terminal/browser/terminalActions": {
+ "workbench.action.terminal.newWorkspacePlaceholder": "Selecionar diretório de trabalho atual para o novo terminal",
+ "workbench.action.terminal.toggleTerminal": "Ativar/Desativar Terminal Integrado",
+ "workbench.action.terminal.kill": "Encerrar a Instância de Terminal Ativa",
+ "workbench.action.terminal.kill.short": "Encerrar Terminal",
+ "workbench.action.terminal.copySelection": "Copiar Seleção",
+ "workbench.action.terminal.copySelection.short": "Copiar",
+ "workbench.action.terminal.selectAll": "Selecionar Tudo",
+ "workbench.action.terminal.new": "Criar um Terminal Integrado",
+ "workbench.action.terminal.new.short": "Novo Terminal",
+ "workbench.action.terminal.split": "Dividir Terminal",
+ "workbench.action.terminal.split.short": "Dividir",
+ "workbench.action.terminal.splitInActiveWorkspace": "Dividir Terminal (no Workspace Ativo)",
+ "workbench.action.terminal.paste": "Colar no Terminal Ativo",
+ "workbench.action.terminal.paste.short": "Colar",
+ "workbench.action.terminal.selectDefaultShell": "Selecionar Shell Padrão",
+ "workbench.action.terminal.openSettings": "Definir as Configurações do Terminal",
+ "workbench.action.terminal.switchTerminal": "Alternar Terminal",
+ "terminals": "Abrir Terminais.",
+ "terminalConnectingLabel": "Iniciando...",
+ "workbench.action.terminal.clear": "Limpar",
+ "terminalLaunchHelp": "Abrir Ajuda",
+ "workbench.action.terminal.newInActiveWorkspace": "Criar Terminal Integrado (no Workspace Ativo)",
+ "workbench.action.terminal.focusPreviousPane": "Focar no Painel Anterior",
+ "workbench.action.terminal.focusNextPane": "Focar no Próximo Painel",
+ "workbench.action.terminal.resizePaneLeft": "Redimensionar Painel à Esquerda",
+ "workbench.action.terminal.resizePaneRight": "Redimensionar Painel à Direita",
+ "workbench.action.terminal.resizePaneUp": "Redimensionar Painel para Cima",
+ "workbench.action.terminal.resizePaneDown": "Redimensionar Painel para Baixo",
+ "workbench.action.terminal.focus": "Focar no Terminal",
+ "workbench.action.terminal.focusNext": "Focar no Próximo Terminal",
+ "workbench.action.terminal.focusPrevious": "Focar no Terminal Anterior",
+ "workbench.action.terminal.runSelectedText": "Executar Texto Selecionado no Terminal Ativo",
+ "workbench.action.terminal.runActiveFile": "Executar Arquivo Ativo no Terminal Ativo",
+ "workbench.action.terminal.runActiveFile.noFile": "Somente arquivos em disco podem ser executados no terminal",
+ "workbench.action.terminal.scrollDown": "Rolar para Baixo (Linha)",
+ "workbench.action.terminal.scrollDownPage": "Rolar para Baixo (Página)",
+ "workbench.action.terminal.scrollToBottom": "Rolar para Baixo",
+ "workbench.action.terminal.scrollUp": "Rolar para Cima (Linha)",
+ "workbench.action.terminal.scrollUpPage": "Rolar para Cima (Página)",
+ "workbench.action.terminal.scrollToTop": "Rolar para Cima",
+ "workbench.action.terminal.navigationModeExit": "Sair do Modo de Navegação",
+ "workbench.action.terminal.navigationModeFocusPrevious": "Focar na Linha Anterior (Modo de Navegação)",
+ "workbench.action.terminal.navigationModeFocusNext": "Focar na Próxima Linha (Modo de Navegação)",
+ "workbench.action.terminal.clearSelection": "Limpar Seleção",
+ "workbench.action.terminal.manageWorkspaceShellPermissions": "Gerenciar Permissões de Shell do Workspace",
+ "workbench.action.terminal.rename": "Renomear",
+ "workbench.action.terminal.rename.prompt": "Inserir nome do terminal",
+ "workbench.action.terminal.focusFind": "Focar Localização",
+ "workbench.action.terminal.hideFind": "Ocultar Localização",
+ "workbench.action.terminal.attachToRemote": "Anexar à Sessão",
+ "quickAccessTerminal": "Alternar Terminal Ativo",
+ "workbench.action.terminal.scrollToPreviousCommand": "Rolar para o Comando Anterior",
+ "workbench.action.terminal.scrollToNextCommand": "Rolar para o Próximo Comando",
+ "workbench.action.terminal.selectToPreviousCommand": "Selecionar até o Comando Anterior",
+ "workbench.action.terminal.selectToNextCommand": "Selecionar até o Próximo Comando",
+ "workbench.action.terminal.selectToPreviousLine": "Selecionar até a Linha Anterior",
+ "workbench.action.terminal.selectToNextLine": "Selecionar até a Próxima Linha",
+ "workbench.action.terminal.toggleEscapeSequenceLogging": "Ativar/Desativar Registro em Log de Sequência de Escape",
+ "workbench.action.terminal.sendSequence": "Enviar Sequência Personalizada para o Terminal",
+ "workbench.action.terminal.newWithCwd": "Criar Terminal Integrado começando em um Diretório de Trabalho Personalizado",
+ "workbench.action.terminal.newWithCwd.cwd": "O diretório no qual iniciar o terminal",
+ "workbench.action.terminal.renameWithArg": "Renomear o Terminal Atualmente Ativo",
+ "workbench.action.terminal.renameWithArg.name": "O novo nome para o terminal",
+ "workbench.action.terminal.renameWithArg.noName": "Nenhum argumento de nome fornecido",
+ "workbench.action.terminal.toggleFindRegex": "Ativar/Desativar Localização usando Regex",
+ "workbench.action.terminal.toggleFindWholeWord": "Ativar/Desativar Localização usando Palavra Inteira",
+ "workbench.action.terminal.toggleFindCaseSensitive": "Ativar/Desativar Localização usando Diferenciação de Maiúsculas e Minúsculas",
+ "workbench.action.terminal.findNext": "Localizar Próximo",
+ "workbench.action.terminal.findPrevious": "Localizar Anterior",
+ "workbench.action.terminal.searchWorkspace": "Pesquisar no Workspace",
+ "workbench.action.terminal.relaunch": "Reiniciar Terminal Ativo",
+ "workbench.action.terminal.showEnvironmentInformation": "Mostrar Informações do Ambiente"
+ },
+ "vs/workbench/contrib/terminal/common/terminalMenu": {
+ "miToggleIntegratedTerminal": "&&Terminal",
+ "miNewTerminal": "&&Novo Terminal",
+ "miSplitTerminal": "&&Dividir o Terminal",
+ "miRunActiveFile": "Executar &&Arquivo Ativo",
+ "miRunSelectedText": "Executar Texto &&Selecionado"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalService": {
+ "workbench.action.terminal.allowWorkspaceShell": "Permitir Configuração do Shell do Workspace",
+ "workbench.action.terminal.disallowWorkspaceShell": "Não Permitir a Configuração do Shell do Workspace",
+ "terminalService.terminalCloseConfirmationSingular": "Há uma sessão de terminal ativa. Deseja encerrá-la?",
+ "terminalService.terminalCloseConfirmationPlural": "Há {0} sessões de terminal ativas. Deseja encerrá-las?",
+ "terminal.integrated.chooseWindowsShell": "Selecione o shell de terminal preferencial. Você poderá alterar isso mais tarde em suas configurações"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalQuickAccess": {
+ "renameTerminal": "Renomear Terminal",
+ "killTerminal": "Encerrar Instância de Terminal",
+ "workbench.action.terminal.newplus": "Criar um Terminal Integrado"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalIcons": {
+ "terminalViewIcon": "Ícone de exibição da exibição do terminal.",
+ "renameTerminalIcon": "Ícone de renomeação no menu rápido do terminal.",
+ "killTerminalIcon": "Ícone de encerramento de uma instância do terminal.",
+ "newTerminalIcon": "Ícone de criação de uma instância do terminal."
+ },
+ "vs/workbench/contrib/terminal/browser/terminalConfigHelper": {
+ "terminal.integrated.allowWorkspaceShell": "Você permite que este workspace modifique o shell do seu terminal? {0}",
+ "allow": "Permitir",
+ "disallow": "Rejeitar",
+ "useWslExtension.title": "A extensão '{0}' é recomendada para abrir um terminal no WSL.",
+ "install": "Instalar"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalInstance": {
+ "terminal.integrated.a11yPromptLabel": "Entrada de terminal",
+ "terminal.integrated.a11yTooMuchOutput": "Muita saída para anunciar, navegue até as linhas manualmente para ler",
+ "terminalTextBoxAriaLabelNumberAndTitle": "Terminal {0}, {1}",
+ "terminalTextBoxAriaLabel": "Terminal {0}",
+ "configure terminal settings": "Algumas associações de teclas são expedidas para o workbench por padrão.",
+ "configureTerminalSettings": "Definir as Configurações do Terminal",
+ "yes": "Sim",
+ "no": "Não",
+ "dontShowAgain": "Não Mostrar Novamente",
+ "terminal.slowRendering": "O renderizador padrão para o terminal integrado parece estar lento no seu computador. Deseja alternar para o renderizador alternativo baseado em DOM, o que pode aprimorar o desempenho? [Leia mais sobre as configurações de terminal] (https://code.visualstudio.com/docs/editor/integrated-terminal#_changing-how-the-terminal-is-rendered).",
+ "terminal.integrated.copySelection.noSelection": "O terminal não tem seleção para copiar",
+ "launchFailed.exitCodeAndCommandLine": "O processo de terminal \"{0}\" falhou ao iniciar (código de saída: {1}).",
+ "launchFailed.exitCodeOnly": "O processo de terminal falhou ao iniciar (código de saída: {0}).",
+ "terminated.exitCodeAndCommandLine": "O processo de terminal \"{0}\" foi terminado com o código de saída: {1}.",
+ "terminated.exitCodeOnly": "O processo de terminal foi terminado com o código de saída: {0}.",
+ "launchFailed.errorMessage": "O processo de terminal falhou ao iniciar: {0}.",
+ "terminalStaleTextBoxAriaLabel": "O ambiente de {0} de terminal está obsoleto, execute o comando 'Show Environment Information' para obter mais informações"
+ },
+ "vs/workbench/contrib/terminal/browser/links/terminalLinkManager": {
+ "terminalLinkHandler.followLinkAlt.mac": "option + clique",
+ "terminalLinkHandler.followLinkAlt": "alt + clique",
+ "terminalLinkHandler.followLinkCmd": "cmd + clique",
+ "terminalLinkHandler.followLinkCtrl": "ctrl + clique",
+ "followLink": "Seguir Link"
+ },
+ "vs/workbench/contrib/terminal/browser/links/terminalWordLinkProvider": {
+ "searchWorkspace": "Pesquisar workspace"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalProcessExtHostProxy": {
+ "terminal.integrated.starting": "Iniciando..."
+ },
+ "vs/workbench/contrib/terminal/browser/environmentVariableInfo": {
+ "extensionEnvironmentContributionChanges": "As extensões desejam fazer as seguintes alterações no ambiente do terminal:",
+ "extensionEnvironmentContributionRemoval": "As extensões desejam remover essas alterações existentes do ambiente do terminal:",
+ "relaunchTerminalLabel": "Reiniciar Terminal",
+ "extensionEnvironmentContributionInfo": "As extensões fizeram alterações no ambiente deste terminal"
+ },
+ "vs/workbench/contrib/terminal/browser/links/terminalLink": {
+ "openFile": "Abrir arquivo no editor",
+ "focusFolder": "Focar na pasta no explorador",
+ "openFolder": "Abrir pasta na nova janela"
+ },
+ "vs/workbench/contrib/themes/browser/themes.contribution": {
+ "selectTheme.label": "Tema de Cores",
+ "themes.category.light": "temas claros",
+ "themes.category.dark": "temas escuros",
+ "themes.category.hc": "temas de alto contraste",
+ "installColorThemes": "Instalar Temas de Cor Adicionais...",
+ "themes.selectTheme": "Selecionar Tema de Cor (Teclas Para Cima/Para baixo para Visualizar)",
+ "selectIconTheme.label": "Tema do Ícone de Arquivo",
+ "noIconThemeLabel": "Nenhum",
+ "noIconThemeDesc": "Desabilitar ícones de arquivo",
+ "installIconThemes": "Instalar Temas de Ícones de Arquivo Adicionais...",
+ "themes.selectIconTheme": "Selecionar Tema do Ícone de Arquivo",
+ "selectProductIconTheme.label": "Tema do Ícone do Produto",
+ "defaultProductIconThemeLabel": "Padrão",
+ "themes.selectProductIconTheme": "Selecionar Tema do Ícone de Produto",
+ "generateColorTheme.label": "Gerar Tema de Cores com as Configurações Atuais",
+ "preferences": "Preferências",
+ "miSelectColorTheme": "&&Tema de Cores",
+ "miSelectIconTheme": "Tema do &&Ícone de Arquivo",
+ "themes.selectIconTheme.label": "Tema do Ícone de Arquivo"
+ },
+ "vs/workbench/contrib/timeline/browser/timeline.contribution": {
+ "timelineViewIcon": "Ícone de exibição da exibição de linha do tempo.",
+ "timelineOpenIcon": "Ícone da ação abrir a linha do tempo.",
+ "timelineConfigurationTitle": "Linha do tempo",
+ "timeline.excludeSources": "Uma matriz de origens de Linha do tempo que deve ser excluída da exibição da Linha do tempo",
+ "timeline.pageSize": "O número de itens a serem mostrados no modo de exibição de Linha do tempo por padrão e ao carregar mais itens. A configuração como `null` (o padrão) escolherá automaticamente um tamanho de página com base na área visível do modo de exibição de Linha do tempo",
+ "timeline.pageOnScroll": "Experimental. Controla se o modo de exibição de Linha do tempo carregará a próxima página de itens ao rolar até o final da lista",
+ "files.openTimeline": "Abrir Linha do Tempo"
+ },
+ "vs/workbench/contrib/timeline/browser/timelinePane": {
+ "timeline.loadingMore": "Carregando...",
+ "timeline.loadMore": "Carregar mais",
+ "timeline": "Linha do tempo",
+ "timeline.editorCannotProvideTimeline": "O editor ativo não pode fornecer informações de linha do tempo.",
+ "timeline.noTimelineInfo": "Nenhuma informação de linha do tempo fornecida.",
+ "timeline.aria.item": "{0}: {1}",
+ "timeline.loading": "Carregando linha do tempo para {0}...",
+ "timelineRefresh": "Ícone da ação atualizar a linha do tempo.",
+ "timelinePin": "Ícone da ação fixar a linha do tempo.",
+ "timelineUnpin": "Ícone da ação desafixar a linha do tempo.",
+ "refresh": "Atualizar",
+ "timeline.toggleFollowActiveEditorCommand.follow": "Fixar a Linha do Tempo Atual",
+ "timeline.toggleFollowActiveEditorCommand.unfollow": "Desafixar a Linha do Tempo Atual",
+ "timeline.filterSource": "Incluir: {0}"
+ },
+ "vs/workbench/contrib/update/browser/update.contribution": {
+ "miReleaseNotes": "&&Notas sobre a Versão"
+ },
+ "vs/workbench/contrib/update/browser/update": {
+ "releaseNotes": "Notas sobre a Versão",
+ "update.noReleaseNotesOnline": "Esta versão do {0} não tem notas sobre a versão online",
+ "showReleaseNotes": "Mostrar Notas sobre a Versão",
+ "read the release notes": "Bem-vindo(a) ao {0} v{1}. Deseja ler as Notas sobre a Versão?",
+ "licenseChanged": "Nossos termos de licença mudaram, clique [aqui] ({0}) para acessá-los.",
+ "updateIsReady": "Nova atualização {0} disponível.",
+ "checkingForUpdates": "Verificando se há Atualizações...",
+ "update service": "Atualizar Serviço",
+ "noUpdatesAvailable": "Não há atualizações disponíveis no momento.",
+ "ok": "OK",
+ "thereIsUpdateAvailable": "Há uma atualização disponível.",
+ "download update": "Baixar Atualização",
+ "later": "Mais tarde",
+ "updateAvailable": "Há uma atualização disponível: {0} {1}",
+ "installUpdate": "Instalar Atualização",
+ "updateInstalling": "O {0} {1} está sendo instalado em segundo plano. Avisaremos quando a instalação for concluída.",
+ "updateNow": "Atualizar Agora",
+ "updateAvailableAfterRestart": "Reinicie {0} para aplicar a atualização mais recente.",
+ "checkForUpdates": "Verificar Atualizações...",
+ "download update_1": "Baixar Atualização (1)",
+ "DownloadingUpdate": "Baixando a Atualização...",
+ "installUpdate...": "Instalar Atualização... (1)",
+ "installingUpdate": "Instalando a Atualização...",
+ "good luck": "'Restart to Update' is not working properly on macOS Big Sur. Click 'Quit to Update' to quit {0} and update it. Then, relaunch it from Finder.",
+ "quit": "Quit to Update",
+ "learn more": "Learn More",
+ "cancel": "Cancel",
+ "restartToUpdate": "Reiniciar para Atualizar (1)",
+ "relaunchMessage": "A alteração da versão exige uma recarga para entrar em vigor",
+ "relaunchDetailInsiders": "Pressione o botão Recarregar para alternar para a versão noturna de pré-produção do VSCode.",
+ "relaunchDetailStable": "Pressione o botão Recarregar para alternar para a versão estável lançada mensalmente do VSCode.",
+ "reload": "&&Recarregar",
+ "switchToInsiders": "Alternar para Versões Internas...",
+ "switchToStable": "Alternar para Versão Estável..."
+ },
+ "vs/workbench/contrib/update/browser/releaseNotesEditor": {
+ "releaseNotesInputName": "Notas sobre a Versão: {0}",
+ "unassigned": "não atribuído"
+ },
+ "vs/workbench/contrib/url/browser/url.contribution": {
+ "openUrl": "Abrir URL",
+ "urlToOpen": "URL para abrir"
+ },
+ "vs/workbench/contrib/url/browser/trustedDomains": {
+ "trustedDomain.manageTrustedDomain": "Gerenciar Domínios Confiáveis",
+ "trustedDomain.trustDomain": "Confiar em {0}",
+ "trustedDomain.trustAllPorts": "Confiar {0} em todas as portas",
+ "trustedDomain.trustSubDomain": "Confiar em {0} e em todos os subdomínios",
+ "trustedDomain.trustAllDomains": "Confiar em todos os domínios (desabilita a proteção de link)",
+ "trustedDomain.manageTrustedDomains": "Gerenciar Domínios Confiáveis",
+ "configuringURL": "Configurando a confiança para: {0}"
+ },
+ "vs/workbench/contrib/url/browser/trustedDomainsValidator": {
+ "openExternalLinkAt": "Deseja que {0} abra o site externo?",
+ "open": "Abrir",
+ "copy": "Copiar",
+ "cancel": "Cancelar",
+ "configureTrustedDomains": "Configurar Domínios Confiáveis"
+ },
+ "vs/workbench/contrib/userDataSync/electron-browser/userDataSync.contribution": {
+ "operationId": "ID da Operação: {0}",
+ "too many requests": "A sincronização de configurações está desabilitada porque o dispositivo atual está fazendo muitas solicitações. Relate um problema fornecendo os logs de sincronização.",
+ "settings sync": "Sincronização de Configurações. ID da operação: {0}",
+ "show sync logs": "Mostrar o Log",
+ "report issue": "Relatar Problema",
+ "Open Backup folder": "Abrir Pasta de Backups Local",
+ "no backups": "A pasta de backups locais não existe"
+ },
+ "vs/workbench/contrib/userDataSync/browser/userDataSync.contribution": {
+ "operationId": "ID da Operação: {0}",
+ "too many requests": "As configurações de sincronização foram desativadas neste dispositivo porque ele está fazendo muitas solicitações."
+ },
+ "vs/workbench/contrib/userDataSync/browser/userDataSync": {
+ "turn on sync with category": "{0}: Ativar...",
+ "stop sync": "{0}: Desativar",
+ "configure sync": "{0}: Configurar...",
+ "showConflicts": "{0}: Mostrar os Conflitos de Configurações",
+ "showKeybindingsConflicts": "{0}: Mostrar os Conflitos de Associações de Teclas",
+ "showSnippetsConflicts": "{0}: Mostrar os Conflitos de Snippets do Usuário",
+ "sync now": "{0}: Sincronizar Agora",
+ "syncing": "sincronizando",
+ "synced with time": "{0} sincronizado",
+ "sync settings": "{0}: Mostrar as Configurações",
+ "show synced data": "{0}: Mostrar os Dados Sincronizados",
+ "conflicts detected": "Não foi possível sincronizar devido a conflitos em {0}. Por favor, resolva-os para continuar.",
+ "accept remote": "Aceitar Remoto",
+ "accept local": "Aceitar Local",
+ "show conflicts": "Mostrar Conflitos",
+ "accept failed": "Erro ao aceitar as alterações. Verifique os [logs]({0}) para obter mais detalhes.",
+ "session expired": "A sincronização de configurações foi desativada porque a sessão atual expirou, entre novamente para ativar a sincronização.",
+ "turn on sync": "Ativar a Sincronização de Configurações...",
+ "turned off": "A sincronização de configurações foi desativada de outro dispositivo. Entre novamente para ativar a sincronização.",
+ "too large": "A sincronização de {0} foi desabilitada porque o tamanho do arquivo {1} a ser sincronizado é maior que {2}. Abra o arquivo, reduza o tamanho e habilite a sincronização",
+ "error upgrade required": "A sincronização de configurações está desabilitada porque a versão atual ({0}, {1}) não é compatível com o serviço de sincronização. Atualize antes de ativar a sincronização.",
+ "operationId": "ID da Operação: {0}",
+ "error reset required": "A sincronização de configurações está desabilitada porque seus dados na nuvem são mais antigos que o do cliente. Limpe seus dados na nuvem antes de ativar a sincronização.",
+ "reset": "Limpar os Dados na Nuvem...",
+ "show synced data action": "Mostrar os Dados Sincronizados",
+ "switched to insiders": "A sincronização de configurações agora usa um serviço separado, mais informações estão disponíveis nas [notas sobre a versão] (https://code.visualstudio.com/updates/v1_48#_settings-sync).",
+ "open file": "Abrir {0} Arquivo",
+ "errorInvalidConfiguration": "Não é possível sincronizar {0} porque o conteúdo do arquivo não é válido. Abra o arquivo e corrija-o.",
+ "has conflicts": "{0}: Conflitos Detectados",
+ "turning on syncing": "Ativando a Sincronização de Configurações...",
+ "sign in to sync": "Entrar para Sincronizar Configurações",
+ "no authentication providers": "Não há provedores de autenticação disponíveis.",
+ "too large while starting sync": "A sincronização de configurações não pode ser ativada porque o tamanho do arquivo {0} a ser sincronizado é maior do que {1}. Abra o arquivo, reduza o tamanho e ative a sincronização",
+ "error upgrade required while starting sync": "A sincronização de configurações não pode ser ativada porque a versão atual ({0}, {1}) não é compatível com o serviço de sincronização. Atualize antes de ativar a sincronização.",
+ "error reset required while starting sync": "A sincronização de configurações não pode ser ativada porque seus dados na nuvem são mais antigos que o do cliente. Limpe seus dados na nuvem antes de ativar a sincronização.",
+ "auth failed": "Erro ao ativar a Sincronização de Configurações: falha na autenticação.",
+ "turn on failed": "Erro ao ativar a Sincronização de Configurações. Verifique os [logs]({0}) para obter mais detalhes.",
+ "sync preview message": "Sincronizar suas configurações é uma versão prévia do recurso, leia a documentação antes de ativar.",
+ "turn on": "Ativar",
+ "open doc": "Abrir Documentação",
+ "cancel": "Cancelar",
+ "sign in and turn on": "Entrar & Ativar",
+ "configure and turn on sync detail": "Entre para sincronizar os seus dados entre dispositivos.",
+ "per platform": "para cada plataforma",
+ "configure sync placeholder": "Escolha o que sincronizar",
+ "turn off sync confirmation": "Deseja desligar a sincronização?",
+ "turn off sync detail": "Suas configurações, associações de teclas, extensões, snippets e estado de interface do usuário não serão mais sincronizados.",
+ "turn off": "&&Desligar",
+ "turn off sync everywhere": "Desligue a sincronização em todos os dispositivos e limpe os dados da nuvem.",
+ "leftResourceName": "{0} (Remoto)",
+ "merges": "{0} (Mesclagens)",
+ "sideBySideLabels": "{0} ↔ {1}",
+ "sideBySideDescription": "Sincronização de Configurações",
+ "switchSyncService.title": "{0}: Selecionar o Serviço",
+ "switchSyncService.description": "Verifique se você está usando o mesmo serviço de sincronização de configurações ao sincronizar vários ambientes",
+ "default": "Padrão",
+ "insiders": "Internos",
+ "stable": "Estável",
+ "global activity turn on sync": "Ativar a Sincronização de Configurações...",
+ "turnin on sync": "Ativando a Sincronização de Configurações...",
+ "sign in global": "Entrar para Sincronizar Configurações",
+ "sign in accounts": "Entrar nas Configurações de Sincronização (1)",
+ "resolveConflicts_global": "{0}: Mostrar os Conflitos de Configurações (1)",
+ "resolveKeybindingsConflicts_global": "{0}: Mostrar os Conflitos de Associações de Teclas (1)",
+ "resolveSnippetsConflicts_global": "{0}: Mostrar os Conflitos de Snippets do Usuário ({1})",
+ "sync is on": "A Sincronização de Configurações está Ativada",
+ "workbench.action.showSyncRemoteBackup": "Mostrar os Dados Sincronizados",
+ "turn off failed": "Erro ao desativar a Sincronização de Configurações. Verifique os [logs]({0}) para obter mais detalhes.",
+ "show sync log title": "{0}: Mostrar o Log",
+ "accept merges": "Aceitar Mesclagens",
+ "accept remote button": "Aceitar &&Remoto",
+ "accept merges button": "Aceitar &&Mesclagens",
+ "Sync accept remote": "{0}: {1}",
+ "Sync accept merges": "{0}: {1}",
+ "confirm replace and overwrite local": "Deseja aceitar o {0} remoto e substituir o {1} local?",
+ "confirm replace and overwrite remote": "Gostaria de aceitar as mesclagens e substituir o {0} remoto?",
+ "update conflicts": "Não foi possível resolver os conflitos, pois há uma nova versão local disponível. Tente novamente."
+ },
+ "vs/workbench/contrib/userDataSync/browser/userDataSyncViews": {
+ "showLog": "Mostrar o Log",
+ "configure": "Configurar...",
+ "workbench.actions.syncData.reset": "Limpar os Dados na Nuvem...",
+ "merges": "Mesclagens",
+ "synced machines": "Computadores Sincronizados",
+ "workbench.actions.sync.editMachineName": "Editar Nome",
+ "workbench.actions.sync.turnOffSyncOnMachine": "Desligar Sincronização de Configurações",
+ "remote sync activity title": "Atividade de Sincronização (Remota)",
+ "local sync activity title": "Atividade de Sincronização (Local)",
+ "workbench.actions.sync.resolveResourceRef": "Mostrar dados brutos de sincronização JSON",
+ "workbench.actions.sync.replaceCurrent": "Restaurar",
+ "confirm replace": "Deseja substituir o {0} atual pelo selecionado?",
+ "workbench.actions.sync.compareWithLocal": "Abrir as Alterações",
+ "leftResourceName": "{0} (Remoto)",
+ "rightResourceName": "{0} (Local)",
+ "sideBySideLabels": "{0} ↔ {1}",
+ "sideBySideDescription": "Sincronização de Configurações",
+ "reset": "Redefinir Dados Sincronizados",
+ "current": "Atual",
+ "no machines": "Nenhum Computador",
+ "not found": "computador não encontrado com a ID: {0}",
+ "turn off sync on machine": "Tem certeza de que deseja desligar a sincronização em {0}?",
+ "turn off": "&&Desligar",
+ "placeholder": "Inserir o nome do computador",
+ "valid message": "O nome do computador deve ser exclusivo e não vazio"
+ },
+ "vs/workbench/contrib/userDataSync/browser/userDataSyncMergesView": {
+ "explanation": "Execute cada entrada e mescle para habilitar a sincronização.",
+ "turn on sync": "Ativar a Sincronização de Configurações",
+ "cancel": "Cancelar",
+ "workbench.actions.sync.acceptRemote": "Aceitar Remoto",
+ "workbench.actions.sync.acceptLocal": "Aceitar Local",
+ "workbench.actions.sync.merge": "Mesclar",
+ "workbench.actions.sync.discard": "Descartar",
+ "workbench.actions.sync.showChanges": "Abrir as Alterações",
+ "conflicts detected": "Conflitos Detectados",
+ "resolve": "Não é possível mesclar devido a conflito. Resolva-os para continuar.",
+ "turning on": "Ativando...",
+ "preview": "{0} (Versão Prévia)",
+ "leftResourceName": "{0} (Remoto)",
+ "merges": "{0} (Mesclagens)",
+ "rightResourceName": "{0} (Local)",
+ "sideBySideLabels": "{0} ↔ {1}",
+ "sideBySideDescription": "Sincronização de Configurações",
+ "label": "UserDataSyncResources",
+ "conflict": "Conflitos Detectados",
+ "accepted": "Aceito",
+ "accept remote": "Aceitar Remoto",
+ "accept local": "Aceitar Local",
+ "accept merges": "Aceitar Mesclagens"
+ },
+ "vs/workbench/contrib/views/browser/treeView": {
+ "no-dataprovider": "Não há nenhum provedor de dados registrado que possa fornecer dados de exibição.",
+ "refresh": "Atualizar",
+ "collapseAll": "Recolher Tudo",
+ "command-error": "Erro ao executar o comando {1}: {0}. Isso provavelmente é causado pela extensão que contribui com {1}."
+ },
+ "vs/workbench/contrib/watermark/browser/watermark": {
+ "watermark.showCommands": "Mostrar Todos os Comandos",
+ "watermark.quickAccess": "Acessar o Arquivo",
+ "watermark.openFile": "Abrir o Arquivo",
+ "watermark.openFolder": "Abrir a Pasta",
+ "watermark.openFileFolder": "Abrir Arquivo ou Pasta",
+ "watermark.openRecent": "Abrir Recente",
+ "watermark.newUntitledFile": "Novo Arquivo Sem Título",
+ "watermark.toggleTerminal": "Ativar/Desativar Terminal",
+ "watermark.findInFiles": "Localizar nos Arquivos",
+ "watermark.startDebugging": "Iniciar a Depuração",
+ "tips.enabled": "Quando habilitado, mostrará as dicas de marca-d'água quando não houver editor aberto."
+ },
+ "vs/workbench/contrib/webview/electron-browser/webviewCommands": {
+ "openToolsLabel": "Abrir Ferramentas para Desenvolvedores do Modo de Exibição da Web"
+ },
+ "vs/workbench/contrib/webview/browser/baseWebviewElement": {
+ "fatalErrorMessage": "Erro ao carregar modo de exibição da Web: {0}"
+ },
+ "vs/workbench/contrib/webviewPanel/browser/webviewPanel.contribution": {
+ "webview.editor.label": "editor de modo de exibição da Web"
+ },
+ "vs/workbench/contrib/webviewPanel/browser/webviewCommands": {
+ "editor.action.webvieweditor.showFind": "Mostrar a ação localizar",
+ "editor.action.webvieweditor.hideFind": "Parar a ação localizar",
+ "editor.action.webvieweditor.findNext": "Localizar próximo",
+ "editor.action.webvieweditor.findPrevious": "Localizar anterior",
+ "refreshWebviewLabel": "Recarregar os Modos de Exibição da Web"
+ },
+ "vs/workbench/contrib/welcome/overlay/browser/welcomeOverlay": {
+ "welcomeOverlay.explorer": "Explorador de arquivos",
+ "welcomeOverlay.search": "Pesquisar entre arquivos",
+ "welcomeOverlay.git": "Gerenciamento de código-fonte",
+ "welcomeOverlay.debug": "Iniciar e depurar",
+ "welcomeOverlay.extensions": "Gerenciar extensões",
+ "welcomeOverlay.problems": "Exibir erros e avisos",
+ "welcomeOverlay.terminal": "Ativar/desativar terminal integrado",
+ "welcomeOverlay.commandPalette": "Encontrar e executar todos os comandos",
+ "welcomeOverlay.notifications": "Mostrar notificações",
+ "welcomeOverlay": "Visão Geral da Interface do Usuário",
+ "hideWelcomeOverlay": "Ocultar Visão Geral da Interface"
+ },
+ "vs/workbench/contrib/welcome/page/browser/welcomePage.contribution": {
+ "workbench.startupEditor.none": "Iniciar sem um editor.",
+ "workbench.startupEditor.welcomePage": "Abrir a página inicial (padrão).",
+ "workbench.startupEditor.readme": "Abrir o LEIAME ao abrir uma pasta que contenha um, caso contrário, retornar para 'welcomePage'.",
+ "workbench.startupEditor.newUntitledFile": "Abrir um novo arquivo sem título (aplicável somente ao abrir um workspace vazio).",
+ "workbench.startupEditor.welcomePageInEmptyWorkbench": "Abrir a página inicial ao abrir um workbench vazio.",
+ "workbench.startupEditor.gettingStarted": "Abrir a página Introdução (experimental).",
+ "workbench.startupEditor": "Controla qual editor é mostrado na inicialização, se nenhum for restaurado da sessão anterior.",
+ "miWelcome": "&&Bem-vindo(a)"
+ },
+ "vs/workbench/contrib/welcome/gettingStarted/browser/gettingStarted.contribution": {
+ "Getting Started": "Introdução",
+ "help": "Ajuda",
+ "gettingStartedDescription": "Habilita uma página Introdução experimental, acessível pelo menu Ajuda."
+ },
+ "vs/workbench/contrib/welcome/walkThrough/browser/walkThrough.contribution": {
+ "walkThrough.editor.label": "Playground Interativo",
+ "miInteractivePlayground": "Playground I&&nterativo"
+ },
+ "vs/workbench/contrib/welcome/page/browser/welcomePage": {
+ "welcomePage": "Bem-vindo(a)",
+ "welcomePage.javaScript": "JavaScript",
+ "welcomePage.python": "Python",
+ "welcomePage.java": "Java",
+ "welcomePage.php": "PHP",
+ "welcomePage.azure": "Azure",
+ "welcomePage.showAzureExtensions": "Mostrar extensões do Azure",
+ "welcomePage.docker": "Docker",
+ "welcomePage.vim": "Vim",
+ "welcomePage.sublime": "Sublime",
+ "welcomePage.atom": "Atom",
+ "welcomePage.extensionPackAlreadyInstalled": "O suporte para {0} já está instalado.",
+ "welcomePage.willReloadAfterInstallingExtensionPack": "A janela será recarregada após a instalação do suporte adicional para {0}.",
+ "welcomePage.installingExtensionPack": "Instalando suporte adicional para {0}...",
+ "welcomePage.extensionPackNotFound": "Não foi possível encontrar suporte para {0} com a id {1}.",
+ "welcomePage.keymapAlreadyInstalled": "Os atalhos de teclado do {0} já estão instalados.",
+ "welcomePage.willReloadAfterInstallingKeymap": "A janela será recarregada após a instalação dos atalhos de teclado do {0}.",
+ "welcomePage.installingKeymap": "Instalando os atalhos de teclado do {0}...",
+ "welcomePage.keymapNotFound": "Não foi possível encontrar os atalhos de teclado do {0} com a id {1}.",
+ "welcome.title": "Bem-vindo(a)",
+ "welcomePage.openFolderWithPath": "Abrir pasta {0} com caminho {1}",
+ "welcomePage.extensionListSeparator": ", ",
+ "welcomePage.installKeymap": "Instalar {0} Mapa de Teclas",
+ "welcomePage.installExtensionPack": "Instalar suporte adicional para {0}",
+ "welcomePage.installedKeymap": "O mapa de teclas {0} já está instalado",
+ "welcomePage.installedExtensionPack": "O suporte de {0} já está instalado",
+ "ok": "OK",
+ "details": "Detalhes"
+ },
+ "vs/workbench/contrib/welcome/gettingStarted/browser/gettingStarted": {
+ "editorGettingStarted.title": "Introdução",
+ "next": "Próximo"
+ },
+ "vs/workbench/contrib/welcome/walkThrough/browser/walkThroughPart": {
+ "walkThrough.unboundCommand": "não associado",
+ "walkThrough.gitNotFound": "Parece que o Git não está instalado no sistema.",
+ "walkThrough.embeddedEditorBackground": "Cor da tela de fundo para os editores inseridos no Playground Interativo."
+ },
+ "vs/workbench/contrib/welcome/walkThrough/browser/editor/editorWalkThrough": {
+ "editorWalkThrough.title": "Playground Interativo",
+ "editorWalkThrough": "Playground Interativo"
+ },
+ "vs/workbench/contrib/welcome/common/viewsWelcomeContribution": {
+ "ViewsWelcomeExtensionPoint.proposedAPI": "A contribuição do viewsWelcome em '{0}' requer que 'enableProposedApi' esteja habilitado."
+ },
+ "vs/workbench/contrib/welcome/common/viewsWelcomeExtensionPoint": {
+ "contributes.viewsWelcome": "Conteúdo de boas-vindas das exibições de contribuição. O conteúdo de boas-vindas será renderizado em exibições baseadas em árvore sempre que não houver um conteúdo significativo a ser exibido. Por exemplo, o Explorador de Arquivos quando nenhuma pasta está aberta. Esse tipo de conteúdo é útil como uma documentação dentro do produto para orientar os usuários a usar determinados recursos antes que eles estejam disponíveis. Um bom exemplo seria um botão `Clonar o Repositório` na exibição de boas-vindas do Explorador de Arquivos.",
+ "contributes.viewsWelcome.view": "Conteúdo de boas-vindas contribuído para um modo de exibição específico.",
+ "contributes.viewsWelcome.view.view": "Identificador de exibição de destino para este conteúdo de boas-vindas. Há suporte somente para as exibições baseadas em árvore.",
+ "contributes.viewsWelcome.view.contents": "Conteúdo de boas-vindas a ser exibido. O formato do conteúdo é um subconjunto de Markdown, com suporte somente para links.",
+ "contributes.viewsWelcome.view.when": "Condição de quando o conteúdo de boas-vindas deve ser exibido.",
+ "contributes.viewsWelcome.view.group": "Grupo ao qual este conteúdo de boas-vindas pertence.",
+ "contributes.viewsWelcome.view.enablement": "Condição de quando os botões de conteúdo de boas-vindas devem ser habilitados."
+ },
+ "vs/workbench/contrib/welcome/telemetryOptOut/browser/telemetryOptOut": {
+ "telemetryOptOut.optOutNotice": "Ajude a melhorar o VS Code permitindo que a Microsoft colete dados de uso. Leia nossa [política de privacidade]({0}) e saiba como [recusar]({1}).",
+ "telemetryOptOut.optInNotice": "Ajude a melhorar o VS Code permitindo que a Microsoft colete dados de uso. Leia nossa [política de privacidade]({0}) e saiba como [aceitar]({1}).",
+ "telemetryOptOut.readMore": "Leia Mais",
+ "telemetryOptOut.optOutOption": "Ajude a Microsoft a aprimorar o Visual Studio Code permitindo a coleta de dados de uso. Leia nossa [política de privacidade] ({0}) para obter mais detalhes.",
+ "telemetryOptOut.OptIn": "Sim, feliz em ajudar",
+ "telemetryOptOut.OptOut": "Não, obrigado"
+ },
+ "vs/workbench/contrib/welcome/page/browser/welcomePageColors": {
+ "welcomePage.buttonBackground": "Cor da tela de fundo para os botões na página inicial.",
+ "welcomePage.buttonHoverBackground": "Focalizar a cor da tela de fundo para os botões na página inicial.",
+ "welcomePage.background": "Cor da tela de fundo da página inicial."
+ },
+ "vs/workbench/contrib/welcome/page/browser/vs_code_welcome_page": {
+ "welcomePage.vscode": "Visual Studio Code",
+ "welcomePage.editingEvolved": "Edição evoluída",
+ "welcomePage.start": "Iniciar",
+ "welcomePage.newFile": "Novo arquivo",
+ "welcomePage.openFolder": "Abrir pasta...",
+ "welcomePage.gitClone": "clonar o repositório...",
+ "welcomePage.recent": "Recente",
+ "welcomePage.moreRecent": "Mais...",
+ "welcomePage.noRecentFolders": "Não há pastas recentes",
+ "welcomePage.help": "Ajuda",
+ "welcomePage.keybindingsCheatsheet": "Folha de referências imprimível do teclado",
+ "welcomePage.introductoryVideos": "Vídeos introdutórios",
+ "welcomePage.tipsAndTricks": "Dicas e Truques",
+ "welcomePage.productDocumentation": "Documentação do produto",
+ "welcomePage.gitHubRepository": "Repositório GitHub",
+ "welcomePage.stackOverflow": "Stack Overflow",
+ "welcomePage.newsletterSignup": "Participar do nosso Boletim Informativo",
+ "welcomePage.showOnStartup": "Mostrar a página inicial ao iniciar",
+ "welcomePage.customize": "Personalizar",
+ "welcomePage.installExtensionPacks": "Ferramentas e idiomas",
+ "welcomePage.installExtensionPacksDescription": "Instalar suporte para {0} e {1}",
+ "welcomePage.showLanguageExtensions": "Mostrar mais extensões de idioma",
+ "welcomePage.moreExtensions": "mais",
+ "welcomePage.installKeymapDescription": "Configurações e associações de teclas",
+ "welcomePage.installKeymapExtension": "Instale as configurações e os atalhos de teclado de {0} e {1}",
+ "welcomePage.showKeymapExtensions": "Mostrar outras extensões de mapa de chaves",
+ "welcomePage.others": "outros",
+ "welcomePage.colorTheme": "Tema de cores",
+ "welcomePage.colorThemeDescription": "Faça com que o editor e seu código tenham a aparência que você mais gosta",
+ "welcomePage.learn": "Conhecer",
+ "welcomePage.showCommands": "Encontrar e executar todos os comandos",
+ "welcomePage.showCommandsDescription": "Acesse e pesquise rapidamente comandos na Paleta de Comandos ({0})",
+ "welcomePage.interfaceOverview": "Visão geral da interface",
+ "welcomePage.interfaceOverviewDescription": "Obter uma sobreposição visual realçando os principais componentes da interface do usuário",
+ "welcomePage.interactivePlayground": "Playground Interativo",
+ "welcomePage.interactivePlaygroundDescription": "Experimente os recursos essenciais do editor em uma breve explicação passo a passo"
+ },
+ "vs/workbench/contrib/welcome/gettingStarted/browser/vs_code_editor_getting_started": {
+ "gettingStarted.vscode": "Visual Studio Code",
+ "gettingStarted.editingRedefined": "Edição de código. Redefinido"
+ },
+ "vs/workbench/contrib/workspaces/browser/workspaces.contribution": {
+ "workspaceFound": "Esta pasta contém um arquivo de workspace '{0}'. Deseja abri-lo? [Saiba mais]({1}) sobre arquivos de workspace.",
+ "openWorkspace": "Abrir o Workspace",
+ "workspacesFound": "Esta pasta contém vários arquivos de workspace. Deseja abrir um? [Saiba mais] ({0}) sobre arquivos de workspace.",
+ "selectWorkspace": "Selecionar Workspace",
+ "selectToOpen": "Selecionar um workspace para abrir"
+ },
+ "vs/workbench/services/authentication/browser/authenticationService": {
+ "authentication.id": "A ID do provedor de autenticação.",
+ "authentication.label": "O nome do provedor de autenticação legível por humanos.",
+ "authenticationExtensionPoint": "Contribui com a autenticação",
+ "loading": "Carregando...",
+ "authentication.missingId": "Uma contribuição de autenticação precisa especificar uma ID.",
+ "authentication.missingLabel": "Uma contribuição de autenticação precisa especificar um rótulo.",
+ "authentication.idConflict": "Esta ID de autenticação '{0}' já foi registrada",
+ "noAccounts": "Você não está conectado a uma conta",
+ "sign in": "Entrar solicitada",
+ "signInRequest": "Entrar para usar {0} (1)"
+ },
+ "vs/workbench/services/bulkEdit/browser/bulkEditService": {
+ "summary.0": "Não foram feitas edições",
+ "summary.nm": "Foram feitas {0} edições de texto em {1} arquivos",
+ "summary.n0": "Foram feitas {0} edições de texto em um arquivo",
+ "workspaceEdit": "Edição do Workspace",
+ "nothing": "Não foram feitas edições"
+ },
+ "vs/workbench/services/configuration/common/jsonEditingService": {
+ "errorInvalidFile": "Não é possível gravar no arquivo. Abra-o para corrigir erros/avisos e tente novamente.",
+ "errorFileDirty": "Não é possível gravar no arquivo porque o arquivo está sujo. Salve o arquivo e tente novamente."
+ },
+ "vs/workbench/services/configuration/common/configurationEditingService": {
+ "openTasksConfiguration": "Abrir Configuração de Tarefas",
+ "openLaunchConfiguration": "Abrir Configuração de Inicialização",
+ "open": "Abrir as Configurações",
+ "saveAndRetry": "Salvar e Tentar Novamente",
+ "errorUnknownKey": "Não é possível gravar em {0} porque {1} não é uma configuração registrada.",
+ "errorInvalidWorkspaceConfigurationApplication": "Não é possível gravar {0} nas Configurações do Workspace. Essa configuração só pode ser gravada nas Configurações de usuário.",
+ "errorInvalidWorkspaceConfigurationMachine": "Não é possível gravar {0} nas Configurações do Workspace. Essa configuração só pode ser gravada nas Configurações de usuário.",
+ "errorInvalidFolderConfiguration": "Não é possível gravar nas Configurações da Pasta porque {0} não dá suporte ao escopo de recurso da pasta.",
+ "errorInvalidUserTarget": "Não é possível gravar nas Configurações do Usuário porque {0} não dá suporte para o escopo global.",
+ "errorInvalidWorkspaceTarget": "Não é possível gravar nas Configurações do Workspace porque {0} não dá suporte para o escopo do workspace em um workspace de várias pastas.",
+ "errorInvalidFolderTarget": "Não é possível gravar nas Configurações da Pasta porque nenhum recurso foi fornecido.",
+ "errorInvalidResourceLanguageConfiguraiton": "Não é possível gravar nas Configurações de Idioma porque {0} não é uma configuração de idioma do recurso.",
+ "errorNoWorkspaceOpened": "Não é possível gravar em {0} porque nenhum workspace está aberto. Abra primeiro um workspace e tente novamente.",
+ "errorInvalidTaskConfiguration": "Não é possível gravar no arquivo de configuração de tarefas. Abra-o para corrigir erros/avisos e tente novamente.",
+ "errorInvalidLaunchConfiguration": "Não é possível gravar no arquivo de configuração de inicialização. Abra-o para corrigir erros/avisos e tente novamente.",
+ "errorInvalidConfiguration": "Não é possível gravar nas configurações do usuário. Abra as configurações do usuário para corrigir erros/avisos e tente novamente.",
+ "errorInvalidRemoteConfiguration": "Não é possível gravar nas configurações de usuário remoto. Abra as configurações do usuário remoto para corrigir erros/avisos e tente novamente.",
+ "errorInvalidConfigurationWorkspace": "Não é possível gravar nas configurações do workspace. Abra as configurações do workspace para corrigir erros/avisos no arquivo e tente novamente.",
+ "errorInvalidConfigurationFolder": "Não é possível gravar nas configurações da pasta. Abra as configurações da pasta '{0}' para corrigir erros/avisos e tente novamente.",
+ "errorTasksConfigurationFileDirty": "Não é possível gravar no arquivo de configuração de tarefas porque o arquivo está sujo. Salve-o primeiro e, em seguida, tente novamente.",
+ "errorLaunchConfigurationFileDirty": "Não é possível gravar no arquivo de configuração de inicialização porque o arquivo está sujo. Salve-o primeiro e, em seguida, tente novamente.",
+ "errorConfigurationFileDirty": "Não é possível gravar nas configurações do usuário porque o arquivo está sujo. Salve o arquivo de configurações do usuário primeiro e, em seguida, tente novamente.",
+ "errorRemoteConfigurationFileDirty": "Não é possível gravar nas configurações de usuário remoto porque o arquivo está sujo. Salve o arquivo de configurações de usuário remoto primeiro e, em seguida, tente novamente.",
+ "errorConfigurationFileDirtyWorkspace": "Não é possível gravar nas configurações do workspace porque o arquivo está sujo. Salve o arquivo de configurações do workspace primeiro e, em seguida, tente novamente.",
+ "errorConfigurationFileDirtyFolder": "Não é possível gravar nas configurações da pasta porque o arquivo está sujo. Salve primeiro o arquivo de configurações de pasta '{0}' e tente novamente.",
+ "errorTasksConfigurationFileModifiedSince": "Não é possível gravar no arquivo de configuração de tarefas porque o conteúdo do arquivo é mais recente.",
+ "errorLaunchConfigurationFileModifiedSince": "Não é possível gravar no arquivo de configuração de inicialização porque o conteúdo do arquivo é mais recente.",
+ "errorConfigurationFileModifiedSince": "Não é possível gravar nas configurações do usuário porque o conteúdo do arquivo é mais recente.",
+ "errorRemoteConfigurationFileModifiedSince": "Não é possível gravar nas configurações de usuário remoto porque o conteúdo do arquivo é mais recente.",
+ "errorConfigurationFileModifiedSinceWorkspace": "Não é possível gravar nas configurações do workspace porque o conteúdo do arquivo é mais recente.",
+ "errorConfigurationFileModifiedSinceFolder": "Não é possível gravar nas configurações da pasta porque o conteúdo do arquivo é mais recente.",
+ "userTarget": "Configurações de Usuário",
+ "remoteUserTarget": "Configurações de Usuário Remoto",
+ "workspaceTarget": "Configurações do Workspace",
+ "folderTarget": "Configurações de Pasta"
+ },
+ "vs/workbench/services/configurationResolver/browser/configurationResolverService": {
+ "commandVariable.noStringType": "Não é possível substituir a variável de comando '{0}' porque o comando não retornou um resultado da cadeia de caracteres de tipo.",
+ "inputVariable.noInputSection": "A variável '{0}' precisa ser definida em uma seção '{1}' da configuração de depuração ou de tarefa.",
+ "inputVariable.missingAttribute": "A variável de entrada '{0}' é do tipo '{1}' e precisa incluir '{2}'.",
+ "inputVariable.defaultInputValue": "(Padrão)",
+ "inputVariable.command.noStringType": "Não é possível substituir a variável de entrada '{0}' porque o comando '{1}' não retornou um resultado da cadeia de caracteres de tipo.",
+ "inputVariable.unknownType": "A variável de entrada '{0}' só pode ser do tipo 'promptString', 'pickString' ou 'command'.",
+ "inputVariable.undefinedVariable": "Variável de entrada indefinida '{0}' encontrada. Remova ou defina '{0}' para continuar."
+ },
+ "vs/workbench/services/configurationResolver/common/variableResolver": {
+ "canNotResolveFile": "Não é possível resolver a variável '{0}'. Abra um editor.",
+ "canNotResolveFolderForFile": "Variável {0}: não é possível encontrar a pasta de '{1}' do workspace.",
+ "canNotFindFolder": "Não é possível resolver a variável '{0}'. A pasta '{1}' não existe.",
+ "canNotResolveWorkspaceFolderMultiRoot": "Não é possível resolver a variável '{0}' em um workspace de várias pastas. Defina o escopo dessa variável usando ':' e um nome de pasta do workspace.",
+ "canNotResolveWorkspaceFolder": "Não é possível resolver a variável '{0}'. Abra uma pasta.",
+ "missingEnvVarName": "Não é possível resolver a variável '{0}' porque não foi fornecido nenhum nome de variável de ambiente.",
+ "configNotFound": "Não é possível resolver a variável '{0}' porque a configuração '{1}' não foi encontrada.",
+ "configNoString": "Não é possível resolver a variável '{0}' porque '{1}' é um valor estruturado.",
+ "missingConfigName": "Não é possível resolver a variável '{0}' porque não foi fornecido nenhum nome de configurações.",
+ "canNotResolveLineNumber": "Não é possível resolver a variável '{0}'. Selecione uma linha no editor ativo.",
+ "canNotResolveSelectedText": "Não é possível resolver a variável '{0}'. Selecione algum texto no editor ativo.",
+ "noValueForCommand": "Não é possível resolver a variável '{0}' porque o comando não tem nenhum valor."
+ },
+ "vs/workbench/services/configurationResolver/common/configurationResolverUtils": {
+ "deprecatedVariables": "'env.', 'config.' e 'command.' foram preteridos, use 'env:', 'config:' e 'command:'."
+ },
+ "vs/workbench/services/configurationResolver/common/configurationResolverSchema": {
+ "JsonSchema.input.id": "A ID da entrada é usada para associar uma entrada a uma variável no formato ${input:id}.",
+ "JsonSchema.input.type": "O tipo de prompt de entrada do usuário a ser usado.",
+ "JsonSchema.input.description": "A descrição é mostrada quando o usuário é solicitado a inserir uma entrada.",
+ "JsonSchema.input.default": "O valor padrão da entrada.",
+ "JsonSchema.inputs": "Entradas do usuário. Usado para definir prompts de entrada do usuário, como entrada de cadeia de caracteres livre ou uma escolha de várias opções.",
+ "JsonSchema.input.type.promptString": "O tipo 'promptString' abre uma caixa de entrada para solicitar a entrada do usuário.",
+ "JsonSchema.input.password": "Controla se uma entrada de senha é mostrada. A entrada de senha oculta o texto digitado.",
+ "JsonSchema.input.type.pickString": "O tipo 'pickString' mostra uma lista de seleção.",
+ "JsonSchema.input.options": "Uma matriz de cadeias de caracteres que define as opções para uma escolha rápida.",
+ "JsonSchema.input.pickString.optionLabel": "Rótulo para a opção.",
+ "JsonSchema.input.pickString.optionValue": "O valor para a opção.",
+ "JsonSchema.input.type.command": "O tipo 'command' executa um comando.",
+ "JsonSchema.input.command.command": "O comando a ser executado para esta variável de entrada.",
+ "JsonSchema.input.command.args": "Argumentos opcionais passados para o comando."
+ },
+ "vs/workbench/services/decorations/browser/decorationsService": {
+ "bubbleTitle": "Contém itens enfatizados"
+ },
+ "vs/workbench/services/dialogs/browser/abstractFileDialogService": {
+ "saveChangesDetail": "Suas alterações serão perdidas se você não as salvar.",
+ "saveChangesMessage": "Deseja salvar as alterações feitas em {0}?",
+ "saveChangesMessages": "Deseja salvar as alterações nos seguintes {0} arquivos?",
+ "saveAll": "&&Salvar Tudo",
+ "save": "&&Salvar",
+ "dontSave": "N&&ão Salvar",
+ "cancel": "Cancelar",
+ "openFileOrFolder.title": "Abrir Arquivo ou Pasta",
+ "openFile.title": "Abrir o Arquivo",
+ "openFolder.title": "Abrir a Pasta",
+ "openWorkspace.title": "Abrir o Workspace",
+ "filterName.workspace": "Workspace",
+ "saveFileAs.title": "Salvar como",
+ "saveAsTitle": "Salvar como",
+ "allFiles": "Todos os Arquivos",
+ "noExt": "Sem Extensão"
+ },
+ "vs/workbench/services/dialogs/browser/simpleFileDialog": {
+ "openLocalFile": "Abrir Arquivo Local...",
+ "saveLocalFile": "Salvar Arquivo Local...",
+ "openLocalFolder": "Abrir Pasta Local...",
+ "openLocalFileFolder": "Abrir Local...",
+ "remoteFileDialog.notConnectedToRemote": "O provedor do sistema de arquivos para {0} não está disponível.",
+ "remoteFileDialog.local": "Mostrar Local",
+ "remoteFileDialog.badPath": "O caminho não existe.",
+ "remoteFileDialog.cancel": "Cancelar",
+ "remoteFileDialog.invalidPath": "Insira um caminho válido.",
+ "remoteFileDialog.validateFolder": "A pasta já existe. Use um novo nome de arquivo.",
+ "remoteFileDialog.validateExisting": "{0} já existe. Tem certeza de que deseja substituí-lo?",
+ "remoteFileDialog.validateBadFilename": "Insira um nome de arquivo válido.",
+ "remoteFileDialog.validateNonexistentDir": "Insira um caminho que exista.",
+ "remoteFileDialog.windowsDriveLetter": "Inicie o caminho com uma letra da unidade.",
+ "remoteFileDialog.validateFileOnly": "Selecione um arquivo.",
+ "remoteFileDialog.validateFolderOnly": "Selecione uma pasta."
+ },
+ "vs/workbench/services/editor/browser/editorService": {
+ "editorAssociations.viewType.sourceDescription": "Origem: {0}"
+ },
+ "vs/workbench/services/editor/common/editorOpenWith": {
+ "promptOpenWith.currentlyActive": "Ativo no Momento",
+ "promptOpenWith.setDefaultTooltip": "Definir como editor padrão para arquivos '{0}'",
+ "promptOpenWith.placeHolder": "Selecionar editor para '{0}'",
+ "builtinProviderDisplayName": "Interno",
+ "promptOpenWith.defaultEditor.displayName": "Editor de Texto",
+ "editor.editorAssociations": "Configure qual editor usar para tipos de arquivo específicos.",
+ "editor.editorAssociations.viewType": "A ID exclusiva do editor a ser usado.",
+ "editor.editorAssociations.filenamePattern": "Padrão glob que especifica quais arquivos devem ser usados pelo editor."
+ },
+ "vs/workbench/services/extensionManagement/electron-browser/extensionManagementServerService": {
+ "local": "Local",
+ "remote": "Remoto"
+ },
+ "vs/workbench/services/extensionManagement/electron-sandbox/remoteExtensionManagementService": {
+ "incompatible": "Não é possível instalar a extensão ' {0} ', pois não é compatível com o VS Code '{1} '."
+ },
+ "vs/workbench/services/extensionManagement/common/webExtensionsScannerService": {
+ "cannot be installed": "Não é possível instalar '{0}' porque essa extensão não é uma extensão da Web."
+ },
+ "vs/workbench/services/extensionManagement/browser/extensionEnablementService": {
+ "extensionsDisabled": "Todas as extensões instaladas estão temporariamente desabilitadas.",
+ "Reload": "Recarregar e Habilitar as Extensões",
+ "cannot disable language pack extension": "Não é possível desabilitar a extensão {0} porque ela contribui com pacotes de idiomas.",
+ "cannot disable auth extension": "Não é possível desabilitar a extensão {0} porque a Sincronização das Configurações depende dela.",
+ "noWorkspace": "Nenhum workspace.",
+ "cannot disable auth extension in workspace": "Não é possível desabilitar a extensão {0} no workspace porque ela contribui com provedores de autenticação"
+ },
+ "vs/workbench/services/extensionManagement/common/extensionManagementService": {
+ "singleDependentError": "Não é possível desinstalar a extensão '{0}'. A extensão '{1}' depende disso.",
+ "twoDependentsError": "Não é possível desinstalar a extensão '{0}'. As extensões '{1}' e '{2}' dependem disso.",
+ "multipleDependentsError": "Não é possível desinstalar a extensão '{0}'. As extensões '{1}', '{2}' e outras dependem disso.",
+ "Manifest is not found": "Falha ao instalar a Extensão {0}: o manifesto não foi encontrado.",
+ "cannot be installed": "Não é possível instalar '{0}' porque essa extensão definiu que ela não pode ser executada no servidor remoto.",
+ "cannot be installed on web": "Não é possível instalar '{0}' porque essa extensão definiu que ela não pode ser executada no servidor Web.",
+ "install extension": "Instalar a Extensão",
+ "install extensions": "Instalar as Extensões",
+ "install": "Instalar",
+ "install and do no sync": "Instalar (Não sincronizar)",
+ "cancel": "Cancelar",
+ "install single extension": "Deseja instalar a extensão '{0}' e sincronizá-la com seus dispositivos?",
+ "install multiple extensions": "Deseja instalar as extensões e sincronizá-las com seus dispositivos?"
+ },
+ "vs/workbench/services/extensionManagement/browser/extensionBisect": {
+ "bisect": "A Bifurcação de Extensão está ativa e desabilitou {0} extensões. Verifique se você ainda pode reproduzir o problema e continue selecionando uma destas opções.",
+ "title.start": "Iniciar a Bifurcação de Extensão",
+ "help": "Ajuda",
+ "msg.start": "Bifurcação de Extensão",
+ "detail.start": "A Bifurcação de Extensão usará a pesquisa binária para encontrar uma extensão que está causando um problema. Durante o processo, a janela é recarregada repetidamente (~{0} vezes). Você sempre precisa confirmar se ainda está com problemas.",
+ "msg2": "Iniciar a Bifurcação de Extensão",
+ "title.isBad": "Continuar a Bifurcação de Extensão",
+ "done.msg": "Bifurcação de Extensão",
+ "done.detail2": "A Bifurcação de Extensão foi concluída, mas não foi identificada nenhuma extensão. Isso pode ser um problema com {0}.",
+ "report": "Relatar o Problema e Continuar",
+ "done": "Continuar",
+ "done.detail": "A Bifurcação de Extensão está concluída e identificou {0} como a extensão que está causando o problema.",
+ "done.disbale": "Manter esta extensão desabilitada",
+ "msg.next": "Bifurcação de Extensão",
+ "next.good": "Agora está bom",
+ "next.bad": "Isto está ruim",
+ "next.stop": "Parar a Bifurcação",
+ "next.cancel": "Cancelar",
+ "title.stop": "Parar a Bifurcação de Extensão"
+ },
+ "vs/workbench/services/extensionRecommendations/common/workspaceExtensionsConfig": {
+ "select for remove": "Remover a recomendação de extensão de",
+ "select for add": "Adicionar a recomendação de extensão a",
+ "workspace folder": "Pasta do Workspace",
+ "workspace": "Workspace"
+ },
+ "vs/workbench/services/extensions/electron-browser/extensionService": {
+ "extensionService.versionMismatchCrash": "O host de extensão não pode iniciar: incompatibilidade de versão.",
+ "relaunch": "Reiniciar VS Code",
+ "extensionService.crash": "O host de extensão terminou inesperadamente.",
+ "devTools": "Abrir Ferramentas para Desenvolvedores",
+ "restart": "Reiniciar Host de Extensão",
+ "getEnvironmentFailure": "Não foi possível buscar o ambiente remoto",
+ "looping": "As seguintes extensões contêm loops de dependência e foram desabilitadas: {0}",
+ "enableResolver": "A extensão '{0}' é necessária para abrir a janela remota.\r\nOK para habilitar?",
+ "enable": "Habilitar e Recarregar",
+ "installResolver": "A extensão '{0}' é necessária para abrir a janela remota.\r\nDeseja instalar a extensão?",
+ "install": "Instalar e Recarregar",
+ "resolverExtensionNotFound": "`{0}` não encontrado no marketplace",
+ "restartExtensionHost": "Reiniciar Host de Extensão"
+ },
+ "vs/workbench/services/extensions/electron-browser/cachedExtensionScanner": {
+ "overwritingExtension": "Substituindo a extensão {0} por {1}.",
+ "extensionUnderDevelopment": "Carregando a extensão de desenvolvimento em {0}",
+ "extensionCache.invalid": "As extensões foram modificadas no disco. Recarregue a janela.",
+ "reloadWindow": "Recarregar a Janela"
+ },
+ "vs/workbench/services/extensions/electron-browser/localProcessExtensionHost": {
+ "extensionHost.startupFailDebug": "O host de extensão não foi iniciado em 10 segundos. Ele pode ter sido interrompido na primeira linha e precisa de um depurador para continuar.",
+ "extensionHost.startupFail": "O host de extensão não foi iniciado em 10 segundos, isso pode ser um problema.",
+ "reloadWindow": "Recarregar a Janela",
+ "extension host Log": "Host de Extensão",
+ "extensionHost.error": "Erro do host de extensão: {0}"
+ },
+ "vs/workbench/services/extensions/common/abstractExtensionService": {
+ "looping": "As seguintes extensões contêm laços de dependência e foram desabilitadas: {0}"
+ },
+ "vs/workbench/services/extensions/common/remoteExtensionHost": {
+ "remote extension host Log": "Host de Extensão Remota"
+ },
+ "vs/workbench/services/extensions/browser/webWorkerExtensionHost": {
+ "name": "Host de Extensão de Trabalho"
+ },
+ "vs/workbench/services/extensions/browser/extensionUrlHandler": {
+ "confirmUrl": "Permitir que uma extensão abra este URI?",
+ "rememberConfirmUrl": "Não perguntar novamente para esta extensão.",
+ "open": "&&Abrir",
+ "reloadAndHandle": "A extensão '{0}' não está carregada. Deseja recarregar a janela para carregar a extensão e abrir a URL?",
+ "reloadAndOpen": "&&Recarregar a Janela e Abrir",
+ "enableAndHandle": "A extensão '{0}' está desabilitada. Deseja habilitar a extensão e recarregar a janela para abrir a URL?",
+ "enableAndReload": "&&Habilitar e Abrir",
+ "installAndHandle": "A extensão '{0}' não está instalada. Deseja instalar a extensão e recarregar a janela para abrir esta URL?",
+ "install": "&&Instalar",
+ "Installing": "Instalando a Extensão '{0}'...",
+ "reload": "Deseja recarregar a janela e abrir a URL '{0}'?",
+ "Reload": "Recarregar Janela e Abrir",
+ "manage": "Gerenciar URIs de Extensões Autorizadas...",
+ "extensions": "Extensões",
+ "no": "No momento, não há URIs de extensão autorizados."
+ },
+ "vs/workbench/services/extensions/common/extensionsRegistry": {
+ "ui": "Tipo de extensão da interface do usuário. Em uma janela remota, essas extensões são habilitadas somente quando disponíveis no computador local.",
+ "workspace": "Tipo de extensão do Workspace. Em uma janela remota, essas extensões são habilitadas somente quando disponíveis no repositório remoto.",
+ "web": "Tipo de extensão do web worker. Essa extensão pode ser executada em um host de extensão de web worker.",
+ "vscode.extension.engines": "Compatibilidade do mecanismo.",
+ "vscode.extension.engines.vscode": "Para as extensões do VS Code, especifica a versão do VS Code à qual a extensão é compatível. Não pode ser *. Por exemplo: ^0.10.5 indica compatibilidade com uma versão 0.10.5 mínima do VS Code.",
+ "vscode.extension.publisher": "O editor da extensão do VS Code.",
+ "vscode.extension.displayName": "O nome de exibição para a extensão usada na galeria do VS Code.",
+ "vscode.extension.categories": "As categorias usadas pela galeria do VS Code para categorizar a extensão.",
+ "vscode.extension.category.languages.deprecated": "Use 'Programming Languages'",
+ "vscode.extension.galleryBanner": "Faixa usada no VS Code Marketplace.",
+ "vscode.extension.galleryBanner.color": "A cor do banner no cabeçalho da página do marketplace do VS Code.",
+ "vscode.extension.galleryBanner.theme": "O tema de cores para a fonte usada na faixa.",
+ "vscode.extension.contributes": "Todas as contribuições da extensão do VS Code representadas por este pacote.",
+ "vscode.extension.preview": "Define a extensão a ser sinalizada como uma Visualização no Marketplace.",
+ "vscode.extension.activationEvents": "Eventos de ativação para a extensão do VS Code.",
+ "vscode.extension.activationEvents.onLanguage": "Um evento de ativação é emitido sempre que um arquivo que é resolvido para a linguagem especificada é aberto.",
+ "vscode.extension.activationEvents.onCommand": "Um evento de ativação é emitido sempre que o comando especificado é invocado.",
+ "vscode.extension.activationEvents.onDebug": "Um evento de ativação é emitido sempre que um usuário está prestes a iniciar a depuração ou prestes a definir as configurações de depuração.",
+ "vscode.extension.activationEvents.onDebugInitialConfigurations": "Um evento de ativação é emitido sempre que é necessário criar \"launch.json\" (e todos os métodos provideDebugConfigurations precisam ser chamados).",
+ "vscode.extension.activationEvents.onDebugDynamicConfigurations": "Um evento de ativação é emitido sempre que uma lista de todas as configurações de depuração precisa ser criada (e todos os métodos provideDebugConfigurations para o escopo \"dynamic\" precisam ser chamados).",
+ "vscode.extension.activationEvents.onDebugResolve": "Um evento de ativação é emitido sempre que uma sessão de depuração com o tipo específico está prestes a ser iniciada (e um método resolveDebugConfiguration correspondente precisa ser chamado).",
+ "vscode.extension.activationEvents.onDebugAdapterProtocolTracker": "Um evento de ativação é emitido sempre que uma sessão de depuração com o tipo específico está prestes a ser iniciada e um controlador de protocolo de depuração pode ser necessário.",
+ "vscode.extension.activationEvents.workspaceContains": "Um evento de ativação é emitido sempre que uma pasta que é aberta contém pelo menos um arquivo correspondente ao padrão glob especificado.",
+ "vscode.extension.activationEvents.onStartupFinished": "Um evento de ativação foi emitido após a conclusão da inicialização (após todas as extensões ativadas `*` terminarem de ser ativadas).",
+ "vscode.extension.activationEvents.onFileSystem": "Um evento de ativação é emitido sempre que um arquivo ou pasta é acessada com o esquema especificado.",
+ "vscode.extension.activationEvents.onSearch": "Um evento de ativação é emitido sempre que uma pesquisa é iniciada na pasta com o esquema especificado.",
+ "vscode.extension.activationEvents.onView": "Um evento de ativação é emitido sempre que o modo de exibição especificado é expandido.",
+ "vscode.extension.activationEvents.onIdentity": "Um evento de ativação é emitido sempre que a identidade do usuário é especificada.",
+ "vscode.extension.activationEvents.onUri": "Um evento de ativação é emitido sempre que um URI de todo o sistema direcionado para essa extensão é aberto.",
+ "vscode.extension.activationEvents.onCustomEditor": "Um evento de ativação é emitido sempre que o editor personalizado especificado torna-se visível.",
+ "vscode.extension.activationEvents.star": "Um evento de ativação foi emitido na inicialização do VS Code. Para garantir uma ótima experiência do usuário final, use este evento de ativação em sua extensão somente quando nenhuma outra combinação de eventos de ativação funcionar em seu caso de uso.",
+ "vscode.extension.badges": "Matriz de notificações a serem exibidas na barra lateral da página de extensão do Marketplace.",
+ "vscode.extension.badges.url": "URL da imagem do selo.",
+ "vscode.extension.badges.href": "Link do selo.",
+ "vscode.extension.badges.description": "Descrição do selo.",
+ "vscode.extension.markdown": "Controla o mecanismo de renderização de Markdown usado no Marketplace. GitHub (padrão) ou padrão.",
+ "vscode.extension.qna": "Controla o link de P&R no Marketplace. Defina como Marketplace para habilitar o site de P & R padrão do Marketplace. Defina como uma cadeia de caracteres para fornecer a URL de um site de P & R personalizado. Defina como false para desabilitar P & R totalmente.",
+ "vscode.extension.extensionDependencies": "Dependências para outras extensões. O identificador de uma extensão é sempre ${publisher}.${name}. Por exemplo: vscode.csharp.",
+ "vscode.extension.contributes.extensionPack": "Um conjunto de extensões que podem ser instaladas juntas. O identificador de uma extensão é sempre ${publisher}.${name}. Por exemplo: vscode.csharp.",
+ "extensionKind": "Definir o tipo de uma extensão. As extensões `ui` são instaladas e executadas no computador local enquanto as extensões `workspace` são executadas no repositório remoto.",
+ "extensionKind.ui": "Defina uma extensão que pode ser executada somente no computador local quando conectado à janela remota.",
+ "extensionKind.workspace": "Defina uma extensão que pode ser executada somente no computador remoto quando a janela remota está conectada.",
+ "extensionKind.ui-workspace": "Defina uma extensão que pode ser executada em ambos os lados, com preferência para execução no computador local.",
+ "extensionKind.workspace-ui": "Defina uma extensão que pode ser executada em ambos os lados, com preferência para execução no computador remoto.",
+ "extensionKind.empty": "Defina uma extensão que não pode ser executada em um contexto remoto, nem no local nem no computador remoto.",
+ "vscode.extension.scripts.prepublish": "Script executado antes de o pacote ser publicado como uma extensão do VS Code.",
+ "vscode.extension.scripts.uninstall": "Desinstalar o gancho de extensão do VS Code. O script que é executado quando a extensão é totalmente desinstalada do VS Code, que é quando o VS Code é reiniciado (desligamento e início) após a extensão ser desinstalada. Somente há suporte para scripts do Node.",
+ "vscode.extension.icon": "O caminho para um ícone de pixels 128x128."
+ },
+ "vs/workbench/services/extensions/node/extensionPoints": {
+ "jsonParseInvalidType": "Arquivo de manifesto inválido {0}: não é um objeto JSON.",
+ "jsonParseFail": "Falha ao analisar {0}: [{1}, {2}] {3}.",
+ "fileReadFail": "Não é possível ler o arquivo {0}: {1}.",
+ "jsonsParseReportErrors": "Falha ao analisar {0}: {1}.",
+ "jsonInvalidFormat": "Formato {0} inválido: objeto JSON esperado.",
+ "missingNLSKey": "Não foi possível localizar a mensagem para a chave {0}.",
+ "notSemver": "A versão da extensão não é compatível com semver.",
+ "extensionDescription.empty": "Descrição da extensão vazia obtida",
+ "extensionDescription.publisher": "o editor de propriedade precisa ser do tipo `string`.",
+ "extensionDescription.name": "a propriedade `{0}` é obrigatória e deve ser do tipo `string`",
+ "extensionDescription.version": "a propriedade `{0}` é obrigatória e deve ser do tipo `string`",
+ "extensionDescription.engines": "a propriedade `{0}` é obrigatória e precisa ser do tipo `object`",
+ "extensionDescription.engines.vscode": "a propriedade `{0}` é obrigatória e deve ser do tipo `string`",
+ "extensionDescription.extensionDependencies": "a propriedade `{0}` pode ser omitida ou precisa ser do tipo `string[]`",
+ "extensionDescription.activationEvents1": "a propriedade `{0}` pode ser omitida ou precisa ser do tipo `string[]`",
+ "extensionDescription.activationEvents2": "as propriedades `{0}` e `{1}` precisam ser ambas especificadas ou ambas omitidas",
+ "extensionDescription.main1": "a propriedade `{0}` pode ser omitida ou deve ser do tipo `string`",
+ "extensionDescription.main2": "É esperado que 'main' ({0}) seja incluído na pasta da extensão ({1}). Isso pode tornar a extensão não portátil.",
+ "extensionDescription.main3": "as propriedades `{0}` e `{1}` precisam ser ambas especificadas ou ambas omitidas",
+ "extensionDescription.browser1": "a propriedade `{0}` pode ser omitida ou deve ser do tipo `string`",
+ "extensionDescription.browser2": "É esperado que `browser` ({0}) seja incluído na pasta da extensão ({1}). Isso pode tornar a extensão não portátil.",
+ "extensionDescription.browser3": "Propriedades '{0}' e '{1}' devem ser especificadas ou devem ambas ser omitidas"
+ },
+ "vs/workbench/services/extensions/common/extensionHostManager": {
+ "measureExtHostLatency": "Mediar Latência de Host da Extensão"
+ },
+ "vs/workbench/services/gettingStarted/common/gettingStartedContent": {
+ "gettingStarted.beginner.title": "Introdução",
+ "gettingStarted.beginner.description": "Conheça o novo editor",
+ "pickColorTask.description": "Modifique as cores na interface do usuário para adequá-las às suas preferências e ao ambiente de trabalho.",
+ "pickColorTask.title": "Tema de Cores",
+ "pickColorTask.button": "Localizar um Tema",
+ "findKeybindingsTask.description": "Localize atalhos de teclado para o Vim, o Sublime, o Atom e outros.",
+ "findKeybindingsTask.title": "Configurar as Associações de Teclas",
+ "findKeybindingsTask.button": "Procurar Mapas de Chave",
+ "findLanguageExtsTask.description": "Obtenha suporte para linguagens como JavaScript, Python, Java, Azure, Docker e muitas outras.",
+ "findLanguageExtsTask.title": "Idiomas e Ferramentas",
+ "findLanguageExtsTask.button": "Instalar o Suporte ao Idioma",
+ "gettingStartedOpenFolder.description": "Abra uma pasta do projeto para começar.",
+ "gettingStartedOpenFolder.title": "Abrir uma Pasta",
+ "gettingStartedOpenFolder.button": "Escolher uma Pasta",
+ "gettingStarted.intermediate.title": "Essentials",
+ "gettingStarted.intermediate.description": "Conheça recursos que você vai adorar",
+ "commandPaletteTask.description": "A maneira mais fácil de descobrir tudo que o VS Code pode fazer. Se você estiver procurando algum recurso, confira aqui primeiro.",
+ "commandPaletteTask.title": "Paleta de Comandos",
+ "commandPaletteTask.button": "Exibir Todos os Comandos",
+ "gettingStarted.advanced.title": "Dicas e Truques",
+ "gettingStarted.advanced.description": "Favoritos dos especialistas em VS Code",
+ "gettingStarted.openFolder.title": "Abrir uma Pasta",
+ "gettingStarted.openFolder.description": "Abra um projeto e comece a trabalhar",
+ "gettingStarted.playground.title": "Playground Interativo",
+ "gettingStarted.interactivePlayground.description": "Conheça os recursos essenciais do editor"
+ },
+ "vs/workbench/services/integrity/node/integrityService": {
+ "integrity.prompt": "A instalação do {0} parece estar corrompida. Reinstale-o.",
+ "integrity.moreInformation": "Mais Informações",
+ "integrity.dontShowAgain": "Não Mostrar Novamente"
+ },
+ "vs/workbench/services/keybinding/common/keybindingEditing": {
+ "errorKeybindingsFileDirty": "Não é possível gravar porque o arquivo de configuração associações de teclas está sujo. Salve-o primeiro e, em seguida, tente novamente.",
+ "parseErrors": "Não é possível gravar no arquivo de configuração de associações de teclas. Abra-o para corrigir erros/avisos no arquivo e tente novamente.",
+ "errorInvalidConfiguration": "Não é possível gravar no arquivo de configuração de associações de teclas. Ele tem um objeto que não é do tipo Matriz. Abra o arquivo para limpar e tente novamente.",
+ "emptyKeybindingsHeader": "Coloque as suas associações de teclas neste arquivo para substituir os padrões"
+ },
+ "vs/workbench/services/keybinding/browser/keybindingService": {
+ "nonempty": "esperava-se um valor não vazio.",
+ "requirestring": "a propriedade `{0}` é obrigatória e deve ser do tipo `string`",
+ "optstring": "a propriedade `{0}` pode ser omitida ou deve ser do tipo `string`",
+ "vscode.extension.contributes.keybindings.command": "Identificador do comando a ser executado quando a associação de teclas é disparada.",
+ "vscode.extension.contributes.keybindings.args": "Argumentos a serem passados para o comando a ser executado.",
+ "vscode.extension.contributes.keybindings.key": "Tecla ou sequência de teclas (teclas separadas com sinal de mais e sequências com espaço, por exemplo Ctrl + O e Ctrl + L L para pressionar simultaneamente).",
+ "vscode.extension.contributes.keybindings.mac": "Tecla ou sequência de teclas específicas do Mac.",
+ "vscode.extension.contributes.keybindings.linux": "Tecla ou sequência de teclas específica do Linux.",
+ "vscode.extension.contributes.keybindings.win": "Tecla específica ou sequência de teclas do Windows.",
+ "vscode.extension.contributes.keybindings.when": "Condição quando a tecla está ativa.",
+ "vscode.extension.contributes.keybindings": "Contribui com associações de teclas.",
+ "invalid.keybindings": "`contributes.{0}` inválido: {1}",
+ "unboundCommands": "Aqui estão outros comandos disponíveis: ",
+ "keybindings.json.title": "Configuração das associações de teclas",
+ "keybindings.json.key": "Tecla ou sequência de teclas (separadas por espaço)",
+ "keybindings.json.command": "Nome do comando a ser executado",
+ "keybindings.json.when": "Condição quando a tecla está ativa.",
+ "keybindings.json.args": "Argumentos a serem passados para o comando a ser executado.",
+ "keyboardConfigurationTitle": "Teclado",
+ "dispatch": "Controla a lógica de expedição para pressionamentos de tecla para usar `code` (recomendado) ou `keyCode`."
+ },
+ "vs/workbench/services/label/common/labelService": {
+ "vscode.extension.contributes.resourceLabelFormatters": "Contribui com regras de formatação de rótulo de recurso.",
+ "vscode.extension.contributes.resourceLabelFormatters.scheme": "Esquema de URI no qual corresponder o formatador. Por exemplo, \"file\". Os padrões glob simples têm suporte.",
+ "vscode.extension.contributes.resourceLabelFormatters.authority": "Autoridade URI na qual corresponder o formatador. Os padrões glob simples têm suporte.",
+ "vscode.extension.contributes.resourceLabelFormatters.formatting": "Regras para formatar rótulos de recursos de uri.",
+ "vscode.extension.contributes.resourceLabelFormatters.label": "Regras de rótulo para exibir. Por exemplo, myLabel:/${path}. ${path}, ${scheme} e ${authority} têm suporte como variáveis.",
+ "vscode.extension.contributes.resourceLabelFormatters.separator": "Separador a ser usado na exibição do rótulo de uri. '/' ou '' como exemplo.",
+ "vscode.extension.contributes.resourceLabelFormatters.stripPathStartingSeparator": "Controla se as substituições `${path}` devem ter caracteres de separadores iniciais retirados.",
+ "vscode.extension.contributes.resourceLabelFormatters.tildify": "Controla se o início do rótulo de URI deve ser transformado em til quando possível.",
+ "vscode.extension.contributes.resourceLabelFormatters.formatting.workspaceSuffix": "Sufixo anexado ao rótulo do workspace.",
+ "untitledWorkspace": "Sem título (Workspace)",
+ "workspaceNameVerbose": "{0} (Workspace)",
+ "workspaceName": "{0} (Workspace)"
+ },
+ "vs/workbench/services/lifecycle/electron-sandbox/lifecycleService": {
+ "errorClose": "Um erro inesperado foi gerado ao tentar fechar a janela ({0}).",
+ "errorQuit": "Um erro inesperado foi gerado ao tentar sair do aplicativo ({0}).",
+ "errorReload": "Um erro inesperado foi gerado ao tentar recarregar a janela ({0}).",
+ "errorLoad": "Um erro inesperado foi gerado ao tentar alterar o workspace da janela ({0})."
+ },
+ "vs/workbench/services/mode/common/workbenchModeService": {
+ "vscode.extension.contributes.languages": "Contribui com declarações de idioma.",
+ "vscode.extension.contributes.languages.id": "ID do idioma.",
+ "vscode.extension.contributes.languages.aliases": "Aliases de nome para a linguagem.",
+ "vscode.extension.contributes.languages.extensions": "Extensões de arquivo associadas ao idioma.",
+ "vscode.extension.contributes.languages.filenames": "Nomes de arquivo associados ao idioma.",
+ "vscode.extension.contributes.languages.filenamePatterns": "Os padrões glob do nome de arquivo associados ao idioma.",
+ "vscode.extension.contributes.languages.mimetypes": "Tipos mime associados à linguagem.",
+ "vscode.extension.contributes.languages.firstLine": "Uma expressão regular que corresponde à primeira linha de um arquivo do idioma.",
+ "vscode.extension.contributes.languages.configuration": "Um caminho relativo para um arquivo contendo opções de configuração para o idioma.",
+ "invalid": "`contributes.{0}` inválido. Uma matriz era esperada.",
+ "invalid.empty": "Valor vazio para `contributes.{0}`",
+ "require.id": "a propriedade `{0}` é obrigatória e deve ser do tipo `string`",
+ "opt.extensions": "a propriedade `{0}` pode ser omitida e precisa ser do tipo `string[]`",
+ "opt.filenames": "a propriedade `{0}` pode ser omitida e precisa ser do tipo `string[]`",
+ "opt.firstLine": "a propriedade `{0}` pode ser omitida e precisa ser do tipo `string`",
+ "opt.configuration": "a propriedade `{0}` pode ser omitida e precisa ser do tipo `string`",
+ "opt.aliases": "a propriedade `{0}` pode ser omitida e precisa ser do tipo `string[]`",
+ "opt.mimetypes": "a propriedade `{0}` pode ser omitida e precisa ser do tipo `string[]`"
+ },
+ "vs/workbench/services/notification/common/notificationService": {
+ "neverShowAgain": "Não Mostrar Novamente"
+ },
+ "vs/workbench/services/preferences/common/preferences": {
+ "userSettingsTarget": "Configurações de Usuário",
+ "workspaceSettingsTarget": "Configurações do Workspace"
+ },
+ "vs/workbench/services/preferences/browser/preferencesService": {
+ "openFolderFirst": "Abrir uma pasta primeiro para criar as configurações do workspace",
+ "emptyKeybindingsHeader": "Coloque as suas associações de teclas neste arquivo para substituir os padrões",
+ "defaultKeybindings": "Associações de Teclas Padrão",
+ "defaultSettings": "Configurações Padrão",
+ "folderSettingsName": "{0} (Configurações da Pasta)",
+ "fail.createSettings": "Não é possível criar '{0}' ({1})."
+ },
+ "vs/workbench/services/preferences/common/preferencesEditorInput": {
+ "settingsEditorName": "Configurações Padrão",
+ "keybindingsInputName": "Atalhos de Teclado",
+ "settingsEditor2InputName": "Configurações"
+ },
+ "vs/workbench/services/preferences/common/preferencesModels": {
+ "commonlyUsed": "Comumente Usado",
+ "defaultKeybindingsHeader": "Substitua as associações de teclas colocando-as em seu arquivo de associações de teclas."
+ },
+ "vs/workbench/services/preferences/common/keybindingsEditorModel": {
+ "default": "Padrão",
+ "extension": "Extensão",
+ "user": "Usuário",
+ "cat.title": "{0}: {1}",
+ "option": "opção",
+ "meta": "meta"
+ },
+ "vs/workbench/services/preferences/common/preferencesValidation": {
+ "validations.expectedNumeric": "O valor deve ser um número.",
+ "invalidTypeError": "A configuração tem um tipo inválido. É esperado {0}. Corrigir em JSON.",
+ "validations.maxLength": "O valor precisa ter {0} caracteres ou menos.",
+ "validations.minLength": "O valor precisa ter {0} caracteres ou mais.",
+ "validations.regex": "O valor precisa corresponder ao regex `{0}`.",
+ "validations.colorFormat": "Formato de cor inválido. Use #RGB, #RGBA, #RRGGBB ou #RRGGBBAA.",
+ "validations.uriEmpty": "URI esperado.",
+ "validations.uriMissing": "O URI é esperado.",
+ "validations.uriSchemeMissing": "É esperado um URI com um esquema.",
+ "validations.exclusiveMax": "O valor precisa ser estritamente menor que {0}.",
+ "validations.exclusiveMin": "O valor precisa ser estritamente maior que {0}.",
+ "validations.max": "O valor deve ser menor que ou igual a {0}.",
+ "validations.min": "O valor deve ser maior que ou igual a {0}.",
+ "validations.multipleOf": "O valor precisa ser múltiplo de {0}.",
+ "validations.expectedInteger": "O valor deve ser um número inteiro.",
+ "validations.stringArrayUniqueItems": "A matriz tem itens duplicados",
+ "validations.stringArrayMinItem": "A matriz precisa ter pelo menos {0} itens",
+ "validations.stringArrayMaxItem": "A matriz precisa ter no máximo {0} itens",
+ "validations.stringArrayItemPattern": "O valor {0} precisa corresponder ao regex {1}.",
+ "validations.stringArrayItemEnum": "O valor {0} não é um de {1}"
+ },
+ "vs/workbench/services/progress/browser/progressService": {
+ "progress.text2": "{0}: {1}",
+ "progress.title3": "[{0}] {1}: {2}",
+ "progress.title2": "[{0}]: {1}",
+ "status.progress": "Mensagem de Progresso",
+ "cancel": "Cancelar",
+ "dismiss": "Ignorar"
+ },
+ "vs/workbench/services/remote/common/abstractRemoteAgentService": {
+ "connectionError": "Falha ao conectar-se ao servidor host de extensão remota (Erro: {0})"
+ },
+ "vs/workbench/services/textfile/electron-browser/nativeTextFileService": {
+ "fileReadOnlyError": "O Arquivo é Somente Leitura"
+ },
+ "vs/workbench/services/textfile/browser/textFileService": {
+ "fileBinaryError": "O arquivo parece ser binário e não pode ser aberto como texto",
+ "confirmOverwrite": "'{0}' já existe. Deseja substituí-lo?",
+ "irreversible": "Um arquivo ou pasta com o nome '{0}' já existe na pasta '{1}'. Ao substituí-lo, o conteúdo atual será substituído.",
+ "replaceButtonLabel": "&&Substituir"
+ },
+ "vs/workbench/services/textfile/common/textFileEditorModelManager": {
+ "genericSaveError": "Falha ao salvar '{0}': {1}"
+ },
+ "vs/workbench/services/textfile/common/textFileEditorModel": {
+ "saveFileFirst": "O arquivo está sujo. Salve-o primeiro antes de reabri-lo com outra codificação."
+ },
+ "vs/workbench/services/textfile/common/textFileSaveParticipant": {
+ "saveParticipants": "Salvando '{0}'"
+ },
+ "vs/workbench/services/textMate/browser/abstractTextMateService": {
+ "alreadyDebugging": "Já está em Registrado em Log.",
+ "stop": "Interromper",
+ "progress1": "Preparando para registrar a análise de Gramática TM. Pressione Parar quando terminar.",
+ "progress2": "Registrando em log a análise da Gramática TM. Pressione Parar quando terminar.",
+ "invalid.language": "Linguagem desconhecida em `contributes.{0}.language`. Valor fornecido: {1}",
+ "invalid.scopeName": "É esperada uma cadeia de caracteres em `contributes.{0}.scopeName`. Valor fornecido: {1}",
+ "invalid.path.0": "Esperava-se uma cadeia de caracteres em `contributes.{0}.path`. Valor fornecido: {1}",
+ "invalid.injectTo": "Valor inválido em `contributes.{0}.injectTo`. Precisa ser uma matriz de nomes de escopo de idioma. Valor fornecido: {1}",
+ "invalid.embeddedLanguages": "Valor inválido em `contributes.{0}.embeddedLanguages`. Precisa ser um mapa de objeto do nome do escopo para o idioma. Valor fornecido: {1}",
+ "invalid.tokenTypes": "Valor inválido em `contributes.{0}.tokenTypes`. Precisa ser um mapa de objeto do nome do escopo para o tipo de token. Valor fornecido: {1}",
+ "invalid.path.1": "Esperava-se que `contributes.{0}.path` ({1}) fosse incluído na pasta ({2}) da extensão. Isso pode tornar a extensão não portátil.",
+ "too many characters": "A geração de tokens foi ignorada para linhas longas por motivos de desempenho. O comprimento de uma linha longa pode ser configurado por meio de `editor.maxTokenizationLineLength`.",
+ "neverAgain": "Não Mostrar Novamente"
+ },
+ "vs/workbench/services/textMate/common/TMGrammars": {
+ "vscode.extension.contributes.grammars": "Contribui com criadores de token do TextMate.",
+ "vscode.extension.contributes.grammars.language": "Identificador de linguagem com o qual essa sintaxe contribuiu.",
+ "vscode.extension.contributes.grammars.scopeName": "Nome do escopo do TextMate usado pelo arquivo tmLanguage.",
+ "vscode.extension.contributes.grammars.path": "Caminho do arquivo tmLanguage. O caminho é relativo à pasta de extensão e, normalmente, começa com './syntaxes/'.",
+ "vscode.extension.contributes.grammars.embeddedLanguages": "Um mapa do nome do escopo para ID de idioma se esta gramática contiver idiomas incorporados.",
+ "vscode.extension.contributes.grammars.tokenTypes": "Um mapa do nome do escopo para tipos de token.",
+ "vscode.extension.contributes.grammars.injectTo": "Lista de nomes de escopo de idioma para os quais essa gramática é injetada."
+ },
+ "vs/workbench/services/textMate/common/TMGrammarFactory": {
+ "no-tm-grammar": "Nenhuma Gramática TM registrada para este idioma."
+ },
+ "vs/workbench/services/themes/browser/workbenchThemeService": {
+ "error.cannotloadtheme": "Não é possível carregar {0}: {1}"
+ },
+ "vs/workbench/services/themes/common/colorExtensionPoint": {
+ "contributes.color": "Contribui com cores temáticas definidas para a extensão",
+ "contributes.color.id": "O identificador da cor temática",
+ "contributes.color.id.format": "Os identificadores precisam conter apenas letras, dígitos e pontos e não podem começar com um ponto",
+ "contributes.color.description": "A descrição da cor temática",
+ "contributes.defaults.light": "A cor padrão para temas claros. Um valor de cor em hexa (#RRGGBB[AA]) ou o identificador de uma cor temática que fornece o padrão.",
+ "contributes.defaults.dark": "A cor padrão para temas escuros. Um valor de cor em hexa (#RRGGBB[AA]) ou o identificador de uma cor temática que fornece o padrão.",
+ "contributes.defaults.highContrast": "A cor padrão para temas de alto contraste. Um valor de cor em hexa (#RRGGBB[AA]) ou o identificador de uma cor temática que fornece o padrão.",
+ "invalid.colorConfiguration": "'configuration.colors' precisa ser uma matriz",
+ "invalid.default.colorType": "{0} precisa ser um valor de cor em hexa (#RRGGBB[AA] ou #RGB[A]) ou o identificador de uma cor temática que fornece o padrão.",
+ "invalid.id": "'configuration.colors.id' precisa ser definido e não pode estar vazio",
+ "invalid.id.format": "'configuration.colors.id' precisa conter apenas letras, dígitos e pontos e não pode começar com um ponto",
+ "invalid.description": "'configuration.colors.description' precisa ser definido e não pode estar vazio",
+ "invalid.defaults": "'configuration.colors.defaults' precisa ser definido e precisa conter 'light', 'dark' e 'highContrast'"
+ },
+ "vs/workbench/services/themes/common/tokenClassificationExtensionPoint": {
+ "contributes.semanticTokenTypes": "Contribui com tipos de token semânticos.",
+ "contributes.semanticTokenTypes.id": "O identificador do tipo de token semântico",
+ "contributes.semanticTokenTypes.id.format": "Os identificadores devem estar no formato letterOrDigit[_-letterOrDigit]*",
+ "contributes.semanticTokenTypes.superType": "O supertipo do tipo de token semântico",
+ "contributes.semanticTokenTypes.superType.format": "Os supertipos devem estar no formato letterOrDigit[_-letterOrDigit]*",
+ "contributes.color.description": "A descrição do tipo de token semântico",
+ "contributes.semanticTokenModifiers": "Contribui com modificadores de token semântico.",
+ "contributes.semanticTokenModifiers.id": "O identificador do modificador de token semântico",
+ "contributes.semanticTokenModifiers.id.format": "Os identificadores devem estar no formato letterOrDigit[_-letterOrDigit]*",
+ "contributes.semanticTokenModifiers.description": "A descrição do modificador de token semântico",
+ "contributes.semanticTokenScopes": "Contribui com mapas de escopo de token semântico.",
+ "contributes.semanticTokenScopes.languages": "Lista os idiomas para os quais os padrões são.",
+ "contributes.semanticTokenScopes.scopes": "Mapeia um token semântico (descrito pelo seletor de token semântico) para um ou mais escopos textMate usados para representar esse token.",
+ "invalid.id": "'configuration.{0}.id' precisa ser definido e não pode estar vazio",
+ "invalid.id.format": "'configuration.{0}.id' precisa seguir o padrão letterOrDigit[-_letterOrDigit]*",
+ "invalid.superType.format": "'configuration.{0}.superType' precisa seguir o padrão letterOrDigit[-_letterOrDigit]*",
+ "invalid.description": "'configuration.{0}.description' precisa ser definido e não pode estar vazio",
+ "invalid.semanticTokenTypeConfiguration": "'configuration.semanticTokenType' precisa ser uma matriz",
+ "invalid.semanticTokenModifierConfiguration": "'configuration.semanticTokenModifier' precisa ser uma matriz",
+ "invalid.semanticTokenScopes.configuration": "'configuration.semanticTokenScopes' precisa ser uma matriz",
+ "invalid.semanticTokenScopes.language": "'configuration.semanticTokenScopes.language' precisa ser uma cadeia de caracteres",
+ "invalid.semanticTokenScopes.scopes": "'configuration.semanticTokenScopes.scopes' precisa ser definido como um objeto",
+ "invalid.semanticTokenScopes.scopes.value": "Os valores 'configuration.semanticTokenScopes.scopes' precisam ser uma matriz de cadeias de caracteres",
+ "invalid.semanticTokenScopes.scopes.selector": "configuration.semanticTokenScopes.scopes': problemas ao analisar o seletor {0}."
+ },
+ "vs/workbench/services/themes/common/colorThemeData": {
+ "error.cannotparsejson": "Problemas ao analisar o arquivo de tema JSON: {0}",
+ "error.invalidformat": "Formato inválido para o arquivo de tema JSON: objeto esperado.",
+ "error.invalidformat.colors": "Problema ao analisar o arquivo de tema de cores: {0}. A propriedade 'colors' não é do tipo 'object'.",
+ "error.invalidformat.tokenColors": "Problema ao analisar o arquivo de tema de cores: {0}. A propriedade 'tokenColors' deve ser uma matriz especificando cores ou um caminho para um arquivo de tema TextMate",
+ "error.invalidformat.semanticTokenColors": "Problema ao analisar o arquivo de tema de cores: {0}. A propriedade 'semanticTokenColors' contém um seletor inválido",
+ "error.plist.invalidformat": "Problema ao analisar o arquivo tmTheme: {0}. 'settings' não é matriz.",
+ "error.cannotparse": "Problemas ao analisar o arquivo tmTheme: {0}",
+ "error.cannotload": "Problemas ao carregar o arquivo tmTheme {0}: {1}"
+ },
+ "vs/workbench/services/themes/common/fileIconThemeSchema": {
+ "schema.folderExpanded": "O ícone de pasta para pastas expandidas. O ícone de pasta expandida é opcional. Se não estiver definido, o ícone definido para a pasta será exibido.",
+ "schema.folder": "O ícone da pasta para pastas recolhidas e, se folderExpanded não estiver definido, também para pastas expandidas.",
+ "schema.file": "O ícone de arquivo padrão, mostrado para todos os arquivos que não correspondem a uma extensão, nome de arquivo ou ID de idioma.",
+ "schema.folderNames": "Associa nomes de pastas a ícones. A chave de objeto é o nome da pasta, não incluindo nenhum segmento de caminho. Não são permitidos padrões ou curingas. A correspondência de nome de pasta não diferencia maiúsculas de minúsculas.",
+ "schema.folderName": "A ID da definição do ícone para a associação.",
+ "schema.folderNamesExpanded": "Associa nomes de pasta a ícones para pastas expandidas. A chave de objeto é o nome da pasta, não incluindo nenhum segmento de caminho. Não são permitidos padrões ou curingas. A correspondência de nome de pasta não diferencia maiúsculas de minúsculas.",
+ "schema.folderNameExpanded": "A ID da definição do ícone para a associação.",
+ "schema.fileExtensions": "Associa extensões de arquivo a ícones. A chave de objeto é o nome da extensão de arquivo. O nome da extensão é o último segmento de um nome de arquivo após o último ponto (não incluindo o ponto). As extensões são comparadas e não diferenciam maiúsculas de minúsculas.",
+ "schema.fileExtension": "A ID da definição do ícone para a associação.",
+ "schema.fileNames": "Associa nomes de arquivo a ícones. A chave de objeto é o nome de arquivo completo, mas não inclui nenhum segmento de caminho. O nome do arquivo pode incluir pontos e uma possível extensão de arquivo. Não são permitidos padrões ou curingas. A correspondência de nome de arquivo não diferencia maiúsculas de minúsculas.",
+ "schema.fileName": "A ID da definição do ícone para a associação.",
+ "schema.languageIds": "Associa idiomas a ícones. A chave de objeto é a ID de idioma definida no ponto de contribuição de idioma.",
+ "schema.languageId": "A ID da definição do ícone para a associação.",
+ "schema.fonts": "Fontes usadas nas definições de ícone.",
+ "schema.id": "A ID da fonte.",
+ "schema.id.formatError": "A ID precisa conter apenas letras, números, sublinhados e menos.",
+ "schema.src": "A localização da fonte.",
+ "schema.font-path": "O caminho da fonte, relativo ao arquivo de tema do ícone do arquivo atual.",
+ "schema.font-format": "O formato da fonte.",
+ "schema.font-weight": "A espessura da fonte. Confira https://developer.mozilla.org/en-US/docs/Web/CSS/font-weight para obter os valores válidos.",
+ "schema.font-style": "O estilo da fonte. Confira https://developer.mozilla.org/en-US/docs/Web/CSS/font-style para obter os valores válidos.",
+ "schema.font-size": "O tamanho padrão da fonte. Confira https://developer.mozilla.org/en-US/docs/Web/CSS/font-size para obter os valores válidos.",
+ "schema.iconDefinitions": "Descrição de todos os ícones que podem ser usados ao associar arquivos a ícones.",
+ "schema.iconDefinition": "Uma definição de ícone. A chave de objeto é a ID da definição.",
+ "schema.iconPath": "Ao usar um SVG ou um PNG: o caminho para a imagem. O caminho é relativo ao arquivo de conjunto de ícones.",
+ "schema.fontCharacter": "Ao usar uma fonte de glifo: o caractere na fonte a ser usada.",
+ "schema.fontColor": "Ao usar uma fonte de glifo: a cor a ser usada.",
+ "schema.fontSize": "Ao usar uma fonte: o tamanho da fonte em percentual para a fonte do texto. Se não definido, o padrão será o tamanho na definição de fonte.",
+ "schema.fontId": "Ao usar uma fonte: a ID da fonte. Se não for definido, o padrão será a primeira definição de fonte.",
+ "schema.light": "Associações opcionais para ícones de arquivo em temas de cor clara.",
+ "schema.highContrast": "Associações opcionais para ícones de arquivo em temas de cor de alto contraste.",
+ "schema.hidesExplorerArrows": "Configura se as setas do explorador de arquivos devem ser ocultadas quando este tema está ativo."
+ },
+ "vs/workbench/services/themes/browser/fileIconThemeData": {
+ "error.cannotparseicontheme": "Problemas ao analisar o arquivo de ícones de arquivo: {0}",
+ "error.invalidformat": "Formato inválido para arquivo de tema dos ícones de arquivo: objeto esperado."
+ },
+ "vs/workbench/services/themes/common/colorThemeSchema": {
+ "schema.token.settings": "Cores e estilos para o token.",
+ "schema.token.foreground": "Cor de primeiro plano para o token.",
+ "schema.token.background.warning": "No momento, não há suporte para cores da tela de fundo de token.",
+ "schema.token.fontStyle": "Estilo da fonte da regra: 'italic', 'bold' ou 'underline' ou uma combinação. A cadeia de caracteres vazia remove a definição das configurações herdadas.",
+ "schema.fontStyle.error": "O estilo da fonte precisa ser 'italic', 'bold' ou 'underline', uma combinação deles ou uma cadeia de caracteres vazia.",
+ "schema.token.fontStyle.none": "Nenhum (limpar o estilo herdado)",
+ "schema.properties.name": "Descrição da regra.",
+ "schema.properties.scope": "Seletor de escopo ao qual esta regra corresponde.",
+ "schema.workbenchColors": "Cores no workbench",
+ "schema.tokenColors.path": "Caminho para um arquivo tmTheme (relativo ao arquivo atual).",
+ "schema.colors": "Cores para realce de sintaxe",
+ "schema.supportsSemanticHighlighting": "Se o realce de semântica deve ser habilitado para este tema.",
+ "schema.semanticTokenColors": "Cores para tokens semânticos"
+ },
+ "vs/workbench/services/themes/common/themeExtensionPoints": {
+ "vscode.extension.contributes.themes": "Contribui com temas de cor do TextMate.",
+ "vscode.extension.contributes.themes.id": "ID do tema da cor conforme usada nas configurações do usuário.",
+ "vscode.extension.contributes.themes.label": "Rótulo do tema de cores conforme mostrado na interface do usuário.",
+ "vscode.extension.contributes.themes.uiTheme": "Tema base que define as cores em torno do editor: 'vs' é o tema de cor clara, 'vs-dark' é o tema de cor escura. 'hc-black' é o tema de alto contraste escuro.",
+ "vscode.extension.contributes.themes.path": "Caminho do arquivo tmTheme. O caminho é relativo à pasta de extensão e, normalmente, é './colorthemes/awesome-color-theme.json'.",
+ "vscode.extension.contributes.iconThemes": "Contribui com temas do ícone de arquivo.",
+ "vscode.extension.contributes.iconThemes.id": "ID do tema do ícone do arquivo conforme usado nas configurações do usuário.",
+ "vscode.extension.contributes.iconThemes.label": "Rótulo do tema do ícone de arquivo conforme mostrado na interface do usuário.",
+ "vscode.extension.contributes.iconThemes.path": "Caminho do arquivo de definição de tema do ícone de arquivo. O caminho é relativo à pasta de extensão e, em geral, é ''./fileicons/awesome-icon-theme.json'.",
+ "vscode.extension.contributes.productIconThemes": "Contribui com temas do ícone do produto.",
+ "vscode.extension.contributes.productIconThemes.id": "ID do tema do ícone do produto conforme usada nas configurações do usuário.",
+ "vscode.extension.contributes.productIconThemes.label": "Rótulo do tema do ícone do produto conforme mostrado na interface do usuário.",
+ "vscode.extension.contributes.productIconThemes.path": "Caminho do arquivo de definição do tema do ícone do produto. O caminho é relativo à pasta de extensão e, em geral, é './producticons/awesome-product-icon-theme.json'.",
+ "reqarray": "O ponto de extensão '{0}' precisa ser uma matriz.",
+ "reqpath": "Esperava-se uma cadeia de caracteres em `contributes.{0}.path`. Valor fornecido: {1}",
+ "reqid": "Esperava-se uma cadeia de caracteres em `contribute.{0}.id`. Valor fornecido: {1}",
+ "invalid.path.1": "Esperava-se que `contributes.{0}.path` ({1}) fosse incluído na pasta ({2}) da extensão. Isso pode tornar a extensão não portátil."
+ },
+ "vs/workbench/services/themes/common/themeConfiguration": {
+ "colorTheme": "Especifica o tema de cores usado no workbench.",
+ "colorThemeError": "O tema é desconhecido ou não está instalado.",
+ "preferredDarkColorTheme": "Especifica o tema de cores preferencial para a aparência escura do sistema operacional quando '{0}' está habilitado.",
+ "preferredLightColorTheme": "Especifica o tema de cores preferencial para a aparência clara do sistema operacional quando `#{0}#` está habilitado.",
+ "preferredHCColorTheme": "Especifica o tema de cor preferencial usado no modo de alto contraste quando '{0}' está habilitado.",
+ "detectColorScheme": "Se definido, alterna automaticamente para o tema de cor preferencial com base na aparência do sistema operacional.",
+ "workbenchColors": "Substitui cores do tema de cores selecionado no momento.",
+ "iconTheme": "Especifica o tema do ícone de arquivo usado no workbench ou 'null' para não mostrar ícones de arquivo.",
+ "noIconThemeLabel": "Nenhum",
+ "noIconThemeDesc": "Nenhum ícone de arquivo",
+ "iconThemeError": "O tema do ícone de arquivo é desconhecido ou não está instalado.",
+ "productIconTheme": "Especifica o tema do ícone do produto usado.",
+ "defaultProductIconThemeLabel": "Padrão",
+ "defaultProductIconThemeDesc": "Padrão",
+ "productIconThemeError": "O tema do ícone do produto é desconhecido ou não está instalado.",
+ "autoDetectHighContrast": "Se habilitado, mudará automaticamente para o tema de alto contraste se o sistema operacional estiver utilizando um tema de alto contraste.",
+ "editorColors.comments": "Define as cores e os estilos para comentários",
+ "editorColors.strings": "Define as cores e os estilos para literais de cadeias de caracteres.",
+ "editorColors.keywords": "Define as cores e os estilos das palavras-chave.",
+ "editorColors.numbers": "Define as cores e os estilos para literais de número.",
+ "editorColors.types": "Define as cores e os estilos para declarações e referências de tipo.",
+ "editorColors.functions": "Define as cores e os estilos para declarações e referências de funções.",
+ "editorColors.variables": "Define as cores e os estilos para declarações e referências de variáveis.",
+ "editorColors.textMateRules": "Define cores e estilos usando regras de tema do textmate (avançado).",
+ "editorColors.semanticHighlighting": "Se o realce de semântica deve ser habilitado para este tema.",
+ "editorColors.semanticHighlighting.deprecationMessage": "Use `enabled` na configuração `editor.semanticTokenColorCustomizations`.",
+ "editorColors.semanticHighlighting.deprecationMessageMarkdown": "Nesse caso, use `enabled` na configuração `#editor.semanticTokenColorCustomizations#`.",
+ "editorColors": "Substitui o estilo da fonte e as cores de sintaxe do editor do tema de cores selecionado no momento.",
+ "editorColors.semanticHighlighting.enabled": "Se o realce de semântica está habilitado ou desabilitado para este tema",
+ "editorColors.semanticHighlighting.rules": "Regras de estilo de token semântico para este tema.",
+ "semanticTokenColors": "Substitui os estilos e a cor do token semântico do editor do tema de cores selecionado no momento.",
+ "editorColors.experimentalTokenStyling.deprecationMessage": "Use `editor.semanticTokenColorCustomizations`.",
+ "editorColors.experimentalTokenStyling.deprecationMessageMarkdown": "Nesse caso, use `#editor.semanticTokenColorCustomizations#`."
+ },
+ "vs/workbench/services/themes/browser/productIconThemeData": {
+ "error.parseicondefs": "Problemas ao processar as definições de ícones de produto em {0}:\r\n{1}",
+ "defaultTheme": "Padrão",
+ "error.cannotparseicontheme": "Problemas ao analisar o arquivo de ícones de produto: {0}",
+ "error.invalidformat": "Formato inválido para arquivo de tema de ícones de produto: objeto esperado.",
+ "error.missingProperties": "Formato inválido para arquivo de tema dos ícones de produto: precisa conter iconDefinitions e fontes.",
+ "error.fontWeight": "Espessura da fonte inválida na fonte '{0}'. Ignorando configuração.",
+ "error.fontStyle": "Estilo da fonte inválido na fonte '{0}'. Ignorando configuração.",
+ "error.fontId": "ID de fonte '{0}' ausente ou inválida. Ignorando definição de fonte.",
+ "error.icon.fontId": "Ignorando definição de ícone '{0}'. Fonte desconhecida.",
+ "error.icon.fontCharacter": "Ignorando definição de ícone '{0}'. fontCharacter desconhecido."
+ },
+ "vs/workbench/services/themes/common/productIconThemeSchema": {
+ "schema.id": "A ID da fonte.",
+ "schema.id.formatError": "A ID precisa conter apenas letras, números, sublinhado e menos.",
+ "schema.src": "A localização da fonte.",
+ "schema.font-path": "O caminho da fonte, relativo ao arquivo de tema do ícone do produto atual.",
+ "schema.font-format": "O formato da fonte.",
+ "schema.font-weight": "A espessura da fonte. Confira https://developer.mozilla.org/en-US/docs/Web/CSS/font-weight para obter os valores válidos.",
+ "schema.font-style": "O estilo da fonte. Confira https://developer.mozilla.org/en-US/docs/Web/CSS/font-style para obter os valores válidos.",
+ "schema.iconDefinitions": "Associação do nome do ícone a um caractere de fonte."
+ },
+ "vs/workbench/services/userDataSync/common/userDataSync": {
+ "settings": "Configurações",
+ "keybindings": "Atalhos de Teclado",
+ "snippets": "Snippets de Usuário",
+ "extensions": "Extensões",
+ "ui state label": "Estado da Interface do Usuário",
+ "sync category": "Sincronização de Configurações",
+ "syncViewIcon": "Ícone de exibição da exibição de sincronização de configurações."
+ },
+ "vs/workbench/services/userDataSync/browser/userDataSyncWorkbenchService": {
+ "no authentication providers": "A sincronização de configurações não pode ser ativada porque não há provedores de autenticação disponíveis.",
+ "no account": "Nenhuma conta disponível",
+ "show log": "mostrar o log",
+ "sync turned on": "{0} está ativado",
+ "sync in progress": "A Sincronização de Configurações está sendo ativada. Deseja cancelá-la?",
+ "settings sync": "Sincronização de Configurações",
+ "yes": "&&Sim",
+ "no": "&&Não",
+ "turning on": "Ativando...",
+ "syncing resource": "Sincronizando {0}...",
+ "conflicts detected": "Conflitos Detectados",
+ "merge Manually": "Mesclar Manualmente...",
+ "resolve": "Não é possível mesclar devido a conflitos. Faça a mesclagem manualmente para continuar...",
+ "merge or replace": "Mesclar ou Substituir",
+ "merge": "Mesclar",
+ "replace local": "Substituir Local",
+ "cancel": "Cancelar",
+ "first time sync detail": "Parece que a última sincronização foi de outro computador.\r\nDeseja mesclar ou substituir com seus dados na nuvem?",
+ "reset": "Isso limpará seus dados na nuvem e interromperá a sincronização em todos os dispositivos.",
+ "reset title": "Limpar",
+ "resetButton": "&&Redefinir",
+ "choose account placeholder": "Selecionar uma conta",
+ "signed in": "Entrou",
+ "last used": "Último Uso com a Sincronização",
+ "others": "Outros",
+ "sign in using account": "Entrar com {0}",
+ "successive auth failures": "A sincronização de configurações foi suspensa devido a falhas de autorização sucessivas. Entre novamente para continuar a sincronização",
+ "sign in": "Entrar"
+ },
+ "vs/workbench/services/views/browser/viewDescriptorService": {
+ "resetViewLocation": "Redefinir a Localização"
+ },
+ "vs/workbench/services/workingCopy/common/workingCopyFileOperationParticipant": {
+ "msg-create": "Executando participantes de 'File Create'... ",
+ "msg-rename": "Executando os participantes de 'File Rename'...",
+ "msg-copy": "Executando participantes de 'File Copy'...",
+ "msg-delete": "Executando participantes de 'File Delete'..."
+ },
+ "vs/workbench/services/workspaces/electron-sandbox/workspaceEditingService": {
+ "save": "Salvar",
+ "doNotSave": "Não Salvar",
+ "cancel": "Cancelar",
+ "saveWorkspaceMessage": "Você quer salvar a sua configuração de área de trabalho como um arquivo?",
+ "saveWorkspaceDetail": "Salve seu espaço de trabalho se pretende abri-lo novamente.",
+ "workspaceOpenedMessage": "Não é possível salvar o workspace '{0}'",
+ "ok": "OK",
+ "workspaceOpenedDetail": "O espaço de trabalho já está aberto em outra janela. Por favor, feche a janela primeiro e tente novamente."
+ },
+ "vs/workbench/services/workspaces/browser/abstractWorkspaceEditingService": {
+ "save": "Salvar",
+ "saveWorkspace": "Salvar Workspace",
+ "errorInvalidTaskConfiguration": "Não é possível gravar no arquivo de configuração do workspace. Abra-o para corrigir erros/avisos e tente novamente.",
+ "errorWorkspaceConfigurationFileDirty": "Não é possível gravar no arquivo de configuração do workspace porque o arquivo está sujo. Salve-o e tente novamente.",
+ "openWorkspaceConfigurationFile": "Abrir Configuração do Workspace"
+ }
+}
diff --git a/internal/vite-plugin-monaco-editor-nls/src/locale/ru.json b/internal/vite-plugin-monaco-editor-nls/src/locale/ru.json
new file mode 100644
index 0000000..acaa1dd
--- /dev/null
+++ b/internal/vite-plugin-monaco-editor-nls/src/locale/ru.json
@@ -0,0 +1,8306 @@
+{
+ "vs/base/common/date": {
+ "date.fromNow.in": "через {0}",
+ "date.fromNow.now": "сейчас",
+ "date.fromNow.seconds.singular.ago": "{0} с назад",
+ "date.fromNow.seconds.plural.ago": "{0} с назад",
+ "date.fromNow.seconds.singular": "{0} сек",
+ "date.fromNow.seconds.plural": "{0} с",
+ "date.fromNow.minutes.singular.ago": "{0} мин назад",
+ "date.fromNow.minutes.plural.ago": "{0} мин назад",
+ "date.fromNow.minutes.singular": "{0} мин",
+ "date.fromNow.minutes.plural": "{0} мин",
+ "date.fromNow.hours.singular.ago": "{0} ч назад",
+ "date.fromNow.hours.plural.ago": "{0} ч назад",
+ "date.fromNow.hours.singular": "{0} ч",
+ "date.fromNow.hours.plural": "{0} ч",
+ "date.fromNow.days.singular.ago": "{0} дн. назад",
+ "date.fromNow.days.plural.ago": "{0} дней назад",
+ "date.fromNow.days.singular": "{0} дн.",
+ "date.fromNow.days.plural": "{0} дн.",
+ "date.fromNow.weeks.singular.ago": "{0} нед. назад",
+ "date.fromNow.weeks.plural.ago": "{0} нед. назад",
+ "date.fromNow.weeks.singular": "{0} нед.",
+ "date.fromNow.weeks.plural": "{0} нед.",
+ "date.fromNow.months.singular.ago": "{0} мес. назад",
+ "date.fromNow.months.plural.ago": "{0} мес. назад",
+ "date.fromNow.months.singular": "{0} мес.",
+ "date.fromNow.months.plural": "{0} мес.",
+ "date.fromNow.years.singular.ago": "{0} год назад",
+ "date.fromNow.years.plural.ago": "{0} лет назад",
+ "date.fromNow.years.singular": "{0} г.",
+ "date.fromNow.years.plural": "{0} лет"
+ },
+ "vs/base/common/codicons": {
+ "dropDownButton": "Значок для кнопок раскрывающегося списка."
+ },
+ "vs/base/common/actions": {
+ "submenu.empty": "(пусто)"
+ },
+ "vs/base/node/processes": {
+ "TaskRunner.UNC": "Не удается выполнить команду оболочки на диске UNC."
+ },
+ "vs/base/common/errorMessage": {
+ "stackTrace.format": "{0}: {1}",
+ "nodeExceptionMessage": "Произошла системная ошибка ({0})",
+ "error.defaultMessage": "Произошла неизвестная ошибка. Подробные сведения см. в журнале.",
+ "error.moreErrors": "{0} (всего ошибок: {1})"
+ },
+ "vs/base/node/zip": {
+ "invalid file": "Ошибка при извлечении {0}. Недопустимый файл.",
+ "incompleteExtract": "Операция не завершена. Найдено {0} из {1} записей",
+ "notFound": "{0} не найдено в ZIP-архиве."
+ },
+ "vs/base/browser/ui/dialog/dialog": {
+ "ok": "OK",
+ "dialogInfoMessage": "Информация",
+ "dialogErrorMessage": "Ошибка",
+ "dialogWarningMessage": "Предупреждение.",
+ "dialogPendingMessage": "Выполняется.",
+ "dialogClose": "Закрыть диалоговое окно"
+ },
+ "vs/base/browser/ui/actionbar/actionViewItems": {
+ "titleLabel": "{0} ({1})"
+ },
+ "vs/base/browser/ui/keybindingLabel/keybindingLabel": {
+ "unbound": "свободный"
+ },
+ "vs/base/browser/ui/menu/menubar": {
+ "mAppMenu": "Меню приложений",
+ "mMore": "Еще"
+ },
+ "vs/base/browser/ui/menu/menu": {
+ "titleLabel": "{0} ({1})"
+ },
+ "vs/base/common/jsonErrorMessages": {
+ "error.invalidSymbol": "Недопустимый символ",
+ "error.invalidNumberFormat": "Недопустимый числовой формат",
+ "error.propertyNameExpected": "Требуется имя свойства",
+ "error.valueExpected": "Требуется значение",
+ "error.colonExpected": "Требуется двоеточие",
+ "error.commaExpected": "Требуется запятая",
+ "error.closeBraceExpected": "Требуется закрывающая фигурная скобка",
+ "error.closeBracketExpected": "Требуется закрывающая квадратная скобка",
+ "error.endOfFileExpected": "Ожидается конец файла"
+ },
+ "vs/base/common/keybindingLabels": {
+ "ctrlKey": "CTRL",
+ "shiftKey": "SHIFT",
+ "altKey": "ALT",
+ "windowsKey": "Windows",
+ "superKey": "Превосходно",
+ "ctrlKey.long": "CTRL",
+ "shiftKey.long": "SHIFT",
+ "altKey.long": "ALT",
+ "cmdKey.long": "Команда",
+ "windowsKey.long": "Windows",
+ "superKey.long": "Превосходно"
+ },
+ "vs/base/browser/ui/tree/abstractTree": {
+ "clear": "Сброс",
+ "disable filter on type": "Отключить фильтр по типу",
+ "enable filter on type": "Включить фильтр по типу",
+ "empty": "Элементы не найдены",
+ "found": "Сопоставлено элементов: {0} из {1}"
+ },
+ "vs/base/browser/ui/tree/treeDefaults": {
+ "collapse all": "Свернуть все"
+ },
+ "vs/base/browser/ui/toolbar/toolbar": {
+ "moreActions": "Дополнительные действия..."
+ },
+ "vs/base/browser/ui/splitview/paneview": {
+ "viewSection": "Секция {0}"
+ },
+ "vs/base/browser/ui/inputbox/inputBox": {
+ "alertErrorMessage": "Ошибка: {0}",
+ "alertWarningMessage": "Предупреждение: {0}",
+ "alertInfoMessage": "Информация: {0}"
+ },
+ "vs/base/parts/quickinput/browser/quickInput": {
+ "backButtonIcon": "Значок для кнопки \"Назад\" в диалоговом окне быстрого ввода.",
+ "quickInput.back": "Назад",
+ "quickInput.steps": "{0} / {1}",
+ "quickInputBox.ariaLabel": "Введите текст, чтобы уменьшить число результатов.",
+ "inputModeEntry": "Нажмите клавишу ВВОД, чтобы подтвердить введенные данные, или ESCAPE для отмены",
+ "inputModeEntryDescription": "{0} (нажмите клавишу ВВОД, чтобы подтвердить введенные данные, или ESCAPE для отмены)",
+ "quickInput.visibleCount": "Результаты: {0}",
+ "quickInput.countSelected": "{0} выбрано",
+ "ok": "OK",
+ "custom": "Другой",
+ "quickInput.backWithKeybinding": "Назад ({0})"
+ },
+ "vs/base/browser/ui/findinput/findInput": {
+ "defaultLabel": "входные данные"
+ },
+ "vs/base/browser/ui/findinput/replaceInput": {
+ "defaultLabel": "входные данные",
+ "label.preserveCaseCheckbox": "Сохранить регистр"
+ },
+ "vs/base/browser/ui/findinput/findInputCheckboxes": {
+ "caseDescription": "С учетом регистра",
+ "wordsDescription": "Слово целиком",
+ "regexDescription": "Использовать регулярное выражение"
+ },
+ "vs/base/parts/quickinput/browser/quickInputList": {
+ "quickInput": "Быстрый ввод"
+ },
+ "vs/base/browser/ui/selectBox/selectBoxCustom": {
+ "selectBox": "Поле выбора"
+ },
+ "vs/editor/browser/editorExtensions": {
+ "miUndo": "&&Отменить",
+ "undo": "Отменить",
+ "miRedo": "&&Повторить",
+ "redo": "Вернуть",
+ "miSelectAll": "&&Выделить все",
+ "selectAll": "Выбрать все"
+ },
+ "vs/editor/common/modes/modesRegistry": {
+ "plainText.alias": "Простой текст"
+ },
+ "vs/editor/common/config/editorOptions": {
+ "accessibilitySupport.auto": "Редактор будет определять, подключено ли средство чтения с экрана, с помощью API-интерфейсов платформы.",
+ "accessibilitySupport.on": "Редактор будет оптимизирован для использования со средством чтения с экрана в постоянном режиме. Перенос текста будет отключен.",
+ "accessibilitySupport.off": "Редактор никогда не будет оптимизироваться для использования со средством чтения с экрана.",
+ "accessibilitySupport": "Определяет, следует ли запустить редактор в режиме оптимизации для средства чтения с экрана. Если параметр включен, перенос строк будет отключен.",
+ "comments.insertSpace": "Определяет, вставляется ли пробел при комментировании.",
+ "comments.ignoreEmptyLines": "Определяет, должны ли пустые строки игнорироваться с помощью действий переключения, добавления или удаления для комментариев к строкам.",
+ "emptySelectionClipboard": "Управляет тем, копируется ли текущая строка при копировании без выделения.",
+ "find.cursorMoveOnType": "Определяет, должен ли курсор перемещаться для поиска совпадений при вводе.",
+ "find.seedSearchStringFromSelection": "Определяет, можно ли передать строку поиска в мини-приложение поиска из текста, выделенного в редакторе.",
+ "editor.find.autoFindInSelection.never": "Никогда не включать функцию \"Найти в выделении\" автоматически (по умолчанию)",
+ "editor.find.autoFindInSelection.always": "Всегда включать функцию \"Найти в выделении\" автоматически",
+ "editor.find.autoFindInSelection.multiline": "Автоматическое включение функции \"Найти в выделении\" при выборе нескольких строк содержимого.",
+ "find.autoFindInSelection": "Управляет условием автоматического включения поиска в выделенном фрагменте.",
+ "find.globalFindClipboard": "Определяет, должно ли мини-приложение поиска считывать или изменять общий буфер обмена поиска в macOS.",
+ "find.addExtraSpaceOnTop": "Определяет, должно ли мини-приложение поиска добавлять дополнительные строки в начале окна редактора. Если задано значение true, вы можете прокрутить первую строку при отображаемом мини-приложении поиска.",
+ "find.loop": "Определяет, будет ли поиск автоматически перезапускаться с начала (или с конца), если не найдено никаких других соответствий.",
+ "fontLigatures": "Включает или отключает лигатуры шрифтов (характеристики шрифта \"calt\" и \"liga\"). Измените этот параметр на строку для детального управления свойством CSS \"font-feature-settings\".",
+ "fontFeatureSettings": "Явное свойство CSS \"font-feature-settings\". Если необходимо только включить или отключить лигатуры, вместо него можно передать логическое значение.",
+ "fontLigaturesGeneral": "Настраивает лигатуры или характеристики шрифта. Можно указать логическое значение, чтобы включить или отключить лигатуры, или строку для значения свойства CSS \"font-feature-settings\".",
+ "fontSize": "Определяет размер шрифта в пикселях.",
+ "fontWeightErrorMessage": "Допускаются только ключевые слова \"normal\" или \"bold\" и числа в диапазоне от 1 до 1000.",
+ "fontWeight": "Управляет насыщенностью шрифта. Допустимые значения: ключевые слова \"normal\" или \"bold\", а также числа в диапазоне от 1 до 1000.",
+ "editor.gotoLocation.multiple.peek": "Показать предварительные результаты (по умолчанию)",
+ "editor.gotoLocation.multiple.gotoAndPeek": "Перейти к основному результату и показать быстрый редактор",
+ "editor.gotoLocation.multiple.goto": "Перейдите к основному результату и включите быструю навигацию для остальных",
+ "editor.gotoLocation.multiple.deprecated": "Этот параметр устарел. Используйте вместо него отдельные параметры, например, 'editor.editor.gotoLocation.multipleDefinitions' или 'editor.editor.gotoLocation.multipleImplementations'.",
+ "editor.editor.gotoLocation.multipleDefinitions": "Управляет поведением команды \"Перейти к определению\" при наличии нескольких целевых расположений.",
+ "editor.editor.gotoLocation.multipleTypeDefinitions": "Управляет поведением команды \"Перейти к определению типа\" при наличии нескольких целевых расположений.",
+ "editor.editor.gotoLocation.multipleDeclarations": "Управляет поведением команды \"Перейти к объявлению\" при наличии нескольких целевых расположений.",
+ "editor.editor.gotoLocation.multipleImplemenattions": "Управляет поведением команды \"Перейти к реализациям\" при наличии нескольких целевых расположений.",
+ "editor.editor.gotoLocation.multipleReferences": "Управляет поведением команды \"Перейти к ссылкам\" при наличии нескольких целевых расположений.",
+ "alternativeDefinitionCommand": "Идентификатор альтернативной команды, выполняемой в том случае, когда результатом операции \"Перейти к определению\" является текущее расположение.",
+ "alternativeTypeDefinitionCommand": "Идентификатор альтернативной команды, которая выполняется в том случае, если результатом операции \"Перейти к определению типа\" является текущее расположение.",
+ "alternativeDeclarationCommand": "Идентификатор альтернативный команды, выполняемой в том случае, когда результатом операции \"Перейти к объявлению\" является текущее расположение.",
+ "alternativeImplementationCommand": "Идентификатор альтернативный команды, выполняемой, когда результатом команды \"Перейти к реализации\" является текущее расположение.",
+ "alternativeReferenceCommand": "Идентификатор альтернативной команды, выполняемой в том случае, когда результатом выполнения операции \"Перейти к ссылке\" является текущее расположение.",
+ "hover.enabled": "Управляет тем, отображается ли наведение.",
+ "hover.delay": "Определяет время задержки в миллисекундах перед отображением наведения.",
+ "hover.sticky": "Управляет тем, должно ли наведение оставаться видимым при наведении на него курсора мыши.",
+ "codeActions": "Включает индикатор действия кода в редакторе.",
+ "lineHeight": "Управляет высотой строк. Укажите 0 для вычисления высоты строки по размеру шрифта.",
+ "minimap.enabled": "Определяет, отображается ли мини-карта.",
+ "minimap.size.proportional": "Мини-карта имеет такой же размер, что и содержимое редактора (возможна прокрутка).",
+ "minimap.size.fill": "Мини-карта будет растягиваться или сжиматься по мере необходимости, чтобы заполнить редактор по высоте (без прокрутки).",
+ "minimap.size.fit": "Миникарта будет уменьшаться по мере необходимости, чтобы никогда не быть больше, чем редактор (без прокрутки).",
+ "minimap.size": "Управляет размером миникарты.",
+ "minimap.side": "Определяет, с какой стороны будет отображаться мини-карта.",
+ "minimap.showSlider": "Определяет, когда отображается ползунок мини-карты.",
+ "minimap.scale": "Масштаб содержимого, нарисованного на мини-карте: 1, 2 или 3.",
+ "minimap.renderCharacters": "Отображает фактические символы в строке вместо цветных блоков.",
+ "minimap.maxColumn": "Ограничивает ширину мини-карты, чтобы количество отображаемых столбцов не превышало определенное количество.",
+ "padding.top": "Задает пространство между верхним краем редактора и первой строкой.",
+ "padding.bottom": "Задает пространство между нижним краем редактора и последней строкой.",
+ "parameterHints.enabled": "Включает всплывающее окно с документацией по параметру и сведениями о типе, которое отображается во время набора.",
+ "parameterHints.cycle": "Определяет, меню подсказок остается открытым или закроется при достижении конца списка.",
+ "quickSuggestions.strings": "Разрешение кратких предложений в строках.",
+ "quickSuggestions.comments": "Разрешение кратких предложений в комментариях.",
+ "quickSuggestions.other": "Разрешение кратких предложений вне строк и комментариев.",
+ "quickSuggestions": "Определяет, должны ли при вводе текста автоматически отображаться предложения.",
+ "lineNumbers.off": "Номера строк не отображаются.",
+ "lineNumbers.on": "Отображаются абсолютные номера строк.",
+ "lineNumbers.relative": "Отображаемые номера строк вычисляются как расстояние в строках до положения курсора.",
+ "lineNumbers.interval": "Номера строк отображаются каждые 10 строк.",
+ "lineNumbers": "Управляет отображением номеров строк.",
+ "rulers.size": "Число моноширинных символов, при котором будет отрисовываться линейка этого редактора.",
+ "rulers.color": "Цвет линейки этого редактора.",
+ "rulers": "Отображать вертикальные линейки после определенного числа моноширинных символов. Для отображения нескольких линеек укажите несколько значений. Если не указано ни одного значения, вертикальные линейки отображаться не будут.",
+ "suggest.insertMode.insert": "Вставить предложение без перезаписи текста справа от курсора.",
+ "suggest.insertMode.replace": "Вставить предложение и перезаписать текст справа от курсора.",
+ "suggest.insertMode": "Определяет, будут ли перезаписываться слова при принятии вариантов завершения. Обратите внимание, что это зависит от расширений, использующих эту функцию.",
+ "suggest.filterGraceful": "Управляет тем, допускаются ли небольшие опечатки в предложениях фильтрации и сортировки.",
+ "suggest.localityBonus": "Определяет, следует ли учитывать при сортировке слова, расположенные рядом с курсором.",
+ "suggest.shareSuggestSelections": "Определяет, используются ли сохраненные варианты выбора предложений совместно несколькими рабочими областями и окнами (требуется \"#editor.suggestSelection#\").",
+ "suggest.snippetsPreventQuickSuggestions": "Определяет, запрещает ли активный фрагмент кода экспресс-предложения.",
+ "suggest.showIcons": "Указывает, нужно ли отображать значки в предложениях.",
+ "suggest.showStatusBar": "Определяет видимость строки состояния в нижней части виджета предложений.",
+ "suggest.showInlineDetails": "Определяет, отображаются ли сведения о предложении встроенным образом вместе с меткой или только в мини-приложении сведений",
+ "suggest.maxVisibleSuggestions.dep": "Этот параметр является нерекомендуемым. Теперь размер мини-приложения предложений можно изменить.",
+ "deprecated": "Этот параметр устарел. Используйте вместо него отдельные параметры, например, 'editor.suggest.showKeywords' или 'editor.suggest.showSnippets'.",
+ "editor.suggest.showMethods": "Когда параметр включен, в IntelliSense отображаются предложения \"method\".",
+ "editor.suggest.showFunctions": "Когда параметр включен, в IntelliSense отображаются предложения \"function\".",
+ "editor.suggest.showConstructors": "Когда параметр включен, в IntelliSense отображаются предложения \"constructor\".",
+ "editor.suggest.showFields": "Когда параметр включен, в IntelliSense отображаются предложения \"field\".",
+ "editor.suggest.showVariables": "Когда параметр включен, в IntelliSense отображаются предложения \"variable\".",
+ "editor.suggest.showClasss": "Когда параметр включен, в IntelliSense отображаются предложения \"class\".",
+ "editor.suggest.showStructs": "Когда параметр включен, в IntelliSense отображаются предложения \"struct\".",
+ "editor.suggest.showInterfaces": "Когда параметр включен, в IntelliSense отображаются предложения \"interface\".",
+ "editor.suggest.showModules": "Когда параметр включен, в IntelliSense отображаются предложения \"module\".",
+ "editor.suggest.showPropertys": "Когда параметр включен, в IntelliSense отображаются предложения \"property\".",
+ "editor.suggest.showEvents": "Когда параметр включен, в IntelliSense отображаются предложения \"event\".",
+ "editor.suggest.showOperators": "Когда параметр включен, в IntelliSense отображаются предложения \"operator\".",
+ "editor.suggest.showUnits": "Когда параметр включен, в IntelliSense отображаются предложения \"unit\".",
+ "editor.suggest.showValues": "Когда параметр включен, в IntelliSense отображаются предложения \"value\".",
+ "editor.suggest.showConstants": "Когда параметр включен, в IntelliSense отображаются предложения \"constant\".",
+ "editor.suggest.showEnums": "Когда параметр включен, в IntelliSense отображаются предложения \"enum\".",
+ "editor.suggest.showEnumMembers": "Когда параметр включен, в IntelliSense отображаются предложения \"enumMember\".",
+ "editor.suggest.showKeywords": "Когда параметр включен, в IntelliSense отображаются предложения \"keyword\".",
+ "editor.suggest.showTexts": "Когда параметр включен, в IntelliSense отображаются предложения \"text\".",
+ "editor.suggest.showColors": "Когда параметр включен, в IntelliSense отображаются предложения \"color\".",
+ "editor.suggest.showFiles": "Когда параметр включен, в IntelliSense отображаются предложения \"file\".",
+ "editor.suggest.showReferences": "Когда параметр включен, в IntelliSense отображаются предложения \"reference\".",
+ "editor.suggest.showCustomcolors": "Когда параметр включен, в IntelliSense отображаются предложения \"customcolor\".",
+ "editor.suggest.showFolders": "Когда параметр включен, в IntelliSense отображаются предложения \"folder\".",
+ "editor.suggest.showTypeParameters": "Когда параметр включен, в IntelliSense отображаются предложения \"typeParameter\".",
+ "editor.suggest.showSnippets": "Когда параметр включен, в IntelliSense отображаются предложения \"snippet\".",
+ "editor.suggest.showUsers": "Во включенном состоянии IntelliSense показывает предложения типа \"пользователи\".",
+ "editor.suggest.showIssues": "Во включенном состоянии IntelliSense отображает предложения типа \"проблемы\".",
+ "selectLeadingAndTrailingWhitespace": "Должны ли всегда быть выбраны начальный и конечный пробелы.",
+ "acceptSuggestionOnCommitCharacter": "Определяет, будут ли предложения приниматься при вводе символов фиксации. Например, в JavaScript точка с запятой (\";\") может быть символом фиксации, при вводе которого предложение принимается.",
+ "acceptSuggestionOnEnterSmart": "Принимать предложение при нажатии клавиши ВВОД только в том случае, если оно изменяет текст.",
+ "acceptSuggestionOnEnter": "Определяет, будут ли предложения приниматься клавишей ВВОД в дополнение к клавише TAB. Это помогает избежать неоднозначности между вставкой новых строк и принятием предложений.",
+ "accessibilityPageSize": "Задает количество строк в редакторе, которые могут быть прочитаны средством чтения с экрана. Предупреждение: из-за технических ограничений это число не может превышать значение по умолчанию.",
+ "editorViewAccessibleLabel": "Содержимое редактора",
+ "editor.autoClosingBrackets.languageDefined": "Использовать конфигурации языка для автоматического закрытия скобок.",
+ "editor.autoClosingBrackets.beforeWhitespace": "Автоматически закрывать скобки только в том случае, если курсор находится слева от пробела.",
+ "autoClosingBrackets": "Определяет, должен ли редактор автоматически добавлять закрывающую скобку при вводе пользователем открывающей скобки.",
+ "editor.autoClosingOvertype.auto": "Заменять закрывающие кавычки и скобки при вводе только в том случае, если кавычки или скобки были вставлены автоматически.",
+ "autoClosingOvertype": "Определяет, должны ли в редакторе заменяться закрывающие кавычки или скобки при вводе.",
+ "editor.autoClosingQuotes.languageDefined": "Использовать конфигурации языка для автоматического закрытия кавычек.",
+ "editor.autoClosingQuotes.beforeWhitespace": "Автоматически закрывать кавычки только в том случае, если курсор находится слева от пробела.",
+ "autoClosingQuotes": "Определяет, должен ли редактор автоматически закрывать кавычки, если пользователь добавил открывающую кавычку.",
+ "editor.autoIndent.none": "Редактор не будет вставлять отступы автоматически.",
+ "editor.autoIndent.keep": "Редактор будет сохранять отступ текущей строки.",
+ "editor.autoIndent.brackets": "Редактор будет сохранять отступы текущей строки и учитывать скобки в соответствии с синтаксисом языка.",
+ "editor.autoIndent.advanced": "Редактор будет сохранять отступ текущей строки, учитывать определенные языком скобки и вызывать специальные правила onEnterRules, определяемые языками.",
+ "editor.autoIndent.full": "Редактор будет сохранять отступ текущей строки, учитывать определенные языком скобки, вызывать специальные правила onEnterRules, определяемые языками и учитывать правила отступа indentationRules, определяемые языками.",
+ "autoIndent": "Определяет, должен ли редактор автоматически изменять отступы, когда пользователи вводят, вставляют или перемещают текст или изменяют отступы строк.",
+ "editor.autoSurround.languageDefined": "Использовать конфигурации языка для автоматического обрамления выделений.",
+ "editor.autoSurround.quotes": "Обрамлять с помощью кавычек, а не скобок.",
+ "editor.autoSurround.brackets": "Обрамлять с помощью скобок, а не кавычек.",
+ "autoSurround": "Определяет, должен ли редактор автоматически обрамлять выделения при вводе кавычек или квадратных скобок.",
+ "stickyTabStops": "Эмулировать поведение выделения для символов табуляции при использовании пробелов для отступа. Выделение будет применено к позициям табуляции.",
+ "codeLens": "Определяет, отображается ли CodeLens в редакторе.",
+ "codeLensFontFamily": "Управляет семейством шрифтов для CodeLens.",
+ "codeLensFontSize": "Определяет размер шрифта в пикселях для CodeLens. Если задано значение \"0\", то используется 90% от \"#editor.fontSize#\".",
+ "colorDecorators": "Определяет, должны ли в редакторе отображаться внутренние декораторы цвета и средство выбора цвета.",
+ "columnSelection": "Включение того, что выбор с помощью клавиатуры и мыши приводит к выбору столбца.",
+ "copyWithSyntaxHighlighting": "Определяет, будет ли текст скопирован в буфер обмена с подсветкой синтаксиса.",
+ "cursorBlinking": "Управляет стилем анимации курсора.",
+ "cursorSmoothCaretAnimation": "Управляет тем, следует ли включить плавную анимацию курсора.",
+ "cursorStyle": "Управляет стилем курсора.",
+ "cursorSurroundingLines": "Определяет минимальное число видимых начальных и конечных линий, окружающих курсор. Этот параметр имеет название \"scrollOff\" или \"scrollOffset\" в некоторых других редакторах.",
+ "cursorSurroundingLinesStyle.default": "\"cursorSurroundingLines\" применяется только при запуске с помощью клавиатуры или API.",
+ "cursorSurroundingLinesStyle.all": "\"cursorSurroundingLines\" принудительно применяется во всех случаях.",
+ "cursorSurroundingLinesStyle": "Определяет, когда необходимо применять \"cursorSurroundingLines\".",
+ "cursorWidth": "Управляет шириной курсора, когда для параметра \"#editor.cursorStyle#\" установлено значение 'line'",
+ "dragAndDrop": "Определяет, следует ли редактору разрешить перемещение выделенных элементов с помощью перетаскивания.",
+ "fastScrollSensitivity": "Коэффициент увеличения скорости прокрутки при нажатии клавиши ALT.",
+ "folding": "Определяет, включено ли свертывание кода в редакторе.",
+ "foldingStrategy.auto": "Используйте стратегию свертывания для конкретного языка, если она доступна, в противном случае используйте стратегию на основе отступов.",
+ "foldingStrategy.indentation": "Используйте стратегию свертывания на основе отступов.",
+ "foldingStrategy": "Управляет стратегией для вычисления свертываемых диапазонов.",
+ "foldingHighlight": "Определяет, должен ли редактор выделять сложенные диапазоны.",
+ "unfoldOnClickAfterEndOfLine": "Определяет, будет ли щелчок пустого содержимого после свернутой строки развертывать ее.",
+ "fontFamily": "Определяет семейство шрифтов.",
+ "formatOnPaste": "Определяет, будет ли редактор автоматически форматировать вставленное содержимое. Модуль форматирования должен быть доступен и иметь возможность форматировать диапазон в документе.",
+ "formatOnType": "Управляет параметром, определяющим, должен ли редактор автоматически форматировать строку после ввода.",
+ "glyphMargin": "Управляет отображением вертикальных полей глифа в редакторе. Поля глифа в основном используются для отладки.",
+ "hideCursorInOverviewRuler": "Управляет скрытием курсора в обзорной линейке.",
+ "highlightActiveIndentGuide": "Управляет тем, должна ли выделяться активная направляющая отступа в редакторе.",
+ "letterSpacing": "Управляет интервалом между буквами в пикселях.",
+ "linkedEditing": "Определяет, включена ли поддержка связанного редактирования в редакторе. В зависимости от языка, связанные символы, например, теги HTML, обновляются при редактировании.",
+ "links": "Определяет, должен ли редактор определять ссылки и делать их доступными для щелчка.",
+ "matchBrackets": "Выделять соответствующие скобки.",
+ "mouseWheelScrollSensitivity": "Множитель, используемый для параметров deltaX и deltaY событий прокрутки колесика мыши.",
+ "mouseWheelZoom": "Изменение размера шрифта в редакторе при нажатой клавише CTRL и движении колесика мыши.",
+ "multiCursorMergeOverlapping": "Объединить несколько курсоров, когда они перекрываются.",
+ "multiCursorModifier.ctrlCmd": "Соответствует клавише CTRL в Windows и Linux и клавише COMMAND в macOS.",
+ "multiCursorModifier.alt": "Соответствует клавише ALT в Windows и Linux и клавише OPTION в macOS.",
+ "multiCursorModifier": "Модификатор, который будет использоваться для добавления нескольких курсоров с помощью мыши. Жесты мыши \"Перейти к определению\" и \"Открыть ссылку\" будут изменены так, чтобы они не конфликтовали с несколькими курсорами. [Дополнительные сведения](https://code.visualstudio.com/docs/editor/codebasics#_multicursor-modifier). ",
+ "multiCursorPaste.spread": "Каждый курсор вставляет одну строку текста.",
+ "multiCursorPaste.full": "Каждый курсор вставляет полный текст.",
+ "multiCursorPaste": "Управляет вставкой, когда число вставляемых строк соответствует числу курсоров.",
+ "occurrencesHighlight": "Определяет, должен ли редактор выделять экземпляры семантических символов.",
+ "overviewRulerBorder": "Определяет, должна ли отображаться граница на обзорной линейке.",
+ "peekWidgetDefaultFocus.tree": "Фокусировка на дереве при открытии обзора",
+ "peekWidgetDefaultFocus.editor": "Фокусировка на редакторе при открытии обзора",
+ "peekWidgetDefaultFocus": "Определяет, следует ли переключить фокус на встроенный редактор или дерево в виджете обзора.",
+ "definitionLinkOpensInPeek": "Определяет, всегда ли жест мышью для перехода к определению открывает мини-приложение быстрого редактирования.",
+ "quickSuggestionsDelay": "Управляет длительностью задержки (в мс) перед отображением кратких предложений.",
+ "renameOnType": "Определяет, выполняет ли редактор автоматическое переименование по типу.",
+ "renameOnTypeDeprecate": "Не рекомендуется; используйте вместо этого параметр \"editor.linkedEditing\".",
+ "renderControlCharacters": "Определяет, должны ли в редакторе отображаться управляющие символы.",
+ "renderIndentGuides": "Определяет, должны ли в редакторе отображаться направляющие отступа.",
+ "renderFinalNewline": "Отображение номера последней строки, когда файл заканчивается новой строкой.",
+ "renderLineHighlight.all": "Выделяет поле и текущую строку.",
+ "renderLineHighlight": "Определяет, должен ли редактор выделять текущую строку.",
+ "renderLineHighlightOnlyWhenFocus": "Определяет, должен ли редактор отрисовывать выделение текущей строки, только когда он находится в фокусе",
+ "renderWhitespace.boundary": "Отрисовка пробелов, кроме одиночных пробелов между словами.",
+ "renderWhitespace.selection": "Отображать пробелы только в выделенном тексте.",
+ "renderWhitespace.trailing": "Отображать только конечные пробелы",
+ "renderWhitespace": "Определяет, должны ли в редакторе отображаться пробелы.",
+ "roundedSelection": "Управляет тем, необходимо ли отображать скругленные углы для выделения.",
+ "scrollBeyondLastColumn": "Управляет количеством дополнительных символов, на которое содержимое редактора будет прокручиваться по горизонтали.",
+ "scrollBeyondLastLine": "Определяет, будет ли содержимое редактора прокручиваться за последнюю строку.",
+ "scrollPredominantAxis": "Прокрутка только вдоль основной оси при прокрутке по вертикали и горизонтали одновременно. Предотвращает смещение по горизонтали при прокрутке по вертикали на трекпаде.",
+ "selectionClipboard": "Контролирует, следует ли поддерживать первичный буфер обмена Linux.",
+ "selectionHighlight": "Определяет, должен ли редактор выделять совпадения, аналогичные выбранному фрагменту.",
+ "showFoldingControls.always": "Всегда показывать свертываемые элементы управления.",
+ "showFoldingControls.mouseover": "Показывать только элементы управления свертывания, когда указатель мыши находится над переплетом.",
+ "showFoldingControls": "Определяет, когда элементы управления свертывания отображаются на переплете.",
+ "showUnused": "Управляет скрытием неиспользуемого кода.",
+ "showDeprecated": "Управляет перечеркиванием устаревших переменных.",
+ "snippetSuggestions.top": "Отображать предложения фрагментов поверх других предложений.",
+ "snippetSuggestions.bottom": "Отображать предложения фрагментов под другими предложениями.",
+ "snippetSuggestions.inline": "Отображать предложения фрагментов рядом с другими предложениями.",
+ "snippetSuggestions.none": "Не отображать предложения фрагментов.",
+ "snippetSuggestions": "Управляет отображением фрагментов вместе с другими предложениями и их сортировкой.",
+ "smoothScrolling": "Определяет, будет ли использоваться анимация при прокрутке содержимого редактора",
+ "suggestFontSize": "Размер шрифта мини-приложения с предложениями. Если установить значение \"0\", будет использовано значение \"#editor.fontSize#\".",
+ "suggestLineHeight": "Высота строки мини-приложения с предложениями. Если установить значение \"0\", будет использовано значение \"#editor.lineHeight#\". Минимальное значение — 8.",
+ "suggestOnTriggerCharacters": "Определяет, должны ли при вводе триггерных символов автоматически отображаться предложения.",
+ "suggestSelection.first": "Всегда выбирать первое предложение.",
+ "suggestSelection.recentlyUsed": "Выбор недавних предложений, если только дальнейший ввод не приводит к использованию одного из них, например \"console.| -> console.log\", так как \"log\" недавно использовался для завершения.",
+ "suggestSelection.recentlyUsedByPrefix": "Выбор предложений с учетом предыдущих префиксов, использованных для завершения этих предложений, например \"co -> console\" и \"con -> const\".",
+ "suggestSelection": "Управляет предварительным выбором предложений при отображении списка предложений.",
+ "tabCompletion.on": "При использовании дополнения по TAB будет добавляться наилучшее предложение при нажатии клавиши TAB.",
+ "tabCompletion.off": "Отключить дополнение по TAB.",
+ "tabCompletion.onlySnippets": "Вставка дополнений по TAB при совпадении их префиксов. Функция работает оптимально, если параметр \"quickSuggestions\" отключен.",
+ "tabCompletion": "Включает дополнения по TAB.",
+ "unusualLineTerminators.auto": "Необычные символы завершения строки автоматически удаляются.",
+ "unusualLineTerminators.off": "Необычные символы завершения строки игнорируются.",
+ "unusualLineTerminators.prompt": "Для необычных символов завершения строки запрашивается удаление.",
+ "unusualLineTerminators": "Удалите необычные символы завершения строки, которые могут вызвать проблемы.",
+ "useTabStops": "Вставка и удаление пробелов после позиции табуляции",
+ "wordSeparators": "Символы, которые будут использоваться как разделители слов при выполнении навигации или других операций, связанных со словами.",
+ "wordWrap.off": "Строки не будут переноситься никогда.",
+ "wordWrap.on": "Строки будут переноситься по ширине окна просмотра.",
+ "wordWrap.wordWrapColumn": "Строки будут переноситься по \"#editor.wordWrapColumn#\".",
+ "wordWrap.bounded": "Строки будут перенесены по минимальному значению из двух: ширина окна просмотра и \"#editor.wordWrapColumn#\".",
+ "wordWrap": "Управляет тем, как следует переносить строки.",
+ "wordWrapColumn": "Определяет столбец переноса редактора, если значение \"#editor.wordWrap#\" — \"wordWrapColumn\" или \"bounded\".",
+ "wrappingIndent.none": "Без отступа. Перенос строк начинается со столбца 1.",
+ "wrappingIndent.same": "Перенесенные строки получат тот же отступ, что и родительская строка.",
+ "wrappingIndent.indent": "Перенесенные строки получат отступ, увеличенный на единицу по сравнению с родительской строкой. ",
+ "wrappingIndent.deepIndent": "Перенесенные строки получат отступ, увеличенный на два по сравнению с родительской строкой.",
+ "wrappingIndent": "Управляет отступом строк с переносом по словам.",
+ "wrappingStrategy.simple": "Предполагает, что все символы имеют одинаковую ширину. Это быстрый алгоритм, который работает правильно для моноширинных шрифтов и некоторых скриптов (например, латинских символов), где глифы имеют одинаковую ширину.",
+ "wrappingStrategy.advanced": "Делегирует вычисление точек переноса браузеру. Это медленный алгоритм, который может привести к зависаниям при обработке больших файлов, но работает правильно во всех случаях.",
+ "wrappingStrategy": "Управляет алгоритмом, вычисляющим точки переноса."
+ },
+ "vs/editor/common/view/editorColorRegistry": {
+ "lineHighlight": "Цвет фона для выделения строки в позиции курсора.",
+ "lineHighlightBorderBox": "Цвет фона границ вокруг строки в позиции курсора.",
+ "rangeHighlight": "Цвет фона для выделенных диапазонов, например при использовании функций Quick Open или поиска. Цвет не должен быть непрозрачным, чтобы не скрыть расположенные ниже элементы оформления.",
+ "rangeHighlightBorder": "Цвет фона обводки выделения.",
+ "symbolHighlight": "Цвет фона выделенного символа, например, в функциях \"Перейти к определению\" или \"Перейти к следующему/предыдущему символу\". Цвет должен быть прозрачным, чтобы не скрывать оформление текста под ним.",
+ "symbolHighlightBorder": "Цвет фона для границы вокруг выделенных символов.",
+ "caret": "Цвет курсора редактора.",
+ "editorCursorBackground": "Цвет фона курсора редактора. Позволяет настраивать цвет символа, перекрываемого прямоугольным курсором.",
+ "editorWhitespaces": "Цвет пробелов в редакторе.",
+ "editorIndentGuides": "Цвет направляющих для отступов редактора.",
+ "editorActiveIndentGuide": "Цвет активных направляющих для отступов редактора.",
+ "editorLineNumbers": "Цвет номеров строк редактора.",
+ "editorActiveLineNumber": "Цвет номера активной строки редактора",
+ "deprecatedEditorActiveLineNumber": "Параметр 'Id' является устаревшим. Используйте вместо него параметр 'editorLineNumber.activeForeground'.",
+ "editorRuler": "Цвет линейки редактора.",
+ "editorCodeLensForeground": "Цвет переднего плана элемента CodeLens в редакторе",
+ "editorBracketMatchBackground": "Цвет фона парных скобок",
+ "editorBracketMatchBorder": "Цвет прямоугольников парных скобок",
+ "editorOverviewRulerBorder": "Цвет границы для линейки в окне просмотра.",
+ "editorOverviewRulerBackground": "Цвет фона обзорной линейки редактора. Используется, только если мини-карта включена и размещена в правой части редактора.",
+ "editorGutter": "Цвет фона поля в редакторе. В поле размещаются отступы глифов и номера строк.",
+ "unnecessaryCodeBorder": "Цвет границы для ненужного (неиспользуемого) исходного кода в редакторе.",
+ "unnecessaryCodeOpacity": "Непрозрачность ненужного (неиспользуемого) исходного кода в редакторе. Например, \"#000000c0\" отображает код с непрозрачностью 75 %. В высококонтрастных темах для выделения ненужного кода вместо затенения используйте цвет темы \"editorUnnecessaryCode.border\".",
+ "overviewRulerRangeHighlight": "Цвет маркера обзорной линейки для выделения диапазонов. Цвет не должен быть непрозрачным, чтобы не скрыть расположенные ниже элементы оформления.",
+ "overviewRuleError": "Цвет метки линейки в окне просмотра для ошибок.",
+ "overviewRuleWarning": "Цвет метки линейки в окне просмотра для предупреждений.",
+ "overviewRuleInfo": "Цвет метки линейки в окне просмотра для информационных сообщений."
+ },
+ "vs/editor/common/model/editStack": {
+ "edit": "Ввод"
+ },
+ "vs/editor/browser/controller/coreCommands": {
+ "stickydesc": "Размещать на конце даже для более длинных строк"
+ },
+ "vs/editor/browser/widget/codeEditorWidget": {
+ "cursors.maximum": "Количество курсоров ограничено {0}."
+ },
+ "vs/editor/browser/widget/diffEditorWidget": {
+ "diffInsertIcon": "Оформление строки для вставок в редакторе несовпадений.",
+ "diffRemoveIcon": "Оформление строки для удалений в редакторе несовпадений.",
+ "diff.tooLarge": "Нельзя сравнить файлы, потому что один из файлов слишком большой."
+ },
+ "vs/editor/common/standaloneStrings": {
+ "noSelection": "Ничего не выбрано",
+ "singleSelectionRange": "Строка {0}, столбец {1} (выбрано: {2})",
+ "singleSelection": "Строка {0}, столбец {1}",
+ "multiSelectionRange": "Выделений: {0} (выделено символов: {1})",
+ "multiSelection": "Выделений: {0}",
+ "emergencyConfOn": "Теперь для параметра \"accessibilitySupport\" устанавливается значение \"вкл\".",
+ "openingDocs": "Открывается страница документации о специальных возможностях редактора.",
+ "readonlyDiffEditor": "в панели только для чтения редактора несовпадений.",
+ "editableDiffEditor": "на панели редактора несовпадений.",
+ "readonlyEditor": " в редакторе кода только для чтения",
+ "editableEditor": " в редакторе кода",
+ "changeConfigToOnMac": "Чтобы оптимизировать редактор для использования со средством чтения с экрана, нажмите COMMAND+E.",
+ "changeConfigToOnWinLinux": "Чтобы оптимизировать редактор для использования со средством чтения с экрана, нажмите CTRL+E.",
+ "auto_on": "Редактор настроен для оптимальной работы со средством чтения с экрана.",
+ "auto_off": "Редактор настроен без оптимизации для использования средства чтения с экрана, что не подходит в данной ситуации.",
+ "tabFocusModeOnMsg": "При нажатии клавиши TAB в текущем редакторе фокус ввода переместится на следующий элемент, способный его принять. Чтобы изменить это поведение, нажмите клавишу {0}.",
+ "tabFocusModeOnMsgNoKb": "При нажатии клавиши TAB в текущем редакторе фокус ввода переместится на следующий элемент, способный его принять. Команду {0} сейчас невозможно выполнить с помощью настраиваемого сочетания клавиш.",
+ "tabFocusModeOffMsg": "При нажатии клавиши TAB в текущем редакторе будет вставлен символ табуляции. Чтобы изменить это поведение, нажмите клавишу {0}.",
+ "tabFocusModeOffMsgNoKb": "При нажатии клавиши TAB в текущем редакторе будет вставлен символ табуляции. Команду {0} сейчас невозможно выполнить с помощью настраиваемого сочетания клавиш.",
+ "openDocMac": "Нажмите COMMAND+H, чтобы открыть окно браузера с дополнительной информацией о специальных возможностях редактора.",
+ "openDocWinLinux": "Нажмите CTRL+H, чтобы открыть окно браузера с дополнительной информацией о специальных возможностях редактора.",
+ "outroMsg": "Вы можете закрыть эту подсказку и вернуться в редактор, нажав клавиши ESCAPE или SHIFT+ESCAPE.",
+ "showAccessibilityHelpAction": "Показать справку по специальным возможностям",
+ "inspectTokens": "Разработчик: проверить токены",
+ "gotoLineActionLabel": "Перейти к строке/столбцу...",
+ "helpQuickAccess": "Показать всех поставщиков быстрого доступа",
+ "quickCommandActionLabel": "Палитра команд",
+ "quickCommandActionHelp": "Показать и выполнить команды",
+ "quickOutlineActionLabel": "Перейти к символу...",
+ "quickOutlineByCategoryActionLabel": "Перейти к символу по категориям...",
+ "editorViewAccessibleLabel": "Содержимое редактора",
+ "accessibilityHelpMessage": "Нажмите ALT+F1 для доступа к параметрам специальных возможностей.",
+ "toggleHighContrast": "Переключить высококонтрастную тему",
+ "bulkEditServiceSummary": "Внесено изменений в файлах ({1}): {0}."
+ },
+ "vs/editor/common/config/commonEditorConfig": {
+ "editorConfigurationTitle": "Редактор",
+ "tabSize": "Число пробелов в табуляции. Этот параметр переопределяется на основе содержимого файла, если установлен параметр \"#editor.detectIndentation#\".",
+ "insertSpaces": "Вставлять пробелы при нажатии клавиши TAB. Этот параметр переопределяется на основе содержимого файла, если установлен параметр \"#editor.detectIndentation#\". ",
+ "detectIndentation": "Управляет тем, будут ли параметры \"#editor.tabSize#\" и \"#editor.insertSpaces#\" определяться автоматически при открытии файла на основе содержимого файла.",
+ "trimAutoWhitespace": "Удалить автоматически вставляемый конечный пробел.",
+ "largeFileOptimizations": "Специальная обработка для больших файлов с отключением некоторых функций, которые интенсивно используют память.",
+ "wordBasedSuggestions": "Определяет, следует ли оценивать завершения на основе слов в документе.",
+ "wordBasedSuggestionsMode.currentDocument": "Предложение слов только из активного документа.",
+ "wordBasedSuggestionsMode.matchingDocuments": "Предложение слов из всех открытых документов на одном языке.",
+ "wordBasedSuggestionsMode.allDocuments": "Предложение слов из всех открытых документов.",
+ "wordBasedSuggestionsMode": "Определяет, из каких документов будут вычисляться завершения на основе слов.",
+ "semanticHighlighting.true": "Семантическое выделение включено для всех цветовых тем.",
+ "semanticHighlighting.false": "Семантическое выделение отключено для всех цветовых тем.",
+ "semanticHighlighting.configuredByTheme": "Семантическое выделение настраивается с помощью параметра \"semanticHighlighting\" текущей цветовой темы.",
+ "semanticHighlighting.enabled": "Определяет показ семантической подсветки для языков, поддерживающих ее.",
+ "stablePeek": "Оставлять быстрый редактор открытым даже при двойном щелчке по его содержимому и при нажатии ESC.",
+ "maxTokenizationLineLength": "Строки, длина которых превышает указанное значение, не будут размечены из соображений производительности",
+ "maxComputationTime": "Время ожидания в миллисекундах, по истечении которого вычисление несовпадений отменяется. Укажите значение 0, чтобы не использовать время ожидания.",
+ "sideBySide": "Определяет, как редактор несовпадений отображает отличия: рядом или в тексте.",
+ "ignoreTrimWhitespace": "Когда параметр включен, редактор несовпадений игнорирует изменения начального или конечного пробела.",
+ "renderIndicators": "Определяет, должны ли в редакторе отображаться индикаторы +/- для добавленных или удаленных изменений.",
+ "codeLens": "Определяет, отображается ли CodeLens в редакторе.",
+ "wordWrap.off": "Строки не будут переноситься никогда.",
+ "wordWrap.on": "Строки будут переноситься по ширине окна просмотра.",
+ "wordWrap.inherit": "Строки будут переноситься в соответствии с параметром \"#editor.wordWrap#\"."
+ },
+ "vs/editor/browser/widget/diffReview": {
+ "diffReviewInsertIcon": "Значок для кнопки \"Вставить\" в окне проверки несовпадений.",
+ "diffReviewRemoveIcon": "Значок для кнопки \"Удалить\" в окне проверки несовпадений.",
+ "diffReviewCloseIcon": "Значок для кнопки \"Закрыть\" в окне проверки несовпадений.",
+ "label.close": "Закрыть",
+ "no_lines_changed": "нет измененных строк",
+ "one_line_changed": "1 строка изменена",
+ "more_lines_changed": "Строк изменено: {0}",
+ "header": "Различие {0} из {1}: исходная строка {2}, {3}, измененная строка {4}, {5}",
+ "blankLine": "пустой",
+ "unchangedLine": "{0} неизмененная строка {1}",
+ "equalLine": "{0} исходная строка {1} измененная строка {2}",
+ "insertLine": "+ {0} измененная строка {1}",
+ "deleteLine": "- {0} исходная строка {1}",
+ "editor.action.diffReview.next": "Перейти к следующему различию",
+ "editor.action.diffReview.prev": "Перейти к предыдущему различию"
+ },
+ "vs/editor/browser/widget/inlineDiffMargin": {
+ "diff.clipboard.copyDeletedLinesContent.label": "Копировать удаленные строки",
+ "diff.clipboard.copyDeletedLinesContent.single.label": "Копировать удаленную строку",
+ "diff.clipboard.copyDeletedLineContent.label": "Копировать удаленную строку ({0})",
+ "diff.inline.revertChange.label": "Отменить это изменение"
+ },
+ "vs/editor/browser/controller/textAreaHandler": {
+ "editor": "редактор",
+ "accessibilityOffAriaLabel": "Сейчас редактор недоступен. Нажмите {0} для отображения вариантов."
+ },
+ "vs/editor/contrib/clipboard/clipboard": {
+ "miCut": "&&Вырезать",
+ "actions.clipboard.cutLabel": "Вырезать",
+ "miCopy": "&&Копировать",
+ "actions.clipboard.copyLabel": "Копирование",
+ "miPaste": "&&Вставить",
+ "actions.clipboard.pasteLabel": "Вставить",
+ "actions.clipboard.copyWithSyntaxHighlightingLabel": "Копировать с выделением синтаксиса"
+ },
+ "vs/editor/contrib/anchorSelect/anchorSelect": {
+ "selectionAnchor": "Начальная точка выделения",
+ "anchorSet": "Начальная точка установлена в {0}:{1}",
+ "setSelectionAnchor": "Установить начальную точку выделения",
+ "goToSelectionAnchor": "Перейти к начальной точке выделения",
+ "selectFromAnchorToCursor": "Выделить текст от начальной точки выделения до курсора",
+ "cancelSelectionAnchor": "Отменить начальную точку выделения"
+ },
+ "vs/editor/contrib/bracketMatching/bracketMatching": {
+ "overviewRulerBracketMatchForeground": "Цвет метки линейки в окне просмотра для пар скобок.",
+ "smartSelect.jumpBracket": "Перейти к скобке",
+ "smartSelect.selectToBracket": "Выбрать скобку",
+ "miGoToBracket": "Перейти к &&скобке"
+ },
+ "vs/editor/contrib/caretOperations/caretOperations": {
+ "caret.moveLeft": "Переместить выделенный текст влево",
+ "caret.moveRight": "Переместить выделенный текст вправо"
+ },
+ "vs/editor/contrib/caretOperations/transpose": {
+ "transposeLetters.label": "Транспортировать буквы"
+ },
+ "vs/editor/contrib/codelens/codelensController": {
+ "showLensOnLine": "Показать команды CodeLens для текущей строки"
+ },
+ "vs/editor/contrib/comment/comment": {
+ "comment.line": "Закомментировать или раскомментировать строку",
+ "miToggleLineComment": "Переключить комментарий &&строки",
+ "comment.line.add": "Закомментировать строку",
+ "comment.line.remove": "Раскомментировать строку",
+ "comment.block": "Закомментировать или раскомментировать блок",
+ "miToggleBlockComment": "Переключить комментарий &&блока"
+ },
+ "vs/editor/contrib/contextmenu/contextmenu": {
+ "action.showContextMenu.label": "Показать контекстное меню редактора"
+ },
+ "vs/editor/contrib/cursorUndo/cursorUndo": {
+ "cursor.undo": "Отмена действия курсора",
+ "cursor.redo": "Повтор действия курсора"
+ },
+ "vs/editor/contrib/find/findController": {
+ "startFindAction": "Найти",
+ "miFind": "&&Найти",
+ "startFindWithSelectionAction": "Найти в выбранном",
+ "findNextMatchAction": "Найти далее",
+ "findPreviousMatchAction": "Найти ранее",
+ "nextSelectionMatchFindAction": "Найти следующее выделение",
+ "previousSelectionMatchFindAction": "Найти предыдущее выделение",
+ "startReplace": "Заменить",
+ "miReplace": "&&Заменить"
+ },
+ "vs/editor/contrib/folding/folding": {
+ "unfoldAction.label": "Развернуть",
+ "unFoldRecursivelyAction.label": "Развернуть рекурсивно",
+ "foldAction.label": "Свернуть",
+ "toggleFoldAction.label": "Переключить свертывание",
+ "foldRecursivelyAction.label": "Свернуть рекурсивно",
+ "foldAllBlockComments.label": "Свернуть все блоки комментариев",
+ "foldAllMarkerRegions.label": "Свернуть все регионы",
+ "unfoldAllMarkerRegions.label": "Развернуть все регионы",
+ "foldAllAction.label": "Свернуть все",
+ "unfoldAllAction.label": "Развернуть все",
+ "foldLevelAction.label": "Уровень папки {0}",
+ "foldBackgroundBackground": "Цвет фона за свернутыми диапазонами. Этот цвет не должен быть непрозрачным, чтобы не скрывать расположенные ниже декоративные элементы.",
+ "editorGutter.foldingControlForeground": "Цвет элемента управления свертыванием во внутреннем поле редактора."
+ },
+ "vs/editor/contrib/fontZoom/fontZoom": {
+ "EditorFontZoomIn.label": "Увеличить шрифт редактора",
+ "EditorFontZoomOut.label": "Уменьшить шрифт редактора",
+ "EditorFontZoomReset.label": "Сбросить масштаб шрифта редактора"
+ },
+ "vs/editor/contrib/format/formatActions": {
+ "formatDocument.label": "Форматировать документ",
+ "formatSelection.label": "Форматировать выделенный фрагмент"
+ },
+ "vs/editor/contrib/gotoSymbol/goToCommands": {
+ "peek.submenu": "Обзор",
+ "def.title": "Определения",
+ "noResultWord": "Определение для \"{0}\" не найдено.",
+ "generic.noResults": "Определения не найдены.",
+ "actions.goToDecl.label": "Перейти к определению",
+ "miGotoDefinition": "Перейти к &&определению",
+ "actions.goToDeclToSide.label": "Открыть определение сбоку",
+ "actions.previewDecl.label": "Показать определение",
+ "decl.title": "Объявления",
+ "decl.noResultWord": "Объявление для \"{0}\" не найдено.",
+ "decl.generic.noResults": "Объявление не найдено",
+ "actions.goToDeclaration.label": "Перейти к объявлению",
+ "miGotoDeclaration": "Перейти к &&объявлению",
+ "actions.peekDecl.label": "Просмотреть объявление",
+ "typedef.title": "Определения типов",
+ "goToTypeDefinition.noResultWord": "Не найдено определение типа для \"{0}\".",
+ "goToTypeDefinition.generic.noResults": "Не найдено определение типа.",
+ "actions.goToTypeDefinition.label": "Перейти к определению типа",
+ "miGotoTypeDefinition": "Перейти к &&определению типа",
+ "actions.peekTypeDefinition.label": "Показать определение типа",
+ "impl.title": "Реализации",
+ "goToImplementation.noResultWord": "Не найдена реализация для \"{0}\".",
+ "goToImplementation.generic.noResults": "Не найдена реализация.",
+ "actions.goToImplementation.label": "Перейти к реализациям",
+ "miGotoImplementation": "Перейти к &&реализациям",
+ "actions.peekImplementation.label": "Просмотреть реализации",
+ "references.no": "Ссылки для \"{0}\" не найдены",
+ "references.noGeneric": "Ссылки не найдены",
+ "goToReferences.label": "Перейти к ссылкам",
+ "miGotoReference": "Перейти к &&ссылкам",
+ "ref.title": "Ссылки",
+ "references.action.label": "Показать ссылки",
+ "label.generic": "Перейти к любому символу",
+ "generic.title": "Расположения",
+ "generic.noResult": "Нет результатов для \"{0}\""
+ },
+ "vs/editor/contrib/hover/hover": {
+ "showHover": "Показать при наведении",
+ "showDefinitionPreviewHover": "Отображать предварительный просмотр определения при наведении курсора мыши"
+ },
+ "vs/editor/contrib/gotoSymbol/link/goToDefinitionAtPosition": {
+ "multipleResults": "Щелкните, чтобы отобразить определения ({0})."
+ },
+ "vs/editor/contrib/gotoError/gotoError": {
+ "markerAction.next.label": "Перейти к Следующей Проблеме (Ошибке, Предупреждению, Информации)",
+ "nextMarkerIcon": "Значок для перехода к следующему маркеру.",
+ "markerAction.previous.label": "Перейти к Предыдущей Проблеме (Ошибке, Предупреждению, Информации)",
+ "previousMarkerIcon": "Значок для перехода к предыдущему маркеру.",
+ "markerAction.nextInFiles.label": "Перейти к следующей проблеме в файлах (ошибки, предупреждения, информационные сообщения)",
+ "miGotoNextProblem": "Следующая &&проблема",
+ "markerAction.previousInFiles.label": "Перейти к предыдущей проблеме в файлах (ошибки, предупреждения, информационные сообщения)",
+ "miGotoPreviousProblem": "Предыдущая &&проблема"
+ },
+ "vs/editor/contrib/indentation/indentation": {
+ "indentationToSpaces": "Преобразовать отступ в пробелы",
+ "indentationToTabs": "Преобразовать отступ в шаги табуляции",
+ "configuredTabSize": "Настроенный размер шага табуляции",
+ "selectTabWidth": "Выбрать размер шага табуляции для текущего файла",
+ "indentUsingTabs": "Отступ с использованием табуляции",
+ "indentUsingSpaces": "Отступ с использованием пробелов",
+ "detectIndentation": "Определение отступа от содержимого",
+ "editor.reindentlines": "Повторно расставить отступы строк",
+ "editor.reindentselectedlines": "Повторно расставить отступы для выбранных строк"
+ },
+ "vs/editor/contrib/inPlaceReplace/inPlaceReplace": {
+ "InPlaceReplaceAction.previous.label": "Заменить предыдущим значением",
+ "InPlaceReplaceAction.next.label": "Заменить следующим значением"
+ },
+ "vs/editor/contrib/linesOperations/linesOperations": {
+ "lines.copyUp": "Копировать строку сверху",
+ "miCopyLinesUp": "&&Копировать на строку выше",
+ "lines.copyDown": "Копировать строку снизу",
+ "miCopyLinesDown": "Копировать на строку &&ниже",
+ "duplicateSelection": "Дублировать выбранное",
+ "miDuplicateSelection": "&&Дублировать выбранное",
+ "lines.moveUp": "Переместить строку вверх",
+ "miMoveLinesUp": "Переместить на с&&троку выше",
+ "lines.moveDown": "Переместить строку вниз",
+ "miMoveLinesDown": "&&Переместить на строку ниже",
+ "lines.sortAscending": "Сортировка строк по возрастанию",
+ "lines.sortDescending": "Сортировка строк по убыванию",
+ "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": "Преобразовать в заглавные буквы"
+ },
+ "vs/editor/contrib/linkedEditing/linkedEditing": {
+ "linkedEditing.label": "Запустить связанное редактирование",
+ "editorLinkedEditingBackground": "Цвет фона при автоматическом переименовании типа редактором."
+ },
+ "vs/editor/contrib/links/links": {
+ "links.navigate.executeCmd": "Выполнить команду",
+ "links.navigate.follow": "перейти по ссылке",
+ "links.navigate.kb.meta.mac": "Кнопка OPTION и щелчок левой кнопкой мыши",
+ "links.navigate.kb.meta": "Кнопка CTRL и щелчок левой кнопкой мыши",
+ "links.navigate.kb.alt.mac": "Кнопка OPTION и щелчок левой кнопкой мыши",
+ "links.navigate.kb.alt": "Кнопка ALT и щелчок левой кнопкой мыши",
+ "tooltip.explanation": "Выполнение команды {0}",
+ "invalid.url": "Не удалось открыть ссылку, так как она имеет неправильный формат: {0}",
+ "missing.url": "Не удалось открыть ссылку, у нее отсутствует целевой объект.",
+ "label": "Открыть ссылку"
+ },
+ "vs/editor/contrib/multicursor/multicursor": {
+ "mutlicursor.insertAbove": "Добавить курсор выше",
+ "miInsertCursorAbove": "Добавить курсор &&выше",
+ "mutlicursor.insertBelow": "Добавить курсор ниже",
+ "miInsertCursorBelow": "Добавить курсор &&ниже",
+ "mutlicursor.insertAtEndOfEachLineSelected": "Добавить курсоры к окончаниям строк",
+ "miInsertCursorAtEndOfEachLineSelected": "Добавить курсоры в &&окончания строк",
+ "mutlicursor.addCursorsToBottom": "Добавить курсоры ниже",
+ "mutlicursor.addCursorsToTop": "Добавить курсоры выше",
+ "addSelectionToNextFindMatch": "Добавить выделение в следующее найденное совпадение",
+ "miAddSelectionToNextFindMatch": "Добавить &&следующее вхождение",
+ "addSelectionToPreviousFindMatch": "Добавить выделенный фрагмент в предыдущее найденное совпадение",
+ "miAddSelectionToPreviousFindMatch": "Добавить &&предыдущее вхождение",
+ "moveSelectionToNextFindMatch": "Переместить последнее выделение в следующее найденное совпадение",
+ "moveSelectionToPreviousFindMatch": "Переместить последний выделенный фрагмент в предыдущее найденное совпадение",
+ "selectAllOccurrencesOfFindMatch": "Выбрать все вхождения найденных совпадений",
+ "miSelectHighlights": "Выбрать все &&вхождения",
+ "changeAll.label": "Изменить все вхождения"
+ },
+ "vs/editor/contrib/parameterHints/parameterHints": {
+ "parameterHints.trigger.label": "Переключить подсказки к параметрам"
+ },
+ "vs/editor/contrib/rename/rename": {
+ "no result": "Результаты отсутствуют.",
+ "resolveRenameLocationFailed": "Произошла неизвестная ошибка при определении расположения после переименования",
+ "label": "Переименование \"{0}\"",
+ "quotableLabel": "Переименование {0}",
+ "aria": "«{0}» успешно переименован в «{1}». Сводка: {2}",
+ "rename.failedApply": "Операции переименования не удалось применить правки",
+ "rename.failed": "Операции переименования не удалось вычислить правки",
+ "rename.label": "Переименовать символ",
+ "enablePreview": "Включить/отключить возможность предварительного просмотра изменений перед переименованием"
+ },
+ "vs/editor/contrib/smartSelect/smartSelect": {
+ "smartSelect.expand": "Развернуть выбранный фрагмент",
+ "miSmartSelectGrow": "&&Развернуть выделение",
+ "smartSelect.shrink": "Уменьшить выделенный фрагмент",
+ "miSmartSelectShrink": "&&Сжать выделение"
+ },
+ "vs/editor/contrib/suggest/suggestController": {
+ "aria.alert.snippet": "Принятие \"{0}\" привело к внесению дополнительных правок ({1})",
+ "suggest.trigger.label": "Переключить предложение",
+ "accept.insert": "Вставить",
+ "accept.replace": "Заменить",
+ "detail.more": "показать меньше",
+ "detail.less": "показать больше",
+ "suggest.reset.label": "Сброс предложения размера мини-приложения"
+ },
+ "vs/editor/contrib/tokenization/tokenization": {
+ "forceRetokenize": "Разработчик: принудительная повторная установка токенов"
+ },
+ "vs/editor/contrib/toggleTabFocusMode/toggleTabFocusMode": {
+ "toggle.tabMovesFocus": "Переключение клавиши TAB перемещает фокус.",
+ "toggle.tabMovesFocus.on": "При нажатии клавиши TAB фокус перейдет на следующий элемент, который может получить фокус",
+ "toggle.tabMovesFocus.off": "Теперь при нажатии клавиши TAB будет вставлен символ табуляции"
+ },
+ "vs/editor/contrib/unusualLineTerminators/unusualLineTerminators": {
+ "unusualLineTerminators.title": "Необычные символы завершения строки",
+ "unusualLineTerminators.message": "Обнаружены необычные символы завершения строки",
+ "unusualLineTerminators.detail": "Этот файл содержит один или несколько необычных символов завершения строки, таких как разделитель строк (LS) или разделитель абзацев (PS).\r\n\r\nРекомендуется удалить их из файла. Удаление этих символов можно настроить с помощью параметра \"editor.unusualLineTerminators\".",
+ "unusualLineTerminators.fix": "Исправить этот файл",
+ "unusualLineTerminators.ignore": "Игнорировать проблему для этого файла"
+ },
+ "vs/editor/contrib/wordHighlighter/wordHighlighter": {
+ "wordHighlight": "Цвет фона символа при доступе на чтение, например, при чтении переменной. Цвет не должен быть непрозрачным, чтобы не скрыть расположенные ниже элементы оформления.",
+ "wordHighlightStrong": "Цвет фона для символа во время доступа на запись, например при записи в переменную. Цвет не должен быть непрозрачным, чтобы не скрыть расположенные ниже элементы оформления.",
+ "wordHighlightBorder": "Цвет границы символа при доступе на чтение, например, при считывании переменной.",
+ "wordHighlightStrongBorder": "Цвет границы символа при доступе на запись, например, при записи переменной. ",
+ "overviewRulerWordHighlightForeground": "Цвет маркера обзорной линейки для выделения символов. Этот цвет не должен быть непрозрачным, чтобы не скрывать расположенные ниже элементы оформления.",
+ "overviewRulerWordHighlightStrongForeground": "Цвет маркера обзорной линейки для выделения символов доступа на запись. Цвет не должен быть непрозрачным, чтобы не скрыть расположенные ниже элементы оформления.",
+ "wordHighlight.next.label": "Перейти к следующему выделению символов",
+ "wordHighlight.previous.label": "Перейти к предыдущему выделению символов",
+ "wordHighlight.trigger.label": "Включить или отключить выделение символов"
+ },
+ "vs/editor/contrib/wordOperations/wordOperations": {
+ "deleteInsideWord": "Удалить слово"
+ },
+ "vs/editor/contrib/quickAccess/gotoLineQuickAccess": {
+ "cannotRunGotoLine": "Чтобы перейти к строке, сначала откройте текстовый редактор.",
+ "gotoLineColumnLabel": "Перейдите к строке {0} и столбцу {1}.",
+ "gotoLineLabel": "Перейти к строке {0}.",
+ "gotoLineLabelEmptyWithLimit": "Текущая строка: {0}, символ: {1}. Введите номер строки между 1 и {2} для перехода.",
+ "gotoLineLabelEmpty": "Текущая строка: {0}, символ: {1}. Введите номер строки для перехода."
+ },
+ "vs/editor/contrib/peekView/peekView": {
+ "label.close": "Закрыть",
+ "peekViewTitleBackground": "Цвет фона области заголовка быстрого редактора.",
+ "peekViewTitleForeground": "Цвет заголовка быстрого редактора.",
+ "peekViewTitleInfoForeground": "Цвет сведений о заголовке быстрого редактора.",
+ "peekViewBorder": "Цвет границ быстрого редактора и массива.",
+ "peekViewResultsBackground": "Цвет фона в списке результатов представления быстрого редактора.",
+ "peekViewResultsMatchForeground": "Цвет переднего плана узлов строки в списке результатов быстрого редактора.",
+ "peekViewResultsFileForeground": "Цвет переднего плана узлов файла в списке результатов быстрого редактора.",
+ "peekViewResultsSelectionBackground": "Цвет фона выбранной записи в списке результатов быстрого редактора.",
+ "peekViewResultsSelectionForeground": "Цвет переднего плана выбранной записи в списке результатов быстрого редактора.",
+ "peekViewEditorBackground": "Цвет фона быстрого редактора.",
+ "peekViewEditorGutterBackground": "Цвет фона поля в окне быстрого редактора.",
+ "peekViewResultsMatchHighlight": "Цвет выделения совпадений в списке результатов быстрого редактора.",
+ "peekViewEditorMatchHighlight": "Цвет выделения совпадений в быстром редакторе.",
+ "peekViewEditorMatchHighlightBorder": "Граница выделения совпадений в быстром редакторе."
+ },
+ "vs/editor/contrib/codeAction/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": "Нет доступных предпочтительных действий кода для \"{0}\".",
+ "editor.action.codeAction.noneMessage.kind": "Действия кода для \"{0}\" недоступны",
+ "editor.action.codeAction.noneMessage.preferred": "Нет доступных предпочтительных действий кода",
+ "editor.action.codeAction.noneMessage": "Доступные действия кода отсутствуют",
+ "refactor.label": "Рефакторинг...",
+ "editor.action.refactor.noneMessage.preferred.kind": "Нет доступных предпочтительных рефакторингов для \"{0}\"",
+ "editor.action.refactor.noneMessage.kind": "Нет доступного рефакторинга для \"{0}\"",
+ "editor.action.refactor.noneMessage.preferred": "Нет доступных предпочтительных рефакторингов",
+ "editor.action.refactor.noneMessage": "Доступные операции рефакторинга отсутствуют",
+ "source.label": "Действие с исходным кодом...",
+ "editor.action.source.noneMessage.preferred.kind": "Нет доступных предпочтительных действий источника для '{0}'",
+ "editor.action.source.noneMessage.kind": "Нет доступных исходных действий для \"{0}\"",
+ "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/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": "Отображаются только первые {0} результатов, но все операции поиска выполняются со всем текстом.",
+ "label.matchesLocation": "{0} из {1}",
+ "label.noResults": "Результаты отсутствуют",
+ "ariaSearchNoResultEmpty": "{0} обнаружено",
+ "ariaSearchNoResult": "{0} найден для \"{1}\"",
+ "ariaSearchNoResultWithLineNum": "{0} найден для \"{1}\", в {2}",
+ "ariaSearchNoResultWithLineNumNoCurrentMatch": "{0} найден для \"{1}\"",
+ "ctrlEnter.keybindingChanged": "Теперь при нажатии клавиш CTRL+ВВОД вставляется символ перехода на новую строку вместо замены всего текста. Вы можете изменить сочетание клавиш editor.action.replaceAll, чтобы переопределить это поведение."
+ },
+ "vs/editor/contrib/folding/foldingDecorations": {
+ "foldingExpandedIcon": "Значок для развернутых диапазонов на поле глифов редактора.",
+ "foldingCollapsedIcon": "Значок для свернутых диапазонов на поле глифов редактора."
+ },
+ "vs/editor/contrib/format/format": {
+ "hint11": "Внесена одна правка форматирования в строке {0}.",
+ "hintn1": "Внесены правки форматирования ({0}) в строке {1}.",
+ "hint1n": "Внесена одна правка форматирования между строками {0} и {1}.",
+ "hintnn": "Внесены правки форматирования ({0}) между строками {1} и {2}."
+ },
+ "vs/editor/contrib/message/messageController": {
+ "editor.readonly": "Не удается выполнить изменение в редакторе только для чтения"
+ },
+ "vs/editor/contrib/gotoSymbol/peek/referencesController": {
+ "labelLoading": "Загрузка...",
+ "metaTitle.N": "{0} ({1})"
+ },
+ "vs/editor/contrib/gotoSymbol/referencesModel": {
+ "aria.oneReference": "ссылка в {0} в строке {1} и символе {2}",
+ "aria.oneReference.preview": "символ в {0} в строке {1} и столбце {2}, {3}",
+ "aria.fileReferences.1": "1 символ в {0}, полный путь: {1}",
+ "aria.fileReferences.N": "{0} символов в {1}, полный путь: {2} ",
+ "aria.result.0": "Результаты не найдены",
+ "aria.result.1": "Обнаружен 1 символ в {0}",
+ "aria.result.n1": "Обнаружено {0} символов в {1}",
+ "aria.result.nm": "Обнаружено {0} символов в {1} файлах"
+ },
+ "vs/editor/contrib/gotoSymbol/symbolNavigation": {
+ "location.kb": "Символ {0} из {1}, {2} для следующего",
+ "location": "Символ {0} из {1}"
+ },
+ "vs/editor/contrib/hover/modesContentHover": {
+ "modesContentHover.loading": "Загрузка...",
+ "peek problem": "Проблема при обзоре",
+ "noQuickFixes": "Исправления недоступны",
+ "checkingForQuickFixes": "Проверка наличия исправлений...",
+ "quick fixes": "Быстрое исправление..."
+ },
+ "vs/editor/contrib/gotoError/gotoErrorWidget": {
+ "Error": "Ошибка",
+ "Warning": "Предупреждение",
+ "Info": "Информация",
+ "Hint": "Указание",
+ "marker aria": "{0} в {1}. ",
+ "problems": "Проблемы: {0} из {1}",
+ "change": "Проблемы: {0} из {1}",
+ "editorMarkerNavigationError": "Цвет ошибки в мини-приложении навигации по меткам редактора.",
+ "editorMarkerNavigationWarning": "Цвет предупреждения в мини-приложении навигации по меткам редактора.",
+ "editorMarkerNavigationInfo": "Цвет информационного сообщения в мини-приложении навигации по меткам редактора.",
+ "editorMarkerNavigationBackground": "Фон мини-приложения навигации по меткам редактора."
+ },
+ "vs/editor/contrib/parameterHints/parameterHintsWidget": {
+ "parameterHintsNextIcon": "Значок для отображения подсказки следующего параметра.",
+ "parameterHintsPreviousIcon": "Значок для отображения подсказки предыдущего параметра.",
+ "hint": "{0}, указание"
+ },
+ "vs/editor/contrib/rename/renameInputField": {
+ "renameAriaLabel": "Введите новое имя для входных данных и нажмите клавишу ВВОД для подтверждения.",
+ "label": "Нажмите {0} для переименования, {1} для просмотра."
+ },
+ "vs/editor/contrib/suggest/suggestWidget": {
+ "editorSuggestWidgetBackground": "Цвет фона виджета подсказок.",
+ "editorSuggestWidgetBorder": "Цвет границ виджета подсказок.",
+ "editorSuggestWidgetForeground": "Цвет переднего плана мини-приложения предложений.",
+ "editorSuggestWidgetSelectedBackground": "Фоновый цвет выбранной записи в мини-приложении предложений.",
+ "editorSuggestWidgetHighlightForeground": "Цвет выделения соответствия в мини-приложении предложений.",
+ "suggestWidget.loading": "Загрузка...",
+ "suggestWidget.noSuggestions": "Предложения отсутствуют.",
+ "ariaCurrenttSuggestionReadDetails": "{0}, документы: {1}",
+ "suggest": "Предложить"
+ },
+ "vs/editor/contrib/quickAccess/gotoSymbolQuickAccess": {
+ "cannotRunGotoSymbolWithoutEditor": "Чтобы перейти к символу, сначала откройте текстовый редактор с символьной информацией.",
+ "cannotRunGotoSymbolWithoutSymbolProvider": "Активный текстовый редактор не предоставляет символьную информацию.",
+ "noMatchingSymbolResults": "Нет совпадающих символов редактора",
+ "noSymbolResults": "Нет символов редактора",
+ "openToSide": "Открыть сбоку",
+ "openToBottom": "Открыть внизу",
+ "symbols": "символы ({0})",
+ "property": "свойства ({0})",
+ "method": "методы ({0})",
+ "function": "функции ({0})",
+ "_constructor": "конструкторы ({0})",
+ "variable": "переменные ({0})",
+ "class": "классы ({0})",
+ "struct": "структуры ({0})",
+ "event": "события ({0})",
+ "operator": "операторы ({0})",
+ "interface": "интерфейсы ({0})",
+ "namespace": "пространства имен ({0})",
+ "package": "пакеты ({0})",
+ "typeParameter": "параметры типа ({0})",
+ "modules": "модули ({0})",
+ "enum": "перечисления ({0})",
+ "enumMember": "элемента перечисления ({0})",
+ "string": "строки ({0})",
+ "file": "файлы ({0})",
+ "array": "массивы ({0})",
+ "number": "числа ({0})",
+ "boolean": "логические значения ({0})",
+ "object": "объекты ({0})",
+ "key": "ключи ({0})",
+ "field": "поля ({0})",
+ "constant": "константы ({0})"
+ },
+ "vs/editor/contrib/snippet/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/contrib/documentSymbols/outlineTree": {
+ "title.template": "{0} ({1})",
+ "1.problem": "Проблем в этом элементе: 1",
+ "N.problem": "Проблем в этом элементе: {0}",
+ "deep.problem": "Содержит элементы с проблемами",
+ "Array": "массив",
+ "Boolean": "логическое значение",
+ "Class": "класс",
+ "Constant": "константа",
+ "Constructor": "конструктор",
+ "Enum": "перечисление",
+ "EnumMember": "элемент перечисления",
+ "Event": "событие",
+ "Field": "поле",
+ "File": "файл",
+ "Function": "функция",
+ "Interface": "интерфейс",
+ "Key": "ключ",
+ "Method": "метод",
+ "Module": "модуль",
+ "Namespace": "пространство имен",
+ "Null": "NULL",
+ "Number": "число",
+ "Object": "объект",
+ "Operator": "оператор",
+ "Package": "пакет",
+ "Property": "свойство",
+ "String": "строка",
+ "Struct": "структура",
+ "TypeParameter": "параметр типа",
+ "Variable": "Переменная",
+ "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": "Цвет переднего плана для символов NULL. Эти символы отображаются в структуре, элементе навигации и мини-приложении предложений.",
+ "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/editor/contrib/gotoSymbol/peek/referencesWidget": {
+ "missingPreviewMessage": "предварительный просмотр недоступен",
+ "noResults": "Результаты отсутствуют",
+ "peekView.alternateTitle": "Ссылки"
+ },
+ "vs/editor/contrib/suggest/suggestWidgetDetails": {
+ "details.close": "Закрыть",
+ "loading": "Загрузка..."
+ },
+ "vs/editor/contrib/suggest/suggestWidgetStatus": {
+ "ddd": "{0} ({1})"
+ },
+ "vs/editor/contrib/suggest/suggestWidgetRenderer": {
+ "suggestMoreInfoIcon": "Значок для получения дополнительных сведений в мини-приложении предложений.",
+ "readMore": "Подробнее"
+ },
+ "vs/editor/contrib/codeAction/lightBulbWidget": {
+ "prefferedQuickFixWithKb": "Отображение исправлений. Доступно предпочитаемое исправление ({0})",
+ "quickFixWithKb": "Показать исправления ({0})",
+ "quickFix": "Показать исправления"
+ },
+ "vs/editor/contrib/gotoSymbol/peek/referencesTree": {
+ "referencesCount": "Ссылок: {0}",
+ "referenceCount": "{0} ссылка",
+ "treeAriaLabel": "Ссылки"
+ },
+ "vs/platform/environment/node/argvHelper": {
+ "unknownOption": "Внимание! \"{0}\" не входит в список известных вариантов, но все равно передается в Electron/Chromium.",
+ "multipleValues": "Параметр \"{0}\" определен несколько раз. Используется значение \"{1}\".",
+ "gotoValidation": "Аргументы в режиме \"--goto\" должны быть в формате \"ФАЙЛ(:СТРОКА(:СИМВОЛ))\"."
+ },
+ "vs/platform/request/common/request": {
+ "httpConfigurationTitle": "HTTP",
+ "proxy": "Параметр используемого прокси-сервера. Если не установлен, он будет унаследовать от переменных среды \"http_proxy\" и \"https_proxy\".",
+ "strictSSL": "Управляет тем, должен ли сертификат прокси-сервера проверяться по списку предоставленных ЦС.",
+ "proxyAuthorization": "Значение, которое будет отправляться в качестве заголовка \"Proxy-Authorization\" для каждого сетевого запроса.",
+ "proxySupportOff": "Отключить поддержку прокси-сервера для расширений.",
+ "proxySupportOn": "Включить поддержку прокси-сервера для расширений.",
+ "proxySupportOverride": "Включает поддержку прокси для расширений, переопределяет параметры запроса.",
+ "proxySupport": "Используйте поддержку прокси-сервера для расширений.",
+ "systemCertificates": "Определяет, нужно ли загружать сертификаты ЦС из ОС. (В Windows и macOS после отключения этой функции требуется перезагрузить окно.)"
+ },
+ "vs/platform/files/common/fileService": {
+ "invalidPath": "Не удалось разрешить поставщик файловой системы с относительным путем к файлу \"{0}\"",
+ "noProviderFound": "Не найден поставщик файловой системы для ресурса \"{0}\"",
+ "fileNotFoundError": "Не удается решить несуществующий файл \"{0}\"",
+ "fileExists": "Не удается создать файл \"{0}\", так как он уже существует и флаг перезаписи не установлен.",
+ "err.write": "Не удается записать файл \"{0}\" ({1})",
+ "fileIsDirectoryWriteError": "Не удается записать файл \"{0}\", который на самом деле является каталогом",
+ "fileModifiedError": "Файл изменен с",
+ "err.read": "Не удалось считать файл \"{0}\" ({1})",
+ "fileIsDirectoryReadError": "Не удалось считать файл \"{0}\", который на самом деле является каталогом",
+ "fileNotModifiedError": "undefined",
+ "fileTooLargeError": "Не удается прочесть файл \"{0}\", так как он имеет слишком большой размер и не может быть открыт",
+ "unableToMoveCopyError1": "Не удается скопировать, когда исходный \"{0}\" совпадает с целевым \"{1}\" с другим регистром пути в файловой системе, нечувствительной к регистру",
+ "unableToMoveCopyError2": "Не удалось выполнить перемещение или копирование, когда исходный \"{0}\" является родительским объектом целевого \"{1}\".",
+ "unableToMoveCopyError3": "Не удалось выполнить перемещение/копирование \"{0}\", так как целевой \"{1}\" уже существует в месте назначения.",
+ "unableToMoveCopyError4": "Не удается переместить/скопировать \"{0}\" в \"{1}\", так как файл заменит содержащую его папку.",
+ "mkdirExistsError": "Не удалось создать папку \"{0}\", которая уже существует, но не является каталогом",
+ "deleteFailedTrashUnsupported": "Не удалось удалить файл \"{0}\" через корзину, так как что поставщик не поддерживает это.",
+ "deleteFailedNotFound": "Не удалось удалить несуществующий файл \"{0}\"",
+ "deleteFailedNonEmptyFolder": "Не удалось удалить непустую папку \"{0}\".",
+ "err.readonly": "Не удается изменить файл \"{0}\", доступный только для чтения"
+ },
+ "vs/platform/files/node/diskFileSystemProvider": {
+ "fileExists": "Файл уже существует.",
+ "fileNotExists": "Файл не существует",
+ "moveError": "Не удалось переместить \"{0}\" в \"{1}\" ({2}).",
+ "copyError": "Не удалось скопировать \"{0}\" в \"{1}\" ({2}).",
+ "fileCopyErrorPathCase": "'Файл не может быть скопирован по тому же пути с другим регистром пути",
+ "fileCopyErrorExists": "Файл в целевом расположении уже существует"
+ },
+ "vs/platform/files/common/files": {
+ "unknownError": "Неизвестная ошибка",
+ "sizeB": "{0} Б",
+ "sizeKB": "{0} КБ",
+ "sizeMB": "{0} МБ",
+ "sizeGB": "{0} ГБ",
+ "sizeTB": "{0} ТБ"
+ },
+ "vs/platform/update/common/update.config.contribution": {
+ "updateConfigurationTitle": "Обновить",
+ "updateMode": "Укажите, нужно ли вам получать автоматические обновления. После изменения требуется перезагрузка. Для получения обновлений используется веб-служба Майкрософт.",
+ "none": "Отключите обновления.",
+ "manual": "Отключение автоматических фоновых проверок на наличие обновлений. Обновления будут доступны, если вы вручную проверите их наличие.",
+ "start": "Проверять наличие обновлений только при запуске. Отключить автоматическую проверку обновлений в фоновом режиме.",
+ "default": "Включение автоматических проверок обновлений. Code будет периодически проверять наличие обновлений в автоматическом режиме.",
+ "deprecated": "Этот параметр устарел. Используйте параметр \"{0}\".",
+ "enableWindowsBackgroundUpdatesTitle": "Включить фоновые обновления в Windows",
+ "enableWindowsBackgroundUpdates": "Включите, чтобы скачивать и устанавливать новые версии VS Code в Windows в фоновом режиме",
+ "showReleaseNotes": "Показать примечания к выпуску после обновления. Примечания к выпуску передаются веб-службой Майкрософт."
+ },
+ "vs/platform/environment/node/argv": {
+ "optionsUpperCase": "Параметры",
+ "extensionsManagement": "Управление расширениями",
+ "troubleshooting": "Устранение неполадок",
+ "diff": "Сравнение двух файлов друг с другом",
+ "add": "Добавление папок в последнее активное окно.",
+ "goto": "Открытие файла по указанному пути с выделением указанного символа в указанной строке.",
+ "newWindow": "Принудительно открывать в новом окне.",
+ "reuseWindow": "Принудительно открыть файл или папку в уже открытом окне.",
+ "wait": "Дождаться закрытия файлов перед возвратом.",
+ "locale": "Языковой стандарт, который следует использовать (например, en-US или zh-TW).",
+ "userDataDir": "Указывает каталог, в котором хранятся данные пользователей. Может использоваться для открытия нескольких отдельных экземпляров Code.",
+ "help": "Распечатать данные об использовании.",
+ "extensionHomePath": "Задайте корневой путь для расширений.",
+ "listExtensions": "Перечислить существующие расширения.",
+ "showVersions": "Показать версии установленных расширений при указании параметра --list-extension.",
+ "category": "Фильтрация установленных расширений по указанной категории при использовании параметра --list-extension.",
+ "installExtension": "Устанавливает или обновляет расширение. Идентификатор расширения всегда имеет вид \"${publisher}.${name}\". Чтобы выполнить обновление до последней версии, укажите аргумент \"--force\". Чтобы установить конкретную версию, укажите параметр \"@${version}\". Пример: \"vscode.csharp@1.2.3\".",
+ "uninstallExtension": "Удаляет расширение.",
+ "experimentalApis": "Включает предложенные функции API для расширений. Может принимать один или несколько идентификаторов для включения отдельных расширений.",
+ "version": "Печать версии.",
+ "verbose": "Печать подробного вывода (подразумевает использование параметра \"--wait\").",
+ "log": "Используемый уровень ведения журнала. Значение по умолчанию — \"info\". Допустимые значения: \"critical\", \"error\", \"warn\", \"info\", \"debug\", \"trace\", \"off\".",
+ "status": "Выводить сведения об использовании процесса и диагностическую информацию.",
+ "prof-startup": "Запустить профилировщик ЦП при запуске",
+ "disableExtensions": "Отключить все установленные расширения.",
+ "disableExtension": "Отключить расширение.",
+ "turn sync": "Включение или отключение синхронизации",
+ "inspect-extensions": "Разрешить отладку и профилирование расширений. Проверьте URI подключения для инструментов разработчика.",
+ "inspect-brk-extensions": "Разрешить отладку и профилирование расширений, когда узел расширения приостановлен после запуска. Проверьте URI подключения для инструментов разработчика.",
+ "disableGPU": "Отключить аппаратное ускорение GPU.",
+ "maxMemory": "Максимальный размер памяти для окна (в МБ).",
+ "telemetry": "Отображает все события телеметрии, которые собирает VS Code.",
+ "usage": "Использование",
+ "options": "Параметры",
+ "paths": "пути",
+ "stdinWindows": "Чтобы прочитать вывод другой программы, добавьте '-' (например 'echo Hello World | {0} -')",
+ "stdinUnix": "Чтобы получить данные с stdin, добавьте '-' (например, 'ps aux | grep code | {0} -')",
+ "unknownVersion": "Неизвестная версия",
+ "unknownCommit": "Неизвестная фиксация"
+ },
+ "vs/platform/extensionManagement/common/extensionManagement": {
+ "extensions": "Расширения",
+ "preferences": "Параметры"
+ },
+ "vs/platform/extensionManagement/node/extensionManagementService": {
+ "incompatible": "Не удается установить расширение \"{0}\", так как оно не совместимо с VS Code \"{1}\".",
+ "restartCode": "Перезапустите VS Code перед повторной установкой {0}.",
+ "MarketPlaceDisabled": "Marketplace не включен",
+ "malicious extension": "Не удается установить расширение, так как оно помечено как проблемное.",
+ "notFoundCompatibleDependency": "Не удалось установить расширение \"{0}\", так как оно несовместимо с текущей версией VS Code (версия {1}).",
+ "Not a Marketplace extension": "Можно переустановить только расширения из Marketplace",
+ "removeError": "Ошибка при удалении расширения: {0}. Закройте и снова откройте VS Code, затем повторите попытку.",
+ "quitCode": "Невозможно установить расширение. Пожалуйста, выйдите и зайдите в VS Code перед переустановкой.",
+ "exitCode": "Невозможно установить расширение. Пожалуйста, выйдите и зайдите в VS Code перед переустановкой.",
+ "notInstalled": "Расширение \"{0}\" не установлено.",
+ "singleDependentError": "Не удается удалить расширение \"{0}\". От него зависит расширение \"{1}\".",
+ "twoDependentsError": "Не удается удалить расширение \"{0}\". От него зависят расширения \"{1}\" и \"{2}\".",
+ "multipleDependentsError": "Не удается удалить расширение \"{0}\". От него зависят расширения \"{1}\", \"{2}\" и другие расширения.",
+ "singleIndirectDependentError": "Не удается удалить расширение \"{0}\". Для его удаления необходимо удалить расширения \"{1}\" и \"{2}\", которые зависят от него.",
+ "twoIndirectDependentsError": "Не удается удалить расширение \"{0}\". Для его удаления необходимо удалить расширения \"{1}\", \"{2}\" и \"{3}\", которые зависят от него.",
+ "multipleIndirectDependentsError": "Не удается удалить расширение \"{0}\". Для его удаления необходимо удалить расширения \"{1}\", \"{2}\", \"{3}\" и другие расширения, которые зависят от него.",
+ "notExists": "Не удалось найти расширение"
+ },
+ "vs/platform/telemetry/common/telemetryService": {
+ "telemetryConfigurationTitle": "Телеметрия",
+ "telemetry.enableTelemetry": "Разрешить отправку сведений об использовании и ошибках в веб-службу Майкрософт.",
+ "telemetry.enableTelemetryMd": "Разрешить отправку сведений об использовании и ошибках в веб-службу Майкрософт. Прочтите наше заявление о конфиденциальности [здесь]({0})."
+ },
+ "vs/platform/extensionManagement/node/extensionManagementUtil": {
+ "invalidManifest": "Недопустимый VSIX: файл package.json не является файлом JSON."
+ },
+ "vs/platform/userDataSync/common/userDataSync": {
+ "settings sync": "Синхронизация параметров",
+ "settingsSync.keybindingsPerPlatform": "Синхронизация настраиваемых сочетаний клавиш для каждой платформы.",
+ "sync.keybindingsPerPlatform.deprecated": "Не рекомендуется. Используйте settingsSync.keybindingsPerPlatform.",
+ "settingsSync.ignoredExtensions": "Список расширений, которые следует игнорировать при синхронизации. Идентификатор расширения всегда имеет вид ${publisher}.${name}. Например, \"vscode.csharp\".",
+ "app.extension.identifier.errorMessage": "Ожидается формат \"${publisher}.${name}\". Пример: \"vscode.csharp\".",
+ "sync.ignoredExtensions.deprecated": "Не рекомендуется. Используйте settingsSync.ignoredExtensions.",
+ "settingsSync.ignoredSettings": "Настройка параметров, которые следует игнорировать при синхронизации.",
+ "sync.ignoredSettings.deprecated": "Не рекомендуется. Используйте settingsSync.ignoredSettings."
+ },
+ "vs/platform/extensionManagement/electron-sandbox/extensionTipsService": {
+ "exeRecommended": "На компьютере установлено ПО {0}. Хотите установить для него рекомендуемые расширения?"
+ },
+ "vs/platform/userDataSync/common/userDataSyncMachines": {
+ "error incompatible": "Не удается прочитать данные о компьютерах, так как текущая версия является несовместимой. Обновите {0} и повторите попытку."
+ },
+ "vs/platform/userDataSync/common/userDataAutoSyncService": {
+ "default service changed": "Не удается выполнить синхронизацию, так как служба по умолчанию изменена.",
+ "service changed": "Не удается выполнить синхронизацию, так как служба синхронизации была изменена.",
+ "turned off": "Не удается синхронизировать, так как синхронизация отключена в облаке",
+ "session expired": "Не удается синхронизировать, так как истек срок действия текущего сеанса",
+ "turned off machine": "Не удается выполнить синхронизацию, так как синхронизация этого компьютера с другого компьютера отключена."
+ },
+ "vs/platform/workspaces/common/workspaces": {
+ "codeWorkspace": "Рабочая область кода"
+ },
+ "vs/platform/files/electron-browser/diskFileSystemProvider": {
+ "binFailed": "Не удалось переместить \"{0}\" в корзину",
+ "trashFailed": "Не удалось переместить \"{0}\" в корзину."
+ },
+ "vs/platform/dialogs/common/dialogs": {
+ "moreFile": "...1 дополнительный файл не показан",
+ "moreFiles": "...не показано дополнительных файлов: {0}"
+ },
+ "vs/platform/theme/common/colorRegistry": {
+ "foreground": "Общий цвет переднего плана. Этот цвет используется, только если его не переопределит компонент.",
+ "errorForeground": "Общий цвет переднего плана для сообщений об ошибках. Этот цвет используется только если его не переопределяет компонент.",
+ "descriptionForeground": "Цвет текста элемента, содержащего пояснения, например, для метки.",
+ "iconForeground": "Цвет по умолчанию для значков на рабочем месте.",
+ "focusBorder": "Общий цвет границ для элементов с фокусом. Этот цвет используется только в том случае, если не переопределен в компоненте.",
+ "contrastBorder": "Дополнительная граница вокруг элементов, которая отделяет их от других элементов для улучшения контраста.",
+ "activeContrastBorder": "Дополнительная граница вокруг активных элементов, которая отделяет их от других элементов для улучшения контраста.",
+ "selectionBackground": "Цвет фона выделенного текста в рабочей области (например, в полях ввода или в текстовых полях). Не применяется к выделенному тексту в редакторе.",
+ "textSeparatorForeground": "Цвет для разделителей текста.",
+ "textLinkForeground": "Цвет переднего плана для ссылок в тексте.",
+ "textLinkActiveForeground": "Цвет переднего плана для ссылок в тексте при щелчке и при наведении курсора мыши.",
+ "textPreformatForeground": "Цвет текста фиксированного формата.",
+ "textBlockQuoteBackground": "Цвет фона для блоков с цитатами в тексте.",
+ "textBlockQuoteBorder": "Цвет границ для блоков с цитатами в тексте.",
+ "textCodeBlockBackground": "Цвет фона для программного кода в тексте.",
+ "widgetShadow": "Цвет тени мини-приложений редактора, таких как \"Найти/заменить\".",
+ "inputBoxBackground": "Фон поля ввода.",
+ "inputBoxForeground": "Передний план поля ввода.",
+ "inputBoxBorder": "Граница поля ввода.",
+ "inputBoxActiveOptionBorder": "Цвет границ активированных параметров в полях ввода.",
+ "inputOption.activeBackground": "Цвет фона активированных параметров в полях ввода.",
+ "inputOption.activeForeground": "Цвет переднего плана активированных параметров в полях ввода.",
+ "inputPlaceholderForeground": "Цвет фона поясняющего текста в элементе ввода.",
+ "inputValidationInfoBackground": "Фоновый цвет проверки ввода для уровня серьезности \"Сведения\".",
+ "inputValidationInfoForeground": "Цвет переднего плана области проверки ввода для уровня серьезности \"Сведения\".",
+ "inputValidationInfoBorder": "Цвет границы проверки ввода для уровня серьезности \"Сведения\".",
+ "inputValidationWarningBackground": "Фоновый цвет проверки ввода для уровня серьезности \"Предупреждение\".",
+ "inputValidationWarningForeground": "Цвет переднего плана области проверки ввода для уровня серьезности \"Предупреждение\".",
+ "inputValidationWarningBorder": "Цвет границы проверки ввода для уровня серьезности \"Предупреждение\".",
+ "inputValidationErrorBackground": "Фоновый цвет проверки ввода для уровня серьезности \"Ошибка\".",
+ "inputValidationErrorForeground": "Цвет переднего плана области проверки ввода для уровня серьезности \"Ошибка\".",
+ "inputValidationErrorBorder": "Цвет границы проверки ввода для уровня серьезности \"Ошибка\".",
+ "dropdownBackground": "Фон раскрывающегося списка.",
+ "dropdownListBackground": "Цвет фона раскрывающегося списка.",
+ "dropdownForeground": "Передний план раскрывающегося списка.",
+ "dropdownBorder": "Граница раскрывающегося списка.",
+ "checkbox.background": "Цвет фона мини-приложения флажка.",
+ "checkbox.foreground": "Цвет переднего плана мини-приложения флажка.",
+ "checkbox.border": "Цвет границы мини-приложения флажка.",
+ "buttonForeground": "Цвет переднего плана кнопки.",
+ "buttonBackground": "Цвет фона кнопки.",
+ "buttonHoverBackground": "Цвет фона кнопки при наведении.",
+ "buttonSecondaryForeground": "Цвет переднего плана вторичной кнопки.",
+ "buttonSecondaryBackground": "Цвет фона вторичной кнопки.",
+ "buttonSecondaryHoverBackground": "Цвет фона вторичной кнопки при наведении курсора мыши.",
+ "badgeBackground": "Цвет фона бэджа. Бэджи - небольшие информационные элементы, отображающие количество, например, результатов поиска.",
+ "badgeForeground": "Цвет текста бэджа. Бэджи - небольшие информационные элементы, отображающие количество, например, результатов поиска.",
+ "scrollbarShadow": "Цвет тени полосы прокрутки, которая свидетельствует о том, что содержимое прокручивается.",
+ "scrollbarSliderBackground": "Цвет фона для ползунка полосы прокрутки.",
+ "scrollbarSliderHoverBackground": "Цвет фона ползунка полосы прокрутки при наведении курсора.",
+ "scrollbarSliderActiveBackground": "Цвет фона ползунка полосы прокрутки при щелчке по нему.",
+ "progressBarBackground": "Цвет фона индикатора выполнения, который может отображаться для длительных операций.",
+ "editorError.background": "Цвет фона для текста ошибки в редакторе. Цвет не должен быть непрозрачным, чтобы не скрыть расположенные ниже элементы оформления.",
+ "editorError.foreground": "Цвет волнистой линии для выделения ошибок в редакторе.",
+ "errorBorder": "Цвет границы для окон ошибок в редакторе.",
+ "editorWarning.background": "Цвет фона для текста предупреждения в редакторе. Цвет не должен быть непрозрачным, чтобы не скрыть расположенные ниже элементы оформления.",
+ "editorWarning.foreground": "Цвет волнистой линии для выделения предупреждений в редакторе.",
+ "warningBorder": "Цвет границы для окон предупреждений в редакторе.",
+ "editorInfo.background": "Цвет фона для текста информационного сообщения в редакторе. Цвет не должен быть непрозрачным, чтобы не скрыть расположенные ниже элементы оформления.",
+ "editorInfo.foreground": "Цвет волнистой линии для выделения информационных сообщений в редакторе.",
+ "infoBorder": "Цвет границы для окон сведений в редакторе.",
+ "editorHint.foreground": "Цвет волнистой линии для выделения подсказок в редакторе.",
+ "hintBorder": "Цвет границы для окон указаний в редакторе.",
+ "sashActiveBorder": "Цвет границы активных лент.",
+ "editorBackground": "Цвет фона редактора.",
+ "editorForeground": "Цвет переднего плана редактора по умолчанию.",
+ "editorWidgetBackground": "Цвет фона виджетов редактора, таких как найти/заменить.",
+ "editorWidgetForeground": "Цвет переднего плана мини-приложений редактора, таких как \"Поиск/замена\".",
+ "editorWidgetBorder": "Цвет границы мини-приложений редактора. Этот цвет используется только в том случае, если у мини-приложения есть граница и если этот цвет не переопределен мини-приложением.",
+ "editorWidgetResizeBorder": "Цвет границы панели изменения размера мини-приложений редактора. Этот цвет используется только в том случае, если у мини-приложения есть граница для изменения размера и если этот цвет не переопределен мини-приложением.",
+ "pickerBackground": "Цвет фона для средства быстрого выбора. Мини-приложение быстрого выбора является контейнером для таких средств выбора, как палитра команд.",
+ "pickerForeground": "Цвет переднего плана для средства быстрого выбора. Мини-приложение быстрого выбора является контейнером для таких средств выбора, как палитра команд.",
+ "pickerTitleBackground": "Цвет фона для заголовка средства быстрого выбора. Мини-приложение быстрого выбора является контейнером для таких средств выбора, как палитра команд.",
+ "pickerGroupForeground": "Цвет средства быстрого выбора для группировки меток.",
+ "pickerGroupBorder": "Цвет средства быстрого выбора для группировки границ.",
+ "editorSelectionBackground": "Цвет выделения редактора.",
+ "editorSelectionForeground": "Цвет выделенного текста в режиме высокого контраста.",
+ "editorInactiveSelection": "Цвет выделения в неактивном редакторе. Цвет не должен быть непрозрачным, чтобы не скрыть расположенные ниже элементы оформления.",
+ "editorSelectionHighlight": "Цвет для областей, содержимое которых совпадает с выбранным фрагментом. Цвет не должен быть непрозрачным, чтобы не скрыть расположенные ниже элементы оформления.",
+ "editorSelectionHighlightBorder": "Цвет границы регионов с тем же содержимым, что и в выделении.",
+ "editorFindMatch": "Цвет текущего поиска совпадений.",
+ "findMatchHighlight": "Цвет других совпадений при поиске. Цвет не должен быть непрозрачным, чтобы не скрыть расположенные ниже элементы оформления.",
+ "findRangeHighlight": "Цвет диапазона, ограничивающего поиск. Цвет не должен быть непрозрачным, чтобы не скрыть расположенные ниже элементы оформления.",
+ "editorFindMatchBorder": "Цвет границы текущего результата поиска.",
+ "findMatchHighlightBorder": "Цвет границы других результатов поиска.",
+ "findRangeHighlightBorder": "Цвет границы для диапазона, ограничивающего поиск. Цвет не должен быть непрозрачным, чтобы не скрыть расположенные ниже элементы оформления.",
+ "searchEditor.queryMatch": "Цвет соответствий для запроса в редакторе поиска.",
+ "searchEditor.editorFindMatchBorder": "Цвет границы для соответствующих запросов в редакторе поиска.",
+ "hoverHighlight": "Выделение под словом, для которого отображается меню при наведении курсора. Цвет не должен быть непрозрачным, чтобы не скрыть расположенные ниже элементы оформления.",
+ "hoverBackground": "Цвет фона при наведении указателя на редактор.",
+ "hoverForeground": "Цвет переднего плана для наведения указателя на редактор.",
+ "hoverBorder": "Цвет границ при наведении указателя на редактор.",
+ "statusBarBackground": "Цвет фона строки состояния при наведении в редакторе.",
+ "activeLinkForeground": "Цвет активных ссылок.",
+ "editorLightBulbForeground": "Цвет, используемый для значка действий в меню лампочки.",
+ "editorLightBulbAutoFixForeground": "Цвет, используемый для значка действий автоматического исправления в меню лампочки.",
+ "diffEditorInserted": "Цвет фона для вставленного текста. Цвет не должен быть непрозрачным, чтобы не скрыть расположенные ниже элементы оформления.",
+ "diffEditorRemoved": "Цвет фона для удаленного текста. Цвет не должен быть непрозрачным, чтобы не скрыть расположенные ниже элементы оформления.",
+ "diffEditorInsertedOutline": "Цвет контура для добавленных строк.",
+ "diffEditorRemovedOutline": "Цвет контура для удаленных строк.",
+ "diffEditorBorder": "Цвет границы между двумя текстовыми редакторами.",
+ "diffDiagonalFill": "Цвет диагональной заливки для редактора несовпадений. Диагональная заливка используется в размещаемых рядом представлениях несовпадений.",
+ "listFocusBackground": "Фоновый цвет находящегося в фокусе элемента List/Tree, когда элемент List/Tree активен. На активном элементе List/Tree есть фокус клавиатуры, на неактивном — нет.",
+ "listFocusForeground": "Цвет переднего плана находящегося в фокусе элемента List/Tree, когда элемент List/Tree активен. На активном элементе List/Tree есть фокус клавиатуры, на неактивном — нет.",
+ "listActiveSelectionBackground": "Фоновый цвет выбранного элемента List/Tree, когда элемент List/Tree активен. На активном элементе List/Tree есть фокус клавиатуры, на неактивном — нет.",
+ "listActiveSelectionForeground": "Цвет переднего плана выбранного элемента List/Tree, когда элемент List/Tree активен. На активном элементе List/Tree есть фокус клавиатуры, на неактивном — нет.",
+ "listInactiveSelectionBackground": "Фоновый цвет выбранного элемента List/Tree, когда элемент List/Tree неактивен. На активном элементе List/Tree есть фокус клавиатуры, на неактивном — нет.",
+ "listInactiveSelectionForeground": "Цвет текста выбранного элемента List/Tree, когда элемент List/Tree неактивен. На активном элементе List/Tree есть фокус клавиатуры, на неактивном — нет.",
+ "listInactiveFocusBackground": "Фоновый цвет находящегося в фокусе элемента List/Tree, когда элемент List/Tree не активен. На активном элементе List/Tree есть фокус клавиатуры, на неактивном — нет.",
+ "listHoverBackground": "Фоновый цвет элементов List/Tree при наведении курсора мыши.",
+ "listHoverForeground": "Цвет переднего плана элементов List/Tree при наведении курсора мыши.",
+ "listDropBackground": "Фоновый цвет элементов List/Tree при перемещении с помощью мыши.",
+ "highlight": "Цвет переднего плана для выделения соответствия при поиске по элементу List/Tree.",
+ "invalidItemForeground": "Цвет переднего плана списка/дерева для недопустимых элементов, например, для неразрешенного корневого узла в проводнике.",
+ "listErrorForeground": "Цвет переднего плана элементов списка, содержащих ошибки.",
+ "listWarningForeground": "Цвет переднего плана элементов списка, содержащих предупреждения.",
+ "listFilterWidgetBackground": "Цвет фона для мини-приложения фильтра типов в списках и деревьях.",
+ "listFilterWidgetOutline": "Цвет контура для мини-приложения фильтра типов в списках и деревьях.",
+ "listFilterWidgetNoMatchesOutline": "Цвет контура для мини-приложения фильтра типов в списках и деревьях при отсутствии совпадений.",
+ "listFilterMatchHighlight": "Цвет фона для отфильтрованного совпадения.",
+ "listFilterMatchHighlightBorder": "Цвет границы для отфильтрованного совпадения.",
+ "treeIndentGuidesStroke": "Цвет штриха дерева для направляющих отступа.",
+ "listDeemphasizedForeground": "Цвет переднего плана в списке/дереве для элементов, выделение которых отменено.",
+ "menuBorder": "Цвет границ меню.",
+ "menuForeground": "Цвет переднего плана пунктов меню.",
+ "menuBackground": "Цвет фона пунктов меню.",
+ "menuSelectionForeground": "Цвет переднего плана выбранного пункта меню в меню.",
+ "menuSelectionBackground": "Цвет фона для выбранного пункта в меню.",
+ "menuSelectionBorder": "Цвет границы для выбранного пункта в меню.",
+ "menuSeparatorBackground": "Цвет разделителя меню в меню.",
+ "snippetTabstopHighlightBackground": "Цвет фона выделения в позиции табуляции фрагмента.",
+ "snippetTabstopHighlightBorder": "Цвет границы выделения в позиции табуляции фрагмента.",
+ "snippetFinalTabstopHighlightBackground": "Цвет фона выделения в последней позиции табуляции фрагмента.",
+ "snippetFinalTabstopHighlightBorder": "Выделение цветом границы в последней позиции табуляции фрагмента.",
+ "breadcrumbsFocusForeground": "Цвет элементов навигации, находящихся в фокусе.",
+ "breadcrumbsBackground": "Фоновый цвет элементов навигации.",
+ "breadcrumbsSelectedForegound": "Цвет выделенных элементов навигации.",
+ "breadcrumbsSelectedBackground": "Фоновый цвет средства выбора элементов навигации.",
+ "mergeCurrentHeaderBackground": "Текущий цвет фона заголовка при внутренних конфликтах слияния. Цвет не должен быть непрозрачным, чтобы не скрыть расположенные ниже элементы оформления.",
+ "mergeCurrentContentBackground": "Фон текущего содержимого при внутренних конфликтах слияния. Цвет не должен быть непрозрачным, чтобы не скрыть расположенные ниже элементы оформления.",
+ "mergeIncomingHeaderBackground": "Фон входящего заголовка при внутренних конфликтах объединения. Цвет не должен быть непрозрачным, чтобы не скрыть расположенные ниже элементы оформления.",
+ "mergeIncomingContentBackground": "Фон входящего содержимого при внутренних конфликтах слияния. Цвет не должен быть непрозрачным, чтобы не скрыть расположенные ниже элементы оформления.",
+ "mergeCommonHeaderBackground": "Фон заголовка общего предка во внутренних конфликтах слияния. Цвет не должен быть непрозрачным, чтобы не скрыть расположенные ниже элементы оформления.",
+ "mergeCommonContentBackground": "Фон содержимого общего предка во внутренних конфликтах слияния. Цвет не должен быть непрозрачным, чтобы не скрыть расположенные ниже элементы оформления.",
+ "mergeBorder": "Цвет границы заголовков и разделителя во внутренних конфликтах слияния.",
+ "overviewRulerCurrentContentForeground": "Цвет переднего плана линейки текущего окна во внутренних конфликтах слияния.",
+ "overviewRulerIncomingContentForeground": "Цвет переднего плана линейки входящего окна во внутренних конфликтах слияния.",
+ "overviewRulerCommonContentForeground": "Цвет переднего плана для обзорной линейки для общего предка во внутренних конфликтах слияния. ",
+ "overviewRulerFindMatchForeground": "Цвет маркера обзорной линейки для совпадений при поиске. Цвет не должен быть непрозрачным, чтобы не скрыть расположенные ниже элементы оформления.",
+ "overviewRulerSelectionHighlightForeground": "Маркер обзорной линейки для выделения выбранного фрагмента. Цвет не должен быть непрозрачным, чтобы не скрыть расположенные ниже элементы оформления.",
+ "minimapFindMatchHighlight": "Цвет маркера мини-карты для поиска совпадений.",
+ "minimapSelectionHighlight": "Цвет маркера мини-карты для выбора редактора.",
+ "minimapError": "Цвет маркера миникарты для ошибок.",
+ "overviewRuleWarning": "Цвет маркера миникарты для предупреждений.",
+ "minimapBackground": "Цвет фона мини-карты.",
+ "minimapSliderBackground": "Цвет фона ползунка мини-карты.",
+ "minimapSliderHoverBackground": "Цвет фона ползунка мини-карты при наведении на него указателя.",
+ "minimapSliderActiveBackground": "Цвет фона ползунка мини-карты при его щелчке.",
+ "problemsErrorIconForeground": "Цвет, используемый для значка ошибки, указывающего на наличие проблем.",
+ "problemsWarningIconForeground": "Цвет, используемый для предупреждающего значка, указывающего на наличие проблем.",
+ "problemsInfoIconForeground": "Цвет, используемый для информационного значка, указывающего на наличие проблем.",
+ "chartsForeground": "Цвет переднего плана на диаграммах.",
+ "chartsLines": "Цвет горизонтальных линий на диаграммах.",
+ "chartsRed": "Красный цвет, используемый в визуализациях диаграмм.",
+ "chartsBlue": "Синий цвет, используемый в визуализациях диаграмм.",
+ "chartsYellow": "Желтый цвет, используемый в визуализациях диаграмм.",
+ "chartsOrange": "Оранжевый цвет, используемый в визуализациях диаграмм.",
+ "chartsGreen": "Зеленый цвет, используемый в визуализациях диаграмм.",
+ "chartsPurple": "Лиловый цвет, используемый в визуализациях диаграмм."
+ },
+ "vs/platform/configuration/common/configurationRegistry": {
+ "defaultLanguageConfigurationOverrides.title": "Переопределения конфигурации языка по умолчанию",
+ "defaultLanguageConfiguration.description": "Настройка переопределяемых параметров для языка {0}.",
+ "overrideSettings.defaultDescription": "Настройка параметров редактора, переопределяемых для языка.",
+ "overrideSettings.errorMessage": "Этот параметр не поддерживает настройку для отдельных языков.",
+ "config.property.empty": "Не удается зарегистрировать пустое свойство",
+ "config.property.languageDefault": "Невозможно зарегистрировать \"{0}\". Оно соответствует шаблону свойства '\\\\[.*\\\\]$' для описания параметров редактора, определяемых языком. Используйте участие configurationDefaults.",
+ "config.property.duplicate": "Невозможно зарегистрировать \"{0}\". Это свойство уже зарегистрировано."
+ },
+ "vs/platform/markers/common/markers": {
+ "sev.error": "Ошибка",
+ "sev.warning": "Предупреждение",
+ "sev.info": "Информация"
+ },
+ "vs/platform/windows/electron-main/windowsMainService": {
+ "pathNotExistTitle": "Путь не существует.",
+ "pathNotExistDetail": "Путь \"{0}\" больше не существует на диске.",
+ "uriInvalidTitle": "Не удается открыть URI",
+ "uriInvalidDetail": "URI \"{0}\" является недопустимым и не может быть открыт.",
+ "ok": "OK"
+ },
+ "vs/platform/issue/electron-main/issueMainService": {
+ "local": "LOCAL",
+ "issueReporterWriteToClipboard": "Слишком много данных для отправки напрямую в GitHub. Данные будут скопированы в буфер обмена, вставьте их на открытой странице вопроса GitHub.",
+ "ok": "OK",
+ "cancel": "Отмена",
+ "confirmCloseIssueReporter": "Введенные данные не будут сохранены. Вы действительно хотите закрыть это окно?",
+ "yes": "Да",
+ "issueReporter": "Средство создания отчетов о неполадках",
+ "processExplorer": "Обозреватель процессов"
+ },
+ "vs/platform/workspaces/electron-main/workspacesHistoryMainService": {
+ "newWindow": "Новое окно",
+ "newWindowDesc": "Открывает новое окно.",
+ "recentFolders": "Последние рабочие области",
+ "folderDesc": "{0} {1}",
+ "workspaceDesc": "{0} {1}",
+ "untitledWorkspace": "Без названия (рабочая область)",
+ "workspaceName": "{0} (рабочая область)"
+ },
+ "vs/platform/workspaces/electron-main/workspacesMainService": {
+ "ok": "OK",
+ "workspaceOpenedMessage": "Не удается сохранить рабочую область '{0}'",
+ "workspaceOpenedDetail": "Эта рабочая область уже открыта в другом окне. Закройте это окно и повторите попытку."
+ },
+ "vs/platform/dialogs/electron-main/dialogs": {
+ "open": "Открыто",
+ "openFolder": "Открыть папку",
+ "openFile": "Открыть файл",
+ "openWorkspaceTitle": "Открыть рабочую область",
+ "openWorkspace": "&&Открыть"
+ },
+ "vs/platform/files/common/io": {
+ "fileTooLargeForHeapError": "Чтобы открыть файл такого размера, нужно выполнить перезапуск и позволить ему использовать больше памяти",
+ "fileTooLargeError": "Файл имеет слишком большой размер и не может быть открыт"
+ },
+ "vs/platform/extensions/common/extensionValidator": {
+ "versionSyntax": "Не удалось проанализировать значение engines.vscode {0}. Используйте такие значения как ^1.22.0, ^1.22.x и т.д.",
+ "versionSpecificity1": "Версия, указанная в engines.vscode ({0}), недостаточно конкретная. Для версий vscode до 1.0.0 укажите по крайней мере основной и дополнительный номер версии. Например, 0.10.0, 0.10.x, 0.11.0 и т. д.",
+ "versionSpecificity2": "Версия, указанная в engines.vscode ({0}), недостаточно конкретная. Для версий vscode после 1.0.0 укажите по крайней мере основной номер версии. Например, 1.10.0, 1.10.x, 1.x.x, 2.x.x и т. д.",
+ "versionMismatch": "Расширение несовместимо с кодом \"{0}\". Расширению требуется: {1}."
+ },
+ "vs/platform/extensionManagement/node/extensionsScanner": {
+ "errorDeleting": "Не удается удалить существующую папку \"{0}\" при установке расширения \"{1}\". Удалите папку вручную и повторите попытку",
+ "cannot read": "Не удается прочитать расширение из {0}",
+ "renameError": "Неизвестная ошибка при переименовании {0} в {1}",
+ "invalidManifest": "Недопустимое расширение: файл package.json не является файлом JSON."
+ },
+ "vs/platform/userDataSync/common/keybindingsSync": {
+ "errorInvalidSettings": "Не удалось синхронизировать настраиваемые сочетания клавиш, так как содержимое файла является недопустимым. Откройте файл и измените его содержимое."
+ },
+ "vs/platform/userDataSync/common/settingsSync": {
+ "errorInvalidSettings": "Не удалось синхронизировать параметры из-за ошибок или предупреждений в файле параметров."
+ },
+ "vs/platform/list/browser/listService": {
+ "workbenchConfigurationTitle": "Рабочее место",
+ "multiSelectModifier.ctrlCmd": "Соответствует клавише CTRL в Windows и Linux и клавише COMMAND в macOS.",
+ "multiSelectModifier.alt": "Соответствует клавише ALT в Windows и Linux и клавише OPTION в macOS.",
+ "multiSelectModifier": "Модификатор, который будет использоваться для добавления элементов в деревьях и списках в элемент множественного выбора с помощью мыши (например, в проводнике, в открытых редакторах и в представлении scm). Жесты мыши \"Открыть сбоку\" (если они поддерживаются) будут изменены таким образом, чтобы они не конфликтовали с модификатором элемента множественного выбора.",
+ "openModeModifier": "Управляет тем, как открывать элементы в деревьях и списках с помощью мыши (если поддерживается). Для родительских элементов с дочерними элементами в деревьях этот параметр управляет тем, будет ли родительский элемент разворачиваться по одинарному или по двойному щелчку мыши. Обратите внимание, что этот параметр может игнорироваться в некоторых деревьях и списках, если он не применяется к ним. ",
+ "horizontalScrolling setting": "Определяет, поддерживают ли горизонтальную прокрутку списки и деревья на рабочем месте. Предупреждение! Включение этого параметра может повлиять на производительность.",
+ "tree indent setting": "Определяет отступ для дерева в пикселях.",
+ "render tree indent guides": "Определяет, нужно ли в дереве отображать направляющие отступа.",
+ "list smoothScrolling setting": "Управляет тем, используется ли плавная прокрутка для списков и деревьев.",
+ "keyboardNavigationSettingKey.simple": "Про простой навигации с клавиатуры выбираются элементы, соответствующие вводимым с клавиатуры данным. Сопоставление осуществляется только по префиксам.",
+ "keyboardNavigationSettingKey.highlight": "Функция подсветки навигации с клавиатуры выделяет элементы, соответствующие вводимым с клавиатуры данным. При дальнейшей навигации вверх и вниз выполняется обход только выделенных элементов.",
+ "keyboardNavigationSettingKey.filter": "Фильтр навигации с клавиатуры позволяет отфильтровать и скрыть все элементы, не соответствующие вводимым с клавиатуры данным.",
+ "keyboardNavigationSettingKey": "Управляет стилем навигации с клавиатуры для списков и деревьев в Workbench. Доступен простой режим, режим выделения и режим фильтрации.",
+ "automatic keyboard navigation setting": "Указывает, активируется ли навигация с помощью клавиатуры в списках и деревьях автоматически простым вводом. Если задано значение \"false\", навигация с клавиатуры активируется только при выполнении команды \"list.toggleKeyboardNavigation\", для которой можно назначить сочетание клавиш.",
+ "expand mode": "Определяет, как развертываются папки дерева при щелчке имен папок."
+ },
+ "vs/platform/undoRedo/common/undoRedoService": {
+ "externalRemoval": "Следующие файлы были закрыты и изменены на диске: {0}.",
+ "noParallelUniverses": "Следующие файлы были изменены несовместимым образом: {0}.",
+ "cannotWorkspaceUndo": "Не удалось отменить \"{0}\" для всех файлов. {1}",
+ "cannotWorkspaceUndoDueToChanges": "Не удалось отменить операцию \"{0}\" для всех файлов, так как были внесены изменения в {1}",
+ "cannotWorkspaceUndoDueToInProgressUndoRedo": "Не удалось отменить действие \"{0}\" для всех файлов, так как в {1} уже выполняется операция отмены или повтора действия",
+ "cannotWorkspaceUndoDueToInMeantimeUndoRedo": "Не удалось отменить действие \"{0}\" для всех файлов, так как уже выполнялась операция отмены или повтора действия",
+ "confirmWorkspace": "Вы хотите отменить \"{0}\" для всех файлов?",
+ "ok": "Отменить действие в нескольких файлах ({0})",
+ "nok": "Отменить этот файл",
+ "cancel": "Отмена",
+ "cannotResourceUndoDueToInProgressUndoRedo": "Не удалось отменить действие \"{0}\", так как уже выполняется операция отмены или повтора действия",
+ "confirmDifferentSource": "Вы хотите отменить \"{0}\"?",
+ "confirmDifferentSource.ok": "Отменить",
+ "cannotWorkspaceRedo": "Не удалось повторить операцию \"{0}\" для всех файлов. {1}",
+ "cannotWorkspaceRedoDueToChanges": "Не удалось повторить операцию \"{0}\" для всех файлов, так как были внесены изменения в {1}",
+ "cannotWorkspaceRedoDueToInProgressUndoRedo": "Не удалось повторить действие \"{0}\" для всех файлов, так как для {1} уже выполняется операция отмены или повтора действия.",
+ "cannotWorkspaceRedoDueToInMeantimeUndoRedo": "Не удалось повторить действие \"{0}\" для всех файлов, так как уже выполнялась операция отмены или повтора действия",
+ "cannotResourceRedoDueToInProgressUndoRedo": "Не удалось повторить действие \"{0}\", так как уже выполняется операция отмены или повтора действия"
+ },
+ "vs/platform/actions/browser/menuEntryActionViewItem": {
+ "titleAndKb": "{0} ({1})"
+ },
+ "vs/platform/theme/common/iconRegistry": {
+ "iconDefintion.fontId": "Идентификатор используемого шрифта. Если параметр не задан, используется шрифт, определенный первым.",
+ "iconDefintion.fontCharacter": "Символ шрифта, связанный с определением значка.",
+ "widgetClose": "Значок для действия закрытия в мини-приложениях.",
+ "previousChangeIcon": "Значок для перехода к предыдущему расположению в редакторе.",
+ "nextChangeIcon": "Значок для перехода к следующему расположению в редакторе."
+ },
+ "vs/platform/menubar/electron-main/menubar": {
+ "miNewWindow": "&&Новое окно",
+ "mFile": "&&Файл",
+ "mEdit": "&&Правка",
+ "mSelection": "&&Выделение",
+ "mView": "&&Вид",
+ "mGoto": "&&Переход",
+ "mRun": "&&Выполнить",
+ "mTerminal": "&&Терминал",
+ "mWindow": "Окно",
+ "mHelp": "&&Справка",
+ "mAbout": "О программе {0}",
+ "miPreferences": "&&Параметры",
+ "mServices": "Службы",
+ "mHide": "Скрыть {0}",
+ "mHideOthers": "Скрыть другие",
+ "mShowAll": "Показать все",
+ "miQuit": "Выйти из {0}",
+ "mMinimize": "Свернуть",
+ "mZoom": "Изменить масштаб",
+ "mBringToFront": "Переместить все на передний план",
+ "miSwitchWindow": "Переключить &&окно...",
+ "mNewTab": "Создать вкладку",
+ "mShowPreviousTab": "Перейти на предыдущую вкладку",
+ "mShowNextTab": "Перейти на следующую вкладку",
+ "mMoveTabToNewWindow": "Переместить вкладку в новое окно",
+ "mMergeAllWindows": "Объединить все окна",
+ "miCheckForUpdates": "Проверить наличие &&обновлений...",
+ "miCheckingForUpdates": "Идет проверка наличия обновлений...",
+ "miDownloadUpdate": "С&&качать доступное обновление",
+ "miDownloadingUpdate": "Скачивается обновление...",
+ "miInstallUpdate": "Установить &&обновление...",
+ "miInstallingUpdate": "Идет установка обновления...",
+ "miRestartToUpdate": "Перезапустить для &&обновления"
+ },
+ "vs/platform/userDataSync/common/abstractSynchronizer": {
+ "incompatible": "Не удается синхронизировать ресурс {0}, так как его локальная версия {1} не совместима с его удаленной версией {2}",
+ "incompatible sync data": "Не удается проанализировать данные синхронизации, так как они не совместимы с текущей версией."
+ },
+ "vs/platform/keybinding/common/abstractKeybindingService": {
+ "first.chord": "Была нажата клавиша {0}. Ожидание нажатия второй клавиши сочетания...",
+ "missing.chord": "Сочетание клавиш ({0} и {1}) не является командой."
+ },
+ "vs/platform/quickinput/browser/helpQuickAccess": {
+ "globalCommands": "глобальные команды",
+ "editorCommands": "команды редактора",
+ "helpPickAriaLabel": "{0}, {1}"
+ },
+ "vs/platform/theme/common/tokenClassificationRegistry": {
+ "schema.token.settings": "Цвета и стили для токена.",
+ "schema.token.foreground": "Цвет переднего плана для токена.",
+ "schema.token.background.warning": "Цвет фона маркера сейчас не поддерживается.",
+ "schema.token.fontStyle": "Задает все начертания шрифтов для правила: italic, bold или underline либо их сочетание. Все начертания, не указанные в списке, удаляются. Пустая строка удаляет все начертания.",
+ "schema.fontStyle.error": "Стиль шрифта должен иметь атрибут \"italic\", \"bold\" или \"underline\" либо их сочетание. Пустая строка сбрасывает все стили.",
+ "schema.token.fontStyle.none": "Нет (очистить унаследованный стиль)",
+ "schema.token.bold": "Задает или отменяет выбор начертания шрифта для полужирного выделения. Обратите внимание, что наличие fontStyle переопределяет этот параметр.",
+ "schema.token.italic": "Задает или отменяет выбор начертания шрифта для курсива. Обратите внимание, что наличие fontStyle переопределяет этот параметр.",
+ "schema.token.underline": "Задает или отменяет выбор начертания шрифта для подчеркивания. Обратите внимание, что наличие fontStyle переопределяет этот параметр.",
+ "comment": "Стиль для комментариев.",
+ "string": "Стиль для строк.",
+ "keyword": "Стиль для ключевых слов.",
+ "number": "Стиль для чисел.",
+ "regexp": "Стиль для выражений.",
+ "operator": "Стиль для операторов.",
+ "namespace": "Стиль для пространств имен.",
+ "type": "Стиль для типов.",
+ "struct": "Стиль для структур.",
+ "class": "Стиль для классов.",
+ "interface": "Стиль для интерфейсов.",
+ "enum": "Стиль для перечислений.",
+ "typeParameter": "Стиль для параметров типа.",
+ "function": "Стиль для функций",
+ "member": "Стиль для функций-элементов",
+ "method": "Стиль для метода (функции-элементы)",
+ "macro": "Стиль для макросов.",
+ "variable": "Стиль для переменных.",
+ "parameter": "Стиль для параметров.",
+ "property": "Стиль для свойств.",
+ "enumMember": "Стиль для членов перечисления.",
+ "event": "Стиль для событий.",
+ "labels": "Стиль для меток.",
+ "declaration": "Стиль для всех объявлений символов.",
+ "documentation": "Стиль, используемый для ссылок в документации.",
+ "static": "Стиль для символов, которые являются статическими.",
+ "abstract": "Стиль для символов, которые являются абстрактными.",
+ "deprecated": "Стиль, используемый для устаревших символов.",
+ "modification": "Стиль для доступа на запись.",
+ "async": "Стиль для символов, которые являются асинхронными.",
+ "readonly": "Стиль, используемый для символов, доступных только для чтения."
+ },
+ "vs/platform/quickinput/browser/commandsQuickAccess": {
+ "commandPickAriaLabelWithKeybinding": "{0}, {1}",
+ "recentlyUsed": "недавно использованные",
+ "morecCommands": "другие команды",
+ "canNotRun": "Команда \"{0}\" привела к ошибке ({1})"
+ },
+ "win32/i18n/Default": {
+ "SetupAppTitle": "Установка",
+ "SetupWindowTitle": "Установка — %1",
+ "UninstallAppTitle": "Удалить",
+ "UninstallAppFullTitle": "Удаление %1",
+ "InformationTitle": "Сведения",
+ "ConfirmTitle": "Подтверждение",
+ "ErrorTitle": "Ошибка",
+ "SetupLdrStartupMessage": "Будет установлена программа %1. Вы хотите продолжить?",
+ "LdrCannotCreateTemp": "Не удалось создать временный файл. Установка прервана",
+ "LdrCannotExecTemp": "Не удалось выполнить файл во временном каталоге. Программа установки прервана",
+ "LastErrorMessage": "%1.%n%nОшибка %2: %3",
+ "SetupFileMissing": "Файл %1 отсутствует в каталоге установки. Исправьте проблему или получите новую копию программы.",
+ "SetupFileCorrupt": "Файлы установки повреждены. Получите новую копию программы.",
+ "SetupFileCorruptOrWrongVer": "Файлы установки повреждены или несовместимы с этой версией программы установки. Исправьте проблему или получите новую копию программы.",
+ "InvalidParameter": "В командную строку передан недопустимый параметр %n%n%1",
+ "SetupAlreadyRunning": "Программа установки уже выполняется.",
+ "WindowsVersionNotSupported": "Эта программа не поддерживает версию Windows, установленную на вашем компьютере.",
+ "WindowsServicePackRequired": "Для этой программы требуется %1 с пакетом обновления %2 или более поздней версии.",
+ "NotOnThisPlatform": "Программа не будет выполняться в %1.",
+ "OnlyOnThisPlatform": "Эта программа должна работать на %1.",
+ "OnlyOnTheseArchitectures": "Эту программу можно установить только на версиях Windows, разработанных для следующих архитектур процессора:%n%n%1",
+ "MissingWOW64APIs": "Запущенная версия Windows не содержит функции, необходимые программе установки для выполнения 64-разрядной установки. Чтобы исправить эту проблему, установите пакет обновления %1.",
+ "WinVersionTooLowError": "Для этой программы требуется %1 версии %2 или более поздней.",
+ "WinVersionTooHighError": "Эту программу невозможно установить на %1 версии %2 или более поздней.",
+ "AdminPrivilegesRequired": "Вы должны войти от имени администратора при установке программы.",
+ "PowerUserPrivilegesRequired": "Вы должны войти как администратор или член группы пользователей Power при установке этой программы.",
+ "SetupAppRunningError": "Программа установки обнаружила, что %1 сейчас выполняется.%n%nЗакройте все экземпляры и нажмите кнопку \"ОК\", чтобы продолжить, или \"Отмена\", чтобы выйти.",
+ "UninstallAppRunningError": "Программа удаления обнаружила, что приложение %1 запущено.%n%nЗакройте все экземпляры, а затем нажмите кнопку \"ОК\", чтобы продолжить, или \"Отмена\", чтобы выйти.",
+ "ErrorCreatingDir": "Программе установки не удалось создать каталог \"%1\"",
+ "ErrorTooManyFilesInDir": "Не удалось создать файл в каталоге \"%1\", так как он содержит слишком много файлов.",
+ "ExitSetupTitle": "Выход из программы установки",
+ "ExitSetupMessage": "Установка не завершена. Если вы выйдете сейчас, программа не будет установлена.%n%nЧтобы завершить установку, можно запустить программу в другое время.%n%nВыйти из программы установки?",
+ "AboutSetupMenuItem": "&Сведения об установке...",
+ "AboutSetupTitle": "Сведения об установке",
+ "AboutSetupMessage": "%1 версии %2%n%3%n%n%1 домашняя страница:%n%4",
+ "ButtonBack": "< &Назад",
+ "ButtonNext": "Да&лее >",
+ "ButtonInstall": "У&становить",
+ "ButtonOK": "ОК",
+ "ButtonCancel": "Отмена",
+ "ButtonYes": "Д&а",
+ "ButtonYesToAll": "Да дл&я всех",
+ "ButtonNo": "&Нет",
+ "ButtonNoToAll": "Н&ет для всех",
+ "ButtonFinish": "&Готово",
+ "ButtonBrowse": "&Обзор...",
+ "ButtonWizardBrowse": "&Обзор...",
+ "ButtonNewFolder": "Созд&ать папку",
+ "SelectLanguageTitle": "Выбор языка установки",
+ "SelectLanguageLabel": "Выберите язык, используемый во время установки:",
+ "ClickNext": "Нажмите кнопку \"Далее\", чтобы продолжить, или \"Отмена\", чтобы выйти из программы установки.",
+ "BrowseDialogTitle": "Выбрать папку",
+ "BrowseDialogLabel": "Выберите папку в списке ниже и нажмите кнопку \"ОК\".",
+ "NewFolderName": "Новая папка",
+ "WelcomeLabel1": "Вас приветствует мастер установки [имя]",
+ "WelcomeLabel2": "Программа [имя/версия] будет установлена на ваш компьютер.%n%nРекомендуется закрыть все остальные приложения перед тем, как продолжить.",
+ "WizardPassword": "Пароль",
+ "PasswordLabel1": "Эта программа установки защищена паролем.",
+ "PasswordLabel3": "Укажите пароль и нажмите кнопку \"Далее\", чтобы продолжить. В паролях учитывается регистр.",
+ "PasswordEditLabel": "&Пароль:",
+ "IncorrectPassword": "Указан неправильный пароль. Повторите попытку.",
+ "WizardLicense": "Лицензионное соглашение",
+ "LicenseLabel": "Прочтите следующую важную информацию, прежде чем продолжить.",
+ "LicenseLabel3": "Ознакомьтесь со следующим лицензионным соглашением. Вы должны принять условия этого соглашения перед тем, как продолжить установку.",
+ "LicenseAccepted": "Я &принимаю условия соглашения",
+ "LicenseNotAccepted": "Я &не принимаю условия соглашения",
+ "WizardInfoBefore": "Сведения",
+ "InfoBeforeLabel": "Прочтите следующую важную информацию, прежде чем продолжить.",
+ "InfoBeforeClickLabel": "Когда вы будете готовы продолжить установку, нажмите кнопку \"Далее\".",
+ "WizardInfoAfter": "Сведения",
+ "InfoAfterLabel": "Прочтите следующую важную информацию, прежде чем продолжить.",
+ "InfoAfterClickLabel": "Когда вы будете готовы продолжить установку, нажмите кнопку \"Далее\".",
+ "WizardUserInfo": "Сведения о пользователе",
+ "UserInfoDesc": "Введите свои сведения.",
+ "UserInfoName": "&Имя пользователя:",
+ "UserInfoOrg": "&Организация:",
+ "UserInfoSerial": "Сери&йный номер:",
+ "UserInfoNameRequired": "Необходимо ввести имя.",
+ "WizardSelectDir": "Выбор конечного расположения",
+ "SelectDirDesc": "Куда следует установить [имя]?",
+ "SelectDirLabel3": "Программа установки установит [имя] в следующую папку.",
+ "SelectDirBrowseLabel": "Нажмите кнопку \"Далее\", чтобы продолжить. Если вы хотите выбрать другую папку, щелкните \"Обзор\".",
+ "DiskSpaceMBLabel": "Требуется по меньшей мере [mb] МБ места на диске.",
+ "CannotInstallToNetworkDrive": "Программу невозможно установить на сетевой диск.",
+ "CannotInstallToUNCPath": "Программу невозможно установить в UNC-путь.",
+ "InvalidPath": "Нужно ввести полный путь с буквой диска, например:%n%nC:\\APP%n%nили UNC-путь в следующей форме:%n%n\\\\server\\share",
+ "InvalidDrive": "Выбранный диск или общая UNC-папка не существуют или недоступны. Выберите другой диск или папку.",
+ "DiskSpaceWarningTitle": "Недостаточно места на диске",
+ "DiskSpaceWarning": "Для программы установки требуется по меньшей мере %1 КБ свободного места, но на выбранном диске доступно только %2 КБ.%n%nВы все равно хотите продолжить?",
+ "DirNameTooLong": "Имя папки или ее путь слишком длинные.",
+ "InvalidDirName": "Имя папки недопустимо.",
+ "BadDirName32": "Имена папок не могут включать какие-либо из следующих символов:%n%n%1",
+ "DirExistsTitle": "Папка существует",
+ "DirExists": "Папка%n%n%1%n%nуже существует. Вы все равно хотите установить ее?",
+ "DirDoesntExistTitle": "Папка не существует",
+ "DirDoesntExist": "Папка%n%n%1%n%nне существует. Вы хотите создать ее?",
+ "WizardSelectComponents": "Выбор компонентов",
+ "SelectComponentsDesc": "Какие компоненты следует установить?",
+ "SelectComponentsLabel2": "Выберите компоненты, которые хотите установить; удалите компоненты, которые не хотите устанавливать. Нажмите кнопку \"Далее\", когда будете готовы продолжить.",
+ "FullInstallation": "Полная установка",
+ "CompactInstallation": "Компактная установка",
+ "CustomInstallation": "Выборочная установка",
+ "NoUninstallWarningTitle": "Компоненты существуют",
+ "NoUninstallWarning": "Программа установки обнаружила, что следующие компоненты уже установлены на компьютере:%n%n%1%n%nОтмена выбора этих компонентов не удалит их.%n%nВы все равно хотите продолжить?",
+ "ComponentSize1": "%1 КБ",
+ "ComponentSize2": "%1 МБ",
+ "ComponentsDiskSpaceMBLabel": "Для выбранных элементов требуется по меньшей мере [mb] МБ места на диске.",
+ "WizardSelectTasks": "Выбор дополнительных задач",
+ "SelectTasksDesc": "Какие дополнительные задачи следует выполнить?",
+ "SelectTasksLabel2": "Выберите дополнительные задачи, которые программа установки должна выполнить при установке [имя], а затем нажмите кнопку \"Далее\".",
+ "WizardSelectProgramGroup": "Выбор папки меню \"Пуск\"",
+ "SelectStartMenuFolderDesc": "Где должны располагаться ярлыки программы?",
+ "SelectStartMenuFolderLabel3": "Программа установки создаст ярлыки в следующей папке меню \"Пуск\".",
+ "SelectStartMenuFolderBrowseLabel": "Нажмите кнопку \"Далее\", чтобы продолжить. Если вы хотите выбрать другую папку, щелкните \"Обзор\".",
+ "MustEnterGroupName": "Необходимо ввести имя папки.",
+ "GroupNameTooLong": "Имя папки или ее путь слишком длинные.",
+ "InvalidGroupName": "Имя папки недопустимо.",
+ "BadGroupName": "Имя папки не может включать какие-либо из следующих символов:%n%n%1",
+ "NoProgramGroupCheck2": "&Не создавать папку в меню \"Пуск\"",
+ "WizardReady": "Готово к установке",
+ "ReadyLabel1": "Программа установки готова начать установку [имя] на ваш компьютер.",
+ "ReadyLabel2a": "Щелкните \"Установить\", чтобы продолжить установку, или \"Назад\", если хотите просмотреть или изменить какие-либо настройки.",
+ "ReadyLabel2b": "Щелкните \"Установить\", чтобы продолжить установку.",
+ "ReadyMemoUserInfo": "Сведения о пользователе:",
+ "ReadyMemoDir": "Конечное расположение:",
+ "ReadyMemoType": "Тип установки:",
+ "ReadyMemoComponents": "Выбранные компоненты:",
+ "ReadyMemoGroup": "Папка меню \"Пуск\":",
+ "ReadyMemoTasks": "Дополнительные задачи:",
+ "WizardPreparing": "Подготовка к установке",
+ "PreparingDesc": "Программа установки готовится к установке [имя] на ваш компьютер.",
+ "PreviousInstallNotCompleted": "Установка или удаление предыдущей программы не завершена. Вам потребуется перезагрузить компьютер, чтобы завершить установку.%n%nПосле перезагрузки компьютера запустите программу установки еще раз, чтобы завершить установку [имя].",
+ "CannotContinue": "Невозможно продолжить установку. Щелкните \"Отмена\", чтобы выйти.",
+ "ApplicationsFound": "Следующие приложения используют файлы, которые нужно обновить в программе установки. Рекомендуется разрешить программе установки автоматически закрывать эти приложения.",
+ "ApplicationsFound2": "Следующие приложения используют файлы, которые нужно обновить в программе установки. Рекомендуется разрешить программе установки автоматически закрывать эти приложения. После завершения установки программа попытается перезапустить приложения.",
+ "CloseApplications": "&Автоматически закрывать приложения",
+ "DontCloseApplications": "&Не закрывать приложения",
+ "ErrorCloseApplications": "Программе установки не удалось автоматически закрыть все приложения. Перед тем как продолжить, рекомендуется закрыть все приложения, использующие файлы, которые программе установки необходимо обновить.",
+ "WizardInstalling": "Идет установка",
+ "InstallingLabel": "Дождитесь, пока программа установки [имя] будет установлена на ваш компьютер.",
+ "FinishedHeadingLabel": "Идет завершение мастера установки [имя]",
+ "FinishedLabelNoIcons": "Программа установки завершила установку [имя] на ваш компьютер.",
+ "FinishedLabel": "Программа установки завершила установку [name] на вашем компьютере. Приложение можно запустить, выбрав установленные значки.",
+ "ClickFinish": "Чтобы выйти из программы установки, нажмите кнопку \"Готово\".",
+ "FinishedRestartLabel": "Для завершения установки [имя] программа установки должна перезагрузить ваш компьютер. Вы хотите перезагрузить его сейчас?",
+ "FinishedRestartMessage": "Для завершения установки [имя] программа установки должна перезагрузить ваш компьютер.%n%nВы хотите перезагрузить его сейчас?",
+ "ShowReadmeCheck": "Да, я хочу просмотреть файл сведений",
+ "YesRadio": "Д&а, перезагрузить компьютер сейчас",
+ "NoRadio": "Н&ет, я перезагружу компьютер позже",
+ "RunEntryExec": "Запустить %1",
+ "RunEntryShellExec": "Просмотреть %1",
+ "ChangeDiskTitle": "Программе требуется следующий диск",
+ "SelectDiskLabel2": "Вставьте диск %1 и нажмите кнопку \"ОК\".%n%nЕсли файлы на диске находятся в папке, отличной от папки ниже, введите правильный путь или щелкните \"Обзор\".",
+ "PathLabel": "Пут&ь:",
+ "FileNotInDir2": "Не удалось найти файл \"%1\" в \"%2\". Вставьте правильный диск или выберите другую папку.",
+ "SelectDirectoryLabel": "Укажите расположение следующего диска.",
+ "SetupAborted": "Программа установки не завершена.%n%nИсправьте проблему и повторно запустите программу установки.",
+ "EntryAbortRetryIgnore": "Щелкните \"Повторить попытку\", чтобы повторить ее, \"Пропустить\", чтобы продолжить, или \"Прервать\", чтобы отменить установку.",
+ "StatusClosingApplications": "Идет закрытие приложений...",
+ "StatusCreateDirs": "Идет создание каталогов...",
+ "StatusExtractFiles": "Идет извлечение файлов...",
+ "StatusCreateIcons": "Идет создание ярлыков...",
+ "StatusCreateIniEntries": "Идет создание записей INI...",
+ "StatusCreateRegistryEntries": "Идет создание записей реестра...",
+ "StatusRegisterFiles": "Идет регистрация файлов...",
+ "StatusSavingUninstall": "Идет сохранение сведений об удалении...",
+ "StatusRunProgram": "Выполняется завершение установки...",
+ "StatusRestartingApplications": "Идет перезапуск приложений...",
+ "StatusRollback": "Выполняется откат изменений...",
+ "ErrorInternal2": "Внутренняя ошибка: %1",
+ "ErrorFunctionFailedNoCode": "Сбой %1",
+ "ErrorFunctionFailed": "Сбой %1; код %2",
+ "ErrorFunctionFailedWithMessage": "Сбой %1; код %2.%n%3",
+ "ErrorExecutingProgram": "Не удалось выполнить файл%n%1",
+ "ErrorRegOpenKey": "Ошибка при открытии раздела реестра:%n%1\\%2",
+ "ErrorRegCreateKey": "Ошибка при создании creating раздела реестра:%n%1\\%2",
+ "ErrorRegWriteKey": "Ошибка при записи в раздел реестра:%n%1\\%2",
+ "ErrorIniEntry": "Произошла ошибка при создании записи INI в файле \"%1\".",
+ "FileAbortRetryIgnore": "Щелкните \"Повторить\", чтобы повторить попытку, \"Пропустить\", чтобы пропустить этот файл (не рекомендуется), или \"Прервать\", чтобы отменить установку.",
+ "FileAbortRetryIgnore2": "Щелкните \"Повторить\", чтобы повторить попытку, \"Пропустить\", чтобы все равно продолжить (не рекомендуется), или \"Прервать\", чтобы отменить установку.",
+ "SourceIsCorrupted": "Исходный файл поврежден",
+ "SourceDoesntExist": "Исходный файл \"%1\" не существует",
+ "ExistingFileReadOnly": "Существующий файл помечен как доступный только для чтения.%n%nЩелкните \"Повторить попытку\", чтобы удалить атрибут только для чтения и повторить попытку, \"Пропустить\", чтобы пропустить файл, или \"Прервать\", чтобы отменить установку.",
+ "ErrorReadingExistingDest": "Произошла ошибка при попытке прочитать существующий файл:",
+ "FileExists": "Файл уже существует.%n%nВы хотите, чтобы программа установки перезаписала его?",
+ "ExistingFileNewer": "Существующий файл новее, чем тот, который программа установки пытается установить. Рекомендуется сохранить существующий файл %n%nВы хотите сохранить существующий файл?",
+ "ErrorChangingAttr": "Произошла ошибка при попытке изменить атрибуты существующего файла:",
+ "ErrorCreatingTemp": "Произошла ошибка при попытке создать файл в конечном каталоге:",
+ "ErrorReadingSource": "Произошла ошибка при попытке прочитать исходный файл:",
+ "ErrorCopying": "Произошла ошибка при попытке скопировать файл:",
+ "ErrorReplacingExistingFile": "Произошла ошибка при попытке заменить существующий файл:",
+ "ErrorRestartReplace": "Сбой RestartReplace:",
+ "ErrorRenamingTemp": "Произошла ошибка при попытке переименовать файл в конечном каталоге:",
+ "ErrorRegisterServer": "Не удалось зарегистрировать DLL/OCX: %1",
+ "ErrorRegSvr32Failed": "Сбой RegSvr32 с кодом завершения %1",
+ "ErrorRegisterTypeLib": "Не удалось зарегистрировать библиотеку типов: %1",
+ "ErrorOpeningReadme": "Произошла ошибка при попытке открыть файл сведений.",
+ "ErrorRestartingComputer": "Программе установки не удалось перезагрузить компьютер. Сделайте это вручную.",
+ "UninstallNotFound": "Файл \"%1\" не существует. Его невозможно удалить.",
+ "UninstallOpenError": "Не удалось открыть файл \"%1\". Его невозможно удалить.",
+ "UninstallUnsupportedVer": "Файл журнала удаления \"%1\" находится в формате, не распознанном версией программы удаления. Его невозможно удалить.",
+ "UninstallUnknownEntry": "Обнаружена неизвестная запись (%1) в журнале удаления",
+ "ConfirmUninstall": "Вы действительно хотите полностью удалить %1? Расширения и параметры удалены не будут.",
+ "UninstallOnlyOnWin64": "Установку можно удалить только на 64-разрядной версии Windows.",
+ "OnlyAdminCanUninstall": "Программу может удалить только пользователь с правами администратора.",
+ "UninstallStatusLabel": "Дождитесь удаления %1 с вашего компьютера.",
+ "UninstalledAll": "Файл %1 успешно удален с вашего компьютера.",
+ "UninstalledMost": "Удаление %1 завершено.%n%nНе удалось удалить некоторые элементы. Их можно удалить вручную.",
+ "UninstalledAndNeedsRestart": "Чтобы завершить удаление %1, необходимо перезагрузить компьютер.%n%nВы хотите перезагрузить его сейчас?",
+ "UninstallDataCorrupted": "Файл \"%1\" поврежден. Не удается удалить",
+ "ConfirmDeleteSharedFileTitle": "Удалить общий файл?",
+ "ConfirmDeleteSharedFile2": "Система указывает, что следующий общий файл больше не используется никакими программами. Вы хотите удалить этот общий файл?%n%nЕсли какие-либо программы все еще используют этот файл и вы удалите его, эти программы могут работать неправильно. Если вы не уверены, выберите \"Нет\". Если вы оставите файл в системе, это не принесет вреда.",
+ "SharedFileNameLabel": "Имя файла:",
+ "SharedFileLocationLabel": "Расположение:",
+ "WizardUninstalling": "Состояние удаления",
+ "StatusUninstalling": "Идет удаление %1...",
+ "ShutdownBlockReasonInstallingApp": "Идет установка %1.",
+ "ShutdownBlockReasonUninstallingApp": "Идет удаление %1.",
+ "NameAndVersion": "%1 версии %2",
+ "AdditionalIcons": "Дополнительные значки:",
+ "CreateDesktopIcon": "Создать &значок на рабочем столе",
+ "CreateQuickLaunchIcon": "Создать значок &быстрого запуска",
+ "ProgramOnTheWeb": "%1 в Интернете",
+ "UninstallProgram": "Удалить %1",
+ "LaunchProgram": "Запустить %1",
+ "AssocFileExtension": "&Связать %1 с расширением файла %2",
+ "AssocingFileExtension": "Выполняется установка связи %1 с расширением файла %2...",
+ "AutoStartProgramGroupDescription": "Запуск:",
+ "AutoStartProgram": "Автоматически запускать в %1",
+ "AddonHostProgramNotFound": "Не удалось найти %1 в выбранной папке.%n%nВы все равно хотите продолжить?"
+ },
+ "win32/i18n/messages": {
+ "FinishedLabel": "Программа установки завершила установку [name] на вашем компьютере. Вы можете запустить приложение с помощью ярлыков, которые были установлены.",
+ "ConfirmUninstall": "Вы действительно хотите полностью удалить %1 и все его компоненты?",
+ "AdditionalIcons": "Дополнительные значки:",
+ "CreateDesktopIcon": "Создать &значок на рабочем столе",
+ "CreateQuickLaunchIcon": "Создать значок &быстрого запуска",
+ "AddContextMenuFiles": "Добавить действие \"Открыть с помощью %1\" в контекстное меню файла проводника Windows",
+ "AddContextMenuFolders": "Добавить действие \"Открыть с помощью %1\" в контекстное меню каталога проводника",
+ "AssociateWithFiles": "Зарегистрировать %1 в качестве редактора для поддерживаемых типов файлов",
+ "AddToPath": "Добавить в PATH (требуется перезагрузка оболочки)",
+ "RunAfter": "Запустить %1 после установки",
+ "Other": "Другое:",
+ "SourceFile": "Исходный файл %1",
+ "OpenWithCodeContextMenu": "Открыть с &помощью %1"
+ },
+ "vs/code/electron-main/main": {
+ "secondInstanceAdmin": "Уже запущен второй экземпляр {0} от имени администратора.",
+ "secondInstanceAdminDetail": "Закройте другой экземпляр и повторите попытку.",
+ "secondInstanceNoResponse": "Еще один экземпляр {0} запущен, но не отвечает",
+ "secondInstanceNoResponseDetail": "Закройте все остальные экземпляры и повторите попытку.",
+ "startupDataDirError": "Не удается записать данные пользователя программы.",
+ "startupUserDataAndExtensionsDirErrorDetail": "Убедитесь, что следующие каталоги доступны для записи:\r\n\r\n{0}",
+ "close": "&&Закрыть"
+ },
+ "vs/code/node/cliProcessMain": {
+ "notFound": "Расширение \"{0}\" не найдено.",
+ "notInstalled": "Расширение \"{0}\" не установлено.",
+ "useId": "Убедитесь, что вы используете полный идентификатор расширения, включая издателя, например: {0}",
+ "installingExtensions": "Установка расширений...",
+ "alreadyInstalled-checkAndUpdate": "Расширение \"{0}\" версии {1} уже установлено. Используйте параметр \"--force\", чтобы выполнить обновление до последней версии, или укажите параметр \"@\", чтобы установить конкретную версию, например, \"{2}@1.2.3\".",
+ "alreadyInstalled": "Расширение \"{0}\" уже установлено.",
+ "installation failed": "Не удалось установить расширения: {0}",
+ "successVsixInstall": "Расширение \"{0}\" успешно установлено.",
+ "cancelVsixInstall": "Установка расширения '{0}' отменена.",
+ "updateMessage": "Обновление расширения \"{0}\" до версии {1}",
+ "installing builtin ": "Установка встроенного расширения \"{0}\" версии {1}…",
+ "installing": "Установка расширения \"{0}\" версии {1}...",
+ "successInstall": "Расширение \"{0}\" версии {1} успешно установлено.",
+ "cancelInstall": "Установка расширения '{0}' отменена.",
+ "forceDowngrade": "Уже установлена более новая версия {1} расширения \"{0}\". Используйте параметр \"--force\", чтобы перейти на использование более ранней версии.",
+ "builtin": "Расширение \"{0}\" является встроенным и не может быть установлено.",
+ "forceUninstall": "Расширение \"{0}\" помечено пользователем как встроенное расширение. Используйте параметр \"--force\", чтобы удалить его.",
+ "uninstalling": "Удаление {0}...",
+ "successUninstall": "Расширение \"{0}\" успешно удалено."
+ },
+ "vs/code/electron-sandbox/issue/issueReporterMain": {
+ "hide": "скрыть",
+ "show": "показать",
+ "previewOnGitHub": "Предварительный просмотр в GitHub",
+ "loadingData": "Загрузка данных…",
+ "rateLimited": "Превышено ограничение на количество запросов GitHub. Подождите.",
+ "similarIssues": "Похожие проблемы",
+ "open": "Открыть",
+ "closed": "Закрыто",
+ "noSimilarIssues": "Подобные задачи не найдены",
+ "bugReporter": "Отчет об ошибках",
+ "featureRequest": "Запрашиваемая возможность",
+ "performanceIssue": "Проблема с производительностью",
+ "selectSource": "Выбор источника",
+ "vscode": "Visual Studio Code",
+ "extension": "Расширение",
+ "unknown": "Не знаю",
+ "stepsToReproduce": "Шаги для воспроизведения",
+ "bugDescription": "Опишите действия для точного воспроизведения проблемы. Включите фактические и ожидаемые результаты. Поддерживается разметка Markdown в стиле GitHub. Вы можете отредактировать текст проблемы и добавить снимки экрана при просмотре проблемы в GitHub.",
+ "performanceIssueDesciption": "Когда возникла эта проблема с производительностью? Происходит ли она при запуске или после указанной серии действий? Поддерживается разметка Markdown в стиле GitHub. Вы можете отредактировать текст проблемы и добавить снимки экрана при просмотре проблемы в GitHub.",
+ "description": "Описание",
+ "featureRequestDescription": "Опишите функцию, которую хотели бы увидеть. Поддерживается разметка Markdown в стиле GitHub. Вы можете отредактировать текст проблемы и добавить снимки экрана при просмотре проблемы в GitHub.",
+ "pasteData": "Мы скопировали необходимые данные в буфер обмена, так как у них был слишком большой размер для отправки. Вставьте эти данные.",
+ "disabledExtensions": "Расширения отключены.",
+ "noCurrentExperiments": "Нет текущих экспериментов."
+ },
+ "vs/code/electron-sandbox/processExplorer/processExplorerMain": {
+ "cpu": "Загрузка ЦП (%)",
+ "memory": "Память (МБ)",
+ "pid": "ИД процесса",
+ "name": "Имя",
+ "killProcess": "Завершить процесс",
+ "forceKillProcess": "Принудительно завершить процесс",
+ "copy": "Копировать",
+ "copyAll": "Копировать все",
+ "debug": "Отладка"
+ },
+ "vs/code/electron-main/app": {
+ "trace.message": "Трассировка успешно создана.",
+ "trace.detail": "Создайте вопрос и вручную прикрепите следующий файл:\r\n{0}",
+ "trace.ok": "ОК",
+ "open": "&&Да",
+ "cancel": "&&Нет",
+ "confirmOpenMessage": "Внешнее приложение стремится открыть \"{0}\" в {1}. Вы хотите открыть этот файл или эту папку?",
+ "confirmOpenDetail": "Если вы не инициировали этот запрос, возможно, он представляет попытку атаки на систему. Если вы не предприняли явное действие для инициирования этого запроса, нажмите кнопку \"Нет\""
+ },
+ "vs/code/electron-sandbox/issue/issueReporterPage": {
+ "completeInEnglish": "Заполните форму на английском языке.",
+ "issueTypeLabel": "Это",
+ "issueSourceLabel": "Файл в",
+ "issueSourceEmptyValidation": "Требуется указать источник проблемы.",
+ "disableExtensionsLabelText": "Попробуйте воспроизвести проблему после {0}. Если проблема появляется только когда расширения включены, то это скорее всего проблема с расширением.",
+ "disableExtensions": "отключение всех расширений и перезагрузка окна",
+ "chooseExtension": "Расширение",
+ "extensionWithNonstandardBugsUrl": "Средству сообщения о проблемах не удается зарегистрировать проблемы для этого расширения. Чтобы сообщить о проблеме, перейдите по адресу {0}.",
+ "extensionWithNoBugsUrl": "Средству сообщения о проблемах не удается зарегистрировать проблемы для этого расширения, так как оно не указывает URL-адрес для сообщения о проблемах. Посмотрите страницу этого расширения в Marketplace, чтобы узнать, есть ли другие инструкции.",
+ "issueTitleLabel": "Название",
+ "issueTitleRequired": "Введите название.",
+ "titleEmptyValidation": "Требуется указать заголовок.",
+ "titleLengthValidation": "Слишком длинный заголовок.",
+ "details": "Введите сведения.",
+ "descriptionEmptyValidation": "Требуется указать описание.",
+ "sendSystemInfo": "Включить сведения о моей системе ({0})",
+ "show": "показать",
+ "sendProcessInfo": "Включить сведения о запущенных процессах ({0})",
+ "sendWorkspaceInfo": "Включить метаданные рабочей области ({0})",
+ "sendExtensions": "Включить сведения об активных расширениях ({0})",
+ "sendExperiments": "Включить сведения об эксперименте A/B ({0})"
+ },
+ "vs/code/electron-main/auth": {
+ "authRequire": "Требуется проверка подлинности прокси-сервера",
+ "proxyauth": "Прокси-сервер {0} требует проверки подлинности."
+ },
+ "vs/code/electron-main/window": {
+ "reopen": "&&Открыть повторно",
+ "wait": "&&Подождать",
+ "close": "&&Закрыть",
+ "appStalled": "Окно не отвечает",
+ "appStalledDetail": "Вы можете повторно открыть окно, закрыть его или продолжить ожидание.",
+ "appCrashedDetails": "Произошло аварийное завершение работы окна (причина: \"{0}\").",
+ "appCrashed": "Сбой окна",
+ "appCrashedDetail": "Приносим извинения за неудобство! Вы можете повторно открыть окно, чтобы продолжить работу с того места, на котором остановились.",
+ "hiddenMenuBar": "Вы по-прежнему можете получить доступ к строке меню, нажав клавишу ALT."
+ },
+ "vs/workbench/electron-browser/actions/developerActions": {
+ "toggleSharedProcess": "Переключить общий процесс"
+ },
+ "vs/workbench/electron-sandbox/desktop.contribution": {
+ "newTab": "Вкладка нового окна",
+ "showPreviousTab": "Показать предыдущую вкладку окна",
+ "showNextWindowTab": "Показать следующую вкладку окна",
+ "moveWindowTabToNewWindow": "Переместить вкладку окна в новое окно",
+ "mergeAllWindowTabs": "Объединить все окна",
+ "toggleWindowTabsBar": "Переключить панель вкладок окна",
+ "preferences": "Параметры",
+ "miCloseWindow": "Закрыть &&окно",
+ "miExit": "В&&ыход",
+ "miZoomIn": "&&Увеличить",
+ "miZoomOut": "&&Уменьшить",
+ "miZoomReset": "&&Сбросить масштаб",
+ "miReportIssue": "Сообщить о &&проблеме",
+ "miToggleDevTools": "&&Показать/скрыть средства разработчика",
+ "miOpenProcessExplorerer": "Открыть &&обозреватель процессов",
+ "windowConfigurationTitle": "Окно",
+ "window.openWithoutArgumentsInNewWindow.on": "Открыть новое пустое окно.",
+ "window.openWithoutArgumentsInNewWindow.off": "Перевести фокус на последний активный запущенный экземпляр.",
+ "openWithoutArgumentsInNewWindow": "Управляет тем, необходимо ли открыть новое пустое окно или перевести фокус на последний выполняемый экземпляр при запуске второго экземпляра без аргументов.\r\nОбратите внимание, что в некоторых случаях этот параметр игнорируется (например, при использовании параметров командной строки --new-window или --reuse-window).",
+ "window.reopenFolders.preserve": "Всегда повторно открывать все окна. При открытии папки или рабочей области (например, из командной строки) она открывается в виде нового окна, если она не была открыта ранее. Если файлы открыты, они будут открываться в одном из восстановленных окон.",
+ "window.reopenFolders.all": "Повторное открытие всех окон, если только не открывается папка, рабочая область или файл (например, из командной строки).",
+ "window.reopenFolders.folders": "Повторное открытие всех окон, в которых были открыты папки или рабочие области, если только не открывается папка, рабочая область или файл (например, из командной строки).",
+ "window.reopenFolders.one": "Повторное открытие последнего активного окна, если только не открывается папка, рабочая область или файл (например, из командной строки).",
+ "window.reopenFolders.none": "Повторное открытие окон не происходит. Если только не открывается папка или рабочая область (например, из командной строки), появляется пустое окно.",
+ "restoreWindows": "Определяет способ повторного открытия окон после первого запуска. Этот параметр не действует, если приложение уже работает.",
+ "restoreFullscreen": "Определяет, должно ли окно восстанавливаться в полноэкранном режиме, если оно было закрыто в полноэкранном режиме.",
+ "zoomLevel": "Настройте масштаб окна. Исходный размер равен 0. Увеличение или уменьшение значения на 1 означает увеличение или уменьшение окна на 20 %. Чтобы более точно задать масштаб, можно также ввести десятичное число.",
+ "window.newWindowDimensions.default": "Открывать новые окна в центре экрана.",
+ "window.newWindowDimensions.inherit": "Открывать новые окна того же размера, что и последнее активное окно.",
+ "window.newWindowDimensions.offset": "Открытие новых окон тех же размеров, что и последнее активное, со смещенным положением.",
+ "window.newWindowDimensions.maximized": "Открывать новые окна в развернутом состоянии.",
+ "window.newWindowDimensions.fullscreen": "Открывать новые окна в полноэкранном режиме.",
+ "newWindowDimensions": "Определяет размеры нового открывающегося окна, если по крайней мере одно окно уже открыто. Обратите внимание, что этот параметр не влияет на первое открываемое окно. Размеры и расположение первого окна всегда будут совпадать с размерами и расположением этого окна перед закрытием.",
+ "closeWhenEmpty": "Определяет, следует ли закрыть окно при закрытии последнего редактора. Этот параметр применяется только к окнам, в которых нет открытых папок.",
+ "window.doubleClickIconToClose": "Если параметр включен, двойной щелчок значка приложения в заголовке окна приведет к закрытию окна, при этом его невозможно будет перетаскивать с помощью значка. Этот параметр действует, только если для \"#window.titleBarStyle#\" задано значение \"custom\".",
+ "titleBarStyle": "Вы можете настроить внешний вид заголовка окна. В Linux и Windows этот параметр также влияет на внешний вид меню приложения и контекстного меню. Для применения изменений требуется полная перезагрузка.",
+ "dialogStyle": "Настройка внешнего вида диалоговых окон.",
+ "window.nativeTabs": "Включает вкладки окна macOS Sierra. Обратите внимание, что для применения этих изменений потребуется полная перезагрузка, и что для всех внутренних вкладок будет отключен пользовательский стиль заголовка, если он был настроен.",
+ "window.nativeFullScreen": "Определяет, следует ли использовать собственный полноэкранный режим в macOS. Отключите этот параметр, чтобы в macOS не создавалось новое пространство при переходе в полноэкранный режим.",
+ "window.clickThroughInactive": "Если этот параметр включен, то при щелчке в неактивном окне будут активированы как оно, так и элемент управления, на котором находился курсор мыши в момент щелчка, если этот элемент управления должен активироваться по щелчку мыши. Если этот параметр отключен, то при щелчке в любом месте неактивного окна будет активировано только окно, и для активации элемента управления на нем будет нужно щелкнуть еще раз.",
+ "window.enableExperimentalProxyLoginDialog": "Включает новое диалоговое окно входа для проверки подлинности прокси-сервера. Для вступления в силу требуется перезагрузка.",
+ "telemetryConfigurationTitle": "Телеметрия",
+ "telemetry.enableCrashReporting": "Разрешить отправку отчетов о сбоях в веб-службу Майкрософт. \r\nДля применения этого параметра требуется перезапуск.",
+ "keyboardConfigurationTitle": "Клавиатура",
+ "touchbar.enabled": "Включает кнопки сенсорной панели macOS на клавиатуре, если они доступны.",
+ "touchbar.ignored": "Набор идентификаторов для записей на сенсорной панели, которые не должны отображаться (например, \"workbench.action.navigateBack\").",
+ "argv.locale": "Используемый язык интерфейса. Для выбора другого языка требуется установить соответствующий языковой пакет.",
+ "argv.disableHardwareAcceleration": "Отключает аппаратное ускорение. Изменять этот параметр следует только при наличии проблем с графикой.",
+ "argv.disableColorCorrectRendering": "Устраняет проблемы с выбором цветового профиля. Изменять этот параметр следует только при наличии проблем с графикой.",
+ "argv.forceColorProfile": "Позволяет переопределить используемый цветовой профиль. Если цвета выглядят неудовлетворительно, попробуйте задать здесь значение \"srgb\" и выполнить перезапуск.",
+ "argv.enableCrashReporter": "Позволяет отключать отчеты о сбоях и при изменении значения перезапускает приложение.",
+ "argv.crashReporterId": "Уникальный идентификатор для корреляции отчетов о сбоях, отправляемых из этого экземпляра приложения.",
+ "argv.enebleProposedApi": "Включить предложенные API для списка идентификаторов расширений (например, \"vscode.git\"). Предложенные API являются нестабильными и могут работать со сбоями. Этот параметр можно устанавливать только при разработке и тестировании расширений.",
+ "argv.force-renderer-accessibility": "Принудительно делает отрисовщик доступным. Изменять этот параметр следует только при использовании средства чтения с экрана в Linux. На других платформах отрисовщик будет доступен автоматически. Этот флаг устанавливается автоматически, если включен editor.accessibilitySupport:."
+ },
+ "vs/workbench/common/actions": {
+ "view": "Просмотр",
+ "help": "Справка",
+ "developer": "Разработчик"
+ },
+ "vs/workbench/browser/workbench": {
+ "loaderErrorNative": "Не удалось загрузить требуемый файл. Перезапустите приложение, чтобы повторить попытку. Дополнительные сведения: {0}."
+ },
+ "vs/workbench/electron-sandbox/window": {
+ "learnMode": "Дополнительные сведения",
+ "shellEnvSlowWarning": "Разрешение среды оболочки занимает очень много времени. Проверьте конфигурацию оболочки.",
+ "shellEnvTimeoutError": "Не удалось разрешить среду оболочки в течение приемлемого времени. Проверьте конфигурацию оболочки.",
+ "proxyAuthRequired": "Требуется проверка подлинности прокси-сервера",
+ "loginButton": "&&Вход",
+ "cancelButton": "&&Отмена",
+ "username": "Имя пользователя",
+ "password": "Пароль",
+ "proxyDetail": "Прокси-сервер \"{0}\" требует имя пользователя и пароль.",
+ "rememberCredentials": "Запомнить мои учетные данные",
+ "runningAsRoot": "Не рекомендуется запускать {0} с правами привилегированного пользователя.",
+ "mPreferences": "Параметры"
+ },
+ "vs/workbench/common/theme": {
+ "tabActiveBackground": "Цвет фона активной вкладки. Вкладки — это контейнеры для редакторов в области редактора. В одной группе редакторов можно открыть несколько вкладок. Может присутствовать несколько групп редакторов.",
+ "tabUnfocusedActiveBackground": "Цвет фона активной вкладки в группе, которая не находится в фокусе. Вкладки являются контейнерами для редакторов в области редакторов. В одной группе можно открыть несколько вкладок. Можно использовать несколько групп редакторов.",
+ "tabInactiveBackground": "Цвет фона неактивной вкладки. Вкладки — это контейнеры для редакторов в области редактора. В одной группе редакторов можно открыть несколько вкладок. Может присутствовать несколько групп редакторов.",
+ "tabUnfocusedInactiveBackground": "Цвет фона неактивной вкладки в группе, находящейся не в фокусе. Вкладки — это контейнеры для редакторов в области редакторов. В одной группе редакторов можно открыть несколько вкладок. Можно использовать несколько групп редакторов.",
+ "tabActiveForeground": "Цвет переднего плана активной вкладки в активной группе. Вкладки — это контейнеры для редакторов в области редактора. В одной группе редакторов можно открыть несколько вкладок. Может присутствовать несколько групп редакторов.",
+ "tabInactiveForeground": "Цвет переднего плана неактивной вкладки в активной группе. Вкладки — это контейнеры для редакторов в области редактора. В одной группе редакторов можно открыть несколько вкладок. Может присутствовать несколько групп редакторов.",
+ "tabUnfocusedActiveForeground": "Цвет переднего плана активной вкладки в группе, не имеющей фокуса. Вкладки — это контейнеры для редакторов в области редактора. В одной группе редакторов можно открыть несколько вкладок. Также можно открыть несколько групп редакторов.",
+ "tabUnfocusedInactiveForeground": "Цвет переднего плана неактивной вкладки в группе, не имеющей фокуса. Вкладки — это контейнеры для редакторов в области редактора. В одной группе редакторов можно открыть несколько вкладок. Также можно открыть несколько групп редакторов.",
+ "tabHoverBackground": "Цвет фона вкладки при наведении. Вкладки — это контейнеры для редакторов в области редактора. В одной группе редакторов можно открыть несколько вкладок. Может присутствовать несколько групп редакторов.",
+ "tabUnfocusedHoverBackground": "Цвет фона вкладки в группе, не имеющей фокуса, при наведении. Вкладки — это контейнеры для редакторов в области редактора. В одной группе редакторов можно открыть несколько вкладок. Также можно открыть несколько групп редакторов.",
+ "tabHoverForeground": "Цвет переднего плана вкладки при наведении указателя. Вкладки — это контейнеры для редакторов в области редакторов. В одной группе редакторов можно открыть несколько вкладок. Можно использовать несколько групп редакторов.",
+ "tabUnfocusedHoverForeground": "Цвет переднего плана вкладки в группе, находящейся не в фокусе, при наведении указателя. Вкладки — это контейнеры для редакторов в области редакторов. В одной группе редакторов можно открыть несколько вкладок. Можно использовать несколько групп редакторов.",
+ "tabBorder": "Граница для разделения вкладок. Вкладки — это контейнеры для редакторов в области редакторов. В одной группе редакторов можно открыть несколько вкладок. Может быть несколько групп редакторов.",
+ "lastPinnedTabBorder": "Граница для отделения закрепленных вкладок от других вкладок. Вкладки — это контейнеры для редакторов в области редактора. В одной группе редакторов можно открыть несколько вкладок. Может быть несколько групп редакторов.",
+ "tabActiveBorder": "Граница в нижней части активной вкладки. Вкладки — это контейнеры для редакторов в области редакторов. В одной группе редакторов можно открыть несколько вкладок. Также можно открыть несколько групп редакторов. ",
+ "tabActiveUnfocusedBorder": "Граница нижней части активной вкладки в группе, не имеющей фокуса. Вкладки — это контейнеры для редакторов в области редакторов. В одной группе редакторов можно открыть несколько вкладок. Также можно открыть несколько групп редакторов.",
+ "tabActiveBorderTop": "Граница в верхней части активной вкладки. Вкладки — это контейнеры для редакторов в области редакторов. В одной группе редакторов можно открыть несколько вкладок. Также можно открыть несколько групп редакторов. ",
+ "tabActiveUnfocusedBorderTop": "Граница верхней части активной вкладки в группе, не имеющей фокуса. Вкладки — это контейнеры для редакторов в области редакторов. В одной группе редакторов можно открыть несколько вкладок. Также можно открыть несколько групп редакторов.",
+ "tabHoverBorder": "Граница для выделения вкладок при наведении курсора. Вкладки — это контейнеры для редакторов в области редакторов. В одной группе редакторов можно открыть несколько вкладок. Также можно открыть несколько групп редакторов. ",
+ "tabUnfocusedHoverBorder": "Граница для выделения вкладок в группе, не имеющей фокуса, при наведении. Вкладки — это контейнеры для редакторов в области редакторов. В одной группе редакторов можно открыть несколько вкладок. Также можно открыть несколько групп редакторов.",
+ "tabActiveModifiedBorder": "Граница верхней части измененных активных вкладок в активной группе. Вкладки — это контейнеры для редакторов в области редакторов. В одной группе редакторов можно открыть несколько вкладок. Также можно открыть несколько групп редакторов.",
+ "tabInactiveModifiedBorder": "Граница верхней части измененных неактивных вкладок в активной группе. Вкладки — это контейнеры для редакторов в области редакторов. В одной группе редакторов можно открыть несколько вкладок. Также можно открыть несколько групп редакторов.",
+ "unfocusedActiveModifiedBorder": "Граница нижней части измененных активных вкладок в группе, не имеющей фокуса. Вкладки — это контейнеры для редакторов в области редакторов. В одной группе редакторов можно открыть несколько вкладок. Также можно открыть несколько групп редакторов.",
+ "unfocusedINactiveModifiedBorder": "Граница верхней части измененных неактивных вкладок в группе, не имеющей фокуса. Вкладки — это контейнеры для редакторов в области редакторов. В одной группе редакторов можно открыть несколько вкладок. Также можно открыть несколько групп редакторов.",
+ "editorPaneBackground": "Цвет фона панели редактора, отображаемой с левой и с правой стороны редактора при расположении содержимого редактора по центру.",
+ "editorGroupBackground": "Устаревший цвет фона группы редакторов.",
+ "deprecatedEditorGroupBackground": "Устарело: с появлением расположения сетки редактора цвет фона группы редакторов больше не поддерживается. Для установки цвета фона пустых групп редакторов можно использовать свойство editorGroup.emptyBackground.",
+ "editorGroupEmptyBackground": "Цвет фона пустой группы редакторов. Группы редакторов представляют собой контейнеры редакторов.",
+ "editorGroupFocusedEmptyBorder": "Цвет фона пустой группы редакторов, на которой находится выделение. Группы редакторов представляют собой контейнеры редакторов. ",
+ "tabsContainerBackground": "Цвет фона для заголовка группы редакторов, когда вкладки включены. Группы редакторов представляют собой контейнеры редакторов.",
+ "tabsContainerBorder": "Цвет границы для заголовка группы редакторов, когда вкладки включены. Группы редакторов представляют собой контейнеры редакторов.",
+ "editorGroupHeaderBackground": "Цвет фона для заголовка группы редакторов, когда вкладки отключены (`\"workbench.editor.showTabs\": false`). Группы редакторов представляют собой контейнеры редакторов.",
+ "editorTitleContainerBorder": "Цвет границы для заголовка группы редакторов. Группы редакторов — это контейнеры редакторов.",
+ "editorGroupBorder": "Цвет для разделения нескольких групп редакторов. Группы редакторов — это контейнеры редакторов.",
+ "editorDragAndDropBackground": "Цвет фона при перетаскивании редакторов. Этот цвет должен обладать прозрачностью, чтобы содержимое редактора оставалось видимым.",
+ "imagePreviewBorder": "Цвет границы изображения при предварительном просмотре изображения.",
+ "panelBackground": "Цвет фона панели. Панели показаны под областью редактора и содержат такие представления, как выходные данные и встроенный терминал.",
+ "panelBorder": "Цвет границы панели, отделяющей ее от редактора. Панели находятся под областью редактора и содержат такие представления, как выходные данные и встроенный терминал.",
+ "panelActiveTitleForeground": "Цвет заголовка для активной панели. Панели отображаются под областью редактора и содержат такие представления, как окно вывода и встроенный терминал.",
+ "panelInactiveTitleForeground": "Цвет заголовка для неактивной панели. Панели отображаются под областью редактора и содержат такие представления, как окно вывода и встроенный терминал.",
+ "panelActiveTitleBorder": "Цвет границ для заголовка активной панели. Панели отображаются под областью редактора и содержат такие представления, как окно вывода и встроенный терминал.",
+ "panelInputBorder": "Граница поля ввода для входных данных на панели.",
+ "panelDragAndDropBorder": "Цвет обратной связи при перетаскивании для заголовков панелей. Панели отображаются под областью редактора и содержат представления, такие как выходные данные и встроенный терминал.",
+ "panelSectionDragAndDropBackground": "Цвет активных разделов панели при перетаскивании. Он должен иметь прозрачность, чтобы разделы оставались видимыми. Панели находятся под областью редактора и содержат различные представления, например область вывода и встроенный терминал. Вложенные представления называются разделами панели.",
+ "panelSectionHeaderBackground": "Цвет фона для заголовка разделов панели. Панели находятся под областью редактора и содержат различные представления, например область вывода и встроенный терминал. Вложенные представления называются разделами панели.",
+ "panelSectionHeaderForeground": "Основной цвет заголовка разделов панели. Панели находятся под областью редактора и содержат различные представления, например область вывода и встроенный терминал. Вложенные представления называются разделами панели.",
+ "panelSectionHeaderBorder": "Цвет границы заголовка разделов панели с вертикально размещенными вложенными представлениями. Панели находятся под областью редактора и содержат различные представления, например область вывода и встроенный терминал. Вложенные представления называются разделами панели.",
+ "panelSectionBorder": "Цвет границы разделов панели с горизонтально размещенными вложенными представлениями. Панели находятся под областью редактора и содержат различные представления, например область вывода и встроенный терминал. Вложенные представления называются разделами панели.",
+ "statusBarForeground": "Цвет переднего плана строки состояния, когда открыта рабочая область. Строка состояния отображается в нижней части окна.",
+ "statusBarNoFolderForeground": "Цвет переднего плана строки состояния, если папка не открыта. Строка состояния отображается в нижней части окна.",
+ "statusBarBackground": "Цвет фона строки состояния, когда открыта рабочая область. Строка состояния отображается в нижней части окна.",
+ "statusBarNoFolderBackground": "Цвет фона панели состояния, если папка не открыта. Панель состояния отображается внизу окна.",
+ "statusBarBorder": "Цвет границы строки состояния, который распространяется на боковую панель и редактор. Строка состояния расположена в нижней части окна.",
+ "statusBarNoFolderBorder": "Цвет границы строки состояния, который распространяется на боковую панель и редактор, когда открытые папки отсутствуют. Строка состояния расположена в нижней части окна.",
+ "statusBarItemActiveBackground": "Цвет фона элементов панели состояния при щелчке. Панель состояния отображается внизу окна.",
+ "statusBarItemHoverBackground": "Цвет фона элементов панели состояния при наведении. Панель состояния отображается внизу окна.",
+ "statusBarProminentItemForeground": "Цвет переднего плана для важных элементов в строке состояния. Чтобы подчеркнуть важность таких элементов, они выделяются среди других записей строки состояния. Измените режим \"Переключение клавиши TAB перемещает фокус\" из палитры команд. Строка состояния отображается в нижней части окна.",
+ "statusBarProminentItemBackground": "Цвет фона приоритетных элементов панели состояния. Приоритетные элементы выделяются на фоне других элементов панели состояния, чтобы подчеркнуть их значение. Чтобы просмотреть пример, измените режим \"Toggle Tab Key Moves Focus\" из палитры команд. Панель состояния отображается в нижней части окна.",
+ "statusBarProminentItemHoverBackground": "Цвет фона приоритетных элементов панели состояния при наведении. Приоритетные элементы выделяются на фоне других элементов панели состояния, чтобы подчеркнуть их значение. Чтобы просмотреть пример, измените режим \"Toggle Tab Key Moves Focus\" из палитры команд. Панель состояния отображается в нижней части окна.",
+ "statusBarErrorItemBackground": "Цвет фона элементов ошибок на панели состояния. Элементы ошибок выделяются на фоне других элементов панели состояния и указывают на ошибки. Панель состояния отображается в нижней части окна.",
+ "statusBarErrorItemForeground": "Цвет переднего плана элементов ошибок на панели состояния. Элементы ошибок выделяются на фоне других элементов панели состояния и указывают на ошибки. Панель состояния отображается в нижней части окна.",
+ "activityBarBackground": "Цвет фона панели действий. Панель действий отображается слева или справа и позволяет переключаться между представлениями боковой панели.",
+ "activityBarForeground": "Цвет переднего плана активного элемента панели действий. Панель действий отображается слева или справа и позволяет переключаться между представлениями боковой панели.",
+ "activityBarInActiveForeground": "Цвет переднего плана неактивного элемента панели действий. Панель действий отображается слева или справа и позволяет переключаться между представлениями боковой панели.",
+ "activityBarBorder": "Цвет границы панели действий, который распространяется на боковую панель. Панель действий отображается слева или справа и позволяет переключаться между представлениями в боковой панели.",
+ "activityBarActiveBorder": "Цвет границы панели действий для активного элемента. Панель действий отображается у левого или правого края и позволяет переключаться между представлениями боковой панели.",
+ "activityBarActiveFocusBorder": "Цвет границы фокуса для текущего элемента панели действий. Панель действий отображается в крайней левой или правой части окна и позволяет переключаться между представлениями боковой панели.",
+ "activityBarActiveBackground": "Цвет фона панели действий для активного элемента. Панель действий отображается у левого или правого края и позволяет переключаться между представлениями боковой панели.",
+ "activityBarDragAndDropBorder": "Цвет обратной связи при перетаскивании для элементов панели действий. Панель действий отображается с левого или правого края и позволяет переключаться между представлениями боковой панели.",
+ "activityBarBadgeBackground": "Цвет фона значка уведомлений о действиях. Панель действий отображается слева или справа и позволяет переключаться между представлениями боковой панели.",
+ "activityBarBadgeForeground": "Цвет переднего плана значка уведомлений о действиях. Панель действий отображается слева или справа и позволяет переключаться между представлениями боковой панели.",
+ "statusBarItemHostBackground": "Цвет фона для удаленного значка в строке состояния.",
+ "statusBarItemHostForeground": "Цвет переднего плана для удаленного значка в строке состояния.",
+ "extensionBadge.remoteBackground": "Цвет фона для удаленного значка в представлении расширений.",
+ "extensionBadge.remoteForeground": "Цвет переднего плана для удаленного значка в представлении расширений.",
+ "sideBarBackground": "Цвет фона боковой панели. Боковая панель — это контейнер таких представлений, как проводник и поиск.",
+ "sideBarForeground": "Цвет переднего плана боковой панели. Боковая панель — это контейнер для таких представлений, как проводник и поиск.",
+ "sideBarBorder": "Цвет границы боковой панели со стороны редактора. Боковая панель — это контейнер для таких представлений, как проводник и поиск.",
+ "sideBarTitleForeground": "Цвет переднего плана заголовка боковой панели. Боковая панель — это контейнер для таких представлений, как проводник и поиск.",
+ "sideBarDragAndDropBackground": "Цвет активных разделов боковой панели при перетаскивании. Он должен иметь прозрачность, чтобы разделы оставались видимыми. Боковая панель содержит такие представления, как обозреватель и поиск. Вложенные представления называются разделами боковой панели.",
+ "sideBarSectionHeaderBackground": "Цвет фона для заголовка разделов боковой панели. Боковая панель содержит такие представления, как обозреватель и поиск. Вложенные представления называются разделами боковой панели.",
+ "sideBarSectionHeaderForeground": "Основной цвет заголовка разделов боковой панели. Боковая панель содержит такие представления, как обозреватель и поиск. Вложенные представления называются разделами боковой панели.",
+ "sideBarSectionHeaderBorder": "Цвет границы заголовка разделов боковой панели. Боковая панель содержит такие представления, как обозреватель и поиск. Вложенные представления называются разделами боковой панели.",
+ "titleBarActiveForeground": "Цвет переднего плана панели заголовка, если окно активно.",
+ "titleBarInactiveForeground": "Цвет переднего плана панели заголовка, если окно неактивно.",
+ "titleBarActiveBackground": "Цвет фона панели заголовка, если окно активно.",
+ "titleBarInactiveBackground": "Цвет фона панели заголовка, если окно неактивно.",
+ "titleBarBorder": "Цвет границы панели заголовка.",
+ "menubarSelectionForeground": "Цвет переднего плана выбранного элемента меню на панели меню.",
+ "menubarSelectionBackground": "Цвет фона выбранного элемента меню на панели меню.",
+ "menubarSelectionBorder": "Цвет границы выбранного элемента меню на панели меню.",
+ "notificationCenterBorder": "Цвет границы центра уведомлений. Уведомления появляются в нижней правой части окна. ",
+ "notificationToastBorder": "Цвет границы всплывающего уведомления. Уведомления появляются в нижней правой части окна.",
+ "notificationsForeground": "Цвет переднего плана уведомления. Уведомления появляются в нижней правой части окна.",
+ "notificationsBackground": "Цвет фона всплывающего уведомления. Уведомления появляются в нижней правой части окна.",
+ "notificationsLink": "Цвет переднего плана для ссылок в уведомлении. Уведомления появляются в нижней правой части окна.",
+ "notificationCenterHeaderForeground": "Цвет переднего плана заголовка в центре уведомлений. Уведомления появляются в нижней правой части окна. ",
+ "notificationCenterHeaderBackground": "Цвет фона заголовка в центре уведомлений. Уведомления появляются в нижней правой части окна. ",
+ "notificationsBorder": "Цвет границы уведомления, которая отделяет это уведомление от других в центре уведомлений. Уведомления появляются в нижней правой части окна. ",
+ "notificationsErrorIconForeground": "Цвет, используемый для значка уведомлений об ошибке. Уведомления выводятся в правой нижней части окна.",
+ "notificationsWarningIconForeground": "Цвет, используемый для значка предупреждающих уведомлений. Уведомления выводятся в правой нижней части окна.",
+ "notificationsInfoIconForeground": "Цвет, используемый для значка информационных уведомлений. Уведомления выводятся в правой нижней части окна.",
+ "windowActiveBorder": "Цвет, используемый для границы окна, когда оно активно. Поддерживается только в клиенте рабочего стола при использовании настраиваемого заголовка.",
+ "windowInactiveBorder": "Цвет границы неактивного окна. Поддерживается только в настольном клиенте при использовании пользовательского заголовка."
+ },
+ "vs/workbench/common/editor": {
+ "sideBySideLabels": "{0} – {1}",
+ "preview": "{0}, предварительный просмотр",
+ "pinned": "{0}, закреплено"
+ },
+ "vs/workbench/common/views": {
+ "testViewIcon": "Значок представления теста.",
+ "defaultViewIcon": "Значок представления по умолчанию.",
+ "duplicateId": "Представление с идентификатором \"{0}\" уже зарегистрировано"
+ },
+ "vs/workbench/api/common/extHostExtensionService": {
+ "extensionTestError": "Путь \"{0}\" не указывает на допустимый модуль выполнения тестов расширения."
+ },
+ "vs/workbench/api/common/extHostTerminalService": {
+ "launchFail.idMissingOnExtHost": "Не удалось найти терминал с идентификатором {0} на узле расширения."
+ },
+ "vs/workbench/api/common/extHostWorkspace": {
+ "updateerror": "Расширению \"{0}\" не удалось обновить папки рабочей области: {1}"
+ },
+ "vs/workbench/browser/workbench.contribution": {
+ "workbench.editor.titleScrollbarSizing.default": "Размер по умолчанию.",
+ "workbench.editor.titleScrollbarSizing.large": "Увеличивает размер, упрощая захват с помощью мыши.",
+ "tabScrollbarHeight": "Определяет высоту полос прокрутки, используемых для вкладок и элементов навигации в области заголовка редактора.",
+ "showEditorTabs": "Определяет, должны ли открытые редакторы отображаться на вкладках.",
+ "scrollToSwitchTabs": "Определяет, приводит ли прокрутка по вкладкам к их открытию. По умолчанию при прокрутке вкладки только отображаются, но не открываются. Чтобы изменить это поведение, можно нажать и удерживать клавишу SHIFT во время прокрутки. Это значение игнорируется, если параметр \"#workbench.editor.showTabs#\" имеет значение \"false\".",
+ "highlightModifiedTabs": "Определяет, отображается ли верхняя граница на вкладках редактора с измененным содержимым. Это значение игнорируется, если параметр \"#workbench.editor.showTabs#\" имеет значение \"false\".",
+ "workbench.editor.labelFormat.default": "Отображать имя файла. Если вкладки включены и в одной группе есть два файла с одинаковыми именами, будут добавлены различающиеся части пути к каждому из этих файлов. Если вкладки отключены, то для активного редактора отображается путь по отношению к корневому каталогу рабочей области.",
+ "workbench.editor.labelFormat.short": "Отображать имя файла и имя каталога.",
+ "workbench.editor.labelFormat.medium": "Отображать имя файла и путь к файлу относительно папки рабочей области.",
+ "workbench.editor.labelFormat.long": "Отображать имя файла и абсолютный путь.",
+ "tabDescription": "Определяет формат метки редактора.",
+ "workbench.editor.untitled.labelFormat.content": "Имя безымянного файла является производным от содержимого его первой строки, если только не имеется соответствующий путь к файлу. Возврат к этому имени выполняется, если строка является пустой или содержит символы, отличные от словообразующих.",
+ "workbench.editor.untitled.labelFormat.name": "Имя безымянного файла не является производным от содержимого файла.",
+ "untitledLabelFormat": "Определяет формат метки для безымянного редактора.",
+ "editorTabCloseButton": "Определяет положение кнопок \"Закрыть\" на вкладках редактора или отключает их, если задано значение \"off\". Это значение игнорируется, если параметр \"#workbench.editor.showTabs#\" имеет значение \"false\".",
+ "workbench.editor.tabSizing.fit": "Всегда оставлять вкладки достаточно большим для отображения всей метки редактора.",
+ "workbench.editor.tabSizing.shrink": "Уменьшать вкладки, если свободного пространства недостаточно для отображения всех вкладок.",
+ "tabSizing": "Управляет выбором размера для вкладок редактора. Это значение игнорируется, если параметр \"#workbench.editor.showTabs#\" имеет значение \"false\".",
+ "workbench.editor.pinnedTabSizing.normal": "Закрепленная вкладка наследует вид незакрепленных вкладок.",
+ "workbench.editor.pinnedTabSizing.compact": "Закрепленная вкладка будет отображаться в компактном виде (только значок или первая буква имени редактора).",
+ "workbench.editor.pinnedTabSizing.shrink": "Закрепленная вкладка сжимается до компактного фиксированного размера, в котором отображаются части имени редактора.",
+ "pinnedTabSizing": "Определяет размер закрепленных вкладок редактора. Они располагаются первыми среди всех открытых вкладок и обычно не закрываются, пока не будут откреплены. Это значение игнорируется, если \"#workbench.editor.showTabs#\" имеет значение \"false\".",
+ "workbench.editor.splitSizingDistribute": "Разделяет группы редакторов на равные части.",
+ "workbench.editor.splitSizingSplit": "Разделяет активную группу редакторов на равные части.",
+ "splitSizing": "Определяет размер групп редакторов при их разделении.",
+ "splitOnDragAndDrop": "Определяет, можно ли разделять группы редакторов из операций перетаскивания путем перетаскивания редактора или файла на краях области редактора.",
+ "focusRecentEditorAfterClose": "Определяет, закрываются ли вкладки в порядке использования, начиная с последней, либо слева направо.",
+ "showIcons": "Определяет, должны ли открытые редакторы отображаться со значком. Для этого также требуется включить тему значков.",
+ "enablePreview": "Управляет тем, будут ли открытые редакторы отображаться в режиме предварительного просмотра. Редакторы, отображаемые в режиме предварительного просмотра, не остаются открытыми и используются повторно, пока не будут явно закреплены в открытом состоянии (например, с помощью двойного щелчка или открытия режима редактирования). Текст в таких редакторах отображается курсивом.",
+ "enablePreviewFromQuickOpen": "Управляет тем, будут ли редакторы, открытые с помощью Quick Open, отображаться в режиме предварительного просмотра. Редакторы, отображаемые в режиме предварительного просмотра, не остаются открытыми и используются повторно, пока не будут явно закреплены в открытом состоянии (например, с помощью двойного щелчка или открытия режима редактирования).",
+ "closeOnFileDelete": "Определяет, следует ли автоматически закрывать редакторы, когда файл, который был открыт в начале сеанса, удален или переименован другим процессом. При отключении этой функции редактор останется открытым. Обратите внимание, что при удалении файла из приложения редактор закрывается в любом случае, и измененные файлы не закрываются, чтобы сохранить ваши данные.",
+ "editorOpenPositioning": "Определяет место открытия редакторов. Выберите 'left' или 'right', чтобы открывать редакторы слева или справа от активного редактора. Выберите 'first' или 'last', чтобы открывать редакторы независимо от активного редактора.",
+ "sideBySideDirection": "Определяет направление по умолчанию для редакторов, которые открываются рядом друг с другом (например, из проводника). По умолчанию новые редакторы открываются с правой стороны от текущего активного редактора. Если изменить значение этого параметра на 'down', новые редакторы будут открываться снизу от текущего активного редактора.",
+ "closeEmptyGroups": "Управляет поведением пустых групп редакторов при закрытии последней вкладки в группе. Если этот параметр установлен, пустые группы будут закрыты автоматически. Если этот параметр не установлен, пустые группы останутся частью сетки.",
+ "revealIfOpen": "Определяет, отображается ли редактор в какой-либо из видимых групп при открытии. Если функция отключена, редактор открывается в текущей активной группе редакторов. Если функция включена, вместо открытия уже открытый редактор будет отображен в текущей активной группе редакторов. Обратите внимание, что в некоторых случаях этот параметр игнорируется, например при принудительном открытии редактора в определенной группе или сбоку от текущей активной группы редакторов.",
+ "mouseBackForwardToNavigate": "Переход между открытыми файлами с помощью четвертой и пятой кнопок мыши, если они есть.",
+ "restoreViewState": "Восстанавливает состояние последнего просмотра (например, положение прокрутки) при повторном открытии текстовых редакторов после того, как они были закрыты.",
+ "centeredLayoutAutoResize": "Определяет, должны ли расположенные по центру элементы автоматически изменять размер до максимальной ширины при открытии нескольких групп. Если открыта только одна группа, размер расположенных по центру элементов будет автоматически восстановлен до исходного размера (по ширине окна).",
+ "limitEditorsEnablement": "Определяет, ограничивается ли количество открытых редакторов. Если параметр включен, наиболее давно использовавшиеся редакторы, не являющиеся \"грязными\", закроются, чтобы освободить место для вновь открываемых редакторов.",
+ "limitEditorsMaximum": "Определяет максимальное количество открытых редакторов. Используйте параметр \"#workbench.editor.limit.perEditorGroup#\", чтобы применить этот лимит к отдельной группе редакторов или всем группам.",
+ "perEditorGroup": "Определяет, должен ли лимит максимального числа открытых редакторов применяться для отдельной группы редакторов или для всех групп редакторов.",
+ "commandHistory": "Определяет количество недавно использованных команд, которые следует хранить в журнале палитры команд. Установите значение 0, чтобы отключить журнал команд.",
+ "preserveInput": "Определяет, следует ли восстановить последнюю введенную команду в палитре команд при следующем открытии палитры.",
+ "closeOnFocusLost": "Управляет автоматическим закрытием Quick Open при потере фокуса.",
+ "workbench.quickOpen.preserveInput": "Определяет, следует ли восстановить последние введенные данные в Quick Open при следующем открытии Quick Open. ",
+ "openDefaultSettings": "Управляет открытием редактора с отображением всех настроек по умолчанию при открытии настроек.",
+ "useSplitJSON": "Определяет, используется ли редактор JSON с разделением при изменении параметров в форме JSON.",
+ "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": "Субпиксельное сглаживание шрифтов; позволит добиться максимальной четкости текста на большинстве дисплеев за исключением Retina.",
+ "workbench.fontAliasing.antialiased": "Сглаживание шрифтов на уровне пикселей, в отличие от субпиксельного сглаживания. Может сделать шрифт светлее в целом.",
+ "workbench.fontAliasing.none": "Отключает сглаживание шрифтов; текст будет отображаться с неровными острыми краями.",
+ "workbench.fontAliasing.auto": "Автоматически применяется режим \"default\" или \"antialiased\" в зависимости от разрешения дисплея (количество точек на дюйм).",
+ "settings.editor.ui": "Использовать редактор параметров пользовательского интерфейса.",
+ "settings.editor.json": "Использовать редактор файлов JSON.",
+ "settings.editor.desc": "Определяет, какой редактор параметров использовать по умолчанию.",
+ "windowTitle": "Управляет заголовком окна на основе активного редактора. Переменные заменяются на основе контекста:",
+ "activeEditorShort": "\"${activeEditorShort}\": имя файла (например, myFile.txt).",
+ "activeEditorMedium": "\"${activeEditorMedium}\": путь к файлу относительно папки рабочей области (например, myFolder/myFileFolder/myFile.txt).",
+ "activeEditorLong": "\"${activeEditorLong}\": полный путь к файлу (например, /Users/Development/myFolder/myFileFolder/myFile.txt).",
+ "activeFolderShort": "\"${activeFolderShort}\": имя папки, в которой содержится файл (например, myFileFolder).",
+ "activeFolderMedium": "\"${activeFolderMedium}\": путь, относительно папки рабочей области, к месту, где содержится файл (например, myFolder/myFileFolder).",
+ "activeFolderLong": "\"${activeFolderLong}\": полный путь к папке, содержащей файл (например, /Users/Development/myFolder/myFileFolder).",
+ "folderName": "\"${folderName}\": имя папки рабочей области, где находится файл (например, myFolder).",
+ "folderPath": "\"${folderPath}\": путь к папке рабочей области, где содержится файл (например, /Users/Development/myFolder).",
+ "rootName": "\"${rootName}\": имя рабочей области (например, myFolder или myWorkspace).",
+ "rootPath": "\"${rootPath}\": путь к рабочей области (например, /Users/Development/myWorkspace).",
+ "appName": "\"${appName}\": например, VS Code.",
+ "remoteName": "\"${remoteName}\": например, SSH",
+ "dirty": "\"${dirty}\": \"грязный\" индикатор, если активный редактор является \"грязным\".",
+ "separator": "\"${separator}\": условный разделитель (\"-\"), который отображается, только если он окружен переменными со значениями или статическим текстом.",
+ "windowConfigurationTitle": "Окно",
+ "window.titleSeparator": "Разделитель, используемый window.title.",
+ "window.menuBarVisibility.default": "Меню скрыто только в полноэкранном режиме.",
+ "window.menuBarVisibility.visible": "Меню всегда видимо, даже в полноэкранном режиме.",
+ "window.menuBarVisibility.toggle": "Меню скрыто, но его можно вывести с помощью клавиши ALT.",
+ "window.menuBarVisibility.hidden": "Меню всегда скрыто.",
+ "window.menuBarVisibility.compact": "Меню отображается в виде компактной кнопки на боковой панели. Это значение игнорируется, если для параметра \"#window.titleBarStyle#\" задано значение \"native\".",
+ "menuBarVisibility": "Определяет видимость строки меню. Значение toggle указывает, что строка меню скрыта и для ее вывода нужно один раз нажать клавишу ALT. По умолчанию строка меню не будет отображаться только в полноэкранном режиме.",
+ "enableMenuBarMnemonics": "Определяет, можно ли открыть главные меню с помощью сочетаний клавиш ALT+клавиша. Отключение мнемоник позволяет вместо этого привязать такие сочетания ALT+клавиша к командам редактора.",
+ "customMenuBarAltFocus": "Определяет, устанавливается ли фокус на строку меню при нажатии клавиш ALT+клавиша. Этот параметр не влияет на переключение строки меню с помощью сочетания Alt+клавиша.",
+ "window.openFilesInNewWindow.on": "Файлы будут открыты в новом окне.",
+ "window.openFilesInNewWindow.off": "Файлы будут открыты в окне с открытой папкой файлов или в последнем активном окне.",
+ "window.openFilesInNewWindow.defaultMac": "Файлы будут открыты в новом окне с открытой папкой файлов или в последнем активном окне, если они не были открыты с помощью панели Dock или поиска.",
+ "window.openFilesInNewWindow.default": "Файлы будут открыты в новом окне, если они не были выбраны в приложении (например, из меню \"Файл\").",
+ "openFilesInNewWindowMac": "Управляет тем, должны ли файлы открываться в новом окне. \r\nОбратите внимание, что в некоторых случаях этот параметр игнорируется (например, при использовании параметров командной строки --new-window или --reuse-window).",
+ "openFilesInNewWindow": "Управляет тем, должны ли файлы открываться в новом окне.\r\nОбратите внимание, что в некоторых случаях этот параметр игнорируется (например, при использовании параметров командной строки --new-window или --reuse-window).",
+ "window.openFoldersInNewWindow.on": "Папки будут открыты в новом окне.",
+ "window.openFoldersInNewWindow.off": "Папки будут заменять последнее активное окно.",
+ "window.openFoldersInNewWindow.default": "Папки будут открываться в новом окне, если папка не выбрана в приложении (например, в меню \"Файл\").",
+ "openFoldersInNewWindow": "Управляет тем, должны ли папки открываться в новом окне или заменять последнее активное окно.\r\nОбратите внимание, что в некоторых случаях этот параметр игнорируется (например, при использовании параметров командной строки --new-window или --reuse-window).",
+ "window.confirmBeforeClose.always": "Попытка всегда запрашивать подтверждение. Однако браузеры все равно могут закрывать окна и вкладки без него.",
+ "window.confirmBeforeClose.keyboardOnly": "Запрос подтверждения только при обнаружении сочетания клавиш. Учтите, что в некоторых случаях обнаружение невозможно.",
+ "window.confirmBeforeClose.never": "Никогда не запрашивать в явном виде подтверждение, если нет угрозы потери данных.",
+ "confirmBeforeCloseWeb": "Определяет, отображать ли диалоговое окно подтверждения перед закрытием вкладки или окна браузера. Однако даже при включении этой функции браузеры могут закрывать окна и вкладки без подтверждения, поэтому рассматривайте ее лишь как подсказку, которая выдается не всегда.",
+ "zenModeConfigurationTitle": "Режим Zen",
+ "zenMode.fullScreen": "Определяет, будет ли рабочее пространство переключаться в полноэкранный режим при включении режима Zen.",
+ "zenMode.centerLayout": "Определяет, будет ли выполняться выравнивание по центру при включении режима Zen. ",
+ "zenMode.hideTabs": "Определяет, будут ли скрыты вкладки рабочей области при включении режима Zen. ",
+ "zenMode.hideStatusBar": "Определяет, будет ли скрыта строка состояния в нижней части рабочей области при включении режима Zen. ",
+ "zenMode.hideActivityBar": "Определяет, будет ли скрыта панель действий в левой или в правой части рабочей области при включении режима Zen.",
+ "zenMode.hideLineNumbers": "Определяет, скрываются ли номера строк в редакторе при включении режима Zen.",
+ "zenMode.restore": "Определяет, необходимо ли восстановить окно в режиме Zen, если оно было закрыто в режиме Zen.",
+ "zenMode.silentNotifications": "Определяет, отображаются ли уведомления в режиме zen. Если задано значение true, будут выводиться только уведомления об ошибках."
+ },
+ "vs/workbench/browser/actions/textInputActions": {
+ "undo": "Отменить",
+ "redo": "Вернуть",
+ "cut": "Вырезать",
+ "copy": "Копирование",
+ "paste": "Вставить",
+ "selectAll": "Выбрать все"
+ },
+ "vs/workbench/browser/actions/developerActions": {
+ "inspect context keys": "Проверить ключи контекста",
+ "toggle screencast mode": "Переключение режима Screencast",
+ "logStorage": "Содержимое базы данных хранилища журналов",
+ "logWorkingCopies": "Рабочие копии журнала",
+ "screencastModeConfigurationTitle": "Режим записи с экрана",
+ "screencastMode.location.verticalPosition": "Определяет вертикальное смещение перекрытия для режима записи с экрана в нижней части окна в процентах от высоты рабочей области.",
+ "screencastMode.fontSize": "Задает размер шрифта (в пикселах) для клавиатуры в режиме записи с экрана.",
+ "screencastMode.onlyKeyboardShortcuts": "Отображать только сочетания клавиш в режиме записи с экрана.",
+ "screencastMode.keyboardOverlayTimeout": "Определяет время (в миллисекундах), в течение которого отображается наложение клавиатуры в режиме записи с экрана.",
+ "screencastMode.mouseIndicatorColor": "Задает цвет индикатора мыши в шестнадцатеричном формате (#RGB, #RGBA, #RRGGBB или #RRGGBBAA) в режиме записи с экрана.",
+ "screencastMode.mouseIndicatorSize": "Задает размер курсора мыши (в пикселях) в режиме записи с экрана."
+ },
+ "vs/workbench/browser/actions/helpActions": {
+ "keybindingsReference": "Справочник по сочетаниям клавиш",
+ "openDocumentationUrl": "Документация",
+ "openIntroductoryVideosUrl": "Вступительные видео",
+ "openTipsAndTricksUrl": "Советы и рекомендации",
+ "newsletterSignup": "Подписаться на информационный бюллетень VS Code",
+ "openTwitterUrl": "Присоединяйтесь к нам в Twitter",
+ "openUserVoiceUrl": "Запросы на поиск функций",
+ "openLicenseUrl": "Просмотр лицензии",
+ "openPrivacyStatement": "Заявление о конфиденциальности",
+ "miDocumentation": "&&Документация",
+ "miKeyboardShortcuts": "С&&правочник по сочетаниям клавиш",
+ "miIntroductoryVideos": "Вступительные в&&идео",
+ "miTipsAndTricks": "Советы и реко&&мендации",
+ "miTwitter": "&&Присоединяйтесь к нам в Twitter",
+ "miUserVoice": "&&Поиск запросов функций",
+ "miLicense": "Просмотреть &&лицензию",
+ "miPrivacyStatement": "Заявле&&ние о конфиденциальности"
+ },
+ "vs/workbench/browser/actions/layoutActions": {
+ "closeSidebar": "Закрыть боковую панель",
+ "toggleActivityBar": "Показать или скрыть панель действий",
+ "miShowActivityBar": "Показать &&панель действий",
+ "toggleCenteredLayout": "Включить/отключить расположение по центру",
+ "miToggleCenteredLayout": "&&Выровненный по центру макет",
+ "flipLayout": "Переключить вертикальное или горизонтальное расположение окон редактора",
+ "miToggleEditorLayout": "Отразить &&макет",
+ "toggleSidebarPosition": "Изменить положение боковой панели",
+ "moveSidebarRight": "Переместить боковую панель вправо",
+ "moveSidebarLeft": "Переместить боковую панель влево",
+ "miMoveSidebarRight": "&&Переместить боковую панель вправо",
+ "miMoveSidebarLeft": "&&Переместить боковую панель влево",
+ "toggleEditor": "Переключить область видимости редактора",
+ "miShowEditorArea": "Показать &&область редактора",
+ "toggleSidebar": "Изменить видимость боковой панели",
+ "miAppearance": "&&Внешний вид",
+ "miShowSidebar": "Показать &&боковую панель",
+ "toggleStatusbar": "Переключить видимость строки состояния",
+ "miShowStatusbar": "Показать с&&троку состояния",
+ "toggleTabs": "Изменить видимость вкладки",
+ "toggleZenMode": "Включить/отключить режим \"Дзен\"",
+ "miToggleZenMode": "Режим Zen",
+ "toggleMenuBar": "Переключить строку меню",
+ "miShowMenuBar": "Показать строку &&меню",
+ "resetViewLocations": "Сброс расположений просмотра",
+ "moveView": "Переместить представление",
+ "sidebarContainer": "Боковая панель/{0}",
+ "panelContainer": "Панель/{0}",
+ "moveFocusedView.selectView": "Выберите представление для перемещения",
+ "moveFocusedView": "Перемещение представления в фокусе",
+ "moveFocusedView.error.noFocusedView": "Сейчас никакое из представлений не находится в фокусе.",
+ "moveFocusedView.error.nonMovableView": "Представление в фокусе не является перемещаемым.",
+ "moveFocusedView.selectDestination": "Выберите назначение для представления",
+ "moveFocusedView.title": "Перемещение представления: {0}",
+ "moveFocusedView.newContainerInPanel": "Новая вкладка на панели",
+ "moveFocusedView.newContainerInSidebar": "Новый контейнер на боковой панели",
+ "sidebar": "Боковая панель",
+ "panel": "Панель",
+ "resetFocusedViewLocation": "Сброс расположения представления с фокусом",
+ "resetFocusedView.error.noFocusedView": "Сейчас никакое из представлений не находится в фокусе.",
+ "increaseViewSize": "Увеличить размер текущего представления",
+ "increaseEditorWidth": "Увеличить ширину редактора",
+ "increaseEditorHeight": "Увеличить высоту редактора",
+ "decreaseViewSize": "Уменьшить размер текущего представления",
+ "decreaseEditorWidth": "Уменьшить ширину редактора",
+ "decreaseEditorHeight": "Уменьшить высоту редактора"
+ },
+ "vs/workbench/browser/actions/navigationActions": {
+ "navigateLeft": "Перейти к представлению слева",
+ "navigateRight": "Перейти к представлению справа",
+ "navigateUp": "Перейти к представлению вверху",
+ "navigateDown": "Перейти к представлению внизу",
+ "focusNextPart": "Фокус на следующей части",
+ "focusPreviousPart": "Фокус на предыдущей части"
+ },
+ "vs/workbench/browser/actions/windowActions": {
+ "remove": "Удалить из последних открытых",
+ "dirtyRecentlyOpened": "Рабочее пространство с грязными файлами",
+ "workspaces": "рабочие области",
+ "files": "Файлы",
+ "openRecentPlaceholderMac": "Выберите, чтобы открыть (удерживайте клавишу CMD, чтобы принудительно открыть новое окно, или клавишу ALT, чтобы использовать то же окно)",
+ "openRecentPlaceholder": "Выберите, чтобы открыть (удерживайте клавишу CTRL, чтобы принудительно открыть новое окно, или клавишу ALT, чтобы использовать то же окно)",
+ "dirtyWorkspace": "Рабочее пространство с грязными файлами",
+ "dirtyWorkspaceConfirm": "Вы хотите открыть рабочее пространство для просмотра грязных файлов?",
+ "dirtyWorkspaceConfirmDetail": "Рабочие пространства с грязными файлами невозможно удалить, пока все грязные файлы не будут сохранены или для них не будут отменены изменения.",
+ "recentDirtyAriaLabel": "{0}, \"грязное\" рабочее пространство",
+ "openRecent": "Открыть последние...",
+ "quickOpenRecent": "Быстро открыть последние...",
+ "toggleFullScreen": "Полноэкранный режим",
+ "reloadWindow": "Перезагрузить окно",
+ "about": "О программе",
+ "newWindow": "Новое окно",
+ "blur": "Удалить фокус клавиатуры из фокусируемого элемента",
+ "file": "Файл",
+ "miConfirmClose": "Подтвердить перед закрытием",
+ "miNewWindow": "&&Новое окно",
+ "miOpenRecent": "Открыть &&последние",
+ "miMore": "&&Дополнительно...",
+ "miToggleFullScreen": "&&Полный экран",
+ "miAbout": "&&О программе"
+ },
+ "vs/workbench/browser/actions/workspaceActions": {
+ "openFile": "Открыть файл...",
+ "openFolder": "Открыть папку...",
+ "openFileFolder": "Открыть...",
+ "openWorkspaceAction": "Открыть рабочую область...",
+ "closeWorkspace": "Закрыть рабочую область",
+ "noWorkspaceOpened": "В этом экземпляре отсутствуют открытые рабочие области.",
+ "openWorkspaceConfigFile": "Открыть файл конфигурации рабочей области",
+ "globalRemoveFolderFromWorkspace": "Удалить папку из рабочей области...",
+ "saveWorkspaceAsAction": "Сохранить рабочую область как...",
+ "duplicateWorkspaceInNewWindow": "Создать копию рабочей области в новом окне",
+ "workspaces": "Рабочие области",
+ "miAddFolderToWorkspace": "Д&&обавить папку в рабочую область...",
+ "miSaveWorkspaceAs": "Сохранить рабочую область как...",
+ "miCloseFolder": "Закрыть &&папку",
+ "miCloseWorkspace": "Закрыть &&рабочую область"
+ },
+ "vs/workbench/browser/actions/workspaceCommands": {
+ "addFolderToWorkspace": "Добавить папку в рабочую область...",
+ "add": "&&Добавить",
+ "addFolderToWorkspaceTitle": "Добавить папку в рабочую область",
+ "workspaceFolderPickerPlaceholder": "Выберите папку рабочей области"
+ },
+ "vs/workbench/browser/actions/quickAccessActions": {
+ "quickOpen": "Перейти к файлу...",
+ "quickNavigateNext": "Перейти к следующему элементу в Quick Open.",
+ "quickNavigatePrevious": "Перейти к предыдущему элементу в Quick Open.",
+ "quickSelectNext": "Выбрать следующее в Quick Open",
+ "quickSelectPrevious": "Выбрать предыдущее в Quick Open"
+ },
+ "vs/workbench/api/common/menusExtensionPoint": {
+ "menus.commandPalette": "Палитра команд",
+ "menus.touchBar": "Сенсорная панель (только для macOS)",
+ "menus.editorTitle": "Главное меню редактора",
+ "menus.editorContext": "Контекстное меню редактора",
+ "menus.explorerContext": "Контекстное меню проводника",
+ "menus.editorTabContext": "Контекстное меню вкладок редактора",
+ "menus.debugCallstackContext": "Контекстное меню для представления стека вызовов отладки",
+ "menus.debugVariablesContext": "Контекстное меню для представления переменных отладки",
+ "menus.debugToolBar": "Меню панели инструментов отладки",
+ "menus.file": "Меню файлов верхнего уровня",
+ "menus.home": "Контекстное меню индикатора главной страницы (только веб-версия)",
+ "menus.scmTitle": "Меню заголовков для системы управления версиями",
+ "menus.scmSourceControl": "Меню \"Система управления версиями\"",
+ "menus.resourceGroupContext": "Контекстное меню группы ресурсов для системы управления версиями",
+ "menus.resourceStateContext": "Контекстное меню состояния ресурсов для системы управления версиями",
+ "menus.resourceFolderContext": "Контекстное меню папки ресурсов для системы управления версиями",
+ "menus.changeTitle": "Меню встроенных изменений для системы управления версиями",
+ "menus.statusBarWindowIndicator": "Меню индикатора окна в строке состояния",
+ "view.viewTitle": "Меню заголовка для окна участников",
+ "view.itemContext": "Контекстное меню элемента для окна участников",
+ "commentThread.title": "Меню заголовков добавленных цепочек комментариев",
+ "commentThread.actions": "Контекстное меню добавленных цепочек комментариев, отображаемое в виде кнопок под редактором комментариев",
+ "comment.title": "Меню заголовков добавленных комментариев",
+ "comment.actions": "Контекстное меню добавленных комментариев, отображаемое в виде кнопок под редактором комментариев",
+ "notebook.cell.title": "Меню заголовка добавленной ячейки записной книжки",
+ "menus.extensionContext": "Контекстное меню расширения",
+ "view.timelineTitle": "Меню раздела для представления временной шкалы",
+ "view.timelineContext": "Контекстное меню для элемента представления временной шкалы",
+ "requirestring": "свойство \"{0}\" является обязательным и должно иметь тип \"string\"",
+ "optstring": "свойство \"{0}\" может быть опущено; если оно указано, оно должно иметь тип \"string\"",
+ "requirearray": "пункты подменю должны быть массивом",
+ "require": "пункты подменю должны быть объектом",
+ "vscode.extension.contributes.menuItem.command": "Идентификатор команды, которую нужно выполнить. Эта команда должна быть объявлена в разделе commands",
+ "vscode.extension.contributes.menuItem.alt": "Идентификатор альтернативной команды, которую нужно выполнить. Эта команда должна быть объявлена в разделе commands",
+ "vscode.extension.contributes.menuItem.when": "Условие, которое должно иметь значение TRUE, чтобы отображался этот элемент",
+ "vscode.extension.contributes.menuItem.group": "Группа, к которой принадлежит этот элемент",
+ "vscode.extension.contributes.menuItem.submenu": "Идентификатор подменю для отображения в этом элементе.",
+ "vscode.extension.contributes.submenu.id": "Идентификатор меню для отображения в виде подменю.",
+ "vscode.extension.contributes.submenu.label": "Метка пункта меню, который ведет к этому подменю.",
+ "vscode.extension.contributes.submenu.icon": "(Необязательно.) Значок, используемый для представления подменю в пользовательском интерфейсе. Это может быть путь к файлу, объект с путями к файлам для темной и светлой тем либо ссылки на значок темы, например: \"\\$(zap)\".",
+ "vscode.extension.contributes.submenu.icon.light": "Путь к значку, когда используется светлая тема",
+ "vscode.extension.contributes.submenu.icon.dark": "Путь к значку, когда используется темная тема",
+ "vscode.extension.contributes.menus": "Добавляет элементы меню в редактор",
+ "proposed": "Предлагаемый API-интерфейс",
+ "vscode.extension.contributes.submenus": "Добавляет пункты подменю в редактор",
+ "nonempty": "требуется непустое значение.",
+ "opticon": "Свойство icon может быть пропущено или должно быть строкой или литералом, например \"{dark, light}\"",
+ "requireStringOrObject": "Свойство \"{0}\" обязательно и должно иметь тип \"string\" или \"object\"",
+ "requirestrings": "Свойства \"{0}\" и \"{1}\" обязательны и должны иметь тип \"string\"",
+ "vscode.extension.contributes.commandType.command": "Идентификатор выполняемой команды",
+ "vscode.extension.contributes.commandType.title": "Название команды в пользовательском интерфейсе",
+ "vscode.extension.contributes.commandType.category": "(Необязательно.) Строка категорий, по которым команды группируются в пользовательском интерфейсе",
+ "vscode.extension.contributes.commandType.precondition": "(Необязательно) Условие, которое должно иметь значение true, чтобы включить команду в пользовательском интерфейсе (меню и сочетания клавиш). Не запрещает выполнение команды другими средствами, например с помощью \"executeCommand\"-api.",
+ "vscode.extension.contributes.commandType.icon": "(Необязательно) Значок, используемый для представления команды в пользовательском интерфейсе. Это путь к файлу, объект с путями к файлам для темной и светлой тем или ссылки на значок темы, например, \"\\$(zap)\"",
+ "vscode.extension.contributes.commandType.icon.light": "Путь к значку, когда используется светлая тема",
+ "vscode.extension.contributes.commandType.icon.dark": "Путь к значку, когда используется темная тема",
+ "vscode.extension.contributes.commands": "Добавляет команды в палитру команд.",
+ "dup": "Команда \"{0}\" встречается несколько раз в разделе commands.",
+ "submenuId.invalid.id": "\"{0}\" не является допустимым идентификатором подменю.",
+ "submenuId.duplicate.id": "Подменю \"{0}\" уже было зарегистрировано ранее.",
+ "submenuId.invalid.label": "\"{0}\" не является допустимой меткой подменю.",
+ "menuId.invalid": "\"{0}\" не является допустимым идентификатором меню",
+ "proposedAPI.invalid": "{0} — это предлагаемый идентификатор меню, который доступен только при запуске из рабочей среды или при запуске со следующим параметром командной строки: --enable-proposed-api {1}",
+ "missing.command": "Элемент меню ссылается на команду \"{0}\", которая не определена в разделе commands.",
+ "missing.altCommand": "Элемент меню ссылается на альтернативную команду \"{0}\", которая не определена в разделе commands.",
+ "dupe.command": "Элемент меню ссылается на одну и ту же команду как команду по умолчанию и альтернативную команду",
+ "unsupported.submenureference": "Пункт меню ссылается на подменю, но в данном меню это не поддерживается.",
+ "missing.submenu": "Пункт меню ссылается на подменю \"{0}\", которое не определено в разделе \"submenus\".",
+ "submenuItem.duplicate": "Подменю \"{0}\" уже внесло вклад в меню \"{1}\"."
+ },
+ "vs/workbench/api/common/configurationExtensionPoint": {
+ "vscode.extension.contributes.configuration.title": "Краткая сводка параметров. Эта метка будет использоваться в файле параметров в качестве разделяющего комментария.",
+ "vscode.extension.contributes.configuration.properties": "Описание свойств конфигурации.",
+ "vscode.extension.contributes.configuration.property.empty": "Свойство не должно быть пустым.",
+ "scope.application.description": "Конфигурация, которую можно задать только в параметрах пользователя.",
+ "scope.machine.description": "Конфигурация, которую можно настроить только в параметрах пользователя или удаленных параметрах.",
+ "scope.window.description": "Конфигурация, которая может быть задана в параметрах пользователя, удаленного объекта или рабочей области.",
+ "scope.resource.description": "Конфигурация, которая может быть задана в параметрах пользователя, удаленного объекта, рабочей области или папки.",
+ "scope.language-overridable.description": "Конфигурация ресурсов, которую можно настроить в параметрах для конкретного языка.",
+ "scope.machine-overridable.description": "Конфигурация компьютера, которую также можно задать в параметрах рабочей области или папки.",
+ "scope.description": "Область, в которой применима конфигурация. Доступные области: \"application\", \"machine\", \"window\", \"resource\" и \"machine-overridable\".",
+ "scope.enumDescriptions": "Описание значений перечисления",
+ "scope.markdownEnumDescriptions": "Описание значений перечисления в формате Markdown.",
+ "scope.markdownDescription": "Описание в формате Markdown.",
+ "scope.deprecationMessage": "Если этот параметр установлен, свойство помечается как устаревшее и отображается это поясняющее сообщение.",
+ "scope.markdownDeprecationMessage": "Если этот параметр установлен, свойство помечается как устаревшее и это сообщение отображается в качестве пояснения к формату Markdown.",
+ "vscode.extension.contributes.defaultConfiguration": "Предоставляет параметры конфигурации редактора по умолчанию в соответствии с языком.",
+ "config.property.defaultConfiguration.languageExpected": "Ожидается селектор языка (например, [\"java\"])",
+ "config.property.defaultConfiguration.warning": "Не удается зарегистрировать значения параметров конфигурации по умолчанию для \"{0}\". Значения параметров конфигурации по умолчанию поддерживаются только для конкретного языка.",
+ "vscode.extension.contributes.configuration": "Добавляет параметры конфигурации.",
+ "invalid.title": "configuration.title должно быть строкой",
+ "invalid.properties": "configuration.properties должно быть объектом",
+ "invalid.property": "Параметр 'configuration.property' должен быть объектом",
+ "invalid.allOf": "Параметр 'configuration.allOf' является устаревшим, и использовать его не рекомендуется. Вместо этого передайте несколько параметров в виде массива в точку вклада 'configuration'.",
+ "workspaceConfig.folders.description": "Список папок, которые будут загружены в рабочую область.",
+ "workspaceConfig.path.description": "Путь к файлу, например, \"/root/folderA\" или \"./folderA\" для пути по отношению к файлу рабочей области.",
+ "workspaceConfig.name.description": "Необязательное имя папки.",
+ "workspaceConfig.uri.description": "URI папки",
+ "workspaceConfig.settings.description": "Параметры рабочей области",
+ "workspaceConfig.launch.description": "Конфигурации запуска рабочей области",
+ "workspaceConfig.tasks.description": "Конфигурации задач рабочей области",
+ "workspaceConfig.extensions.description": "Расширения рабочей области",
+ "workspaceConfig.remoteAuthority": "Удаленный сервер, на котором расположена рабочая область. Используется только в несохраненных удаленных рабочих областях.",
+ "unknownWorkspaceProperty": "Неизвестное свойство рабочей области"
+ },
+ "vs/workbench/api/browser/viewsExtensionPoint": {
+ "vscode.extension.contributes.views.containers.id": "Уникальный идентификатор, используемый для идентификации контейнера, в котором могут быть размещены представления с помощью точки вклада 'views'",
+ "vscode.extension.contributes.views.containers.title": "Строка в понятном формате, используемая для отображения контейнера",
+ "vscode.extension.contributes.views.containers.icon": "Путь к значку контейнера. Значки имеют размер 24x24, расположены в центре прямоугольника размером 50x40 и имеют цвет заливки rgb (215, 218, 224) или #d7dae0. Для значков рекомендуется использовать формат SVG, хотя допускается любой тип изображения.",
+ "vscode.extension.contributes.viewsContainers": "Добавляет контейнеры представлений в редактор",
+ "views.container.activitybar": "Добавляет контейнеры представлений на панель действий",
+ "views.container.panel": "Добавление контейнеров представлений на панель",
+ "vscode.extension.contributes.view.type": "Тип представления. Допустимые значения: \"tree\" (для представления в виде дерева) и \"webview\" (для веб-представления). Значение по умолчанию — \"tree\".",
+ "vscode.extension.contributes.view.tree": "Представление основано на объекте \"TreeView\", созданном с помощью метода \"createTreeView\".",
+ "vscode.extension.contributes.view.webview": "Представление основано на объекте \"WebviewView\", зарегистрированном с помощью метода \"registerWebviewViewProvider\".",
+ "vscode.extension.contributes.view.id": "Идентификатор представления. Он должен быть уникальным для всех представлений. Рекомендуется включить в состав идентификатора представления ваш идентификатор расширения. Используйте его для регистрации поставщика данных через API \"vscode.window.registerTreeDataProviderForView\". Также он используется для активации расширения посредством регистрации события \"onView:${id}\" в \"activationEvents\".",
+ "vscode.extension.contributes.view.name": "Понятное имя представления. Будет отображаться на экране",
+ "vscode.extension.contributes.view.when": "Условие, которое должно иметь значение TRUE, чтобы отображалось это представление",
+ "vscode.extension.contributes.view.icon": "Путь к значку представления. Значок представления отображается в том случае, когда невозможно отобразить имя представления. Рекомендуется использовать значки в формате SVG, хотя поддерживаются все типы файлов изображений.",
+ "vscode.extension.contributes.view.contextualTitle": "Контекст при перемещении представления из исходного расположения в понятной форме. По умолчанию будет использоваться имя контейнера представления. Будет показано.",
+ "vscode.extension.contributes.view.initialState": "Начальное состояние представления при первой установке расширения. Когда пользователь изменит состояние представления, свернув, переместив или скрыв его, исходное состояние больше не будет использоваться.",
+ "vscode.extension.contributes.view.initialState.visible": "Начальное состояние представления по умолчанию. В большинстве контейнеров представление будет развернуто, однако в некоторых встроенных контейнерах (explorer, scm и debug) все представления отображаются свернутыми независимо от значения параметра \"visibility\".",
+ "vscode.extension.contributes.view.initialState.hidden": "Представление не будет отображаться в контейнере представлений, но будет доступно для обнаружения с помощью меню представлений и других точек входа представлений и может быть отображено пользователем.",
+ "vscode.extension.contributes.view.initialState.collapsed": "Представление будет отображаться в контейнере представлений, но будет свернуто.",
+ "vscode.extension.contributes.view.group": "Вложенная группа во вьюлете",
+ "vscode.extension.contributes.view.remoteName": "Имя удаленного типа, связанного с этим представлением",
+ "vscode.extension.contributes.views": "Добавляет представления в редактор",
+ "views.explorer": "Добавляет представления в контейнер обозревателя на панели действий",
+ "views.debug": "Добавляет представления в контейнер отладки на панели действий",
+ "views.scm": "Добавляет представления в контейнер диспетчера служб на панели действий ",
+ "views.test": "Добавляет представления в контейнер проверки на панели действий ",
+ "views.remote": "Добавляет представления в удаленный контейнер на панели задач. Чтобы добавить представления в этот контейнер, необходимо включить параметр enableProposedApi",
+ "views.contributed": "Добавляет представления в контейнер добавленных представлений",
+ "test": "тест",
+ "viewcontainer requirearray": "Контейнер представлений должен быть массивом",
+ "requireidstring": "Свойство '{0}' является обязательным и должно иметь тип 'string'. Оно может содержать только буквенно-цифровые символы и символы '_' и '-'.",
+ "requirestring": "свойство \"{0}\" является обязательным и должно иметь тип \"string\"",
+ "showViewlet": "Показать {0}",
+ "ViewContainerRequiresProposedAPI": "Для использования контейнера представления \"{0}\" необходимо включить параметр \"enableProposedApi\" в разделе \"Remote\".",
+ "ViewContainerDoesnotExist": "Контейнер представлений '{0}' не существует, и все представления, зарегистрированные в этом контейнере, будут добавлены в обозреватель.",
+ "duplicateView1": "Невозможно зарегистрировать несколько представлений с одинаковым идентификатором \"{0}\"",
+ "duplicateView2": "Представление с идентификатором \"{0}\" уже зарегистрировано.",
+ "unknownViewType": "Неизвестный тип представления \"{0}\".",
+ "requirearray": "представления должны быть массивом",
+ "optstring": "свойство \"{0}\" может быть опущено; если оно указано, оно должно иметь тип \"string\"",
+ "optenum": "свойство \"{0}\" может быть опущено или должно быть одним из следующих: {1}"
+ },
+ "vs/workbench/browser/parts/activitybar/activitybarPart": {
+ "settingsViewBarIcon": "Значок параметров на панели просмотра.",
+ "accountsViewBarIcon": "Значок учетных записей на панели просмотра.",
+ "hideHomeBar": "Скрыть кнопку \"Домой\"",
+ "showHomeBar": "Показать кнопку \"Домой\"",
+ "hideMenu": "Скрыть меню",
+ "showMenu": "Показать меню",
+ "hideAccounts": "Скрыть учетные записи",
+ "showAccounts": "Показать учетные записи",
+ "hideActivitBar": "Скрыть панель действий",
+ "resetLocation": "Сбросить расположение",
+ "homeIndicator": "Главная",
+ "home": "Главная",
+ "manage": "Управление",
+ "accounts": "Учетные записи",
+ "focusActivityBar": "Фокусировка панели действий"
+ },
+ "vs/workbench/browser/parts/panel/panelPart": {
+ "hidePanel": "Скрыть панель",
+ "panel.emptyMessage": "Перетащить представление на панель для отображения."
+ },
+ "vs/workbench/browser/parts/sidebar/sidebarPart": {
+ "focusSideBar": "Перевести фокус на боковую панель"
+ },
+ "vs/workbench/browser/parts/statusbar/statusbarPart": {
+ "hide": "Скрыть \"{0}\"",
+ "hideStatusBar": "Скрыть строку состояния"
+ },
+ "vs/workbench/browser/parts/views/viewsService": {
+ "focus view": "Перевести фокус на представление {0}",
+ "resetViewLocation": "Сбросить расположение"
+ },
+ "vs/workbench/browser/parts/dialogs/dialogHandler": {
+ "yesButton": "&&Да",
+ "cancelButton": "Отмена",
+ "aboutDetail": "Версия: {0}\r\nФиксация: {1}\r\nДата: {2}\r\nБраузер: {3}",
+ "copy": "Копирование",
+ "ok": "ОК"
+ },
+ "vs/workbench/electron-sandbox/parts/dialogs/dialogHandler": {
+ "yesButton": "&&Да",
+ "cancelButton": "Отмена",
+ "aboutDetail": "Версия: {0}\r\nФиксация: {1}\r\nДата: {2}\r\nElectron: {3}\r\nChrome: {4}\r\nNode.js: {5}\r\nV8: {6}\r\nОС: {7}",
+ "okButton": "ОК",
+ "copy": "&&Копировать"
+ },
+ "vs/workbench/electron-sandbox/actions/developerActions": {
+ "toggleDevTools": "Переключить средства разработчика",
+ "configureRuntimeArguments": "Настройка аргументов среды выполнения"
+ },
+ "vs/workbench/electron-sandbox/actions/windowActions": {
+ "closeWindow": "Закрыть окно",
+ "zoomIn": "Увеличить",
+ "zoomOut": "Уменьшить",
+ "zoomReset": "Сбросить масштаб",
+ "reloadWindowWithExtensionsDisabled": "Перезагрузить с отключенными расширениями",
+ "close": "Закрыть окно",
+ "switchWindowPlaceHolder": "Выберите окно, в которое нужно переключиться",
+ "windowDirtyAriaLabel": "{0}, \"грязное\" окно",
+ "current": "Текущее окно",
+ "switchWindow": "Переключить окно...",
+ "quickSwitchWindow": "Быстро переключить окно..."
+ },
+ "vs/workbench/browser/parts/notifications/notificationsCenter": {
+ "notificationsEmpty": "Новые уведомления отсутствуют",
+ "notifications": "Уведомления",
+ "notificationsToolbar": "Действия центра уведомлений"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsAlerts": {
+ "alertErrorMessage": "Ошибка: {0}",
+ "alertWarningMessage": "Предупреждение: {0}",
+ "alertInfoMessage": "Информация: {0}"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsStatus": {
+ "status.notifications": "Уведомления",
+ "hideNotifications": "Скрыть уведомления",
+ "zeroNotifications": "Уведомления отсутствуют",
+ "noNotifications": "Новые уведомления отсутствуют",
+ "oneNotification": "1 новое уведомление",
+ "notifications": "Новые уведомления ({0})",
+ "noNotificationsWithProgress": "Нет новых уведомлений (выполняется: {0})",
+ "oneNotificationWithProgress": "1 новое уведомление (выполняется: {0})",
+ "notificationsWithProgress": "Новых уведомлений: {0} (выполняется: {1})",
+ "status.message": "Сообщение о состоянии"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsCommands": {
+ "notifications": "Уведомления",
+ "showNotifications": "Показать уведомления",
+ "hideNotifications": "Скрыть уведомления",
+ "clearAllNotifications": "Очистить все уведомления",
+ "focusNotificationToasts": "Фокусировка на всплывающем уведомлении"
+ },
+ "vs/workbench/browser/parts/titlebar/menubarControl": {
+ "mFile": "&&Файл",
+ "mEdit": "&&Правка",
+ "mSelection": "&&Выделение",
+ "mView": "&&Вид",
+ "mGoto": "&&Переход",
+ "mRun": "&&Выполнить",
+ "mTerminal": "&&Терминал",
+ "mHelp": "&&Справка",
+ "menubar.customTitlebarAccessibilityNotification": "Для вас включена поддержка специальных возможностей. Для оптимальной работы мы рекомендуем использовать настраиваемый стиль заголовка окна.",
+ "goToSetting": "Открыть параметры",
+ "focusMenu": "Меню фокуса приложения",
+ "checkForUpdates": "Проверить наличие &&обновлений...",
+ "checkingForUpdates": "Идет проверка наличия обновлений...",
+ "download now": "Ск&&ачать обновление",
+ "DownloadingUpdate": "Скачивается обновление...",
+ "installUpdate...": "Установить &&обновление...",
+ "installingUpdate": "Идет установка обновления...",
+ "restartToUpdate": "Перезапустить для &&обновления"
+ },
+ "vs/workbench/api/common/extHostExtensionActivator": {
+ "failedDep1": "Не удается активировать расширение \"{0}\", так как оно зависит от расширения \"{1}\", активация которого завершилась ошибкой.",
+ "activationError": "Не удалось активировать расширение '{0}': {1}."
+ },
+ "vs/workbench/api/common/extHost.api.impl": {
+ "extensionLabel": "{0} (расширение)"
+ },
+ "vs/workbench/api/node/extHostDebugService": {
+ "debug.terminal.title": "отлаживаемый объект"
+ },
+ "vs/workbench/api/common/jsonValidationExtensionPoint": {
+ "contributes.jsonValidation": "Добавляет конфигурацию схемы JSON.",
+ "contributes.jsonValidation.fileMatch": "Шаблон файла (или массив шаблонов) для сравнения, например \"package.json\" или \"*.launch\". Шаблоны исключений начинаются с \"!\".",
+ "contributes.jsonValidation.url": "URL-адрес схемы (\"http:\", \"https:\") или относительный путь к папке расширения (\"./\").",
+ "invalid.jsonValidation": "configuration.jsonValidation должно быть массивом",
+ "invalid.fileMatch": "\"configuration.jsonValidation.fileMatch\" должен быть определен как строка или массив строк.",
+ "invalid.url": "Значение configuration.jsonValidation.url должно быть URL-адресом или относительным путем",
+ "invalid.path.1": "Ожидаемый URL-адрес `contributes.{0}.url` ({1}) для включения в папку рсаширения ({2}). Это может сделать расширение непереносимым.",
+ "invalid.url.fileschema": "Значение configuration.jsonValidation.url является недопустимым относительным URL-адресом: {0}",
+ "invalid.url.schema": "\"configuration.jsonValidation.url\" должен быть абсолютным URL-адресом или начинаться с \"./\" для ссылки на схемы, расположенные в расширении."
+ },
+ "vs/workbench/api/browser/mainThreadExtensionService": {
+ "reload window": "Не удается активировать расширение \"{0}\", так как оно зависит от расширения \"{1}\", которое не загружено. Вы хотите перезагрузить окно для загрузки этого расширения?",
+ "reload": "Перезагрузить окно",
+ "disabledDep": "Не удается активировать расширение \"{0}\", так как оно зависит от расширения \"{1}\", которое отключено. Вы хотите включить расширение и перезагрузить окно?",
+ "enable dep": "Включить и Перезагрузить",
+ "uninstalledDep": "Не удается активировать расширение \"{0}\", так как оно зависит от расширения \"{1}\", которое не установлено. Вы хотите установить расширение и перезагрузить окно?",
+ "install missing dep": "Установить и перезагрузить",
+ "unknownDep": "Не удается активировать расширение \"{0}\", так как оно зависит от неизвестного расширения \"{1}\"."
+ },
+ "vs/workbench/api/browser/mainThreadFileSystemEventService": {
+ "files.participants.timeout": "Время ожидания в миллисекундах, по истечении которого участники файлов для создания, переименования и удаления отменяются. Используйте \"0\", чтобы отключить участников."
+ },
+ "vs/workbench/api/browser/mainThreadMessageService": {
+ "extensionSource": "{0} (расширение)",
+ "defaultSource": "Расширение",
+ "manageExtension": "Управление расширением",
+ "cancel": "Отмена",
+ "ok": "OK"
+ },
+ "vs/workbench/api/browser/mainThreadProgress": {
+ "manageExtension": "Управление расширением"
+ },
+ "vs/workbench/api/browser/mainThreadSaveParticipant": {
+ "timeout.onWillSave": "Событие onWillSaveTextDocument-event прервано по истечении 1750 мс"
+ },
+ "vs/workbench/api/browser/mainThreadWorkspace": {
+ "folderStatusMessageAddSingleFolder": "Расширение \"{0}\" добавило одну папку в рабочую область",
+ "folderStatusMessageAddMultipleFolders": "Расширение \"{0}\" добавило папки ({1}) в рабочую область",
+ "folderStatusMessageRemoveSingleFolder": "Расширение \"{0}\" удалило одну папку из рабочей области",
+ "folderStatusMessageRemoveMultipleFolders": "Расширение \"{0}\" удалило папки ({1}) из рабочей области",
+ "folderStatusChangeFolder": "Расширение \"{0}\" изменило папки рабочей области "
+ },
+ "vs/workbench/api/browser/mainThreadComments": {
+ "commentsViewIcon": "Значок представления комментариев."
+ },
+ "vs/workbench/api/browser/mainThreadTask": {
+ "task.label": "{0}: {1}"
+ },
+ "vs/workbench/api/browser/mainThreadAuthentication": {
+ "noTrustedExtensions": "Эта учетная запись еще не использовалась ни одним из расширений.",
+ "accountLastUsedDate": "Последнее использование этой учетной записи: {0}.",
+ "notUsed": "Эта учетная запись не использовалась",
+ "manageTrustedExtensions": "Управление доверенными расширениями",
+ "manageExensions": "Выберите, какие расширения могут получить доступ к этой учетной записи",
+ "signOutConfirm": "Выйти из {0}",
+ "signOutMessagve": "Учетная запись {0} сейчас используется следующими функциями: \r\n\r\n{1}\r\n\r\n Выйти из этих функций?",
+ "signOutMessageSimple": "Выйти из {0}?",
+ "signedOut": "Выход успешно выполнен.",
+ "useOtherAccount": "Войти в другую учетную запись",
+ "selectAccount": "Расширение \"{0}\" запрашивает доступ к учетной записи {1}.",
+ "getSessionPlateholder": "Выберите используемую учетную запись для \"{0}\" или нажмите ESC для отмены",
+ "confirmAuthenticationAccess": "Расширение \"{0}\" пытается получить доступ к информации о проверке подлинности для учетной записи {1} \"{2}\".",
+ "allow": "Разрешить",
+ "cancel": "Отмена",
+ "confirmLogin": "Расширение \"{0}\" хочет войти с помощью {1}."
+ },
+ "vs/workbench/common/configuration": {
+ "workbenchConfigurationTitle": "Рабочее место"
+ },
+ "vs/workbench/browser/parts/views/treeView": {
+ "no-dataprovider": "Отсутствует зарегистрированный поставщик данных, который может предоставить сведения о просмотрах.",
+ "refresh": "Обновить",
+ "collapseAll": "Свернуть все",
+ "command-error": "Ошибка при выполнении команды {1}: {0}. Это, скорее всего, вызвано расширением, добавляющим {1}."
+ },
+ "vs/workbench/browser/viewlet": {
+ "compositePart.hideSideBarLabel": "Скрыть боковую панель",
+ "views": "Представления",
+ "collapse": "Свернуть все"
+ },
+ "vs/workbench/browser/parts/views/viewPaneContainer": {
+ "viewPaneContainerExpandedIcon": "Значок для развернутого контейнера области просмотра.",
+ "viewPaneContainerCollapsedIcon": "Значок для свернутого контейнера области просмотра.",
+ "viewToolbarAriaLabel": "{0} действий",
+ "hideView": "Скрыть",
+ "viewMoveUp": "Переместить представление вверх",
+ "viewMoveLeft": "Переместить представление влево",
+ "viewMoveDown": "Переместить представление вниз",
+ "viewMoveRight": "Переместить представление вправо"
+ },
+ "vs/workbench/browser/parts/editor/editorGroupView": {
+ "ariaLabelGroupActions": "Действия для группы редакторов",
+ "closeGroupAction": "Закрыть",
+ "emptyEditorGroup": "{0} (пусто)",
+ "groupLabel": "Группа {0}",
+ "groupAriaLabel": "Группа редакторов {0}",
+ "ok": "OK",
+ "cancel": "Отмена",
+ "editorOpenErrorDialog": "Не удалось открыть \"{0}\"",
+ "editorOpenError": "Невозможно открыть \"{0}\": {1}."
+ },
+ "vs/workbench/browser/parts/editor/editorDropTarget": {
+ "fileTooLarge": "Файл имеет слишком большой размер для открытия в редакторе без имени. Отправьте этот файл в обозреватель файлов, а затем повторите попытку."
+ },
+ "vs/workbench/browser/parts/editor/editor.contribution": {
+ "textEditor": "Текстовый редактор",
+ "textDiffEditor": "Редактор текстовых несовпадений",
+ "binaryDiffEditor": "Редактор двоичных несовпадений",
+ "sideBySideEditor": "Параллельный редактор",
+ "editorQuickAccessPlaceholder": "Введите имя редактора, чтобы открыть его.",
+ "activeGroupEditorsByMostRecentlyUsedQuickAccess": "Показать редакторы в активной группе по последним используемым",
+ "allEditorsByAppearanceQuickAccess": "Показать все открытые редакторы по внешнему виду",
+ "allEditorsByMostRecentlyUsedQuickAccess": "Показать все открытые редакторы по последним используемым",
+ "file": "Файл",
+ "splitUp": "Разбить содержимое окна вверх",
+ "splitDown": "Разбить содержимое окна вниз",
+ "splitLeft": "Разбить содержимое окна влево",
+ "splitRight": "Разбить содержимое окна вправо",
+ "close": "Закрыть",
+ "closeOthers": "Закрыть другие",
+ "closeRight": "Закрыть справа",
+ "closeAllSaved": "Закрыть сохраненные",
+ "closeAll": "Закрыть все",
+ "keepOpen": "Оставить открытым",
+ "pin": "Закрепить",
+ "unpin": "Открепить",
+ "toggleInlineView": "Переключить встроенное представление",
+ "showOpenedEditors": "Показать открытые редакторы",
+ "toggleKeepEditors": "Оставить редакторы открытыми",
+ "splitEditorRight": "Разбить содержимое окна редактора вправо",
+ "splitEditorDown": "Разбить содержимое окна редактора вниз",
+ "previousChangeIcon": "Значок для действия предыдущего изменения в редакторе несовпадений.",
+ "nextChangeIcon": "Значок для действия следующего изменения в редакторе несовпадений.",
+ "toggleWhitespace": "Значок для действия включения/отключения пробелов в редакторе несовпадений.",
+ "navigate.prev.label": "Предыдущее исправление",
+ "navigate.next.label": "Следующее исправление",
+ "ignoreTrimWhitespace.label": "Игнорировать различия начальных и конечных пробелов",
+ "showTrimWhitespace.label": "Показать различия начальных и конечных пробелов",
+ "keepEditor": "Сохранить редактор",
+ "pinEditor": "Закрепить редактор",
+ "unpinEditor": "Открепить редактор",
+ "closeEditor": "Закрыть редактор",
+ "closePinnedEditor": "Закрыть закрепленный редактор",
+ "closeEditorsInGroup": "Закрыть все редакторы в группе",
+ "closeSavedEditors": "Закрыть сохраненные редакторы в группе",
+ "closeOtherEditors": "Закрыть другие редакторы в группе",
+ "closeRightEditors": "Закрыть редакторы справа в группе",
+ "closeEditorGroup": "Закрыть группу редакторов",
+ "miReopenClosedEditor": "&&Повторно открыть закрытый редактор",
+ "miClearRecentOpen": "&&Очистить недавно открытые",
+ "miEditorLayout": "Макет &&редактора",
+ "miSplitEditorUp": "Разделить&&",
+ "miSplitEditorDown": "Разделить &&вниз",
+ "miSplitEditorLeft": "Разделить &&слева",
+ "miSplitEditorRight": "Разделить &&вправо",
+ "miSingleColumnEditorLayout": "&&Отдельный",
+ "miTwoColumnsEditorLayout": "&&Два столбца",
+ "miThreeColumnsEditorLayout": "Т&&ри столбца",
+ "miTwoRowsEditorLayout": "Д&&ве строки",
+ "miThreeRowsEditorLayout": "Три &&строки",
+ "miTwoByTwoGridEditorLayout": "&&Сетка (2x2)",
+ "miTwoRowsRightEditorLayout": "Две с&&троки вправо",
+ "miTwoColumnsBottomEditorLayout": "Два &&столбца внизу",
+ "miBack": "&&Назад",
+ "miForward": "&&Вперед",
+ "miLastEditLocation": "&&Место последнего изменения",
+ "miNextEditor": "&&Следующий редактор",
+ "miPreviousEditor": "&&Предыдущий редактор",
+ "miNextRecentlyUsedEditor": "&&Следующий используемый редактор",
+ "miPreviousRecentlyUsedEditor": "&&Предыдущий использованный редактор",
+ "miNextEditorInGroup": "&&Следующий редактор в группе",
+ "miPreviousEditorInGroup": "&&Предыдущий редактор в группе",
+ "miNextUsedEditorInGroup": "&&Следующий используемый редактор в группе",
+ "miPreviousUsedEditorInGroup": "&&Предыдущий используемый редактор в группе",
+ "miSwitchEditor": "Переключить р&&едактор",
+ "miFocusFirstGroup": "Группа &&1",
+ "miFocusSecondGroup": "Группа &&2",
+ "miFocusThirdGroup": "Группа &&3",
+ "miFocusFourthGroup": "Группа &&4",
+ "miFocusFifthGroup": "Группа &&5",
+ "miNextGroup": "&&Следующая группа",
+ "miPreviousGroup": "&&Предыдущая группа",
+ "miFocusLeftGroup": "Группировать &&слева",
+ "miFocusRightGroup": "Группировать &&справа",
+ "miFocusAboveGroup": "Группа &&выше",
+ "miFocusBelowGroup": "Группа &&ниже",
+ "miSwitchGroup": "Переключить &&группу"
+ },
+ "vs/workbench/browser/parts/activitybar/activitybarActions": {
+ "goHome": "На главную",
+ "hide": "Скрыть",
+ "manageTrustedExtensions": "Управление доверенными расширениями",
+ "signOut": "Выйти",
+ "authProviderUnavailable": "Поставщик проверки подлинности {0} сейчас недоступен.",
+ "previousSideBarView": "Представление предыдущей боковой панели",
+ "nextSideBarView": "Представление следующей боковой панели"
+ },
+ "vs/workbench/browser/parts/compositeBar": {
+ "activityBarAriaLabel": "Переключатель активного представления"
+ },
+ "vs/workbench/browser/parts/compositeBarActions": {
+ "badgeTitle": "{0} - {1}",
+ "additionalViews": "Дополнительные представления",
+ "numberBadge": "{0} ({1})",
+ "manageExtension": "Управление расширением",
+ "titleKeybinding": "{0} ({1})",
+ "hide": "Скрыть",
+ "keep": "Сохранить",
+ "toggle": "Переключить закрепленное представление"
+ },
+ "vs/workbench/browser/parts/compositePart": {
+ "ariaCompositeToolbarLabel": "{0} действий",
+ "viewsAndMoreActions": "Представления и дополнительные действия…",
+ "titleTooltip": "{0} ({1})"
+ },
+ "vs/workbench/browser/parts/panel/panelActions": {
+ "maximizeIcon": "Значок для развертывания панели.",
+ "restoreIcon": "Значок для восстановления панели.",
+ "closeIcon": "Значок для закрытия панели.",
+ "closePanel": "Закрыть панель",
+ "togglePanel": "Переключить панель",
+ "focusPanel": "Фокус на панель",
+ "toggleMaximizedPanel": "Переключить развернутую панель",
+ "maximizePanel": "Развернуть панель",
+ "minimizePanel": "Восстановить размер панели",
+ "positionPanelLeft": "Переместить панель влево",
+ "positionPanelRight": "Переместить панель вправо",
+ "positionPanelBottom": "Переместить панель вниз",
+ "previousPanelView": "Представление предыдущей панели",
+ "nextPanelView": "Представление следующей панели",
+ "miShowPanel": "Показать &&панель"
+ },
+ "vs/workbench/common/editor/diffEditorInput": {
+ "sideBySideLabels": "{0} ↔ {1}"
+ },
+ "vs/workbench/browser/parts/editor/editorWidgets": {
+ "openWorkspace": "Открыть рабочую область"
+ },
+ "vs/workbench/browser/parts/editor/editorCommands": {
+ "editorCommand.activeEditorMove.description": "Перемещение активного редактора по вкладкам или группам",
+ "editorCommand.activeEditorMove.arg.name": "Аргумент перемещения активного редактора",
+ "editorCommand.activeEditorMove.arg.description": "Свойства аргумента:\r\n\t* to: строковое значение, указывающее направление перемещения.\r\n\t* by: строковое значение, указывающее единицу перемещения (вкладка или группа).\r\n\t* value: числовое значение, указывающее количество позиций перемещения или абсолютную позицию для перемещения.",
+ "toggleInlineView": "Переключить встроенное представление",
+ "compare": "Сравнить",
+ "enablePreview": "Редакторы предварительного просмотра включены в параметрах.",
+ "disablePreview": "Редакторы предварительного просмотра отключены в параметрах.",
+ "learnMode": "Дополнительные сведения"
+ },
+ "vs/workbench/browser/parts/editor/textResourceEditor": {
+ "textEditor": "Текстовый редактор"
+ },
+ "vs/workbench/browser/parts/titlebar/titlebarPart": {
+ "patchedWindowTitle": "[Не поддерживается]",
+ "userIsAdmin": "[Администратор]",
+ "userIsSudo": "[Супер пользователь]",
+ "devExtensionWindowTitlePrefix": "[Узел разработки расширения]"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsList": {
+ "notificationAriaLabel": "{0}, уведомление",
+ "notificationWithSourceAriaLabel": "{0}, источник: {1}, уведомление",
+ "notificationsList": "Список уведомлений"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsActions": {
+ "clearIcon": "Значок для действия очистки в уведомлениях.",
+ "clearAllIcon": "Значок для действия очистки всех элементов в уведомлениях.",
+ "hideIcon": "Значок для действия скрытия в уведомлениях.",
+ "expandIcon": "Значок для действия развертывания в уведомлениях.",
+ "collapseIcon": "Значок для действия свертывания в уведомлениях.",
+ "configureIcon": "Значок для действия настройки в уведомлениях.",
+ "clearNotification": "Очистить уведомления",
+ "clearNotifications": "Очистить все уведомления",
+ "hideNotificationsCenter": "Скрыть уведомления",
+ "expandNotification": "Развернуть уведомление",
+ "collapseNotification": "Свернуть уведомление",
+ "configureNotification": "Настроить уведомление",
+ "copyNotification": "Копировать текст"
+ },
+ "vs/workbench/api/common/extHostDiagnostics": {
+ "limitHit": "Не отображается еще несколько ошибок и предупреждений ({0})."
+ },
+ "vs/workbench/api/common/extHostProgress": {
+ "extensionSource": "{0} (расширение)"
+ },
+ "vs/workbench/api/common/extHostStatusBar": {
+ "status.extensionMessage": "Состояние расширения"
+ },
+ "vs/workbench/api/common/extHostTreeViews": {
+ "treeView.notRegistered": "Отсутствует зарегистрированное представление в виде дерева с идентификатором \"{0}\".",
+ "treeView.duplicateElement": "Элемент с идентификационным номером {0} уже зарегестрирован"
+ },
+ "vs/workbench/browser/parts/editor/textEditor": {
+ "editor": "Редактор"
+ },
+ "vs/workbench/api/browser/mainThreadCustomEditors": {
+ "defaultEditLabel": "Изменить"
+ },
+ "vs/workbench/api/browser/mainThreadWebviews": {
+ "errorMessage": "Ошибка при восстановлении представления: {0}"
+ },
+ "vs/workbench/browser/parts/editor/tabsTitleControl": {
+ "ariaLabelTabActions": "Действия вкладки"
+ },
+ "vs/workbench/browser/parts/editor/textDiffEditor": {
+ "textDiffEditor": "Редактор текстовых несовпадений"
+ },
+ "vs/workbench/browser/parts/editor/binaryDiffEditor": {
+ "metadataDiff": "{0} ↔ {1}"
+ },
+ "vs/workbench/browser/parts/editor/editorStatus": {
+ "singleSelectionRange": "Строка {0}, столбец {1} (выбрано {2})",
+ "singleSelection": "Строка {0}, столбец {1}",
+ "multiSelectionRange": "Выделений: {0} (выделено символов: {1})",
+ "multiSelection": "Выделений: {0}",
+ "endOfLineLineFeed": "LF",
+ "endOfLineCarriageReturnLineFeed": "CRLF",
+ "screenReaderDetectedExplanation.question": "Используете ли вы средство чтения с экрана при работе с VS Code? (при использовании средств чтения с экрана перенос строк отключен)",
+ "screenReaderDetectedExplanation.answerYes": "Да",
+ "screenReaderDetectedExplanation.answerNo": "Нет",
+ "noEditor": "Активные текстовые редакторы отсутствуют",
+ "noWritableCodeEditor": "Активный редактор кода доступен только для чтения.",
+ "indentConvert": "преобразовать файл",
+ "indentView": "изменить представление",
+ "pickAction": "Выберите действие",
+ "tabFocusModeEnabled": "Клавиша TAB перемещает фокус",
+ "disableTabMode": "Отключить режим специальных возможностей",
+ "status.editor.tabFocusMode": "Режим специальных возможностей",
+ "columnSelectionModeEnabled": "Выбор столбца",
+ "disableColumnSelectionMode": "Отключить режим выбора столбца",
+ "status.editor.columnSelectionMode": "Режим выбора столбца",
+ "screenReaderDetected": "Средство чтения с экрана оптимизировано",
+ "status.editor.screenReaderMode": "Режим чтения с экрана",
+ "gotoLine": "Перейти к строке/столбцу",
+ "status.editor.selection": "Выбор редактора",
+ "selectIndentation": "Выберите отступ",
+ "status.editor.indentation": "Отступ в редакторе",
+ "selectEncoding": "Выберите кодировку",
+ "status.editor.encoding": "Кодировка в редакторе",
+ "selectEOL": "Выберите последовательность конца строки",
+ "status.editor.eol": "Конец строки в редакторе",
+ "selectLanguageMode": "Выберите языковой режим",
+ "status.editor.mode": "Язык редактора",
+ "fileInfo": "Сведения о файле",
+ "status.editor.info": "Сведения о файле",
+ "spacesSize": "Пробелов: {0}",
+ "tabSize": "Размер интервала табуляции: {0}",
+ "currentProblem": "Текущая проблема",
+ "showLanguageExtensions": "Поиск \"{0}\" среди расширений Marketplace...",
+ "changeMode": "Изменить языковой режим",
+ "languageDescription": "({0}) — настроенный язык",
+ "languageDescriptionConfigured": "({0})",
+ "languagesPicks": "языки (идентификатор)",
+ "configureModeSettings": "Настройка параметров, определяемых языком \"{0}\"...",
+ "configureAssociationsExt": "Настройка сопоставлений файлов для \"{0}\"...",
+ "autoDetect": "Автоматическое обнаружение",
+ "pickLanguage": "Выберите языковой режим",
+ "currentAssociation": "Текущая связь",
+ "pickLanguageToConfigure": "Выберите языковой режим для связи с \"{0}\".",
+ "changeEndOfLine": "Изменить последовательность конца строки",
+ "pickEndOfLine": "Выберите последовательность конца строки",
+ "changeEncoding": "Изменить кодировку файла",
+ "noFileEditor": "В данный момент нет активного файла",
+ "saveWithEncoding": "Сохранить в кодировке",
+ "reopenWithEncoding": "Повторно открыть в кодировке",
+ "guessedEncoding": "Предположение на основе содержимого",
+ "pickEncodingForReopen": "Выберите кодировку файла для его повторного открытия",
+ "pickEncodingForSave": "Выберите кодировку файла для его сохранения"
+ },
+ "vs/workbench/browser/parts/editor/editorActions": {
+ "splitEditor": "Разделить редактор",
+ "splitEditorOrthogonal": "Разбить окно редактора перпендикулярно",
+ "splitEditorGroupLeft": "Разбить окно редактора слева",
+ "splitEditorGroupRight": "Разбить содержимое окна редактора вправо",
+ "splitEditorGroupUp": "Разбить окно редактора вверху",
+ "splitEditorGroupDown": "Разбить содержимое окна редактора вниз",
+ "joinTwoGroups": "Объединить группу редакторов со следующей группой",
+ "joinAllGroups": "Объединить все группы редакторов",
+ "navigateEditorGroups": "Переход между группами редакторов",
+ "focusActiveEditorGroup": "Сфокусироваться на активной группе редактора",
+ "focusFirstEditorGroup": "Фокус на первую группу редакторов",
+ "focusLastEditorGroup": "Перевести выделение на последнюю группу редакторов",
+ "focusNextGroup": "Перевести выделение на следующую группу редакторов",
+ "focusPreviousGroup": "Перевести выделение на предыдущую группу редакторов",
+ "focusLeftGroup": "Перевести выделение на левую группу редакторов",
+ "focusRightGroup": "Перевести выделение на правую группу редакторов",
+ "focusAboveGroup": "Перевести выделение на верхнюю группу редакторов",
+ "focusBelowGroup": "Перевести выделение на нижнюю группу редакторов",
+ "closeEditor": "Закрыть редактор",
+ "unpinEditor": "Открепить редактор",
+ "closeOneEditor": "Закрыть",
+ "revertAndCloseActiveEditor": "Отменить изменения и закрыть редактор",
+ "closeEditorsToTheLeft": "Закрыть редакторы слева в группе",
+ "closeAllEditors": "Закрыть все редакторы",
+ "closeAllGroups": "Закрыть все группы редакторов",
+ "closeEditorsInOtherGroups": "Закрыть редакторы в других группах",
+ "closeEditorInAllGroups": "Закрыть редактор во всех группах",
+ "moveActiveGroupLeft": "Переместить группу редакторов влево",
+ "moveActiveGroupRight": "Переместить группу редакторов вправо",
+ "moveActiveGroupUp": "Переместить группу редакторов вверх",
+ "moveActiveGroupDown": "Переместить группу редакторов вниз",
+ "minimizeOtherEditorGroups": "Развернуть группу редакторов",
+ "evenEditorGroups": "Сбросить размеры в группе редакторов",
+ "toggleEditorWidths": "Переключить размеры групп редактора",
+ "maximizeEditor": "Развернуть группу редакторов и скрыть боковую панель",
+ "openNextEditor": "Открыть следующий редактор",
+ "openPreviousEditor": "Открыть предыдущий редактор",
+ "nextEditorInGroup": "Открыть следующий редактор в группе",
+ "openPreviousEditorInGroup": "Открыть предыдущий редактор в группе",
+ "firstEditorInGroup": "Открыть первый редактор в группе",
+ "lastEditorInGroup": "Открыть последний редактор в группе",
+ "navigateNext": "Далее",
+ "navigatePrevious": "Назад",
+ "navigateToLastEditLocation": "Перейти к последней точке изменения",
+ "navigateLast": "Перейти к последнему",
+ "reopenClosedEditor": "Открыть закрытый редактор",
+ "clearRecentFiles": "Очистить недавно открытые",
+ "showEditorsInActiveGroup": "Показать редакторы в активной группе по последним используемым",
+ "showAllEditors": "Показать все редакторы по внешнему виду",
+ "showAllEditorsByMostRecentlyUsed": "Показать все редакторы по наиболее недавно использованным",
+ "quickOpenPreviousRecentlyUsedEditor": "Быстро открыть предыдущий использованный редактор",
+ "quickOpenLeastRecentlyUsedEditor": "Быстро открыть наиболее давно использовавшийся редактор",
+ "quickOpenPreviousRecentlyUsedEditorInGroup": "Быстро открыть ранее используемый редактор в группе",
+ "quickOpenLeastRecentlyUsedEditorInGroup": "Быстро открыть наиболее давно использовавшийся реактор в группе",
+ "navigateEditorHistoryByInput": "Быстро открыть предыдущий редактор из журнала",
+ "openNextRecentlyUsedEditor": "Открыть следующий недавно использованный редактор",
+ "openPreviousRecentlyUsedEditor": "Открыть предыдущий недавно использованный редактор",
+ "openNextRecentlyUsedEditorInGroup": "Открыть следующий недавно использованный редактор в группе",
+ "openPreviousRecentlyUsedEditorInGroup": "Открыть предыдущий недавно использованный редактор в группе",
+ "clearEditorHistory": "Очистить журнал редактора",
+ "moveEditorLeft": "Переместить редактор влево",
+ "moveEditorRight": "Переместить редактор вправо",
+ "moveEditorToPreviousGroup": "Переместить редактор в предыдущую группу",
+ "moveEditorToNextGroup": "Переместить редактор в следующую группу",
+ "moveEditorToAboveGroup": "Переместить редактор в группу вверху",
+ "moveEditorToBelowGroup": "Переместить редактор в группу внизу",
+ "moveEditorToLeftGroup": "Переместить редактор в группу слева",
+ "moveEditorToRightGroup": "Переместить редактор в группу справа",
+ "moveEditorToFirstGroup": "Переместить редактор в первую группу",
+ "moveEditorToLastGroup": "Переместить редактор в последнюю группу",
+ "editorLayoutSingle": "Расположение содержимого редактора с одним столбцом",
+ "editorLayoutTwoColumns": "Расположение содержимого редактора с двумя столбцами",
+ "editorLayoutThreeColumns": "Расположение содержимого редактора с тремя столбцами",
+ "editorLayoutTwoRows": "Расположение содержимого редактора с двумя строками",
+ "editorLayoutThreeRows": "Расположение содержимого редактора с тремя строками",
+ "editorLayoutTwoByTwoGrid": "Расположение содержимого редактора с сеткой (2x2)",
+ "editorLayoutTwoColumnsBottom": "Расположение содержимого редактора с двумя столбцами внизу",
+ "editorLayoutTwoRowsRight": "Расположение содержимого редактора с двумя строками справа",
+ "newEditorLeft": "Создать группу редакторов слева",
+ "newEditorRight": "Создать группу редакторов справа",
+ "newEditorAbove": "Создать группу редакторов вверху",
+ "newEditorBelow": "Создать группу редакторов внизу",
+ "workbench.action.reopenWithEditor": "Открыть редактор повторно с помощью…",
+ "workbench.action.toggleEditorType": "Переключить тип редактора"
+ },
+ "vs/workbench/browser/parts/editor/editorQuickAccess": {
+ "noViewResults": "Нет соответствующих редакторов",
+ "entryAriaLabelWithGroupDirty": "{0}, \"грязный\", {1}",
+ "entryAriaLabelWithGroup": "{0}, {1}",
+ "entryAriaLabelDirty": "{0}, \"грязный\"",
+ "closeEditor": "Закрыть редактор"
+ },
+ "vs/workbench/browser/parts/editor/binaryEditor": {
+ "binaryEditor": "Средство просмотра двоичных объектов",
+ "nativeFileTooLargeError": "Файл не отображается в редакторе, так как имеет слишком большой размер ({0}).",
+ "nativeBinaryError": "Файл не отображается в редакторе, так как является двоичным или использует неподдерживаемую кодировку текста.",
+ "openAsText": "Открыть его в любом случае?"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsViewer": {
+ "executeCommand": "Щелкните, чтобы выполнить команду \"{0}\"",
+ "notificationActions": "Действия уведомления",
+ "notificationSource": "Источник: {0}"
+ },
+ "vs/workbench/browser/parts/editor/titleControl": {
+ "ariaLabelEditorActions": "Действия редактора",
+ "draggedEditorGroup": "{0} (+{1})"
+ },
+ "vs/workbench/browser/parts/editor/breadcrumbsControl": {
+ "cmd.toggle": "Включить/отключить элементы навигации",
+ "miShowBreadcrumbs": "Показать &&элементы навигации",
+ "cmd.focus": "Перевести фокус на элементы навигации"
+ },
+ "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": "Когда параметр включен, в элементах навигации отображаются символы \"file\".",
+ "filteredTypes.module": "Когда параметр включен, в элементах навигации отображаются символы \"module\".",
+ "filteredTypes.namespace": "Когда параметр включен, в элементах навигации отображаются символы \"namespace\".",
+ "filteredTypes.package": "Когда параметр включен, в элементах навигации отображаются символы \"package\".",
+ "filteredTypes.class": "Когда параметр включен, в элементах навигации отображаются символы \"class\".",
+ "filteredTypes.method": "Когда параметр включен, в элементах навигации отображаются символы \"method\".",
+ "filteredTypes.property": "Когда параметр включен, в элементах навигации отображаются символы \"property\".",
+ "filteredTypes.field": "Когда параметр включен, в элементах навигации отображаются символы \"field\".",
+ "filteredTypes.constructor": "Когда параметр включен, в элементах навигации отображаются символы \"constructor\".",
+ "filteredTypes.enum": "Когда параметр включен, в элементах навигации отображаются символы \"enum\".",
+ "filteredTypes.interface": "Когда параметр включен, в элементах навигации отображаются символы \"interface\".",
+ "filteredTypes.function": "Когда параметр включен, в элементах навигации отображаются символы \"function\".",
+ "filteredTypes.variable": "Когда параметр включен, в элементах навигации отображаются символы \"variable\".",
+ "filteredTypes.constant": "Когда параметр включен, в элементах навигации отображаются символы \"constant\".",
+ "filteredTypes.string": "Когда параметр включен, в элементах навигации отображаются символы \"string\".",
+ "filteredTypes.number": "Когда параметр включен, в элементах навигации отображаются символы \"number\".",
+ "filteredTypes.boolean": "Когда параметр включен, в элементах навигации отображаются символы \"boolean\".",
+ "filteredTypes.array": "Когда параметр включен, в элементах навигации отображаются символы \"array\".",
+ "filteredTypes.object": "Когда параметр включен, в элементах навигации отображаются символы \"object\".",
+ "filteredTypes.key": "Когда параметр включен, в элементах навигации отображаются символы \"key\".",
+ "filteredTypes.null": "Когда параметр включен, в элементах навигации отображаются символы \"null\".",
+ "filteredTypes.enumMember": "Когда параметр включен, в элементах навигации отображаются символы \"enumMember\".",
+ "filteredTypes.struct": "Когда параметр включен, в элементах навигации отображаются символы \"struct\".",
+ "filteredTypes.event": "Когда параметр включен, в элементах навигации отображаются символы \"event\".",
+ "filteredTypes.operator": "Когда параметр включен, в элементах навигации отображаются символы \"operator\".",
+ "filteredTypes.typeParameter": "Когда параметр включен, в элементах навигации отображаются символы \"typeParameter\"."
+ },
+ "vs/workbench/browser/parts/editor/breadcrumbsPicker": {
+ "breadcrumbs": "Навигация"
+ },
+ "vs/workbench/contrib/backup/electron-sandbox/backupTracker": {
+ "backupTrackerBackupFailed": "Для одного редактора или нескольких, содержащих несохраненные изменения, не удалось сохранить данные в расположении резервного копирования.",
+ "backupTrackerConfirmFailed": "Для одного редактора или нескольких, содержащих несохраненные изменения, не удалось выполнить сохранение или отмену изменений.",
+ "ok": "ОК",
+ "backupErrorDetails": "Попробуйте выполнить сохранение или отменить изменения для \"грязных\" редакторов, а затем повторите попытку."
+ },
+ "vs/workbench/contrib/bulkEdit/browser/bulkEditService": {
+ "summary.0": "Изменения отсутствуют.",
+ "summary.nm": "Сделано изменений {0} в {1} файлах",
+ "summary.n0": "Сделано изменений {0} в одном файле",
+ "workspaceEdit": "Изменение рабочей области",
+ "nothing": "Изменения отсутствуют."
+ },
+ "vs/workbench/contrib/bulkEdit/browser/preview/bulkEdit.contribution": {
+ "overlap": "Выполняется предварительный просмотр другого рефакторинга.",
+ "cancel": "Отмена",
+ "continue": "Продолжить",
+ "detail": "Нажмите кнопку \"Продолжить\", чтобы отказаться от предыдущего рефакторинга и продолжить текущий рефакторинг.",
+ "apply": "Применить Рефакторинг",
+ "cat": "Предварительный просмотр рефакторинга",
+ "Discard": "Отменить рефакторинг",
+ "toogleSelection": "Переключение изменения",
+ "groupByFile": "Группировать изменения по файлам",
+ "groupByType": "Изменения групп по типу",
+ "refactorPreviewViewIcon": "Значок представления предварительного просмотра рефакторинга.",
+ "panel": "Предварительный просмотр рефакторинга"
+ },
+ "vs/workbench/contrib/bulkEdit/browser/preview/bulkEditPane": {
+ "empty.msg": "Вызовите действие кода, такое как переименование, чтобы вывести здесь предварительный просмотр его изменений.",
+ "conflict.1": "Не удается применить рефакторинг, так как в это время изменился \"{0}\".",
+ "conflict.N": "Не удается применить рефакторинг, так как за это время изменились другие файлы ({0}).",
+ "edt.title.del": "{0} (удаление, предварительный просмотр рефакторинга)",
+ "rename": "Переименование",
+ "create": "Создать",
+ "edt.title.2": "{0} ({1}, предварительный просмотр рефакторинга)",
+ "edt.title.1": "{0} (предварительный просмотр рефакторинга)"
+ },
+ "vs/workbench/contrib/bulkEdit/browser/preview/bulkEditPreview": {
+ "default": "Другое"
+ },
+ "vs/workbench/contrib/bulkEdit/browser/preview/bulkEditTree": {
+ "bulkEdit": "Массовое изменение",
+ "aria.renameAndEdit": "Выполняется переименование {0} в {1}, а также внесение правок в текст",
+ "aria.createAndEdit": "Выполняется создание {0}, а также внесение изменений в текст",
+ "aria.deleteAndEdit": "Выполняется удаление {0}, а также внесение правок в текст",
+ "aria.editOnly": "{0}, внесение правок в текст",
+ "aria.rename": "Переименование {0} в {1}",
+ "aria.create": "Идет создание {0}",
+ "aria.delete": "Удаление {0}",
+ "aria.replace": "строка {0}, замена {1} на {2}",
+ "aria.del": "строка {0}, удаление {1}",
+ "aria.insert": "строка {0}, вставка {1}",
+ "rename.label": "{0} → {1}",
+ "detail.rename": "(переименование)",
+ "detail.create": "(создание)",
+ "detail.del": "(идет удаление)",
+ "title": "{0} - {1}"
+ },
+ "vs/workbench/contrib/callHierarchy/browser/callHierarchy.contribution": {
+ "no.item": "Результаты отсутствуют",
+ "error": "Не удалось показать иерархию вызовов",
+ "title": "Просмотр иерархии вызовов",
+ "title.incoming": "Показать входящие вызовы",
+ "showIncomingCallsIcons": "Значок для входящих вызовов в представлении иерархии вызовов.",
+ "title.outgoing": "Показать исходящие вызовы",
+ "showOutgoingCallsIcon": "Значок для исходящих вызовов в представлении иерархии вызовов.",
+ "title.refocus": "Сменить фокус иерархии вызовов",
+ "close": "Закрыть"
+ },
+ "vs/workbench/contrib/callHierarchy/browser/callHierarchyPeek": {
+ "callFrom": "Вызовы из \"{0}\"",
+ "callsTo": "Объекты, вызывающие \"{0}\"",
+ "title.loading": "Загрузка...",
+ "empt.callsFrom": "Нет вызовов от \"{0}\"",
+ "empt.callsTo": "Нет объектов, вызывающих \"{0}\""
+ },
+ "vs/workbench/contrib/callHierarchy/browser/callHierarchyTree": {
+ "tree.aria": "Иерархия вызовов",
+ "from": "вызовы из {0}",
+ "to": "объекты, вызывающие {0}"
+ },
+ "vs/workbench/contrib/cli/node/cli.contribution": {
+ "shellCommand": "Команда оболочки",
+ "install": "Установить путь к команде \"{0}\" в PATH",
+ "not available": "Эта команда недоступна.",
+ "ok": "ОК",
+ "cancel2": "Отмена",
+ "warnEscalation": "Редактор Code запросит права администратора для установки команды оболочки с помощью osascript.",
+ "cantCreateBinFolder": "Не удается создать папку \"/usr/local/bin\".",
+ "aborted": "Прервано",
+ "successIn": "Путь к команде оболочки \"{0}\" успешно установлен в PATH.",
+ "uninstall": "Удалить путь к команде \"{0}\" из PATH",
+ "warnEscalationUninstall": "Редактор Code запросит права администратора для удаления команды оболочки с помощью osascript.",
+ "cantUninstall": "Не удается удалить команду оболочки \"{0}\".",
+ "successFrom": "Путь к команде оболочки \"{0}\" успешно удален из PATH."
+ },
+ "vs/workbench/contrib/codeActions/common/codeActionsContribution": {
+ "codeActionsOnSave.fixAll": "Определяет, требуется ли выполнять действие автоисправления при сохранении файла.",
+ "codeActionsOnSave": "Типы действий кода, которые будут выполнены при сохранении.",
+ "codeActionsOnSave.generic": "Управляет тем, следует ли выполнять действия \"{0}\" при сохранении файла."
+ },
+ "vs/workbench/contrib/codeActions/common/codeActionsExtensionPoint": {
+ "contributes.codeActions": "Настройка редактора, используемого для ресурса.",
+ "contributes.codeActions.languages": "Языковые режимы, для которых включены действия кода.",
+ "contributes.codeActions.kind": "'CodeActionKind' для внесенного действия кода.",
+ "contributes.codeActions.title": "Метка для действия кода в графическом интерфейсе.",
+ "contributes.codeActions.description": "Описание того, что делает действие кода."
+ },
+ "vs/workbench/contrib/codeActions/common/documentationExtensionPoint": {
+ "contributes.documentation": "Предоставленная документация.",
+ "contributes.documentation.refactorings": "Предоставленная документация для рефакторингов.",
+ "contributes.documentation.refactoring": "Предоставленная документация для рефакторинга.",
+ "contributes.documentation.refactoring.title": "Метка для документации, используемая в пользовательском интерфейсе.",
+ "contributes.documentation.refactoring.when": "Предложение When.",
+ "contributes.documentation.refactoring.command": "Команда выполнена."
+ },
+ "vs/workbench/contrib/codeEditor/electron-browser/startDebugTextMate": {
+ "startDebugTextMate": "Начать протоколирование грамматики для синтаксиса TextMate"
+ },
+ "vs/workbench/contrib/codeEditor/electron-sandbox/selectionClipboard": {
+ "actions.pasteSelectionClipboard": "Вставить выбранный фрагмент из буфера обмена"
+ },
+ "vs/workbench/contrib/codeEditor/browser/languageConfigurationExtensionPoint": {
+ "parseErrors": "Ошибок при анализе {0}: {1}",
+ "formatError": "{0}: недопустимый формат, ожидается объект JSON.",
+ "schema.openBracket": "Открывающий символ скобки или строковая последовательность.",
+ "schema.closeBracket": "Закрывающий символ скобки или строковая последовательность.",
+ "schema.comments": "Определяет символы комментариев",
+ "schema.blockComments": "Определяет способ маркировки комментариев.",
+ "schema.blockComment.begin": "Последовательность символов, открывающая блок комментариев.",
+ "schema.blockComment.end": "Последовательность символов, закрывающая блок комментариев.",
+ "schema.lineComment": "Последовательность символов, с которой начинается строка комментария.",
+ "schema.brackets": "Определяет символы скобок, увеличивающие или уменьшающие отступ.",
+ "schema.autoClosingPairs": "Определяет пары скобок. Когда введена открывающая скобка, автоматически добавляется закрывающая.",
+ "schema.autoClosingPairs.notIn": "Определяет список областей, где автоматические пары отключены.",
+ "schema.autoCloseBefore": "Определяет, какие символы должны быть указаны после курсора, чтобы произошло автоматическое закрытие скобок или кавычек при использовании параметра \"languageDefined\". Обычно это набор символов, с которого не может начинаться выражение.",
+ "schema.surroundingPairs": "Определяет пары скобок, в которые заключается выбранная строка.",
+ "schema.wordPattern": "Определяет, что считается словом в языке программирования.",
+ "schema.wordPattern.pattern": "Шаблон регулярного выражения, используемый для сопоставления слов.",
+ "schema.wordPattern.flags": "Флаги регулярного выражения, используемого для сопоставления слов.",
+ "schema.wordPattern.flags.errorMessage": "Должно соответствовать шаблону \"/^([gimuy]+)$/\".",
+ "schema.indentationRules": "Параметры отступов языка.",
+ "schema.indentationRules.increaseIndentPattern": "Если строка соответствует шаблону, то ко всем следующим строкам необходимо применить одинарный отступ (если не применяется другое правило).",
+ "schema.indentationRules.increaseIndentPattern.pattern": "Шаблон регулярного выражения для increaseIndentPattern.",
+ "schema.indentationRules.increaseIndentPattern.flags": "Флаги регулярного выражения для increaseIndentPattern.",
+ "schema.indentationRules.increaseIndentPattern.errorMessage": "Должно соответствовать шаблону \"/^([gimuy]+)$/\".",
+ "schema.indentationRules.decreaseIndentPattern": "Если строка соответствует шаблону, то для всех следующих строк необходимо отменить одинарный отступ (если не применяется другое правило).",
+ "schema.indentationRules.decreaseIndentPattern.pattern": "Шаблон регулярного выражения для decreaseIndentPattern.",
+ "schema.indentationRules.decreaseIndentPattern.flags": "Флаги регулярного выражения для decreaseIndentPattern.",
+ "schema.indentationRules.decreaseIndentPattern.errorMessage": "Должно соответствовать шаблону \"/^([gimuy]+)$/\".",
+ "schema.indentationRules.indentNextLinePattern": "Если строка соответствует шаблону, то необходимо применить одинарный отступ **только к следующей строке**.",
+ "schema.indentationRules.indentNextLinePattern.pattern": "Шаблон регулярного выражения для indentNextLinePattern.",
+ "schema.indentationRules.indentNextLinePattern.flags": "Флаги регулярного выражения для indentNextLinePattern.",
+ "schema.indentationRules.indentNextLinePattern.errorMessage": "Должно соответствовать шаблону \"/^([gimuy]+)$/\".",
+ "schema.indentationRules.unIndentedLinePattern": "Если строка соответствует шаблону, то отступ для этой строки не следует изменять и проверять на соответствие другим правилам.",
+ "schema.indentationRules.unIndentedLinePattern.pattern": "Шаблон регулярного выражения для unIndentedLinePattern.",
+ "schema.indentationRules.unIndentedLinePattern.flags": "Флаги регулярного выражения для unIndentedLinePattern.",
+ "schema.indentationRules.unIndentedLinePattern.errorMessage": "Должно соответствовать шаблону \"/^([gimuy]+)$/\".",
+ "schema.folding": "Параметры сворачивания языка.",
+ "schema.folding.offSide": "Язык придерживается правила отступов, если блоки в этом языке определяются отступами. Если этот параметр установлен, пустые строки будут принадлежать последующему блоку.",
+ "schema.folding.markers": "Метки свертывания для конкретного языка, например, '#region' и '#endregion'. Регулярные выражения начала и окончания будут применены к содержимому всех строк. Их следует тщательно продумать.",
+ "schema.folding.markers.start": "Шаблон регулярного выражения для метки начала. Регулярное выражение должно начинаться с '^'.",
+ "schema.folding.markers.end": "Шаблон регулярного выражения для метки окончания. Регулярное выражение должно начинаться с '^'. "
+ },
+ "vs/workbench/contrib/codeEditor/browser/quickaccess/gotoSymbolQuickAccess": {
+ "empty": "Нет соответствующих записей",
+ "gotoSymbolQuickAccessPlaceholder": "Введите имя символа, к которому нужно перейти.",
+ "gotoSymbolQuickAccess": "Перейти к символу в редакторе",
+ "gotoSymbolByCategoryQuickAccess": "Перейти к символу в редакторе по категории",
+ "gotoSymbol": "Перейти к символу в редакторе..."
+ },
+ "vs/workbench/contrib/codeEditor/browser/accessibility/accessibility": {
+ "emergencyConfOn": "Установка значения \"on\" для параметра \"editor.accessibilitySupport\".",
+ "openingDocs": "Открывается страница документации по специальным возможностям VS Code.",
+ "introMsg": "Благодарим за ознакомление со специальными возможностями VS Code.",
+ "status": "Состояние:",
+ "changeConfigToOnMac": "Чтобы включить постоянную оптимизацию редактора для использования со средствами чтения с экрана, нажмите COMMMAND+E.",
+ "changeConfigToOnWinLinux": "Чтобы включить постоянную оптимизацию редактора для использования со средствами чтения с экрана, нажмите CTRL+E.",
+ "auto_unknown": "В редакторе настроено определение средства чтения с экрана с помощью API платформы, но текущая среда выполнения это не поддерживает.",
+ "auto_on": "Редактор автоматически определил, что средство чтения с экрана подключено.",
+ "auto_off": "В редакторе настроено автоматическое определение средства чтения с экрана, но сейчас это средство не подключено.",
+ "configuredOn": "Постоянная оптимизацию редактора для использования со средствами чтения с экрана включена. Чтобы ее отключить, измените параметр \"editor.accessibilitySupport\".",
+ "configuredOff": "Для редактора не настроена оптимизация для использования со средствами чтения с экрана.",
+ "tabFocusModeOnMsg": "При нажатии клавиши TAB в текущем редакторе фокус ввода переместится на следующий элемент, способный его принять. Чтобы изменить это поведение, нажмите клавишу {0}.",
+ "tabFocusModeOnMsgNoKb": "При нажатии клавиши TAB в текущем редакторе фокус ввода переместится на следующий элемент, способный его принять. Команду {0} сейчас невозможно выполнить с помощью настраиваемого сочетания клавиш.",
+ "tabFocusModeOffMsg": "При нажатии клавиши TAB в текущем редакторе будет вставлен символ табуляции. Чтобы изменить это поведение, нажмите клавишу {0}.",
+ "tabFocusModeOffMsgNoKb": "При нажатии клавиши TAB в текущем редакторе будет вставлен символ табуляции. Команду {0} сейчас невозможно выполнить с помощью настраиваемого сочетания клавиш.",
+ "openDocMac": "Нажмите COMMAND+H, чтобы открыть окно браузера с дополнительными сведениями о специальных возможностях VS Code.",
+ "openDocWinLinux": "Нажмите CTRL+H, чтобы открыть окно браузера с дополнительными сведениями о специальных возможностях VS Code.",
+ "outroMsg": "Вы можете закрыть эту подсказку и вернуться в редактор, нажав клавиши ESCAPE или SHIFT+ESCAPE.",
+ "ShowAccessibilityHelpAction": "Показать справку по специальным возможностям"
+ },
+ "vs/workbench/contrib/codeEditor/browser/diffEditorHelper": {
+ "hintTimeout": "Алгоритм поиска различий был остановлен досрочно (через {0} мс).",
+ "removeTimeout": "Снять ограничение",
+ "hintWhitespace": "Показать различия пробелов"
+ },
+ "vs/workbench/contrib/codeEditor/browser/inspectKeybindings": {
+ "workbench.action.inspectKeyMap": "Разработчик: исследование сопоставлений ключей",
+ "workbench.action.inspectKeyMapJSON": "Проверка сопоставлений клавиш (JSON)"
+ },
+ "vs/workbench/contrib/codeEditor/browser/largeFileOptimizations": {
+ "largeFile": "{0}: этот файл имеет слишком большой размер, поэтому для него были отключены разметка, перенос и свертывание, чтобы уменьшить объем используемой памяти и предотвратить зависание или неожиданное завершение работы программы.",
+ "removeOptimizations": "Принудительно включить функции",
+ "reopenFilePrompt": "Откройте файл повторно, чтобы изменение этого параметра вступило в силу."
+ },
+ "vs/workbench/contrib/codeEditor/browser/inspectEditorTokens/inspectEditorTokens": {
+ "inspectEditorTokens": "Разработчик: проверка токенов редактора и областей",
+ "inspectTMScopesWidget.loading": "Загрузка..."
+ },
+ "vs/workbench/contrib/codeEditor/browser/quickaccess/gotoLineQuickAccess": {
+ "gotoLineQuickAccessPlaceholder": "Введите номер строки и опционально столбец для перехода (например, 42:5 для строки 42 и столбца 5).",
+ "gotoLineQuickAccess": "Перейти к строке/столбцу",
+ "gotoLine": "Перейти к строке/столбцу..."
+ },
+ "vs/workbench/contrib/codeEditor/browser/saveParticipants": {
+ "formatting": "Выполняется форматировщик \"{0}\" ([настроить](command:workbench.action.openSettings?%5B%22editor.formatOnSave%22%5D)).",
+ "codeaction": "Быстрые исправления",
+ "codeaction.get": "Получение действий кода из \"{0}\" ([настроить](command:workbench.action.openSettings?%5B%22editor.codeActionsOnSave%22%5D)).",
+ "codeAction.apply": "Применение действия кода \"{0}\"."
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleColumnSelection": {
+ "toggleColumnSelection": "Переключение режима выбора столбца",
+ "miColumnSelection": "Режим &&выбора столбцов"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleMinimap": {
+ "toggleMinimap": "Переключить мини-карту",
+ "miShowMinimap": "Показать &&мини-карту"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleMultiCursorModifier": {
+ "toggleLocation": "Включить или отключить режим с несколькими курсорами",
+ "miMultiCursorAlt": "Для работы в режиме нескольких курсоров нажмите левую кнопку мыши, удерживая клавишу ALT",
+ "miMultiCursorCmd": "Для работы в режиме нескольких курсоров нажмите левую кнопку мыши, удерживая клавишу COMMAND ",
+ "miMultiCursorCtrl": "Для работы в режиме нескольких курсоров нажмите левую кнопку мыши, удерживая клавишу CTRL"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleRenderControlCharacter": {
+ "toggleRenderControlCharacters": "Переключить управляющие символы",
+ "miToggleRenderControlCharacters": "Отобразить &&управляющие символы"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleRenderWhitespace": {
+ "toggleRenderWhitespace": "Переключить отображение пробелов",
+ "miToggleRenderWhitespace": "&&Отображать пробелы"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleWordWrap": {
+ "toggle.wordwrap": "Вид: переключение режима переноса по словам",
+ "unwrapMinified": "Отключить перенос для этого файла",
+ "wrapMinified": "Включить перенос для этого файла",
+ "miToggleWordWrap": "Переносить &&по словам"
+ },
+ "vs/workbench/contrib/codeEditor/browser/find/simpleFindWidget": {
+ "label.find": "Поиск",
+ "placeholder.find": "Поиск",
+ "label.previousMatchButton": "Предыдущее совпадение",
+ "label.nextMatchButton": "Следующее совпадение",
+ "label.closeButton": "Закрыть"
+ },
+ "vs/workbench/contrib/codeEditor/browser/find/simpleFindReplaceWidget": {
+ "label.find": "Поиск",
+ "placeholder.find": "Поиск",
+ "label.previousMatchButton": "Предыдущее совпадение",
+ "label.nextMatchButton": "Следующее совпадение",
+ "label.closeButton": "Закрыть",
+ "label.toggleReplaceButton": "Режим \"Переключение замены\"",
+ "label.replace": "Заменить",
+ "placeholder.replace": "Заменить",
+ "label.replaceButton": "Заменить",
+ "label.replaceAllButton": "Заменить все"
+ },
+ "vs/workbench/contrib/comments/browser/comments.contribution": {
+ "commentsConfigurationTitle": "Комментарии",
+ "openComments": "Определяет, когда должна открываться панель комментариев."
+ },
+ "vs/workbench/contrib/comments/browser/commentsEditorContribution": {
+ "pickCommentService": "Выберите поставщика комментариев",
+ "nextCommentThreadAction": "Перейти к ветви следующего комментария"
+ },
+ "vs/workbench/contrib/comments/browser/commentsView": {
+ "collapseAll": "Свернуть все",
+ "rootCommentsLabel": "Комментарии для текущей рабочей области",
+ "resourceWithCommentThreadsLabel": "Комментарии в {0}, полный путь {1}",
+ "resourceWithCommentLabel": "Комментарий из ${0} в строке {1} столбца {2} в {3}, источник: {4}"
+ },
+ "vs/workbench/contrib/comments/browser/commentsTreeViewer": {
+ "imageWithLabel": "Изображение: {0}",
+ "image": "Образ"
+ },
+ "vs/workbench/contrib/comments/browser/commentGlyphWidget": {
+ "editorGutterCommentRangeForeground": "Цвет декоратора полей редактора для комментирования диапазонов."
+ },
+ "vs/workbench/contrib/comments/browser/commentThreadWidget": {
+ "collapseIcon": "Значок для свертывания комментария к проверке.",
+ "label.collapse": "Свернуть",
+ "startThread": "Начать обсуждение",
+ "reply": "Ответить...",
+ "newComment": "Введите новый комментарий"
+ },
+ "vs/workbench/contrib/comments/common/commentModel": {
+ "noComments": "В этой рабочей области пока нет комментариев."
+ },
+ "vs/workbench/contrib/comments/browser/commentNode": {
+ "commentToggleReaction": "Переключить реакцию",
+ "commentToggleReactionError": "Не удалось переключить реакцию на комментарий: {0}.",
+ "commentToggleReactionDefaultError": "Не удалось переключить реакцию на комментарии",
+ "commentDeleteReactionError": "Сбой при удалении реакции на комментарий: {0}.",
+ "commentDeleteReactionDefaultError": "Сбой при удалении реакции на комментарий",
+ "commentAddReactionError": "Сбой при удалении реакции на комментарий: {0}.",
+ "commentAddReactionDefaultError": "Сбой при удалении реакции на комментарий"
+ },
+ "vs/workbench/contrib/comments/browser/reactionsAction": {
+ "pickReactions": "Выбор реакций..."
+ },
+ "vs/workbench/contrib/customEditor/browser/customEditors": {
+ "openWithCurrentlyActive": "Сейчас активно",
+ "promptOpenWith.setDefaultTooltip": "Установить в качестве редактора по умолчанию для файлов \"{0}\"",
+ "promptOpenWith.placeHolder": "Выберите редактор, используемый для \"{0}\"..."
+ },
+ "vs/workbench/contrib/customEditor/common/contributedCustomEditors": {
+ "builtinProviderDisplayName": "Встроенный",
+ "promptOpenWith.defaultEditor.displayName": "Текстовый редактор"
+ },
+ "vs/workbench/contrib/customEditor/common/extensionPoint": {
+ "contributes.customEditors": "Добавленные специализированные редакторы.",
+ "contributes.viewType": "Идентификатор пользовательского редактора. Он должен быть уникальным для всех пользовательских редакторов, поэтому рекомендуется включить в него идентификатор расширения как часть значения параметра \"viewType\". Параметр \"viewType\" используется при регистрации пользовательских редакторов с помощью метода \"vscode.registerCustomEditorProvider\" и в [событии активации] \"onCustomEditor:${id}\" (https://code.visualstudio.com/api/references/activation-events).",
+ "contributes.displayName": "Понятное для человека имя специализированного редактора. Оно отображается пользователям при выборе используемого редактора.",
+ "contributes.selector": "Набор стандартных масок, для которых включен специализированный редактор.",
+ "contributes.selector.filenamePattern": "Стандартная маска, для которой включен специализированный редактор.",
+ "contributes.priority": "Определяет, будет ли пользовательский редактор открываться автоматически при открытии файла пользователем. Это поведение может быть переопределено пользователем с помощью параметра \"workbench.editorAssociations\".",
+ "contributes.priority.default": "Редактор открывается автоматически, когда пользователь открывает ресурс, если для этого ресурса не зарегистрированы другие пользовательские редакторы по умолчанию.",
+ "contributes.priority.option": "Редактор не открывается автоматически, когда пользователь открывает ресурс, но пользователь может переключиться на редактор с помощью команды \"Повторно открыть с помощью\"."
+ },
+ "vs/workbench/contrib/debug/common/debug": {
+ "internalConsoleOptions": "Управляет тем, когда должна быть открыта внутренняя консоль отладки."
+ },
+ "vs/workbench/contrib/debug/browser/debug.contribution": {
+ "debugCategory": "Отладка",
+ "runCategory": "Запуск",
+ "startDebugPlaceholder": "Введите имя конфигурации для запуска.",
+ "startDebuggingHelp": "Начать отладку",
+ "terminateThread": "Завершить поток",
+ "debugFocusConsole": "Перевести фокус на консоль отладки",
+ "jumpToCursor": "Перейти к курсору",
+ "SetNextStatement": "Задать следующее выражение",
+ "inlineBreakpoint": "Внутренняя точка останова",
+ "stepBackDebug": "На шаг назад",
+ "reverseContinue": "Обратно",
+ "restartFrame": "Перезапустить кадр",
+ "copyStackTrace": "Копировать стек вызовов",
+ "setValue": "Задать значение",
+ "copyValue": "Копировать значение",
+ "copyAsExpression": "Копировать как выражение",
+ "addToWatchExpressions": "Добавить контрольное значение",
+ "breakWhenValueChanges": "Прервать выполнение при изменении значения",
+ "miViewRun": "&&Выполнить",
+ "miToggleDebugConsole": "Ко&&нсоль отладки",
+ "miStartDebugging": "&&Запустить отладку",
+ "miRun": "Запуск &&без отладки",
+ "miStopDebugging": "&&Остановить отладку",
+ "miRestart Debugging": "&&Перезапустить отладку",
+ "miOpenConfigurations": "От&&крыть конфигурации",
+ "miAddConfiguration": "Д&&обавить конфигурацию...",
+ "miStepOver": "Шаг с о&&бходом",
+ "miStepInto": "Ш&&аг с заходом",
+ "miStepOut": "Шаг с &&выходом",
+ "miContinue": "&&Продолжить",
+ "miToggleBreakpoint": "Перек&&лючить точку останова",
+ "miConditionalBreakpoint": "У&&словная точка останова...",
+ "miInlineBreakpoint": "Встроенная точка оста&&нова",
+ "miFunctionBreakpoint": "&&Точка останова функции...",
+ "miLogPoint": "&&Точка ведения журнала...",
+ "miNewBreakpoint": "&&Новая точка останова",
+ "miEnableAllBreakpoints": "&&Включить все точки останова",
+ "miDisableAllBreakpoints": "Отключить &&все точки останова",
+ "miRemoveAllBreakpoints": "Удалить &&все точки останова",
+ "miInstallAdditionalDebuggers": "У&&становить дополнительные отладчики...",
+ "debugPanel": "Консоль отладки",
+ "run": "Запустить",
+ "variables": "Переменные",
+ "watch": "Контрольное значение",
+ "callStack": "Стек вызовов",
+ "breakpoints": "Точки останова",
+ "loadedScripts": "Загруженные сценарии",
+ "debugConfigurationTitle": "Отладка",
+ "allowBreakpointsEverywhere": "Разрешить установку точек останова в любом файле.",
+ "openExplorerOnEnd": "Автоматическое открытие представления проводника в конце сеанса отладки.",
+ "inlineValues": "Показывать значения переменных в редакторе во время отладки.",
+ "toolBarLocation": "Определяет положение панели отладки: \"перемещаемая\" во всех представлениях, \"закрепленная\" в представлении отладки или \"скрытая\".",
+ "never": "Никогда не отображать отладку в строке состояния",
+ "always": "Всегда отображать отладку в строке состояния",
+ "onFirstSessionStart": "Отображать отладку в строке состояния только после первого запуска отладки",
+ "showInStatusBar": "Определяет, должна ли отображаться строка состояния отладки.",
+ "debug.console.closeOnEnd": "Определяет, должна ли консоль отладки автоматически закрываться по окончании сеанса отладки.",
+ "openDebug": "Определяет, когда должно быть открыто представление отладки.",
+ "showSubSessionsInToolBar": "Определяет, отображаются ли подчиненные сеансы отладки на панели инструментов отладки. Если этот параметр имеет значение false, команда остановки для подчиненного сеанса также остановит родительский сеанс.",
+ "debug.console.fontSize": "Определяет размер шрифта в пикселях в консоли отладки.",
+ "debug.console.fontFamily": "Определяет семейство шрифтов в консоли отладки.",
+ "debug.console.lineHeight": "Определяет высоту строки в пикселях в консоли отладки. Используйте значение 0 для вычисления высоты строки по размеру шрифта.",
+ "debug.console.wordWrap": "Определяет, используется ли перенос строк в консоли отладки.",
+ "debug.console.historySuggestions": "Определяет, должна ли консоль отладки предлагать ранее введенные входные данные.",
+ "launch": "Глобальная конфигурация запуска отладки. Ее следует использовать в качестве альтернативы \"launch.json\", при этом она используется совместно несколькими рабочими областями.",
+ "debug.focusWindowOnBreak": "Определяет, следует ли перевести фокус на окно рабочей области при срабатывании точки останова в отладчике.",
+ "debugAnyway": "Пропустите ошибки задач и начните отладку.",
+ "showErrors": "Отображение представления проблем без запуска отладки.",
+ "prompt": "Вывод запроса пользователю.",
+ "cancel": "Отменить отладку.",
+ "debug.onTaskErrors": "Указывает действия, выполняемые при обнаружении ошибок после запуска preLaunchTask.",
+ "showBreakpointsInOverviewRuler": "Определяет, нужно ли отображать точки останова на обзорной линейке.",
+ "showInlineBreakpointCandidates": "Определяет, должны ли декораторы кандидатов на внутренние точки останова отображаться в редакторе во время отладки."
+ },
+ "vs/workbench/contrib/debug/browser/debugEditorContribution": {
+ "addConfiguration": "Добавить конфигурацию..."
+ },
+ "vs/workbench/contrib/debug/browser/breakpointEditorContribution": {
+ "logPoint": "Точка ведения журнала",
+ "breakpoint": "Точка останова",
+ "breakpointHasConditionDisabled": "Этот {0} содержит {1}, который будет утерян при удалении. Попробуйте включить {0} вместо удаления.",
+ "message": "Сообщение",
+ "condition": "Условие",
+ "breakpointHasConditionEnabled": "Этот {0} содержит {1}, который будет утерян при удалении. Попробуйте отключить {0} вместо удаления.",
+ "removeLogPoint": "Удалить {0}",
+ "disableLogPoint": "{0} {1}",
+ "disable": "Отключить",
+ "enable": "Включить",
+ "cancel": "Отмена",
+ "removeBreakpoint": "Удалить {0}",
+ "editBreakpoint": "Изменить {0}...",
+ "disableBreakpoint": "Отключить {0}",
+ "enableBreakpoint": "Включить {0}",
+ "removeBreakpoints": "Удалить точки останова",
+ "removeInlineBreakpointOnColumn": "Удалить внутреннюю точку останова в столбце {0}",
+ "removeLineBreakpoint": "Удалить точку останова из строки",
+ "editBreakpoints": "Изменить точки останова",
+ "editInlineBreakpointOnColumn": "Изменить внутреннюю точку останова в столбце {0}",
+ "editLineBrekapoint": "Изменить точку останова в строке",
+ "enableDisableBreakpoints": "Включить или отключить точки останова",
+ "disableInlineColumnBreakpoint": "Отключить внутреннюю точку останова в столбце {0}",
+ "disableBreakpointOnLine": "Отключить точку останова в строке",
+ "enableBreakpoints": "Включить внутреннюю точку останова в столбце {0} ",
+ "enableBreakpointOnLine": "Включить точку останова в строке",
+ "addBreakpoint": "Добавить точку останова",
+ "addConditionalBreakpoint": "Добавить условную точку останова...",
+ "addLogPoint": "Добавить точку журнала...",
+ "debugIcon.breakpointForeground": "Цвет значка для точек останова.",
+ "debugIcon.breakpointDisabledForeground": "Цвет значка для отключенных точек останова.",
+ "debugIcon.breakpointUnverifiedForeground": "Цвет значка для непроверенных точек останова.",
+ "debugIcon.breakpointCurrentStackframeForeground": "Цвет значка для кадра стека текущей точки останова.",
+ "debugIcon.breakpointStackframeForeground": "Цвет значка для всех кадров стека точки останова."
+ },
+ "vs/workbench/contrib/debug/browser/callStackEditorContribution": {
+ "topStackFrameLineHighlight": "Цвет фона для выделения строки в верхнем кадре стека.",
+ "focusedStackFrameLineHighlight": "Цвет фона для выделения строки в кадре стека, на котором находится фокус."
+ },
+ "vs/workbench/contrib/debug/browser/repl": {
+ "workbench.debug.filter.placeholder": "Фильтр (например: text, !exclude)",
+ "debugConsole": "Консоль отладки",
+ "copy": "Копирование",
+ "copyAll": "Копировать все",
+ "paste": "Вставить",
+ "collapse": "Свернуть все",
+ "startDebugFirst": "Запустите сеанс отладки для вычисления выражений",
+ "actions.repl.acceptInput": "Прием входных данных REPL",
+ "repl.action.filter": "Фокус на содержимом для фильтрации в REPL",
+ "actions.repl.copyAll": "Отладка: скопировать все содержимое консоли",
+ "selectRepl": "Выбрать консоль отладки",
+ "clearRepl": "Очистить консоль",
+ "debugConsoleCleared": "Консоль отладки очищена"
+ },
+ "vs/workbench/contrib/debug/browser/debugViewlet": {
+ "startAdditionalSession": "Запустить дополнительный сеанс",
+ "toggleDebugPanel": "Консоль отладки",
+ "toggleDebugViewlet": "Показать запуск и отладку"
+ },
+ "vs/workbench/contrib/debug/common/abstractDebugAdapter": {
+ "timeout": "Время ожидания для \"{1}\" — {0} мс"
+ },
+ "vs/workbench/contrib/debug/browser/breakpointsView": {
+ "editCondition": "Изменить условие",
+ "Logpoint": "Точка ведения журнала",
+ "Breakpoint": "Точка останова",
+ "editBreakpoint": "Изменить {0}...",
+ "removeBreakpoint": "Удалить {0}",
+ "expressionCondition": "Условие выражения: {0}",
+ "functionBreakpointsNotSupported": "Точки останова функций не поддерживаются в этом типе отладки",
+ "dataBreakpointsNotSupported": "Точки останова в данных не поддерживаются этим типом отладки",
+ "functionBreakpointPlaceholder": "Функция, в которой производится останов",
+ "functionBreakPointInputAriaLabel": "Введите точку останова в функции",
+ "exceptionBreakpointPlaceholder": "Прерывание, когда выражение имеет значение true",
+ "exceptionBreakpointAriaLabel": "Введите условие для точки останова исключения",
+ "breakpoints": "Точки останова",
+ "disabledLogpoint": "Отключенная точка журнала",
+ "disabledBreakpoint": "Отключенная точка останова",
+ "unverifiedLogpoint": "Непроверенная точка журнала",
+ "unverifiedBreakopint": "Непроверенная точка останова",
+ "functionBreakpointUnsupported": "Точки останова функций не поддерживаются в этом типе отладки",
+ "functionBreakpoint": "Точка останова в функции",
+ "dataBreakpointUnsupported": "Точки останова в данных не поддерживаются этим типом отладки",
+ "dataBreakpoint": "Точка останова в данных",
+ "breakpointUnsupported": "Точки останова этого типа не поддерживаются отладчиком",
+ "logMessage": "Сообщение журнала: {0}",
+ "expression": "Условие выражения: {0}",
+ "hitCount": "Количество обращений: {0}",
+ "breakpoint": "Точка останова"
+ },
+ "vs/workbench/contrib/debug/browser/callStackView": {
+ "running": "Выполняется",
+ "showMoreStackFrames2": "Показать больше кадров стека",
+ "session": "Сеанс",
+ "thread": "Поток",
+ "restartFrame": "Перезапустить кадр",
+ "loadAllStackFrames": "Загрузить все кадры стека",
+ "showMoreAndOrigin": "Показать еще {0}: {1}",
+ "showMoreStackFrames": "Загрузить дополнительные кадры стека ({0})",
+ "callStackAriaLabel": "Отладка стека вызовов",
+ "threadAriaLabel": "Поток \"{0}\": {1}",
+ "stackFrameAriaLabel": "Кадр стека {0}, строка {1}, {2}",
+ "sessionLabel": "Сеанс \"{0}\": {1}"
+ },
+ "vs/workbench/contrib/debug/browser/debugActions": {
+ "openLaunchJson": "Открыть {0}",
+ "launchJsonNeedsConfigurtion": "Настройте или исправьте \"launch.json\"",
+ "noFolderDebugConfig": "Откройте папку, чтобы выполнить расширенную настройку отладки.",
+ "selectWorkspaceFolder": "Выберите папку рабочей области, в которой нужно создать файл launch.json, или добавьте его в файл конфигурации рабочей области.",
+ "startDebug": "Начать отладку",
+ "startWithoutDebugging": "Начать без отладки",
+ "selectAndStartDebugging": "Выбрать и начать отладку",
+ "removeBreakpoint": "Удалить точку останова",
+ "removeAllBreakpoints": "Удалить все точки останова",
+ "enableAllBreakpoints": "Включить все точки останова",
+ "disableAllBreakpoints": "Отключить все точки останова",
+ "activateBreakpoints": "Активировать точки останова",
+ "deactivateBreakpoints": "Отключить точки останова",
+ "reapplyAllBreakpoints": "Повторно применить все точки останова",
+ "addFunctionBreakpoint": "Добавить точку останова в функции",
+ "addWatchExpression": "Добавить выражение",
+ "removeAllWatchExpressions": "Удалить все выражения",
+ "focusSession": "Перевести фокус на сеанс",
+ "copyValue": "Копировать значение"
+ },
+ "vs/workbench/contrib/debug/browser/debugToolBar": {
+ "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/debug/browser/debugService": {
+ "1activeSession": "1 активный сеанс",
+ "nActiveSessions": "Активные сеансы: {0}",
+ "configurationAlreadyRunning": "Конфигурация отладки \"{0}\" уже существует.",
+ "compoundMustHaveConfigurations": "Для составного элемента должен быть задан атрибут configurations для запуска нескольких конфигураций.",
+ "noConfigurationNameInWorkspace": "Не удалось найти конфигурацию запуска \"{0}\" в рабочей области.",
+ "multipleConfigurationNamesInWorkspace": "В рабочей области есть несколько конфигураций запуска \"{0}\". Используйте имя папки для определения конфигурации.",
+ "noFolderWithName": "Не удается найти папку с именем '{0}' для конфигурации '{1}' в составном объекте '{2}'.",
+ "configMissing": "Конфигурация \"{0}\" отсутствует в launch.json.",
+ "launchJsonDoesNotExist": "\"launch.json\" не существует в переданной папке рабочей области.",
+ "debugRequestNotSupported": "Атрибут '{0}' имеет неподдерживаемое значение '{1}' в выбранной конфигурации отладки.",
+ "debugRequesMissing": "В выбранной конфигурации отладки отсутствует атрибут '{0}'.",
+ "debugTypeNotSupported": "Настроенный тип отладки \"{0}\" не поддерживается.",
+ "debugTypeMissing": "Отсутствует свойство \"type\" для выбранной конфигурации запуска.",
+ "installAdditionalDebuggers": "Установка расширения {0}",
+ "noFolderWorkspaceDebugError": "Отладка активного файла невозможна. Убедитесь, что файл сохранен и у вас установлено расширение отладки для него.",
+ "debugAdapterCrash": "Процесс адаптера отладки неожиданно завершился ({0})",
+ "cancel": "Отмена",
+ "debuggingPaused": "{0}:{1} — отладка приостановлена. Причина: {2}, {3}.",
+ "breakpointAdded": "Добавлена точка останова, строка {0}, файл {1}.",
+ "breakpointRemoved": "Удалена точка останова, строка {0}, файл {1}"
+ },
+ "vs/workbench/contrib/debug/browser/statusbarColorProvider": {
+ "statusBarDebuggingBackground": "Цвет фона панели состояния при отладке программы. Панель состояния показана внизу окна.",
+ "statusBarDebuggingForeground": "Цвет переднего плана строки состояния при отладке программы. Строка состояния расположена в нижней части окна.",
+ "statusBarDebuggingBorder": "Цвет границы строки состояния, который распространяется на боковую панель и редактор при отладке программы. Строка состояния расположена в нижней части окна."
+ },
+ "vs/workbench/contrib/debug/browser/debugStatus": {
+ "status.debug": "Отладка",
+ "debugTarget": "Отладка: {0}",
+ "selectAndStartDebug": "Выбрать и запустить конфигурацию отладки"
+ },
+ "vs/workbench/contrib/debug/browser/debugCommands": {
+ "restartDebug": "Перезапустить",
+ "stepOverDebug": "Шаг с обходом",
+ "stepIntoDebug": "Шаг с заходом",
+ "stepOutDebug": "Шаг с выходом",
+ "pauseDebug": "Приостановить",
+ "disconnect": "Отключить",
+ "stop": "Остановить",
+ "continueDebug": "Продолжить",
+ "chooseLocation": "Выберите конкретное расположение",
+ "noExecutableCode": "С текущим положением курсора не связан никакой исполняемый код.",
+ "jumpToCursor": "Перейти к курсору",
+ "debug": "Отладка",
+ "noFolderDebugConfig": "Откройте папку, чтобы выполнить расширенную настройку отладки.",
+ "addInlineBreakpoint": "Добавить внутреннюю точку останова"
+ },
+ "vs/workbench/contrib/debug/browser/loadedScriptsView": {
+ "loadedScriptsSession": "Сеанс отладки",
+ "loadedScriptsAriaLabel": "Отладка загруженных сценариев",
+ "loadedScriptsRootFolderAriaLabel": "Папка рабочей области {0}, сценарий загружен, отладка",
+ "loadedScriptsSessionAriaLabel": "Сеанс {0}, сценарий загружен, отладка",
+ "loadedScriptsFolderAriaLabel": "Папка {0}, сценарий загружен, отладка",
+ "loadedScriptsSourceAriaLabel": "{0}, сценарий загружен, отладка"
+ },
+ "vs/workbench/contrib/debug/browser/debugEditorActions": {
+ "toggleBreakpointAction": "Отладка: переключить точку останова",
+ "conditionalBreakpointEditorAction": "Отладка: добавить условную точку останова...",
+ "logPointEditorAction": "Отладка: добавить точку журнала...",
+ "runToCursor": "Выполнить до курсора",
+ "evaluateInDebugConsole": "Оценить в консоли отладки",
+ "addToWatch": "Добавить контрольное значение",
+ "showDebugHover": "Отладка: показать при наведении",
+ "stepIntoTargets": "Переход к целевым функциям…",
+ "goToNextBreakpoint": "Отладка: перейти к следующей точке останова",
+ "goToPreviousBreakpoint": "Отладка: перейти к предыдущей точке останова",
+ "closeExceptionWidget": "Закрыть мини-приложение исключений"
+ },
+ "vs/workbench/contrib/debug/browser/watchExpressionsView": {
+ "editWatchExpression": "Изменить выражение",
+ "removeWatchExpression": "Удалить выражение",
+ "watchExpressionInputAriaLabel": "Введите выражение контрольного значения",
+ "watchExpressionPlaceholder": "Выражение с контрольным значением",
+ "watchAriaTreeLabel": "Отладка выражений контрольных значений",
+ "watchExpressionAriaLabel": "{0}, значение {1}",
+ "watchVariableAriaLabel": "{0}, значение {1}"
+ },
+ "vs/workbench/contrib/debug/browser/variablesView": {
+ "variableValueAriaLabel": "Введите новое значение переменной",
+ "variablesAriaTreeLabel": "Отладка переменных",
+ "variableScopeAriaLabel": "Область {0}",
+ "variableAriaLabel": "{0}, значение {1}"
+ },
+ "vs/workbench/contrib/debug/common/debugContentProvider": {
+ "unable": "Не удается разрешить ресурс без сеанса отладки.",
+ "canNotResolveSourceWithError": "Не удалось загрузить источник '{0}': {1}.",
+ "canNotResolveSource": "Не удалось загрузить источник '{0}'."
+ },
+ "vs/workbench/contrib/debug/browser/welcomeView": {
+ "run": "Запустить",
+ "openAFileWhichCanBeDebugged": "[Откройте файл](command:{0}), который можно отладить или запустить.",
+ "runAndDebugAction": "[Запуск и отладка{0}](command:{1})",
+ "detectThenRunAndDebug": "[Показать](command:{0}) все автоматические конфигурации отладки.",
+ "customizeRunAndDebug": "Чтобы настроить выполнение и отладку, [создайте файл launch.json](command:{0}).",
+ "customizeRunAndDebugOpenFolder": "Чтобы настроить выполнение и отладку, [откройте папку](command:{0}) и создайте файл launch.json."
+ },
+ "vs/workbench/contrib/debug/browser/debugQuickAccess": {
+ "noDebugResults": "Нет соответствующих конфигураций запуска",
+ "customizeLaunchConfig": "Настройка конфигурации запуска",
+ "contributed": "добавленный",
+ "providerAriaLabel": "Конфигурации от поставщика {0}",
+ "configure": "Настроить",
+ "addConfigTo": "Добавить конфигурацию ({0})...",
+ "addConfiguration": "Добавить конфигурацию..."
+ },
+ "vs/workbench/contrib/debug/browser/debugIcons": {
+ "debugConsoleViewIcon": "Значок представления консоли отладки.",
+ "runViewIcon": "Значок представления выполнения.",
+ "variablesViewIcon": "Значок представления переменных.",
+ "watchViewIcon": "Значок представления контрольных значений.",
+ "callStackViewIcon": "Значок представления стека вызовов.",
+ "breakpointsViewIcon": "Значок представления точек останова.",
+ "loadedScriptsViewIcon": "Значок представления загруженных скриптов.",
+ "debugBreakpoint": "Значок для точек останова.",
+ "debugBreakpointDisabled": "Значок для отключенных точек останова.",
+ "debugBreakpointUnverified": "Значок для непроверенных точек останова.",
+ "debugBreakpointHint": "Значок для подсказок точек останова, отображаемый при наведении указателя мыши на поле глифов редактора.",
+ "debugBreakpointFunction": "Значок для точек останова в функциях.",
+ "debugBreakpointFunctionUnverified": "Значок для непроверенных точек останова в функциях.",
+ "debugBreakpointFunctionDisabled": "Значок для отключенных точек останова в функциях.",
+ "debugBreakpointUnsupported": "Значок для неподдерживаемых точек останова.",
+ "debugBreakpointConditionalUnverified": "Значок для непроверенных условных точек останова.",
+ "debugBreakpointConditional": "Значок для условных точек останова.",
+ "debugBreakpointConditionalDisabled": "Значок для отключенных условных точек останова.",
+ "debugBreakpointDataUnverified": "Значок для непроверенных точек останова в данных.",
+ "debugBreakpointData": "Значок для точек останова в данных.",
+ "debugBreakpointDataDisabled": "Значок для отключенных точек останова в данных.",
+ "debugBreakpointLogUnverified": "Значок для непроверенных точек останова в журналах.",
+ "debugBreakpointLog": "Значок для точек останова в журналах.",
+ "debugBreakpointLogDisabled": "Значок для отключенной точки останова в журнале.",
+ "debugStackframe": "Значок для кадра стека, отображаемый в поле глифов редактора.",
+ "debugStackframeFocused": "Значок для кадра стека, на котором находится фокус, отображаемый в поле глифов редактора.",
+ "debugGripper": "Значок для захвата панели отладки.",
+ "debugRestartFrame": "Значок для действия перезапуска кадра при отладке.",
+ "debugStop": "Значок для действия остановки отладки.",
+ "debugDisconnect": "Значок для действия отключения отладки.",
+ "debugRestart": "Значок для действия перезапуска отладки.",
+ "debugStepOver": "Значок для действия шага с обходом при отладке.",
+ "debugStepInto": "Значок для действия шага с заходом при отладке.",
+ "debugStepOut": "Значок для действия шага с выходом при отладке.",
+ "debugStepBack": "Значок для действия перехода на шаг назад при отладке.",
+ "debugPause": "Значок для действия приостановки отладки.",
+ "debugContinue": "Значок для действия продолжения отладки.",
+ "debugReverseContinue": "Значок для действия продолжения отладки в обратном порядке.",
+ "debugStart": "Значок для действия запуска отладки.",
+ "debugConfigure": "Значок для действия настройки отладки.",
+ "debugConsole": "Значок для действия открытия консоли отладки.",
+ "debugCollapseAll": "Значок для действия сворачивания всех элементов в представлениях отладки.",
+ "callstackViewSession": "Значок сеанса в представлении стека вызовов.",
+ "debugConsoleClearAll": "Значок для действия очистки всех элементов в консоли отладки.",
+ "watchExpressionsRemoveAll": "Значок для действия удаления всех элементов в представлении контрольных точек.",
+ "watchExpressionsAdd": "Значок для действия добавления в представлении контрольных значений.",
+ "watchExpressionsAddFuncBreakpoint": "Значок для действия добавления точки останова в функции в представлении контрольных значений.",
+ "breakpointsRemoveAll": "Значок для действия удаления всех элементов в представлении точек останова.",
+ "breakpointsActivate": "Значок для действия активации в представлении точек останова.",
+ "debugConsoleEvaluationInput": "Значок для входного маркера вычисления отладки.",
+ "debugConsoleEvaluationPrompt": "Значок для запроса на вычисление отладки."
+ },
+ "vs/workbench/contrib/debug/browser/exceptionWidget": {
+ "debugExceptionWidgetBorder": "Цвет границ мини-приложения исключений.",
+ "debugExceptionWidgetBackground": "Цвет фона мини-приложения исключений.",
+ "exceptionThrownWithId": "Возникло исключение: {0}",
+ "exceptionThrown": "Произошло исключение.",
+ "close": "Закрыть"
+ },
+ "vs/workbench/contrib/debug/browser/debugHover": {
+ "quickTip": "Удерживайте клавишу {0}, чтобы переключиться к наведению на язык в редакторе.",
+ "treeAriaLabel": "Отладка при наведении",
+ "variableAriaLabel": "{0}, значение {1}, переменные, отладка"
+ },
+ "vs/workbench/contrib/debug/browser/breakpointWidget": {
+ "breakpointWidgetLogMessagePlaceholder": "Сообщение, которое должно быть записано в журнал при срабатывании точки останова. Выражения в фигурных скобках {} интерполируются. Нажмите клавишу ВВОД, чтобы принять, или ESC, чтобы отменить действие.",
+ "breakpointWidgetHitCountPlaceholder": "Прервать при определенном количестве обращений. Нажмите клавишу ВВОД, чтобы принять, или ESC для отмены.",
+ "breakpointWidgetExpressionPlaceholder": "Прервать выполнение, если выражение равно true. Нажмите клавишу ВВОД, чтобы принять, или ESC для отмены.",
+ "expression": "Выражение",
+ "hitCount": "Количество обращений",
+ "logMessage": "Сообщение журнала",
+ "breakpointType": "Тип точки останова"
+ },
+ "vs/workbench/contrib/debug/browser/debugActionViewItems": {
+ "debugLaunchConfigurations": "Конфигурации запуска отладки",
+ "noConfigurations": "Нет конфигураций",
+ "addConfigTo": "Добавить конфигурацию ({0})...",
+ "addConfiguration": "Добавить конфигурацию...",
+ "debugSession": "Сеанс отладки"
+ },
+ "vs/workbench/contrib/debug/browser/linkDetector": {
+ "fileLinkMac": "Щелкните с нажатой клавишей CMD, чтобы перейти по ссылке.",
+ "fileLink": "Щелкните с нажатой клавишей CTRL, чтобы перейти по ссылке."
+ },
+ "vs/workbench/contrib/debug/browser/replViewer": {
+ "debugConsole": "Консоль отладки",
+ "replVariableAriaLabel": "Переменная {0}, значение {1}",
+ "occurred": ", произошло {0} раз",
+ "replRawObjectAriaLabel": "Консоль отладки, переменная {0}, значение {1}",
+ "replGroup": "Группа консоли отладки {0}"
+ },
+ "vs/workbench/contrib/debug/common/replModel": {
+ "consoleCleared": "Консоль очищена",
+ "snapshotObj": "Для этого объекта показаны только значения-примитивы."
+ },
+ "vs/workbench/contrib/debug/browser/replFilter": {
+ "showing filtered repl lines": "Отображается {0} из {1}"
+ },
+ "vs/workbench/contrib/debug/node/debugAdapter": {
+ "debugAdapterBinNotFound": "Исполняемый файл адаптера отладки \"{0}\" не существует.",
+ "debugAdapterCannotDetermineExecutable": "Невозможно определить исполняемый файл для адаптера отладки \"{0}\".",
+ "unableToLaunchDebugAdapter": "Не удается запустить адаптер отладки из \"{0}\".",
+ "unableToLaunchDebugAdapterNoArgs": "Не удается запустить адаптер отладки."
+ },
+ "vs/workbench/contrib/debug/common/debugModel": {
+ "invalidVariableAttributes": "Недопустимые атрибуты переменных",
+ "startDebugFirst": "Запустите сеанс отладки для вычисления выражений",
+ "notAvailable": "Нет данных",
+ "pausedOn": "Приостановлено на {0}",
+ "paused": "Приостановлено",
+ "running": "Выполняется",
+ "breakpointDirtydHover": "Непроверенная точка останова. Файл был изменен, перезапустите сеанс отладки."
+ },
+ "vs/workbench/contrib/debug/browser/debugConfigurationManager": {
+ "selectConfiguration": "Выберите конфигурацию запуска",
+ "editLaunchConfig": "Изменить конфигурацию отладки в файле launch.json",
+ "DebugConfig.failed": "Не удается создать файл launch.json в папке .vscode ({0}).",
+ "workspace": "Рабочая область",
+ "user settings": "Параметры пользователя"
+ },
+ "vs/workbench/contrib/debug/browser/debugSession": {
+ "noDebugAdapter": "Отладчик недоступен, не удается отправить \"{0}\".",
+ "sessionNotReadyForBreakpoints": "В этом сеансе пока не могут использоваться точки останова",
+ "debuggingStarted": "Отладка началась.",
+ "debuggingStopped": "Отладка остановилась."
+ },
+ "vs/workbench/contrib/debug/browser/debugTaskRunner": {
+ "preLaunchTaskErrors": "При выполнении предварительной задачи \"{0}\" обнаружены ошибки.",
+ "preLaunchTaskError": "При выполнении предварительной задачи \"{0}\" обнаружены ошибки.",
+ "preLaunchTaskExitCode": "Выполнение предварительной задачи \"{0}\" завершено с кодом выхода {1}.",
+ "preLaunchTaskTerminated": "Задача preLaunchTask \"{0}\" завершена.",
+ "debugAnyway": "Все равно выполнить отладку",
+ "showErrors": "Показать ошибки",
+ "abort": "Прервать",
+ "remember": "Запомнить мой выбор в параметрах пользователя",
+ "invalidTaskReference": "Не удается сослаться на задачу \"{0}\" из конфигурации запуска, которая находится в другой папке рабочей области.",
+ "DebugTaskNotFoundWithTaskId": "Не удалось найти задачу \"{0}\".",
+ "DebugTaskNotFound": "Не удалось найти указанную задачу.",
+ "taskNotTrackedWithTaskId": "Не удалось отследить указанную задачу.",
+ "taskNotTracked": "Не удается отследить задачу \"{0}\"."
+ },
+ "vs/workbench/contrib/debug/browser/debugAdapterManager": {
+ "debugNoType": "Параметр 'type' отладчика является обязательным и должен иметь тип 'string'.",
+ "more": "Подробнее...",
+ "selectDebug": "Выбор среды"
+ },
+ "vs/workbench/contrib/debug/common/debugSource": {
+ "unknownSource": "Неизвестный источник"
+ },
+ "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": "Дополнительная среда выполнения, используемая в том случае, если атрибут program не указывает на исполняемый файл, но среда выполнения требуется.",
+ "vscode.extension.contributes.debuggers.runtimeArgs": "Аргументы дополнительной среды выполнения.",
+ "vscode.extension.contributes.debuggers.variables": "Сопоставление из интерактивных переменных (например, ${action.pickProcess}) в \"launch.json\" с командой.",
+ "vscode.extension.contributes.debuggers.initialConfigurations": "Конфигурации для создания первоначального файла launch.json.",
+ "vscode.extension.contributes.debuggers.languages": "Список языков, для которых расширение отладки может считаться \"отладчиком по умолчанию\".",
+ "vscode.extension.contributes.debuggers.configurationSnippets": "Фрагменты для добавления новых конфигураций в launch.json.",
+ "vscode.extension.contributes.debuggers.configurationAttributes": "Конфигурации схемы JSON для проверки launch.json.",
+ "vscode.extension.contributes.debuggers.windows": "Параметры, связанные с Windows.",
+ "vscode.extension.contributes.debuggers.windows.runtime": "Среда выполнения, используемая для Windows.",
+ "vscode.extension.contributes.debuggers.osx": "Параметры, связанные с macOS.",
+ "vscode.extension.contributes.debuggers.osx.runtime": "Среда выполнения, используемая для macOS.",
+ "vscode.extension.contributes.debuggers.linux": "Параметры, связанные с Linux.",
+ "vscode.extension.contributes.debuggers.linux.runtime": "Среда выполнения, используемая для Linux.",
+ "vscode.extension.contributes.breakpoints": "Добавляет точки останова.",
+ "vscode.extension.contributes.breakpoints.language": "Разрешить точки останова для этого языка.",
+ "presentation": "Параметры, определяющие, как отображать эту конфигурацию в раскрывающемся списке конфигураций отладки и палитре команд.",
+ "presentation.hidden": "Определяет, нужно ли отображать эту конфигурацию в раскрывающемся списке конфигураций и палитре команд.",
+ "presentation.group": "Группа, к которой относится эта конфигурация. Используется для группирования и сортировки в раскрывающемся списке конфигураций и палитре команд.",
+ "presentation.order": "Порядок этой конфигурации в группе. Используется для группирования и сортировки в раскрывающемся списке конфигураций и палитре команд.",
+ "app.launch.json.title": "Запустить",
+ "app.launch.json.version": "Версия этого формата файла.",
+ "app.launch.json.configurations": "Список конфигураций. Добавьте новые конфигурации или измените существующие с помощью IntelliSense.",
+ "app.launch.json.compounds": "Список составных объектов. Каждый из них ссылается на несколько конфигураций, которые будут запущены вместе.",
+ "app.launch.json.compound.name": "Имя составного объекта. Отображается в раскрывающемся меню запуска конфигурации.",
+ "useUniqueNames": "Используйте уникальное имя конфигурации.",
+ "app.launch.json.compound.folder": "Имя папки, в которой расположен составной объект.",
+ "app.launch.json.compounds.configurations": "Имена конфигураций, которые будут запущены как часть этого составного объекта.",
+ "app.launch.json.compound.stopAll": "Определяет, будет ли завершение одного сеанса вручную приводить к остановке всех составных сеансов.",
+ "compoundPrelaunchTask": "Задача, выполняемая до запуска любых составных конфигураций."
+ },
+ "vs/workbench/contrib/debug/browser/rawDebugSession": {
+ "noDebugAdapterStart": "Нет адаптера отладки, невозможно начать сеанс отладки.",
+ "noDebugAdapter": "Доступный отладчик не найден. Не удается отправить \"{0}\".",
+ "moreInfo": "Подробнее"
+ },
+ "vs/workbench/contrib/debug/common/debugger": {
+ "cannot.find.da": "Не удается найти адаптер отладки для типа \"{0}\".",
+ "launch.config.comment1": "Используйте IntelliSense, чтобы узнать о возможных атрибутах.",
+ "launch.config.comment2": "Наведите указатель мыши, чтобы просмотреть описания существующих атрибутов.",
+ "launch.config.comment3": "Для получения дополнительной информации посетите: {0}",
+ "debugType": "Тип конфигурации.",
+ "debugTypeNotRecognised": "Не удается распознать тип отладки. Убедитесь, что соответствующее расширение отладки установлено и включено.",
+ "node2NotSupported": "Значение \"node2\" больше не поддерживается; используйте \"node\" и задайте для атрибута \"protocol\" значение \"inspector\".",
+ "debugName": "Имя конфигурации; отображается в раскрывающемся меню конфигурации запуска.",
+ "debugRequest": "Запросите тип конфигурации. Возможные типы: \"запуск\" и \"подключение\".",
+ "debugServer": "Только для разработки расширений отладки: если указан порт, VS Code пытается подключиться к адаптеру отладки, запущенному в режиме сервера.",
+ "debugPrelaunchTask": "Задача, выполняемая перед началом сеанса отладки.",
+ "debugPostDebugTask": "Задача, которая будет запущена после завершения сеанса отладки.",
+ "debugWindowsConfiguration": "Атрибуты конфигурации запуска для Windows.",
+ "debugOSXConfiguration": "Атрибуты конфигурации запуска для OS X.",
+ "debugLinuxConfiguration": "Атрибуты конфигурации запуска для Linux."
+ },
+ "vs/workbench/contrib/dialogs/browser/dialogHandler": {
+ "yesButton": "&&Да",
+ "cancelButton": "Отмена",
+ "aboutDetail": "Версия: {0}\r\nФиксация: {1}\r\nДата: {2}\r\nБраузер: {3}",
+ "copy": "Копирование",
+ "ok": "ОК"
+ },
+ "vs/workbench/contrib/dialogs/electron-sandbox/dialogHandler": {
+ "yesButton": "&&Да",
+ "cancelButton": "Отмена",
+ "aboutDetail": "Версия: {0}\r\nФиксация: {1}\r\nДата: {2}\r\nElectron: {3}\r\nChrome: {4}\r\nNode.js: {5}\r\nV8: {6}\r\nОС: {7}",
+ "okButton": "ОК",
+ "copy": "&&Копировать"
+ },
+ "vs/workbench/contrib/emmet/browser/actions/expandAbbreviation": {
+ "expandAbbreviationAction": "Emmet: расшифровать аббревиатуру",
+ "miEmmetExpandAbbreviation": "Emmet: р&&азвернуть сокращение"
+ },
+ "vs/workbench/contrib/experiments/browser/experiments.contribution": {
+ "workbench.enableExperiments": "Получает эксперименты для запуска от веб-службы Майкрософт."
+ },
+ "vs/workbench/contrib/extensions/electron-browser/extensions.contribution": {
+ "runtimeExtension": "Запущенные расширения"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/runtimeExtensionsEditor": {
+ "extensionHostProfileStart": "Запустить профиль узла расширения",
+ "stopExtensionHostProfileStart": "Остановить профиль узла расширения",
+ "saveExtensionHostProfile": "Сохранить профиль узла расширения"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/debugExtensionHostAction": {
+ "debugExtensionHost": "Запустить отладку узла расширения",
+ "restart1": "Профилирование расширений",
+ "restart2": "Для профилирования расширений требуется перезапуск. Вы хотите перезапустить \"{0}\" сейчас?",
+ "restart3": "&&Перезапустить",
+ "cancel": "&&Отмена",
+ "debugExtensionHost.launch.name": "Подключить узел расширения"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/extensionProfileService": {
+ "profilingExtensionHost": "Узел расширения профилирования",
+ "selectAndStartDebug": "Щелкните здесь, чтобы остановить профилирование.",
+ "profilingExtensionHostTime": "Узел расширения профилирования ({0} с)",
+ "status.profiler": "Профилировщик расширений",
+ "restart1": "Профилирование расширений",
+ "restart2": "Для профилирования расширений требуется перезапуск. Вы хотите перезапустить \"{0}\" сейчас?",
+ "restart3": "&&Перезапустить",
+ "cancel": "&&Отмена"
+ },
+ "vs/workbench/contrib/extensions/common/runtimeExtensionsInput": {
+ "extensionsInputName": "Выполняющиеся расширения"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/extensionsAutoProfiler": {
+ "unresponsive-exthost": "На выполнение последней операции расширения \"{0}\" потребовалось очень много времени, и это помешало запуску других расширений.",
+ "show": "Показать расширения"
+ },
+ "vs/workbench/contrib/extensions/electron-sandbox/extensionsActions": {
+ "openExtensionsFolder": "Открыть папку расширений"
+ },
+ "vs/workbench/contrib/extensions/browser/extensions.contribution": {
+ "manageExtensionsQuickAccessPlaceholder": "Нажмите клавишу ВВОД для управления расширениями.",
+ "manageExtensionsHelp": "Управление расширениями",
+ "installVSIX": "Установка VSIX для расширений",
+ "extension": "Расширение",
+ "extensions": "Расширения",
+ "extensionsConfigurationTitle": "Расширения",
+ "extensionsAutoUpdate": "Если этот параметр установлен, обновления для расширений устанавливаются автоматически. Эти обновления передаются веб-службой Майкрософт.",
+ "extensionsCheckUpdates": "Если этот параметр установлен, производится автоматическая проверка обновлений для расширений. Если для расширения доступно обновление, это расширение помечается как устаревшее в представлении \"Расширения\". Обновления передаются веб-службой Майкрософт.",
+ "extensionsIgnoreRecommendations": "Если этот параметр установлен, оповещения о рекомендациях по расширениям не будут отображаться.",
+ "extensionsShowRecommendationsOnlyOnDemand_Deprecated": "Этот параметр не рекомендуется к использованию. Используйте параметр extensions.ignoreRecommendations для управления уведомлениями о рекомендациях. Используйте действия видимости представления расширений, чтобы скрыть рекомендуемое представление по умолчанию.",
+ "extensionsCloseExtensionDetailsOnViewChange": "Если этот параметр установлен, редакторы со сведениями о расширении будут автоматически закрыты при выходе из представления \"Расширения\".",
+ "handleUriConfirmedExtensions": "Если расширение указано здесь, то при обработке этим расширением URI запрос подтверждения выдаваться не будет.",
+ "extensionsWebWorker": "Включение узла расширений рабочих веб-процессов.",
+ "workbench.extensions.installExtension.description": "Установить данное расширение",
+ "workbench.extensions.installExtension.arg.name": "Идентификатор расширения или URI ресурса VSIX",
+ "notFound": "Расширение \"{0}\" не найдено.",
+ "InstallVSIXAction.successReload": "Завершена установка расширения {0} из VSIX. Перезагрузите Visual Studio Code, чтобы включить его.",
+ "InstallVSIXAction.success": "Завершена установка расширения {0} из VSIX.",
+ "InstallVSIXAction.reloadNow": "Перезагрузить",
+ "workbench.extensions.uninstallExtension.description": "Удалить указанное расширение",
+ "workbench.extensions.uninstallExtension.arg.name": "Идентификатор удаляемого расширения",
+ "id required": "Требуется идентификатор расширения.",
+ "notInstalled": "Расширение \"{0}\" не установлено. Убедитесь, что используется полный идентификатор расширения, включая издателя, например: ms-vscode.csharp.",
+ "builtin": "Расширение \"{0}\" является встроенным и не может быть установлено.",
+ "workbench.extensions.search.description": "Поиск конкретного расширения",
+ "workbench.extensions.search.arg.name": "Запрос для использования при поиске",
+ "miOpenKeymapExtensions": "&&Раскладки клавиатуры",
+ "miOpenKeymapExtensions2": "Раскладки клавиатуры",
+ "miPreferencesExtensions": "&&Расширения",
+ "miViewExtensions": "Р&&асширения",
+ "showExtensions": "Расширения",
+ "installExtensionQuickAccessPlaceholder": "Введите имя расширения для установки или поиска.",
+ "installExtensionQuickAccessHelp": "Установить или искать расширения",
+ "workbench.extensions.action.copyExtension": "Копировать",
+ "extensionInfoName": "Имя: {0}",
+ "extensionInfoId": "Идентификатор: {0}",
+ "extensionInfoDescription": "Описание: {0}",
+ "extensionInfoVersion": "Версия: {0}",
+ "extensionInfoPublisher": "Издатель: {0}",
+ "extensionInfoVSMarketplaceLink": "Ссылка на Visual Studio Marketplace: {0}",
+ "workbench.extensions.action.copyExtensionId": "Копировать идентификатор расширения",
+ "workbench.extensions.action.configure": "Параметры расширения",
+ "workbench.extensions.action.toggleIgnoreExtension": "Синхронизация этого расширения",
+ "workbench.extensions.action.ignoreRecommendation": "Пропустить рекомендацию",
+ "workbench.extensions.action.undoIgnoredRecommendation": "Отменить пропуск рекомендации",
+ "workbench.extensions.action.addExtensionToWorkspaceRecommendations": "Добавить в рекомендации рабочей области",
+ "workbench.extensions.action.removeExtensionFromWorkspaceRecommendations": "Удалить из рекомендаций рабочей области",
+ "workbench.extensions.action.addToWorkspaceRecommendations": "Добавить расширение в рекомендации рабочей области",
+ "workbench.extensions.action.addToWorkspaceFolderRecommendations": "Добавить расширение в рекомендации папки рабочей области",
+ "workbench.extensions.action.addToWorkspaceIgnoredRecommendations": "Добавить расширение в пропущенные рекомендации рабочей области",
+ "workbench.extensions.action.addToWorkspaceFolderIgnoredRecommendations": "Добавить расширение в пропущенные рекомендации папки рабочей области"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsViewlet": {
+ "installed": "Установленные",
+ "popularExtensions": "Популярные",
+ "recommendedExtensions": "Рекомендуемое",
+ "enabledExtensions": "Включено",
+ "disabledExtensions": "Отключен",
+ "marketPlace": "Marketplace",
+ "enabled": "Включено",
+ "disabled": "Отключено",
+ "outdated": "Устаревшие",
+ "builtin": "Встроенные",
+ "workspaceRecommendedExtensions": "Рекомендации рабочей области",
+ "otherRecommendedExtensions": "Другие рекомендации",
+ "builtinFeatureExtensions": "Возможности",
+ "builtInThemesExtensions": "Темы",
+ "builtinProgrammingLanguageExtensions": "Языки программирования",
+ "sort by installs": "Число установок",
+ "sort by rating": "Оценка",
+ "sort by name": "Имя",
+ "sort by date": "Дата публикации",
+ "searchExtensions": "Поиск расширений в Marketplace",
+ "builtin filter": "Встроенное",
+ "installed filter": "Установлено",
+ "enabled filter": "Включено",
+ "disabled filter": "Отключено",
+ "outdated filter": "Устаревшее",
+ "featured filter": "Подборка",
+ "most popular filter": "Самое популярное",
+ "most popular recommended": "Рекомендуемое",
+ "recently published filter": "Недавно опубликованное",
+ "filter by category": "Категория",
+ "sorty by": "Метод сортировки",
+ "filterExtensions": "Фильтр расширений...",
+ "extensionFoundInSection": "В разделе {0} обнаружено одно расширение.",
+ "extensionFound": "Обнаружено одно расширение.",
+ "extensionsFoundInSection": "Обнаружено {0} расширений в разделе {1}.",
+ "extensionsFound": "Обнаружены расширения: {0}.",
+ "suggestProxyError": "Marketplace возвратил ECONNREFUSED. Проверьте параметр http.proxy.",
+ "open user settings": "Открыть параметры пользователя",
+ "outdatedExtensions": "Устаревшие расширения: {0}",
+ "malicious warning": "Мы удалили расширение '{0}', которое вызывало проблемы.",
+ "reloadNow": "Перезагрузить"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/extensionsSlowActions": {
+ "cmd.reportOrShow": "Проблема с производительностью",
+ "cmd.report": "Сообщить об ошибке",
+ "attach.title": "Вы прикрепили профиль ЦП?",
+ "ok": "ОК",
+ "attach.msg": "Это напоминание, чтобы вы не забыли приложить \"{0}\" к созданному описанию проблемы.",
+ "cmd.show": "Показать проблемы",
+ "attach.msg2": "Это напоминание, чтобы вы не забыли приложить \"{0}\" к описанию существующей проблемы производительности."
+ },
+ "vs/workbench/contrib/extensions/electron-browser/reportExtensionIssueAction": {
+ "reportExtensionIssue": "Сообщить об ошибке"
+ },
+ "vs/workbench/contrib/extensions/browser/abstractRuntimeExtensionsEditor": {
+ "starActivation": "Активировано {0} при запуске",
+ "workspaceContainsGlobActivation": "Активируется {1}, так как файл, соответствующий {1}, существует в вашей рабочей области.",
+ "workspaceContainsFileActivation": "Активировано {1}, так как файл {0} существует в вашей рабочей области",
+ "workspaceContainsTimeout": "Активировано {1}, так как поиск {0} занял слишком много времени",
+ "startupFinishedActivation": "Активируется событием {0} после завершения запуска.",
+ "languageActivation": "Активировано {1}, так как вы открыли файл {0}",
+ "workspaceGenericActivation": "Активировано {1} при {0}",
+ "unresponsive.title": "Узел расширений перестал отвечать из-за расширения.",
+ "errors": "Необработанных ошибок: {0}",
+ "runtimeExtensions": "Расширения среды выполнения",
+ "disable workspace": "Отключить (рабочая область)",
+ "disable": "Отключить",
+ "showRuntimeExtensions": "Показать запущенные расширения"
+ },
+ "vs/workbench/contrib/extensions/common/extensionsInput": {
+ "extensionsInputName": "Расширение: {0}"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsActions": {
+ "noOfYearsAgo": "{0} лет назад",
+ "one year ago": "1 г. назад",
+ "noOfMonthsAgo": "{0} месяцев назад",
+ "one month ago": "1 мес. назад",
+ "noOfDaysAgo": "{0} дней назад",
+ "one day ago": "1 дн. назад",
+ "noOfHoursAgo": "{0} часов назад",
+ "one hour ago": "1 час назад",
+ "just now": "Только сейчас",
+ "update operation": "Ошибка при обновлении расширения \"{0}\".",
+ "install operation": "Ошибка при установке расширения \"{0}\".",
+ "download": "Попробуйте скачать вручную...",
+ "install vsix": "После скачивания установите загруженный VSIX '{0}' вручную.",
+ "check logs": "Дополнительные сведения см. в [журнале]({0}).",
+ "installExtensionStart": "Установка расширения {0} запущено. Сейчас будет открыт редактор с дополнительными сведениями об этом расширении",
+ "installExtensionComplete": "Установка расширения {0} завершена.",
+ "install": "Установить",
+ "install and do no sync": "Установить (без синхронизации)",
+ "install in remote and do not sync": "Установить в {0} (без синхронизации)",
+ "install in remote": "Установить в {0}",
+ "install locally and do not sync": "Установить локально (без синхронизации)",
+ "install locally": "Установить локально",
+ "install everywhere tooltip": "Установить это расширение на всех синхронизируемых экземплярах ({0})",
+ "installing": "Идет установка",
+ "install browser": "Установить в браузере",
+ "uninstallAction": "Удалить",
+ "Uninstalling": "Идет удаление",
+ "uninstallExtensionStart": "Удаление расширения {0} запущено.",
+ "uninstallExtensionComplete": "Перезапустите Visual Studio Code, чтобы завершить удаление расширения {0}.",
+ "updateExtensionStart": "Обновление расширения {0} до версии {1} запущено.",
+ "updateExtensionComplete": "Обновление расширения {0} до версии {1} завершено. ",
+ "updateTo": "Обновить до {0}",
+ "updateAction": "Обновить",
+ "manage": "Управление",
+ "ManageExtensionAction.uninstallingTooltip": "Идет удаление",
+ "install another version": "Установить другую версию...",
+ "selectVersion": "Выберите версию для установки",
+ "current": "Текущая",
+ "enableForWorkspaceAction": "Включить (рабочая область)",
+ "enableForWorkspaceActionToolTip": "Включить это расширение только в этой рабочей области",
+ "enableGloballyAction": "Включить",
+ "enableGloballyActionToolTip": "Включить это расширение",
+ "disableForWorkspaceAction": "Отключить (рабочая область)",
+ "disableForWorkspaceActionToolTip": "Отключить это расширение только в этой рабочей области",
+ "disableGloballyAction": "Отключить",
+ "disableGloballyActionToolTip": "Отключить это расширение",
+ "enableAction": "Включить",
+ "disableAction": "Отключить",
+ "checkForUpdates": "Проверка обновлений расширения",
+ "noUpdatesAvailable": "Все расширения обновлены.",
+ "singleUpdateAvailable": "Доступно обновление расширения.",
+ "updatesAvailable": "Доступны обновления расширений: {0}.",
+ "singleDisabledUpdateAvailable": "Доступно обновление для отключенного расширения.",
+ "updatesAvailableOneDisabled": "Доступны обновления расширений: {0}. Одно из них предназначено для отключенного расширения.",
+ "updatesAvailableAllDisabled": "Доступны обновления расширений: {0}. Все они предназначены для отключенных расширений.",
+ "updatesAvailableIncludingDisabled": "Доступны обновления расширений: {0}. Из них для отключенных расширений: {1}.",
+ "enableAutoUpdate": "Включить автоматическое обновление расширений",
+ "disableAutoUpdate": "Отключить автоматическое обновление расширений",
+ "updateAll": "Обновить все расширения",
+ "reloadAction": "перезагрузка",
+ "reloadRequired": "Требуется перезагрузка",
+ "postUninstallTooltip": "Перезапустите Visual Studio Code, чтобы завершить удаление этого расширения. ",
+ "postUpdateTooltip": "Перезапустите Visual Studio Code, чтобы завершить обновление этого расширения.",
+ "enable locally": "Перезагрузите Visual Studio Code, чтобы включить это расширение локально.",
+ "enable remote": "Перезагрузите Visual Studio Code, чтобы включить это расширение в {0}.",
+ "postEnableTooltip": "Перезагрузите Visual Studio Code, чтобы включить это расширение.",
+ "postDisableTooltip": "Перезагрузите Visual Studio Code, чтобы отключить это расширение.",
+ "installExtensionCompletedAndReloadRequired": "Установка расширения {0} завершена. Перезагрузите Visual Studio Code, чтобы включить это расширение.",
+ "color theme": "Задать цветовую тему",
+ "select color theme": "Выберите цветовую тему",
+ "file icon theme": "Задать тему значков файлов",
+ "select file icon theme": "Выбрать тему значка файла",
+ "product icon theme": "Задать тему значков продукта",
+ "select product icon theme": "Выбор темы значков продукта",
+ "toggleExtensionsViewlet": "Показать расширения",
+ "installExtensions": "Установить расширения",
+ "showEnabledExtensions": "Показать включенные расширения",
+ "showInstalledExtensions": "Показать установленные расширения",
+ "showDisabledExtensions": "Показать отключенные расширения",
+ "clearExtensionsSearchResults": "Очистить результаты поиска расширений",
+ "refreshExtension": "Обновить",
+ "showBuiltInExtensions": "Отображать встроенные расширения",
+ "showOutdatedExtensions": "Показать устаревшие расширения",
+ "showPopularExtensions": "Показать популярные расширения",
+ "recentlyPublishedExtensions": "Недавно опубликованные расширения",
+ "showRecommendedExtensions": "Показать рекомендуемые расширения",
+ "showRecommendedExtension": "Показать рекомендуемое расширение",
+ "installRecommendedExtension": "Установить рекомендуемое расширение",
+ "ignoreExtensionRecommendation": "Больше не рекомендовать это расширение",
+ "undo": "Отменить",
+ "showRecommendedKeymapExtensionsShort": "Раскладки клавиатуры",
+ "showLanguageExtensionsShort": "Расширения языка",
+ "search recommendations": "Поиск расширений",
+ "OpenExtensionsFile.failed": "Не удается создать файл \"extensions.json\" в папке \".vscode\" ({0}).",
+ "configureWorkspaceRecommendedExtensions": "Настроить рекомендуемые расширения (рабочая область)",
+ "configureWorkspaceFolderRecommendedExtensions": "Настроить рекомендуемые расширения (папка рабочей области)",
+ "updated": "Обновлен",
+ "installed": "Установленные",
+ "uninstalled": "УДАЛИТЬ",
+ "enabled": "Включено",
+ "disabled": "Отключен",
+ "malicious tooltip": "Это расширение помечено как проблемное.",
+ "malicious": "Вредоносное",
+ "ignored": "Это расширение игнорируется во время синхронизации",
+ "synced": "Это расширение синхронизировано",
+ "sync": "Синхронизация этого расширения",
+ "do not sync": "Не синхронизировать это расширение",
+ "extension enabled on remote": "Расширение включено на \"{0}\"",
+ "globally enabled": "Это расширение включено на глобальном уровне.",
+ "workspace enabled": "Это расширение включено пользователем для этой рабочей области.",
+ "globally disabled": "Это расширение отключено пользователем на глобальном уровне.",
+ "workspace disabled": "Это расширение отключено пользователем для этой рабочей области.",
+ "Install language pack also in remote server": "Установите расширение языкового пакета на \"{0}\", чтобы включить его и там.",
+ "Install language pack also locally": "Установите расширение языкового пакета локально, чтобы включить его и там.",
+ "Install in other server to enable": "Установите расширение на \"{0}\", чтобы включить.",
+ "disabled because of extension kind": "Это расширение определило, что оно не может выполняться на удаленном сервере",
+ "disabled locally": "Расширение включено на \"{0}\" и отключено на локальном уровне.",
+ "disabled remotely": "Расширение включается локально и отключается на \"{0}\".",
+ "disableAll": "Отключить все установленные расширения",
+ "disableAllWorkspace": "Отключить все установленные расширения для этой рабочей области",
+ "enableAll": "Включить все расширения",
+ "enableAllWorkspace": "Включить все расширения для этой рабочей области",
+ "installVSIX": "Установка из VSIX...",
+ "installFromVSIX": "Установить из VSIX",
+ "installButton": "&&Установить",
+ "reinstall": "Переустановить расширение...",
+ "selectExtensionToReinstall": "Выберите расширение для повторной установки",
+ "ReinstallAction.successReload": "Перезагрузите Visual Studio Code, чтобы завершить переустановку расширения {0}.",
+ "ReinstallAction.success": "Переустановка расширения {0} завершена.",
+ "InstallVSIXAction.reloadNow": "Перезагрузить",
+ "install previous version": "Установить определенную версию расширения...",
+ "selectExtension": "Выберите расширение",
+ "InstallAnotherVersionExtensionAction.successReload": "Перезагрузите Visual Studio Code, чтобы завершить установку расширения {0}.",
+ "InstallAnotherVersionExtensionAction.success": "Установка расширения {0} завершена.",
+ "InstallAnotherVersionExtensionAction.reloadNow": "Перезагрузить",
+ "select extensions to install": "Выберите расширения для установки",
+ "no local extensions": "Расширения для установки отсутствуют.",
+ "installing extensions": "Установка расширений...",
+ "finished installing": "Расширения успешно установлены.",
+ "select and install local extensions": "Установить локальные расширения в \"{0}\"...",
+ "install local extensions title": "Установить локальные расширения в \"{0}\"",
+ "select and install remote extensions": "Установить удаленные расширения локально...",
+ "install remote extensions": "Установить удаленные расширения локально",
+ "extensionButtonProminentBackground": "Цвет фона кнопок, соответствующих основным действиям расширения (например, кнопка \"Установить\").",
+ "extensionButtonProminentForeground": "Цвет переднего плана кнопок, соответствующих основным действиям расширения (например, кнопка \"Установить\").",
+ "extensionButtonProminentHoverBackground": "Цвет фона кнопок, соответствующих основным действиям расширения, при наведении мыши (например, кнопка \"Установить\")."
+ },
+ "vs/workbench/contrib/extensions/common/extensionsFileTemplate": {
+ "app.extensions.json.title": "Расширения",
+ "app.extensions.json.recommendations": "Список рекомендуемых расширений для пользователей этой рабочей области. Идентификатор расширения всегда имеет вид \"${publisher}.${name}\". Например, \"vscode.csharp\".",
+ "app.extension.identifier.errorMessage": "Ожидается формат \"${publisher}.${name}\". Пример: \"vscode.csharp\".",
+ "app.extensions.json.unwantedRecommendations": "Список нерекомендуемых расширений VS Code для пользователей этой рабочей области. Идентификатор расширения всегда имеет вид \"${publisher}.${name}\". Например, \"vscode.csharp\". "
+ },
+ "vs/workbench/contrib/extensions/browser/extensionEditor": {
+ "name": "Имя расширения",
+ "extension id": "Идентификатор расширений",
+ "preview": "Предварительная версия",
+ "builtin": "Встроенное",
+ "publisher": "Имя издателя",
+ "install count": "Число установок",
+ "rating": "Оценка",
+ "repository": "Репозиторий",
+ "license": "Лицензия",
+ "version": "Версия",
+ "details": "Подробные сведения",
+ "detailstooltip": "Сведения о расширении, полученные из файла 'README.md' расширения",
+ "contributions": "Вклады",
+ "contributionstooltip": "Выводит список изменений в VS Code для этого расширения",
+ "changelog": "Журнал изменений",
+ "changelogtooltip": "История обновления расширения, полученная из файла 'CHANGELOG.md' расширения",
+ "dependencies": "Зависимости",
+ "dependenciestooltip": "Выводит список расширений, от которых зависит это расширение",
+ "recommendationHasBeenIgnored": "Вы отключили получение рекомендаций для этого расширения.",
+ "noReadme": "Файл сведений недоступен.",
+ "extension pack": "Пакет расширений ({0})",
+ "noChangelog": "Журнал изменений недоступен.",
+ "noContributions": "Нет публикаций",
+ "noDependencies": "Нет зависимостей",
+ "settings": "Параметры ({0})",
+ "setting name": "Имя",
+ "description": "Описание",
+ "default": "По умолчанию",
+ "debuggers": "Отладчики ({0})",
+ "debugger name": "Имя",
+ "debugger type": "Тип",
+ "viewContainers": "Просмотреть контейнеры ({0})",
+ "view container id": "Идентификатор",
+ "view container title": "Название",
+ "view container location": "Где",
+ "views": "Представления ({0})",
+ "view id": "Идентификатор",
+ "view name": "Имя",
+ "view location": "Где",
+ "localizations": "Локализации ({0})",
+ "localizations language id": "Идентификатор языка",
+ "localizations language name": "Название языка",
+ "localizations localized language name": "Название языка (локализованное)",
+ "customEditors": "Специализированные редакторы ({0})",
+ "customEditors view type": "Тип представления",
+ "customEditors priority": "Приоритет",
+ "customEditors filenamePattern": "Шаблон имени файла",
+ "codeActions": "Действия кода ({0})",
+ "codeActions.title": "Название",
+ "codeActions.kind": "Тип",
+ "codeActions.description": "Описание",
+ "codeActions.languages": "Языки",
+ "authentication": "Проверка подлинности ({0})",
+ "authentication.label": "Метка",
+ "authentication.id": "Идентификатор",
+ "colorThemes": "Цветовые темы ({0})",
+ "iconThemes": "Темы значков ({0})",
+ "colors": "Цвета ({0})",
+ "colorId": "Идентификатор",
+ "defaultDark": "Темная по умолчанию",
+ "defaultLight": "Светлая по умолчанию",
+ "defaultHC": "С высоким контрастом по умолчанию",
+ "JSON Validation": "Проверка JSON ({0})",
+ "fileMatch": "Сопоставление файла",
+ "schema": "Схема",
+ "commands": "Команды ({0})",
+ "command name": "Имя",
+ "keyboard shortcuts": "Сочетания клавиш",
+ "menuContexts": "Контексты меню",
+ "languages": "Языки ({0})",
+ "language id": "Идентификатор",
+ "language name": "Имя",
+ "file extensions": "Расширения файлов",
+ "grammar": "Грамматика",
+ "snippets": "Фрагменты кода",
+ "activation events": "События активации ({0})",
+ "find": "Найти",
+ "find next": "Найти далее",
+ "find previous": "Найти ранее"
+ },
+ "vs/workbench/contrib/extensions/common/extensionsUtils": {
+ "disableOtherKeymapsConfirmation": "Отключить другие раскладки клавиатуры ({0}), чтобы избежать конфликта между настраиваемыми сочетаниями клавиш?",
+ "yes": "Да",
+ "no": "Нет"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsActivationProgress": {
+ "activation": "Активация расширений..."
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsDependencyChecker": {
+ "extensions": "Расширения",
+ "auto install missing deps": "Установить недостающие зависимости",
+ "finished installing missing deps": "Установка недостающих зависимостей закончена. Перезагрузите окно.",
+ "reload": "Перезагрузить окно",
+ "no missing deps": "Нет недостающих зависимостей для установки."
+ },
+ "vs/workbench/contrib/extensions/browser/remoteExtensionsInstaller": {
+ "remote": "Удаленный",
+ "install remote in local": "Установить удаленные расширения локально..."
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsWorkbenchService": {
+ "Manifest is not found": "Манифест не найден",
+ "malicious": "Пользователи сообщали о проблемах с этим расширением.",
+ "uninstallingExtension": "Удаление расширения...",
+ "incompatible": "Не удалось установить расширение '{0}', так как оно не совместимо с VS Code '{1}'.",
+ "installing named extension": "Установка расширения \"{0}\"...",
+ "installing extension": "Установка расширения...",
+ "disable all": "Отключить все",
+ "singleDependentError": "Не удается отключить только расширение \"{0}\". От него зависит расширение \"{1}\". Вы хотите отключить все эти расширения?",
+ "twoDependentsError": "Не удается отключить только расширение \"{0}\". От него зависят расширения \"{1}\" и \"{2}\". Вы хотите отключить все эти расширения?",
+ "multipleDependentsError": "Не удается отключить только расширение \"{0}\". От него зависят \"{1}\", \"{2}\" и другие расширения. Вы хотите отключить все эти расширения?"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsQuickAccess": {
+ "type": "Введите имя расширения для установки или поиска.",
+ "searchFor": "Нажмите ВВОД для поиска расширения \"{0}\".",
+ "install": "Нажмите клавишу ВВОД, чтобы установить расширение \"{0}\".",
+ "manage": "Нажмите клавишу ВВОД для управления расширениями."
+ },
+ "vs/workbench/contrib/extensions/browser/extensionRecommendationNotificationService": {
+ "neverShowAgain": "Больше не показывать",
+ "ignoreExtensionRecommendations": "Вы хотите игнорировать все рекомендации по расширениям?",
+ "ignoreAll": "Да, игнорировать все",
+ "no": "Нет",
+ "workspaceRecommended": "Вы хотите установить рекомендуемые расширения для этого репозитория?",
+ "install": "Установить",
+ "install and do no sync": "Установить (не синхронизировать)",
+ "show recommendations": "Показать рекомендации"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsIcons": {
+ "extensionsViewIcon": "Значок представления расширений.",
+ "manageExtensionIcon": "Значок для действия \"Управление\" в представлении расширений.",
+ "clearSearchResultsIcon": "Значок для действия \"Очистить результаты поиска\" в представлении расширений.",
+ "refreshIcon": "Значок для действия \"Обновить\" в представлении расширений.",
+ "filterIcon": "Значок для действия \"Фильтр\" в представлении расширений.",
+ "installLocalInRemoteIcon": "Значок для действия \"Установить локальное расширение на удаленном компьютере\" в представлении расширений.",
+ "installWorkspaceRecommendedIcon": "Значок для действия \"Установить рекомендуемые расширения рабочей области\" в представлении расширений.",
+ "configureRecommendedIcon": "Значок для действия \"Настроить рекомендуемые расширения\" в представлении расширений.",
+ "syncEnabledIcon": "Значок, указывающий, что расширение синхронизировано.",
+ "syncIgnoredIcon": "Значок, указывающий, что при синхронизации расширение игнорируется.",
+ "remoteIcon": "Значок, указывающий, что расширение является удаленным в представлении и редакторе расширений.",
+ "installCountIcon": "Значок, отображаемый с числом установок в представлении и редакторе расширений.",
+ "ratingIcon": "Значок, отображаемый с оценкой в представлении и редакторе расширений.",
+ "starFullIcon": "Значок заполненной звезды, используемый для оценки в редакторе расширений.",
+ "starHalfIcon": "Значок наполовину заполненной звезды, используемый для оценки в редакторе расширений.",
+ "starEmptyIcon": "Значок пустой звезды, используемый для оценки в редакторе расширений.",
+ "warningIcon": "Значок, отображаемый с предупреждением в редакторе расширений.",
+ "infoIcon": "Значок, отображаемый с информационным сообщением в редакторе расширений."
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsViews": {
+ "extension-arialabel": "{0}, {1}, {2}, нажмите клавишу ВВОД для получения сведений о расширении.",
+ "extensions": "Расширения",
+ "galleryError": "Не удалось подключиться к Extensions Marketplace. Повторите попытку позже.",
+ "error": "Ошибка при загрузке расширений. {0}",
+ "no extensions found": "Расширений не найдено.",
+ "suggestProxyError": "Marketplace возвратил ECONNREFUSED. Проверьте параметр http.proxy.",
+ "open user settings": "Открыть параметры пользователя",
+ "installWorkspaceRecommendedExtensions": "Установить рекомендуемые расширения рабочей области"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsWidgets": {
+ "ratedBySingleUser": "Оценено 1 пользователем",
+ "ratedByUsers": "Оценено пользователями: {0} ",
+ "noRating": "Нет рейтинга",
+ "remote extension title": "Расширение в {0}",
+ "syncingore.label": "Это расширение игнорируется во время синхронизации."
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsViewer": {
+ "error": "Ошибка",
+ "Unknown Extension": "Неизвестное расширение:",
+ "extension-arialabel": "{0}, {1}, {2}, нажмите клавишу ВВОД для получения сведений о расширении.",
+ "extensions": "Расширения"
+ },
+ "vs/workbench/contrib/extensions/browser/dynamicWorkspaceRecommendations": {
+ "dynamicWorkspaceRecommendation": "Это расширение может вас заинтересовать, так как оно популярно среди пользователей репозитория {0}."
+ },
+ "vs/workbench/contrib/extensions/browser/exeBasedRecommendations": {
+ "exeBasedRecommendation": "Это расширение является рекомендуемым, так как установлено {0}."
+ },
+ "vs/workbench/contrib/extensions/browser/workspaceRecommendations": {
+ "workspaceRecommendation": "Это расширение рекомендовано пользователями текущей рабочей области."
+ },
+ "vs/workbench/contrib/extensions/browser/fileBasedRecommendations": {
+ "searchMarketplace": "Поиск в Marketplace",
+ "fileBasedRecommendation": "Это расширение рекомендовано на основе недавно открытых вами файлов.",
+ "reallyRecommended": "Вы хотите установить рекомендуемые расширения для {0}?",
+ "showLanguageExtensions": "В Marketplace есть расширения, которые могут помочь с файлами \".{0}\"",
+ "dontShowAgainExtension": "Больше не показывать для файлов \".{0}\""
+ },
+ "vs/workbench/contrib/extensions/browser/configBasedRecommendations": {
+ "exeBasedRecommendation": "Это расширение является рекомендуемым из-за текущей конфигурации рабочей области."
+ },
+ "vs/workbench/contrib/externalTerminal/node/externalTerminal.contribution": {
+ "globalConsoleAction": "Открыть новый внешний терминал",
+ "terminalConfigurationTitle": "Внешний терминал",
+ "terminal.explorerKind.integrated": "Использовать встроенный терминал VS Code.",
+ "terminal.explorerKind.external": "Использовать настроенный внешний терминал.",
+ "explorer.openInTerminalKind": "Определяет тип терминала, который следует запустить.",
+ "terminal.external.windowsExec": "Настройка терминала, который будет запущен в Windows.",
+ "terminal.external.osxExec": "Определяет, какое приложение терминала использовать в macOS.",
+ "terminal.external.linuxExec": "Настройка терминала для запуска в Linux."
+ },
+ "vs/workbench/contrib/externalTerminal/node/externalTerminalService": {
+ "console.title": "Консоль VS Code",
+ "mac.terminal.script.failed": "Сбой скрипта \"{0}\" с кодом выхода {1}",
+ "mac.terminal.type.not.supported": "{0}\" не поддерживается",
+ "press.any.key": "Нажмите любую клавишу, чтобы продолжить...",
+ "linux.term.failed": "Сбой \"{0}\" с кодом выхода {1}",
+ "ext.term.app.not.found": "не удается найти приложение терминала \"{0}\""
+ },
+ "vs/workbench/contrib/externalTerminal/browser/externalTerminal.contribution": {
+ "scopedConsoleAction": "Открыть в терминале",
+ "scopedConsoleAction.integrated": "Открыть во встроенном терминале",
+ "scopedConsoleAction.wt": "Открыть в терминале Windows",
+ "scopedConsoleAction.external": "Открыть во внешнем терминале"
+ },
+ "vs/workbench/contrib/feedback/browser/feedbackStatusbarItem": {
+ "status.feedback": "Отправить твит с отзывом"
+ },
+ "vs/workbench/contrib/feedback/browser/feedback": {
+ "sendFeedback": "Отправить твит с отзывом",
+ "label.sendASmile": "Отправьте нам твит со своим отзывом.",
+ "close": "Закрыть",
+ "patchedVersion1": "Установка повреждена.",
+ "patchedVersion2": "Сообщите об этом при отправке ошибки.",
+ "sentiment": "Каковы ваши впечатления?",
+ "smileCaption": "Положительный отзыв",
+ "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/files/electron-sandbox/files.contribution": {
+ "textFileEditor": "Редактор текстовых файлов"
+ },
+ "vs/workbench/contrib/files/electron-sandbox/fileActions.contribution": {
+ "revealInWindows": "Показать в проводнике",
+ "revealInMac": "Отобразить в Finder",
+ "openContainer": "Открыть содержащую папку",
+ "filesCategory": "Файл"
+ },
+ "vs/workbench/contrib/files/browser/explorerViewlet": {
+ "explorerViewIcon": "Значок представления проводника.",
+ "folders": "Папки",
+ "explore": "Проводник",
+ "noWorkspaceHelp": "Вы еще не добавили папку в рабочую область.\r\n[Добавить папку](command:{0})",
+ "remoteNoFolderHelp": "Подключение к удаленному репозиторию установлено.\r\n[Открыть папку](command:{0})",
+ "noFolderHelp": "Вы еще не открыли папку.\r\n[Открыть папку](command:{0})"
+ },
+ "vs/workbench/contrib/files/browser/files.contribution": {
+ "showExplorerViewlet": "Показать проводник",
+ "binaryFileEditor": "Редактор двоичных файлов",
+ "hotExit.off": "Отключение горячего выхода. При попытке закрыть окно с грязными файлами будет отображаться запрос.",
+ "hotExit.onExit": "Горячий выход будет активирован при закрытии последнего окна в Windows/Linux или активации команды \"workbench.action.quit\" (палитра команд, настраиваемое сочетание клавиш, меню). Все окна без открытых папок будут восстановлены при следующем запуске. Список рабочих пространств с несохраненными файлами можно получить через меню \"Файл\" > \"Открыть последние\" > \"Дополнительно...\"",
+ "hotExit.onExitAndWindowClose": "Горячий выход будет активирован при закрытии последнего окна в Windows/Linux или активации команды \"workbench.action.quit\" (палитра команд, настраиваемое сочетание клавиш, меню), а также для любого окна с открытой папкой, независимо от того, является ли оно последним. Все окна без открытых папок будут восстановлены при следующем запуске. Список рабочих пространств с несохраненными файлами можно получить через меню \"Файл\" > \"Открыть последние\" > \"Дополнительно...\"",
+ "hotExit": "Определяет, запоминаются ли несохраненные файлы между сеансами. В этом случае приглашение на их сохранение при выходе из редактора не появляется.",
+ "hotExit.onExitAndWindowCloseBrowser": "Горячий выход будет активирован при завершении работы браузера или при закрытии окна или вкладки.",
+ "filesConfigurationTitle": "Файлы",
+ "exclude": "Настройка стандартных масок для исключения файлов и папок. Например, на основе этого параметра проводник решает, какие файлы и папки показать или скрыть. См. описание параметра #search.exclude#, чтобы определить исключения специально для поиска. Дополнительные сведения о стандартных масках см. [здесь](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options).",
+ "files.exclude.boolean": "Стандартная маска, соответствующая путям к файлам. Задайте значение true или false, чтобы включить или отключить маску.",
+ "files.exclude.when": "Дополнительная проверка элементов того же уровня соответствующего файла. Используйте $(basename) в качестве переменной для соответствующего имени файла.",
+ "associations": "Настройте ассоциации файлов для языков (например, `\"*.extension\": \"html\"`). Эти ассоциации имеют приоритет над ассоциациями по умолчанию для установленных языков.",
+ "encoding": "Кодировка по умолчанию, используемая при чтении и записи файлов. Этот параметр также можно настроить для отдельных языков.",
+ "autoGuessEncoding": "Если этот параметр установлен, редактор попытается определить кодировку набора символов при открытии файлов. Этот параметр также можно настроить для отдельного языка.",
+ "eol.LF": "LF",
+ "eol.CRLF": "CRLF",
+ "eol.auto": "Использует символ конца строки операционной системы.",
+ "eol": "Символ конца строки по умолчанию.",
+ "useTrash": "Перемещение файлов/папок в корзину ОС (корзину Windows) при удалении. При отключении этого параметра файлы и папки будут удаляться навсегда.",
+ "trimTrailingWhitespace": "Если этот параметр включен, при сохранении файла будут удалены концевые пробелы.",
+ "insertFinalNewline": "Если этот параметр включен, при сохранении файла в его конец вставляется финальная новая строка.",
+ "trimFinalNewlines": "Если этот параметр установлен, то при сохранении файла будут удалены все новые строки за последней новой строкой в конце файла.",
+ "files.autoSave.off": "\"Грязный\" редактор никогда не сохраняется автоматически.",
+ "files.autoSave.afterDelay": "\"Грязный\" редактор автоматически сохраняется после настроенного значения \"#files.autoSaveDelay#\".",
+ "files.autoSave.onFocusChange": "\"Грязный\" редактор автоматически сохраняется при потере фокуса редактором.",
+ "files.autoSave.onWindowChange": "\"Грязный\" редактор автоматически сохраняется, когда окно теряет фокус.",
+ "autoSave": "Управляет автоматическим сохранением \"грязных\" редакторов. Подробнее об автосохранении см. [здесь](https://code.visualstudio.com/docs/editor/codebasics#_save-auto-save).",
+ "autoSaveDelay": "Определяет задержку в миллисекундах, после которой \"грязный\" редактор сохраняется автоматически. Применяется только тогда, когда для \"#files.autoSave\" задано значение \"{0}\".",
+ "watcherExclude": "Настройте стандартные маски путей файлов, которые следует исключить из списка отслеживаемых файлов. Пути должны соответствовать полным путям (т.е. для правильного сопоставления необходимо указывать ** в начале неполного пути или указывать полные пути). После изменения этого параметра потребуется перезагрузка. Если отображается сообщение \"Код потребляет большое количество процессорного времени при запуске\" можно исключить большие папки, чтобы уменьшить начальную нагрузку.",
+ "defaultLanguage": "Языковой режим по умолчанию, назначаемый новым файлам. Если задано значение \"${activeEditorLanguage}\", будет использоваться языковой режим текущего активного текстового редактора, если таковой имеется.",
+ "maxMemoryForLargeFilesMB": "Управляет объемом памяти, который доступен VS Code после перезапуска при попытке открытия больших файлов. Действие этого параметра аналогично указанию параметра \"--max-memory=<новый размер>\" в командной строке.",
+ "files.restoreUndoStack": "Восстановить стек отмены при повторном открытии файла.",
+ "askUser": "Запретит сохранение и предложит разрешить конфликт сохранения вручную.",
+ "overwriteFileOnDisk": "Разрешит конфликт сохранения путем перезаписи файла на диске изменениями в редакторе.",
+ "files.saveConflictResolution": "Конфликт сохранения может возникнуть, когда на диск сохраняется файл, который одновременно был изменен другой программой. Чтобы предотвратить потерю данных, пользователю предлагается сравнить изменения в редакторе с версией на диске. Этот параметр следует изменять только в том случае, если вы часто сталкиваетесь с ошибками при конфликтах сохранения, так как неосмотрительное его использование может привести к потере данных.",
+ "files.simpleDialog.enable": "Включает простое диалоговое окно файлов, которое заменяет собой системное диалоговое окно файлов.",
+ "formatOnSave": "Форматирование файла при сохранении. Модуль форматирования должен быть доступен, файл не должен сохраняться по истечении времени задержки, и работа редактора не должна завершаться.",
+ "everything": "Форматирование всего файла.",
+ "modification": "Форматирование изменений (требуется система управления версиями).",
+ "formatOnSaveMode": "Определяет, применяется ли формат при сохранении ко всему файлу или только к изменениям в файле. Этот параметр применяется только в том случае, если параметр \"#editor.formatOnSave#\" имеет значение \"true\".",
+ "explorerConfigurationTitle": "Проводник",
+ "openEditorsVisible": "Число редакторов, отображаемых в области \"Открытые редакторы\". Если это значение равно 0, она не отображается.",
+ "openEditorsSortOrder": "Управляет порядком сортировки редакторов в области \"Открытые редакторы\".",
+ "sortOrder.editorOrder": "Редакторы располагаются в том же порядке, что и вкладки редактора.",
+ "sortOrder.alphabetical": "Редакторы располагаются в алфавитном порядке в каждой группе.",
+ "autoReveal.on": "Файлы будут отображаться и будут выбраны.",
+ "autoReveal.off": "Файлы не будут отображаться и не будут выбраны.",
+ "autoReveal.focusNoScroll": "Файлы не будут прокручиваться в представлении, но на них будет оставаться фокус.",
+ "autoReveal": "Определяет, будет ли проводник автоматически отображать и выбирать файлы при их открытии.",
+ "enableDragAndDrop": "Определяет, разрешает ли обозреватель перемещать файлы и папки с помощью перетаскивания. Этот параметр распространяется только на перетаскивание внутри обозревателя.",
+ "confirmDragAndDrop": "Определяет, должно ли запрашиваться подтверждение при перемещении файлов и папок в проводнике.",
+ "confirmDelete": "Определяет, должно ли запрашиваться подтверждение при удалении файла в корзину.",
+ "sortOrder.default": "Файлы и папки сортируются по именам в алфавитном порядке. Папки отображаются перед файлами.",
+ "sortOrder.mixed": "Файлы и папки сортируются по именам в алфавитном порядке. Файлы чередуются с папками.",
+ "sortOrder.filesFirst": "Файлы и папки сортируются по именам в алфавитном порядке. Файлы отображаются перед папками. ",
+ "sortOrder.type": "Файлы и папки сортируются по расширениям в алфавитном порядке. Папки отображаются перед файлами.",
+ "sortOrder.modified": "Файлы и папки сортируются по дате последнего изменения в порядке убывания. Папки отображаются перед файлами.",
+ "sortOrder": "Определяет способ сортировки файлов и папок в проводнике.",
+ "explorer.decorations.colors": "Определяет, следует ли использовать цвета в декораторах файла.",
+ "explorer.decorations.badges": "Определяет, следует ли использовать эмблемы в декораторах файла. ",
+ "simple": "Добавляет слово \"copy\", за которым может следовать число, в конце повторяющегося имени",
+ "smart": "Добавляет номер в конце повторяющегося имени. Если в имя уже входит число, предпринимается попытка увеличить это число.",
+ "explorer.incrementalNaming": "Определяет, какую стратегию именования использовать при формировании нового имени повторяющегося элемента обозревателя при вставке.",
+ "compressSingleChildFolders": "Определяет, должны ли папки в проводнике отображаться в компактном формате. В таком представлении отдельные дочерние папки будут объединены в один элемент дерева. Это удобно, например, для отображения структуры пакета Java.",
+ "miViewExplorer": "Про&&водник"
+ },
+ "vs/workbench/contrib/files/browser/fileActions.contribution": {
+ "filesCategory": "Файл",
+ "workspaces": "Рабочие области",
+ "file": "Файл",
+ "copyPath": "Скопировать путь",
+ "copyRelativePath": "Скопировать относительный путь",
+ "revealInSideBar": "Показать в боковой панели",
+ "acceptLocalChanges": "Использовать ваши изменения и перезаписать содержимое файла",
+ "revertLocalChanges": "Отменить изменения и вернуться к исходному содержимому файла",
+ "copyPathOfActive": "Копировать путь к активному файлу",
+ "copyRelativePathOfActive": "Скопировать относительный путь активного файла",
+ "saveAllInGroup": "Сохранить все в группе",
+ "saveFiles": "Сохранить все файлы",
+ "revert": "Отменить изменения в файле",
+ "compareActiveWithSaved": "Сравнить активный файл с сохраненным",
+ "openToSide": "Открыть сбоку",
+ "saveAll": "Сохранить все",
+ "compareWithSaved": "Сравнить с сохраненным",
+ "compareWithSelected": "Сравнить с выбранным",
+ "compareSource": "Выбрать для сравнения",
+ "compareSelected": "Сравнить выбранное",
+ "close": "Закрыть",
+ "closeOthers": "Закрыть другие",
+ "closeSaved": "Закрыть сохраненные",
+ "closeAll": "Закрыть все",
+ "explorerOpenWith": "Открыть с помощью...",
+ "cut": "Вырезать",
+ "deleteFile": "Удалить навсегда",
+ "newFile": "Создать файл",
+ "openFile": "Открыть файл...",
+ "miNewFile": "&&Новый файл",
+ "miSave": "&&Сохранить",
+ "miSaveAs": "Сохранить &&как...",
+ "miSaveAll": "Сохранить &&все",
+ "miOpen": "&&Открыть...",
+ "miOpenFile": "&&Открыть файл...",
+ "miOpenFolder": "Открыть &&папку...",
+ "miOpenWorkspace": "Открыть рабо&&чую область...",
+ "miAutoSave": "А&&втосохранение",
+ "miRevert": "Отменить &&изменения в файле",
+ "miCloseEditor": "&&Закрыть редактор",
+ "miGotoFile": "Перейти к &&файлу..."
+ },
+ "vs/workbench/contrib/files/electron-sandbox/fileCommands": {
+ "openFileToReveal": "Сначала откройте файл для просмотра"
+ },
+ "vs/workbench/contrib/files/common/editors/fileEditorInput": {
+ "orphanedReadonlyFile": "{0} (удалено, только для чтения)",
+ "orphanedFile": "{0} (удален)",
+ "readonlyFile": "{0} (только для чтения)"
+ },
+ "vs/workbench/contrib/files/electron-sandbox/textFileEditor": {
+ "fileTooLargeForHeapError": "Чтобы открыть файл такого размера, нужно выполнить перезапуск и позволить ему использовать больше памяти",
+ "relaunchWithIncreasedMemoryLimit": "Перезапустить с объемом памяти {0} МБ",
+ "configureMemoryLimit": "Настроить ограничение памяти"
+ },
+ "vs/workbench/contrib/files/browser/views/emptyView": {
+ "noWorkspace": "Нет открытой папки"
+ },
+ "vs/workbench/contrib/files/browser/views/explorerView": {
+ "explorerSection": "Раздел обозревателя: {0}"
+ },
+ "vs/workbench/contrib/files/browser/views/openEditorsView": {
+ "openEditors": "Открытые редакторы",
+ "dirtyCounter": "Не сохранено: {0}"
+ },
+ "vs/workbench/contrib/files/browser/editors/textFileSaveErrorHandler": {
+ "userGuide": "Используйте действия на панели инструментов редактора, чтобы отменить изменения или перезаписать содержимое файла своими изменениями.",
+ "staleSaveError": "Не удалось сохранить \"{0}\": содержимое файла было обновлено. Сравните свою версию с содержимым файла или перезапишите обновленное содержимое файла своей версией файла.",
+ "retry": "Повторить",
+ "discard": "Отменить",
+ "readonlySaveErrorAdmin": "Не удалось сохранить \"{0}\": файл доступен только для чтения. Выберите \"Перезаписать с правами администратора\", чтобы повторить попытку в качестве администратора.",
+ "readonlySaveErrorSudo": "Не удалось сохранить \"{0}\": файл доступен только для чтения. Выберите \"Перезаписать как Sudo\", чтобы повторить попытку в качестве суперпользователя.",
+ "readonlySaveError": "Не удалось сохранить \"{0}\": файл доступен только для чтения. Выберите \"Перезаписать\", чтобы попытаться сделать его доступным для записи.",
+ "permissionDeniedSaveError": "Не удалось сохранить \"{0}\": недостаточные разрешения. Чтобы повторить попытку с правами администратора, выберите \"Повторить попытку с правами администратора\".",
+ "permissionDeniedSaveErrorSudo": "Не удалось сохранить \"{0}\": недостаточные разрешения. Чтобы повторить попытку с правами администратора, выберите \"Повторить попытку в режиме Sudo\".",
+ "genericSaveError": "Не удалось сохранить ресурс \"{0}\": {1}",
+ "learnMore": "Дополнительные сведения",
+ "dontShowAgain": "Больше не показывать",
+ "compareChanges": "Сравнить",
+ "saveConflictDiffLabel": "{0} (в файле) ↔ {1} (в {2}) — разрешение конфликта сохранения",
+ "overwriteElevated": "Перезаписать с правами администратора....",
+ "overwriteElevatedSudo": "Перезаписать в режиме Sudo...",
+ "saveElevated": "Повторить с правами администратора....",
+ "saveElevatedSudo": "Повторить попытку в режиме Sudo...",
+ "overwrite": "Перезаписать",
+ "configure": "Настройка"
+ },
+ "vs/workbench/contrib/files/browser/editors/binaryFileEditor": {
+ "binaryFileEditor": "Средство просмотра двоичных файлов"
+ },
+ "vs/workbench/contrib/files/common/workspaceWatcher": {
+ "netVersionError": "Требуется платформа Microsoft .NET Framework 4.5. Нажмите ссылку, чтобы установить ее.",
+ "installNet": "Скачать .NET Framework 4.5",
+ "enospcError": "Не удается просмотреть изменения файлов в этой большой рабочей области. Для решения этой проблемы перейдите по ссылке на инструкции.",
+ "learnMore": "Инструкции"
+ },
+ "vs/workbench/contrib/files/common/dirtyFilesIndicator": {
+ "dirtyFile": "1 несохраненный файл",
+ "dirtyFiles": "Несохраненных файлов: {0}"
+ },
+ "vs/workbench/contrib/files/browser/fileActions": {
+ "newFile": "Создать файл",
+ "newFolder": "Новая папка",
+ "rename": "Переименование",
+ "delete": "Удалить",
+ "copyFile": "Копирование",
+ "pasteFile": "Вставить",
+ "download": "Скачивание...",
+ "createNewFile": "Создать файл",
+ "createNewFolder": "Новая папка",
+ "deleteButtonLabelRecycleBin": "&&Переместить в корзину",
+ "deleteButtonLabelTrash": "&&Переместить в удаленные",
+ "deleteButtonLabel": "&&Удалить",
+ "dirtyMessageFilesDelete": "Вы удаляете файлы с несохраненными изменениями. Вы хотите продолжить?",
+ "dirtyMessageFolderOneDelete": "Вы удаляете папку {0} с несохраненными изменениями в 1 файле. Вы хотите продолжить?",
+ "dirtyMessageFolderDelete": "Вы удаляете папку {0} с несохраненными изменениями в файлах ({1}). Вы хотите продолжить?",
+ "dirtyMessageFileDelete": "Вы удаляете {0} с не сохраненными изменениями. Вы хотите продолжить?",
+ "dirtyWarning": "Изменения будут потеряны, если вы не сохраните их.",
+ "undoBinFiles": "Вы можете восстановить эти файлы из корзины.",
+ "undoBin": "Вы можете восстановить этот файл из корзины.",
+ "undoTrashFiles": "Вы можете восстановить эти файлы из корзины.",
+ "undoTrash": "Вы можете восстановить этот файл из корзины.",
+ "doNotAskAgain": "Не спрашивать снова",
+ "irreversible": "Это действие необратимо.",
+ "deleteBulkEdit": "Удалить файлы ({0})",
+ "deleteFileBulkEdit": "Удалить {0}",
+ "deletingBulkEdit": "Удаление файлов ({0})",
+ "deletingFileBulkEdit": "Удаление {0}",
+ "binFailed": "Не удалось выполнить удаление в корзину. Вы хотите выполнить удаление навсегда?",
+ "trashFailed": "Не удалось выполнить удаление в корзину. Вы действительно хотите выполнить удаление навсегда?",
+ "deletePermanentlyButtonLabel": "&&Удалить окончательно",
+ "retryButtonLabel": "&&Повторить",
+ "confirmMoveTrashMessageFilesAndDirectories": "Вы уверены, что вы хотите удалить следующие файлы и каталоги ({0}) и их содержимое?",
+ "confirmMoveTrashMessageMultipleDirectories": "Вы уверены, что вы хотите удалить следующие каталоги ({0}) и их содержимое? ",
+ "confirmMoveTrashMessageMultiple": "Вы действительно хотите удалить следующие файлы ({0})?",
+ "confirmMoveTrashMessageFolder": "Вы действительно хотите удалить папку \"{0}\" и ее содержимое?",
+ "confirmMoveTrashMessageFile": "Действительно удалить \"{0}\"?",
+ "confirmDeleteMessageFilesAndDirectories": "Вы уверены, что вы хотите удалить следующие файлы и каталоги ({0}) и их содержимое без возможности восстановления?",
+ "confirmDeleteMessageMultipleDirectories": "Вы уверены, что вы хотите удалить следующие каталоги ({0}) и их содержимое без возможности восстановления? ",
+ "confirmDeleteMessageMultiple": "Вы действительно хотите удалить следующие файлы ({0}) без возможности восстановления?",
+ "confirmDeleteMessageFolder": "Вы действительно хотите удалить папку \"{0}\" и ее содержимое без возможности восстановления?",
+ "confirmDeleteMessageFile": "Вы действительно хотите удалить \"{0}\" без возможности восстановления?",
+ "globalCompareFile": "Сравнить активный файл с...",
+ "fileToCompareNoFile": "Выберите файл, с которым будет выполнено сравнение.",
+ "openFileToCompare": "Чтобы сравнить файл с другим файлом, сначала откройте его.",
+ "toggleAutoSave": "Включить/отключить автоматическое сохранение",
+ "saveAllInGroup": "Сохранить все в группе",
+ "closeGroup": "Закрыть группу",
+ "focusFilesExplorer": "Фокус на проводнике",
+ "showInExplorer": "Показать активный файл в боковой панели",
+ "openFileToShow": "Сначала откройте файл для отображения в обозревателе.",
+ "collapseExplorerFolders": "Свернуть папки в проводнике",
+ "refreshExplorer": "Обновить окно проводника",
+ "openFileInNewWindow": "Открыть активный файл в новом окне",
+ "openFileToShowInNewWindow.unsupportedschema": "Активный редактор должен содержать ресурс, который можно открыть.",
+ "openFileToShowInNewWindow.nofile": "Чтобы открыть файл в новом окне, сначала откройте его.",
+ "emptyFileNameError": "Необходимо указать имя файла или папки.",
+ "fileNameStartsWithSlashError": "Имя папки или файла не может начинаться с косой черты.",
+ "fileNameExistsError": "Файл или папка **{0}** уже существует в данном расположении. Выберите другое имя.",
+ "invalidFileNameError": "Имя **{0}** недопустимо для файла или папки. Выберите другое имя.",
+ "fileNameWhitespaceWarning": "В имени файла или папки обнаружен начальный или конечный пробел.",
+ "compareWithClipboard": "Сравнить активный файл с буфером обмена",
+ "clipboardComparisonLabel": "Буфер обмена ↔ {0}",
+ "retry": "Повторить",
+ "createBulkEdit": "Создать {0}",
+ "creatingBulkEdit": "Идет создание {0}.",
+ "renameBulkEdit": "Переименовать {0} в {1}",
+ "renamingBulkEdit": "Переименование {0} в {1}",
+ "downloadingFiles": "Идет скачивание",
+ "downloadProgressSmallMany": "Файлов: {0} из {1} ({2}/с)",
+ "downloadProgressLarge": "{0} ({1} из {2}, {3}/с)",
+ "downloadButton": "Скачать",
+ "downloadFolder": "Скачать папку",
+ "downloadFile": "Скачать файл",
+ "downloadBulkEdit": "Скачать {0}",
+ "downloadingBulkEdit": "Скачивание {0}",
+ "fileIsAncestor": "Файл для вставки является предком папки назначения",
+ "movingBulkEdit": "Идет перемещение файлов ({0}).",
+ "movingFileBulkEdit": "Идет перемещение {0}.",
+ "moveBulkEdit": "Переместить файлы ({0})",
+ "moveFileBulkEdit": "Переместить {0}",
+ "copyingBulkEdit": "Идет копирование файлов ({0}).",
+ "copyingFileBulkEdit": "Идет копирование {0}.",
+ "copyBulkEdit": "Копировать файлы ({0})",
+ "copyFileBulkEdit": "Копировать {0}",
+ "fileDeleted": "Файлы для вставки были удалены или перемещены с момента их копирования. {0}"
+ },
+ "vs/workbench/contrib/files/browser/fileCommands": {
+ "saveAs": "Сохранить как...",
+ "save": "Сохранить",
+ "saveWithoutFormatting": "Сохранить без форматирования",
+ "saveAll": "Сохранить все",
+ "removeFolderFromWorkspace": "Удалить папку из рабочей области",
+ "newUntitledFile": "Новый файл без имени",
+ "modifiedLabel": "{0} (в файле) ↔ {1}",
+ "openFileToCopy": "Сначала откройте файл, чтобы скопировать его путь",
+ "genericSaveError": "Не удалось сохранить ресурс \"{0}\": {1}",
+ "genericRevertError": "Не удалось отменить изменения \"{0}\": {1}"
+ },
+ "vs/workbench/contrib/files/browser/editors/textFileEditor": {
+ "textFileEditor": "Редактор текстовых файлов",
+ "openFolderError": "Файл является каталогом",
+ "createFile": "Создать файл"
+ },
+ "vs/workbench/contrib/files/browser/views/explorerDecorationsProvider": {
+ "canNotResolve": "Не удается разрешить папку рабочей области",
+ "symbolicLlink": "Символическая ссылка",
+ "unknown": "Неизвестный тип файла",
+ "label": "Проводник"
+ },
+ "vs/workbench/contrib/files/browser/views/explorerViewer": {
+ "treeAriaLabel": "Проводник",
+ "fileInputAriaLabel": "Введите имя файла. Нажмите клавишу ВВОД, чтобы подтвердить введенные данные, или ESCAPE для отмены.",
+ "confirmOverwrite": "Файл или папка с именем \"{0}\" уже существуют в папке назначения. Вы хотите заменить их?",
+ "irreversible": "Это действие необратимо.",
+ "replaceButtonLabel": "&&Заменить",
+ "confirmManyOverwrites": "В папке назначения уже существуют следующие файлы и (или) папки ({0}). Вы хотите заменить их?",
+ "uploadingFiles": "Отправка.",
+ "overwrite": "Перезаписать {0}",
+ "overwriting": "Идет перезапись {0}.",
+ "uploadProgressSmallMany": "Файлов: {0} из {1} ({2}/с)",
+ "uploadProgressLarge": "{0} ({1} из {2}, {3}/с)",
+ "copyFolders": "&&Копировать папки",
+ "copyFolder": "&&Копировать папку",
+ "cancel": "Отмена",
+ "copyfolders": "Вы действительно хотите скопировать папки?",
+ "copyfolder": "Вы действительно хотите скопировать \"{0}\"?",
+ "addFolders": "&&Добавить папки в рабочую область",
+ "addFolder": "&&Добавить папку в рабочую область",
+ "dropFolders": "Вы хотите скопировать папки или добавить папки в рабочую область?",
+ "dropFolder": "Вы хотите скопировать \"{0}\" или добавить \"{0}\" в качестве папки в рабочую область?",
+ "copyFile": "Копировать {0}",
+ "copynFile": "Копировать ресурсы ({0})",
+ "copyingFile": "Идет копирование {0}.",
+ "copyingnFile": "Идет копирование ресурсов ({0}).",
+ "confirmRootsMove": "Вы действительно хотите изменить порядок нескольких корневых папок в рабочей области?",
+ "confirmMultiMove": "Вы действительно хотите переместить следующие файлы ({0}) в \"{1}\"?",
+ "confirmRootMove": "Вы действительно хотите изменить порядок корневой папки \"{0}\" в рабочей области?",
+ "confirmMove": "Вы действительно хотите переместить \"{0}\" в \"{1}\"?",
+ "doNotAskAgain": "Не спрашивать снова",
+ "moveButtonLabel": "&&Переместить",
+ "copy": "Копировать {0}",
+ "copying": "Идет копирование {0}.",
+ "move": "Переместить {0}",
+ "moving": "Идет перемещение {0}."
+ },
+ "vs/workbench/contrib/format/browser/formatActionsMultiple": {
+ "nullFormatterDescription": "NONE",
+ "miss": "Расширение \"{0}\" не может отформатировать \"{1}\"",
+ "config.needed": "Существует несколько форматировщиков для файлов \"{0}\". Выберите форматировщик по умолчанию для продолжения.",
+ "config.bad": "Расширение \"{0}\" настроено в качестве форматировщика, но недоступно. Для продолжения выберите другой форматировщик по умолчанию.",
+ "do.config": "Настроить...",
+ "select": "Выберите форматировщик по умолчанию для файлов \"{0}\"",
+ "formatter.default": "Определяет форматировщик по умолчанию, который имеет приоритет над всеми другими форматировщиками. Должен быть идентификатором расширения, предоставляющего форматировщик.",
+ "def": "(По умолчанию)",
+ "config": "Настройка форматировщика по умолчанию...",
+ "format.placeHolder": "Выберите форматировщик",
+ "formatDocument.label.multiple": "Форматировать документ с помощью...",
+ "formatSelection.label.multiple": "Форматировать выбранное с помощью..."
+ },
+ "vs/workbench/contrib/format/browser/formatActionsNone": {
+ "formatDocument.label.multiple": "Форматировать документ",
+ "too.large": "Невозможно отформатировать этот файл, так как он слишком большой",
+ "no.provider": "Не установлен форматировщик для файлов \"{0}\".",
+ "install.formatter": "Установка форматировщика..."
+ },
+ "vs/workbench/contrib/format/browser/formatModified": {
+ "formatChanges": "Форматировать измененные строки"
+ },
+ "vs/workbench/contrib/issue/electron-sandbox/issue.contribution": {
+ "reportIssueInEnglish": "Сообщить о проблеме на английском языке…"
+ },
+ "vs/workbench/contrib/issue/electron-sandbox/issueActions": {
+ "openProcessExplorer": "Открыть обозреватель процессов",
+ "reportPerformanceIssue": "Сообщить о проблеме с производительностью"
+ },
+ "vs/workbench/contrib/keybindings/browser/keybindings.contribution": {
+ "toggleKeybindingsLog": "Включить или отключить устранение неполадок для сочетаний клавиш"
+ },
+ "vs/workbench/contrib/localizations/browser/localizations.contribution": {
+ "updateLocale": "Вы хотели бы изменить язык пользовательского интерфейса VS Code на {0} и перезапустить VS Code?",
+ "activateLanguagePack": "Чтобы использовать VS Code в {0}, необходимо перезапустить VS Code.",
+ "yes": "Да",
+ "restart now": "Перезапустить сейчас",
+ "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": "Идентификатор VS Code или расширения, для которого предоставляется этот перевод. Идентификатор VS Code всегда имеет формат \"vscode\", а идентификатор расширения должен иметь формат \"publisherId.extensionName\".",
+ "vscode.extension.contributes.localizations.translations.id.pattern": "Идентификатор должен иметь формат \"vscode\" или \"publisherId.extensionName\" для перевода VS Code или расширения соответственно.",
+ "vscode.extension.contributes.localizations.translations.path": "Относительный путь к файлу, содержащему переводы для языка."
+ },
+ "vs/workbench/contrib/localizations/browser/localizationsActions": {
+ "configureLocale": "Настройка языка интерфейса",
+ "installAdditionalLanguages": "Установить дополнительные языки...",
+ "chooseDisplayLanguage": "Выберите язык интерфейса",
+ "relaunchDisplayLanguageMessage": "Для изменения языка интерфейса требуется перезагрузка.",
+ "relaunchDisplayLanguageDetail": "Нажмите кнопку перезапуска для перезапуска {0} и изменения языка интерфейса.",
+ "restart": "&&Перезапустить"
+ },
+ "vs/workbench/contrib/localizations/browser/minimalTranslations": {
+ "showLanguagePackExtensions": "Чтобы изменить язык отображения на {0}, найдите языковые пакеты в Marketplace.",
+ "searchMarketplace": "Поиск в Marketplace",
+ "installAndRestartMessage": "Установите языковой пакет, чтобы изменить язык отображения на {0}.",
+ "installAndRestart": "Установить и перезапустить"
+ },
+ "vs/workbench/contrib/logs/common/logs.contribution": {
+ "userDataSyncLog": "Синхронизация параметров",
+ "rendererLog": "Окно",
+ "telemetryLog": "Телеметрия",
+ "show window log": "Показать журнал окна",
+ "mainLog": "Главный",
+ "sharedLog": "Коллективная"
+ },
+ "vs/workbench/contrib/logs/electron-sandbox/logsActions": {
+ "openLogsFolder": "Открыть папку журналов",
+ "openExtensionLogsFolder": "Открыть папку журналов расширений"
+ },
+ "vs/workbench/contrib/logs/common/logsActions": {
+ "setLogLevel": "Установите уровень ведения журнала...",
+ "trace": "Трассировка",
+ "debug": "Отладка",
+ "info": "Информация",
+ "warn": "Предупреждение",
+ "err": "Ошибка",
+ "critical": "Критическая",
+ "off": "ОТКЛ.",
+ "selectLogLevel": "Установите уровень ведения журнала",
+ "default and current": "По умолчанию и текущее",
+ "default": "По умолчанию",
+ "current": "Текущая",
+ "openSessionLogFile": "Открытие файла журнала окна (сеанс)...",
+ "sessions placeholder": "Выберите сеанс",
+ "log placeholder": "Выберите файл журнала"
+ },
+ "vs/workbench/contrib/markers/browser/markers.contribution": {
+ "markersViewIcon": "Значок представления маркеров.",
+ "copyMarker": "Копирование",
+ "copyMessage": "Копировать сообщение",
+ "focusProblemsList": "Фокусировка на представлении проблем",
+ "focusProblemsFilter": "Фокусировка на фильтре проблем",
+ "show multiline": "Показать сообщение на нескольких строках",
+ "problems": "Проблемы",
+ "show singleline": "Показать сообщение в одной строке",
+ "clearFiltersText": "Очистить текст фильтров",
+ "miMarker": "&&Проблемы",
+ "status.problems": "Проблемы",
+ "totalErrors": "Ошибок: {0}",
+ "totalWarnings": "Предупреждения: {0}",
+ "totalInfos": "Сообщения: {0}",
+ "noProblems": "Проблемы отсутствуют",
+ "manyProblems": "Более 10 тысяч"
+ },
+ "vs/workbench/contrib/markers/browser/markersView": {
+ "collapseAll": "Свернуть все",
+ "filter": "Фильтр",
+ "No problems filtered": "Показано проблем: {0}",
+ "problems filtered": "Показано проблем: {0} из {1}",
+ "clearFilter": "Очистить фильтры"
+ },
+ "vs/workbench/contrib/markers/browser/markersViewActions": {
+ "filterIcon": "Значок для конфигурации фильтра в представлении маркеров.",
+ "showing filtered problems": "Отображается {0} из {1}"
+ },
+ "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.showCurrentInStatus": "Если этот параметр установлен, в строке состояния отображается текущая проблема.",
+ "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": "Фильтр (например, text, **/*.ts, !**/node_modules/**)",
+ "markers.panel.filter.errors": "ошибки",
+ "markers.panel.filter.warnings": "предупреждения",
+ "markers.panel.filter.infos": "сообщения",
+ "markers.panel.single.error.label": "1 ошибка",
+ "markers.panel.multiple.errors.label": "Ошибок: {0}",
+ "markers.panel.single.warning.label": "1 предупреждение",
+ "markers.panel.multiple.warnings.label": "Предупреждения: {0}",
+ "markers.panel.single.info.label": "1 сообщение",
+ "markers.panel.multiple.infos.label": "Сообщения: {0}",
+ "markers.panel.single.unknown.label": "1 неизвестный",
+ "markers.panel.multiple.unknowns.label": "Неизвестные: {0}",
+ "markers.panel.at.ln.col.number": "[{0}, {1}]",
+ "problems.tree.aria.label.resource": "Проблем в файле {1} в папке {2}: {0}",
+ "problems.tree.aria.label.marker.relatedInformation": "У этой проблемы есть ссылки на несколько расположений ({0}).",
+ "problems.tree.aria.label.error.marker": "Ошибка выдана {0}: {1}, строка {2}, символ {3}.{4}",
+ "problems.tree.aria.label.error.marker.nosource": "Ошибка: {0}, строка {1}, символ {2}.{3}",
+ "problems.tree.aria.label.warning.marker": "Предупреждение выдано {0}: {1}, строка {2}, символ {3}.{4}",
+ "problems.tree.aria.label.warning.marker.nosource": "Предупреждение: {0}, строка {1}, символ {2}.{3} ",
+ "problems.tree.aria.label.info.marker": "Информационное сообщение выдано {0}: {1}, строка {2}, символ {3}.{4}",
+ "problems.tree.aria.label.info.marker.nosource": "Информационное сообщение: {0}, строка {1}, символ {2}.{3} ",
+ "problems.tree.aria.label.marker": "Проблема выдана {0}: {1}, строка {2}, символ {3}.{4}",
+ "problems.tree.aria.label.marker.nosource": "Проблема: {0}, строка {1}, символ {2}.{3} ",
+ "problems.tree.aria.label.relatedinfo.message": "{0}, строка {1}, символ {2} в {3}",
+ "errors.warnings.show.label": "Показать ошибки и предупреждения"
+ },
+ "vs/workbench/contrib/markers/browser/markers": {
+ "totalProblems": "Всего проблем: {0}"
+ },
+ "vs/workbench/contrib/markers/browser/markersFileDecorations": {
+ "label": "Проблемы",
+ "tooltip.1": "Проблем в этом файле: 1",
+ "tooltip.N": "Проблем в этом файле: {0}",
+ "markers.showOnFile": "Отображение ошибок и предупреждений для файлов и папки."
+ },
+ "vs/workbench/contrib/markers/browser/markersTreeViewer": {
+ "problemsView": "Представление проблем",
+ "expandedIcon": "Значок, указывающий, что несколько строк отображаются в представлении маркеров.",
+ "collapsedIcon": "Значок, указывающий, что несколько строк свернуты в представлении маркеров.",
+ "single line": "Показать сообщение в одной строке",
+ "multi line": "Показать сообщение на нескольких строках",
+ "links.navigate.follow": "перейти по ссылке",
+ "links.navigate.kb.meta": "Кнопка CTRL и щелчок левой кнопкой мыши",
+ "links.navigate.kb.meta.mac": "Кнопка OPTION и щелчок левой кнопкой мыши",
+ "links.navigate.kb.alt.mac": "Кнопка OPTION и щелчок левой кнопкой мыши",
+ "links.navigate.kb.alt": "Кнопка ALT и щелчок левой кнопкой мыши"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/coreActions": {
+ "notebookActions.category": "Блокнот",
+ "notebookActions.execute": "Выполнить ячейку",
+ "notebookActions.cancel": "Остановить выполнение ячеек",
+ "notebookActions.executeCell": "Выполнить ячейку",
+ "notebookActions.CancelCell": "Отменить выполнение",
+ "notebookActions.deleteCell": "Удалить ячейку",
+ "notebookActions.executeAndSelectBelow": "Выполнить ячейку записной книжки и выбрать ниже",
+ "notebookActions.executeAndInsertBelow": "Выполнить ячейку записной книжки и вставить ниже",
+ "notebookActions.renderMarkdown": "Отобразить все ячейки Markdown",
+ "notebookActions.executeNotebook": "Выполнить записную книжку",
+ "notebookActions.cancelNotebook": "Отменить выполнение записной книжки",
+ "notebookMenu.insertCell": "Вставить ячейку",
+ "notebookMenu.cellTitle": "Ячейка записной книжки",
+ "notebookActions.menu.executeNotebook": "Выполнить записную книжку (выполнить все ячейки)",
+ "notebookActions.menu.cancelNotebook": "Остановить выполнение записной книжки",
+ "notebookActions.changeCellToCode": "Заменить ячейку на код",
+ "notebookActions.changeCellToMarkdown": "Изменить ячейку на Markdown",
+ "notebookActions.insertCodeCellAbove": "Вставить ячейку кода выше",
+ "notebookActions.insertCodeCellBelow": "Вставить ячейку кода ниже",
+ "notebookActions.insertCodeCellAtTop": "Добавить ячейку кода вверху",
+ "notebookActions.insertMarkdownCellAtTop": "Добавить ячейку Markdown вверху",
+ "notebookActions.menu.insertCode": "$(add) код",
+ "notebookActions.menu.insertCode.tooltip": "Добавить ячейку кода",
+ "notebookActions.insertMarkdownCellAbove": "Вставить ячейку Markdown выше",
+ "notebookActions.insertMarkdownCellBelow": "Вставить ячейку Markdown ниже",
+ "notebookActions.menu.insertMarkdown": "$(add) Markdown",
+ "notebookActions.menu.insertMarkdown.tooltip": "Добавить ячейку Markdown",
+ "notebookActions.editCell": "Изменить ячейку",
+ "notebookActions.quitEdit": "Остановить редактирование ячейки",
+ "notebookActions.moveCellUp": "Переместить ячейку вверх",
+ "notebookActions.moveCellDown": "Переместить ячейку вниз",
+ "notebookActions.copy": "Копировать ячейку",
+ "notebookActions.cut": "Вырезать ячейку",
+ "notebookActions.paste": "Вставить ячейку",
+ "notebookActions.pasteAbove": "Вставить ячейку выше",
+ "notebookActions.copyCellUp": "Копировать ячейку вверх",
+ "notebookActions.copyCellDown": "Копировать ячейку вниз",
+ "cursorMoveDown": "Перевести выделение на следующий редактор ячейки",
+ "cursorMoveUp": "Перевести выделение на предыдущий редактор ячейки",
+ "focusOutput": "Перевести выделение на выходные данные активной ячейки",
+ "focusOutputOut": "Снять выделение с выходных данных активной ячейки",
+ "focusFirstCell": "Фокус на первой ячейке",
+ "focusLastCell": "Фокус на последней ячейке",
+ "clearCellOutputs": "Очистить выходные данные ячейки",
+ "changeLanguage": "Изменить язык ячеек",
+ "languageDescription": "({0}) — текущий язык",
+ "languageDescriptionConfigured": "({0})",
+ "pickLanguageToConfigure": "Выбор языкового режима",
+ "clearAllCellsOutputs": "Удалить выходные данные всех ячеек",
+ "notebookActions.splitCell": "Разбить ячейку",
+ "notebookActions.joinCellAbove": "Объединить с предыдущей ячейкой",
+ "notebookActions.joinCellBelow": "Объединить со следующей ячейкой",
+ "notebookActions.centerActiveCell": "Разместить активную ячейку по центру",
+ "notebookActions.collapseCellInput": "Свернуть ввод для ячеек",
+ "notebookActions.expandCellContent": "Развернуть содержимое ячейки",
+ "notebookActions.collapseCellOutput": "Свернуть вывод ячейки",
+ "notebookActions.expandCellOutput": "Развернуть вывод ячейки",
+ "notebookActions.inspectLayout": "Проверить макет записной книжки"
+ },
+ "vs/workbench/contrib/notebook/browser/notebook.contribution": {
+ "diffLeftRightLabel": "{0} ⟷ {1}",
+ "notebookConfigurationTitle": "Записная книжка",
+ "notebook.displayOrder.description": "Список приоритетов для выходных типов MIME",
+ "notebook.cellToolbarLocation.description": "Следует ли отображать панель инструментов ячейки или скрыть ее.",
+ "notebook.showCellStatusbar.description": "Должна ли отображаться строка состояния ячейки.",
+ "notebook.diff.enablePreview.description": "Следует ли использовать расширенный редактор текстовых несовпадений для записной книжки."
+ },
+ "vs/workbench/contrib/notebook/browser/notebookIcons": {
+ "configureKernel": "Значок настройки в мини-приложении конфигурации ядра в редакторах записных книжек.",
+ "selectKernelIcon": "Значок настройки для выбора ядра в редакторах записных книжек.",
+ "executeIcon": "Значок выполнения в редакторах записных книжек.",
+ "stopIcon": "Значок остановки выполнения в редакторах записных книжек.",
+ "deleteCellIcon": "Значок удаления ячейки в редакторах записных книжек.",
+ "executeAllIcon": "Значок выполнения всех ячеек в редакторах записных книжек.",
+ "editIcon": "Значок изменения ячейки в редакторах записных книжек.",
+ "stopEditIcon": "Значок прекращения редактирования ячейки в редакторах записных книжек.",
+ "moveUpIcon": "Значок перемещения ячейки вверх в редакторах записных книжек.",
+ "moveDownIcon": "Значок перемещения ячейки вниз в редакторах записных книжек.",
+ "clearIcon": "Значок очистки выходных данных ячейки в редакторах записных книжек.",
+ "splitCellIcon": "Значок разбивки ячейки в редакторах записных книжек.",
+ "unfoldIcon": "Значок развертывания ячейки в редакторах записных книжек.",
+ "successStateIcon": "Значок индикации успешного состояния в редакторах записных книжек.",
+ "errorStateIcon": "Значок индикации состояния ошибки в редакторах записных книжек.",
+ "collapsedIcon": "Значок аннотирования свернутого раздела в редакторах записных книжек.",
+ "expandedIcon": "Значок аннотирования развернутого раздела в редакторах записных книжек.",
+ "openAsTextIcon": "Значок открытия записной книжки в текстовом редакторе.",
+ "revertIcon": "Значок отмены изменений в редакторах записных книжек.",
+ "mimetypeIcon": "Значок для типа MIME в редакторах записных книжек."
+ },
+ "vs/workbench/contrib/notebook/browser/notebookEditor": {
+ "fail.noEditor": "Не удается открыть ресурс с типом редактора записных книжек \"{0}\", убедитесь, что необходимое расширение установлено и включено.",
+ "fail.reOpen": "Повторно открыть файл в стандартном текстовом редакторе VS Code"
+ },
+ "vs/workbench/contrib/notebook/browser/notebookServiceImpl": {
+ "builtinProviderDisplayName": "Встроенный"
+ },
+ "vs/workbench/contrib/notebook/browser/diff/notebookTextDiffEditor": {
+ "notebookTreeAriaLabel": "Различие текста в записной книжке"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/find/findController": {
+ "notebookActions.hideFind": "Скрыть поиск в записной книжке",
+ "notebookActions.findInNotebook": "Найти в записной книжке"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/fold/folding": {
+ "fold.cell": "Свернуть ячейку",
+ "unfold.cell": "Развернуть ячейку"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/format/formatting": {
+ "format.title": "Форматирование записной книжки",
+ "label": "Форматирование записной книжки",
+ "formatCell.label": "Отформатировать ячейку"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/status/editorStatus": {
+ "notebookActions.selectKernel": "Выберите ядро записной книжки",
+ "notebook.runCell.selectKernel": "Выберите ядро записной книжки для выполнения этой записной книжки.",
+ "currentActiveKernel": " (сейчас активно)",
+ "notebook.promptKernel.setDefaultTooltip": "Задание в качестве поставщика ядра по умолчанию для \"{0}\".",
+ "chooseActiveKernel": "Выберите ядро для текущей записной книжки",
+ "notebook.selectKernel": "Выберите ядро для текущей записной книжки"
+ },
+ "vs/workbench/contrib/notebook/browser/diff/notebookDiffActions": {
+ "notebook.diff.switchToText": "Открыть редактор текстовых несовпадений",
+ "notebook.diff.cell.revertMetadata": "Отменить изменения метаданных",
+ "notebook.diff.cell.revertOutputs": "Отменить изменения выходных данных",
+ "notebook.diff.cell.revertInput": "Отменить ввод"
+ },
+ "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": "Определяет, будет ли пользовательский редактор открываться автоматически при открытии файла пользователем. Это поведение может быть переопределено пользователем с помощью параметра \"workbench.editorAssociations\".",
+ "contributes.priority.default": "Редактор открывается автоматически, когда пользователь открывает ресурс, если для этого ресурса не зарегистрированы другие пользовательские редакторы по умолчанию.",
+ "contributes.priority.option": "Редактор не открывается автоматически, когда пользователь открывает ресурс, но пользователь может переключиться на редактор с помощью команды \"Повторно открыть с помощью\".",
+ "contributes.notebook.renderer": "Добавляет поставщик отрисовщика выходных данных записной книжки notebook output renderer provider.",
+ "contributes.notebook.renderer.viewType": "Уникальный идентификатор отрисовщика выходных данных записной книжки.",
+ "contributes.notebook.provider.viewType.deprecated": "Переименовать \"viewType\" в \"id\".",
+ "contributes.notebook.renderer.displayName": "Понятное для человека имя отрисовщика выходных данных записной книжки.",
+ "contributes.notebook.selector": "Набор стандартных масок, для которых предназначена эта записная книжка.",
+ "contributes.notebook.renderer.entrypoint": "Загружаемый в веб-представлении файл для отображения расширения."
+ },
+ "vs/workbench/contrib/notebook/browser/notebookKernelAssociation": {
+ "notebook.kernelProviderAssociations": "Определяет поставщик ядра по умолчанию с приоритетом над всеми прочими параметрами таких поставщиков. Требуется использовать идентификатор расширения, представляющего поставщик."
+ },
+ "vs/workbench/contrib/notebook/common/model/notebookTextModel": {
+ "defaultEditLabel": "Изменить"
+ },
+ "vs/workbench/contrib/notebook/common/notebookEditorModel": {
+ "notebook.staleSaveError": "Содержимое файла на диске изменилось. Вы хотите открыть обновленную версию файла или перезаписать файл на диске своими изменениями?",
+ "notebook.staleSaveError.revert": "Восстановить",
+ "notebook.staleSaveError.overwrite.": "Перезаписать"
+ },
+ "vs/workbench/contrib/notebook/browser/notebookEditorWidget": {
+ "notebookTreeAriaLabel": "Записная книжка",
+ "notebook.runCell.selectKernel": "Выберите ядро записной книжки для выполнения этой записной книжки.",
+ "notebook.promptKernel.setDefaultTooltip": "Задание в качестве поставщика ядра по умолчанию для \"{0}\".",
+ "notebook.cellBorderColor": "Цвет границы для ячеек записной книжки.",
+ "notebook.focusedEditorBorder": "Цвет границы редактора в ячейке записной книжки.",
+ "notebookStatusSuccessIcon.foreground": "Цвет значка ошибки для ячеек записной книжки в строке состояния ячейки.",
+ "notebookStatusErrorIcon.foreground": "Цвет значка ошибки для ячеек записной книжки в строке состояния ячейки.",
+ "notebookStatusRunningIcon.foreground": "Цвет значка выполнения для ячеек записной книжки в строке состояния ячейки.",
+ "notebook.outputContainerBackgroundColor": "Цвет фона для контейнера выходных данных записной книжки.",
+ "notebook.cellToolbarSeparator": "Цвет разделителя панели инструментов внизу ячейки",
+ "focusedCellBackground": "Цвет фона ячейки, когда на ячейке находится фокус.",
+ "notebook.cellHoverBackground": "Цвет фона ячейки при наведении курсора мыши на ячейку.",
+ "notebook.selectedCellBorder": "Цвет верхней и нижней границ ячейки, когда ячейка выбрана, но на ней не находится фокус.",
+ "notebook.focusedCellBorder": "Цвет верхней и нижней границ ячейки, когда на ячейке находится фокус.",
+ "notebook.cellStatusBarItemHoverBackground": "Цвет фона элементов строки состояния для ячеек записной книжки.",
+ "notebook.cellInsertionIndicator": "Цвет индикатора вставки в ячейке записной книжки.",
+ "notebookScrollbarSliderBackground": "Цвет фона ползунка на полосе прокрутки записной книжки.",
+ "notebookScrollbarSliderHoverBackground": "Цвет фона ползунка на полосе прокрутки записной книжки при наведении курсора мыши.",
+ "notebookScrollbarSliderActiveBackground": "Цвет фона ползунка на полосе прокрутки записной книжки, если его щелкнуть.",
+ "notebook.symbolHighlightBackground": "Цвет фона выделенной ячейки"
+ },
+ "vs/workbench/contrib/notebook/browser/view/renderers/cellRenderer": {
+ "cellExpandButtonLabel": "Развернуть"
+ },
+ "vs/workbench/contrib/notebook/browser/viewModel/markdownCellViewModel": {
+ "notebook.emptyMarkdownPlaceholder": "Пустая ячейка Markdown. Дважды щелкните или нажмите клавишу ВВОД для изменения."
+ },
+ "vs/workbench/contrib/notebook/browser/view/renderers/cellWidgets": {
+ "notebook.cell.status.language": "Выбор языкового режима ячейки"
+ },
+ "vs/workbench/contrib/notebook/browser/view/renderers/cellOutput": {
+ "mimeTypePicker": "Выберите другой выходной тип MIME; доступные типы MIME: {0}",
+ "curruentActiveMimeType": "Сейчас активно",
+ "promptChooseMimeTypeInSecure.placeHolder": "Выберите тип MIME для отображения текущих выходных данных. Расширенные типы MIME доступны только в том случае, если записная книжка является доверенной.",
+ "promptChooseMimeType.placeHolder": "Выберите тип MIME для отображения текущих выходных данных.",
+ "builtinRenderInfo": "встроенный"
+ },
+ "vs/workbench/contrib/outline/browser/outline.contribution": {
+ "outlineViewIcon": "Значок представления структуры.",
+ "name": "Структура",
+ "outlineConfigurationTitle": "Структура",
+ "outline.showIcons": "Отображать элементы структуры со значками.",
+ "outline.showProblem": "Показать ошибки и предупреждения для элементов структуры.",
+ "outline.problem.colors": "Использовать цвета для ошибок и предупреждений.",
+ "outline.problems.badges": "Использовать значки для ошибок и предупреждений.",
+ "filteredTypes.file": "Когда параметр включен, в структуре отображаются символы \"file\".",
+ "filteredTypes.module": "Когда параметр включен, в структуре отображаются символы \"module\".",
+ "filteredTypes.namespace": "Когда параметр включен, в структуре отображаются символы \"namespace\".",
+ "filteredTypes.package": "Когда параметр включен, в структуре отображаются символы \"package\".",
+ "filteredTypes.class": "Когда параметр включен, в структуре отображаются символы \"class\".",
+ "filteredTypes.method": "Когда параметр включен, в структуре отображаются символы \"method\".",
+ "filteredTypes.property": "Когда параметр включен, в структуре отображаются символы \"property\".",
+ "filteredTypes.field": "Когда параметр включен, в структуре отображаются символы \"field\".",
+ "filteredTypes.constructor": "Когда параметр включен, в структуре отображаются символы \"constructor\".",
+ "filteredTypes.enum": "Когда параметр включен, в структуре отображаются символы \"enum\".",
+ "filteredTypes.interface": "Когда параметр включен, в структуре отображаются символы \"interface\".",
+ "filteredTypes.function": "Когда параметр включен, в структуре отображаются символы \"function\".",
+ "filteredTypes.variable": "Когда параметр включен, в структуре отображаются символы \"variable\".",
+ "filteredTypes.constant": "Когда параметр включен, в структуре отображаются символы \"constant\".",
+ "filteredTypes.string": "Когда параметр включен, в структуре отображаются символы \"string\".",
+ "filteredTypes.number": "Когда параметр включен, в структуре отображаются символы \"number\".",
+ "filteredTypes.boolean": "Когда параметр включен, в структуре отображаются символы \"boolean\".",
+ "filteredTypes.array": "Когда параметр включен, в структуре отображаются символы \"array\".",
+ "filteredTypes.object": "Когда параметр включен, в структуре отображаются символы \"object\".",
+ "filteredTypes.key": "Когда параметр включен, в структуре отображаются символы \"key\".",
+ "filteredTypes.null": "Когда параметр включен, в структуре отображаются символы \"null\".",
+ "filteredTypes.enumMember": "Когда параметр включен, в структуре отображаются символы \"enumMember\".",
+ "filteredTypes.struct": "Когда параметр включен, в структуре отображаются символы \"struct\".",
+ "filteredTypes.event": "Когда параметр включен, в структуре отображаются символы \"event\".",
+ "filteredTypes.operator": "Когда параметр включен, в структуре отображаются символы \"operator\".",
+ "filteredTypes.typeParameter": "Когда параметр включен, в структуре отображаются символы \"typeParameter\"."
+ },
+ "vs/workbench/contrib/outline/browser/outlinePane": {
+ "outline": "Структура",
+ "sortByPosition": "Сортировать по: положение",
+ "sortByName": "Сортировать по: название",
+ "sortByKind": "Сортировка по: Категория",
+ "followCur": "Следовать за курсором",
+ "filterOnType": "Фильтр по типу",
+ "no-editor": "Активный редактор не может предоставить информацию о структуре.",
+ "loading": "Загрузка символов документа для \"{0}\"...",
+ "no-symbols": "Символы в документе '{0}' не обнаружены"
+ },
+ "vs/workbench/contrib/output/browser/output.contribution": {
+ "outputViewIcon": "Значок представления выходных данных.",
+ "output": "Выходные данные",
+ "logViewer": "Средство просмотра журналов",
+ "switchToOutput.label": "Переключиться на выходные данные",
+ "clearOutput.label": "Очистить выходные данные",
+ "outputCleared": "Выходные данные очищены",
+ "toggleAutoScroll": "Переключение автоматической прокрутки",
+ "outputScrollOff": "Выключить автоматическую прокрутку",
+ "outputScrollOn": "Включить автоматическую прокрутку",
+ "openActiveLogOutputFile": "Открыть выходной файл журнала",
+ "toggleOutput": "Переключить выходные данные",
+ "showLogs": "Показать журналы...",
+ "selectlog": "Выберите журнал",
+ "openLogFile": "Открыть лог...",
+ "selectlogFile": "Выберите файл журнала",
+ "miToggleOutput": "&&Выходные данные",
+ "output.smartScroll.enabled": "Включение/отключение возможности интеллектуальной прокрутки в представлении вывода. Интеллектуальная прокрутка позволяет автоматически блокировать прокрутку при щелчке выходного представления и разблокируется при щелчке последней строки."
+ },
+ "vs/workbench/contrib/output/browser/outputView": {
+ "output model title": "{0} - выходные данные",
+ "channel": "Канал выходных данных для '{0}'",
+ "output": "Выходные данные",
+ "outputViewWithInputAriaLabel": "{0}, панель выходных данных",
+ "outputViewAriaLabel": "Панель выходных данных",
+ "outputChannels": "Исходящие каналы.",
+ "logChannel": "Журнал ({0})"
+ },
+ "vs/workbench/contrib/output/browser/logViewer": {
+ "logViewerAriaLabel": "Средство просмотра журналов"
+ },
+ "vs/workbench/contrib/performance/electron-browser/startupProfiler": {
+ "prof.message": "Профили успешно созданы.",
+ "prof.detail": "Создайте запрос и вручную прикрепите следующие файлы:\r\n{0}",
+ "prof.restartAndFileIssue": "&&Создать проблему и выполнить перезапуск",
+ "prof.restart": "&&Перезапустить",
+ "prof.thanks": "Спасибо за помощь.",
+ "prof.detail.restart": "Для продолжения работы с '{0}' необходимо еще раз перезагрузить систему. Благодарим вас за участие.",
+ "prof.restart.button": "&&Перезапустить"
+ },
+ "vs/workbench/contrib/performance/browser/performance.contribution": {
+ "show.label": "Производительность при запуске"
+ },
+ "vs/workbench/contrib/performance/browser/perfviewEditor": {
+ "name": "Производительность при запуске"
+ },
+ "vs/workbench/contrib/preferences/browser/keybindingsEditorContribution": {
+ "defineKeybinding.start": "Определить назначение клавиш",
+ "defineKeybinding.kbLayoutErrorMessage": "Вы не сможете нажать это сочетание клавиш в текущей раскладке клавиатуры.",
+ "defineKeybinding.kbLayoutLocalAndUSMessage": "**{0}** для текущей раскладки клавиатуры (**{1}** для стандартной раскладки клавиатуры \"Английский, США\")",
+ "defineKeybinding.kbLayoutLocalMessage": "**{0}** для текущей раскладки клавиатуры."
+ },
+ "vs/workbench/contrib/preferences/browser/preferences.contribution": {
+ "defaultPreferencesEditor": "Редактор настроек по умолчанию",
+ "settingsEditor2": "Редактор параметров 2",
+ "keybindingsEditor": "Редактор настраиваемых сочетаний клавиш",
+ "openSettings2": "Открыть параметры (пользовательский интерфейс)",
+ "preferences": "Параметры",
+ "settings": "Параметры",
+ "miOpenSettings": "&&Параметры",
+ "openSettingsJson": "Открыть параметры (JSON)",
+ "openGlobalSettings": "Открыть пользовательские параметры",
+ "openRawDefaultSettings": "Открыть параметры по умолчанию (JSON)",
+ "openWorkspaceSettings": "Открыть параметры рабочей области",
+ "openWorkspaceSettingsFile": "Открыть параметры рабочего пространства (JSON)",
+ "openFolderSettings": "Открыть параметры папок",
+ "openFolderSettingsFile": "Открыть параметры папки (JSON)",
+ "filterModifiedLabel": "Показать измененные параметры",
+ "filterOnlineServicesLabel": "Показать параметры для веб-служб",
+ "miOpenOnlineSettings": "&&Параметры веб-служб",
+ "onlineServices": "Параметры веб-служб",
+ "openRemoteSettings": "Открыть удаленные параметры ({0})",
+ "settings.focusSearch": "Фокусировка на поиске в параметрах",
+ "settings.clearResults": "Очистить результаты поиска параметров",
+ "settings.focusFile": "Фокусировка на файле параметров",
+ "settings.focusNextSetting": "Фокусировка на следующем параметре",
+ "settings.focusPreviousSetting": "Фокусировка на предыдущем параметре",
+ "settings.editFocusedSetting": "Редактировать параметр в фокусе",
+ "settings.focusSettingsList": "Фокусировка на списке параметров",
+ "settings.focusSettingsTOC": "Фокусировка на оглавлении в параметрах",
+ "settings.focusSettingControl": "Фокусировка на элементе управления в параметрах",
+ "settings.showContextMenu": "Показать контекстное меню параметров",
+ "settings.focusLevelUp": "Переместить фокус на один уровень вверх",
+ "openGlobalKeybindings": "Открыть сочетания клавиш",
+ "Keyboard Shortcuts": "Сочетания клавиш",
+ "openDefaultKeybindingsFile": "Открыть сочетания клавиш по умолчанию (JSON)",
+ "openGlobalKeybindingsFile": "Открыть сочетания клавиш (JSON)",
+ "showDefaultKeybindings": "Показать сочетания клавиш по умолчанию",
+ "showUserKeybindings": "Показать пользовательские сочетания клавиш",
+ "clear": "Очистить результаты поиска",
+ "miPreferences": "&&Настройки"
+ },
+ "vs/workbench/contrib/preferences/browser/keybindingWidgets": {
+ "defineKeybinding.initial": "Нажмите нужное сочетание клавиш, а затем клавишу ВВОД.",
+ "defineKeybinding.oneExists": "Это сочетание клавиш назначено одной имеющейся команде",
+ "defineKeybinding.existing": "Это сочетание клавиш назначено нескольким имеющимся командам ({0})",
+ "defineKeybinding.chordsTo": "Аккорд для"
+ },
+ "vs/workbench/contrib/preferences/browser/keybindingsEditor": {
+ "recordKeysLabel": "Запись ключей",
+ "recordKeysLabelWithKeybinding": "{0} ({1})",
+ "sortByPrecedeneLabel": "Сортировать по приоритету",
+ "sortByPrecedeneLabelWithKeybinding": "{0} ({1})",
+ "SearchKeybindings.FullTextSearchPlaceholder": "Введите текст для поиска в сочетаниях клавиш",
+ "SearchKeybindings.KeybindingsSearchPlaceholder": "Запись ключей. Нажмите ESC для выхода",
+ "clearInput": "Очистить поле поиска настраиваемых сочетаний клавиш",
+ "recording": "Ключи записи",
+ "command": "Команда",
+ "keybinding": "Настраиваемое сочетание клавиш",
+ "when": "Когда",
+ "source": "Исходная база данных",
+ "show sorted keybindings": "Отображение сочетаний клавиш {0} в порядке приоритета",
+ "show keybindings": "Отображение сочетаний клавиш {0} в алфавитном порядке",
+ "changeLabel": "Изменить настраиваемое сочетание клавиш…",
+ "addLabel": "Добавить настраиваемое сочетание клавиш…",
+ "editWhen": "Изменить выражение When",
+ "removeLabel": "Удаление настраиваемого сочетания клавиш",
+ "resetLabel": "Сбросить настраиваемое сочетание клавиш",
+ "showSameKeybindings": "Показывать одинаковые настраиваемые сочетания клавиш",
+ "copyLabel": "Копирование",
+ "copyCommandLabel": "Копирование идентификатора команды",
+ "error": "При изменении сочетания клавиш произошла ошибка \"{0}\". Откройте файл \"keybindings.json\" и проверьте его на наличие ошибок.",
+ "editKeybindingLabelWithKey": "Изменить настраиваемое сочетание клавиш {0}",
+ "editKeybindingLabel": "Изменить настраиваемое сочетание клавиш",
+ "addKeybindingLabelWithKey": "Добавить настраиваемое сочетание клавиш {0}",
+ "addKeybindingLabel": "Добавить настраиваемое сочетание клавиш",
+ "title": "{0} ({1})",
+ "whenContextInputAriaLabel": "Контекст when для типа. Нажмите клавишу ВВОД для подтверждения или ESCAPE для отмены.",
+ "keybindingsLabel": "Настраиваемые сочетания клавиш",
+ "noKeybinding": "Нет назначенных настраиваемых сочетаний клавиш.",
+ "noWhen": "Нет контекста \"Когда\"."
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesActions": {
+ "configureLanguageBasedSettings": "Настроить параметры языка...",
+ "languageDescriptionConfigured": "({0})",
+ "pickLanguage": "Выбрать язык"
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesEditor": {
+ "SearchSettingsWidget.AriaLabel": "Параметры поиска",
+ "SearchSettingsWidget.Placeholder": "Параметры поиска",
+ "noSettingsFound": "Параметры не найдены",
+ "oneSettingFound": "Найден один параметр",
+ "settingsFound": "Найдено параметров: {0}",
+ "totalSettingsMessage": "Всего параметров: {0}",
+ "nlpResult": "Результаты для естественного языка",
+ "filterResult": "Отфильтрованные результаты",
+ "defaultSettings": "Параметры по умолчанию",
+ "defaultUserSettings": "Параметры пользователя по умолчанию",
+ "defaultWorkspaceSettings": "Параметры рабочей области по умолчанию",
+ "defaultFolderSettings": "Параметры папок по умолчанию",
+ "defaultEditorReadonly": "Редактировать в правой области редактора, чтобы переопределить значения по умолчанию.",
+ "preferencesAriaLabel": "Предпочтения по умолчанию. Редактор только для чтения."
+ },
+ "vs/workbench/contrib/preferences/browser/settingsEditor2": {
+ "SearchSettings.AriaLabel": "Параметры поиска",
+ "clearInput": "Очистить поле поиска параметров",
+ "noResults": "Параметры не найдены",
+ "clearSearchFilters": "Очистить фильтры",
+ "settings": "Параметры",
+ "settingsNoSaveNeeded": "Изменения параметров сохраняются автоматически.",
+ "oneResult": "Найден один параметр",
+ "moreThanOneResult": "Найдено параметров: {0}",
+ "turnOnSyncButton": "Включить синхронизацию параметров",
+ "lastSyncedLabel": "Последняя синхронизация: {0}"
+ },
+ "vs/workbench/contrib/preferences/common/preferencesContribution": {
+ "enableNaturalLanguageSettingsSearch": "Определяет, следует ли включить режим поиска естественного языка для параметров. Поиск на естественном языке обеспечивается веб-службой Майкрософт.",
+ "settingsSearchTocBehavior.hide": "Скрыть содержание при поиске.",
+ "settingsSearchTocBehavior.filter": "Отфильтровать содержание, оставив только категории с соответствующими параметрами. При щелчке по категории будут показаны результаты только для этой категории.",
+ "settingsSearchTocBehavior": "Управляет поведением содержания редактора параметров при поиске."
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesIcons": {
+ "settingsGroupExpandedIcon": "Значок для развернутого раздела в редакторе параметров JSON с разделением.",
+ "settingsGroupCollapsedIcon": "Значок для свернутого раздела в редакторе параметров JSON с разделением.",
+ "settingsScopeDropDownIcon": "Значок для кнопки раскрывающегося списка папок в редакторе параметров JSON с разделением.",
+ "settingsMoreActionIcon": "Значок для действия \"Другие действия\" в пользовательском интерфейсе параметров.",
+ "keybindingsRecordKeysIcon": "Значок для действия \"Записать клавиши\" в пользовательском интерфейсе сочетаний клавиш.",
+ "keybindingsSortIcon": "Значок для переключателя \"Сортировать по приоритету\" в пользовательском интерфейсе сочетаний клавиш.",
+ "keybindingsEditIcon": "Значок для действия изменения в пользовательском интерфейсе сочетаний клавиш.",
+ "keybindingsAddIcon": "Значок для действия добавления в пользовательском интерфейсе сочетаний клавиш.",
+ "settingsEditIcon": "Значок для действия изменения в пользовательском интерфейсе параметров.",
+ "settingsAddIcon": "Значок для действия добавления в пользовательском интерфейсе параметров.",
+ "settingsRemoveIcon": "Значок для действия удаления в пользовательском интерфейсе параметров.",
+ "preferencesDiscardIcon": "Значок для действия отмены в пользовательском интерфейсе параметров.",
+ "preferencesClearInput": "Значок для очистки ввода в пользовательском интерфейсе параметров и сочетаний клавиш.",
+ "preferencesOpenSettings": "Значок для команд открытия параметров."
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesWidgets": {
+ "defaultSettings": "Для переопределения поместите ваши параметры в редактор справа.",
+ "noSettingsFound": "Параметры не найдены.",
+ "settingsSwitcherBarAriaLabel": "Переключатель параметров",
+ "userSettings": "Пользователь",
+ "userSettingsRemote": "Удаленный",
+ "workspaceSettings": "Рабочая область",
+ "folderSettings": "Папка"
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesRenderers": {
+ "emptyUserSettingsHeader": "Укажите параметры здесь, чтобы переопределить параметры по умолчанию.",
+ "emptyWorkspaceSettingsHeader": "Укажите параметры здесь, чтобы переопределить параметры пользователя.",
+ "emptyFolderSettingsHeader": "Укажите параметры папок здесь, чтобы переопределить параметры папок, заданные в параметрах рабочей области.",
+ "editTtile": "Изменить",
+ "replaceDefaultValue": "Заменить в параметрах",
+ "copyDefaultValue": "Копировать в параметры",
+ "unknown configuration setting": "Неизвестный параметр конфигурации",
+ "unsupportedRemoteMachineSetting": "Невозможно применить этот параметр в этом окне. Он будет применен при открытии локального окна.",
+ "unsupportedWindowSetting": "Этот параметр не может быть применен в этой рабочей области. Он будет применяться напрямую при открытии папки, содержащей рабочую область.",
+ "unsupportedApplicationSetting": "Этот параметр может применяться только в параметрах пользователя приложения.",
+ "unsupportedMachineSetting": "Этот параметр может быть применен в параметрах пользователя в локальном окне или в удаленных параметрах в удаленном окне.",
+ "unsupportedProperty": "Не поддерживаемое свойство"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsLayout": {
+ "commonlyUsed": "Часто используемые",
+ "textEditor": "Текстовый редактор",
+ "cursor": "Курсор",
+ "find": "Найти",
+ "font": "Шрифт",
+ "formatting": "Форматирование",
+ "diffEditor": "Редактор несовпадений",
+ "minimap": "Мини-карта",
+ "suggestions": "Предложения",
+ "files": "Файлы",
+ "workbench": "Рабочее место",
+ "appearance": "Вид",
+ "breadcrumbs": "Элементы навигации",
+ "editorManagement": "Управление редактором",
+ "settings": "Редактор параметров",
+ "zenMode": "Режим Zen",
+ "screencastMode": "Режим записи с экрана",
+ "window": "Окно",
+ "newWindow": "Новое окно",
+ "features": "Функции",
+ "fileExplorer": "Проводник",
+ "search": "Поиск",
+ "debug": "Отладка",
+ "scm": "SCM",
+ "extensions": "Расширения",
+ "terminal": "Терминал",
+ "task": "Задача",
+ "problems": "Проблемы",
+ "output": "Вывод",
+ "comments": "Комментарии",
+ "remote": "Удаленный",
+ "timeline": "Временная шкала",
+ "notebook": "Блокнот",
+ "application": "Приложение",
+ "proxy": "Прокси-сервер",
+ "keyboard": "Клавиатура",
+ "update": "Обновить",
+ "telemetry": "Телеметрия",
+ "settingsSync": "Синхронизация параметров"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsTree": {
+ "extensions": "Расширения",
+ "extensionSyncIgnoredLabel": "Синхронизация: игнорируется",
+ "modified": "Изменен",
+ "settingsContextMenuTitle": "Дополнительные действия...",
+ "alsoConfiguredIn": "Также изменен в",
+ "configuredIn": "Изменен в",
+ "newExtensionsButtonLabel": "Показать соответствующие расширения",
+ "editInSettingsJson": "Изменить в settings.json",
+ "settings.Default": "по умолчанию",
+ "resetSettingLabel": "Сбросить параметры",
+ "validationError": "Ошибка проверки.",
+ "settings.Modified": "Изменено.",
+ "settings": "Параметры",
+ "copySettingIdLabel": "Копировать идентификатор параметра",
+ "copySettingAsJSONLabel": "Копировать параметр в формате JSON",
+ "stopSyncingSetting": "Синхронизация этого параметра"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsTreeModels": {
+ "workspace": "Рабочая область",
+ "remote": "Удаленный",
+ "user": "Пользователь"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsWidgets": {
+ "headerForeground": "Цвет переднего плана для заголовка раздела или активного заголовка.",
+ "modifiedItemForeground": "Цвет индикатора измененного параметра.",
+ "settingsDropdownBackground": "Фон выпадающего списка в редакторе параметров.",
+ "settingsDropdownForeground": "Цвет переднего плана раскрывающегося списка в редакторе параметров.",
+ "settingsDropdownBorder": "Граница выпадающего списка в редакторе параметров.",
+ "settingsDropdownListBorder": "Граница выпадающего списка в редакторе параметров. Она окружает параметры и отделяет их от описания.",
+ "settingsCheckboxBackground": "Цвет фона флажка в редакторе параметров.",
+ "settingsCheckboxForeground": "Цвет переднего плана флажка в редакторе параметров.",
+ "settingsCheckboxBorder": "Граница флажка в редакторе параметров.",
+ "textInputBoxBackground": "Фон текстового поля ввода в редакторе параметров.",
+ "textInputBoxForeground": "Цвет переднего плана для поля ввода текста в редакторе параметров.",
+ "textInputBoxBorder": "Граница поля для ввода текста в редакторе параметров.",
+ "numberInputBoxBackground": "Цвет фона для поля ввода числа в редакторе параметров.",
+ "numberInputBoxForeground": "Цвет переднего плана для поля ввода числа в редакторе параметров.",
+ "numberInputBoxBorder": "Граница поля для ввода чисел в редакторе параметров.",
+ "focusedRowBackground": "Цвет фона строки параметров при фокусировке.",
+ "notebook.rowHoverBackground": "Цвет фона строки параметров при наведении.",
+ "notebook.focusedRowBorder": "Цвет верхней и нижней границ строки, когда фокус находится на строке.",
+ "okButton": "ОК",
+ "cancelButton": "Отмена",
+ "listValueHintLabel": "Элемент списка \"{0}\"",
+ "listSiblingHintLabel": "Элемент списка \"{0}\" с элементом того же уровня \"${1}\"",
+ "removeItem": "Удалить элемент",
+ "editItem": "Изменить элемент",
+ "addItem": "Добавить элемент",
+ "itemInputPlaceholder": "Строковый элемент...",
+ "listSiblingInputPlaceholder": "Элемент того же уровня...",
+ "excludePatternHintLabel": "Исключить файлы, соответствующие \"{0}\"",
+ "excludeSiblingHintLabel": "Исключить файлы, соответствующие \"{0}\", только при наличии файла, соответствующего \"{1}\"",
+ "removeExcludeItem": "Удалить исключаемый элемент",
+ "editExcludeItem": "Изменить исключаемый элемент",
+ "addPattern": "Добавить шаблон",
+ "excludePatternInputPlaceholder": "Исключить шаблон...",
+ "excludeSiblingInputPlaceholder": "При наличии шаблона...",
+ "objectKeyInputPlaceholder": "Ключ",
+ "objectValueInputPlaceholder": "Значение",
+ "objectPairHintLabel": "Для свойства \"{0}\" задано значение \"{1}\".",
+ "resetItem": "Сбросить элемент",
+ "objectKeyHeader": "Элемент",
+ "objectValueHeader": "Значение"
+ },
+ "vs/workbench/contrib/preferences/browser/tocTree": {
+ "settingsTOC": "Содержание по параметрам",
+ "groupRowAriaLabel": "{0}, группа"
+ },
+ "vs/workbench/contrib/quickaccess/browser/quickAccess.contribution": {
+ "helpQuickAccessPlaceholder": "Введите \"{0}\" для получения справки по действиям, которые вы можете выполнить здесь.",
+ "helpQuickAccess": "Показать всех поставщиков быстрого доступа",
+ "viewQuickAccessPlaceholder": "Введите имя представления, выходного канала или терминала для открытия.",
+ "viewQuickAccess": "Открыть представление",
+ "commandsQuickAccessPlaceholder": "Введите имя команды для выполнения.",
+ "commandsQuickAccess": "Показать и выполнить команды",
+ "miCommandPalette": "&&Палитра команд...",
+ "miOpenView": "&&Открыть представление...",
+ "miGotoSymbolInEditor": "Перейти к &&символу в редакторе...",
+ "miGotoLine": "Перейти к &&строке/столбцу...",
+ "commandPalette": "Палитра команд..."
+ },
+ "vs/workbench/contrib/quickaccess/browser/viewQuickAccess": {
+ "noViewResults": "Нет соответствующих представлений",
+ "views": "Боковая панель",
+ "panels": "Панель",
+ "terminalTitle": "{0}: {1}",
+ "terminals": "Терминал",
+ "logChannel": "Журнал ({0})",
+ "channels": "Вывод",
+ "openView": "Открыть представление",
+ "quickOpenView": "Быстрое открытие представления"
+ },
+ "vs/workbench/contrib/quickaccess/browser/commandsQuickAccess": {
+ "noCommandResults": "Нет соответствующих команд",
+ "configure keybinding": "Настроить сочетание клавиш",
+ "commandWithCategory": "{0}: {1}",
+ "showTriggerActions": "Показать все команды",
+ "clearCommandHistory": "Очистить журнал команд"
+ },
+ "vs/workbench/contrib/relauncher/browser/relauncher.contribution": {
+ "relaunchSettingMessage": "После изменения параметра необходима выполнить перезагрузку, чтобы изменения вступили в силу.",
+ "relaunchSettingMessageWeb": "Изменен параметр, для вступления в силу которого требуется перезагрузка.",
+ "relaunchSettingDetail": "Нажмите кнопку \"Перезагрузить\", чтобы перезагрузить {0} и включить параметр.",
+ "relaunchSettingDetailWeb": "Нажмите кнопку \"Перезагрузить\", чтобы перезагрузить {0} и включить параметр.",
+ "restart": "&&Перезапустить",
+ "restartWeb": "&&Перезагрузить"
+ },
+ "vs/workbench/contrib/remote/electron-sandbox/remote.contribution": {
+ "remote": "Удаленный",
+ "remote.downloadExtensionsLocally": "Когда включенные расширения загружаются локально и устанавливаются удаленно."
+ },
+ "vs/workbench/contrib/remote/common/remote.contribution": {
+ "remoteExtensionLog": "Удаленный сервер",
+ "ui": "Тип расширения пользовательского интерфейса. В удаленном окне такие расширения включены, только если они доступны на локальном компьютере.",
+ "workspace": "Тип расширения рабочей области. В удаленном окне такие расширения включены, только если они доступны в удаленном репозитории.",
+ "web": "Расширение типа рабочего веб-процесса, которое может выполняться в хост-процессе для таких расширений",
+ "remote": "Удаленный",
+ "remote.extensionKind": "Переопределите тип расширения. Расширения пользовательского интерфейса устанавливаются и выполняются на локальном компьютере, а расширения рабочей области выполняются на удаленном компьютере. Перезаписывая стандартный тип расширения с помощью этого параметра, вы указываете, что расширение следует установить и включить локально либо удаленно.",
+ "remote.restoreForwardedPorts": "Восстанавливает порты, переадресованные в рабочей области.",
+ "remote.autoForwardPorts": "Если этот параметр установлен, будут обнаружены новые запущенные процессы, и порты, которые они прослушивают, будут автоматически перенаправлены."
+ },
+ "vs/workbench/contrib/remote/browser/remote": {
+ "RemoteHelpInformationExtPoint": "Предоставляет справочную информацию для удаленного объекта",
+ "RemoteHelpInformationExtPoint.getStarted": "URL-адрес страницы проекта \"Приступая к работе\" или команда, которая возвращает этот URL-адрес",
+ "RemoteHelpInformationExtPoint.documentation": "URL-адрес страницы документации проекта или команда, которая возвращает этот URL-адрес",
+ "RemoteHelpInformationExtPoint.feedback": "URL-адрес страницы проекта для отправки отзыва или команда, которая возвращает этот URL-адрес",
+ "RemoteHelpInformationExtPoint.issues": "URL-адрес страницы со списком задач проекта или команда, которая возвращает этот URL-адрес",
+ "getStartedIcon": "Значок начала работы в представлении удаленного обозревателя.",
+ "documentationIcon": "Значок документации в представлении удаленного обозревателя.",
+ "feedbackIcon": "Значок обратной связи в представлении удаленного обозревателя.",
+ "reviewIssuesIcon": "Значок для проверки сведений о проблеме в представлении удаленного обозревателя.",
+ "reportIssuesIcon": "Значок для отправки сообщения о проблеме в представлении удаленного обозревателя.",
+ "remoteExplorerViewIcon": "Значок представления удаленного обозревателя.",
+ "remote.help.getStarted": "Начать работу",
+ "remote.help.documentation": "Просмотреть документацию",
+ "remote.help.feedback": "Отправить отзыв",
+ "remote.help.issues": "Просмотр проблем",
+ "remote.help.report": "Сообщить об ошибке",
+ "pickRemoteExtension": "Выберите URL-адрес, который необходимо открыть",
+ "remote.help": "Помощь и обратная связь",
+ "remotehelp": "Удаленная справка",
+ "remote.explorer": "Удаленный обозреватель",
+ "toggleRemoteViewlet": "Показать удаленный обозреватель",
+ "reconnectionWaitOne": "Попытка повторного подключения через {0} с...",
+ "reconnectionWaitMany": "Попытка повторного подключения через {0} с...",
+ "reconnectNow": "Установить подключение повторно",
+ "reloadWindow": "Перезагрузить окно",
+ "connectionLost": "Соединение потеряно",
+ "reconnectionRunning": "Попытка повторного подключения...",
+ "reconnectionPermanentFailure": "Не удается подключиться повторно. Перезагрузите окно.",
+ "cancel": "Отмена"
+ },
+ "vs/workbench/contrib/remote/browser/remoteExplorer": {
+ "ports": "Порты",
+ "1forwardedPort": "1 перенаправленный порт",
+ "nForwardedPorts": "Перенаправленные порты: {0}",
+ "status.forwardedPorts": "Переадресованные порты",
+ "remote.forwardedPorts.statusbarTextNone": "Перенаправляемые порты отсутствуют",
+ "remote.forwardedPorts.statusbarTooltip": "Перенаправляемые порты: {0}",
+ "remote.tunnelsView.automaticForward": "Служба, которая выполняется на порту {0}, доступна. [Просмотреть все перенаправляемые порты](command:{1}.focus)"
+ },
+ "vs/workbench/contrib/remote/browser/explorerViewItems": {
+ "remotes": "Переключение удаленного репозитория",
+ "remote.explorer.switch": "Переключение удаленного репозитория"
+ },
+ "vs/workbench/contrib/remote/browser/remoteIndicator": {
+ "remote.category": "Удаленный",
+ "remote.showMenu": "Показать удаленное меню",
+ "remote.close": "Закрыть удаленное подключение",
+ "miCloseRemote": "Закрыть уда&&ленное подключение",
+ "host.open": "Открытие удаленного репозитория...",
+ "disconnectedFrom": "Отключено от {0}",
+ "host.tooltipDisconnected": "Отключен от {0}",
+ "host.tooltip": "Редактирование в {0}",
+ "noHost.tooltip": "Открыть удаленное окно",
+ "remoteHost": "Удаленный узел",
+ "cat.title": "{0}: {1}",
+ "closeRemote.title": "Закрыть удаленное подключение"
+ },
+ "vs/workbench/contrib/remote/browser/tunnelView": {
+ "remote.tunnelsView.add": "Перенаправить порт...",
+ "remote.tunnelsView.detected": "Существующие туннели",
+ "remote.tunnelsView.candidates": "Не переадресовано",
+ "remote.tunnelsView.input": "Нажмите Enter для подтверждения или Esc для отмены.",
+ "remote.tunnelsView.forwardedPortLabel0": "{0}",
+ "remote.tunnelsView.forwardedPortLabel1": "{0} → {1}",
+ "remote.tunnelsView.forwardedPortLabel2": "{0}",
+ "remote.tunnelsView.forwardedPortDescription0": "{0} → {1}",
+ "remote.tunnel": "Порты",
+ "remote.tunnel.ariaLabelForwarded": "Удаленный порт {0}:{1} переадресован на локальный адрес {2}",
+ "remote.tunnel.ariaLabelCandidate": "Удаленный порт {0}:{1} не переадресован",
+ "tunnelView": "Туннельное представление",
+ "remote.tunnel.label": "Установить метку",
+ "remote.tunnelsView.labelPlaceholder": "Метка порта",
+ "remote.tunnelsView.portNumberValid": "Переадресованный порт недействителен.",
+ "remote.tunnelsView.portNumberToHigh": "Номер порта должен быть ≥ 0 и < {0}.",
+ "remote.tunnel.forward": "Перенаправить порт",
+ "remote.tunnel.forwardItem": "Перенаправить порт",
+ "remote.tunnel.forwardPrompt": "Номер порта или адрес (например, 3000 или 10.10.10.10:2000).",
+ "remote.tunnel.forwardError": "Не удается переадресовать {0}:{1}. Возможно, узел недоступен, либо этот удаленный порт уже переадресован",
+ "remote.tunnel.closeNoPorts": "Сейчас порты не перенаправляются. Попробуйте выполнить команду {0}",
+ "remote.tunnel.close": "Остановить перенаправление порта",
+ "remote.tunnel.closePlaceholder": "Выберите порт, чтобы остановить переадресацию",
+ "remote.tunnel.open": "открыть в браузере",
+ "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": "Локальный порт {0} недоступен. Вместо него использовался номер порта {1}",
+ "remote.tunnelsView.changePort": "Новый локальный порт"
+ },
+ "vs/workbench/contrib/sash/browser/sash.contribution": {
+ "sashSize": "Управляет размером области отзыва в пикселях для области перетаскивания между представлениями или редакторами. Если вам сложно изменить размеры представлений с помощью мыши, задайте большее значение."
+ },
+ "vs/workbench/contrib/scm/browser/scm.contribution": {
+ "sourceControlViewIcon": "Значок представления системы управления версиями.",
+ "source control": "Система управления версиями",
+ "no open repo": "Поставщики систем управления версиями не зарегистрированы.",
+ "source control repositories": "Репозитории системы управления версиями",
+ "toggleSCMViewlet": "Показать SCM",
+ "scmConfigurationTitle": "SCM",
+ "scm.diffDecorations.all": "Отображать декораторы различий во всех доступных расположениях.",
+ "scm.diffDecorations.gutter": "Отображать декораторы для различий только во внутренней области редактора.",
+ "scm.diffDecorations.overviewRuler": "Отображать декораторы для различий только на линейке окна просмотра.",
+ "scm.diffDecorations.minimap": "Отображать декораторы различий только на миникарте.",
+ "scm.diffDecorations.none": "Не отображать декораторы различий.",
+ "diffDecorations": "Управляет декораторами diff в редакторе.",
+ "diffGutterWidth": "Определяет ширину (в пикселях) оформления несовпадений во внутреннем поле (добавленные и измененные).",
+ "scm.diffDecorationsGutterVisibility.always": "Отображение декоратора несовпадений во внутренней области во всех случаях.",
+ "scm.diffDecorationsGutterVisibility.hover": "Отображение декоратора несовпадений во внутренней области только при наведении указателя.",
+ "scm.diffDecorationsGutterVisibility": "Управляет видимостью декоратора несовпадений для системы управления версиями во внутренней области.",
+ "scm.diffDecorationsGutterAction.diff": "Отображение встроенного разностного представления быстрого редактирования при щелчке.",
+ "scm.diffDecorationsGutterAction.none": "Не выполнять никаких действий.",
+ "scm.diffDecorationsGutterAction": "Управляет поведением элементов оформления внутренней области сравнения системы управления версиями.",
+ "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": "Управляет режимом просмотра для репозитория системы управления версиями по умолчанию.",
+ "autoReveal": "Управляет тем, должны ли файлы автоматически отображаться и выбираться в представлении диспетчера служб при их открытии.",
+ "inputFontFamily": "Определяет шрифт входного сообщения. Укажите значение default, чтобы использовать семейство шрифтов пользовательского интерфейса рабочей области, editor, чтобы использовать значение параметра #editor.fontFamily#, или укажите пользовательское семейство шрифтов.",
+ "alwaysShowRepository": "Определяет, должны ли репозитории всегда отображаться в представлении SCM.",
+ "providersVisible": "Определяет число репозиториев, отображаемых в разделе \"Репозитории системы управления версиями\". Задайте значение \"0\", чтобы размеры представления можно было изменить вручную.",
+ "miViewSCM": "Д&&испетчер служб",
+ "scm accept": "SCM: Принять входные данные",
+ "scm view next commit": "Система управления версиями: просмотр следующей фиксации",
+ "scm view previous commit": "Система управления версиями: просмотр предыдущей фиксации",
+ "open in terminal": "Открыть в терминале"
+ },
+ "vs/workbench/contrib/scm/browser/activity": {
+ "status.scm": "Система управления версиями",
+ "scmPendingChangesBadge": "Ожидающие изменения: {0}"
+ },
+ "vs/workbench/contrib/scm/browser/dirtydiffDecorator": {
+ "changes": "{0} из {1} изменений",
+ "change": "{0} из {1} изменения",
+ "show previous change": "Показать предыдущее изменение",
+ "show next change": "Показать следующее изменение",
+ "miGotoNextChange": "Следующее &&изменение",
+ "miGotoPreviousChange": "Предыдущее &&изменение",
+ "move to previous change": "Перейти к предыдущему изменению",
+ "move to next change": "Перейти к следующему изменению",
+ "editorGutterModifiedBackground": "Цвет фона полей редактора для измененных строк.",
+ "editorGutterAddedBackground": "Цвет фона полей редактора для добавленных строк.",
+ "editorGutterDeletedBackground": "Цвет фона полей редактора для удаленных строк.",
+ "minimapGutterModifiedBackground": "Цвет фона внутренней области миникарты для измененных строк.",
+ "minimapGutterAddedBackground": "Цвет фона внутренней области миникарты для добавляемых строк.",
+ "minimapGutterDeletedBackground": "Цвет фона внутренней области миникарты для удаленных линий.",
+ "overviewRulerModifiedForeground": "Цвет метки линейки в окне просмотра для измененного содержимого.",
+ "overviewRulerAddedForeground": "Цвет метки линейки в окне просмотра для добавленного содержимого. ",
+ "overviewRulerDeletedForeground": "Цвет метки линейки в окне просмотра для удаленного содержимого. "
+ },
+ "vs/workbench/contrib/scm/browser/scmViewPaneContainer": {
+ "source control": "Система управления версиями"
+ },
+ "vs/workbench/contrib/scm/browser/scmRepositoriesViewPane": {
+ "scm": "Репозитории системы управления версиями"
+ },
+ "vs/workbench/contrib/scm/browser/scmViewPane": {
+ "scm": "Управление системой управления версиями",
+ "input": "Входные данные системы управления версиями",
+ "repositories": "Репозитории",
+ "sortAction": "Просмотр и сортировка",
+ "toggleViewMode": "Переключить режим просмотра",
+ "viewModeList": "Просмотреть в виде списка",
+ "viewModeTree": "Просмотреть в виде дерева",
+ "sortByName": "Сортировать по имени",
+ "sortByPath": "Сортировать по пути",
+ "sortByStatus": "Сортировать по состоянию",
+ "expand all": "Развернуть все репозитории",
+ "collapse all": "Свернуть все репозитории",
+ "scm.providerBorder": "Граница разделителя поставщика SCM."
+ },
+ "vs/workbench/contrib/search/browser/search.contribution": {
+ "search": "Поиск",
+ "copyMatchLabel": "Копирование",
+ "copyPathLabel": "Скопировать путь",
+ "copyAllLabel": "Копировать все",
+ "revealInSideBar": "Показать в боковой панели",
+ "clearSearchHistoryLabel": "Очистить историю поиска",
+ "focusSearchListCommandLabel": "Список фокуса",
+ "findInFolder": "Найти в папке...",
+ "findInWorkspace": "Найти в рабочей области...",
+ "showTriggerActions": "Перейти к символу в рабочей области...",
+ "name": "Поиск",
+ "findInFiles.description": "Открыть вьюлет поиска",
+ "findInFiles.args": "Набор параметров для вьюлета поиска",
+ "findInFiles": "Найти в файлах",
+ "miFindInFiles": "Найти &&в файлах",
+ "miReplaceInFiles": "Заменить &&в файлах",
+ "anythingQuickAccessPlaceholder": "Поиск файлов по имени (добавьте {0}, чтобы перейти к строке, или {1}, чтобы перейти к символу)",
+ "anythingQuickAccess": "Перейти к файлу",
+ "symbolsQuickAccessPlaceholder": "Введите имя символа для открытия.",
+ "symbolsQuickAccess": "Перейти к символу в рабочей области",
+ "searchConfigurationTitle": "Поиск",
+ "exclude": "Настройка стандартных масок для исключения файлов и папок при полнотекстовом поиске и быстром открытии. Наследует все стандартные маски от параметра \"#files.exclude#\". Дополнительные сведения о стандартных масках см. [здесь](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options).",
+ "exclude.boolean": "Стандартная маска, соответствующая путям к файлам. Задайте значение true или false, чтобы включить или отключить маску.",
+ "exclude.when": "Дополнительная проверка элементов того же уровня соответствующего файла. Используйте $(basename) в качестве переменной для соответствующего имени файла.",
+ "useRipgrep": "Этот параметр является устаревшим. Сейчас вместо него используется \"search.usePCRE2\".",
+ "useRipgrepDeprecated": "Этот параметр является устаревшим. Используйте \"search.usePCRE2\" для расширенной поддержки регулярных выражений.",
+ "search.maintainFileSearchCache": "Когда параметр включен, процесс searchService будет поддерживаться в активном состоянии вместо завершения работы после часа бездействия. При этом кэш поиска файлов будет сохранен в памяти.",
+ "useIgnoreFiles": "Определяет, следует ли использовать GITIGNORE- и IGNORE-файлы по умолчанию при поиске файлов.",
+ "useGlobalIgnoreFiles": "Определяет, следует ли использовать глобальные файлы \".gitignore\" и \".ignore\" по умолчанию при поиске файлов.",
+ "search.quickOpen.includeSymbols": "Определяет, следует ли включать результаты поиска глобальных символов в результаты для файлов Quick Open. ",
+ "search.quickOpen.includeHistory": "Определяет, следует ли включать результаты из недавно открытых файлов в файл результата для Quick Open. ",
+ "filterSortOrder.default": "Записи журнала сортируются по релевантности на основе используемого значения фильтра. Более релевантные записи отображаются первыми.",
+ "filterSortOrder.recency": "Записи журнала сортируются по времени открытия. Недавно открытые записи отображаются первыми.",
+ "filterSortOrder": "Управляет порядком сортировки журнала редактора для быстрого открытия при фильтрации.",
+ "search.followSymlinks": "Определяет, нужно ли следовать символическим ссылкам при поиске.",
+ "search.smartCase": "Поиск без учета регистра, если шаблон состоит только из букв нижнего регистра; в противном случае поиск с учетом регистра.",
+ "search.globalFindClipboard": "Определяет, должно ли представление поиска считывать или изменять общий буфер обмена поиска в macOS.",
+ "search.location": "Управляет тем, будет ли панель поиска отображаться в виде представления в боковой колонке или в виде панели в области панели, чтобы освободить пространство по горизонтали.",
+ "search.location.deprecationMessage": "Этот параметр не рекомендуется к использованию. Перетащите значок поиска вместо того, чтобы пользоваться этим параметром.",
+ "search.collapseResults.auto": "Развернуты файлы менее чем с 10 результатами. Остальные свернуты.",
+ "search.collapseAllResults": "Определяет, должны ли сворачиваться и разворачиваться результаты поиска.",
+ "search.useReplacePreview": "Управляет тем, следует ли открывать окно предварительного просмотра замены при выборе или при замене соответствия.",
+ "search.showLineNumbers": "Определяет, следует ли отображать номера строк для результатов поиска.",
+ "search.usePCRE2": "Следует ли использовать модуль обработки регулярных выражений PCRE2 при поиске текста. При использовании этого модуля будут доступны некоторые расширенные возможности регулярных выражений, такие как поиск в прямом направлении и обратные ссылки. Однако поддерживаются не все возможности PCRE2, а только те, которые также поддерживаются JavaScript.",
+ "usePCRE2Deprecated": "Устарело. При использовании функций регулярных выражений, которые поддерживаются только PCRE2, будет автоматически использоваться PCRE2.",
+ "search.actionsPositionAuto": "Разместить панель действий справа, когда область поиска узкая, и сразу же после содержимого, когда область поиска широкая.",
+ "search.actionsPositionRight": "Всегда размещать панель действий справа.",
+ "search.actionsPosition": "Управляет положением панели действий в строках в области поиска.",
+ "search.searchOnType": "Поиск во всех файлах при вводе текста.",
+ "search.seedWithNearestWord": "Включение заполнения поискового запроса из ближайшего к курсору слова, когда активный редактор не имеет выделения.",
+ "search.seedOnFocus": "Изменить запрос поиска рабочей области на выбранный текст редактора при фокусировке на представлении поиска. Это происходит при щелчке мыши или при активации команды workbench.views.search.focus.",
+ "search.searchOnTypeDebouncePeriod": "Если параметр \"#search.searchOnType#\" включен, задает время ожидания в миллисекундах между началом ввода символа и началом поиска. Если параметр \"search.searchOnType\" отключен, не имеет никакого эффекта.",
+ "search.searchEditor.doubleClickBehaviour.selectWord": "Двойной щелчок выбирает слово под курсором.",
+ "search.searchEditor.doubleClickBehaviour.goToLocation": "Двойной щелчок открывает результат в активной группе редакторов.",
+ "search.searchEditor.doubleClickBehaviour.openLocationToSide": "Двойной щелчок открывает результат в группе редактора сбоку, создавая его, если он еще не существует.",
+ "search.searchEditor.doubleClickBehaviour": "Настройка эффекта двойного щелчка результата в редакторе поиска.",
+ "search.searchEditor.reusePriorSearchConfiguration": "Если этот параметр установлен, в новых редакторах поиска будут повторно использоваться параметры include, exclude и flag предыдущего открытого редактора поиска.",
+ "search.searchEditor.defaultNumberOfContextLines": "Число окружающих строк контекста по умолчанию при создании редакторов поиска. Если используется \"#search.searchEditor.reusePriorSearchConfiguration#, для этого параметра можно задать значение \"null\" (пустой), чтобы использовать конфигурацию предыдущего редактора поиска.",
+ "searchSortOrder.default": "Результаты сортируются по имена папок и файлов в алфавитном порядке.",
+ "searchSortOrder.filesOnly": "Результаты сортируются по именам файлов, игнорируя порядок папок, в алфавитном порядке.",
+ "searchSortOrder.type": "Результаты сортируются по расширениям файлов в алфавитном порядке.",
+ "searchSortOrder.modified": "Результаты сортируются по дате последнего изменения файла в порядке убывания.",
+ "searchSortOrder.countDescending": "Результаты сортируются по количеству на файл в порядке убывания.",
+ "searchSortOrder.countAscending": "Результаты сортируются по количеству на файл в порядке возрастания.",
+ "search.sortOrder": "Определяет порядок сортировки для результатов поиска.",
+ "miViewSearch": "&&Поиск",
+ "miGotoSymbolInWorkspace": "Перейти к символу в &&рабочей области..."
+ },
+ "vs/workbench/contrib/search/browser/searchView": {
+ "searchCanceled": "Поиск был отменен до того, как были найдены какие-либо результаты — ",
+ "moreSearch": "Переключить сведения о поиске",
+ "searchScope.includes": "включаемые файлы",
+ "label.includes": "Шаблоны включения в поиск",
+ "searchScope.excludes": "исключаемые файлы",
+ "label.excludes": "Шаблоны исключения из поиска",
+ "replaceAll.confirmation.title": "Заменить все",
+ "replaceAll.confirm.button": "&&Заменить",
+ "replaceAll.occurrence.file.message": "Вхождение {0} заменено в {1} файле на \"{2}\".",
+ "removeAll.occurrence.file.message": "Заменено вхождений во всем файле {1}: {0}.",
+ "replaceAll.occurrence.files.message": "Вхождение {0} заменено на \"{2}\" в следующем числе файлов: {1}.",
+ "removeAll.occurrence.files.message": "Вхождение {0} заменено в следующем числе файлов: {1}.",
+ "replaceAll.occurrences.file.message": "Вхождения ({0}) заменены в {1} файле на \"{2}\".",
+ "removeAll.occurrences.file.message": "Заменено вхождений в файле {1}: {0}.",
+ "replaceAll.occurrences.files.message": "Вхождения ({0}) заменены на \"{2}\" в следующем числе файлов: {1}.",
+ "removeAll.occurrences.files.message": "Вхождения ({0}) заменены в следующем числе файлов: {1}.",
+ "removeAll.occurrence.file.confirmation.message": "Заменить вхождение {0} в {1} файле на \"{2}\"?",
+ "replaceAll.occurrence.file.confirmation.message": "Заменить вхождение {0} во всем файле {1}?",
+ "removeAll.occurrence.files.confirmation.message": "Заменить вхождение {0} на \"{2}\" в следующем числе файлов: {1}?",
+ "replaceAll.occurrence.files.confirmation.message": "Заменить вхождение {0} в следующем числе файлов: {1}?",
+ "removeAll.occurrences.file.confirmation.message": "Заменить вхождения ({0}) в {1} файле на \"{2}\"?",
+ "replaceAll.occurrences.file.confirmation.message": "Заменить вхождения ({0}) во всем файле {1}?",
+ "removeAll.occurrences.files.confirmation.message": "Заменить вхождения ({0}) на \"{2}\" в следующем числе файлов: {1}?",
+ "replaceAll.occurrences.files.confirmation.message": "Заменить вхождения ({0}) в следующем числе файлов: {1}?",
+ "emptySearch": "Пустой поиск",
+ "ariaSearchResultsClearStatus": "Результаты поиска были очищены",
+ "searchPathNotFoundError": "Путь поиска не найден: {0}",
+ "searchMaxResultsWarning": "Результирующий набор включает только подмножество всех соответствий. Чтобы уменьшить число результатов, сузьте условия поиска.",
+ "noResultsIncludesExcludes": "Не найдено результатов в \"{0}\", исключая \"{1}\", — ",
+ "noResultsIncludes": "Результаты в \"{0}\" не найдены — ",
+ "noResultsExcludes": "Результаты не найдены за исключением \"{0}\" — ",
+ "noResultsFound": "Результаты не найдены. Просмотрите параметры для настроенных исключений и проверьте свои GITIGNORE-файлы —",
+ "rerunSearch.message": "Выполнить поиск еще раз",
+ "rerunSearchInAll.message": "Выполните поиск во всех файлах",
+ "openSettings.message": "Открыть параметры",
+ "openSettings.learnMore": "Дополнительные сведения",
+ "ariaSearchResultsStatus": "Поиск вернул результатов: {0} в файлах: {1}",
+ "forTerm": " — поиск: {0}",
+ "useIgnoresAndExcludesDisabled": "- использование параметров исключение и игнорирование файлов отключены",
+ "openInEditor.message": "Открыть в редакторе",
+ "openInEditor.tooltip": "Копировать текущие результаты поиска в редактор",
+ "search.file.result": "{0} результат в {1} файле",
+ "search.files.result": "{0} результат в следующем числе файлов: {1}",
+ "search.file.results": "Результатов: {0} в {1} файле",
+ "search.files.results": "Результатов: {0} в следующем числе файлов: {1}",
+ "searchWithoutFolder": "Вы не открыли и не указали папку. Сейчас поиск выполняется только по открытым файлам —",
+ "openFolder": "Открыть папку"
+ },
+ "vs/workbench/contrib/search/browser/searchActions": {
+ "showSearch": "Показать средство поиска",
+ "replaceInFiles": "Заменить в файлах",
+ "toggleTabs": "Включить или отключить поиск по типу",
+ "RefreshAction.label": "Обновить",
+ "CollapseDeepestExpandedLevelAction.label": "Свернуть все",
+ "ExpandAllAction.label": "Развернуть все",
+ "ToggleCollapseAndExpandAction.label": "Переключить свертывание и развертывание",
+ "ClearSearchResultsAction.label": "Очистить результаты поиска",
+ "CancelSearchAction.label": "Отменить поиск",
+ "FocusNextSearchResult.label": "Перейти к следующему результату поиска.",
+ "FocusPreviousSearchResult.label": "Перейти к предыдущему результату поиска.",
+ "RemoveAction.label": "Отклонить",
+ "file.replaceAll.label": "Заменить все",
+ "match.replace.label": "Заменить"
+ },
+ "vs/workbench/contrib/search/browser/symbolsQuickAccess": {
+ "noSymbolResults": "Нет соответствующих символов рабочей области",
+ "openToSide": "Открыть сбоку",
+ "openToBottom": "Открыть внизу"
+ },
+ "vs/workbench/contrib/search/browser/anythingQuickAccess": {
+ "noAnythingResults": "Соответствующие результаты не найдены.",
+ "recentlyOpenedSeparator": "недавно открывавшиеся",
+ "fileAndSymbolResultsSeparator": "результаты файлов и символов",
+ "fileResultsSeparator": "файлы по запросу",
+ "filePickAriaLabelDirty": "{0}, \"грязный\"",
+ "openToSide": "Открыть сбоку",
+ "openToBottom": "Открыть внизу",
+ "closeEditor": "Удалить из последних открытых"
+ },
+ "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/searchIcons": {
+ "searchDetailsIcon": "Значок для отображения сведений о поиске.",
+ "searchShowContextIcon": "Значок для переключения контекста в редакторе поиска.",
+ "searchHideReplaceIcon": "Значок для свертывания раздела замены в представлении поиска.",
+ "searchShowReplaceIcon": "Значок для развертывания раздела замены в представлении поиска.",
+ "searchReplaceAllIcon": "Значок для замены всех вхождений в представлении поиска.",
+ "searchReplaceIcon": "Значок для замены в представлении поиска.",
+ "searchRemoveIcon": "Значок для удаления результата поиска.",
+ "searchRefreshIcon": "Значок для обновления в представлении поиска.",
+ "searchCollapseAllIcon": "Значок для свертывания результатов в представлении поиска.",
+ "searchExpandAllIcon": "Значок для развертывания результатов в представлении поиска.",
+ "searchClearIcon": "Значок для очистки результатов в представлении поиска.",
+ "searchStopIcon": "Значок для остановки в представлении поиска.",
+ "searchViewIcon": "Значок представления поиска.",
+ "searchNewEditorIcon": "Значок для действия, открывающего новый редактор поиска."
+ },
+ "vs/workbench/contrib/search/browser/patternInputWidget": {
+ "defaultLabel": "Ввод",
+ "useExcludesAndIgnoreFilesDescription": "Использовать параметры исключения и игнорировать файлы"
+ },
+ "vs/workbench/contrib/search/browser/searchResultsView": {
+ "searchFolderMatch.other.label": "Другие файлы",
+ "searchFileMatches": "Найдено файлов: {0}",
+ "searchFileMatch": "Найден {0} файл",
+ "searchMatches": "Найдено соответствий: {0}",
+ "searchMatch": "Найдено соответствие: {0}",
+ "lineNumStr": "Со строки {0}",
+ "numLinesStr": "Дополнительные строки: {0}",
+ "search": "Поиск",
+ "folderMatchAriaLabel": "Совпадений в корневой папке {1}: {0}, результат поиска",
+ "otherFilesAriaLabel": "Совпадений вне корневой папки: {0}, результат поиска",
+ "fileMatchAriaLabel": "Совпадений в файле {1} папки {2}: {0}, результат поиска",
+ "replacePreviewResultAria": "Заменить термин {0} на {1} в столбце {2} и строке {3}",
+ "searchResultAria": "Обнаружен термин {0} в столбце {1} и строке {2}"
+ },
+ "vs/workbench/contrib/search/common/queryBuilder": {
+ "search.noWorkspaceWithName": "В рабочей области отсутствуют папки с указанным именем: {0}"
+ },
+ "vs/workbench/contrib/search/browser/replaceService": {
+ "fileReplaceChanges": "{0} ↔ {1} (заменить предварительную версию)"
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditor.contribution": {
+ "searchEditor": "Редактор поиска",
+ "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": "Выбрать все совпадения"
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditorActions": {
+ "search.openNewEditor": "Открыть новый редактор поиска"
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditor": {
+ "moreSearch": "Переключить сведения о поиске",
+ "searchScope.includes": "включаемые файлы",
+ "label.includes": "Шаблоны включения в поиск",
+ "searchScope.excludes": "исключаемые файлы",
+ "label.excludes": "Шаблоны исключения из поиска",
+ "runSearch": "Выполнить поиск",
+ "searchResultItem": "Совпало {0} на {1} в файле {2}",
+ "searchEditor": "Поиск",
+ "textInputBoxBorder": "Граница для поля ввода текста в редакторе Поиска."
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditorInput": {
+ "searchTitle.withQuery": "Поиск: {0}",
+ "searchTitle": "Поиск"
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditorSerialization": {
+ "invalidQueryStringError": "Все символы обратной косой черты в строке запроса должны быть экранированы (\\\\)",
+ "numFiles": "Файлы {0}",
+ "oneFile": "1 файл",
+ "numResults": "Результаты: {0}",
+ "oneResult": "1 результат",
+ "noResults": "Результаты отсутствуют",
+ "searchMaxResultsWarning": "Результирующий набор включает только подмножество всех соответствий. Чтобы уменьшить число результатов, сузьте условия поиска."
+ },
+ "vs/workbench/contrib/snippets/browser/snippets.contribution": {
+ "snippetSchema.json.prefix": "Префикс, используемый при выборе фрагмента в IntelliSense",
+ "snippetSchema.json.body": "Содержимое фрагмента. Используйте \"$1\", \"${1:defaultText}\", чтобы определить позиции курсора, и \"$0\" для конечной позиции курсора. Вставьте значения переменных с помощью \"${varName}\" и \"${varName:defaultText}\", например 'This is file: $TM_FILENAME'.",
+ "snippetSchema.json.description": "Описание фрагмента.",
+ "snippetSchema.json.default": "Пустой фрагмент",
+ "snippetSchema.json": "Настройка фрагмента пользователя",
+ "snippetSchema.json.scope": "Список имен языков, к которым относится этот фрагмент, например, \"typescript,javascript\"."
+ },
+ "vs/workbench/contrib/snippets/browser/insertSnippet": {
+ "snippet.suggestions.label": "Вставить фрагмент",
+ "sep.userSnippet": "Пользовательские фрагменты кода",
+ "sep.extSnippet": "Фрагменты кода расширения",
+ "sep.workspaceSnippet": "Фрагменты кода рабочей области",
+ "disableSnippet": "Скрыть от IntelliSense",
+ "isDisabled": "(скрыто от IntelliSense)",
+ "enable.snippet": "Показать в IntelliSense",
+ "pick.placeholder": "Выберите фрагмент кода"
+ },
+ "vs/workbench/contrib/snippets/browser/snippetsService": {
+ "invalid.path.0": "В contributes.{0}.path требуется строка. Указанное значение: {1}",
+ "invalid.language.0": "Если язык не указан, то в качестве значения параметра \"contributes.{0}.path\" необходимо указать файл \".code-snippets\". Указанное значение: {1}",
+ "invalid.language": "Неизвестный язык в contributes.{0}.language. Указанное значение: {1}",
+ "invalid.path.1": "Следует включить contributes.{0}.path ({1}) в папку расширения ({2}). От этого расширение может стать непереносимым.",
+ "vscode.extension.contributes.snippets": "Добавляет фрагменты.",
+ "vscode.extension.contributes.snippets-language": "Идентификатор языка, для которого добавляется этот фрагмент.",
+ "vscode.extension.contributes.snippets-path": "Путь к файлу фрагментов. Путь указывается относительно папки расширения и обычно начинается с \"./snippets/\".",
+ "badVariableUse": "Похоже, что в одном или нескольких фрагментах расширения \"{0}\" перепутаны переменные и заполнители. Дополнительные сведения см. на странице https://code.visualstudio.com/docs/editor/userdefinedsnippets#_snippet-syntax.",
+ "badFile": "Не удалось прочитать файл фрагмента \"{0}\"."
+ },
+ "vs/workbench/contrib/snippets/browser/configureSnippets": {
+ "global.scope": "(глобальный)",
+ "global.1": "({0})",
+ "name": "Введите имя файла фрагмента",
+ "bad_name1": "Недопустимое имя файла",
+ "bad_name2": "\"{0}\" не является допустимым именем файла",
+ "bad_name3": "\"{0}\" уже существует",
+ "new.global_scope": "GLOBAL",
+ "new.global": "Новый файл с глобальным фрагментом кода...",
+ "new.workspace_scope": "Рабочая область {0}",
+ "new.folder": "Создать файл фрагментов кода для '{0}'...",
+ "group.global": "Существующие фрагменты кода",
+ "new.global.sep": "Новые фрагменты кода",
+ "openSnippet.pickLanguage": "Выберите файл фрагментов кода или создайте фрагменты",
+ "openSnippet.label": "Настроить пользовательские фрагменты кода",
+ "preferences": "Параметры",
+ "miOpenSnippets": "Пользовательские &&фрагменты кода",
+ "userSnippets": "Пользовательские фрагменты кода"
+ },
+ "vs/workbench/contrib/snippets/browser/snippetsFile": {
+ "source.workspaceSnippetGlobal": "Фрагмент кода рабочей области",
+ "source.userSnippetGlobal": "Глобальный пользовательский фрагмент кода",
+ "source.userSnippet": "Фрагмент кода пользователя"
+ },
+ "vs/workbench/contrib/snippets/browser/snippetCompletionProvider": {
+ "detail.snippet": "{0} ({1})",
+ "snippetSuggest.longLabel": "{0}, {1}"
+ },
+ "vs/workbench/contrib/surveys/browser/nps.contribution": {
+ "surveyQuestion": "Вас не затруднит пройти краткий опрос?",
+ "takeSurvey": "Пройти опрос",
+ "remindLater": "Напомнить позже",
+ "neverAgain": "Больше не показывать"
+ },
+ "vs/workbench/contrib/surveys/browser/languageSurveys.contribution": {
+ "helpUs": "Помогите нам улучшить поддержку {0}",
+ "takeShortSurvey": "Пройдите краткий опрос",
+ "remindLater": "Напомнить позже",
+ "neverAgain": "Больше не показывать"
+ },
+ "vs/workbench/contrib/tags/electron-browser/workspaceTagsService": {
+ "workspaceFound": "Эта папка содержит файл рабочей области \"{0}\". Вы хотите открыть его? [Дополнительные сведения] ({1}) о файлах рабочей области. ",
+ "openWorkspace": "Открыть рабочую область",
+ "workspacesFound": "Эта папка содержит несколько файлов рабочей области. Вы хотите открыть один из этих файлов? [Дополнительные сведения] ({0}) о файлах рабочей области.",
+ "selectWorkspace": "Выберите рабочую область",
+ "selectToOpen": "Выберите рабочую область, которую необходимо открыть"
+ },
+ "vs/workbench/contrib/tasks/electron-browser/taskService": {
+ "TaskSystem.runningTask": "Имеется выполняющаяся задача. Завершить ее?",
+ "TaskSystem.terminateTask": "&&Завершить задачу",
+ "TaskSystem.noProcess": "Запущенная задача больше не существует. Если задача породила фоновые процессы, выход из Visual Studio Code может привести к появлению потерянных процессов. Чтобы избежать этого, запустите последний фоновый процесс с флагом ожидания.",
+ "TaskSystem.exitAnyways": "&&Все равно выйти"
+ },
+ "vs/workbench/contrib/tasks/common/tasks": {
+ "tasksCategory": "Задачи",
+ "TaskDefinition.missingRequiredProperty": "Ошибка: в идентификаторе задачи '{0}' отсутствует необходимое свойство '{1}'. Идентификатор задачи будет проигнорирован."
+ },
+ "vs/workbench/contrib/tasks/common/taskConfiguration": {
+ "ConfigurationParser.invalidCWD": "Предупреждение: свойство options.cwd должно иметь тип string. Пропуск значения {0}\r\n",
+ "ConfigurationParser.inValidArg": "Ошибка: аргумент команды должен быть строкой или строкой в кавычках. Указанное значение:\r\n{0}",
+ "ConfigurationParser.noShell": "Предупреждение: конфигурация оболочки поддерживается только при выполнении задач в терминале.",
+ "ConfigurationParser.noName": "Ошибка: сопоставитель проблем в области объявления должен иметь имя:\r\n{0}\r\n",
+ "ConfigurationParser.unknownMatcherKind": "Предупреждение: заданный сопоставитель проблем неизвестен. Поддерживаемые типы: string | ProblemMatcher | Array.\r\n{0}\r\n",
+ "ConfigurationParser.invalidVariableReference": "Ошибка: недопустимая ссылка problemMatcher: {0}\r\n",
+ "ConfigurationParser.noTaskType": "Ошибка: конфигурация задач должна иметь свойство type. Конфигурация будет пропущена.\r\n{0}\r\n",
+ "ConfigurationParser.noTypeDefinition": "Ошибка: тип задачи '{0}' не зарегистрирован. Возможно, вы не установили расширение, которое предоставляет соответствующий поставщик задач.",
+ "ConfigurationParser.missingType": "Ошибка: в конфигурации задачи '{0}' отсутствует необходимое свойство 'type'. Конфигурация задачи будет проигнорирована.",
+ "ConfigurationParser.incorrectType": "Ошибка: в конфигурации задачи '{0}' используется неизвестный тип. Конфигурация задачи будет проигнорирована.",
+ "ConfigurationParser.notCustom": "Ошибка: задачи не объявлены в качестве пользовательской задачи. Конфигурация будет пропущена.\r\n{0}\r\n",
+ "ConfigurationParser.noTaskName": "Ошибка: в задаче должно быть указано свойство label. Задача будет пропущена.\r\n{0}\r\n",
+ "taskConfiguration.providerUnavailable": "Предупреждение! Задачи недоступны в текущей среде: {0}.\r\n",
+ "taskConfiguration.noCommandOrDependsOn": "Ошибка: в задаче \"{0}\" не определены ни команда, ни свойство dependsOn. Задача будет пропущена. Определение:\r\n{1}",
+ "taskConfiguration.noCommand": "Ошибка: в задаче \"{0}\" не определена команда. Задача будет пропущена. Определение задачи:\r\n{1}",
+ "TaskParse.noOsSpecificGlobalTasks": "Задача \"version 2.0.0\" не поддерживает глобальные задачи, относящиеся к операционной системе. Преобразуйте их в задачу с использованием команды для конкретной операционной системы. Затронутые задачи:\r\n{0}"
+ },
+ "vs/workbench/contrib/tasks/node/processTaskSystem": {
+ "version1_0": "Система задач настроена для версии 0.1.0 (см. файл tasks.json), в которой можно выполнять только пользовательские задачи. Чтобы запустить задачу, обновите систему задач до версии 2.0.0: {0}",
+ "TaskRunnerSystem.unknownError": "При выполнении задачи произошла неизвестная ошибка. Подробности см. в журнале выходных данных задач.",
+ "TaskRunnerSystem.watchingBuildTaskFinished": "\r\nНаблюдение за задачами сборки завершено.",
+ "TaskRunnerSystem.childProcessError": "Не удалось запустить внешнюю программу {0} {1}.",
+ "TaskRunnerSystem.cancelRequested": "\r\nЗадача \"{0}\" завершена по запросу пользователя.",
+ "unknownProblemMatcher": "Не удается разрешить сопоставитель проблем {0}. Сопоставитель будет проигнорирован"
+ },
+ "vs/workbench/contrib/tasks/node/processRunnerDetector": {
+ "TaskSystemDetector.noGulpTasks": "В результате выполнения команды gulp --tasks-simple не было выведено ни одной задачи. Выполнили ли вы команду npm install?",
+ "TaskSystemDetector.noJakeTasks": "В результате выполнения команды jake --tasks не было выведено ни одной задачи. Выполнили ли вы команду npm install?",
+ "TaskSystemDetector.noGulpProgram": "Gulp не установлен в вашей системе. Чтобы установить его, выполните команду npm install -g gulp.",
+ "TaskSystemDetector.noJakeProgram": "Jake не установлен в вашей системе. Чтобы установить его, выполните команду npm install -g jake.",
+ "TaskSystemDetector.noGruntProgram": "Grunt не установлен в вашей системе. Чтобы установить его, выполните команду npm install -g grunt.",
+ "TaskSystemDetector.noProgram": "Программа {0} не найдена. Сообщение: {1}",
+ "TaskSystemDetector.buildTaskDetected": "Обнаружена задача сборки \"{0}\".",
+ "TaskSystemDetector.testTaskDetected": "Обнаружена задача тестирования \"{0}\"."
+ },
+ "vs/workbench/contrib/tasks/browser/abstractTaskService": {
+ "ConfigureTaskRunnerAction.label": "Настроить задачу",
+ "tasks": "Задачи",
+ "TaskSystem.noHotSwap": "Чтобы изменить подсистему выполнения задач, в которой запущена активная задача, необходимо перезагрузить окно",
+ "reloadWindow": "Перезагрузить окно",
+ "TaskService.pickBuildTaskForLabel": "Выберите задачу сборки (задача сборки по умолчанию не определена)",
+ "taskServiceOutputPrompt": "Имеются ошибки задачи. Дополнительные сведения см. в выходных данных.",
+ "showOutput": "Показать выходные данные",
+ "TaskServer.folderIgnored": "Папка {0} будет проигнорирована, так как в ней используется версия задач 0.1.0",
+ "TaskService.providerUnavailable": "Предупреждение! Задачи недоступны в текущей среде: {0}.\r\n",
+ "TaskService.noBuildTask1": "Задача сборки не определена. Отметьте задачу с помощью \"isBuildCommand\" в файле tasks.json.",
+ "TaskService.noBuildTask2": "Задача сборки не определена. Отметьте задачу с помощью группы 'build' в файле tasks.json.",
+ "TaskService.noTestTask1": "Задача теста не определена. Отметьте задачу с помощью \"isTestCommand\" в файле tasks.json.",
+ "TaskService.noTestTask2": "Задача теста не определена. Отметьте задачу с помощью группы 'test' в файле tasks.json.",
+ "TaskServer.noTask": "Не определена задача для выполнения",
+ "TaskService.associate": "Связать",
+ "TaskService.attachProblemMatcher.continueWithout": "Продолжить без проверки выходных данных задачи",
+ "TaskService.attachProblemMatcher.never": "Никогда не сканировать выходные данные для этой задачи",
+ "TaskService.attachProblemMatcher.neverType": "Никогда не сканировать выходные данные для задач {0}",
+ "TaskService.attachProblemMatcher.learnMoreAbout": "Дополнительные сведения о проверке выходных данных задачи",
+ "selectProblemMatcher": "Выберите, на какие ошибки и предупреждения следует проверять выходные данные задачи",
+ "customizeParseErrors": "В конфигурации текущей задачи есть ошибки. Исправьте ошибки перед изменением задачи.",
+ "tasksJsonComment": "\t// См. страницу https://go.microsoft.com/fwlink/?LinkId=733558 \r\n\t// с документацией по формату tasks.json",
+ "moreThanOneBuildTask": "В файле tasks.json определено несколько задач сборки. Выполняется первая из них.\r\n",
+ "TaskSystem.saveBeforeRun.prompt.title": "Сохранить все редакторы?",
+ "saveBeforeRun.save": "Сохранить",
+ "saveBeforeRun.dontSave": "Не сохранять",
+ "detail": "Вы хотите сохранить все редакторы перед выполнением задачи?",
+ "TaskSystem.activeSame.noBackground": "Задача '{0}' уже выполняется.",
+ "terminateTask": "Завершить задачу",
+ "restartTask": "Перезапустить задачу",
+ "TaskSystem.active": "Уже выполняется задача. Завершите ее, прежде чем выполнять другую задачу.",
+ "TaskSystem.restartFailed": "Не удалось завершить и перезапустить задачу {0}",
+ "unexpectedTaskType": "Поставщик задач для задач \"{0}\" неожиданно предоставил задачу типа \"{1}\".\r\n",
+ "TaskService.noConfiguration": "Ошибка: обнаружение задачи {0} не внесло вклад в задачу для следующей конфигурации:\r\n{1}\r\nЗадача будет пропущена.\r\n",
+ "TaskSystem.configurationErrors": "Ошибка: в конфигурации указанной задачи при проверке были выявлены ошибки, и ее невозможно использовать. Сначала устраните ошибки.",
+ "TaskSystem.invalidTaskJsonOther": "Ошибка: файл tasks.json в {0} содержит синтаксические ошибки. Исправьте их перед запуском задачи.\r\n",
+ "TasksSystem.locationWorkspaceConfig": "файл рабочей области",
+ "TaskSystem.versionWorkspaceFile": "В файле CODEWORKSPACE разрешена только версия задач 2.0.0.",
+ "TasksSystem.locationUserConfig": "Параметры пользователя",
+ "TaskSystem.versionSettings": "В параметрах пользователя разрешена только версия задач 2.0.0.",
+ "taskService.ignoreingFolder": "Пропускаются конфигурации задач для папки рабочей области {0}. Для поддержки задач рабочей области с несколькими папками необходимо, чтобы все папки использовали версию задачи 2.0.0\r\n",
+ "TaskSystem.invalidTaskJson": "Ошибка: файл tasks.json содержит синтаксические ошибки. Исправьте их перед запуском задачи.\r\n",
+ "TerminateAction.label": "Завершить задачу",
+ "TaskSystem.unknownError": "При выполнении задачи произошла ошибка. Подробности см. в журнале задач.",
+ "configureTask": "Настроить задачу",
+ "recentlyUsed": "недавно использованные задачи",
+ "configured": "настроенные задачи",
+ "detected": "обнаруженные задачи",
+ "TaskService.ignoredFolder": "Следующие папки рабочей области будут проигнорированы, так как в них используется версия задач 0.1.0: {0}",
+ "TaskService.notAgain": "Больше не показывать",
+ "TaskService.pickRunTask": "Выберите задачу для запуска",
+ "TaskService.noEntryToRunSlow": "$(plus) Настроить задачу",
+ "TaskService.noEntryToRun": "$(plus) Настроить задачу",
+ "TaskService.fetchingBuildTasks": "Получение задач сборки...",
+ "TaskService.pickBuildTask": "Выберите задачу сборки для запуска",
+ "TaskService.noBuildTask": "Задача сборки для запуска отсутствует. Настройте задачи сборки...",
+ "TaskService.fetchingTestTasks": "Получение задач тестирования...",
+ "TaskService.pickTestTask": "Выберите задачу тестирования для запуска",
+ "TaskService.noTestTaskTerminal": "Тестовая задача для запуска не найдена. Настройте задачи...",
+ "TaskService.taskToTerminate": "Выберите задачу для завершения",
+ "TaskService.noTaskRunning": "Ни одной задачи не запущено",
+ "TaskService.terminateAllRunningTasks": "Все запущенные задачи",
+ "TerminateAction.noProcess": "Запущенный процесс больше не существует. Если задача породила фоновые задачи, выход из Visual Studio Code может привести к появлению потерянных процессов.",
+ "TerminateAction.failed": "Не удалось завершить запущенную задачу",
+ "TaskService.taskToRestart": "Выберите задачу для перезапуска",
+ "TaskService.noTaskToRestart": "Задачи для перезапуска не найдены",
+ "TaskService.template": "Выберите шаблон задачи",
+ "taskQuickPick.userSettings": "Параметры пользователя",
+ "TaskService.createJsonFile": "Создать файл tasks.json из шаблона",
+ "TaskService.openJsonFile": "Открыть файл tasks.json",
+ "TaskService.pickTask": "Выберите задачу для настройки",
+ "TaskService.defaultBuildTaskExists": "Задача {0} уже помечена как задача сборки по умолчанию",
+ "TaskService.pickDefaultBuildTask": "Выберите задачу, которая будет использоваться в качестве задачи сборки по умолчанию.",
+ "TaskService.defaultTestTaskExists": "{0} уже помечена как задача сборки по умолчанию. ",
+ "TaskService.pickDefaultTestTask": "Выберите задачу, которая будет использоваться в качестве задачи тестирования по умолчанию. ",
+ "TaskService.pickShowTask": "Выберите задачу, выходные данные для которой нужно отобразить",
+ "TaskService.noTaskIsRunning": "Ни одной задачи не запущено"
+ },
+ "vs/workbench/contrib/tasks/browser/terminalTaskSystem": {
+ "TerminalTaskSystem.unknownError": "При выполнении задачи произошла неизвестная ошибка. Подробности см. в журнале выходных данных задач.",
+ "dependencyCycle": "Существует циклическая зависимость. См. задачу \"{0}\".",
+ "dependencyFailed": "Не удалось разрешить зависимую задачу '{0}' в папке рабочей области '{1}'",
+ "TerminalTaskSystem.nonWatchingMatcher": "Задача {0} является фоновой задачей, но использует сопоставитель проблем без фонового шаблона",
+ "TerminalTaskSystem.terminalName": "Задача — {0}",
+ "closeTerminal": "Нажмите любую клавишу, чтобы закрыть терминал.",
+ "reuseTerminal": "Терминал будет повторно использоваться задачами. Чтобы закрыть его, нажмите любую клавишу.",
+ "TerminalTaskSystem": "Не удается выполнить команду оболочки на диске UNC с помощью cmd.exe.",
+ "unknownProblemMatcher": "Не удается разрешить сопоставитель проблем {0}. Сопоставитель будет проигнорирован"
+ },
+ "vs/workbench/contrib/tasks/browser/task.contribution": {
+ "building": "Сборка...",
+ "numberOfRunningTasks": "Выполняемые задачи: {0}",
+ "runningTasks": "Показать выполняющиеся задачи",
+ "status.runningTasks": "Выполняющиеся задачи",
+ "miRunTask": "&&Запуск задачи...",
+ "miBuildTask": "Запустить зада&&чу сборки...",
+ "miRunningTask": "Показать выполняющи&&еся задачи...",
+ "miRestartTask": "П&&ерезапустить выполняющуюся задачу...",
+ "miTerminateTask": "&&Завершить задачу...",
+ "miConfigureTask": "&&Настройка задач...",
+ "miConfigureBuildTask": "Настроить задачу с&&борки по умолчанию...",
+ "workbench.action.tasks.openWorkspaceFileTasks": "Открыть задачи рабочей области",
+ "ShowLogAction.label": "Показать журнал задач",
+ "RunTaskAction.label": "Выполнить задачу",
+ "ReRunTaskAction.label": "Запустить последнюю задачу повторно",
+ "RestartTaskAction.label": "Перезапустить запущенную задачу",
+ "ShowTasksAction.label": "Показать выполняющиеся задачи",
+ "TerminateAction.label": "Завершить задачу",
+ "BuildAction.label": "Выполнить задачу сборки",
+ "TestAction.label": "Выполнить задачу тестирования",
+ "ConfigureDefaultBuildTask.label": "Настроить задачу сборки по умолчанию",
+ "ConfigureDefaultTestTask.label": "Настроить задачу тестирования по умолчанию",
+ "workbench.action.tasks.openUserTasks": "Открытые задачи пользователя",
+ "tasksQuickAccessPlaceholder": "Введите имя задачи для запуска.",
+ "tasksQuickAccessHelp": "Выполнить задачу",
+ "tasksConfigurationTitle": "Задачи",
+ "task.problemMatchers.neverPrompt": "Определяет, следует ли запрашивать подтверждение от средства сопоставления проблем при выполнении задачи. Установите значение \"true\", чтобы никогда не запрашивать подтверждение, или используйте словарь типов задач, чтобы отключить запрос подтверждения только для определенных типов задач.",
+ "task.problemMatchers.neverPrompt.boolean": "Задает сопоставитель проблем, запрашивающий поведение для всех задач.",
+ "task.problemMatchers.neverPrompt.array": "Объект, содержащий логические пары для типа задачи, никогда не запрашивает сопоставители проблем.",
+ "task.autoDetect": "Управляет включением \"provideTasks\" для расширения всех поставщиков задач. Если команда \"Задачи: выполнить задачу\" выполняется медленно, возможно, поможет отключение автоопределения поставщиков задач. Отдельные расширения также могут предоставлять параметры, отключающие автоопределение.",
+ "task.slowProviderWarning": "Указывает, отображается ли уведомление, когда поставщик работает медленно",
+ "task.slowProviderWarning.boolean": "Задает предупреждение о медленной работе поставщика для всех задач.",
+ "task.slowProviderWarning.array": "Массив типов задач никогда не отображает предупреждение о медленной работе поставщика.",
+ "task.quickOpen.history": "Определяет число недавно отслеживаемых элементов в диалоговом окне быстрого открытия задач.",
+ "task.quickOpen.detail": "Определяет, следует ли отображать сведения о задачах, для которых указаны сведения в меню быстрого выбора, например, \"Выполнить задачу\".",
+ "task.quickOpen.skip": "Определяет, пропускается ли меню быстрого выбора задачи при наличии всего одной задачи.",
+ "task.quickOpen.showAll": "Вынуждает команду \"Задачи: выполнение задачи\" использовать менее быстрый подход \"Показать все\" вместо более быстрого двухуровневого выбора, при котором задачи группируются по поставщику.",
+ "task.saveBeforeRun": "Сохраните все грязные редакторы перед выполнением задачи.",
+ "task.saveBeforeRun.always": "Всегда сохраняет все редакторы перед выполнением.",
+ "task.saveBeforeRun.never": "Никогда не сохраняет редакторы перед выполнением.",
+ "task.SaveBeforeRun.prompt": "Спрашивает, нужно ли сохранять редакторы перед запуском."
+ },
+ "vs/workbench/contrib/tasks/common/taskDefinitionRegistry": {
+ "TaskDefinition.description": "Фактический тип задачи. Обратите внимание, что типы, начинающиеся с символа '$', зарезервированы для внутреннего использования.",
+ "TaskDefinition.properties": "Дополнительные свойства типа задачи",
+ "TaskDefinition.when": "Условие, которое должно иметь значение true, чтобы включить этот тип задачи. Попробуйте использовать \"shellExecutionSupported\", \"processExecutionSupported\" и \"customExecutionSupported\" в соответствии с определением этой задачи.",
+ "TaskTypeConfiguration.noType": "В конфигурации типа задачи отсутствует обязательное свойство 'taskType'",
+ "TaskDefinitionExtPoint": "Добавляет типы задачи"
+ },
+ "vs/workbench/contrib/tasks/common/problemMatcher": {
+ "ProblemPatternParser.problemPattern.missingRegExp": "В шаблоне проблем отсутствует регулярное выражение.",
+ "ProblemPatternParser.loopProperty.notLast": "Свойство loop поддерживается только в сопоставителе последней строки.",
+ "ProblemPatternParser.problemPattern.kindProperty.notFirst": "Шаблон проблемы является недопустимым. Свойство kind должно быть указано только для первого элемента.",
+ "ProblemPatternParser.problemPattern.missingProperty": "Шаблон проблемы является недопустимым. Он должен включать файл и сообщение.",
+ "ProblemPatternParser.problemPattern.missingLocation": "Шаблон проблемы является недопустимым. Он должен иметь тип \"file\" или группу соответствия строки или расположения.",
+ "ProblemPatternParser.invalidRegexp": "Ошибка: строка {0} не является допустимым регулярным выражением.\r\n",
+ "ProblemPatternSchema.regexp": "Регулярное выражение для поиска ошибки, предупреждения или информации в выходных данных.",
+ "ProblemPatternSchema.kind": "соответствует ли шаблон расположению (файл и строка) или только файлу.",
+ "ProblemPatternSchema.file": "Индекс группы сопоставления для имени файла. Если он не указан, используется значение 1.",
+ "ProblemPatternSchema.location": "Индекс группы сопоставления для расположения проблемы. Допустимые шаблоны расположения: (строка), (строка,столбец) и (начальная_строка,начальный_столбец,конечная_строка,конечный_столбец). Если индекс не указан, предполагается шаблон (строка,столбец).",
+ "ProblemPatternSchema.line": "Индекс группы сопоставления для строки проблемы. Значение по умолчанию — 2.",
+ "ProblemPatternSchema.column": "Индекс группы сопоставления для символа в строке проблемы. Значение по умолчанию — 3",
+ "ProblemPatternSchema.endLine": "Индекс группы сопоставления для конечной строки проблемы. По умолчанию не определен.",
+ "ProblemPatternSchema.endColumn": "Индекс группы сопоставления для конечного символа проблемы. По умолчанию не определен.",
+ "ProblemPatternSchema.severity": "Индекс группы сопоставления для серьезности проблемы. По умолчанию не определен.",
+ "ProblemPatternSchema.code": "Индекс группы сопоставления для кода проблемы. По умолчанию не определен.",
+ "ProblemPatternSchema.message": "Индекс группы сопоставления для сообщения. Если он не указан, значение по умолчанию — 4 при незаданном расположении. В противном случае значение по умолчанию — 5.",
+ "ProblemPatternSchema.loop": "В цикле многострочного сопоставителя указывает, выполняется ли этот шаблон в цикле, пока он соответствует. Может указываться только для последнего шаблона в многострочном шаблоне.",
+ "NamedProblemPatternSchema.name": "Имя шаблона проблем.",
+ "NamedMultiLineProblemPatternSchema.name": "Имя шаблона многострочных проблем.",
+ "NamedMultiLineProblemPatternSchema.patterns": "Фактические шаблоны.",
+ "ProblemPatternExtPoint": "Публикует шаблоны проблем",
+ "ProblemPatternRegistry.error": "Недопустимый шаблон проблем. Он будет пропущен.",
+ "ProblemMatcherParser.noProblemMatcher": "Ошибка: описание не может быть преобразовано в сопоставитель проблем:\r\n{0}\r\n",
+ "ProblemMatcherParser.noProblemPattern": "Ошибка: в описании не определен допустимый шаблон проблемы:\r\n{0}\r\n",
+ "ProblemMatcherParser.noOwner": "Ошибка: в описании не определен владелец:\r\n{0}\r\n",
+ "ProblemMatcherParser.noFileLocation": "Ошибка: в описании не определено расположение файла:\r\n{0}\r\n",
+ "ProblemMatcherParser.unknownSeverity": "Информационное сообщение: неизвестный уровень серьезности {0}. Допустимые значения — error, warning и info.\r\n",
+ "ProblemMatcherParser.noDefinedPatter": "Ошибка: шаблон с идентификатором {0} не существует.",
+ "ProblemMatcherParser.noIdentifier": "Ошибка: свойство шаблона ссылается на пустой идентификатор.",
+ "ProblemMatcherParser.noValidIdentifier": "Ошибка: свойство шаблона {0} не является допустимым именем переменной шаблона.",
+ "ProblemMatcherParser.problemPattern.watchingMatcher": "В сопоставителе проблем должны быть определены как начальный, так и конечный шаблоны для отслеживания.",
+ "ProblemMatcherParser.invalidRegexp": "Ошибка: строка {0} не является допустимым регулярным выражением.\r\n",
+ "WatchingPatternSchema.regexp": "Регулярное выражение для обнаружения начала или конца фоновой задачи.",
+ "WatchingPatternSchema.file": "Индекс группы сопоставления для имени файла. Может быть опущен.",
+ "PatternTypeSchema.name": "Имя добавленного или предопределенного шаблона",
+ "PatternTypeSchema.description": "Шаблон проблем либо имя добавленного или предопределенного шаблона проблем. Его можно опустить, если указано базовое значение.",
+ "ProblemMatcherSchema.base": "Имя используемого базового сопоставителя проблем.",
+ "ProblemMatcherSchema.owner": "Владелец проблемы в Code. Можно опустить, если указан элемент base. Если владелец опущен, а элемент base не указан, значение по умолчанию — \"внешний\".",
+ "ProblemMatcherSchema.source": "Строка, описывающая источник диагностических сведений, в удобном формате, например, \"typescript\" или \"super lint\".",
+ "ProblemMatcherSchema.severity": "Серьезность по умолчанию для выявленных проблем. Используется, если в шаблоне не определена группа сопоставления для серьезности.",
+ "ProblemMatcherSchema.applyTo": "Определяет, относится ли проблема, о которой сообщается для текстового документа, только к открытым, только к закрытым или ко всем документам.",
+ "ProblemMatcherSchema.fileLocation": "Определяет способ интерпретации имен файлов, указанных в шаблоне проблемы. Относительное расположение файла (fileLocation) может быть массивом, второй элемент которого представляет собой путь для относительного расположения файла.",
+ "ProblemMatcherSchema.background": "Шаблоны для отслеживания начала и окончания фоновой задачи.",
+ "ProblemMatcherSchema.background.activeOnStart": "Если для этого параметра установлено значение true, фоновый монитор находится в активном режиме при запуске задачи. Это равноценно выдаче строки, соответствующей шаблону beginsPattern",
+ "ProblemMatcherSchema.background.beginsPattern": "При наличии соответствия в выходных данных выдается сигнал о запуске фоновой задачи.",
+ "ProblemMatcherSchema.background.endsPattern": "При наличии соответствия в выходных данных выдается сигнал о завершении фоновой задачи.",
+ "ProblemMatcherSchema.watching.deprecated": "Это свойство для отслеживания устарело. Используйте цвет фона.",
+ "ProblemMatcherSchema.watching": "Шаблоны для отслеживания начала и окончания шаблона отслеживания.",
+ "ProblemMatcherSchema.watching.activeOnStart": "Если задано значение true, наблюдатель находится в активном режиме, когда задача запускается. Это равносильно выдаче строки, соответствующей шаблону начала.",
+ "ProblemMatcherSchema.watching.beginsPattern": "При соответствии в выходных данных сообщает о запуске задачи наблюдения.",
+ "ProblemMatcherSchema.watching.endsPattern": "При соответствии в выходных данных сообщает о завершении задачи наблюдения.",
+ "LegacyProblemMatcherSchema.watchedBegin.deprecated": "Это свойство устарело. Используйте свойство просмотра.",
+ "LegacyProblemMatcherSchema.watchedBegin": "Регулярное выражение, сообщающее о том, что отслеживаемая задача начинает выполняться в результате активации отслеживания файлов.",
+ "LegacyProblemMatcherSchema.watchedEnd.deprecated": "Это свойство устарело. Используйте свойство просмотра.",
+ "LegacyProblemMatcherSchema.watchedEnd": "Регулярное выражение, сообщающее о том, что отслеживаемая задача завершает выполнение.",
+ "NamedProblemMatcherSchema.name": "Имя сопоставителя проблем, используемого для ссылки.",
+ "NamedProblemMatcherSchema.label": "Метка сопоставителя проблем в удобном для чтения формате.",
+ "ProblemMatcherExtPoint": "Публикует сопоставители проблем",
+ "msCompile": "Проблемы компилятора Microsoft",
+ "lessCompile": "Скрыть проблемы",
+ "gulp-tsc": "Проблемы TSC для Gulp",
+ "jshint": "Проблемы JSHint",
+ "jshint-stylish": "Проблемы JSHint, связанные со стилем",
+ "eslint-compact": "Проблемы ESLint, связанные с компактностью",
+ "eslint-stylish": "Проблемы ESLint, связанные со стилем",
+ "go": "Перейти к проблемам"
+ },
+ "vs/workbench/contrib/tasks/common/taskTemplates": {
+ "dotnetCore": "Выполняет команду сборки .NET Core",
+ "msbuild": "Выполняет целевой объект сборки",
+ "externalCommand": "Пример для запуска произвольной внешней команды",
+ "Maven": "Выполняет стандартные команды Maven"
+ },
+ "vs/workbench/contrib/tasks/browser/runAutomaticTasks": {
+ "tasks.run.allowAutomatic": "Эта папка содержит задачи ({0}), определенные в \"tasks.json\", которые запускаются автоматически при ее открытии. Вы хотите разрешить запуск автоматических задач при открытии этой папки?",
+ "allow": "Разрешить и запустить",
+ "disallow": "Запретить",
+ "openTasks": "Открыть файл tasks.json",
+ "workbench.action.tasks.manageAutomaticRunning": "Управление автоматическими задачами в папке",
+ "workbench.action.tasks.allowAutomaticTasks": "Разрешить автоматические задачи в папке",
+ "workbench.action.tasks.disallowAutomaticTasks": "Запретить автоматические задачи в папке"
+ },
+ "vs/workbench/contrib/tasks/browser/taskQuickPick": {
+ "taskQuickPick.showAll": "Показать все задачи...",
+ "configureTaskIcon": "Значок конфигурации в списке выбора задач.",
+ "removeTaskIcon": "Значок для удаления в списке выбора задач.",
+ "configureTask": "Настроить задачу",
+ "contributedTasks": "добавленный",
+ "taskType": "Все задачи {0}",
+ "removeRecent": "Удалить недавно использованную задачу",
+ "recentlyUsed": "недавно использовано",
+ "configured": "настроено",
+ "TaskQuickPick.goBack": "Вернуться назад ↩",
+ "TaskQuickPick.noTasksForType": "Задачи {0} не найдены. Вернитесь назад ↩",
+ "noProviderForTask": "Отсутствует поставщик задач, зарегистрированный для задач типа \"{0}\"."
+ },
+ "vs/workbench/contrib/tasks/common/jsonSchema_v1": {
+ "JsonSchema.version.deprecated": "Версия задачи 0.1.0 является устаревшей. Используйте версию 2.0.0",
+ "JsonSchema.version": "Номер версии конфигурации",
+ "JsonSchema._runner": "Средство выполнения переведено на новую версию. Используйте свойство официального средства выполнения.",
+ "JsonSchema.runner": "Определяет, следует ли запустить задачу в качестве процесса с отображением выходных данных задачи в окне вывода или в терминале.",
+ "JsonSchema.windows": "Конфигурация команды для Windows",
+ "JsonSchema.mac": "Конфигурация команды для Mac",
+ "JsonSchema.linux": "Конфигурация команды для Linux",
+ "JsonSchema.shell": "Указывает, является ли указанная команда внешней программой или командой оболочки. Если значение параметра не указано, используется значение false."
+ },
+ "vs/workbench/contrib/tasks/common/jsonSchema_v2": {
+ "JsonSchema.shell": "Указывает, является ли указанная команда внешней программой или командой оболочки. Если значение параметра не указано, используется значение false.",
+ "JsonSchema.tasks.isShellCommand.deprecated": "Свойство isShellCommand является устаревшим. Используйте свойство типа задачи и свойство оболочки в параметрах. Также см. заметки о выпуске для версии 1.14.",
+ "JsonSchema.tasks.dependsOn.identifier": "Идентификатор задачи.",
+ "JsonSchema.tasks.dependsOn.string": "Другая задача, от которой зависит эта задача.",
+ "JsonSchema.tasks.dependsOn.array": "Другие задачи, от которых зависит эта задача.",
+ "JsonSchema.tasks.dependsOn": "Строка, представляющая другую задачу, или массив других задач, от которых зависит эта задача.",
+ "JsonSchema.tasks.dependsOrder.parallel": "Выполнить все задачи dependsOn параллельно.",
+ "JsonSchema.tasks.dependsOrder.sequence": "Выполнить все задачи dependsOn последовательно.",
+ "JsonSchema.tasks.dependsOrder": "Определяет порядок задач dependsOn для этой задачи. Обратите внимание, что это свойство не является рекурсивным.",
+ "JsonSchema.tasks.detail": "Необязательное описание задачи, которое отображается в виде сведений в меню быстрого выбора \"Выполнить задачу\".",
+ "JsonSchema.tasks.presentation": "Настраивает панель, которая используется для представления выходных данных задачи, и считывает ее входные данные.",
+ "JsonSchema.tasks.presentation.echo": "Определяет, стоит ли отправлять выходные данные выполняемой команды на панель. Значение по умолчанию — true.",
+ "JsonSchema.tasks.presentation.focus": "Определяет, принимает ли панель фокус. По умолчанию — false. Если установлено значение true, панель также отображается.",
+ "JsonSchema.tasks.presentation.revealProblems.always": "Всегда отображает панель проблем, когда выполняется эта задача.",
+ "JsonSchema.tasks.presentation.revealProblems.onProblem": "Отображает панель проблем только при обнаружении проблемы.",
+ "JsonSchema.tasks.presentation.revealProblems.never": "Никогда не отображает панель проблем, когда выполняется эта задача.",
+ "JsonSchema.tasks.presentation.revealProblems": "Определяет, отображается ли панель проблем при выполнении этой задачи. Имеет приоритет над параметром \"reveal\". Значение по умолчанию — \"never\".",
+ "JsonSchema.tasks.presentation.reveal.always": "Всегда открывать окно терминала при выполнении этой задачи.",
+ "JsonSchema.tasks.presentation.reveal.silent": "Отображает терминал, только если задача завершается с ошибкой или сопоставитель проблем находит ошибку.",
+ "JsonSchema.tasks.presentation.reveal.never": "Никогда не открывать окно терминала при выполнении этой задачи.",
+ "JsonSchema.tasks.presentation.reveal": "Определяет, отображается ли терминал, выполняющий задачу. Может быть переопределен параметром \"revealProblems\". Значение по умолчанию — \"always\".",
+ "JsonSchema.tasks.presentation.instance": "Определяет, является ли панель общей для нескольких задач, ограничена ли она только одной задачей или создается отдельно для каждого запуска задачи.",
+ "JsonSchema.tasks.presentation.showReuseMessage": "Определяет, должно ли отображаться сообщение \"Терминал будет повторно использоваться задачами. Чтобы закрыть его, нажмите любую клавишу\".",
+ "JsonSchema.tasks.presentation.clear": "Определяет, очищается ли окно терминала перед выполнением задачи.",
+ "JsonSchema.tasks.presentation.group": "Определяет, выполняется ли задача в конкретной группе терминала с использованием областей разделения.",
+ "JsonSchema.tasks.terminal": "Свойство terminal является устаревшим. Используйте свойство presentation",
+ "JsonSchema.tasks.group.kind": "Группа выполнения задачи",
+ "JsonSchema.tasks.group.isDefault": "Определяет, является ли эта задача задачей по умолчанию в группе.",
+ "JsonSchema.tasks.group.defaultBuild": "Отмечает задачу как задачу сборки по умолчанию.",
+ "JsonSchema.tasks.group.defaultTest": "Отмечает задачу как задачу тестирования по умолчанию.",
+ "JsonSchema.tasks.group.build": "Отмечает задачу как задачу сборки, доступную через команду \"Выполнить задачу сборки\".",
+ "JsonSchema.tasks.group.test": "Отмечает задачу как тестовую, доступную через команду \"Выполнить задачу тестирования\".",
+ "JsonSchema.tasks.group.none": "Отменяет связь задачи со всеми группами",
+ "JsonSchema.tasks.group": "Определяет, к какой группе выполнения принадлежит эта задача. Поддерживаемые значения: \"build\" для добавления задачи к группе сборки и \"test\" для добавления задачи к группе тестирования.",
+ "JsonSchema.tasks.type": "Определяет, выполняется ли задача в виде процесса или в виде команды оболочки.",
+ "JsonSchema.commandArray": "Команда оболочки, которая будет выполнена. Элементы массива будут объединены с помощью пробела",
+ "JsonSchema.command.quotedString.value": "Фактическое значение команды",
+ "JsonSchema.tasks.quoting.escape": "Экранирует символы с помощью escape-символа оболочки (например, \"`\" в PowerShell и\"\\\" в bash).",
+ "JsonSchema.tasks.quoting.strong": "Заключает аргумент в кавычки с использованием символа одинарной кавычки (например, ' в PowerShell и bash).",
+ "JsonSchema.tasks.quoting.weak": "Заключает аргумент в кавычки с использованием символа двойной кавычки (например, \" в PowerShell и bash).",
+ "JsonSchema.command.quotesString.quote": "Указывает, как значение команды должно быть заключено в кавычки.",
+ "JsonSchema.command": "Команда, которая должна быть выполнена. Это может быть внешняя программа или команда оболочки.",
+ "JsonSchema.args.quotedString.value": "Фактическое значение аргумента.",
+ "JsonSchema.args.quotesString.quote": "Указывает, как значение аргумента должно быть заключено в кавычки.",
+ "JsonSchema.tasks.args": "Аргументы, которые передаются команде при вызове этой задачи.",
+ "JsonSchema.tasks.label": "Метка пользовательского интерфейса задачи",
+ "JsonSchema.version": "Номер версии конфигурации.",
+ "JsonSchema.tasks.identifier": "Пользовательский идентификатор задачи в файле launch.json или в предложении dependsOn.",
+ "JsonSchema.tasks.identifier.deprecated": "Пользовательские идентификаторы являются устаревшими. Для пользовательских задач, в которых имя использовалось как ссылка, и для задач, предоставляемых расширениями, используйте идентификаторы этих задач.",
+ "JsonSchema.tasks.reevaluateOnRerun": "Следует ли пересчитать переменные задачи или выполнить повторный запуск.",
+ "JsonSchema.tasks.runOn": "Определяет, когда должна быть запущена задача. При установке значения folderOpen задача будет запускаться автоматически при открытии папки.",
+ "JsonSchema.tasks.instanceLimit": "Разрешенное количество одновременно выполняемых экземпляров задачи.",
+ "JsonSchema.tasks.runOptions": "Параметры, связанные с запуском задачи",
+ "JsonSchema.tasks.taskLabel": "Метка задачи",
+ "JsonSchema.tasks.taskName": "Имя задачи",
+ "JsonSchema.tasks.taskName.deprecated": "Свойство name задачи является устаревшим. Используйте свойство label.",
+ "JsonSchema.tasks.background": "Следует ли сохранить задачу и продолжить ее выполнение в фоновом режиме.",
+ "JsonSchema.tasks.promptOnClose": "Следует ли выдавать запрос для пользователя при закрытии VS Code с выполняемой задачей.",
+ "JsonSchema.tasks.matchers": "Используемые сопоставители проблем. Может содержать строку, определение сопоставителя проблем или массив строк и сопоставителей проблем.",
+ "JsonSchema.customizations.customizes.type": "Тип задачи, который будет изменен",
+ "JsonSchema.tasks.customize.deprecated": "Свойство customize является устаревшим. Сведения о том, как перейти на новый подход к изменению задач, см. в заметках о выпуске для версии 1.14.",
+ "JsonSchema.tasks.showOutput.deprecated": "Свойство showOutput является устаревшим. Используйте свойство reveal в свойстве presentation вместо этого свойства. Также см. заметки о выпуске для версии 1.14.",
+ "JsonSchema.tasks.echoCommand.deprecated": "Свойство echoCommand является устаревшим. Используйте свойство echo в свойстве presentation вместо этого свойства. Также см. заметки о выпуске для версии 1.14.",
+ "JsonSchema.tasks.suppressTaskName.deprecated": "Свойство suppressTaskName является устаревшим. Вместо использования этого свойства включите команду с аргументами в задачу. Также см. заметки о выпуске для версии 1.14.",
+ "JsonSchema.tasks.isBuildCommand.deprecated": "Свойство isBuildCommand является устаревшим. Используйте свойство group вместо этого свойства. Также см. заметки о выпуске для версии 1.14. ",
+ "JsonSchema.tasks.isTestCommand.deprecated": "Свойство isTestCommand является устаревшим. Используйте свойство group вместо этого свойства. Также см. заметки о выпуске для версии 1.14. ",
+ "JsonSchema.tasks.taskSelector.deprecated": "Свойство taskSelector является устаревшим. Вместо использования этого свойства включите команду с аргументами в задачу. Также см. заметки о выпуске для версии 1.14.",
+ "JsonSchema.windows": "Конфигурация команды для Windows",
+ "JsonSchema.mac": "Конфигурация команды для Mac",
+ "JsonSchema.linux": "Конфигурация команды для Linux"
+ },
+ "vs/workbench/contrib/tasks/browser/tasksQuickAccess": {
+ "noTaskResults": "Нет соответствующих задач",
+ "TaskService.pickRunTask": "Выберите задачу для запуска"
+ },
+ "vs/workbench/contrib/tasks/common/jsonSchemaCommon": {
+ "JsonSchema.options": "Дополнительные параметры команды",
+ "JsonSchema.options.cwd": "Текущий рабочий каталог выполняемой программы или сценария. Если этот параметр опущен, используется корневой каталог текущей рабочей области Code.",
+ "JsonSchema.options.env": "Среда выполняемой программы или оболочки. Если этот параметр опущен, используется среда родительского процесса.",
+ "JsonSchema.tasks.matcherError": "Не удалось распознать сопоставитель проблем. Установлено ли расширение, участвующее в работе этого сопоставителя проблем?",
+ "JsonSchema.shellConfiguration": "Задает используемую оболочку.",
+ "JsonSchema.shell.executable": "Используемая оболочка.",
+ "JsonSchema.shell.args": "Аргументы оболочки.",
+ "JsonSchema.command": "Команда, которая должна быть выполнена. Это может быть внешняя программа или команда оболочки.",
+ "JsonSchema.tasks.args": "Аргументы, которые передаются команде при вызове этой задачи.",
+ "JsonSchema.tasks.taskName": "Имя задачи",
+ "JsonSchema.tasks.windows": "Настройка команд Windows",
+ "JsonSchema.tasks.matchers": "Используемые сопоставители проблем. Может содержать строку, определение сопоставителя проблем или массив строк и сопоставителей проблем.",
+ "JsonSchema.tasks.mac": "Настройка команд Mac",
+ "JsonSchema.tasks.linux": "Настройка команд Linux",
+ "JsonSchema.tasks.suppressTaskName": "Определяет, добавляется ли имя задачи в команду в качестве аргумента. Если опущено, используется глобальное значение.",
+ "JsonSchema.tasks.showOutput": "Определяет, выводятся ли выходные данные выполняющейся задачи. Если опущено, используется глобальное значение.",
+ "JsonSchema.echoCommand": "Определяет, переносится ли выполняемая команда в выходные данные. Значение по умолчанию — false.",
+ "JsonSchema.tasks.watching.deprecation": "Устарело. Используйте isBackground.",
+ "JsonSchema.tasks.watching": "Должна ли выполняемая задача оставаться активной и наблюдать за файловой системой.",
+ "JsonSchema.tasks.background": "Следует ли сохранить задачу и продолжить ее выполнение в фоновом режиме.",
+ "JsonSchema.tasks.promptOnClose": "Следует ли выдавать запрос для пользователя при закрытии VS Code с выполняемой задачей.",
+ "JsonSchema.tasks.build": "Сопоставляет эту задачу с командой сборки Code по умолчанию.",
+ "JsonSchema.tasks.test": "Сопоставляет эту задачу с командой тестирования по умолчанию в Code.",
+ "JsonSchema.args": "Дополнительные аргументы, передаваемые в команду.",
+ "JsonSchema.showOutput": "Определяет, выводятся ли выходные данные выполняющейся задачи. Если опущено, используется значение \"всегда\".",
+ "JsonSchema.watching.deprecation": "Устарело. Используйте isBackground.",
+ "JsonSchema.watching": "Должна ли выполняемая задача оставаться активной и наблюдать за файловой системой.",
+ "JsonSchema.background": "Поддерживается ли выполняющаяся задача в работающем состоянии и исполняется ли она в фоновом режиме.",
+ "JsonSchema.promptOnClose": "Определяет, получает ли пользователь запрос при закрытии редактора VS Code в тот момент, когда выполняется фоновая задача.",
+ "JsonSchema.suppressTaskName": "Определяет, добавляется ли имя задачи в команду в качестве аргумента. Значение по умолчанию — false.",
+ "JsonSchema.taskSelector": "Префикс, указывающий на то, что аргумент является задачей.",
+ "JsonSchema.matchers": "Используемые сопоставители проблем. Это может быть строка, определение сопоставителя проблем или массив строк и сопоставителей проблем.",
+ "JsonSchema.tasks": "Конфигурации задачи. Обычно это обогащения задачи, уже определенной во внешнем средстве запуска задач."
+ },
+ "vs/workbench/contrib/terminal/common/terminalConfiguration": {
+ "terminalIntegratedConfigurationTitle": "Встроенный терминал",
+ "terminal.integrated.sendKeybindingsToShell": "Отправляет больше настраиваемых сочетаний клавиш в терминал, а не в Workbench, переопределяя параметр \"#terminal.integrated.commandsToSkipShell#\", который можно использовать в качестве альтернативного варианта тонкой настройки.",
+ "terminal.integrated.automationShell.linux": "Путь, который при задании переопределяет {0} и игнорирует значения {1} для использования терминала, ориентированного на автоматизацию, такого как задачи и отладка.",
+ "terminal.integrated.automationShell.osx": "Путь, который при задании переопределяет {0} и игнорирует значения {1} для использования терминала, ориентированного на автоматизацию, такого как задачи и отладка.",
+ "terminal.integrated.automationShell.windows": "Путь, который при его задании переопределяет {0} и игнорирует значения {1} для использования терминала, ориентированного на автоматизацию, такого как задачи и отладка.",
+ "terminal.integrated.shellArgs.linux": "Аргументы командной строки, используемые при работе в терминале Linux. [См. дополнительные сведения о настройке оболочки](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shellArgs.osx": "Аргументы командной строки, используемые при работе в терминале macOS. [См. дополнительные сведения о настройке оболочки](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shellArgs.windows": "Аргументы командной строки, используемые при работе в терминале Windows. [См. дополнительные сведения о настройке оболочки](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shellArgs.windows.string": "Аргументы командной строки в [формате командной строки](https://msdn.microsoft.com/en-au/08dfcab2-eb6e-49a4-80eb-87d4076c98c6), используемые при работе в терминале Windows. [См. дополнительные сведения о настройке оболочки](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.macOptionIsMeta": "Определяет, следует ли рассматривать ключ параметра как метаключ в терминале под управлением macOS.",
+ "terminal.integrated.macOptionClickForcesSelection": "Определяет, следует ли принудительно выполнять выбор при использовании сочетания Option + щелчок в macOS. При этом будет принудительно использован обычный (строковый) выбор и запрещен режим выбора столбцов. Это позволяет копировать и вставлять с помощью обычного выбора в терминале, например когда режим мыши включен в tmux.",
+ "terminal.integrated.copyOnSelection": "Определяет, будет ли выбранный в терминале текст скопирован в буфер обмена.",
+ "terminal.integrated.drawBoldTextInBrightColors": "Определяет, будет ли полужирный текст в терминале всегда использовать яркий вариант цвета ANSI.",
+ "terminal.integrated.fontFamily": "Управляет семейством шрифтов терминала, по умолчанию используется значение #editor.fontFamily#.",
+ "terminal.integrated.fontSize": "Управляет размером шрифта в пикселях для терминала.",
+ "terminal.integrated.letterSpacing": "Управляет межбуквенным интервалом терминала; это целое значение, которое представляет число дополнительных пикселей, добавляемых между символами.",
+ "terminal.integrated.lineHeight": "Определяет высоту строки терминала; это число умножается на размер шрифта терминала, что дает фактическую высоту строки в пикселях.",
+ "terminal.integrated.minimumContrastRatio": "Когда параметр установлен, цвет переднего плана каждой ячейки будет изменен для соблюдения указанного коэффициента контрастности. Примеры значений:\r\n\r\n— 1: значение по умолчанию, никакие действия не выполняются.\r\n— 4.5: [соответствие WCAG AA (минимальное)](https://www.w3.org/TR/UNDERSTANDING-WCAG20/visual-audio-contrast-contrast.html).\r\n— 7: [соответствие WCAG AAA (улучшенное)](https://www.w3.org/TR/UNDERSTANDING-WCAG20/visual-audio-contrast7.html).\r\n— 21: белый на черном или черный на белом.",
+ "terminal.integrated.fastScrollSensitivity": "Множитель скорости прокрутки при нажатии клавиши ALT.",
+ "terminal.integrated.mouseWheelScrollSensitivity": "Множитель, используемый для deltaY событий прокрутки колесика мыши.",
+ "terminal.integrated.fontWeightError": "Допускаются только ключевые слова \"normal\" или \"bold\" и числа в диапазоне от 1 до 1000.",
+ "terminal.integrated.fontWeight": "Насыщенность шрифта, используемая в терминале для текста, не являющегося полужирным. Допускаются ключевые слова \"normal\" и \"bold\", а также числа от 1 до 1000.",
+ "terminal.integrated.fontWeightBold": "Насыщенность шрифта, используемая в терминале для полужирного текста. Допускаются ключевые слова \"normal\" и \"bold\", а также числа от 1 до 1000.",
+ "terminal.integrated.cursorBlinking": "Определяет, мигает ли курсор терминала.",
+ "terminal.integrated.cursorStyle": "Управляет стилем курсора терминала.",
+ "terminal.integrated.cursorWidth": "Определяет ширину курсора, если для #terminal.integrated.cursorStyle# задано значение line.",
+ "terminal.integrated.scrollback": "Определяет максимальное число строк, которые терминал хранит в своем буфере.",
+ "terminal.integrated.detectLocale": "Определяет, следует ли обнаруживать и задавать переменную среды $LANG в соответствии с параметром, совместимым с UTF-8, так как терминал VS Code поддерживает поступающие из оболочки данные только в кодировке UTF-8.",
+ "terminal.integrated.detectLocale.auto": "Задайте переменную среды $LANG, если существующая переменная не существует или не заканчивается на '.UTF-8'.",
+ "terminal.integrated.detectLocale.off": "Не устанавливайте переменную среды $LANG.",
+ "terminal.integrated.detectLocale.on": "Всегда устанавливайте переменную среды $LANG.",
+ "terminal.integrated.rendererType.auto": "Позвольте VS Code выбрать используемый отрисовщик.",
+ "terminal.integrated.rendererType.canvas": "Используйте стандартный отрисовщик на основе GPU/холста.",
+ "terminal.integrated.rendererType.dom": "Используйте резервный отрисовщик на основе модели DOM.",
+ "terminal.integrated.rendererType.experimentalWebgl": "Используйте экспериментальный отрисовщик на основе webgl. Обратите внимание, что у него есть [известные проблемы](https://github.com/xtermjs/xterm.js/issues?q=is%3Aopen+is%3Aissue+label%3Aarea%2Faddon%2Fwebgl).",
+ "terminal.integrated.rendererType": "Управляет отрисовкой терминала.",
+ "terminal.integrated.rightClickBehavior.default": "Отображение контекстного меню.",
+ "terminal.integrated.rightClickBehavior.copyPaste": "Копирование при наличии выделенного фрагмента, в противном случае вставка.",
+ "terminal.integrated.rightClickBehavior.paste": "Вставка при щелчке правой кнопкой мыши.",
+ "terminal.integrated.rightClickBehavior.selectWord": "Выбор слова под курсором и отображение контекстного меню.",
+ "terminal.integrated.rightClickBehavior": "Определяет, как терминал реагирует на щелчок правой кнопкой мыши.",
+ "terminal.integrated.cwd": "Путь явного запуска, по которому будет запущен терминал. Используется в качестве текущего рабочего каталога (cwd) для процесса оболочки. Это может быть особенно удобно в параметрах рабочей области, если корневой каталог не является подходящим каталогом cwd.",
+ "terminal.integrated.confirmOnExit": "Определяет, требуется подтверждать выход при наличии активных сеансов терминала.",
+ "terminal.integrated.enableBell": "Определяет, включен ли звонок терминала.",
+ "terminal.integrated.commandsToSkipShell": "Набор идентификаторов команд, настраиваемые сочетания клавиш для которых не будут отправляться в оболочку, а вместо этого всегда будут обрабатываться VS Code. Это позволяет использовать настраиваемые сочетания клавиш, которые обычно были бы перехвачены оболочкой, так, как если бы на терминале не было фокуса, например, использовать сочетание клавиш \"CTRL+P\" для запуска Quick Open.\r\n\r\n \r\n\r\nМногие команды по умолчанию пропускаются. Чтобы переопределить значение этого параметра по умолчанию для команды и передавать настраиваемое сочетание клавиш этой команды в оболочку, добавьте команду с символом \"-\". Например, добавьте \"-workbench.action.quickOpen\", чтобы сочетание клавиш \"CTRL+P\" было направлено в оболочку.\r\n\r\n \r\n\r\nСледующий список команд, пропускаемых по умолчанию, обрезается при просмотре в редакторе параметров. Чтобы просмотреть полный список, [откройте файл параметров по умолчанию JSON](command:workbench.action.openRawDefaultSettings \"Открыть параметры по умолчанию (JSON)\") и выполните поиск первой команды из списка ниже.\r\n\r\n \r\n\r\nКоманды, пропускаемые по умолчанию:\r\n\r\n{0}",
+ "terminal.integrated.allowChords": "Указывает, разрешены ли настраиваемые сочетания клавиш в виде аккорда в терминале. Обратите внимание, что если задано значения true и нажатие клавиши приводит к аккорду, то оно будет обходить #terminal.integrated.commandsToSkipShell#, а задание значения false особенно удобно, когда требуется, чтобы сочетание клавиш CTRL + K перехватывалось вашей оболочкой (а не VS Code).",
+ "terminal.integrated.allowMnemonics": "Указывает, разрешено ли использовать мнемоники строки меню (например, ALT + F) для активации открытия строки меню. Обратите внимание, что при задании значения true все сочетания клавиш с ALT будут игнорировать оболочку. Этот параметр не выполняет никаких действий в macOS.",
+ "terminal.integrated.inheritEnv": "Должны ли новые оболочки наследовать среду от VS Code. Это не поддерживается в Windows.",
+ "terminal.integrated.env.osx": "Объект с переменными окружения, которые будут добавлены в процесс VS Code для использования терминалом в macOS. Задайте значение null, чтобы удалить переменную среды.",
+ "terminal.integrated.env.linux": "Объект с переменными окружения, которые будут добавлены в процесс VS Code для использования терминалом в Linux. Задайте значение null, чтобы удалить переменную среды.",
+ "terminal.integrated.env.windows": "Объект с переменными окружения, которые будут добавлены в процесс VS Code для использования терминалом в Windows. Задайте значение null, чтобы удалить переменную среды.",
+ "terminal.integrated.environmentChangesIndicator": "Указывает, следует ли отображать на каждом терминале индикатор изменений среды, который поясняет, внесли ли расширения изменения в среду терминала или собираются сделать это.",
+ "terminal.integrated.environmentChangesIndicator.off": "Отключение индикатора.",
+ "terminal.integrated.environmentChangesIndicator.on": "Включение индикатора.",
+ "terminal.integrated.environmentChangesIndicator.warnonly": "Показывать только индикатор предупреждения, если среда терминала является устаревшей, а не индикатор информации, показывающий терминал, среда которого была изменена расширением.",
+ "terminal.integrated.showExitAlert": "Определяет, следует ли показывать предупреждение \"Процесс терминала завершен с кодом выхода\", если код выхода не равен нулю.",
+ "terminal.integrated.splitCwd": "Управляет рабочим каталогом, с которого начинает работу разделенный терминал.",
+ "terminal.integrated.splitCwd.workspaceRoot": "Новый разделенный терминал будет использовать корневую папку рабочей области в качестве рабочей папки. В рабочей области с несколькими корневыми папками предлагается выбрать используемую корневую папку.",
+ "terminal.integrated.splitCwd.initial": "Новый разделенный терминал будет использовать рабочий каталог, с которого начал работу родительский терминал.",
+ "terminal.integrated.splitCwd.inherited": "В macOS и Linux новый разделенный терминал будет использовать рабочий каталог родительского терминала. В Windows это поведение аналогично исходному.",
+ "terminal.integrated.windowsEnableConpty": "Указывает, следует ли использовать ConPTY для взаимодействия процессов терминала Windows (требуется Windows 10 с номером сборки 18309 или более поздним). Если задано значение false, будет использоваться Winpty.",
+ "terminal.integrated.wordSeparators": "Строка, содержащая все символы, которые должны рассматриваться как разделители слов при двойном щелчке для выбора функции слов.",
+ "terminal.integrated.experimentalUseTitleEvent": "Экспериментальный параметр, который будет использовать событие заголовка терминала для заголовка раскрывающегося списка. Этот параметр будет применяться только к новым терминалам.",
+ "terminal.integrated.enableFileLinks": "Указывает, следует ли включить ссылки на файлы в терминале. Ссылки могут работать медленно при использовании сетевого диска, так как каждая ссылка на файл проверяется в файловой системе. Изменение вступит в силу только в новых терминалах.",
+ "terminal.integrated.unicodeVersion.six": "Версия 6 Юникода; это старая версия, которая должна лучше работать на старых системах.",
+ "terminal.integrated.unicodeVersion.eleven": "Версия 11 Юникода, эта версия обеспечивает улучшенную поддержку современных систем, использующих современные версии Юникода.",
+ "terminal.integrated.unicodeVersion": "Определяет, какую версию Юникода использовать для вычисления ширины символов в терминале. Если вы столкнетесь с тем, что эмодзи или другие широкие символы не занимают надлежащее место либо клавиша BACKSPACE удаляет слишком мало или слишком много данных, можете попробовать настроить этот параметр.",
+ "terminal.integrated.experimentalLinkProvider": "Экспериментальный параметр, который предназначен для улучшения обнаружения ссылок в терминале, расширяя возможности обнаружения ссылок и позволяя обнаруживать общие ссылки в редакторе. Сейчас он поддерживает только веб-ссылки.",
+ "terminal.integrated.localEchoLatencyThreshold": "Экспериментальная функция. Задержка сети в миллисекундах, при которой локальные изменения будут выводиться на терминал, не дожидаясь подтверждения сервера. При значении \"0\" локальный вывод всегда включен, при \"-1\" — отключен.",
+ "terminal.integrated.localEchoExcludePrograms": "Экспериментальная функция: локальный эхо-вывод будет отключен, если в названии терминала присутствуют какие-либо из этих названий программ.",
+ "terminal.integrated.localEchoStyle": "Экспериментальная функция. Стиль локального вывода текста в терминале: начертание шрифта или цвет RGB.",
+ "terminal.integrated.serverSpawn": "Экспериментальная функция: порождать удаленные терминалы от процесса удаленного агента, а не от удаленного узла расширения",
+ "terminal.integrated.enablePersistentSessions": "Экспериментальная функция. Сохранение сеансов терминала для рабочей области при перезагрузке окна. Сейчас это поддерживается только в удаленных рабочих областях VS Code.",
+ "terminal.integrated.shell.linux": "Путь к оболочке, используемой терминалом в Linux (значение по умолчанию: {0}). [См. дополнительные сведения о настройке оболочки](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shell.linux.noDefault": "Путь к оболочке, используемой терминалом в Linux. [См. дополнительные сведения о настройке оболочки](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shell.osx": "Путь к оболочке, используемой терминалом в macOS (значение по умолчанию: {0}). [См. дополнительные сведения о настройке оболочки](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shell.osx.noDefault": "Путь к оболочке, используемой терминалом в macOS. [См. дополнительные сведения о настройке оболочки](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shell.windows": "Путь к оболочке, используемой терминалом в Windows (значение по умолчанию: {0}). [См. дополнительные сведения о настройке оболочки](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shell.windows.noDefault": "Путь к оболочке, используемой терминалом в Windows. [См. дополнительные сведения о настройке оболочки](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration)."
+ },
+ "vs/workbench/contrib/terminal/common/terminal": {
+ "terminalCategory": "Терминал",
+ "vscode.extension.contributes.terminal": "Предоставляет функциональные возможности терминала.",
+ "vscode.extension.contributes.terminal.types": "Определяет дополнительные типы терминалов, которые может создать пользователь.",
+ "vscode.extension.contributes.terminal.types.command": "Команда которая будет выполнена, когда пользователь создает этот тип терминала.",
+ "vscode.extension.contributes.terminal.types.title": "Заголовок для этого типа терминала."
+ },
+ "vs/workbench/contrib/terminal/browser/terminal.contribution": {
+ "tasksQuickAccessPlaceholder": "Введите имя терминала для открытия.",
+ "tasksQuickAccessHelp": "Показать все открытые терминалы",
+ "terminal": "Терминал"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalView": {
+ "terminal.useMonospace": "Использовать моноширинные шрифты",
+ "terminal.monospaceOnly": "Терминал поддерживает только моноширинные шрифты. Не забудьте перезапустить VS Code, если этот шрифт был установлен недавно."
+ },
+ "vs/workbench/contrib/terminal/browser/remoteTerminalService": {
+ "terminal.integrated.starting": "Запуск…"
+ },
+ "vs/workbench/contrib/terminal/node/terminalProcess": {
+ "launchFail.cwdNotDirectory": "Начальный каталог (cwd) \"{0}\" не является каталогом.",
+ "launchFail.cwdDoesNotExist": "Начальный каталог (cwd) \"{0}\" не существует.",
+ "launchFail.executableIsNotFileOrSymlink": "Путь к исполняемому файлу оболочки \"{0}\" не является файлом символической ссылки.",
+ "launchFail.executableDoesNotExist": "Путь к исполняемому файлу оболочки \"{0}\" не существует."
+ },
+ "vs/workbench/contrib/terminal/electron-browser/terminalRemote": {
+ "workbench.action.terminal.newLocal": "Создание нового интегрированного терминала (локального)"
+ },
+ "vs/workbench/contrib/terminal/common/terminalColorRegistry": {
+ "terminal.background": "Цвет фона терминала. С его помощью можно указать цвет терминала, отличный от цвета панели.",
+ "terminal.foreground": "Цвет переднего плана терминала.",
+ "terminalCursor.foreground": "Цвет переднего плана курсора терминала.",
+ "terminalCursor.background": "Цвет фона курсора терминала. Позволяет выбрать цвет символа, который перекрывается блочным курсором.",
+ "terminal.selectionBackground": "Цвет фона выделения терминала.",
+ "terminal.border": "Цвет границы, которая отделяет области в терминале. По умолчанию используется panel.border.",
+ "terminal.ansiColor": "Цвет ANSI \"{0}\" в терминале."
+ },
+ "vs/workbench/contrib/terminal/browser/terminalActions": {
+ "workbench.action.terminal.newWorkspacePlaceholder": "Выбрать текущий рабочий каталог для нового терминала",
+ "workbench.action.terminal.toggleTerminal": "Переключить интегрированный терминал",
+ "workbench.action.terminal.kill": "Завершить активный экземпляр терминала",
+ "workbench.action.terminal.kill.short": "Завершить работу терминала",
+ "workbench.action.terminal.copySelection": "Скопировать выделение",
+ "workbench.action.terminal.copySelection.short": "Копирование",
+ "workbench.action.terminal.selectAll": "Выбрать все",
+ "workbench.action.terminal.new": "Создание нового интегрированного терминала",
+ "workbench.action.terminal.new.short": "Новый терминал",
+ "workbench.action.terminal.split": "Разделить терминал",
+ "workbench.action.terminal.split.short": "Разделить",
+ "workbench.action.terminal.splitInActiveWorkspace": "Разбить окно терминала (в активной рабочей области)",
+ "workbench.action.terminal.paste": "Вставить в активный терминал",
+ "workbench.action.terminal.paste.short": "Вставить",
+ "workbench.action.terminal.selectDefaultShell": "Выбрать оболочку по умолчанию",
+ "workbench.action.terminal.openSettings": "Настроить параметры терминала",
+ "workbench.action.terminal.switchTerminal": "Переключить терминал",
+ "terminals": "Открыть терминалы.",
+ "terminalConnectingLabel": "Выполняется запуск…",
+ "workbench.action.terminal.clear": "Сброс",
+ "terminalLaunchHelp": "Открыть справку",
+ "workbench.action.terminal.newInActiveWorkspace": "Создать новый интегрированный терминал (в активной рабочей области)",
+ "workbench.action.terminal.focusPreviousPane": "Перейти на предыдущую область",
+ "workbench.action.terminal.focusNextPane": "Перейти на следующую область",
+ "workbench.action.terminal.resizePaneLeft": "Изменить размер области слева",
+ "workbench.action.terminal.resizePaneRight": "Изменить размер области справа",
+ "workbench.action.terminal.resizePaneUp": "Изменить размер области вверху",
+ "workbench.action.terminal.resizePaneDown": "Изменить размер области внизу",
+ "workbench.action.terminal.focus": "Фокус на терминале",
+ "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.manageWorkspaceShellPermissions": "Управление разрешениями оболочки рабочей области",
+ "workbench.action.terminal.rename": "Переименование",
+ "workbench.action.terminal.rename.prompt": "Введите название терминала",
+ "workbench.action.terminal.focusFind": "Выделить поиск",
+ "workbench.action.terminal.hideFind": "Скрыть поиск",
+ "workbench.action.terminal.attachToRemote": "Присоединение к сеансу",
+ "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": "Включение или отключение ведения журнала escape-последовательности",
+ "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": "Показать сведения о среде"
+ },
+ "vs/workbench/contrib/terminal/common/terminalMenu": {
+ "miToggleIntegratedTerminal": "&&Терминал",
+ "miNewTerminal": "&&Создать терминал",
+ "miSplitTerminal": "&&Разделить терминал",
+ "miRunActiveFile": "Запустить &&активный файл",
+ "miRunSelectedText": "Запустить &&выбранный текст"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalService": {
+ "workbench.action.terminal.allowWorkspaceShell": "Разрешить настройку оболочки в рабочей области",
+ "workbench.action.terminal.disallowWorkspaceShell": "Запретить настройку оболочки в рабочей области",
+ "terminalService.terminalCloseConfirmationSingular": "Есть активный сеанс терминала, завершить его?",
+ "terminalService.terminalCloseConfirmationPlural": "Есть несколько активных сеансов терминала ({0}), завершить их?",
+ "terminal.integrated.chooseWindowsShell": "Выберите предпочитаемую оболочку терминала. Ее можно позже изменить в параметрах"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalQuickAccess": {
+ "renameTerminal": "Переименовать терминал",
+ "killTerminal": "Завершить экземпляр терминала",
+ "workbench.action.terminal.newplus": "Создать встроенный терминал"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalIcons": {
+ "terminalViewIcon": "Значок представления терминала.",
+ "renameTerminalIcon": "Значок для переименования в быстром меню терминала.",
+ "killTerminalIcon": "Значок для завершения экземпляра терминала.",
+ "newTerminalIcon": "Значок для создания нового экземпляра терминала."
+ },
+ "vs/workbench/contrib/terminal/browser/terminalConfigHelper": {
+ "terminal.integrated.allowWorkspaceShell": "Вы разрешаете этой рабочей области изменять вашу оболочку терминала? {0}",
+ "allow": "Разрешить",
+ "disallow": "Запретить",
+ "useWslExtension.title": "Для открытия терминала в WSL рекомендуется использовать расширение \"{0}\".",
+ "install": "Установить"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalInstance": {
+ "terminal.integrated.a11yPromptLabel": "Ввод терминала",
+ "terminal.integrated.a11yTooMuchOutput": "Объем выходных данных слишком велик для создания оповещения; проверьте строки вручную",
+ "terminalTextBoxAriaLabelNumberAndTitle": "Терминал {0}, {1}",
+ "terminalTextBoxAriaLabel": "{0} терминала",
+ "configure terminal settings": "Некоторые настраиваемые сочетаний клавиш отправляются в Workbench по умолчанию.",
+ "configureTerminalSettings": "Настройка параметров терминала",
+ "yes": "Да",
+ "no": "Нет",
+ "dontShowAgain": "Больше не показывать",
+ "terminal.slowRendering": "Стандартный модуль отображения для встроенного терминала работает медленно. Вы хотите переключиться на альтернативный модуль отображения на основе модели DOM, который может повысить производительность? [Дополнительные сведения о параметрах терминала](https://code.visualstudio.com/docs/editor/integrated-terminal#_changing-how-the-terminal-is-rendered).",
+ "terminal.integrated.copySelection.noSelection": "В терминале отсутствует выделенный текст для копирования",
+ "launchFailed.exitCodeAndCommandLine": "Не удалось запустить процесс терминала \"{0}\" (код выхода: {1}).",
+ "launchFailed.exitCodeOnly": "Не удалось запустить процесс терминала (код выхода: {0}).",
+ "terminated.exitCodeAndCommandLine": "Процесс терминала \"{0}\" был завершен с кодом выхода {1}.",
+ "terminated.exitCodeOnly": "Процесс терминала завершен с кодом выхода: {0}.",
+ "launchFailed.errorMessage": "Не удалось запустить процесс терминала: {0}.",
+ "terminalStaleTextBoxAriaLabel": "Среда {0} терминала устарела, выполните команду \"Показать сведения о среде\", чтобы получить дополнительную информацию"
+ },
+ "vs/workbench/contrib/terminal/browser/links/terminalLinkManager": {
+ "terminalLinkHandler.followLinkAlt.mac": "OPTION + щелчок",
+ "terminalLinkHandler.followLinkAlt": "ALT + щелчок",
+ "terminalLinkHandler.followLinkCmd": "CMD + щелчок",
+ "terminalLinkHandler.followLinkCtrl": "CTRL + щелчок",
+ "followLink": "Перейти по ссылке"
+ },
+ "vs/workbench/contrib/terminal/browser/links/terminalWordLinkProvider": {
+ "searchWorkspace": "Поиск рабочей области"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalProcessExtHostProxy": {
+ "terminal.integrated.starting": "Запуск..."
+ },
+ "vs/workbench/contrib/terminal/browser/environmentVariableInfo": {
+ "extensionEnvironmentContributionChanges": "Расширения стремятся внести следующие изменения в среду терминала:",
+ "extensionEnvironmentContributionRemoval": "Расширения стремятся удалить существующие изменения из среды терминала:",
+ "relaunchTerminalLabel": "Перезапустить терминал",
+ "extensionEnvironmentContributionInfo": "Расширения внесли изменения в среду этого терминала"
+ },
+ "vs/workbench/contrib/terminal/browser/links/terminalLink": {
+ "openFile": "Открыть файл в редакторе",
+ "focusFolder": "Фокус на папке в проводнике",
+ "openFolder": "Открыть папку в новом окне"
+ },
+ "vs/workbench/contrib/themes/browser/themes.contribution": {
+ "selectTheme.label": "Цветовая тема",
+ "themes.category.light": "светлые темы",
+ "themes.category.dark": "темные темы",
+ "themes.category.hc": "темы с высоким контрастом",
+ "installColorThemes": "Установить дополнительные цветовые темы...",
+ "themes.selectTheme": "Выберите цветовую тему (используйте клавиши стрелок вверх и вниз для предварительного просмотра)",
+ "selectIconTheme.label": "Тема значков файлов",
+ "noIconThemeLabel": "NONE",
+ "noIconThemeDesc": "Отключить значки файлов",
+ "installIconThemes": "Установить дополнительные темы значков файлов...",
+ "themes.selectIconTheme": "Выбрать тему значка файла",
+ "selectProductIconTheme.label": "Тема значков продукта",
+ "defaultProductIconThemeLabel": "По умолчанию",
+ "themes.selectProductIconTheme": "Выбор темы значков продукта",
+ "generateColorTheme.label": "Создать цветовую тему на основе текущих параметров",
+ "preferences": "Параметры",
+ "miSelectColorTheme": "&&Цветовая тема",
+ "miSelectIconTheme": "Тема &&значков файлов",
+ "themes.selectIconTheme.label": "Тема значков файлов"
+ },
+ "vs/workbench/contrib/timeline/browser/timeline.contribution": {
+ "timelineViewIcon": "Значок представления временной шкалы.",
+ "timelineOpenIcon": "Значок для действия открытия временной шкалы.",
+ "timelineConfigurationTitle": "Временная шкала",
+ "timeline.excludeSources": "Экспериментальная функция: массив источников временной шкалы, которые должны быть исключены из представления временной шкалы",
+ "timeline.pageSize": "Число элементов, отображаемых в представлении временной шкалы по умолчанию и при загрузке дополнительных элементов. Если задано значение null (по умолчанию), размер страницы выбирается автоматически на основе видимой области представления временной шкалы",
+ "timeline.pageOnScroll": "Экспериментальная функция. Определяет, будет ли представление временной шкалы загружать следующую страницу элементов при прокрутке до конца списка",
+ "files.openTimeline": "Открыть временную шкалу"
+ },
+ "vs/workbench/contrib/timeline/browser/timelinePane": {
+ "timeline.loadingMore": "Идет загрузка...",
+ "timeline.loadMore": "Загрузить еще",
+ "timeline": "Временная шкала",
+ "timeline.editorCannotProvideTimeline": "Активный редактор не может предоставить информацию о временной шкале.",
+ "timeline.noTimelineInfo": "Информация о временной шкале не была предоставлена.",
+ "timeline.aria.item": "{0}: {1}",
+ "timeline.loading": "Идет загрузка временной шкалы для {0}...",
+ "timelineRefresh": "Значок для действия обновления временной шкалы.",
+ "timelinePin": "Значок для действия закрепления временной шкалы.",
+ "timelineUnpin": "Значок для действия открепления временной шкалы.",
+ "refresh": "Обновить",
+ "timeline.toggleFollowActiveEditorCommand.follow": "Закрепить текущую временную шкалу",
+ "timeline.toggleFollowActiveEditorCommand.unfollow": "Открепить текущую временную шкалу",
+ "timeline.filterSource": "Включить: {0}"
+ },
+ "vs/workbench/contrib/update/browser/update.contribution": {
+ "miReleaseNotes": "&&Заметки о выпуске"
+ },
+ "vs/workbench/contrib/update/browser/update": {
+ "releaseNotes": "Заметки о выпуске",
+ "update.noReleaseNotesOnline": "Для этой версии {0} нет заметок о выпуске в Интернете.",
+ "showReleaseNotes": "Показать заметки о выпуске",
+ "read the release notes": "Вас приветствует {0} v{1}! Вы хотите прочитать заметки о выпуске?",
+ "licenseChanged": "Наши условия лицензии изменились. Чтобы ознакомиться с ними, щелкните [здесь]({0}).",
+ "updateIsReady": "Доступно новое обновление {0}.",
+ "checkingForUpdates": "Идет проверка наличия обновлений...",
+ "update service": "Обновить службу",
+ "noUpdatesAvailable": "Доступные обновления отсутствуют.",
+ "ok": "ОК",
+ "thereIsUpdateAvailable": "Доступно обновление.",
+ "download update": "Скачать обновление",
+ "later": "Позже",
+ "updateAvailable": "Доступно обновление: {0} {1}",
+ "installUpdate": "Установить обновление",
+ "updateInstalling": "{0} {1} устанавливается в фоновом режиме, мы сообщим вам о завершении.",
+ "updateNow": "Обновить сейчас",
+ "updateAvailableAfterRestart": "Перезапустите {0}, чтобы применить последнее обновление.",
+ "checkForUpdates": "Проверить наличие обновлений...",
+ "download update_1": "Скачать обновление (1)",
+ "DownloadingUpdate": "Скачивается обновление...",
+ "installUpdate...": "Установить обновление… (1)",
+ "installingUpdate": "Идет установка обновления...",
+ "good luck": "'Restart to Update' is not working properly on macOS Big Sur. Click 'Quit to Update' to quit {0} and update it. Then, relaunch it from Finder.",
+ "quit": "Quit to Update",
+ "learn more": "Learn More",
+ "cancel": "Cancel",
+ "restartToUpdate": "Перезапустить для обновления (1)",
+ "relaunchMessage": "Чтобы изменение версии вступило в силу, требуется перезагрузка.",
+ "relaunchDetailInsiders": "Нажмите кнопку перезагрузки, чтобы переключиться на выпускаемую ежедневно предварительную версию VSCode.",
+ "relaunchDetailStable": "Нажмите кнопку перезагрузки, чтобы переключиться на выпускаемую ежемесячно стабильную версию VSCode.",
+ "reload": "&&Перезагрузить",
+ "switchToInsiders": "Переключиться на версию для участников программы предварительной оценки...",
+ "switchToStable": "Переключиться на стабильную версию..."
+ },
+ "vs/workbench/contrib/update/browser/releaseNotesEditor": {
+ "releaseNotesInputName": "Заметки о выпуске: {0}",
+ "unassigned": "не присвоено"
+ },
+ "vs/workbench/contrib/url/browser/url.contribution": {
+ "openUrl": "Открыть URL-адрес",
+ "urlToOpen": "URL-адрес для открытия"
+ },
+ "vs/workbench/contrib/url/browser/trustedDomains": {
+ "trustedDomain.manageTrustedDomain": "Управление доверенными доменами",
+ "trustedDomain.trustDomain": "Доверять домену {0}",
+ "trustedDomain.trustAllPorts": "Доверять домену {0} на всех портах",
+ "trustedDomain.trustSubDomain": "Доверять домену {0} и всем его поддоменам",
+ "trustedDomain.trustAllDomains": "Доверять всем доменам (при этом отключается защита ссылок)",
+ "trustedDomain.manageTrustedDomains": "Управление доверенными доменами",
+ "configuringURL": "Настроить доверие для: {0}"
+ },
+ "vs/workbench/contrib/url/browser/trustedDomainsValidator": {
+ "openExternalLinkAt": "Вы хотите открыть внешний веб-сайт в {0}?",
+ "open": "Открыть",
+ "copy": "Копировать",
+ "cancel": "Отмена",
+ "configureTrustedDomains": "Настроить доверенные домены"
+ },
+ "vs/workbench/contrib/userDataSync/electron-browser/userDataSync.contribution": {
+ "operationId": "Идентификатор операции: {0}",
+ "too many requests": "Синхронизация параметров отключена, так как текущее устройство отправляет слишком много запросов. Сообщите о проблеме, предоставив журналы синхронизации.",
+ "settings sync": "Синхронизация параметров. ИД операции: {0}",
+ "show sync logs": "Открыть журнал",
+ "report issue": "Сообщить о проблеме",
+ "Open Backup folder": "Открыть папку локальных резервных копий",
+ "no backups": "Папка локальных резервных копий не существует."
+ },
+ "vs/workbench/contrib/userDataSync/browser/userDataSync.contribution": {
+ "operationId": "Идентификатор операции: {0}",
+ "too many requests": "Синхронизация параметров на этом устройстве отключена, так как оно отправляет слишком много запросов."
+ },
+ "vs/workbench/contrib/userDataSync/browser/userDataSync": {
+ "turn on sync with category": "{0}: включение...",
+ "stop sync": "{0}: отключить",
+ "configure sync": "{0}: настройка...",
+ "showConflicts": "{0}: показать конфликты параметров",
+ "showKeybindingsConflicts": "{0}: показать конфликты настраиваемых сочетаний клавиш",
+ "showSnippetsConflicts": "{0}: показать конфликты пользовательских фрагментов",
+ "sync now": "{0}: синхронизировать",
+ "syncing": "синхронизируется.",
+ "synced with time": "синхронизировано {0}.",
+ "sync settings": "{0}: показать параметры",
+ "show synced data": "{0}: показать синхронизируемые данные",
+ "conflicts detected": "Не удается синхронизировать из-за конфликтов в {0}. Устраните их, чтобы продолжить.",
+ "accept remote": "Принять удаленный",
+ "accept local": "Принять локальный",
+ "show conflicts": "Показать конфиликты",
+ "accept failed": "Ошибка при принятии изменений. Дополнительные сведения см. в [журналах]({0}).",
+ "session expired": "Синхронизация параметров отключена, так как истек срок действия текущего сеанса. Чтобы включить синхронизацию, повторите вход.",
+ "turn on sync": "Включение синхронизации параметров…",
+ "turned off": "Синхронизация параметров отключена с другого устройства. Чтобы включить ее, повторите вход.",
+ "too large": "Синхронизация {0} отключена, так как размер файла {1} для синхронизации больше {2}. Откройте файл, уменьшите размер и включите синхронизацию.",
+ "error upgrade required": "Синхронизация параметров отключена, так как текущая версия ({0}, {1}) несовместима со службой синхронизации. Обновите версию, прежде чем включать синхронизацию.",
+ "operationId": "Идентификатор операции: {0}",
+ "error reset required": "Синхронизация параметров отключена, так как данные в облаке более старые, чем в клиенте. Очистите данные в облаке, прежде чем включать синхронизацию.",
+ "reset": "Очистка данных в облаке...",
+ "show synced data action": "Показать синхронизированные данные",
+ "switched to insiders": "Для синхронизации параметров сейчас используется отдельная служба, дополнительные сведения см. в [заметках о выпуске](https://code.visualstudio.com/updates/v1_48#_settings-sync).",
+ "open file": "Открыть файл {0}",
+ "errorInvalidConfiguration": "Не удалось синхронизировать {0}, так как содержимое файла является недопустимым. Откройте файл и измените его содержимое.",
+ "has conflicts": "{0}: обнаружены конфликты",
+ "turning on syncing": "Включение синхронизации параметров…",
+ "sign in to sync": "Войдите для синхронизации параметров",
+ "no authentication providers": "Поставщики проверки подлинности недоступны.",
+ "too large while starting sync": "Невозможно включить синхронизацию параметров, так как размер файла {0} для синхронизации превышает {1}. Откройте файл и уменьшите размер, а затем включите синхронизацию.",
+ "error upgrade required while starting sync": "Невозможно включить синхронизацию параметров, так как текущая версия ({0}, {1}) несовместима со службой синхронизации. Обновите версию, прежде чем включать синхронизацию.",
+ "error reset required while starting sync": "Невозможно включить синхронизацию параметров, так как данные в облаке более старые, чем в клиенте. Очистите данные в облаке, прежде чем включать синхронизацию.",
+ "auth failed": "Ошибка при включении синхронизации параметров: проверка подлинности не пройдена.",
+ "turn on failed": "Ошибка при включении синхронизации параметров. Дополнительные сведения см. в [журналах]({0}).",
+ "sync preview message": "Это предварительная версия функции синхронизации параметров. Прочтите документацию, прежде чем включать ее.",
+ "turn on": "Включить",
+ "open doc": "Открыть документацию",
+ "cancel": "Отмена",
+ "sign in and turn on": "Войти и включить",
+ "configure and turn on sync detail": "Войдите, чтобы синхронизировать данные на устройствах.",
+ "per platform": "для каждой платформы",
+ "configure sync placeholder": "Выберите компоненты для синхронизации",
+ "turn off sync confirmation": "Вы хотите отключить синхронизацию?",
+ "turn off sync detail": "Синхронизация ваших параметров, настраиваемых сочетаний клавиш, расширений, фрагментов кода и состояния пользовательского интерфейса будет прекращена.",
+ "turn off": "&&Отключить",
+ "turn off sync everywhere": "Отключение синхронизации всех устройств и очистка данных из облака.",
+ "leftResourceName": "{0} (удаленный)",
+ "merges": "{0} (слияния)",
+ "sideBySideLabels": "{0} ↔ {1}",
+ "sideBySideDescription": "Синхронизация параметров",
+ "switchSyncService.title": "{0}: Выберите службу",
+ "switchSyncService.description": "При синхронизации с несколькими средами обязательно используйте ту же службу синхронизации параметров.",
+ "default": "По умолчанию",
+ "insiders": "Участники программы предварительной оценки",
+ "stable": "Стабильно",
+ "global activity turn on sync": "Включение синхронизации параметров…",
+ "turnin on sync": "Включение синхронизации параметров…",
+ "sign in global": "Войдите для синхронизации параметров",
+ "sign in accounts": "Войдите для синхронизации параметров (1)",
+ "resolveConflicts_global": "{0}: показать конфликты параметров (1)",
+ "resolveKeybindingsConflicts_global": "{0}: показать конфликты настраиваемых сочетаний клавиш (1)",
+ "resolveSnippetsConflicts_global": "{0}: показать конфликты пользовательских фрагментов ({1})",
+ "sync is on": "Синхронизация параметров включена.",
+ "workbench.action.showSyncRemoteBackup": "Показать синхронизированные данные",
+ "turn off failed": "Ошибка при отключении синхронизации параметров. Дополнительные сведения см. в [журналах]({0}).",
+ "show sync log title": "{0}: показать журнал",
+ "accept merges": "Принять слияния",
+ "accept remote button": "Принять &&удаленный",
+ "accept merges button": "Принять &&слияния",
+ "Sync accept remote": "{0}: {1}",
+ "Sync accept merges": "{0}: {1}",
+ "confirm replace and overwrite local": "Вы хотите принять удаленный {0} и заменить локальный {1}?",
+ "confirm replace and overwrite remote": "Хотите принять слияния и заменить удаленный ресурс {0}?",
+ "update conflicts": "Не удалось разрешить конфликты, так как доступна новая локальная версия. Повторите попытку."
+ },
+ "vs/workbench/contrib/userDataSync/browser/userDataSyncViews": {
+ "showLog": "Открыть журнал",
+ "configure": "Настроить...",
+ "workbench.actions.syncData.reset": "Очистка данных в облаке...",
+ "merges": "Слияния",
+ "synced machines": "Синхронизированные компьютеры",
+ "workbench.actions.sync.editMachineName": "Изменить имя",
+ "workbench.actions.sync.turnOffSyncOnMachine": "Отключить синхронизацию параметров",
+ "remote sync activity title": "Действие синхронизации (удаленное)",
+ "local sync activity title": "Действие синхронизации (локальное)",
+ "workbench.actions.sync.resolveResourceRef": "Показать необработанные данные синхронизации JSON",
+ "workbench.actions.sync.replaceCurrent": "Восстановить",
+ "confirm replace": "Хотите заменить текущие данные ({0}) на выбранное?",
+ "workbench.actions.sync.compareWithLocal": "Открыть изменения",
+ "leftResourceName": "{0} (удаленный)",
+ "rightResourceName": "{0} (локальный)",
+ "sideBySideLabels": "{0} ↔ {1}",
+ "sideBySideDescription": "Синхронизация параметров",
+ "reset": "Сброс синхронизированных данных",
+ "current": "Текущая",
+ "no machines": "Компьютеры отсутствуют",
+ "not found": "не найден компьютер с идентификатором {0}",
+ "turn off sync on machine": "Вы действительно хотите отключить синхронизацию для {0}?",
+ "turn off": "&&Отключить",
+ "placeholder": "Введите имя компьютера",
+ "valid message": "Имя компьютера должно быть уникальным и непустым."
+ },
+ "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": "Отменить",
+ "workbench.actions.sync.showChanges": "Открыть изменения",
+ "conflicts detected": "Обнаружены конфликты",
+ "resolve": "Слияние невозможно из-за конфликтов. Разрешите их, чтобы продолжить.",
+ "turning on": "Включение…",
+ "preview": "{0} (предварительная версия)",
+ "leftResourceName": "{0} (удаленный)",
+ "merges": "{0} (слияния)",
+ "rightResourceName": "{0} (локальный)",
+ "sideBySideLabels": "{0} ↔ {1}",
+ "sideBySideDescription": "Синхронизация параметров",
+ "label": "UserDataSyncResources",
+ "conflict": "Обнаружены конфликты",
+ "accepted": "Принято",
+ "accept remote": "Принять удаленный",
+ "accept local": "Принять локальный",
+ "accept merges": "Принять слияния"
+ },
+ "vs/workbench/contrib/views/browser/treeView": {
+ "no-dataprovider": "Отсутствует зарегистрированный поставщик данных, который может предоставить сведения о просмотрах.",
+ "refresh": "Обновить",
+ "collapseAll": "Свернуть все",
+ "command-error": "Ошибка при выполнении команды {1}: {0}. Это, скорее всего, вызвано расширением, добавляющим {1}."
+ },
+ "vs/workbench/contrib/watermark/browser/watermark": {
+ "watermark.showCommands": "Показать все команды",
+ "watermark.quickAccess": "Перейти к файлу",
+ "watermark.openFile": "Открыть файл",
+ "watermark.openFolder": "Открыть папку",
+ "watermark.openFileFolder": "Открыть файл или папку",
+ "watermark.openRecent": "Открыть последний",
+ "watermark.newUntitledFile": "Новый файл без имени",
+ "watermark.toggleTerminal": "Терминал",
+ "watermark.findInFiles": "Найти в файлах",
+ "watermark.startDebugging": "Начать отладку",
+ "tips.enabled": "Если параметр включен, на подложке появляются советы, если нет открытых редакторов."
+ },
+ "vs/workbench/contrib/webview/electron-browser/webviewCommands": {
+ "openToolsLabel": "Открыть средства разработчика веб-представлений"
+ },
+ "vs/workbench/contrib/webview/browser/baseWebviewElement": {
+ "fatalErrorMessage": "Ошибка при загрузке веб-представления: {0}"
+ },
+ "vs/workbench/contrib/webviewPanel/browser/webviewPanel.contribution": {
+ "webview.editor.label": "редактор веб-представления"
+ },
+ "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/welcome/overlay/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/welcome/page/browser/welcomePage.contribution": {
+ "workbench.startupEditor.none": "Запустить без редактора.",
+ "workbench.startupEditor.welcomePage": "Откройте страницу приветствия (по умолчанию).",
+ "workbench.startupEditor.readme": "Открыть файл README при открытии папки, содержащей этот файл, в противном случае открыть 'welcomePage'.",
+ "workbench.startupEditor.newUntitledFile": "Открыть новый файл без названия (применяется только при открытии пустой рабочей области).",
+ "workbench.startupEditor.welcomePageInEmptyWorkbench": "Открывать страницу приветствия при открытии пустой рабочей области.",
+ "workbench.startupEditor.gettingStarted": "Открытие страницы \"Начало работы\" (экспериментальная).",
+ "workbench.startupEditor": "Управляет тем, какой редактор отображается при запуске, если содержимое редактора не было восстановлено из предыдущего сеанса.",
+ "miWelcome": "&&Приветствие"
+ },
+ "vs/workbench/contrib/welcome/gettingStarted/browser/gettingStarted.contribution": {
+ "Getting Started": "Начало работы",
+ "help": "Справка",
+ "gettingStartedDescription": "Включает экспериментальную страницу \"Начало работы\", доступную в меню \"Справка\"."
+ },
+ "vs/workbench/contrib/welcome/walkThrough/browser/walkThrough.contribution": {
+ "walkThrough.editor.label": "Интерактивная тестовая площадка",
+ "miInteractivePlayground": "И&&нтерактивная тестовая площадка"
+ },
+ "vs/workbench/contrib/welcome/page/browser/welcomePage": {
+ "welcomePage": "Приветствие",
+ "welcomePage.javaScript": "JavaScript",
+ "welcomePage.python": "Python",
+ "welcomePage.java": "Java",
+ "welcomePage.php": "PHP",
+ "welcomePage.azure": "Azure",
+ "welcomePage.showAzureExtensions": "Показать расширения Azure",
+ "welcomePage.docker": "Docker",
+ "welcomePage.vim": "Vim",
+ "welcomePage.sublime": "Sublime",
+ "welcomePage.atom": "Atom",
+ "welcomePage.extensionPackAlreadyInstalled": "Поддержка {0} уже добавлена.",
+ "welcomePage.willReloadAfterInstallingExtensionPack": "После установки дополнительной поддержки для {0} окно будет перезагружено.",
+ "welcomePage.installingExtensionPack": "Установка дополнительной поддержки для {0}...",
+ "welcomePage.extensionPackNotFound": "Не удается найти поддержку для {0} с идентификатором {1}.",
+ "welcomePage.keymapAlreadyInstalled": "Сочетания клавиш {0} уже установлены.",
+ "welcomePage.willReloadAfterInstallingKeymap": "Окно перезагрузится после установки сочетаний клавиш {0}.",
+ "welcomePage.installingKeymap": "Устанавливаются сочетания клавиш {0}...",
+ "welcomePage.keymapNotFound": "Не удалось найти сочетания клавиш {0} с идентификатором {1}.",
+ "welcome.title": "Приветствие",
+ "welcomePage.openFolderWithPath": "Открыть папку {0} с путем {1}",
+ "welcomePage.extensionListSeparator": ", ",
+ "welcomePage.installKeymap": "Установить раскладку клавиатуры {0}",
+ "welcomePage.installExtensionPack": "Установить дополнительную поддержку для {0}",
+ "welcomePage.installedKeymap": "Раскладка клавиатуры {0} уже установлена",
+ "welcomePage.installedExtensionPack": "Поддержка {0} уже установлена",
+ "ok": "ОК",
+ "details": "Подробные сведения"
+ },
+ "vs/workbench/contrib/welcome/gettingStarted/browser/gettingStarted": {
+ "editorGettingStarted.title": "Начало работы",
+ "next": "Далее"
+ },
+ "vs/workbench/contrib/welcome/walkThrough/browser/walkThroughPart": {
+ "walkThrough.unboundCommand": "свободный",
+ "walkThrough.gitNotFound": "Похоже, Git не установлен в вашей системе.",
+ "walkThrough.embeddedEditorBackground": "Цвет фона встроенных редакторов для интерактивных тестовых площадок."
+ },
+ "vs/workbench/contrib/welcome/walkThrough/browser/editor/editorWalkThrough": {
+ "editorWalkThrough.title": "Интерактивная тестовая площадка",
+ "editorWalkThrough": "Интерактивная тестовая площадка"
+ },
+ "vs/workbench/contrib/welcome/common/viewsWelcomeContribution": {
+ "ViewsWelcomeExtensionPoint.proposedAPI": "Для вклада viewsWelcome в \"{0}\" требуется включить \"enableProposedApi\"."
+ },
+ "vs/workbench/contrib/welcome/common/viewsWelcomeExtensionPoint": {
+ "contributes.viewsWelcome": "Добавлено приветственное содержимое для представлений. Оно будет показано в представлениях на основе дерева, в которых отсутствует осмысленное содержимое для отображения, например в проводнике, когда не открыто ни одной папки. Такое содержимое удобно использовать для отображения документации в составе продукта, чтобы стимулировать пользователей задействовать определенные функции еще до их выхода. Хорошим примером является кнопка \"Клонировать репозиторий\" в приветственном представлении проводника.",
+ "contributes.viewsWelcome.view": "Добавлено приветственное содержимое для конкретного представления.",
+ "contributes.viewsWelcome.view.view": "Идентификатор целевого представления для этого приветственного содержимого. Поддерживаются только представления на основе дерева.",
+ "contributes.viewsWelcome.view.contents": "Приветственное содержимое, которое нужно отобразить. Формат содержимого представляет подмножество Markdown с поддержкой одних ссылок.",
+ "contributes.viewsWelcome.view.when": "Условие, по которому нужно отобразить приветственное содержимое.",
+ "contributes.viewsWelcome.view.group": "Группа, которой принадлежит это приветственное содержимое.",
+ "contributes.viewsWelcome.view.enablement": "Условие, при соблюдении которого необходимо включить кнопки для приветственного содержимого."
+ },
+ "vs/workbench/contrib/welcome/telemetryOptOut/browser/telemetryOptOut": {
+ "telemetryOptOut.optOutNotice": "Помогите улучшить VS Code, разрешив корпорации Майкрософт сбор данных об использовании. Прочтите наше [заявление о конфиденциальности]({0}) и узнайте, как [явно отказаться от него]({1}).",
+ "telemetryOptOut.optInNotice": "Помогите улучшить VS Code, разрешив корпорации Майкрософт сбор данных об использовании. Прочтите наше [заявление о конфиденциальности]({0}) и узнайте, как [его принять]({1}).",
+ "telemetryOptOut.readMore": "Подробнее",
+ "telemetryOptOut.optOutOption": "Помогите корпорации Майкрософт улучшить Visual Studio Code, разрешив сбор данных об использовании. Дополнительные сведения см. в нашем [заявлении о конфиденциальности]({0}).",
+ "telemetryOptOut.OptIn": "Да, я буду рад помочь",
+ "telemetryOptOut.OptOut": "Нет, спасибо"
+ },
+ "vs/workbench/contrib/welcome/page/browser/welcomePageColors": {
+ "welcomePage.buttonBackground": "Цвет фона кнопок на странице приветствия.",
+ "welcomePage.buttonHoverBackground": "Цвет фона при наведении указателя для кнопок на странице приветствия.",
+ "welcomePage.background": "Цвет фона страницы приветствия."
+ },
+ "vs/workbench/contrib/welcome/page/browser/vs_code_welcome_page": {
+ "welcomePage.vscode": "Visual Studio Code",
+ "welcomePage.editingEvolved": "Улучшенное редактирование",
+ "welcomePage.start": "Запуск",
+ "welcomePage.newFile": "Создать файл",
+ "welcomePage.openFolder": "Открыть папку...",
+ "welcomePage.gitClone": "клонирование репозитория…",
+ "welcomePage.recent": "Последние",
+ "welcomePage.moreRecent": "Подробнее...",
+ "welcomePage.noRecentFolders": "Нет последних папок.",
+ "welcomePage.help": "Справка",
+ "welcomePage.keybindingsCheatsheet": "Список сочетаний клавиш в печатном виде",
+ "welcomePage.introductoryVideos": "Вступительные видео",
+ "welcomePage.tipsAndTricks": "Советы и рекомендации",
+ "welcomePage.productDocumentation": "Документация по продукту",
+ "welcomePage.gitHubRepository": "Репозиторий GitHub",
+ "welcomePage.stackOverflow": "Stack Overflow",
+ "welcomePage.newsletterSignup": "Подпишитесь на наш информационный бюллетень",
+ "welcomePage.showOnStartup": "Отображать страницу приветствия при запуске",
+ "welcomePage.customize": "Настроить",
+ "welcomePage.installExtensionPacks": "Средства и языки",
+ "welcomePage.installExtensionPacksDescription": "Установить поддержку для {0} и {1}",
+ "welcomePage.showLanguageExtensions": "Показать дополнительные расширения языка",
+ "welcomePage.moreExtensions": "Еще",
+ "welcomePage.installKeymapDescription": "Параметры и настраиваемые сочетания клавиш",
+ "welcomePage.installKeymapExtension": "Установить параметры и настраиваемые сочетания клавиш из {0} и {1}",
+ "welcomePage.showKeymapExtensions": "Показать другие расширения для раскладки клавиатуры",
+ "welcomePage.others": "Другие",
+ "welcomePage.colorTheme": "Цветовая тема",
+ "welcomePage.colorThemeDescription": "Настройте редактор и код удобным образом.",
+ "welcomePage.learn": "Подробнее",
+ "welcomePage.showCommands": "Найти и выполнить все команды",
+ "welcomePage.showCommandsDescription": "Быстро обращайтесь к командам и выполняйте поиск по командам с помощью палитры команд ({0})",
+ "welcomePage.interfaceOverview": "Общие сведения об интерфейсе",
+ "welcomePage.interfaceOverviewDescription": "Используйте визуальное наложение с выделением основных компонентов пользовательского интерфейса.",
+ "welcomePage.interactivePlayground": "Интерактивная тестовая площадка",
+ "welcomePage.interactivePlaygroundDescription": "Познакомьтесь с основными функциями редактора с помощью короткого пошагового руководства"
+ },
+ "vs/workbench/contrib/welcome/gettingStarted/browser/vs_code_editor_getting_started": {
+ "gettingStarted.vscode": "Visual Studio Code",
+ "gettingStarted.editingRedefined": "Редактирование кода. Переопределено"
+ },
+ "vs/workbench/contrib/workspaces/browser/workspaces.contribution": {
+ "workspaceFound": "Эта папка содержит файл рабочей области \"{0}\". Вы хотите открыть его? [Дополнительные сведения] ({1}) о файлах рабочей области. ",
+ "openWorkspace": "Открыть рабочую область",
+ "workspacesFound": "Эта папка содержит несколько файлов рабочей области. Вы хотите открыть один из этих файлов? [Дополнительные сведения] ({0}) о файлах рабочей области.",
+ "selectWorkspace": "Выберите рабочую область",
+ "selectToOpen": "Выберите рабочую область, которую необходимо открыть"
+ },
+ "vs/workbench/services/authentication/browser/authenticationService": {
+ "authentication.id": "Идентификатор поставщика проверки подлинности.",
+ "authentication.label": "Понятное имя поставщика проверки подлинности.",
+ "authenticationExtensionPoint": "Добавляет проверку подлинности.",
+ "loading": "Идет загрузка...",
+ "authentication.missingId": "Во вкладе проверки подлинности должен быть указан идентификатор.",
+ "authentication.missingLabel": "Во вкладе проверки подлинности должна быть указана метка.",
+ "authentication.idConflict": "Идентификатор проверки подлинности \"{0}\" уже зарегистрирован.",
+ "noAccounts": "Вы не вошли ни в какие учетные записи",
+ "sign in": "Запрошен вход в систему",
+ "signInRequest": "Войдите в систему, чтобы использовать {0} (1)."
+ },
+ "vs/workbench/services/bulkEdit/browser/bulkEditService": {
+ "summary.0": "Нет изменений",
+ "summary.nm": "Сделано изменений {0} в {1} файлах",
+ "summary.n0": "Сделано изменений {0} в одном файле",
+ "workspaceEdit": "Изменение рабочей области",
+ "nothing": "Нет изменений"
+ },
+ "vs/workbench/services/configuration/common/jsonEditingService": {
+ "errorInvalidFile": "Не удается выполнить запись в файл. Откройте файл, исправьте ошибки и предупреждения в файле и повторите попытку.",
+ "errorFileDirty": "Не удается записать сведения в файл, так как файл был изменен. Сохраните файл и повторите попытку."
+ },
+ "vs/workbench/services/configuration/common/configurationEditingService": {
+ "openTasksConfiguration": "Открыть конфигурацию задач",
+ "openLaunchConfiguration": "Открыть конфигурацию запуска",
+ "open": "Открыть параметры",
+ "saveAndRetry": "Сохранить и повторить",
+ "errorUnknownKey": "Не удалось записать в {0}, так как {1} не является зарегистрированной конфигурацией.",
+ "errorInvalidWorkspaceConfigurationApplication": "Не удается записать {0} в параметры рабочей области. Этот параметр можно записать только в параметры пользователя.",
+ "errorInvalidWorkspaceConfigurationMachine": "Не удается записать {0} в параметры рабочей области. Этот параметр можно записать только в параметры пользователя.",
+ "errorInvalidFolderConfiguration": "Не удается изменить параметры папок, так как {0} не поддерживает область ресурсов папок. ",
+ "errorInvalidUserTarget": "Не удается изменить параметры пользователей, так как {0} не поддерживает глобальную область.",
+ "errorInvalidWorkspaceTarget": "Не удается изменить параметры рабочей области, так как {0} не поддерживает рабочие области в рабочей области из нескольких папок.",
+ "errorInvalidFolderTarget": "Не удается изменить параметры папок, так как ресурс не указан.",
+ "errorInvalidResourceLanguageConfiguraiton": "Не удалось выполнить запись в языковые параметры, так как {0} не является параметром языка ресурса.",
+ "errorNoWorkspaceOpened": "Не удается записать в {0}, так как не открыта ни одна рабочая область. Откройте рабочую область и повторите попытку.",
+ "errorInvalidTaskConfiguration": "Не удается записать файл конфигурации задач. Откройте файл, исправьте ошибки и предупреждения и повторите попытку.",
+ "errorInvalidLaunchConfiguration": "Не удается записать файл конфигурации запуска. Откройте файл, исправьте ошибки и предупреждения и повторите попытку.",
+ "errorInvalidConfiguration": "Не удается выполнить запись в файл параметров пользователя. Откройте параметры пользователя, исправьте ошибки и предупреждения и повторите попытку. ",
+ "errorInvalidRemoteConfiguration": "Не удалось выполнить запись в параметры удаленного пользователя. Откройте параметры удаленного пользователя для исправления ошибок или предупреждений и повторите попытку.",
+ "errorInvalidConfigurationWorkspace": "Не удается выполнить запись в файл параметров рабочей области. Откройте параметры рабочей области, исправьте ошибки и предупреждения и повторите попытку. ",
+ "errorInvalidConfigurationFolder": "Не удается записать параметры папки. Откройте параметры папки '{0}', исправьте ошибки и предупреждения и повторите попытку. ",
+ "errorTasksConfigurationFileDirty": "Не удается записать файл конфигурации задач, так как файл был изменен. Сохраните файл и повторите попытку.",
+ "errorLaunchConfigurationFileDirty": "Не удается записать файл конфигурации запуска, так как файл был изменен. Сохраните файл и повторите попытку.",
+ "errorConfigurationFileDirty": "Не удается записать параметры пользователя, так как файл был изменен. Сохраните файл параметров пользователя и повторите попытку.",
+ "errorRemoteConfigurationFileDirty": "Не удалось выполнить запись в параметры удаленного пользователя, так как файл является \"грязным\". Сначала сохраните файл параметров удаленного пользователя, а затем повторите попытку.",
+ "errorConfigurationFileDirtyWorkspace": "Не удается записать параметры рабочей области, так как файл был изменен. Сохраните файл параметров рабочей области и повторите попытку. ",
+ "errorConfigurationFileDirtyFolder": "Не удается записать параметры папки, так как файл был изменен. Сохраните файл параметров папки '{0}' и повторите попытку.",
+ "errorTasksConfigurationFileModifiedSince": "Не удалось выполнить запись в файл конфигурации задач, так как содержимое файла является более новым.",
+ "errorLaunchConfigurationFileModifiedSince": "Не удается выполнить запись в файл конфигурации запуска, так как содержимое файла является более новым.",
+ "errorConfigurationFileModifiedSince": "Не удалось выполнить запись в параметры пользователя, так как содержимое файла является более новым.",
+ "errorRemoteConfigurationFileModifiedSince": "Не удается выполнить запись в параметры удаленного пользователя, так как содержимое файла является более новым.",
+ "errorConfigurationFileModifiedSinceWorkspace": "Не удалось выполнить запись в параметры рабочей области, так как содержимое файла является более новым.",
+ "errorConfigurationFileModifiedSinceFolder": "Не удается выполнить запись в параметры папки, так как содержимое файла является более новым.",
+ "userTarget": "Параметры пользователя",
+ "remoteUserTarget": "Параметры удаленного пользователя",
+ "workspaceTarget": "Параметры рабочей области",
+ "folderTarget": "Параметры папок"
+ },
+ "vs/workbench/services/configurationResolver/browser/configurationResolverService": {
+ "commandVariable.noStringType": "Не удается заменить переменную команды \"{0}\", так как команда не возвратила результат строкового типа.",
+ "inputVariable.noInputSection": "Переменная \"{0}\" должна быть определена в разделе \"{1}\" конфигурации отладки или задачи.",
+ "inputVariable.missingAttribute": "Входная переменная \"{0}\" имеет тип \"{1}\" и должна включать в себя \"{2}\".",
+ "inputVariable.defaultInputValue": "(По умолчанию)",
+ "inputVariable.command.noStringType": "Не удается заменить входную переменную \"{0}\", так как команда \"{1}\" не возвратила результат строкового типа.",
+ "inputVariable.unknownType": "Входная переменная \"{0}\" может иметь только тип \"promptString\", \"pickString\" или \"command\".",
+ "inputVariable.undefinedVariable": "Обнаружена неопределенная входная переменная \"{0}\". Чтобы продолжить, удалите или определите \"{0}\"."
+ },
+ "vs/workbench/services/configurationResolver/common/variableResolver": {
+ "canNotResolveFile": "Не удается разрешить переменную {0}. Откройте редактор.",
+ "canNotResolveFolderForFile": "Переменная {0}: не удается найти папку рабочей области \"{1}\".",
+ "canNotFindFolder": "Не удается разрешить переменную {0}. Отсутствует папка \"{1}\".",
+ "canNotResolveWorkspaceFolderMultiRoot": "Не удается разрешить переменную {0} в рабочей области с несколькими папками. Определите область действия этой переменной, указав \":\" и имя папки рабочей области.",
+ "canNotResolveWorkspaceFolder": "Не удается разрешить переменную {0}. Откройте папку.",
+ "missingEnvVarName": "Не удается разрешить переменную {0}, так как не указано имя переменной среды.",
+ "configNotFound": "Не удается разрешить переменную {0}, так как параметр \"{1}\" не найден.",
+ "configNoString": "Не удается разрешить переменную {0}, так как \"{1}\" является структурированным значением.",
+ "missingConfigName": "Не удается разрешить переменную {0}, так как не указано имя параметров.",
+ "canNotResolveLineNumber": "Не удается разрешить переменную {0}. Убедитесь, что в активном редакторе выбрана строка.",
+ "canNotResolveSelectedText": "Не удается разрешить переменную {0}. Убедитесь, что в активном редакторе выбран какой-либо текст.",
+ "noValueForCommand": "Не удается разрешить переменную {0}, так как не указано значение команды."
+ },
+ "vs/workbench/services/configurationResolver/common/configurationResolverUtils": {
+ "deprecatedVariables": "env.\", \"config.\" и \"command.\" устарели, используйте \"env:\", \"config:\" и \"command:\"."
+ },
+ "vs/workbench/services/configurationResolver/common/configurationResolverSchema": {
+ "JsonSchema.input.id": "Идентификатор вводных данных используется для их сопоставления с переменной в форме ${input:id}.",
+ "JsonSchema.input.type": "Используемый тип запроса на ввод данных пользователем.",
+ "JsonSchema.input.description": "Описание отображается, когда у пользователя запрашивается ввод данных.",
+ "JsonSchema.input.default": "Значение входного параметра по умолчанию.",
+ "JsonSchema.inputs": "Введенные пользователем данные. Этот параметр используется для определения подсказок пользователя, например, для свободного ввода строки или для вывода списка с несколькими вариантами.",
+ "JsonSchema.input.type.promptString": "Тип \"promptString\" открывает поле ввода, чтобы запросить у пользователя входные данные.",
+ "JsonSchema.input.password": "Определяет, отображается ли ввод пароля. Текст при вводе пароля скрывается.",
+ "JsonSchema.input.type.pickString": "Тип \"pickString\" показывает список выбора.",
+ "JsonSchema.input.options": "Массив строк, который определяет варианты для выбора.",
+ "JsonSchema.input.pickString.optionLabel": "Метка для параметра.",
+ "JsonSchema.input.pickString.optionValue": "Значение для параметра.",
+ "JsonSchema.input.type.command": "Тип \"command\" выполняет команду.",
+ "JsonSchema.input.command.command": "Команда, выполняемая для этой входной переменной.",
+ "JsonSchema.input.command.args": "Необязательные аргументы, передаваемые команде."
+ },
+ "vs/workbench/services/decorations/browser/decorationsService": {
+ "bubbleTitle": "Содержит выделенные элементы"
+ },
+ "vs/workbench/services/dialogs/browser/abstractFileDialogService": {
+ "saveChangesDetail": "Изменения будут потеряны, если вы не сохраните их.",
+ "saveChangesMessage": "Сохранить изменения, внесенные в {0}?",
+ "saveChangesMessages": "Сохранить изменения в указанных файлах ({0})?",
+ "saveAll": "&&Сохранить все",
+ "save": "&&Сохранить",
+ "dontSave": "&&Не сохранять",
+ "cancel": "Отмена",
+ "openFileOrFolder.title": "Открыть файл или папку",
+ "openFile.title": "Открыть файл",
+ "openFolder.title": "Открыть папку",
+ "openWorkspace.title": "Открыть рабочую область",
+ "filterName.workspace": "Рабочая область",
+ "saveFileAs.title": "Сохранить как",
+ "saveAsTitle": "Сохранить как",
+ "allFiles": "Все файлы",
+ "noExt": "Нет расширений"
+ },
+ "vs/workbench/services/dialogs/browser/simpleFileDialog": {
+ "openLocalFile": "Открыть локальный файл...",
+ "saveLocalFile": "Сохранить локальный файл...",
+ "openLocalFolder": "Открыть локальную папку...",
+ "openLocalFileFolder": "Открыть локально...",
+ "remoteFileDialog.notConnectedToRemote": "Поставщик файловой системы для {0} недоступен.",
+ "remoteFileDialog.local": "Показать локальные",
+ "remoteFileDialog.badPath": "Путь не существует.",
+ "remoteFileDialog.cancel": "Отмена",
+ "remoteFileDialog.invalidPath": "Введите допустимый путь.",
+ "remoteFileDialog.validateFolder": "Папка уже существует. Используйте новое имя файла.",
+ "remoteFileDialog.validateExisting": "{0} уже существует. Перезаписать?",
+ "remoteFileDialog.validateBadFilename": "Введите допустимое имя файла.",
+ "remoteFileDialog.validateNonexistentDir": "Введите существующий путь.",
+ "remoteFileDialog.windowsDriveLetter": "Введите путь, начинающийся с буквы диска.",
+ "remoteFileDialog.validateFileOnly": "Выберите файл.",
+ "remoteFileDialog.validateFolderOnly": "Выберите папку."
+ },
+ "vs/workbench/services/editor/browser/editorService": {
+ "editorAssociations.viewType.sourceDescription": "Источник: {0}"
+ },
+ "vs/workbench/services/editor/common/editorOpenWith": {
+ "promptOpenWith.currentlyActive": "Сейчас активно",
+ "promptOpenWith.setDefaultTooltip": "Задать как редактор по умолчанию для файлов \"{0}\"",
+ "promptOpenWith.placeHolder": "Выберите редактор для \"{0}\"",
+ "builtinProviderDisplayName": "Встроенный",
+ "promptOpenWith.defaultEditor.displayName": "Текстовый редактор",
+ "editor.editorAssociations": "Укажите, какой редактор следует использовать для определенных типов файлов.",
+ "editor.editorAssociations.viewType": "Уникальный идентификатор используемого редактора.",
+ "editor.editorAssociations.filenamePattern": "Стандартная маска, указывающая, для каких файлов должен использоваться редактор."
+ },
+ "vs/workbench/services/extensionManagement/electron-browser/extensionManagementServerService": {
+ "local": "LOCAL",
+ "remote": "Удаленный"
+ },
+ "vs/workbench/services/extensionManagement/electron-sandbox/remoteExtensionManagementService": {
+ "incompatible": "Не удалось установить расширение '{0}', так как оно не совместимо с VS Code '{1}'."
+ },
+ "vs/workbench/services/extensionManagement/common/webExtensionsScannerService": {
+ "cannot be installed": "Не удается установить \"{0}\", так как это расширение не является веб-расширением."
+ },
+ "vs/workbench/services/extensionManagement/browser/extensionEnablementService": {
+ "extensionsDisabled": "Все установленные расширения временно отключены.",
+ "Reload": "Перезагрузить и включить расширения",
+ "cannot disable language pack extension": "Не удается включить или отключить расширение {0}, так как оно предоставляет языковые пакеты.",
+ "cannot disable auth extension": "Не удается включить или отключить расширение {0}, так как от него зависит синхронизация параметров.",
+ "noWorkspace": "Нет рабочей области.",
+ "cannot disable auth extension in workspace": "Не удается включить или отключить расширение {0} в рабочей области, так как оно предоставляет поставщиков проверки подлинности."
+ },
+ "vs/workbench/services/extensionManagement/common/extensionManagementService": {
+ "singleDependentError": "Не удается удалить расширение \"{0}\". От него зависит расширение \"{1}\".",
+ "twoDependentsError": "Не удается удалить расширение \"{0}\". От него зависят расширения \"{1}\" и \"{2}\".",
+ "multipleDependentsError": "Не удается удалить расширение \"{0}\". От него зависят расширения \"{1}\", \"{2}\" и другие.",
+ "Manifest is not found": "Сбой установки расширения {0}: манифест не найден.",
+ "cannot be installed": "Не удается установить \"{0}\", так как для этого расширения определен запрет на выполнение на удаленном сервере.",
+ "cannot be installed on web": "Не удается установить расширение \"{0}\", так как для этого расширения запрещен запуск на веб-сервере.",
+ "install extension": "Установить расширение",
+ "install extensions": "Установить расширения",
+ "install": "Установить",
+ "install and do no sync": "Установить (не синхронизировать)",
+ "cancel": "Отмена",
+ "install single extension": "Вы хотите установить и синхронизировать расширение \"{0}\" на своих устройствах?",
+ "install multiple extensions": "Вы хотите установить и синхронизировать расширения на своих устройствах?"
+ },
+ "vs/workbench/services/extensionManagement/browser/extensionBisect": {
+ "bisect": "Разделение расширений пополам активно и отключило расширения ({0}). Убедитесь, что проблему все еще можно воспроизвести, и продолжите процедуру, выбрав один из этих параметров.",
+ "title.start": "Начать разделение расширения пополам",
+ "help": "Справка",
+ "msg.start": "Разделение расширения пополам",
+ "detail.start": "Функция разделения расширений пополам будет использовать двоичный поиск для обнаружения расширения, вызывающего проблему. Во время этого процесса окно несколько раз (около {0}) перезагружается. Каждый раз вам нужно подтвердить, сохраняются ли проблемы.",
+ "msg2": "Начать разделение расширения пополам",
+ "title.isBad": "Продолжить разделение расширений пополам",
+ "done.msg": "Разделение расширения пополам",
+ "done.detail2": "Разделение расширений пополам выполнено, но расширение не определено. Возможно, возникла проблема с {0}.",
+ "report": "Сообщить о проблеме и продолжить",
+ "done": "Продолжить",
+ "done.detail": "Разделение расширений пополам выполнено и определило {0} как расширение, вызвавшее проблему.",
+ "done.disbale": "Оставить это расширение отключенным",
+ "msg.next": "Разделение расширения пополам",
+ "next.good": "Хорошо",
+ "next.bad": "Это плохо",
+ "next.stop": "Остановить разделение пополам",
+ "next.cancel": "Отмена",
+ "title.stop": "Остановить разделение расширений пополам"
+ },
+ "vs/workbench/services/extensionRecommendations/common/workspaceExtensionsConfig": {
+ "select for remove": "Удалить рекомендацию расширения из",
+ "select for add": "Добавить рекомендацию расширения в",
+ "workspace folder": "Папка рабочей области",
+ "workspace": "Рабочая область"
+ },
+ "vs/workbench/services/extensions/electron-browser/extensionService": {
+ "extensionService.versionMismatchCrash": "Не удается запустить расширение узла из-за несоответствия версий.",
+ "relaunch": "Перезапустить VS Code",
+ "extensionService.crash": "Хост-процесс для расширений неожиданно завершил работу.",
+ "devTools": "Открыть средства разработчика",
+ "restart": "Перезапустить хост-процесс для расширений",
+ "getEnvironmentFailure": "Не удалось получить удаленную среду",
+ "looping": "Следующие расширения содержат циклы зависимостей и были отключены: {0}",
+ "enableResolver": "Для открытия удаленного окна требуется расширение \"{0}\".\r\nВключить его?",
+ "enable": "Включить и Перезагрузить",
+ "installResolver": "Для открытия удаленного окна требуется расширение \"{0}\".\r\nУстановить это расширение?",
+ "install": "Установить и перезагрузить",
+ "resolverExtensionNotFound": "\"{0}\" не найден в Marketplace",
+ "restartExtensionHost": "Перезапустить хост-процесс для расширений"
+ },
+ "vs/workbench/services/extensions/electron-browser/cachedExtensionScanner": {
+ "overwritingExtension": "Идет перезапись расширения {0} на {1}.",
+ "extensionUnderDevelopment": "Идет загрузка расширения разработки в {0}.",
+ "extensionCache.invalid": "Расширения были изменены на диске. Обновите окно.",
+ "reloadWindow": "Перезагрузить окно"
+ },
+ "vs/workbench/services/extensions/electron-browser/localProcessExtensionHost": {
+ "extensionHost.startupFailDebug": "Хост-процесс для расширений не был запущен в течение 10 секунд. Возможно, он был остановлен в первой строке, а для продолжения требуется отладчик.",
+ "extensionHost.startupFail": "Хост-процесс для расширений не запустился спустя 10 секунд. Возможно, произошла ошибка.",
+ "reloadWindow": "Перезагрузить окно",
+ "extension host Log": "Узел расширения",
+ "extensionHost.error": "Ошибка в хост-процессе для расширений: {0}"
+ },
+ "vs/workbench/services/extensions/common/abstractExtensionService": {
+ "looping": "Следующие расширения содержат циклы зависимостей и были отключены: {0}"
+ },
+ "vs/workbench/services/extensions/common/remoteExtensionHost": {
+ "remote extension host Log": "Удаленный хост-процесс для расширений"
+ },
+ "vs/workbench/services/extensions/browser/webWorkerExtensionHost": {
+ "name": "Узел расширений рабочих процессов"
+ },
+ "vs/workbench/services/extensions/browser/extensionUrlHandler": {
+ "confirmUrl": "Разрешить расширению открыть этот URI?",
+ "rememberConfirmUrl": "Больше не спрашивать для этого расширения.",
+ "open": "&&Открыть",
+ "reloadAndHandle": "Расширение \"{0}\" не загружено. Вы хотите перезагрузить окно, чтобы загрузить расширение и открыть URL-адрес?",
+ "reloadAndOpen": "&&Перезагрузить окно и открыть",
+ "enableAndHandle": "Расширение \"{0}\" отключено. Вы хотите перезагрузить окно, чтобы включить расширение и открыть URL-адрес?",
+ "enableAndReload": "&&Включить и открыть",
+ "installAndHandle": "Расширение \"{0}\" не установлено. Вы хотите перезагрузить окно, чтобы установить расширение и открыть URL-адрес?",
+ "install": "&&Установить",
+ "Installing": "Установка расширения \"{0}\"...",
+ "reload": "Вы хотите перезагрузить окно и открыть URL-адрес \"{0}\"?",
+ "Reload": "Перезагрузить окно и открыть",
+ "manage": "Управление URI авторизованных расширений...",
+ "extensions": "Расширения",
+ "no": "Сейчас нет авторизованных URI расширений."
+ },
+ "vs/workbench/services/extensions/common/extensionsRegistry": {
+ "ui": "Тип расширения пользовательского интерфейса. В удаленном окне такие расширения включены, только если они доступны на локальном компьютере.",
+ "workspace": "Вид расширения рабочей области. В удаленном окне такие расширения включены, тольео если они доступны в удаленном репозитории.",
+ "web": "Расширение типа рабочего веб-процесса, которое может выполняться в хост-процессе для таких расширений",
+ "vscode.extension.engines": "Совместимость с подсистемой.",
+ "vscode.extension.engines.vscode": "Для расширений VS Code указывает версию VS Code, с которой совместимо расширение. Она не может быть задана как \"*\". Например, ^0.10.5 сообщает о совместимости с минимальной версией VS Code 0.10.5.",
+ "vscode.extension.publisher": "Издатель расширения VS Code.",
+ "vscode.extension.displayName": "Отображаемое имя расширения, используемого в коллекции VS Code.",
+ "vscode.extension.categories": "Категории, используемые коллекцией VS Code для классификации расширения.",
+ "vscode.extension.category.languages.deprecated": "Используйте \"Языки программирования\"",
+ "vscode.extension.galleryBanner": "Баннер, используемый в магазине VS Code.",
+ "vscode.extension.galleryBanner.color": "Цвет баннера в заголовке страницы магазина VS Code.",
+ "vscode.extension.galleryBanner.theme": "Цветовая тема для шрифта, используемого в баннере.",
+ "vscode.extension.contributes": "Все публикации расширения VS Code, представленные этим пакетом.",
+ "vscode.extension.preview": "Добавляет метку \"Предварительная версия\" для расширения в Marketplace.",
+ "vscode.extension.activationEvents": "События активации для расширения кода VS Code.",
+ "vscode.extension.activationEvents.onLanguage": "Событие активации выдается каждый раз, когда открывается файл, который разрешается к указанному языку.",
+ "vscode.extension.activationEvents.onCommand": "Событие активации выдается каждый раз при вызове указанной команды.",
+ "vscode.extension.activationEvents.onDebug": "Событие активации выдается каждый раз, когда пользователь запускает отладку или собирается установить конфигурацию отладки.",
+ "vscode.extension.activationEvents.onDebugInitialConfigurations": "Событие активации выдается каждый раз, когда необходимо создать файл \"launch.json\" (и вызывать все методы provideDebugConfigurations).",
+ "vscode.extension.activationEvents.onDebugDynamicConfigurations": "Событие активации, вызываемое каждый раз, когда требуется создать список всех конфигураций отладки (и требуется вызвать все методы provideDebugConfigurations для динамической области).",
+ "vscode.extension.activationEvents.onDebugResolve": "Событие активации выдается каждый раз при запуске сеанса отладки указанного типа (и при вызове соответствующего метода resolveDebugConfiguration).",
+ "vscode.extension.activationEvents.onDebugAdapterProtocolTracker": "Событие активации выдается каждый раз при запуске сеанса отладки указанного типа (может потребоваться средство отслеживания протокола отладки).",
+ "vscode.extension.activationEvents.workspaceContains": "Событие активации выдается каждый раз при открытии папки, содержащей по крайней мере один файл, который соответствует указанной стандартной маске.",
+ "vscode.extension.activationEvents.onStartupFinished": "Событие активации, выдаваемое после завершения запуска (после завершения активации всех необходимых расширений \"*\").",
+ "vscode.extension.activationEvents.onFileSystem": "Событие активации выдается каждый раз при доступе к файлу или папке по заданной схеме.",
+ "vscode.extension.activationEvents.onSearch": "Событие активации выдается каждый раз при выполнении поиска в папке с указанной схемой.",
+ "vscode.extension.activationEvents.onView": "Событие активации выдается каждый раз при развертывании указанного окна.",
+ "vscode.extension.activationEvents.onIdentity": "Событие активации, выдаваемое при каждом указании удостоверения пользователя.",
+ "vscode.extension.activationEvents.onUri": "Событие активации, которое выдается каждый раз при открытии системного URI этого расширения.",
+ "vscode.extension.activationEvents.onCustomEditor": "Событие активации, возникающее каждый раз, когда указанный специализированный редактор становится видимым.",
+ "vscode.extension.activationEvents.star": "Событие активации выдается при запуске VS Code. Для удобства пользователя используйте это событие в своем расширении только в том случае, если другие сочетания событий не подходят.",
+ "vscode.extension.badges": "Массив эмблем, отображаемых на боковой панели страницы расширения Marketplace.",
+ "vscode.extension.badges.url": "URL-адрес изображения эмблемы.",
+ "vscode.extension.badges.href": "Ссылка на эмблему.",
+ "vscode.extension.badges.description": "Описание эмблемы.",
+ "vscode.extension.markdown": "Управляет подсистемой отображения Markdown, используемой в Marketplace. Допустимые значения: 'github' (по умолчанию) или 'standard' (стандартный).",
+ "vscode.extension.qna": "Управляет ссылкой на вопросы и ответы в Marketplace. Укажите \"marketplace\", чтобы использовать файл вопросов и ответов Marketplace по умолчанию. Укажите строку, чтобы задать URL-адрес пользовательского сайта вопросов и ответов. Укажите значение \"false\", чтобы отключить вопросы и ответы.",
+ "vscode.extension.extensionDependencies": "Зависимости от других расширений. Идентификатор расширения — всегда ${publisher}.${name}. Например: vscode.csharp.",
+ "vscode.extension.contributes.extensionPack": "Набор расширений, которые могут быть установлены вместе. Идентификатор расширения всегда имеет формат \"${publisher}.${name}\". Например, \"vscode.csharp\".",
+ "extensionKind": "Определите тип расширения. Расширения \"ui\" устанавливаются и запускаются на локальном компьютере, а расширения \"workspace\" — на удаленном компьютере.",
+ "extensionKind.ui": "Определение расширения, которое может работать только на локальном компьютере при подключении к окну удаленного компьютера.",
+ "extensionKind.workspace": "Определите расширение, которое может работать только на удаленном компьютере при подключении удаленного окна.",
+ "extensionKind.ui-workspace": "Определите расширение, которое может выполняться на любой стороне, однако отдает предпочтение локальному компьютеру.",
+ "extensionKind.workspace-ui": "Определите расширение, которое может выполняться на любой стороне, однако отдает предпочтение удаленному компьютеру.",
+ "extensionKind.empty": "Определите расширение, которое не может выполняться в удаленном контексте ни на локальном, ни на удаленном компьютере.",
+ "vscode.extension.scripts.prepublish": "Скрипт, выполняемый перед публикацией пакета в качестве расширения VS Code.",
+ "vscode.extension.scripts.uninstall": "Удалить обработчик для расширения VS Code. Скрипт, который выполняется после полного удаления расширения из VS Code, когда VS Code перезапускается (выключается и запускается) после удаления расширения. Поддерживаются только скрипты Node.",
+ "vscode.extension.icon": "Путь к значку размером 128 x 128 пикселей."
+ },
+ "vs/workbench/services/extensions/node/extensionPoints": {
+ "jsonParseInvalidType": "Недопустимый файл манифеста {0}: не является объектом JSON.",
+ "jsonParseFail": "Не удалось проанализировать {0}: [{1}, {2}] {3}.",
+ "fileReadFail": "Не удается прочитать файл {0}: {1}.",
+ "jsonsParseReportErrors": "Не удалось проанализировать {0}: {1}.",
+ "jsonInvalidFormat": "Недопустимый формат {0}: ожидается объект JSON.",
+ "missingNLSKey": "Не удалось найти сообщение для ключа {0}.",
+ "notSemver": "Версия расширения несовместима с semver.",
+ "extensionDescription.empty": "Пустое описание расширения",
+ "extensionDescription.publisher": "издатель свойства должен иметь тип \"string\".",
+ "extensionDescription.name": "свойство \"{0}\" является обязательным и должно иметь тип string",
+ "extensionDescription.version": "свойство \"{0}\" является обязательным и должно иметь тип string",
+ "extensionDescription.engines": "свойство \"{0}\" является обязательным и должно быть типа object",
+ "extensionDescription.engines.vscode": "свойство \"{0}\" является обязательным и должно иметь тип string",
+ "extensionDescription.extensionDependencies": "свойство \"{0}\" может быть опущено или должно быть типа \"string []\"",
+ "extensionDescription.activationEvents1": "свойство \"{0}\" может быть опущено или должно быть типа \"string []\"",
+ "extensionDescription.activationEvents2": "оба свойства, \"{0}\" и \"{1}\", должны быть либо указаны, либо опущены",
+ "extensionDescription.main1": "свойство \"{0}\" может быть опущено или должно иметь тип string",
+ "extensionDescription.main2": "Ожидается, что функция main ({0}) будет включена в папку расширения ({1}). Из-за этого расширение может стать непереносимым.",
+ "extensionDescription.main3": "оба свойства, \"{0}\" и \"{1}\", должны быть либо указаны, либо опущены",
+ "extensionDescription.browser1": "свойство \"{0}\" может быть опущено; если оно указано, оно должно иметь тип \"string\"",
+ "extensionDescription.browser2": "Ожидалось, что папка расширения ({1}) будет включать \"browser\" ({0}). Из-за этого расширение может стать непереносимым.",
+ "extensionDescription.browser3": "оба свойства, \"{0}\" и \"{1}\", должны быть либо указаны, либо опущены"
+ },
+ "vs/workbench/services/extensions/common/extensionHostManager": {
+ "measureExtHostLatency": "Измерить задержку хост-процесса для расширений"
+ },
+ "vs/workbench/services/gettingStarted/common/gettingStartedContent": {
+ "gettingStarted.beginner.title": "Начать работу",
+ "gettingStarted.beginner.description": "Познакомьтесь с новым редактором",
+ "pickColorTask.description": "Измените цвета в интерфейсе пользователя в соответствии со своими предпочтениями и рабочей средой.",
+ "pickColorTask.title": "Цветовая тема",
+ "pickColorTask.button": "Найти тему",
+ "findKeybindingsTask.description": "Найдите сочетания клавиш для Vim, Sublime, Atom и др.",
+ "findKeybindingsTask.title": "Настройка сочетаний клавиш",
+ "findKeybindingsTask.button": "Поиск сочетаний клавиш",
+ "findLanguageExtsTask.description": "Получите поддержку для ваших языков, таких как JavaScript, Python, Java, Azure, Docker и др.",
+ "findLanguageExtsTask.title": "Языки и инструменты",
+ "findLanguageExtsTask.button": "Установить поддержку языка",
+ "gettingStartedOpenFolder.description": "Чтобы начать работу, откройте папку проекта.",
+ "gettingStartedOpenFolder.title": "Открыть папку",
+ "gettingStartedOpenFolder.button": "Выбрать папку",
+ "gettingStarted.intermediate.title": "Основные возможности",
+ "gettingStarted.intermediate.description": "Обязательные для изучения возможности, которые вам понравятся",
+ "commandPaletteTask.description": "Самый простой способ получения информации обо всех возможностях VS Code. Если вам понадобятся сведения о какой-либо функции, сначала зайдите сюда.",
+ "commandPaletteTask.title": "Палитра команд",
+ "commandPaletteTask.button": "Просмотреть все команды",
+ "gettingStarted.advanced.title": "Советы и рекомендации",
+ "gettingStarted.advanced.description": "Избранное от экспертов VS Code",
+ "gettingStarted.openFolder.title": "Открыть папку",
+ "gettingStarted.openFolder.description": "Откройте проект и начните работу.",
+ "gettingStarted.playground.title": "Интерактивная тестовая площадка",
+ "gettingStarted.interactivePlayground.description": "Изучите основные функции редактора"
+ },
+ "vs/workbench/services/integrity/node/integrityService": {
+ "integrity.prompt": "Похоже, ваша установка {0} повреждена. Повторите установку.",
+ "integrity.moreInformation": "Дополнительные сведения",
+ "integrity.dontShowAgain": "Больше не показывать"
+ },
+ "vs/workbench/services/keybinding/common/keybindingEditing": {
+ "errorKeybindingsFileDirty": "Не удается записать файл конфигурации сочетаний клавиш, так как файл был изменен. Сохраните файл и повторите попытку.",
+ "parseErrors": "Не удается записать файл конфигурации сочетаний клавиш. Откройте файл, исправьте ошибки и предупреждения и повторите попытку.",
+ "errorInvalidConfiguration": "Не удалось записать файл конфигурации сочетаний клавиш. Этот файл содержит объект, тип которого отличен от Array. Откройте файл, удалите этот объект и повторите попытку.",
+ "emptyKeybindingsHeader": "Поместите настраиваемые сочетания клавиш в этот файл, чтобы переопределить сочетания клавиш по умолчанию."
+ },
+ "vs/workbench/services/keybinding/browser/keybindingService": {
+ "nonempty": "требуется непустое значение.",
+ "requirestring": "свойство \"{0}\" является обязательным и должно иметь тип string",
+ "optstring": "свойство \"{0}\" может быть опущено или должно иметь тип string",
+ "vscode.extension.contributes.keybindings.command": "Идентификатор команды, выполняемой при нажатии настраиваемого сочетания клавиш.",
+ "vscode.extension.contributes.keybindings.args": "Аргументы, передаваемые в выполняемую команду.",
+ "vscode.extension.contributes.keybindings.key": "Клавиша или сочетание клавиш (отдельные клавиши со знаком \"плюс\" и сочетания через пробел, например CTRL+O и CTRL+L L для аккорда).",
+ "vscode.extension.contributes.keybindings.mac": "Клавиша или последовательность клавиш для Mac.",
+ "vscode.extension.contributes.keybindings.linux": "Клавиша или последовательность клавиш для Linux.",
+ "vscode.extension.contributes.keybindings.win": "Клавиша или последовательность клавиш для Windows.",
+ "vscode.extension.contributes.keybindings.when": "Условие, когда клавиша нажата.",
+ "vscode.extension.contributes.keybindings": "Добавляет настраиваемые сочетания клавиш.",
+ "invalid.keybindings": "Недопустимое значение \"contributes.{0}\": {1}",
+ "unboundCommands": "Доступные команды: ",
+ "keybindings.json.title": "Настройка настраиваемых сочетаний клавиш",
+ "keybindings.json.key": "Клавиша или последовательность клавиш (через пробел)",
+ "keybindings.json.command": "Имя выполняемой команды",
+ "keybindings.json.when": "Условие, когда клавиша нажата.",
+ "keybindings.json.args": "Аргументы, передаваемые в выполняемую команду.",
+ "keyboardConfigurationTitle": "Клавиатура",
+ "dispatch": "Управляет логикой диспетчеризации для нажатий клавиш \"code\" (рекомендуется) или \"keyCode\"."
+ },
+ "vs/workbench/services/label/common/labelService": {
+ "vscode.extension.contributes.resourceLabelFormatters": "Указывает правила форматирования для меток ресурсов.",
+ "vscode.extension.contributes.resourceLabelFormatters.scheme": "Схема URI, с которой следует сопоставлять форматировщик. Например, \"file\". Поддерживаются простые стандартные маски.",
+ "vscode.extension.contributes.resourceLabelFormatters.authority": "Служба URI, с которой следует сопоставлять форматировщик. Поддерживаются простые стандартные маски.",
+ "vscode.extension.contributes.resourceLabelFormatters.formatting": "Правила для форматирования меток ресурсов URI.",
+ "vscode.extension.contributes.resourceLabelFormatters.label": "Пометка правил для отображения. Например, myLabel:/${path}. В качестве переменных поддерживаются ${path}, ${scheme} и ${authority}.",
+ "vscode.extension.contributes.resourceLabelFormatters.separator": "Разделитель, используемый при отображении метки URI. Например, / или ''.",
+ "vscode.extension.contributes.resourceLabelFormatters.stripPathStartingSeparator": "Управляет тем, отбрасываются ли начальные символы разделителя в подстановках \"${path}\".",
+ "vscode.extension.contributes.resourceLabelFormatters.tildify": "Определяет, нужно ли обозначать начало метки URI тильдой, когда это возможно.",
+ "vscode.extension.contributes.resourceLabelFormatters.formatting.workspaceSuffix": "Суффикс, добавляемый к метке рабочей области.",
+ "untitledWorkspace": "(Рабочая область) без названия",
+ "workspaceNameVerbose": "{0} (рабочая область)",
+ "workspaceName": "{0} (рабочая область)"
+ },
+ "vs/workbench/services/lifecycle/electron-sandbox/lifecycleService": {
+ "errorClose": "При попытке закрыть окно возникла непредвиденная ошибка ({0}).",
+ "errorQuit": "При попытке выйти из приложения возникла непредвиденная ошибка ({0}).",
+ "errorReload": "При попытке повторной загрузки окна возникла непредвиденная ошибка ({0}).",
+ "errorLoad": "При попытке изменить рабочую область окна возникла непредвиденная ошибка ({0})."
+ },
+ "vs/workbench/services/mode/common/workbenchModeService": {
+ "vscode.extension.contributes.languages": "Добавляет объявления языка.",
+ "vscode.extension.contributes.languages.id": "Идентификатор языка.",
+ "vscode.extension.contributes.languages.aliases": "Псевдонимы имен для языка.",
+ "vscode.extension.contributes.languages.extensions": "Расширения имен файлов, связанные с языком.",
+ "vscode.extension.contributes.languages.filenames": "Имена файлов, связанные с языком.",
+ "vscode.extension.contributes.languages.filenamePatterns": "Стандартные маски имен файлов, связанные с языком.",
+ "vscode.extension.contributes.languages.mimetypes": "Типы MIME, связанные с языком.",
+ "vscode.extension.contributes.languages.firstLine": "Регулярное выражение, соответствующее первой строке файла языка.",
+ "vscode.extension.contributes.languages.configuration": "Относительный путь к файлу, содержащему параметры конфигурации для языка.",
+ "invalid": "Недопустимое значение contributes.{0}. Требуется массив.",
+ "invalid.empty": "Пустое значение contributes.{0}",
+ "require.id": "свойство \"{0}\" является обязательным и должно иметь тип string",
+ "opt.extensions": "свойство \"{0}\" может быть опущено и должно иметь тип string[]",
+ "opt.filenames": "свойство \"{0}\" может быть опущено и должно иметь тип string[]",
+ "opt.firstLine": "свойство \"{0}\" может быть опущено и должно иметь тип string",
+ "opt.configuration": "свойство \"{0}\" может быть опущено и должно иметь тип string",
+ "opt.aliases": "свойство \"{0}\" может быть опущено и должно иметь тип string[]",
+ "opt.mimetypes": "свойство \"{0}\" может быть опущено и должно иметь тип string[]"
+ },
+ "vs/workbench/services/notification/common/notificationService": {
+ "neverShowAgain": "Больше не показывать"
+ },
+ "vs/workbench/services/preferences/common/preferences": {
+ "userSettingsTarget": "Параметры пользователя",
+ "workspaceSettingsTarget": "Параметры рабочей области"
+ },
+ "vs/workbench/services/preferences/browser/preferencesService": {
+ "openFolderFirst": "Чтобы создать параметры рабочей области, сначала откройте папку",
+ "emptyKeybindingsHeader": "Поместите настраиваемые сочетания клавиш в этот файл, чтобы переопределить сочетания клавиш по умолчанию.",
+ "defaultKeybindings": "Настраиваемые сочетания клавиш по умолчанию",
+ "defaultSettings": "Параметры по умолчанию",
+ "folderSettingsName": "{0} (Параметры папок)",
+ "fail.createSettings": "Невозможно создать \"{0}\" ({1})."
+ },
+ "vs/workbench/services/preferences/common/preferencesEditorInput": {
+ "settingsEditorName": "Параметры по умолчанию",
+ "keybindingsInputName": "Сочетания клавиш",
+ "settingsEditor2InputName": "Параметры"
+ },
+ "vs/workbench/services/preferences/common/preferencesModels": {
+ "commonlyUsed": "Часто используемые",
+ "defaultKeybindingsHeader": "Переопределите настраиваемые сочетания клавиш, поместив их в файл настраиваемых сочетаний клавиш."
+ },
+ "vs/workbench/services/preferences/common/keybindingsEditorModel": {
+ "default": "По умолчанию",
+ "extension": "Расширение",
+ "user": "Пользователь",
+ "cat.title": "{0}: {1}",
+ "option": "Параметр",
+ "meta": "meta"
+ },
+ "vs/workbench/services/preferences/common/preferencesValidation": {
+ "validations.expectedNumeric": "Значение должно быть числом.",
+ "invalidTypeError": "Параметр имеет недопустимый тип; ожидается {0}. Исправьте это в JSON.",
+ "validations.maxLength": "Максимально допустимая длина значения в символах: {0}.",
+ "validations.minLength": "Минимально допустимая длина значения в символах: {0}.",
+ "validations.regex": "Значение должно соответствовать регулярному выражению \"{0}\".",
+ "validations.colorFormat": "Недопустимый формат цвета. Используйте формат #RGB, #RGBA, #RRGGBB или #RRGGBBAA.",
+ "validations.uriEmpty": "Ожидается URI.",
+ "validations.uriMissing": "Ожидается URI.",
+ "validations.uriSchemeMissing": "Ожидается URI со схемой.",
+ "validations.exclusiveMax": "Значение должно быть строго меньше {0}.",
+ "validations.exclusiveMin": "Значение должно быть строго больше {0}.",
+ "validations.max": "Значение должно быть меньше или равно {0}.",
+ "validations.min": "Значение должно быть больше или равно {0}.",
+ "validations.multipleOf": "Значение должно быть кратно {0}.",
+ "validations.expectedInteger": "Значение должно быть целым числом.",
+ "validations.stringArrayUniqueItems": "Массив содержит повторяющиеся элементы",
+ "validations.stringArrayMinItem": "Число элементов в массиве должно быть не меньше {0}",
+ "validations.stringArrayMaxItem": "Число элементов в массиве должно быть не больше {0}",
+ "validations.stringArrayItemPattern": "Значение {0} должно соответствовать регулярному выражению {1}.",
+ "validations.stringArrayItemEnum": "Значение {0} не является одним из {1}"
+ },
+ "vs/workbench/services/progress/browser/progressService": {
+ "progress.text2": "{0}: {1}",
+ "progress.title3": "[{0}] {1}: {2}",
+ "progress.title2": "[{0}]: {1}",
+ "status.progress": "Сообщение о ходе выполнения",
+ "cancel": "Отмена",
+ "dismiss": "Отклонить"
+ },
+ "vs/workbench/services/remote/common/abstractRemoteAgentService": {
+ "connectionError": "Не удается подключиться к серверу узла удаленного расширения (ошибка: {0})"
+ },
+ "vs/workbench/services/textfile/electron-browser/nativeTextFileService": {
+ "fileReadOnlyError": "Файл доступен только для чтения"
+ },
+ "vs/workbench/services/textfile/browser/textFileService": {
+ "fileBinaryError": "Похоже, что файл является двоичным и не может быть открыт как текст",
+ "confirmOverwrite": "\"{0}\" уже существует. Вы хотите заменить его?",
+ "irreversible": "Файл или папка с именем \"{0}\" уже существует в папке \"{1}\". Если выполнить замену, текущее содержимое файла или папки будет перезаписано.",
+ "replaceButtonLabel": "&&Заменить"
+ },
+ "vs/workbench/services/textfile/common/textFileEditorModelManager": {
+ "genericSaveError": "Не удалось сохранить ресурс \"{0}\": {1}"
+ },
+ "vs/workbench/services/textfile/common/textFileEditorModel": {
+ "saveFileFirst": "Файл изменен. Сохраните его, прежде чем открыть его вновь в другой кодировке."
+ },
+ "vs/workbench/services/textfile/common/textFileSaveParticipant": {
+ "saveParticipants": "Идет сохранение \"{0}\""
+ },
+ "vs/workbench/services/textMate/browser/abstractTextMateService": {
+ "alreadyDebugging": "Ведение журнала уже выполняется.",
+ "stop": "Остановить",
+ "progress1": "Идет подготовка к записи анализа грамматики TM. По завершении нажмите кнопку \"Остановить\".",
+ "progress2": "Идет запись анализа грамматики TM. По завершении нажмите кнопку \"Остановить\".",
+ "invalid.language": "Неизвестный язык в contributes.{0}.language. Указанное значение: {1}",
+ "invalid.scopeName": "В contributes.{0}.scopeName требуется строка. Указанное значение: {1}",
+ "invalid.path.0": "В contributes.{0}.path требуется строка. Указанное значение: {1}",
+ "invalid.injectTo": "Недопустимое значение в \"contributes.{0}.injectTo\". Должен быть задан массив имен языковых областей. Указанное значение: {1}",
+ "invalid.embeddedLanguages": "Недопустимое значение в \"contributes.{0}.embeddedLanguages\". Оно должно быть сопоставлением объекта между именем области и языком. Указанное значение: {1}.",
+ "invalid.tokenTypes": "Недопустимое значение в \"contributes.{0}.tokenTypes\". Необходимо указать сопоставление объекта между именем объекта и типом маркера. Указанное значение: {1}.",
+ "invalid.path.1": "Следует включить contributes.{0}.path ({1}) в папку расширения ({2}). От этого расширение может стать непереносимым.",
+ "too many characters": "Разметка пропускается для длинных строк из соображений производительности. Длину длинной строки можно настроить с помощью \"editor.maxTokenizationLineLength\".",
+ "neverAgain": "Больше не показывать"
+ },
+ "vs/workbench/services/textMate/common/TMGrammars": {
+ "vscode.extension.contributes.grammars": "Добавляет разметчики TextMate.",
+ "vscode.extension.contributes.grammars.language": "Идентификатор языка, для которого добавляется этот синтаксис.",
+ "vscode.extension.contributes.grammars.scopeName": "Имя области TextMate, используемое в файле tmLanguage.",
+ "vscode.extension.contributes.grammars.path": "Путь к файлу tmLanguage. Путь указывается относительно папки расширения и обычно начинается с \"./syntaxes/\".",
+ "vscode.extension.contributes.grammars.embeddedLanguages": "Сопоставление имени области и идентификатора языка, если грамматика содержит внедренные языки.",
+ "vscode.extension.contributes.grammars.tokenTypes": "Сопоставление имени области с типами маркеров.",
+ "vscode.extension.contributes.grammars.injectTo": "Список имен языковых областей, в которые вставляется эта грамматика."
+ },
+ "vs/workbench/services/textMate/common/TMGrammarFactory": {
+ "no-tm-grammar": "Нет грамматики TM, зарегистрированной для этого языка."
+ },
+ "vs/workbench/services/themes/browser/workbenchThemeService": {
+ "error.cannotloadtheme": "Не удалось загрузить {0}: {1}"
+ },
+ "vs/workbench/services/themes/common/colorExtensionPoint": {
+ "contributes.color": "Добавляет цвета тем, определяемые расширением ",
+ "contributes.color.id": "Идентификатор цвета темы",
+ "contributes.color.id.format": "Идентификаторы могут содержать только буквы, цифры и точки и не могут начинаться с точки",
+ "contributes.color.description": "Описание цвета, задаваемого с помощью темы",
+ "contributes.defaults.light": "Цвет по умолчанию для светлых тем. Укажите значение цвета в шестнадцатеричном формате (#RRGGBB[AA]) или идентификатор цвета темы.",
+ "contributes.defaults.dark": "Цвет по умолчанию для темных тем. Укажите значение цвета в шестнадцатеричном формате (#RRGGBB[AA]) или идентификатор цвета темы.",
+ "contributes.defaults.highContrast": "Цвет по умолчанию для тем с высоким контрастом. Укажите значение цвета в шестнадцатеричном формате (#RRGGBB[AA]) или идентификатор цвета темы.",
+ "invalid.colorConfiguration": "'configuration.colors' должен быть массивом",
+ "invalid.default.colorType": "{0} должен представлять собой значение цвета в шестнадцатеричном формате (#RRGGBB[AA] или #RGB[A]) или идентификатор цвета темы.",
+ "invalid.id": "Параметр \"configuration.colors.id\" должен быть определен и не может быть пустым.",
+ "invalid.id.format": "configuration.colors.id может содержать только буквы, цифры и точки и не может начинаться с точки",
+ "invalid.description": "Параметр \"configuration.colors.description\" должен быть определен и не может быть пустым.",
+ "invalid.defaults": "'configuration.colors.defaults' может быть указан и может содержать значения 'light', 'dark' и 'highContrast'"
+ },
+ "vs/workbench/services/themes/common/tokenClassificationExtensionPoint": {
+ "contributes.semanticTokenTypes": "Добавляет типы семантических токенов.",
+ "contributes.semanticTokenTypes.id": "Идентификатор типа семантического токена",
+ "contributes.semanticTokenTypes.id.format": "Идентификаторы должны иметь форму буква_или_цифра[_-буква_или_цифра]*",
+ "contributes.semanticTokenTypes.superType": "Супертип типа семантического токена",
+ "contributes.semanticTokenTypes.superType.format": "Супертипы должны иметь форму буква_или_цифра[_-буква_или_цифра]*",
+ "contributes.color.description": "Описание семантического типа маркера",
+ "contributes.semanticTokenModifiers": "Добавляет модификаторы семантических токенов.",
+ "contributes.semanticTokenModifiers.id": "Идентификатор модификатора семантического токена",
+ "contributes.semanticTokenModifiers.id.format": "Идентификаторы должны иметь форму буква_или_цифра[_-буква_или_цифра]*",
+ "contributes.semanticTokenModifiers.description": "Описание модификатора семантического токена",
+ "contributes.semanticTokenScopes": "Добавляет карты области семантических токенов.",
+ "contributes.semanticTokenScopes.languages": "Указывает язык, для которого приведены значения по умолчанию.",
+ "contributes.semanticTokenScopes.scopes": "Сопоставляет семантический токен (описанный селектором семантического токена) с одной или несколькими областями textMate, используемыми для представления этого токена.",
+ "invalid.id": "Параметр \"configuration.{0}.id\" должен быть определен и не может быть пустым.",
+ "invalid.id.format": "Параметр \"configuration.{0}.id\" должен соответствовать шаблону букваИлиЦифра[-_букваИлиЦифра]*",
+ "invalid.superType.format": "\"'configuration.{0}.superType\" должен следовать шаблону букваИлиЦифра[-_букваИлиЦифра]*",
+ "invalid.description": "Параметр \"configuration.{0}.description\" должен быть определен и не может быть пустым.",
+ "invalid.semanticTokenTypeConfiguration": "\"configuration.semanticTokenType\" должен быть массивом",
+ "invalid.semanticTokenModifierConfiguration": "\"configuration.semanticTokenModifier\" должен быть массивом",
+ "invalid.semanticTokenScopes.configuration": "\"configuration.semanticTokenScopes\" должен быть массивом",
+ "invalid.semanticTokenScopes.language": "\"configuration.semanticTokenScopes.language\" должен быть строкой",
+ "invalid.semanticTokenScopes.scopes": "\"configuration.semanticTokenScopes.scopes\" должен быть определен как объект",
+ "invalid.semanticTokenScopes.scopes.value": "Значения \"configuration.semanticTokenScopes.scopes\" должны быть массивом строк",
+ "invalid.semanticTokenScopes.scopes.selector": "configuration.semanticTokenScopes.scopes\": проблемы при анализе селектора {0}."
+ },
+ "vs/workbench/services/themes/common/colorThemeData": {
+ "error.cannotparsejson": "Проблемы при синтаксическом анализе файла темы JSON: {0}",
+ "error.invalidformat": "Недопустимый формат тем JSON: ожидается объект.",
+ "error.invalidformat.colors": "Ошибка при анализе файла цветовой темы: {0}. Свойство 'colors' не имеет тип 'object'.",
+ "error.invalidformat.tokenColors": "Ошибка при анализе файла цветовой темы: {0}. Свойство 'tokenColors' должно содержать массив цветов или путь к файлу темы TextMate",
+ "error.invalidformat.semanticTokenColors": "Проблема при анализе файла цветовой темы: {0}. Свойство \"semanticTokenColors\" содержит недопустимый селектор.",
+ "error.plist.invalidformat": "Ошибка при анализе файла tmTheme: {0}. 'settings' не является массивом.",
+ "error.cannotparse": "Ошибка при анализе файла tmTheme: {0}",
+ "error.cannotload": "Ошибка при загрузке файла tmTheme {0}: {1}"
+ },
+ "vs/workbench/services/themes/common/fileIconThemeSchema": {
+ "schema.folderExpanded": "Значок папки для развернутых папок. Значок развернутой папки используется по желанию. Если он не задан, будет отображаться значок, заданный для папки.",
+ "schema.folder": "Значок папки для свернутых папок, а если folderExpanded не задан, то и для развернутых папок.",
+ "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": "Расположение шрифта.",
+ "schema.font-path": "Путь к шрифту, задаваемый относительно текущего файла с темами значков файлов.",
+ "schema.font-format": "Формат шрифта.",
+ "schema.font-weight": "Насыщенность шрифта. Допустимые значения см. на странице https://developer.mozilla.org/en-US/docs/Web/CSS/font-weight.",
+ "schema.font-style": "Стиль шрифта. Допустимые значения см. на странице https://developer.mozilla.org/en-US/docs/Web/CSS/font-style.",
+ "schema.font-size": "Размер шрифта по умолчанию. Допустимые значения см. на странице https://developer.mozilla.org/en-US/docs/Web/CSS/font-size.",
+ "schema.iconDefinitions": "Описание всех значков, которые могут быть использованы при связывании файлов со значками.",
+ "schema.iconDefinition": "Определение значка. Ключ объекта — идентификатор определения.",
+ "schema.iconPath": "При использовании SVG или PNG: путь к изображению. Путь задается относительно файла набора значков.",
+ "schema.fontCharacter": "При использовании шрифта с глифами: используемый символ в шрифте.",
+ "schema.fontColor": "При использовании шрифта с глифами: используемый цвет.",
+ "schema.fontSize": "При использовании шрифта: размер шрифта в процентах от шрифта текста. Если не задан, по умолчанию используется размер в определении шрифта.",
+ "schema.fontId": "При использовании шрифта: идентификатор шрифта. Если не задан, по умолчанию используется первое определение шрифта.",
+ "schema.light": "Дополнительные сопоставления для значков файлов в светлых цветных темах.",
+ "schema.highContrast": "Дополнительные сопоставления для значков файлов в высококонтрастных цветовых темах.",
+ "schema.hidesExplorerArrows": "Определяет, следует ли скрыть стрелки проводника, если эта тема активна."
+ },
+ "vs/workbench/services/themes/browser/fileIconThemeData": {
+ "error.cannotparseicontheme": "Не удалось проанализировать файл со значками файлов: {0}",
+ "error.invalidformat": "Недопустимый формат файла с темами значков файлов: ожидается объект."
+ },
+ "vs/workbench/services/themes/common/colorThemeSchema": {
+ "schema.token.settings": "Цвета и стили для токена.",
+ "schema.token.foreground": "Цвет переднего плана для токена.",
+ "schema.token.background.warning": "Цвет фона маркера сейчас не поддерживается.",
+ "schema.token.fontStyle": "Стиль шрифта для правила: 'italic', 'bold', 'underline' или их сочетание. Если указана пустая строка, то унаследованные настройки отменяются.",
+ "schema.fontStyle.error": "Стиль шрифта может иметь значения 'italic', 'bold' и 'underline', сочетание этих свойств или содержать пустую строку.",
+ "schema.token.fontStyle.none": "Нет (очистить унаследованный стиль)",
+ "schema.properties.name": "Описание правила.",
+ "schema.properties.scope": "Переключатель области, для которой проверяется это правило.",
+ "schema.workbenchColors": "Цвета в workbench",
+ "schema.tokenColors.path": "Путь к файлу tmTheme (относительно текущего файла).",
+ "schema.colors": "Цвета для выделения синтаксических конструкций",
+ "schema.supportsSemanticHighlighting": "Следует ли включить выделение семантики для этой темы.",
+ "schema.semanticTokenColors": "Цвета для семантических токенов"
+ },
+ "vs/workbench/services/themes/common/themeExtensionPoints": {
+ "vscode.extension.contributes.themes": "Добавляет цветовые темы TextMate.",
+ "vscode.extension.contributes.themes.id": "Идентификатор цветовой темы, используемой в настройках пользователя.",
+ "vscode.extension.contributes.themes.label": "Метка цветовой схемы, отображаемая в пользовательском интерфейсе.",
+ "vscode.extension.contributes.themes.uiTheme": "Базовая тема, определяющая цвета оформления редактора: \"vs\" — светлая цветовая тема, \"vs-dark\" — темная цветовая тема. \"hc-black\" — темная высококонтрастная тема.",
+ "vscode.extension.contributes.themes.path": "Путь к файлу tmTheme. Путь указан относительно папки расширения и обычно имеет значение \"./colorthemes/awesome-color-theme.json\".",
+ "vscode.extension.contributes.iconThemes": "Добавляет темы значков файлов.",
+ "vscode.extension.contributes.iconThemes.id": "Идентификатор темы значков файлов, используемый в параметрах пользователя.",
+ "vscode.extension.contributes.iconThemes.label": "Метка темы значков файлов, отображаемая в пользовательском интерфейсе.",
+ "vscode.extension.contributes.iconThemes.path": "Путь к файлу определения темы значков файлов. Путь указывается относительно папки расширения и обычно имеет значение \"./fileicons/awesome-icon-theme.json\".",
+ "vscode.extension.contributes.productIconThemes": "Добавляет темы значков продукта.",
+ "vscode.extension.contributes.productIconThemes.id": "Идентификатор темы значков продукта, используемый в параметрах пользователя.",
+ "vscode.extension.contributes.productIconThemes.label": "Метка темы значков продукта, отображаемая в пользовательском интерфейсе.",
+ "vscode.extension.contributes.productIconThemes.path": "Путь к файлу определения темы значков продукта. Путь указывается относительно папки расширения и обычно имеет значение \"./producticons/awesome-product-icon-theme.json\".",
+ "reqarray": "Точка расширения \"{0}\" должна быть массивом.",
+ "reqpath": "В contributes.{0}.path требуется строка. Указанное значение: {1}",
+ "reqid": "Ожидалась строка в \"contributes.{0}.id\". Указанное значение: {1}",
+ "invalid.path.1": "Следует включить contributes.{0}.path ({1}) в папку расширения ({2}). От этого расширение может стать непереносимым."
+ },
+ "vs/workbench/services/themes/common/themeConfiguration": {
+ "colorTheme": "Указывает цветовую тему, используемую на рабочем месте.",
+ "colorThemeError": "Тема неизвестна или не установлена.",
+ "preferredDarkColorTheme": "Определяет предпочтительную цветовую тему для темного внешнего вида ОС, когда включен \"#{0}#\".",
+ "preferredLightColorTheme": "Определяет предпочтительную цветовую тему для светлого внешнего вида ОС, когда включен параметр \"#{0}#\".",
+ "preferredHCColorTheme": "Определяет предпочтительную цветовую тему, используемую в высококонтрастном режиме, когда включен \"#{0}#\".",
+ "detectColorScheme": "Если параметр задан, выполняется автоматическое переключение на предпочтительную цветовую тему в зависимости от внешнего вида ОС.",
+ "workbenchColors": "Переопределяет цвета из выбранной цветовой темы.",
+ "iconTheme": "Указывает тему значков файлов, используемую на рабочем месте, или значение \"null\", чтобы никакие значки файлов не отображались.",
+ "noIconThemeLabel": "Нет",
+ "noIconThemeDesc": "Нет значков файлов",
+ "iconThemeError": "Тема значков файлов неизвестна или не установлена.",
+ "productIconTheme": "Задает используемую тему значков продукта.",
+ "defaultProductIconThemeLabel": "По умолчанию",
+ "defaultProductIconThemeDesc": "По умолчанию",
+ "productIconThemeError": "Тема значков продукта неизвестна или не установлена.",
+ "autoDetectHighContrast": "Если этот параметр установлен, будет выполняться автоматический переход к высококонтрастной теме, если в ОС используется тема с высокой контрастностью.",
+ "editorColors.comments": "Задает цвета и стили для комментариев",
+ "editorColors.strings": "Задает цвета и стили для строковых литералов.",
+ "editorColors.keywords": "Задает цвета и стили для ключевых слов.",
+ "editorColors.numbers": "Задает цвета и стили для числовых литералов. ",
+ "editorColors.types": "Задает цвета и стили для объявлений типов и ссылок. ",
+ "editorColors.functions": "Задает цвета и стили для объявлений функций и ссылок. ",
+ "editorColors.variables": "Задает цвета и стили для объявлений переменных и для ссылок. ",
+ "editorColors.textMateRules": "Задает цвета и стили с использованием правил оформления textmate (расширенный параметр).",
+ "editorColors.semanticHighlighting": "Следует ли включить выделение семантики для этой темы.",
+ "editorColors.semanticHighlighting.deprecationMessage": "Вместо этого используйте enabled в параметре editor.semanticTokenColorCustomizations.",
+ "editorColors.semanticHighlighting.deprecationMessageMarkdown": "Вместо этого установите значение \"enabled\" для параметра \"#editor.semanticTokenColorCustomizations#\".",
+ "editorColors": "Переопределяет цвета синтаксиса и начертание шрифта редактора из выбранной в настоящий момент цветовой темы.",
+ "editorColors.semanticHighlighting.enabled": "Указывает, включено ли выделение семантических конструкций для этой темы",
+ "editorColors.semanticHighlighting.rules": "Правила стилизации семантических токенов для этой темы.",
+ "semanticTokenColors": "Переопределяет цвет и стили семантического токена редактора из выбранной в настоящий момент цветовой темы.",
+ "editorColors.experimentalTokenStyling.deprecationMessage": "Вместо этого используйте editor.semanticTokenColorCustomizations.",
+ "editorColors.experimentalTokenStyling.deprecationMessageMarkdown": "Вместо этого используйте \"#editor.semanticTokenColorCustomizations#\"."
+ },
+ "vs/workbench/services/themes/browser/productIconThemeData": {
+ "error.parseicondefs": "Проблемы при обработке определений значков продукта в {0}:\r\n{1}",
+ "defaultTheme": "По умолчанию",
+ "error.cannotparseicontheme": "Не удалось проанализировать файл со значками продуктов: {0}",
+ "error.invalidformat": "Недопустимый формат файла с темами значков продуктов: ожидается объект.",
+ "error.missingProperties": "Недействительный формат для файла темы значков продукта: он должен содержать iconDefinitions и шрифты.",
+ "error.fontWeight": "Недопустимая насыщенность шрифта \"{0}\". Пропуск параметра.",
+ "error.fontStyle": "Недопустимый стиль шрифта \"{0}\". Пропуск параметра.",
+ "error.fontId": "Отсутствующий или недопустимый идентификатор шрифта \"{0}\". Пропуск определения шрифта.",
+ "error.icon.fontId": "Пропуск определения значка \"{0}\". Неизвестный шрифт.",
+ "error.icon.fontCharacter": "Пропуск определения значка \"{0}\". Неизвестный символ шрифта."
+ },
+ "vs/workbench/services/themes/common/productIconThemeSchema": {
+ "schema.id": "Идентификатор шрифта.",
+ "schema.id.formatError": "Идентификатор может содержать только буквы, цифры, а также знаки нижнего подчеркивания и минуса.",
+ "schema.src": "Расположение шрифта.",
+ "schema.font-path": "Путь к шрифту, задаваемый относительно текущего файла с темами значков продуктов.",
+ "schema.font-format": "Формат шрифта.",
+ "schema.font-weight": "Насыщенность шрифта. Допустимые значения см. на странице https://developer.mozilla.org/en-US/docs/Web/CSS/font-weight.",
+ "schema.font-style": "Стиль шрифта. Допустимые значения см. на странице https://developer.mozilla.org/en-US/docs/Web/CSS/font-style.",
+ "schema.iconDefinitions": "Связь имени значка с символом шрифта."
+ },
+ "vs/workbench/services/userDataSync/common/userDataSync": {
+ "settings": "Параметры",
+ "keybindings": "Сочетания клавиш",
+ "snippets": "Пользовательские фрагменты кода",
+ "extensions": "Расширения",
+ "ui state label": "Состояние пользовательского интерфейса",
+ "sync category": "Синхронизация параметров",
+ "syncViewIcon": "Значок представления синхронизации параметров."
+ },
+ "vs/workbench/services/userDataSync/browser/userDataSyncWorkbenchService": {
+ "no authentication providers": "Не удается включить синхронизацию параметров из-за отсутствия доступных поставщиков проверки подлинности.",
+ "no account": "Учетная запись недоступна",
+ "show log": "открыть журнал",
+ "sync turned on": "{0} включена",
+ "sync in progress": "Идет включение синхронизации параметров. Вы хотите отменить его?",
+ "settings sync": "Синхронизация параметров",
+ "yes": "&&Да",
+ "no": "&&Нет",
+ "turning on": "Включение…",
+ "syncing resource": "Синхронизация {0}…",
+ "conflicts detected": "Обнаружены конфликты",
+ "merge Manually": "Слияние вручную…",
+ "resolve": "Слияние невозможно из-за конфликтов. Выполните слияние вручную, чтобы продолжить…",
+ "merge or replace": "Слияние или замена",
+ "merge": "Слияние",
+ "replace local": "Заменить локальные данные",
+ "cancel": "Отмена",
+ "first time sync detail": "Похоже, последняя синхронизация выполнялась с другого компьютера.\r\nХотите выполнить слияние или замену на данные из облака?",
+ "reset": "Данные в облаке будут очищены, и синхронизация на всех устройствах будет остановлена.",
+ "reset title": "Очистка",
+ "resetButton": "&&Сброс",
+ "choose account placeholder": "Выберите учетную запись для входа",
+ "signed in": "Вход выполнен",
+ "last used": "Последнее использование с синхронизацией",
+ "others": "Другие",
+ "sign in using account": "Вход с помощью {0}",
+ "successive auth failures": "Синхронизация параметров приостановлена из-за последовательных сбоев авторизации. Чтобы продолжить синхронизацию, повторите вход.",
+ "sign in": "Войти"
+ },
+ "vs/workbench/services/views/browser/viewDescriptorService": {
+ "resetViewLocation": "Сбросить расположение"
+ },
+ "vs/workbench/services/workingCopy/common/workingCopyFileOperationParticipant": {
+ "msg-create": "Запуск участников \"Создание файла\"...",
+ "msg-rename": "Запуск участников \"Переименование файла\"...",
+ "msg-copy": "Запуск участников \"Копирование файлов\"...",
+ "msg-delete": "Запуск участников \"Удаление файла\"..."
+ },
+ "vs/workbench/services/workspaces/electron-sandbox/workspaceEditingService": {
+ "save": "Сохранить",
+ "doNotSave": "Не сохранять",
+ "cancel": "Отмена",
+ "saveWorkspaceMessage": "Вы хотите сохранить конфигурацию рабочей области в файле?",
+ "saveWorkspaceDetail": "Сохраните рабочую область, если хотите открыть ее позже.",
+ "workspaceOpenedMessage": "Не удается сохранить рабочую область '{0}'",
+ "ok": "ОК",
+ "workspaceOpenedDetail": "Эта рабочая область уже открыта в другом окне. Закройте это окно и повторите попытку."
+ },
+ "vs/workbench/services/workspaces/browser/abstractWorkspaceEditingService": {
+ "save": "Сохранить",
+ "saveWorkspace": "Сохранить рабочую область",
+ "errorInvalidTaskConfiguration": "Не удается записать файл конфигурации рабочей области. Откройте файл, исправьте ошибки и предупреждения и повторите попытку.",
+ "errorWorkspaceConfigurationFileDirty": "Не удается записать файл конфигурации рабочей области, так как файл был изменен. Сохраните файл и повторите попытку.",
+ "openWorkspaceConfigurationFile": "Открыть конфигурацию рабочей области"
+ }
+}
diff --git a/internal/vite-plugin-monaco-editor-nls/src/locale/tr.json b/internal/vite-plugin-monaco-editor-nls/src/locale/tr.json
new file mode 100644
index 0000000..29f1026
--- /dev/null
+++ b/internal/vite-plugin-monaco-editor-nls/src/locale/tr.json
@@ -0,0 +1,8306 @@
+{
+ "win32/i18n/Default": {
+ "SetupAppTitle": "Kurulum",
+ "SetupWindowTitle": "Kurulum - %1",
+ "UninstallAppTitle": "Kaldır",
+ "UninstallAppFullTitle": "%1 Kaldırma",
+ "InformationTitle": "Bilgi",
+ "ConfirmTitle": "Onayla",
+ "ErrorTitle": "Hata",
+ "SetupLdrStartupMessage": "Bu, %1 programını yükler. Devam etmek istiyor musunuz?",
+ "LdrCannotCreateTemp": "Geçici dosya oluşturulamıyor. Kurulum durduruldu",
+ "LdrCannotExecTemp": "Dosya geçici dizinde yürütülemiyor. Kurulum durduruldu",
+ "LastErrorMessage": "%1.%n%nHata %2: %3",
+ "SetupFileMissing": "%1 dosyası yükleme dizininde yok. Lütfen sorunu giderin veya programın yeni bir kopyasını edinin.",
+ "SetupFileCorrupt": "Kurulum dosyaları bozuk. Lütfen programın yeni bir kopyasını edinin.",
+ "SetupFileCorruptOrWrongVer": "Kurulum dosyaları bozuk veya Kurulum'un bu sürümü ile uyumsuz. Lütfen sorunu giderin veya programın yeni bir kopyasını edinin.",
+ "InvalidParameter": "Komut satırında geçersiz bir parametre geçirildi:%n%n%1",
+ "SetupAlreadyRunning": "Kurulum zaten çalışıyor.",
+ "WindowsVersionNotSupported": "Bu program bilgisayarınızın çalıştırdığı Windows sürümünü desteklemiyor.",
+ "WindowsServicePackRequired": "Bu program %1 Hizmet Paketi %2 veya daha yenisini gerektiriyor.",
+ "NotOnThisPlatform": "Bu program, %1 üzerinde çalışmaz.",
+ "OnlyOnThisPlatform": "Bu programın %1 üzerinde çalıştırılması gerekir.",
+ "OnlyOnTheseArchitectures": "Bu program yalnızca şu işlemci mimarileri için tasarlanmış Windows sürümlerine yüklenebilir:%n%n%1",
+ "MissingWOW64APIs": "Çalıştırdığınız Windows sürümü, Kurulum'un 64 bit bir yükleme gerçekleştirmesi için gereken işlevleri içermiyor. Bu sorunu gidermek için lütfen Hizmet Paketi %1 yükleyin.",
+ "WinVersionTooLowError": "Bu program için %1 sürümü %2 veya üstü gerekiyor.",
+ "WinVersionTooHighError": "Bu program %1 sürümü %2 veya sonrasına yüklenemez.",
+ "AdminPrivilegesRequired": "Bu programı yüklerken yönetici olarak oturum açmış olmanız gerekir.",
+ "PowerUserPrivilegesRequired": "Bu programı yüklerken bir yönetici veya Power Users grubunun bir üyesi olarak oturum açmış olmanız gerekir.",
+ "SetupAppRunningError": "Kurulum, %1 öğesinin şu anda çalıştığını algıladı.%n%nLütfen şimdi bu öğenin tüm örneklerini kapatın ve devam etmek için Tamam'a veya çıkmak için İptal'e tıklayın.",
+ "UninstallAppRunningError": "Kaldırma, %1 dosyasının şu anda çalışmakta olduğunu algıladı.%n%nLütfen şimdi bu öğenin tüm örneklerini kapatın ve devam etmek için Tamam'a veya çıkmak için İptal'e tıklayın.",
+ "ErrorCreatingDir": "Kurulum, \"%1\" dizinini oluşturamadı",
+ "ErrorTooManyFilesInDir": "Çok fazla dosya içerdiğinden \"%1\" dizininde dosya oluşturulamıyor",
+ "ExitSetupTitle": "Kurulumdan Çık",
+ "ExitSetupMessage": "Kurulum tamamlanmadı. Şimdi çıkarsanız, program yüklenmez.%n%nYüklemeyi tamamlamak için Kurulumu daha sonra yeniden çalıştırabilirsiniz.%n%nKurulumdan çıkılsın mı?",
+ "AboutSetupMenuItem": "&Kurulum Hakkında...",
+ "AboutSetupTitle": "Kurulum Hakkında",
+ "AboutSetupMessage": "%1 sürümü %2%n%3%n%n%1 giriş sayfası: %n%4",
+ "ButtonBack": "< &Geri",
+ "ButtonNext": "İ&leri >",
+ "ButtonInstall": "&Yükle",
+ "ButtonOK": "Tamam",
+ "ButtonCancel": "İptal",
+ "ButtonYes": "&Evet",
+ "ButtonYesToAll": "&Tümüne Evet",
+ "ButtonNo": "&Hayır",
+ "ButtonNoToAll": "Tümüne H&ayır",
+ "ButtonFinish": "&Son",
+ "ButtonBrowse": "&Gözat...",
+ "ButtonWizardBrowse": "&Gözat...",
+ "ButtonNewFolder": "&Yeni Klasör Oluştur",
+ "SelectLanguageTitle": "Kurulum Dilini Seç",
+ "SelectLanguageLabel": "Yükleme sırasında kullanılacak dili seçin:",
+ "ClickNext": "Devam etmek için İleri'ye, Kurulumdan çıkmak için İptal'e tıklayın.",
+ "BrowseDialogTitle": "Klasöre Gözat",
+ "BrowseDialogLabel": "Aşağıdaki listeden bir klasör seçin ve Tamam'a tıklayın.",
+ "NewFolderName": "Yeni Klasör",
+ "WelcomeLabel1": "[name] Kurulum Sihirbazı'na Hoş Geldiniz",
+ "WelcomeLabel2": "Bu, bilgisayarınıza [name/ver] programını yükler.%n%nDevam etmeden önce diğer tüm uygulamaları kapatmanız önerilir.",
+ "WizardPassword": "Parola",
+ "PasswordLabel1": "Bu yükleme parola korumalı.",
+ "PasswordLabel3": "Lütfen parolanızı girin ve devam etmek için İleri'ye tıklayın. Parolalar büyük/küçük harfe duyarlıdır.",
+ "PasswordEditLabel": "&Parola:",
+ "IncorrectPassword": "Cihazınız için girdiğiniz parola yanlış. Lütfen tekrar deneyin.",
+ "WizardLicense": "Lisans Anlaşması",
+ "LicenseLabel": "Lütfen devam etmeden önce aşağıdaki önemli bilgileri okuyun.",
+ "LicenseLabel3": "Lütfen aşağıdaki lisans anlaşmasını okuyun. Yüklemeye devam etmeden önce bu anlaşmanın hükümlerini kabul etmelisiniz.",
+ "LicenseAccepted": "Sözleşmeyi &kabul ediyorum",
+ "LicenseNotAccepted": "Sözleşmeyi kabul et&miyorum",
+ "WizardInfoBefore": "Bilgi",
+ "InfoBeforeLabel": "Lütfen devam etmeden önce aşağıdaki önemli bilgileri okuyun.",
+ "InfoBeforeClickLabel": "Kuruluma devam etmek için hazır olduğunuzda İleri'ye tıklayın.",
+ "WizardInfoAfter": "Bilgi",
+ "InfoAfterLabel": "Lütfen devam etmeden önce aşağıdaki önemli bilgileri okuyun.",
+ "InfoAfterClickLabel": "Kuruluma devam etmek için hazır olduğunuzda İleri'ye tıklayın.",
+ "WizardUserInfo": "Kullanıcı Bilgileri",
+ "UserInfoDesc": "Lütfen bilgilerinizi girin.",
+ "UserInfoName": "&Kullanıcı Adı:",
+ "UserInfoOrg": "&Kuruluş:",
+ "UserInfoSerial": "&Seri Numarası:",
+ "UserInfoNameRequired": "Bir ad girmelisiniz.",
+ "WizardSelectDir": "Hedef Konumu Seç",
+ "SelectDirDesc": "[name] nereye yüklenmeli?",
+ "SelectDirLabel3": "Kurulum, [name] programını aşağıdaki klasöre yükleyecek.",
+ "SelectDirBrowseLabel": "Devam etmek için İleri'ye tıklayın. Farklı bir klasör seçmek istiyorsanız Gözat'a tıklayın.",
+ "DiskSpaceMBLabel": "En az [mb] MB boş disk alanı gerekiyor.",
+ "CannotInstallToNetworkDrive": "Kurulum, bir ağ sürücüsüne yükleme işlemi yapamaz.",
+ "CannotInstallToUNCPath": "Kurulum, bir UNC yoluna yükleme işlemi yapamaz.",
+ "InvalidPath": "Sürücü harfiyle birlikte tam bir yol girmelisiniz; Örneğin:%n%nC:\\UYGULAMA%n%nveya şu biçimde bir UNC yolu:%n%n\\\\sunucu\\paylasim",
+ "InvalidDrive": "Seçtiğiniz sürücü veya UNC paylaşımı yok veya erişilebilir değil. Lütfen başka bir tane seçin.",
+ "DiskSpaceWarningTitle": "Yeterli Disk Alanı Yok",
+ "DiskSpaceWarning": "Kurulum, yükleme için en az %1 KB boş alan gerektiriyor, ancak seçili sürücüde yalnızca %2 KB var.%n%nDevam etmek istiyor musunuz?",
+ "DirNameTooLong": "Klasör adı veya yolu çok uzun.",
+ "InvalidDirName": "Klasör adı geçerli değil.",
+ "BadDirName32": "Klasör adları şu karakterlerden hiçbirini içeremez:%n%n%1",
+ "DirExistsTitle": "Klasör Var",
+ "DirExists": "Aşağıdaki klasör zaten var:%n%n%1%n%nYine de bu klasöre yüklemek istiyor musunuz?",
+ "DirDoesntExistTitle": "Klasör Yok",
+ "DirDoesntExist": "Aşağıdaki klasör yok:%n%n%1%n%nKlasörün oluşturulmasını istiyor musunuz?",
+ "WizardSelectComponents": "Bileşenleri Seç",
+ "SelectComponentsDesc": "Hangi bileşenler yüklenmeli?",
+ "SelectComponentsLabel2": "Yüklemek istediğiniz bileşenleri seçin; yüklemek istemediğiniz bileşenleri temizleyin. Devam etmeye hazır olduğunuzda İleri'ye tıklayın.",
+ "FullInstallation": "Tam yükleme",
+ "CompactInstallation": "Sıkıştırılmış yükleme",
+ "CustomInstallation": "Özel yükleme",
+ "NoUninstallWarningTitle": "Bileşenler Var",
+ "NoUninstallWarning": "Kurulum, aşağıdaki bileşenlerin bilgisayarınızda zaten yüklü olduğunu algıladı:%n%n%1%n%nBu bileşenlerin seçimini kaldırmak bunları kaldırmaz.%n%nYine de devam etmek istiyor musunuz?",
+ "ComponentSize1": "%1 KB",
+ "ComponentSize2": "%1 MB",
+ "ComponentsDiskSpaceMBLabel": "Geçerli seçim en az [mb] MB disk alanı gerektiriyor.",
+ "WizardSelectTasks": "Ek Görevleri Seçin",
+ "SelectTasksDesc": "Hangi ek görevler gerçekleştirilmeli?",
+ "SelectTasksLabel2": "[name] yüklenirken Kurulumun gerçekleştirmesini istediğiniz ek görevleri seçin ve İleri'ye tıklayın.",
+ "WizardSelectProgramGroup": "Başlangıç Menüsü Klasörünü Seç",
+ "SelectStartMenuFolderDesc": "Kurulumun programın kısayollarını nereye yerleştirmeli?",
+ "SelectStartMenuFolderLabel3": "Kurulum, programın kısayollarını aşağıdaki Başlangıç Menüsü klasöründe oluşturacak.",
+ "SelectStartMenuFolderBrowseLabel": "Devam etmek için İleri'ye tıklayın. Farklı bir klasör seçmek istiyorsanız Gözat'a tıklayın.",
+ "MustEnterGroupName": "Bir klasör adı girmelisiniz.",
+ "GroupNameTooLong": "Klasör adı veya yolu çok uzun.",
+ "InvalidGroupName": "Klasör adı geçerli değil.",
+ "BadGroupName": "Klasör adı şu karakterlerden hiçbirini içeremez:%n%n%1",
+ "NoProgramGroupCheck2": "&Başlat Menüsü klasörü oluşturma",
+ "WizardReady": "Yükleme için Hazır",
+ "ReadyLabel1": "Kurulum artık bilgisayarınıza [name] programını yüklemeye hazır.",
+ "ReadyLabel2a": "Yüklemeye devam etmek için Yükle'ye, herhangi bir ayarı gözden geçirmek veya değiştirmek istiyorsanız Geri'ye tıklayın.",
+ "ReadyLabel2b": "Yüklemeye devam etmek için Yükle'ye tıklayın.",
+ "ReadyMemoUserInfo": "Kullanıcı bilgileri:",
+ "ReadyMemoDir": "Hedef konum:",
+ "ReadyMemoType": "Kurulum türü:",
+ "ReadyMemoComponents": "Seçili bileşenler:",
+ "ReadyMemoGroup": "Başlat Menüsü klasörü:",
+ "ReadyMemoTasks": "Ek görevler:",
+ "WizardPreparing": "Yüklemeye Hazırlanıyor",
+ "PreparingDesc": "Kurulum, bilgisayarınıza [name] programını yüklemeye hazırlanıyor.",
+ "PreviousInstallNotCompleted": "Önceki bir programın yüklenmesi/kaldırılması tamamlanmadı. Bu yüklemeyi tamamlamak için bilgisayarınızı yeniden başlatmanız gerekecek.%n%nBilgisayarınızı yeniden başlattıktan sonra, [name] yüklemesini tamamlamak için Kurulumu yeniden çalıştırın.",
+ "CannotContinue": "Kurulum devam edemiyor. Lütfen çıkmak için İptal'e tıklayın.",
+ "ApplicationsFound": "Aşağıdaki uygulamalar Kurulum tarafından güncelleştirilmesi gereken dosyaları kullanıyor. Kurulumun bu uygulamaları otomatik olarak kapatmasına izin vermeniz önerilir.",
+ "ApplicationsFound2": "Aşağıdaki uygulamalar Kurulum tarafından güncelleştirilmesi gereken dosyaları kullanıyor. Kurulumun bu uygulamaları otomatik olarak kapatmasına izin vermeniz önerilir. Yükleme tamamlandıktan sonra Kurulum, uygulamaları yeniden başlatmayı deneyecek.",
+ "CloseApplications": "&Uygulamaları otomatik olarak kapat",
+ "DontCloseApplications": "&Uygulamaları kapatma",
+ "ErrorCloseApplications": "Kurulum tüm uygulamaları otomatik olarak kapatamadı. Devam etmeden önce Kurulum tarafından güncelleştirilmesi gereken dosyaları kullanan tüm uygulamaları kapatmanız önerilir.",
+ "WizardInstalling": "Yükleniyor",
+ "InstallingLabel": "Kurulum bilgisayarınıza [name] yüklüyor, lütfen bekleyin.",
+ "FinishedHeadingLabel": "[name] Kurulum Sihirbazı Tamamlanıyor",
+ "FinishedLabelNoIcons": "Kurulum bilgisayarınıza [name] programını yüklemeyi bitirdi.",
+ "FinishedLabel": "Kurulum bilgisayarınıza [name] programını yüklemeyi bitirdi. Uygulama, yüklü simgeler seçilerek başlatılabilir.",
+ "ClickFinish": "Kurulumdan çıkmak için Son'u tıklatın.",
+ "FinishedRestartLabel": "[name] yüklemesinin tamamlanması için Kur'un bilgisayarınızı yeniden başlatması gerekiyor. Şimdi yeniden başlatmak istiyor musunuz?",
+ "FinishedRestartMessage": "[name] yüklemesinin tamamlanması için Kur'un bilgisayarınızı yeniden başlatması gerekiyor.%n%nŞimdi yeniden başlatmak istiyor musunuz?",
+ "ShowReadmeCheck": "Evet, BENIOKU dosyasını görüntülemek istiyorum",
+ "YesRadio": "&Evet, bilgisayarı şimdi yeniden başlat",
+ "NoRadio": "&Hayır, bilgisayarı daha sonra yeniden başlatacağım",
+ "RunEntryExec": "%1 öğesini çalıştır",
+ "RunEntryShellExec": "%1 öğesini görüntüle",
+ "ChangeDiskTitle": "Kurulum İçin Sonraki Disk Gerekiyor",
+ "SelectDiskLabel2": "Lütfen %1 Diskini yerleştirip Tamam'a tıklayın.%n%nBu diskteki dosyalar aşağıda görüntülenenden başka bir klasörde bulunuyorsa, doğru yolu girin veya Gözat'a tıklayın.",
+ "PathLabel": "&Yol:",
+ "FileNotInDir2": "\"%1\" dosyası \"%2\" içinde bulunamadı. Lütfen doğru diski yerleştirin veya başka bir klasör seçin.",
+ "SelectDirectoryLabel": "Lütfen sonraki diskin konumunu belirtin.",
+ "SetupAborted": "Kurulum tamamlanmadı.%n%nLütfen sorunu düzeltip Kurulumu yeniden çalıştırın.",
+ "EntryAbortRetryIgnore": "Yeniden denemek için Yeniden Dene'ye, yine de devam etmek için Yoksay'a, yüklemeyi iptal etmek için İptal'e tıklayın.",
+ "StatusClosingApplications": "Uygulamalar kapatılıyor...",
+ "StatusCreateDirs": "Dizinler oluşturuluyor...",
+ "StatusExtractFiles": "Dosyalar ayıklanıyor...",
+ "StatusCreateIcons": "Kısayollar oluşturuluyor...",
+ "StatusCreateIniEntries": "INI girişleri oluşturuluyor...",
+ "StatusCreateRegistryEntries": "Kayıt defteri girişleri oluşturuluyor...",
+ "StatusRegisterFiles": "Dosyalar kaydediliyor...",
+ "StatusSavingUninstall": "Kaldırma bilgileri kaydediliyor...",
+ "StatusRunProgram": "Yükleme tamamlanıyor...",
+ "StatusRestartingApplications": "Uygulamalar yeniden başlatılıyor...",
+ "StatusRollback": "Değişiklikler geri alınıyor...",
+ "ErrorInternal2": "İç hata: %1",
+ "ErrorFunctionFailedNoCode": "%1 başarısız oldu",
+ "ErrorFunctionFailed": "%1 başarısız oldu; kod: %2",
+ "ErrorFunctionFailedWithMessage": "%1 başarısız oldu; kod %2.%n%3",
+ "ErrorExecutingProgram": "Dosya yürütülemiyor:%n%1",
+ "ErrorRegOpenKey": "Kayıt defteri anahtarı açılırken hata oluştu:%n%1\\%2",
+ "ErrorRegCreateKey": "Kayıt defteri anahtarı oluşturulurken hata oluştu:%n%1\\%2",
+ "ErrorRegWriteKey": "Kayıt defteri anahtarına yazılırken hata oluştu:%n%1\\%2",
+ "ErrorIniEntry": "\"%1\" dosyasında INI girişi oluşturulurken hata oluştu.",
+ "FileAbortRetryIgnore": "Yeniden denemek için Yeniden Dene'ye, bu dosyayı atlamak için Yoksay'a (önerilmez), yüklemeyi iptal etmek için İptal'e tıklayın.",
+ "FileAbortRetryIgnore2": "Yeniden denemek için Yeniden Dene'ye, yine de devam etmek için Yoksay'a (önerilmez), yüklemeyi iptal etmek için İptal'e tıklayın.",
+ "SourceIsCorrupted": "Kaynak dosya bozuk",
+ "SourceDoesntExist": "\"%1\" adlı kaynak dosyası yok",
+ "ExistingFileReadOnly": "Mevcut dosya salt okunur olarak işaretlenmiş.%n%nSalt okunur özniteliğini kaldırmak ve yeniden denemek için Yeniden Dene'ye, bu dosyayı atlamak için Yoksay'a, yüklemeyi iptal etmek için İptal'e tıklayın.",
+ "ErrorReadingExistingDest": "Mevcut dosya okunmaya çalışılırken bir hata oluştu:",
+ "FileExists": "Dosya zaten var.%n%nKurulumun üzerine yazmasını istiyor musunuz?",
+ "ExistingFileNewer": "Mevcut dosya, Kurulumun yüklemeye çalıştığı dosyadan daha yeni. Mevcut dosyayı saklamanız önerilir.%n%nMevcut dosyayı saklamak istiyor musunuz?",
+ "ErrorChangingAttr": "Mevcut dosyanın öznitelikleri değiştirilmeye çalışılırken bir hata oluştu:",
+ "ErrorCreatingTemp": "Hedef dizinde bir dosya oluşturulmaya çalışılırken bir hata oluştu:",
+ "ErrorReadingSource": "Kaynak dosya okunmaya çalışılırken bir hata oluştu:",
+ "ErrorCopying": "Bir dosya kopyalanmaya çalışılırken bir hata oluştu:",
+ "ErrorReplacingExistingFile": "Mevcut dosya değiştirilmeye çalışılırken bir hata oluştu:",
+ "ErrorRestartReplace": "RestartReplace başarısız oldu:",
+ "ErrorRenamingTemp": "Hedef dizindeki bir dosya yeniden adlandırılmaya çalışılırken bir hata oluştu:",
+ "ErrorRegisterServer": "DLL/OCX kaydedilemiyor: %1",
+ "ErrorRegSvr32Failed": "RegSvr32, %1 çıkış koduyla başarısız oldu",
+ "ErrorRegisterTypeLib": "Tür kitaplığı kaydedilemiyor: %1",
+ "ErrorOpeningReadme": "BENIOKU dosyası açılmaya çalışılırken bir hata oluştu.",
+ "ErrorRestartingComputer": "Kurulum, bilgisayarı yeniden başlatamadı. Lütfen bunu el ile yapın.",
+ "UninstallNotFound": "\"%1\" dosyası yok. Kaldırılamıyor.",
+ "UninstallOpenError": "\"%1\" dosyası açılamadı. Kaldırılamıyor",
+ "UninstallUnsupportedVer": "\"%1\" adlı Kaldırma günlük dosyası, Kaldırıcı'nın bu sürümü tarafından tanınmayan bir biçimde. Kaldırma işlemi yapılamıyor",
+ "UninstallUnknownEntry": "Kaldırma günlüğünde bilinmeyen bir giriş (%1) ile karşılaşıldı",
+ "ConfirmUninstall": "%1 öğesini tamamen kaldırmak istediğinizden emin misiniz? Uzantılar ve ayarlar kaldırılmayacak.",
+ "UninstallOnlyOnWin64": "Bu yükleme, yalnızca 64 bit Windows'da kaldırılabilir.",
+ "OnlyAdminCanUninstall": "Bu yükleme, yalnızca yönetici ayrıcalıklarına sahip bir kullanıcı tarafından kaldırılabilir.",
+ "UninstallStatusLabel": "%1 bilgisayarınızdan kaldırılıyor, lütfen bekleyin.",
+ "UninstalledAll": "%1 bilgisayarınızdan başarıyla kaldırıldı.",
+ "UninstalledMost": "%1 kaldırma işlemi tamamlandı.%n%nBazı öğeler kaldırılamadı. Bunlar el ile kaldırılabilir.",
+ "UninstalledAndNeedsRestart": "%1 programını kaldırma işlemini tamamlamak için bilgisayarınızın yeniden başlatılması gerekiyor.%n%nŞimdi yeniden başlatmak istiyor musunuz?",
+ "UninstallDataCorrupted": "\"%1\" dosyası bozuk. Kaldırılamıyor",
+ "ConfirmDeleteSharedFileTitle": "Paylaşılan Dosya Kaldırılsın mı?",
+ "ConfirmDeleteSharedFile2": "Sistem, aşağıdaki paylaşılan dosyanın herhangi bir program tarafından artık kullanılmadığını gösteriyor. Kaldırma programının bu paylaşılan dosyayı kaldırmasını istiyor musunuz?%n%nHerhangi bir program bu dosyayı hala kullanıyorsa ve program kaldırılırsa, söz konusu program düzgün çalışmayabilir. Emin değilseniz Hayır'ı seçin. Dosyayı sisteminizde bırakmanın bir zararı olmaz.",
+ "SharedFileNameLabel": "Dosya adı:",
+ "SharedFileLocationLabel": "Konum:",
+ "WizardUninstalling": "Kaldırma Durumu",
+ "StatusUninstalling": "%1 kaldırılıyor...",
+ "ShutdownBlockReasonInstallingApp": "%1 yükleniyor.",
+ "ShutdownBlockReasonUninstallingApp": "%1 kaldırılıyor.",
+ "NameAndVersion": "%1 sürümü %2",
+ "AdditionalIcons": "Ek simgeler:",
+ "CreateDesktopIcon": "&Masaüstü simgesi oluştur",
+ "CreateQuickLaunchIcon": "&Hızlı Başlatma simgesi oluştur",
+ "ProgramOnTheWeb": "Web üzerinde %1",
+ "UninstallProgram": "%1 Uzantısını Kaldır",
+ "LaunchProgram": "%1 Uygulamasını Başlat",
+ "AssocFileExtension": "%1 dosyasını %2 dosya uzantısıyla ilişkilen&dir",
+ "AssocingFileExtension": "%1, %2 dosya uzantısıyla ilişkilendiriliyor...",
+ "AutoStartProgramGroupDescription": "Başlangıç:",
+ "AutoStartProgram": "%1 öğesini otomatik başlat",
+ "AddonHostProgramNotFound": "%1, seçtiğiniz klasörde bulunamadı.%n%nYine de devam etmek istiyor musunuz?"
+ },
+ "win32/i18n/messages": {
+ "FinishedLabel": "Kurulum, bilgisayarınıza [name] yükleme işlemini tamamlandı. Uygulama, yüklü kısayollar seçilerek başlatılabilir.",
+ "ConfirmUninstall": "%1 ve tüm bileşenlerini tamamen kaldırmak istediğinizden emin misiniz?",
+ "AdditionalIcons": "Ek simgeler:",
+ "CreateDesktopIcon": "&Masaüstü simgesi oluştur",
+ "CreateQuickLaunchIcon": "&Hızlı Başlat simgesi oluştur",
+ "AddContextMenuFiles": "Windows Gezgini dosya bağlam menüsüne \"%1 ile aç\" eylemi ekle",
+ "AddContextMenuFolders": "Windows Gezgini dizin bağlam menüsüne \"%1 ile aç\" eylemi ekle",
+ "AssociateWithFiles": "Desteklenen dosya türleri için %1 uygulamasını düzenleyici olarak kaydet",
+ "AddToPath": "PATH değişkenine ekle (kabuğu yeniden başlatmayı gerektirir)",
+ "RunAfter": "Yüklemeden sonra %1 çalıştır",
+ "Other": "Diğer:",
+ "SourceFile": "%1 Kaynak Dosyası",
+ "OpenWithCodeContextMenu": "%1 &ile aç"
+ },
+ "vs/code/electron-main/main": {
+ "secondInstanceAdmin": "İkinci {0} örneği zaten yönetici olarak çalışıyor.",
+ "secondInstanceAdminDetail": "Lütfen diğer örneği kapatıp yeniden deneyin.",
+ "secondInstanceNoResponse": "Başka bir {0} örneği çalışıyor ancak yanıt vermiyor",
+ "secondInstanceNoResponseDetail": "Lütfen diğer tüm örnekleri kapatıp yeniden deneyin.",
+ "startupDataDirError": "Program kullanıcı verileri yazılamıyor.",
+ "startupUserDataAndExtensionsDirErrorDetail": "Lütfen şu dizinlerin yazılabilir olduğundan emin olun:\r\n\r\n{0}",
+ "close": "&&Kapat"
+ },
+ "vs/code/node/cliProcessMain": {
+ "notFound": "'{0}' uzantısı bulunamadı.",
+ "notInstalled": "'{0}' uzantısı yüklü değil.",
+ "useId": "Yayımcı dahil olmak üzere tam uzantı kimliğini kullandığınızdan emin olun (ör. {0})",
+ "installingExtensions": "Uzantılar yükleniyor...",
+ "alreadyInstalled-checkAndUpdate": "'{0}' v{1} uzantısı zaten yüklü. En son sürüme güncelleştirmek için '--force' seçeneğini kullanın veya belirli bir sürümü (ör. '{2}@1.2.3') yüklemek için '@' belirtin.",
+ "alreadyInstalled": "'{0}' uzantısı zaten yüklü.",
+ "installation failed": "Uzantılar yüklenemedi: {0}",
+ "successVsixInstall": "'{0}' uzantısı başarıyla yüklendi.",
+ "cancelVsixInstall": "'{0}' uzantısını yükleme işlemi iptal edildi.",
+ "updateMessage": "'{0}' uzantısı {1} sürümüne güncelleştiriliyor",
+ "installing builtin ": "'{0}' v{1} yerleşik uzantısı yükleniyor...",
+ "installing": "'{0}' v{1} uzantısı yükleniyor...",
+ "successInstall": "'{0}' v{1} uzantısı başarıyla yüklendi.",
+ "cancelInstall": "'{0}' uzantısını yükleme işlemi iptal edildi.",
+ "forceDowngrade": "'{0}' v{1} uzantısının yeni sürümü zaten yüklü. Eski sürüme düşürmek için '--force' seçeneğini kullanın.",
+ "builtin": "'{0}' uzantısı Yerleşik bir uzantı olduğundan yüklenemez",
+ "forceUninstall": "'{0}' uzantısı, kullanıcı tarafından Yerleşik uzantı olarak işaretlendi. Uzantıyı kaldırmak için lütfen '--force' seçeneğini kullanın.",
+ "uninstalling": "{0} kaldırılıyor...",
+ "successUninstall": "'{0}' uzantısı başarıyla kaldırıldı!"
+ },
+ "vs/code/electron-sandbox/issue/issueReporterMain": {
+ "hide": "gizle",
+ "show": "göster",
+ "previewOnGitHub": "GitHub'da Önizlemeyi Görüntüle",
+ "loadingData": "Veriler yükleniyor...",
+ "rateLimited": "GitHub sorgu sınırı aşıldı. Lütfen bekleyin.",
+ "similarIssues": "Benzer sorunlar",
+ "open": "Aç",
+ "closed": "Kapalı",
+ "noSimilarIssues": "Benzer bir sorun bulunmadı",
+ "bugReporter": "Hata Raporu",
+ "featureRequest": "Özellik İsteği",
+ "performanceIssue": "Performans Sorunu",
+ "selectSource": "Kaynak seçin",
+ "vscode": "Visual Studio Code",
+ "extension": "Eklenti",
+ "unknown": "Bilmiyorum",
+ "stepsToReproduce": "Yeniden Oluşturma Adımları",
+ "bugDescription": "Sorunu güvenilir şekilde yeniden oluşturmak için gerekli adımları paylaşın. Lütfen gerçekleşen ve beklenen sonuçları ekleyin. GitHub-tarzı Markdown'ı destekliyoruz. GitHub'da önizleme yaptığımızda sorununuzu düzenleyebilecek ve ekran görüntüleri ekleyebileceksiniz.",
+ "performanceIssueDesciption": "Bu performans sorunu ne zaman oluştu? Başlangıçta mı yoksa belirli eylemlerden sonra mı oluşuyor? GitHub-tarzı Markdown'ı destekliyoruz. GitHub'da önizleme yaptığımızda sorununuzu düzenleyebilecek ve ekran görüntüleri ekleyebileceksiniz.",
+ "description": "Açıklama",
+ "featureRequestDescription": "Lütfen görmek istediğiniz özelliği açıklayın. GitHub-tarzı Markdown'ı destekliyoruz. GitHub'da önizleme yaptığımızda sorununuzu düzenleyebilecek ve ekran görüntüleri ekleyebileceksiniz.",
+ "pasteData": "İhtiyaç duyulan veri gönderilemeyecek kadar büyük olduğu için, bu veriyi panonuza kopyaladık. Lütfen yapıştırın.",
+ "disabledExtensions": "Eklentiler devre dışı bırakıldı",
+ "noCurrentExperiments": "Geçerli deneme yok."
+ },
+ "vs/code/electron-sandbox/processExplorer/processExplorerMain": {
+ "cpu": "İşlemci yüzdesi",
+ "memory": "Bellek (MB)",
+ "pid": "PID",
+ "name": "Ad",
+ "killProcess": "İşlemi Sonlandır",
+ "forceKillProcess": "İşlemi Sonlandırmaya Zorla",
+ "copy": "Kopyala",
+ "copyAll": "Tümünü Kopyala",
+ "debug": "Hata Ayıkla"
+ },
+ "vs/code/electron-main/app": {
+ "trace.message": "İzleme başarıyla oluşturuldu.",
+ "trace.detail": "Lütfen bir sorun oluşturun ve şu dosyayı kendiniz ekleyin:\r\n{0}",
+ "trace.ok": "Tamam",
+ "open": "&&Evet",
+ "cancel": "&&Hayır",
+ "confirmOpenMessage": "Dış bir uygulama, {1} içinde '{0}' öğesini açmak istiyor. Bu dosyayı veya klasörü açmak istiyor musunuz?",
+ "confirmOpenDetail": "Bu isteği siz başlatmadıysanız, bu istek sisteminizde denenen bir saldırıyı gösteriyor olabilir. Bu isteği başlatmak için açık bir eylem gerçekleştirmedikçe 'Hayır' seçeneğine basmalısınız"
+ },
+ "vs/code/electron-sandbox/issue/issueReporterPage": {
+ "completeInEnglish": "Lütfen formu İngilizce olarak doldurunuz.",
+ "issueTypeLabel": "Bu bir",
+ "issueSourceLabel": "Dosya konumu",
+ "issueSourceEmptyValidation": "Sorun kaynağı gerekiyor.",
+ "disableExtensionsLabelText": "Sorunu {0} sonrasında yeniden oluşturmaya çalışın. Sorun sadece eklentiler aktifken yeniden oluşturulabiliyorsa, büyük olasılıkla eklenti ile ilgili bir sorundur.",
+ "disableExtensions": "tüm eklentileri devre dışı bırakıp pencereyi yeniden yükleyin",
+ "chooseExtension": "Uzantı",
+ "extensionWithNonstandardBugsUrl": "Sorun raporlayıcı bu uzantı için sorun oluşturamadı. Sorun bildirmek için lütfen {0} sayfasını ziyaret edin.",
+ "extensionWithNoBugsUrl": "Sorunları bildirmek için bir URL belirtilmediğinden sorun raporlayıcı bu uzantı için sorun oluşturamadı. Başka yönergelerin olup olmadığını görmek için lütfen bu uzantının market sayfasına bakın.",
+ "issueTitleLabel": "Başlık",
+ "issueTitleRequired": "Lütfen bir başlık girin.",
+ "titleEmptyValidation": "Başlık gerekiyor.",
+ "titleLengthValidation": "Başlık çok uzun.",
+ "details": "Lütfen ayrıntıları girin.",
+ "descriptionEmptyValidation": "Açıklama gerekiyor.",
+ "sendSystemInfo": "Sistem bilgilerimi dahil et ({0})",
+ "show": "göster",
+ "sendProcessInfo": "Şu anda çalışan işlemlerimi dahil et ({0})",
+ "sendWorkspaceInfo": "Çalışma alanımın meta verilerini dahil et ({0})",
+ "sendExtensions": "Aktif eklentilerimi dahil et ({0})",
+ "sendExperiments": "A/B deneme bilgilerini ekle ({0})"
+ },
+ "vs/code/electron-main/auth": {
+ "authRequire": "Ara Sunucu Kimlik Doğrulaması Gerekiyor",
+ "proxyauth": "{0} ara sunucusu için kimlik doğrulaması gerekiyor."
+ },
+ "vs/code/electron-main/window": {
+ "reopen": "&&Yeniden Aç",
+ "wait": "&&Beklemeye Devam Et",
+ "close": "&&Kapat",
+ "appStalled": "Pencere artık yanıt vermiyor",
+ "appStalledDetail": "Pencereyi yeniden açabilir veya kapatabilir ya da beklemeye devam edebilirsiniz.",
+ "appCrashedDetails": "Pencere kilitlendi (neden: '{0}')",
+ "appCrashed": "Pencere kilitlendi",
+ "appCrashedDetail": "Verdiğimiz rahatsızlıktan dolayı özür dileriz! Kaldığınız yerden devam etmek için pencereyi yeniden açabilirsiniz.",
+ "hiddenMenuBar": "Alt tuşuna basarak menü çubuğuna erişmeye devam edebilirsiniz."
+ },
+ "vs/workbench/electron-browser/actions/developerActions": {
+ "toggleSharedProcess": "Paylaşılan İşlemi Aç/Kapat"
+ },
+ "vs/workbench/electron-sandbox/desktop.contribution": {
+ "newTab": "Yeni Pencere Sekmesi",
+ "showPreviousTab": "Önceki Pencere Sekmesini Göster",
+ "showNextWindowTab": "Sonraki Pencere Sekmesini Göster",
+ "moveWindowTabToNewWindow": "Pencere Sekmesini Yeni Pencereye Taşı",
+ "mergeAllWindowTabs": "Tüm Pencereleri Birleştir",
+ "toggleWindowTabsBar": "Pencere Sekmeleri Çubuğunu Aç/Kapat",
+ "preferences": "Tercihler",
+ "miCloseWindow": "Pencereyi Kapa&&t",
+ "miExit": "Çı&&kış",
+ "miZoomIn": "&&Yakınlaştır",
+ "miZoomOut": "&&Uzaklaştır",
+ "miZoomReset": "&&Yakınlaştırmayı Sıfırla",
+ "miReportIssue": "&&Sorun Raporla (İngilizce)",
+ "miToggleDevTools": "&&Geliştirici Araçlarını Aç/Kapat",
+ "miOpenProcessExplorerer": "İş&&lem Gezginini Aç",
+ "windowConfigurationTitle": "Pencere",
+ "window.openWithoutArgumentsInNewWindow.on": "Yeni bir boş pencere açın.",
+ "window.openWithoutArgumentsInNewWindow.off": "Son etkin çalışan örneğe odaklanın.",
+ "openWithoutArgumentsInNewWindow": "Bağımsız değişkenler olmadan ikinci bir örnek başlatırken veya son çalışan örneğe odaklanılması gerekiyorsa yeni bir boş pencerenin açılması gerekip gerekmediğini denetler.\r\nBu ayarın yoksayıldığı durumlar olabileceğini unutmayın (örneğin, `--new-window` veya `--reuse-window` komut satırı seçeneği kullanılırken).",
+ "window.reopenFolders.preserve": "Tüm pencereleri her zaman yeniden aç. Bir klasör veya çalışma alanı açılırsa (örneğin komut satırından), daha önce açılmadığı sürece yeni bir pencere olarak açılır. Dosyalar açıldığında, geri yüklenen pencerelerden birinde açılır.",
+ "window.reopenFolders.all": "Klasör, çalışma alanı veya dosya açılmadıkça (ör. komut satırından) tüm pencereleri yeniden açın.",
+ "window.reopenFolders.folders": "Klasör, çalışma alanı veya dosya açılmadıkça (ör. komut satırından) açık klasörlerin veya çalışma alanlarının bulunduğu tüm pencereleri yeniden açın.",
+ "window.reopenFolders.one": "Klasör, çalışma alanı veya dosya açılmadıkça (ör. komut satırından) son etkin pencereyi yeniden açın.",
+ "window.reopenFolders.none": "Pencereyi hiçbir zaman yeniden açmayın. Bir klasör veya çalışma alanı açılmadıkça (ör. komut satırından) boş pencere görünür.",
+ "restoreWindows": "Pencerelerin, ilk kez başlatıldıktan sonra nasıl yeniden açıldığı denetler. Uygulama zaten çalışırken bu ayarın etkisi yoktur.",
+ "restoreFullscreen": "Pencereden tam ekran modundayken çıkılırsa pencerenin tam ekran modunda geri yüklenip yüklenmeyeceğini denetler.",
+ "zoomLevel": "Pencerenin yakınlaştırma düzeyini ayarlayın. Özgün boyut 0'dır ve yukarı (örneğin, 1) ya da aşağı (örneğin, -1) yönlü her artış %20 daha büyük veya daha küçük yakınlaştırmayı temsil eder. Yakınlaştırma düzeyini daha ayrıntılı şekilde ayarlamak için ondalık sayılar da girebilirsiniz.",
+ "window.newWindowDimensions.default": "Yeni pencereleri ekranın ortasında açın.",
+ "window.newWindowDimensions.inherit": "Yeni pencereleri son etkin boyutla aynı boyutta açın.",
+ "window.newWindowDimensions.offset": "Yeni pencereleri uzaklık konumuyla birlikte son etkin boyutla aynı boyutta açın.",
+ "window.newWindowDimensions.maximized": "Yeni pencereleri tam ekran olarak açın.",
+ "window.newWindowDimensions.fullscreen": "Yeni pencereleri tam ekran modunda açın.",
+ "newWindowDimensions": "En az bir pencere zaten açıldığında yeni bir pencere açma boyutlarını denetler. Bu ayarın, açılan ilk pencere üzerinde etkisi olmadığını unutmayın. İlk pencerenin boyutu ve konumu, kapatmadan önce bıraktığınız şekilde geri yüklenir.",
+ "closeWhenEmpty": "Son düzenleyici kapatıldığında pencerenin de kapatılıp kapatılmayacağını denetler. Bu ayar yalnızca klasör göstermeyen pencereler için geçerlidir.",
+ "window.doubleClickIconToClose": "Etkinleştirilirse, başlık çubuğundaki uygulama simgesini çift tıkladığınızda pencere kapatılır ve pencere simgeden sürüklenemez. Bu ayar yalnızca `#window.titleBarStyle#`, `custom` olarak ayarlandığında etkili olur.",
+ "titleBarStyle": "Pencere başlık çubuğunun görünümünü ayarlayın. Linux ve Windows'da bu ayar ayrıca uygulama ve bağlam menüsü görünümlerini etkiler. Değişikliklerin uygulanması için tam yeniden başlatma gerekir.",
+ "dialogStyle": "İletişim kutusu pencerelerinin görünümünü ayarlayın.",
+ "window.nativeTabs": "macOS Sierra pencere sekmelerini etkinleştirir. Değişikliklerin uygulanması için tam yeniden başlatma gerektiğini ve yapılandırıldıysa yerel sekmelerin özel bir başlık çubuğu stilini devre dışı bırakacağını unutmayın.",
+ "window.nativeFullScreen": "macOS'de yerel tam ekran kullanılması gerekip gerekmediğini denetler. macOS'nin tam ekrana geçerken yeni bir alan oluşturmasını önlemek için bu seçeneği devre dışı bırakın.",
+ "window.clickThroughInactive": "Etkinleştirilirse, etkin olmayan bir pencereye tıkladığınızda hem pencere etkinleştirilir hem de farenin altındaki öğe tıklanabilir ise tetiklenir. Devre dışı bırakılırsa, etkin olmayan bir pencerede herhangi bir yere tıkladığınızda pencere etkinleştirilir ve öğede ikinci bir tıklama gerekir.",
+ "window.enableExperimentalProxyLoginDialog": "Ara sunucu kimlik doğrulaması için yeni bir oturum açma iletişim kutusu sağlar. Etkili olması için yeniden başlatma gerekir.",
+ "telemetryConfigurationTitle": "Telemetri",
+ "telemetry.enableCrashReporting": "Kilitlenme raporlarının Microsoft çevrimiçi hizmetine gönderilmesini etkinleştirin. \r\nBu seçeneğin etkili olması için yeniden başlatma gerekiyor.",
+ "keyboardConfigurationTitle": "Klavye",
+ "touchbar.enabled": "Varsa macOS dokunmatik çubuk düğmelerini etkinleştirir.",
+ "touchbar.ignored": "Touch Bar'daki girdilere ilişkin gösterilmemesi gereken bir dizi tanımlayıcı (örneğin, `workbench.action.navigateBack`.",
+ "argv.locale": "Kullanılacak görüntüleme dili. Farklı bir dilin seçilmesi, ilişkili dil paketinin yüklenmesini gerektirir.",
+ "argv.disableHardwareAcceleration": "Donanım hızlandırmayı devre dışı bırakır. Bu seçeneği YALNIZCA grafik sorunlarıyla karşılaşırsanız değiştirin.",
+ "argv.disableColorCorrectRendering": "Renk profili seçimiyle ilgili sorunları çözer. Bu seçeneği YALNIZCA grafik sorunlarıyla karşılaşırsanız değiştirin.",
+ "argv.forceColorProfile": "Kullanılacak renk profilini geçersiz kılmaya olanak verir. Renkler kötü görünüyorsa, bunu `srgb` olarak ayarlamayı ve yeniden başlatmayı deneyin.",
+ "argv.enableCrashReporter": "Kilitlenme raporlamasını devre dışı bırakmaya olanak verir, değer değiştirilirse uygulamayı yeniden başlatmanız gerekir.",
+ "argv.crashReporterId": "Bu uygulama örneğinden gönderilen kilitlenme raporlarını bağıntılamak için kullanılan benzersiz kimlik.",
+ "argv.enebleProposedApi": "Uzantı kimlikleri ('vscode.git' gibi) listesi için önerilen API'leri etkinleştirin. Önerilen API'ler kararlı durumda değildir ve her an uyarı olmadan kesilmeye tabidir. Bu yalnızca uzantı geliştirme ve test amaçları için ayarlanmalıdır.",
+ "argv.force-renderer-accessibility": "İşleyiciyi erişilebilir olmaya zorlar. Bunu YALNIZCA Linux üzerinde ekran okuyucu kullanıyorsanız değiştirin. Diğer platformlarda işleyici otomatik olarak erişilebilir durumda olur. Bu bayrak, editor.accessibilitySupport: açık ise otomatik olarak ayarlanır."
+ },
+ "vs/workbench/common/actions": {
+ "view": "Görüntüle",
+ "help": "Yardım",
+ "developer": "Geliştirici"
+ },
+ "vs/workbench/browser/workbench": {
+ "loaderErrorNative": "Gerekli bir dosya yüklenemedi. Yeniden denemek için lütfen uygulamayı yeniden başlatın. Ayrıntılar: {0}"
+ },
+ "vs/workbench/electron-sandbox/window": {
+ "learnMode": "Daha Fazla Bilgi",
+ "shellEnvSlowWarning": "Kabuk ortamınızın çözümlenmesi çok uzun sürüyor. Lütfen kabuk yapılandırmanızı gözden geçirin.",
+ "shellEnvTimeoutError": "Kabuk ortamınız makul bir süre içinde çözümlenemiyor. Lütfen kabuk yapılandırmanızı gözden geçirin.",
+ "proxyAuthRequired": "Ara Sunucu Kimlik Doğrulaması Gerekiyor",
+ "loginButton": "&&Oturum Açın",
+ "cancelButton": "İp&&tal",
+ "username": "Kullanıcı adı",
+ "password": "Parola",
+ "proxyDetail": "{0} ara sunucusu bir kullanıcı adı ve parola gerektiriyor.",
+ "rememberCredentials": "Kimlik bilgilerimi hatırla",
+ "runningAsRoot": "{0} uygulamasının kök kullanıcı olarak çalıştırılması önerilmez.",
+ "mPreferences": "Tercihler"
+ },
+ "vs/workbench/common/theme": {
+ "tabActiveBackground": "Etkin gruptaki etkin sekme arka plan rengi. Sekmeler, düzenleyici alanındaki düzenleyicilerin kapsayıcılarıdır. Tek bir düzenleyici grubunda birden çok sekme açılabilir. Birden çok düzenleyici grubu olabilir.",
+ "tabUnfocusedActiveBackground": "Odaklanmamış gruptaki etkin sekme arka plan rengi. Sekmeler, düzenleyici alanındaki düzenleyicilerin kapsayıcılarıdır. Tek bir düzenleyici grubunda birden çok sekme açılabilir. Birden çok düzenleyici grubu olabilir.",
+ "tabInactiveBackground": "Etkin gruptaki etkin olmayan sekme arka plan rengi. Sekmeler, düzenleyici alanındaki düzenleyicilerin kapsayıcılarıdır. Tek bir düzenleyici grubunda birden çok sekme açılabilir. Birden çok düzenleyici grubu olabilir.",
+ "tabUnfocusedInactiveBackground": "Odaklanmamış gruptaki etkin olmayan sekme arka plan rengi. Sekmeler, düzenleyici alanındaki düzenleyicilerin kapsayıcılarıdır. Tek bir düzenleyici grubunda birden çok sekme açılabilir. Birden çok düzenleyici grubu olabilir.",
+ "tabActiveForeground": "Etkin gruptaki etkin sekme ön plan rengi. Sekmeler, düzenleyici alanındaki düzenleyicilerin kapsayıcılarıdır. Tek bir düzenleyici grubunda birden çok sekme açılabilir. Birden çok düzenleyici grubu olabilir.",
+ "tabInactiveForeground": "Etkin gruptaki etkin olmayan sekme ön plan rengi. Sekmeler, düzenleyici alanındaki düzenleyicilerin kapsayıcılarıdır. Tek bir düzenleyici grubunda birden çok sekme açılabilir. Birden çok düzenleyici grubu olabilir.",
+ "tabUnfocusedActiveForeground": "Odaklanmamış gruptaki etkin sekme ön plan rengi. Sekmeler, düzenleyici alanındaki düzenleyicilerin kapsayıcılarıdır. Tek bir düzenleyici grubunda birden çok sekme açılabilir. Birden çok düzenleyici grubu olabilir.",
+ "tabUnfocusedInactiveForeground": "Odaklanmamış gruptaki etkin olmayan sekme ön plan rengi. Sekmeler, düzenleyici alanındaki düzenleyicilerin kapsayıcılarıdır. Tek bir düzenleyici grubunda birden çok sekme açılabilir. Birden çok düzenleyici grubu olabilir.",
+ "tabHoverBackground": "Üzerine gelindiğinde sekme arka plan rengi. Sekmeler, düzenleyici alanındaki düzenleyicilerin kapsayıcılarıdır. Tek bir düzenleyici grubunda birden çok sekme açılabilir. Birden çok düzenleyici grubu olabilir.",
+ "tabUnfocusedHoverBackground": "Üzerine gelindiğinde odaklanmamış gruptaki sekme arka plan rengi. Sekmeler, düzenleyici alanındaki düzenleyicilerin kapsayıcılarıdır. Tek bir düzenleyici grubunda birden çok sekme açılabilir. Birden çok düzenleyici grubu olabilir.",
+ "tabHoverForeground": "Üzerine gelindiğinde sekme ön plan rengi. Sekmeler, düzenleyici alanındaki düzenleyicilerin kapsayıcılarıdır. Tek bir düzenleyici grubunda birden çok sekme açılabilir. Birden çok düzenleyici grubu olabilir.",
+ "tabUnfocusedHoverForeground": "Üzerine gelindiğinde odaklanmamış gruptaki sekme ön plan rengi. Sekmeler, düzenleyici alanındaki düzenleyicilerin kapsayıcılarıdır. Tek bir düzenleyici grubunda birden çok sekme açılabilir. Birden çok düzenleyici grubu olabilir.",
+ "tabBorder": "Sekmeleri birbirinden ayırmayı sağlayan kenarlık. Sekmeler, düzenleyici alanındaki düzenleyicilerin kapsayıcılarıdır. Tek bir düzenleyici grubunda birden çok sekme açılabilir. Birden çok düzenleyici grubu olabilir.",
+ "lastPinnedTabBorder": "Sabitlenmiş sekmeleri diğer sekmelerden ayıran kenarlık. Sekmeler, düzenleyici alanındaki düzenleyiciler için kapsayıcılardır. Düzenleyici grubunda birden fazla sekme açılabilir. Birden fazla düzenleyici grubu olabilir.",
+ "tabActiveBorder": "Etkin sekmenin altındaki kenarlık. Sekmeler, düzenleyici alanındaki düzenleyicilerin kapsayıcılarıdır. Tek bir düzenleyici grubunda birden çok sekme açılabilir. Birden çok düzenleyici grubu olabilir.",
+ "tabActiveUnfocusedBorder": "Odaklanmamış gruptaki etkin sekmenin altında yer alan kenarlık. Sekmeler, düzenleyici alanındaki düzenleyicilerin kapsayıcılarıdır. Tek bir düzenleyici grubunda birden çok sekme açılabilir. Birden çok düzenleyici grubu olabilir.",
+ "tabActiveBorderTop": "Etkin sekmenin üstündeki kenarlık. Sekmeler, düzenleyici alanındaki düzenleyicilerin kapsayıcılarıdır. Tek bir düzenleyici grubunda birden çok sekme açılabilir. Birden çok düzenleyici grubu olabilir.",
+ "tabActiveUnfocusedBorderTop": "Odaklanmamış gruptaki etkin sekmenin üstünde yer alan kenarlık. Sekmeler, düzenleyici alanındaki düzenleyicilerin kapsayıcılarıdır. Tek bir düzenleyici grubunda birden çok sekme açılabilir. Birden çok düzenleyici grubu olabilir.",
+ "tabHoverBorder": "Üzerine gelindiğinde sekmeleri vurgulamayı sağlayan kenarlık. Sekmeler, düzenleyici alanındaki düzenleyicilerin kapsayıcılarıdır. Tek bir düzenleyici grubunda birden çok sekme açılabilir. Birden çok düzenleyici grubu olabilir.",
+ "tabUnfocusedHoverBorder": "Üzerine gelindiğinde odaklanmamış gruptaki sekmeleri vurgulamayı sağlayan kenarlık. Sekmeler, düzenleyici alanındaki düzenleyicilerin kapsayıcılarıdır. Tek bir düzenleyici grubunda birden çok sekme açılabilir. Birden çok düzenleyici grubu olabilir.",
+ "tabActiveModifiedBorder": "Etkin gruptaki değiştirilmiş (değişiklik içeren) etkin sekmelerin üstündeki kenarlık. Sekmeler, düzenleyici alanındaki düzenleyicilerin kapsayıcılarıdır. Tek bir düzenleyici grubunda birden çok sekme açılabilir. Birden çok düzenleyici grubu olabilir.",
+ "tabInactiveModifiedBorder": "Etkin gruptaki değiştirilmiş (değişiklik içeren) etkin olmayan sekmelerin üstündeki kenarlık. Sekmeler, düzenleyici alanındaki düzenleyicilerin kapsayıcılarıdır. Tek bir düzenleyici grubunda birden çok sekme açılabilir. Birden çok düzenleyici grubu olabilir.",
+ "unfocusedActiveModifiedBorder": "Odaklanmamış gruptaki değiştirilmiş (değişiklik içeren) etkin sekmelerin üstündeki kenarlık. Sekmeler, düzenleyici alanındaki düzenleyicilerin kapsayıcılarıdır. Tek bir düzenleyici grubunda birden çok sekme açılabilir. Birden çok düzenleyici grubu olabilir.",
+ "unfocusedINactiveModifiedBorder": "Odaklanmamış gruptaki değiştirilmiş (değişiklik içeren) etkin olmayan sekmelerin üstündeki kenarlık. Sekmeler, düzenleyici alanındaki düzenleyicilerin kapsayıcılarıdır. Tek bir düzenleyici grubunda birden çok sekme açılabilir. Birden çok düzenleyici grubu olabilir.",
+ "editorPaneBackground": "Ortalanmış düzenleyici düzeninin sol ve sağ tarafında görünen düzenleyici bölmesinin arka plan rengi.",
+ "editorGroupBackground": "Düzenleyici grubunun kullanım dışı arka plan rengi.",
+ "deprecatedEditorGroupBackground": "Kullanım dışı: Düzenleyici grubunun arka plan rengi, kılavuz düzenleyici düzeninin tanıtılmasıyla artık desteklenmiyor. Boş düzenleyici gruplarının arka plan rengini ayarlamak için editorGroup.emptyBackground özelliğini kullanabilirsiniz.",
+ "editorGroupEmptyBackground": "Boş bir düzenleyici grubunun arka plan rengi. Düzenleyici grupları düzenleyicilerin kapsayıcılarıdır.",
+ "editorGroupFocusedEmptyBorder": "Odaklanmış boş bir düzenleyici grubunun kenarlık rengi. Düzenleyici grupları düzenleyicilerin kapsayıcılarıdır.",
+ "tabsContainerBackground": "Sekmeler etkinleştirildiğinde düzenleyici grubu başlık üst bilgisinin arka plan rengi. Düzenleyici grupları düzenleyicilerin kapsayıcılarıdır.",
+ "tabsContainerBorder": "Sekmeler etkinleştirildiğinde düzenleyici grubu başlık üst bilgisinin kenarlık rengi. Düzenleyici grupları düzenleyicilerin kapsayıcılarıdır.",
+ "editorGroupHeaderBackground": "Sekmeler devre dışı bırakıldığında (`\"workbench.editor.showTabs\": false`) düzenleyici grubu başlık üst bilgisinin arka plan rengi. Düzenleyici grupları düzenleyicilerin kapsayıcılarıdır.",
+ "editorTitleContainerBorder": "Düzenleyici grubu başlık üst bilgisinin kenarlık rengi. Düzenleyici grupları düzenleyicilerin kapsayıcılarıdır.",
+ "editorGroupBorder": "Birden çok düzenleyici grubunu birbirinden ayırmayı sağlayan renk. Düzenleyici grupları düzenleyicilerin kapsayıcılarıdır.",
+ "editorDragAndDropBackground": "Düzenleyiciler sürüklenirken kullanılan arka plan rengi. Arka taraftaki düzenleyici içeriklerinin gözükmeye devam edebilmesi için rengin saydamlığı olmalıdır.",
+ "imagePreviewBorder": "Görüntü önizlemedeki görüntünün kenarlık rengi.",
+ "panelBackground": "Panel arka plan rengi. Paneller, düzenleyici alanının altında gösterilir ve çıkış ile tümleşik terminal gibi görünümleri içerir.",
+ "panelBorder": "Paneli düzenleyiciden ayırmayı sağlayan panel kenarlığı rengi. Paneller, düzenleyici alanının altında gösterilir ve çıkış ile tümleşik terminal gibi görünümleri içerir.",
+ "panelActiveTitleForeground": "Etkin panelin başlık rengi. Paneller, düzenleyici alanının altında gösterilir ve çıkış ile tümleşik terminal gibi görünümleri içerir.",
+ "panelInactiveTitleForeground": "Etkin olmayan panelin başlık rengi. Paneller, düzenleyici alanının altında gösterilir ve çıkış ile tümleşik terminal gibi görünümleri içerir.",
+ "panelActiveTitleBorder": "Etkin panel başlığının kenarlık rengi. Paneller, düzenleyici alanının altında gösterilir ve çıkış ile tümleşik terminal gibi görünümleri içerir.",
+ "panelInputBorder": "Paneldeki girişler için giriş kutusu kenarlığı.",
+ "panelDragAndDropBorder": "Panel başlıkları için sürükle bırak geri bildirim rengi. Paneller, düzenleyici alanının altında gösterilir ve çıkış ile tümleşik terminal gibi görünümleri içerir.",
+ "panelSectionDragAndDropBackground": "Panel bölümleri için sürükle bırak geri bildirim rengi. Panel bölümlerinin görünmeye devam edebilmesi için renk saydam olmalıdır. Paneller, düzenleyici alanının altında gösterilir ve çıkış ile tümleşik terminal gibi görünümleri içerir. Panel bölümleri panellerde iç içe geçmiş görünümlerdir.",
+ "panelSectionHeaderBackground": "Panel bölümü üst bilgisi arka plan rengi. Paneller, düzenleyici alanının altında gösterilir, çıkış ve tümleşik terminal gibi görünümleri içerir. Panel bölümleri panellerde iç içe geçmiş görünümlerdir.",
+ "panelSectionHeaderForeground": "Panel bölümü üst bilgisi ön plan rengi. Paneller, düzenleyici alanının altında gösterilir ve çıkış ile tümleşik terminal gibi görünümleri içerir. Panel bölümleri panellerde iç içe geçmiş görünümlerdir.",
+ "panelSectionHeaderBorder": "Panelde birden çok görünüm dikey olarak yığıldığında kullanılan panel bölümü üst bilgisi kenarlık rengi. Paneller, düzenleyici alanının altında gösterilir, çıkış ve tümleşik terminal gibi görünümleri içerir. Panel bölümleri panellerde iç içe geçmiş görünümlerdir.",
+ "panelSectionBorder": "Panelde birden çok görünüm yatay olarak yığıldığında kullanılan panel bölümü kenarlık rengi. Paneller, düzenleyici alanının altında gösterilir, çıkış ve tümleşik terminal gibi görünümleri içerir. Panel bölümleri panellerde iç içe geçmiş görünümlerdir.",
+ "statusBarForeground": "Bir çalışma alanı açıldığında durum çubuğu ön plan rengi. Durum çubuğu pencerenin altında gösterilir.",
+ "statusBarNoFolderForeground": "Açılan klasör olmadığında durum çubuğu ön plan rengi. Durum çubuğu pencerenin altında gösterilir.",
+ "statusBarBackground": "Çalışma alanı açıldığında durum çubuğu arka plan rengi. Durum çubuğu pencerenin altında gösterilir.",
+ "statusBarNoFolderBackground": "Açılan klasör olmadığında durum çubuğu arka plan rengi. Durum çubuğu pencerenin altında gösterilir.",
+ "statusBarBorder": "Kenar çubuğunu ve düzenleyiciyi ayıran durum çubuğu kenarlık rengi. Durum çubuğu pencerenin altında gösterilir.",
+ "statusBarNoFolderBorder": "Açılan klasör olmadığında kenar çubuğunu ve düzenleyiciyi ayıran durum çubuğu kenarlık rengi. Durum çubuğu pencerenin altında gösterilir.",
+ "statusBarItemActiveBackground": "Tıklandığında durum çubuğu öğesi arka plan rengi. Durum çubuğu pencerenin altında gösterilir.",
+ "statusBarItemHoverBackground": "Üzerine gelindiğinde durum çubuğu öğesi arka plan rengi. Durum çubuğu pencerenin altında gösterilir.",
+ "statusBarProminentItemForeground": "Durum çubuğu belirgin öğeleri ön plan rengi. Belirgin öğeler önem belirtmek için diğer durum çubuğu girdileri arasında öne çıkar. Bir örnek görmek için komut paletinden `Sekme Tuşu Taşımaları Odağını Aç/Kapat` modunu değiştirin. Durum çubuğu pencerenin altında gösterilir.",
+ "statusBarProminentItemBackground": "Durum çubuğu belirgin öğeleri arka plan rengi. Belirgin öğeler önem belirtmek için diğer durum çubuğu girdileri arasında öne çıkar. Bir örnek görmek için komut paletinden `Sekme Tuşu Taşımaları Odağını Aç/Kapat` modunu değiştirin. Durum çubuğu pencerenin altında gösterilir.",
+ "statusBarProminentItemHoverBackground": "Üzerine gelindiğinde durum çubuğu belirgin öğeleri arka plan rengi. Belirgin öğeler önem belirtmek için diğer durum çubuğu girdileri arasında öne çıkar. Bir örnek görmek için komut paletinden `Sekme Tuşu Taşımaları Odağını Aç/Kapat` modunu değiştirin. Durum çubuğu pencerenin altında gösterilir.",
+ "statusBarErrorItemBackground": "Durum çubuğu hata öğeleri arka plan rengi. Hata öğeleri, hata koşullarını göstermek için diğer durum çubuğu girdileri arasında öne çıkar. Durum çubuğu pencerenin alt kısmında gösterilir.",
+ "statusBarErrorItemForeground": "Durum çubuğu hata öğeleri ön plan rengi. Hata öğeleri, hata koşullarını göstermek için diğer durum çubuğu girdileri arasında öne çıkar. Durum çubuğu pencerenin alt kısmında gösterilir.",
+ "activityBarBackground": "Etkinlik çubuğu arka plan rengi. Etkinlik çubuğu en solda veya sağda gösterilir ve kenar çubuğunun görünümleri arasında geçiş yapılmasını sağlar.",
+ "activityBarForeground": "Etkin olduğunda etkinlik çubuğu öğesi ön plan rengi. Etkinlik çubuğu en solda veya sağda gösterilir ve kenar çubuğunun görünümleri arasında geçiş yapılmasını sağlar.",
+ "activityBarInActiveForeground": "Etkin olmadığında etkinlik çubuğu öğesi ön plan rengi. Etkinlik çubuğu en solda veya sağda gösterilir ve kenar çubuğunun görünümleri arasında geçiş yapılmasını sağlar.",
+ "activityBarBorder": "Kenar çubuğunu ayıran etkinlik çubuğu kenarlık rengi. Etkinlik çubuğu en solda veya sağda gösterilir ve kenar çubuğunun görünümleri arasında geçiş yapılmasını sağlar.",
+ "activityBarActiveBorder": "Etkin öğe için etkinlik çubuğu kenarlık rengi. Etkinlik çubuğu en solda veya sağda gösterilir ve kenar çubuğunun görünümleri arasında geçiş yapılmasını sağlar.",
+ "activityBarActiveFocusBorder": "Etkin öğe için etkinlik çubuğu odak kenarlığı rengi. Etkinlik çubuğu en solda veya sağda gösterilir ve kenar çubuğunun görünümleri arasında geçiş yapılmasını sağlar.",
+ "activityBarActiveBackground": "Etkin öğe için etkinlik çubuğu arka plan rengi. Etkinlik çubuğu en solda veya sağda gösterilir ve kenar çubuğunun görünümleri arasında geçiş yapılmasını sağlar.",
+ "activityBarDragAndDropBorder": "Etkinlik çubuğu öğeleri için geri bildirim rengini sürükleyip bırakın. Etkinlik çubuğu en solda veya sağda gösterilir ve kenar çubuğunun görünümleri arasında geçiş yapılmasını sağlar.",
+ "activityBarBadgeBackground": "Etkinlik bildirimi rozeti arka plan rengi. Etkinlik çubuğu en solda veya sağda gösterilir ve kenar çubuğunun görünümleri arasında geçiş yapılmasını sağlar.",
+ "activityBarBadgeForeground": "Etkinlik bildirimi rozeti ön plan rengi. Etkinlik çubuğu en solda veya sağda gösterilir ve kenar çubuğunun görünümleri arasında geçiş yapılmasını sağlar.",
+ "statusBarItemHostBackground": "Durum çubuğundaki uzak göstergenin arka plan rengi.",
+ "statusBarItemHostForeground": "Durum çubuğundaki uzak göstergenin ön plan rengi.",
+ "extensionBadge.remoteBackground": "Uzantılar görünümündeki uzak rozetin arka plan rengi.",
+ "extensionBadge.remoteForeground": "Uzantılar görünümündeki uzak rozetin ön plan rengi.",
+ "sideBarBackground": "Kenar çubuğu arka plan rengi. Kenar çubuğu, gezgin ve arama gibi görünümlere yönelik kapsayıcıdır.",
+ "sideBarForeground": "Kenar çubuğu ön plan rengi. Kenar çubuğu, gezgin ve arama gibi görünümlere yönelik kapsayıcıdır.",
+ "sideBarBorder": "Düzenleyiciyi ayıran taraftaki kenar çubuğu kenarlık rengi. Kenar çubuğu, gezgin ve arama gibi görünümlere yönelik kapsayıcıdır.",
+ "sideBarTitleForeground": "Kenar çubuğu başlığı ön plan rengi. Kenar çubuğu, gezgin ve arama gibi görünümlere yönelik kapsayıcıdır.",
+ "sideBarDragAndDropBackground": "Kenar çubuğu bölümleri için sürükle bırak geri bildirim rengi. Kenar çubuğu bölümlerinin görünmeye devam edebilmesi için renk saydam olmalıdır. Kenar çubuğu, gezgin ve arama gibi görünümlere yönelik kapsayıcıdır. Yan çubuk bölümleri yan çubukta iç içe geçmiş görünümlerdir.",
+ "sideBarSectionHeaderBackground": "Yan çubuk bölümü üst bilgisi arka plan rengi. Yan çubuk, gezgin veya arama gibi görünümlere yönelik kapsayıcıdır. Yan çubuk bölümleri yan çubukta iç içe geçmiş görünümlerdir.",
+ "sideBarSectionHeaderForeground": "Yan çubuk bölümü üst bilgisi ön plan rengi. Yan çubuk, gezgin veya arama gibi görünümlere yönelik kapsayıcıdır. Yan çubuk bölümleri yan çubukta iç içe geçmiş görünümlerdir.",
+ "sideBarSectionHeaderBorder": "Yan çubuk bölümü üst bilgisi kenarlık rengi. Yan çubuk, gezgin veya arama gibi görünümlere yönelik kapsayıcıdır. Yan çubuk bölümleri yan çubukta iç içe geçmiş görünümlerdir.",
+ "titleBarActiveForeground": "Pencere etkinken başlık çubuğu ön planı.",
+ "titleBarInactiveForeground": "Pencere etkin olmadığında başlık çubuğu ön planı.",
+ "titleBarActiveBackground": "Pencere etkinken başlık çubuğu arka planı.",
+ "titleBarInactiveBackground": "Pencere etkin olmadığında başlık çubuğu arka planı.",
+ "titleBarBorder": "Başlık çubuğu kenarlık rengi.",
+ "menubarSelectionForeground": "Menü çubuğunda seçilen menü öğesinin ön plan rengi.",
+ "menubarSelectionBackground": "Menü çubuğunda seçilen menü öğesinin arka plan rengi.",
+ "menubarSelectionBorder": "Menü çubuğunda seçilen menü öğesinin kenarlık rengi.",
+ "notificationCenterBorder": "Bildirim merkezi kenarlık rengi. Bildirimler pencerenin sağ alt tarafından kayar.",
+ "notificationToastBorder": "Bildirim kenarlığı rengi. Bildirimler pencerenin sağ alt tarafından kayar.",
+ "notificationsForeground": "Bildirimlerin ön plan rengi. Bildirimler pencerenin sağ alt tarafından kayar.",
+ "notificationsBackground": "Bildirimlerin arka plan rengi. Bildirimler pencerenin sağ alt tarafından kayar.",
+ "notificationsLink": "Bildirim bağlantıları ön plan rengi. Bildirimler pencerenin sağ alt tarafından kayar.",
+ "notificationCenterHeaderForeground": "Bildirim merkezi üst bilgisi ön plan rengi. Bildirimler pencerenin sağ alt tarafından kayar.",
+ "notificationCenterHeaderBackground": "Bildirim merkezi üst bilgisi arka plan rengi. Bildirimler pencerenin sağ alt tarafından kayar.",
+ "notificationsBorder": "Bildirimleri, bildirim merkezindeki diğer bildirimlerden ayıran kenarlık rengi. Bildirimler pencerenin sağ alt tarafından kayar.",
+ "notificationsErrorIconForeground": "Hata bildirimleri simgesi için kullanılan renk. Bildirimler pencerenin sağ alt tarafından kayar.",
+ "notificationsWarningIconForeground": "Uyarı bildirimlerinin simgesi için kullanılan renk. Bildirimler pencerenin sağ alt tarafından kayar.",
+ "notificationsInfoIconForeground": "Bilgi bildirimlerinin simgesi için kullanılan renk. Bildirimler pencerenin sağ alt tarafından kayar.",
+ "windowActiveBorder": "Pencere etkinken pencerenin kenarlığı için kullanılan renk. Yalnızca özel başlık çubuğu kullanılırken masaüstü istemcisinde desteklenir.",
+ "windowInactiveBorder": "Pencere etkin olmadığında pencerenin kenarlığı için kullanılan renk. Yalnızca özel başlık çubuğu kullanılırken masaüstü istemcisinde desteklenir."
+ },
+ "vs/workbench/common/editor": {
+ "sideBySideLabels": "{0} - {1}",
+ "preview": "{0}, önizleme",
+ "pinned": "{0}, sabitlendi"
+ },
+ "vs/workbench/common/views": {
+ "testViewIcon": "Test görünümünün simgesini görüntüleyin.",
+ "defaultViewIcon": "Varsayılan görünüm simgesi.",
+ "duplicateId": "'{0}' kimliğine sahip bir görünüm zaten kayıtlı"
+ },
+ "vs/workbench/api/common/extHostExtensionService": {
+ "extensionTestError": "{0} yolu geçerli bir uzantı test çalıştırıcısına işaret etmiyor."
+ },
+ "vs/workbench/api/common/extHostTerminalService": {
+ "launchFail.idMissingOnExtHost": "Uzantı konağında {0} kimliğine sahip terminal bulunamadı"
+ },
+ "vs/workbench/api/common/extHostWorkspace": {
+ "updateerror": "'{0}' uzantısı çalışma alanı klasörlerini güncelleştiremedi: {1}"
+ },
+ "vs/workbench/browser/workbench.contribution": {
+ "workbench.editor.titleScrollbarSizing.default": "Varsayılan boyut.",
+ "workbench.editor.titleScrollbarSizing.large": "Boyutu artırır, böylece fareyle daha kolay bir şekilde yakalanabilir",
+ "tabScrollbarHeight": "Düzenleyici başlık alanındaki sekmeler ve içerik haritaları için kullanılan kaydırma çubuklarının yüksekliğini denetler.",
+ "showEditorTabs": "Açılan düzenleyicilerin sekmelerde gösterilip gösterilmeyeceğini denetler.",
+ "scrollToSwitchTabs": "Sekmelerin üzerinde kaydırmanın sekmeleri açıp açmayacağını denetler. Varsayılan olarak sekmeler yalnızca kaydırma sırasında görünür ancak açılmaz. Kaydırma sırasında bu davranışı değiştirmek için Shift tuşunu basılı tutabilirsiniz.",
+ "highlightModifiedTabs": "Değişiklik içeren düzenleyici sekmelerinde üst kenarlığın çizilip çizilmediğini denetler.",
+ "workbench.editor.labelFormat.default": "Dosyanın adını gösterin. Sekmeler etkinleştirildiğinde ve iki dosya bir grupta aynı ada sahip olduğunda, her dosyanın yolunun ayırt edici bölümleri eklenir. Sekmeler devre dışı bırakıldığında, düzenleyici etkinse çalışma alanı klasörüne göreli yol gösterilir.",
+ "workbench.editor.labelFormat.short": "Dosyanın adını ve ardından gelen dizin adını gösterin.",
+ "workbench.editor.labelFormat.medium": "Dosyanın adını ve ardından çalışma alanı klasörüne göreli yolunu gösterin.",
+ "workbench.editor.labelFormat.long": "Dosyanın adını ve ardından gelen mutlak yolunu gösterin.",
+ "tabDescription": "Bir düzenleyicinin etiket biçimini denetler.",
+ "workbench.editor.untitled.labelFormat.content": "Adsız dosyanın adı, ilişkili bir dosya yolu olmadığı sürece ilk satırının içeriklerinden türetilir. Satır boşsa veya sözcük karakteri içermiyorsa ada geri döner.",
+ "workbench.editor.untitled.labelFormat.name": "Adsız dosyanın adı, dosyanın içeriklerinden türetilmedi.",
+ "untitledLabelFormat": "Adsız bir düzenleyicinin etiket biçimini denetler.",
+ "editorTabCloseButton": "Düzenleyicinin sekmeleri kapatma düğmelerinin konumunu denetler veya 'off' olarak ayarlandığında bunları devre dışı bırakır.",
+ "workbench.editor.tabSizing.fit": "Sekmeleri her zaman tam düzenleyici etiketini gösterecek şekilde yeterince büyük tutun.",
+ "workbench.editor.tabSizing.shrink": "Kullanılabilir alan, tüm sekmeleri aynı anda göstermek için yeterli olmadığında sekmelerin daha küçük olmasını sağlayın.",
+ "tabSizing": "Düzenleyici sekmelerinin boyutlandırılmasını denetler.",
+ "workbench.editor.pinnedTabSizing.normal": "Sabitlenmiş sekme, sabitlenmemiş sekmelerin görünümünü devralır.",
+ "workbench.editor.pinnedTabSizing.compact": "Sabitlenmiş sekme, düzenleyici adının yalnızca simgesini veya ilk harfini içeren sıkıştırılmış bir biçimde gösterilir.",
+ "workbench.editor.pinnedTabSizing.shrink": "Sabitlenmiş sekme, düzenleyici adının bölümlerini gösteren sıkıştırılmış bir sabit boyuta küçültülür.",
+ "pinnedTabSizing": "Sabitlenmiş düzenleyici sekmelerinin boyutlandırılmasını denetler. Sabitlenmiş sekmeler açık olan tüm sekmelerin başında sıralanır ve genellikle sabitlemeleri kaldırılana kadar kapanmazlar. `#workbench.editor.showTabs#` değeri `false` olduğunda bu değer yoksayılır.",
+ "workbench.editor.splitSizingDistribute": "Tüm düzenleyici gruplarını eşit parçalara böler.",
+ "workbench.editor.splitSizingSplit": "Etkin düzenleyici grubunu eşit parçalara böler.",
+ "splitSizing": "Düzenleyici grupları bölünürken bu grupların boyutlandırılmasını denetler.",
+ "splitOnDragAndDrop": "Düzenleyici gruplarının, düzenleyici alanının kenarlarına bir düzenleyiciyi veya dosyayı bırakarak sürükle ve bırak işlemlerinden ayrılıp ayrılamayacağını denetler.",
+ "focusRecentEditorAfterClose": "Sekmelerin en son kullanılanlar düzeninde veya soldan sağa kapatılıp kapatılmadığını denetler.",
+ "showIcons": "Açılan düzenleyicilerin bir simgeyle gösterilip gösterilmeyeceğini denetler. Bu ayrıca bir dosya simgesi temasının da etkinleştirilmesini gerektirir.",
+ "enablePreview": "Açık düzenleyicilerin önizleme olarak gösterilip gösterilmeyeceğini denetler. Önizleme düzenleyicileri açıkça açık tutulacak şekilde ayarlanmadığı (örneğin, çift tıklama veya düzenleme yoluyla) sürece açık tutulmaz, yeniden kullanılır ve italik yazı tipi stiliyle gösterilir.",
+ "enablePreviewFromQuickOpen": "Hızlı Aç özelliğinden açılan düzenleyicilerin önizleme olarak gösterilip gösterilmeyeceğini denetler. Önizleme düzenleyicileri açıkça açık tutulacak şekilde ayarlanmadığı (örneğin, çift tıklama veya düzenleme yoluyla) sürece açık tutulmaz ve yeniden kullanılır.",
+ "closeOnFileDelete": "Oturum sırasında açılmış bir dosyayı gösteren düzenleyiciler silindiğinde veya başka bir işlem tarafından yeniden adlandırıldığında bunların otomatik olarak kapatılması gerekip gerekmediğini denetler. Bunun devre dışı bırakılması, düzenleyiciyi böyle bir olayda açık tutar. Uygulamanın içinden silmenin düzenleyiciyi her zaman kapatacağını ve değişiklik içeren dosyaların verilerinizi korumak için hiçbir zaman kapatılmayacağını unutmayın.",
+ "editorOpenPositioning": "Düzenleyicilerin nerede açılacağını denetler. Düzenleyicileri şu anda etkin olan düzenleyicinin solunda veya sağında açmak için `left` veya `right` seçeneğini belirleyin. Düzenleyicileri şu anda etkin olan düzenleyiciden bağımsız olarak açmak için `first` veya `last` seçeneğini belirleyin.",
+ "sideBySideDirection": "Yan yana açılan (örneğin, gezginden) düzenleyicilerin varsayılan yönünü denetler. Varsayılan olarak, düzenleyiciler şu anda etkin olan düzenleyicinin sağ tarafında açılır. `down` olarak değiştirilirse düzenleyiciler şu anda etkin olan düzenleyicinin altında açılır.",
+ "closeEmptyGroups": "Gruptaki son sekme kapatıldığında boş düzenleyici gruplarının davranışını denetler. Etkin olduğunda, boş gruplar otomatik olarak kapatılır. Devre dışı bırakıldığında, boş gruplar kılavuzun parçası olarak kalır.",
+ "revealIfOpen": "Açılırsa bir düzenleyicinin görünür gruplardan herhangi birinde gösterilip gösterilmeyeceğini denetler. Devre dışı bırakılırsa bir düzenleyici şu anda etkin olan düzenleyici grubunda açılmayı tercih eder. Etkinleştirilirse, şu anda etkin olan düzenleyici grubunda yeniden açılmak yerine zaten açılmış bir düzenleyici gösterilir. Bu ayarın yoksayıldığı bazı durumlar olduğuna dikkat edin (örneğin, bir düzenleyiciyi belirli bir grupta veya şu anda etkin olan grubun yanında açmaya zorlarken).",
+ "mouseBackForwardToNavigate": "Sağlandıysa dört ve beş numaralı fare düğmelerini kullanarak açık dosyalar arasında gezinin.",
+ "restoreViewState": "Metin düzenleyicileri kapatıldıktan sonra bunların yeniden açılması sırasındaki son görünüm durumunu (örneğin, kaydırma konumu) geri yükler.",
+ "centeredLayoutAutoResize": "Birden fazla grup açıksa ortalanmış düzenin otomatik olarak en yüksek genişliğe yeniden boyutlandırılması gerekip gerekmediğini denetler. Yalnızca bir grup açık olduktan sonra, özgün ortalanmış genişliğe geri döner.",
+ "limitEditorsEnablement": "Açık düzenleyici sayısının sınırlı olup olmadığını denetler. Etkinleştirildiğinde, yeni açılan düzenleyicilere yer açmak için değişiklik içermeyen, daha önce kullanılan düzenleyiciler kapatılır.",
+ "limitEditorsMaximum": "En yüksek açık düzenleyici sayısını denetler. Bu sınırı düzenleyici grubu başına veya tüm gruplarda denetlemek için `#workbench.editor.limit.perEditorGroup#` ayarını kullanın.",
+ "perEditorGroup": "Açık düzenleyici sayısı üst sınırının düzenleyici grubu başına veya tüm düzenleyici gruplarına uygulanıp uygulanmayacağını denetler.",
+ "commandHistory": "Komut paleti için geçmişte tutulacak olan son kullanılan komut sayısını denetler. Komut geçmişini devre dışı bırakmak için 0 olarak ayarlayın.",
+ "preserveInput": "Komut paletine son yazılan girişin, paletin bir sonraki açılışında geri yüklenip yüklenmeyeceğini denetler.",
+ "closeOnFocusLost": "Hızlı Aç özelliği odağı kaybettiğinde bu özelliğin otomatik olarak kapatılması gerekip gerekmediğini denetler.",
+ "workbench.quickOpen.preserveInput": "Hızlı Aç özelliğine en son yazılan girişin bir sonraki sefer açıldığında geri yüklenip yüklenmediğini denetler.",
+ "openDefaultSettings": "Ayarlar açıldığında tüm varsayılan ayarları gösteren bir düzenleyicinin de ayrıca açılıp açılmayacağını denetler.",
+ "useSplitJSON": "Ayarlar JSON olarak düzenlenirken bölünmüş JSON düzenleyicisinin kullanılıp kullanılmayacağını denetler.",
+ "openDefaultKeybindings": "Tuş bağlama ayarları açıldığında, varsayılan tüm tuş bağlamalarını gösteren bir düzenleyicinin de ayrıca açılıp açılmayacağını denetler.",
+ "sideBarLocation": "Kenar çubuğunun ve etkinlik çubuğunun konumunu denetler. Bunlar çalışma ekranının solunda veya sağında gösterilebilir.",
+ "panelDefaultLocation": "Panelin varsayılan konumunu denetler (terminal, hata ayıklama konsolu, çıkış, sorunlar). Bu, çalışma ekranının altında, sağında veya solunda gösterilebilir.",
+ "panelOpensMaximized": "Panelin ekranı kaplayacak şekilde açılıp açılmayacağını denetler. Ekranı kaplamış olarak açabilir, hiçbir zaman ekranı kaplayacak şekilde açılmayabilir veya kapatılmadan önceki son durumunda açılabilir.",
+ "workbench.panel.opensMaximized.always": "Panel açılırken paneli her zaman tam ekran yapın.",
+ "workbench.panel.opensMaximized.never": "Paneli açarken hiçbir zaman tam ekran yapmayın. Panel, ekranı kaplamayacak şekilde açılır.",
+ "workbench.panel.opensMaximized.preserve": "Paneli kapatılmadan önceki durumunda açın.",
+ "statusBarVisibility": "Çalışma ekranının altındaki durum çubuğunun görünürlüğünü denetler.",
+ "activityBarVisibility": "Çalışma ekranındaki etkinlik çubuğunun görünürlüğünü denetler.",
+ "activityBarIconClickBehavior": "Çalışma ekranındaki etkinlik çubuğu simgesine tıklama davranışını denetler.",
+ "workbench.activityBar.iconClickBehavior.toggle": "Tıklanan öğe zaten görünür durumdaysa kenar çubuğunu gizleyin.",
+ "workbench.activityBar.iconClickBehavior.focus": "Tıklanan öğe zaten görünür durumdaysa kenar çubuğuna odaklanın.",
+ "viewVisibility": "Görünüm üst bilgisi eylemlerinin görünürlüğünü denetler. Görünüm üst bilgisi eylemleri her zaman görünür olabilir veya yalnızca bu görünüm odaklanmış olduğunda ya da görünümün üzerine gelindiğinde görünür olabilir.",
+ "fontAliasing": "Çalışma ekranındaki yazı tipi diğer ad oluşturma yöntemini denetler.",
+ "workbench.fontAliasing.default": "Alt piksel yazı tipi yumuşatma. Bu, çoğu retina olmayan ekranlarda en keskin metni verir.",
+ "workbench.fontAliasing.antialiased": "Alt pikselin aksine yazı tipini piksel düzeyinde yumuşatın. Yazı tipinin genel olarak daha açık görünmesini sağlayabilir.",
+ "workbench.fontAliasing.none": "Yazı tipi yumuşatmayı devre dışı bırakır. Metin, düzensiz keskin kenarlarla gösterilir.",
+ "workbench.fontAliasing.auto": "Ekranların DPI'sına göre `default` veya `antialiased` değerini otomatik olarak uygular.",
+ "settings.editor.ui": "Ayarlar kullanıcı arabirimi düzenleyicisini kullanın.",
+ "settings.editor.json": "JSON dosya düzenleyicisini kullanın.",
+ "settings.editor.desc": "Varsayılan olarak kullanılacak ayar düzenleyicisini belirler.",
+ "windowTitle": "Etkin düzenleyiciyi temel alarak pencere başlığını denetler. Değişkenler bağlama göre değiştirilir:",
+ "activeEditorShort": "`${activeEditorShort}`: dosya adı (örneğin, dosyam.txt).",
+ "activeEditorMedium": "`${activeEditorMedium}`: dosyanın çalışma alanı klasörüne göreli yolu (örneğin, klasörüm/dosyaKlasörüm/dosyam.txt).",
+ "activeEditorLong": "`${activeEditorLong}`: dosyanın tam yolu (örneğin, /Users/Development/klasörüm/dosyaKlasörüm/dosyam.txt).",
+ "activeFolderShort": "`${activeFolderShort}`: dosyanın bulunduğu klasörün adı (örneğin, dosyaKlasörüm).",
+ "activeFolderMedium": "`${activeFolderMedium}`: dosyanın bulunduğu klasörün, çalışma alanı klasörüne göreli yolu (örneğin, klasörüm/dosyaKlasörüm).",
+ "activeFolderLong": "`${activeFolderLong}`: dosyanın bulunduğu klasörün tam yolu (örneğin, /Users/Development/klasörüm/dosyaKlasörüm).",
+ "folderName": "`${folderName}`: dosyanın bulunduğu çalışma alanı klasörünün adı (örneğin, klasörüm).",
+ "folderPath": "`${folderPath}`: dosyanın bulunduğu çalışma alanı klasörünün dosya yolu (örneğin, /Users/Development/klasörüm).",
+ "rootName": "`${rootName}`: çalışma alanının adı (örneğin, klasörüm veya çalışmaAlanım).",
+ "rootPath": "`${rootPath}`: çalışma alanının dosya yolu (örneğin, /Users/Development/çalışmaAlanım).",
+ "appName": "`${appName}`: örneğin, VS Code.",
+ "remoteName": "`${remoteName}`: örneğin, SSH",
+ "dirty": "`${dirty}`: etkin düzenleyici değişiklik içeriyorsa, değişiklik içeriyor göstergesi.",
+ "separator": "`${separator}`: yalnızca değer veya statik metin içeren değişkenlerle çevrili olduğunda gösterilen bir koşullu ayırıcı (\" - \").",
+ "windowConfigurationTitle": "Pencere",
+ "window.titleSeparator": "`window.title` tarafından kullanılan ayırıcı.",
+ "window.menuBarVisibility.default": "Menü yalnızca tam ekran modunda gizlidir.",
+ "window.menuBarVisibility.visible": "Menü, tam ekran modunda bile her zaman görünür.",
+ "window.menuBarVisibility.toggle": "Menü gizlidir ancak Alt tuşu ile görüntülenebilir.",
+ "window.menuBarVisibility.hidden": "Menü her zaman gizlidir.",
+ "window.menuBarVisibility.compact": "Menü, kenar çubuğunda sıkıştır düğmesi olarak görüntülenir. 'window.titleBarStyle', 'native' olduğunda bu değer yoksayılır.",
+ "menuBarVisibility": "Menü çubuğunun görünürlüğünü denetleyin. 'toggle' ayarı, menü çubuğunun gizlendiği ve Alt tuşuna bir kez basılmasıyla gösterileceği anlamına gelir. Varsayılan olarak, pencere tam ekran olmadığı sürece menü çubuğu görünür olur.",
+ "enableMenuBarMnemonics": "Ana menülerin Alt tuşu kısayolları aracılığıyla açılıp açılamayacağını denetler. Anımsatıcıların devre dışı bırakılması, bunun yerine bu Alt tuşu kısayollarını düzenleyici komutlarına bağlamanıza olanak tanır.",
+ "customMenuBarAltFocus": "Menü çubuğunun Alt tuşuna basarak odaklanıp odaklanmayacağını denetler. Bu ayarın, menü çubuğunu Alt tuşuyla değiştirmeye bir etkisi yoktur.",
+ "window.openFilesInNewWindow.on": "Dosyalar yeni bir pencerede açılır.",
+ "window.openFilesInNewWindow.off": "Dosyalar, dosyaların klasörünün açık olduğu pencerede veya son etkin pencerede açılır.",
+ "window.openFilesInNewWindow.defaultMac": "Dosyalar Dock aracılığıyla veya Finder'dan açılmadığı sürece, dosyaların klasörünün açık olduğu pencerede veya son etkin pencerede açılır.",
+ "window.openFilesInNewWindow.default": "Dosyalar uygulama içinden seçilmedikçe (örneğin, Dosya menüsü aracılığıyla) yeni bir pencerede açılır.",
+ "openFilesInNewWindowMac": "Dosyaların yeni bir pencerede açılıp açılmayacağını denetler. \r\nYine de bu ayarın yoksayıldığı durumlar olabileceğini unutmayın (örneğin, `--new-window` veya `--reuse-window` komut satırı seçeneği kullanılırken).",
+ "openFilesInNewWindow": "Dosyaların yeni bir pencerede açılıp açılmayacağını denetler.\r\nYine de bu ayarın yoksayıldığı durumlar olabileceğini unutmayın (örneğin, `--new-window` veya `--reuse-window` komut satırı seçeneği kullanılırken).",
+ "window.openFoldersInNewWindow.on": "Klasörler yeni bir pencerede açılır.",
+ "window.openFoldersInNewWindow.off": "Klasörler son etkin pencerenin yerini alır.",
+ "window.openFoldersInNewWindow.default": "Klasörler uygulama içinden seçilmedikçe (örneğin, Dosya menüsü aracılığıyla) yeni bir pencerede açılır.",
+ "openFoldersInNewWindow": "Klasörlerin yeni bir pencerede açılıp açılmayacağını veya son etkin pencereyle değiştirilip değiştirilmeyeceğini denetler.\r\nYine de bu ayarın yoksayıldığı durumlar olabileceğini unutmayın (örneğin, `--new-window` veya `--reuse-window` komut satırı seçeneği kullanılırken).",
+ "window.confirmBeforeClose.always": "Her zaman onay istemeyi deneyin. Tarayıcıların yine de onay olmadan sekme veya pencere kapatabileceğini unutmayın.",
+ "window.confirmBeforeClose.keyboardOnly": "Yalnızca bir tuş bağlaması algılandıysa onay isteyin. Bazı durumlarda algılama işleminin mümkün olmadığını unutmayın.",
+ "window.confirmBeforeClose.never": "Hemen bir veri kaybı olmayacaksa hiçbir zaman açıkça onay istemeyin.",
+ "confirmBeforeCloseWeb": "Tarayıcı sekmesini veya penceresini kapatmadan önce bir onay iletişim kutusu gösterilip gösterilmeyeceğini denetler. Bu ayar etkin olsa da tarayıcıların onay olmadan sekme veya pencere kapatabileceğini ve bu ayarın yalnızca bir ipucu olduğunu ve tüm durumlar için geçerli olmayabileceğini unutmayın.",
+ "zenModeConfigurationTitle": "Zen Modu",
+ "zenMode.fullScreen": "Zen Modu açıldığında çalışma ekranının ayrıca tam ekran moduna geçip geçmeyeceğini denetler.",
+ "zenMode.centerLayout": "Zen Modu açıldığında düzenin ayrıca ortalanıp ortalanmayacağını denetler.",
+ "zenMode.hideTabs": "Zen Modu açıldığında çalışma ekranı sekmelerinin ayrıca gizlenip gizlenmeyeceğini denetler.",
+ "zenMode.hideStatusBar": "Zen Modu açıldığında çalışma ekranının alt kısmındaki durum çubuğunun ayrıca gizlenip gizlenmeyeceğini denetler.",
+ "zenMode.hideActivityBar": "Zen Modu açıldığında etkinlik çubuğunun ayrıca çalışma ekranının solunda veya sağında gizlenip gizlenmeyeceğini denetler.",
+ "zenMode.hideLineNumbers": "Zen Modu açıldığında düzenleyici satırı numaralarının ayrıca gizlenip gizlenmeyeceğini denetler.",
+ "zenMode.restore": "Bir pencereden zen modundayken çıkıldıysa pencerenin zen modunda geri yüklenip yüklenmeyeceğini denetler.",
+ "zenMode.silentNotifications": "Bildirimlerin zen modunda gösterilip gösterilmeyeceğini denetler. True ise yalnızca hata bildirimleri açılır."
+ },
+ "vs/workbench/browser/actions/textInputActions": {
+ "undo": "Geri al",
+ "redo": "Yinele",
+ "cut": "Kes",
+ "copy": "Kopyala",
+ "paste": "Yapıştır",
+ "selectAll": "Tümünü Seç"
+ },
+ "vs/workbench/browser/actions/developerActions": {
+ "inspect context keys": "Bağlam Anahtarlarını İncele",
+ "toggle screencast mode": "Ekran Kaydı Modunu Aç/Kapat",
+ "logStorage": "Depolama Veritabanı İçeriklerini Günlüğe Kaydet",
+ "logWorkingCopies": "Çalışma Kopyalarını Günlüğe Kaydet",
+ "screencastModeConfigurationTitle": "Ekran Kaydı Modu",
+ "screencastMode.location.verticalPosition": "Ekran kaydı modunun alttan olan dikey uzaklığını, çalışma ekranı yüksekliğinin yüzdesi olarak denetler.",
+ "screencastMode.fontSize": "Ekran kaydı modu klavyesinin yazı tipi boyutunu (piksel cinsinden) denetler.",
+ "screencastMode.onlyKeyboardShortcuts": "Ekran kaydı modunda yalnızca klavye kısayollarını göster.",
+ "screencastMode.keyboardOverlayTimeout": "Klavye katmanının ekran kaydı modunda ne kadar süreyle (milisaniye cinsinden) gösterileceğini denetler.",
+ "screencastMode.mouseIndicatorColor": "Ekran kaydı modundaki fare göstergesinin rengini onaltılık (#RGB, #RGBA, #RRGGBB veya #RRGGBBAA) cinsinden denetler.",
+ "screencastMode.mouseIndicatorSize": "Ekran kaydı modundaki fare göstergesinin boyutunu (piksel cinsinden) denetler."
+ },
+ "vs/workbench/browser/actions/helpActions": {
+ "keybindingsReference": "Klavye Kısayolları Başvurusu",
+ "openDocumentationUrl": "Belgeler",
+ "openIntroductoryVideosUrl": "Giriş Videoları",
+ "openTipsAndTricksUrl": "İpuçları ve Püf Noktaları",
+ "newsletterSignup": "VS Code Bültenine Kaydolun",
+ "openTwitterUrl": "Twitter'da Bize Katılın",
+ "openUserVoiceUrl": "Özellik İsteklerinde Ara",
+ "openLicenseUrl": "Lisansı Görüntüle",
+ "openPrivacyStatement": "Gizlilik Bildirimi",
+ "miDocumentation": "&&Belgeler",
+ "miKeyboardShortcuts": "&&Klavye Kısayolları Başvurusu",
+ "miIntroductoryVideos": "Giriş &&Videoları",
+ "miTipsAndTricks": "İpuçları ve Püf No&&ktaları",
+ "miTwitter": "&&Twitter'da Bize Katılın",
+ "miUserVoice": "Özellik İ&&steklerinde Ara",
+ "miLicense": "Lisansı &&Görüntüle",
+ "miPrivacyStatement": "Gizlili&&k Bildirimi"
+ },
+ "vs/workbench/browser/actions/layoutActions": {
+ "closeSidebar": "Kenar Çubuğunu Kapat",
+ "toggleActivityBar": "Etkinlik Çubuğu Görünürlüğünü Aç/Kapat",
+ "miShowActivityBar": "&&Etkinlik Çubuğunu Göster",
+ "toggleCenteredLayout": "Ortalanmış Düzeni Aç/Kapat",
+ "miToggleCenteredLayout": "&&Ortalanmış Düzen",
+ "flipLayout": "Dikey/Yatay Düzenleyici Düzenini Aç/Kapat",
+ "miToggleEditorLayout": "&&Düzeni Çevir",
+ "toggleSidebarPosition": "Kenar Çubuğu Konumunu Aç/Kapat",
+ "moveSidebarRight": "Kenar Çubuğunu Sağa Taşı",
+ "moveSidebarLeft": "Kenar Çubuğunu Sola Taşı",
+ "miMoveSidebarRight": "&&Kenar Çubuğunu Sağa Taşı",
+ "miMoveSidebarLeft": "&&Kenar Çubuğunu Sola Taşı",
+ "toggleEditor": "Düzenleyici Alanı Görünürlüğünü Aç/Kapat",
+ "miShowEditorArea": "&&Düzenleyici Alanını Göster",
+ "toggleSidebar": "Kenar Çubuğu Görünürlüğünü Aç/Kapat",
+ "miAppearance": "&&Görünüm",
+ "miShowSidebar": "&&Kenar Çubuğunu Göster",
+ "toggleStatusbar": "Durum Çubuğu Görünürlüğünü Aç/Kapat",
+ "miShowStatusbar": "Durum Ç&&ubuğunu Göster",
+ "toggleTabs": "Sekme Görünürlüğünü Aç/Kapat",
+ "toggleZenMode": "Zen Modunu Aç/Kapat",
+ "miToggleZenMode": "Zen Modu",
+ "toggleMenuBar": "Menü Çubuğunu Aç/Kapat",
+ "miShowMenuBar": "Menü Çu&&buğunu Göster",
+ "resetViewLocations": "Görünüm Konumlarını Sıfırla",
+ "moveView": "Görünümü Taşı",
+ "sidebarContainer": "Kenar Çubuğu/{0}",
+ "panelContainer": "Panel/{0}",
+ "moveFocusedView.selectView": "Taşınacak Bir Görünüm Seçin",
+ "moveFocusedView": "Odaklanmış Görünümü Taşı",
+ "moveFocusedView.error.noFocusedView": "Şu anda odaklanılan bir görünüm yok.",
+ "moveFocusedView.error.nonMovableView": "Şu anda odaklanılan görünüm taşınabilir değil.",
+ "moveFocusedView.selectDestination": "Görünüm için Bir Hedef Seçin",
+ "moveFocusedView.title": "{0} Görünümünü Taşı",
+ "moveFocusedView.newContainerInPanel": "Yeni Panel Girdisi",
+ "moveFocusedView.newContainerInSidebar": "Yeni Kenar Çubuğu Girdisi",
+ "sidebar": "Kenar Çubuğu",
+ "panel": "Panel",
+ "resetFocusedViewLocation": "Odaklanmış Görünüm Konumunu Sıfırla",
+ "resetFocusedView.error.noFocusedView": "Şu anda odaklanılan bir görünüm yok.",
+ "increaseViewSize": "Geçerli Görünüm Boyutunu Artır",
+ "increaseEditorWidth": "Düzenleyici Genişliğini Artır",
+ "increaseEditorHeight": "Düzenleyici Yüksekliğini Artır",
+ "decreaseViewSize": "Geçerli Görünüm Boyutunu Azalt",
+ "decreaseEditorWidth": "Düzenleyici Genişliğini Azalt",
+ "decreaseEditorHeight": "Düzenleyici Yüksekliğini Azalt"
+ },
+ "vs/workbench/browser/actions/navigationActions": {
+ "navigateLeft": "Soldaki Görünüme Git",
+ "navigateRight": "Sağdaki Görünüme Git",
+ "navigateUp": "Yukarıdaki Görünüme Git",
+ "navigateDown": "Aşağıdaki Görünüme Git",
+ "focusNextPart": "Sonraki Bölüme Odaklan",
+ "focusPreviousPart": "Önceki Bölüme Odaklan"
+ },
+ "vs/workbench/browser/actions/windowActions": {
+ "remove": "Son Açılanlardan Kaldır",
+ "dirtyRecentlyOpened": "Değişiklik İçeren Dosyaların Bulunduğu Çalışma Alanı",
+ "workspaces": "çalışma alanları",
+ "files": "dosyalar",
+ "openRecentPlaceholderMac": "Açmak için seçin (yeni pencereyi zorlamak için Cmd tuşuna veya aynı pencere için Alt tuşuna basılı tutun)",
+ "openRecentPlaceholder": "Açmak için seçin (yeni pencereyi zorlamak için Ctrl tuşuna veya aynı pencere için Alt tuşuna basılı tutun)",
+ "dirtyWorkspace": "Değişiklik İçeren Dosyaların Bulunduğu Çalışma Alanı",
+ "dirtyWorkspaceConfirm": "Değişiklik içeren dosyaları gözden geçirmek için çalışma alanını açmak istiyor musunuz?",
+ "dirtyWorkspaceConfirmDetail": "Değişiklik içeren dosyaların bulunduğu çalışma alanları, değişiklik içeren dosyalar kaydedilinceye veya geri döndürülünceye kadar kaldırılamaz.",
+ "recentDirtyAriaLabel": "{0}, değişiklik içeren çalışma alanı",
+ "openRecent": "Son Kullanılanları Aç...",
+ "quickOpenRecent": "Son Kullanılanları Hızlı Aç...",
+ "toggleFullScreen": "Tam Ekranı Aç/Kapat",
+ "reloadWindow": "Pencereyi Yeniden Yükle",
+ "about": "Hakkında",
+ "newWindow": "Yeni Pencere",
+ "blur": "Klavye odağını odaklanmış öğeden kaldır",
+ "file": "Dosya",
+ "miConfirmClose": "Kapatmadan Önce Onayla",
+ "miNewWindow": "Yeni &&Pencere",
+ "miOpenRecent": "&&Son Kullanılanları Aç",
+ "miMore": "&&Diğer...",
+ "miToggleFullScreen": "&&Tam Ekran",
+ "miAbout": "&&Hakkında"
+ },
+ "vs/workbench/browser/actions/workspaceActions": {
+ "openFile": "Dosya Aç...",
+ "openFolder": "Klasörü Aç...",
+ "openFileFolder": "Aç...",
+ "openWorkspaceAction": "Çalışma Alanını Aç...",
+ "closeWorkspace": "Çalışma Alanını Kapat",
+ "noWorkspaceOpened": "Bu örnekte kapatmak için şu anda açılmış bir çalışma alanı yok.",
+ "openWorkspaceConfigFile": "Çalışma Alanı Yapılandırma Dosyasını Aç",
+ "globalRemoveFolderFromWorkspace": "Klasörü Çalışma Alanından Kaldır...",
+ "saveWorkspaceAsAction": "Çalışma Alanını Farklı Kaydet...",
+ "duplicateWorkspaceInNewWindow": "Çalışma Alanını Yeni Pencerede Yinele",
+ "workspaces": "Çalışma Alanları",
+ "miAddFolderToWorkspace": "Klasörü Çalışma Alanına E&&kle...",
+ "miSaveWorkspaceAs": "Çalışma Alanını Farklı Kaydet...",
+ "miCloseFolder": "&&Klasörü Kapat",
+ "miCloseWorkspace": "&&Çalışma Alanını Kapat"
+ },
+ "vs/workbench/browser/actions/workspaceCommands": {
+ "addFolderToWorkspace": "Klasörü Çalışma Alanına Ekle...",
+ "add": "&&Ekle",
+ "addFolderToWorkspaceTitle": "Klasörü Çalışma Alanına Ekle",
+ "workspaceFolderPickerPlaceholder": "Çalışma alanı klasörünü seçin"
+ },
+ "vs/workbench/browser/actions/quickAccessActions": {
+ "quickOpen": "Dosyaya Git...",
+ "quickNavigateNext": "Hızlı Aç Özelliğinde Sonrakine Git",
+ "quickNavigatePrevious": "Hızlı Aç Özelliğinde Öncekine Git",
+ "quickSelectNext": "Hızlı Aç Özelliğinde Sonrakini Seçin",
+ "quickSelectPrevious": "Hızlı Aç Özelliğinde Öncekini Seçin"
+ },
+ "vs/workbench/api/common/menusExtensionPoint": {
+ "menus.commandPalette": "Komut Paleti",
+ "menus.touchBar": "Touch Bar (yalnızca macOS)",
+ "menus.editorTitle": "Düzenleyici başlık menüsü",
+ "menus.editorContext": "Düzenleyici bağlam menüsü",
+ "menus.explorerContext": "Dosya gezgini bağlam menüsü",
+ "menus.editorTabContext": "Düzenleyici sekmeleri bağlam menüsü",
+ "menus.debugCallstackContext": "Hata ayıklama çağrı yığını görünümü bağlam menüsü",
+ "menus.debugVariablesContext": "Hata ayıklama değişkenleri görünümü bağlam menüsü",
+ "menus.debugToolBar": "Hata ayıklama araç çubuğu menüsü",
+ "menus.file": "Üst düzey dosya menüsü",
+ "menus.home": "Giriş göstergesi bağlam menüsü (yalnızca web)",
+ "menus.scmTitle": "Kaynak Denetimi başlık menüsü",
+ "menus.scmSourceControl": "Kaynak Denetimi menüsü",
+ "menus.resourceGroupContext": "Kaynak Denetimi kaynak grubu bağlam menüsü",
+ "menus.resourceStateContext": "Kaynak Denetimi kaynak durumu bağlam menüsü",
+ "menus.resourceFolderContext": "Kaynak Denetimi kaynak klasörü bağlam menüsü",
+ "menus.changeTitle": "Kaynak Denetimi satır içi değişikliği menüsü",
+ "menus.statusBarWindowIndicator": "Durum çubuğundaki pencere göstergesi menüsü",
+ "view.viewTitle": "Katkıda bulunulan görünüm başlık menüsü",
+ "view.itemContext": "Katkıda bulunulan görünüm öğesi bağlam menüsü",
+ "commentThread.title": "Katkıda bulunulan açıklama dizisi başlık menüsü",
+ "commentThread.actions": "Açıklama düzenleyicisinin altındaki düğmeler olarak işlenen, katkıda bulunulan açıklama dizisi bağlam menüsü",
+ "comment.title": "Katkıda bulunulan açıklama başlık menüsü",
+ "comment.actions": "Açıklama düzenleyicisinin altındaki düğmeler olarak işlenen, katkıda bulunulan açıklama bağlam menüsü",
+ "notebook.cell.title": "Katkıda bulunulan not defteri hücresi başlık menüsü",
+ "menus.extensionContext": "Uzantı bağlam menüsü",
+ "view.timelineTitle": "Zaman çizelgesi görünümü başlık menüsü",
+ "view.timelineContext": "Zaman çizelgesi görünümü öğesi bağlam menüsü",
+ "requirestring": "`{0}` özelliği zorunludur ve `string` türünde olmalıdır",
+ "optstring": "`{0}` özelliği atlanabilir veya `string` türünde olmalıdır",
+ "requirearray": "alt menü öğeleri bir dizi olmalıdır",
+ "require": "alt menü öğeleri bir nesne olmalıdır",
+ "vscode.extension.contributes.menuItem.command": "Yürütülecek komutun tanımlayıcısı. Komut, 'komutlar' bölümünde bildirilmelidir",
+ "vscode.extension.contributes.menuItem.alt": "Yürütülecek alternatif komutun tanımlayıcısı. Komut, 'komutlar' bölümünde bildirilmelidir",
+ "vscode.extension.contributes.menuItem.when": "Bu öğeyi göstermek için true olması gereken koşul",
+ "vscode.extension.contributes.menuItem.group": "Bu öğenin ait olduğu gruba ekle",
+ "vscode.extension.contributes.menuItem.submenu": "Bu öğede görüntülenecek alt menünün tanımlayıcısı.",
+ "vscode.extension.contributes.submenu.id": "Alt menü olarak görüntülenecek menünün tanımlayıcısı.",
+ "vscode.extension.contributes.submenu.label": "Bu alt menüye yönlendiren menü öğesinin etiketi.",
+ "vscode.extension.contributes.submenu.icon": "(İsteğe bağlı) Kullanıcı arabirimindeki alt menüyü temsil etmek için kullanılan simge. Bir dosya yolu, koyu ve açık temalar için dosya yollarına sahip bir nesne veya bir tema simgesi başvurusu (örneğin `\\$(zap)`)",
+ "vscode.extension.contributes.submenu.icon.light": "Açık bir tema kullanıldığındaki simge yolu",
+ "vscode.extension.contributes.submenu.icon.dark": "Koyu bir tema kullanıldığındaki simge yolu",
+ "vscode.extension.contributes.menus": "Düzenleyiciye menü öğeleriyle katkıda bulunur",
+ "proposed": "Önerilen API",
+ "vscode.extension.contributes.submenus": "(Önerilen API) Düzenleyiciye alt menü öğeleriyle katkıda bulunur",
+ "nonempty": "boş olmayan değer bekleniyor.",
+ "opticon": "`icon` özelliği atlanabilir veya bir dize ya da `{koyu, açık}` gibi bir sabit değer olmalıdır",
+ "requireStringOrObject": "`{0}` özelliği zorunludur ve `string` ya da `object` türünde olmalıdır",
+ "requirestrings": "`{0}` ve `{1}` özellikleri zorunludur ve `string` türünde olmalıdır",
+ "vscode.extension.contributes.commandType.command": "Yürütülecek komutun tanımlayıcısı",
+ "vscode.extension.contributes.commandType.title": "Komutun kullanıcı arabiriminde temsil edildiği başlık",
+ "vscode.extension.contributes.commandType.category": "(İsteğe bağlı) Komuta göre kategori dizesi, kullanıcı arabiriminde gruplandırılır",
+ "vscode.extension.contributes.commandType.precondition": "(İsteğe Bağlı) Komutu UI (menü ve tuş bağlamaları) içinde etkinleştirmek için true olması gereken koşul. Komutun `executeCommand`-api gibi başka yöntemlerle yürütülmesini engellemez.",
+ "vscode.extension.contributes.commandType.icon": "(İsteğe bağlı) Kullanıcı arabirimindeki komutu temsil etmek için kullanılan simge. Bir dosya yolu, koyu ve açık temalar için dosya yollarına sahip bir nesne veya bir tema simgesi başvurusu (örneğin, `\\$(zap)`)",
+ "vscode.extension.contributes.commandType.icon.light": "Açık bir tema kullanıldığında simge yolu",
+ "vscode.extension.contributes.commandType.icon.dark": "Koyu bir tema kullanıldığında simge yolu",
+ "vscode.extension.contributes.commands": "Komut paletine komutlarla katkıda bulunur.",
+ "dup": "`{0}` komutu `komutlar` bölümünde birden çok kez görünüyor.",
+ "submenuId.invalid.id": "`{0}` geçerli bir alt menü tanımlayıcısı değil",
+ "submenuId.duplicate.id": "`{0}` alt menüsü daha önce zaten kaydedildi.",
+ "submenuId.invalid.label": "`{0}` geçerli bir alt menü etiketi değil",
+ "menuId.invalid": "`{0}` geçerli bir menü tanımlayıcısı değil",
+ "proposedAPI.invalid": "{0} önerilen bir menü tanımlayıcısıdır ve yalnızca geliştirme dışında veya şu komut satırı anahtarı ile çalışırken kullanılabilir: --enable-proposed-api {1}",
+ "missing.command": "Menü öğesi, 'komutlar' bölümünde tanımlanmamış bir '{0}' komutuna başvuruyor.",
+ "missing.altCommand": "Menü öğesi, 'komutlar' bölümünde tanımlanmamış bir '{0}' alt komutuna başvuruyor.",
+ "dupe.command": "Menü öğesi varsayılan ve alternatif komut olarak aynı komuta başvuruyor",
+ "unsupported.submenureference": "Menü öğesi, alt menü desteği olmayan menü için bir alt menüye başvuruyor.",
+ "missing.submenu": "Menü öğesi, 'alt menüler' bölümünde tanımlanmamış bir `{0}` alt menüsüne başvuruyor.",
+ "submenuItem.duplicate": "`{0}` alt menüsü zaten `{1}` menüsüne katkıda bulundu."
+ },
+ "vs/workbench/api/common/configurationExtensionPoint": {
+ "vscode.extension.contributes.configuration.title": "Ayarların bir özeti. Bu etiket, ayarlar dosyasında ayırıcı açıklama olarak kullanılır.",
+ "vscode.extension.contributes.configuration.properties": "Yapılandırma özelliklerinin açıklaması.",
+ "vscode.extension.contributes.configuration.property.empty": "Özellik boş olmamalıdır.",
+ "scope.application.description": "Yalnızca kullanıcı ayarlarında yapılandırılabilen yapılandırma.",
+ "scope.machine.description": "Yalnızca kullanıcı ayarlarında veya yalnızca uzak depo ayarlarında yapılandırılabilen yapılandırma.",
+ "scope.window.description": "Kullanıcı, uzak depo veya çalışma alanı ayarlarında yapılandırılabilen yapılandırma.",
+ "scope.resource.description": "Kullanıcı, uzak depo, çalışma alanı veya klasör ayarlarında yapılandırılabilen yapılandırma.",
+ "scope.language-overridable.description": "Dile özgü ayarlarda yapılandırılabilen kaynak yapılandırması.",
+ "scope.machine-overridable.description": "Ayrıca çalışma alanında veya klasör ayarlarında yapılandırılabilen makine yapılandırması.",
+ "scope.description": "Yapılandırmanın uygulanabileceği kapsam. Kullanılabilir kapsamlar: `application`, `machine`, `window`, `resource` ve `machine-overridable`.",
+ "scope.enumDescriptions": "Sabit listesi değerleri için açıklamalar",
+ "scope.markdownEnumDescriptions": "Markdown biçimindeki sabit listesi değerleri için açıklamalar.",
+ "scope.markdownDescription": "Markdown biçimindeki açıklama.",
+ "scope.deprecationMessage": "Ayarlanırsa, özellik kullanım dışı olarak işaretlenir ve verilen ileti açıklama olarak gösterilir.",
+ "scope.markdownDeprecationMessage": "Ayarlanırsa, özellik kullanım dışı olarak işaretlenir ve verilen ileti Markdown biçiminde bir açıklama olarak gösterilir.",
+ "vscode.extension.contributes.defaultConfiguration": "Varsayılan düzenleyici yapılandırma ayarlarına dile göre katkıda bulunur.",
+ "config.property.defaultConfiguration.languageExpected": "Dil seçicisi bekleniyor (örneğin [\"java\"])",
+ "config.property.defaultConfiguration.warning": "'{0}' için yapılandırma varsayılanları kaydedilemiyor. Yalnızca dile özgü ayarların varsayılanları desteklenir.",
+ "vscode.extension.contributes.configuration": "Yapılandırma ayarlarına katkıda bulunur.",
+ "invalid.title": "'configuration.title' bir dize olmalıdır",
+ "invalid.properties": "'configuration.properties' bir nesne olmalıdır",
+ "invalid.property": "'configuration.property' bir nesne olmalıdır",
+ "invalid.allOf": "'configuration.allOf' kullanım dışı olduğundan artık kullanılmamalıdır. Bunun yerine, 'configuration' katkı noktasına bir dizi olarak birden çok yapılandırma bölümü geçirin.",
+ "workspaceConfig.folders.description": "Çalışma alanına yüklenecek klasörlerin listesi.",
+ "workspaceConfig.path.description": "Dosya yolu. Örneğin, çalışma alanı dosyasının konumuna göre çözümlenecek bir göreli yol için `/root/klasörA` veya `./klasörA`.",
+ "workspaceConfig.name.description": "Klasör için isteğe bağlı bir ad. ",
+ "workspaceConfig.uri.description": "Klasörün URI'si",
+ "workspaceConfig.settings.description": "Çalışma alanı ayarları",
+ "workspaceConfig.launch.description": "Çalışma alanı başlatma yapılandırmaları",
+ "workspaceConfig.tasks.description": "Çalışma alanı görev yapılandırmaları",
+ "workspaceConfig.extensions.description": "Çalışma alanı uzantıları",
+ "workspaceConfig.remoteAuthority": "Çalışma alanının bulunduğu uzak sunucu. Yalnızca kaydedilmemiş uzak çalışma alanları tarafından kullanılır.",
+ "unknownWorkspaceProperty": "Bilinmeyen çalışma alanı yapılandırma özelliği"
+ },
+ "vs/workbench/api/browser/viewsExtensionPoint": {
+ "vscode.extension.contributes.views.containers.id": "'Görünümler' katkı noktası kullanılarak görünümlere katkıda bulunulabilen kapsayıcıyı tanımlamak için kullanılan benzersiz kimlik",
+ "vscode.extension.contributes.views.containers.title": "Kapsayıcıyı oluşturmak için kullanılan okunabilir dize",
+ "vscode.extension.contributes.views.containers.icon": "Kapsayıcı simgesinin yolu. Simgeler 50x40'lık blok üzerinde 24x24 olarak ortalanır ve 'rgb(215, 218, 224)' ya da '#d7dae0' olan dolgu rengine sahip olur. Herhangi bir görüntü dosyası türü kabul edilse de simgelerin SVG biçiminde olması önerilir.",
+ "vscode.extension.contributes.viewsContainers": "Düzenleyiciye görünüm kapsayıcılarıyla katkıda bulunur",
+ "views.container.activitybar": "Etkinlik Çubuğuna görünüm kapsayıcılarıyla katkıda bulun",
+ "views.container.panel": "Panele görünüm kapsayıcılarıyla katkıda bulun",
+ "vscode.extension.contributes.view.type": "Görünümün türü. Bu, ağaç görünümü tabanlı görünüm için `tree` ya da Web görünümü tabanlı görünüm için `webview` olabilir. Varsayılan değer `tree`dir.",
+ "vscode.extension.contributes.view.tree": "Bu görünüm, `createTreeView` tarafından oluşturulan `TreeView` ile desteklenir.",
+ "vscode.extension.contributes.view.webview": "Bu görünüm, `registerWebviewViewProvider` tarafından kaydedilen `WebviewView` ile desteklenir.",
+ "vscode.extension.contributes.view.id": "Görünümün tanımlayıcısı. Bu, tüm görünümler arasında benzersiz olmalıdır. Uzantı kimliğinizi, görünüm kimliğinin bir parçası olarak eklemeniz önerilir. `vscode.window.registerTreeDataProviderForView` API'si aracılığıyla bir veri sağlayıcısını kaydetmek için bunu kullanın. Ayrıca `onView:${id}` olayını `activationEvents` öğesine kaydederek uzantınızın etkinleştirilmesini tetiklemek için de kullanabilirsiniz.",
+ "vscode.extension.contributes.view.name": "Görünümün okunabilir adı. Gösterilir",
+ "vscode.extension.contributes.view.when": "Bu görünümü göstermek için true olması gereken koşul",
+ "vscode.extension.contributes.view.icon": "Görünüm simgesinin yolu. Görünüm adı gösterilemediğinde görünüm simgeleri görüntülenir. Herhangi bir görüntü dosyası türü kabul edilse de simgelerin SVG biçiminde olması önerilir.",
+ "vscode.extension.contributes.view.contextualTitle": "Görünümün özgün konumundan ne zaman taşındığı ile ilgili okunabilir bağlam. Varsayılan olarak, görünümün kapsayıcı adı kullanılır. Gösterilir",
+ "vscode.extension.contributes.view.initialState": "Uzantı ilk yüklendiğinde görünümün başlangıç durumu. Kullanıcı görünümü daraltarak, taşıyarak veya gizleyerek görünüm durumunu değiştirdikten sonra, başlangıç durumu yeniden kullanılmaz.",
+ "vscode.extension.contributes.view.initialState.visible": "Görünümün varsayılan başlangıç durumu. Çoğu kapsayıcılarda görünüm genişletilir, ancak bazı yerleşik kapsayıcılar (gezgin, SCM ve hata ayıklama), `visibility`den bağımsız olarak katkıda bulunulan tüm görünümleri daraltılmış olarak gösterir.",
+ "vscode.extension.contributes.view.initialState.hidden": "Görünüm, görünüm kapsayıcısında gösterilmez ancak görünümler menüsü ve diğer görünüm giriş noktaları aracılığıyla bulunabilir ve kullanıcı tarafından gösterilebilir.",
+ "vscode.extension.contributes.view.initialState.collapsed": "Görünüm, görünüm kapsayıcısında gösterilir ancak daraltılır.",
+ "vscode.extension.contributes.view.group": "Viewlet'teki iç içe grup",
+ "vscode.extension.contributes.view.remoteName": "Bu görünümle ilişkili uzak depo türünün adı",
+ "vscode.extension.contributes.views": "Düzenleyiciye görünümlerle katkıda bulunur",
+ "views.explorer": "Etkinlik çubuğundaki Gezgin kapsayıcısına görünümlerle katkıda bulunur",
+ "views.debug": "Etkinlik çubuğundaki Hata ayıklama kapsayıcısına görünümlerle katkıda bulunur",
+ "views.scm": "Etkinlik çubuğundaki SCM kapsayıcısına görünümlerle katkıda bulunur",
+ "views.test": "Etkinlik çubuğundaki Test kapsayıcısına görünümlerle katkıda bulunur",
+ "views.remote": "Etkinlik çubuğundaki Uzak depo kapsayıcısına görünümlerle katkıda bulunur. Bu kapsayıcıya katkıda bulunmak için enableProposedApi özelliğinin açılması gerekir",
+ "views.contributed": "Katkıda bulunulan görünüm kapsayıcısına görünümlerle katkıda bulunur",
+ "test": "Test",
+ "viewcontainer requirearray": "görünüm kapsayıcıları bir dizi olmalıdır",
+ "requireidstring": "`{0}` özelliği zorunludur ve `string` türünde olmalıdır. Yalnızca alfasayısal karakterler ile '_' ve '-' karakterlerine izin verilir.",
+ "requirestring": "`{0}` özelliği zorunludur ve `string` türünde olmalıdır",
+ "showViewlet": "{0} viewlet'ini göster",
+ "ViewContainerRequiresProposedAPI": "'{0}' görünüm kapsayıcısının 'Remote' öğesine eklenebilmesi için 'enableProposedApi' özelliğinin açılması gerekir.",
+ "ViewContainerDoesnotExist": "'{0}' görünüm kapsayıcısı yok ve buna kayıtlı tüm görünümler 'Explorer'a eklenecek.",
+ "duplicateView1": "Aynı `{0}` kimliğine sahip birden çok görünüm kaydedilemez",
+ "duplicateView2": "`{0}` kimliğine sahip bir görünüm zaten kayıtlı.",
+ "unknownViewType": "Bilinmeyen `{0}` görünüm türü.",
+ "requirearray": "görünümler bir dizi olmalıdır",
+ "optstring": "`{0}` özelliği atlanabilir veya `string` türünde olmalıdır",
+ "optenum": "`{0}` özelliği atlanabilir veya şundan biri olmalıdır: {1}"
+ },
+ "vs/workbench/browser/parts/activitybar/activitybarPart": {
+ "settingsViewBarIcon": "Görünüm çubuğundaki ayarlar simgesi.",
+ "accountsViewBarIcon": "Görünüm çubuğundaki hesaplar simgesi.",
+ "hideHomeBar": "Giriş Düğmesini Gizle",
+ "showHomeBar": "Giriş Düğmesini Göster",
+ "hideMenu": "Menüyü Gizle",
+ "showMenu": "Menüyü Göster",
+ "hideAccounts": "Hesapları Gizle",
+ "showAccounts": "Hesapları Göster",
+ "hideActivitBar": "Etkinlik Çubuğunu Gizle",
+ "resetLocation": "Konumu Sıfırla",
+ "homeIndicator": "Giriş",
+ "home": "Giriş",
+ "manage": "Yönet",
+ "accounts": "Hesaplar",
+ "focusActivityBar": "Odak Etkinlik Çubuğu"
+ },
+ "vs/workbench/browser/parts/panel/panelPart": {
+ "hidePanel": "Paneli Gizle",
+ "panel.emptyMessage": "Görüntülemek için bir görünümü panele sürükleyin."
+ },
+ "vs/workbench/browser/parts/sidebar/sidebarPart": {
+ "focusSideBar": "Kenar Çubuğuna Odaklan"
+ },
+ "vs/workbench/browser/parts/statusbar/statusbarPart": {
+ "hide": "'{0}' Bölümünü Gizle",
+ "hideStatusBar": "Durum Çubuğunu Gizle"
+ },
+ "vs/workbench/browser/parts/views/viewsService": {
+ "focus view": "{0} Görünümüne Odaklan",
+ "resetViewLocation": "Konumu Sıfırla"
+ },
+ "vs/workbench/browser/parts/dialogs/dialogHandler": {
+ "yesButton": "&&Evet",
+ "cancelButton": "İptal",
+ "aboutDetail": "Sürüm: {0}\r\nCommit: {1}\r\nTarih: {2}\r\nTarayıcı: {3}",
+ "copy": "Kopyala",
+ "ok": "Tamam"
+ },
+ "vs/workbench/electron-sandbox/parts/dialogs/dialogHandler": {
+ "yesButton": "&&Evet",
+ "cancelButton": "İptal",
+ "aboutDetail": "Sürüm: {0}\r\nCommit: {1}\r\nTarih: {2}\r\nElectron: {3}\r\nGrafik Öğeler: {4}\r\nNode.js: {5}\r\nV8: {6}\r\nİşletim Sistemi: {7}",
+ "okButton": "Tamam",
+ "copy": "&&Kopyala"
+ },
+ "vs/workbench/electron-sandbox/actions/developerActions": {
+ "toggleDevTools": "Geliştirici Araçlarını Aç/Kapat",
+ "configureRuntimeArguments": "Çalışma Zamanı Bağımsız Değişkenlerini Yapılandır"
+ },
+ "vs/workbench/electron-sandbox/actions/windowActions": {
+ "closeWindow": "Pencereyi Kapat",
+ "zoomIn": "Yakınlaştır",
+ "zoomOut": "Uzaklaştır",
+ "zoomReset": "Yakınlaştırmayı Sıfırla",
+ "reloadWindowWithExtensionsDisabled": "Devre Dışı Uzantılarla Yeniden Yükle",
+ "close": "Pencereyi Kapat",
+ "switchWindowPlaceHolder": "Geçiş yapılacak bir pencere seçin",
+ "windowDirtyAriaLabel": "{0}, değişiklik içeren pencere",
+ "current": "Geçerli Pencere",
+ "switchWindow": "Pencereyi Değiştir...",
+ "quickSwitchWindow": "Hızlı Geçiş Penceresi..."
+ },
+ "vs/workbench/browser/parts/notifications/notificationsCenter": {
+ "notificationsEmpty": "Yeni bildirim yok",
+ "notifications": "Bildirimler",
+ "notificationsToolbar": "Bildirim Merkezi Eylemleri"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsAlerts": {
+ "alertErrorMessage": "Hata: {0}",
+ "alertWarningMessage": "Uyarı: {0}",
+ "alertInfoMessage": "Bilgiler: {0}"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsStatus": {
+ "status.notifications": "Bildirimler",
+ "hideNotifications": "Bildirimleri Gizle",
+ "zeroNotifications": "Bildirim Yok",
+ "noNotifications": "Yeni Bildirim Yok",
+ "oneNotification": "1 Yeni Bildirim",
+ "notifications": "{0} Yeni Bildirim",
+ "noNotificationsWithProgress": "Yeni Bildirim Yok ({0} bildirim devam ediyor)",
+ "oneNotificationWithProgress": "1 Yeni Bildirim ({0} bildirim devam ediyor)",
+ "notificationsWithProgress": "{0} Yeni Bildirim ({1} bildirim devam ediyor)",
+ "status.message": "Durum İletisi"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsCommands": {
+ "notifications": "Bildirimler",
+ "showNotifications": "Bildirimleri Göster",
+ "hideNotifications": "Bildirimleri Gizle",
+ "clearAllNotifications": "Tüm Bildirimleri Temizle",
+ "focusNotificationToasts": "Bildirime Odaklan"
+ },
+ "vs/workbench/browser/parts/titlebar/menubarControl": {
+ "mFile": "&&Dosya",
+ "mEdit": "&&Düzenle",
+ "mSelection": "&&Seçim",
+ "mView": "&&Görünüm",
+ "mGoto": "&&Git",
+ "mRun": "&&Çalıştır",
+ "mTerminal": "&&Terminal",
+ "mHelp": "&&Yardım",
+ "menubar.customTitlebarAccessibilityNotification": "Erişilebilirlik desteği sizin için etkinleştirildi. En yüksek erişilebilirliğe sahip deneyim için özel başlık çubuğu stilini kullanmanızı öneririz.",
+ "goToSetting": "Ayarları Aç",
+ "focusMenu": "Uygulama Menüsüne Odaklan",
+ "checkForUpdates": "&&Güncelleştirmeleri Denetle...",
+ "checkingForUpdates": "Güncelleştirmeler Denetleniyor...",
+ "download now": "Güncelleştirmeyi İ&&ndir",
+ "DownloadingUpdate": "Güncelleştirme İndiriliyor...",
+ "installUpdate...": "&&Güncelleştirmeyi Yükle...",
+ "installingUpdate": "Güncelleştirme yükleniyor...",
+ "restartToUpdate": "&&Güncelleştirmek için Yeniden Başlat"
+ },
+ "vs/workbench/api/common/extHostExtensionActivator": {
+ "failedDep1": "'{0}' uzantısı, etkinleştirilemeyen '{1}' uzantısına bağımlı olduğundan etkinleştirilemiyor.",
+ "activationError": "'{0}' uzantısı etkinleştirilemedi: {1}."
+ },
+ "vs/workbench/api/common/extHost.api.impl": {
+ "extensionLabel": "{0} (Uzantı)"
+ },
+ "vs/workbench/api/node/extHostDebugService": {
+ "debug.terminal.title": "hataları ayıklanan"
+ },
+ "vs/workbench/api/common/jsonValidationExtensionPoint": {
+ "contributes.jsonValidation": "JSON şeması yapılandırmasına katkıda bulunur.",
+ "contributes.jsonValidation.fileMatch": "\"package.json\" veya \"*.launch\" gibi eşleştirilecek dosya deseni (veya desenler dizisi). Dışlama desenleri '!' ile başlar",
+ "contributes.jsonValidation.url": "Şema URL'si ('http:', 'https:') veya uzantı klasörünün göreli yolu ('./').",
+ "invalid.jsonValidation": "'configuration.jsonValidation' bir dizi olmalıdır",
+ "invalid.fileMatch": "'configuration.jsonValidation.fileMatch', dize veya dize dizisi olarak tanımlanmalıdır.",
+ "invalid.url": "'configuration.jsonValidation.url' bir URL veya göreli yol olmalıdır",
+ "invalid.path.1": "`contributes.{0}.url` ({1}) ifadesinin uzantının klasörüne ({2}) eklenmesi bekleniyor. Bu durum uzantıyı taşınamaz hale getirebilir.",
+ "invalid.url.fileschema": "'configuration.jsonValidation.url' geçersiz bir göreli URL: {0}",
+ "invalid.url.schema": "'configuration.jsonValidation.url', mutlak bir URL olmalı veya uzantıda yer alan şemalara başvurmak için './' ile başlamalıdır."
+ },
+ "vs/workbench/api/browser/mainThreadExtensionService": {
+ "reload window": "'{0}' uzantısı, yüklenmemiş '{1}' uzantısına bağımlı olduğundan etkinleştirilemiyor. Uzantıyı yüklemek için pencereyi yeniden yüklemek istiyor musunuz?",
+ "reload": "Pencereyi Yeniden Yükle",
+ "disabledDep": "'{0}' uzantısı, devre dışı bırakılan '{1}' uzantısına bağımlı olduğundan etkinleştirilemiyor. Uzantıyı etkinleştirmek ve pencereyi yeniden yüklemek istiyor musunuz?",
+ "enable dep": "Etkinleştir ve Yeniden Yükle",
+ "uninstalledDep": "'{0}' uzantısı, yüklü olmayan '{1}' uzantısına bağımlı olduğundan etkinleştirilemiyor. Uzantıyı yüklemek ve pencereyi yeniden yüklemek istiyor musunuz?",
+ "install missing dep": "Yükle ve Yeniden Yükle",
+ "unknownDep": "'{0}' uzantısı bilinmeyen '{1}' uzantısına bağımlı olduğundan etkinleştirilemiyor."
+ },
+ "vs/workbench/api/browser/mainThreadFileSystemEventService": {
+ "files.participants.timeout": "Sonrasında oluşturma, yeniden adlandırma ve silme işlemlerine yönelik dosya katılımcılarının iptal edileceği zaman aşımı (milisaniye cinsinden). Katılımcıları devre dışı bırakmak için `0` kullanın."
+ },
+ "vs/workbench/api/browser/mainThreadMessageService": {
+ "extensionSource": "{0} (Uzantı)",
+ "defaultSource": "Uzantı",
+ "manageExtension": "Uzantıyı Yönet",
+ "cancel": "İptal",
+ "ok": "Tamam"
+ },
+ "vs/workbench/api/browser/mainThreadProgress": {
+ "manageExtension": "Uzantıyı Yönet"
+ },
+ "vs/workbench/api/browser/mainThreadSaveParticipant": {
+ "timeout.onWillSave": "onWillSaveTextDocument olayı 1750 ms'den sonra durduruldu"
+ },
+ "vs/workbench/api/browser/mainThreadWorkspace": {
+ "folderStatusMessageAddSingleFolder": "'{0}' uzantısı çalışma alanına 1 klasör ekledi",
+ "folderStatusMessageAddMultipleFolders": "'{0}' uzantısı çalışma alanına {1} klasör ekledi",
+ "folderStatusMessageRemoveSingleFolder": "'{0}' uzantısı çalışma alanından 1 klasörü kaldırdı",
+ "folderStatusMessageRemoveMultipleFolders": "'{0}' uzantısı çalışma alanından {1} klasörü kaldırdı",
+ "folderStatusChangeFolder": "'{0}' uzantısı çalışma alanının klasörlerini değiştirdi"
+ },
+ "vs/workbench/api/browser/mainThreadComments": {
+ "commentsViewIcon": "Açıklamalar görünümünün simgesini görüntüleyin."
+ },
+ "vs/workbench/api/browser/mainThreadTask": {
+ "task.label": "{0}: {1}"
+ },
+ "vs/workbench/api/browser/mainThreadAuthentication": {
+ "noTrustedExtensions": "Bu hesap henüz hiçbir uzantı tarafından kullanılmamış.",
+ "accountLastUsedDate": "Bu hesap en son {0} kullanıldı",
+ "notUsed": "Bu hesabı kullanmadı",
+ "manageTrustedExtensions": "Güvenilen Uzantıları Yönet",
+ "manageExensions": "Bu hesaba hangi uzantıların erişebileceğini seçin",
+ "signOutConfirm": "{0} oturumunu kapat",
+ "signOutMessagve": "{0} hesabını kullanan: \r\n\r\n{1}\r\n\r\n Bu özelliklerin oturumu kapatılsın mı?",
+ "signOutMessageSimple": "{0} oturumu kapatılsın mı?",
+ "signedOut": "Oturum başarıyla kapatıldı.",
+ "useOtherAccount": "Başka bir hesapta oturum açın",
+ "selectAccount": "'{0}' uzantısı bir {1} hesabına erişmek istiyor",
+ "getSessionPlateholder": "'{0}' için kullanılacak bir hesap seçin veya iptal etmek için Esc tuşuna basın",
+ "confirmAuthenticationAccess": "'{0}' uzantısı '{2}' adlı {1} hesabına erişmek istiyor.",
+ "allow": "İzin Ver",
+ "cancel": "İptal",
+ "confirmLogin": "'{0}' uzantısı {1} kullanarak oturum açmak istiyor."
+ },
+ "vs/workbench/common/configuration": {
+ "workbenchConfigurationTitle": "Çalışma Ekranı"
+ },
+ "vs/workbench/browser/parts/views/treeView": {
+ "no-dataprovider": "There is no data provider registered that can provide view data.",
+ "refresh": "Yenile",
+ "collapseAll": "Tümünü Daralt",
+ "command-error": "Error running command {1}: {0}. This is likely caused by the extension that contributes {1}."
+ },
+ "vs/workbench/browser/viewlet": {
+ "compositePart.hideSideBarLabel": "Kenar Çubuğunu Gizle",
+ "views": "Görünümler",
+ "collapse": "Tümünü Daralt"
+ },
+ "vs/workbench/browser/parts/views/viewPaneContainer": {
+ "viewPaneContainerExpandedIcon": "Genişletilmiş görünüm bölmesi kapsayıcısının simgesi.",
+ "viewPaneContainerCollapsedIcon": "Daraltılmış görünüm bölmesi kapsayıcısının simgesi.",
+ "viewToolbarAriaLabel": "{0} eylem",
+ "hideView": "Gizle",
+ "viewMoveUp": "Görünümü Yukarı Taşı",
+ "viewMoveLeft": "Görünümü Sola Taşı",
+ "viewMoveDown": "Görünümü Aşağı Taşı",
+ "viewMoveRight": "Görünümü Sağa Taşı"
+ },
+ "vs/workbench/browser/parts/editor/editorGroupView": {
+ "ariaLabelGroupActions": "Düzenleyici grubu eylemleri",
+ "closeGroupAction": "Kapat",
+ "emptyEditorGroup": "{0} (boş)",
+ "groupLabel": "{0} Grubu",
+ "groupAriaLabel": "{0} Düzenleyici Grubu",
+ "ok": "Tamam",
+ "cancel": "İptal",
+ "editorOpenErrorDialog": "'{0}' açılamıyor",
+ "editorOpenError": "'{0}' açılamıyor: {1}."
+ },
+ "vs/workbench/browser/parts/editor/editorDropTarget": {
+ "fileTooLarge": "Dosya adsız düzenleyici olarak açılmak için çok büyük. Lütfen önce dosyayı dosya gezginine yükleyin ve sonra yeniden deneyin."
+ },
+ "vs/workbench/browser/parts/editor/editor.contribution": {
+ "textEditor": "Metin Düzenleyici",
+ "textDiffEditor": "Metin Farkı Düzenleyicisi",
+ "binaryDiffEditor": "İkili Fark Düzenleyicisi",
+ "sideBySideEditor": "Yan Yana Düzenleyici",
+ "editorQuickAccessPlaceholder": "Bir düzenleyiciyi açmak için adını yazın.",
+ "activeGroupEditorsByMostRecentlyUsedQuickAccess": "Etkin Gruptaki Düzenleyicileri En Son Kullanılanlara Göre Göster",
+ "allEditorsByAppearanceQuickAccess": "Tüm Açık Düzenleyicileri Görünüme Göre Göster",
+ "allEditorsByMostRecentlyUsedQuickAccess": "Tüm Açık Düzenleyicileri En Son Kullanılanlara Göre Göster",
+ "file": "Dosya",
+ "splitUp": "Yukarıya Böl",
+ "splitDown": "Aşağıya Böl",
+ "splitLeft": "Sola Böl",
+ "splitRight": "Sağa Böl",
+ "close": "Kapat",
+ "closeOthers": "Diğerlerini Kapat",
+ "closeRight": "Sağ Taraftakini Kapat",
+ "closeAllSaved": "Kaydedileni Kapat",
+ "closeAll": "Tümünü Kapat",
+ "keepOpen": "Açık Tut",
+ "pin": "Sabitle",
+ "unpin": "Kaldır",
+ "toggleInlineView": "Satır İçi Görünümü Aç/Kapat",
+ "showOpenedEditors": "Açık Düzenleyicileri Göster",
+ "toggleKeepEditors": "Düzenleyicileri Açık Tut",
+ "splitEditorRight": "Düzenleyiciyi Sağa Böl",
+ "splitEditorDown": "Düzenleyiciyi Aşağıya Böl",
+ "previousChangeIcon": "Fark düzenleyicisindeki önceki değişiklik eylemi simgesi.",
+ "nextChangeIcon": "Fark düzenleyicisindeki sonraki değişiklik eylemi simgesi.",
+ "toggleWhitespace": "Fark düzenleyicisindeki boşluğu açma/kapatma eylemi simgesi.",
+ "navigate.prev.label": "Önceki Değişiklik",
+ "navigate.next.label": "Sonraki Değişiklik",
+ "ignoreTrimWhitespace.label": "Baştaki/Sondaki Boşluk Farklılıklarını Yoksay",
+ "showTrimWhitespace.label": "Baştaki/Sondaki Boşluk Farklılıklarını Göster",
+ "keepEditor": "Düzenleyiciyi Tut",
+ "pinEditor": "Düzenleyiciyi Sabitle",
+ "unpinEditor": "Düzenleyiciyi Kaldır",
+ "closeEditor": "Düzenleyiciyi Kapat",
+ "closePinnedEditor": "Sabitlenmiş Düzenleyiciyi Kapat",
+ "closeEditorsInGroup": "Gruptaki Tüm Düzenleyicileri Kapat",
+ "closeSavedEditors": "Gruptaki Kaydedilen Düzenleyicileri Kapat",
+ "closeOtherEditors": "Gruptaki Diğer Düzenleyicileri Kapat",
+ "closeRightEditors": "Grupta Sağ Taraftaki Düzenleyicileri Kapat",
+ "closeEditorGroup": "Düzenleyici Grubunu Kapat",
+ "miReopenClosedEditor": "&&Kapatılan Düzenleyiciyi Yeniden Aç",
+ "miClearRecentOpen": "&&Son Açılanları Temizle",
+ "miEditorLayout": "Düzenleyici &&Düzeni",
+ "miSplitEditorUp": "&&Yukarıya Böl",
+ "miSplitEditorDown": "&&Aşağıya Böl",
+ "miSplitEditorLeft": "&&Sola Böl",
+ "miSplitEditorRight": "&&Sağa Böl",
+ "miSingleColumnEditorLayout": "&&Tek",
+ "miTwoColumnsEditorLayout": "&&İki Sütun",
+ "miThreeColumnsEditorLayout": "Üç &&Sütun",
+ "miTwoRowsEditorLayout": "İ&&ki Satır",
+ "miThreeRowsEditorLayout": "Üç &&Satır",
+ "miTwoByTwoGridEditorLayout": "&&Kılavuz (2x2)",
+ "miTwoRowsRightEditorLayout": "Sağda İki S&&atır",
+ "miTwoColumnsBottomEditorLayout": "Altta İki &&Sütun",
+ "miBack": "&&Geri",
+ "miForward": "&&İleri",
+ "miLastEditLocation": "&&Son Düzenleme Konumu",
+ "miNextEditor": "&&Sonraki Düzenleyici",
+ "miPreviousEditor": "&&Önceki Düzenleyici",
+ "miNextRecentlyUsedEditor": "&&Kullanılan Sonraki Düzenleyici",
+ "miPreviousRecentlyUsedEditor": "&&Kullanılan Önceki Düzenleyici",
+ "miNextEditorInGroup": "&&Gruptaki Sonraki Düzenleyici",
+ "miPreviousEditorInGroup": "&&Gruptaki Önceki Düzenleyici",
+ "miNextUsedEditorInGroup": "&&Grupta Kullanılan Sonraki Düzenleyici",
+ "miPreviousUsedEditorInGroup": "&&Grupta Kullanılan Önceki Düzenleyici",
+ "miSwitchEditor": "&&Düzenleyiciyi Değiştir",
+ "miFocusFirstGroup": "&&1. Grup",
+ "miFocusSecondGroup": "&&2. Grup",
+ "miFocusThirdGroup": "&&3. Grup",
+ "miFocusFourthGroup": "&&4. Grup",
+ "miFocusFifthGroup": "&&5. Grup",
+ "miNextGroup": "&&Sonraki Grup",
+ "miPreviousGroup": "&&Önceki Grup",
+ "miFocusLeftGroup": "&&Soldaki Grup",
+ "miFocusRightGroup": "&&Sağdaki Grup",
+ "miFocusAboveGroup": "&&Yukarıdaki Grup",
+ "miFocusBelowGroup": "&&Aşağıdaki Grup",
+ "miSwitchGroup": "&&Grubu Değiştir"
+ },
+ "vs/workbench/browser/parts/activitybar/activitybarActions": {
+ "goHome": "Giriş Sayfasına Git",
+ "hide": "Gizle",
+ "manageTrustedExtensions": "Güvenilen Uzantıları Yönet",
+ "signOut": "Oturumu Kapat",
+ "authProviderUnavailable": "{0} şu anda kullanılamıyor",
+ "previousSideBarView": "Önceki Kenar Çubuğu Görünümü",
+ "nextSideBarView": "Sonraki Kenar Çubuğu Görünümü"
+ },
+ "vs/workbench/browser/parts/compositeBar": {
+ "activityBarAriaLabel": "Etkin Görünüm Değiştirici"
+ },
+ "vs/workbench/browser/parts/compositeBarActions": {
+ "badgeTitle": "{0} - {1}",
+ "additionalViews": "Ek Görünümler",
+ "numberBadge": "{0} ({1})",
+ "manageExtension": "Uzantıyı Yönet",
+ "titleKeybinding": "{0} ({1})",
+ "hide": "Gizle",
+ "keep": "Tut",
+ "toggle": "Görünümü Sabitlenmiş Olarak Değiştir"
+ },
+ "vs/workbench/browser/parts/compositePart": {
+ "ariaCompositeToolbarLabel": "{0} eylem",
+ "viewsAndMoreActions": "Görünümler ve Diğer Eylemler...",
+ "titleTooltip": "{0} ({1})"
+ },
+ "vs/workbench/browser/parts/panel/panelActions": {
+ "maximizeIcon": "Paneli ekranı kaplayacak şekilde büyütme simgesi.",
+ "restoreIcon": "Paneli geri yükleme simgesi.",
+ "closeIcon": "Paneli kapatma simgesi.",
+ "closePanel": "Paneli Kapat",
+ "togglePanel": "Paneli Aç/Kapat",
+ "focusPanel": "Panelin İçine Odaklan",
+ "toggleMaximizedPanel": "Tam Ekran Paneli Aç/Kapat",
+ "maximizePanel": "Panel Boyutunu Büyüt",
+ "minimizePanel": "Panel Boyutunu Geri Yükle",
+ "positionPanelLeft": "Paneli Sola Taşı",
+ "positionPanelRight": "Paneli Sağa Taşı",
+ "positionPanelBottom": "Paneli Alta Taşı",
+ "previousPanelView": "Önceki Panel Görünümü",
+ "nextPanelView": "Sonraki Panel Görünümü",
+ "miShowPanel": "&&Paneli Göster"
+ },
+ "vs/workbench/common/editor/diffEditorInput": {
+ "sideBySideLabels": "{0} ↔ {1}"
+ },
+ "vs/workbench/browser/parts/editor/editorWidgets": {
+ "openWorkspace": "Çalışma Alanını Aç"
+ },
+ "vs/workbench/browser/parts/editor/editorCommands": {
+ "editorCommand.activeEditorMove.description": "Etkin düzenleyiciyi sekmelere veya gruplara göre taşı",
+ "editorCommand.activeEditorMove.arg.name": "Etkin düzenleyici taşıma bağımsız değişkeni",
+ "editorCommand.activeEditorMove.arg.description": "Bağımsız Değişken Özellikleri:\r\n\t* 'to': Nereye taşınacağını belirten dize değeri.\r\n\t* 'by': Taşıma birimini belirten dize değeri (sekme veya gruba göre).\r\n\t* 'value': Taşınacak konum sayısını veya mutlak bir konumu belirten sayı değeri.",
+ "toggleInlineView": "Satır İçi Görünümü Aç/Kapat",
+ "compare": "Karşılaştır",
+ "enablePreview": "Önizleme düzenleyicileri ayarlarda etkinleştirildi.",
+ "disablePreview": "Önizleme düzenleyicileri ayarlarda devre dışı bırakıldı.",
+ "learnMode": "Daha Fazla Bilgi"
+ },
+ "vs/workbench/browser/parts/editor/textResourceEditor": {
+ "textEditor": "Metin Düzenleyici"
+ },
+ "vs/workbench/browser/parts/titlebar/titlebarPart": {
+ "patchedWindowTitle": "[Desteklenmiyor]",
+ "userIsAdmin": "[Yönetici]",
+ "userIsSudo": "[Süper kullanıcı]",
+ "devExtensionWindowTitlePrefix": "[Uzantı Geliştirme Konağı]"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsList": {
+ "notificationAriaLabel": "{0}, bildirim",
+ "notificationWithSourceAriaLabel": "{0}, kaynak: {1}, bildirim",
+ "notificationsList": "Bildirimler Listesi"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsActions": {
+ "clearIcon": "Bildirimlerdeki temizleme eylemi simgesi.",
+ "clearAllIcon": "Bildirimlerdeki tümünü temizleme eylemi simgesi.",
+ "hideIcon": "Bildirimlerdeki gizleme eylemi simgesi.",
+ "expandIcon": "Bildirimlerdeki genişletme eylemi simgesi.",
+ "collapseIcon": "Bildirimlerdeki daraltma eylemi simgesi.",
+ "configureIcon": "Bildirimlerdeki yapılandırma eylemi simgesi.",
+ "clearNotification": "Bildirimi Temizle",
+ "clearNotifications": "Tüm Bildirimleri Temizle",
+ "hideNotificationsCenter": "Bildirimleri Gizle",
+ "expandNotification": "Bildirimi Genişlet",
+ "collapseNotification": "Bildirimi Daralt",
+ "configureNotification": "Bildirimi Yapılandır",
+ "copyNotification": "Metni Kopyala"
+ },
+ "vs/workbench/api/common/extHostDiagnostics": {
+ "limitHit": "Diğer {0} hata ve uyarı gösterilmiyor."
+ },
+ "vs/workbench/api/common/extHostProgress": {
+ "extensionSource": "{0} (Uzantı)"
+ },
+ "vs/workbench/api/common/extHostStatusBar": {
+ "status.extensionMessage": "Uzantı Durumu"
+ },
+ "vs/workbench/api/common/extHostTreeViews": {
+ "treeView.notRegistered": "'{0}' kimliğine sahip ağaç görünümü yok.",
+ "treeView.duplicateElement": "{0} kimliğine sahip öğe zaten kayıtlı"
+ },
+ "vs/workbench/browser/parts/editor/textEditor": {
+ "editor": "Düzenleyici"
+ },
+ "vs/workbench/api/browser/mainThreadCustomEditors": {
+ "defaultEditLabel": "Düzenle"
+ },
+ "vs/workbench/api/browser/mainThreadWebviews": {
+ "errorMessage": "Görünüm yüklenirken bir hata oluştu: {0}"
+ },
+ "vs/workbench/browser/parts/editor/tabsTitleControl": {
+ "ariaLabelTabActions": "Sekme eylemleri"
+ },
+ "vs/workbench/browser/parts/editor/textDiffEditor": {
+ "textDiffEditor": "Metin Farkı Düzenleyicisi"
+ },
+ "vs/workbench/browser/parts/editor/binaryDiffEditor": {
+ "metadataDiff": "{0} - {1}"
+ },
+ "vs/workbench/browser/parts/editor/editorStatus": {
+ "singleSelectionRange": "{0}. Satır, {1}. Sütun ({2} seçildi)",
+ "singleSelection": "Satır {0}, Sütun {1}",
+ "multiSelectionRange": "{0} seçim ({1} karakter seçildi)",
+ "multiSelection": "{0} seçim",
+ "endOfLineLineFeed": "LF",
+ "endOfLineCarriageReturnLineFeed": "CRLF",
+ "screenReaderDetectedExplanation.question": "VS Code'u çalıştırmak için bir ekran okuyucu kullanıyor musunuz? (Ekran okuyucu kullanırken sözcük kaydırma gibi bazı özellikler devre dışı bırakılır)",
+ "screenReaderDetectedExplanation.answerYes": "Evet",
+ "screenReaderDetectedExplanation.answerNo": "Hayır",
+ "noEditor": "Şu anda etkin metin düzenleyicisi yok",
+ "noWritableCodeEditor": "Etkin kod düzenleyicisi salt okunur.",
+ "indentConvert": "dosyayı dönüştür",
+ "indentView": "görünümü değiştir",
+ "pickAction": "Eylem Seç",
+ "tabFocusModeEnabled": "Sekme Taşıma Odağı",
+ "disableTabMode": "Erişilebilirlik Modunu Devre Dışı Bırak",
+ "status.editor.tabFocusMode": "Erişilebilirlik Modu",
+ "columnSelectionModeEnabled": "Sütun Seçimi",
+ "disableColumnSelectionMode": "Sütun Seçimi Modunu Devre Dışı Bırak",
+ "status.editor.columnSelectionMode": "Sütun Seçimi Modu",
+ "screenReaderDetected": "Ekran Okuyucu İyileştirildi",
+ "status.editor.screenReaderMode": "Ekran Okuyucu Modu",
+ "gotoLine": "Satıra/Sütuna Git",
+ "status.editor.selection": "Düzenleyici Seçimi",
+ "selectIndentation": "Girinti Seçin",
+ "status.editor.indentation": "Düzenleyici Girintisi",
+ "selectEncoding": "Kodlama Seçin",
+ "status.editor.encoding": "Düzenleyici Kodlaması",
+ "selectEOL": "Satır Sonu Dizisini Seçin",
+ "status.editor.eol": "Düzenleyici Satır Sonu",
+ "selectLanguageMode": "Dil Modunu Seçin",
+ "status.editor.mode": "Düzenleyici Dili",
+ "fileInfo": "Dosya Bilgileri",
+ "status.editor.info": "Dosya Bilgileri",
+ "spacesSize": "Boşluklar: {0}",
+ "tabSize": "Sekme Boyutu: {0}",
+ "currentProblem": "Geçerli Sorun",
+ "showLanguageExtensions": "'{0}' için Market Uzantılarında Ara...",
+ "changeMode": "Dil Modunu Değiştir",
+ "languageDescription": "({0}) - Yapılandırılan Dil",
+ "languageDescriptionConfigured": "({0})",
+ "languagesPicks": "diller (tanımlayıcı)",
+ "configureModeSettings": "'{0}' dili tabanlı ayarları yapılandır...",
+ "configureAssociationsExt": "'{0}' için Dosya İlişkilendirmesini Yapılandır...",
+ "autoDetect": "Otomatik Algıla",
+ "pickLanguage": "Dil Modunu Seçin",
+ "currentAssociation": "Geçerli İlişkilendirme",
+ "pickLanguageToConfigure": "'{0}' ile İlişkilendirilecek Dil Modunu Seçin",
+ "changeEndOfLine": "Satır Sonu Dizisini Değiştir",
+ "pickEndOfLine": "Satır Sonu Dizisini Seçin",
+ "changeEncoding": "Dosya Kodlamasını Değiştir",
+ "noFileEditor": "Şu anda etkin dosya yok",
+ "saveWithEncoding": "Kodlama ile Kaydet",
+ "reopenWithEncoding": "Kodlama ile Yeniden Aç",
+ "guessedEncoding": "İçerikten tahmin edildi",
+ "pickEncodingForReopen": "Dosyayı Yeniden Açmak için Dosya Kodlamasını Seçin",
+ "pickEncodingForSave": "Dosyanın Kaydedileceği Kodlamayı Seçin"
+ },
+ "vs/workbench/browser/parts/editor/editorActions": {
+ "splitEditor": "Düzenleyiciyi Böl",
+ "splitEditorOrthogonal": "Düzenleyiciyi Dikgen Olarak Böl",
+ "splitEditorGroupLeft": "Düzenleyiciyi Sola Böl",
+ "splitEditorGroupRight": "Düzenleyiciyi Sağa Böl",
+ "splitEditorGroupUp": "Düzenleyiciyi Yukarıya Böl",
+ "splitEditorGroupDown": "Düzenleyiciyi Aşağıya Böl",
+ "joinTwoGroups": "Düzenleyici Grubunu Sonraki Grupla Birleştir",
+ "joinAllGroups": "Tüm Düzenleyici Gruplarını Birleştir",
+ "navigateEditorGroups": "Düzenleyici Grupları Arasında Gezin",
+ "focusActiveEditorGroup": "Etkin Düzenleyici Grubuna Odaklan",
+ "focusFirstEditorGroup": "İlk Düzenleyici Grubuna Odaklan",
+ "focusLastEditorGroup": "Son Düzenleyici Grubuna Odaklan",
+ "focusNextGroup": "Sonraki Düzenleyici Grubuna Odaklan",
+ "focusPreviousGroup": "Önceki Düzenleyici Grubuna Odaklan",
+ "focusLeftGroup": "Sol Taraftaki Düzenleyici Grubuna Odaklan",
+ "focusRightGroup": "Sağ Taraftaki Düzenleyici Grubuna Odaklan",
+ "focusAboveGroup": "Yukarıdaki Düzenleyici Grubuna Odaklan",
+ "focusBelowGroup": "Aşağıdaki Düzenleyici Grubuna Odaklan",
+ "closeEditor": "Düzenleyiciyi Kapat",
+ "unpinEditor": "Düzenleyicinin Sabitlemesini Kaldır",
+ "closeOneEditor": "Kapat",
+ "revertAndCloseActiveEditor": "Geri Dön ve Düzenleyiciyi Kapat",
+ "closeEditorsToTheLeft": "Grupta Sol Taraftaki Düzenleyicileri Kapat",
+ "closeAllEditors": "Tüm Düzenleyicileri Kapat",
+ "closeAllGroups": "Tüm Düzenleyici Gruplarını Kapat",
+ "closeEditorsInOtherGroups": "Diğer Gruplardaki Düzenleyicileri Kapat",
+ "closeEditorInAllGroups": "Tüm Gruplarda Düzenleyiciyi Kapat",
+ "moveActiveGroupLeft": "Düzenleyici Grubunu Sola Taşı",
+ "moveActiveGroupRight": "Düzenleyici Grubunu Sağa Taşı",
+ "moveActiveGroupUp": "Düzenleyici Grubunu Yukarı Taşı",
+ "moveActiveGroupDown": "Düzenleyici Grubunu Aşağı Taşı",
+ "minimizeOtherEditorGroups": "Düzenleyici Grubunu Büyüt",
+ "evenEditorGroups": "Düzenleyici Grubu Boyutlarını Sıfırla",
+ "toggleEditorWidths": "Düzenleyici Grup Boyutlarını Aç/Kapat",
+ "maximizeEditor": "Düzenleyici Grubunu Büyüt ve Kenar Çubuğunu Gizle",
+ "openNextEditor": "Sonraki Düzenleyiciyi Aç",
+ "openPreviousEditor": "Önceki Düzenleyiciyi Aç",
+ "nextEditorInGroup": "Grupta Sonraki Düzenleyiciyi Aç",
+ "openPreviousEditorInGroup": "Grupta Önceki Düzenleyiciyi Aç",
+ "firstEditorInGroup": "Gruptaki İlk Düzenleyiciyi Aç",
+ "lastEditorInGroup": "Gruptaki Son Düzenleyiciyi Aç",
+ "navigateNext": "İleri Git",
+ "navigatePrevious": "Geri Git",
+ "navigateToLastEditLocation": "Son Düzenleme Konumuna Git",
+ "navigateLast": "Sonuncuya Git",
+ "reopenClosedEditor": "Kapatılan Düzenleyiciyi Yeniden Aç",
+ "clearRecentFiles": "Son Açılanları Temizle",
+ "showEditorsInActiveGroup": "Etkin Gruptaki Düzenleyicileri En Son Kullanılanlara Göre Göster",
+ "showAllEditors": "Tüm Düzenleyicileri Görünüme Göre Göster",
+ "showAllEditorsByMostRecentlyUsed": "Tüm Düzenleyicileri En Son Kullanılanlara Göre Göster",
+ "quickOpenPreviousRecentlyUsedEditor": "Son Kullanılan Önceki Düzenleyiciyi Hızlı Aç",
+ "quickOpenLeastRecentlyUsedEditor": "En Önce Kullanılan Düzenleyiciyi Hızlı Aç",
+ "quickOpenPreviousRecentlyUsedEditorInGroup": "Grupta Son Kullanılan Önceki Düzenleyiciyi Hızlı Aç",
+ "quickOpenLeastRecentlyUsedEditorInGroup": "Gruptaki En Önce Kullanılan Düzenleyiciyi Hızlı Aç",
+ "navigateEditorHistoryByInput": "Önceki Düzenleyiciyi Geçmişten Hızlı Aç",
+ "openNextRecentlyUsedEditor": "Son Kullanılan Sonraki Düzenleyiciyi Aç",
+ "openPreviousRecentlyUsedEditor": "Son Kullanılan Önceki Düzenleyiciyi Aç",
+ "openNextRecentlyUsedEditorInGroup": "Grupta Son Kullanılan Sonraki Düzenleyiciyi Aç",
+ "openPreviousRecentlyUsedEditorInGroup": "Grupta Son Kullanılan Önceki Düzenleyiciyi Aç",
+ "clearEditorHistory": "Düzenleyici Geçmişini Temizle",
+ "moveEditorLeft": "Düzenleyiciyi Sola Taşı",
+ "moveEditorRight": "Düzenleyiciyi Sağa Taşı",
+ "moveEditorToPreviousGroup": "Düzenleyiciyi Önceki Gruba Taşı",
+ "moveEditorToNextGroup": "Düzenleyiciyi Sonraki Gruba Taşı",
+ "moveEditorToAboveGroup": "Düzenleyiciyi Yukarıdaki Gruba Taşı",
+ "moveEditorToBelowGroup": "Düzenleyiciyi Aşağıdaki Gruba Taşı",
+ "moveEditorToLeftGroup": "Düzenleyiciyi Sol Gruba Taşı",
+ "moveEditorToRightGroup": "Düzenleyiciyi Sağ Gruba Taşı",
+ "moveEditorToFirstGroup": "Düzenleyiciyi İlk Gruba Taşı",
+ "moveEditorToLastGroup": "Düzenleyiciyi Son Gruba Taşı",
+ "editorLayoutSingle": "Tek Sütunlu Düzenleyici Düzeni",
+ "editorLayoutTwoColumns": "İki Sütunlu Düzenleyici Düzeni",
+ "editorLayoutThreeColumns": "Üç Sütunlu Düzenleyici Düzeni",
+ "editorLayoutTwoRows": "İki Satırlı Düzenleyici Düzeni",
+ "editorLayoutThreeRows": "Üç Satırlı Düzenleyici Düzeni",
+ "editorLayoutTwoByTwoGrid": "Kılavuz Düzenleyicisi Düzeni (2x2)",
+ "editorLayoutTwoColumnsBottom": "Altta İki Sütunlu Düzenleyici Düzeni",
+ "editorLayoutTwoRowsRight": "Sağda İki Satırlı Düzenleyici Düzeni",
+ "newEditorLeft": "Soldaki Yeni Düzenleyici Grubu",
+ "newEditorRight": "Sağdaki Yeni Düzenleyici Grubu",
+ "newEditorAbove": "Yukarıdaki Yeni Düzenleyici Grubu",
+ "newEditorBelow": "Aşağıdaki Yeni Düzenleyici Grubu",
+ "workbench.action.reopenWithEditor": "Düzenleyiciyi Şununla Yeniden Aç...",
+ "workbench.action.toggleEditorType": "Düzenleyici Türünü Aç/Kapat"
+ },
+ "vs/workbench/browser/parts/editor/editorQuickAccess": {
+ "noViewResults": "Eşleşen düzenleyici yok",
+ "entryAriaLabelWithGroupDirty": "{0}, değişiklik içeriyor, {1}",
+ "entryAriaLabelWithGroup": "{0}, {1}",
+ "entryAriaLabelDirty": "{0}, değişiklik içeriyor",
+ "closeEditor": "Düzenleyiciyi Kapat"
+ },
+ "vs/workbench/browser/parts/editor/binaryEditor": {
+ "binaryEditor": "İkili Görüntüleyici",
+ "nativeFileTooLargeError": "Dosya çok büyük olduğundan ({0}) düzenleyicide görüntülenmiyor.",
+ "nativeBinaryError": "Dosya ikili olduğundan veya desteklenmeyen bir metin kodlaması kullandığından düzenleyicide görüntülenmiyor.",
+ "openAsText": "Yine de açmak istiyor musunuz?"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsViewer": {
+ "executeCommand": "'{0}' komutunu yürütmek için tıklayın",
+ "notificationActions": "Bildirim Eylemleri",
+ "notificationSource": "Kaynak: {0}"
+ },
+ "vs/workbench/browser/parts/editor/titleControl": {
+ "ariaLabelEditorActions": "Düzenleyici eylemleri",
+ "draggedEditorGroup": "{0} (+{1})"
+ },
+ "vs/workbench/browser/parts/editor/breadcrumbsControl": {
+ "cmd.toggle": "İçerik Haritalarını Aç/Kapat",
+ "miShowBreadcrumbs": "&&İçerik Haritalarını Göster",
+ "cmd.focus": "İçerik Haritalarına Odaklan"
+ },
+ "vs/workbench/browser/parts/editor/breadcrumbs": {
+ "title": "İçerik Haritası Gezintisi",
+ "enabled": "Gezinti içerik haritalarını etkinleştir/devre dışı bırak.",
+ "filepath": "Dosya yollarının içerik haritaları görünümünde gösterilip gösterilmeyeceğini ve gösterilme şeklini denetler.",
+ "filepath.on": "Dosya yolunu içerik haritaları görünümünde gösterin.",
+ "filepath.off": "Dosya yolunu içerik haritaları görünümünde göstermeyin.",
+ "filepath.last": "İçerik haritaları görünümünde yalnızca dosya yolunun son öğesini göster.",
+ "symbolpath": "Sembollerin içerik haritaları görünümünde gösterilip gösterilmeyeceğini ve gösterilme şeklini denetler.",
+ "symbolpath.on": "İçerik haritaları görünümündeki tüm sembolleri göster.",
+ "symbolpath.off": "İçerik haritaları görünümünde sembolleri göstermeyin.",
+ "symbolpath.last": "İçerik haritaları görünümünde yalnızca geçerli sembolü göster.",
+ "symbolSortOrder": "Sembollerin içerik haritaları ana hat görünümünde nasıl sıralanacağını denetler.",
+ "symbolSortOrder.position": "Sembol ana hattını dosya konumu sırasında gösterin.",
+ "symbolSortOrder.name": "Sembol ana hattını alfabetik sırada gösterin.",
+ "symbolSortOrder.type": "Sembol ana hattını sembol türü sırasında gösterin.",
+ "icons": "İçerik haritası öğelerini simgelerle işle.",
+ "filteredTypes.file": "Etkinleştirildiğinde içerik haritaları `file` sembollerini gösterir.",
+ "filteredTypes.module": "Etkinleştirildiğinde içerik haritaları `module` sembollerini gösterir.",
+ "filteredTypes.namespace": "Etkinleştirildiğinde içerik haritaları `namespace` sembollerini gösterir.",
+ "filteredTypes.package": "Etkinleştirildiğinde içerik haritaları `package` sembollerini gösterir.",
+ "filteredTypes.class": "Etkinleştirildiğinde içerik haritaları `class` sembollerini gösterir.",
+ "filteredTypes.method": "Etkinleştirildiğinde içerik haritaları `method` sembollerini gösterir.",
+ "filteredTypes.property": "Etkinleştirildiğinde içerik haritaları `property` sembollerini gösterir.",
+ "filteredTypes.field": "Etkinleştirildiğinde içerik haritaları `field` sembollerini gösterir.",
+ "filteredTypes.constructor": "Etkinleştirildiğinde içerik haritaları `constructor` sembollerini gösterir.",
+ "filteredTypes.enum": "Etkinleştirildiğinde içerik haritaları `enum` sembollerini gösterir.",
+ "filteredTypes.interface": "Etkinleştirildiğinde içerik haritaları `interface` sembollerini gösterir.",
+ "filteredTypes.function": "Etkinleştirildiğinde içerik haritaları `function` sembollerini gösterir.",
+ "filteredTypes.variable": "Etkinleştirildiğinde içerik haritaları `variable` sembollerini gösterir.",
+ "filteredTypes.constant": "Etkinleştirildiğinde içerik haritaları `constant` sembollerini gösterir.",
+ "filteredTypes.string": "Etkinleştirildiğinde içerik haritaları `string` sembollerini gösterir.",
+ "filteredTypes.number": "Etkinleştirildiğinde içerik haritaları `number` sembollerini gösterir.",
+ "filteredTypes.boolean": "Etkinleştirildiğinde içerik haritaları `boolean` sembollerini gösterir.",
+ "filteredTypes.array": "Etkinleştirildiğinde içerik haritaları `array` sembollerini gösterir.",
+ "filteredTypes.object": "Etkinleştirildiğinde içerik haritaları `object` sembollerini gösterir.",
+ "filteredTypes.key": "Etkinleştirildiğinde içerik haritaları `key` sembollerini gösterir.",
+ "filteredTypes.null": "Etkinleştirildiğinde içerik haritaları `null` sembollerini gösterir.",
+ "filteredTypes.enumMember": "Etkinleştirildiğinde içerik haritaları `enumMember` sembollerini gösterir.",
+ "filteredTypes.struct": "Etkinleştirildiğinde içerik haritaları `struct` sembollerini gösterir.",
+ "filteredTypes.event": "Etkinleştirildiğinde içerik haritaları `event` sembollerini gösterir.",
+ "filteredTypes.operator": "Etkinleştirildiğinde içerik haritaları `operator` sembollerini gösterir.",
+ "filteredTypes.typeParameter": "Etkinleştirildiğinde içerik haritaları `typeParameter` sembollerini gösterir."
+ },
+ "vs/workbench/browser/parts/editor/breadcrumbsPicker": {
+ "breadcrumbs": "İçerik Haritaları"
+ },
+ "vs/workbench/contrib/backup/electron-sandbox/backupTracker": {
+ "backupTrackerBackupFailed": "Bir veya daha fazla kirli düzenleyici, yedekleme konumuna kaydedilemedi.",
+ "backupTrackerConfirmFailed": "Bir veya daha fazla kirli düzenleyici kaydedilemedi veya geri döndürülemedi.",
+ "ok": "Tamam",
+ "backupErrorDetails": "Bir veya daha fazla değişmiş düzenleyici, yedekleme konumuna kaydedilemedi."
+ },
+ "vs/workbench/contrib/bulkEdit/browser/bulkEditService": {
+ "summary.0": "Düzenleme yapılmadı",
+ "summary.nm": "{1} dosyada {0} metin düzenlemesi yapıldı",
+ "summary.n0": "Bir dosyada {0} metin düzenlemesi yapıldı",
+ "workspaceEdit": "Çalışma Alanı Düzenleme",
+ "nothing": "Düzenleme yapılmadı"
+ },
+ "vs/workbench/contrib/bulkEdit/browser/preview/bulkEdit.contribution": {
+ "overlap": "Başka bir yeniden düzenlemenin önizlemesi görüntüleniyor.",
+ "cancel": "İptal",
+ "continue": "Devam",
+ "detail": "Önceki yeniden düzenlemeyi atıp geçerli yeniden düzenleme işlemine devam etmek için 'Devam' seçeneğine basın.",
+ "apply": "Yeniden Düzenlemeyi Uygula",
+ "cat": "Yeniden Düzenleme Önizlemesi",
+ "Discard": "Yeniden Düzenlemeyi At",
+ "toogleSelection": "Değişikliği Aç/Kapat",
+ "groupByFile": "Değişiklikleri Dosyaya Göre Gruplandır",
+ "groupByType": "Değişiklikleri Türe Göre Gruplandır",
+ "refactorPreviewViewIcon": "Yeniden düzenleme önizlemesi görünümünün simgesini görüntüleyin.",
+ "panel": "Yeniden Düzenleme Önizlemesi"
+ },
+ "vs/workbench/contrib/bulkEdit/browser/preview/bulkEditPane": {
+ "empty.msg": "Değişikliklerinin önizlemesini görmek için yeniden adlandırma gibi bir kod eylemini çağırın.",
+ "conflict.1": "Bu sırada '{0}' değiştirildiğinden yeniden düzenleme uygulanamıyor.",
+ "conflict.N": "Bu sırada {0} diğer dosya değiştirildiğinden yeniden düzenleme uygulanamıyor.",
+ "edt.title.del": "{0} (sil, yeniden düzenleme önizlemesi)",
+ "rename": "yeniden adlandır",
+ "create": "oluştur",
+ "edt.title.2": "{0} ({1}, yeniden düzenleme önizlemesi)",
+ "edt.title.1": "{0} (yeniden düzenleme önizlemesi)"
+ },
+ "vs/workbench/contrib/bulkEdit/browser/preview/bulkEditPreview": {
+ "default": "Diğer"
+ },
+ "vs/workbench/contrib/bulkEdit/browser/preview/bulkEditTree": {
+ "bulkEdit": "Toplu Düzenle",
+ "aria.renameAndEdit": "{0}, {1} olarak yeniden adlandırılıyor, ayrıca metin düzenlemeleri yapılıyor",
+ "aria.createAndEdit": "{0} oluşturuluyor, ayrıca metin düzenlemeleri yapılıyor",
+ "aria.deleteAndEdit": "{0} siliniyor, ayrıca metin düzenlemeleri yapılıyor",
+ "aria.editOnly": "{0}, metin düzenlemeleri yapılıyor",
+ "aria.rename": "{0}, {1} olarak yeniden adlandırılıyor",
+ "aria.create": "{0} oluşturuluyor",
+ "aria.delete": "{0} siliniyor",
+ "aria.replace": "satır {0}, {1} yerine {2} getiriliyor",
+ "aria.del": "satır {0}, {1} kaldırılıyor",
+ "aria.insert": "satır {0}, {1} ekleniyor",
+ "rename.label": "{0} → {1}",
+ "detail.rename": "(yeniden adlandırılıyor)",
+ "detail.create": "(oluşturuluyor)",
+ "detail.del": "(siliniyor)",
+ "title": "{0} - {1}"
+ },
+ "vs/workbench/contrib/callHierarchy/browser/callHierarchy.contribution": {
+ "no.item": "Sonuç yok",
+ "error": "Çağrı hiyerarşisi gösterilemedi",
+ "title": "Çağrı Hiyerarşisine Göz Atın",
+ "title.incoming": "Gelen Çağrıları Göster",
+ "showIncomingCallsIcons": "Çağrı hiyerarşisi görünümündeki gelen çağrılar simgesi.",
+ "title.outgoing": "Giden Çağrıları Göster",
+ "showOutgoingCallsIcon": "Çağrı hiyerarşisi görünümündeki giden çağrılar simgesi.",
+ "title.refocus": "Çağrı Hiyerarşisine Yeniden Odaklan",
+ "close": "Kapat"
+ },
+ "vs/workbench/contrib/callHierarchy/browser/callHierarchyPeek": {
+ "callFrom": "'{0}' çağrıları",
+ "callsTo": "'{0}' çağıranları",
+ "title.loading": "Yükleniyor...",
+ "empt.callsFrom": "'{0}' çağrısı yok",
+ "empt.callsTo": "'{0}' çağıranları yok"
+ },
+ "vs/workbench/contrib/callHierarchy/browser/callHierarchyTree": {
+ "tree.aria": "Çağrı Hiyerarşisi",
+ "from": "{0} çağrıları",
+ "to": "{0} çağıranları"
+ },
+ "vs/workbench/contrib/cli/node/cli.contribution": {
+ "shellCommand": "Kabuk Komutu",
+ "install": "'{0}' komutunu PATH'e yükle",
+ "not available": "Bu komut kullanılabilir değil",
+ "ok": "Tamam",
+ "cancel2": "İptal",
+ "warnEscalation": "Code şimdi kabuk komutunu yüklemek için 'osascript' ile Yönetici ayrıcalıkları isteyecek.",
+ "cantCreateBinFolder": "'/usr/local/bin' oluşturulamıyor.",
+ "aborted": "Durduruldu",
+ "successIn": "'{0}' kabuk komutu PATH'e başarıyla yüklendi.",
+ "uninstall": "'{0}' komutunu PATH'ten kaldır",
+ "warnEscalationUninstall": "Code şimdi kabuk komutunu kaldırmak için 'osascript' ile Yönetici ayrıcalıkları isteyecek.",
+ "cantUninstall": "'{0}' kabuk komutu kaldırılamıyor.",
+ "successFrom": "'{0}' kabuk komutu PATH'ten başarıyla kaldırıldı."
+ },
+ "vs/workbench/contrib/codeActions/common/codeActionsContribution": {
+ "codeActionsOnSave.fixAll": "Dosya kaydedilirken otomatik düzeltme eyleminin çalıştırılıp çalıştırılmayacağını denetler.",
+ "codeActionsOnSave": "Kaydetme sırasında çalıştırılacak kod eylemi tipleri.",
+ "codeActionsOnSave.generic": "Dosya kaydedilirken '{0}' eylemlerinin çalıştırılıp çalıştırılmayacağını denetler."
+ },
+ "vs/workbench/contrib/codeActions/common/codeActionsExtensionPoint": {
+ "contributes.codeActions": "Bir kaynak için hangi düzenleyicinin kullanılacağını yapılandırın.",
+ "contributes.codeActions.languages": "Kod eylemlerinin etkinleştirildiği dil modları.",
+ "contributes.codeActions.kind": "Katkıda bulunulan kod eyleminin `CodeActionKind` değeri.",
+ "contributes.codeActions.title": "Kullanıcı arabiriminde kullanılan kod eyleminin etiketi.",
+ "contributes.codeActions.description": "Kod eyleminin yaptığı işlemin açıklaması."
+ },
+ "vs/workbench/contrib/codeActions/common/documentationExtensionPoint": {
+ "contributes.documentation": "Belgelere katkıda bulundu.",
+ "contributes.documentation.refactorings": "Yeniden düzenlemeler için belgelere katkıda bulundu.",
+ "contributes.documentation.refactoring": "Yeniden düzenleme için belgelere katkıda bulundu.",
+ "contributes.documentation.refactoring.title": "Kullanıcı arabiriminde kullanılan belgelerin etiketi.",
+ "contributes.documentation.refactoring.when": "When yan tümcesi.",
+ "contributes.documentation.refactoring.command": "Komut yürütüldü."
+ },
+ "vs/workbench/contrib/codeEditor/electron-browser/startDebugTextMate": {
+ "startDebugTextMate": "TextMate Söz Dizimi Dil Bilgisini Günlüğe Kaydetme İşlemini Başlat"
+ },
+ "vs/workbench/contrib/codeEditor/electron-sandbox/selectionClipboard": {
+ "actions.pasteSelectionClipboard": "Seçim Panosunu Yapıştır"
+ },
+ "vs/workbench/contrib/codeEditor/browser/languageConfigurationExtensionPoint": {
+ "parseErrors": "{0} ayrıştırılırken hata oluştu: {1}",
+ "formatError": "{0}: Biçim geçersiz, JSON nesnesi bekleniyor.",
+ "schema.openBracket": "Açma ayracı karakteri veya dize dizisi.",
+ "schema.closeBracket": "Kapatma ayracı karakteri veya dize dizisi.",
+ "schema.comments": "Açıklama sembollerini tanımlar",
+ "schema.blockComments": "Blok açıklamalarının nasıl işaretleneceğini tanımlar.",
+ "schema.blockComment.begin": "Blok açıklamasını başlatan karakter sıralaması.",
+ "schema.blockComment.end": "Blok açıklamasını sonlandıran karakter sıralaması.",
+ "schema.lineComment": "Satır açıklamasını başlatan karakter sıralaması.",
+ "schema.brackets": "Girintiyi artıran veya azaltan köşeli ayraç sembollerini tanımlar.",
+ "schema.autoClosingPairs": "Köşeli ayraç çiftlerini tanımlar. Açma ayracı girildiğinde, kapatma ayracı otomatik olarak eklenir.",
+ "schema.autoClosingPairs.notIn": "Otomatik çiftlerinin devre dışı olduğu kapsamların listesini tanımlar.",
+ "schema.autoCloseBefore": "'languageDefined' otomatik kapatma ayarı kullanılırken köşeli ayracın veya tırnağın otomatik olarak kapanması için imleçten sonra hangi karakterlerin olması gerektiğini tanımlar. Bu, tipik olarak bir ifade başlatamayacak karakterler kümesidir.",
+ "schema.surroundingPairs": "Seçili bir dizeyi çevrelemek için kullanılabilen köşeli ayraç çiftlerini tanımlar.",
+ "schema.wordPattern": "Programlama dilinde nelerin bir sözcük olarak kabul edileceğini tanımlar.",
+ "schema.wordPattern.pattern": "Sözcükleri eşleştirmek için kullanılan RegExp deseni.",
+ "schema.wordPattern.flags": "Sözcükleri eşleştirmek için kullanılan RegExp bayrakları.",
+ "schema.wordPattern.flags.errorMessage": "`/^([gimuy]+)$/` deseniyle eşleşmelidir.",
+ "schema.indentationRules": "Dilin girinti ayarları.",
+ "schema.indentationRules.increaseIndentPattern": "Bu desenle eşleşen bir satır varsa sonraki tüm satırlara bir kez girinti oluşturulması gerekir (başka bir kuralla eşleşene kadar).",
+ "schema.indentationRules.increaseIndentPattern.pattern": "increaseIndentPattern için RegExp deseni.",
+ "schema.indentationRules.increaseIndentPattern.flags": "increaseIndentPatterniçin RegExp bayrakları.",
+ "schema.indentationRules.increaseIndentPattern.errorMessage": "`/^([gimuy]+)$/` deseniyle eşleşmelidir.",
+ "schema.indentationRules.decreaseIndentPattern": "Bu desenle eşleşen bir satır varsa sonraki tüm satırların girintisinin kaldırılması gerekir (başka bir kuralla eşleşene kadar).",
+ "schema.indentationRules.decreaseIndentPattern.pattern": "decreaseIndentPattern için RegExp deseni.",
+ "schema.indentationRules.decreaseIndentPattern.flags": "decreaseIndentPattern için RegExp bayrakları.",
+ "schema.indentationRules.decreaseIndentPattern.errorMessage": "`/^([gimuy]+)$/` deseniyle eşleşmelidir.",
+ "schema.indentationRules.indentNextLinePattern": "Bu desenle eşleşen bir satır varsa **yalnızca sonraki satıra** bir kez girinti oluşturulması gerekir.",
+ "schema.indentationRules.indentNextLinePattern.pattern": "indentNextLinePattern için RegExp deseni.",
+ "schema.indentationRules.indentNextLinePattern.flags": "indentNextLinePattern için RegExp bayrakları.",
+ "schema.indentationRules.indentNextLinePattern.errorMessage": "`/^([gimuy]+)$/` deseniyle eşleşmelidir.",
+ "schema.indentationRules.unIndentedLinePattern": "Bu desenle eşleşen bir satır varsa girintisinin değiştirilmemesi ve diğer kurallara göre değerlendirilmemesi gerekir.",
+ "schema.indentationRules.unIndentedLinePattern.pattern": "unIndentedLinePattern için RegExp deseni.",
+ "schema.indentationRules.unIndentedLinePattern.flags": "unIndentedLinePattern için RegExp bayrakları.",
+ "schema.indentationRules.unIndentedLinePattern.errorMessage": "`/^([gimuy]+)$/` deseniyle eşleşmelidir.",
+ "schema.folding": "Dilin katlama ayarları.",
+ "schema.folding.offSide": "Bir dildeki bloklar girintileriyle ifade ediliyorsa dil, off-side kuralına bağlı kalır. Ayarlanırsa, boş satırlar sonraki bloğa ait olur.",
+ "schema.folding.markers": "'#region' ve 'endregion' gibi dile özgü katlama işaretçileri. Başlangıç ve bitiş normal ifadeleri tüm satırların içeriğine göre test edilir ve verimli bir şekilde tasarlanmalıdır",
+ "schema.folding.markers.start": "Başlangıç işaretleyicisi için RegExp deseni. RegExp '^' ile başlamalıdır.",
+ "schema.folding.markers.end": "Bitiş işaretleyicisi için RegExp deseni. RegExp '^' ile başlamalıdır."
+ },
+ "vs/workbench/contrib/codeEditor/browser/quickaccess/gotoSymbolQuickAccess": {
+ "empty": "Eşleşen giriş yok",
+ "gotoSymbolQuickAccessPlaceholder": "Gitmek istediğiniz simgenin adını yazın.",
+ "gotoSymbolQuickAccess": "Düzenleyicide Sembole Git",
+ "gotoSymbolByCategoryQuickAccess": "Düzenleyicide Kategoriye Göre Sembole Git",
+ "gotoSymbol": "Düzenleyicide Sembole Git..."
+ },
+ "vs/workbench/contrib/codeEditor/browser/accessibility/accessibility": {
+ "emergencyConfOn": "Şimdi `editor.accessibilitySupport` ayarı 'açık' olarak değiştiriliyor.",
+ "openingDocs": "Şimdi VS Code Erişilebilirlik belgeleri sayfası açılıyor.",
+ "introMsg": "VS Code'un erişilebilirlik seçeneklerini denediğiniz için teşekkür ederiz.",
+ "status": "Durum:",
+ "changeConfigToOnMac": "Düzenleyiciyi Ekran Okuyucuyla kullanıma yönelik olarak kalıcı olarak iyileştirilecek şekilde yapılandırmak için şimdi Command+E'ye basın.",
+ "changeConfigToOnWinLinux": "Düzenleyiciyi Ekran Okuyucuyla kullanıma yönelik olarak kalıcı olarak iyileştirilecek şekilde yapılandırmak için şimdi Control+E'ye basın.",
+ "auto_unknown": "Düzenleyici, bir Ekran Okuyucu eklendiğinde bunu algılamak için platform API'lerini kullanacak şekilde yapılandırıldı ancak geçerli çalışma zamanı bunu desteklemiyor.",
+ "auto_on": "Düzenleyici otomatik olarak bir Ekran Okuyucunun eklendiğini algıladı.",
+ "auto_off": "Düzenleyici, bir Ekran Okuyucu eklendiğinde bunu otomatik olarak algılayacak şekilde yapılandırıldı ancak şu an ekli Ekran Okuyucu yok.",
+ "configuredOn": "Düzenleyici, Ekran Okuyucuyla kullanım için kalıcı olarak iyileştirilecek şekilde yapılandırıldı. Bunu `editor.accessibilitySupport` ayarını düzenleyerek değiştirebilirsiniz.",
+ "configuredOff": "Düzenleyici, Ekran Okuyucuyla kullanım için hiçbir zaman iyileştirilmeyecek şekilde yapılandırıldı.",
+ "tabFocusModeOnMsg": "Geçerli düzenleyicide Sekme tuşuna basıldığında odak bir sonraki odaklanabilir öğeye geçer. {0} tuşuna basarak bu davranışını değiştirin.",
+ "tabFocusModeOnMsgNoKb": "Geçerli düzenleyicide Sekme tuşuna basıldığında odak bir sonraki odaklanabilir öğeye geçer. {0} komutu şu anda bir tuş bağlaması tarafından tetiklenemez.",
+ "tabFocusModeOffMsg": "Geçerli düzenleyicide Sekme tuşuna basıldığında sekme karakteri eklenir. {0} tuşuna basarak bu davranışı değiştirin.",
+ "tabFocusModeOffMsgNoKb": "Geçerli düzenleyicide Sekme tuşuna basıldığında sekme karakteri eklenir. {0} komutu şu anda bir tuş bağlaması tarafından tetiklenemez.",
+ "openDocMac": "VS Code'da Erişilebilirlik ile ilgili daha fazla bilgi içeren bir tarayıcı penceresi açmak için şimdi Command+H tuşlarına basın.",
+ "openDocWinLinux": "VS Code'da Erişilebilirlik ile ilgili daha fazla bilgi içeren bir tarayıcı penceresi açmak için şimdi Ctrl+H tuşlarına basın.",
+ "outroMsg": "Bu araç ipucunu kapatıp Escape veya Shift+Escape tuşlarına basarak düzenleyiciye geri dönebilirsiniz.",
+ "ShowAccessibilityHelpAction": "Erişilebilirlik Yardımını Göster"
+ },
+ "vs/workbench/contrib/codeEditor/browser/diffEditorHelper": {
+ "hintTimeout": "Fark algoritması erken durduruldu ({0} ms sonra)",
+ "removeTimeout": "Sınırı kaldır",
+ "hintWhitespace": "Boşluk Farklılıklarını Göster"
+ },
+ "vs/workbench/contrib/codeEditor/browser/inspectKeybindings": {
+ "workbench.action.inspectKeyMap": "Geliştirici: Anahtar Eşlemelerini İnceleyin",
+ "workbench.action.inspectKeyMapJSON": "Anahtar Eşlemelerini İncele (JSON)"
+ },
+ "vs/workbench/contrib/codeEditor/browser/largeFileOptimizations": {
+ "largeFile": "{0}: Bellek kullanımını azaltmak ve donmayı veya çökmeyi önlemek amacıyla bu büyük dosya için belirteçlere ayırma, kaydırma ve katlama özellikleri devre dışı bırakıldı.",
+ "removeOptimizations": "Özellikleri zorla etkinleştir",
+ "reopenFilePrompt": "Bu ayarın etkili olabilmesi için lütfen dosyayı yeniden açın."
+ },
+ "vs/workbench/contrib/codeEditor/browser/inspectEditorTokens/inspectEditorTokens": {
+ "inspectEditorTokens": "Geliştirici: Düzenleyici Belirteçlerini ve Kapsamlarını İnceleyin",
+ "inspectTMScopesWidget.loading": "Yükleniyor..."
+ },
+ "vs/workbench/contrib/codeEditor/browser/quickaccess/gotoLineQuickAccess": {
+ "gotoLineQuickAccessPlaceholder": "Gitmek istediğiniz satır numarasını ve isteğe bağlı sütunu yazın (ör. 42. satır ve 5. sütun için 42:5).",
+ "gotoLineQuickAccess": "Satıra/Sütuna Git",
+ "gotoLine": "Satıra/Sütuna Git..."
+ },
+ "vs/workbench/contrib/codeEditor/browser/saveParticipants": {
+ "formatting": "'{0}' Biçimlendiricisi çalıştırılıyor ([yapılandır](command:workbench.action.openSettings?%5B%22editor.formatOnSave%22%5D)).",
+ "codeaction": "Hızlı Düzeltmeler",
+ "codeaction.get": "'{0}' konumundan kod eylemleri alınıyor ([yapılandır](command:workbench.action.openSettings?%5B%22editor.codeActionsOnSave%22%5D)).",
+ "codeAction.apply": "'{0}' kod eylemi uygulanıyor."
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleColumnSelection": {
+ "toggleColumnSelection": "Sütun Seçimi Modunu Aç/Kapat",
+ "miColumnSelection": "Sütun &&Seçimi Modu"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleMinimap": {
+ "toggleMinimap": "Mini Haritayı Aç/Kapat",
+ "miShowMinimap": "&&Mini Haritayı Göster"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleMultiCursorModifier": {
+ "toggleLocation": "Çok İmleçli Değiştiriciyi Aç/Kapat",
+ "miMultiCursorAlt": "Çoklu İmleç için Alt tuşuna basıp tıklamaya geçin",
+ "miMultiCursorCmd": "Çoklu İmleç için Cmd tuşuna basıp tıklamaya geçin",
+ "miMultiCursorCtrl": "Çoklu İmleç için Ctrl tuşuna basıp tıklamaya geçin"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleRenderControlCharacter": {
+ "toggleRenderControlCharacters": "Denetim Karakterlerini Aç/Kapat",
+ "miToggleRenderControlCharacters": "&&Denetim Karakterlerini İşle"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleRenderWhitespace": {
+ "toggleRenderWhitespace": "Boşluk İşlemeyi Aç/Kapat",
+ "miToggleRenderWhitespace": "&&Boşluk Oluştur"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleWordWrap": {
+ "toggle.wordwrap": "Görünüm: Sözcük Kaydırmayı Aç/Kapat",
+ "unwrapMinified": "Bu dosya için kaydırmayı devre dışı bırak",
+ "wrapMinified": "Bu dosya için kaydırmayı etkinleştir",
+ "miToggleWordWrap": "&&Sözcük Kaydırmayı Aç/Kapat"
+ },
+ "vs/workbench/contrib/codeEditor/browser/find/simpleFindWidget": {
+ "label.find": "Bul",
+ "placeholder.find": "Bul",
+ "label.previousMatchButton": "Önceki eşleşme",
+ "label.nextMatchButton": "Sonraki eşleşme",
+ "label.closeButton": "Kapat"
+ },
+ "vs/workbench/contrib/codeEditor/browser/find/simpleFindReplaceWidget": {
+ "label.find": "Bul",
+ "placeholder.find": "Bul",
+ "label.previousMatchButton": "Önceki eşleşme",
+ "label.nextMatchButton": "Sonraki eşleşme",
+ "label.closeButton": "Kapat",
+ "label.toggleReplaceButton": "Mod Değiştirmeyi Aç/Kapat",
+ "label.replace": "Değiştir",
+ "placeholder.replace": "Değiştir",
+ "label.replaceButton": "Değiştir",
+ "label.replaceAllButton": "Tümünü Değiştir"
+ },
+ "vs/workbench/contrib/comments/browser/comments.contribution": {
+ "commentsConfigurationTitle": "Açıklamalar",
+ "openComments": "Açıklamalar panelinin açılacağı zamanı denetler."
+ },
+ "vs/workbench/contrib/comments/browser/commentsEditorContribution": {
+ "pickCommentService": "Açıklama Sağlayıcısı Seç",
+ "nextCommentThreadAction": "Sonraki Açıklama Dizisine Git"
+ },
+ "vs/workbench/contrib/comments/browser/commentsView": {
+ "collapseAll": "Tümünü Daralt",
+ "rootCommentsLabel": "Geçerli çalışma alanı için açıklamalar",
+ "resourceWithCommentThreadsLabel": "{0} içindeki açıklamalar; tam yol {1}",
+ "resourceWithCommentLabel": "{3} içinde {1}. satır {2}. sütunda ${0} tarafından yapılan açıklama; kaynak: {4}"
+ },
+ "vs/workbench/contrib/comments/browser/commentsTreeViewer": {
+ "imageWithLabel": "Görüntü: {0}",
+ "image": "Görüntü"
+ },
+ "vs/workbench/contrib/comments/browser/commentGlyphWidget": {
+ "editorGutterCommentRangeForeground": "Açıklama aralıkları için düzenleyici cilt payı süsleme rengi."
+ },
+ "vs/workbench/contrib/comments/browser/commentThreadWidget": {
+ "collapseIcon": "İnceleme açıklamasını daraltma simgesi.",
+ "label.collapse": "Daralt",
+ "startThread": "Tartışma başlat",
+ "reply": "Yanıtla...",
+ "newComment": "Yeni bir açıklama yazın"
+ },
+ "vs/workbench/contrib/comments/common/commentModel": {
+ "noComments": "Bu çalışma alanında henüz yorum yok."
+ },
+ "vs/workbench/contrib/comments/browser/commentNode": {
+ "commentToggleReaction": "Tepkiyi Aç/Kapat",
+ "commentToggleReactionError": "Açıklama tepkisini açma/kapatma başarısız oldu: {0}.",
+ "commentToggleReactionDefaultError": "Açıklama tepkisini açma/kapatma başarısız oldu",
+ "commentDeleteReactionError": "Açıklama yeniden etkinleştirme silme işlemi başarısız oldu: {0}.",
+ "commentDeleteReactionDefaultError": "Açıklama yeniden etkinleştirme silme işlemi başarısız oldu",
+ "commentAddReactionError": "Açıklama yeniden etkinleştirme silme işlemi başarısız oldu: {0}.",
+ "commentAddReactionDefaultError": "Açıklama yeniden etkinleştirme silme işlemi başarısız oldu"
+ },
+ "vs/workbench/contrib/comments/browser/reactionsAction": {
+ "pickReactions": "Tepkileri Seç..."
+ },
+ "vs/workbench/contrib/customEditor/browser/customEditors": {
+ "openWithCurrentlyActive": "Şu Anda Etkin",
+ "promptOpenWith.setDefaultTooltip": "'{0}' dosyaları için varsayılan düzenleyici olarak ayarla",
+ "promptOpenWith.placeHolder": "'{0}' için kullanılacak düzenleyiciyi seçin..."
+ },
+ "vs/workbench/contrib/customEditor/common/contributedCustomEditors": {
+ "builtinProviderDisplayName": "Yerleşik",
+ "promptOpenWith.defaultEditor.displayName": "Metin Düzenleyici"
+ },
+ "vs/workbench/contrib/customEditor/common/extensionPoint": {
+ "contributes.customEditors": "Katkıda bulunulan özel düzenleyiciler.",
+ "contributes.viewType": "Özel düzenleyici için tanımlayıcı. Tüm özel düzenleyicilerde benzersiz olmalıdır, bu nedenle uzantı kimliğinizi 'viewType' öğesinin bir parçası olarak dahil etmeniz önerilir. 'viewType', özel düzenleyiciler 'vscode.registerCustomEditorProvider' ve 'onCustomEditor:${id}' [etkinleştirme olayı](https://code.visualstudio.com/api/references/activation-events) ile kaydedilirken kullanılır.",
+ "contributes.displayName": "Özel düzenleyicinin kullanıcı tarafından okunabilen adı. Kullanılacak düzenleyiciyi seçerken kullanıcılara gösterilir.",
+ "contributes.selector": "Özel düzenleyicinin kendisi için etkinleştirildiği glob kümesi.",
+ "contributes.selector.filenamePattern": "Özel düzenleyicinin kendisi için etkinleştirildiği glob.",
+ "contributes.priority": "Kullanıcı bir dosyayı açtığında özel düzenleyicinin otomatik olarak etkinleştirilip etkinleştirilmeyeceğini denetler. Kullanıcılar tarafından 'workbench.editorAssociations' ayarı kullanılarak geçersiz kılınabilir.",
+ "contributes.priority.default": "Bir kaynak için başka bir varsayılan özel düzenleyici kayıtlı olmadığı sürece kullanıcı kaynağı açtığında düzenleyici otomatik olarak kullanılır.",
+ "contributes.priority.option": "Kullanıcı bir kaynağı açtığında düzenleyici otomatik olarak kullanılmaz, ancak kullanıcı 'Birlikte Aç' komutunu kullanarak düzenleyiciye geçebilir."
+ },
+ "vs/workbench/contrib/debug/common/debug": {
+ "internalConsoleOptions": "İç hata ayıklama konsolunun ne zaman açılması gerektiğini denetler."
+ },
+ "vs/workbench/contrib/debug/browser/debug.contribution": {
+ "debugCategory": "Hata Ayıkla",
+ "runCategory": "Çalıştır",
+ "startDebugPlaceholder": "Çalıştırılacak başlatma yapılandırmasının adını yazın.",
+ "startDebuggingHelp": "Hata Ayıklamayı Başlat",
+ "terminateThread": "İş Parçacığını Sonlandır",
+ "debugFocusConsole": "Hata Ayıklama Konsol Görünümüne Odaklan",
+ "jumpToCursor": "İmlece atla",
+ "SetNextStatement": "Sonraki Bildirimi Ayarla",
+ "inlineBreakpoint": "Satır İçi Kesme Noktası",
+ "stepBackDebug": "Geri Adımla",
+ "reverseContinue": "Tersine çevir",
+ "restartFrame": "Çerçeveyi Yeniden Başlat",
+ "copyStackTrace": "Çağrı Yığınını Kopyala",
+ "setValue": "Değeri Ayarla",
+ "copyValue": "Değeri Kopyala",
+ "copyAsExpression": "İfade Olarak Kopyala",
+ "addToWatchExpressions": "İzlemeye Ekle",
+ "breakWhenValueChanges": "Değer Değiştiğinde Kes",
+ "miViewRun": "&&Çalıştır",
+ "miToggleDebugConsole": "H&&ata Ayıklama Konsolu",
+ "miStartDebugging": "&&Hata Ayıklamayı Başlat",
+ "miRun": "&&Hata Ayıklama Olmadan Çalıştır",
+ "miStopDebugging": "&&Hata Ayıklamayı Durdur",
+ "miRestart Debugging": "&&Hata Ayıklamayı Yeniden Başlat",
+ "miOpenConfigurations": "Yapılandırmaları &&Aç",
+ "miAddConfiguration": "Y&&apılandırma Ekle...",
+ "miStepOver": "Üzerinden &&Adımla",
+ "miStepInto": "&&Adımla",
+ "miStepOut": "Dışarı A&&dımla",
+ "miContinue": "&&Devam",
+ "miToggleBreakpoint": "Kesme Noktasını &&Aç/Kapat",
+ "miConditionalBreakpoint": "&&Koşullu Kesme Noktası...",
+ "miInlineBreakpoint": "Satır içi Kesme N&&oktası",
+ "miFunctionBreakpoint": "&&İşlev Kesme Noktası...",
+ "miLogPoint": "&&Günlüğe Kaydetme Noktası...",
+ "miNewBreakpoint": "&&Yeni Kesme Noktası",
+ "miEnableAllBreakpoints": "&&Tüm Kesme Noktalarını Etkinleştir",
+ "miDisableAllBreakpoints": "Tüm K&&esme Noktalarını Devre Dışı Bırak",
+ "miRemoveAllBreakpoints": "Tüm &&Kesme Noktalarını Kaldır",
+ "miInstallAdditionalDebuggers": "&&Ek Hata Ayıklayıcılarını Yükle...",
+ "debugPanel": "Hata Ayıklama Konsolu",
+ "run": "Çalıştır",
+ "variables": "Değişkenler",
+ "watch": "İzleme",
+ "callStack": "Çağrı Yığını",
+ "breakpoints": "Kesme Noktaları",
+ "loadedScripts": "Yüklenmiş Betikler",
+ "debugConfigurationTitle": "Hata Ayıkla",
+ "allowBreakpointsEverywhere": "Herhangi bir dosyada kesme noktalarının ayarlanmasına izin verin.",
+ "openExplorerOnEnd": "Hata ayıklama oturumunun sonunda gezgin görünümünü otomatik olarak açın.",
+ "inlineValues": "Değişken değerlerini, hata ayıklama sırasında düzenleyicide satır içi olarak göster.",
+ "toolBarLocation": "Hata ayıklama araç çubuğunun konumunu denetler. Tüm görünümlerde `floating`, hata ayıklama görünümünde `docked` veya `hidden` değerleri kullanılabilir.",
+ "never": "Durum çubuğunda hata ayıklamayı hiçbir zaman gösterme",
+ "always": "Durum çubuğunda hata ayıklamayı her zaman göster",
+ "onFirstSessionStart": "Hata ayıklama, yalnızca hata ayıklama ilk kez başlatıldıktan sonra durum çubuğunda gösterilsin",
+ "showInStatusBar": "Hata ayıklama durum çubuğunun ne zaman görünür olacağını denetler.",
+ "debug.console.closeOnEnd": "Hata ayıklama oturumu sona erdiğinde hata ayıklama konsolunun otomatik olarak kapatılıp kapatılmayacağını denetler.",
+ "openDebug": "Hata ayıklama görünümünün ne zaman açılması gerektiğini denetler.",
+ "showSubSessionsInToolBar": "Hata ayıklama alt oturumlarının hata ayıklama araç çubuğunda gösterilip gösterilmeyeceğini denetler. Bu ayar false olduğunda alt oturumdaki durdurma komutu üst oturumu da durdurur.",
+ "debug.console.fontSize": "Hata ayıklama konsolundaki yazı tipi boyutunu piksel cinsinden denetler.",
+ "debug.console.fontFamily": "Hata ayıklama konsolundaki yazı tipi ailesini denetler.",
+ "debug.console.lineHeight": "Hata ayıklama konsolundaki satır yüksekliğini piksel cinsinden denetler. Satır yüksekliğini yazı tipi boyutundan hesaplamak için 0 kullanın.",
+ "debug.console.wordWrap": "Hata ayıklama konsolunda satırların kaydırılıp kaydırılmayacağını denetler.",
+ "debug.console.historySuggestions": "Hata ayıklama konsolunun önceden yazılmış girişi önerip önermeyeceğini denetler.",
+ "launch": "Genel hata ayıklama başlatma yapılandırması. Çalışma alanları arasında paylaşılan 'launch.json' dosyasına alternatif olarak kullanılmalıdır.",
+ "debug.focusWindowOnBreak": "Hata ayıklayıcı kesildiğinde, çalışma ekranı penceresine odaklanılması gerekip gerekmediğini denetler.",
+ "debugAnyway": "Görev hatalarını yoksayın ve hata ayıklamayı başlatın.",
+ "showErrors": "Sorunlar görünümünü görüntüleyin ve hata ayıklama işlemini başlatmayın.",
+ "prompt": "Kullanıcıya sor.",
+ "cancel": "Hata ayıklamayı iptal edin.",
+ "debug.onTaskErrors": "preLaunchTask çalıştırıldıktan sonra hatalarla karşılaşıldığında ne yapılacağını denetler.",
+ "showBreakpointsInOverviewRuler": "Kesme noktalarının genel bakış cetvelinde gösterilip gösterilmeyeceğini denetler.",
+ "showInlineBreakpointCandidates": "Hata ayıklama sırasında düzenleyicide satır içi kesme noktalarının aday düzenlemelerinin gösterilip gösterilmeyeceğini denetler."
+ },
+ "vs/workbench/contrib/debug/browser/debugEditorContribution": {
+ "addConfiguration": "Yapılandırma Ekle..."
+ },
+ "vs/workbench/contrib/debug/browser/breakpointEditorContribution": {
+ "logPoint": "Günlüğe Kaydetme Noktası",
+ "breakpoint": "Kesme Noktası",
+ "breakpointHasConditionDisabled": "Bu {0}, kaldırma işlemi sırasında kaybedilecek bir {1} içeriyor. Bunun yerine {0} kesme noktasını etkinleştirmeyi düşünün.",
+ "message": "ileti",
+ "condition": "koşul",
+ "breakpointHasConditionEnabled": "Bu {0}, kaldırma işlemi sırasında kaybedilecek bir {1} içeriyor. Bunun yerine {0} kesme noktasını devre dışı bırakmayı düşünün.",
+ "removeLogPoint": "{0} günlüğe kaydetme noktasını kaldır",
+ "disableLogPoint": "{0} {1}",
+ "disable": "Devre Dışı Bırak",
+ "enable": "Etkinleştir",
+ "cancel": "İptal",
+ "removeBreakpoint": "{0} kesme noktasını kaldır",
+ "editBreakpoint": "{0} kesme noktasını düzenle...",
+ "disableBreakpoint": "{0} kesme noktasını devre dışı bırak",
+ "enableBreakpoint": "{0} Kesme Noktasını Etkinleştir",
+ "removeBreakpoints": "Kesme Noktalarını Kaldır",
+ "removeInlineBreakpointOnColumn": "{0} Sütununda Satır İçi Kesme Noktasını Kaldır",
+ "removeLineBreakpoint": "Satır Kesme Noktasını Kaldır",
+ "editBreakpoints": "Kesme Noktalarını Düzenle",
+ "editInlineBreakpointOnColumn": "{0} Sütununda Satır İçi Kesme Noktasını Düzenle",
+ "editLineBrekapoint": "Satır Kesme Noktasını Düzenle",
+ "enableDisableBreakpoints": "Kesme Noktalarını Etkinleştir/Devre Dışı Bırak",
+ "disableInlineColumnBreakpoint": "{0} Sütununda Satır İçi Kesme Noktasını Devre Dışı Bırak",
+ "disableBreakpointOnLine": "Satır Kesme Noktasını Devre Dışı Bırak",
+ "enableBreakpoints": "{0} Sütununda Satır İçi Kesme Noktasını Etkinleştir",
+ "enableBreakpointOnLine": "Satır Kesme Noktasını Etkinleştir",
+ "addBreakpoint": "Kesme Noktası Ekle",
+ "addConditionalBreakpoint": "Koşullu Kesme Noktası Ekle...",
+ "addLogPoint": "Günlüğe Kaydetme Noktası Ekle...",
+ "debugIcon.breakpointForeground": "Kesme noktaları için simge rengi.",
+ "debugIcon.breakpointDisabledForeground": "Devre dışı kesme noktaları için simge rengi.",
+ "debugIcon.breakpointUnverifiedForeground": "Doğrulanmamış kesme noktaları için simge rengi.",
+ "debugIcon.breakpointCurrentStackframeForeground": "Geçerli kesme noktası yığın çerçevesi için simge rengi.",
+ "debugIcon.breakpointStackframeForeground": "Tüm kesme noktası yığın çerçeveleri için simge rengi."
+ },
+ "vs/workbench/contrib/debug/browser/callStackEditorContribution": {
+ "topStackFrameLineHighlight": "En üst yığın çerçevesi konumundaki satırın vurgulanması için arka plan rengi.",
+ "focusedStackFrameLineHighlight": "Odaklanmış yığın çerçevesi konumundaki satırın vurgulanması için arka plan rengi."
+ },
+ "vs/workbench/contrib/debug/browser/repl": {
+ "workbench.debug.filter.placeholder": "Filtre (örneğin metin, !exclude)",
+ "debugConsole": "Hata Ayıklama Konsolu",
+ "copy": "Kopyala",
+ "copyAll": "Tümünü Kopyala",
+ "paste": "Yapıştır",
+ "collapse": "Tümünü Daralt",
+ "startDebugFirst": "İfadeleri değerlendirmek için lütfen bir hata ayıklama oturumu başlatın",
+ "actions.repl.acceptInput": "REPL Girişi Kabul Et",
+ "repl.action.filter": "REPL İçeriği Filtreye Odakla",
+ "actions.repl.copyAll": "Hata Ayıklama: Konsolda Tümünü Kopyala",
+ "selectRepl": "Hata Ayıklama Konsolunu Seçin",
+ "clearRepl": "Konsolu Temizle",
+ "debugConsoleCleared": "Hata ayıklama konsolu temizlendi"
+ },
+ "vs/workbench/contrib/debug/browser/debugViewlet": {
+ "startAdditionalSession": "Ek Oturum Başlat",
+ "toggleDebugPanel": "Hata Ayıklama Konsolu",
+ "toggleDebugViewlet": "Çalıştırma ve Hata Ayıklamayı Göster"
+ },
+ "vs/workbench/contrib/debug/common/abstractDebugAdapter": {
+ "timeout": "'{1}' için {0} ms'den sonra zaman aşımı"
+ },
+ "vs/workbench/contrib/debug/browser/breakpointsView": {
+ "editCondition": "Koşulu Düzenle",
+ "Logpoint": "Günlüğe Kaydetme Noktası",
+ "Breakpoint": "Kesme Noktası",
+ "editBreakpoint": "{0} kesme noktasını düzenle...",
+ "removeBreakpoint": "{0} kesme noktasını kaldır",
+ "expressionCondition": "İfade koşulu: {0}",
+ "functionBreakpointsNotSupported": "İşlev kesme noktaları bu hata ayıklama türü tarafından desteklenmiyor",
+ "dataBreakpointsNotSupported": "Veri kesme noktaları bu hata ayıklama türü tarafından desteklenmiyor",
+ "functionBreakpointPlaceholder": "Kesilecek işlev",
+ "functionBreakPointInputAriaLabel": "Tür işlevi kesme noktası",
+ "exceptionBreakpointPlaceholder": "İfade true olarak değerlendirildiğinde kesin",
+ "exceptionBreakpointAriaLabel": "Tür özel durumu kesme noktası koşulu",
+ "breakpoints": "Kesme Noktaları",
+ "disabledLogpoint": "Günlüğe Kaydetme Noktası Devre Dışı Bırakıldı",
+ "disabledBreakpoint": "Kesme Noktası Devre Dışı Bırakıldı",
+ "unverifiedLogpoint": "Günlüğe Kaydetme Noktası Doğrulanmamış",
+ "unverifiedBreakopint": "Kesme Noktası Doğrulanmamış",
+ "functionBreakpointUnsupported": "Bu hata ayıklama türü tarafından desteklenmeyen işlev kesme noktaları",
+ "functionBreakpoint": "İşlev Kesme Noktası",
+ "dataBreakpointUnsupported": "Bu hata ayıklama türü tarafından desteklenmeyen veri kesme noktaları",
+ "dataBreakpoint": "Veri Kesme Noktası",
+ "breakpointUnsupported": "Bu türdeki kesme noktaları hata ayıklayıcısı tarafından desteklenmiyor",
+ "logMessage": "Günlük İletisi: {0}",
+ "expression": "İfade koşulu: {0}",
+ "hitCount": "İsabet Sayısı: {0}",
+ "breakpoint": "Kesme Noktası"
+ },
+ "vs/workbench/contrib/debug/browser/callStackView": {
+ "running": "Çalışıyor",
+ "showMoreStackFrames2": "Daha Fazla Yığın Çerçevesi Göster",
+ "session": "Oturum",
+ "thread": "İş Parçacığı",
+ "restartFrame": "Çerçeveyi Yeniden Başlat",
+ "loadAllStackFrames": "Tüm Yığın Çerçevelerini Yükle",
+ "showMoreAndOrigin": "{0} Öğe Daha Göster: {1}",
+ "showMoreStackFrames": "{0} Yığın Çerçevesi Daha Göster",
+ "callStackAriaLabel": "Hata Ayıklama Çağrı Yığını",
+ "threadAriaLabel": "{0} {1} iş parçacığı",
+ "stackFrameAriaLabel": "{0} Yığın Çerçevesi, {1}. satır, {2}",
+ "sessionLabel": "{0} {1} oturumu"
+ },
+ "vs/workbench/contrib/debug/browser/debugActions": {
+ "openLaunchJson": "{0} dosyasını aç",
+ "launchJsonNeedsConfigurtion": "'launch.json' dosyasını yapılandır veya onar",
+ "noFolderDebugConfig": "Gelişmiş hata ayıklama yapılandırması gerçekleştirmek için lütfen önce bir klasör açın.",
+ "selectWorkspaceFolder": "Launch.json dosyasını oluşturmak veya çalışma alanı yapılandırma dosyasına eklemek için bir çalışma alanı klasörü seçin",
+ "startDebug": "Hata Ayıklamayı Başlat",
+ "startWithoutDebugging": "Hata Ayıklama Olmadan Başlat",
+ "selectAndStartDebugging": "Hata Ayıklamayı Seçin ve Başlatın",
+ "removeBreakpoint": "Kesme Noktasını Kaldır",
+ "removeAllBreakpoints": "Tüm Kesme Noktalarını Kaldır",
+ "enableAllBreakpoints": "Tüm Kesme Noktalarını Etkinleştir",
+ "disableAllBreakpoints": "Tüm Kesme Noktalarını Devre Dışı Bırak",
+ "activateBreakpoints": "Kesme Noktalarını Etkinleştir",
+ "deactivateBreakpoints": "Kesme Noktalarını Devre Dışı Bırak",
+ "reapplyAllBreakpoints": "Tüm Kesme Noktalarını Yeniden Uygula",
+ "addFunctionBreakpoint": "İşlev Kesme Noktası Ekle",
+ "addWatchExpression": "İfade Ekle",
+ "removeAllWatchExpressions": "Tüm İfadeleri Kaldır",
+ "focusSession": "Oturuma Odaklan",
+ "copyValue": "Değeri Kopyala"
+ },
+ "vs/workbench/contrib/debug/browser/debugToolBar": {
+ "debugToolBarBackground": "Hata ayıklama araç çubuğu arka plan rengi.",
+ "debugToolBarBorder": "Hata ayıklama araç çubuğu kenarlık rengi.",
+ "debugIcon.startForeground": "Hata ayıklamayı başlatmak için hata ayıklama araç çubuğu simgesi.",
+ "debugIcon.pauseForeground": "Duraklatmak için hata ayıklama araç çubuğu simgesi.",
+ "debugIcon.stopForeground": "Durdurma için hata ayıklama araç çubuğu simgesi.",
+ "debugIcon.disconnectForeground": "Bağlantıyı kesmek için hata ayıklama araç çubuğu simgesi.",
+ "debugIcon.restartForeground": "Yeniden başlatmak için hata ayıklama araç çubuğu simgesi.",
+ "debugIcon.stepOverForeground": "Üzerinden adımlama için hata ayıklama araç çubuğu simgesi.",
+ "debugIcon.stepIntoForeground": "Adımlama için hata ayıklama araç çubuğu simgesi.",
+ "debugIcon.stepOutForeground": "Üzerinden adımlama için hata ayıklama araç çubuğu simgesi.",
+ "debugIcon.continueForeground": "Devam etmek için hata ayıklama araç çubuğu simgesi.",
+ "debugIcon.stepBackForeground": "Geri adımlama için hata ayıklama araç çubuğu simgesi."
+ },
+ "vs/workbench/contrib/debug/browser/debugService": {
+ "1activeSession": "1 etkin oturum",
+ "nActiveSessions": "{0} etkin oturum",
+ "configurationAlreadyRunning": "\"{0}\" hata ayıklama yapılandırması zaten çalışıyor.",
+ "compoundMustHaveConfigurations": "Birden çok yapılandırmanın başlatılabilmesi için bileşik dosyada \"configurations\" özniteliği ayarlanmış olmalıdır.",
+ "noConfigurationNameInWorkspace": "Çalışma alanında '{0}' başlatma yapılandırması bulunamadı.",
+ "multipleConfigurationNamesInWorkspace": "Çalışma alanında birden çok '{0}' başlatma yapılandırması var. Yapılandırmayı nitelemek için klasör adını kullanın.",
+ "noFolderWithName": "'{2}' bileşik dosyasından '{1}' yapılandırması için '{0}' adlı klasör bulunamıyor.",
+ "configMissing": "'launch.json' içinde '{0}' yapılandırması eksik.",
+ "launchJsonDoesNotExist": "Geçirilen çalışma alanı klasörü için 'launch.json' yok.",
+ "debugRequestNotSupported": "'{0}' özniteliğinin değeri ('{1}'), seçilen hata ayıklama yapılandırmasında desteklenmiyor.",
+ "debugRequesMissing": "Seçilen hata ayıklama yapılandırmasında '{0}' özniteliği eksik.",
+ "debugTypeNotSupported": "Yapılandırılan '{0}' hata ayıklama türü desteklenmiyor.",
+ "debugTypeMissing": "Seçilen başlatma yapılandırması için 'type' özelliği eksik.",
+ "installAdditionalDebuggers": "{0} Uzantısını Yükle",
+ "noFolderWorkspaceDebugError": "Etkin dosyada hata ayıklanamıyor. Dosyanın kaydedildiğinden ve bu dosya türü için yüklü bir hata ayıklama uzantısının yüklü olduğundan emin olun.",
+ "debugAdapterCrash": "Hata ayıklama bağdaştırıcısı işlemi beklenmeyen bir şekilde sonlandırıldı ({0})",
+ "cancel": "İptal",
+ "debuggingPaused": "{0}:{1} üzerinde hata ayıklama işlemi duraklatıldı {2}, {3}",
+ "breakpointAdded": "Kesme noktası eklendi, satır {0}, dosya {1}",
+ "breakpointRemoved": "Kesme noktası kaldırıldı, satır {0}, dosya {1}"
+ },
+ "vs/workbench/contrib/debug/browser/statusbarColorProvider": {
+ "statusBarDebuggingBackground": "Bir programda hata ayıklanırken durum çubuğu arka plan rengi. Durum çubuğu pencerenin altında görüntülenir",
+ "statusBarDebuggingForeground": "Bir programda hata ayıklanırken durum çubuğu ön plan rengi. Durum çubuğu pencerenin altında görüntülenir",
+ "statusBarDebuggingBorder": "Bir programda hata ayıklanırken kenar çubuğunu ve düzenleyiciyi ayıran durum çubuğu kenarlığı rengi. Durum çubuğu pencerenin altında görüntülenir"
+ },
+ "vs/workbench/contrib/debug/browser/debugStatus": {
+ "status.debug": "Hata Ayıkla",
+ "debugTarget": "Hata ayıkla: {0}",
+ "selectAndStartDebug": "Hata ayıklama yapılandırmasını seçin ve başlatın"
+ },
+ "vs/workbench/contrib/debug/browser/debugCommands": {
+ "restartDebug": "Yeniden Başlat",
+ "stepOverDebug": "Üzerinden Adımla",
+ "stepIntoDebug": "Adımla",
+ "stepOutDebug": "Dışarı Adımla",
+ "pauseDebug": "Duraklat",
+ "disconnect": "Bağlantıyı Kes",
+ "stop": "Durdur",
+ "continueDebug": "Devam",
+ "chooseLocation": "Belirli bir konumu seçin",
+ "noExecutableCode": "Geçerli imleç konumunda ilişkili yürütülebilir kod yok.",
+ "jumpToCursor": "İmlece atla",
+ "debug": "Hata Ayıkla",
+ "noFolderDebugConfig": "Gelişmiş hata ayıklama yapılandırması gerçekleştirmek için lütfen önce bir klasör açın.",
+ "addInlineBreakpoint": "Satır İçi Kesme Noktası Ekle"
+ },
+ "vs/workbench/contrib/debug/browser/loadedScriptsView": {
+ "loadedScriptsSession": "Hata Ayıklama Oturumu",
+ "loadedScriptsAriaLabel": "Yüklenmiş Hata Ayıklama Betikleri",
+ "loadedScriptsRootFolderAriaLabel": "{0} çalışma alanı klasörü, betik yüklendi, hata ayıklama",
+ "loadedScriptsSessionAriaLabel": "{0} oturumu, betik yükledi, hata ayıklama",
+ "loadedScriptsFolderAriaLabel": "{0} klasörü, betik yükledi, hata ayıklama",
+ "loadedScriptsSourceAriaLabel": "{0}, betik yüklendi, hata ayıklama"
+ },
+ "vs/workbench/contrib/debug/browser/debugEditorActions": {
+ "toggleBreakpointAction": "Hata Ayıklama: Kesme Noktasını Aç/Kapat",
+ "conditionalBreakpointEditorAction": "Hata Ayıklama: Koşullu Kesme Noktası Ekle...",
+ "logPointEditorAction": "Hata Ayıklama: Günlüğe Kaydetme Noktası Ekle...",
+ "runToCursor": "İmlece Kadar Çalıştır",
+ "evaluateInDebugConsole": "Hata Ayıklama Konsolunda Değerlendir",
+ "addToWatch": "İzlemeye Ekle",
+ "showDebugHover": "Hata Ayıklama: Üzerine Geldiğinde Göster",
+ "stepIntoTargets": "Hedeflere Adımla...",
+ "goToNextBreakpoint": "Hata Ayıklama: Sonraki Kesme Noktasına Git",
+ "goToPreviousBreakpoint": "Hata Ayıklama: Önceki Kesme Noktasına Git",
+ "closeExceptionWidget": "Özel Durum Pencere Öğesini Kapat"
+ },
+ "vs/workbench/contrib/debug/browser/watchExpressionsView": {
+ "editWatchExpression": "İfadeyi Düzenle",
+ "removeWatchExpression": "İfadeyi Kaldır",
+ "watchExpressionInputAriaLabel": "Tür izleme ifadesi",
+ "watchExpressionPlaceholder": "İzlenecek ifade",
+ "watchAriaTreeLabel": "Hata Ayıklama İzleme İfadeleri",
+ "watchExpressionAriaLabel": "{0}, değeri {1}",
+ "watchVariableAriaLabel": "{0}, değeri {1}"
+ },
+ "vs/workbench/contrib/debug/browser/variablesView": {
+ "variableValueAriaLabel": "Yeni değişken değerini yazın",
+ "variablesAriaTreeLabel": "Hata Ayıklama Değişkenleri",
+ "variableScopeAriaLabel": "{0} kapsamı",
+ "variableAriaLabel": "{0}, değeri {1}"
+ },
+ "vs/workbench/contrib/debug/common/debugContentProvider": {
+ "unable": "Kaynak, hata ayıklama oturumu olmadan çözümlenemiyor",
+ "canNotResolveSourceWithError": "'{0}' kaynağı yüklenemedi: {1}.",
+ "canNotResolveSource": "'{0}' kaynağı yüklenemedi."
+ },
+ "vs/workbench/contrib/debug/browser/welcomeView": {
+ "run": "Çalıştır",
+ "openAFileWhichCanBeDebugged": "Üzerinde hata ayıklama gerçekleştirilebilen veya çalıştırılabilen [bir dosya açın](command:{0}).",
+ "runAndDebugAction": "[Çalıştırma ve Hata Ayıklama{0}](command:{1})",
+ "detectThenRunAndDebug": "Tüm otomatik hata ayıklama yapılandırmalarını [gösterin](command:{0}).",
+ "customizeRunAndDebug": "Çalıştırma ve Hata Ayıklama'yı özelleştirmek için [launch.json dosyası oluşturun](command:{0}).",
+ "customizeRunAndDebugOpenFolder": "Çalıştırma ve Hata Ayıklama'yı özelleştirmek için [klasör açın](command:{0}) ve launch.json dosyası oluşturun."
+ },
+ "vs/workbench/contrib/debug/browser/debugQuickAccess": {
+ "noDebugResults": "Eşleşen başlatma yapılandırması yok",
+ "customizeLaunchConfig": "Başlatma Yapılandırmasını Yapılandır",
+ "contributed": "katkıda bulunuldu",
+ "providerAriaLabel": "{0} katkıda bulunulan yapılandırmaları",
+ "configure": "yapılandırma",
+ "addConfigTo": "Yapılandırma Ekle ({0})...",
+ "addConfiguration": "Yapılandırma Ekle..."
+ },
+ "vs/workbench/contrib/debug/browser/debugIcons": {
+ "debugConsoleViewIcon": "Hata ayıklama konsolu görünümünün simgesini görüntüleyin.",
+ "runViewIcon": "Çalıştırma görünümünün simgesini görüntüleyin.",
+ "variablesViewIcon": "Değişkenler görünümünün simgesini görüntüleyin.",
+ "watchViewIcon": "İzleme görünümünün simgesini görüntüleyin.",
+ "callStackViewIcon": "Çağrı yığını görünümünün simgesini görüntüleyin.",
+ "breakpointsViewIcon": "Kesme noktaları görünümünün simgesini görüntüleyin.",
+ "loadedScriptsViewIcon": "Yüklenmiş betikler görünümünün simgesini görüntüleyin.",
+ "debugBreakpoint": "Kesme noktaları için simge.",
+ "debugBreakpointDisabled": "Devre dışı kesme noktaları için simge.",
+ "debugBreakpointUnverified": "Doğrulanmamış kesme noktaları için simge.",
+ "debugBreakpointHint": "Düzenleyici karakter dış boşluğunda üzerine gelindiğinde gösterilen kesme noktası ipuçları için simge.",
+ "debugBreakpointFunction": "İşlev kesme noktaları için simge.",
+ "debugBreakpointFunctionUnverified": "Doğrulanmamış işlev kesme noktaları için simge.",
+ "debugBreakpointFunctionDisabled": "Devre dışı işlev kesme noktaları için simge.",
+ "debugBreakpointUnsupported": "Desteklenmeyen kesme noktaları için simge.",
+ "debugBreakpointConditionalUnverified": "Doğrulanmamış koşullu kesme noktaları için simge.",
+ "debugBreakpointConditional": "Koşullu kesme noktaları için simge.",
+ "debugBreakpointConditionalDisabled": "Devre dışı koşullu kesme noktaları için simge.",
+ "debugBreakpointDataUnverified": "Doğrulanmamış veri kesme noktaları için simge.",
+ "debugBreakpointData": "Veri kesme noktaları için simge.",
+ "debugBreakpointDataDisabled": "Devre dışı veri kesme noktaları için simge.",
+ "debugBreakpointLogUnverified": "Doğrulanmamış günlük kesme noktaları için simge.",
+ "debugBreakpointLog": "Günlük kesme noktaları için simge.",
+ "debugBreakpointLogDisabled": "Devre dışı günlük kesme noktası için simge.",
+ "debugStackframe": "Düzenleyici karakter dış boşluğunda gösterilen stackframe için simge.",
+ "debugStackframeFocused": "Düzenleyici karakter dış boşluğunda gösterilen odaklanmış stackframe için simge.",
+ "debugGripper": "Hata ayıklama çubuğu kavrayıcısı için simge.",
+ "debugRestartFrame": "Hata ayıklama çerçevesini yeniden başlatma eylemi için simge.",
+ "debugStop": "Hata ayıklamayı durdurma eylemi için simge.",
+ "debugDisconnect": "Hata ayıklama bağlantısını kesme eylemi için simge.",
+ "debugRestart": "Hata ayıklamayı yeniden başlatma eylemi için simge.",
+ "debugStepOver": "Hata ayıklamada üzerinden adımlama eylemi için simge.",
+ "debugStepInto": "Hata ayıklamada içeri adımlama eylemi için simge.",
+ "debugStepOut": "Hata ayıklamada dışarı adımlama eylemi için simge.",
+ "debugStepBack": "Hata ayıklamada geri adım atma eylemi için simge.",
+ "debugPause": "Hata ayıklamayı duraklatma eylemi için simge.",
+ "debugContinue": "Hata ayıklamaya devam etme eylemi için simge.",
+ "debugReverseContinue": "Hata ayıklamayı tersine çevirmeye devam etme eylemi için simge.",
+ "debugStart": "Hata ayıklamayı başlatma eylemi için simge.",
+ "debugConfigure": "Hata ayıklama yapılandırması eylemi için simge.",
+ "debugConsole": "Hata ayıklama konsolu açma eylemi için simge.",
+ "debugCollapseAll": "Hata ayıklama görünümlerindeki tümünü daraltma eylemi için simge.",
+ "callstackViewSession": "Çağrı yığını görünümündeki oturum simgesi için simge.",
+ "debugConsoleClearAll": "Hata ayıklama konsolundaki tümünü temizleme eylemi için simge.",
+ "watchExpressionsRemoveAll": "İzleme görünümündeki tümünü kaldırma eylemi için simge.",
+ "watchExpressionsAdd": "İzleme görünümündeki ekleme eylemi için simge.",
+ "watchExpressionsAddFuncBreakpoint": "İzleme görünümündeki işlev kesme noktası ekleme eylemi için simge.",
+ "breakpointsRemoveAll": "Kesme noktaları görünümündeki tümünü kaldırma eylemi için simge.",
+ "breakpointsActivate": "Kesme noktaları görünümündeki etkinleştirme eylemi için simge.",
+ "debugConsoleEvaluationInput": "Hata ayıklama değerlendirmesinin giriş işaretleyicisi için simge.",
+ "debugConsoleEvaluationPrompt": "Hata ayıklama değerlendirme istemi için simge."
+ },
+ "vs/workbench/contrib/debug/browser/exceptionWidget": {
+ "debugExceptionWidgetBorder": "Özel durum pencere öğesi kenarlık rengi.",
+ "debugExceptionWidgetBackground": "Özel durum pencere öğesi arka plan rengi.",
+ "exceptionThrownWithId": "Özel durum oluştu: {0}",
+ "exceptionThrown": "Özel durum oluştu.",
+ "close": "Kapat"
+ },
+ "vs/workbench/contrib/debug/browser/debugHover": {
+ "quickTip": "Düzenleyici dilinin bağlantı vurgusuna geçmek için {0} tuşunu basılı tutun",
+ "treeAriaLabel": "Hata Ayıklama Üzerine Gelme",
+ "variableAriaLabel": "{0}, değeri {1}, değişkenler, hata ayıklama"
+ },
+ "vs/workbench/contrib/debug/browser/breakpointWidget": {
+ "breakpointWidgetLogMessagePlaceholder": "Kesme noktasına isabet edildiğinde günlüğe kaydedilecek ileti. {} içindeki ifadeler ilişkilendirilir. Kabul etmek için 'Enter', iptal etmek için 'Esc' tuşuna basın.",
+ "breakpointWidgetHitCountPlaceholder": "İsabet sayısı koşulu karşılandığında kesin. Kabul etmek için 'Enter', iptal etmek için 'esc' kullanın.",
+ "breakpointWidgetExpressionPlaceholder": "İfade true olarak değerlendirildiğinde kesin. Kabul etmek için 'Enter', iptal etmek için 'esc' kullanın.",
+ "expression": "İfade",
+ "hitCount": "İsabet Sayısı",
+ "logMessage": "Günlük İletisi",
+ "breakpointType": "Kesme Noktası Türü"
+ },
+ "vs/workbench/contrib/debug/browser/debugActionViewItems": {
+ "debugLaunchConfigurations": "Hata Ayıklama Başlatma Yapılandırmaları",
+ "noConfigurations": "Yapılandırma Yok",
+ "addConfigTo": "Yapılandırma Ekle ({0})...",
+ "addConfiguration": "Yapılandırma Ekle...",
+ "debugSession": "Hata Ayıklama Oturumu"
+ },
+ "vs/workbench/contrib/debug/browser/linkDetector": {
+ "fileLinkMac": "Bağlantıyı izlemek için cmd tuşunu basılı tutarak tıklayın",
+ "fileLink": "Bağlantıyı izlemek için Ctrl tuşunu basılı tutarak tıklayın"
+ },
+ "vs/workbench/contrib/debug/browser/replViewer": {
+ "debugConsole": "Hata Ayıklama Konsolu",
+ "replVariableAriaLabel": "{0} değişkeni, {1} değeri",
+ "occurred": ", {0} kez oluştu",
+ "replRawObjectAriaLabel": "Hata ayıklama konsol değişkeni {0}, değer {1}",
+ "replGroup": "{0} konsol grubunda hata ayıklama"
+ },
+ "vs/workbench/contrib/debug/common/replModel": {
+ "consoleCleared": "Konsol temizlendi",
+ "snapshotObj": "Bu nesne için yalnızca temel değerler görüntülenir."
+ },
+ "vs/workbench/contrib/debug/browser/replFilter": {
+ "showing filtered repl lines": "{0} / {1} gösteriliyor"
+ },
+ "vs/workbench/contrib/debug/node/debugAdapter": {
+ "debugAdapterBinNotFound": "Hata ayıklama bağdaştırıcısı yürütülebilir dosyası ('{0}') yok.",
+ "debugAdapterCannotDetermineExecutable": "'{0}' hata ayıklama bağdaştırıcısı için çalıştırılabilir dosya belirlenemiyor.",
+ "unableToLaunchDebugAdapter": "'{0}' konumundan hata ayıklama bağdaştırıcısı başlatılamadı.",
+ "unableToLaunchDebugAdapterNoArgs": "Hata ayıklama bağdaştırıcısı başlatılamadı."
+ },
+ "vs/workbench/contrib/debug/common/debugModel": {
+ "invalidVariableAttributes": "Değişken öznitelikleri geçersiz",
+ "startDebugFirst": "İfadeleri değerlendirmek için lütfen bir hata ayıklama oturumu başlatın",
+ "notAvailable": "kullanılamıyor",
+ "pausedOn": "Şu nedenle duraklatıldı: {0}",
+ "paused": "Duraklatıldı",
+ "running": "Çalışıyor",
+ "breakpointDirtydHover": "Kesme noktası doğrulanmamış. Dosya değiştirildi, lütfen hata ayıklama oturumunu yeniden başlatın."
+ },
+ "vs/workbench/contrib/debug/browser/debugConfigurationManager": {
+ "selectConfiguration": "Başlatma Yapılandırmasını Seçin",
+ "editLaunchConfig": "launch.json içinde Hata Ayıklama Yapılandırmasını düzenle",
+ "DebugConfig.failed": "'.vscode' klasörünün ({0}) içinde 'launch.json' dosyası oluşturulamıyor.",
+ "workspace": "çalışma alanı",
+ "user settings": "kullanıcı ayarları"
+ },
+ "vs/workbench/contrib/debug/browser/debugSession": {
+ "noDebugAdapter": "Kullanılabilir hata ayıklayıcısı yok, '{0}' gönderilemiyor",
+ "sessionNotReadyForBreakpoints": "Oturum kesme noktaları için hazır değil",
+ "debuggingStarted": "Hata ayıklama başlatıldı.",
+ "debuggingStopped": "Hata ayıklama durduruldu."
+ },
+ "vs/workbench/contrib/debug/browser/debugTaskRunner": {
+ "preLaunchTaskErrors": "'{0}' preLaunchTask çalıştırıldıktan sonra hatalar var.",
+ "preLaunchTaskError": "'{0}' preLaunchTask çalıştırıldıktan sonra hata var.",
+ "preLaunchTaskExitCode": "'{0}' preLaunchTask, {1} çıkış kodu ile sonlandırıldı.",
+ "preLaunchTaskTerminated": "'{0}' preLaunchTask sonlandırıldı.",
+ "debugAnyway": "Yine de Hata Ayıkla",
+ "showErrors": "Hataları Göster",
+ "abort": "Durdur",
+ "remember": "Kullanıcı ayarlarındaki seçimimi hatırla",
+ "invalidTaskReference": "Farklı bir çalışma alanı klasöründeki bir başlatma yapılandırmasından '{0}' görevine başvurulamaz.",
+ "DebugTaskNotFoundWithTaskId": "'{0}' görevi bulunamadı.",
+ "DebugTaskNotFound": "Belirtilen görev bulunamadı.",
+ "taskNotTrackedWithTaskId": "Belirtilen görev izlenemiyor.",
+ "taskNotTracked": "'{0}' görevi izlenemiyor."
+ },
+ "vs/workbench/contrib/debug/browser/debugAdapterManager": {
+ "debugNoType": "Hata ayıklayıcının 'type' özelliği atlanamaz ve 'string' türünde olması gerekir.",
+ "more": "Diğer...",
+ "selectDebug": "Ortam Seçin"
+ },
+ "vs/workbench/contrib/debug/common/debugSource": {
+ "unknownSource": "Bilinmeyen Kaynak"
+ },
+ "vs/workbench/contrib/debug/common/debugSchemas": {
+ "vscode.extension.contributes.debuggers": "Hata ayıklama bağdaştırıcılarına katkıda bulunur.",
+ "vscode.extension.contributes.debuggers.type": "Bu hata ayıklama bağdaştırıcısının benzersiz tanımlayıcısı.",
+ "vscode.extension.contributes.debuggers.label": "Bu hata ayıklama bağdaştırıcısı için görünen ad.",
+ "vscode.extension.contributes.debuggers.program": "Hata ayıklama bağdaştırıcısı programının yolu. Yol mutlaktır ya da uzantı klasörüne görelidir.",
+ "vscode.extension.contributes.debuggers.args": "Bağdaştırıcıya geçirilecek isteğe bağlı bağımsız değişkenler.",
+ "vscode.extension.contributes.debuggers.runtime": "Program özniteliğinin yürütülebilir dosya olmadığı ancak çalışma zamanı gerektirdiği durumlarda isteğe bağlı çalışma zamanı.",
+ "vscode.extension.contributes.debuggers.runtimeArgs": "İsteğe bağlı çalışma zamanı bağımsız değişkenleri.",
+ "vscode.extension.contributes.debuggers.variables": "`launch.json` içindeki etkileşimli değişkenlerden (örneğin, ${action.pickProcess}) bir komuta eşleme.",
+ "vscode.extension.contributes.debuggers.initialConfigurations": "İlk 'launch.json' dosyasını oluşturma yapılandırmaları.",
+ "vscode.extension.contributes.debuggers.languages": "Hata ayıklama uzantısının \"varsayılan hata ayıklayıcı\" olarak kabul edildiği dillerin listesi.",
+ "vscode.extension.contributes.debuggers.configurationSnippets": "'launch.json' içinde yeni yapılandırmalar eklemek için parçacıklar.",
+ "vscode.extension.contributes.debuggers.configurationAttributes": "'launch.json' doğrulaması için JSON şema yapılandırmaları.",
+ "vscode.extension.contributes.debuggers.windows": "Windows'a özgü ayarlar.",
+ "vscode.extension.contributes.debuggers.windows.runtime": "Windows için kullanılan çalışma zamanı.",
+ "vscode.extension.contributes.debuggers.osx": "macOS'ye özgü ayarlar.",
+ "vscode.extension.contributes.debuggers.osx.runtime": "macOS için kullanılan çalışma zamanı.",
+ "vscode.extension.contributes.debuggers.linux": "Linux'a özgü ayarlar.",
+ "vscode.extension.contributes.debuggers.linux.runtime": "Linux için kullanılan çalışma zamanı.",
+ "vscode.extension.contributes.breakpoints": "Kesme noktalarına katkıda bulunur.",
+ "vscode.extension.contributes.breakpoints.language": "Bu dil için kesme noktalarına izin verin.",
+ "presentation": "Bu yapılandırmanın hata ayıklama yapılandırması açılan kutusunda ve komut paletinde nasıl gösterileceğine yönelik sunu seçenekleri.",
+ "presentation.hidden": "Bu yapılandırmanın, yapılandırma açılan listesi ve komut paletinde gösterilip gösterilmeyeceğini denetler.",
+ "presentation.group": "Bu yapılandırmanın ait olduğu grup. Yapılandırma açılan menüsünde ve komut paletinde gruplandırma ve sıralama için kullanılır.",
+ "presentation.order": "Bu yapılandırmanın bir grup içindeki sırası. Yapılandırma açılan menüsünde ve komut paletinde gruplandırma ve sıralama için kullanılır.",
+ "app.launch.json.title": "Başlat",
+ "app.launch.json.version": "Bu dosya biçiminin sürümü.",
+ "app.launch.json.configurations": "Yapılandırma listesi. IntelliSense kullanarak yeni yapılandırmalar ekleyin veya mevcut yapılandırmaları düzenleyin.",
+ "app.launch.json.compounds": "Bileşik dosyalar listesi. Her bileşik dosya, birlikte başlatılacak birden çok yapılandırmaya başvurur.",
+ "app.launch.json.compound.name": "Bileşik dosyanın adı. Başlatma yapılandırması açılır menüsünde görünür.",
+ "useUniqueNames": "Lütfen benzersiz yapılandırma adları kullanın.",
+ "app.launch.json.compound.folder": "Bileşik dosyanın bulunduğu klasörün adı.",
+ "app.launch.json.compounds.configurations": "Bu bileşik dosyanın bir parçası olarak başlatılacak olan yapılandırmaların adları.",
+ "app.launch.json.compound.stopAll": "Bir oturumu el ile sonlandırmanın tüm bileşik oturumları durdurup durdurmayacağını denetler.",
+ "compoundPrelaunchTask": "Bileşik yapılandırmalar başlamadan önce çalıştırılacak görev."
+ },
+ "vs/workbench/contrib/debug/browser/rawDebugSession": {
+ "noDebugAdapterStart": "Hata ayıklama bağdaştırıcısı yok, hata ayıklama oturumu başlatılamıyor.",
+ "noDebugAdapter": "Kullanılabilir hata ayıklayıcısı bulunamadı. '{0}' gönderilemiyor.",
+ "moreInfo": "Daha Fazla Bilgi"
+ },
+ "vs/workbench/contrib/debug/common/debugger": {
+ "cannot.find.da": "'{0}' türü için hata ayıklama bağdaştırıcısı bulunamıyor.",
+ "launch.config.comment1": "Olası öznitelikler hakkında bilgi edinmek için IntelliSense kullanın.",
+ "launch.config.comment2": "Mevcut özniteliklerin açıklamalarını görüntülemek için üzerine gelin.",
+ "launch.config.comment3": "Daha fazla bilgi için şu adresi ziyaret edin: {0}",
+ "debugType": "Yapılandırma türü.",
+ "debugTypeNotRecognised": "Hata ayıklama türü tanınmıyor. İlgili bir hata ayıklama uzantısının yüklü olduğundan ve etkin olduğundan emin olun.",
+ "node2NotSupported": "\"node2\" artık desteklenmiyor, bunun yerine \"node\" kullanın ve \"protocol\" özniteliğini \"inspector\" olarak ayarlayın.",
+ "debugName": "Yapılandırmanın adı; başlatma yapılandırması açılır menüsünde görünür.",
+ "debugRequest": "Yapılandırmanın istek türü. \"launch\" veya \"attach\" olabilir.",
+ "debugServer": "Yalnızca hata ayıklama uzantısı geliştirme için: Bağlantı noktası belirtilirse VS Code sunucu modunda çalışan bir hata ayıklama bağdaştırıcısına bağlanmaya çalışır",
+ "debugPrelaunchTask": "Hata ayıklama oturumu başlamadan önce çalıştırılacak görev.",
+ "debugPostDebugTask": "Hata ayıklama oturumu bittikten sonra çalıştırılacak görev.",
+ "debugWindowsConfiguration": "Windows'un belirli başlatma yapılandırması öznitelikleri.",
+ "debugOSXConfiguration": "OS X'e özgü başlatma yapılandırması öznitelikleri.",
+ "debugLinuxConfiguration": "Linux'a özgü başlatma yapılandırması öznitelikleri."
+ },
+ "vs/workbench/contrib/dialogs/browser/dialogHandler": {
+ "yesButton": "&&Evet",
+ "cancelButton": "İptal",
+ "aboutDetail": "Sürüm: {0}\r\nCommit: {1}\r\nTarih: {2}\r\nTarayıcı: {3}",
+ "copy": "Kopyala",
+ "ok": "Tamam"
+ },
+ "vs/workbench/contrib/dialogs/electron-sandbox/dialogHandler": {
+ "yesButton": "&&Evet",
+ "cancelButton": "İptal",
+ "aboutDetail": "Sürüm: {0}\r\nCommit: {1}\r\nTarih: {2}\r\nElectron: {3}\r\nGrafik Öğeler: {4}\r\nNode.js: {5}\r\nV8: {6}\r\nİşletim Sistemi: {7}",
+ "okButton": "Tamam",
+ "copy": "&&Kopyala"
+ },
+ "vs/workbench/contrib/emmet/browser/actions/expandAbbreviation": {
+ "expandAbbreviationAction": "Emmet: Kısaltmayı Genişlet",
+ "miEmmetExpandAbbreviation": "Emmet: Kısaltmayı Geniş&&let"
+ },
+ "vs/workbench/contrib/experiments/browser/experiments.contribution": {
+ "workbench.enableExperiments": "Çalıştırılacak denemeleri bir Microsoft çevrimiçi hizmetinden getirir."
+ },
+ "vs/workbench/contrib/extensions/electron-browser/extensions.contribution": {
+ "runtimeExtension": "Uzantılar Çalıştırılıyor"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/runtimeExtensionsEditor": {
+ "extensionHostProfileStart": "Uzantı Konağı Profilini Başlat",
+ "stopExtensionHostProfileStart": "Uzantı Konağı Profilini Durdur",
+ "saveExtensionHostProfile": "Uzantı Konağı Profilini Kaydet"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/debugExtensionHostAction": {
+ "debugExtensionHost": "Uzantı Konağında Hata Ayıklamaya Başla",
+ "restart1": "Profil Uzantıları",
+ "restart2": "Uzantıların profilini oluşturmak için yeniden başlatma gerekir. '{0}' uzantısını şimdi yeniden başlatmak istiyor musunuz?",
+ "restart3": "&&Yeniden Başlat",
+ "cancel": "İp&&tal",
+ "debugExtensionHost.launch.name": "Uzantı Konağı Ekle"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/extensionProfileService": {
+ "profilingExtensionHost": "Uzantı Konağının Profili Oluşturuluyor",
+ "selectAndStartDebug": "Profil oluşturmayı durdurmak için tıklayın.",
+ "profilingExtensionHostTime": "Uzantı Konağının Profili Oluşturuluyor ({0} sn)",
+ "status.profiler": "Uzantı Profil Oluşturucusu",
+ "restart1": "Profil Uzantıları",
+ "restart2": "Uzantıların profilini oluşturmak için yeniden başlatma gerekir. '{0}' uzantısını şimdi yeniden başlatmak istiyor musunuz?",
+ "restart3": "&&Yeniden Başlat",
+ "cancel": "İp&&tal"
+ },
+ "vs/workbench/contrib/extensions/common/runtimeExtensionsInput": {
+ "extensionsInputName": "Uzantılar Çalıştırılıyor"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/extensionsAutoProfiler": {
+ "unresponsive-exthost": "'{0}' uzantısının son işlemini tamamlaması çok uzun sürdü ve bu, diğer uzantıların çalışmasını engelledi.",
+ "show": "Uzantıları Göster"
+ },
+ "vs/workbench/contrib/extensions/electron-sandbox/extensionsActions": {
+ "openExtensionsFolder": "Uzantılar Klasörünü Aç"
+ },
+ "vs/workbench/contrib/extensions/browser/extensions.contribution": {
+ "manageExtensionsQuickAccessPlaceholder": "Uzantıları yönetmek için Enter tuşuna basın.",
+ "manageExtensionsHelp": "Uzantıları Yönet",
+ "installVSIX": "Uzantı VSIX'i yükle",
+ "extension": "Uzantı",
+ "extensions": "Uzantılar",
+ "extensionsConfigurationTitle": "Uzantılar",
+ "extensionsAutoUpdate": "Etkinleştirildiğinde, uzantılar için güncelleştirmeleri otomatik olarak yükler. Güncelleştirmeler bir Microsoft çevrimiçi hizmetinden getirilir.",
+ "extensionsCheckUpdates": "Etkinleştirildiğinde, güncelleştirmelerin uzantılarını otomatik olarak denetler. Bir uzantıya yönelik güncelleştirme varsa uzantı, Uzantılar görünümünde olarak işaretlenir. Güncelleştirmeler bir Microsoft çevrimiçi hizmetinden getirilir.",
+ "extensionsIgnoreRecommendations": "Etkinleştirildiğinde, uzantı önerileri bildirimleri gösterilmez.",
+ "extensionsShowRecommendationsOnlyOnDemand_Deprecated": "Bu ayar kullanım dışı. Öneri bildirimlerini denetlemek için extensions.ignoreRecommendations ayarını kullanın. Önerilen görünümü varsayılan olarak gizlemek için Uzantılar görünümünün görünürlük eylemlerini kullanın.",
+ "extensionsCloseExtensionDetailsOnViewChange": "Etkinleştirildiğinde, uzantı ayrıntılarını içeren düzenleyiciler, Uzantılar Görünümünden uzaklaşıldığında otomatik olarak kapatılır.",
+ "handleUriConfirmedExtensions": "Bir uzantı burada listelendiğinde, uzantı bir URI'yi işlediğinde bir onay istemi görüntülenmez.",
+ "extensionsWebWorker": "Web çalışanı uzantı konağını etkinleştir.",
+ "workbench.extensions.installExtension.description": "Verili uzantıyı yükle",
+ "workbench.extensions.installExtension.arg.name": "Uzantı kimliği veya VSIX kaynağı URI'si",
+ "notFound": "'{0}' uzantısı bulunamadı.",
+ "InstallVSIXAction.successReload": "VSIX'ten {0} uzantısının yüklenmesi tamamlandı. Etkinleştirmek için lütfen Visual Studio Code'u yeniden yükleyin.",
+ "InstallVSIXAction.success": "VSIX'ten {0} uzantısının yüklenmesi tamamlandı.",
+ "InstallVSIXAction.reloadNow": "Şimdi Yeniden Yükle",
+ "workbench.extensions.uninstallExtension.description": "Belirtilen uzantıyı kaldır",
+ "workbench.extensions.uninstallExtension.arg.name": "Kaldırılacak uzantının kimliği",
+ "id required": "Uzantı kimliği gerekiyor.",
+ "notInstalled": "'{0}' uzantısı yüklü değil. Yayımcı da dahil olmak üzere tam uzantı kimliğini kullandığınızdan emin olun; örneğin: ms-dotnettools.csharp.",
+ "builtin": "'{0}' uzantısı Yerleşik bir uzantı olduğundan yüklenemez",
+ "workbench.extensions.search.description": "Belirli bir uzantıyı arayın",
+ "workbench.extensions.search.arg.name": "Aramada kullanılacak sorgu",
+ "miOpenKeymapExtensions": "&&Tuş eşlemeleri",
+ "miOpenKeymapExtensions2": "Tuş eşlemeleri",
+ "miPreferencesExtensions": "&&Uzantılar",
+ "miViewExtensions": "&&Uzantılar",
+ "showExtensions": "Uzantılar",
+ "installExtensionQuickAccessPlaceholder": "Yüklenecek veya aranacak uzantının adını yazın.",
+ "installExtensionQuickAccessHelp": "Uzantıları Yükle veya Ara",
+ "workbench.extensions.action.copyExtension": "Kopyala",
+ "extensionInfoName": "Ad: {0}",
+ "extensionInfoId": "Kimlik: {0}",
+ "extensionInfoDescription": "Açıklama: {0}",
+ "extensionInfoVersion": "Sürüm: {0}",
+ "extensionInfoPublisher": "Yayımcı: {0}",
+ "extensionInfoVSMarketplaceLink": "VS Market bağlantısı: {0}",
+ "workbench.extensions.action.copyExtensionId": "Uzantı Kimliğini Kopyala",
+ "workbench.extensions.action.configure": "Uzantı Ayarları",
+ "workbench.extensions.action.toggleIgnoreExtension": "Bu Uzantıyı Eşitle",
+ "workbench.extensions.action.ignoreRecommendation": "Öneriyi Yoksay",
+ "workbench.extensions.action.undoIgnoredRecommendation": "Yoksayılan Öneriyi Geri Al",
+ "workbench.extensions.action.addExtensionToWorkspaceRecommendations": "Çalışma Alanına Ekleme Önerileri",
+ "workbench.extensions.action.removeExtensionFromWorkspaceRecommendations": "Çalışma Alanı Önerilerinden Kaldır",
+ "workbench.extensions.action.addToWorkspaceRecommendations": "Çalışma Alanına Uzantı Ekleme Önerileri",
+ "workbench.extensions.action.addToWorkspaceFolderRecommendations": "Çalışma Alanı Klasörüne Uzantı Ekleme Önerileri",
+ "workbench.extensions.action.addToWorkspaceIgnoredRecommendations": "Çalışma Alanına Uzantı Ekleme Yoksayılan Önerileri",
+ "workbench.extensions.action.addToWorkspaceFolderIgnoredRecommendations": "Çalışma Alanı Klasörüne Uzantı Ekleme Yoksayılan Önerileri"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsViewlet": {
+ "installed": "Yüklü",
+ "popularExtensions": "Popüler",
+ "recommendedExtensions": "Önerilen",
+ "enabledExtensions": "Etkin",
+ "disabledExtensions": "Devre Dışı",
+ "marketPlace": "Market",
+ "enabled": "Etkin",
+ "disabled": "Devre Dışı",
+ "outdated": "Süresi Geçmiş",
+ "builtin": "Yerleşik",
+ "workspaceRecommendedExtensions": "Çalışma Alanı Önerileri",
+ "otherRecommendedExtensions": "Diğer Öneriler",
+ "builtinFeatureExtensions": "Özellikler",
+ "builtInThemesExtensions": "Temalar",
+ "builtinProgrammingLanguageExtensions": "Programlama Dilleri",
+ "sort by installs": "Yükleme Sayısı",
+ "sort by rating": "Derecelendirme",
+ "sort by name": "Ad",
+ "sort by date": "Yayımlanma Tarihi",
+ "searchExtensions": "Markette Uzantı Ara",
+ "builtin filter": "Yerleşik",
+ "installed filter": "Yüklü",
+ "enabled filter": "Etkin",
+ "disabled filter": "Devre Dışı",
+ "outdated filter": "Süresi Geçmiş",
+ "featured filter": "Öne Çıkanlar",
+ "most popular filter": "En Popüler",
+ "most popular recommended": "Önerilen",
+ "recently published filter": "Son Yayımlanan",
+ "filter by category": "Kategori",
+ "sorty by": "Sıralama Ölçütü",
+ "filterExtensions": "Uzantıları Filtrele...",
+ "extensionFoundInSection": "{0} bölümünde 1 uzantı bulundu.",
+ "extensionFound": "1 uzantı bulundu.",
+ "extensionsFoundInSection": "{1} bölümünde {0} uzantı bulundu.",
+ "extensionsFound": "{0} uzantı bulundu.",
+ "suggestProxyError": "Market 'ECONNREFUSED' döndürdü. Lütfen 'http.proxy' ayarını denetleyin.",
+ "open user settings": "Kullanıcı Ayarlarını Aç",
+ "outdatedExtensions": "{0} Tarihi Geçmiş Uzantı",
+ "malicious warning": "Sorunlu olduğu bildirilen '{0}' öğesini kaldırdık.",
+ "reloadNow": "Şimdi Yeniden Yükle"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/extensionsSlowActions": {
+ "cmd.reportOrShow": "Performans Sorunu",
+ "cmd.report": "Sorun Raporla",
+ "attach.title": "CPU Profilini eklediniz mi?",
+ "ok": "Tamam",
+ "attach.msg": "Bu, '{0}' öğesini az önce oluşturduğunuz soruna eklemeyi unutmadığınızdan emin olmak için gönderilen bir hatırlatmadır.",
+ "cmd.show": "Sorunları Göster",
+ "attach.msg2": "Bu, '{0}' öğesini mevcut bir performans sorununa eklemeyi unutmadığınızdan emin olmak için gönderilen bir hatırlatmadır."
+ },
+ "vs/workbench/contrib/extensions/electron-browser/reportExtensionIssueAction": {
+ "reportExtensionIssue": "Sorun Raporla"
+ },
+ "vs/workbench/contrib/extensions/browser/abstractRuntimeExtensionsEditor": {
+ "starActivation": "Başlangıçta {0} tarafından etkinleştirildi",
+ "workspaceContainsGlobActivation": "Çalışma alanınızda {1} ile eşleşen bir dosya mevcut olduğundan {1} tarafından etkinleştirildi",
+ "workspaceContainsFileActivation": "{0} dosya çalışma alanınızda mevcut olduğundan {1} tarafından etkinleştirildi",
+ "workspaceContainsTimeout": "{0} araması çok uzun sürdüğü için {1} tarafından etkinleştirildi",
+ "startupFinishedActivation": "Başlatma işlemi tamamlandıktan sonra {0} tarafından etkinleştirildi",
+ "languageActivation": "Bir {0} dosyası açtığınız için {1} tarafından etkinleştirildi",
+ "workspaceGenericActivation": "{1} tarafından {0} üzerinde etkinleştirildi",
+ "unresponsive.title": "Uzantı, uzantı konağının kilitlenmesine neden oldu.",
+ "errors": "{0} yakalanmayan hata",
+ "runtimeExtensions": "Çalışma Zamanı Uzantıları",
+ "disable workspace": "Devre Dışı Bırak (Çalışma Alanı)",
+ "disable": "Devre Dışı Bırak",
+ "showRuntimeExtensions": "Çalışan Uzantıları Göster"
+ },
+ "vs/workbench/contrib/extensions/common/extensionsInput": {
+ "extensionsInputName": "Uzantı : {0}"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsActions": {
+ "noOfYearsAgo": "{0} yıl önce",
+ "one year ago": "1 yıl önce",
+ "noOfMonthsAgo": "{0} ay önce",
+ "one month ago": "1 ay önce",
+ "noOfDaysAgo": "{0} gün önce",
+ "one day ago": "1 gün önce",
+ "noOfHoursAgo": "{0} saat önce",
+ "one hour ago": "1 saat önce",
+ "just now": "Hemen şimdi",
+ "update operation": "'{0}' uzantısı güncelleştirilirken hata oluştu.",
+ "install operation": "'{0}' uzantısı yüklenirken hata oluştu.",
+ "download": "Kendiniz İndirmeyi Deneyin...",
+ "install vsix": "İndirildikten sonra lütfen VSIX '{0}' öğesini el ile yükleyin.",
+ "check logs": "Daha fazla ayrıntı için lütfen [günlükleri]({0}) denetleyin.",
+ "installExtensionStart": "{0} uzantısını yükleme işlemi başladı. Bu uzantı hakkında daha fazla ayrıntı sunan bir düzenleyici şu anda açık durumda",
+ "installExtensionComplete": "{0} uzantısını yükleme işlemi tamamlandı.",
+ "install": "Yükle",
+ "install and do no sync": "Yükle (Eşitleme)",
+ "install in remote and do not sync": "{0} sunucusuna yükle (Eşitleme)",
+ "install in remote": "{0} sunucusuna yükle",
+ "install locally and do not sync": "Yerel Olarak Yükle (Eşitleme)",
+ "install locally": "Yerel Olarak Yükle",
+ "install everywhere tooltip": "Bu uzantıyı eşitlenen tüm {0} örneklerinizde yükleyin",
+ "installing": "Yükleniyor",
+ "install browser": "Tarayıcıda Yükle",
+ "uninstallAction": "Kaldır",
+ "Uninstalling": "Kaldırılıyor",
+ "uninstallExtensionStart": "{0} uzantısını kaldırma başladı.",
+ "uninstallExtensionComplete": "{0} uzantısını kaldırma işlemini tamamlamak için lütfen Visual Studio Code'u yeniden yükleyin.",
+ "updateExtensionStart": "{0} uzantısını {1} sürümüne güncelleştirme başladı.",
+ "updateExtensionComplete": "{0} uzantısını {1} sürümüne güncelleştirme tamamlandı.",
+ "updateTo": "{0} sürümüne güncelleştir",
+ "updateAction": "Güncelleştir",
+ "manage": "Yönet",
+ "ManageExtensionAction.uninstallingTooltip": "Kaldırılıyor",
+ "install another version": "Başka Sürüm Yükle...",
+ "selectVersion": "Yüklenecek Sürümü Seç",
+ "current": "Geçerli",
+ "enableForWorkspaceAction": "Etkinleştir (Çalışma Alanı)",
+ "enableForWorkspaceActionToolTip": "Bu uzantıyı yalnızca bu çalışma alanında etkinleştir",
+ "enableGloballyAction": "Etkinleştir",
+ "enableGloballyActionToolTip": "Bu uzantıyı etkinleştir",
+ "disableForWorkspaceAction": "Devre Dışı Bırak (Çalışma Alanı)",
+ "disableForWorkspaceActionToolTip": "Bu uzantıyı yalnızca bu çalışma alanında devre dışı bırak",
+ "disableGloballyAction": "Devre Dışı Bırak",
+ "disableGloballyActionToolTip": "Bu uzantıyı devre dışı bırak",
+ "enableAction": "Etkinleştir",
+ "disableAction": "Devre Dışı Bırak",
+ "checkForUpdates": "Uzantı Güncelleştirmelerini Denetle",
+ "noUpdatesAvailable": "Tüm uzantılar güncel.",
+ "singleUpdateAvailable": "Bir uzantı güncelleştirmesi var.",
+ "updatesAvailable": "{0} uzantı güncelleştirmesi var.",
+ "singleDisabledUpdateAvailable": "Devre dışı bırakılmış bir uzantıya yönelik bir güncelleştirme var.",
+ "updatesAvailableOneDisabled": "{0} uzantı güncelleştirmesi var. Bunların biri devre dışı bırakılmış bir uzantı için.",
+ "updatesAvailableAllDisabled": "{0} uzantı güncelleştirmesi var. Bunların tümü devre dışı bırakılmış uzantılar için.",
+ "updatesAvailableIncludingDisabled": "{0} uzantı güncelleştirmesi var. Bunların {1} tanesi devre dışı bırakılmış uzantılar için.",
+ "enableAutoUpdate": "Otomatik Güncelleştirme Uzantılarını Etkinleştir",
+ "disableAutoUpdate": "Otomatik Güncelleştirme Uzantılarını Devre Dışı Bırak",
+ "updateAll": "Tüm Uzantıları Güncelleştir",
+ "reloadAction": "Yeniden Yükle",
+ "reloadRequired": "Yeniden Yükleme Gerekiyor",
+ "postUninstallTooltip": "Bu uzantının kaldırılmasını tamamlamak için lütfen Visual Studio Code'u yeniden yükleyin.",
+ "postUpdateTooltip": "Güncelleştirilmiş uzantıyı etkinleştirmek için lütfen Visual Studio Code'u yeniden yükleyin.",
+ "enable locally": "Bu uzantıyı yerel olarak etkinleştirmek için lütfen Visual Studio Code'u yeniden yükleyin.",
+ "enable remote": "{0} içindeki bu uzantıyı etkinleştirmek için lütfen Visual Studio Code'u yeniden yükleyin.",
+ "postEnableTooltip": "Bu uzantıyı etkinleştirmek için lütfen Visual Studio Code'u yeniden yükleyin.",
+ "postDisableTooltip": "Bu uzantıyı devre dışı bırakmak için lütfen Visual Studio Code'u yeniden yükleyin.",
+ "installExtensionCompletedAndReloadRequired": "{0} uzantısını yükleme işlemi tamamlandı. Etkinleştirmek için lütfen Visual Studio Code'u yeniden yükleyin.",
+ "color theme": "Renk Temasını Ayarla",
+ "select color theme": "Renk Teması Seç",
+ "file icon theme": "Dosya Simgesi Temasını Ayarla",
+ "select file icon theme": "Dosya Simgesi Temasını Seç",
+ "product icon theme": "Ürün Simgesi Temasını Ayarla",
+ "select product icon theme": "Ürün Simgesi Temasını Seç",
+ "toggleExtensionsViewlet": "Uzantıları Göster",
+ "installExtensions": "Uzantıları Yükle",
+ "showEnabledExtensions": "Etkinleştirilmiş Uzantıları Göster",
+ "showInstalledExtensions": "Yüklü Uzantıları Göster",
+ "showDisabledExtensions": "Devre Dışı Bırakılmış Uzantıları Göster",
+ "clearExtensionsSearchResults": "Uzantı Arama Sonuçlarını Temizle",
+ "refreshExtension": "Yenile",
+ "showBuiltInExtensions": "Yerleşik Uzantıları Göster",
+ "showOutdatedExtensions": "Tarihi Geçmiş Uzantıları Göster",
+ "showPopularExtensions": "Popüler Uzantıları Göster",
+ "recentlyPublishedExtensions": "Son Yayımlanan Uzantılar",
+ "showRecommendedExtensions": "Önerilen Uzantıları Göster",
+ "showRecommendedExtension": "Önerilen Uzantıyı Göster",
+ "installRecommendedExtension": "Önerilen Uzantıyı Yükle",
+ "ignoreExtensionRecommendation": "Bu uzantıyı bir daha önerme",
+ "undo": "Geri Al",
+ "showRecommendedKeymapExtensionsShort": "Tuş eşlemeleri",
+ "showLanguageExtensionsShort": "Dil Uzantıları",
+ "search recommendations": "Uzantı Ara",
+ "OpenExtensionsFile.failed": "'.vscode' klasörünün içinde 'extensions.json' dosyası oluşturulamıyor ({0}).",
+ "configureWorkspaceRecommendedExtensions": "Önerilen Uzantıları Yapılandır (Çalışma Alanı)",
+ "configureWorkspaceFolderRecommendedExtensions": "Önerilen Uzantıları Yapılandır (Çalışma Alanı Klasörü)",
+ "updated": "Güncelleştirildi",
+ "installed": "Yüklü",
+ "uninstalled": "Kaldırıldı",
+ "enabled": "Etkin",
+ "disabled": "Devre Dışı",
+ "malicious tooltip": "Bu uzantının sorunlu olduğu bildirildi.",
+ "malicious": "Kötü Amaçlı",
+ "ignored": "Bu uzantı, eşitleme sırasında yoksayılıyor",
+ "synced": "Bu uzantı eşitlendi",
+ "sync": "Bu uzantıyı eşitle",
+ "do not sync": "Bu uzantıyı eşitleme",
+ "extension enabled on remote": "Uzantı '{0}' üzerinde etkinleştirildi",
+ "globally enabled": "Bu uzantı, genel olarak etkinleştirildi.",
+ "workspace enabled": "Bu uzantı, kullanıcı tarafından bu çalışma alanında etkinleştirildi.",
+ "globally disabled": "Bu uzantı, kullanıcı tarafından genel olarak devre dışı bırakıldı.",
+ "workspace disabled": "Bu uzantı, kullanıcı tarafından bu çalışma alanında devre dışı bırakıldı.",
+ "Install language pack also in remote server": "Dil paketi uzantısını, '{0}' üzerine yükleyip burada da etkinleştirin.",
+ "Install language pack also locally": "Dil paketi uzantısını, yerel olarak yükleyin burada da etkinleştirin.",
+ "Install in other server to enable": "Etkinleştirmek için uzantıyı '{0}' üzerine yükleyin.",
+ "disabled because of extension kind": "Bu uzantı, uzak sunucuda çalışamayacak şekilde tanımlandı",
+ "disabled locally": "Uzantı '{0}' üzerinde etkinleştirildi ve yerel olarak devre dışı bırakıldı.",
+ "disabled remotely": "Uzantı yerel olarak etkinleştirildi ve '{0}' üzerinde devre dışı bırakıldı.",
+ "disableAll": "Tüm Yüklü Uzantıları Devre Dışı Bırak",
+ "disableAllWorkspace": "Bu Çalışma Alanı için Tüm Yüklü Uzantıları Devre Dışı Bırak",
+ "enableAll": "Tüm Uzantıları Etkinleştir",
+ "enableAllWorkspace": "Bu Çalışma Alanı için Tüm Uzantıları Etkinleştir",
+ "installVSIX": "VSIX'ten Yükle...",
+ "installFromVSIX": "VSIX'ten Yükle",
+ "installButton": "&&Yükle",
+ "reinstall": "Uzantıyı Yeniden Yükle...",
+ "selectExtensionToReinstall": "Yeniden Yüklenecek Uzantıyı Seç",
+ "ReinstallAction.successReload": "{0} uzantısını yeniden yükleme işlemini tamamlamak için lütfen Visual Studio Code'u yeniden yükleyin.",
+ "ReinstallAction.success": "{0} uzantısını yeniden yükleme işlemi tamamlandı.",
+ "InstallVSIXAction.reloadNow": "Şimdi Yeniden Yükle",
+ "install previous version": "Uzantının Belirli Sürümünü Yükle...",
+ "selectExtension": "Uzantı Seç",
+ "InstallAnotherVersionExtensionAction.successReload": "{0} uzantısını yüklemeyi tamamlamak için lütfen Visual Studio Code'u yeniden yükleyin.",
+ "InstallAnotherVersionExtensionAction.success": "{0} uzantısını yükleme işlemi tamamlandı.",
+ "InstallAnotherVersionExtensionAction.reloadNow": "Şimdi Yeniden Yükle",
+ "select extensions to install": "Yüklenecek uzantıları seçin",
+ "no local extensions": "Yüklenecek uzantı yok.",
+ "installing extensions": "Uzantılar Yükleniyor...",
+ "finished installing": "Uzantılar başarıyla yüklendi.",
+ "select and install local extensions": "Yerel Uzantıları '{0}' İçine Yükle...",
+ "install local extensions title": "Yerel Uzantıları '{0}' İçine Yükle",
+ "select and install remote extensions": "Uzak Uzantıları Yerel Olarak Yükle...",
+ "install remote extensions": "Uzak Uzantıları Yerel Olarak Yükle",
+ "extensionButtonProminentBackground": "Öne çıkan eylemler uzantısı (örneğin yükleme düğmesi) için düğme arka plan rengi.",
+ "extensionButtonProminentForeground": "Öne çıkan eylemler uzantısı (örneğin yükleme düğmesi) için düğme ön plan rengi.",
+ "extensionButtonProminentHoverBackground": "Öne çıkan eylemler uzantısı (örneğin yükleme düğmesi) için düğme üzerinde gezinme rengi."
+ },
+ "vs/workbench/contrib/extensions/common/extensionsFileTemplate": {
+ "app.extensions.json.title": "Uzantılar",
+ "app.extensions.json.recommendations": "Bu çalışma alanının kullanıcıları için önerilen uzantıların listesi. Bir uzantının tanımlayıcısı her zaman '${publisher}.${name}'. Örneğin: 'vscode.csharp'.",
+ "app.extension.identifier.errorMessage": "'${publisher}.${name}' biçimi bekleniyordu. Örnek: 'vscode.csharp'.",
+ "app.extensions.json.unwantedRecommendations": "Bu çalışma alanının kullanıcıları için önerilmemesi gereken ancak VS Code tarafından önerilen uzantıların listesi. Bir uzantının tanımlayıcısı her zaman '${publisher}.${name}' şeklindedir. Örneğin: 'vscode.csharp'."
+ },
+ "vs/workbench/contrib/extensions/browser/extensionEditor": {
+ "name": "Uzantı adı",
+ "extension id": "Uzantı tanımlayıcısı",
+ "preview": "Önizleme",
+ "builtin": "Yerleşik",
+ "publisher": "Yayımcı adı",
+ "install count": "Yükleme sayısı",
+ "rating": "Derecelendirme",
+ "repository": "Depo",
+ "license": "Lisans",
+ "version": "Sürüm",
+ "details": "Ayrıntılar",
+ "detailstooltip": "Uzantı ayrıntıları, uzantının 'README.md' dosyasından işlendi",
+ "contributions": "Özellik Katkıları",
+ "contributionstooltip": "Bu uzantı tarafından VS Code'a yapılan katkıları listeler",
+ "changelog": "Değişim Günlüğü",
+ "changelogtooltip": "Uzantı güncelleştirme geçmişi, uzantının 'CHANGELOG.md' dosyasından işlendi",
+ "dependencies": "Bağımlılıklar",
+ "dependenciestooltip": "Bu uzantının bağımlı olduğu uzantıları listeler",
+ "recommendationHasBeenIgnored": "Bu uzantı için öneri almamayı seçtiniz.",
+ "noReadme": "BENIOKU yok.",
+ "extension pack": "Uzantı Paketi ({0})",
+ "noChangelog": "Kullanılabilir Değişim Günlüğü yok.",
+ "noContributions": "Katkı Yok",
+ "noDependencies": "Bağımlılık Yok",
+ "settings": "Ayarlar ({0})",
+ "setting name": "Ad",
+ "description": "Açıklama",
+ "default": "Varsayılan",
+ "debuggers": "Hata Ayıklayıcılar ({0})",
+ "debugger name": "Ad",
+ "debugger type": "Tür",
+ "viewContainers": "Kapsayıcıları Görüntüle ({0})",
+ "view container id": "Kimlik",
+ "view container title": "Başlık",
+ "view container location": "Konum",
+ "views": "Görünümler ({0})",
+ "view id": "Kimlik",
+ "view name": "Ad",
+ "view location": "Konum",
+ "localizations": "Yerelleştirmeler ({0})",
+ "localizations language id": "Dil Kimliği",
+ "localizations language name": "Dil Adı",
+ "localizations localized language name": "Dil Adı (Yerelleştirilmiş)",
+ "customEditors": "Özel Düzenleyiciler ({0})",
+ "customEditors view type": "Görünüm Türü",
+ "customEditors priority": "Öncelik",
+ "customEditors filenamePattern": "Dosya Adı Deseni",
+ "codeActions": "Kod Eylemleri ({0})",
+ "codeActions.title": "Başlık",
+ "codeActions.kind": "Tür",
+ "codeActions.description": "Açıklama",
+ "codeActions.languages": "Diller",
+ "authentication": "Kimlik doğrulaması ({0})",
+ "authentication.label": "Etiket",
+ "authentication.id": "Kimlik",
+ "colorThemes": "Renk Temaları ({0})",
+ "iconThemes": "Dosya Simgesi Temaları ({0})",
+ "colors": "Renkler ({0})",
+ "colorId": "Kimlik",
+ "defaultDark": "Koyu Varsayılan",
+ "defaultLight": "Açık Varsayılan",
+ "defaultHC": "Yüksek Karşıtlık Varsayılanı",
+ "JSON Validation": "JSON Doğrulaması ({0})",
+ "fileMatch": "Dosya Eşleştirme",
+ "schema": "Şema",
+ "commands": "Komutlar ({0})",
+ "command name": "Ad",
+ "keyboard shortcuts": "Klavye Kısayolları",
+ "menuContexts": "Menü Bağlamları",
+ "languages": "Diller ({0})",
+ "language id": "Kimlik",
+ "language name": "Ad",
+ "file extensions": "Dosya Uzantıları",
+ "grammar": "Gramer",
+ "snippets": "Kod Parçacıkları",
+ "activation events": "Etkinleştirme Olayları ({0})",
+ "find": "Bul",
+ "find next": "Sonrakini Bul",
+ "find previous": "Öncekini Bul"
+ },
+ "vs/workbench/contrib/extensions/common/extensionsUtils": {
+ "disableOtherKeymapsConfirmation": "Tuş bağlamaları arasında çakışma olmaması için diğer tuş eşlemeleri ({0}) devre dışı bırakılsın mı?",
+ "yes": "Evet",
+ "no": "Hayır"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsActivationProgress": {
+ "activation": "Uzantılar Etkinleştiriliyor..."
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsDependencyChecker": {
+ "extensions": "Uzantılar",
+ "auto install missing deps": "Eksik Bağımlılıkları Yükle",
+ "finished installing missing deps": "Eksik bağımlılıkların yüklenmesi tamamlandı. Lütfen şimdi pencereyi yeniden yükleyin.",
+ "reload": "Pencereyi Yeniden Yükle",
+ "no missing deps": "Yüklenecek eksik bağımlılık yok."
+ },
+ "vs/workbench/contrib/extensions/browser/remoteExtensionsInstaller": {
+ "remote": "Uzak",
+ "install remote in local": "Uzak Uzantıları Yerel Olarak Yükle..."
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsWorkbenchService": {
+ "Manifest is not found": "Bildirim dosyası bulunamadı",
+ "malicious": "Bu uzantının sorunlu olduğu bildirildi.",
+ "uninstallingExtension": "Uzantı kaldırılıyor....",
+ "incompatible": "VS Code '{1}' ile uyumlu olmadığından '{0}' uzantısı yüklenemiyor.",
+ "installing named extension": "'{0}' uzantısı yükleniyor....",
+ "installing extension": "Uzantı yükleniyor....",
+ "disable all": "Tümünü Devre Dışı Bırak",
+ "singleDependentError": "'{0}' uzantısı tek başına devre dışı bırakılamıyor. '{1}' uzantısı buna bağlıdır. Tüm bu uzantıları devre dışı bırakmak istiyor musunuz?",
+ "twoDependentsError": "'{0}' uzantısı tek başına devre dışı bırakılamıyor. '{1}' ve '{2}' uzantıları buna bağlıdır. Tüm bu uzantıları devre dışı bırakmak istiyor musunuz?",
+ "multipleDependentsError": "'{0}' uzantısı tek başına devre dışı bırakılamıyor. '{1}', '{2}' ve diğer uzantılar buna bağlıdır. Tüm bu uzantıları devre dışı bırakmak istiyor musunuz?"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsQuickAccess": {
+ "type": "Yüklemek veya aramak için bir uzantı adı yazın.",
+ "searchFor": "'{0}' uzantısını aramak için lütfen Enter tuşuna basın.",
+ "install": "'{0}' uzantısını yüklemek için lütfen Enter tuşuna basın.",
+ "manage": "Uzantılarınızı yönetmek için lütfen Enter tuşuna basın."
+ },
+ "vs/workbench/contrib/extensions/browser/extensionRecommendationNotificationService": {
+ "neverShowAgain": "Bir Daha Gösterme",
+ "ignoreExtensionRecommendations": "Tüm uzantı önerilerini yoksaymak istiyor musunuz?",
+ "ignoreAll": "Evet, Tümünü Yoksay",
+ "no": "Hayır",
+ "workspaceRecommended": "Bu depo için önerilen uzantıları yüklemek istiyor musunuz?",
+ "install": "Yükle",
+ "install and do no sync": "Yükle (Eşitleme)",
+ "show recommendations": "Önerileri Göster"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsIcons": {
+ "extensionsViewIcon": "Uzantılar görünümünün simgesini görüntüleyin.",
+ "manageExtensionIcon": "Uzantılar görünümündeki 'Yönet' eyleminin simgesi.",
+ "clearSearchResultsIcon": "Uzantılar görünümündeki 'Arama Sonucunu Temizle' eyleminin simgesi.",
+ "refreshIcon": "Uzantılar görünümündeki 'Yenile' eyleminin simgesi.",
+ "filterIcon": "Uzantılar görünümündeki 'Filtrele' eyleminin simgesi.",
+ "installLocalInRemoteIcon": "Uzantılar görünümündeki 'Yerel Uzantıyı Uzak Depoda Yükle' eyleminin simgesi.",
+ "installWorkspaceRecommendedIcon": "Uzantılar görünümündeki 'Çalışma Alanının Önerilen Uzantılarını Yükle' eyleminin simgesi.",
+ "configureRecommendedIcon": "Uzantılar görünümündeki 'Önerilen Uzantıları Yapılandır' eyleminin simgesi.",
+ "syncEnabledIcon": "Uzantının eşitlendiğini gösteren simge.",
+ "syncIgnoredIcon": "Eşitlerken uzantının yoksayıldığını gösteren simge.",
+ "remoteIcon": "Uzantılar görünümünde ve düzenleyicide bir uzantının uzakta olduğunu gösteren simge.",
+ "installCountIcon": "Uzantılar görünümünde ve düzenleyicide yükleme sayısıyla birlikte gösterilen simge.",
+ "ratingIcon": "Uzantılar görünümünde ve düzenleyicide derecelendirmeyle birlikte gösterilen simge.",
+ "starFullIcon": "Uzantılar düzenleyicisinde derecelendirme için kullanılan dolu yıldız simgesi.",
+ "starHalfIcon": "Uzantılar düzenleyicisinde derecelendirme için kullanılan yarı dolu yıldız simgesi.",
+ "starEmptyIcon": "Uzantılar düzenleyicisinde derecelendirme için kullanılan boş yıldız simgesi.",
+ "warningIcon": "Uzantılar düzenleyicisinde uyarı iletisiyle birlikte gösterilen simge.",
+ "infoIcon": "Uzantılar düzenleyicisinde bilgi iletisiyle birlikte gösterilen simge."
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsViews": {
+ "extension-arialabel": "{0}, {1}, {2}, uzantı ayrıntıları için Enter tuşuna basın.",
+ "extensions": "Uzantılar",
+ "galleryError": "Şu anda Uzantılar Marketi'ne bağlanamıyoruz. Lütfen daha sonra yeniden deneyin.",
+ "error": "Uzantılar yüklenirken hata oluştu. {0}",
+ "no extensions found": "Uzantı bulunamadı.",
+ "suggestProxyError": "Market 'ECONNREFUSED' döndürdü. Lütfen 'http.proxy' ayarını denetleyin.",
+ "open user settings": "Kullanıcı Ayarlarını Aç",
+ "installWorkspaceRecommendedExtensions": "Çalışma Alanının Önerdiği Eklentileri Yükle"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsWidgets": {
+ "ratedBySingleUser": "1 kullanıcı tarafından derecelendirildi",
+ "ratedByUsers": "{0} kullanıcı tarafından derecelendirildi",
+ "noRating": "Derecelendirme yok",
+ "remote extension title": "{0} içindeki uzantı",
+ "syncingore.label": "Bu uzantı, eşitleme sırasında yoksayılıyor."
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsViewer": {
+ "error": "Hata",
+ "Unknown Extension": "Bilinmeyen Uzantı:",
+ "extension-arialabel": "{0}, {1}, {2}, uzantı ayrıntıları için Enter tuşuna basın.",
+ "extensions": "Uzantılar"
+ },
+ "vs/workbench/contrib/extensions/browser/dynamicWorkspaceRecommendations": {
+ "dynamicWorkspaceRecommendation": "Bu uzantı, {0} deposunun kullanıcıları arasında popüler olduğundan sizi ilgilendirebilir."
+ },
+ "vs/workbench/contrib/extensions/browser/exeBasedRecommendations": {
+ "exeBasedRecommendation": "Bu uzantı, {0} öğesini yüklemiş olduğunuz için önerilir."
+ },
+ "vs/workbench/contrib/extensions/browser/workspaceRecommendations": {
+ "workspaceRecommendation": "Bu uzantı, geçerli çalışma alanının kullanıcıları tarafından önerilir."
+ },
+ "vs/workbench/contrib/extensions/browser/fileBasedRecommendations": {
+ "searchMarketplace": "Marketi Ara",
+ "fileBasedRecommendation": "Bu uzantı, son açtığınız dosyalar temel alınarak önerilir.",
+ "reallyRecommended": "{0} için önerilen uzantıları yüklemek istiyor musunuz?",
+ "showLanguageExtensions": "Markette '.{0}' dosyaları için yardımcı olabilecek uzantılar var",
+ "dontShowAgainExtension": "'.{0}' Dosyaları için Bir Daha Gösterme"
+ },
+ "vs/workbench/contrib/extensions/browser/configBasedRecommendations": {
+ "exeBasedRecommendation": "Bu uzantı, geçerli çalışma alanı yapılandırması nedeniyle önerilir"
+ },
+ "vs/workbench/contrib/externalTerminal/node/externalTerminal.contribution": {
+ "globalConsoleAction": "Yeni Dış Terminal Aç",
+ "terminalConfigurationTitle": "Dış Terminal",
+ "terminal.explorerKind.integrated": "VS Code'un tümleşik terminalini kullanın.",
+ "terminal.explorerKind.external": "Yapılandırılan dış terminali kullanın.",
+ "explorer.openInTerminalKind": "Başlatılacak terminal türünü özelleştirir.",
+ "terminal.external.windowsExec": "Windows'da hangi terminalin çalıştırılacağını özelleştirir.",
+ "terminal.external.osxExec": "macOS'ta hangi terminal uygulamasının çalıştırılacağını özelleştirir.",
+ "terminal.external.linuxExec": "Linux'ta hangi terminalin çalıştırılacağını özelleştirir."
+ },
+ "vs/workbench/contrib/externalTerminal/node/externalTerminalService": {
+ "console.title": "VS Code Konsolu",
+ "mac.terminal.script.failed": "'{0}' betiği, {1} çıkış kodu ile başarısız oldu",
+ "mac.terminal.type.not.supported": "'{0}' desteklenmiyor",
+ "press.any.key": "Devam etmek için bir tuşa basın ...",
+ "linux.term.failed": "'{0}', {1} çıkış kodu ile başarısız oldu",
+ "ext.term.app.not.found": "'{0}' terminal uygulaması bulunamıyor"
+ },
+ "vs/workbench/contrib/externalTerminal/browser/externalTerminal.contribution": {
+ "scopedConsoleAction": "Terminalde Aç",
+ "scopedConsoleAction.integrated": "Tümleşik Terminalde Aç",
+ "scopedConsoleAction.wt": "Windows Terminal'da Aç",
+ "scopedConsoleAction.external": "Dış Terminalde Aç"
+ },
+ "vs/workbench/contrib/feedback/browser/feedbackStatusbarItem": {
+ "status.feedback": "Geri Bildirimi Tweet Olarak Gönderin"
+ },
+ "vs/workbench/contrib/feedback/browser/feedback": {
+ "sendFeedback": "Geri Bildirimi Tweet Olarak Gönderin",
+ "label.sendASmile": "Geri bildiriminizi bize tweet ile gönderin.",
+ "close": "Kapat",
+ "patchedVersion1": "Yüklemeniz bozuk.",
+ "patchedVersion2": "Bir hata gönderirseniz lütfen bunu belirtin.",
+ "sentiment": "Deneyiminiz nasıldı?",
+ "smileCaption": "Memnuniyet Geri Bildirimi Yaklaşımı",
+ "frownCaption": "Memnuniyetsizlik Geri Bildirimi Yaklaşımı",
+ "other ways to contact us": "Bizimle iletişime geçmek için diğer yollar",
+ "submit a bug": "Hata gönderin",
+ "request a missing feature": "Eksik bir özelliği iste",
+ "tell us why": "Bize nedenini bildirin",
+ "feedbackTextInput": "Görüşlerinizi bize bildirin",
+ "showFeedback": "Durum Çubuğunda Geri Bildirim Simgesini Göster",
+ "tweet": "Tweet atın",
+ "tweetFeedback": "Geri Bildirimi Tweet Olarak Gönderin",
+ "character left": "karakter kaldı",
+ "characters left": "karakter kaldı"
+ },
+ "vs/workbench/contrib/files/electron-sandbox/files.contribution": {
+ "textFileEditor": "Metin Dosyası Düzenleyici"
+ },
+ "vs/workbench/contrib/files/electron-sandbox/fileActions.contribution": {
+ "revealInWindows": "Dosya Gezgininde Göster",
+ "revealInMac": "Finder'da Göster",
+ "openContainer": "İçeren Klasörü Aç",
+ "filesCategory": "Dosya"
+ },
+ "vs/workbench/contrib/files/browser/explorerViewlet": {
+ "explorerViewIcon": "Gezgin görünümünün simgesini görüntüleyin.",
+ "folders": "Klasörler",
+ "explore": "Gezgin",
+ "noWorkspaceHelp": "Çalışma alanına henüz bir klasör eklemediniz.\r\n[Klasör Ekle](command:{0})",
+ "remoteNoFolderHelp": "Uzağa bağlanıldı.\r\n[Klasörü Aç](command:{0})",
+ "noFolderHelp": "Henüz bir klasör açmadınız.\r\n[Klasör Aç](command:{0})"
+ },
+ "vs/workbench/contrib/files/browser/files.contribution": {
+ "showExplorerViewlet": "Gezgini Göster",
+ "binaryFileEditor": "İkili Dosya Düzenleyicisi",
+ "hotExit.off": "Çalışır durumda çıkışı devre dışı bırak. Kirli dosyalar içeren bir pencere kapatılmaya çalışılırken bir istem gösterilir.",
+ "hotExit.onExit": "Çalışırken çıkış; Windows/Linux'ta son pencere kapatıldığında veya `workbench.action.quit` komutu tetiklendiğinde (komut paleti, tuş bağlama, menü) tetiklenir. Açık klasörü olmayan tüm pencereler sonraki başlatmada geri yüklenir. Kaydedilmemiş dosyaları olan bir çalışma alanına `Dosya > Son Kullanılanları Aç > Diğer...` ile erişilebilir",
+ "hotExit.onExitAndWindowClose": "Çalışırken çıkış; Windows/Linux'ta son pencere kapatıldığında veya `workbench.action.quit` komutu tetiklendiğinde (komut paleti, tuş bağlama, menü) ve ayrıca son pencere olup olmadığına bakılmaksızın açık bir klasörü olan herhangi bir pencere için tetiklenir. Açık klasörü olmayan tüm pencereler sonraki başlatmada geri yüklenir. Kaydedilmemiş dosyaları olan bir çalışma alanına `Dosya > Son Kullanılanları Aç > Diğer...` ile erişilebilir",
+ "hotExit": "Kaydedilmemiş dosyaların oturumlar arasında hatırlanıp hatırlanmayacağını denetleyerek, atlanacak düzenleyiciden çıkarken kaydetme istemine izin verir.",
+ "hotExit.onExitAndWindowCloseBrowser": "Tarayıcı kapandığında veya pencere ya da sekme kapatıldığında çalışırken çıkış tetiklenir.",
+ "filesConfigurationTitle": "Dosyalar",
+ "exclude": "Dosya ve klasör dışlama glob desenlerini yapılandır. Örneğin, dosya Gezgini, bu ayara göre hangi dosya ve klasörlerin gösterileceğine veya gizleneceğine karar verir. Aramaya özel dışlamalar tanımlamak için '#search.exclude#' ayarına bakın. Glob desenleriyle ilgili daha fazla bilgiyi [burada](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options) edinebilirsiniz.",
+ "files.exclude.boolean": "Dosya yollarıyla eşleşecek glob deseni. Deseni etkinleştirmek veya devre dışı bırakmak için true ya da false olarak ayarlayın.",
+ "files.exclude.when": "Eşleşen bir dosyanın eşdüzey öğeleri üzerinde ek denetim. Eşleşen dosya adı için değişken olarak $(basename) kullanın.",
+ "associations": "Dosyaların dillerle ilişkilendirmelerini yapılandır (ör. '\"*.extension\": \"html\" '). Bunlar yüklü olan dillerin varsayılan ilişkilendirmelerine göre önceliklidir.",
+ "encoding": "Dosya okuyup yazarken kullanılacak varsayılan karakter kümesi kodlaması. Bu ayar her dili için ayrı olarak da yapılandırılabilir.",
+ "autoGuessEncoding": "Etkinleştirildiğinde, düzenleyici, dosya açarken karakter kümesi kodlamasını tahmin etmeye çalışır. Bu ayar her dil için ayrı olarak da yapılandırılabilir.",
+ "eol.LF": "LF",
+ "eol.CRLF": "CRLF",
+ "eol.auto": "İşletim sistemine özgü satır sonu karakterini kullanır.",
+ "eol": "Varsayılan satır sonu karakteri.",
+ "useTrash": "Silerken dosyaları/klasörleri işletim sistemi çöp kutusuna (Windows'da geri dönüşüm kutusu) taşır. Bu işlem devre dışı bırakıldığında dosyalar/klasörler kalıcı olarak silinir.",
+ "trimTrailingWhitespace": "Etkinleştirildiğinde, sondaki boşluklar dosya kaydedilirken kırpılır.",
+ "insertFinalNewline": "Etkinleştirildiğinde, kaydederken dosyanın sonuna son yeni bir satır ekle.",
+ "trimFinalNewlines": "Etkinleştirildiğinde, dosyanın sonundaki son yeni satırdan sonraki tüm yeni satırlar dosya kaydedilirken kırpılır.",
+ "files.autoSave.off": "Kirli bir düzenleyici hiçbir zaman otomatik olarak kaydedilmez.",
+ "files.autoSave.afterDelay": "Kirli bir düzenleyici yapılandırılmış '#files.autoSaveDelay#' sonra otomatik olarak kaydedilir.",
+ "files.autoSave.onFocusChange": "Kirli düzenleyici, odağı kaybettiğinde otomatik olarak kaydedilir.",
+ "files.autoSave.onWindowChange": "Kirli bir düzenleyici, pencere odağı kaybettiğinde otomatik olarak kaydedilir.",
+ "autoSave": "Kirli düzenleyicilerin otomatik kaydedilmesini denetler. Otomatik kaydetme hakkında daha fazla bilgiyi [buradan](https://code.visualstudio.com/docs/editor/codebasics#_save-auto-save) edinebilirsiniz.",
+ "autoSaveDelay": "Kirli bir düzenleyicinin otomatik olarak kaydedilmesi için milisaniye cinsinden geçmesi gereken süreyi denetler. Yalnızca '#files.autoSave#' değeri '{0}' olarak ayarlandığında uygulanır.",
+ "watcherExclude": "Dosya izleme dışında tutulacak dosya yollarının glob desenlerini yapılandır. Desenler, mutlak yollar (yani ön ek ve ** veya düzgün eşleşme için tam yol) ile eşleşmelidir. Bu ayarı değiştirmek yeniden başlatma gerektirir. Başlatma sırasında Code çok fazla CPU zamanı harcarsa, ilk yükü azaltmak için büyük klasörleri dışarıda bırakabilirsiniz.",
+ "defaultLanguage": "Yeni dosyalara atanan varsayılan dil modu. '${activeEditorLanguage}' olarak yapılandırılırsa, varsa etkin durumda olan metin düzenleyicisinin dil modunu kullanır.",
+ "maxMemoryForLargeFilesMB": "Büyük dosyaları açmaya çalışırken yeniden başlatmadan sonra VS Code'un kullanılabileceği belleği denetler. Komut satırında '--max-memory=YENIBOYUT' belirtmek ile aynı etkiye sahiptir.",
+ "files.restoreUndoStack": "Bir dosya yeniden açıldığında geri alma yığınını geri yükle.",
+ "askUser": "Kaydetmeyi reddeder ve kaydetme çakışmasının el ile çözümlenmesini ister.",
+ "overwriteFileOnDisk": "Diskteki dosyanın üzerine düzenleyicideki değişiklikleri yazarak kaydetme çakışmasını çözümler.",
+ "files.saveConflictResolution": "Aynı sırada başka bir program tarafından değiştirilen bir dosya diske kaydedilirse, bir kaydetme çakışması ortaya çıkar. Veri kaybını önlemek için kullanıcının düzenleyicideki değişiklikleri diskteki sürümle karşılaştırması istenir. Bu ayar yalnızca sıkça kaydetme çakışması hatalarıyla karşılaşılıyorsa değiştirilmelidir ve bir uyarı olmadan kullanılırsa veri kaybına neden olabilir.",
+ "files.simpleDialog.enable": "Basit dosya iletişim kutusunu etkinleştirir. Basit dosya iletişim kutusu etkinleştirildiğinde sistem dosyası iletişim kutusunun yerini alır.",
+ "formatOnSave": "Kaydederken bir dosyayı biçimlendir. Bir biçimlendirici mevcut olmalı, dosya gecikmeden sonra kaydedilmemeli ve düzenleyici kapanıyor olmamalıdır.",
+ "everything": "Tüm dosyayı biçimlendir.",
+ "modification": "Değişiklikleri biçimlendir (kaynak denetimi gerektirir).",
+ "formatOnSaveMode": "Kaydetmede biçimlendirmenin tüm dosyayı mı, yoksa yalnızca değişiklikleri mi biçimlendireceğini denetler. Yalnızca '#editor.formatOnSave#' değeri 'true' olduğunda uygulanır.",
+ "explorerConfigurationTitle": "Dosya Gezgini",
+ "openEditorsVisible": "Açık Düzenleyiciler bölmesinde görüntülenen düzenleyici sayısı. Bunu 0 olarak ayarlamak, Açık Düzenleyiciler bölmesini gizler.",
+ "openEditorsSortOrder": "Açık Düzenleyiciler bölmesinde düzenleyicilerin sıralama düzenini denetler.",
+ "sortOrder.editorOrder": "Düzenleyiciler, görüntülenen düzenleyici sekmeleri ile aynı düzende sıralanır.",
+ "sortOrder.alphabetical": "Düzenleyiciler her düzenleyici grubu içinde alfabetik düzende sıralanır.",
+ "autoReveal.on": "Dosyalar gösterilir ve seçilir.",
+ "autoReveal.off": "Dosyalar gösterilmez ve seçilmez.",
+ "autoReveal.focusNoScroll": "Dosyalar görünüme kaydırılmayacak, ancak odak olmaya devam edecek.",
+ "autoReveal": "Gezginin açarken dosyaları otomatik olarak göstermesini ve seçmesini denetler.",
+ "enableDragAndDrop": "Gezginin dosya ve klasörleri sürükle bırak ile taşımaya izin verip vermeyeceğini denetler. Bu ayar yalnızca gezginin içinden sürükleyip bırakmayı etkiler.",
+ "confirmDragAndDrop": "Gezginin dosya ve klasörleri sürükle bırak ile taşımak için onay isteyip istemeyeceğini denetler.",
+ "confirmDelete": "Gezginin bir dosya çöp aracılığıyla silinirken onay isteyip istemeyeceğini denetler.",
+ "sortOrder.default": "Dosyalar ve klasörler adlarına göre alfabetik düzende sıralanır. Klasörler dosyalardan önce görüntülenir.",
+ "sortOrder.mixed": "Dosyalar ve klasörler adlarına göre alfabetik düzende sıralanır. Dosyalar klasörlerle birlikte sunulur.",
+ "sortOrder.filesFirst": "Dosyalar ve klasörler adlarına göre alfabetik düzende sıralanır. Dosyalar klasörlerden önce görüntülenir.",
+ "sortOrder.type": "Dosyalar ve klasörler uzantılarına göre alfabetik düzende sıralanır. Klasörler dosyalardan önce görüntülenir.",
+ "sortOrder.modified": "Dosyalar ve klasörler son değiştirilme tarihine göre azalan düzende sıralanır. Klasörler dosyalardan önce görüntülenir.",
+ "sortOrder": "Gezginde dosya ve klasörlerin sıralanma düzenini denetler.",
+ "explorer.decorations.colors": "Dosya süslemelerinin renk kullanıp kullanmayacağını denetler.",
+ "explorer.decorations.badges": "Dosya süslemelerinin rozet kullanıp kullanmayacağını denetler.",
+ "simple": "Yinelenen adın sonuna \"kopya\" sözcüğünü ekler; ardından bir sayı gelebilir",
+ "smart": "Yinelenen adın sonuna bir sayı ekler. Zaten adın parçası olan bir sayı varsa, bu sayıyı artırmaya çalışır",
+ "explorer.incrementalNaming": "Yapıştırmada yinelenen bir gezgin öğesine yeni bir ad verirken kullanılacak adlandırma stratejisini denetler.",
+ "compressSingleChildFolders": "Gezginin klasörleri topluca bir biçimde oluşturup oluşturmayacağını denetler. Bu biçimde, tek alt klasörler birleştirilmiş bir ağaç öğesinde sıkıştırılır. Örneğin, Java paket yapıları için yararlıdır.",
+ "miViewExplorer": "&&Gezgin"
+ },
+ "vs/workbench/contrib/files/browser/fileActions.contribution": {
+ "filesCategory": "Dosya",
+ "workspaces": "Çalışma Alanları",
+ "file": "Dosya",
+ "copyPath": "Yolu Kopyala",
+ "copyRelativePath": "Göreli Yolu Kopyala",
+ "revealInSideBar": "Yan Çubukta Göster",
+ "acceptLocalChanges": "Yaptığınız değişiklikleri kullanın ve dosya içeriğinin üzerine yazın",
+ "revertLocalChanges": "Yaptığınız değişiklikleri atma ve dosya içeriğine geri dönme",
+ "copyPathOfActive": "Etkin Dosyanın Yolunu Kopyala",
+ "copyRelativePathOfActive": "Etkin Dosyanın Göreli Yolunu Kopyala",
+ "saveAllInGroup": "Gruptakilerin Tümünü Kaydet",
+ "saveFiles": "Tüm Dosyaları Kaydet",
+ "revert": "Dosyayı Geri Döndür",
+ "compareActiveWithSaved": "Etkin Dosyayı Kaydedilenle Karşılaştır",
+ "openToSide": "Yanda Aç",
+ "saveAll": "Tümünü Kaydet",
+ "compareWithSaved": "Kaydedilenle Karşılaştır",
+ "compareWithSelected": "Seçilenle Karşılaştır",
+ "compareSource": "Karşılaştırma için Seç",
+ "compareSelected": "Seçilenleri Karşılaştır",
+ "close": "Kapat",
+ "closeOthers": "Diğerlerini Kapat",
+ "closeSaved": "Kaydedileni Kapat",
+ "closeAll": "Tümünü Kapat",
+ "explorerOpenWith": "Şununla Aç...",
+ "cut": "Kes",
+ "deleteFile": "Kalıcı Olarak Sil",
+ "newFile": "Yeni Dosya",
+ "openFile": "Dosya Aç...",
+ "miNewFile": "&&Yeni Dosya",
+ "miSave": "&&Kaydet",
+ "miSaveAs": "&&Farklı Kaydet...",
+ "miSaveAll": "&&Tümünü Kaydet",
+ "miOpen": "&&Aç....",
+ "miOpenFile": "Dosyayı &&Aç...",
+ "miOpenFolder": "&&Klasör Aç...",
+ "miOpenWorkspace": "Ça&&lışma Alanını Aç...",
+ "miAutoSave": "&&Otomatik Kaydet",
+ "miRevert": "Dosyayı &&Geri Al",
+ "miCloseEditor": "Düzenleyiciyi &&Kapat",
+ "miGotoFile": "&&Dosyaya Git..."
+ },
+ "vs/workbench/contrib/files/electron-sandbox/fileCommands": {
+ "openFileToReveal": "Göstermek için önce dosyayı açın"
+ },
+ "vs/workbench/contrib/files/common/editors/fileEditorInput": {
+ "orphanedReadonlyFile": "{0} (silindi, salt okunur)",
+ "orphanedFile": "{0} (silindi)",
+ "readonlyFile": "{0} (salt okunur)"
+ },
+ "vs/workbench/contrib/files/electron-sandbox/textFileEditor": {
+ "fileTooLargeForHeapError": "Bu boyuttaki bir dosyayı açmak için, programı yeniden başlatıp dosyanın daha fazla bellek kullanmasına izin vermeniz gerekiyor",
+ "relaunchWithIncreasedMemoryLimit": "{0} MB ile Yeniden Başlat",
+ "configureMemoryLimit": "Bellek Sınırını Yapılandır"
+ },
+ "vs/workbench/contrib/files/browser/views/emptyView": {
+ "noWorkspace": "Klasör Açılmadı"
+ },
+ "vs/workbench/contrib/files/browser/views/explorerView": {
+ "explorerSection": "Gezgin Bölümü: {0}"
+ },
+ "vs/workbench/contrib/files/browser/views/openEditorsView": {
+ "openEditors": "Düzenleyicileri Aç",
+ "dirtyCounter": "{0} kaydedilmemiş"
+ },
+ "vs/workbench/contrib/files/browser/editors/textFileSaveErrorHandler": {
+ "userGuide": "Değişikliklerinizi geri almak veya dosya içeriğinin üzerine yazmak için düzenleyici araç çubuğundaki eylemleri kullanın.",
+ "staleSaveError": "'{0}' kaydedilemedi: Dosyanın içeriği daha yeni. Lütfen sürümünüzü dosya içeriğiyle karşılaştırın veya değişikliklerinizi dosya içeriğinin üzerine yazın.",
+ "retry": "Yeniden Dene",
+ "discard": "At",
+ "readonlySaveErrorAdmin": "'{0}' kaydedilemedi: Dosya salt okunur. Yönetici olarak yeniden denemek için 'Yönetici Olarak Üzerine Yaz' seçeneğini belirleyin.",
+ "readonlySaveErrorSudo": "'{0}' kaydedilemedi: Dosya salt okunur. Süper kullanıcı olarak yeniden denemek için 'Sudo Olarak Üzerine Yaz' seçeneğini belirleyin.",
+ "readonlySaveError": "'{0}' kaydedilemedi: Dosya salt okunur. Yazılabilir yapmak için 'Üzerine Yaz' seçeneğini belirleyin.",
+ "permissionDeniedSaveError": "'{0}' kaydedilemedi: İzinler yetersiz. Yönetici olarak yeniden denemek için 'Yönetici Olarak Yeniden Dene' seçeneğini belirleyin.",
+ "permissionDeniedSaveErrorSudo": "'{0}' kaydedilemedi: İzinler yetersiz. Süper kullanıcı olarak yeniden denemek için 'Sudo Olarak Yeniden Dene' seçeneğini belirleyin.",
+ "genericSaveError": "'{0}' kaydedilemedi: ({1}).",
+ "learnMore": "Daha fazla bilgi",
+ "dontShowAgain": "Tekrar Gösterme",
+ "compareChanges": "Karşılaştır",
+ "saveConflictDiffLabel": "{0} (dosyada) ↔ {1} ({2} içinde) - Kaydetme çakışmasını çözümle",
+ "overwriteElevated": "Yönetici Olarak Üzerine Yaz...",
+ "overwriteElevatedSudo": "Sudo Olarak Üzerine Yaz...",
+ "saveElevated": "Yönetici Olarak Yeniden Dene...",
+ "saveElevatedSudo": "Sudo Olarak Yeniden Dene...",
+ "overwrite": "Üzerine Yaz",
+ "configure": "Yapılandır"
+ },
+ "vs/workbench/contrib/files/browser/editors/binaryFileEditor": {
+ "binaryFileEditor": "İkili Dosya Görüntüleyicisi"
+ },
+ "vs/workbench/contrib/files/common/workspaceWatcher": {
+ "netVersionError": "Microsoft .NET Framework 4.5 gerekiyor. Yüklemek için lütfen bağlantıyı izleyin.",
+ "installNet": ".NET Framework 4.5 sürümünü indir",
+ "enospcError": "Bu büyük çalışma alanındaki dosya değişiklikleri izlenemiyor. Bu sorunu çözmek için lütfen yönergeler bağlantısını izleyin.",
+ "learnMore": "Yönergeler"
+ },
+ "vs/workbench/contrib/files/common/dirtyFilesIndicator": {
+ "dirtyFile": "1 kaydedilmemiş dosya",
+ "dirtyFiles": "{0} kaydedilmemiş dosya"
+ },
+ "vs/workbench/contrib/files/browser/fileActions": {
+ "newFile": "Yeni Dosya",
+ "newFolder": "Yeni Klasör",
+ "rename": "Yeniden Adlandır",
+ "delete": "Sil",
+ "copyFile": "Kopyala",
+ "pasteFile": "Yapıştır",
+ "download": "İndir...",
+ "createNewFile": "Yeni Dosya",
+ "createNewFolder": "Yeni Klasör",
+ "deleteButtonLabelRecycleBin": "Geri Dönüşüm Kutusuna &&Taşı",
+ "deleteButtonLabelTrash": "Çöp Kutusuna &&Taşı",
+ "deleteButtonLabel": "&&Sil",
+ "dirtyMessageFilesDelete": "Kaydedilmemiş değişiklikleri olan dosyaları siliyorsunuz. Devam etmek istiyor musunuz?",
+ "dirtyMessageFolderOneDelete": "1 dosyasında kaydedilmemiş değişiklikler olan {0} klasörünü siliyorsunuz. Devam etmek istiyor musunuz?",
+ "dirtyMessageFolderDelete": "{1} dosyasında kaydedilmemiş değişiklikler olan {0} klasörünü siliyorsunuz. Devam etmek istiyor musunuz?",
+ "dirtyMessageFileDelete": "Kaydedilmemiş değişiklikleri olan {0} öğesini siliyorsunuz. Devam etmek istiyor musunuz?",
+ "dirtyWarning": "Kaydetmediğiniz değişiklikler kaybolacaktır.",
+ "undoBinFiles": "Bu dosyaları Geri Dönüşüm Kutusu'ndan geri yükleyebilirsiniz.",
+ "undoBin": "Bu dosyayı Geri Dönüşüm Kutusu'ndan geri yükleyebilirsiniz.",
+ "undoTrashFiles": "Bu dosyaları Çöp Kutusu'ndan geri yükleyebilirsiniz.",
+ "undoTrash": "Bu dosyayı Çöp Kutusu'ndan geri yükleyebilirsiniz.",
+ "doNotAskAgain": "Bir daha sorma",
+ "irreversible": "Bu eylem geri alınamaz!",
+ "deleteBulkEdit": "{0} dosyalarını sil",
+ "deleteFileBulkEdit": "{0} dosyalarını sil",
+ "deletingBulkEdit": "{0} dosya siliniyor",
+ "deletingFileBulkEdit": "{0} siliniyor",
+ "binFailed": "Geri Dönüşüm Kutusu kullanılarak silinemedi. Bunun yerine kalıcı olarak silmek ister misiniz?",
+ "trashFailed": "Çöp Kutusu kullanılarak silinemedi. Bunun yerine kalıcı olarak silmek ister misiniz?",
+ "deletePermanentlyButtonLabel": "Kalıcı Olarak &&Sil",
+ "retryButtonLabel": "&&Yeniden Dene",
+ "confirmMoveTrashMessageFilesAndDirectories": "Aşağıdaki {0} dosyayı/dizini ve bunların içindekileri silmek istediğinizden emin misiniz?",
+ "confirmMoveTrashMessageMultipleDirectories": "Aşağıdaki {0} dizini ve bunların içindekileri silmek istediğinizden emin misiniz?",
+ "confirmMoveTrashMessageMultiple": "Aşağıdaki {0} dosyayı silmek istediğinizden emin misiniz?",
+ "confirmMoveTrashMessageFolder": "'{0}' öğesini ve içindekileri silmek istediğinizden emin misiniz?",
+ "confirmMoveTrashMessageFile": "'{0}' öğesini silmek istediğinizden emin misiniz?",
+ "confirmDeleteMessageFilesAndDirectories": "Aşağıdaki {0} dosyayı/dizini ve bunların içindekileri kalıcı olarak silmek istediğinizden emin misiniz?",
+ "confirmDeleteMessageMultipleDirectories": "Aşağıdaki {0} dizini ve bunların içindekileri kalıcı olarak silmek istediğinizden emin misiniz?",
+ "confirmDeleteMessageMultiple": "Aşağıdaki {0} dosyayı kalıcı olarak silmek istediğinizden emin misiniz?",
+ "confirmDeleteMessageFolder": "'{0}' öğesini ve içindekileri kalıcı olarak silmek istediğinizden emin misiniz?",
+ "confirmDeleteMessageFile": "{0} öğesini kalıcı olarak silmek istediğinizden emin misiniz?",
+ "globalCompareFile": "Etkin Dosyayı Şununla Karşılaştır...",
+ "fileToCompareNoFile": "Lütfen karşılaştırılacak bir dosya seçin.",
+ "openFileToCompare": "Başka bir dosyayla karşılaştırmak için önce dosyayı açın.",
+ "toggleAutoSave": "Otomatik Kaydetmeyi Aç/Kapat",
+ "saveAllInGroup": "Gruptakilerin Tümünü Kaydet",
+ "closeGroup": "Grubu Kapat",
+ "focusFilesExplorer": "Dosya Gezginine Odaklan",
+ "showInExplorer": "Etkin Dosyayı Yandaki Çubukta Göster",
+ "openFileToShow": "Gezginde göstermek için önce dosyayı açın",
+ "collapseExplorerFolders": "Gezginde Klasörleri Daralt",
+ "refreshExplorer": "Gezgini Yenile",
+ "openFileInNewWindow": "Etkin Dosyayı Yeni Pencerede Aç",
+ "openFileToShowInNewWindow.unsupportedschema": "Etkin düzenleyici açılabilir bir kaynak içermelidir.",
+ "openFileToShowInNewWindow.nofile": "Yeni pencerede açmak için önce dosyayı açın",
+ "emptyFileNameError": "Bir dosya veya klasör adı belirtilmelidir.",
+ "fileNameStartsWithSlashError": "Dosya veya klasör adı eğik çizgiyle başlayamaz.",
+ "fileNameExistsError": "Bu konumda **{0}** adlı bir dosya veya klasör zaten var. Lütfen farklı bir ad seçin.",
+ "invalidFileNameError": "**{0}** adı, bir dosya veya klasör adı olarak geçerli değil. Lütfen başka bir ad seçin.",
+ "fileNameWhitespaceWarning": "Dosya veya klasör adında başta veya sonda boşluk saptandı.",
+ "compareWithClipboard": "Etkin Dosyayı Panoyla Karşılaştır",
+ "clipboardComparisonLabel": "Pano ↔ {0}",
+ "retry": "Yeniden Dene",
+ "createBulkEdit": "{0} oluştur",
+ "creatingBulkEdit": "{0} oluşturuluyor",
+ "renameBulkEdit": "{0} Adını {1} Olarak Değiştir",
+ "renamingBulkEdit": "{0}, {1} olarak yeniden adlandırılıyor",
+ "downloadingFiles": "İndiriliyor",
+ "downloadProgressSmallMany": "{0} / {1} dosya ({2}/s)",
+ "downloadProgressLarge": "{0} ({1} / {2}, {3}/s)",
+ "downloadButton": "İndir",
+ "downloadFolder": "Klasörü İndir",
+ "downloadFile": "Dosyayı İndir",
+ "downloadBulkEdit": "{0} dosyalarını indir",
+ "downloadingBulkEdit": "{0} indiriliyor",
+ "fileIsAncestor": "Yapıştırılacak dosya, hedef klasörün bir üst öğesi",
+ "movingBulkEdit": "{0} dosya taşınıyor",
+ "movingFileBulkEdit": "{0} taşınıyor",
+ "moveBulkEdit": "{0} dosyalarını taşı",
+ "moveFileBulkEdit": "{0} dosyalarını taşı",
+ "copyingBulkEdit": "{0} dosya kopyalanıyor",
+ "copyingFileBulkEdit": "{0} kopyalanıyor",
+ "copyBulkEdit": "{0} dosyalarını kopyala",
+ "copyFileBulkEdit": "{0} dosyalarını kopyala",
+ "fileDeleted": "Yapıştırılacak dosyalar, kopyalandıktan sonra silinmiş veya taşınmış. {0}"
+ },
+ "vs/workbench/contrib/files/browser/fileCommands": {
+ "saveAs": "Farklı Kaydet...",
+ "save": "Kaydet",
+ "saveWithoutFormatting": "Biçimlendirme olmadan kaydet",
+ "saveAll": "Tümünü Kaydet",
+ "removeFolderFromWorkspace": "Klasörü Çalışma Alanından Kaldır",
+ "newUntitledFile": "Yeni Adsız Dosya",
+ "modifiedLabel": "{0} (dosyada) ↔ {1}",
+ "openFileToCopy": "Yolunu kopyalamak için önce dosyayı açın",
+ "genericSaveError": "'{0}' kaydedilemedi: ({1}).",
+ "genericRevertError": "'{0}' geri alınamadı: {1}"
+ },
+ "vs/workbench/contrib/files/browser/editors/textFileEditor": {
+ "textFileEditor": "Metin Dosyası Düzenleyici",
+ "openFolderError": "Dosya bir dizin",
+ "createFile": "Dosya Oluştur"
+ },
+ "vs/workbench/contrib/files/browser/views/explorerDecorationsProvider": {
+ "canNotResolve": "Çalışma alanı klasörü çözümlenemiyor",
+ "symbolicLlink": "Sembolik Bağlantı",
+ "unknown": "Bilinmeyen Dosya Türü",
+ "label": "Gezgin"
+ },
+ "vs/workbench/contrib/files/browser/views/explorerViewer": {
+ "treeAriaLabel": "Dosya Gezgini",
+ "fileInputAriaLabel": "Dosya adını yazın. Onaylamak veya Enter tuşuna, iptal etmek için Escape tuşuna basın.",
+ "confirmOverwrite": "'{0}' adlı bir dosya veya klasör zaten var. Üzerine yazmak mı istiyorsunuz?",
+ "irreversible": "Bu eylem geri alınamaz!",
+ "replaceButtonLabel": "&&Değiştir",
+ "confirmManyOverwrites": "Hedef klasörde aşağıdaki {0} dosya ve/veya klasör zaten var. Bunları değiştirmek istiyor musunuz?",
+ "uploadingFiles": "Karşıya Yükleniyor",
+ "overwrite": "{0} dosyasının üzerine yaz",
+ "overwriting": "{0} üzerine yazılıyor",
+ "uploadProgressSmallMany": "{0} / {1} dosya ({2}/s)",
+ "uploadProgressLarge": "{0} ({1} / {2}, {3}/s)",
+ "copyFolders": "Klasörleri &&Kopyala",
+ "copyFolder": "Klasörü &&Kopyala",
+ "cancel": "İptal",
+ "copyfolders": "Klasörleri kopyalamak istediğinizden emin misiniz?",
+ "copyfolder": "'{0}' öğesini kopyalamak istediğinizden emin misiniz?",
+ "addFolders": "Çalışma Alanına Klasör &&Ekle",
+ "addFolder": "Çalışma Alanına Klasör &&Ekle",
+ "dropFolders": "Klasörleri kopyalamak veya çalışma alanına eklemek istiyor musunuz?",
+ "dropFolder": "'{0}' öğesini kopyalamak veya '{0}' öğesini çalışma alanına klasör olarak eklemek istiyor musunuz?",
+ "copyFile": "{0} dosyasını kopyala",
+ "copynFile": "{0} kaynaklarını kopyala",
+ "copyingFile": "{0} kopyalanıyor",
+ "copyingnFile": "{0} kaynak kopyalanıyor",
+ "confirmRootsMove": "Çalışma alanınızdaki birden çok kök klasörün sırasını değiştirmek istediğinizden emin misiniz?",
+ "confirmMultiMove": "Aşağıdaki {0} dosyayı '{1}' içine taşımak istediğinizden emin misiniz?",
+ "confirmRootMove": "Çalışma alanınızdaki '{0}' kök klasörünün sırasını değiştirmek istediğinizden emin misiniz?",
+ "confirmMove": "'{0}' öğesini '{1}' içine taşımak istediğinizden emin misiniz?",
+ "doNotAskAgain": "Bir daha sorma",
+ "moveButtonLabel": "&&Taşı",
+ "copy": "{0} dosyasını kopyala",
+ "copying": "{0} kopyalanıyor",
+ "move": "{0} öğesini taşı",
+ "moving": "{0} taşınıyor"
+ },
+ "vs/workbench/contrib/format/browser/formatActionsMultiple": {
+ "nullFormatterDescription": "Yok",
+ "miss": "'{0}' uzantısı '{1}' öğesini biçimlendiremez",
+ "config.needed": "'{0}' dosyaları için birden çok biçimlendirici var. Devam etmek için varsayılan bir biçimlendirici seçin.",
+ "config.bad": "Biçimlendirici olarak '{0}' uzantısı yapılandırıldı ancak bu uzantı yok. Devam etmek için farklı bir varsayılan biçimlendirici seçin.",
+ "do.config": "Yapılandır...",
+ "select": "'{0}' dosyaları için varsayılan bir biçimlendirici seçin",
+ "formatter.default": "Diğer tüm biçimlendirici ayarlarından daha yüksek öncelikli olan varsayılan bir biçimlendirici tanımlar. Bir biçimlendirici katkısında bulunan bir uzantının tanımlayıcısı olmalıdır.",
+ "def": "(varsayılan)",
+ "config": "Varsayılan Biçimlendiriciyi Yapılandır...",
+ "format.placeHolder": "Bir biçimlendirici seçin",
+ "formatDocument.label.multiple": "Belgeyi Şununla Biçimlendir...",
+ "formatSelection.label.multiple": "Seçimi Şununla Biçimlendir..."
+ },
+ "vs/workbench/contrib/format/browser/formatActionsNone": {
+ "formatDocument.label.multiple": "Belgeyi Biçimlendir",
+ "too.large": "Bu dosya çok büyük olduğundan biçimlendirilemiyor",
+ "no.provider": "'{0}' dosyaları için biçimlendirici yok.",
+ "install.formatter": "Biçimlendirici Yükle..."
+ },
+ "vs/workbench/contrib/format/browser/formatModified": {
+ "formatChanges": "Değiştirilen Satırları Biçimlendir"
+ },
+ "vs/workbench/contrib/issue/electron-sandbox/issue.contribution": {
+ "reportIssueInEnglish": "Sorun Bildir..."
+ },
+ "vs/workbench/contrib/issue/electron-sandbox/issueActions": {
+ "openProcessExplorer": "İşlem Gezginini Aç",
+ "reportPerformanceIssue": "Performans Sorunu Bildir"
+ },
+ "vs/workbench/contrib/keybindings/browser/keybindings.contribution": {
+ "toggleKeybindingsLog": "Klavye Kısayollarını Değiştirme Sorunlarını Giderme"
+ },
+ "vs/workbench/contrib/localizations/browser/localizations.contribution": {
+ "updateLocale": "VS Code kullanıcı arabirimi dilini {0} olarak değiştirmek ve yeniden başlatmak istiyor musunuz?",
+ "activateLanguagePack": "{0} içinde kullanılabilmesi VS Code'un yeniden başlatılması gerekiyor.",
+ "yes": "Evet",
+ "restart now": "Şimdi Yeniden Başlat",
+ "neverAgain": "Tekrar Gösterme",
+ "vscode.extension.contributes.localizations": "Düzenleyiciye yerelleştirme katkısında bulunuyor",
+ "vscode.extension.contributes.localizations.languageId": "Ekran dizelerinin çevrildiği dilin kimliği.",
+ "vscode.extension.contributes.localizations.languageName": "Dilin İngilizce adı.",
+ "vscode.extension.contributes.localizations.languageNameLocalized": "Dilin katkıda bulunulan dildeki adı.",
+ "vscode.extension.contributes.localizations.translations": "Dille ilişkili çevirilerin listesi.",
+ "vscode.extension.contributes.localizations.translations.id": "Bu çevirinin katkıda bulunulduğu VS Code veya Uzantının kimliği. VS Code kimliği her zaman `vscode`, uzantınınki ise `publisherId.extensionName` biçiminde olmalıdır.",
+ "vscode.extension.contributes.localizations.translations.id.pattern": "Sırasıyla VS Code'u veya bir uzantıyı çevirmek için kimlik `vscode` olmalı ya da `publisherId.extensionName` biçiminde olmalıdır.",
+ "vscode.extension.contributes.localizations.translations.path": "Dil için çeviriler içeren bir dosyanın görece yolu."
+ },
+ "vs/workbench/contrib/localizations/browser/localizationsActions": {
+ "configureLocale": "Görüntüleme Dilini Yapılandır",
+ "installAdditionalLanguages": "Ek dil yükle...",
+ "chooseDisplayLanguage": "Görüntüleme Dilini Seç",
+ "relaunchDisplayLanguageMessage": "Görüntüleme dilindeki değişikliğin devreye girmesi için yeniden başlatma gerekiyor.",
+ "relaunchDisplayLanguageDetail": "{0} öğesini yeniden başlatmak ve görüntüleme dilini değiştirmek için yeniden başlatma düğmesine basın.",
+ "restart": "&&Yeniden Başlat"
+ },
+ "vs/workbench/contrib/localizations/browser/minimalTranslations": {
+ "showLanguagePackExtensions": "Ekran dilini {0} olarak değiştirmek için Market'teki arama dili paketleri.",
+ "searchMarketplace": "Market'te Ara",
+ "installAndRestartMessage": "Görüntüleme dilini {0} olarak değiştirmek için dil paketini yükleyin.",
+ "installAndRestart": "Yükle ve Yeniden Başlat"
+ },
+ "vs/workbench/contrib/logs/common/logs.contribution": {
+ "userDataSyncLog": "Ayarları Eşitleme",
+ "rendererLog": "Pencere",
+ "telemetryLog": "Telemetri",
+ "show window log": "Pencere Günlüğünü Göster",
+ "mainLog": "Ana",
+ "sharedLog": "Paylaşılan"
+ },
+ "vs/workbench/contrib/logs/electron-sandbox/logsActions": {
+ "openLogsFolder": "Günlükler Klasörünü Aç",
+ "openExtensionLogsFolder": "Uzantı Günlüğü Klasörünü Aç"
+ },
+ "vs/workbench/contrib/logs/common/logsActions": {
+ "setLogLevel": "Günlük Düzeyini Ayarla...",
+ "trace": "İzle",
+ "debug": "Hata Ayıkla",
+ "info": "Bilgi",
+ "warn": "Uyarı",
+ "err": "Hata",
+ "critical": "Kritik",
+ "off": "Kapalı",
+ "selectLogLevel": "Günlük düzeyini seçin",
+ "default and current": "Varsayılan ve Geçerli",
+ "default": "Varsayılan",
+ "current": "Geçerli",
+ "openSessionLogFile": "Pencere Günlük Dosyasını Aç (Oturum)...",
+ "sessions placeholder": "Oturum Seç",
+ "log placeholder": "Günlük dosyası seçin"
+ },
+ "vs/workbench/contrib/markers/browser/markers.contribution": {
+ "markersViewIcon": "İşaretleyici görünümünün simgesini görüntüleyin.",
+ "copyMarker": "Kopyala",
+ "copyMessage": "İletiyi Kopyala",
+ "focusProblemsList": "Sorunlar görünümünü odakla",
+ "focusProblemsFilter": "Sorunlar filtresini odakla",
+ "show multiline": "İletiyi birden çok satırda göster",
+ "problems": "Sorunlar",
+ "show singleline": "İletiyi tek satırda göster",
+ "clearFiltersText": "Filtre metnini temizle",
+ "miMarker": "&&Sorunlar",
+ "status.problems": "Sorunlar",
+ "totalErrors": "{0} Hata",
+ "totalWarnings": "{0} Uyarı",
+ "totalInfos": "{0} Bilgi",
+ "noProblems": "Sorun Yok",
+ "manyProblems": "10K +"
+ },
+ "vs/workbench/contrib/markers/browser/markersView": {
+ "collapseAll": "Tümünü Daralt",
+ "filter": "Filtre",
+ "No problems filtered": "{0} sorun gösteriliyor",
+ "problems filtered": "{0} / {1} sorun gösteriliyor",
+ "clearFilter": "Filtreleri Temizle"
+ },
+ "vs/workbench/contrib/markers/browser/markersViewActions": {
+ "filterIcon": "İşaretleyiciler görünümündeki filtre yapılandırmasının simgesi.",
+ "showing filtered problems": "{0} / {1} gösteriliyor"
+ },
+ "vs/workbench/contrib/markers/browser/messages": {
+ "problems.view.toggle.label": "Sorunları (Hatalar, Uyarılar, Bilgiler) Aç/Kapat",
+ "problems.view.focus.label": "Sorunları (Hatalar, Uyarılar, Bilgiler) Odakla",
+ "problems.panel.configuration.title": "Sorun Görünümü",
+ "problems.panel.configuration.autoreveal": "Sorunlar görünümünde açılırken dosyaların otomatik olarak gösterilip gösterilmeyeceğini denetler.",
+ "problems.panel.configuration.showCurrentInStatus": "Etkinleştirildiğinde durum çubuğunda geçerli sorunu gösterir.",
+ "markers.panel.title.problems": "Sorunlar",
+ "markers.panel.no.problems.build": "Çalışma alanında şu ana kadar bir sorun algılanmadı.",
+ "markers.panel.no.problems.activeFile.build": "Geçerli dosyada şu ana kadar bir sorun algılanmadı.",
+ "markers.panel.no.problems.filters": "Sağlanan filtre ölçütleriyle sonuç bulunamadı.",
+ "markers.panel.action.moreFilters": "Daha Fazla Filtre...",
+ "markers.panel.filter.showErrors": "Hataları Göster",
+ "markers.panel.filter.showWarnings": "Uyarıları Göster",
+ "markers.panel.filter.showInfos": "Bilgileri göster",
+ "markers.panel.filter.useFilesExclude": "Dışlanan Dosyaları Gizle",
+ "markers.panel.filter.activeFile": "Yalnızca Etkin Dosyayı Göster",
+ "markers.panel.action.filter": "Sorunları filtrele",
+ "markers.panel.action.quickfix": "Düzeltmeleri göster",
+ "markers.panel.filter.ariaLabel": "Sorunları filtrele",
+ "markers.panel.filter.placeholder": "Filtre (ör. text, **/*.ts, !**/node_modules/**)",
+ "markers.panel.filter.errors": "hatalar",
+ "markers.panel.filter.warnings": "uyarılar",
+ "markers.panel.filter.infos": "Bilgiler",
+ "markers.panel.single.error.label": "1 Hata",
+ "markers.panel.multiple.errors.label": "{0} Hata",
+ "markers.panel.single.warning.label": "1 Uyarı",
+ "markers.panel.multiple.warnings.label": "{0} Uyarı",
+ "markers.panel.single.info.label": "1 Bilgi",
+ "markers.panel.multiple.infos.label": "{0} Bilgi",
+ "markers.panel.single.unknown.label": "1 Bilinmeyen",
+ "markers.panel.multiple.unknowns.label": "{0} Bilinmeyen",
+ "markers.panel.at.ln.col.number": "[{0}, {1}]",
+ "problems.tree.aria.label.resource": "{2} klasöründeki {1} dosyasında {0} sorun var",
+ "problems.tree.aria.label.marker.relatedInformation": " Bu sorun {0} konuma başvuru içeriyor.",
+ "problems.tree.aria.label.error.marker": "{0} tarafından oluşturulan hata: {2}. satır {3}. karakterde {1}.{4}",
+ "problems.tree.aria.label.error.marker.nosource": "Hata: {1}. satır {2}. karakterde {0}.{3}",
+ "problems.tree.aria.label.warning.marker": "{0} tarafından oluşturulan uyarı: {2}. satır {3}. karakterde {1}.{4}",
+ "problems.tree.aria.label.warning.marker.nosource": "Uyarı: {1}. satır {2}. karakterde {0}.{3}",
+ "problems.tree.aria.label.info.marker": "{0} tarafından oluşturulan bilgiler: {2}. satır {3}. karakterde {1}.{4}",
+ "problems.tree.aria.label.info.marker.nosource": "Bilgi: {1}. satır {2}. karakterde {0}.{3}",
+ "problems.tree.aria.label.marker": "{0} tarafından oluşturulan sorun: {2}. satır {3}. karakterde {1}.{4}",
+ "problems.tree.aria.label.marker.nosource": "Sorun: {1}. satır ve {2}. karakterde {0}.{3}",
+ "problems.tree.aria.label.relatedinfo.message": "{3} içinde {1}. satır {2}. karakterde {0}",
+ "errors.warnings.show.label": "Hataları ve Uyarıları Göster"
+ },
+ "vs/workbench/contrib/markers/browser/markers": {
+ "totalProblems": "Toplam {0} Sorun"
+ },
+ "vs/workbench/contrib/markers/browser/markersFileDecorations": {
+ "label": "Sorunlar",
+ "tooltip.1": "Bu dosyada 1 sorun var",
+ "tooltip.N": "Bu dosyada {0} sorun var",
+ "markers.showOnFile": "Dosya ve klasörlerde Hataları ve Uyarıları göster."
+ },
+ "vs/workbench/contrib/markers/browser/markersTreeViewer": {
+ "problemsView": "Sorun Görünümü",
+ "expandedIcon": "İşaret görünümünde birden çok satırın gösterildiğini belirten simge.",
+ "collapsedIcon": "İşaretleyiciler görünümünde birden çok satırın daraltıldığını belirten simge.",
+ "single line": "İletiyi tek satırda göster",
+ "multi line": "İletiyi birden çok satırda göster",
+ "links.navigate.follow": "Bağlantıyı izle",
+ "links.navigate.kb.meta": "ctrl + tıklama",
+ "links.navigate.kb.meta.mac": "cmd + tıklama",
+ "links.navigate.kb.alt.mac": "seçenek + tıklama",
+ "links.navigate.kb.alt": "alt + tıklama"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/coreActions": {
+ "notebookActions.category": "Not Defteri",
+ "notebookActions.execute": "Hücreyi Yürüt",
+ "notebookActions.cancel": "Hücre Yürütmeyi Durdur",
+ "notebookActions.executeCell": "Hücreyi Yürüt",
+ "notebookActions.CancelCell": "Yürütmeyi İptal Et",
+ "notebookActions.deleteCell": "Hücreyi Sil",
+ "notebookActions.executeAndSelectBelow": "Not Defteri hücresini Yürüt ve Aşağıdan Seç",
+ "notebookActions.executeAndInsertBelow": "Not Defteri Hücresini Yürüt ve Aşağıya Ekle",
+ "notebookActions.renderMarkdown": "Tüm Markdown Hücrelerini İşle",
+ "notebookActions.executeNotebook": "Not Defterini Yürüt",
+ "notebookActions.cancelNotebook": "Not Defterini Yürütmeyi İptal Et",
+ "notebookMenu.insertCell": "Hücre Ekle",
+ "notebookMenu.cellTitle": "Not Defteri Hücresi",
+ "notebookActions.menu.executeNotebook": "Not Defterini Yürüt (Tüm hücreleri çalıştır)",
+ "notebookActions.menu.cancelNotebook": "Not Defteri Yürütmeyi Durdur",
+ "notebookActions.changeCellToCode": "Hücreyi Koda Dönüştür",
+ "notebookActions.changeCellToMarkdown": "Hücreyi Markdown'a Dönüştür",
+ "notebookActions.insertCodeCellAbove": "Yukarıya Code Hücresi Ekle",
+ "notebookActions.insertCodeCellBelow": "Aşağıya Code Hücresi Ekle",
+ "notebookActions.insertCodeCellAtTop": "Üste Kod Hücresi Ekle",
+ "notebookActions.insertMarkdownCellAtTop": "Üste Markdown Hücresi Ekle",
+ "notebookActions.menu.insertCode": "$(add) Kodu",
+ "notebookActions.menu.insertCode.tooltip": "Kod Hücresi Ekle",
+ "notebookActions.insertMarkdownCellAbove": "Yukarıya Markdown Hücresi Ekle",
+ "notebookActions.insertMarkdownCellBelow": "Aşağıya Markdown Hücresi Ekle",
+ "notebookActions.menu.insertMarkdown": "$(add) Markdown",
+ "notebookActions.menu.insertMarkdown.tooltip": "Markdown Hücresi Ekle",
+ "notebookActions.editCell": "Hücreyi Düzenle",
+ "notebookActions.quitEdit": "Hücreyi Düzenlemeyi Durdur",
+ "notebookActions.moveCellUp": "Hücreyi Yukarı Taşı",
+ "notebookActions.moveCellDown": "Hücreyi Aşağı Taşı",
+ "notebookActions.copy": "Hücreyi Kopyala",
+ "notebookActions.cut": "Hücreyi Kes",
+ "notebookActions.paste": "Hücreyi Yapıştır",
+ "notebookActions.pasteAbove": "Hücreyi Yukarı Yapıştır",
+ "notebookActions.copyCellUp": "Hücreyi Yukarı Kopyala",
+ "notebookActions.copyCellDown": "Hücreyi Aşağı Kopyala",
+ "cursorMoveDown": "Sonraki Hücre Düzenleyicisini Odakla",
+ "cursorMoveUp": "Önceki Hücre Düzenleyicisini Odakla",
+ "focusOutput": "Etkin Hücre Çıkışına Odaklan",
+ "focusOutputOut": "Etkin Hücre Çıkışını Dışarı Odakla",
+ "focusFirstCell": "İlk Hücreyi Odakla",
+ "focusLastCell": "Son Hücreyi Odakla",
+ "clearCellOutputs": "Hücre Çıkışlarını Temizle",
+ "changeLanguage": "Hücre Dilini Değiştir",
+ "languageDescription": "({0}) - Geçerli Dil",
+ "languageDescriptionConfigured": "({0})",
+ "pickLanguageToConfigure": "Dil Modunu Seç",
+ "clearAllCellsOutputs": "Tüm Hücre Çıkışlarını Temizle",
+ "notebookActions.splitCell": "Split Cell",
+ "notebookActions.joinCellAbove": "Önceki Hücreyle Birleştir",
+ "notebookActions.joinCellBelow": "Sonraki Hücreyle Birleştir",
+ "notebookActions.centerActiveCell": "Merkez Etkin Hücre",
+ "notebookActions.collapseCellInput": "Hücre Girişini Daralt",
+ "notebookActions.expandCellContent": "Hücre İçeriğini Genişlet",
+ "notebookActions.collapseCellOutput": "Hücre Çıkışını Daralt",
+ "notebookActions.expandCellOutput": "Hücre Çıkışını Genişlet",
+ "notebookActions.inspectLayout": "Not Defteri Yerleşimini İncele"
+ },
+ "vs/workbench/contrib/notebook/browser/notebook.contribution": {
+ "diffLeftRightLabel": "{0} ⟷ {1}",
+ "notebookConfigurationTitle": "Not Defteri",
+ "notebook.displayOrder.description": "Çıkış MIME türleri için öncelik listesi",
+ "notebook.cellToolbarLocation.description": "Hücre araç çubuğunun gösterileceği yeri veya gizlenip gizlenmeyeceğini belirtir.",
+ "notebook.showCellStatusbar.description": "Hücre durum çubuğunun gösterilip gösterilmeyeceğini belirtir.",
+ "notebook.diff.enablePreview.description": "Not defteri için gelişmiş metin fark düzenleyicisinin kullanılıp kullanılmayacağını belirtir."
+ },
+ "vs/workbench/contrib/notebook/browser/notebookIcons": {
+ "configureKernel": "Not defteri düzenleyicilerindeki çekirdek yapılandırma pencere öğesinde bulunan yapılandırma simgesi.",
+ "selectKernelIcon": "Not defteri düzenleyicilerinde çekirdek seçmeye yönelik yapılandırma simgesi.",
+ "executeIcon": "Not defteri düzenleyicilerindeki yürütme simgesi.",
+ "stopIcon": "Not defteri düzenleyicilerindeki yürütmeyi durdurma simgesi.",
+ "deleteCellIcon": "Not defteri düzenleyicilerindeki hücre silme simgesi.",
+ "executeAllIcon": "Not defteri düzenleyicilerindeki tüm hücreleri yürütme simgesi.",
+ "editIcon": "Not defteri düzenleyicilerindeki hücre düzenleme simgesi.",
+ "stopEditIcon": "Not defteri düzenleyicilerindeki hücre düzenlemeyi durdurma simgesi.",
+ "moveUpIcon": "Not defteri düzenleyicilerindeki hücreyi yukarı taşıma simgesi.",
+ "moveDownIcon": "Not defteri düzenleyicilerindeki hücreyi aşağıya taşıma simgesi.",
+ "clearIcon": "Not defteri düzenleyicilerindeki hücre çıkışlarını temizleme simgesi.",
+ "splitCellIcon": "Not defteri düzenleyicilerindeki hücre bölme simgesi.",
+ "unfoldIcon": "Not defteri düzenleyicilerinde hücre düzleştirme simgesi.",
+ "successStateIcon": "Not defteri düzenleyicilerindeki başarı durumunu gösteren simge.",
+ "errorStateIcon": "Not defteri düzenleyicilerindeki hata durumunu gösteren simge.",
+ "collapsedIcon": "Not defteri düzenleyicilerindeki daraltılmış bölümü belirten simge.",
+ "expandedIcon": "Not defteri düzenleyicilerindeki genişletilmiş bölümü belirten simge.",
+ "openAsTextIcon": "Metin düzenleyicisinde not defteri açma simgesi.",
+ "revertIcon": "Not defteri düzenleyicilerindeki geri alma simgesi.",
+ "mimetypeIcon": "Not defteri düzenleyicilerinde MIME türü simgesi."
+ },
+ "vs/workbench/contrib/notebook/browser/notebookEditor": {
+ "fail.noEditor": "Kaynak '{0}' not defteri düzenleyicisi türü ile açılamıyor. Lütfen doğru uzantının yüklü veya etkinleştirilmiş durumda olup olmadığını denetleyin.",
+ "fail.reOpen": "Dosyayı VS Code standart metin düzenleyicisiyle yeniden aç"
+ },
+ "vs/workbench/contrib/notebook/browser/notebookServiceImpl": {
+ "builtinProviderDisplayName": "Yerleşik"
+ },
+ "vs/workbench/contrib/notebook/browser/diff/notebookTextDiffEditor": {
+ "notebookTreeAriaLabel": "Not Defteri Metin Farkı"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/find/findController": {
+ "notebookActions.hideFind": "Not Defterinde Bulmayı Gizle",
+ "notebookActions.findInNotebook": "Not Defterinde Bul"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/fold/folding": {
+ "fold.cell": "Hücreyi Katla",
+ "unfold.cell": "Hücre Katlamasını Aç"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/format/formatting": {
+ "format.title": "Not defterini Biçimlendir",
+ "label": "Not defterini Biçimlendir",
+ "formatCell.label": "Hücreyi Biçimlendir"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/status/editorStatus": {
+ "notebookActions.selectKernel": "Not Defteri Çekirdeğini Seç",
+ "notebook.runCell.selectKernel": "Bu not defterini çalıştırmak için bir not defteri çekirdeği seçin",
+ "currentActiveKernel": " (Şu Anda Etkin)",
+ "notebook.promptKernel.setDefaultTooltip": "'{0}' için varsayılan çekirdek sağlayıcısı olarak ayarla",
+ "chooseActiveKernel": "Geçerli not defteri için çekirdek seçin",
+ "notebook.selectKernel": "Geçerli not defteri için çekirdek seçin"
+ },
+ "vs/workbench/contrib/notebook/browser/diff/notebookDiffActions": {
+ "notebook.diff.switchToText": "Metin Fark Düzenleyicisini Aç",
+ "notebook.diff.cell.revertMetadata": "Meta Verileri Geri Al",
+ "notebook.diff.cell.revertOutputs": "Çıkışları Geri Al",
+ "notebook.diff.cell.revertInput": "Girişi Geri Döndür"
+ },
+ "vs/workbench/contrib/notebook/browser/extensionPoint": {
+ "contributes.notebook.provider": "Not defteri belge sağlayıcısı katkısında bulunur.",
+ "contributes.notebook.provider.viewType": "Not defterinin benzersiz tanımlayıcısı.",
+ "contributes.notebook.provider.displayName": "Not defterinin kullanıcı tarafından okunabilen adı.",
+ "contributes.notebook.provider.selector": "Not defterinin yönelik olduğu glob kümesi.",
+ "contributes.notebook.provider.selector.filenamePattern": "Not defterinin kendisi için etkinleştirildiği glob.",
+ "contributes.notebook.selector.provider.excludeFileNamePattern": "Not defterinin kendisi için devre dışı bırakıldığı glob.",
+ "contributes.priority": "Kullanıcı bir dosyayı açtığında özel düzenleyicinin otomatik olarak etkinleştirilip etkinleştirilmeyeceğini denetler. Kullanıcılar tarafından 'workbench.editorAssociations' ayarı kullanılarak geçersiz kılınabilir.",
+ "contributes.priority.default": "Bir kaynak için başka bir varsayılan özel düzenleyici kayıtlı olmadığı sürece kullanıcı kaynağı açtığında düzenleyici otomatik olarak kullanılır.",
+ "contributes.priority.option": "Kullanıcı bir kaynağı açtığında düzenleyici otomatik olarak kullanılmaz, ancak kullanıcı 'Birlikte Aç' komutunu kullanarak düzenleyiciye geçebilir.",
+ "contributes.notebook.renderer": "Not defteri çıkış işleyici sağlayıcısı katkısında bulunur.",
+ "contributes.notebook.renderer.viewType": "Not defteri çıkış işleyicisinin benzersiz tanımlayıcısı.",
+ "contributes.notebook.provider.viewType.deprecated": "'viewType' öğesini 'id' olarak yeniden adlandırın.",
+ "contributes.notebook.renderer.displayName": "Not defteri çıkış işleyicisinin kullanıcı tarafından okunabilen adı.",
+ "contributes.notebook.selector": "Not defterinin yönelik olduğu glob kümesi.",
+ "contributes.notebook.renderer.entrypoint": "Uzantıyı işlemek için Web görünümünde yüklenecek dosya."
+ },
+ "vs/workbench/contrib/notebook/browser/notebookKernelAssociation": {
+ "notebook.kernelProviderAssociations": "Diğer tüm çekirdek sağlayıcı ayarlarından daha yüksek öncelikli olan varsayılan bir çekirdek sağlayıcı tanımlar. Bir çekirdek sağlayıcı katkısında bulunan bir uzantının tanımlayıcısı olmalıdır."
+ },
+ "vs/workbench/contrib/notebook/common/model/notebookTextModel": {
+ "defaultEditLabel": "Düzenle"
+ },
+ "vs/workbench/contrib/notebook/common/notebookEditorModel": {
+ "notebook.staleSaveError": "Dosyanın diskteki içeriği değişti. Güncelleştirilmiş sürümü açmak mı, yoksa yaptığınız değişikliklerle dosyanın üzerine yazmak mı istiyorsunuz?",
+ "notebook.staleSaveError.revert": "Geri Döndür",
+ "notebook.staleSaveError.overwrite.": "Üzerine Yaz"
+ },
+ "vs/workbench/contrib/notebook/browser/notebookEditorWidget": {
+ "notebookTreeAriaLabel": "Not Defteri",
+ "notebook.runCell.selectKernel": "Bu not defterini çalıştırmak için bir not defteri çekirdeği seçin",
+ "notebook.promptKernel.setDefaultTooltip": "'{0}' için varsayılan çekirdek sağlayıcısı olarak ayarla",
+ "notebook.cellBorderColor": "Not defteri hücrelerinin kenarlık rengi.",
+ "notebook.focusedEditorBorder": "Not defteri hücre düzenleyicisi kenarlığının rengi.",
+ "notebookStatusSuccessIcon.foreground": "Not defteri hücrelerinin hücre durum çubuğundaki hata simgesi rengi.",
+ "notebookStatusErrorIcon.foreground": "Not defteri hücrelerinin hücre durum çubuğundaki hata simgesi rengi.",
+ "notebookStatusRunningIcon.foreground": "Not defteri hücrelerinin hücre durum çubuğundaki çalışma simgesi rengi.",
+ "notebook.outputContainerBackgroundColor": "Not defteri çıkış kapsayıcısı arka planının rengi.",
+ "notebook.cellToolbarSeparator": "Hücre alt araç çubuğundaki ayırıcı rengi",
+ "focusedCellBackground": "Hücreye odaklanıldığında hücrenin arka plan rengi.",
+ "notebook.cellHoverBackground": "Hücrenin üzerine gelindiğinde hücrenin arka plan rengi.",
+ "notebook.selectedCellBorder": "Hücre seçildiğinde ancak hücreye odaklanılmadığında hücrenin üst ve alt kenarlığının rengi.",
+ "notebook.focusedCellBorder": "Hücreye odaklanıldığında hücrenin üst ve alt kenarlığının rengi.",
+ "notebook.cellStatusBarItemHoverBackground": "Not defteri hücresi durum çubuğu öğelerinin arka plan rengi.",
+ "notebook.cellInsertionIndicator": "Not defteri hücresi ekleme göstergesinin rengi.",
+ "notebookScrollbarSliderBackground": "Not defteri kaydırma çubuğu kaydırıcısı arka plan rengi.",
+ "notebookScrollbarSliderHoverBackground": "Üzerine gelindiğinde not defteri kaydırma çubuğu kaydırıcısı arka plan rengi.",
+ "notebookScrollbarSliderActiveBackground": "Tıklandığında not defteri kaydırma çubuğu kaydırıcısı arka plan rengi.",
+ "notebook.symbolHighlightBackground": "Vurgulanan hücrenin arka plan rengi"
+ },
+ "vs/workbench/contrib/notebook/browser/view/renderers/cellRenderer": {
+ "cellExpandButtonLabel": "Genişlet"
+ },
+ "vs/workbench/contrib/notebook/browser/viewModel/markdownCellViewModel": {
+ "notebook.emptyMarkdownPlaceholder": "Boş markdown hücresi; düzenlemek için çift tıklayın veya Enter tuşuna basın."
+ },
+ "vs/workbench/contrib/notebook/browser/view/renderers/cellWidgets": {
+ "notebook.cell.status.language": "Hücre Dil Modunu Seç"
+ },
+ "vs/workbench/contrib/notebook/browser/view/renderers/cellOutput": {
+ "mimeTypePicker": "Farklı bir çıkış MIME türü seçin; mevcut MIME türleri: {0}",
+ "curruentActiveMimeType": "Şu Anda Etkin",
+ "promptChooseMimeTypeInSecure.placeHolder": "Geçerli çıkış için işlenecek mimetype'ı seçin. Zengin mimetype'lar yalnızca not defterine güveniliyorken kullanılabilir",
+ "promptChooseMimeType.placeHolder": "Geçerli çıkış için işlenecek mimetype'ı seçin",
+ "builtinRenderInfo": "yerleşik"
+ },
+ "vs/workbench/contrib/outline/browser/outline.contribution": {
+ "outlineViewIcon": "Ana hat görünümünün simgesini görüntüleyin.",
+ "name": "Anahat",
+ "outlineConfigurationTitle": "Anahat",
+ "outline.showIcons": "Ana hat Öğelerini Simgelerle İşle.",
+ "outline.showProblem": "Ana hat Öğelerindeki Hata ve Uyarıları Göster.",
+ "outline.problem.colors": "Hatalar ve Uyarılar için renk kullan.",
+ "outline.problems.badges": "Hatalar ve Uyarılar için rozet kullan.",
+ "filteredTypes.file": "Etkinleştirildiğinde ana hat `file` sembollerini gösterir.",
+ "filteredTypes.module": "Etkinleştirildiğinde ana hat `module` sembollerini gösterir.",
+ "filteredTypes.namespace": "Etkinleştirildiğinde ana hat `namespace` sembollerini gösterir.",
+ "filteredTypes.package": "Etkinleştirildiğinde ana hat `package` sembollerini gösterir.",
+ "filteredTypes.class": "Etkinleştirildiğinde ana hat `class` sembollerini gösterir.",
+ "filteredTypes.method": "Etkinleştirildiğinde ana hat `method` sembollerini gösterir.",
+ "filteredTypes.property": "Etkinleştirildiğinde ana hat `property` sembollerini gösterir.",
+ "filteredTypes.field": "Etkinleştirildiğinde ana hat `field` sembollerini gösterir.",
+ "filteredTypes.constructor": "Etkinleştirildiğinde ana hat `constructor` sembollerini gösterir.",
+ "filteredTypes.enum": "Etkinleştirildiğinde ana hat `enum` sembollerini gösterir.",
+ "filteredTypes.interface": "Etkinleştirildiğinde ana hat `arabirim` sembollerini gösterir.",
+ "filteredTypes.function": "Etkinleştirildiğinde ana hat `function` sembollerini gösterir.",
+ "filteredTypes.variable": "Etkinleştirildiğinde ana hat `variable` sembollerini gösterir.",
+ "filteredTypes.constant": "Etkinleştirildiğinde ana hat `constant` sembollerini gösterir.",
+ "filteredTypes.string": "Etkinleştirildiğinde ana hat `string` sembollerini gösterir.",
+ "filteredTypes.number": "Etkinleştirildiğinde ana hat `number` sembollerini gösterir.",
+ "filteredTypes.boolean": "Etkinleştirildiğinde ana hat `boolean` sembollerini gösterir.",
+ "filteredTypes.array": "Etkinleştirildiğinde ana hat `array` sembollerini gösterir.",
+ "filteredTypes.object": "Etkinleştirildiğinde ana hat `object` sembollerini gösterir.",
+ "filteredTypes.key": "Etkinleştirildiğinde ana hat `key` sembollerini gösterir.",
+ "filteredTypes.null": "Etkinleştirildiğinde ana hat `null` sembollerini gösterir.",
+ "filteredTypes.enumMember": "Etkinleştirildiğinde ana hat `enumMember` sembollerini gösterir.",
+ "filteredTypes.struct": "Etkinleştirildiğinde ana hat `struct` sembollerini gösterir.",
+ "filteredTypes.event": "Etkinleştirildiğinde ana hat `event` sembollerini gösterir.",
+ "filteredTypes.operator": "Etkinleştirildiğinde ana hat `operator` sembollerini gösterir.",
+ "filteredTypes.typeParameter": "Etkinleştirildiğinde ana hat `typeParameter` sembollerini gösterir."
+ },
+ "vs/workbench/contrib/outline/browser/outlinePane": {
+ "outline": "Anahat",
+ "sortByPosition": "Sıralama Ölçütü: Konum",
+ "sortByName": "Ada Göre Sırala",
+ "sortByKind": "Kategoriye Göre Sırala",
+ "followCur": "İmleci İzle",
+ "filterOnType": "Türe Göre Filtrele",
+ "no-editor": "Etkin düzenleyici, ana hat bilgileri sağlayamıyor.",
+ "loading": "'{0}' için belge sembolleri yükleniyor...",
+ "no-symbols": "'{0}' belgesinde hiçbir sembol bulunamadı"
+ },
+ "vs/workbench/contrib/output/browser/output.contribution": {
+ "outputViewIcon": "Çıkış görünümünün simgesini görüntüleyin.",
+ "output": "Çıkış",
+ "logViewer": "Günlük Görüntüleyicisi",
+ "switchToOutput.label": "Çıkışa Geç",
+ "clearOutput.label": "Çıkışı Temizle",
+ "outputCleared": "Çıkış temizlendi",
+ "toggleAutoScroll": "Otomatik Kaydırmayı Değiştir",
+ "outputScrollOff": "Otomatik Kaydırmayı Kapat",
+ "outputScrollOn": "Otomatik Kaydırmayı Aç",
+ "openActiveLogOutputFile": "Günlük Çıkış Dosyasını Aç",
+ "toggleOutput": "Çıkışı Aç/Kapat",
+ "showLogs": "Günlükleri Göster...",
+ "selectlog": "Günlük Seç",
+ "openLogFile": "Günlük Dosyasını Aç...",
+ "selectlogFile": "Günlük dosyası seç",
+ "miToggleOutput": "&&Çıkış",
+ "output.smartScroll.enabled": "Çıkış görünümünde akıllı kaydırma becerisini etkinleştir/devre dışı bırak. Akıllı kaydırma, çıkış görünümüne tıkladığınızda kaydırmayı otomatik olarak kilitlemenizi sağlar ve son satıra tıkladığınızda kilidi açar."
+ },
+ "vs/workbench/contrib/output/browser/outputView": {
+ "output model title": "{0} - Çıkış",
+ "channel": "'{0}' için çıkış kanalı",
+ "output": "Çıkış",
+ "outputViewWithInputAriaLabel": "{0}, Çıkış paneli",
+ "outputViewAriaLabel": "Çıkış paneli",
+ "outputChannels": "Çıkış Kanalları.",
+ "logChannel": "Günlük ({0})"
+ },
+ "vs/workbench/contrib/output/browser/logViewer": {
+ "logViewerAriaLabel": "Günlük görüntüleyicisi"
+ },
+ "vs/workbench/contrib/performance/electron-browser/startupProfiler": {
+ "prof.message": "Profiller başarıyla oluşturuldu.",
+ "prof.detail": "Lütfen bir sorun oluşturun ve aşağıdaki dosyaları el ile ekleyin:\r\n{0}",
+ "prof.restartAndFileIssue": "&&Sorun Oluştur ve Yeniden Başlat",
+ "prof.restart": "&&Yeniden Başlat",
+ "prof.thanks": "Bize yardımcı olduğunuz için teşekkür ederiz.",
+ "prof.detail.restart": "'{0}' öğesini kullanmaya devam etmek için son bir yeniden başlatma işlemi gerekiyor. Katkınız için bir kez daha teşekkür ederiz.",
+ "prof.restart.button": "&&Yeniden Başlat"
+ },
+ "vs/workbench/contrib/performance/browser/performance.contribution": {
+ "show.label": "Başlangıç Performansı"
+ },
+ "vs/workbench/contrib/performance/browser/perfviewEditor": {
+ "name": "Başlangıç Performansı"
+ },
+ "vs/workbench/contrib/preferences/browser/keybindingsEditorContribution": {
+ "defineKeybinding.start": "Tuş Bağlaması Tanımla",
+ "defineKeybinding.kbLayoutErrorMessage": "Geçerli klavye düzeninizde bu tuş bileşimini üretemezsiniz.",
+ "defineKeybinding.kbLayoutLocalAndUSMessage": "Geçerli klavye düzeniniz için **{0}** (ABD standart için **{1}**).",
+ "defineKeybinding.kbLayoutLocalMessage": "Geçerli klavye düzeniniz için **{0}**."
+ },
+ "vs/workbench/contrib/preferences/browser/preferences.contribution": {
+ "defaultPreferencesEditor": "Varsayılan Tercihler Düzenleyicisi",
+ "settingsEditor2": "Ayar Düzenleyicisi 2",
+ "keybindingsEditor": "Tuş Bağlaması Düzenleyicisi",
+ "openSettings2": "Ayarları Aç (Kullanıcı Arabirimi)",
+ "preferences": "Tercihler",
+ "settings": "Ayarlar",
+ "miOpenSettings": "&&Ayarlar",
+ "openSettingsJson": "Ayarları Aç (JSON)",
+ "openGlobalSettings": "Kullanıcı ayarlarını aç",
+ "openRawDefaultSettings": "Varsayılan Ayarları Aç (JSON)",
+ "openWorkspaceSettings": "Çalışma Alanı Ayarlarını Aç",
+ "openWorkspaceSettingsFile": "Çalışma Alanı Ayarlarını Aç (JSON)",
+ "openFolderSettings": "Klasör Ayarlarını Aç",
+ "openFolderSettingsFile": "Klasör Ayarlarını Aç (JSON)",
+ "filterModifiedLabel": "Değiştirilen ayarları göster",
+ "filterOnlineServicesLabel": "Çevrimiçi hizmetler için ayarları göster",
+ "miOpenOnlineSettings": "&&Çevrimiçi Hizmet Ayarları",
+ "onlineServices": "Çevrimiçi Hizmet Ayarları",
+ "openRemoteSettings": "Uzak Ayarları Aç ({0})",
+ "settings.focusSearch": "Ayar Aramayı Odakla",
+ "settings.clearResults": "Ayar Arama Sonuçlarını Temizle",
+ "settings.focusFile": "Ayarlar dosyasını odakla",
+ "settings.focusNextSetting": "Sonraki ayarı odakla",
+ "settings.focusPreviousSetting": "Önceki ayarı odakla",
+ "settings.editFocusedSetting": "Odaklanılan ayarı düzenle",
+ "settings.focusSettingsList": "Ayarlar listesini odakla",
+ "settings.focusSettingsTOC": "Ayarlar İçindekiler Tablosunu Odakla",
+ "settings.focusSettingControl": "Ayar Denetimini Odakla",
+ "settings.showContextMenu": "Ayar Bağlam Menüsünü Göster",
+ "settings.focusLevelUp": "Odağı Bir Düzey Yukarı Taşı",
+ "openGlobalKeybindings": "Klavye Kısayollarını Aç",
+ "Keyboard Shortcuts": "Klavye Kısayolları",
+ "openDefaultKeybindingsFile": "Varsayılan Klavye Kısayollarını Aç (JSON)",
+ "openGlobalKeybindingsFile": "Klavye Kısayollarını Aç (JSON)",
+ "showDefaultKeybindings": "Varsayılan Tuş Bağlamalarını Göster",
+ "showUserKeybindings": "Kullanıcı Tuş Bağlamalarını Göster",
+ "clear": "Arama Sonuçlarını Temizle",
+ "miPreferences": "&&Tercihler"
+ },
+ "vs/workbench/contrib/preferences/browser/keybindingWidgets": {
+ "defineKeybinding.initial": "İstediğiniz tuş bileşimine, sonra ENTER tuşuna basın.",
+ "defineKeybinding.oneExists": "Mevcut 1 komutta bu tuş bağlaması var",
+ "defineKeybinding.existing": "Mevcut {0} komutta bu tuş bağlaması var",
+ "defineKeybinding.chordsTo": "şuna bağla"
+ },
+ "vs/workbench/contrib/preferences/browser/keybindingsEditor": {
+ "recordKeysLabel": "Tuşları Kaydet",
+ "recordKeysLabelWithKeybinding": "{0} ({1})",
+ "sortByPrecedeneLabel": "Önceliğe Göre Sırala",
+ "sortByPrecedeneLabelWithKeybinding": "{0} ({1})",
+ "SearchKeybindings.FullTextSearchPlaceholder": "Tuş bağlaması aramak için yazın",
+ "SearchKeybindings.KeybindingsSearchPlaceholder": "Tuşlar Kaydediliyor. Çıkmak için Escape tuşuna basın",
+ "clearInput": "Tuş Bağlaması Arama Girişini Temizle",
+ "recording": "Tuşlar Kaydediliyor",
+ "command": "Komut",
+ "keybinding": "Tuş bağlaması",
+ "when": "Zaman",
+ "source": "Kaynak",
+ "show sorted keybindings": "{0} Tuş Bağlaması öncelik sırasına göre gösteriliyor",
+ "show keybindings": "{0} Tuş Bağlaması alfabetik sırada gösteriliyor",
+ "changeLabel": "Tuş Bağlamasını Değiştir...",
+ "addLabel": "Tuş Bağlaması Ekle...",
+ "editWhen": "Zaman İfadesini Değiştir",
+ "removeLabel": "Tuş Bağlamasını Kaldır",
+ "resetLabel": "Tuş Bağlamasını Sıfırla",
+ "showSameKeybindings": "Aynı Tuş Bağlamalarını Göster",
+ "copyLabel": "Kopyala",
+ "copyCommandLabel": "Komut Kimliğini Kopyala",
+ "error": "Tuş bağlaması düzenlenirken '{0}' hatası oluştu. Lütfen 'keybindings.json' dosyasını açın ve hataları denetleyin.",
+ "editKeybindingLabelWithKey": "{0} Tuş Bağlamasını Değiştir",
+ "editKeybindingLabel": "Tuş Bağlamasını Değiştir",
+ "addKeybindingLabelWithKey": "{0} Tuş Bağlaması Ekle",
+ "addKeybindingLabel": "Tuş Bağlaması Ekle",
+ "title": "{0} ({1})",
+ "whenContextInputAriaLabel": "Zaman bağlamı yazın. Onaylamak Enter tuşuna, iptal etmek için Escape tuşuna basın.",
+ "keybindingsLabel": "Tuş bağlamaları",
+ "noKeybinding": "Tuş bağlaması atanmadı.",
+ "noWhen": "Zaman bağlamı yok."
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesActions": {
+ "configureLanguageBasedSettings": "Dile Özgü Ayarları Yapılandır...",
+ "languageDescriptionConfigured": "({0})",
+ "pickLanguage": "Dil Seç"
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesEditor": {
+ "SearchSettingsWidget.AriaLabel": "Arama ayarları",
+ "SearchSettingsWidget.Placeholder": "Arama Ayarları",
+ "noSettingsFound": "Hiçbir Ayar Bulunamadı",
+ "oneSettingFound": "1 Ayar Bulundu",
+ "settingsFound": "{0} Ayar Bulundu",
+ "totalSettingsMessage": "Toplam {0} Ayar",
+ "nlpResult": "Doğal Dil Sonuçları",
+ "filterResult": "Filtrelenen Sonuçlar",
+ "defaultSettings": "Varsayılan Ayarlar",
+ "defaultUserSettings": "Varsayılan Kullanıcı Ayarları",
+ "defaultWorkspaceSettings": "Varsayılan Çalışma Alanı Ayarları",
+ "defaultFolderSettings": "Varsayılan Klasör Ayarları",
+ "defaultEditorReadonly": "Varsayılanları geçersiz kılmak için sağ taraftaki düzenleyicide düzenleyin.",
+ "preferencesAriaLabel": "Varsayılan tercihler. Salt okunur."
+ },
+ "vs/workbench/contrib/preferences/browser/settingsEditor2": {
+ "SearchSettings.AriaLabel": "Arama ayarları",
+ "clearInput": "Ayarları Arama Girişini Temizle",
+ "noResults": "Hiçbir Ayar Bulunamadı",
+ "clearSearchFilters": "Filtreleri Temizle",
+ "settings": "Ayarlar",
+ "settingsNoSaveNeeded": "Ayarlarda yapılan değişiklikler otomatik olarak kaydedilir.",
+ "oneResult": "1 Ayar Bulundu",
+ "moreThanOneResult": "{0} Ayar Bulundu",
+ "turnOnSyncButton": "Ayarları Eşitlemeyi Aç",
+ "lastSyncedLabel": "Son eşitleme: {0}"
+ },
+ "vs/workbench/contrib/preferences/common/preferencesContribution": {
+ "enableNaturalLanguageSettingsSearch": "Ayarlar için doğal dil araması modunun etkinleştirilip etkinleştirilmeyeceğini denetler. Doğal dil araması, bir Microsoft çevrimiçi hizmeti tarafından sağlanır.",
+ "settingsSearchTocBehavior.hide": "Arama sırasında İçindekiler Tablosunu gizle.",
+ "settingsSearchTocBehavior.filter": "İçindekiler Tablosu'nu yalnızca eşleşen ayarları olan kategorilerle filtreleyin. Bir kategoriye tıklandığında, sonuçlar bu kategoriye göre filtrelenir.",
+ "settingsSearchTocBehavior": "Arama sırasında ayar düzenleyicisi İçindekiler Tablosu'nun davranışını denetler."
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesIcons": {
+ "settingsGroupExpandedIcon": "Bölünmüş JSON ayarları düzenleyicisindeki genişletilmiş bölüm simgesi.",
+ "settingsGroupCollapsedIcon": "Bölünmüş JSON ayarları düzenleyicisindeki daraltılmış bölüm simgesi.",
+ "settingsScopeDropDownIcon": "Bölünmüş JSON ayarları düzenleyicisindeki klasör açılır düğmesinin simgesi.",
+ "settingsMoreActionIcon": "Ayarlar kullanıcı arabirimindeki 'diğer eylemler' eyleminin simgesi.",
+ "keybindingsRecordKeysIcon": "Tuş bağlaması kullanıcı arabirimindeki 'tuşları kaydet' eyleminin simgesi.",
+ "keybindingsSortIcon": "Tuş bağlaması kullanıcı arabirimindeki 'önceliğe göre sırala' iki durumlu denetiminin simgesi.",
+ "keybindingsEditIcon": "Tuş bağlaması kullanıcı arabirimindeki düzenleme eyleminin simgesi.",
+ "keybindingsAddIcon": "Tuş bağlaması kullanıcı arabirimindeki ekleme eyleminin simgesi.",
+ "settingsEditIcon": "Ayarlar kullanıcı arabirimindeki düzenleme eyleminin simgesi.",
+ "settingsAddIcon": "Ayarlar kullanıcı arabirimindeki ekleme eyleminin simgesi.",
+ "settingsRemoveIcon": "Ayarlar kullanıcı arabirimindeki tümünü kaldırma eyleminin simgesi.",
+ "preferencesDiscardIcon": "Ayarlar kullanıcı arabirimindeki atma eyleminin simgesi.",
+ "preferencesClearInput": "Ayarlar ve tuş bağlamaları kullanıcı arabirimindeki girişi temizleme simgesi.",
+ "preferencesOpenSettings": "Ayarları aç komutlarının simgesi."
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesWidgets": {
+ "defaultSettings": "Geçersiz kılmak için ayarlarınızı sağ taraftaki düzenleyiciye yerleştirin.",
+ "noSettingsFound": "Ayar Bulunamadı.",
+ "settingsSwitcherBarAriaLabel": "Ayar Değiştirici",
+ "userSettings": "Kullanıcı",
+ "userSettingsRemote": "Uzak",
+ "workspaceSettings": "Çalışma Alanı",
+ "folderSettings": "Klasör"
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesRenderers": {
+ "emptyUserSettingsHeader": "Varsayılan Ayarları geçersiz kılmak için ayarlarınızı buraya yerleştirin.",
+ "emptyWorkspaceSettingsHeader": "Kullanıcı Ayarlarını geçersiz kılmak için ayarlarınızı buraya yerleştirin.",
+ "emptyFolderSettingsHeader": "Çalışma Alanı Ayarlarından olanları geçersiz kılmak için klasör ayarlarınızı buraya yerleştirin.",
+ "editTtile": "Düzenle",
+ "replaceDefaultValue": "Ayarlarda Değiştir",
+ "copyDefaultValue": "Ayarlara Kopyala",
+ "unknown configuration setting": "Bilinmeyen Yapılandırma Ayarı",
+ "unsupportedRemoteMachineSetting": "Bu ayar bu pencerede uygulanamaz; yerel pencereyi açtığınızda uygulanacaktır.",
+ "unsupportedWindowSetting": "Bu ayar bu çalışma alanında uygulanamaz. Ayar, kendisini içeren çalışma alanı klasörünü doğrudan açtığınızda uygulanacak.",
+ "unsupportedApplicationSetting": "Bu ayar yalnızca uygulama kullanıcı ayarlarında uygulanabilir",
+ "unsupportedMachineSetting": "Bu ayar yalnızca yerel penceredeki kullanıcı ayarlarında veya uzak penceredeki uzak ayarlarda uygulanabilir.",
+ "unsupportedProperty": "Desteklenmeyen Özellik"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsLayout": {
+ "commonlyUsed": "Sık Kullanılan",
+ "textEditor": "Metin Düzenleyici",
+ "cursor": "İmleç",
+ "find": "Bul",
+ "font": "Yazı Tipi",
+ "formatting": "Biçimlendirme",
+ "diffEditor": "Fark Düzenleyicisi",
+ "minimap": "Mini Harita",
+ "suggestions": "Öneriler",
+ "files": "Dosyalar",
+ "workbench": "Çalışma Yeri",
+ "appearance": "Görünüm",
+ "breadcrumbs": "İçerik haritaları",
+ "editorManagement": "Düzenleyici Yönetimi",
+ "settings": "Ayar Düzenleyicisi",
+ "zenMode": "Zen Modu",
+ "screencastMode": "Ekran Kaydı Modu",
+ "window": "Pencere",
+ "newWindow": "Yeni Pencere",
+ "features": "Özellikler",
+ "fileExplorer": "Gezgin",
+ "search": "Ara",
+ "debug": "Hata Ayıkla",
+ "scm": "SCM",
+ "extensions": "Uzantılar",
+ "terminal": "Terminal",
+ "task": "Görev",
+ "problems": "Sorunlar",
+ "output": "Çıkış",
+ "comments": "Açıklamalar",
+ "remote": "Uzak",
+ "timeline": "Zaman çizelgesi",
+ "notebook": "Not Defteri",
+ "application": "Uygulama",
+ "proxy": "Ara Sunucu",
+ "keyboard": "Klavye",
+ "update": "Güncelleştir",
+ "telemetry": "Telemetri",
+ "settingsSync": "Ayarları Eşitleme"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsTree": {
+ "extensions": "Uzantılar",
+ "extensionSyncIgnoredLabel": "Eşitleme: Yoksayıldı",
+ "modified": "Değiştirildi",
+ "settingsContextMenuTitle": "Diğer Eylemler... ",
+ "alsoConfiguredIn": "Şurada da değiştirildi",
+ "configuredIn": "Değiştirilme tarihi",
+ "newExtensionsButtonLabel": "Eşleşen uzantıları göster",
+ "editInSettingsJson": "settings.json'da düzenle",
+ "settings.Default": "varsayılan",
+ "resetSettingLabel": "Ayarı Sıfırla",
+ "validationError": "Doğrulama Hatası.",
+ "settings.Modified": "Değiştirildi.",
+ "settings": "Ayarlar",
+ "copySettingIdLabel": "Ayar Kimliğini Kopyala",
+ "copySettingAsJSONLabel": "Ayarı JSON Olarak Kopyala",
+ "stopSyncingSetting": "Bu Ayarı Eşitle"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsTreeModels": {
+ "workspace": "Çalışma Alanı",
+ "remote": "Uzak",
+ "user": "Kullanıcı"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsWidgets": {
+ "headerForeground": "Bölüm üst bilgisi veya etkin başlık için ön plan rengi.",
+ "modifiedItemForeground": "Değiştirilen ayar göstergesi rengi.",
+ "settingsDropdownBackground": "Ayar düzenleyicisi aşağı açılan listesi arka planı.",
+ "settingsDropdownForeground": "Ayar düzenleyicisi aşağı açılan listesi ön planı.",
+ "settingsDropdownBorder": "Ayar düzenleyicisi aşağı açılan listesi kenarlığı.",
+ "settingsDropdownListBorder": "Ayar düzenleyicisi aşağı açılan listesi kenarlığı. Seçenekleri çevreler ve açıklamadan ayırır.",
+ "settingsCheckboxBackground": "Ayar düzenleyicisi onay kutusu arka planı.",
+ "settingsCheckboxForeground": "Ayar düzenleyicisi onay kutusu ön planı.",
+ "settingsCheckboxBorder": "Ayar düzenleyicisi onay kutusu kenarlığı.",
+ "textInputBoxBackground": "Ayar düzenleyicisi metin giriş kutusu arka planı.",
+ "textInputBoxForeground": "Ayar düzenleyicisi metin giriş kutusu ön planı.",
+ "textInputBoxBorder": "Ayar düzenleyicisi metin giriş kutusu kenarlığı.",
+ "numberInputBoxBackground": "Ayar düzenleyicisi sayı giriş kutusu arka planı.",
+ "numberInputBoxForeground": "Ayar düzenleyicisi sayı giriş kutusu ön planı.",
+ "numberInputBoxBorder": "Ayar düzenleyicisi sayı giriş kutusu kenarlığı.",
+ "focusedRowBackground": "Odaklandığında görünecek ayar satırının arka plan rengi.",
+ "notebook.rowHoverBackground": "Üzerine gelindiğinde görünecek ayar satırının arka plan rengi.",
+ "notebook.focusedRowBorder": "Satır odaklı olan satırın üst ve alt kenarlığının rengi.",
+ "okButton": "Tamam",
+ "cancelButton": "İptal",
+ "listValueHintLabel": "Liste öğesi '{0}'",
+ "listSiblingHintLabel": "eş öğesi `${1}` olan `{0}` liste öğesi",
+ "removeItem": "Öğeyi Kaldır",
+ "editItem": "Öğeyi düzenle",
+ "addItem": "Öğe Ekle",
+ "itemInputPlaceholder": "Dize Öğesi...",
+ "listSiblingInputPlaceholder": "Eşdüzey...",
+ "excludePatternHintLabel": "'{0}' ile eşleşen dosyaları dışla",
+ "excludeSiblingHintLabel": "'{0}' ile eşleşen dosyaları, yalnızca '{1}' ile eşleşen bir dosya varsa dışla",
+ "removeExcludeItem": "Dışlama Öğesini Kaldır",
+ "editExcludeItem": "Dışlanan Öğeyi Düzenle",
+ "addPattern": "Desen Ekle",
+ "excludePatternInputPlaceholder": "Dışlama Deseni...",
+ "excludeSiblingInputPlaceholder": "Desen Mevcutsa...",
+ "objectKeyInputPlaceholder": "Tuş",
+ "objectValueInputPlaceholder": "Değer",
+ "objectPairHintLabel": "'{0}' özelliği '{1}' olarak ayarlı.",
+ "resetItem": "Öğeyi Sıfırla",
+ "objectKeyHeader": "Öğe",
+ "objectValueHeader": "Değer"
+ },
+ "vs/workbench/contrib/preferences/browser/tocTree": {
+ "settingsTOC": "Ayarlar İçindekiler Tablosu",
+ "groupRowAriaLabel": "{0} grup"
+ },
+ "vs/workbench/contrib/quickaccess/browser/quickAccess.contribution": {
+ "helpQuickAccessPlaceholder": "Buradan başlatabileceğiniz eylemler hakkında yardım almak için '{0}' yazın.",
+ "helpQuickAccess": "Tüm Hızlı Erişim Sağlayıcılarını Göster",
+ "viewQuickAccessPlaceholder": "Açılacak bir görünüm, çıkış kanalı veya terminalin adını yazın.",
+ "viewQuickAccess": "Görünümü Aç",
+ "commandsQuickAccessPlaceholder": "Çalıştırmak için bir komutun adını yazın.",
+ "commandsQuickAccess": "Komutları Göster ve Çalıştır",
+ "miCommandPalette": "&&Komut Paleti...",
+ "miOpenView": "&&Görünümü Aç...",
+ "miGotoSymbolInEditor": "Düzenleyicide &&Sembole Git...",
+ "miGotoLine": "&&Satıra/Sütuna Git...",
+ "commandPalette": "Komut Paleti..."
+ },
+ "vs/workbench/contrib/quickaccess/browser/viewQuickAccess": {
+ "noViewResults": "Eşleşen görünüm yok",
+ "views": "Yan Çubuk",
+ "panels": "Panel",
+ "terminalTitle": "{0}: {1}",
+ "terminals": "Terminal",
+ "logChannel": "Günlük ({0})",
+ "channels": "Çıkış",
+ "openView": "Görünümü Aç",
+ "quickOpenView": "Hızlı Açık Görünüm"
+ },
+ "vs/workbench/contrib/quickaccess/browser/commandsQuickAccess": {
+ "noCommandResults": "Eşleşen komut yok",
+ "configure keybinding": "Tuş Bağlamalarını Yapılandır",
+ "commandWithCategory": "{0}: {1}",
+ "showTriggerActions": "Tüm Komutları Göster",
+ "clearCommandHistory": "Komut Geçmişini Temizle"
+ },
+ "vs/workbench/contrib/relauncher/browser/relauncher.contribution": {
+ "relaunchSettingMessage": "Bir ayar değiştirildi ve değişikliğin devreye girmesi için yeniden başlatma gerekiyor.",
+ "relaunchSettingMessageWeb": "Bir ayar değiştirildi ve değişikliğin devreye girmesi için yeniden yükleme gerekiyor.",
+ "relaunchSettingDetail": "{0} öğesini yeniden başlatmak ve ayarı etkinleştirmek için yeniden başlatma düğmesine basın.",
+ "relaunchSettingDetailWeb": "{0} öğesini yeniden yükleyip ayarı etkinleştirmek için yeniden yükleme düğmesine basın.",
+ "restart": "&&Yeniden Başlat",
+ "restartWeb": "&&Yeniden Yükle"
+ },
+ "vs/workbench/contrib/remote/electron-sandbox/remote.contribution": {
+ "remote": "Uzak",
+ "remote.downloadExtensionsLocally": "Etkin uzantıların yerel olarak indirilip uzak depoya yüklendiği zaman."
+ },
+ "vs/workbench/contrib/remote/common/remote.contribution": {
+ "remoteExtensionLog": "Uzak Sunucu",
+ "ui": "UI uzantı tipi. Uzak bir pencerede, böyle uzantılar yalnızca yerel makinede kullanılabilir olduğunda etkindir.",
+ "workspace": "Çalışma alanı uzantı tipi. Uzak bir pencerede, böyle uzantılar yalnızca uzaktan kullanılabilir olduğunda etkindir.",
+ "web": "Web çalışanı uzantı tipi. Böyle bir uzantı, bir web çalışanı uzantısı ana bilgisayarında yürütebilir.",
+ "remote": "Uzak",
+ "remote.extensionKind": "Uzantı tipini geçersiz kılın. `workspace` uzantıları uzak depo üzerinde çalıştırılırken `ui` uzantıları yerel makinede yüklenir ve çalıştırılır. Bu ayarı kullanarak bir uzantının varsayılan türünü geçersiz kıldığınızda, bu uzantının yerel olarak mı yoksa uzaktan mı yükleneceğini ve etkinleştirileceğini belirtirsiniz.",
+ "remote.restoreForwardedPorts": "Restores the ports you forwarded in a workspace.",
+ "remote.autoForwardPorts": "Etkinleştirildiğinde, yeni çalışan işlemler algılanır ve dinleyecekleri bağlantı noktaları otomatik olarak iletilir."
+ },
+ "vs/workbench/contrib/remote/browser/remote": {
+ "RemoteHelpInformationExtPoint": "Uzak depo için yardım bilgilerine katkıda bulunur",
+ "RemoteHelpInformationExtPoint.getStarted": "Projenizin Başlarken sayfasına yönelik URL veya bu URL'yi döndüren bir komut",
+ "RemoteHelpInformationExtPoint.documentation": "Projenizin belgeler sayfasına yönelik URL veya bu URL'yi döndüren bir komut",
+ "RemoteHelpInformationExtPoint.feedback": "Projenizin geri bildirim raporlayıcısına yönelik URL veya bu URL'yi döndüren bir komut",
+ "RemoteHelpInformationExtPoint.issues": "Projenizin sorunlar listesine yönelik URL veya bu URL'yi döndüren bir komut",
+ "getStartedIcon": "Uzak gezgin görünümündeki başlangıç simgesi.",
+ "documentationIcon": "Uzak gezgin görünümündeki belgeler simgesi.",
+ "feedbackIcon": "Uzak gezgin görünümündeki geri bildirim simgesi.",
+ "reviewIssuesIcon": "Uzak gezgin görünümündeki sorunu gözden geçirme simgesi.",
+ "reportIssuesIcon": "Uzak gezgin görünümündeki sorun bildirme simgesi.",
+ "remoteExplorerViewIcon": "Uzak gezgin görünümünün simgesini görüntüleyin.",
+ "remote.help.getStarted": "Kullanmaya Başlayın",
+ "remote.help.documentation": "Belgeleri Okuyun",
+ "remote.help.feedback": "Geri Bildirim Sağla",
+ "remote.help.issues": "Sorunları Gözden Geçir",
+ "remote.help.report": "Sorun Raporla",
+ "pickRemoteExtension": "Açılacak URL'yi seçin",
+ "remote.help": "Yardım ve geri bildirim",
+ "remotehelp": "Uzaktan Yardım",
+ "remote.explorer": "Uzak Gezgin",
+ "toggleRemoteViewlet": "Uzak Gezgini Göster",
+ "reconnectionWaitOne": "{0} saniye içinde yeniden bağlanmaya çalışılıyor...",
+ "reconnectionWaitMany": "{0} saniye içinde yeniden bağlanmaya çalışılıyor...",
+ "reconnectNow": "Şimdi Yeniden Bağlan",
+ "reloadWindow": "Pencereyi Yeniden Yükle",
+ "connectionLost": "Bağlantı Kaybedildi",
+ "reconnectionRunning": "Yeniden bağlanmaya çalışılıyor...",
+ "reconnectionPermanentFailure": "Yeniden bağlanılamıyor. Lütfen pencereyi yeniden yükleyin.",
+ "cancel": "İptal"
+ },
+ "vs/workbench/contrib/remote/browser/remoteExplorer": {
+ "ports": "Bağlantı Noktaları",
+ "1forwardedPort": "1 iletilen bağlantı noktası",
+ "nForwardedPorts": "{0} iletilen bağlantı noktası",
+ "status.forwardedPorts": "İletilen Bağlantı Noktaları",
+ "remote.forwardedPorts.statusbarTextNone": "İletilen Bağlantı Noktası Yok",
+ "remote.forwardedPorts.statusbarTooltip": "İletilen Bağlantı Noktaları: {0}",
+ "remote.tunnelsView.automaticForward": "{0} bağlantı noktasında çalışan hizmetiniz kullanılabilir. [Tüm kullanılabilir bağlantı noktalarına bakın] (command: {1}.focus)"
+ },
+ "vs/workbench/contrib/remote/browser/explorerViewItems": {
+ "remotes": "Uzak Depoyu Değiştir",
+ "remote.explorer.switch": "Uzak Depoyu Değiştir"
+ },
+ "vs/workbench/contrib/remote/browser/remoteIndicator": {
+ "remote.category": "Uzak",
+ "remote.showMenu": "Uzak Menüyü Göster",
+ "remote.close": "Uzak Bağlantıyı Kapat",
+ "miCloseRemote": "Uzak B&&ağlantıyı Kapat",
+ "host.open": "Uzak depo açılıyor...",
+ "disconnectedFrom": "{0} bağlantısı kesildi",
+ "host.tooltipDisconnected": "{0} bağlantısı kesildi",
+ "host.tooltip": "{0} üzerinde düzenleme",
+ "noHost.tooltip": "Uzak Pencere Aç",
+ "remoteHost": "Uzak Ana Bilgisayar",
+ "cat.title": "{0}: {1}",
+ "closeRemote.title": "Uzak Bağlantıyı Kapat"
+ },
+ "vs/workbench/contrib/remote/browser/tunnelView": {
+ "remote.tunnelsView.add": "Bağlantı Noktası İlet...",
+ "remote.tunnelsView.detected": "Mevcut Tüneller",
+ "remote.tunnelsView.candidates": "İletilmedi",
+ "remote.tunnelsView.input": "Onaylamak için Enter, iptal etmek için Escape tuşuna basın.",
+ "remote.tunnelsView.forwardedPortLabel0": "{0}",
+ "remote.tunnelsView.forwardedPortLabel1": "{0} → {1}",
+ "remote.tunnelsView.forwardedPortLabel2": "{0}",
+ "remote.tunnelsView.forwardedPortDescription0": "{0} → {1}",
+ "remote.tunnel": "Bağlantı Noktaları",
+ "remote.tunnel.ariaLabelForwarded": "Uzak bağlantı noktası {0}:{1}, {2} yerel adresine iletildi",
+ "remote.tunnel.ariaLabelCandidate": "Uzak bağlantı noktası {0}:{1} iletilmedi",
+ "tunnelView": "Tünel Görünümü",
+ "remote.tunnel.label": "Etiket Ayarla",
+ "remote.tunnelsView.labelPlaceholder": "Bağlantı noktası etiketi",
+ "remote.tunnelsView.portNumberValid": "İletilen bağlantı noktası geçersiz.",
+ "remote.tunnelsView.portNumberToHigh": "Bağlantı noktası numarası ≥ 0 ve < {0} olmalıdır.",
+ "remote.tunnel.forward": "Bağlantı Noktasını İlet",
+ "remote.tunnel.forwardItem": "Bağlantı Noktasını İlet",
+ "remote.tunnel.forwardPrompt": "Bağlantı noktası numarası veya adresi (ör. 3000 veya 10.10.10.10:2000).",
+ "remote.tunnel.forwardError": "{0}:{1} iletilemiyor. Konak kullanılamıyor veya uzak bağlantı noktası zaten iletilmiş olabilir",
+ "remote.tunnel.closeNoPorts": "Şu anda iletilmekte olan bağlantı noktası yok. {0} komutunu çalıştırmayı deneyin",
+ "remote.tunnel.close": "Bağlantı Noktasını İletmeyi Durdur",
+ "remote.tunnel.closePlaceholder": "İletmeyi durdurmak için bir bağlantı noktası seçin",
+ "remote.tunnel.open": "Tarayıcıda Aç",
+ "remote.tunnel.openCommandPalette": "Bağlantı Noktasını Tarayıcıda Aç",
+ "remote.tunnel.openCommandPaletteNone": "Şu anda iletilen bağlantı noktası yok. Başlamak için Bağlantı Noktaları görünümünü açın.",
+ "remote.tunnel.openCommandPaletteView": "Bağlantı Noktaları görünümünü aç...",
+ "remote.tunnel.openCommandPalettePick": "Açılacak bağlantı noktasını seçin",
+ "remote.tunnel.copyAddressInline": "Adresi Kopyala",
+ "remote.tunnel.copyAddressCommandPalette": "İletilen Bağlantı Noktası Adresini Kopyala",
+ "remote.tunnel.copyAddressPlaceholdter": "İletilen bir bağlantı noktası seçin",
+ "remote.tunnel.changeLocalPort": "Yerel Bağlantı Noktasını Değiştir",
+ "remote.tunnel.changeLocalPortNumber": "{0} numaralı yerel bağlantı noktası kullanılamıyor. Bunun yerine {1} numaralı bağlantı noktası numarası kullanıldı",
+ "remote.tunnelsView.changePort": "Yeni yerel bağlantı noktası"
+ },
+ "vs/workbench/contrib/sash/browser/sash.contribution": {
+ "sashSize": "Görünümler/düzenleyiciler arasındaki sürükleme alanının geri bildirim alanı boyutunu (piksel cinsinden) denetler. Fareyi kullanarak görünümleri yeniden boyutlandırmanın zor olduğunu düşünüyorsanız bunu daha büyük bir değere ayarlayın."
+ },
+ "vs/workbench/contrib/scm/browser/scm.contribution": {
+ "sourceControlViewIcon": "Kaynak denetimi görünümünün simgesini görüntüleyin.",
+ "source control": "Kaynak denetimi",
+ "no open repo": "Kayıtlı kaynak denetim sağlayıcısı yok.",
+ "source control repositories": "Kaynak Denetim Depoları",
+ "toggleSCMViewlet": "SCM'yi göster",
+ "scmConfigurationTitle": "SCM",
+ "scm.diffDecorations.all": "Tüm mevcut konumlardaki fark süslemelerini göster.",
+ "scm.diffDecorations.gutter": "Fark süslemelerini yalnızca düzenleyici cilt payı içinde göster.",
+ "scm.diffDecorations.overviewRuler": "Fark süslemelerini yalnızca genel bakış cetvelinde göster.",
+ "scm.diffDecorations.minimap": "Fark süslemelerini yalnızca mini harita içinde göster.",
+ "scm.diffDecorations.none": "Fark süslemelerini gösterme.",
+ "diffDecorations": "Düzenleyicide fark süslemelerini denetler.",
+ "diffGutterWidth": "Cilt payında fark süslemelerinin (eklenen ve değiştirilenler) (piksel) genişliğini denetler.",
+ "scm.diffDecorationsGutterVisibility.always": "Fark süsleyicisini her zaman cilt payı içinde göster.",
+ "scm.diffDecorationsGutterVisibility.hover": "Fark süsleyicisini yalnızca üzerinde gezinmede cilt payı içinde göster.",
+ "scm.diffDecorationsGutterVisibility": "Cilt payında Kaynak Denetimi fark süsleyicisinin görünürlüğünü denetler.",
+ "scm.diffDecorationsGutterAction.diff": "Tıklandığında satır içi fark özeti görünümünü gösterin.",
+ "scm.diffDecorationsGutterAction.none": "Hiçbir şey yapmayın.",
+ "scm.diffDecorationsGutterAction": "Kaynak Denetimi fark cilt payı düzenlemelerinin davranışını denetler.",
+ "alwaysShowActions": "Satır içi eylemlerin Kaynak Denetim görünümünde her zaman görünür mü olacağını denetler.",
+ "scm.countBadge.all": "Tüm Kaynak Denetim Sağlayıcısı sayım rozetlerinin toplamını göster.",
+ "scm.countBadge.focused": "Odaklanılan Kaynak Denetim Sağlayıcısının sayım rozetini göster.",
+ "scm.countBadge.off": "Kaynak Denetimi sayım rozetini devre dışı bırak.",
+ "scm.countBadge": "Etkinlik Çubuğundaki Kaynak Denetimi simgesindeki sayım rozetini denetler.",
+ "scm.providerCountBadge.hidden": "Kaynak Denetim Sağlayıcısı sayım rozetlerini gizle.",
+ "scm.providerCountBadge.auto": "Kaynak Denetim Sağlayıcısı için sayım rozetini yalnızca sıfır olmadığında göster.",
+ "scm.providerCountBadge.visible": "Kaynak Denetim Sağlayıcısı sayım rozetlerini göster.",
+ "scm.providerCountBadge": "Kaynak Denetim Sağlayıcısı üst bilgilerindeki sayım rozetlerini denetler. Bu üst bilgiler yalnızca birden fazla sağlayıcı olduğunda görünür.",
+ "scm.defaultViewMode.tree": "Depo değişikliklerini ağaç olarak göster.",
+ "scm.defaultViewMode.list": "Depo değişikliklerini liste olarak göster.",
+ "scm.defaultViewMode": "Varsayılan Kaynak Denetimi depo görünümü modunu denetler.",
+ "autoReveal": "SCM görünümünün açarken dosyaları otomatik olarak göstermesini ve seçmesini denetler.",
+ "inputFontFamily": "Giriş iletisinin yazı tipini denetler. Çalışma masası kullanıcı arabirimi yazı tipi ailesi için 'default', '#editor.fontFamily#' için 'editor' kullanın.",
+ "alwaysShowRepository": "Depoların SCM görünümünde her zaman görünür mü olacağını denetler.",
+ "providersVisible": "Kaynak Denetim Depoları bölümünde görünen depo sayısını denetler. Görünümü el ile yeniden boyutlandırabilmek için `0` olarak ayarlayın.",
+ "miViewSCM": "S&&CM",
+ "scm accept": "SCM: Girişi kabul et",
+ "scm view next commit": "SCM: Sonraki Commit'i Görüntüle",
+ "scm view previous commit": "SCM: Önceki Commit İşlemini Görüntüle",
+ "open in terminal": "Terminalde Aç"
+ },
+ "vs/workbench/contrib/scm/browser/activity": {
+ "status.scm": "Kaynak Denetimi",
+ "scmPendingChangesBadge": "{0} bekleyen değişiklik"
+ },
+ "vs/workbench/contrib/scm/browser/dirtydiffDecorator": {
+ "changes": "{0} / {1} değişiklik",
+ "change": "{0} / {1} değişiklik",
+ "show previous change": "Önceki Değişikliği Göster",
+ "show next change": "Sonraki Değişikliği Göster",
+ "miGotoNextChange": "Sonraki &&Değişiklik",
+ "miGotoPreviousChange": "Önceki &&Değişiklik",
+ "move to previous change": "Önceki Değişikliğe Taşı",
+ "move to next change": "Sonraki Değişikliğe Taşı",
+ "editorGutterModifiedBackground": "Değiştirilen satırlar için düzenleyici cilt payı arka plan rengi.",
+ "editorGutterAddedBackground": "Eklenen satırlar için düzenleyici cilt payı arka plan rengi.",
+ "editorGutterDeletedBackground": "Silinen satırlar için düzenleyici cilt payı arka plan rengi.",
+ "minimapGutterModifiedBackground": "Değiştirilen satırlar için mini harita cilt payı arka plan rengi.",
+ "minimapGutterAddedBackground": "Eklenen satırlar için mini harita cilt payı arka plan rengi.",
+ "minimapGutterDeletedBackground": "Silinen satırlar için mini harita cilt payı arka plan rengi.",
+ "overviewRulerModifiedForeground": "Değiştirilen içerik için genel bakış cetveli işaretleyici rengi.",
+ "overviewRulerAddedForeground": "Eklenen içerik için genel bakış cetveli işaretleyici rengi.",
+ "overviewRulerDeletedForeground": "Silinen içerik için genel bakış cetveli işaretleyici rengi."
+ },
+ "vs/workbench/contrib/scm/browser/scmViewPaneContainer": {
+ "source control": "Kaynak denetimi"
+ },
+ "vs/workbench/contrib/scm/browser/scmRepositoriesViewPane": {
+ "scm": "Kaynak Denetim Depoları"
+ },
+ "vs/workbench/contrib/scm/browser/scmViewPane": {
+ "scm": "Kaynak Denetim Yönetimi",
+ "input": "Kaynak Denetim Girişi",
+ "repositories": "Depolar",
+ "sortAction": "Görüntüle ve Sırala",
+ "toggleViewMode": "Görüntüleme Modun Aç/Kapat",
+ "viewModeList": "Liste olarak görüntüle",
+ "viewModeTree": "Ağaç Olarak Görüntüle",
+ "sortByName": "Ada Göre Sırala",
+ "sortByPath": "Yola Göre Sırala",
+ "sortByStatus": "Duruma Göre Sırala",
+ "expand all": "Tüm Depoları Genişlet",
+ "collapse all": "Tüm Depoları Daralt",
+ "scm.providerBorder": "SCM Sağlayıcısı ayırıcı kenarlığı."
+ },
+ "vs/workbench/contrib/search/browser/search.contribution": {
+ "search": "Ara",
+ "copyMatchLabel": "Kopyala",
+ "copyPathLabel": "Yolu Kopyala",
+ "copyAllLabel": "Tümünü Kopyala",
+ "revealInSideBar": "Yan Çubukta Göster",
+ "clearSearchHistoryLabel": "Arama Geçmişini Temizle",
+ "focusSearchListCommandLabel": "Odak Listesi",
+ "findInFolder": "Klasörde Bul...",
+ "findInWorkspace": "Çalışma Alanında Bul...",
+ "showTriggerActions": "Çalışma Alanında Sembole Git...",
+ "name": "Ara",
+ "findInFiles.description": "Arama küçük penceresini aç",
+ "findInFiles.args": "Arama küçük penceresi için bir seçenek kümesi",
+ "findInFiles": "Dosyalarda Bul",
+ "miFindInFiles": "Dosyalarda &&Bul",
+ "miReplaceInFiles": "Dosyalarda &&Değiştir",
+ "anythingQuickAccessPlaceholder": "Dosyaları ada göre ara (satıra gitmek için {0}, sembole gitmek için {1} ekle)",
+ "anythingQuickAccess": "Dosyaya Git",
+ "symbolsQuickAccessPlaceholder": "Açmak için bir sembolün adını yazın.",
+ "symbolsQuickAccess": "Çalışma Alanında Sembole Git",
+ "searchConfigurationTitle": "Ara",
+ "exclude": "Tam metin aramalarında ve hızlı açmada dosya ve klasörleri dışlamak için glob desenleri yapılandırın. '#files.exclude#' ayarından tüm glob desenlerini devralır. Glob desenleriyle ilgili daha fazla bilgiyi [burada](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options) bulabilirsiniz.",
+ "exclude.boolean": "Dosya yollarının eşleştirileceği glob deseni. Deseni etkinleştirmek veya devre dışı bırakmak için true ya da false olarak ayarlayın.",
+ "exclude.when": "Eşleşen bir dosyanın eşdüzey öğeleri üzerinde ek denetim. Eşleşen dosya adı için değişken olarak $(basename) kullanın.",
+ "useRipgrep": "Bu ayar kullanım dışı ve artık \"search.usePCRE2\" kullanılıyor.",
+ "useRipgrepDeprecated": "Kullanım dışıdır. Gelişmiş normal ifade özelliği desteği için \"search.usePCRE2\" seçeneğini kullanabilirsiniz.",
+ "search.maintainFileSearchCache": "Etkinleştirildiğinde, searchService işlemi, bir saatlik eylemsizlikten sonra kapatılmak yerine sürdürülür. Bu işlem, dosya arama önbelleğini bellekte tutar.",
+ "useIgnoreFiles": "Dosya aranırken `.gitignore` ve `.ignore` dosyalarının kullanılıp kullanılmayacağını denetler.",
+ "useGlobalIgnoreFiles": "Dosya aranırken genel `.gitignore` ve `.ignore` dosyalarının kullanılıp kullanılmayacağını denetler.",
+ "search.quickOpen.includeSymbols": "Hızlı Açma için dosya sonuçlarına genel bir sembol aramasının sonuçlarının eklenip eklenmeyeceği.",
+ "search.quickOpen.includeHistory": "Hızlı Açma için dosya sonuçlarına son açılan dosyalardan sonuçların eklenip eklenmeyeceği.",
+ "filterSortOrder.default": "Geçmiş girişleri, kullanılan filtre değeri temel alınarak ilgiye göre sıralanır. Önce daha ilgili girişler görünür.",
+ "filterSortOrder.recency": "Geçmiş girişleri, tarih yakınlığına göre sıralanır. En son açılan girişler önce görünür.",
+ "filterSortOrder": "Filtreleme sırasında hızlı açmada düzenleyici geçmişinin sıralama düzenini denetler.",
+ "search.followSymlinks": "Arama sırasında sembolik bağlantıların takip edilip edilmeyeceğini denetler.",
+ "search.smartCase": "Desenin tümü küçük harf ise büyük/küçük harfe duyarsız olarak; aksi takdirde büyük/küçük harf duyarlı olarak ara.",
+ "search.globalFindClipboard": "Arama görünümünün macOS'te paylaşılan bulma panosunu okuması ya da değiştirmesi arasındaki tercihi denetler.",
+ "search.location": "Aramanın kenar çubuğunda bir görünüm olarak mı, yoksa panel alanında daha fazla yatay boşluk olması için bir panel olarak mı gösterileceğini denetler.",
+ "search.location.deprecationMessage": "Bu ayar kullanım dışı. Yerine lütfen arama simgesini sürükleyerek sürükleme ve bırakma kullanın.",
+ "search.collapseResults.auto": "10'dan az sonuç içeren dosyalar genişletilir. Diğerleri daraltılır.",
+ "search.collapseAllResults": "Arama sonuçlarının daraltılması ya da genişletilmesi tercihini denetler.",
+ "search.useReplacePreview": "Bir eşleştirme seçilir ya da değiştirilirken Değiştirme Önizlemesinin açılıp açılmayacağını denetler.",
+ "search.showLineNumbers": "Arama sonuçları için satır numaralarının gösterilip gösterilmeyeceğini denetler.",
+ "search.usePCRE2": "Metin aramasında PCRE2 normal ifade altyapısının kullanılıp kullanılmayacağı. Bu ayar, ileride arama ve geridekilere başvurma gibi bazı gelişmiş normal ifade özelliklerinin kullanılmasını sağlar. Ancak, PCRE2 özelliklerinin tümü desteklenmez; yalnızca JavaScript tarafından da desteklenen özellikler desteklenir.",
+ "usePCRE2Deprecated": "Kullanım dışıdır. Yalnızca PCRE2 tarafından desteklenen normal ifade özellikleri kullanılırken otomatik olarak PCRE2 kullanılacaktır.",
+ "search.actionsPositionAuto": "Eylem çubuğunu arama görünümü dar olduğunda sağda, geniş olduğunda içeriğin hemen arkasında konumlandırın.",
+ "search.actionsPositionRight": "Eylem çubuğunu her zaman sağda konumlandır.",
+ "search.actionsPosition": "Arama görünümündeki satırlarda eylem çubuğunun konumunu denetler.",
+ "search.searchOnType": "Yazarken tüm dosyalarda ara.",
+ "search.seedWithNearestWord": "Etkin düzenleyicinin bir seçimi olmadığında aramanın imlecin en yakınındaki sözcüğü kullanmasını etkinleştir.",
+ "search.seedOnFocus": "Arama görünümüne odaklanıldığında, çalışma alanı arama sorgusunu düzenleyicinin seçili metniyle güncelleştir. Bu, tıklama üzerine veya `workbench.views.search.focus` komutu tetiklenirken olur.",
+ "search.searchOnTypeDebouncePeriod": "`#search.searchOnType#` etkinleştirildiğinde bir karakterin yazılması ile aramanın başlaması arasındaki milisaniye cinsinden zaman aşımını denetler. `search.searchOnType` devre dışı bırakıldığında bir etkisi yoktur.",
+ "search.searchEditor.doubleClickBehaviour.selectWord": "Çift tıklama, imlecin altındaki sözcüğü seçer.",
+ "search.searchEditor.doubleClickBehaviour.goToLocation": "Çift tıklama, sonucu etkin düzenleyici grubunda açar.",
+ "search.searchEditor.doubleClickBehaviour.openLocationToSide": "Çift tıklama, sonucu yandaki düzenleyici grubunda açar; grup yoksa yenisi oluşturur.",
+ "search.searchEditor.doubleClickBehaviour": "Bir arama düzenleyicisinde bir sonuca çift tıklamanın etkisini yapılandırın.",
+ "search.searchEditor.reusePriorSearchConfiguration": "Etkinleştirildiğinde, yeni Arama Düzenleyicileri daha önce açılmış olan Arama Düzenleyicisi'nin dahil edilen ve dışlanan öğelerini ve bayraklarını yeniden kullanır",
+ "search.searchEditor.defaultNumberOfContextLines": "Yeni arama düzenleyicileri oluşturulurken kullanılacak çevredeki bağlam satırlarının varsayılan sayısı. '#search.searchEditor.reusePriorSearchConfiguration#' kullanılıyorsa, önceki Arama Düzenleyicisinin yapılandırmasını kullanmak için bu değer 'null' olarak ayarlanabilir.",
+ "searchSortOrder.default": "Sonuçlar, klasör ve dosya adlarına göre alfabetik düzende sıralanır.",
+ "searchSortOrder.filesOnly": "Sonuçlar, klasör sırası yoksayılarak dosya adlarına göre alfabetik düzende sıralanır.",
+ "searchSortOrder.type": "Sonuçlar, dosya uzantılarına göre alfabetik düzende sıralanır.",
+ "searchSortOrder.modified": "Sonuçlar, dosyanın son değiştirilme tarihine göre azalan düzende sıralanır.",
+ "searchSortOrder.countDescending": "Sonuçlar dosyadaki sayıya göre, azalan düzende sıralanır.",
+ "searchSortOrder.countAscending": "Sonuçlar dosyadaki sayıya göre, artan düzende sıralanır.",
+ "search.sortOrder": "Arama sonuçlarının sıralama düzenini denetler.",
+ "miViewSearch": "&&Ara",
+ "miGotoSymbolInWorkspace": "&&Çalışma Alanında Sembole Git..."
+ },
+ "vs/workbench/contrib/search/browser/searchView": {
+ "searchCanceled": "Arama bir sonuç bulunmadan önce iptal edildi - ",
+ "moreSearch": "Arama Ayrıntılarını Aç/Kapat",
+ "searchScope.includes": "dahil edilecek dosyalar",
+ "label.includes": "Dahil Etme Desenleri Ara",
+ "searchScope.excludes": "dışlanacak dosyalar",
+ "label.excludes": "Dışlama Desenleri Ara",
+ "replaceAll.confirmation.title": "Tümünü Değiştir",
+ "replaceAll.confirm.button": "&&Değiştir",
+ "replaceAll.occurrence.file.message": "{0} oluşum, {1} dosyada '{2}' ile değiştirildi.",
+ "removeAll.occurrence.file.message": "{0} oluşum, {1} dosyada değiştirildi.",
+ "replaceAll.occurrence.files.message": "{0} oluşum, {1} dosyada '{2}' ile değiştirildi.",
+ "removeAll.occurrence.files.message": "{0} oluşum, {1} dosyada değiştirildi.",
+ "replaceAll.occurrences.file.message": "{0} oluşum, {1} dosyada '{2}' ile değiştirildi.",
+ "removeAll.occurrences.file.message": "{0} oluşum, {1} dosyada değiştirildi.",
+ "replaceAll.occurrences.files.message": "{0} oluşum, {1} dosyada '{2}' ile değiştirildi.",
+ "removeAll.occurrences.files.message": "{0} oluşum, {1} dosyada değiştirildi.",
+ "removeAll.occurrence.file.confirmation.message": "{1} dosyada {0} oluşum '{2}' ile değiştirilsin mi?",
+ "replaceAll.occurrence.file.confirmation.message": "{1} dosyada {0} oluşum değiştirilsin?",
+ "removeAll.occurrence.files.confirmation.message": "{1} dosyada {0} oluşum '{2}' ile değiştirilsin mi?",
+ "replaceAll.occurrence.files.confirmation.message": "{1} dosyada {0} oluşum değiştirilsin mi?",
+ "removeAll.occurrences.file.confirmation.message": "{1} dosyada {0} oluşum '{2}' ile değiştirilsin mi?",
+ "replaceAll.occurrences.file.confirmation.message": "{1} dosyada {0} oluşum değiştirilsin mi?",
+ "removeAll.occurrences.files.confirmation.message": "{1} dosyada {0} oluşum '{2}' ile değiştirilsin mi?",
+ "replaceAll.occurrences.files.confirmation.message": "{1} dosyada {0} oluşum değiştirilsin mi?",
+ "emptySearch": "Boş Arama",
+ "ariaSearchResultsClearStatus": "Arama sonuçları temizlendi",
+ "searchPathNotFoundError": "Arama yolu bulunamadı: {0}",
+ "searchMaxResultsWarning": "Sonuç kümesi, tüm eşleşmelerin yalnızca bir alt kümesini içeriyor. Sonuçları daraltmak için lütfen aramanızda daha belirli bir ifade kullanın.",
+ "noResultsIncludesExcludes": "'{0}' içinde '{1}' hariç sonuç bulunamadı - ",
+ "noResultsIncludes": "'{0}' içinde sonuç bulunamadı - ",
+ "noResultsExcludes": "'{0}' dışında sonuç bulunamadı - ",
+ "noResultsFound": "Sonuç bulunamadı. Yapılandırılan dışlamalar için ayarlarınızı gözden geçirin ve gitignore dosyalarınızı kontrol edin - ",
+ "rerunSearch.message": "Yeniden ara",
+ "rerunSearchInAll.message": "Tüm dosyalarda yeniden ara",
+ "openSettings.message": "Ayarları Aç",
+ "openSettings.learnMore": "Daha Fazla Bilgi",
+ "ariaSearchResultsStatus": "Arama, {1} dosyada {0} sonuç döndürdü",
+ "forTerm": " - Ara: {0}",
+ "useIgnoresAndExcludesDisabled": " - ayarları dışlama ve dosyaları yoksayma devre dışı",
+ "openInEditor.message": "Düzenleyicide aç",
+ "openInEditor.tooltip": "Geçerli arama sonuçlarını bir düzenleyiciye kopyala",
+ "search.file.result": "{1} dosyada {0} sonuç",
+ "search.files.result": "{1} dosyada {0} sonuç",
+ "search.file.results": "{1} dosyada {0} sonuç",
+ "search.files.results": "{1} dosyada {0} sonuç",
+ "searchWithoutFolder": "Bir klasör açmadınız veya belirtmediniz. Şu anda yalnızca açık dosyalar aranıyor - ",
+ "openFolder": "Klasör Aç"
+ },
+ "vs/workbench/contrib/search/browser/searchActions": {
+ "showSearch": "Aramayı Göster",
+ "replaceInFiles": "Dosyalarda Değiştir",
+ "toggleTabs": "Türü Göre Aramayı Aç/Kapat",
+ "RefreshAction.label": "Yenile",
+ "CollapseDeepestExpandedLevelAction.label": "Tümünü Daralt",
+ "ExpandAllAction.label": "Tümünü Genişlet",
+ "ToggleCollapseAndExpandAction.label": "Daraltma ve Genişletmeyi Aç/Kapat",
+ "ClearSearchResultsAction.label": "Arama Sonuçlarını Temizle",
+ "CancelSearchAction.label": "Aramayı İptal Et",
+ "FocusNextSearchResult.label": "Sonraki Arama Sonucunu Odakla",
+ "FocusPreviousSearchResult.label": "Önceki Arama Sonucunu Odakla",
+ "RemoveAction.label": "Kapat",
+ "file.replaceAll.label": "Tümünü Değiştir",
+ "match.replace.label": "Değiştir"
+ },
+ "vs/workbench/contrib/search/browser/symbolsQuickAccess": {
+ "noSymbolResults": "Eşleşen çalışma alanı sembolü yok",
+ "openToSide": "Yana Aç",
+ "openToBottom": "Alta Aç"
+ },
+ "vs/workbench/contrib/search/browser/anythingQuickAccess": {
+ "noAnythingResults": "Eşleşen sonuç yok",
+ "recentlyOpenedSeparator": "son açılanlar",
+ "fileAndSymbolResultsSeparator": "dosya ve sembol sonuçları",
+ "fileResultsSeparator": "dosya sonuçları",
+ "filePickAriaLabelDirty": "{0} değişti",
+ "openToSide": "Yana Aç",
+ "openToBottom": "Alta Aç",
+ "closeEditor": "Son Açılanlardan Kaldır"
+ },
+ "vs/workbench/contrib/search/browser/searchWidget": {
+ "search.action.replaceAll.disabled.label": "Tümünü Değiştir (Etkinleştirmek için Arama Gönder)",
+ "search.action.replaceAll.enabled.label": "Tümünü Değiştir",
+ "search.replace.toggle.button.title": "Değiştirmeyi Aç/Kapat",
+ "label.Search": "Arama: Aramak için arama terimini yazıp Enter tuşuna basın",
+ "search.placeHolder": "Ara",
+ "showContext": "Bağlam Çizgilerini Aç/Kapat",
+ "label.Replace": "Değiştir: Önizlemesini görüntülemek için değiştirilecek terimi yazıp Enter tuşuna basın",
+ "search.replace.placeHolder": "Değiştir"
+ },
+ "vs/workbench/contrib/search/browser/searchIcons": {
+ "searchDetailsIcon": "Arama ayrıntılarını görünür yapma simgesi.",
+ "searchShowContextIcon": "Arama düzenleyicisindeki bağlamı açma/kapatma eylemi simgesi.",
+ "searchHideReplaceIcon": "Arama görünümündeki değiştirme bölümünü daraltma simgesi.",
+ "searchShowReplaceIcon": "Arama görünümündeki değiştirme bölümünü genişletme simgesi.",
+ "searchReplaceAllIcon": "Arama görünümündeki tümünü değiştir simgesi.",
+ "searchReplaceIcon": "Arama görünümündeki değiştir simgesi.",
+ "searchRemoveIcon": "Arama sonucunu kaldırma simgesi.",
+ "searchRefreshIcon": "Arama görünümündeki yenileme simgesi.",
+ "searchCollapseAllIcon": "Arama görünümündeki sonuçları daraltma simgesi.",
+ "searchExpandAllIcon": "Arama görünümündeki sonuçları genişletme simgesi.",
+ "searchClearIcon": "Arama görünümündeki sonuçları temizleme simgesi.",
+ "searchStopIcon": "Arama görünümündeki durdur simgesi.",
+ "searchViewIcon": "Arama görünümünün simgesini görüntüleyin.",
+ "searchNewEditorIcon": "Yeni arama düzenleyicisi açma eylemi simgesi."
+ },
+ "vs/workbench/contrib/search/browser/patternInputWidget": {
+ "defaultLabel": "giriş",
+ "useExcludesAndIgnoreFilesDescription": "Dışlama Ayarlarını Kullan ve Dosyaları Yoksay"
+ },
+ "vs/workbench/contrib/search/browser/searchResultsView": {
+ "searchFolderMatch.other.label": "Diğer dosyalar",
+ "searchFileMatches": "{0} dosya bulundu",
+ "searchFileMatch": "{0} dosya bulundu",
+ "searchMatches": "{0} eşleşme bulundu",
+ "searchMatch": "{0} eşleşme bulundu",
+ "lineNumStr": "{0}. satırdan",
+ "numLinesStr": "{0} satır daha var",
+ "search": "Ara",
+ "folderMatchAriaLabel": "{1} klasör kökünde {0} eşleşme; Arama sonucu",
+ "otherFilesAriaLabel": "Çalışma alanının dışında {0} eşleşme; Arama sonucu",
+ "fileMatchAriaLabel": "{2} klasörünün {1}. dosyasında {0} eşleşme; Arama sonucu",
+ "replacePreviewResultAria": "{3}. satır {2}. sütundaki '{0}' öğesini '{1}' ile değiştir",
+ "searchResultAria": "'{2}.' satırın {1}. sütunda '{0}' bulundu"
+ },
+ "vs/workbench/contrib/search/common/queryBuilder": {
+ "search.noWorkspaceWithName": "Adı {0} olan çalışma alanında klasör yok"
+ },
+ "vs/workbench/contrib/search/browser/replaceService": {
+ "fileReplaceChanges": "{0} ↔ {1} (Önizleme Değiştirme)"
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditor.contribution": {
+ "searchEditor": "Arama Düzenleyicisi",
+ "search": "Arama Düzenleyicisi",
+ "searchEditor.deleteResultBlock": "Dosya Sonuçlarını Sil",
+ "search.openNewSearchEditor": "Yeni Arama Düzenleyicisi",
+ "search.openSearchEditor": "Arama Düzenleyicisini Aç",
+ "search.openNewEditorToSide": "Yeni Arama Düzenleyicisini Yanda Aç",
+ "search.openResultsInEditor": "Sonuçları Düzenleyicide Aç",
+ "search.rerunSearchInEditor": "Yeniden Ara",
+ "search.action.focusQueryEditorWidget": "Arama Düzenleyicisi Girişini Odakla",
+ "searchEditor.action.toggleSearchEditorCaseSensitive": "Büyük/Küçük Harf Eşleştirmeyi Aç/Kapat",
+ "searchEditor.action.toggleSearchEditorWholeWord": "Sözcüğün Tamamını Eşleştirmeyi Aç/Kapat",
+ "searchEditor.action.toggleSearchEditorRegex": "Normal İfade Kullanmayı Aç/Kapat",
+ "searchEditor.action.toggleSearchEditorContextLines": "Bağlam Çizgilerini Aç/Kapat",
+ "searchEditor.action.increaseSearchEditorContextLines": "Bağlam Çizgilerini Artır",
+ "searchEditor.action.decreaseSearchEditorContextLines": "Bağlam Çizgilerini Azalt",
+ "searchEditor.action.selectAllSearchEditorMatches": "Tüm Eşleşmeleri Seç"
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditorActions": {
+ "search.openNewEditor": "Yeni Arama Düzenleyicisi Aç"
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditor": {
+ "moreSearch": "Arama Ayrıntılarını Aç/Kapat",
+ "searchScope.includes": "dahil edilecek dosyalar",
+ "label.includes": "Dahil Etme Desenleri Ara",
+ "searchScope.excludes": "dışlanacak dosyalar",
+ "label.excludes": "Dışlama Desenleri Ara",
+ "runSearch": "Aramayı Çalıştır",
+ "searchResultItem": "{2} dosyasında {1} konumunda {0} eşleşti",
+ "searchEditor": "Ara",
+ "textInputBoxBorder": "Arama düzenleyicisi metin giriş kutusu kenarlığı."
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditorInput": {
+ "searchTitle.withQuery": "Ara: {0}",
+ "searchTitle": "Ara"
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditorSerialization": {
+ "invalidQueryStringError": "Sorgu dizesindeki tüm ters eğik çizgiler için kaçış karakteri kullanılması gerekir (\\\\)",
+ "numFiles": "{0} dosya",
+ "oneFile": "1 dosya",
+ "numResults": "{0} sonuç",
+ "oneResult": "1 sonuç",
+ "noResults": "Sonuç Yok",
+ "searchMaxResultsWarning": "Sonuç kümesi yalnızca tüm eşleşmelerin bir alt kümesini içerir. Lütfen sonuçları daraltmak için aramanızda daha fazla ayrıntı belirtin."
+ },
+ "vs/workbench/contrib/snippets/browser/snippets.contribution": {
+ "snippetSchema.json.prefix": "IntelliSense'de parçacık seçilirken kullanılacak ön ek",
+ "snippetSchema.json.body": "Parçacık içeriği. İmleç konumları tanımlamak için `$1`, `${1:defaultText}` kullanın, son imleç konumu olarak `$0` kullanın. `${varName}` ve `${varName:defaultText}` ile değişken değerleri ekleyin, ör. `Bu dosya: $TM_FILENAME`.",
+ "snippetSchema.json.description": "Parçacık açıklaması.",
+ "snippetSchema.json.default": "Boş parçacık",
+ "snippetSchema.json": "Kullanıcı parçacığı yapılandırması",
+ "snippetSchema.json.scope": "Bu parçacığın uygulandığı dil adları listesi (örneğin, 'typescript,javascript')."
+ },
+ "vs/workbench/contrib/snippets/browser/insertSnippet": {
+ "snippet.suggestions.label": "Parçacık Ekle",
+ "sep.userSnippet": "Kullanıcı Parçacıkları",
+ "sep.extSnippet": "Uzantı Parçacıkları",
+ "sep.workspaceSnippet": "Çalışma Alanı Parçacıkları",
+ "disableSnippet": "IntelliSense'ten gizle",
+ "isDisabled": "(IntelliSense'den gizlenmiş)",
+ "enable.snippet": "IntelliSense'te göster",
+ "pick.placeholder": "Bir kod parçacığı seçin"
+ },
+ "vs/workbench/contrib/snippets/browser/snippetsService": {
+ "invalid.path.0": "`contributes.{0}.path` içinde dize bekleniyor. Sağlanan değer: {1}",
+ "invalid.language.0": "Dil atlandığında, `contributes.{0}.path` değeri bir `.code-snippets` dosyası olmalıdır. Sağlanan değer: {1}",
+ "invalid.language": "`contributes.{0}.language` içindeki dil bilinmiyor. Sağlanan değer: {1}",
+ "invalid.path.1": "`contributes.{0}.path` ({1}) öğesinin uzantının klasörüne ({2}) eklenmesi bekleniyor. Bu, uzantıyı taşınamaz hale getirebilir.",
+ "vscode.extension.contributes.snippets": "Parçacıklara katkıda bulunur.",
+ "vscode.extension.contributes.snippets-language": "Bu parçacığın katkıda bulunduğu dil tanımlayıcısı.",
+ "vscode.extension.contributes.snippets-path": "Parçacıklar dosyasının yolu. Yol, uzantı klasörüne görelidir ve genellikle './snippets/' ile başlar.",
+ "badVariableUse": "'{0}' uzantısından bir veya daha fazla parçacık, çok büyük olasılıkla snippet-variables ve snippet-placeholders öğelerini karıştırıyor (daha fazla ayrıntı için bkz. https://code.visualstudio.com/docs/editor/userdefinedsnippets#_snippet-syntax)",
+ "badFile": "\"{0}\" parçacık dosyası okunamadı."
+ },
+ "vs/workbench/contrib/snippets/browser/configureSnippets": {
+ "global.scope": "(genel)",
+ "global.1": "({0})",
+ "name": "Tür parçacığı dosya adı",
+ "bad_name1": "Geçersiz dosya adı",
+ "bad_name2": "'{0}' geçerli bir dosya adı değil",
+ "bad_name3": "'{0}' zaten var",
+ "new.global_scope": "genel",
+ "new.global": "Yeni Genel Parçacıklar dosyası...",
+ "new.workspace_scope": "{0} çalışma alanı",
+ "new.folder": "'{0}' için yeni Parçacıklar dosyası...",
+ "group.global": "Mevcut Parçacıklar",
+ "new.global.sep": "Yeni Parçacıklar",
+ "openSnippet.pickLanguage": "Parçacıklar Dosyasını Seçin veya Parçacıklar Oluşturun",
+ "openSnippet.label": "Kullanıcı Parçacıklarını Yapılandır",
+ "preferences": "Tercihler",
+ "miOpenSnippets": "Kullanıcı &&Parçacıkları",
+ "userSnippets": "Kullanıcı Parçacıkları"
+ },
+ "vs/workbench/contrib/snippets/browser/snippetsFile": {
+ "source.workspaceSnippetGlobal": "Çalışma Alanı Parçacığı",
+ "source.userSnippetGlobal": "Genel Kullanıcı Parçacığı",
+ "source.userSnippet": "Kullanıcı Parçacığı"
+ },
+ "vs/workbench/contrib/snippets/browser/snippetCompletionProvider": {
+ "detail.snippet": "{0} ({1})",
+ "snippetSuggest.longLabel": "{0}, {1}"
+ },
+ "vs/workbench/contrib/surveys/browser/nps.contribution": {
+ "surveyQuestion": "Hızlı bir geri bildirim anketini yanıtlayabilir misiniz?",
+ "takeSurvey": "Ankete Katılın",
+ "remindLater": "Daha sonra hatırlat",
+ "neverAgain": "Tekrar Gösterme"
+ },
+ "vs/workbench/contrib/surveys/browser/languageSurveys.contribution": {
+ "helpUs": "{0} için desteğimizi geliştirmemize yardımcı olun",
+ "takeShortSurvey": "Kısa Anket Al",
+ "remindLater": "Daha sonra hatırlat",
+ "neverAgain": "Tekrar Gösterme"
+ },
+ "vs/workbench/contrib/tags/electron-browser/workspaceTagsService": {
+ "workspaceFound": "Bu klasör '{0}' çalışma alanı dosyasını içeriyor. Bunu açmak istiyor musunuz? Çalışma alanı dosyaları hakkında [daha fazla bilgi edinin]({1}).",
+ "openWorkspace": "Çalışma Alanını Aç",
+ "workspacesFound": "Bu klasör birden çok çalışma alanı dosyası içeriyor. Birini açmak istiyor musunuz? Çalışma alanı dosyaları hakkında [daha fazla bilgi edinin]({0}).",
+ "selectWorkspace": "Çalışma Alanı Seç",
+ "selectToOpen": "Açmak için çalışma alanı seçin"
+ },
+ "vs/workbench/contrib/tasks/electron-browser/taskService": {
+ "TaskSystem.runningTask": "Çalışan bir görev var. Sonlandırmak istiyor musunuz?",
+ "TaskSystem.terminateTask": "&&Görevi Sonlandır",
+ "TaskSystem.noProcess": "Başlatılan görev artık mevcut değil. VS Code'dan çıkma sırasında görevin arka plan işlemleri oluşturması sahipsiz işlemlerle sonuçlanabilir. Bunu önlemek için, son arka plan işlemini bir bekleme bayrağıyla başlatın.",
+ "TaskSystem.exitAnyways": "&&Yine de Çık"
+ },
+ "vs/workbench/contrib/tasks/common/tasks": {
+ "tasksCategory": "Görevler",
+ "TaskDefinition.missingRequiredProperty": "Hata: '{0}' görev tanımlayıcısında gerekli '{1}' özelliği eksik. Görev tanımlayıcısı yoksayılacak."
+ },
+ "vs/workbench/contrib/tasks/common/taskConfiguration": {
+ "ConfigurationParser.invalidCWD": "Uyarı: options.cwd string türünde olmalıdır. {0} değeri yoksayılıyor\r\n",
+ "ConfigurationParser.inValidArg": "Hata: komut bağımsız değişkeni bir dize ya da tırnak içinde bir dize olmalıdır. Sağlanan değer:\r\n{0}",
+ "ConfigurationParser.noShell": "Uyarı: kabuk yapılandırması yalnızca terminalde görevler yürütülürken desteklenir.",
+ "ConfigurationParser.noName": "Hata: Bildirim kapsamındaki Sorun Eşleştiricisi'nin bir adı olmalıdır:\r\n{0}\r\n",
+ "ConfigurationParser.unknownMatcherKind": "Uyarı: tanımlı sorun eşleştirici bilinmiyor. Desteklenen türler: string | ProblemMatcher | Array.\r\n{0}\r\n",
+ "ConfigurationParser.invalidVariableReference": "Hata: Geçersiz problemMatcher başvurusu: {0}\r\n",
+ "ConfigurationParser.noTaskType": "Hata: görev yapılandırmasının bir tür özelliği olmalıdır. Yapılandırma yoksayılacak.\r\n{0}\r\n",
+ "ConfigurationParser.noTypeDefinition": "Hata: '{0}' adlı kaydettirilmiş bir görev türü yok. İlgili bir görev sağlayıcısı sunan bir uzantıyı yüklemeyi mi atladınız?",
+ "ConfigurationParser.missingType": "Hata: '{0}' görev yapılandırmasında gerekli 'type' özelliği eksik. Görev yapılandırması yoksayılacak.",
+ "ConfigurationParser.incorrectType": "Hata: '{0}' görev yapılandırması bilinmeyen bir tür kullanıyor. Görev yapılandırması yoksayılacak.",
+ "ConfigurationParser.notCustom": "Hata: görevler özel görev olarak bildirilmemiş. Yapılandırma yoksayılacak.\r\n{0}\r\n",
+ "ConfigurationParser.noTaskName": "Hata: bir görev bir etiket özelliği sağlamalıdır. Görev yoksayılacak.\r\n{0}\r\n",
+ "taskConfiguration.providerUnavailable": "Uyarı: {0} görev geçerli ortamda kullanılamıyor.\r\n",
+ "taskConfiguration.noCommandOrDependsOn": "Hata: '{0}' görevi bir komut ya da bir dependsOn özelliği belirtmiyor. Görev yoksayılacak. Tanımı:\r\n{1}",
+ "taskConfiguration.noCommand": "Hata: '{0}' görevi bir komut tanımlamıyor. Görev yoksayılacak. Tanımı:\r\n{1}",
+ "TaskParse.noOsSpecificGlobalTasks": "Görev sürümü 2.0.0, işletim sistemine özgü genel görevleri desteklemiyor. Bunları işletim sistemine özgü bir komutu olan bir göreve dönüştürün. Etkilenen görevler:\r\n{0}"
+ },
+ "vs/workbench/contrib/tasks/node/processTaskSystem": {
+ "version1_0": "Görev sistemi, yalnızca özel görevleri yürütebilen 0.1.0 sürümü için yapılandırılmış (bkz: tasks.json dosyası). Görevi çalıştırmak için 2.0.0 sürümüne yükseltin: {0}",
+ "TaskRunnerSystem.unknownError": "Bir görev yürütülürken bilinmeyen bir hata oluştu. Ayrıntılar için görev çıkış günlüğüne bakın.",
+ "TaskRunnerSystem.watchingBuildTaskFinished": "\r\nDerleme görevlerini izleme tamamlandı.",
+ "TaskRunnerSystem.childProcessError": "Dış program {0} {1} başlatılamadı.",
+ "TaskRunnerSystem.cancelRequested": "\r\n'{0}' görevi kullanıcı isteği nedeniyle sonlandırıldı.",
+ "unknownProblemMatcher": "Sorun eşleştiricisi {0} çözümlenemiyor. Eşleştirici yok sayılacak"
+ },
+ "vs/workbench/contrib/tasks/node/processRunnerDetector": {
+ "TaskSystemDetector.noGulpTasks": "\"gulp --tasks-simple\" komutunu çalıştırma görev listelemedi. \"npm install\" komutunu çalıştırdınız mı?",
+ "TaskSystemDetector.noJakeTasks": "\"jake --tasks\" komutunu çalıştırma görev listelemedi. \"npm install\" komutunu çalıştırdınız mı?",
+ "TaskSystemDetector.noGulpProgram": "Gulp sisteminizde yüklü değil. Yüklemek için \"npm install -g gulp\" komutunu çalıştırın.",
+ "TaskSystemDetector.noJakeProgram": "Jake, sisteminizde yüklü değil. Yüklemek için \"npm install -g jake\" komutunu çalıştırın.",
+ "TaskSystemDetector.noGruntProgram": "Grunt sisteminizde yüklü değil. Yüklemek için \"npm install -g grunt\" komutunu çalıştırın.",
+ "TaskSystemDetector.noProgram": "{0} programı bulunamadı. İleti: {1}",
+ "TaskSystemDetector.buildTaskDetected": "'{0}' adlı derleme görevi algılandı.",
+ "TaskSystemDetector.testTaskDetected": "'{0}' adlı test görevi algılandı."
+ },
+ "vs/workbench/contrib/tasks/browser/abstractTaskService": {
+ "ConfigureTaskRunnerAction.label": "Görevi Yapılandır",
+ "tasks": "Görevler",
+ "TaskSystem.noHotSwap": "Görev yürütme altyapısının etkin bir görevle değiştirilmesi, pencerenin yeniden yüklenmesini gerektirir",
+ "reloadWindow": "Pencereyi Yeniden Yükle",
+ "TaskService.pickBuildTaskForLabel": "Derleme görevi seç (tanımlı varsayılan derleme görevi yok)",
+ "taskServiceOutputPrompt": "Görev hataları var. Ayrıntılar için çıkışa bakın.",
+ "showOutput": "Çıkışı göster",
+ "TaskServer.folderIgnored": "{0} klasörü, 0.1.0 görev sürümünü kullandığından yoksayıldı",
+ "TaskService.providerUnavailable": "Uyarı: {0} görev geçerli ortamda kullanılamıyor.\r\n",
+ "TaskService.noBuildTask1": "Derleme görevi tanımlanmadı. tasks.json dosyasındaki bir görevi 'isBuildCommand' ile işaretleyin.",
+ "TaskService.noBuildTask2": "Derleme görevi tanımlamadı. tasks.json dosyasında bir görevi 'build' grubu olarak işaretleyin.",
+ "TaskService.noTestTask1": "Test görevi tanımlanmadı. tasks.json dosyasındaki bir görevi 'isTestCommand' ile işaretleyin.",
+ "TaskService.noTestTask2": "Test görevi tanımlanmadı. tasks.json dosyasındaki bir görevi 'test' grubu olarak işaretleyin.",
+ "TaskServer.noTask": "Yürütülecek görev tanımlı değil",
+ "TaskService.associate": "ilişkilendir",
+ "TaskService.attachProblemMatcher.continueWithout": "Görev çıkışını taramadan devam et",
+ "TaskService.attachProblemMatcher.never": "Bu görev için görev çıkışını hiçbir zaman tarama",
+ "TaskService.attachProblemMatcher.neverType": "{0} görev için görev çıkışını hiçbir zaman tarama",
+ "TaskService.attachProblemMatcher.learnMoreAbout": "Görev çıkışını tarama hakkında daha fazla bilgi edinin",
+ "selectProblemMatcher": "Görev çıkışının hangi hata ve uyarı türleri için taranacağını seçin",
+ "customizeParseErrors": "Geçerli görev yapılandırmasında hatalar var. Görev özelleştirmeden önce lütfen hataları düzeltin.",
+ "tasksJsonComment": "\t// task.json biçimi hakkındaki belgeler için \r\n\t// https://go.microsoft.com/fwlink/?LinkId=733558 sayfasına bakın",
+ "moreThanOneBuildTask": "tasks.json içinde tanımlı çok sayıda derleme görevi var. Birincisi yürütülüyor.\r\n",
+ "TaskSystem.saveBeforeRun.prompt.title": "Tüm düzenleyiciler kaydedilsin mi?",
+ "saveBeforeRun.save": "Kaydet",
+ "saveBeforeRun.dontSave": "Kaydetme",
+ "detail": "Görevi çalıştırmadan önce tüm düzenleyicileri kaydetmek istiyor musunuz?",
+ "TaskSystem.activeSame.noBackground": "'{0}' görevi zaten etkin.",
+ "terminateTask": "Görevi Sonlandır",
+ "restartTask": "Görevi Yeniden Başlat",
+ "TaskSystem.active": "Zaten çalışan bir görev var. Başka bir görevi yürütmeden önce bu görevi sonlandırın.",
+ "TaskSystem.restartFailed": "{0} görevi sonlandırılıp yeniden başlatılamadı",
+ "unexpectedTaskType": "\"{0}\" görevleri için görev sağlayıcısı beklenmeyen bir şekilde \"{1}\" türünde bir görev sağladı.\r\n",
+ "TaskService.noConfiguration": "Hata: {0} görev algılaması şu yapılandırma için bir görev katkısında bulunmadı:\r\n{1}\r\nGörev yoksayılacak.\r\n",
+ "TaskSystem.configurationErrors": "Hata: Sağlanan görev yapılandırması, doğrulama hataları olduğundan kullanılamıyor. Lütfen önce hataları düzeltin.",
+ "TaskSystem.invalidTaskJsonOther": "Hata: {0} içindeki tasks.json dosyasının içeriğinde söz dizimi hataları var. Lütfen bir görev yürütmeden önce bunları düzeltin.\r\n",
+ "TasksSystem.locationWorkspaceConfig": "çalışma alanı dosyası",
+ "TaskSystem.versionWorkspaceFile": ".codeworkspace içinde yalnızca sürümü 2.0.0 olan görevlere izin verilir.",
+ "TasksSystem.locationUserConfig": "kullanıcı ayarları",
+ "TaskSystem.versionSettings": "Kullanıcı ayarlarında yalnızca sürümü 2.0.0 olan görevlere izin verilir.",
+ "taskService.ignoreingFolder": "{0} çalışma alanı klasörü için görev yapılandırmaları yoksayılıyor. Çok klasörlü çalışma alanı görev desteği, tüm klasörlerin 2.0.0 görev sürümünü kullanmasını gerektirir\r\n",
+ "TaskSystem.invalidTaskJson": "Hata: tasks.json dosyasının içeriğinde söz dizimi hataları var. Lütfen bir görev yürütmeden önce bunları düzeltin.\r\n",
+ "TerminateAction.label": "Görevi Sonlandır",
+ "TaskSystem.unknownError": "Görev çalıştırılırken bir hata oluştu. Ayrıntılar için görev günlüğüne bakın.",
+ "configureTask": "Görevi Yapılandır",
+ "recentlyUsed": "son kullanılan görevler",
+ "configured": "yapılandırılan görevler",
+ "detected": "algılanan görevler",
+ "TaskService.ignoredFolder": "Şu çalışma alanı klasörleri, 0.1.0 görev sürümünü kullandığından yoksayılıyor: {0}",
+ "TaskService.notAgain": "Tekrar Gösterme",
+ "TaskService.pickRunTask": "Çalıştırılacak görevi seçin",
+ "TaskService.noEntryToRunSlow": "$(plus) Görev Yapılandır",
+ "TaskService.noEntryToRun": "$(plus) Görev Yapılandır",
+ "TaskService.fetchingBuildTasks": "Derleme görevleri getiriliyor...",
+ "TaskService.pickBuildTask": "Çalıştırmak için yapı görevi seç",
+ "TaskService.noBuildTask": "Çalıştırılacak derleme görevi bulunamadı. Derleme Görevi yapılandırın...",
+ "TaskService.fetchingTestTasks": "Test görevleri getiriliyor...",
+ "TaskService.pickTestTask": "Çalıştırılacak test görevini seçin",
+ "TaskService.noTestTaskTerminal": "Çalıştırılacak test görevi bulunamadı. Görevleri yapılandırın...",
+ "TaskService.taskToTerminate": "Sonlandırılacak görevi seçin",
+ "TaskService.noTaskRunning": "Şu anda çalışan görev yok",
+ "TaskService.terminateAllRunningTasks": "Tüm Çalışan Görevler",
+ "TerminateAction.noProcess": "Başlatılan işlem artık mevcut değil. VS Code'dan çıkma sırasında görevin arka plan görevleri oluşturması artık işlemlerle sonuçlanabilir.",
+ "TerminateAction.failed": "Çalışan görev sonlandırılamadı",
+ "TaskService.taskToRestart": "Yeniden başlatılacak görevi seçin",
+ "TaskService.noTaskToRestart": "Yeniden başlatılacak görev yok",
+ "TaskService.template": "Görev Şablonu Seçin",
+ "taskQuickPick.userSettings": "Kullanıcı Ayarları",
+ "TaskService.createJsonFile": "Şablondan tasks.js dosyası oluştur",
+ "TaskService.openJsonFile": "Tasks.json dosyasını aç",
+ "TaskService.pickTask": "Yapılandırmak için görev seçin",
+ "TaskService.defaultBuildTaskExists": "{0} zaten varsayılan derleme görevi olarak işaretlendi",
+ "TaskService.pickDefaultBuildTask": "Varsayılan derleme görevi olarak kullanılacak görevi seçin",
+ "TaskService.defaultTestTaskExists": "{0} zaten varsayılan test görevi olarak işaretlendi.",
+ "TaskService.pickDefaultTestTask": "Varsayılan test görevi olarak kullanılacak görevi seçin",
+ "TaskService.pickShowTask": "Çıkışını göstermek için görevi seçin",
+ "TaskService.noTaskIsRunning": "Çalışan görev yok"
+ },
+ "vs/workbench/contrib/tasks/browser/terminalTaskSystem": {
+ "TerminalTaskSystem.unknownError": "Bir görev yürütülürken bilinmeyen bir hata oluştu. Ayrıntılar için görev çıkış günlüğüne bakın.",
+ "dependencyCycle": "Bir bağımlılık döngüsü var. \"{0}\" görevine bakın.",
+ "dependencyFailed": "'{1}' çalışma alanı klasöründeki '{0}' bağımlı görevi çözümlenemedi",
+ "TerminalTaskSystem.nonWatchingMatcher": "{0} görevi bir arka plan görevi, ancak arka plan deseni olmayan bir sorun eşleştiricisi kullanıyor",
+ "TerminalTaskSystem.terminalName": "Görev - {0}",
+ "closeTerminal": "Terminali kapatmak için bir tuşa basın.",
+ "reuseTerminal": "Terminal, görevler tarafından yeniden kullanılacak; kapatmak için bir tuşa basın.",
+ "TerminalTaskSystem": "UNC sürücüsü üzerinde cmd.exe kullanarak kabuk komutu yürütülemez.",
+ "unknownProblemMatcher": "Sorun eşleştiricisi {0} çözümlenemiyor. Eşleştirici yok sayılacak"
+ },
+ "vs/workbench/contrib/tasks/browser/task.contribution": {
+ "building": "Derleniyor...",
+ "numberOfRunningTasks": "{0} çalışan görev",
+ "runningTasks": "Çalışan Görevleri Göster",
+ "status.runningTasks": "Çalışan Görevler",
+ "miRunTask": "&&Görevi Çalıştır...",
+ "miBuildTask": "&&Derleme Görevini Çalıştır...",
+ "miRunningTask": "Ça&&lışan Görevleri Göster...",
+ "miRestartTask": "Çalışan Görevi &&Yeniden Başlat...",
+ "miTerminateTask": "&&Görevi Sonlandır...",
+ "miConfigureTask": "&&Görevleri Yapılandır...",
+ "miConfigureBuildTask": "&&Varsayılan Derleme Görevini Yapılandır...",
+ "workbench.action.tasks.openWorkspaceFileTasks": "Çalışma Alanı Görevlerini Aç",
+ "ShowLogAction.label": "Görev Günlüğünü Göster",
+ "RunTaskAction.label": "Görevi Çalıştır",
+ "ReRunTaskAction.label": "Son Görevi Yeniden Çalıştır",
+ "RestartTaskAction.label": "Çalışan Görevi Yeniden Başlat",
+ "ShowTasksAction.label": "Çalışan Görevleri Göster",
+ "TerminateAction.label": "Görevi Sonlandır",
+ "BuildAction.label": "Derleme Görevini Çalıştır",
+ "TestAction.label": "Test Görevini Çalıştır",
+ "ConfigureDefaultBuildTask.label": "Varsayılan Derleme Görevini Yapılandır",
+ "ConfigureDefaultTestTask.label": "Varsayılan Test Görevini Yapılandır",
+ "workbench.action.tasks.openUserTasks": "Kullanıcı Görevlerini Aç",
+ "tasksQuickAccessPlaceholder": "Çalıştırmak için bir görevin adını yazın.",
+ "tasksQuickAccessHelp": "Görevi Çalıştır",
+ "tasksConfigurationTitle": "Görevler",
+ "task.problemMatchers.neverPrompt": "Bir görev çalıştırılırken sorun eşleştirici isteminin gösterilip gösterilmeyeceğini yapılandırır. Hiçbir zaman istem göstermemek için 'true' olarak ayarlayın veya istem göstermeyi yalnızca belirli görev türlerinde kapatmak için bir görev türleri sözlüğü kullanın.",
+ "task.problemMatchers.neverPrompt.boolean": "Tüm görevler için sorun eşleştirici istem davranışını ayarlar.",
+ "task.problemMatchers.neverPrompt.array": "Hiçbir zaman sorun eşleştirici isteminde bulunmamak için görev türü-boolean çiftleri içeren bir nesne.",
+ "task.autoDetect": "Tüm görev sağlayıcı uzantıları için 'provideTasks' öğesinin etkinleştirilmesini denetler. Görevler: Görevi Çalıştır komutu yavaşsa, görev sağlayıcılar için otomatik algılamayı devre dışı bırakmak yardımcı olabilir. Ayrı uzantılar da otomatik algılamayı devre dışı bırakan ayarlar sağlayabilir.",
+ "task.slowProviderWarning": "Bir sağlayıcı yavaş olduğunda bir uyarı gösterilip gösterilmeyeceğini yapılandırır",
+ "task.slowProviderWarning.boolean": "Tüm görevler için yavaş sağlayıcı uyarısını ayarlar.",
+ "task.slowProviderWarning.array": "Yavaş sağlayıcı uyarısının gösterilmeyeceği bir dizi görev türü.",
+ "task.quickOpen.history": "Görev hızlı açma iletişim kutusunda izlenen son öğelerin sayısını denetler.",
+ "task.quickOpen.detail": "Görev hızlı seçimlerinde Görevi Çalıştır gibi bir ayrıntısı olan görevler için görev ayrıntısının gösterilip gösterilmeyeceğini denetler.",
+ "task.quickOpen.skip": "Seçim yapmak için yalnızca bir görev olduğunda görev hızlı seçiminin atlanıp atlanmayacağını denetler.",
+ "task.quickOpen.showAll": "Görevler: Görevi Çalıştır komutunun görevlerin sağlayıcıya göre gruplandığı daha hızlı iki düzeyli seçici yerine daha yavaş olan \"tümünü göster\" davranışını kullanmasına neden olur.",
+ "task.saveBeforeRun": "Bir görevi çalıştırmadan önce tüm değiştirilmiş düzenleyicileri kaydet.",
+ "task.saveBeforeRun.always": "Çalıştırmadan önce her zaman tüm düzenleyicileri kaydeder.",
+ "task.saveBeforeRun.never": "Çalıştırmadan önce düzenleyicileri hiçbir zaman kaydetmez.",
+ "task.SaveBeforeRun.prompt": "Çalıştırmadan önce düzenleyicilerin kaydedilip kaydedilmeyeceğini sorar."
+ },
+ "vs/workbench/contrib/tasks/common/taskDefinitionRegistry": {
+ "TaskDefinition.description": "Gerçek görev türü. Lütfen '$' ile başlayan türlerin iç kullanım için ayrıldığını unutmayın.",
+ "TaskDefinition.properties": "Görev türünün ek özellikleri",
+ "TaskDefinition.when": "Bu tür bir görevi etkinleştirmek için karşılanması gereken koşul. 'shellExecutionSupported', 'processExecutionSupported' ve 'customExecutionSupported' işlevlerinden bu görev tanımına uygun olanı kullanın.",
+ "TaskTypeConfiguration.noType": "Görev türü yapılandırmasında gerekli 'taskType' özelliği eksik",
+ "TaskDefinitionExtPoint": "Görev türleri katkısında bulunur"
+ },
+ "vs/workbench/contrib/tasks/common/problemMatcher": {
+ "ProblemPatternParser.problemPattern.missingRegExp": "Sorun deseninde bir normal ifade eksik.",
+ "ProblemPatternParser.loopProperty.notLast": "Döngü özelliği, yalnızca son satır eşleştiricisinde desteklenir.",
+ "ProblemPatternParser.problemPattern.kindProperty.notFirst": "Sorun deseni geçersiz. Tür özelliği yalnızca ilk öğede sağlanmalıdır",
+ "ProblemPatternParser.problemPattern.missingProperty": "Sorun deseni geçersiz. En azından bir dosya ve bir ileti içermelidir.",
+ "ProblemPatternParser.problemPattern.missingLocation": "Sorun deseni geçersiz. Türü \"file\" olmalı veya bir satır veya konum eşleştirme grubuna sahip olmalıdır.",
+ "ProblemPatternParser.invalidRegexp": "Hata: {0} dizesi, geçerli bir normal ifade değil.\r\n",
+ "ProblemPatternSchema.regexp": "Çıkışta bir hata, uyarı veya bilgi bulmak için normal ifade.",
+ "ProblemPatternSchema.kind": "desenin bir konumla mı (dosya ve satır), yoksa yalnızca bir dosya ile mi eşleştiği.",
+ "ProblemPatternSchema.file": "Dosya adının eşleştirme grubu dizini. Atlanırsa 1 kullanılır.",
+ "ProblemPatternSchema.location": "Sorunun konumunun eşleştirme grubu dizini. Geçerli konum desenleri: (line), (line,column) ve (startLine,startColumn,endLine,endColumn). Atlanırsa (line,column) varsayılır.",
+ "ProblemPatternSchema.line": "Sorunun satırının eşleştirme grubu dizini. Varsayılan değer: 2",
+ "ProblemPatternSchema.column": "Sorunun satır karakterinin eşleştirme grubu dizini. Varsayılan değer: 3",
+ "ProblemPatternSchema.endLine": "Sorunun bitiş satırının eşleştirme grubu dizini. Varsayılan değer: tanımsız",
+ "ProblemPatternSchema.endColumn": "Sorunun bitiş satırı karakterinin eşleştirme grubu dizini. Varsayılan değer: tanımsız",
+ "ProblemPatternSchema.severity": "Sorunun önem derecesinin eşleştirme grubu dizini. Varsayılan değer: tanımsız",
+ "ProblemPatternSchema.code": "Sorun kodunun eşleştirme grubu dizini. Varsayılan değer: tanımsız",
+ "ProblemPatternSchema.message": "İletinin eşleştirme grubu dizini. Atlanırsa, konum belirtildiyse varsayılan olarak 4 kullanılır. Aksi takdirde varsayılan olarak 5 değerini alır.",
+ "ProblemPatternSchema.loop": "Çok satırlı bir eşleştirici döngüsünde, eşleştiği sürece bu desenin döngüde yürütülüp yürütülmeyeceğini gösterir. Yalnızca çok satırlı bir desenin son deseninde belirtilebilir.",
+ "NamedProblemPatternSchema.name": "Sorun deseninin adı.",
+ "NamedMultiLineProblemPatternSchema.name": "Sorun olan çok satırlı hata deseninin adı.",
+ "NamedMultiLineProblemPatternSchema.patterns": "Gerçek desenler.",
+ "ProblemPatternExtPoint": "Sorun deseni katkısında bulunur",
+ "ProblemPatternRegistry.error": "Geçersiz sorun deseni. Desen yoksayılacak.",
+ "ProblemMatcherParser.noProblemMatcher": "Hata: açıklama bir sorun eşleştirmesine dönüştürülemiyor:\r\n{0}\r\n",
+ "ProblemMatcherParser.noProblemPattern": "Hata: açıklama geçerli bir sorun deseni tanımlamıyor:\r\n{0}\r\n",
+ "ProblemMatcherParser.noOwner": "Hata: açıklama bir sahip tanımlamıyor:\r\n{0}\r\n",
+ "ProblemMatcherParser.noFileLocation": "Hata: açıklama bir dosya konumu tanımlamıyor:\r\n{0}\r\n",
+ "ProblemMatcherParser.unknownSeverity": "Bilgi: bilinmeyen önem derecesi {0}. Geçerli değerler hata, uyarı ve bilgidir.\r\n",
+ "ProblemMatcherParser.noDefinedPatter": "Hata: tanımlayıcısı {0} olan desen yok.",
+ "ProblemMatcherParser.noIdentifier": "Hata: desen özelliği boş bir tanımlayıcıya başvuruyor.",
+ "ProblemMatcherParser.noValidIdentifier": "Hata: {0} desen özelliği, geçerli bir desen değişkeni adı değil.",
+ "ProblemMatcherParser.problemPattern.watchingMatcher": "Bir sorun eşleştiricisi, izleme için hem bir başlangıç deseni hem de bir bitiş deseni tanımlamalıdır.",
+ "ProblemMatcherParser.invalidRegexp": "Hata: {0} dizesi, geçerli bir normal ifade değil.\r\n",
+ "WatchingPatternSchema.regexp": "Bir arka plan görevinin başlangıcını veya bitişini algılamak için normal ifade.",
+ "WatchingPatternSchema.file": "Dosya adının eşleştirme grubu dizini. Atlanabilir.",
+ "PatternTypeSchema.name": "Katkıda bulunulmuş veya önceden tanımlanmış bir desenin adı",
+ "PatternTypeSchema.description": "Bir sorun deseni veya katkı olan veya önceden tanımlı bir sorun deseninin adı. Taban belirtilirse atlanabilir.",
+ "ProblemMatcherSchema.base": "Kullanılacak bir temel sorunun eşleştiricisinin adı.",
+ "ProblemMatcherSchema.owner": "Sorunun Kod içindeki sahibi. Taban belirtilirse atlanabilir. Atlanır ve taban belirtilmezse varsayılan olarak 'external' kullanılır.",
+ "ProblemMatcherSchema.source": "Bu tanılamanın kaynağını açıklayan, 'typescript' veya 'super lint' gibi okunabilir bir dize.",
+ "ProblemMatcherSchema.severity": "Yakalama sorunları için varsayılan önem derecesi. Desen, önem derecesi için bir eşleştirme grubu tanımlamıyorsa kullanılır.",
+ "ProblemMatcherSchema.applyTo": "Metin belgesinde bildirilen bir sorunun açık, kapalı veya tüm belgelerden hangilerine uygulanacağını denetler.",
+ "ProblemMatcherSchema.fileLocation": "Bir sorun deseninde bildirilen dosya adlarının nasıl yorumlanacağını tanımlar. Görece bir fileLocation, ikinci öğesinin görece dosya konumunun yolu olduğu bir dizi olabilir.",
+ "ProblemMatcherSchema.background": "Bir arka plan görevinde etkin olan bir eşleştiricinin başlangıç ve bitişini izleme desenleri.",
+ "ProblemMatcherSchema.background.activeOnStart": "true olarak ayarlanırsa, görev başladığında arka plan izleyicisi etkin moddadır. Bu, beginsPattern ile eşleşen bir satıra eşdeğerdir",
+ "ProblemMatcherSchema.background.beginsPattern": "Çıkışta eşleştirilirse, bir arka plan görevinin başladığı bildirilir.",
+ "ProblemMatcherSchema.background.endsPattern": "Çıkışta eşleştirilirse, bir arka plan görevinin sonuna gelindiği bildirilir.",
+ "ProblemMatcherSchema.watching.deprecated": "watching özelliği kullanım dışı. Bunun yerine background kullanın.",
+ "ProblemMatcherSchema.watching": "Bir izleme eşleştiricinin başlangıç ve bitişini izlemek için desenler.",
+ "ProblemMatcherSchema.watching.activeOnStart": "true olarak ayarlanırsa, görev başladığında izleyici etkin moddadır. Bu, beginPattern ile eşleşen bir satıra eşdeğerdir",
+ "ProblemMatcherSchema.watching.beginsPattern": "Çıkışta eşleştirilirse, bir izleme görevinin başladığı bildirilir.",
+ "ProblemMatcherSchema.watching.endsPattern": "Çıkışta eşleştirilirse, bir izleme görevinin sonuna gelindiği bildirilir.",
+ "LegacyProblemMatcherSchema.watchedBegin.deprecated": "Bu özellik kullanım dışı. Bunun yerine izleme özelliğini kullanın.",
+ "LegacyProblemMatcherSchema.watchedBegin": "Dosya izleme aracılığıyla tetiklenen izlenen bir görevin çalışmaya başladığını gösteren normal bir ifade.",
+ "LegacyProblemMatcherSchema.watchedEnd.deprecated": "Bu özellik kullanım dışı. Bunun yerine izleme özelliğini kullanın.",
+ "LegacyProblemMatcherSchema.watchedEnd": "İzlenen bir görevin yürütülmesinin bittiğini gösteren normal bir ifade.",
+ "NamedProblemMatcherSchema.name": "Sorun eşleştiricinin, kendisine başvurmak için kullanılan adı.",
+ "NamedProblemMatcherSchema.label": "Sorun eşleştiricisinin okunabilir bir etiketi.",
+ "ProblemMatcherExtPoint": "Sorun eşleştirici katkısında bulunur",
+ "msCompile": "Microsoft derleyicisi sorunları",
+ "lessCompile": "Daha az sorun",
+ "gulp-tsc": "Gulp TSC Sorunları",
+ "jshint": "JSHint sorunları",
+ "jshint-stylish": "JSHint stil sorunları",
+ "eslint-compact": "ESLint sıkıştırma sorunları",
+ "eslint-stylish": "ESLint stil sorunları",
+ "go": "Sorunlara git"
+ },
+ "vs/workbench/contrib/tasks/common/taskTemplates": {
+ "dotnetCore": ".NET Core derleme komutunu yürütür",
+ "msbuild": "Derleme hedefini yürütür",
+ "externalCommand": "Rastgele bir dış komutu çalıştırma örneği",
+ "Maven": "Ortak maven komutlarını yürütür"
+ },
+ "vs/workbench/contrib/tasks/browser/runAutomaticTasks": {
+ "tasks.run.allowAutomatic": "Bu klasörde, klasörü açtığınızda otomatik olarak çalışan 'tasks.json' içinde tanımlı görevler ({0}) var. Bu klasörü açtığınızda otomatik görevlerin çalıştırılmasına izin veriyor musunuz?",
+ "allow": "İzin ver ve çalıştır",
+ "disallow": "İzin Verme",
+ "openTasks": "Tasks.json'ı Aç",
+ "workbench.action.tasks.manageAutomaticRunning": "Klasörde Otomatik Görevleri Yönet",
+ "workbench.action.tasks.allowAutomaticTasks": "Klasörde Otomatik Görevlere İzin Ver",
+ "workbench.action.tasks.disallowAutomaticTasks": "Klasörde Otomatik Görevlere İzin Verme"
+ },
+ "vs/workbench/contrib/tasks/browser/taskQuickPick": {
+ "taskQuickPick.showAll": "Tüm Görevleri Göster...",
+ "configureTaskIcon": "Görev seçim listesindeki yapılandırma simgesi.",
+ "removeTaskIcon": "Görev seçim listesindeki kaldırma simgesi.",
+ "configureTask": "Görevi Yapılandır",
+ "contributedTasks": "katkı",
+ "taskType": "{0} görevin tümü",
+ "removeRecent": "Son Kullanılan Görevi Kaldır",
+ "recentlyUsed": "son kullanılanlar",
+ "configured": "yapılandırıldı",
+ "TaskQuickPick.goBack": "Geri git ↩",
+ "TaskQuickPick.noTasksForType": "{0} görevi bulunamadı. Geri dön ↩",
+ "noProviderForTask": "\"{0}\" türündeki görevler için bir görev sağlayıcı kaydı yok."
+ },
+ "vs/workbench/contrib/tasks/common/jsonSchema_v1": {
+ "JsonSchema.version.deprecated": "Görev sürümü 0.1.0 kullanım dışı. Lütfen 2.0.0 sürümünü kullanın",
+ "JsonSchema.version": "Yapılandırmanın sürüm numarası",
+ "JsonSchema._runner": "Çalıştırıcı kullanıma girdi. Resmi çalıştırıcı özelliğini kullanın",
+ "JsonSchema.runner": "Görevin bir işlem olarak yürütülüp yürütülmeyeceğini ve çıkışın çıkış penceresinde mi, yoksa terminalin içinde mi gösterileceğini tanımlar.",
+ "JsonSchema.windows": "Windows'a özel komut yapılandırması",
+ "JsonSchema.mac": "Mac'e özel komut yapılandırması",
+ "JsonSchema.linux": "Linux'a özel komut yapılandırması",
+ "JsonSchema.shell": "Komutun bir kabuk komutu mu, yoksa bir dış program mı olduğunu belirtir. Atlanırsa varsayılan değeri false olur."
+ },
+ "vs/workbench/contrib/tasks/common/jsonSchema_v2": {
+ "JsonSchema.shell": "Komutun bir kabuk komutu mu, yoksa bir dış program mı olduğunu belirtir. Atlanırsa varsayılan değeri false olur.",
+ "JsonSchema.tasks.isShellCommand.deprecated": "isShellCommand özelliği kullanım dışı. Bunun yerine görevin type özelliğini ve seçeneklerde shell özelliğini kullanın. Ayrıca 1.14 sürüm notlarına bakın.",
+ "JsonSchema.tasks.dependsOn.identifier": "Görev tanımlayıcısı.",
+ "JsonSchema.tasks.dependsOn.string": "Bu görevin bağımlı olduğu başka bir görev.",
+ "JsonSchema.tasks.dependsOn.array": "Bu görevin bağımlı olduğu diğer görevler.",
+ "JsonSchema.tasks.dependsOn": "Başka bir görevi temsil eden bir dize ya da bu görevin bağımlı olduğu başka görevler dizisi.",
+ "JsonSchema.tasks.dependsOrder.parallel": "Tüm dependsOn görevlerini paralel olarak çalıştır.",
+ "JsonSchema.tasks.dependsOrder.sequence": "Tüm dependsOn görevlerini sırayla çalıştır.",
+ "JsonSchema.tasks.dependsOrder": "Bu görev için dependsOn görevlerinin sırasını belirler. Bu özelliğin özyinelemeli olmadığını unutmayın.",
+ "JsonSchema.tasks.detail": "Görevi Çalıştır hızlı seçiminde bir ayrıntı olarak görünen bir görevin isteğe bağlı açıklaması.",
+ "JsonSchema.tasks.presentation": "Görevin çıkışını sunmak için kullanılan paneli yapılandırır ve panelin girdisini okur.",
+ "JsonSchema.tasks.presentation.echo": "Yürütülen komutun panele yansıtılıp yansıtılmayacağını denetler. Varsayılan değer true'dur.",
+ "JsonSchema.tasks.presentation.focus": "Panelin odak alıp almayacağını denetler. Varsayılan değer false'tur. true olarak ayarlanırsa panel de ortaya çıkarılır.",
+ "JsonSchema.tasks.presentation.revealProblems.always": "Bu görev yürütüldüğünde her zaman sorunlar panelini ortaya çıkarır.",
+ "JsonSchema.tasks.presentation.revealProblems.onProblem": "Yalnızca bir sorun bulunursa sorun panelini ortaya çıkarır.",
+ "JsonSchema.tasks.presentation.revealProblems.never": "Bu görev yürütüldüğünde sorunlar panelini hiçbir zaman ortaya çıkarma.",
+ "JsonSchema.tasks.presentation.revealProblems": "Bu görev çalıştırılırken sorun panelinin gösterilip gösterilmeyeceğini denetler. \"Göster\" seçeneğinin önüne geçer. Varsayılan: \"never\".",
+ "JsonSchema.tasks.presentation.reveal.always": "Bu görev yürütüldüğünde her zaman terminali ortaya çıkarır.",
+ "JsonSchema.tasks.presentation.reveal.silent": "Terminali yalnızca görev bir hatayla çıktığında veya sorun eşleştirme bir hata bulduğunda ortaya çıkarır.",
+ "JsonSchema.tasks.presentation.reveal.never": "Bu görev yürütüldüğünde terminali hiçbir zaman ortaya çıkarma.",
+ "JsonSchema.tasks.presentation.reveal": "Görevi çalıştıran terminalin ortaya çıkarılıp çıkarılmayacağını denetler. \"revealProblems\" seçeneği ile geçersiz kılınabilir. Varsayılan değer: \"always\".",
+ "JsonSchema.tasks.presentation.instance": "Panelin görevler arasında mı paylaşılacağını, bu göreve mi ayrılacağını, yoksa her çalıştırmada yeni bir panel mi oluşturulacağını denetler.",
+ "JsonSchema.tasks.presentation.showReuseMessage": "`Terminal görevler tarafından yeniden kullanılacak. Kapatmak için bir tuşa basın` iletisinin gösterilip gösterilmeyeceğini denetler.",
+ "JsonSchema.tasks.presentation.clear": "Görev yürütülmeden önce terminalin temizlenip temizlenmeyeceğini denetler.",
+ "JsonSchema.tasks.presentation.group": "Bölünmüş panelleri kullanarak görevin belirli bir terminal grubunda yürütülüp yürütülmeyeceğini denetler.",
+ "JsonSchema.tasks.terminal": "terminal özelliği kullanım dışı. Yerine presentation kullanın",
+ "JsonSchema.tasks.group.kind": "Görevin yürütme grubu.",
+ "JsonSchema.tasks.group.isDefault": "Bu görevin gruptaki varsayılan görev olup olmadığını tanımlar.",
+ "JsonSchema.tasks.group.defaultBuild": "Görevi varsayılan derleme görevi olarak işaretler.",
+ "JsonSchema.tasks.group.defaultTest": "Görevi varsayılan test görevi olarak işaretler.",
+ "JsonSchema.tasks.group.build": "Görevi 'Derleme Görevi Çalıştır' komutu aracılığıyla erişilebilen bir derleme görevi olarak işaretler.",
+ "JsonSchema.tasks.group.test": "Görevi 'Test Görevi Çalıştır' komutu aracılığıyla erişilebilen bir test görevi olarak işaretler.",
+ "JsonSchema.tasks.group.none": "Görevi hiçbir gruba atamaz",
+ "JsonSchema.tasks.group": "Bu görevin ait olduğu yürütme grubuna tanımlar. Derleme grubuna eklemek için \"build\", test grubuna eklemek için \"test\" komutunu destekler.",
+ "JsonSchema.tasks.type": "Görevin bir işlem olarak mı yoksa bir kabukta bir komut olarak mı çalıştırılacağını tanımlar.",
+ "JsonSchema.commandArray": "Yürütülecek kabuk komutu. Dizi öğeleri boşluk karakteri kullanılarak birleştirilecek",
+ "JsonSchema.command.quotedString.value": "Gerçek komut değeri",
+ "JsonSchema.tasks.quoting.escape": "Kabuğun atlama karakterini (örneğin, PowerShell'de `, Bash'de \\) kullanarak karakterleri atlar.",
+ "JsonSchema.tasks.quoting.strong": "Bağımsız değişkeni kabuğun güçlü alıntı karakteri (ör. PowerShell ve bash için ') ile alıntılar.",
+ "JsonSchema.tasks.quoting.weak": "Bağımsız değişkeni kabuğun zayıf alıntı karakteri (ör. PowerShell ve bash için \") ile alıntılar.",
+ "JsonSchema.command.quotesString.quote": "Komut değerinin tırnak içine alınma şekli.",
+ "JsonSchema.command": "Yürütülecek komut. Bir dış program veya bir kabuk komutu olabilir.",
+ "JsonSchema.args.quotedString.value": "Gerçek bağımsız değişken değeri",
+ "JsonSchema.args.quotesString.quote": "Bağımsız değişken değerinin tırnak içine alınma şekli.",
+ "JsonSchema.tasks.args": "Bu görev çağrıldığında komuta geçirilen bağımsız değişkenler.",
+ "JsonSchema.tasks.label": "Görevin kullanıcı arabirimi etiketi",
+ "JsonSchema.version": "Yapılandırmanın sürüm numarası.",
+ "JsonSchema.tasks.identifier": "launch.js'deki veya bir dependsOn yan tümcesindeki bir göreve başvurmak için kullanıcı tarafından tanımlanan bir tanımlayıcı.",
+ "JsonSchema.tasks.identifier.deprecated": "Kullanıcı tanımlı tanımlayıcılar kullanım dışı. Özel görev için başvuru olarak adı, uzantılar tarafından sağlanan görevler için bunların tanımlı görev tanımlayıcılarını kullanın.",
+ "JsonSchema.tasks.reevaluateOnRerun": "Yeniden çalıştırma sırasında görev değişkenlerinin yeniden değerlendirilip değerlendirilmeyeceği.",
+ "JsonSchema.tasks.runOn": "Görevin çalıştırılacağı zamanı yapılandırılır. folderOpen olarak ayarlanırsa, klasör açıldığında görev otomatik olarak çalıştırılır.",
+ "JsonSchema.tasks.instanceLimit": "Görevin aynı anda çalışmasına izin verilen örneklerinin sayısı.",
+ "JsonSchema.tasks.runOptions": "Görevin çalıştırmayla ilgili seçenekleri",
+ "JsonSchema.tasks.taskLabel": "Görevin etiketi",
+ "JsonSchema.tasks.taskName": "Görevin adı",
+ "JsonSchema.tasks.taskName.deprecated": "Görevin name özelliği kullanım dışı. Yerine label özelliğini kullanın.",
+ "JsonSchema.tasks.background": "Çalıştırılan görevin etkin tutulup tutulmadığı ve arka planda çalışıp çalışmadığı.",
+ "JsonSchema.tasks.promptOnClose": "VS Code çalışan bir görevle kapatılırken bunun kullanıcıya bildirilme durumu.",
+ "JsonSchema.tasks.matchers": "Kullanılacak problem eşleştirici(leri). Bir dize veya bir problem eşleştirici tanımı veya bir dize ve problem eşleştiricileri dizisi.",
+ "JsonSchema.customizations.customizes.type": "Özelleştirilecek görev türü",
+ "JsonSchema.tasks.customize.deprecated": "Özelleştirme özelliği kullanım dışı. Yeni görev özelleştirme yaklaşımına geçiş hakkında bilgi için 1.14 sürüm notlarına bakın",
+ "JsonSchema.tasks.showOutput.deprecated": "showOutput özelliği kullanım dışı. Bunun yerine presentation özelliğinin içindeki reveal özelliğini kullanın. Ayrıca 1.14 sürüm notlarına bakın.",
+ "JsonSchema.tasks.echoCommand.deprecated": "echoCommand özelliği kullanım dışı. Bunun yerine presentation özelliği içindeki echo özelliğini kullanın. Ayrıca 1.14 sürüm notlarına bakın.",
+ "JsonSchema.tasks.suppressTaskName.deprecated": "suppressTaskName özelliği kullanım dışı. Bunun yerine komutu kendi bağımsız değişkenleriyle birlikte satır içine alın. Ayrıca 1.14 sürüm notlarına bakın.",
+ "JsonSchema.tasks.isBuildCommand.deprecated": "isBuildCommand özelliği kullanım dışı. Bunun yerine group özelliğini kullanın. Ayrıca 1.14 sürüm notlarına bakın.",
+ "JsonSchema.tasks.isTestCommand.deprecated": "isTestCommand özelliği kullanım dışı. Bunun yerine group özelliğini kullanın. Ayrıca 1.14 sürüm notlarına bakın.",
+ "JsonSchema.tasks.taskSelector.deprecated": "taskSelector özelliği kullanım dışı. Bunun yerine komutu kendi bağımsız değişkenleriyle birlikte satır içine alın. Ayrıca 1.14 sürüm notlarına bakın.",
+ "JsonSchema.windows": "Windows'a özel komut yapılandırması",
+ "JsonSchema.mac": "Mac'e özel komut yapılandırması",
+ "JsonSchema.linux": "Linux'a özel komut yapılandırması"
+ },
+ "vs/workbench/contrib/tasks/browser/tasksQuickAccess": {
+ "noTaskResults": "Eşleşen görev yok",
+ "TaskService.pickRunTask": "Çalıştırılacak görevi seçin"
+ },
+ "vs/workbench/contrib/tasks/common/jsonSchemaCommon": {
+ "JsonSchema.options": "Ek komut seçenekleri",
+ "JsonSchema.options.cwd": "Yürütülen program veya betiğin geçerli çalışma dizini. Atlanırsa Kodun geçerli çalışma alanının kökü kullanılır.",
+ "JsonSchema.options.env": "Yürütülen programın veya kabuğun ortamı. Atlanırsa üst işlemin ortamı kullanılır.",
+ "JsonSchema.tasks.matcherError": "Tanınmayan sorun eşleştiricisi. Bu sorun eşleştiricisini katkıda bulunan uzantı yüklü mü?",
+ "JsonSchema.shellConfiguration": "Kullanılacak kabuğu yapılandırır.",
+ "JsonSchema.shell.executable": "Kullanılacak kabuk.",
+ "JsonSchema.shell.args": "Kabuk bağımsız değişkenleri.",
+ "JsonSchema.command": "Yürütülecek komut. Bir dış program veya bir kabuk komutu olabilir.",
+ "JsonSchema.tasks.args": "Bu görev çağrıldığında komuta geçirilen bağımsız değişkenler.",
+ "JsonSchema.tasks.taskName": "Görevin adı",
+ "JsonSchema.tasks.windows": "Windows'a özgü komut yapılandırması",
+ "JsonSchema.tasks.matchers": "Kullanılacak problem eşleştirici(leri). Bir dize veya bir problem eşleştirici tanımı veya bir dize ve problem eşleştiricileri dizisi.",
+ "JsonSchema.tasks.mac": "Mac'e özgü komut yapılandırması",
+ "JsonSchema.tasks.linux": "Linux'a özgü komut yapılandırması",
+ "JsonSchema.tasks.suppressTaskName": "Görev adının komuta bir bağımsız değişken olarak eklenip eklenmeyeceğini denetler. Atlanırsa genel olarak tanımlı değer kullanılır.",
+ "JsonSchema.tasks.showOutput": "Çalışan görevin çıkışının gösterilip gösterilmeyeceğini denetler. Atlanırsa genel olarak tanımlı değer kullanılır.",
+ "JsonSchema.echoCommand": "Yürütülen komutun çıkışa yansıtılıp yansıtılmayacağını denetler. Varsayılan değer false'tur.",
+ "JsonSchema.tasks.watching.deprecation": "Kullanım dışı. Bunun yerine isBackground'ı kullanın.",
+ "JsonSchema.tasks.watching": "Yürütülen görev canlı tutulma ve dosya sistemini izleme durumu.",
+ "JsonSchema.tasks.background": "Çalıştırılan görevin etkin tutulup tutulmadığı ve arka planda çalışıp çalışmadığı.",
+ "JsonSchema.tasks.promptOnClose": "VS Code çalışan bir görevle kapatılırken bunun kullanıcıya bildirilme durumu.",
+ "JsonSchema.tasks.build": "Bu görevi Kodun varsayılan derleme komutuna eşler.",
+ "JsonSchema.tasks.test": "Bu görevi Kodun varsayılan test komutuna eşler.",
+ "JsonSchema.args": "Komuta geçirilen ek bağımsız değişkenler.",
+ "JsonSchema.showOutput": "Çalışan görevin çıkışının gösterilip gösterilmeyeceğini denetler. Atlanırsa 'always' kullanılır.",
+ "JsonSchema.watching.deprecation": "Kullanım dışı. Bunun yerine isBackground'ı kullanın.",
+ "JsonSchema.watching": "Yürütülen görev canlı tutulma ve dosya sistemini izleme durumu.",
+ "JsonSchema.background": "Yürütülen görevin sürdürülmesi ve arka planda çalışıp çalışmaması.",
+ "JsonSchema.promptOnClose": "VS Code arka planda çalışan bir görevle kapatılırken kullanıcıya istem gösterilip gösterilmediği.",
+ "JsonSchema.suppressTaskName": "Görev adının komuta bir bağımsız değişken olarak eklenip eklenmeyeceğini denetler. Varsayılan değer false'tur.",
+ "JsonSchema.taskSelector": "Bir bağımsız değişkenin görev olduğunu gösteren ön ek.",
+ "JsonSchema.matchers": "Kullanılacak sorun eşleştiriciler. Bir dize veya bir sorun eşleştirici tanımı ya da bir dizi dize ve sorun eşleştirici olabilir.",
+ "JsonSchema.tasks": "Görev yapılandırmaları. Bunlar genellikle dış görev çalıştırıcısında zaten tanımlanmış olan görevlerin zenginleştirilmiş halleridir."
+ },
+ "vs/workbench/contrib/terminal/common/terminalConfiguration": {
+ "terminalIntegratedConfigurationTitle": "Tümleşik Terminal",
+ "terminal.integrated.sendKeybindingsToShell": "Alternatif olarak hassas ayarlama için kullanılabilen `#terminal.integrated.commandsToSkipShell#` özelliğini geçersiz kılarak çoğu tuş bağlamasını Workbench yerine terminale gönderir.",
+ "terminal.integrated.automationShell.linux": "Ayarlandığında, görevler ve hata ayıklama gibi otomasyon ile ilgili terminal kullanımı için {0} değerini geçersiz kılacak ve {1} değerlerini yoksayacak bir yol.",
+ "terminal.integrated.automationShell.osx": "Ayarlandığında, görevler ve hata ayıklama gibi otomasyon ile ilgili terminal kullanımı için {0} değerini geçersiz kılacak ve {1} değerlerini yoksayacak bir yol.",
+ "terminal.integrated.automationShell.windows": "Ayarlandığında, görevler ve hata ayıklama gibi otomasyon ile ilgili terminal kullanımı için {0} değerini geçersiz kılacak ve {1} değerlerini yoksayacak bir yol.",
+ "terminal.integrated.shellArgs.linux": "Linux terminalinde çalışırken kullanılacak komut satırı bağımsız değişkenleri. [Kabuğu yapılandırma hakkında daha fazla bilgi edinin](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shellArgs.osx": "macOS terminalinde çalışırken kullanılacak komut satırı bağımsız değişkenleri. [Kabuğu yapılandırma hakkında daha fazla bilgi edinin](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shellArgs.windows": "Windows terminalinde çalışırken kullanılacak komut satırı bağımsız değişkenleri. [Kabuğu yapılandırma hakkında daha fazla bilgi edinin](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shellArgs.windows.string": "Windows terminalinde çalışırken [komut satırı biçimindeki](https://msdn.microsoft.com/en-au/08dfcab2-eb6e-49a4-80eb-87d4076c98c6) komut satırı bağımsız değişkenleri. [Kabuğu yapılandırma hakkında daha fazla bilgi edinin](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.macOptionIsMeta": "Option tuşunun macOS'deki terminalde meta tuşu olarak kullanılıp kullanılmayacağını denetler.",
+ "terminal.integrated.macOptionClickForcesSelection": "macOS üzerinde Option + tıklama kullanılırken seçimin zorlanıp zorlanmayacağını denetler. Bu, normal (satır) seçimi zorlar ve sütun seçimi modunun kullanılmasına izin vermez. Bu, örneğin, tmux içinde fare modu etkinleştirildiğinde, normal terminal seçimini kullanarak kopyalamayı ve yapıştırmayı etkinleştirir.",
+ "terminal.integrated.copyOnSelection": "Terminalde seçili metnin panoya kopyalanıp kopyalanmayacağını denetler.",
+ "terminal.integrated.drawBoldTextInBrightColors": "Terminaldeki kalın metinlerin her zaman \"parlak\" ANSI renk çeşidini kullanıp kullanmayacağını denetler.",
+ "terminal.integrated.fontFamily": "Terminalin yazı tipi ailesini denetler; varsayılan olarak `#editor.fontFamily#` değeri geçerlidir.",
+ "terminal.integrated.fontSize": "Terminalin yazı tipi boyutunu piksel cinsinden denetler.",
+ "terminal.integrated.letterSpacing": "Terminalin harf aralığını denetler; bu, karakterler arasına eklenecek ek piksel miktarını temsil eden bir tamsayı değeridir.",
+ "terminal.integrated.lineHeight": "Terminalin satır yüksekliğini denetler, gerçek satır yüksekliğini piksel cinsinden almak için bu sayı terminal yazı tipi boyutuyla çarpılır.",
+ "terminal.integrated.minimumContrastRatio": "Ayarlandığında, her hücrenin ön plan rengi, belirtilen karşıtlık oranına uyacak şekilde değişir. Örnek değerler:\r\n\r\n- 1: Varsayılan, hiçbir şey yapmaz.\r\n- 4.5: [WCAG AA uyumluluğu (en az)](https://www.w3.org/TR/UNDERSTANDING-WCAG20/visual-audio-contrast-contrast.html).\r\n- 7: [WCAG AAA uyumluluğu (gelişmiş)](https://www.w3.org/TR/UNDERSTANDING-WCAG20/visual-audio-contrast7.html).\r\n- 21: Siyah üzerinde beyaz veya beyaz üzerinde siyah.",
+ "terminal.integrated.fastScrollSensitivity": "`Alt` tuşuna basıldığında kaydırma hızı çarpanı.",
+ "terminal.integrated.mouseWheelScrollSensitivity": "Fare tekerleği kaydırma olaylarının `deltaY` değeri üzerinde kullanılacak çarpan.",
+ "terminal.integrated.fontWeightError": "Yalnızca \"normal\" ve \"bold\" anahtar sözcüklerine veya 1 ile 1000 arasındaki sayılara izin verilir.",
+ "terminal.integrated.fontWeight": "Kalın olmayan metin için terminal içinde kullanılacak yazı tipi ağırlığı. \"Normal\" ve \"kalın\" anahtar kelimeleri veya 1 ile 1000 arasındaki sayıları kabul eder.",
+ "terminal.integrated.fontWeightBold": "Kalın metin için terminal içinde kullanılacak yazı tipi kalınlığı. \"Normal\" ve \"kalın\" anahtar kelimeleri veya 1 ile 1000 arasındaki sayıları kabul eder.",
+ "terminal.integrated.cursorBlinking": "Terminal imlecinin yanıp sönmesini denetler.",
+ "terminal.integrated.cursorStyle": "Terminal imlecinin stilini denetler.",
+ "terminal.integrated.cursorWidth": "`#terminal.integrated.cursorStyle#` `line` olarak ayarlandığında imlecin genişliğini denetler.",
+ "terminal.integrated.scrollback": "Terminalin arabelleğinde sakladığı en fazla satır miktarını denetler.",
+ "terminal.integrated.detectLocale": "VS Code terminali yalnızca kabuktan gelen UTF-8 kodlu verileri desteklediğinden, `$LANG` ortam değişkeninin algılanıp UTF-8 uyumlu bir seçeneğe ayarlanıp ayarlanmayacağını denetler.",
+ "terminal.integrated.detectLocale.auto": "Mevcut değişken yoksa veya `'.UTF-8'` ile bitmiyorsa `$LANG` ortam değişkenini ayarlayın.",
+ "terminal.integrated.detectLocale.off": "`$LANG` ortam değişkenini ayarlamayın.",
+ "terminal.integrated.detectLocale.on": "`$LANG` ortam değişkenini her zaman ayarlayın.",
+ "terminal.integrated.rendererType.auto": "VS Code'un hangi işleyicinin kullanılacağını tahmin etmesine izin verin.",
+ "terminal.integrated.rendererType.canvas": "Standart GPU/tuval tabanlı işleyiciyi kullanın.",
+ "terminal.integrated.rendererType.dom": "Geri dönüş DOM tabanlı işleyiciyi kullanın.",
+ "terminal.integrated.rendererType.experimentalWebgl": "Deneysel webgl tabanlı işleyiciyi kullanın. Bazı [bilinen sorunlar](https://github.com/xtermjs/xterm.js/issues?q=is%3Aopen+is%3Aissue+label%3Aarea%2Faddon%2Fwebgl) olduğuna dikkat edin.",
+ "terminal.integrated.rendererType": "Terminalin nasıl işleneceğini denetler.",
+ "terminal.integrated.rightClickBehavior.default": "Bağlam menüsünü gösterin.",
+ "terminal.integrated.rightClickBehavior.copyPaste": "Seçim olduğunda kopyalayın, aksi halde yapıştırın.",
+ "terminal.integrated.rightClickBehavior.paste": "Sağ tıklandığında yapıştırın.",
+ "terminal.integrated.rightClickBehavior.selectWord": "İmlecin altındaki sözcüğü seçin ve bağlam menüsünü görüntüleyin.",
+ "terminal.integrated.rightClickBehavior": "Terminalin sağ tıklamaya nasıl tepki vereceğini denetler.",
+ "terminal.integrated.cwd": "Terminalin başlatılacağı açık başlangıç yolu. Bu, kabuk işlemi için geçerli çalışma dizini (cwd) olarak kullanılır. Bu, kök dizin kullanışlı bir cwd değilse çalışma alanı ayarlarında özellikle yararlı olabilir.",
+ "terminal.integrated.confirmOnExit": "Etkin terminal oturumları varsa çıkışta onay verilip verilmeyeceğini denetler.",
+ "terminal.integrated.enableBell": "Terminal zilinin etkin olup olmadığını denetler.",
+ "terminal.integrated.commandsToSkipShell": "Tuş bağlamaları kabuğa gönderilmeyen ancak bunun yerine her zaman VS Code tarafından işlenen bir dizi komut kimliği. Bu, normalde kabuk tarafından tüketilen tuş bağlamalarının (örneğin Quick Open'ı başlatmak için `Ctrl+P`), terminale odaklanılmadığında olduğu gibi hareket etmesini sağlar.\r\n\r\n \r\n\r\nBirçok komut varsayılan olarak atlanır. Varsayılanı geçersiz kılmak ve bu komutun tuş bağlamasını kabuğa geçirmek için başında `-` karakteriyle komutu ekleyin. Örneğin, `Ctrl+P`nin kabuğa ulaşmasına izin vermek için `-workbench.action.quickOpen` komutunu ekleyin.\r\n\r\n \r\n\r\nVarsayılan atlanan komutların aşağıdaki listesi Ayarlar Düzenleyicisi'nde görüntülendiğinde kesilir. Tam listeyi görmek için, [varsayılan ayarlar JSON'sini açın](command:workbench.action.openRawDefaultSettings 'Open Default Settings (JSON)') ve aşağıdaki listedeki ilk komutu arayın.\r\n\r\n \r\n\r\nVarsayılan Atlanan Komutlar:\r\n\r\n{0}",
+ "terminal.integrated.allowChords": "Terminalde akor tuş bağlamalarına izin verilip verilmeyeceğini belirtir. Bu true olduğunda ve tuş vuruşu bir akorla sonuçlandığında `#terminal.integrated.commandsToSkipShell#` atlanır, bunu false olarak ayarlamak kabuğa (VS Code'a değil) gitmek için Ctrl+k kullanmak istediğinizde özellikle yararlıdır.",
+ "terminal.integrated.allowMnemonics": "Menü çubuğu anımsatıcılarının (ör. alt+f), menü çubuğunu açmayı tetiklemesine izin verilip verilmeyeceğini belirtir. Bunun, true olduğunda tüm alt tuş vuruşlarının kabuğu atlamasına neden olacağına dikkat edin. Bu, macOS üzerinde hiçbir şey yapmaz.",
+ "terminal.integrated.inheritEnv": "Yeni kabukların ortamını VS Code'dan devralması gerekip gerekmediğini belirtir. Bu, Windows'da desteklenmez.",
+ "terminal.integrated.env.osx": "macOS üzerinde terminal tarafından kullanılacak VS Code işlemine eklenecek ortam değişkenlerini içeren nesne. Ortam değişkenini silmek için `null` olarak ayarlayın.",
+ "terminal.integrated.env.linux": "Linux üzerinde terminal tarafından kullanılacak VS Code işlemine eklenecek ortam değişkenlerini içeren nesne. Ortam değişkenini silmek için `null` olarak ayarlayın.",
+ "terminal.integrated.env.windows": "Windows üzerinde terminal tarafından kullanılacak VS Code işlemine eklenecek ortam değişkenlerini içeren nesne. Ortam değişkenini silmek için `null` olarak ayarlayın.",
+ "terminal.integrated.environmentChangesIndicator": "Her terminalde, uzantıların terminal ortamında değişiklik yapıp yapmadığını veya değişiklik yapmak isteyip istemediğini açıklayan ortam değişiklikleri göstergesinin görüntülenip görüntülenmeyeceğini belirtir.",
+ "terminal.integrated.environmentChangesIndicator.off": "Göstergeyi devre dışı bırakın.",
+ "terminal.integrated.environmentChangesIndicator.on": "Göstergeyi etkinleştirin.",
+ "terminal.integrated.environmentChangesIndicator.warnonly": "Bir terminal ortamı 'eski' olduğunda, bir terminalin ortamının bir uzantı tarafından değiştirildiğini gösteren bilgi göstergesini değil yalnızca uyarı göstergesini gösterin.",
+ "terminal.integrated.showExitAlert": "Çıkış kodu sıfırdan farklı olduğunda \"Terminal işlemi çıkış koduyla sonlandırıldı\" uyarısının gösterilip gösterilmeyeceğini denetler.",
+ "terminal.integrated.splitCwd": "Bölünmüş terminalin başladığı çalışma dizinini denetler.",
+ "terminal.integrated.splitCwd.workspaceRoot": "Yeni bir bölünmüş terminal, çalışma alanı kökünü çalışma dizini olarak kullanacak. Çok köklü bir çalışma alanında, kullanılacak kök klasörü için bir seçenek sunulur.",
+ "terminal.integrated.splitCwd.initial": "Yeni bir bölünmüş terminal, üst terminalin başlatıldığı çalışma dizinini kullanacak.",
+ "terminal.integrated.splitCwd.inherited": "macOS ve Linux üzerinde, yeni bir bölünmüş terminal üst terminalin çalışma dizinini kullanacak. Windows'da bu, başlangıç ile aynı şekilde davranır.",
+ "terminal.integrated.windowsEnableConpty": "Windows terminal işlem iletişimi için ConPTY'nin kullanılıp kullanılmayacağını belirtir (Windows 10 derleme numarası 18309+ gerektirir). Bu false ise, Winpty kullanılır.",
+ "terminal.integrated.wordSeparators": "Sözcük seçmek için çift tıklama özelliği tarafından sözcük ayırıcısı olarak kabul edilecek tüm karakterleri içeren bir dize.",
+ "terminal.integrated.experimentalUseTitleEvent": "Açılan başlık için terminal başlığı olayını kullanacak bir deneysel ayar. Bu ayar yalnızca yeni terminallere uygulanır.",
+ "terminal.integrated.enableFileLinks": "Terminalde dosya bağlantılarının etkinleştirilip etkinleştirilmeyeceğini belirtir. Her dosya bağlantısı dosya sisteminde doğrulandığından bir ağ sürücüsü üzerinde çalışırken bağlantılar yavaş olabilir. Bunun değiştirilmesi yalnızca yeni terminallerde etkili olur.",
+ "terminal.integrated.unicodeVersion.six": "Unicode'un 6 sürümü, eski sistemlerde daha iyi çalışması gereken eski bir sürümüdür.",
+ "terminal.integrated.unicodeVersion.eleven": "Unicode'un 11 sürümü, Unicode'un modern sürümlerini kullanan modern sistemlerde daha iyi destek sağlar.",
+ "terminal.integrated.unicodeVersion": "Terminaldeki karakterlerin genişliği değerlendirilirken hangi Unicode sürümünün kullanılacağını denetler. Emoji veya başka bir geniş karakterin doğru büyüklükte olmaması ya da silme işleminin çok fazla veya çok az silmesi sorunuyla karşılaşırsanız bu ayarı değiştirmeyi denemek isteyebilirsiniz.",
+ "terminal.integrated.experimentalLinkProvider": "Bağlantıların algılanma zamanını iyileştirerek ve düzenleyici ile paylaşılan bağlantı algılamayı etkinleştirerek terminalde bağlantı algılamasını iyileştirmeyi hedefleyen bir deneysel ayar. Şu anda yalnızca web bağlantıları desteklenir.",
+ "terminal.integrated.localEchoLatencyThreshold": "Deneysel: Yerel düzenlemelerin sunucu onayı beklemeden terminalde yineleneceği milisaniye cinsinden ağ gecikmesi uzunluğu. '0' ise yerel yankı her zaman etkin olur, '-1 ' ise devre dışı bırakılır.",
+ "terminal.integrated.localEchoExcludePrograms": "Deneysel: Bu program adlarından herhangi biri terminal başlığında bulunduğunda yerel yankı devre dışı bırakılır.",
+ "terminal.integrated.localEchoStyle": "Deneysel: yerel olarak yinelenen metnin yazı tipi stili veya RGB rengi olan terminal stili.",
+ "terminal.integrated.serverSpawn": "Deneysel: Uzak uzantı konağı yerine uzak aracı işleminden uzak terminaller üretme",
+ "terminal.integrated.enablePersistentSessions": "Deneysel: Çalışma alanı için terminal oturumlarını pencere yeniden yüklemeleri arasında kalıcı yapın. Şu anda yalnızca VS Code Uzak çalışma alanlarında desteklenir.",
+ "terminal.integrated.shell.linux": "Terminalin Linux üzerinde kullandığı kabuğun yolu (varsayılan: {0}). [Kabuğu yapılandırma hakkında daha fazla bilgi edinin](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shell.linux.noDefault": "Terminalin Linux üzerinde kullandığı kabuğun yolu. [Kabuğu yapılandırma hakkında daha fazla bilgi edinin](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shell.osx": "Terminalin macOS üzerinde kullandığı kabuğun yolu (varsayılan: {0}). [Kabuğu yapılandırma hakkında daha fazla bilgi edinin](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shell.osx.noDefault": "Terminalin macOS üzerinde kullandığı kabuğun yolu. [Kabuğu yapılandırma hakkında daha fazla bilgi edinin](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shell.windows": "Terminalin Windows üzerinde kullandığı kabuğun yolu (varsayılan: {0}). [Kabuğu yapılandırma hakkında daha fazla bilgi edinin](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shell.windows.noDefault": "Terminalin Windows üzerinde kullandığı kabuğun yolu. [Kabuğu yapılandırma hakkında daha fazla bilgi edinin](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration)."
+ },
+ "vs/workbench/contrib/terminal/common/terminal": {
+ "terminalCategory": "Terminal",
+ "vscode.extension.contributes.terminal": "Terminal işlevselliğine katkıda bulunur.",
+ "vscode.extension.contributes.terminal.types": "Kullanıcının oluşturabileceği ek terminal türlerini tanımlar.",
+ "vscode.extension.contributes.terminal.types.command": "Kullanıcı bu tür bir terminal oluşturduğunda yürütülecek komut.",
+ "vscode.extension.contributes.terminal.types.title": "Bu terminal türü için başlık."
+ },
+ "vs/workbench/contrib/terminal/browser/terminal.contribution": {
+ "tasksQuickAccessPlaceholder": "Açılacak terminalin adını yazın.",
+ "tasksQuickAccessHelp": "Açılan Tüm Terminalleri Göster",
+ "terminal": "Terminal"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalView": {
+ "terminal.useMonospace": "'Tek aralıklı' kullanın",
+ "terminal.monospaceOnly": "Terminal yalnızca tek aralıklı yazı tiplerini destekler. Bu yeni yüklenmiş bir yazı tipi ise VS Code'u yeniden başlattığınızdan emin olun."
+ },
+ "vs/workbench/contrib/terminal/browser/remoteTerminalService": {
+ "terminal.integrated.starting": "Başlatılıyor..."
+ },
+ "vs/workbench/contrib/terminal/node/terminalProcess": {
+ "launchFail.cwdNotDirectory": "\"{0}\" başlangıç dizini (cwd) bir dizin değil",
+ "launchFail.cwdDoesNotExist": "\"{0}\" başlangıç dizini (cwd) yok",
+ "launchFail.executableIsNotFileOrSymlink": "\"{0}\" kabuk yürütülebilir dosyasının yolu bir symlink dosyası değil",
+ "launchFail.executableDoesNotExist": "\"{0}\" kabuk yürütülebilir dosyasının yolu yok"
+ },
+ "vs/workbench/contrib/terminal/electron-browser/terminalRemote": {
+ "workbench.action.terminal.newLocal": "Yeni Tümleşik Terminal Oluştur (Yerel)"
+ },
+ "vs/workbench/contrib/terminal/common/terminalColorRegistry": {
+ "terminal.background": "Terminalin arka plan rengi. Bu terminalin panelden farklı bir şekilde renklendirmesini sağlar.",
+ "terminal.foreground": "Terminalin ön plan rengi.",
+ "terminalCursor.foreground": "Terminal imlecinin ön plan rengi.",
+ "terminalCursor.background": "Terminal imlecinin arka plan rengi. Blok imleciyle örtüşen bir karakterin rengini özelleştirmeye olanak sağlar.",
+ "terminal.selectionBackground": "Terminalin seçim arka plan rengi.",
+ "terminal.border": "Terminal içinde bölünmüş bölmeleri ayıran kenarlığın rengi. Varsayılan değeri panel.border'dır.",
+ "terminal.ansiColor": "Terminalde '{0}' ANSI rengi."
+ },
+ "vs/workbench/contrib/terminal/browser/terminalActions": {
+ "workbench.action.terminal.newWorkspacePlaceholder": "Yeni terminal için geçerli çalışma dizinini seçin",
+ "workbench.action.terminal.toggleTerminal": "Tümleşik Terminali Aç/Kapat",
+ "workbench.action.terminal.kill": "Etkin Terminal Örneğini Sonlandır",
+ "workbench.action.terminal.kill.short": "Terminali Sonlandır",
+ "workbench.action.terminal.copySelection": "Seçimi Kopyala",
+ "workbench.action.terminal.copySelection.short": "Kopyala",
+ "workbench.action.terminal.selectAll": "Tümünü Seç",
+ "workbench.action.terminal.new": "Yeni Tümleşik Terminal Oluştur",
+ "workbench.action.terminal.new.short": "Yeni Terminal",
+ "workbench.action.terminal.split": "Bölünmüş Terminal",
+ "workbench.action.terminal.split.short": "Bölünmüş",
+ "workbench.action.terminal.splitInActiveWorkspace": "Bölünmüş Terminal (Etkin Çalışma Alanında)",
+ "workbench.action.terminal.paste": "Etkin Terminale Yapıştır",
+ "workbench.action.terminal.paste.short": "Yapıştır",
+ "workbench.action.terminal.selectDefaultShell": "Varsayılan Kabuğu Seçin",
+ "workbench.action.terminal.openSettings": "Terminal Ayarlarını Yapılandır",
+ "workbench.action.terminal.switchTerminal": "Terminali Değiştir",
+ "terminals": "Terminalleri açın.",
+ "terminalConnectingLabel": "Başlatılıyor...",
+ "workbench.action.terminal.clear": "Temizle",
+ "terminalLaunchHelp": "Yardımı Aç",
+ "workbench.action.terminal.newInActiveWorkspace": "Yeni Tümleşik Terminal Oluştur (Etkin Çalışma Alanında)",
+ "workbench.action.terminal.focusPreviousPane": "Önceki Bölmeye Odaklan",
+ "workbench.action.terminal.focusNextPane": "Sonraki Bölmeye Odaklan",
+ "workbench.action.terminal.resizePaneLeft": "Bölmeyi Sola Yeniden Boyutlandır",
+ "workbench.action.terminal.resizePaneRight": "Bölmeyi Sağa Yeniden Boyutlandır",
+ "workbench.action.terminal.resizePaneUp": "Bölmeyi Yukarı Yeniden Boyutlandır",
+ "workbench.action.terminal.resizePaneDown": "Bölmeyi Aşağı Yeniden Boyutlandır",
+ "workbench.action.terminal.focus": "Terminale Odaklan",
+ "workbench.action.terminal.focusNext": "Sonraki Terminale Odaklan",
+ "workbench.action.terminal.focusPrevious": "Önceki Terminale Odaklan",
+ "workbench.action.terminal.runSelectedText": "Seçili Metni Etkin Terminalde Çalıştır",
+ "workbench.action.terminal.runActiveFile": "Etkin Dosyayı Etkin Terminalde Çalıştır",
+ "workbench.action.terminal.runActiveFile.noFile": "Yalnızca diskteki dosyalar terminalde çalıştırılabilir",
+ "workbench.action.terminal.scrollDown": "Aşağı Kaydır (Satır)",
+ "workbench.action.terminal.scrollDownPage": "Aşağı Kaydır (Sayfa)",
+ "workbench.action.terminal.scrollToBottom": "En Alta Kaydır",
+ "workbench.action.terminal.scrollUp": "Yukarı Kaydır (Satır)",
+ "workbench.action.terminal.scrollUpPage": "Yukarı Kaydır (Sayfa)",
+ "workbench.action.terminal.scrollToTop": "En Üste Kaydır",
+ "workbench.action.terminal.navigationModeExit": "Gezinme Modundan Çık",
+ "workbench.action.terminal.navigationModeFocusPrevious": "Önceki Satıra Odaklan (Gezinme Modu)",
+ "workbench.action.terminal.navigationModeFocusNext": "Sonraki Satıra Odaklan (Gezinme Modu)",
+ "workbench.action.terminal.clearSelection": "Seçimi Temizle",
+ "workbench.action.terminal.manageWorkspaceShellPermissions": "Çalışma Alanı Kabuğu İzinlerini Yönet",
+ "workbench.action.terminal.rename": "Yeniden Adlandır",
+ "workbench.action.terminal.rename.prompt": "Terminal adını girin",
+ "workbench.action.terminal.focusFind": "Bul Öğesine Odaklan",
+ "workbench.action.terminal.hideFind": "Bul Öğesini Gizle",
+ "workbench.action.terminal.attachToRemote": "Oturuma İliştir",
+ "quickAccessTerminal": "Etkin Terminali Değiştir",
+ "workbench.action.terminal.scrollToPreviousCommand": "Önceki Komuta Kaydır",
+ "workbench.action.terminal.scrollToNextCommand": "Sonraki Komuta Kaydır",
+ "workbench.action.terminal.selectToPreviousCommand": "Önceki Komuta Kadar Seç",
+ "workbench.action.terminal.selectToNextCommand": "Sonraki Komuta Kadar Seç",
+ "workbench.action.terminal.selectToPreviousLine": "Önceki Satıra Kadar Seç",
+ "workbench.action.terminal.selectToNextLine": "Sonraki Satıra Kadar Seç",
+ "workbench.action.terminal.toggleEscapeSequenceLogging": "Kaçış Dizisini Günlüğe Kaydetmeyi Aç/Kapat",
+ "workbench.action.terminal.sendSequence": "Özel Diziyi Terminale Gönder",
+ "workbench.action.terminal.newWithCwd": "Özel Çalışma Dizininden Başlayarak Yeni Tümleşik Terminal Oluştur",
+ "workbench.action.terminal.newWithCwd.cwd": "Terminalin başlatılacağı dizin",
+ "workbench.action.terminal.renameWithArg": "Şu Anda Etkin Olan Terminali Yeniden Adlandır",
+ "workbench.action.terminal.renameWithArg.name": "Terminalin yeni adı",
+ "workbench.action.terminal.renameWithArg.noName": "Ad bağımsız değişkeni sağlanmadı",
+ "workbench.action.terminal.toggleFindRegex": "Normal İfade Kullanarak Bulma Özelliğini Aç/Kapat",
+ "workbench.action.terminal.toggleFindWholeWord": "Tam Kelime Kullanarak Bulma Özelliğini Aç/Kapat",
+ "workbench.action.terminal.toggleFindCaseSensitive": "Büyük/Küçük Harf Duyarlı Bulma Özelliğini Aç/Kapat",
+ "workbench.action.terminal.findNext": "Sonrakini Bul",
+ "workbench.action.terminal.findPrevious": "Öncekini Bul",
+ "workbench.action.terminal.searchWorkspace": "Çalışma Alanını Ara",
+ "workbench.action.terminal.relaunch": "Etkin Terminali Yeniden Başlat",
+ "workbench.action.terminal.showEnvironmentInformation": "Ortam Bilgilerini Göster"
+ },
+ "vs/workbench/contrib/terminal/common/terminalMenu": {
+ "miToggleIntegratedTerminal": "&&Terminal",
+ "miNewTerminal": "&&Yeni Terminal",
+ "miSplitTerminal": "&&Terminali Böl",
+ "miRunActiveFile": "&&Etkin Dosyayı Çalıştır",
+ "miRunSelectedText": "&&Seçili Metni Çalıştır"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalService": {
+ "workbench.action.terminal.allowWorkspaceShell": "Çalışma Alanı Kabuk Yapılandırmasına İzin Ver",
+ "workbench.action.terminal.disallowWorkspaceShell": "Çalışma Alanı Kabuk Yapılandırmasına İzin Verme",
+ "terminalService.terminalCloseConfirmationSingular": "Etkin bir terminal oturumu var, sonlandırmak istiyor musunuz?",
+ "terminalService.terminalCloseConfirmationPlural": "Etkin {0} terminal oturumu var, bunları sonlandırmak istiyor musunuz?",
+ "terminal.integrated.chooseWindowsShell": "Tercih ettiğiniz terminal kabuğunu seçin, bunu daha sonra ayarlarınızda değiştirebilirsiniz"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalQuickAccess": {
+ "renameTerminal": "Terminali Yeniden Adlandır",
+ "killTerminal": "Terminali Örneğini Sonlandır",
+ "workbench.action.terminal.newplus": "Yeni Tümleşik Terminal Oluştur"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalIcons": {
+ "terminalViewIcon": "Terminal görünümünün simgesini görüntüleyin.",
+ "renameTerminalIcon": "Terminal hızlı menüsündeki yeniden adlandırma simgesi.",
+ "killTerminalIcon": "Terminal örneğini sonlandırma simgesi.",
+ "newTerminalIcon": "Yeni terminal örneği oluşturma simgesi."
+ },
+ "vs/workbench/contrib/terminal/browser/terminalConfigHelper": {
+ "terminal.integrated.allowWorkspaceShell": "Bu çalışma alanının terminal kabuğunuzu değiştirmesine izin veriyor musunuz? {0}",
+ "allow": "İzin Ver",
+ "disallow": "İzin Verme",
+ "useWslExtension.title": "WSL'de bir terminal açmak için '{0}' uzantısı önerilir.",
+ "install": "Yükle"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalInstance": {
+ "terminal.integrated.a11yPromptLabel": "Terminal girişi",
+ "terminal.integrated.a11yTooMuchOutput": "Duyurulacak çok fazla çıkış var, okunacak satırlara kendiniz gidin",
+ "terminalTextBoxAriaLabelNumberAndTitle": "{0} terminali, {1}",
+ "terminalTextBoxAriaLabel": "{0} terminali",
+ "configure terminal settings": "Bazı tuş bağlamaları varsayılan olarak Workbench'e gönderilir.",
+ "configureTerminalSettings": "Terminal Ayarlarını Yapılandır",
+ "yes": "Evet",
+ "no": "Hayır",
+ "dontShowAgain": "Tekrar Gösterme",
+ "terminal.slowRendering": "Tümleşik terminalin standart işleyicisi bilgisayarınızda yavaş gibi görünüyor. Performansı artırabilecek alternatif DOM tabanlı işleyiciye geçmek istiyor musunuz? [Terminal ayarları hakkında daha fazla bilgi edinin](https://code.visualstudio.com/docs/editor/integrated-terminal#_changing-how-the-terminal-is-rendered).",
+ "terminal.integrated.copySelection.noSelection": "Terminalin kopyalanacak seçimi yok",
+ "launchFailed.exitCodeAndCommandLine": "\"{0}\" terminal işlemi başlatılamadı (çıkış kodu: {1}).",
+ "launchFailed.exitCodeOnly": "Terminal işlemi başlatılamadı (çıkış kodu: {0}).",
+ "terminated.exitCodeAndCommandLine": "\"{0}\" terminal işlemi şu çıkış koduyla sonlandırıldı: {1}.",
+ "terminated.exitCodeOnly": "Terminal işlemi şu çıkış koduyla sonlandı: {0}.",
+ "launchFailed.errorMessage": "Terminal işlemi başlatılamadı: {0}.",
+ "terminalStaleTextBoxAriaLabel": "{0} terminal ortamı eski, daha fazla bilgi için 'Ortam Bilgilerini Göster' komutunu çalıştırın"
+ },
+ "vs/workbench/contrib/terminal/browser/links/terminalLinkManager": {
+ "terminalLinkHandler.followLinkAlt.mac": "Option + tıklama",
+ "terminalLinkHandler.followLinkAlt": "alt + tıklama",
+ "terminalLinkHandler.followLinkCmd": "cmd + tıklama",
+ "terminalLinkHandler.followLinkCtrl": "ctrl + tıklama",
+ "followLink": "Bağlantıyı İzle"
+ },
+ "vs/workbench/contrib/terminal/browser/links/terminalWordLinkProvider": {
+ "searchWorkspace": "Çalışma alanında ara"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalProcessExtHostProxy": {
+ "terminal.integrated.starting": "Başlatılıyor..."
+ },
+ "vs/workbench/contrib/terminal/browser/environmentVariableInfo": {
+ "extensionEnvironmentContributionChanges": "Uzantılar terminalin ortamında aşağıdaki değişiklikleri yapmak istiyor:",
+ "extensionEnvironmentContributionRemoval": "Uzantılar, bu mevcut değişiklikleri terminalin ortamından kaldırmak istiyor:",
+ "relaunchTerminalLabel": "Terminali yeniden başlat",
+ "extensionEnvironmentContributionInfo": "Uzantılar bu terminalin ortamında değişiklikler yaptı"
+ },
+ "vs/workbench/contrib/terminal/browser/links/terminalLink": {
+ "openFile": "Dosyayı düzenleyicide aç",
+ "focusFolder": "Gezginde klasöre odaklan",
+ "openFolder": "Klasörü yeni pencerede aç"
+ },
+ "vs/workbench/contrib/themes/browser/themes.contribution": {
+ "selectTheme.label": "Renk Teması",
+ "themes.category.light": "açık temalar",
+ "themes.category.dark": "koyu temalar",
+ "themes.category.hc": "yüksek karşıtlık temaları",
+ "installColorThemes": "Ek Renk Temaları Yükle...",
+ "themes.selectTheme": "Renk Temasını Seçin (Önizlemesini Görüntülemek İçin Yukarı/Aşağı Tuşları Kullanın)",
+ "selectIconTheme.label": "Dosya Simgesi Teması",
+ "noIconThemeLabel": "Yok",
+ "noIconThemeDesc": "Dosya simgelerini devre dışı bırakın",
+ "installIconThemes": "Ek Dosya Simgesi Temaları Yükle...",
+ "themes.selectIconTheme": "Dosya Simgesi Temasını Seçin",
+ "selectProductIconTheme.label": "Ürün Simgesi Teması",
+ "defaultProductIconThemeLabel": "Varsayılan",
+ "themes.selectProductIconTheme": "Ürün Simgesi Temasını Seçin",
+ "generateColorTheme.label": "Geçerli Ayarlardan Renk Teması Oluştur",
+ "preferences": "Tercihler",
+ "miSelectColorTheme": "&&Renk Teması",
+ "miSelectIconTheme": "Dosya &&Simge Teması",
+ "themes.selectIconTheme.label": "Dosya Simgesi Teması"
+ },
+ "vs/workbench/contrib/timeline/browser/timeline.contribution": {
+ "timelineViewIcon": "Zaman çizelgesi görünümünün simgesini görüntüleyin.",
+ "timelineOpenIcon": "Zaman çizelgesini açma eylemi için simge.",
+ "timelineConfigurationTitle": "Zaman çizelgesi",
+ "timeline.excludeSources": "Zaman Çizelgesi görünümünün dışında tutulması gereken bir dizi Zaman Çizelgesi kaynağı",
+ "timeline.pageSize": "Varsayılan olarak ve daha fazla öğe yüklerken Zaman Çizelgesi görünümünde gösterilecek öğe sayısı. Değer 'null' (varsayılan) olarak ayarlanırsa, Zaman Çizelgesi görünümünün görünür alanına göre otomatik olarak bir sayfa boyutu seçilir",
+ "timeline.pageOnScroll": "Deneysel. Listenin sonuna ilerlediğinizde Zaman Çizelgesi görünümünün öğelerin sonraki sayfasını yükleyip yükleyemeyeceğini denetler",
+ "files.openTimeline": "Zaman Çizelgesini Aç"
+ },
+ "vs/workbench/contrib/timeline/browser/timelinePane": {
+ "timeline.loadingMore": "Yükleniyor...",
+ "timeline.loadMore": "Diğerlerini yükle",
+ "timeline": "Zaman çizelgesi",
+ "timeline.editorCannotProvideTimeline": "Etkin düzenleyici zaman çizelgesi bilgisi sağlayamıyor.",
+ "timeline.noTimelineInfo": "Zaman çizelgesi bilgisi sağlanmadı.",
+ "timeline.aria.item": "{0}: {1}",
+ "timeline.loading": "{0} için zaman çizelgesi yükleniyor...",
+ "timelineRefresh": "Zaman çizelgesini yenileme eylemi için simge.",
+ "timelinePin": "Zaman çizelgesini sabitleme eylemi için simge.",
+ "timelineUnpin": "Zaman çizelgesinin sabitlemesini kaldırma eylemi için simge.",
+ "refresh": "Yenile",
+ "timeline.toggleFollowActiveEditorCommand.follow": "Geçerli Zaman Çizelgesini Sabitle",
+ "timeline.toggleFollowActiveEditorCommand.unfollow": "Geçerli Zaman Çizelgesini Kaldır",
+ "timeline.filterSource": "Şunu dahil et: {0}"
+ },
+ "vs/workbench/contrib/update/browser/update.contribution": {
+ "miReleaseNotes": "&&Sürüm Notları"
+ },
+ "vs/workbench/contrib/update/browser/update": {
+ "releaseNotes": "Sürüm Notları",
+ "update.noReleaseNotesOnline": "Bu {0} sürümünün çevrimiçi sürüm notları yok",
+ "showReleaseNotes": "Sürüm Notlarını Göster",
+ "read the release notes": "{0} v{1} sürümüne hoş geldiniz! Sürüm Notlarını okumak ister misiniz?",
+ "licenseChanged": "Lisans koşullarımız değişti. İncelemek için lütfen [buraya]({0}) tıklayın.",
+ "updateIsReady": "Yeni {0} güncelleştirme var.",
+ "checkingForUpdates": "Güncelleştirmeler Denetleniyor...",
+ "update service": "Hizmeti Güncelleştir",
+ "noUpdatesAvailable": "Şu anda güncelleştirme yok.",
+ "ok": "Tamam",
+ "thereIsUpdateAvailable": "Kullanılabilir bir güncelleştirme var.",
+ "download update": "Güncelleştirmeyi İndir",
+ "later": "Daha Sonra",
+ "updateAvailable": "Kullanılabilir bir güncelleştirme var: {0} {1}",
+ "installUpdate": "Güncelleştirmeyi Yükle",
+ "updateInstalling": "{0} {1} arka planda yükleniyor; tamamlandığında size bildireceğiz.",
+ "updateNow": "Şimdi Güncelleştir",
+ "updateAvailableAfterRestart": "En son güncelleştirmeyi uygulamak için {0} uygulamasını yeniden başlatın.",
+ "checkForUpdates": "Güncelleştirmeleri Denetle...",
+ "download update_1": "(1) Güncelleştirmesini İndir",
+ "DownloadingUpdate": "Güncelleştirme İndiriliyor...",
+ "installUpdate...": "Güncelleştirmeyi Yükle... (1)",
+ "installingUpdate": "Güncelleştirme yükleniyor...",
+ "good luck": "'Restart to Update' is not working properly on macOS Big Sur. Click 'Quit to Update' to quit {0} and update it. Then, relaunch it from Finder.",
+ "quit": "Quit to Update",
+ "learn more": "Learn More",
+ "cancel": "Cancel",
+ "restartToUpdate": "Güncelleştirme için Yeniden Başlat (1)",
+ "relaunchMessage": "Sürüm değiştirmenin devreye girmesi yeniden yükleme gerektirir",
+ "relaunchDetailInsiders": "VSCode'un gecelik üretim öncesi sürümüne geçmek için yeniden yükleme düğmesine basın.",
+ "relaunchDetailStable": "VSCode'un aylık yayımlanan kararlı sürümüne geçmek için yeniden yükleme düğmesine basın.",
+ "reload": "&&Yeniden Yükle",
+ "switchToInsiders": "Insiders Sürümüne Geç...",
+ "switchToStable": "Kararlı Sürüme Geç..."
+ },
+ "vs/workbench/contrib/update/browser/releaseNotesEditor": {
+ "releaseNotesInputName": "Sürüm Notları: {0}",
+ "unassigned": "atanmamış"
+ },
+ "vs/workbench/contrib/url/browser/url.contribution": {
+ "openUrl": "URL'yi aç",
+ "urlToOpen": "Açılacak URL"
+ },
+ "vs/workbench/contrib/url/browser/trustedDomains": {
+ "trustedDomain.manageTrustedDomain": "Güvenilen Etki Alanlarını Yönet",
+ "trustedDomain.trustDomain": "{0} etki alanına güven",
+ "trustedDomain.trustAllPorts": "Tüm bağlantı noktalarında {0} etki alanına güven",
+ "trustedDomain.trustSubDomain": "{0} ve tüm alt etki alanlarına güven",
+ "trustedDomain.trustAllDomains": "Tüm etki alanlarına güven (bağlantı korumasını devre dışı bırakır)",
+ "trustedDomain.manageTrustedDomains": "Güvenilen Etki Alanlarını Yönet",
+ "configuringURL": "Şunun için güven yapılandırılıyor: {0}"
+ },
+ "vs/workbench/contrib/url/browser/trustedDomainsValidator": {
+ "openExternalLinkAt": "{0} bağlantısının dış web sitesini açmasını istiyor musunuz?",
+ "open": "Aç",
+ "copy": "Kopyala",
+ "cancel": "İptal",
+ "configureTrustedDomains": "Güvenilen Etki Alanlarını Yapılandır"
+ },
+ "vs/workbench/contrib/userDataSync/electron-browser/userDataSync.contribution": {
+ "operationId": "İşlem Kimliği: {0}",
+ "too many requests": "Geçerli cihaz çok sayıda istekte bulunduğundan ayar eşitleme devre dışı bırakıldı. Lütfen eşitleme günlüklerini sağlayarak sorunu bildirin.",
+ "settings sync": "Ayar eşitlemesi. İşlem kimliği: {0}",
+ "show sync logs": "Günlüğü Göster",
+ "report issue": "Sorun Raporla",
+ "Open Backup folder": "Yerel Yedeklemeler Klasörünü Aç",
+ "no backups": "Yerel yedeklemeler klasörü yok"
+ },
+ "vs/workbench/contrib/userDataSync/browser/userDataSync.contribution": {
+ "operationId": "İşlem Kimliği: {0}",
+ "too many requests": "Çok fazla istekte bulunduğundan bu cihazda eşitleme ayarları kapatıldı."
+ },
+ "vs/workbench/contrib/userDataSync/browser/userDataSync": {
+ "turn on sync with category": "{0}: Aç...",
+ "stop sync": "{0}: Kapat",
+ "configure sync": "{0}: Yapılandır...",
+ "showConflicts": "{0}: Ayar Çakışmalarını Göster",
+ "showKeybindingsConflicts": "{0}: Tuş Bağlama Çakışmalarını Göster",
+ "showSnippetsConflicts": "{0}: Kullanıcı Kod Parçacığı Çakışmalarını Göster",
+ "sync now": "{0}: Şimdi Eşitle",
+ "syncing": "eşitleniyor",
+ "synced with time": "{0} eşitlendi",
+ "sync settings": "{0}: Ayarları Göster",
+ "show synced data": "{0}: Eşitlenmiş Verileri Göster",
+ "conflicts detected": "{0} içindeki çakışmalar nedeniyle eşitleme işlemi yapılamıyor. Devam etmek için lütfen bunları çözümleyin.",
+ "accept remote": "Uzağı Kabul Et",
+ "accept local": "Yereli Kabul Et",
+ "show conflicts": "Çakışmaları Göster",
+ "accept failed": "Değişiklikler kabul edilirken hata oluştu. Daha fazla ayrıntı için lütfen [günlükleri]({0}) kontrol edin.",
+ "session expired": "Geçerli oturumun süresi dolduğundan ayar eşitlemesi kapatıldı; lütfen eşitlemeyi açmak için yeniden oturum açın.",
+ "turn on sync": "Ayar Eşitlemesini Aç...",
+ "turned off": "Ayar eşitlemesi başka bir cihazın oturumunu kapattı; lütfen eşitlemeyi açmak için yeniden oturum açın.",
+ "too large": "Eşitlenecek {1} dosyasının boyutu {2} üzerinde olduğundan {0} eşitlemesi devre dışı bırakıldı. Lütfen dosyayı açın ve boyutu azaltıp eşitlemeyi etkinleştirin",
+ "error upgrade required": "Geçerli sürüm ({0} {1}) eşitleme hizmeti ile uyumlu olmadığından ayar eşitlemesi devre dışı bırakıldı. Lütfen eşitlemeyi açmadan önce güncelleştirin.",
+ "operationId": "İşlem Kimliği: {0}",
+ "error reset required": "Buluttaki verileriniz istemciden daha eski olduğundan ayar eşitleme devre dışı bırakıldı. Eşitlemeyi açmadan önce lütfen buluttaki verilerinizi temizleyin.",
+ "reset": "Buluttaki Verileri Temizle...",
+ "show synced data action": "Eşitlenmiş Verileri Göster",
+ "switched to insiders": "Ayar eşitlemesi artık ayrı bir hizmet kullanıyor; daha fazla bilgiyi [sürüm notlarında](https://code.visualstudio.com/updates/v1_48#_settings-sync) bulabilirsiniz.",
+ "open file": "{0} Dosyasını Aç",
+ "errorInvalidConfiguration": "Dosyadaki içerik geçerli olmadığından {0} eşitlenemiyor. Lütfen dosyayı açın ve düzeltin.",
+ "has conflicts": "{0}: Çakışmalar Algılandı",
+ "turning on syncing": "Ayarların Eşitlemesi Açılıyor...",
+ "sign in to sync": "Eşitleme Ayarlarında Oturum Aç",
+ "no authentication providers": "Kullanılabilir kimlik doğrulama sağlayıcısı yok.",
+ "too large while starting sync": "Eşitlenecek {0} dosyasının boyutu {1} üzerinde olduğundan ayar eşitlemesi açılamıyor. Lütfen dosyayı açıp boyutu azaltın ve eşitlemeyi açın",
+ "error upgrade required while starting sync": "Geçerli sürüm ({0}, {1}) eşitleme hizmeti ile uyumlu olmadığından ayar eşitlemesi açılamıyor. Lütfen eşitlemeyi açmadan önce güncelleştirin.",
+ "error reset required while starting sync": "Buluttaki verileriniz istemcidekilerden daha eski olduğu için ayar eşitleme açılamıyor. Eşitlemeyi açmadan önce lütfen buluttaki verilerinizi temizleyin.",
+ "auth failed": "Ayarları Eşitleme açılırken hata oluştu: Kimlik doğrulaması başarısız.",
+ "turn on failed": "Ayarları Eşitleme açılırken hata oluştu. Daha fazla ayrıntı için lütfen [günlükleri]({0}) kontrol edin.",
+ "sync preview message": "Ayarlarınızı eşitleme bir önizleme özelliğidir; açmadan önce lütfen belgeleri okuyun.",
+ "turn on": "Aç",
+ "open doc": "Belgeleri Aç",
+ "cancel": "İptal",
+ "sign in and turn on": "Oturum açın ve Etkinleştirin",
+ "configure and turn on sync detail": "Verileri cihazlar arasında eşitlemek için lütfen oturum açın.",
+ "per platform": "her platform için",
+ "configure sync placeholder": "Ne eşitleyeceğinizi seçin",
+ "turn off sync confirmation": "Eşitlemeyi kapatmak istiyor musunuz?",
+ "turn off sync detail": "Ayarlarınız, tuş bağlamalarınız, uzantılarınız, kod parçacıklarınız ve Kullanıcı Arabirimi Durumunuz artık eşitlenmeyecek.",
+ "turn off": "&&Kapat",
+ "turn off sync everywhere": "Tüm cihazlarınızda eşitlemeyi kapatın ve verileri buluttan temizleyin.",
+ "leftResourceName": "{0} (Uzak)",
+ "merges": "{0} (Birleştirme)",
+ "sideBySideLabels": "{0} ↔ {1}",
+ "sideBySideDescription": "Ayarları Eşitleme",
+ "switchSyncService.title": "{0}: Hizmeti Seç",
+ "switchSyncService.description": "Birden çok ortamla eşitleme yaparken aynı ayarları eşitleme hizmetini kullandığınızdan emin olun",
+ "default": "Varsayılan",
+ "insiders": "İçerdekiler",
+ "stable": "Kararlı",
+ "global activity turn on sync": "Ayar Eşitlemesini Aç...",
+ "turnin on sync": "Ayarların Eşitlemesi Açılıyor...",
+ "sign in global": "Eşitleme Ayarlarında Oturum Aç",
+ "sign in accounts": "Eşitleme Ayarlarında Oturum Aç (1)",
+ "resolveConflicts_global": "{0}: Ayar Çakışmalarını Göster (1)",
+ "resolveKeybindingsConflicts_global": "{0}: Tuş Bağlama Çakışmalarını Göster (1)",
+ "resolveSnippetsConflicts_global": "{0}: Kullanıcı Kod Parçacıkları Çakışmalarını Göster ({1})",
+ "sync is on": "Ayar Eşitlemesi Açık",
+ "workbench.action.showSyncRemoteBackup": "Eşitlenmiş Verileri Göster",
+ "turn off failed": "Ayarları Eşitleme kapatılırken hata oluştu. Daha fazla ayrıntı için lütfen [günlükleri]({0}) kontrol edin.",
+ "show sync log title": "{0}: Günlüğü Göster",
+ "accept merges": "Birleştirmeleri Kabul Et",
+ "accept remote button": "&&Uzak Depoyu Kabul Et",
+ "accept merges button": "&&Birleştirmeleri Kabul Et",
+ "Sync accept remote": "{0}: {1}",
+ "Sync accept merges": "{0}: {1}",
+ "confirm replace and overwrite local": "Uzak {0} öğesini kabul etmek ve yerel {1} öğesini değiştirmek istiyor musunuz?",
+ "confirm replace and overwrite remote": "Birleştirmeleri kabul etmek ve uzak {0} öğesini değiştirmek istiyor musunuz?",
+ "update conflicts": "Yeni bir yerel sürüm olduğu için çakışmalar çözümlenemedi. Lütfen yeniden deneyin."
+ },
+ "vs/workbench/contrib/userDataSync/browser/userDataSyncViews": {
+ "showLog": "Günlüğü Göster",
+ "configure": "Yapılandır...",
+ "workbench.actions.syncData.reset": "Buluttaki Verileri Temizle...",
+ "merges": "Birleştirmeler",
+ "synced machines": "Eşitlenen Makineler",
+ "workbench.actions.sync.editMachineName": "Adı Düzenle",
+ "workbench.actions.sync.turnOffSyncOnMachine": "Ayar Eşitlemesini Kapat",
+ "remote sync activity title": "Eşitleme Etkinliği (Uzak)",
+ "local sync activity title": "Eşitleme Etkinliği (Yerel)",
+ "workbench.actions.sync.resolveResourceRef": "Ham JSON eşitleme verilerini göster",
+ "workbench.actions.sync.replaceCurrent": "Geri Yükle",
+ "confirm replace": "Geçerli {0} öğenizi seçili olanla değiştirmek istiyor musunuz?",
+ "workbench.actions.sync.compareWithLocal": "Değişiklikleri Aç",
+ "leftResourceName": "{0} (Uzak)",
+ "rightResourceName": "{0} (Yerel)",
+ "sideBySideLabels": "{0} ↔ {1}",
+ "sideBySideDescription": "Ayarları Eşitleme",
+ "reset": "Eşitlenmiş Verileri Sıfırla",
+ "current": "Geçerli",
+ "no machines": "Makine Yok",
+ "not found": "şu kimliğe sahip makine bulunamadı: {0}",
+ "turn off sync on machine": "{0} eşitlemesini kapatmak istediğinizden emin misiniz?",
+ "turn off": "&&Kapat",
+ "placeholder": "Makinenin adını girin",
+ "valid message": "Makine adı benzersiz olmalı ve boş olmamalıdır"
+ },
+ "vs/workbench/contrib/userDataSync/browser/userDataSyncMergesView": {
+ "explanation": "Eşitleme özelliğini etkinleştirmek için lütfen her girişin üzerinden geçin ve birleştirin.",
+ "turn on sync": "Ayar Eşitlemesini Aç",
+ "cancel": "İptal",
+ "workbench.actions.sync.acceptRemote": "Uzağı Kabul Et",
+ "workbench.actions.sync.acceptLocal": "Yereli Kabul Et",
+ "workbench.actions.sync.merge": "Birleştirme",
+ "workbench.actions.sync.discard": "At",
+ "workbench.actions.sync.showChanges": "Değişiklikleri Aç",
+ "conflicts detected": "Çakışmalar Algılandı",
+ "resolve": "Çakışmalar nedeniyle birleştirme işlemi yapılamıyor. Devam etmek için lütfen bunları çözümleyin.",
+ "turning on": "Açılıyor...",
+ "preview": "{0} (Önizleme)",
+ "leftResourceName": "{0} (Uzak)",
+ "merges": "{0} (Birleştirme)",
+ "rightResourceName": "{0} (Yerel)",
+ "sideBySideLabels": "{0} ↔ {1}",
+ "sideBySideDescription": "Ayarları Eşitleme",
+ "label": "UserDataSyncResources",
+ "conflict": "Çakışmalar Algılandı",
+ "accepted": "Kabul Edildi",
+ "accept remote": "Uzağı Kabul Et",
+ "accept local": "Yereli Kabul Et",
+ "accept merges": "Birleştirmeleri Kabul Et"
+ },
+ "vs/workbench/contrib/views/browser/treeView": {
+ "no-dataprovider": "Görünüm verisi sağlayabilecek kayıtlı veri sağlayıcısı yok.",
+ "refresh": "Yenile",
+ "collapseAll": "Tümünü Daralt",
+ "command-error": "{1} komutu çalıştırılırken hata oluştu: {0}. Bunun nedeni büyük olasılıkla {1} öğesine katkıda bulunan uzantıdır."
+ },
+ "vs/workbench/contrib/watermark/browser/watermark": {
+ "watermark.showCommands": "Tüm Komutları Göster",
+ "watermark.quickAccess": "Dosyaya Git",
+ "watermark.openFile": "Dosyayı Aç",
+ "watermark.openFolder": "Klasör Aç",
+ "watermark.openFileFolder": "Dosya veya Klasör Aç",
+ "watermark.openRecent": "Son Kullanılanları Aç",
+ "watermark.newUntitledFile": "Yeni Adsız Dosya",
+ "watermark.toggleTerminal": "Terminali Aç/Kapat",
+ "watermark.findInFiles": "Dosyalarda Bul",
+ "watermark.startDebugging": "Hata Ayıklamaya Başla",
+ "tips.enabled": "Etkinleştirildiğinde, bir düzenleyici açık olmadığında filigran ipuçları gösterilir."
+ },
+ "vs/workbench/contrib/webview/electron-browser/webviewCommands": {
+ "openToolsLabel": "Web Görünümü Geliştirici Araçlarını Aç"
+ },
+ "vs/workbench/contrib/webview/browser/baseWebviewElement": {
+ "fatalErrorMessage": "Web görünümü yüklemede hata: {0}"
+ },
+ "vs/workbench/contrib/webviewPanel/browser/webviewPanel.contribution": {
+ "webview.editor.label": "web görünümü düzenleyicisi"
+ },
+ "vs/workbench/contrib/webviewPanel/browser/webviewCommands": {
+ "editor.action.webvieweditor.showFind": "Bulmayı göster",
+ "editor.action.webvieweditor.hideFind": "Bulmayı durdur",
+ "editor.action.webvieweditor.findNext": "Sonrakini bul",
+ "editor.action.webvieweditor.findPrevious": "Öncekini bul",
+ "refreshWebviewLabel": "Web Görünümlerini Yeniden Yükle"
+ },
+ "vs/workbench/contrib/welcome/overlay/browser/welcomeOverlay": {
+ "welcomeOverlay.explorer": "Dosya gezgini",
+ "welcomeOverlay.search": "Dosyalar arasında ara",
+ "welcomeOverlay.git": "Kaynak kodu yönetimi",
+ "welcomeOverlay.debug": "Başlatma ve hata ayıklama",
+ "welcomeOverlay.extensions": "Uzantıları yönetin",
+ "welcomeOverlay.problems": "Hataları ve uyarıları görüntüle",
+ "welcomeOverlay.terminal": "Tümleşik terminali aç/kapat",
+ "welcomeOverlay.commandPalette": "Tüm komutları bul ve çalıştır",
+ "welcomeOverlay.notifications": "Bildirimleri göster",
+ "welcomeOverlay": "Kullanıcı Arabirimine Genel Bakış",
+ "hideWelcomeOverlay": "Arabirime Genel Bakışı Gizle"
+ },
+ "vs/workbench/contrib/welcome/page/browser/welcomePage.contribution": {
+ "workbench.startupEditor.none": "Düzenleyici olmadan başlatın.",
+ "workbench.startupEditor.welcomePage": "Karşılama sayfasını açın (varsayılan).",
+ "workbench.startupEditor.readme": "BENİOKU dosyası içeren bir klasörü açarken BENİOKU dosyasını açın, aksi taksirde 'welcomePage' sayfasına dönün.",
+ "workbench.startupEditor.newUntitledFile": "Yeni bir adsız dosya açın (yalnızca boş bir çalışma alanını açtığınızda geçerlidir).",
+ "workbench.startupEditor.welcomePageInEmptyWorkbench": "Boş bir çalışma ekranı açılırken Karşılama sayfasını açın.",
+ "workbench.startupEditor.gettingStarted": "Kullanmaya Başlama sayfasını açın (deneysel).",
+ "workbench.startupEditor": "Önceki oturumdan hiçbiri geri yüklenmezse, başlangıçta hangi düzenleyicinin gösterileceğini denetler.",
+ "miWelcome": "&&Hoş Geldiniz"
+ },
+ "vs/workbench/contrib/welcome/gettingStarted/browser/gettingStarted.contribution": {
+ "Getting Started": "Kullanmaya Başlama",
+ "help": "Yardım",
+ "gettingStartedDescription": "Yardım menüsü aracılığıyla erişilebilen deneysel bir Kullanmaya Başlama sayfasını etkinleştirir."
+ },
+ "vs/workbench/contrib/welcome/walkThrough/browser/walkThrough.contribution": {
+ "walkThrough.editor.label": "Etkileşimli Deneme Alanı",
+ "miInteractivePlayground": "E&&tkileşimli Deneme Alanı"
+ },
+ "vs/workbench/contrib/welcome/page/browser/welcomePage": {
+ "welcomePage": "Hoş Geldiniz",
+ "welcomePage.javaScript": "JavaScript",
+ "welcomePage.python": "Python",
+ "welcomePage.java": "Java",
+ "welcomePage.php": "PHP",
+ "welcomePage.azure": "Azure",
+ "welcomePage.showAzureExtensions": "Azure uzantılarını göster",
+ "welcomePage.docker": "Docker",
+ "welcomePage.vim": "Vim",
+ "welcomePage.sublime": "Sublime",
+ "welcomePage.atom": "Atom",
+ "welcomePage.extensionPackAlreadyInstalled": "{0} için destek zaten yüklü.",
+ "welcomePage.willReloadAfterInstallingExtensionPack": "{0} için ek destek yüklendikten sonra pencere yeniden yüklenecek.",
+ "welcomePage.installingExtensionPack": "{0} için ek destek yükleniyor...",
+ "welcomePage.extensionPackNotFound": "Kimliği {1} olan {0} için destek bulunamadı.",
+ "welcomePage.keymapAlreadyInstalled": "{0} klavye kısayolları zaten yüklü.",
+ "welcomePage.willReloadAfterInstallingKeymap": "{0} klavye kısayolları yüklendikten sonra pencere yeniden yüklenecek.",
+ "welcomePage.installingKeymap": "{0} klavye kısayolları yükleniyor...",
+ "welcomePage.keymapNotFound": "{1} kimlikli {0} klavye kısayolları bulunamadı.",
+ "welcome.title": "Hoş Geldiniz",
+ "welcomePage.openFolderWithPath": "{1} yolundaki {0} klasörünü aç",
+ "welcomePage.extensionListSeparator": ", ",
+ "welcomePage.installKeymap": "{0} tuş eşlemesini yükle",
+ "welcomePage.installExtensionPack": "{0} için ek destek yükleyin",
+ "welcomePage.installedKeymap": "{0} tuş eşlemesi zaten yüklendi",
+ "welcomePage.installedExtensionPack": "{0} desteği zaten yüklendi",
+ "ok": "Tamam",
+ "details": "Ayrıntılar"
+ },
+ "vs/workbench/contrib/welcome/gettingStarted/browser/gettingStarted": {
+ "editorGettingStarted.title": "Kullanmaya Başlama",
+ "next": "Sonraki"
+ },
+ "vs/workbench/contrib/welcome/walkThrough/browser/walkThroughPart": {
+ "walkThrough.unboundCommand": "bağlı değil",
+ "walkThrough.gitNotFound": "Git sisteminizde yüklü değil gibi görünüyor.",
+ "walkThrough.embeddedEditorBackground": "Etkileşimli Deneme Alanı'nda ekli düzenleyiciler için arka plan rengi."
+ },
+ "vs/workbench/contrib/welcome/walkThrough/browser/editor/editorWalkThrough": {
+ "editorWalkThrough.title": "Etkileşimli Deneme Alanı",
+ "editorWalkThrough": "Etkileşimli Deneme Alanı"
+ },
+ "vs/workbench/contrib/welcome/common/viewsWelcomeContribution": {
+ "ViewsWelcomeExtensionPoint.proposedAPI": "'{0}' içindeki viewsWelcome katkısı için 'enableProposedApi' özelliğinin etkinleştirilmesi gerekiyor."
+ },
+ "vs/workbench/contrib/welcome/common/viewsWelcomeExtensionPoint": {
+ "contributes.viewsWelcome": "Katkıda bulunulan görünümler karşılama içeriği. Karşılama içeriği, görüntülenecek anlamlı içerik olmadığında (Dosya Gezgini'nde herhangi bir açık klasör olmadığında) ağaç tabanlı görünümler içinde işlenir. Bu tür içerikler, kullanıcıları bazı özellikler kullanılabilir olmadan önce bu özellikleri kullanmaya yönlendirmek için ürün içi belgeler olarak faydalıdır. Dosya Gezgini karşılama görünümündeki `Depoyu Klonla` düğmesi buna iyi bir örnektir.",
+ "contributes.viewsWelcome.view": "Belirli bir görünüm için karşılama içeriğine katkıda bulundu.",
+ "contributes.viewsWelcome.view.view": "Bu karşılama içeriği için hedef görünüm tanımlayıcısı. Yalnızca ağaç tabanlı görünümler desteklenir.",
+ "contributes.viewsWelcome.view.contents": "Görüntülenecek karşılama içeriği. İçeriğin biçimi yalnızca bağlantılar için destekle Markdown'ın bir alt kümesidir.",
+ "contributes.viewsWelcome.view.when": "Karşılama içeriğinin görüntüleneceği koşul.",
+ "contributes.viewsWelcome.view.group": "Bu karşılama sayfası içeriğinin ait olduğu grup.",
+ "contributes.viewsWelcome.view.enablement": "Karşılama içeriği düğmelerinin etkinleştirileceği koşul."
+ },
+ "vs/workbench/contrib/welcome/telemetryOptOut/browser/telemetryOptOut": {
+ "telemetryOptOut.optOutNotice": "Microsoft'un kullanım verileri toplamasına izin vererek VS Code'un geliştirilmesine yardımcı olun. [Gizlilik bildirimimizi]({0}) okuyun ve nasıl [geri çevireceğinizi]({1}) öğrenin.",
+ "telemetryOptOut.optInNotice": "Microsoft'un kullanım verileri toplamasına izin vererek VS Code'un geliştirilmesine yardımcı olun. [Gizlilik bildirimimizi]({0}) okuyun ve nasıl [kabul edeceğinizi]({1}) öğrenin.",
+ "telemetryOptOut.readMore": "Daha Fazla Bilgi",
+ "telemetryOptOut.optOutOption": "Lütfen kullanım verilerinin toplanmasına izin vererek Microsoft'un Visual Studio Code'u geliştirmesine yardımcı olun. Daha fazla bilgi için [gizlilik bildirimimizi]({0}) okuyun.",
+ "telemetryOptOut.OptIn": "Evet, yardımcı olmak isterim",
+ "telemetryOptOut.OptOut": "Hayır, teşekkürler"
+ },
+ "vs/workbench/contrib/welcome/page/browser/welcomePageColors": {
+ "welcomePage.buttonBackground": "Karşılama sayfasındaki düğmelerin arka plan rengi.",
+ "welcomePage.buttonHoverBackground": "Karşılama sayfasındaki düğmelerin üzerine gelme arka plan rengi.",
+ "welcomePage.background": "Karşılama sayfası için arka plan rengi."
+ },
+ "vs/workbench/contrib/welcome/page/browser/vs_code_welcome_page": {
+ "welcomePage.vscode": "Visual Studio Code",
+ "welcomePage.editingEvolved": "Düzenleme gelişti",
+ "welcomePage.start": "Başlat",
+ "welcomePage.newFile": "Yeni dosya",
+ "welcomePage.openFolder": "Klasör aç...",
+ "welcomePage.gitClone": "depoyu klonla...",
+ "welcomePage.recent": "Son",
+ "welcomePage.moreRecent": "Diğer...",
+ "welcomePage.noRecentFolders": "Son kullanılan klasör yok",
+ "welcomePage.help": "Yardım",
+ "welcomePage.keybindingsCheatsheet": "Yazdırılabilir klavye kısayol sayfası",
+ "welcomePage.introductoryVideos": "Tanıtıcı videolar",
+ "welcomePage.tipsAndTricks": "İpuçları ve Püf Noktaları",
+ "welcomePage.productDocumentation": "Ürün belgeleri",
+ "welcomePage.gitHubRepository": "GitHub deposu",
+ "welcomePage.stackOverflow": "Stack Overflow",
+ "welcomePage.newsletterSignup": "Bültenimize katılın",
+ "welcomePage.showOnStartup": "Başlangıçta karşılama sayfasını göster",
+ "welcomePage.customize": "Özelleştir",
+ "welcomePage.installExtensionPacks": "Araçlar ve diller",
+ "welcomePage.installExtensionPacksDescription": "{0} ve {1} için destek yükleyin",
+ "welcomePage.showLanguageExtensions": "Daha fazla dil uzantısı göster",
+ "welcomePage.moreExtensions": "diğer",
+ "welcomePage.installKeymapDescription": "Ayarlar ve tuş bağlamaları",
+ "welcomePage.installKeymapExtension": "{0} ve {1} ayarlarını ve klavye kısayollarını yükleyin",
+ "welcomePage.showKeymapExtensions": "Diğer tuş eşlemesi uzantılarını göster",
+ "welcomePage.others": "diğerleri",
+ "welcomePage.colorTheme": "Renk teması",
+ "welcomePage.colorThemeDescription": "Düzenleyicinin ve kodunuzun istediğiniz gibi görünmesini sağlayın",
+ "welcomePage.learn": "Öğrenin",
+ "welcomePage.showCommands": "Tüm komutları bul ve çalıştır",
+ "welcomePage.showCommandsDescription": "Komut Paleti'nden komutlara hızlı bir şekilde erişme ve komutları arama ({0})",
+ "welcomePage.interfaceOverview": "Arabirime genel bakış",
+ "welcomePage.interfaceOverviewDescription": "Kullanıcı arabiriminin ana bileşenlerini vurgulayan görsel bir yer paylaşımı alın",
+ "welcomePage.interactivePlayground": "Etkileşimli deneme alanı",
+ "welcomePage.interactivePlaygroundDescription": "Kısa bir kılavuz ile gerekli düzenleyici özelliklerini deneyin"
+ },
+ "vs/workbench/contrib/welcome/gettingStarted/browser/vs_code_editor_getting_started": {
+ "gettingStarted.vscode": "Visual Studio Code",
+ "gettingStarted.editingRedefined": "Kod düzenleme yeniden tanımlandı."
+ },
+ "vs/workbench/contrib/workspaces/browser/workspaces.contribution": {
+ "workspaceFound": "Bu klasör '{0}' çalışma alanı dosyasını içeriyor. Bunu açmak istiyor musunuz? Çalışma alanı dosyaları hakkında [daha fazla bilgi edinin]({1}).",
+ "openWorkspace": "Çalışma Alanını Aç",
+ "workspacesFound": "Bu klasör birden çok çalışma alanı dosyası içeriyor. Birini açmak istiyor musunuz? Çalışma alanı dosyaları hakkında [daha fazla bilgi edinin]({0}).",
+ "selectWorkspace": "Çalışma Alanı Seç",
+ "selectToOpen": "Açmak için çalışma alanı seçin"
+ },
+ "vs/workbench/services/authentication/browser/authenticationService": {
+ "authentication.id": "Kimlik doğrulama sağlayıcısının kimliği.",
+ "authentication.label": "Kimlik doğrulama sağlayıcısının kullanıcı tarafından okunabilen adı.",
+ "authenticationExtensionPoint": "Kimlik doğrulaması katkıda bulunuyor",
+ "loading": "Yükleniyor...",
+ "authentication.missingId": "Bir kimlik doğrulama katkısı bir kimlik belirtmelidir.",
+ "authentication.missingLabel": "Bir kimlik doğrulama katkısı bir etiket belirtmelidir.",
+ "authentication.idConflict": "Bu kimlik doğrulama kimliği '{0}' zaten kaydedildi",
+ "noAccounts": "Herhangi bir hesapla oturum açmadınız",
+ "sign in": "Oturum açma istendi",
+ "signInRequest": "{0} kullanmak için oturum aç (1)"
+ },
+ "vs/workbench/services/bulkEdit/browser/bulkEditService": {
+ "summary.0": "Düzenleme yapılmadı",
+ "summary.nm": "{1} dosyada {0} metin düzenlemesi yapıldı",
+ "summary.n0": "Bir dosyada {0} metin düzenlemesi yapıldı",
+ "workspaceEdit": "Çalışma Alanı Düzenleme",
+ "nothing": "Düzenleme yapılmadı"
+ },
+ "vs/workbench/services/configuration/common/jsonEditingService": {
+ "errorInvalidFile": "Dosyaya yazılamıyor. Lütfen içindeki hataları/uyarıları düzeltmek için dosyayı açın ve yeniden deneyin.",
+ "errorFileDirty": "Dosya kirlendiğinden bunun içine yazılamıyor. Lütfen dosyayı kaydedin ve yeniden deneyin."
+ },
+ "vs/workbench/services/configuration/common/configurationEditingService": {
+ "openTasksConfiguration": "Görevler Yapılandırmasını Aç",
+ "openLaunchConfiguration": "Başlatma Yapılandırmasını Aç",
+ "open": "Ayarları Aç",
+ "saveAndRetry": "Kaydet ve Yeniden Dene",
+ "errorUnknownKey": "{1} kaydettirilmiş bir yapılandırma olmadığından {0} içine yazılamıyor.",
+ "errorInvalidWorkspaceConfigurationApplication": "{0} Çalışma Alanı Ayarlarına yazılamıyor. Bu ayar, yalnızca Kullanıcı ayarlarına yazılabilir.",
+ "errorInvalidWorkspaceConfigurationMachine": "{0} Çalışma Alanı Ayarlarına yazılamıyor. Bu ayar, yalnızca Kullanıcı ayarlarına yazılabilir.",
+ "errorInvalidFolderConfiguration": "{0} klasör kaynak kapsamını desteklemediğinden Klasör Ayarlarına yazılamıyor.",
+ "errorInvalidUserTarget": "{0} genel kapsamı desteklemediği için kullanıcı ayarlarına yazılamıyor.",
+ "errorInvalidWorkspaceTarget": "{0} çok klasörlü bir çalışma alanında çalışma alanı kapsamını desteklemediği için çalışma alanı ayarlarına yazılamıyor.",
+ "errorInvalidFolderTarget": "Kaynak sağlanmadığından Klasör Ayarlarına yazılamıyor.",
+ "errorInvalidResourceLanguageConfiguraiton": "{0} bir kaynak dili ayarı olmadığından Dil Ayarlarına yazılamıyor.",
+ "errorNoWorkspaceOpened": "Bir çalışma alanı açılmadığından {0} içine yazılamıyor. Lütfen önce bir çalışma alanı açın ve yeniden deneyin.",
+ "errorInvalidTaskConfiguration": "Görevler yapılandırma dosyasına yazılamıyor. Lütfen içindeki hataları/uyarıları düzeltmek için dosyayı açın ve yeniden deneyin.",
+ "errorInvalidLaunchConfiguration": "Başlatma yapılandırma dosyasına yazılamıyor. Lütfen içindeki hataları/uyarıları düzeltmek için dosyayı açın ve yeniden deneyin.",
+ "errorInvalidConfiguration": "Kullanıcı ayarlarına yazılamıyor. Lütfen içindeki hataları/uyarıları düzeltmek için kullanıcı ayarlarını açın ve yeniden deneyin.",
+ "errorInvalidRemoteConfiguration": "Uzak kullanıcı ayarlarına yazılamıyor. Lütfen içindeki hataları/uyarıları düzeltmek için uzak kullanıcı ayarlarını açın ve yeniden deneyin.",
+ "errorInvalidConfigurationWorkspace": "Çalışma alanı ayarlarına yazılamıyor. Lütfen dosyadaki hataları/uyarıları düzeltmek için çalışma alanı ayarlarını açın ve yeniden deneyin.",
+ "errorInvalidConfigurationFolder": "Klasör ayarlarına yazılamıyor. İçindeki hataları/uyarıları düzeltmek için lütfen '{0}' klasör ayarlarını açın ve yeniden deneyin.",
+ "errorTasksConfigurationFileDirty": "Dosya kirlendiğinden görevler yapılandırma dosyasına yazılamıyor. Lütfen önce dosyayı kaydedin, sonra yeniden deneyin.",
+ "errorLaunchConfigurationFileDirty": "Dosya kirlendiğinden başlatma yapılandırma dosyasına yazılamadı. Lütfen önce dosyayı kaydedin ve sonra yeniden deneyin.",
+ "errorConfigurationFileDirty": "Dosya kirlendiğinden kullanıcı ayarlarına yazılamıyor. Lütfen önce kullanıcı ayarları dosyasını kaydedin, sonra yeniden deneyin.",
+ "errorRemoteConfigurationFileDirty": "Dosya kirlendiğinden uzak kullanıcı ayarlarına yazılamıyor. Lütfen önce uzak kullanıcı ayarları dosyasını kaydedin, sonra yeniden deneyin.",
+ "errorConfigurationFileDirtyWorkspace": "Dosya kirlendiğinden çalışma alanı ayarlarına yazılamıyor. Lütfen önce çalışma alanı ayarları dosyasını kaydedin, sonra yeniden deneyin.",
+ "errorConfigurationFileDirtyFolder": "Dosya kirlendiğinden klasör ayarlarına yazılamıyor. Lütfen önce '{0}' klasör ayarları dosyasını kaydedin, sonra yeniden deneyin.",
+ "errorTasksConfigurationFileModifiedSince": "Dosyanın içeriği daha yeni olduğundan görevler yapılandırma dosyasına yazılamıyor.",
+ "errorLaunchConfigurationFileModifiedSince": "Dosyanın içeriği daha yeni olduğundan başlatma yapılandırma dosyasına yazılamıyor.",
+ "errorConfigurationFileModifiedSince": "Dosyanın içeriği daha yeni olduğundan kullanıcı ayarlarına yazılamıyor.",
+ "errorRemoteConfigurationFileModifiedSince": "Dosyanın içeriği daha yeni olduğundan uzak kullanıcı ayarlarına yazılamıyor.",
+ "errorConfigurationFileModifiedSinceWorkspace": "Dosyanın içeriği daha yeni olduğundan çalışma alanı ayarlarına yazılamıyor.",
+ "errorConfigurationFileModifiedSinceFolder": "Dosyanın içeriği daha yeni olduğundan klasör ayarlarına yazılamıyor.",
+ "userTarget": "Kullanıcı Ayarları",
+ "remoteUserTarget": "Uzak Kullanıcı Ayarları",
+ "workspaceTarget": "Çalışma Alanı Ayarları",
+ "folderTarget": "Klasör Ayarları"
+ },
+ "vs/workbench/services/configurationResolver/browser/configurationResolverService": {
+ "commandVariable.noStringType": "Komut dize türünde bir sonuç döndürmediğinden '{0}' komut değişkeni değiştirilemiyor.",
+ "inputVariable.noInputSection": "'{0}' değişkeni, hata ayıklama veya görev yapılandırmasının bir '{1}' bölümünde tanımlanmalıdır.",
+ "inputVariable.missingAttribute": "'{0}' giriş değişkeni '{1}' türünde olduğundan '{2}' içermelidir.",
+ "inputVariable.defaultInputValue": "(Varsayılan)",
+ "inputVariable.command.noStringType": "'{1}' komutu dize türünde bir sonuç döndürmediğinden '{0}' giriş değişkeni değiştirilemiyor.",
+ "inputVariable.unknownType": "'{0}' giriş değişkeni yalnızca 'promptString', 'pickString' veya 'command' türünde olabilir.",
+ "inputVariable.undefinedVariable": "Tanımsız '{0}' giriş değişkeniyle karşılaşıldı. Devam etmek için '{0}' öğesini kaldırın veya öğeyi tanımlayın."
+ },
+ "vs/workbench/services/configurationResolver/common/variableResolver": {
+ "canNotResolveFile": "{0} değişkeni çözümlenemiyor. Lütfen bir düzenleyici açın.",
+ "canNotResolveFolderForFile": "{0} değişkeni: '{1}' çalışma alanı klasörü bulunamıyor.",
+ "canNotFindFolder": "{0} değişkeni çözümlenemiyor. Böyle bir '{1}' klasörü yok.",
+ "canNotResolveWorkspaceFolderMultiRoot": "{0} değişkeni, çok klasörlü bir çalışma alanında çözümlenemiyor. Bu değişkenin kapsamını ':' ve bir çalışma alanı klasör adı kullanarak belirtin.",
+ "canNotResolveWorkspaceFolder": "{0} değişkeni çözümlenemiyor. Lütfen bir klasör açın.",
+ "missingEnvVarName": "Ortam değişkeni adı verilmediğinden {0} değişkeni çözümlenemiyor.",
+ "configNotFound": "'{1}' ayarı bulunamadığından {0} değişkeni çözümlenemiyor.",
+ "configNoString": "'{1}' yapılandırılmış bir değer olduğundan {0} değişkeni çözümlenemiyor.",
+ "missingConfigName": "Ayar adı verilmediğinden {0} değişkeni çözümlenemiyor.",
+ "canNotResolveLineNumber": "{0} değişkeni çözümlenemiyor. Etkin düzenleyicide bir satırın seçili olduğundan emin olun.",
+ "canNotResolveSelectedText": "{0} değişkeni çözümlenemiyor. Etkin düzenleyicide seçili metin olduğundan emin olun.",
+ "noValueForCommand": "Komutun değeri olmadığından {0} değişkeni çözümlenemiyor."
+ },
+ "vs/workbench/services/configurationResolver/common/configurationResolverUtils": {
+ "deprecatedVariables": "'env.', 'config.' ve 'command.' kullanım dışı; yerine 'env:', 'config:' ve 'command:' kullanın."
+ },
+ "vs/workbench/services/configurationResolver/common/configurationResolverSchema": {
+ "JsonSchema.input.id": "Girişin kimliği, bir girişi ${input:id} biçiminde bir değişkenle ilişkilendirmek için kullanılır.",
+ "JsonSchema.input.type": "Kullanılacak kullanıcı giriş isteminin türü.",
+ "JsonSchema.input.description": "Açıklama, kullanıcıdan giriş istendiğinde görüntülenir.",
+ "JsonSchema.input.default": "Giriş için varsayılan değer.",
+ "JsonSchema.inputs": "Kullanıcı girişleri. Serbest dize girişi veya çeşitli seçenekler arasından seçim gibi kullanıcı giriş istemlerini tanımlamak için kullanılır.",
+ "JsonSchema.input.type.promptString": "'promptString' türü, kullanıcıdan giriş yapmasını istemek için bir giriş kutusu açar.",
+ "JsonSchema.input.password": "Parola girişi gösterilip gösterilmediğini denetler. Parola girişi yazılan metni gizler.",
+ "JsonSchema.input.type.pickString": "'pickString' türü bir seçim listesi gösterir.",
+ "JsonSchema.input.options": "Hızlı bir seçmenin seçeneklerini tanımlayan dizelerden oluşan bir dizi.",
+ "JsonSchema.input.pickString.optionLabel": "Seçeneğin etiketi.",
+ "JsonSchema.input.pickString.optionValue": "Seçeneğin değeri.",
+ "JsonSchema.input.type.command": "'command' türü bir komut yürütür.",
+ "JsonSchema.input.command.command": "Bu giriş değişkeni için yürütülecek komut.",
+ "JsonSchema.input.command.args": "Komuta geçirilen isteğe bağlı bağımsız değişkenler."
+ },
+ "vs/workbench/services/decorations/browser/decorationsService": {
+ "bubbleTitle": "Vurgulanmış öğeleri içerir"
+ },
+ "vs/workbench/services/dialogs/browser/abstractFileDialogService": {
+ "saveChangesDetail": "Kaydetmediğiniz değişiklikler kaybolacaktır.",
+ "saveChangesMessage": "'{0}' üzerinde yaptığınız değişiklikleri kaydetmek istiyor musunuz?",
+ "saveChangesMessages": "Aşağıdaki {0} dosyadaki değişiklikleri kaydetmek istiyor musunuz?",
+ "saveAll": "&&Tümünü Kaydet",
+ "save": "&&Kaydet",
+ "dontSave": "&&Kaydetme",
+ "cancel": "İptal",
+ "openFileOrFolder.title": "Dosya veya Klasör Aç",
+ "openFile.title": "Dosyayı Aç",
+ "openFolder.title": "Klasör Aç",
+ "openWorkspace.title": "Çalışma Alanını Aç",
+ "filterName.workspace": "Çalışma Alanı",
+ "saveFileAs.title": "Farklı Kaydet",
+ "saveAsTitle": "Farklı Kaydet",
+ "allFiles": "Tüm Dosyalar",
+ "noExt": "Uzantı yok"
+ },
+ "vs/workbench/services/dialogs/browser/simpleFileDialog": {
+ "openLocalFile": "Yerel Dosyayı Aç...",
+ "saveLocalFile": "Yerel Dosyayı Kaydet...",
+ "openLocalFolder": "Yerel Klasörü Aç...",
+ "openLocalFileFolder": "Yerel Klasörü Aç...",
+ "remoteFileDialog.notConnectedToRemote": "{0} için dosya sistemi sağlayıcısı kullanılamıyor.",
+ "remoteFileDialog.local": "Yerelleri Göster",
+ "remoteFileDialog.badPath": "Yol yok.",
+ "remoteFileDialog.cancel": "İptal",
+ "remoteFileDialog.invalidPath": "Lütfen geçerli bir yol girin.",
+ "remoteFileDialog.validateFolder": "Klasör zaten var. Lütfen yeni bir dosya adı kullanın.",
+ "remoteFileDialog.validateExisting": "{0} zaten var. Üzerine yazmak istediğinizden emin misiniz?",
+ "remoteFileDialog.validateBadFilename": "Lütfen geçerli bir dosya adı girin.",
+ "remoteFileDialog.validateNonexistentDir": "Lütfen mevcut olan bir yol girin.",
+ "remoteFileDialog.windowsDriveLetter": "Lütfen yolu bir sürücü harfiyle başlatın.",
+ "remoteFileDialog.validateFileOnly": "Lütfen bir dosya seçin.",
+ "remoteFileDialog.validateFolderOnly": "Lütfen bir klasör seçin."
+ },
+ "vs/workbench/services/editor/browser/editorService": {
+ "editorAssociations.viewType.sourceDescription": "Kaynak: {0}"
+ },
+ "vs/workbench/services/editor/common/editorOpenWith": {
+ "promptOpenWith.currentlyActive": "Şu Anda Etkin",
+ "promptOpenWith.setDefaultTooltip": "'{0}' dosyaları için varsayılan düzenleyici olarak ayarla",
+ "promptOpenWith.placeHolder": "'{0}' için düzenleyiciyi seç",
+ "builtinProviderDisplayName": "Yerleşik",
+ "promptOpenWith.defaultEditor.displayName": "Metin Düzenleyici",
+ "editor.editorAssociations": "Belirli dosya türleri için kullanılacak düzenleyiciyi yapılandır.",
+ "editor.editorAssociations.viewType": "Kullanılacak düzenleyicinin benzersiz kimliği.",
+ "editor.editorAssociations.filenamePattern": "Düzenleyicinin hangi dosyalar için kullanılacağını belirten glob deseni."
+ },
+ "vs/workbench/services/extensionManagement/electron-browser/extensionManagementServerService": {
+ "local": "Yerel",
+ "remote": "Uzak"
+ },
+ "vs/workbench/services/extensionManagement/electron-sandbox/remoteExtensionManagementService": {
+ "incompatible": "'{0}' uzantısı VS Code '{1}' ile uyumlu olmadığından yüklenemiyor."
+ },
+ "vs/workbench/services/extensionManagement/common/webExtensionsScannerService": {
+ "cannot be installed": "Bu uzantı bir Web uzantısı olmadığından '{0}' yüklenemiyor."
+ },
+ "vs/workbench/services/extensionManagement/browser/extensionEnablementService": {
+ "extensionsDisabled": "Tüm yüklü uzantılar geçici olarak devre dışı bırakıldı.",
+ "Reload": "Uzantıları Yeniden Yükle ve Etkinleştir",
+ "cannot disable language pack extension": "Dil paketlerine katkıda bulunduğu için {0} uzantısının etkinleştirilmesi değiştirilemiyor.",
+ "cannot disable auth extension": "Ayar Eşitleme bağımlı olduğundan {0} uzantısının etkinleştirilmesi değiştirilemiyor.",
+ "noWorkspace": "Çalışma alanı yok.",
+ "cannot disable auth extension in workspace": "Kimlik doğrulama sağlayıcıları katkısında bulunduğu için çalışma alanında {0} uzantısının etkinleştirilmesi değiştirilemiyor"
+ },
+ "vs/workbench/services/extensionManagement/common/extensionManagementService": {
+ "singleDependentError": "'{0}' uzantısı kaldırılamıyor. '{1}' uzantısı bu uzantıya bağımlı.",
+ "twoDependentsError": "'{0}' uzantısı kaldırılamıyor. '{1}' ve '{2}' uzantıları bu uzantıya bağımlı.",
+ "multipleDependentsError": "'{0}' uzantısı kaldırılamıyor. '{1}' ve '{2}' uzantıları ve diğerleri bu uzantıya bağımlı.",
+ "Manifest is not found": "{0} Uzantısı yüklenemedi: Bildirim dosyası bulunamadı.",
+ "cannot be installed": "Bu uzantı uzak sunucuda çalıştırılamayacağını tanımladığından '{0}' yüklenemiyor.",
+ "cannot be installed on web": "Bu uzantı Web sunucusunda çalıştırılamayacağını tanımladığından '{0}' yüklenemiyor.",
+ "install extension": "Uzantıyı Yükle",
+ "install extensions": "Uzantıları Yükle",
+ "install": "Yükle",
+ "install and do no sync": "Yükle (Eşitleme)",
+ "cancel": "İptal",
+ "install single extension": "'{0}' uzantısını yükleyip cihazlarınızda eşitlemek istiyor musunuz?",
+ "install multiple extensions": "Uzantıları yüklemek ve cihazlarınızda eşitlemek istiyor musunuz?"
+ },
+ "vs/workbench/services/extensionManagement/browser/extensionBisect": {
+ "bisect": "Uzantıyı İkiye Bölme etkin ve {0} uzantıları devre dışı bırakıldı. Sorunu hala yeniden oluşturup oluşturamadığınızı kontrol edin ve bu seçenekler arasından seçim yaparak devam edin.",
+ "title.start": "Uzantıyı İkiye Bölmeyi Başlat",
+ "help": "Yardım",
+ "msg.start": "Uzantıyı İkiye Bölme",
+ "detail.start": "Uzantıyı İkiye Bölme, soruna neden olan bir uzantıyı bulmak için ikili arama kullanır. İşlem sırasında, pencere tekrar tekrar yüklenir (~{0} kez). Her seferinde sorun görüp görmediğinizi onaylamanız gerekir.",
+ "msg2": "Uzantıyı İkiye Bölmeyi Başlat",
+ "title.isBad": "Uzantıyı İkiye Bölmeye Devam Et",
+ "done.msg": "Uzantıyı İkiye Bölme",
+ "done.detail2": "Uzantıyı İkiye Bölme işlemi tamamlandı ancak uzantı belirlenmedi. Bu, {0} ile ilgili bir sorun olabilir.",
+ "report": "Sorun Bildir ve Devam Et",
+ "done": "Devam",
+ "done.detail": "Uzantıyı İkiye Bölme işlemi yapıldı ve soruna neden olan uzantının {0} olduğu belirlendi.",
+ "done.disbale": "Bu uzantıyı devre dışı tut",
+ "msg.next": "Uzantıyı İkiye Bölme",
+ "next.good": "Şimdi iyi",
+ "next.bad": "Bu hatalı",
+ "next.stop": "İkiye Bölmeyi Durdur",
+ "next.cancel": "İptal",
+ "title.stop": "Uzantıyı İkiye Bölmeyi Durdur"
+ },
+ "vs/workbench/services/extensionRecommendations/common/workspaceExtensionsConfig": {
+ "select for remove": "Şuradan uzantı önerisini kaldır",
+ "select for add": "Şuraya uzantı önerisi ekle",
+ "workspace folder": "Çalışma Alanı Klasörü",
+ "workspace": "Çalışma Alanı"
+ },
+ "vs/workbench/services/extensions/electron-browser/extensionService": {
+ "extensionService.versionMismatchCrash": "Uzantı konağı başlatılamıyor: sürüm uyumsuzluğu.",
+ "relaunch": "VS Code'u Yeniden Başlat",
+ "extensionService.crash": "Uzantı konağı beklenmeyen bir şekilde sonlandırıldı.",
+ "devTools": "Açık Geliştirici Araçları",
+ "restart": "Uzantı Konağını Yeniden Başlat",
+ "getEnvironmentFailure": "Uzak ortam getirilemedi",
+ "looping": "Aşağıdaki uzantılar bağımlılık döngüleri içeriyor ve devre dışı bırakıldı: {0}",
+ "enableResolver": "Uzak pencereyi açmak için '{0}' uzantısı gerekiyor.\r\nEtkinleştirilsin mi?",
+ "enable": "Etkinleştir ve Yeniden Yükle",
+ "installResolver": "Uzak pencereyi açmak için '{0}' uzantısı gerekiyor.\r\nUzantıyı kurmak istiyor musunuz?",
+ "install": "Yükle ve Yeniden Yükle",
+ "resolverExtensionNotFound": "`{0}` markette bulunamadı",
+ "restartExtensionHost": "Uzantı Konağını Yeniden Başlat"
+ },
+ "vs/workbench/services/extensions/electron-browser/cachedExtensionScanner": {
+ "overwritingExtension": "{1} ile {0} uzantısı üzerine yazma.",
+ "extensionUnderDevelopment": "{0} konumundaki geliştirme uzantısı yükleniyor",
+ "extensionCache.invalid": "Uzantılar diskte değiştirilmiş. Lütfen pencereyi yeniden yükleyin.",
+ "reloadWindow": "Pencereyi Yeniden Yükle"
+ },
+ "vs/workbench/services/extensions/electron-browser/localProcessExtensionHost": {
+ "extensionHost.startupFailDebug": "Uzantı konağı 10 saniye içinde başlamadı; ilk satırda durdurulmuş olabilir; devam edebilmek için bir hata ayıklayıcı gerekiyor.",
+ "extensionHost.startupFail": "Uzantı konağı 10 saniye içinde başlamadı; bu sorun olabilir.",
+ "reloadWindow": "Pencereyi Yeniden Yükle",
+ "extension host Log": "Uzantı Konağı",
+ "extensionHost.error": "Uzantı konağından hata: {0}"
+ },
+ "vs/workbench/services/extensions/common/abstractExtensionService": {
+ "looping": "Aşağıdaki uzantılar bağımlılık döngüleri içeriyor ve devre dışı bırakıldı: {0}"
+ },
+ "vs/workbench/services/extensions/common/remoteExtensionHost": {
+ "remote extension host Log": "Uzak Uzantı Konağı"
+ },
+ "vs/workbench/services/extensions/browser/webWorkerExtensionHost": {
+ "name": "Çalışan Uzantı Konağı"
+ },
+ "vs/workbench/services/extensions/browser/extensionUrlHandler": {
+ "confirmUrl": "Bir uzantının bu URI'yi açmasına izin verilsin mi?",
+ "rememberConfirmUrl": "Bu uzantı için bir daha sorma.",
+ "open": "&&Aç",
+ "reloadAndHandle": "'{0}' uzantısı yüklenmedi. URL'yi açmak için uzantıyı yüklemek ve pencereyi yeniden yüklemek istiyor musunuz?",
+ "reloadAndOpen": "&&Pencereyi Yeniden Yükle ve Aç",
+ "enableAndHandle": "'{0}' uzantısı devre dışı bırakıldı. URL'yi açmak için uzantıyı etkinleştirmek ve pencereyi yeniden yüklemek istiyor musunuz?",
+ "enableAndReload": "&&Etkinleştir ve Aç",
+ "installAndHandle": "'{0}' uzantısı kurulu değil. Bu URL'yi açmak için uzantıyı kurmak ve pencereyi yeniden yüklemek istiyor musunuz?",
+ "install": "&&Yükle",
+ "Installing": "'{0}' Uzantısı yükleniyor...",
+ "reload": "Pencereyi yeniden yüklemek ve '{0}' URL'sini açmak istiyor musunuz?",
+ "Reload": "Pencereyi Yeniden Yükle ve Aç",
+ "manage": "Yetkilendirilmiş Uzantı URI'lerini Yönet...",
+ "extensions": "Uzantılar",
+ "no": "Şu anda yetkili uzantı URI'si yok."
+ },
+ "vs/workbench/services/extensions/common/extensionsRegistry": {
+ "ui": "Kullanıcı arabirimi uzantı türü. Uzak bir pencerede bu tür uzantılar yalnızca yerel makinede kullanılabildiğinde etkindir.",
+ "workspace": "Çalışma alanı uzantı türü. Uzak bir pencerede, bu tür uzantılar yalnızca uzaktan kullanılabildiğinde etkindir.",
+ "web": "Web çalışan uzantı türü. Bu tür bir uzantı, bir Web çalışan uzantı konağında yürütebilir.",
+ "vscode.extension.engines": "Altyapı uyumluluğu.",
+ "vscode.extension.engines.vscode": "VS Code uzantılarında, uzantının uyumlu olduğu VS Code sürümünü belirtir. * Olamaz. Örneğin: ^0.10.5, 0.10.5'in en düşük VS Code sürümüyle uyumlu olduğunu gösterir.",
+ "vscode.extension.publisher": "VS Code uzantısının yayımcısı.",
+ "vscode.extension.displayName": "VS Code galerisinde kullanılan uzantının görünen adı.",
+ "vscode.extension.categories": "Uzantıyı sınıflandırmak için VS Code galerisi tarafından kullanılan kategoriler.",
+ "vscode.extension.category.languages.deprecated": "Yerine 'Programlama Dilleri' kullan",
+ "vscode.extension.galleryBanner": "VS Code marketinde kullanılan başlık.",
+ "vscode.extension.galleryBanner.color": "VS Code market sayfası üst bilgisindeki başlık rengi.",
+ "vscode.extension.galleryBanner.theme": "Başlıkta kullanılan yazı tipinin renk teması.",
+ "vscode.extension.contributes": "Bu paket tarafından temsil edilen VS Code uzantısının tüm katkıları.",
+ "vscode.extension.preview": "Uzantıyı Market'te Önizleme bayrağı konacak şekilde ayarlar.",
+ "vscode.extension.activationEvents": "VS Code uzantısı için etkinleştirme olayları.",
+ "vscode.extension.activationEvents.onLanguage": "Belirtilen dile çözümlenen bir dosya açıldığında yayınlanan bir etkinleştirme olayı.",
+ "vscode.extension.activationEvents.onCommand": "Belirtilen komut çağrıldığında yayınlanan bir etkinleştirme olayı.",
+ "vscode.extension.activationEvents.onDebug": "Bir kullanıcı hata ayıklamaya başlamak ya da hata ayıklama yapılandırmaları ayarlamak üzere olduğunda yayınlanan bir etkinleştirme olayı.",
+ "vscode.extension.activationEvents.onDebugInitialConfigurations": "Bir \"launch.json\" dosyasının oluşturulması (ve tüm provideDebugConfigurations yöntemlerinin çağrılması) gerektiğinde yayınlanan bir etkinleştirme olayı.",
+ "vscode.extension.activationEvents.onDebugDynamicConfigurations": "Tüm hata ayıklama yapılandırmalarının bir listesinin oluşturulması (ve \"dinamik\" kapsamın tüm provideDebugConfigurations yöntemlerinin çağrılması) gerektiğinde yayınlanan bir etkinleştirme olayı.",
+ "vscode.extension.activationEvents.onDebugResolve": "Özgül türdeki bir hata ayıklama oturumu başlatılmak üzere olduğunda (ve karşılık gelen bir resolveDebugConfiguration yönteminin çağrılması gerektiğinde) yayınlanan bir etkinleştirme olayı.",
+ "vscode.extension.activationEvents.onDebugAdapterProtocolTracker": "Özgül türdeki bir hata ayıklama oturumu başlatılmak üzere olduğunda ve bir hata ayıklama protokolü izleyicisi gerekli olabileceğinde yayınlanan bir etkinleştirme olayı.",
+ "vscode.extension.activationEvents.workspaceContains": "Belirtilen glob deseniyle eşleşen en az bir dosya içeren bir klasör açıldığında yayınlanan bir etkinleştirme olayı.",
+ "vscode.extension.activationEvents.onStartupFinished": "Başlatma (`*` ile etkinleştirilen uzantıların tümünün etkinleşmesi) tamamlandıktan sonra oluşturulan bir etkinleştirme olayı.",
+ "vscode.extension.activationEvents.onFileSystem": "Verilen şemaya sahip bir dosya veya klasöre her erişildiğinde yayınlanan bir etkinleştirme olayı.",
+ "vscode.extension.activationEvents.onSearch": "Klasörde verilen şemaya sahip bir arama başlatıldığında yayınlanan bir etkinleştirme olayı.",
+ "vscode.extension.activationEvents.onView": "Belirtilen görünüm genişletildiğinde yayınlanan bir etkinleştirme olayı.",
+ "vscode.extension.activationEvents.onIdentity": "Belirtilen kullanıcı kimliği olduğunda yayınlanan bir etkinleştirme olayı.",
+ "vscode.extension.activationEvents.onUri": "Bu uzantıya yönelik sistem genelinde bir URI açık olduğunda yayınlanan bir etkinleştirme olayı.",
+ "vscode.extension.activationEvents.onCustomEditor": "Belirtilen özel düzenleyici görünür olduğunda yayınlanan bir etkinleştirme olayı.",
+ "vscode.extension.activationEvents.star": "VS Code'un başlatılmasında oluşturulan bir etkinleştirme olayı. Harika bir son kullanıcı deneyimi sağlamak için lütfen bu etkinleştirme olayını uzantınızda yalnızca başka hiçbir etkinleştirme olayı bileşimi kullanım örneğinizde sonuç vermedikten sonra kullanın.",
+ "vscode.extension.badges": "Marketin uzantı sayfasının kenar çubuğunda görüntülenecek rozetler dizisi.",
+ "vscode.extension.badges.url": "Rozet resim URL'si.",
+ "vscode.extension.badges.href": "Rozet bağlantısı.",
+ "vscode.extension.badges.description": "Rozet açıklaması.",
+ "vscode.extension.markdown": "Markette kullanılan Markdown işleme altyapısını denetler. GitHub (varsayılan) ya da standart olabilir.",
+ "vscode.extension.qna": "Marketteki Q&A bağlantısını denetler. Varsayılan Market Q & A sitesini etkinleştirmek için market olarak ayarlayın. Özel bir Q & A sitesinin URL'sini sağlamak için bir dizeye ayarlayın. Q & A seçeneğini tamamen devre dışı bırakmak için false olarak ayarlayın.",
+ "vscode.extension.extensionDependencies": "Diğer uzantılara bağımlılıklar. Bir uzantının tanımlayıcısı her zaman ${publisher}.${name} şeklindedir. Örneğin: vscode.csharp.",
+ "vscode.extension.contributes.extensionPack": "Birlikte yüklenebilen bir uzantılar kümesi. Bir uzantının tanımlayıcısı her zaman ${publisher}.${name} şeklindedir. Örneğin: vscode.csharp.",
+ "extensionKind": "Bir uzantının türünü tanımlayın. `workspace` uzantıları uzak makinede çalıştırılırken `ui` uzantıları yerel makineye yüklenip çalıştırılır.",
+ "extensionKind.ui": "Uzak pencereye bağlıyken yalnızca yerel makinede çalışabilecek bir uzantı tanımlayın.",
+ "extensionKind.workspace": "Uzak pencereye bağlıyken yalnızca uzak makinede çalışabilecek bir uzantı tanımlayın.",
+ "extensionKind.ui-workspace": "Yerel makinede çalışmaya öncelik vererek her iki tarafta da çalışabilecek bir uzantı tanımlayın.",
+ "extensionKind.workspace-ui": "Uzak makinede çalışmaya öncelik vererek her iki tarafta da çalışabilecek bir uzantı tanımlayın.",
+ "extensionKind.empty": "Ne yerel ne de uzak makinede uzak bir bağlamda çalıştırılamayan bir uzantı tanımlayın.",
+ "vscode.extension.scripts.prepublish": "Betik, paket bir VS Code uzantısı olarak yayımlanmadan önce yürütüldü.",
+ "vscode.extension.scripts.uninstall": "VS Code uzantısı için kaldırma kancası. Uzantı VS Code'dan, uzantı kaldırma işleminden sonra VS Code yeniden başlatılarak (kapatma ve başlatma) tamamen kaldırıldığında yürütülen betik. Yalnızca Node betikleri desteklenir.",
+ "vscode.extension.icon": "128x128 piksellik bir simgenin yolu."
+ },
+ "vs/workbench/services/extensions/node/extensionPoints": {
+ "jsonParseInvalidType": "{0} bildirim dosyası geçersiz: JSON nesnesi değil.",
+ "jsonParseFail": "{0} ayrıştırılamadı: [{1}, {2}] {3}.",
+ "fileReadFail": "'{0}' dosyası okunamıyor: {1}.",
+ "jsonsParseReportErrors": "{0} ayrıştırılamadı: {1}.",
+ "jsonInvalidFormat": "Geçersiz biçim {0}: JSON nesnesi bekleniyor.",
+ "missingNLSKey": "{0} tuşu için ileti bulunamadı.",
+ "notSemver": "Uzantı sürümü semver uyumlu değil.",
+ "extensionDescription.empty": "Boş uzantı açıklaması alındı",
+ "extensionDescription.publisher": "özellik yayımcısı `string` türünde olmalıdır.",
+ "extensionDescription.name": "`{0}` özelliği zorunludur ve `string` türünde olmalıdır",
+ "extensionDescription.version": "`{0}` özelliği zorunludur ve `string` türünde olmalıdır",
+ "extensionDescription.engines": "`{0}` özelliği zorunludur ve `object` türünde olması gerekir",
+ "extensionDescription.engines.vscode": "`{0}` özelliği zorunludur ve `string` türünde olmalıdır",
+ "extensionDescription.extensionDependencies": "`{0}` özelliği atlanamaz veya `string[]` türünde olmalıdır",
+ "extensionDescription.activationEvents1": "`{0}` özelliği atlanamaz veya `string[]` türünde olmalıdır",
+ "extensionDescription.activationEvents2": "`{0}` ve `{1}` özelliklerinin ikisi de belirtilmeli ya da ikisi de atlanmalıdır",
+ "extensionDescription.main1": "`{0}` özelliği atlanabilir veya `string` türünde olması gerekir",
+ "extensionDescription.main2": "`main` ({0}) öğesinin uzantının klasörünün ({1}) içine eklenmiş olması bekleniyordu. Bu, uzantıyı taşınamaz hale getirebilir.",
+ "extensionDescription.main3": "`{0}` ve `{1}` özelliklerinin ikisi de belirtilmeli ya da ikisi de atlanmalıdır",
+ "extensionDescription.browser1": "`{0}` özelliği atlanabilir veya `string` türünde olmalıdır",
+ "extensionDescription.browser2": "`browser` ({0}) öğesinin uzantının klasörü ({1}) içine eklenmiş olması bekleniyordu. Bu, eklentiyi taşınamaz hale getirebilir.",
+ "extensionDescription.browser3": "`{0}` ve `{1}` özelliklerinin ikisi birden belirtilmeli veya ikisi birden atlanmalıdır"
+ },
+ "vs/workbench/services/extensions/common/extensionHostManager": {
+ "measureExtHostLatency": "Uzantı Konak Gecikme Süresini Ölç"
+ },
+ "vs/workbench/services/gettingStarted/common/gettingStartedContent": {
+ "gettingStarted.beginner.title": "Kullanmaya Başlayın",
+ "gettingStarted.beginner.description": "Yeni düzenleyicinizle tanışın",
+ "pickColorTask.description": "Kullanıcı arabirimindeki renkleri tercihlerinize ve iş ortamınıza uyacak biçimde değiştirin.",
+ "pickColorTask.title": "Renk Teması",
+ "pickColorTask.button": "Tema bul",
+ "findKeybindingsTask.description": "Vim, Sublime, Atom ve diğerleri için klavye kısayolları bulun.",
+ "findKeybindingsTask.title": "Tuş Bağlamalarını Yapılandır",
+ "findKeybindingsTask.button": "Anahtar Eşlemeleri arayın",
+ "findLanguageExtsTask.description": "JavaScript, Python, Java, Azure, Docker ve diğer dilleriniz için destek alın.",
+ "findLanguageExtsTask.title": "Diller ve Araçlar",
+ "findLanguageExtsTask.button": "Dil Desteğini Yükle",
+ "gettingStartedOpenFolder.description": "Kullanmaya başlamak için proje klasörü açın!",
+ "gettingStartedOpenFolder.title": "Klasör Aç",
+ "gettingStartedOpenFolder.button": "Klasör Seçin",
+ "gettingStarted.intermediate.title": "Temel Bileşenler",
+ "gettingStarted.intermediate.description": "Bilmeniz gereken ve seveceğiniz özellikler",
+ "commandPaletteTask.description": "VS Code'un yapabileceği her şeyi bulmanın en kolay yolu. Bir özellik arıyorsanız önce burayı kontrol edin!",
+ "commandPaletteTask.title": "Komut Paleti",
+ "commandPaletteTask.button": "Tüm Komutları Görüntüle",
+ "gettingStarted.advanced.title": "İpuçları ve Püf Noktaları",
+ "gettingStarted.advanced.description": "VS Code uzmanlarının sık kullanılanları",
+ "gettingStarted.openFolder.title": "Klasör Aç",
+ "gettingStarted.openFolder.description": "Proje açıp çalışmaya başlayın",
+ "gettingStarted.playground.title": "Etkileşimli Deneme Alanı",
+ "gettingStarted.interactivePlayground.description": "Temel düzenleyici özelliklerini öğrenin"
+ },
+ "vs/workbench/services/integrity/node/integrityService": {
+ "integrity.prompt": "{0} yüklemeniz bozuk gibi görünüyor. Lütfen yeniden yükleyin.",
+ "integrity.moreInformation": "Daha Fazla Bilgi",
+ "integrity.dontShowAgain": "Tekrar Gösterme"
+ },
+ "vs/workbench/services/keybinding/common/keybindingEditing": {
+ "errorKeybindingsFileDirty": "Tuş bağlaması yapılandırma dosyası değişmiş olduğundan yazılamıyor. Lütfen önce dosyayı kaydedin ve sonra yeniden deneyin.",
+ "parseErrors": "Tuş bağlaması yapılandırma dosyasına yazılamıyor. Lütfen hataları/uyarıları düzeltmek için dosyayı açın ve yeniden deneyin.",
+ "errorInvalidConfiguration": "Tuş bağlaması yapılandırma dosyasına yazılamıyor. Dosya Array türünde olmayan bir nesne içeriyor. Lütfen temizlemek için dosyayı açın ve yeniden deneyin.",
+ "emptyKeybindingsHeader": "Varsayılanları geçersiz kılmak için tuş bağlamalarınızı bu dosyaya yerleştirin"
+ },
+ "vs/workbench/services/keybinding/browser/keybindingService": {
+ "nonempty": "boş olmayan değer bekleniyordu.",
+ "requirestring": "`{0}` özelliği zorunludur ve `string` türünde olmalıdır",
+ "optstring": "'{0}' özelliği atlanabilir veya 'string' türünde olması gerekir",
+ "vscode.extension.contributes.keybindings.command": "Tuş bağlaması tetiklendiğinde çalıştırılacak komutun tanımlayıcısı.",
+ "vscode.extension.contributes.keybindings.args": "Yürütülecek komuta geçirilecek bağımsız değişkenler.",
+ "vscode.extension.contributes.keybindings.key": "Tuş veya tuş sırası (artı işaretli tuşları ve tuş sıralarını boşluk ile ayırın; örneğin, bir akor için Ctrl+O ve Ctrl+L L).",
+ "vscode.extension.contributes.keybindings.mac": "Mac'e özgü tuş veya tuş sırası.",
+ "vscode.extension.contributes.keybindings.linux": "Linux'a özgü tuş veya tuş sırası.",
+ "vscode.extension.contributes.keybindings.win": "Windows'a özgü tuş veya tuş sırası.",
+ "vscode.extension.contributes.keybindings.when": "Anahtar etkin olduğunda koşul.",
+ "vscode.extension.contributes.keybindings": "Tuş bağlaması ekler.",
+ "invalid.keybindings": "Geçersiz `contributes.{0}`: {1}",
+ "unboundCommands": "Mevcut diğer komutlar şunlardır: ",
+ "keybindings.json.title": "Tuş bağlaması yapılandırması",
+ "keybindings.json.key": "Tuş veya (boşlukla ayrılmış) tuş sırası",
+ "keybindings.json.command": "Yürütülecek komutun adı",
+ "keybindings.json.when": "Anahtar etkin olduğunda koşul.",
+ "keybindings.json.args": "Yürütülecek komuta geçirilecek bağımsız değişkenler.",
+ "keyboardConfigurationTitle": "Klavye",
+ "dispatch": "'code' (önerilen) veya 'keyCode' kullanmak için tuş basışları gönderme mantığını denetler."
+ },
+ "vs/workbench/services/label/common/labelService": {
+ "vscode.extension.contributes.resourceLabelFormatters": "Kaynak etiketi biçimlendirme kuralları katkısında bulunur.",
+ "vscode.extension.contributes.resourceLabelFormatters.scheme": "Biçimlendiricinin eşleştirilmesinde kullanılacak URI şeması. Örneğin, \"dosya\". Basit glob desenleri desteklenir.",
+ "vscode.extension.contributes.resourceLabelFormatters.authority": "Biçimlendiriciyi eşleştirmede kullanılacak URI yetkilisi. Basit glob desenleri desteklenir.",
+ "vscode.extension.contributes.resourceLabelFormatters.formatting": "URI kaynak etiketlerini biçimlendirmeye yönelik kurallar.",
+ "vscode.extension.contributes.resourceLabelFormatters.label": "Görüntülenecek etiket kuralları. Örneğin: etiketim:/${path}. ${path}, ${scheme} ve ${authority} değişkenler olarak desteklenir.",
+ "vscode.extension.contributes.resourceLabelFormatters.separator": "URI etiketi görüntülemesinde kullanılacak ayırıcı. Örneğin, '/' veya ''.",
+ "vscode.extension.contributes.resourceLabelFormatters.stripPathStartingSeparator": "'${path}' değiştirmelerinin baştaki ayırıcı karakterlerinin kaldırılmış kaldırılmayacağını denetler.",
+ "vscode.extension.contributes.resourceLabelFormatters.tildify": "Mümkün olduğunda URI etiketinin başına tilde konup konmayacağını denetler.",
+ "vscode.extension.contributes.resourceLabelFormatters.formatting.workspaceSuffix": "Çalışma alanı etiketine son ek eklenen.",
+ "untitledWorkspace": "Başlıksız (Çalışma Alanı)",
+ "workspaceNameVerbose": "{0} (Çalışma Alanı)",
+ "workspaceName": "{0} (Çalışma Alanı)"
+ },
+ "vs/workbench/services/lifecycle/electron-sandbox/lifecycleService": {
+ "errorClose": "Pencere kapatılmaya çalışılırken beklenmeyen bir hata oluştu ({0}).",
+ "errorQuit": "Uygulamadan çıkmaya çalışırken beklenmeyen bir hata oluştu ({0}).",
+ "errorReload": "Pencere yeniden yüklenmeye çalışılırken beklenmeyen bir hata oluştu ({0}).",
+ "errorLoad": "Pencerenin çalışma alanı değiştirilmeye çalışılırken beklenmeyen bir hata oluştu ({0})."
+ },
+ "vs/workbench/services/mode/common/workbenchModeService": {
+ "vscode.extension.contributes.languages": "Dil bildirimi katkısında bulunur.",
+ "vscode.extension.contributes.languages.id": "Dilin kimliği.",
+ "vscode.extension.contributes.languages.aliases": "Dil için ad diğer adları.",
+ "vscode.extension.contributes.languages.extensions": "Dille ilişkilendirilmiş dosya uzantıları.",
+ "vscode.extension.contributes.languages.filenames": "Dille ilişkilendirilmiş dosya adları.",
+ "vscode.extension.contributes.languages.filenamePatterns": "Dille ilişkilendirilmiş dosya adı glob desenleri.",
+ "vscode.extension.contributes.languages.mimetypes": "Dil ile ilişkilendirilmiş MIME türleri.",
+ "vscode.extension.contributes.languages.firstLine": "Dilin bir dosyasının ilk satırıyla eşleşen bir normal ifade.",
+ "vscode.extension.contributes.languages.configuration": "Dilin yapılandırma seçeneklerini içeren bir dosyanın görece yolu.",
+ "invalid": "Geçersiz `contributes.{0}`. Dizi bekleniyordu.",
+ "invalid.empty": "`contributes.{0}` için boş değer",
+ "require.id": "`{0}` özelliği zorunludur ve `string` türünde olmalıdır",
+ "opt.extensions": "`{0}` özelliği atlanabilir ve `string[]` türünde olmalıdır",
+ "opt.filenames": "`{0}` özelliği atlanabilir ve `string[]` türünde olmalıdır",
+ "opt.firstLine": "`{0}` özelliği atlanabilir ve `string` türünde olmalıdır",
+ "opt.configuration": "`{0}` özelliği atlanabilir ve `string` türünde olmalıdır",
+ "opt.aliases": "`{0}` özelliği atlanabilir ve `string[]` türünde olmalıdır",
+ "opt.mimetypes": "`{0}` özelliği atlanabilir ve `string[]` türünde olmalıdır"
+ },
+ "vs/workbench/services/notification/common/notificationService": {
+ "neverShowAgain": "Bir Daha Gösterme"
+ },
+ "vs/workbench/services/preferences/common/preferences": {
+ "userSettingsTarget": "Kullanıcı Ayarları",
+ "workspaceSettingsTarget": "Çalışma Alanı Ayarları"
+ },
+ "vs/workbench/services/preferences/browser/preferencesService": {
+ "openFolderFirst": "Çalışma alanı ayarları oluşturmak için önce klasörü açın",
+ "emptyKeybindingsHeader": "Varsayılanları geçersiz kılmak için tuş bağlamalarınızı bu dosyaya yerleştirin",
+ "defaultKeybindings": "Varsayılan Tuş Bağlamaları",
+ "defaultSettings": "Varsayılan Ayarlar",
+ "folderSettingsName": "{0} (Klasör Ayarları)",
+ "fail.createSettings": "'{0}' oluşturulamıyor ({1})."
+ },
+ "vs/workbench/services/preferences/common/preferencesEditorInput": {
+ "settingsEditorName": "Varsayılan Ayarlar",
+ "keybindingsInputName": "Klavye Kısayolları",
+ "settingsEditor2InputName": "Ayarlar"
+ },
+ "vs/workbench/services/preferences/common/preferencesModels": {
+ "commonlyUsed": "Sık Kullanılan",
+ "defaultKeybindingsHeader": "Anahtar bağlamalarını anahtar bağlama dosyanıza yerleştirerek geçersiz kılın."
+ },
+ "vs/workbench/services/preferences/common/keybindingsEditorModel": {
+ "default": "Varsayılan",
+ "extension": "Uzantı",
+ "user": "Kullanıcı",
+ "cat.title": "{0}: {1}",
+ "option": "seçenek",
+ "meta": "meta"
+ },
+ "vs/workbench/services/preferences/common/preferencesValidation": {
+ "validations.expectedNumeric": "Değer, bir sayı olmalıdır.",
+ "invalidTypeError": "Ayarın türü geçersiz; beklenen {0}. JSON içinde düzeltin.",
+ "validations.maxLength": "Değer {0} veya daha az karakter uzunluğunda olmalıdır.",
+ "validations.minLength": "Değer {0} veya daha fazla karakter uzunluğunda olmalıdır.",
+ "validations.regex": "Değer '{0}' normal ifadesi ile eşleşmelidir.",
+ "validations.colorFormat": "Geçersiz renk biçimi. #RGB, #RGBA, #RRGGBB veya #RRGGBBAA kullanın.",
+ "validations.uriEmpty": "URI bekleniyor.",
+ "validations.uriMissing": "URI bekleniyor.",
+ "validations.uriSchemeMissing": "Düzen içeren URI bekleniyor.",
+ "validations.exclusiveMax": "Değer kesinlikle {0} değerinden düşük olmalıdır.",
+ "validations.exclusiveMin": "Değer kesinlikle {0} değerinden büyük olmalıdır.",
+ "validations.max": "Değer, {0} değerinden küçük veya buna eşit olmalıdır.",
+ "validations.min": "Değer, {0} değerinden büyük veya buna eşit olmalıdır.",
+ "validations.multipleOf": "Değer, {0} değerinin katı olmalıdır.",
+ "validations.expectedInteger": "Değer tamsayı olmalıdır.",
+ "validations.stringArrayUniqueItems": "Dizide yinelenen öğeler var",
+ "validations.stringArrayMinItem": "Dizide en az {0} öğe olmalıdır",
+ "validations.stringArrayMaxItem": "Dizi en çok {0} öğe içermelidir",
+ "validations.stringArrayItemPattern": "{0} değeri {1} normal ifadesi ile eşleşmelidir.",
+ "validations.stringArrayItemEnum": "{0}, {1} değerlerinden biri değil"
+ },
+ "vs/workbench/services/progress/browser/progressService": {
+ "progress.text2": "{0}: {1}",
+ "progress.title3": "[{0}] {1}: {2}",
+ "progress.title2": "[{0}]: {1}",
+ "status.progress": "İlerleme Durumu İletisi",
+ "cancel": "İptal",
+ "dismiss": "Kapat"
+ },
+ "vs/workbench/services/remote/common/abstractRemoteAgentService": {
+ "connectionError": "Uzak uzantı konak sunucusuyla bağlantı kurulamadı (Hata: {0})"
+ },
+ "vs/workbench/services/textfile/electron-browser/nativeTextFileService": {
+ "fileReadOnlyError": "Dosya Salt Okunur"
+ },
+ "vs/workbench/services/textfile/browser/textFileService": {
+ "fileBinaryError": "Dosya ikili gibi görünüyor ve metin olarak açılamaz",
+ "confirmOverwrite": "'{0}' zaten var. Değiştirmek istiyor musunuz?",
+ "irreversible": "'{1}' klasöründe '{0}' adlı bir dosya veya klasör zaten var. Yerine yenisi kaydedilirse içeriğin üzerine yazılır.",
+ "replaceButtonLabel": "&&Değiştir"
+ },
+ "vs/workbench/services/textfile/common/textFileEditorModelManager": {
+ "genericSaveError": "'{0}' kaydedilemedi. {1}"
+ },
+ "vs/workbench/services/textfile/common/textFileEditorModel": {
+ "saveFileFirst": "Dosya kirli. Başka bir kodlamayla yeniden açmadan önce lütfen dosyayı kaydedin."
+ },
+ "vs/workbench/services/textfile/common/textFileSaveParticipant": {
+ "saveParticipants": "'{0}' kaydediliyor"
+ },
+ "vs/workbench/services/textMate/browser/abstractTextMateService": {
+ "alreadyDebugging": "Zaten Günlüğe Kaydediliyor.",
+ "stop": "Durdur",
+ "progress1": "TM Dilbilgisi ayrıştırmasını günlüğe kaydetmeye hazırlanılıyor. Bittiğinde Durdur'a basın.",
+ "progress2": "Şu anda TM Dilbilgisi ayrıştırması günlüğe kaydediliyor. Bittiğinde Durdur'a basın.",
+ "invalid.language": "`contributes.{0}.language` içindeki dil bilinmiyor. Sağlanan değer: {1}",
+ "invalid.scopeName": "`contributes.{0}.scopeName` içinde dize bekleniyor. Sağlanan değer: {1}",
+ "invalid.path.0": "`contributes.{0}.path` içinde dize bekleniyor. Sağlanan değer: {1}",
+ "invalid.injectTo": "`contributes.{0}.injectTo` içindeki değer geçersiz. Dil kapsamı adları dizisi olmalıdır. Sağlanan değer: {1}",
+ "invalid.embeddedLanguages": "`contributes.{0}.embeddedLanguages` içindeki değer geçersiz. Kapsam adından dile nesne eşlemesi olmalıdır. Sağlanan değer: {1}",
+ "invalid.tokenTypes": "`contributes.{0}.tokenTypes` içindeki değer geçersiz. Kapsam adından belirteç türüne nesne eşlemesi olmalıdır. Sağlanan değer: {1}",
+ "invalid.path.1": "`contributes.{0}.path` ({1}) öğesinin uzantının klasörüne ({2}) eklenmesi bekleniyor. Bu, uzantıyı taşınamaz hale getirebilir.",
+ "too many characters": "Performans nedeniyle uzun satırlar için belirteç oluşturma atlandı. Uzun satırın uzunluğu `editor.maxTokenizationLineLength` ile yapılandırılabilir.",
+ "neverAgain": "Tekrar Gösterme"
+ },
+ "vs/workbench/services/textMate/common/TMGrammars": {
+ "vscode.extension.contributes.grammars": "Textmate belirteç oluşturucularına katkıda bulunur.",
+ "vscode.extension.contributes.grammars.language": "Bu söz diziminin katkıda bulunduğu dil tanımlayıcısı.",
+ "vscode.extension.contributes.grammars.scopeName": "tmLanguage dosyası tarafından kullanılan Textmate kapsamı adı.",
+ "vscode.extension.contributes.grammars.path": "tmLanguage dosyasının yolu. Yol, uzantı klasörüne görelidir ve genellikle './syntaxes/' ile başlar.",
+ "vscode.extension.contributes.grammars.embeddedLanguages": "Bu dil bilgisi eklenmiş diller içeriyorsa kapsam adının dil kimliğine eşlemesi.",
+ "vscode.extension.contributes.grammars.tokenTypes": "Kapsam adının belirteç türlerine eşlemesi.",
+ "vscode.extension.contributes.grammars.injectTo": "Bu dilbilgisinin ekleneceği dil kapsamı adlarının listesi."
+ },
+ "vs/workbench/services/textMate/common/TMGrammarFactory": {
+ "no-tm-grammar": "Bu dil için kayıtlı TM Dilbilgisi yok."
+ },
+ "vs/workbench/services/themes/browser/workbenchThemeService": {
+ "error.cannotloadtheme": "{0} yüklenemedi: {1}"
+ },
+ "vs/workbench/services/themes/common/colorExtensionPoint": {
+ "contributes.color": "Uzantı tarafından tanımlanan, temada kullanılabilir renklere katkıda bulunur",
+ "contributes.color.id": "Temada kullanılabilir rengin tanımlayıcısı",
+ "contributes.color.id.format": "Tanımlayıcılar yalnızca harf, rakam ve nokta içermelidir ve noktayla başlamamalıdır",
+ "contributes.color.description": "Temada kullanılabilir rengin tanımlayıcısı",
+ "contributes.defaults.light": "Açık temalar için varsayılan renk. Onaltılık (#RRGGBB[AA]) biçimde bir renk değeri ya da temada kullanılabilir bir rengin tanımlayıcısı (varsayılanı sağlar).",
+ "contributes.defaults.dark": "Koyu temalar için varsayılan renk. Onaltılık (#RRGGBB[AA]) biçimde bir renk değeri ya da temada kullanılabilir bir rengin tanımlayıcısı (varsayılanı sağlar).",
+ "contributes.defaults.highContrast": "Yüksek karşıtlıklı temalar için varsayılan renk. Onaltılık (#RRGGBB[AA]) biçimde bir renk değeri ya da temada kullanılabilir bir rengin tanımlayıcısı (varsayılanı sağlar).",
+ "invalid.colorConfiguration": "'configuration.colors' bir dizi olmalıdır",
+ "invalid.default.colorType": "{0}, onaltılık (#RRGGBB[AA] veya #RGB[A]) biçimde bir renk değeri ya da temada kullanılabilir bir rengin tanımlayıcısı (varsayılanı sağlar) olmalıdır.",
+ "invalid.id": "'configuration.colors.id' tanımlanmalıdır ve boş olmamalıdır",
+ "invalid.id.format": "'configuration.colors.id' yalnızca harf, rakam ve nokta içermelidir ve noktayla başlamamalıdır",
+ "invalid.description": "'configuration.colors.description' tanımlanmalıdır ve boş olmamalıdır",
+ "invalid.defaults": "'configuration.colors.defaults' tanımlanmalıdır ve 'light', 'dark' ve 'highContrast' değerlerini içermelidir"
+ },
+ "vs/workbench/services/themes/common/tokenClassificationExtensionPoint": {
+ "contributes.semanticTokenTypes": "Anlamsal belirteç türlerine katkıda bulunur.",
+ "contributes.semanticTokenTypes.id": "Anlamsal belirteç türünün tanımlayıcısı",
+ "contributes.semanticTokenTypes.id.format": "Tanımlayıcılar harfVeyaRakam[_-harfVeyaRakam]* biçiminde olmalıdır",
+ "contributes.semanticTokenTypes.superType": "Anlamsal belirteç türünün üst türü",
+ "contributes.semanticTokenTypes.superType.format": "Üst türler harfVeyaRakam[_-harfVeyaRakam]* biçiminde olmalıdır",
+ "contributes.color.description": "Anlamsal belirteç türünün açıklaması",
+ "contributes.semanticTokenModifiers": "Anlamsal belirteç değiştiricilerine katkıda bulunur.",
+ "contributes.semanticTokenModifiers.id": "Anlamsal belirteç değiştiricisinin tanımlayıcısı",
+ "contributes.semanticTokenModifiers.id.format": "Tanımlayıcılar harfVeyaRakam[_-harfVeyaRakam]* biçiminde olmalıdır",
+ "contributes.semanticTokenModifiers.description": "Anlamsal belirteç değiştiricisinin açıklaması",
+ "contributes.semanticTokenScopes": "Anlamsal belirteç kapsamı eşlemelerine katkıda bulunur.",
+ "contributes.semanticTokenScopes.languages": "Varsayılan değerlerin olduğu dili listeler.",
+ "contributes.semanticTokenScopes.scopes": "Bir anlamsal belirteci (anlamsal belirteç seçicisiyle tanımlanan), bu belirteci temsil etmek için kullanılan bir veya daha fazla textMate kapsamı ile eşleştirir.",
+ "invalid.id": "'configuration.{0}.id' tanımlanmalıdır ve boş olmamalıdır",
+ "invalid.id.format": "'configuration.{0}.id', harfVeyaRakam[-_harfVeyaRakam]* desenini izlemelidir",
+ "invalid.superType.format": "'configuration.{0}.superType', harfVeyaRakam[-_harfVeyaRakam]* desenini izlemelidir",
+ "invalid.description": "'configuration.{0}.description' tanımlanmalıdır ve boş olmamalıdır",
+ "invalid.semanticTokenTypeConfiguration": "'configuration.semanticTokenType' bir dizi olmalıdır",
+ "invalid.semanticTokenModifierConfiguration": "'configuration.semanticTokenModifier' bir dizi olmalıdır",
+ "invalid.semanticTokenScopes.configuration": "'configuration.semanticTokenScopes' bir dizi olmalıdır",
+ "invalid.semanticTokenScopes.language": "'configuration.semanticTokenScopes.language' bir dize olmalıdır",
+ "invalid.semanticTokenScopes.scopes": "'configuration.semanticTokenScopes.scopes' bir nesne olarak tanımlanmalıdır",
+ "invalid.semanticTokenScopes.scopes.value": "'configuration.semanticTokenScopes.scopes' değerleri dizelerden oluşan bir dizi olmalıdır",
+ "invalid.semanticTokenScopes.scopes.selector": "configuration.semanticTokenScopes.scopes': {0} seçicisi ayrıştırılırken sorun oluştu."
+ },
+ "vs/workbench/services/themes/common/colorThemeData": {
+ "error.cannotparsejson": "JSON tema dosyası ayrıştırılırken sorunlar oluştu: {0}",
+ "error.invalidformat": "JSON tema dosyasının biçimi geçersiz: Nesne bekleniyor.",
+ "error.invalidformat.colors": "Renk teması dosyası ayrıştırılırken sorun oluştu: {0}. 'colors' özelliği 'object' türünde değil.",
+ "error.invalidformat.tokenColors": "Renk teması dosyası ayrıştırılırken sorun oluştu: {0}. 'tokenColors' özelliği, renkleri veya bir TextMate teması dosyasının yolunu belirten bir dizi olmalıdır",
+ "error.invalidformat.semanticTokenColors": "Renk teması dosyası ayrıştırılırken sorun oluştu: {0}. 'semanticTokenColors' özelliği geçersiz bir seçici içeriyor",
+ "error.plist.invalidformat": "tmTheme dosyası ayrıştırılırken sorun oluştu: {0}. 'settings' dizi değil.",
+ "error.cannotparse": "tmTheme dosyası ayrıştırılırken sorunlar oluştu: {0}",
+ "error.cannotload": "tmTheme dosyası {0} yüklenirken sorunlar oluştu: {1}"
+ },
+ "vs/workbench/services/themes/common/fileIconThemeSchema": {
+ "schema.folderExpanded": "Genişletilmiş klasörler için klasör simgesi. Genişletilmiş klasör simgesi isteğe bağlıdır. Ayarlanmamışsa, klasör için tanımlanan simge görüntülenir.",
+ "schema.folder": "Daraltılmış klasörler için klasör simgesi, folderExpanded ayarlanmamışsa genişletilmiş klasörler için de kullanılır.",
+ "schema.file": "Herhangi bir uzantı, dosya adı veya dil kimliği ile eşleşmeyen tüm dosyalar için görüntülenen varsayılan dosya simgesi.",
+ "schema.folderNames": "Klasör adlarını simgelere ilişkilendirir. Nesne anahtarı, herhangi bir yol kesimi hariç klasör adıdır. Desen veya joker karakterlere izin verilmez. Klasör adı eşleştirme işlemi büyük/küçük harfe duyarlı değildir.",
+ "schema.folderName": "İlişkilendirme için simge tanımının kimliği.",
+ "schema.folderNamesExpanded": "Genişletilmiş klasörler için klasör adlarını simgelere ilişkilendirir. Nesne anahtarı, herhangi bir yol kesimi hariç klasör adıdır. Desen veya joker karakterlere izin verilmez. Klasör adı eşleştirme işlemi büyük/küçük harfe duyarlı değildir.",
+ "schema.folderNameExpanded": "İlişkilendirme için simge tanımının kimliği.",
+ "schema.fileExtensions": "Dosya uzantılarını simgelere ilişkilendirir. Nesne anahtarı, dosya uzantısı adıdır. Uzantı adı, dosya adının son noktadan sonraki (nokta dahil değildir) son kesimidir. Uzantılar büyük/küçük harfe duyarsız olarak karşılaştırılır.",
+ "schema.fileExtension": "İlişkilendirme için simge tanımının kimliği.",
+ "schema.fileNames": "Dosya adlarını simgelere ilişkilendirir. Nesne anahtarı tam dosya adıdır, ancak hiçbir yol kesimini içermez. Dosya adı, nokta ve olası bir dosya uzantısı içerebilir. Desen veya joker karakterlere izin verilmez. Dosya adı eşleştirme işlemi büyük/küçük harfe duyarlı değildir.",
+ "schema.fileName": "İlişkilendirme için simge tanımının kimliği.",
+ "schema.languageIds": "Dilleri simgelere ilişkilendirir. Nesne anahtarı, dil katkı noktasında tanımlandığı şekliyle dil kimliğidir.",
+ "schema.languageId": "İlişkilendirme için simge tanımının kimliği.",
+ "schema.fonts": "Simge tanımlarında kullanılan yazı tipleri.",
+ "schema.id": "Yazı tipinin türü.",
+ "schema.id.formatError": "Kimlik yalnızca harf, rakam, alt çizgi ve eksi işareti içermelidir.",
+ "schema.src": "Yazı tipinin konumu.",
+ "schema.font-path": "Geçerli dosya simgesi tema dosyasına göre yazı tipi yolu.",
+ "schema.font-format": "Yazı tipinin biçimi.",
+ "schema.font-weight": "Yazı tipinin kalınlığı. Geçerli değerler için bkz. https://developer.mozilla.org/en-US/docs/Web/CSS/font-weight.",
+ "schema.font-style": "Yazı tipinin stili. Geçerli değerler için bkz. https://developer.mozilla.org/en-US/docs/Web/CSS/font-style.",
+ "schema.font-size": "Yazı tipinin varsayılan boyutu. Geçerli değerler için bkz. https://developer.mozilla.org/en-US/docs/Web/CSS/font-size.",
+ "schema.iconDefinitions": "Dosyalar simgelere ilişkilendirilirken kullanılabilen tüm simgelerin açıklaması.",
+ "schema.iconDefinition": "Simge tanımı. Nesne anahtarı tanımın kimliğidir.",
+ "schema.iconPath": "SVG veya PNG kullanılırken: Görüntünün yolu. Yol, simge kümesi dosyasına görelidir.",
+ "schema.fontCharacter": "Karakter yazı tipi kullanırken: Kullanılacak yazı tipindeki karakter.",
+ "schema.fontColor": "Karakter yazı tipi kullanırken: Kullanılacak renk.",
+ "schema.fontSize": "Yazı tipi kullanılırken: Metin yazı tipinin yüzdesi olarak yazı tipi boyutu. Ayarlanmamışsa varsayılan olarak yazı tipi tanımındaki boyutu alır.",
+ "schema.fontId": "Yazı tipi kullanılırken: Yazı tipinin kimliği. Ayarlanmamışsa varsayılan olarak ilk yazı tipi tanımını alır.",
+ "schema.light": "Açık renk temalarındaki dosya simgeleri için isteğe bağlı ilişkilendirmeler.",
+ "schema.highContrast": "Yüksek karşıtlıklı renk temalarındaki dosya simgeleri için isteğe bağlı ilişkilendirmeler.",
+ "schema.hidesExplorerArrows": "Bu tema etkinken dosya gezgini oklarının gizlenip gizlenmeyeceğini yapılandırır."
+ },
+ "vs/workbench/services/themes/browser/fileIconThemeData": {
+ "error.cannotparseicontheme": "Dosya simgeleri dosyası ayrıştırılırken sorunlar oluştu: {0}",
+ "error.invalidformat": "Dosya simgeleri tema dosyasının biçimi geçersiz: Nesne bekleniyor."
+ },
+ "vs/workbench/services/themes/common/colorThemeSchema": {
+ "schema.token.settings": "Belirteç için renkler ve stiller.",
+ "schema.token.foreground": "Belirteç için ön plan rengi.",
+ "schema.token.background.warning": "Belirteç arka plan renkleri şu anda desteklenmiyor.",
+ "schema.token.fontStyle": "Kuralın yazı tipi stili: 'italic', 'bold' veya 'underline' veya bunların bir bileşimi. Boş dize devralınan ayarları kaldırır.",
+ "schema.fontStyle.error": "Yazı tipi stili 'italic', 'bold', 'underline' veya bunların bir bileşimi ya da boş dize olmalıdır.",
+ "schema.token.fontStyle.none": "Hiçbiri (devralınan stili temizle)",
+ "schema.properties.name": "Kuralın açıklaması.",
+ "schema.properties.scope": "Bu kuralın eşleştiği kapsam seçici.",
+ "schema.workbenchColors": "Çalışma ekranındaki renkler",
+ "schema.tokenColors.path": "tmTheme dosyasının yolu (geçerli dosyaya göreli).",
+ "schema.colors": "Söz dizimi vurgulaması için renkler",
+ "schema.supportsSemanticHighlighting": "Bu tema için anlamsal vurgulamanın etkinleştirilmesi gerekip gerekmediğini belirtir.",
+ "schema.semanticTokenColors": "Anlamsal belirteçler için renkler"
+ },
+ "vs/workbench/services/themes/common/themeExtensionPoints": {
+ "vscode.extension.contributes.themes": "Textmate renk temalarına katkıda bulunur.",
+ "vscode.extension.contributes.themes.id": "Kullanıcı ayarlarında kullanılan renk temasının kimliği.",
+ "vscode.extension.contributes.themes.label": "Kullanıcı arabiriminde gösterildiği gibi renk temasının etiketi.",
+ "vscode.extension.contributes.themes.uiTheme": "Düzenleyici etrafındaki renkleri tanımlayan temel tema: 'vs' açık renk teması, 'vs-dark' koyu renk temasıdır. 'hc-black' koyu yüksek karşıtlıklı temadır.",
+ "vscode.extension.contributes.themes.path": "tmTheme dosyasının yolu. Yol, uzantı klasörüne görelidir ve genellikle './colorthemes/awesome-color-theme.json' biçimindedir.",
+ "vscode.extension.contributes.iconThemes": "Dosya simgesi temalarına katkıda bulunur.",
+ "vscode.extension.contributes.iconThemes.id": "Kullanıcı ayarlarında kullanılan dosya simgesi temasının kimliği.",
+ "vscode.extension.contributes.iconThemes.label": "Kullanıcı arabiriminde gösterildiği gibi dosya simgesi temasının etiketi.",
+ "vscode.extension.contributes.iconThemes.path": "Dosya simgesi temasının tanım dosyasının yolu. Yol, uzantı klasörüne görelidir ve genellikle './fileicons/awesome-icon-theme.json' biçimindedir.",
+ "vscode.extension.contributes.productIconThemes": "Ürün simgesi temalarına katkıda bulunur.",
+ "vscode.extension.contributes.productIconThemes.id": "Kullanıcı ayarlarında kullanılan ürün simgesi temasının kimliği.",
+ "vscode.extension.contributes.productIconThemes.label": "Kullanıcı arabiriminde gösterildiği gibi ürün simgesi temasının etiketi.",
+ "vscode.extension.contributes.productIconThemes.path": "Ürün simgesi temasının tanım dosyasının yolu. Yol, uzantı klasörüne görelidir ve genellikle './producticons/awesome-product-icon-theme.json' biçimindedir.",
+ "reqarray": "`{0}` uzantı noktası bir dizi olmalıdır.",
+ "reqpath": "`contributes.{0}.path` içinde dize bekleniyor. Sağlanan değer: {1}",
+ "reqid": "`contributes.{0}.id` içinde dize bekleniyor. Sağlanan değer: {1}",
+ "invalid.path.1": "`contributes.{0}.path` ({1}) öğesinin uzantının klasörüne ({2}) eklenmesi bekleniyor. Bu, uzantıyı taşınamaz hale getirebilir."
+ },
+ "vs/workbench/services/themes/common/themeConfiguration": {
+ "colorTheme": "Çalışma ekranında kullanılan renk temasını belirtir.",
+ "colorThemeError": "Tema bilinmiyor veya yüklü değil.",
+ "preferredDarkColorTheme": "`#{0}#` etkinleştirildiğinde koyu işletim sistemi görünümü için tercih edilen renk temasını belirtir.",
+ "preferredLightColorTheme": "`#{0}#` etkinleştirildiğinde açık işletim sistemi görünümü için tercih edilen renk temasını belirtir.",
+ "preferredHCColorTheme": "`#{0}#` etkinleştirildiğinde yüksek karşıtlıklı işletim sistemi görünümü için tercih edilen renk temasını belirtir.",
+ "detectColorScheme": "Ayarlanırsa, işletim sistemi görünümüne bağlı olarak tercih edilen renk temasına otomatik olarak geçiş yapın.",
+ "workbenchColors": "Şu anda seçili renk temasındaki renkleri geçersiz kılar.",
+ "iconTheme": "Çalışma ekranında kullanılan dosya simgesi temasını belirtir veya dosya simgelerini göstermemek için 'null' ifadesini belirtir.",
+ "noIconThemeLabel": "Yok",
+ "noIconThemeDesc": "Dosya simgesi yok",
+ "iconThemeError": "Dosya simgesi teması bilinmiyor veya yüklü değil.",
+ "productIconTheme": "Kullanılan ürün simgesi temasını belirtir.",
+ "defaultProductIconThemeLabel": "Varsayılan",
+ "defaultProductIconThemeDesc": "Varsayılan",
+ "productIconThemeError": "Ürün simgesi teması bilinmiyor veya yüklü değil.",
+ "autoDetectHighContrast": "Etkinleştirildiğinde işletim sistemi bir yüksek karşıtlık teması kullanıyorsa otomatik olarak yüksek karşıtlık temasına geçer.",
+ "editorColors.comments": "Açıklamaların renklerini ve stillerini ayarlar",
+ "editorColors.strings": "Dize sabit değerlerinin renklerini ve stillerini ayarlar.",
+ "editorColors.keywords": "Anahtar sözcüklerin renklerini ve stillerini ayarlar.",
+ "editorColors.numbers": "Sayı sabit değerlerinin renklerini ve stillerini ayarlar.",
+ "editorColors.types": "Tür bildirimlerinin ve başvurularının renklerini ve stillerini ayarlar.",
+ "editorColors.functions": "İşlev bildirimlerinin ve başvurularının renklerini ve stillerini ayarlar.",
+ "editorColors.variables": "Değişken bildirimlerinin ve başvurularının renklerini ve stillerini ayarlar.",
+ "editorColors.textMateRules": "TextMate tema oluşturma kurallarını kullanarak renkleri ve stilleri ayarlar (gelişmiş).",
+ "editorColors.semanticHighlighting": "Bu tema için anlamsal vurgulamanın etkinleştirilmesi gerekip gerekmediğini belirtir.",
+ "editorColors.semanticHighlighting.deprecationMessage": "Bunun yerine `editor.semanticTokenColorCustomizations` ayarında `enabled` kullanın.",
+ "editorColors.semanticHighlighting.deprecationMessageMarkdown": "Bunun yerine `#editor.semanticTokenColorCustomizations#` ayarında `enabled` kullanın.",
+ "editorColors": "Şu anda seçili renk temasındaki düzenleyici söz dizimi renklerini ve yazı tipi stilini geçersiz kılar.",
+ "editorColors.semanticHighlighting.enabled": "Bu tema için anlamsal vurgulamanın etkin mi yoksa devre dışı mı olduğunu belirtir",
+ "editorColors.semanticHighlighting.rules": "Bu tema için anlamsal belirteç stili oluşturma kuralları.",
+ "semanticTokenColors": "Şu anda seçili olan renk temasındaki düzenleyici anlamsal belirteci rengini ve stillerini geçersiz kılar.",
+ "editorColors.experimentalTokenStyling.deprecationMessage": "Bunun yerine `editor.semanticTokenColorCustomizations` kullanın.",
+ "editorColors.experimentalTokenStyling.deprecationMessageMarkdown": "Bunun yerine `#editor.semanticTokenColorCustomizations#` kullanın."
+ },
+ "vs/workbench/services/themes/browser/productIconThemeData": {
+ "error.parseicondefs": "{0} içindeki ürün simgesi tanımları işlenirken sorunlar oluştu:\r\n{1}",
+ "defaultTheme": "Varsayılan",
+ "error.cannotparseicontheme": "Ürün simgeleri dosyası ayrıştırılırken sorunlar oluştu: {0}",
+ "error.invalidformat": "Ürün simgeleri tema dosyasının biçimi geçersiz: Nesne bekleniyor.",
+ "error.missingProperties": "Ürün simgeleri tema dosyasının biçimi geçersiz: iconDefinitions ve yazı tipleri içermelidir.",
+ "error.fontWeight": "'{0}' yazı tipinde yazı tipi kalınlığı geçersiz. Ayar yoksayılıyor.",
+ "error.fontStyle": "'{0}' yazı tipinde yazı tipi stili geçersiz. Ayar yoksayılıyor.",
+ "error.fontId": "'{0}' yazı tipi kimliği eksik veya geçersiz. Yazı tipi tanımı atlanıyor.",
+ "error.icon.fontId": "'{0}' simge tanımı atlanıyor. Yazı tipi bilinmiyor.",
+ "error.icon.fontCharacter": "'{0}' simge tanımı atlanıyor. fontCharacter bilinmiyor."
+ },
+ "vs/workbench/services/themes/common/productIconThemeSchema": {
+ "schema.id": "Yazı tipinin türü.",
+ "schema.id.formatError": "Kimlik yalnızca harf, rakam, alt çizgi ve eksi işareti içermelidir.",
+ "schema.src": "Yazı tipinin konumu.",
+ "schema.font-path": "Geçerli ürün simgesi tema dosyasına göre yazı tipi yolu.",
+ "schema.font-format": "Yazı tipinin biçimi.",
+ "schema.font-weight": "Yazı tipinin kalınlığı. Geçerli değerler için bkz. https://developer.mozilla.org/en-US/docs/Web/CSS/font-weight.",
+ "schema.font-style": "Yazı tipinin stili. Geçerli değerler için bkz. https://developer.mozilla.org/en-US/docs/Web/CSS/font-style.",
+ "schema.iconDefinitions": "Simge adının bir yazı tipi karakteriyle ilişkilendirilmesi."
+ },
+ "vs/workbench/services/userDataSync/common/userDataSync": {
+ "settings": "Ayarlar",
+ "keybindings": "Klavye Kısayolları",
+ "snippets": "Kullanıcı Parçacıkları",
+ "extensions": "Uzantılar",
+ "ui state label": "UI Durumu",
+ "sync category": "Ayarları Eşitleme",
+ "syncViewIcon": "Ayarları eşitleme görünümünün simgesini görüntüleyin."
+ },
+ "vs/workbench/services/userDataSync/browser/userDataSyncWorkbenchService": {
+ "no authentication providers": "Kullanılabilecek kimlik doğrulama sağlayıcısı olmadığından ayarları eşitleme özelliği etkinleştirilemiyor.",
+ "no account": "Hesap yok",
+ "show log": "günlüğü göster",
+ "sync turned on": "{0} etkinleştirildi",
+ "sync in progress": "Ayarları Eşitleme özelliği etkinleştiriliyor. İptal etmek istiyor musunuz?",
+ "settings sync": "Ayarları Eşitleme",
+ "yes": "&&Evet",
+ "no": "&&Hayır",
+ "turning on": "Etkinleştiriliyor...",
+ "syncing resource": "{0} eşitleniyor...",
+ "conflicts detected": "Çakışmalar Algılandı",
+ "merge Manually": "El ile Birleştir...",
+ "resolve": "Çakışmalar nedeniyle birleştirilemiyor. Devam etmek için lütfen kendiniz birleştirin...",
+ "merge or replace": "Birleştir veya Değiştir",
+ "merge": "Birleştir",
+ "replace local": "Yerel Olanı Değiştir",
+ "cancel": "İptal",
+ "first time sync detail": "En son başka bir makineden eşitleme yapmışsınız.\r\nBuluttaki verilerinizle birleştirmek veya bunlarla değiştirmek istiyor musunuz?",
+ "reset": "Bu işlem, bulutta verilerinizi temizler ve tüm cihazlarınızda eşitlemeyi durdurur.",
+ "reset title": "Temizle",
+ "resetButton": "&&Sıfırla",
+ "choose account placeholder": "Hesap seçin",
+ "signed in": "Oturum açıldı",
+ "last used": "En Son Eşitleme İle Kullanıldı",
+ "others": "Diğer",
+ "sign in using account": "{0} ile oturum açın",
+ "successive auth failures": "Ayarları eşitleme özelliği, art arda yetkilendirme hataları nedeniyle askıya alındı. Eşitlemeye devam etmek için lütfen yeniden oturum açın",
+ "sign in": "Oturum aç"
+ },
+ "vs/workbench/services/views/browser/viewDescriptorService": {
+ "resetViewLocation": "Konumu Sıfırla"
+ },
+ "vs/workbench/services/workingCopy/common/workingCopyFileOperationParticipant": {
+ "msg-create": "'Dosya Oluşturma' katılımcıları çalıştırılıyor...",
+ "msg-rename": "'Dosya Yeniden Adlandırma' katılımcıları çalıştırılıyor...",
+ "msg-copy": "'Dosya Kopyalama' katılımcıları çalıştırılıyor...",
+ "msg-delete": "'Dosya Silme' katılımcıları çalıştırılıyor..."
+ },
+ "vs/workbench/services/workspaces/electron-sandbox/workspaceEditingService": {
+ "save": "Kaydet",
+ "doNotSave": "Kaydetme",
+ "cancel": "İptal",
+ "saveWorkspaceMessage": "Çalışma alanı yapılandırmanızı dosya olarak kaydetmek istiyor musunuz?",
+ "saveWorkspaceDetail": "Yeniden açmayı planlıyorsanız çalışma alanınızı kaydedin.",
+ "workspaceOpenedMessage": "'{0}' çalışma alanı kaydedilemiyor",
+ "ok": "Tamam",
+ "workspaceOpenedDetail": "Çalışma alanı zaten başka bir pencerede açılmış. Lütfen ilk olarak o pencereyi kapatın ve tekrar deneyin."
+ },
+ "vs/workbench/services/workspaces/browser/abstractWorkspaceEditingService": {
+ "save": "Kaydet",
+ "saveWorkspace": "Çalışma Alanını kaydet",
+ "errorInvalidTaskConfiguration": "Çalışma alanı yapılandırma dosyasına yazılamıyor. Lütfen hatalarını/uyarılarını düzeltmek için dosyayı açın ve yeniden deneyin.",
+ "errorWorkspaceConfigurationFileDirty": "Değişmiş olduğundan çalışma alanı yapılandırma dosyasına yazılamadı. Lütfen dosyayı kaydedin ve yeniden deneyin.",
+ "openWorkspaceConfigurationFile": "Çalışma Alanı Yapılandırmasını Aç"
+ },
+ "vs/base/common/date": {
+ "date.fromNow.in": "{0} içinde",
+ "date.fromNow.now": "şimdi",
+ "date.fromNow.seconds.singular.ago": "{0} saniye önce",
+ "date.fromNow.seconds.plural.ago": "{0} saniye önce",
+ "date.fromNow.seconds.singular": "{0} saniye",
+ "date.fromNow.seconds.plural": "{0} saniye",
+ "date.fromNow.minutes.singular.ago": "{0} dakika önce",
+ "date.fromNow.minutes.plural.ago": "{0} dakika önce",
+ "date.fromNow.minutes.singular": "{0} dakika",
+ "date.fromNow.minutes.plural": "{0} dakika",
+ "date.fromNow.hours.singular.ago": "{0} saat önce",
+ "date.fromNow.hours.plural.ago": "{0} saat önce",
+ "date.fromNow.hours.singular": "{0} saat",
+ "date.fromNow.hours.plural": "{0} saat",
+ "date.fromNow.days.singular.ago": "{0} gün önce",
+ "date.fromNow.days.plural.ago": "{0} gün önce",
+ "date.fromNow.days.singular": "{0} gün",
+ "date.fromNow.days.plural": "{0} gün",
+ "date.fromNow.weeks.singular.ago": "{0} hafta önce",
+ "date.fromNow.weeks.plural.ago": "{0} hafta önce",
+ "date.fromNow.weeks.singular": "{0} hafta",
+ "date.fromNow.weeks.plural": "{0} hafta",
+ "date.fromNow.months.singular.ago": "{0} ay önce",
+ "date.fromNow.months.plural.ago": "{0} ay önce",
+ "date.fromNow.months.singular": "{0} ay",
+ "date.fromNow.months.plural": "{0} ay",
+ "date.fromNow.years.singular.ago": "{0} yıl önce",
+ "date.fromNow.years.plural.ago": "{0} yıl önce",
+ "date.fromNow.years.singular": "{0} yıl",
+ "date.fromNow.years.plural": "{0} yıl"
+ },
+ "vs/base/common/codicons": {
+ "dropDownButton": "Açılır düğmelerin simgesi."
+ },
+ "vs/base/common/actions": {
+ "submenu.empty": "(boş)"
+ },
+ "vs/base/node/processes": {
+ "TaskRunner.UNC": "UNC sürücüsü üzerinde kabuk komutu yürütülemez."
+ },
+ "vs/base/common/errorMessage": {
+ "stackTrace.format": "{0}: {1}",
+ "nodeExceptionMessage": "Sistem hatası oluştu ({0})",
+ "error.defaultMessage": "Beklenmeyen bir hata oluştu. Daha fazla ayrıntı için lütfen günlüğe bakın.",
+ "error.moreErrors": "{0} (toplam {1} hata)"
+ },
+ "vs/base/node/zip": {
+ "invalid file": "{0} ayıklanırken hata oluştu. Geçersiz dosya.",
+ "incompleteExtract": "Eksik {1} girişten {0} tanesi bulundu",
+ "notFound": "{0}, ZIP içinde bulunamadı."
+ },
+ "vs/base/browser/ui/dialog/dialog": {
+ "ok": "Tamam",
+ "dialogInfoMessage": "Bilgi",
+ "dialogErrorMessage": "Hata",
+ "dialogWarningMessage": "Uyarı",
+ "dialogPendingMessage": "Sürüyor",
+ "dialogClose": "İletişim Kutusunu Kapat"
+ },
+ "vs/base/browser/ui/actionbar/actionViewItems": {
+ "titleLabel": "{0} ({1})"
+ },
+ "vs/base/browser/ui/keybindingLabel/keybindingLabel": {
+ "unbound": "Sınırsız"
+ },
+ "vs/base/browser/ui/menu/menubar": {
+ "mAppMenu": "Uygulama Menüsü",
+ "mMore": "Diğer"
+ },
+ "vs/base/browser/ui/menu/menu": {
+ "titleLabel": "{0} ({1})"
+ },
+ "vs/base/common/jsonErrorMessages": {
+ "error.invalidSymbol": "Geçersiz sembol",
+ "error.invalidNumberFormat": "Geçersiz sayı biçimi",
+ "error.propertyNameExpected": "Özellik adı bekleniyor",
+ "error.valueExpected": "Değer bekleniyor",
+ "error.colonExpected": "İki nokta üst üste bekleniyor",
+ "error.commaExpected": "Virgül bekleniyor",
+ "error.closeBraceExpected": "Kapatma küme ayracı bekleniyor",
+ "error.closeBracketExpected": "Kapatma köşeli ayracı bekleniyor",
+ "error.endOfFileExpected": "Dosya sonu bekleniyor"
+ },
+ "vs/base/common/keybindingLabels": {
+ "ctrlKey": "Ctrl",
+ "shiftKey": "Shift",
+ "altKey": "Alt",
+ "windowsKey": "Windows",
+ "superKey": "Super",
+ "ctrlKey.long": "Control",
+ "shiftKey.long": "Shift",
+ "altKey.long": "Alt",
+ "cmdKey.long": "Command",
+ "windowsKey.long": "Windows",
+ "superKey.long": "Super"
+ },
+ "vs/base/browser/ui/tree/abstractTree": {
+ "clear": "Temizle",
+ "disable filter on type": "Türe Göre Filtrelemeyi Devre Dışı Bırak",
+ "enable filter on type": "Türe Göre Filtrelemeyi Etkinleştir",
+ "empty": "Öğe bulunamadı",
+ "found": "{1} öğeden {0} tanesi eşleşti"
+ },
+ "vs/base/browser/ui/tree/treeDefaults": {
+ "collapse all": "Tümünü Daralt"
+ },
+ "vs/base/browser/ui/toolbar/toolbar": {
+ "moreActions": "Diğer Eylemler..."
+ },
+ "vs/base/browser/ui/splitview/paneview": {
+ "viewSection": "{0} Bölüm"
+ },
+ "vs/base/browser/ui/inputbox/inputBox": {
+ "alertErrorMessage": "Hata: {0}",
+ "alertWarningMessage": "Uyarı: {0}",
+ "alertInfoMessage": "Bilgi: {0}"
+ },
+ "vs/base/parts/quickinput/browser/quickInput": {
+ "backButtonIcon": "Hızlı giriş iletişim kutusundaki geri düğmesinin simgesi.",
+ "quickInput.back": "Geri",
+ "quickInput.steps": "{0}/{1}",
+ "quickInputBox.ariaLabel": "Sonuçları daraltmak için yazın.",
+ "inputModeEntry": "Girişinizi onaylamak için 'Enter' tuşuna, iptal etmek için 'Escape' tuşuna basın",
+ "inputModeEntryDescription": "{0} (Onaylamak için 'Enter' tuşuna, iptal etmek için 'Escape' tuşuna basın)",
+ "quickInput.visibleCount": "{0} Sonuç",
+ "quickInput.countSelected": "{0} Seçili",
+ "ok": "Tamam",
+ "custom": "Özel",
+ "quickInput.backWithKeybinding": "Geri ({0})"
+ },
+ "vs/base/browser/ui/findinput/findInput": {
+ "defaultLabel": "giriş"
+ },
+ "vs/base/browser/ui/findinput/replaceInput": {
+ "defaultLabel": "giriş",
+ "label.preserveCaseCheckbox": "Büyük/Küçük Harfi Koru"
+ },
+ "vs/base/browser/ui/findinput/findInputCheckboxes": {
+ "caseDescription": "Büyük/Küçük Harf Eşleştir",
+ "wordsDescription": "Sözcüğün Tamamını Eşleştir",
+ "regexDescription": "Normal İfade Kullan"
+ },
+ "vs/base/parts/quickinput/browser/quickInputList": {
+ "quickInput": "Hızlı Giriş"
+ },
+ "vs/base/browser/ui/selectBox/selectBoxCustom": {
+ "selectBox": "Kutu Seç"
+ },
+ "vs/editor/browser/editorExtensions": {
+ "miUndo": "&&Geri Al",
+ "undo": "Geri Al",
+ "miRedo": "&&Yinele",
+ "redo": "Yinele",
+ "miSelectAll": "&&Tümünü Seç",
+ "selectAll": "Tümünü Seç"
+ },
+ "vs/editor/common/modes/modesRegistry": {
+ "plainText.alias": "Düz Metin"
+ },
+ "vs/editor/common/config/editorOptions": {
+ "accessibilitySupport.auto": "Düzenleyici, bir Ekran Okuyucunun ekli olduğunu algılamak için platform API'lerini kullanır.",
+ "accessibilitySupport.on": "Düzenleyici, Ekran Okuyucuyla kullanım için kalıcı olarak iyileştirilir. Sözcük kaydırma devre dışı bırakılacak.",
+ "accessibilitySupport.off": "Düzenleyici hiçbir zaman bir Ekran Okuyucu ile kullanım için iyileştirilmez.",
+ "accessibilitySupport": "Düzenleyicinin ekran okuyucular için iyileştirilmiş bir modda çalışıp çalışmayacağını denetler. Açık olarak ayarlamak, sözcük kaydırmayı devre dışı bırakır.",
+ "comments.insertSpace": "Açıklama yazılırken bir boşluk karakteri eklenip eklenmeyeceğini denetler.",
+ "comments.ignoreEmptyLines": "Satır açıklamaları için açma/kapama, ekleme veya kaldırma eylemlerinde boş satırların yoksayılıp yoksayılmayacağını denetler.",
+ "emptySelectionClipboard": "Seçmeden kopyalamanın geçerli satırı mı kopyalayacağını denetler.",
+ "find.cursorMoveOnType": "Yazma sırasında imlecin eşleşme bulmak için atlayıp atlamayacağını denetler.",
+ "find.seedSearchStringFromSelection": "Bulma Pencere Öğesi içindeki arama dizesinin düzenleyici seçiminden alınıp alınmayacağını denetler.",
+ "editor.find.autoFindInSelection.never": "Seçimde bulmayı hiçbir zaman otomatik olarak açma (varsayılan)",
+ "editor.find.autoFindInSelection.always": "Seçimde bul'u her zaman otomatik olarak aç",
+ "editor.find.autoFindInSelection.multiline": "Birden çok içerik satırı seçildiğinde Seçimde bul'u otomatik olarak aç.",
+ "find.autoFindInSelection": "Seçimde bulmayı otomatik olarak açmak için koşulu denetler.",
+ "find.globalFindClipboard": "Bulma Pencere Öğesinin macOS'te paylaşılan bulma panosunu okuyup okumayacağını denetler.",
+ "find.addExtraSpaceOnTop": "Bulma Pencere Öğesinin düzenleyicinin en üstüne ek satırlar ekleyip eklemeyeceğini denetler. Değeri true olduğunda, Bulma Pencere Öğesi görünürken ekranı ilk satırın ötesine kaydırabilirsiniz.",
+ "find.loop": "Daha fazla eşleşme bulunamazsa aramanın baştan (veya sondan) otomatik olarak yeniden başlatılmasını denetler.",
+ "fontLigatures": "Yazı tipi ligatürleri ('calt' ve 'liga' yazı tipi özellikleri) etkinleştirir/devre dışı bırakır. 'font-feature-settings' CSS özelliğinin ayrıntılı denetimi için bunu bir dizeye çevirin.",
+ "fontFeatureSettings": "Açık 'font-feature-settings' CSS özelliği. Yalnızca ligatürlerin açılması/kapatılması gerekiyorsa bunun yerine bir boole geçirilebilir.",
+ "fontLigaturesGeneral": "Yazı tipi ligatürleri veya yazı tipi özelliklerini yapılandırır. Ligatürleri etkinleştirmek/devre dışı bırakmak için boole veya CSS 'font-feature-settings' özelliğinin değeri için dize olabilir.",
+ "fontSize": "Piksel cinsinden yazı tipi boyutunu denetler.",
+ "fontWeightErrorMessage": "Yalnızca \"normal\" ve \"bold\" anahtar sözcükleri veya 1 ile 1000 arasında sayılar kullanılabilir.",
+ "fontWeight": "Yazı tipi kalınlığını denetler. \"normal\" ve \"bold\" anahtar sözcüklerini ya da 1 ile 1000 arasında sayıları kabul eder.",
+ "editor.gotoLocation.multiple.peek": "Sonuçların göz atma görünümünü göster (varsayılan)",
+ "editor.gotoLocation.multiple.gotoAndPeek": "Birincil sonuca git ve göz atma görünümü göster",
+ "editor.gotoLocation.multiple.goto": "Birincil sonuca git ve diğerlerinde göz atmasız gezintiyi etkinleştir",
+ "editor.gotoLocation.multiple.deprecated": "Bu ayar kullanım dışı. Bunun yerine lütfen 'editor.editor.gotoLocation.multipleDefinitions' veya 'editor.editor.gotoLocation.multipleImplementations' gibi ayrı ayarları kullanın.",
+ "editor.editor.gotoLocation.multipleDefinitions": "Birden çok hedef konum mevcut olduğunda 'Tanıma Git' komutunun davranışını denetler.",
+ "editor.editor.gotoLocation.multipleTypeDefinitions": "Birden çok hedef konum mevcut olduğunda 'Tür Tanımına Git' komutunun davranışını denetler.",
+ "editor.editor.gotoLocation.multipleDeclarations": "Birden çok hedef konum mevcut olduğunda 'Bildirime Git' komutunun davranışını denetler.",
+ "editor.editor.gotoLocation.multipleImplemenattions": "Birden çok hedef konum mevcut olduğunda 'Uygulamaya Git' komutunun davranışını denetler.",
+ "editor.editor.gotoLocation.multipleReferences": "Birden çok hedef konum mevcut olduğunda 'Başvurulara Git' komutunun davranışını denetler.",
+ "alternativeDefinitionCommand": "'Tanıma Git' işleminin sonucu geçerli konum olduğunda yürütülmekte olan alternatif komutun kimliği.",
+ "alternativeTypeDefinitionCommand": "'Tür Tanımına Git' işleminin sonucu geçerli konum olduğunda yürütülmekte olan alternatif komutun kimliği.",
+ "alternativeDeclarationCommand": "'Bildirime Git' işleminin sonucu geçerli konum olduğunda yürütülmekte olan alternatif komutun kimliği.",
+ "alternativeImplementationCommand": "'Uygulamaya Git' işleminin sonucu geçerli konum olduğunda yürütülmekte olan alternatif komutun kimliği.",
+ "alternativeReferenceCommand": "'Başvuruya Git' işleminin sonucu geçerli konum olduğunda yürütülmekte olan alternatif komutun kimliği.",
+ "hover.enabled": "Vurgulamanın gösterilip gösterilmeyeceğini denetler.",
+ "hover.delay": "Sonrasında üzerinde gezinmenin gösterileceği milisaniye cinsinden gecikmeyi denetler.",
+ "hover.sticky": "Fare ile üzerine gelindiğinde vurgulamanın görünür kalıp kalmayacağını denetler.",
+ "codeActions": "Düzenleyicide kod eylemi ampulünü etkinleştirir.",
+ "lineHeight": "Satır yüksekliğini denetler. Satır yüksekliğini yazı tipi boyutundan hesaplamak için 0 kullanın.",
+ "minimap.enabled": "Mini haritanın gösterilip gösterilmeyeceğini denetler.",
+ "minimap.size.proportional": "Mini harita, düzenleyici içeriğiyle aynı boyuta sahip olur (ve kaydırılabilir).",
+ "minimap.size.fill": "Mini harita, düzenleyicinin yüksekliğini doldurmak için gerektiği gibi genişler veya daralır (kaydırma yoktur).",
+ "minimap.size.fit": "Mini harita, hiçbir zaman düzenleyiciden daha büyük olmamak için gerektiği kadar daralır (kaydırma yoktur).",
+ "minimap.size": "Mini haritanın boyutunu denetler.",
+ "minimap.side": "Mini haritanın oluşturulacağı tarafı denetler.",
+ "minimap.showSlider": "Mini harita kaydırıcısının ne zaman gösterileceğini denetler.",
+ "minimap.scale": "Mini harita içinde çizilen içeriğin ölçeği: 1, 2 veya 3.",
+ "minimap.renderCharacters": "Satırdaki renk blokları yerine gerçek karakterleri işleyin.",
+ "minimap.maxColumn": "Mini haritanın genişliğini belirli sayıda sütuna kadar işlenecek şekilde sınırlayın.",
+ "padding.top": "Düzenleyicinin üst kenarı ile ilk satır arasındaki boşluk miktarını denetler.",
+ "padding.bottom": "Düzenleyicinin alt kenarı ile son satır arasındaki boşluk miktarını denetler.",
+ "parameterHints.enabled": "Yazma sırasında parametre belgelerini ve tür bilgilerini gösteren bir açılır pencereyi etkinleştirir.",
+ "parameterHints.cycle": "Parametre ipuçları menüsünde listenin sonuna ulaşıldığında menünün başına dönülmesi veya kapatılması tercihini denetler.",
+ "quickSuggestions.strings": "Dizelerin içinde hızlı önerileri etkinleştirin.",
+ "quickSuggestions.comments": "Açıklamaların içinde hızlı önerileri etkinleştirin.",
+ "quickSuggestions.other": "Dizelerin ve açıklamaların dışında hızlı önerileri etkinleştirin.",
+ "quickSuggestions": "Yazma sırasında önerilerin otomatik olarak gösterilip gösterilmeyeceğini denetler.",
+ "lineNumbers.off": "Satır numaraları işlenmez.",
+ "lineNumbers.on": "Satır numaraları mutlak sayı olarak oluşturulur.",
+ "lineNumbers.relative": "Satır numaraları imlecin bulunduğu konuma satır cinsinden uzaklık olarak oluşturulur.",
+ "lineNumbers.interval": "Satır numaraları 10 satırda bir işlenir.",
+ "lineNumbers": "Satır numaralarının görüntülenmesini denetler.",
+ "rulers.size": "Bu düzenleyici cetvelinin oluşturulacağı tek aralıklı karakter sayısı.",
+ "rulers.color": "Bu düzenleyici cetvelinin rengi.",
+ "rulers": "Dikey cetvelleri belirli sayıda tek aralıklı karakterden sonra işleyin. Birden çok cetvel için birden çok değer kullanın. Dizi boşsa cetvel çizilmez.",
+ "suggest.insertMode.insert": "Öneriyi imlecin sağındaki metnin üzerine yazmadan ekle.",
+ "suggest.insertMode.replace": "Öneriyi ekle ve imlecin sağındaki metnin üzerine yaz.",
+ "suggest.insertMode": "Tamamlamalar kabul edilirken sözcüklerin üzerine yazılıp yazılmadığını denetler. Bunun bu özelliği kullanmayı kabul eden uzantılara bağlı olduğunu unutmayın.",
+ "suggest.filterGraceful": "Küçük yazım hatalarının nedeninin filtreleme ve sıralama önerileri olup olmadığını denetler.",
+ "suggest.localityBonus": "Sıralamanın imlecin yakındaki sözcüklere öncelik verip vermeyeceğini denetler.",
+ "suggest.shareSuggestSelections": "Hatırlanan öneri seçimlerinin birden çok çalışma alanı ve pencere arasında paylaşılıp paylaşılmayacağını denetler (`#editor.suggestSelection#` gerekir).",
+ "suggest.snippetsPreventQuickSuggestions": "Etkin bir kod parçacığının hızlı önerilere engel olup olmayacağını denetler.",
+ "suggest.showIcons": "Önerilerde simge gösterme veya gizlemeyi denetler.",
+ "suggest.showStatusBar": "Önerilen pencere öğesinin en altındaki durum çubuğunun görünürlüğünü denetler.",
+ "suggest.showInlineDetails": "Öneri ayrıntılarının, etiketle satır içi olarak mı, yoksa yalnızca ayrıntılar pencere öğesinde mi gösterileceğini denetler",
+ "suggest.maxVisibleSuggestions.dep": "Bu ayar kullanım dışı bırakıldı. Öneri pencere öğesi artık yeniden boyutlandırılabilir.",
+ "deprecated": "Bu ayar kullanım dışı. Bunun yerine lütfen 'editor.suggest.showKeywords' veya 'editor.suggest.showSnippets' gibi ayrı ayarları kullanın.",
+ "editor.suggest.showMethods": "Etkinleştirildiğinde, IntelliSense 'method' önerilerini gösterir.",
+ "editor.suggest.showFunctions": "Etkinleştirildiğinde, IntelliSense 'function' önerilerini gösterir.",
+ "editor.suggest.showConstructors": "Etkinleştirildiğinde, IntelliSense 'constructor' önerilerini gösterir.",
+ "editor.suggest.showFields": "Etkinleştirildiğinde, IntelliSense 'field' önerilerini gösterir.",
+ "editor.suggest.showVariables": "Etkinleştirildiğinde, IntelliSense 'variable' önerilerini gösterir.",
+ "editor.suggest.showClasss": "Etkinleştirildiğinde, IntelliSense 'class' önerilerini gösterir.",
+ "editor.suggest.showStructs": "Etkinleştirildiğinde, IntelliSense 'struct' önerilerini gösterir.",
+ "editor.suggest.showInterfaces": "Etkinleştirildiğinde, IntelliSense 'interface' önerilerini gösterir.",
+ "editor.suggest.showModules": "Etkinleştirildiğinde, IntelliSense 'module' önerilerini gösterir.",
+ "editor.suggest.showPropertys": "Etkinleştirildiğinde, IntelliSense 'property' önerilerini gösterir.",
+ "editor.suggest.showEvents": "Etkinleştirildiğinde, IntelliSense 'event' önerilerini gösterir.",
+ "editor.suggest.showOperators": "Etkinleştirildiğinde, IntelliSense 'operator' önerilerini gösterir.",
+ "editor.suggest.showUnits": "Etkinleştirildiğinde, IntelliSense 'unit' önerilerini gösterir.",
+ "editor.suggest.showValues": "Etkinleştirildiğinde, IntelliSense 'value' önerilerini gösterir.",
+ "editor.suggest.showConstants": "Etkinleştirildiğinde, IntelliSense 'constant' önerilerini gösterir.",
+ "editor.suggest.showEnums": "Etkinleştirildiğinde, IntelliSense 'enum' önerilerini gösterir.",
+ "editor.suggest.showEnumMembers": "Etkinleştirildiğinde, IntelliSense 'enumMember' önerilerini gösterir.",
+ "editor.suggest.showKeywords": "Etkinleştirildiğinde, IntelliSense 'keyword' önerilerini gösterir.",
+ "editor.suggest.showTexts": "Etkinleştirildiğinde, IntelliSense 'text' önerilerini gösterir.",
+ "editor.suggest.showColors": "Etkinleştirildiğinde, IntelliSense 'color' önerilerini gösterir.",
+ "editor.suggest.showFiles": "Etkinleştirildiğinde, IntelliSense 'file' önerilerini gösterir.",
+ "editor.suggest.showReferences": "Etkinleştirildiğinde, IntelliSense 'reference' önerilerini gösterir.",
+ "editor.suggest.showCustomcolors": "Etkinleştirildiğinde, IntelliSense 'customcolor' önerilerini gösterir.",
+ "editor.suggest.showFolders": "Etkinleştirildiğinde, IntelliSense 'folder' önerilerini gösterir.",
+ "editor.suggest.showTypeParameters": "Etkinleştirildiğinde, IntelliSense 'typeParameter' önerilerini gösterir.",
+ "editor.suggest.showSnippets": "Etkinleştirildiğinde, IntelliSense 'snippet' önerilerini gösterir.",
+ "editor.suggest.showUsers": "Etkinleştirildiğinde, IntelliSense 'user' önerilerini gösterir.",
+ "editor.suggest.showIssues": "Etkinleştirildiğinde, IntelliSense 'issues' önerilerini gösterir.",
+ "selectLeadingAndTrailingWhitespace": "Öndeki ve sondaki boşlukların her zaman seçilip seçilmeyeceği.",
+ "acceptSuggestionOnCommitCharacter": "İşleme karakterleri girildiğinde önerilerin kabul edilip edilmeyeceğini denetler. Örneğin, JavaScript'de noktalı virgül (';'), bir öneriyi kabul eden ve bu karakteri yazan bir işleme karakteri olabilir.",
+ "acceptSuggestionOnEnterSmart": "Bir öneriyi yalnızca metin değişikliği yaptığında `Enter` ile kabul edin.",
+ "acceptSuggestionOnEnter": "'Tab' tuşuna ek olarak 'Enter' tuşu girildiğinde de önerilerin kabul edilip edilmeyeceğini denetler. Yeni satırlar ekleme ile önerileri kabul etme arasındaki belirsizlikten kaçınılmasını sağlar.",
+ "accessibilityPageSize": "Düzenleyicideki bir ekran okuyucusu tarafından okunabilecek satır sayısını denetler. Uyarı: Varsayılandan daha büyük değerlerde bu ayarın performans üzerinde etkisi olur.",
+ "editorViewAccessibleLabel": "Düzenleyici içeriği",
+ "editor.autoClosingBrackets.languageDefined": "Köşeli ayraçların ne zaman otomatik kapatılacağını belirlemek için dil yapılandırmalarını kullan.",
+ "editor.autoClosingBrackets.beforeWhitespace": "Köşeli ayraçları yalnızca imleç boşluğun sol tarafında olduğunda otomatik kapat.",
+ "autoClosingBrackets": "Kullanıcı açma ayracı eklediğinde, düzenleyicinin ayracı otomatik olarak kapatıp kapatmayacağını denetler.",
+ "editor.autoClosingOvertype.auto": "Kapatma tırnak işaretlerinin veya köşeli ayraçlarının üzerine yalnızca bunlar otomatik olarak eklendiyse yaz.",
+ "autoClosingOvertype": "Düzenleyicinin kapatma tırnaklarının veya ayraçlarının üzerine yazıp yazmayacağını denetler.",
+ "editor.autoClosingQuotes.languageDefined": "Tekliflerin ne zaman otomatik kapatılacağını belirlemek için dil yapılandırmalarını kullan.",
+ "editor.autoClosingQuotes.beforeWhitespace": "Tırnak işaretlerini yalnızca imleç boşluğun sol tarafında olduğunda otomatik kapat.",
+ "autoClosingQuotes": "Kullanıcı bir açma tırnağı eklediğinde, düzenleyicinin tırnağı otomatik olarak kapatıp kapatmayacağını denetler.",
+ "editor.autoIndent.none": "Düzenleyici otomatik olarak girinti eklemez.",
+ "editor.autoIndent.keep": "Düzenleyici geçerli satırın girintisini korur.",
+ "editor.autoIndent.brackets": "Düzenleyici geçerli satırın girintisini korur ve dilde tanımlanan ayraçlara uyar.",
+ "editor.autoIndent.advanced": "Düzenleyici geçerli satırın girintisini korur, dilde tanımlanan ayraçlara uyar ve dilde tanımlanan özel onEnterRules'u çağırır.",
+ "editor.autoIndent.full": "Düzenleyici geçerli satırın girintisini korur, dilde tanımlanan ayraçlara uyar, dilde tanımlanan özel onEnterRules'u çağırır ve dilde tanımlanan indentationRules'a uyar.",
+ "autoIndent": "Kullanıcı satır yazarken, yapıştırırken, taşırken veya girintilerken düzenleyicinin girintiyi otomatik olarak ayarlayıp ayarlayamayacağını denetler.",
+ "editor.autoSurround.languageDefined": "Seçimlerin ne zaman otomatik çevreleneceğini belirlemek için dil yapılandırmalarını kullan.",
+ "editor.autoSurround.quotes": "Köşeli ayraçlarla değil tırnak işaretleriyle çevrele.",
+ "editor.autoSurround.brackets": "Tırnak işaretleriyle değil köşeli ayraçlarla çevrele.",
+ "autoSurround": "Düzenleyicinin, tırnak işaretleri veya parantezler yazarken seçimleri otomatik olarak çevreleyip çevrelemeyeceğini denetler.",
+ "stickyTabStops": "Girintileme için boşluklar kullanılırken sekme karakterlerinin seçim davranışının benzetimini yap. Seçim, sekme duraklarına göre uygulanır.",
+ "codeLens": "Düzenleyicinin CodeLens'i gösterip göstermediğini denetler.",
+ "codeLensFontFamily": "CodeLens için yazı tipi ailesini denetler.",
+ "codeLensFontSize": "CodeLens için piksel cinsinden yazı tipi boyutunu denetler. `0` olarak ayarlandığında, `#editor.fontSize#` değerinin %90'ı kullanılır.",
+ "colorDecorators": "Düzenleyicinin satır içi renk dekoratörlerini ve renk seçiciyi işleyip işlemeyeceğini denetler.",
+ "columnSelection": "Farenin ve tuşların seçiminin sütun seçimi yapmasını etkinleştir.",
+ "copyWithSyntaxHighlighting": "Söz dizimi vurgulamasının panoya kopyalanıp kopyalanmayacağını denetler.",
+ "cursorBlinking": "İmleç animasyon stilini denetler.",
+ "cursorSmoothCaretAnimation": "Düzgün giriş işareti animasyonunun etkinleştirilip etkinleştirilmeyeceğini denetler.",
+ "cursorStyle": "İmleç stilini denetler.",
+ "cursorSurroundingLines": "İmlecin çevresindeki görünür önceki ve sondaki satırların minimum sayısını denetler. Diğer düzenleyicilerde 'scrollOff' veya 'scrollOffset' olarak bilinir.",
+ "cursorSurroundingLinesStyle.default": "`cursorSurroundingLines` yalnızca klavye veya API aracılığıyla tetiklendiğinde uygulanır.",
+ "cursorSurroundingLinesStyle.all": "`cursorSurroundingLines` her zaman uygulanır.",
+ "cursorSurroundingLinesStyle": "`cursorSurroundingLines` değerinin ne zaman uygulanacağını denetler.",
+ "cursorWidth": "`#editor.cursorStyle#` `line` olarak ayarlandığında imlecin genişliğini denetler.",
+ "dragAndDrop": "Düzenleyicinin seçimlerin sürükleme ve bırakma yoluyla taşınmasına izin verip vermeyeceğini denetler.",
+ "fastScrollSensitivity": "`Alt` tuşuna basılırken kaydırma hızı çarpanı.",
+ "folding": "Düzenleyicide kod katlamanın etkin olup olmayacağını denetler.",
+ "foldingStrategy.auto": "Varsa dile özgü bir katlama stratejisi; aksi takdirde girinti tabanlı bir katlama stratejisi kullan.",
+ "foldingStrategy.indentation": "Girinti tabanlı katlama stratejisini kullan.",
+ "foldingStrategy": "Katlama aralıklarını hesaplama stratejisini denetler.",
+ "foldingHighlight": "Düzenleyicinin katlanmış aralıkları vurgulayıp vurgulamayacağını denetler.",
+ "unfoldOnClickAfterEndOfLine": "Katlanmış bir satırdan sonraki boş içeriğe tıklamanın katlamayı açıp açmayacağını denetler.",
+ "fontFamily": "Yazı tipi ailesini denetler.",
+ "formatOnPaste": "Düzenleyicinin yapıştırılan içeriği otomatik olarak biçimlendirip biçimlendirmeyeceğini denetler. Bir biçimlendirici kullanılabilir olmalı ve belgedeki bir aralığı biçimlendirebilmelidir.",
+ "formatOnType": "Düzenleyicinin yazıldıktan sonra satırı otomatik olarak biçimlendirip biçimlendirmeyeceğini denetler.",
+ "glyphMargin": "Düzenleyicinin dikey karakter kenar boşluğunu işlemesi gerekip gerekmediğini denetler. Karakter kenar boşluğu çoğunlukla hata ayıklama için kullanılır.",
+ "hideCursorInOverviewRuler": "İmlecin genel bakış cetvelinde gizlenip gizlenmeyeceğini denetler.",
+ "highlightActiveIndentGuide": "Düzenleyicinin etkin girinti kılavuzunu vurgulayıp vurgulamayacağını denetler.",
+ "letterSpacing": "Piksel cinsinden harf aralığını denetler.",
+ "linkedEditing": "Düzenleyicide bağlı düzenlemenin etkin olup olmadığını denetler. İlgili semboller (ör. HTML etiketleri) düzenleme sırasında dile bağlı olarak güncelleştirilir.",
+ "links": "Düzenleyicinin bağlantıları algılayıp tıklanabilir yapıp yapmayacağını denetler.",
+ "matchBrackets": "Eşleşen ayraçları vurgula.",
+ "mouseWheelScrollSensitivity": "Fare tekerleği kaydırma olaylarının 'deltaX' ve 'deltaY' değerleri üzerinde kullanılacak çarpan.",
+ "mouseWheelZoom": "`Ctrl` tuşuna basarken fare tekerleği kullanıldığında düzenleyicinin yazı tipini yakınlaştırın.",
+ "multiCursorMergeOverlapping": "Örtüşen birden çok imleci birleştirin.",
+ "multiCursorModifier.ctrlCmd": "Windows ve Linux'ta `Control`, macOS'te `Command` tuşuna eşlenir.",
+ "multiCursorModifier.alt": "Windows ve Linux'ta `Alt`, macOS'te `Option` tuşuna eşlenir.",
+ "multiCursorModifier": "Fareyle birden çok imleç eklemek için kullanılan değiştirici. Tanıma Git ve Bağlantıyı Aç fare hareketleri, çok imleçli değiştirici ile çakışmayacak şekilde uyarlanır. [Daha fazla bilgi](https://code.visualstudio.com/docs/editor/codebasics#_multicursor-modifier).",
+ "multiCursorPaste.spread": "Her imleç metnin tek bir satırını yapıştırır.",
+ "multiCursorPaste.full": "Her imleç metnin tamamını yapıştırır.",
+ "multiCursorPaste": "Yapıştırılan metnin satır sayısı imleç sayısıyla eşleştiğinde yapıştırmayı denetler.",
+ "occurrencesHighlight": "Düzenleyicinin anlamsal sembol oluşumlarını vurgulayıp vurgulamayacağını denetler.",
+ "overviewRulerBorder": "Genel bakış cetveli etrafına kenarlık çizilip çizilmeyeceğini denetler.",
+ "peekWidgetDefaultFocus.tree": "Göz atmayı açarken ağacı odakla",
+ "peekWidgetDefaultFocus.editor": "Göz atmayı açarken düzenleyiciyi odakla",
+ "peekWidgetDefaultFocus": "Satır içi düzenleyicinin veya ağacın göz atma pencere öğesine odaklanıp odaklanmayacağını denetler.",
+ "definitionLinkOpensInPeek": "Tanıma Git fare hareketinin her zaman göz atma pencere öğesini açıp açmayacağını denetler.",
+ "quickSuggestionsDelay": "Sonrasında hızlı önerilerin gösterileceği milisaniye cinsinden gecikmeyi denetler.",
+ "renameOnType": "Düzenleyicinin türe göre otomatik olarak yeniden adlandırıp adlandırmayacağını denetler.",
+ "renameOnTypeDeprecate": "Kullanım dışı, bunun yerine `editor.linkedEditing` kullanın.",
+ "renderControlCharacters": "Düzenleyicinin denetim karakterlerini işleyip işlemeyeceğini denetler.",
+ "renderIndentGuides": "Düzenleyicinin girinti kılavuzlarını işleyip işlemeyeceğini denetler.",
+ "renderFinalNewline": "Dosya yeni satır ile sona erdiğinde son satır numarasını işleyin.",
+ "renderLineHighlight.all": "Hem cilt payını hem de geçerli satırı vurgular.",
+ "renderLineHighlight": "Düzenleyicinin geçerli satır vurgulamasını nasıl işlemesi gerektiğini denetler.",
+ "renderLineHighlightOnlyWhenFocus": "Düzenleyicinin, geçerli satır vurgulamasını yalnızca düzenleyiciye odaklanıldığında mı işleyeceğini denetler",
+ "renderWhitespace.boundary": "Sözcükler arasındaki tek boşluklar dışında boşluk karakterlerini işleyin.",
+ "renderWhitespace.selection": "Boşluk karakterlerini yalnızca seçili metinde işleyin.",
+ "renderWhitespace.trailing": "Yalnızca sondaki boşluk karakterlerini işle",
+ "renderWhitespace": "Düzenleyicinin boşluk karakterlerini nasıl işlemesi gerektiğini denetler.",
+ "roundedSelection": "Seçimlerin köşelerinin yuvarlak olup olmayacağını denetler.",
+ "scrollBeyondLastColumn": "Sonrasında düzenleyicinin yatay olarak kaydırılacağı fazladan karakter sayısını denetler.",
+ "scrollBeyondLastLine": "Düzenleyicinin ekranı son satırın ötesine kaydırıp kaydırmayacağını denetler.",
+ "scrollPredominantAxis": "Aynı anda hem dikey hem de yatay kaydırma sırasında yalnızca hakim olan eksen boyunca kaydırın. Bir dokunmatik yüzey üzerinde dikey kaydırma sırasında yatay dışa kaymayı engeller.",
+ "selectionClipboard": "Linux birincil panosunun desteklenip desteklenmeyeceğini denetler.",
+ "selectionHighlight": "Düzenleyicinin seçime benzer eşleşmeleri vurgulayıp vurgulamayacağını denetler.",
+ "showFoldingControls.always": "Her zaman katlama denetimlerini göster.",
+ "showFoldingControls.mouseover": "Katlama denetimlerini yalnızca fare cilt payı üzerindeyken göster.",
+ "showFoldingControls": "Cilt paylarında katlama denetimlerinin ne zaman gösterileceğini denetler.",
+ "showUnused": "Kullanılmayan kodun soluklaştırılmasını denetler.",
+ "showDeprecated": "Üzeri çizili kullanım dışı değişkenleri denetler.",
+ "snippetSuggestions.top": "Kod parçacığı önerilerini diğer önerilerin üstünde göster.",
+ "snippetSuggestions.bottom": "Kod parçacığı önerilerini diğer önerilerin altında göster.",
+ "snippetSuggestions.inline": "Kod parçacığı önerilerini diğer önerilerle göster.",
+ "snippetSuggestions.none": "Parçacık önerilerini gösterme.",
+ "snippetSuggestions": "Kod parçacıklarının başka öneriler ile birlikte mi gösterileceğini ve nasıl sıralanacağını denetler.",
+ "smoothScrolling": "Düzenleyicinin bir animasyon kullanılarak mı kaydırılacağını denetler.",
+ "suggestFontSize": "Önerilen pencere öğesi için yazı tipi boyutu. '0' olarak ayarlandığında '#editor.fontSize#' değeri kullanılır.",
+ "suggestLineHeight": "Öneri pencere öğesi için satır yüksekliği. `0` olarak ayarlandığında `#editor.lineHeight#` değeri kullanılır. En küçük değer 8'dir.",
+ "suggestOnTriggerCharacters": "Tetikleyici karakterleri yazılırken önerilerin otomatik olarak gösterilip gösterilmeyeceğini denetler.",
+ "suggestSelection.first": "Her zaman ilk öneriyi seç.",
+ "suggestSelection.recentlyUsed": "Yazma sürdürüldüğünde başka öneri seçilmedikçe son öneriyi seç; örneğin, en son `log` tamamlanırsa `console.| -> console.log` olur.",
+ "suggestSelection.recentlyUsedByPrefix": "Önerileri, bunları tamamlayan önceki ön eklere göre seç; örneğin, `co -> console` ve `con -> const`.",
+ "suggestSelection": "Öneri listesi gösterilirken önerilerin önceden nasıl seçileceğini denetler.",
+ "tabCompletion.on": "Sekmeyle tamamlama, sekme tuşuna basıldığında en iyi eşleşen öneriyi ekler.",
+ "tabCompletion.off": "Sekmeyle tamamlamaları devre dışı bırak.",
+ "tabCompletion.onlySnippets": "Ön eki eşleştiğinde kod parçacığını sekmeyle tamamla. 'quickSuggestions' etkinleştirilmediğinde en iyi sonucu verir.",
+ "tabCompletion": "Sekmeyle tamamlamaları etkinleştirir.",
+ "unusualLineTerminators.auto": "Olağan dışı satır sonlandırıcılar otomatik olarak kaldırılır.",
+ "unusualLineTerminators.off": "Olağan dışı satır sonlandırıcılar yoksayılır.",
+ "unusualLineTerminators.prompt": "Olağan dışı satır sonlandırıcıların kaldırılması sorulur.",
+ "unusualLineTerminators": "Soruna neden olabilecek olağan dışı satır sonlandırıcıları kaldır.",
+ "useTabStops": "Boşluk ekleme ve silme sekme duraklarını izler.",
+ "wordSeparators": "Sözcüklerle ilgili gezintiler veya işlemler yapılırken sözcük ayracı olarak kullanılacak karakterler.",
+ "wordWrap.off": "Satırlar hiçbir zaman kaydırılmaz.",
+ "wordWrap.on": "Satırlar görünüm penceresinin genişliğinde kaydırılır.",
+ "wordWrap.wordWrapColumn": "Satırlar `#editor.wordWrapColumn#` konumunda kaydırılır.",
+ "wordWrap.bounded": "Satırlar görünüm penceresi ile `#editor.wordWrapColumn#` değerlerinin daha küçük olanında kaydırılır.",
+ "wordWrap": "Satırların nasıl kaydırılacağını denetler.",
+ "wordWrapColumn": "`#editor.wordWrap#` `wordWrapColumn` veya `bounded` olduğunda düzenleyicinin kaydırma sütununu denetler.",
+ "wrappingIndent.none": "Girinti yok. Kaydırılan satırlar 1. sütundan başlar.",
+ "wrappingIndent.same": "Kaydırılan satırlar üst öğeyle aynı girintiyi alır.",
+ "wrappingIndent.indent": "Kaydırılan satırlar üst öğeye doğru +1 girinti alır.",
+ "wrappingIndent.deepIndent": "Kaydırılan satırlar üst öğeye doğru +2 girinti alır.",
+ "wrappingIndent": "Kaydırılan çizgilerin girintisini denetler.",
+ "wrappingStrategy.simple": "Tüm karakterlerin aynı genişlikte olduğunu varsayar. Bu, tek aralıklı yazı tiplerinde ve karakterlerin eşit genişlikte olduğu belirli betiklerde (Latince karakterler gibi) doğru şekilde çalışan hızlı bir algoritmadır.",
+ "wrappingStrategy.advanced": "Kaydırma noktaları hesaplamasını tarayıcıya devreder. Bu yavaş bir algoritmadır ve büyük dosyaların donmasına neden olabilir, ancak tüm durumlarda doğru şekilde çalışır.",
+ "wrappingStrategy": "Kaydırma noktalarını hesaplayan algoritmayı denetler."
+ },
+ "vs/editor/common/view/editorColorRegistry": {
+ "lineHighlight": "İmleç konumunda satırın vurgulanması için arka plan rengi.",
+ "lineHighlightBorderBox": "İmleç konumunda satırın çevresindeki kenarlığın arka plan rengi.",
+ "rangeHighlight": "Hızlı açma ve bulma özelliklerinde olduğu gibi vurgulanan aralıkların arka plan rengi. Alttaki süslemeleri gizlememesi için rengin opak olmaması gerekir.",
+ "rangeHighlightBorder": "Vurgulanan aralıkların çevresindeki kenarlığın arka plan rengi.",
+ "symbolHighlight": "Tanıma git veya sonraki/önceki sembol gibi işlevlerde vurgulanan simgenin arka plan rengi. Alttaki süslemeleri gizlememesi için rengin opak olmaması gerekir.",
+ "symbolHighlightBorder": "Vurgulanan sembollerin çevresindeki kenarlığın arka plan rengi.",
+ "caret": "Düzenleyici imlecinin rengi.",
+ "editorCursorBackground": "Düzenleyici imlecinin arka plan rengi. Bir blok imleç ile örtüşen bir karakterin rengini özelleştirmeye izin verir.",
+ "editorWhitespaces": "Boşluk karakterlerinin düzenleyicideki rengi.",
+ "editorIndentGuides": "Düzenleyici girinti kılavuzlarının rengi.",
+ "editorActiveIndentGuide": "Etkin düzenleyici girinti kılavuzlarının rengi.",
+ "editorLineNumbers": "Düzenleyici satır numaralarının rengi.",
+ "editorActiveLineNumber": "Düzenleyici etkin satır numarasının rengi",
+ "deprecatedEditorActiveLineNumber": "Kimlik kullanım dışı. Bunun yerine 'editorLineNumber.activeForeground' kullanın.",
+ "editorRuler": "Düzenleyici cetvellerinin rengi.",
+ "editorCodeLensForeground": "Düzenleyici CodeLens'inin ön plan rengi",
+ "editorBracketMatchBackground": "Eşleşen köşeli ayraçların arka plan rengi",
+ "editorBracketMatchBorder": "Eşleşen ayraçlar kutularının rengi",
+ "editorOverviewRulerBorder": "Genel bakış cetveli kenarlığının rengi.",
+ "editorOverviewRulerBackground": "Düzenleyiciye genel bakış cetvelinin arka plan rengi. Yalnızca mini harita etkinleştirilip düzenleyicinin sağ tarafına yerleştirildiğinde kullanılır.",
+ "editorGutter": "Düzenleyici cilt payının arka plan rengi. Cilt payı, karakter kenar boşluklarını ve satır numaralarını içerir.",
+ "unnecessaryCodeBorder": "Düzenleyicideki gereksiz (kullanılmayan) kaynak kodun kenarlık rengi.",
+ "unnecessaryCodeOpacity": "Düzenleyicideki gereksiz (kullanılmayan) kaynak kodun opaklığı. Örneğin \"#000000c0\", kodu %75 opaklık ile işler. Yüksek karşıtlıklı temalar için, gereksiz kodu soldurmak yerine altı çizili hale getirmek için 'editorUnnecessaryCode.Border' tema rengini kullanın.",
+ "overviewRulerRangeHighlight": "Aralık vurguları için genel bakış cetveli işaretleyici rengi. Alttaki süslemeleri gizlememek için rengin opak olmaması gerekir.",
+ "overviewRuleError": "Hatalar için genel bakış cetveli işaretleyici rengi.",
+ "overviewRuleWarning": "Uyarılar için genel bakış cetveli işaretleyici rengi.",
+ "overviewRuleInfo": "Bilgiler için genel bakış cetveli işaretleyici rengi."
+ },
+ "vs/editor/common/model/editStack": {
+ "edit": "Yazılıyor"
+ },
+ "vs/editor/browser/controller/coreCommands": {
+ "stickydesc": "Daha uzun satırlara giderken bile sonda kal"
+ },
+ "vs/editor/browser/widget/codeEditorWidget": {
+ "cursors.maximum": "İmleçlerin sayısı {0} ile sınırlandı."
+ },
+ "vs/editor/browser/widget/diffEditorWidget": {
+ "diffInsertIcon": "Fark düzenleyicisindeki eklemeler için satır dekorasyonu.",
+ "diffRemoveIcon": "Fark düzenleyicisindeki kaldırmalar için satır dekorasyonu.",
+ "diff.tooLarge": "Bir dosya çok büyük olduğundan dosyalar karşılaştırılamıyor."
+ },
+ "vs/editor/common/standaloneStrings": {
+ "noSelection": "Seçim yok",
+ "singleSelectionRange": "Satır {0}, Sütun {1} ({2} seçildi)",
+ "singleSelection": "Satır {0}, Sütun {1}",
+ "multiSelectionRange": "{0} seçim ({1} karakter seçili)",
+ "multiSelection": "{0} seçim",
+ "emergencyConfOn": "Şimdi `accessibilitySupport` ayarı 'on' olarak değiştiriliyor.",
+ "openingDocs": "Şimdi Düzenleyici Erişilebilirlik belgeleri sayfası açılıyor.",
+ "readonlyDiffEditor": " fark düzenleyicisinin salt okunur bölmesinde.",
+ "editableDiffEditor": " bir fark düzenleyicisi bölmesinde.",
+ "readonlyEditor": " salt okunur bir kod düzenleyicide",
+ "editableEditor": " bir kod düzenleyicisinde",
+ "changeConfigToOnMac": "Düzenleyiciyi Ekran Okuyucu ile kullanım için iyileştirilecek şekilde yapılandırmak için şimdi Command+E tuşlarına basın.",
+ "changeConfigToOnWinLinux": "Düzenleyiciyi Ekran Okuyucu ile kullanım için iyileştirilecek şekilde yapılandırmak için şimdi Control+E tuşlarına basın.",
+ "auto_on": "Düzenleyici, Ekran Okuyucu ile kullanım için iyileştirilmek üzere yapılandırıldı.",
+ "auto_off": "Düzenleyici, Ekran Okuyucu ile kullanım için hiçbir zaman iyileştirilmeyecek şekilde yapılandırıldı, ancak şu anda bunun tersi geçerlidir.",
+ "tabFocusModeOnMsg": "Geçerli düzenleyicide Sekme tuşuna basmak, odağı bir sonraki odaklanılabilen öğeye taşır. {0} tuşuna basarak bu davranışı açıp kapatabilirsiniz.",
+ "tabFocusModeOnMsgNoKb": "Geçerli düzenleyicide Sekme tuşuna basmak, odağı bir sonraki odaklanılabilir öğeye taşır. {0} komutu şu anda bir tuş bağlaması tarafından tetiklenebilir durumda değil.",
+ "tabFocusModeOffMsg": "Geçerli düzenleyicide Sekme tuşuna basıldığında sekme karakteri eklenir. {0} tuşuna basarak bu davranışı açın/kapayın.",
+ "tabFocusModeOffMsgNoKb": "Geçerli düzenleyicide Sekme tuşuna basıldığında sekme karakteri eklenir. {0} komutu şu anda bir tuş bağlaması ile tetiklenebilir durumda değil.",
+ "openDocMac": "Düzenleyici erişilebilirliği ile ilgili daha fazla bilgi içeren bir tarayıcı penceresi açmak için şimdi Command+H tuşlarına basın.",
+ "openDocWinLinux": "Düzenleyici erişilebilirliği ile ilgili daha fazla bilgi içeren bir tarayıcı penceresi açmak için şimdi Ctrl+H tuşuna basın.",
+ "outroMsg": "Escape veya Shift+Escape tuşlarına basarak bu araç ipucunu kapatıp düzenleyiciye geri dönebilirsiniz.",
+ "showAccessibilityHelpAction": "Erişilebilirlik Yardımını Göster",
+ "inspectTokens": "Geliştirici: Belirteçleri İncele",
+ "gotoLineActionLabel": "Satıra/Sütuna Git...",
+ "helpQuickAccess": "Tüm Hızlı Erişim Sağlayıcılarını Göster",
+ "quickCommandActionLabel": "Komut Paleti",
+ "quickCommandActionHelp": "Komutları Göster ve Çalıştır",
+ "quickOutlineActionLabel": "Sembole Git...",
+ "quickOutlineByCategoryActionLabel": "Kategoriye Göre Sembole Git...",
+ "editorViewAccessibleLabel": "Düzenleyici içeriği",
+ "accessibilityHelpMessage": "Erişilebilirlik Seçenekleri için Alt+F1 tuşlarına basın.",
+ "toggleHighContrast": "Yüksek Karşıtlık Temasını Aç/Kapat",
+ "bulkEditServiceSummary": "{1} dosyada {0} düzenleme yapıldı"
+ },
+ "vs/editor/common/config/commonEditorConfig": {
+ "editorConfigurationTitle": "Düzenleyici",
+ "tabSize": "Bir sekmenin eşit olduğu boşluk sayısı. Bu ayar, '#editor.detectIndentation#' açık olduğunda dosya içeriğine göre geçersiz kılınır.",
+ "insertSpaces": "`Tab` tuşuna basıldığında boşluklar ekleyin. Bu ayar, `#editor.detectIndentation#` açık olduğunda dosya içeriğine göre geçersiz kılınır.",
+ "detectIndentation": "Dosya, içeriğine göre açıldığında `#editor.tabSize#` ve `#editor.insertSpaces#` değerlerinin otomatik algılanıp algılanmayacağını denetler.",
+ "trimAutoWhitespace": "Sondaki otomatik eklenmiş boşluğu kaldır.",
+ "largeFileOptimizations": "Yoğun bellek kullanan belirli özellikleri devre dışı bırakmak için büyük dosyalara yönelik özel işlem.",
+ "wordBasedSuggestions": "Tamamlamaların belgedeki sözcüklere göre hesaplanıp hesaplanmayacağını denetler.",
+ "wordBasedSuggestionsMode.currentDocument": "Yalnızca etkin belgeden sözcük önerin.",
+ "wordBasedSuggestionsMode.matchingDocuments": "Aynı dildeki tüm açık belgelerden sözcük önerin.",
+ "wordBasedSuggestionsMode.allDocuments": "Tüm açık belgelerden sözcük önerin.",
+ "wordBasedSuggestionsMode": "Denetimler, sözcük tabanlı tamamlamaların hangi belgelerden hesaplandığını denetler.",
+ "semanticHighlighting.true": "Tüm renk temaları için anlamsal vurgulama etkinleştirildi.",
+ "semanticHighlighting.false": "Tüm renk temaları için anlamsal vurgulama devre dışı bırakıldı.",
+ "semanticHighlighting.configuredByTheme": "Anlamsal vurgulama, geçerli renk temasının `semanticHighlighting` ayarı tarafından yapılandırıldı.",
+ "semanticHighlighting.enabled": "Destekleyen diller için semanticHighlighting özelliğinin gösterilip gösterilmeyeceğini denetler.",
+ "stablePeek": "İçeriklerine çift tıklandığında veya `Escape` tuşuna basıldığında bile gözatma düzenleyicilerini açık tut.",
+ "maxTokenizationLineLength": "Bundan daha uzun satırlar, performansla ilgili nedenlerle belirteçlere ayrılamaz",
+ "maxComputationTime": "Milisaniye olarak zaman aşımı süresi. Bu süre sonrasında fark hesaplaması iptal edilir. Zaman aşımı olmaması için 0 kullanın.",
+ "sideBySide": "Fark düzenleyicisinin farkı yan yana mı, yoksa satır içinde mi göstereceğini denetler.",
+ "ignoreTrimWhitespace": "Etkinleştirildiğinde, fark düzenleyicisi baştaki veya sondaki boşluklarda yapılan değişiklikleri yoksayar.",
+ "renderIndicators": "Fark düzenleyicisinin eklenmiş/kaldırılmış değişiklikler için +/- işaretleri gösterip göstermeyeceğini denetler.",
+ "codeLens": "Düzenleyicinin CodeLens'i gösterip göstermediğini denetler.",
+ "wordWrap.off": "Satırlar hiçbir zaman kaydırılmaz.",
+ "wordWrap.on": "Satırlar görünüm penceresinin genişliğinde kaydırılır.",
+ "wordWrap.inherit": "Satırlar `#editor.wordWrap#` ayarına göre kaydırılır."
+ },
+ "vs/editor/browser/widget/diffReview": {
+ "diffReviewInsertIcon": "Fark incelemesindeki 'Ekle' simgesi.",
+ "diffReviewRemoveIcon": "Fark incelemesindeki 'Remove' simgesi.",
+ "diffReviewCloseIcon": "Fark incelemesindeki 'Kapat' simgesi.",
+ "label.close": "Kapat",
+ "no_lines_changed": "satır değiştirilmedi",
+ "one_line_changed": "1 satır değiştirildi",
+ "more_lines_changed": "{0} satır değiştirildi",
+ "header": "{0} / {1} fark: özgün satır: {2}, {3}, değiştirilen satır: {4}, {5}",
+ "blankLine": "boş",
+ "unchangedLine": "{0} değiştirilmemiş satır {1}",
+ "equalLine": "{0} özgün satır: {1} değiştirilen satır: {2}",
+ "insertLine": "+ {0} değiştirilmiş satır {1}",
+ "deleteLine": "- {0} özgün satır {1}",
+ "editor.action.diffReview.next": "Sonraki Farka Git",
+ "editor.action.diffReview.prev": "Önceki Farka Git"
+ },
+ "vs/editor/browser/widget/inlineDiffMargin": {
+ "diff.clipboard.copyDeletedLinesContent.label": "Silinen satırları kopyala",
+ "diff.clipboard.copyDeletedLinesContent.single.label": "Silinen satırı kopyala",
+ "diff.clipboard.copyDeletedLineContent.label": "Silinen satırı kopyala ({0})",
+ "diff.inline.revertChange.label": "Bu değişikliği geri al"
+ },
+ "vs/editor/browser/controller/textAreaHandler": {
+ "editor": "düzenleyici",
+ "accessibilityOffAriaLabel": "Düzenleyiciye şu anda erişilemiyor. Seçenekler için {0} üzerine basın."
+ },
+ "vs/editor/contrib/clipboard/clipboard": {
+ "miCut": "&&Kes",
+ "actions.clipboard.cutLabel": "Kes",
+ "miCopy": "&&Kopyala",
+ "actions.clipboard.copyLabel": "Kopyala",
+ "miPaste": "&&Yapıştır",
+ "actions.clipboard.pasteLabel": "Yapıştır",
+ "actions.clipboard.copyWithSyntaxHighlightingLabel": "Söz Dizimi Vurgusu İle Kopyala"
+ },
+ "vs/editor/contrib/anchorSelect/anchorSelect": {
+ "selectionAnchor": "Seçim Bağlayıcısı",
+ "anchorSet": "Bağlayıcı {0}:{1} konumuna kondu",
+ "setSelectionAnchor": "Seçim Bağlayıcısını Ayarla",
+ "goToSelectionAnchor": "Seçim Bağlayıcısına Git",
+ "selectFromAnchorToCursor": "Bağlayıcıdan İmlece Kadar Seç",
+ "cancelSelectionAnchor": "Seçim Bağlayıcısını İptal Et"
+ },
+ "vs/editor/contrib/bracketMatching/bracketMatching": {
+ "overviewRulerBracketMatchForeground": "Eşleşen köşeli ayraçlar için genel bakış cetveli işaretleyici rengi.",
+ "smartSelect.jumpBracket": "Köşeli Ayraca Git",
+ "smartSelect.selectToBracket": "Köşeli Ayraca Kadar Seç",
+ "miGoToBracket": "&&Köşeli Ayraca Git"
+ },
+ "vs/editor/contrib/caretOperations/caretOperations": {
+ "caret.moveLeft": "Seçili Metni Sola Taşı",
+ "caret.moveRight": "Seçili Metni Sağa Taşı"
+ },
+ "vs/editor/contrib/caretOperations/transpose": {
+ "transposeLetters.label": "Harflerin Sırasını Değiştir"
+ },
+ "vs/editor/contrib/codelens/codelensController": {
+ "showLensOnLine": "Geçerli Satır İçin CodeLens Komutlarını Göster"
+ },
+ "vs/editor/contrib/comment/comment": {
+ "comment.line": "Satır Açıklamasını Aç/Kapat",
+ "miToggleLineComment": "&&Satır Açıklamasını Aç/Kapat",
+ "comment.line.add": "Satır Açıklaması Ekle",
+ "comment.line.remove": "Satır Açıklamasını Kaldır",
+ "comment.block": "Blok Açıklamasını Aç/Kapat",
+ "miToggleBlockComment": "&&Blok Açıklamasını Aç/Kapat"
+ },
+ "vs/editor/contrib/contextmenu/contextmenu": {
+ "action.showContextMenu.label": "Düzenleyici Bağlam Menüsünü Göster"
+ },
+ "vs/editor/contrib/cursorUndo/cursorUndo": {
+ "cursor.undo": "İmleç Geri Alma",
+ "cursor.redo": "İmleç Yineleme"
+ },
+ "vs/editor/contrib/find/findController": {
+ "startFindAction": "Bul",
+ "miFind": "&&Bul",
+ "startFindWithSelectionAction": "Seçimle Bul",
+ "findNextMatchAction": "Sonrakini Bul",
+ "findPreviousMatchAction": "Öncekini Bul",
+ "nextSelectionMatchFindAction": "Sonraki Seçimi Bul",
+ "previousSelectionMatchFindAction": "Önceki Seçimi Bul",
+ "startReplace": "Değiştir",
+ "miReplace": "&&Değiştir"
+ },
+ "vs/editor/contrib/folding/folding": {
+ "unfoldAction.label": "Katlamayı Kaldır",
+ "unFoldRecursivelyAction.label": "Katlamayı Özyinelemeli Olarak Kaldır",
+ "foldAction.label": "Katla",
+ "toggleFoldAction.label": "Katlamayı Aç/Kapat",
+ "foldRecursivelyAction.label": "Özyinelemeli Katla",
+ "foldAllBlockComments.label": "Tüm Blok Açıklamaları Katla",
+ "foldAllMarkerRegions.label": "Tüm Bölgeleri Katla",
+ "unfoldAllMarkerRegions.label": "Tüm Bölgelerin Katlamasını Kaldır",
+ "foldAllAction.label": "Tümünü Katla",
+ "unfoldAllAction.label": "Tümünün Katlamasını Kaldır",
+ "foldLevelAction.label": "Katlama Düzeyi {0}",
+ "foldBackgroundBackground": "Katlanan aralıkların arka plan rengi. Alttaki süslemeleri gizlememesi için rengin opak olmaması gerekir.",
+ "editorGutter.foldingControlForeground": "Düzenleyici cilt payı içindeki katlama denetiminin rengi."
+ },
+ "vs/editor/contrib/fontZoom/fontZoom": {
+ "EditorFontZoomIn.label": "Düzenleyici Yazı Tipini Yakınlaştır",
+ "EditorFontZoomOut.label": "Düzenleyici Yazı Tipini Küçült",
+ "EditorFontZoomReset.label": "Düzenleyici Yazı Tipini Yakınlaştırmayı Sıfırla"
+ },
+ "vs/editor/contrib/format/formatActions": {
+ "formatDocument.label": "Belgeyi Biçimlendir",
+ "formatSelection.label": "Biçim Seçimi"
+ },
+ "vs/editor/contrib/gotoSymbol/goToCommands": {
+ "peek.submenu": "Gözat",
+ "def.title": "Tanımlar",
+ "noResultWord": "'{0}' için tanım bulunamadı",
+ "generic.noResults": "Tanım bulunamadı",
+ "actions.goToDecl.label": "Tanıma Git",
+ "miGotoDefinition": "&&Tanıma Git",
+ "actions.goToDeclToSide.label": "Tanımı Yan Tarafta Aç",
+ "actions.previewDecl.label": "Tanıma Gözat",
+ "decl.title": "Bildirimler",
+ "decl.noResultWord": "'{0}' için bildirim bulunamadı",
+ "decl.generic.noResults": "Bildirim bulunamadı",
+ "actions.goToDeclaration.label": "Bildirime Git",
+ "miGotoDeclaration": "&&Bildirime Git",
+ "actions.peekDecl.label": "Bildirime Gözat",
+ "typedef.title": "Tür Tanımları",
+ "goToTypeDefinition.noResultWord": "'{0}' için tür tanımı bulunamadı",
+ "goToTypeDefinition.generic.noResults": "Tür tanımı bulunamadı",
+ "actions.goToTypeDefinition.label": "Tür Tanımına Git",
+ "miGotoTypeDefinition": "&&Tür Tanımına Git",
+ "actions.peekTypeDefinition.label": "Tür Tanımına Gözat",
+ "impl.title": "Uygulamalar",
+ "goToImplementation.noResultWord": "'{0}' için uygulama bulunamadı",
+ "goToImplementation.generic.noResults": "Uygulama bulunamadı",
+ "actions.goToImplementation.label": "Uygulamalara Git",
+ "miGotoImplementation": "&&Uygulamalara Git",
+ "actions.peekImplementation.label": "Uygulamalara Gözat",
+ "references.no": "'{0}' için başvuru bulunamadı",
+ "references.noGeneric": "Başvuru bulunamadı",
+ "goToReferences.label": "Başvurulara Git",
+ "miGotoReference": "&&Başvurulara Git",
+ "ref.title": "Başvurular",
+ "references.action.label": "Başvurulara Gözat",
+ "label.generic": "Herhangi Bir Sembole Git",
+ "generic.title": "Konumlar",
+ "generic.noResult": "'{0}' için sonuç yok"
+ },
+ "vs/editor/contrib/hover/hover": {
+ "showHover": "Vurgulamayı Göster",
+ "showDefinitionPreviewHover": "Tanımın Önizleme Vurgulamasını Göster"
+ },
+ "vs/editor/contrib/gotoSymbol/link/goToDefinitionAtPosition": {
+ "multipleResults": "{0} tanımı görüntülemek için tıklayın."
+ },
+ "vs/editor/contrib/gotoError/gotoError": {
+ "markerAction.next.label": "Sonraki Soruna Git (Hata, Uyarı, Bilgi)",
+ "nextMarkerIcon": "Sonraki işaretleyiciye git simgesi.",
+ "markerAction.previous.label": "Önceki Soruna Git (Hata, Uyarı, Bilgi)",
+ "previousMarkerIcon": "Önceki işaretleyiciye git simgesi.",
+ "markerAction.nextInFiles.label": "Dosyalardaki Sonraki Soruna Git (Hata, Uyarı, Bilgi)",
+ "miGotoNextProblem": "Sonraki &&Sorun",
+ "markerAction.previousInFiles.label": "Dosyalardaki Önceki Soruna Git (Hata, Uyarı, Bilgi)",
+ "miGotoPreviousProblem": "Önceki &&Sorun"
+ },
+ "vs/editor/contrib/indentation/indentation": {
+ "indentationToSpaces": "Girintiyi Boşluklara Dönüştür",
+ "indentationToTabs": "Girintiyi Sekmelere Dönüştür",
+ "configuredTabSize": "Yapılandırılan Sekme Boyutu",
+ "selectTabWidth": "Geçerli Dosya için Sekme Boyutunu Seç",
+ "indentUsingTabs": "Sekme Kullanarak Girintile",
+ "indentUsingSpaces": "Boşluk Kullanarak Girintile",
+ "detectIndentation": "Girintiyi İçerikten Algıla",
+ "editor.reindentlines": "Satırları Yeniden Girintile",
+ "editor.reindentselectedlines": "Seçili Satırları Yeniden Girintile"
+ },
+ "vs/editor/contrib/inPlaceReplace/inPlaceReplace": {
+ "InPlaceReplaceAction.previous.label": "Önceki Değerle Değiştir",
+ "InPlaceReplaceAction.next.label": "Sonraki Değerle Değiştir"
+ },
+ "vs/editor/contrib/linesOperations/linesOperations": {
+ "lines.copyUp": "Satırı Yukarı Kopyala",
+ "miCopyLinesUp": "&&Satırı Yukarı Kopyala",
+ "lines.copyDown": "Satırı Aşağı Kopyala",
+ "miCopyLinesDown": "Satırı Aşağı K&&opyala",
+ "duplicateSelection": "Seçimi Çoğalt",
+ "miDuplicateSelection": "&&Seçimi Çoğalt",
+ "lines.moveUp": "Satırı Yukarı Taşı",
+ "miMoveLinesUp": "Satırı Y&&ukarı Taşı",
+ "lines.moveDown": "Satırı Aşağı Taşı",
+ "miMoveLinesDown": "Satırı &&Aşağı Taşı",
+ "lines.sortAscending": "Satırları Artan Düzende Sırala",
+ "lines.sortDescending": "Satırları Azalan Düzende Sırala",
+ "lines.trimTrailingWhitespace": "Sondaki Boşlukları Kırp",
+ "lines.delete": "Satırı Sil",
+ "lines.indent": "Satırı Girintile",
+ "lines.outdent": "Satır Girintisini Azalt",
+ "lines.insertBefore": "Yukarıya Satır Ekle",
+ "lines.insertAfter": "Aşağıya Satır Ekle",
+ "lines.deleteAllLeft": "Soldakilerin Tümünü Sil",
+ "lines.deleteAllRight": "Sağdakilerin Tümünü Sil",
+ "lines.joinLines": "Satırları Birleştir",
+ "editor.transpose": "İmlecin etrafındaki karakterlerin sırasını değiştir",
+ "editor.transformToUppercase": "Büyük Harfe Dönüştür",
+ "editor.transformToLowercase": "Küçük Harfe Dönüştür",
+ "editor.transformToTitlecase": "İlk Harfleri Büyüt"
+ },
+ "vs/editor/contrib/linkedEditing/linkedEditing": {
+ "linkedEditing.label": "Bağlı Düzenlemeyi Başlat",
+ "editorLinkedEditingBackground": "Düzenleyici yazma işlemi üzerine otomatik olarak yeniden adlandırdığındaki arka plan rengi."
+ },
+ "vs/editor/contrib/links/links": {
+ "links.navigate.executeCmd": "Komutu yürüt",
+ "links.navigate.follow": "Bağlantıyı izle",
+ "links.navigate.kb.meta.mac": "cmd + tıklama",
+ "links.navigate.kb.meta": "ctrl + tıklama",
+ "links.navigate.kb.alt.mac": "option + tıklama",
+ "links.navigate.kb.alt": "alt + tıklama",
+ "tooltip.explanation": "{0} komutunu yürütün",
+ "invalid.url": "Düzgün biçimlendirilmediğinden bu bağlantı açılamadı: {0}",
+ "missing.url": "Hedefi eksik olduğu için bu bağlantı açılamadı.",
+ "label": "Bağlantıyı Aç"
+ },
+ "vs/editor/contrib/multicursor/multicursor": {
+ "mutlicursor.insertAbove": "Yukarıya İmleç Ekle",
+ "miInsertCursorAbove": "&&Yukarıdaki İmleci Ekle",
+ "mutlicursor.insertBelow": "Aşağıya İmleç Ekle",
+ "miInsertCursorBelow": "&&Aşağıya İmleç Ekle",
+ "mutlicursor.insertAtEndOfEachLineSelected": "İmleçleri Satır Sonlarına Ekle",
+ "miInsertCursorAtEndOfEachLineSelected": "İ&&mleçleri Satır Sonlarına Ekle",
+ "mutlicursor.addCursorsToBottom": "İmleçleri Alta Ekle",
+ "mutlicursor.addCursorsToTop": "İmleçleri Üste Ekle",
+ "addSelectionToNextFindMatch": "Seçimi Sonraki Bulma Eşleşmesine Ekle",
+ "miAddSelectionToNextFindMatch": "S&&onraki Oluşumu Ekle",
+ "addSelectionToPreviousFindMatch": "Seçimi Önceki Bulma Eşleşmesine Ekle",
+ "miAddSelectionToPreviousFindMatch": "Ö&&nceki Oluşumu Ekle",
+ "moveSelectionToNextFindMatch": "Son Seçimi Sonraki Bulma Eşleştirmesine Taşı",
+ "moveSelectionToPreviousFindMatch": "Son Seçimi Önceki Bulma Eşleştirmesine Taşı",
+ "selectAllOccurrencesOfFindMatch": "Bulma Eşleşmesinin Tüm Oluşumlarını Seç",
+ "miSelectHighlights": "Tüm &&Oluşumları Seç",
+ "changeAll.label": "Tüm Oluşumları Değiştirir"
+ },
+ "vs/editor/contrib/parameterHints/parameterHints": {
+ "parameterHints.trigger.label": "Parametre İpuçları Tetikle"
+ },
+ "vs/editor/contrib/rename/rename": {
+ "no result": "Sonuç yok.",
+ "resolveRenameLocationFailed": "Yeniden adlandırma konumu çözümlenirken bilinmeyen bir hata oluştu",
+ "label": "'{0}' yeniden adlandırılıyor",
+ "quotableLabel": "{0} yeniden adlandırılıyor",
+ "aria": "'{0}', '{1}' olarak başarıyla yeniden adlandırıldı. Özel: {2}",
+ "rename.failedApply": "Yeniden adlandırma, düzenlemeleri uygulayamadı",
+ "rename.failed": "Yeniden adlandırma, düzenlemeleri hesaplayamadı",
+ "rename.label": "Sembolü Yeniden Adlandır",
+ "enablePreview": "Yeniden adlandırmadan önce değişiklikleri önizleme olanağını etkinleştir/devre dışı bırak"
+ },
+ "vs/editor/contrib/smartSelect/smartSelect": {
+ "smartSelect.expand": "Seçimi Genişlet",
+ "miSmartSelectGrow": "&&Seçimi Genişlet",
+ "smartSelect.shrink": "Seçimi Küçült",
+ "miSmartSelectShrink": "&&Seçimi Küçült"
+ },
+ "vs/editor/contrib/suggest/suggestController": {
+ "aria.alert.snippet": "'{0}' önerisinin kabul edilmesi {1} ek düzenleme yapılmasına neden oldu",
+ "suggest.trigger.label": "Öneri Tetikle",
+ "accept.insert": "Ekle",
+ "accept.replace": "Değiştir",
+ "detail.more": "daha azını göster",
+ "detail.less": "daha fazlasını göster",
+ "suggest.reset.label": "Önerilen Pencere Öğesi Boyutunu Sıfırla"
+ },
+ "vs/editor/contrib/tokenization/tokenization": {
+ "forceRetokenize": "Geliştirici: Zorla Tekrar Belirteçlere Ayır"
+ },
+ "vs/editor/contrib/toggleTabFocusMode/toggleTabFocusMode": {
+ "toggle.tabMovesFocus": "Sekme Tuşuyla Odağı Taşımayı Aç/Kapat",
+ "toggle.tabMovesFocus.on": "Tab tuşuna basıldığında odak bir sonraki odaklanılabilir öğeye taşınır",
+ "toggle.tabMovesFocus.off": "Artık Sekme tuşuna basıldığında sekme karakteri eklenir"
+ },
+ "vs/editor/contrib/unusualLineTerminators/unusualLineTerminators": {
+ "unusualLineTerminators.title": "Olağandışı Satır Ayırıcılar",
+ "unusualLineTerminators.message": "Olağan dışı satır ayırıcılar algılandı",
+ "unusualLineTerminators.detail": "Bu dosya, Satır Ayırıcı (LS) veya Paragraf Ayırıcı (PS) gibi bir veya daha fazla olağan dışı satır ayırıcı karakter içeriyor.\r\n\r\nBunların dosyadan kaldırılması önerilir. Bu, `editor.unusualLineTerminators` ile yapılandırılabilir.",
+ "unusualLineTerminators.fix": "Bu dosyayı düzelt",
+ "unusualLineTerminators.ignore": "Bu dosya için sorunu yoksay"
+ },
+ "vs/editor/contrib/wordHighlighter/wordHighlighter": {
+ "wordHighlight": "Bir değişkeni okuma gibi bir okuma erişimi sırasında bir sembolün arka plan rengi. Alttaki süslemeleri gizlememesi için rengin opak olmaması gerekir.",
+ "wordHighlightStrong": "Bir değişkene yazma gibi bir yazma erişimi sırasında sembolün arka plan rengi. Alttaki süslemeleri gizlememesi için rengin opak olmaması gerekir.",
+ "wordHighlightBorder": "Bir değişkeni okuma gibi bir okuma erişimi sırasında sembolün kenarlık rengi.",
+ "wordHighlightStrongBorder": "Bir değişkene yazma gibi bir yazma erişimi sırasında sembolün kenarlık rengi.",
+ "overviewRulerWordHighlightForeground": "Sembol vurguları için genel bakış cetveli işaretleyici rengi. Alttaki süslemeleri gizlememesi için rengin opak olmaması gerekir.",
+ "overviewRulerWordHighlightStrongForeground": "Yazma erişimi sembolü vurguları için genel bakış cetveli işaretleyici rengi. Alttaki süslemeleri gizlememesi için rengin opak olmaması gerekir.",
+ "wordHighlight.next.label": "Sonraki Sembol Vurgusuna Git",
+ "wordHighlight.previous.label": "Önceki Sembol Vurgusuna Git",
+ "wordHighlight.trigger.label": "Sembol Vurgusu Tetikle"
+ },
+ "vs/editor/contrib/wordOperations/wordOperations": {
+ "deleteInsideWord": "Sözcük Sil"
+ },
+ "vs/editor/contrib/quickAccess/gotoLineQuickAccess": {
+ "cannotRunGotoLine": "Bir satıra gitmek için önce bir metin düzenleyicisi açın.",
+ "gotoLineColumnLabel": "{0}. satır {1}. sütuna git.",
+ "gotoLineLabel": "{0}. satıra git.",
+ "gotoLineLabelEmptyWithLimit": "Geçerli Satır: {0}, Karakter: {1}. 1 ile {2} arasındaki gidilecek satır numarasını yazın.",
+ "gotoLineLabelEmpty": "Geçerli Satır: {0}, Karakter: {1}. Gidilecek satır numarasını yazın."
+ },
+ "vs/editor/contrib/peekView/peekView": {
+ "label.close": "Kapat",
+ "peekViewTitleBackground": "Göz atma görünümü başlık alanının arka plan rengi.",
+ "peekViewTitleForeground": "Göz atma görünümü başlığının rengi.",
+ "peekViewTitleInfoForeground": "Göz atma görünümü başlık bilgisinin rengi.",
+ "peekViewBorder": "Göz atma görünümü kenarlıklarının ve okunun rengi.",
+ "peekViewResultsBackground": "Göz atma görünümü sonuç listesinin arka plan rengi.",
+ "peekViewResultsMatchForeground": "Göz atma görünümü sonuç listesinde satır düğümleri için ön plan rengi.",
+ "peekViewResultsFileForeground": "Göz atma görünümü sonuç listesinde dosya düğümleri için ön plan rengi.",
+ "peekViewResultsSelectionBackground": "Göz atma görünümü sonuç listesinde seçilen girişin arka plan rengi.",
+ "peekViewResultsSelectionForeground": "Göz atma görünümü sonuç listesinde seçilen girişin ön plan rengi.",
+ "peekViewEditorBackground": "Göz atma görünümü düzenleyicisinin arka plan rengi.",
+ "peekViewEditorGutterBackground": "Göz atma görünümü düzenleyicisindeki cilt payının arka plan rengi.",
+ "peekViewResultsMatchHighlight": "Göz atma görünümü sonuç listesindeki eşleşme vurgusu rengi.",
+ "peekViewEditorMatchHighlight": "Göz atma görünümü düzenleyicisindeki eşleşme vurgusu rengi.",
+ "peekViewEditorMatchHighlightBorder": "Göz atma görünümü düzenleyicisindeki eşleşme vurgusu kenarlığı."
+ },
+ "vs/editor/contrib/codeAction/codeActionCommands": {
+ "args.schema.kind": "Çalıştırılacak kod eyleminin türü.",
+ "args.schema.apply": "Döndürülen eylemlerin ne zaman uygulanacağını denetler.",
+ "args.schema.apply.first": "İlk döndürülen kod eylemini her zaman uygula.",
+ "args.schema.apply.ifSingle": "İlk kod eylemi döndürülen tek eylem ise uygula.",
+ "args.schema.apply.never": "Döndürülen kod eylemlerini uygulama.",
+ "args.schema.preferred": "Yalnızca tercih edilen kod eylemlerinin mi döndürüleceğini denetler.",
+ "applyCodeActionFailed": "Kod eylemi uygulanırken bilinmeyen bir hata oluştu",
+ "quickfix.trigger.label": "Hızlı Düzeltme...",
+ "editor.action.quickFix.noneMessage": "Kullanılabilir kod eylemi yok",
+ "editor.action.codeAction.noneMessage.preferred.kind": "'{0}' için tercih edilen kod eylemi yok",
+ "editor.action.codeAction.noneMessage.kind": "'{0}' için kod eylemi yok",
+ "editor.action.codeAction.noneMessage.preferred": "Tercih edilen kod eylemi yok",
+ "editor.action.codeAction.noneMessage": "Kullanılabilir kod eylemi yok",
+ "refactor.label": "Yeniden düzenle...",
+ "editor.action.refactor.noneMessage.preferred.kind": "'{0}' için tercih edilen yeniden düzenleme yok",
+ "editor.action.refactor.noneMessage.kind": "'{0}' için yeniden düzenleme yok",
+ "editor.action.refactor.noneMessage.preferred": "Tercih edilen yeniden düzenleme yok",
+ "editor.action.refactor.noneMessage": "Yeniden düzenleme yok",
+ "source.label": "Kaynak Eylemi...",
+ "editor.action.source.noneMessage.preferred.kind": "'{0}' için tercih edilen kaynak eylemi yok",
+ "editor.action.source.noneMessage.kind": "'{0}' için kaynak eylemi yok",
+ "editor.action.source.noneMessage.preferred": "Tercih edilen kaynak eylemi yok",
+ "editor.action.source.noneMessage": "Kaynak eylemi yok",
+ "organizeImports.label": "İçeri Aktarmaları Düzenle",
+ "editor.action.organize.noneMessage": "İçeri aktarmaları düzenleme eylemi yok",
+ "fixAll.label": "Tümünü Düzelt",
+ "fixAll.noneMessage": "Tümünü düzeltme eylemi yok",
+ "autoFix.label": "Otomatik Düzelt...",
+ "editor.action.autoFix.noneMessage": "Otomatik düzeltme yok"
+ },
+ "vs/editor/contrib/find/findWidget": {
+ "findSelectionIcon": "Düzenleyicideki bulma arabirim öğesinde yer alan 'Seçimde Bul' simgesi.",
+ "findCollapsedIcon": "Düzenleyicideki bulma arabirim öğesinin daraltıldığını gösteren simge.",
+ "findExpandedIcon": "Düzenleyicideki bulma arabirim öğesinin genişletildiğini gösteren simge.",
+ "findReplaceIcon": "Düzenleyicideki bul arabirim öğesinde yer alan 'Replace' simgesi.",
+ "findReplaceAllIcon": "Düzenleyicideki bulma arabirim öğesinde yer alan 'Tümünü Değiştir' simgesi.",
+ "findPreviousMatchIcon": "Düzenleyicideki bulma arabirim öğesinde yer alan 'Öncekini Bul' simgesi.",
+ "findNextMatchIcon": "Düzenleyicideki bulma arabirim öğesinde yer alan 'Sonrakini Bul' simgesi.",
+ "label.find": "Bul",
+ "placeholder.find": "Bul",
+ "label.previousMatchButton": "Önceki eşleşme",
+ "label.nextMatchButton": "Sonraki eşleşme",
+ "label.toggleSelectionFind": "Seçimde bul",
+ "label.closeButton": "Kapat",
+ "label.replace": "Değiştir",
+ "placeholder.replace": "Değiştir",
+ "label.replaceButton": "Değiştir",
+ "label.replaceAllButton": "Tümünü Değiştir",
+ "label.toggleReplaceButton": "Değiştirme Modunu Aç/Kapat",
+ "title.matchesCountLimit": "Yalnızca ilk {0} sonuç vurgulanır, ancak tüm bulma işlemleri metnin tamamında sonuç verir.",
+ "label.matchesLocation": "{0}/{1}",
+ "label.noResults": "Sonuç yok",
+ "ariaSearchNoResultEmpty": "{0} bulundu",
+ "ariaSearchNoResult": "'{1}' için {0} bulundu",
+ "ariaSearchNoResultWithLineNum": "'{1}' için {2} konumunda {0} bulundu",
+ "ariaSearchNoResultWithLineNumNoCurrentMatch": "'{1}' için {0} bulundu",
+ "ctrlEnter.keybindingChanged": "Ctrl+Enter artık tümünü değiştirmek yerine satır sonu ekliyor. Bu davranışı geçersiz kılmak için editor.action.replaceAll tuş bağlamasını değiştirebilirsiniz."
+ },
+ "vs/editor/contrib/folding/foldingDecorations": {
+ "foldingExpandedIcon": "Düzenleyici karakter dış boşluğundaki genişletilmiş aralıklar simgesi.",
+ "foldingCollapsedIcon": "Düzenleyici karakter dış boşluğundaki daraltılmış aralıklar simgesi."
+ },
+ "vs/editor/contrib/format/format": {
+ "hint11": "{0}. satırda 1 biçimlendirme düzenlemesi yapıldı",
+ "hintn1": "{1}. satırda {0} biçimlendirme düzenlemesi yapıldı",
+ "hint1n": "{0}. ve {1}. satırlar arasında 1 biçimlendirme düzenlemesi yapıldı",
+ "hintnn": "{1}. ve {2}. satırlar arasında {0} biçimlendirme düzenlemesi yapıldı"
+ },
+ "vs/editor/contrib/message/messageController": {
+ "editor.readonly": "Salt okunur düzenleyicide düzenleme yapılamaz"
+ },
+ "vs/editor/contrib/gotoSymbol/peek/referencesController": {
+ "labelLoading": "Yükleniyor...",
+ "metaTitle.N": "{0} ({1})"
+ },
+ "vs/editor/contrib/gotoSymbol/referencesModel": {
+ "aria.oneReference": "{1}. satır {2}. sütundaki {0} sembolü",
+ "aria.oneReference.preview": "{1}. satır {2}. sütunda bulunan {0} içindeki sembol, {3}",
+ "aria.fileReferences.1": "{0} içinde 1 sembol; tam yol {1}",
+ "aria.fileReferences.N": "{1} öğesinde {0} sembol; tam yol {2}",
+ "aria.result.0": "Sonuç bulunamadı",
+ "aria.result.1": "{0} içinde 1 sembol bulundu",
+ "aria.result.n1": "{1} içinde {0} sembol bulundu",
+ "aria.result.nm": "{1} dosyada {0} sembol bulundu"
+ },
+ "vs/editor/contrib/gotoSymbol/symbolNavigation": {
+ "location.kb": "Sembol {0}/{1}, sonraki için {2}",
+ "location": "Sembol {1} / {0}"
+ },
+ "vs/editor/contrib/hover/modesContentHover": {
+ "modesContentHover.loading": "Yükleniyor...",
+ "peek problem": "Soruna Gözat",
+ "noQuickFixes": "Hızlı düzeltme yok",
+ "checkingForQuickFixes": "Hızlı düzeltmeler denetleniyor...",
+ "quick fixes": "Hızlı Düzeltme..."
+ },
+ "vs/editor/contrib/gotoError/gotoErrorWidget": {
+ "Error": "Hata",
+ "Warning": "Uyarı",
+ "Info": "Bilgi",
+ "Hint": "İpucu",
+ "marker aria": "{0}, konum: {1}. ",
+ "problems": "{1}/{0} sorun",
+ "change": "{1} / {0} sorun",
+ "editorMarkerNavigationError": "Düzenleyici işaretçi gezinmesi pencere öğesi hata rengi.",
+ "editorMarkerNavigationWarning": "Düzenleyici işaretleyici gezinmesi pencere öğesi uyarı rengi.",
+ "editorMarkerNavigationInfo": "Düzenleyici işaretleyici gezinmesi pencere öğesi bilgi rengi.",
+ "editorMarkerNavigationBackground": "Düzenleyici işaretçi gezinmesi pencere öğesi arka planı."
+ },
+ "vs/editor/contrib/parameterHints/parameterHintsWidget": {
+ "parameterHintsNextIcon": "Sonraki parametre ipucunu göster simgesi.",
+ "parameterHintsPreviousIcon": "Önceki parametre ipucunu göster simgesi.",
+ "hint": "{0}, ipucu"
+ },
+ "vs/editor/contrib/rename/renameInputField": {
+ "renameAriaLabel": "Girişi yeniden adlandırın. Yeni adı yazın ve işlemek için Enter tuşuna basın.",
+ "label": "Yeniden adlandırmak için {0}, Önizlemek için {1} tuşlarına basın"
+ },
+ "vs/editor/contrib/suggest/suggestWidget": {
+ "editorSuggestWidgetBackground": "Öneri pencere öğesinin arka plan rengi.",
+ "editorSuggestWidgetBorder": "Öneri pencere öğesinin kenarlık rengi.",
+ "editorSuggestWidgetForeground": "Öneri pencere öğesinin ön plan rengi.",
+ "editorSuggestWidgetSelectedBackground": "Öneri pencere öğesinde seçilen girişin arka plan rengi.",
+ "editorSuggestWidgetHighlightForeground": "Öneri pencere öğesindeki eşleşme vurgularının rengi.",
+ "suggestWidget.loading": "Yükleniyor...",
+ "suggestWidget.noSuggestions": "Öneri yok.",
+ "ariaCurrenttSuggestionReadDetails": "{0}, belgeler: {1}",
+ "suggest": "Öner"
+ },
+ "vs/editor/contrib/quickAccess/gotoSymbolQuickAccess": {
+ "cannotRunGotoSymbolWithoutEditor": "Bir sembole gitmek için, önce sembol bilgileriyle bir metin düzenleyicisi açın.",
+ "cannotRunGotoSymbolWithoutSymbolProvider": "Etkin metin düzenleyici, sembol bilgileri sağlamıyor.",
+ "noMatchingSymbolResults": "Eşleşen düzenleyici sembolü yok",
+ "noSymbolResults": "Düzenleyici sembolü yok",
+ "openToSide": "Yanda Aç",
+ "openToBottom": "Altta Aç",
+ "symbols": "semboller ({0})",
+ "property": "özellikler ({0})",
+ "method": "metotlar ({0})",
+ "function": "işlevler ({0})",
+ "_constructor": "yapıcılar ({0})",
+ "variable": "değişkenler ({0})",
+ "class": "sınıflar ({0})",
+ "struct": "struct'lar ({0})",
+ "event": "olaylar ({0})",
+ "operator": "operatörler ({0})",
+ "interface": "arabirimler ({0})",
+ "namespace": "ad alanları ({0})",
+ "package": "paketler ({0})",
+ "typeParameter": "tür parametreleri ({0})",
+ "modules": "modüller ({0})",
+ "enum": "sabit listeleri ({0})",
+ "enumMember": "sabit listesi üyeleri ({0})",
+ "string": "dizeler ({0})",
+ "file": "dosyalar ({0})",
+ "array": "diziler ({0})",
+ "number": "sayılar ({0})",
+ "boolean": "boole değerleri ({0})",
+ "object": "nesneler ({0})",
+ "key": "anahtarlar ({0})",
+ "field": "alanlar ({0})",
+ "constant": "sabitler ({0})"
+ },
+ "vs/editor/contrib/snippet/snippetVariables": {
+ "Sunday": "Pazar",
+ "Monday": "Pazartesi",
+ "Tuesday": "Salı",
+ "Wednesday": "Çarşamba",
+ "Thursday": "Perşembe",
+ "Friday": "Cuma",
+ "Saturday": "Cumartesi",
+ "SundayShort": "Paz",
+ "MondayShort": "Pzt",
+ "TuesdayShort": "Sal",
+ "WednesdayShort": "Çar",
+ "ThursdayShort": "Per",
+ "FridayShort": "Cum",
+ "SaturdayShort": "Cmt",
+ "January": "Ocak",
+ "February": "Şubat",
+ "March": "Mart",
+ "April": "Nisan",
+ "May": "Mayıs",
+ "June": "Haziran",
+ "July": "Temmuz",
+ "August": "Ağustos",
+ "September": "Eylül",
+ "October": "Ekim",
+ "November": "Kasım",
+ "December": "Aralık",
+ "JanuaryShort": "Oca",
+ "FebruaryShort": "Şub",
+ "MarchShort": "Mar",
+ "AprilShort": "Nis",
+ "MayShort": "May",
+ "JuneShort": "Haz",
+ "JulyShort": "Tem",
+ "AugustShort": "Ağu",
+ "SeptemberShort": "Eyl",
+ "OctoberShort": "Eki",
+ "NovemberShort": "Kas",
+ "DecemberShort": "Ara"
+ },
+ "vs/editor/contrib/documentSymbols/outlineTree": {
+ "title.template": "{0} ({1})",
+ "1.problem": "Bu öğede 1 sorun var",
+ "N.problem": "Bu öğede {0} sorun var",
+ "deep.problem": "Sorunlu öğeler içeriyor",
+ "Array": "dizi",
+ "Boolean": "boolean",
+ "Class": "sınıf",
+ "Constant": "sabit",
+ "Constructor": "yapıcı",
+ "Enum": "sabit listesi",
+ "EnumMember": "sabit listesi üyesi",
+ "Event": "olay",
+ "Field": "alan",
+ "File": "dosya",
+ "Function": "işlev",
+ "Interface": "arabirim",
+ "Key": "anahtar",
+ "Method": "metot",
+ "Module": "modül",
+ "Namespace": "ad alanı",
+ "Null": "null",
+ "Number": "sayı",
+ "Object": "nesne",
+ "Operator": "operatör",
+ "Package": "paket",
+ "Property": "özellik",
+ "String": "dize",
+ "Struct": "struct",
+ "TypeParameter": "tür parametresi",
+ "Variable": "değişken",
+ "symbolIcon.arrayForeground": "Dizi sembolleri için ön plan rengi. Bu semboller ana hatta, içerik haritasında ve öneri pencere öğesinde görünür.",
+ "symbolIcon.booleanForeground": "Boolean sembolleri için ön plan rengi. Bu semboller ana hatta, içerik haritasında ve öneri pencere öğesinde görünür.",
+ "symbolIcon.classForeground": "Sınıf sembolleri için ön plan rengi. Bu semboller ana hatta, içerik haritasında ve öneri pencere öğesinde görünür.",
+ "symbolIcon.colorForeground": "Renk sembolleri için ön plan rengi. Bu semboller ana hatta, içerik haritasında ve öneri pencere öğesinde görünür.",
+ "symbolIcon.constantForeground": "Sabit sembolleri için ön plan rengi. Bu semboller ana hatta, içerik haritasında ve öneri pencere öğesinde görünür.",
+ "symbolIcon.constructorForeground": "Oluşturucu sembolleri için ön plan rengi. Bu semboller ana hatta, içerik haritasında ve öneri pencere öğesinde görünür.",
+ "symbolIcon.enumeratorForeground": "Numaralandırıcı sembolleri için ön plan rengi. Bu semboller ana hatta, içerik haritasında ve öneri pencere öğesinde görünür.",
+ "symbolIcon.enumeratorMemberForeground": "Numaralandırıcı üye sembolleri için ön plan rengi. Bu semboller ana hatta, içerik haritasında ve öneri pencere öğesinde görünür.",
+ "symbolIcon.eventForeground": "Olay sembolleri için ön plan rengi. Bu semboller ana hatta, içerik haritasında ve öneri pencere öğesinde görünür.",
+ "symbolIcon.fieldForeground": "Alan sembolleri için ön plan rengi. Bu semboller ana hatta, içerik haritasında ve öneri pencere öğesinde görünür.",
+ "symbolIcon.fileForeground": "Dosya sembolleri için ön plan rengi. Bu semboller ana hatta, içerik haritasında ve öneri pencere öğesinde görünür.",
+ "symbolIcon.folderForeground": "Klasör sembolleri için ön plan rengi. Bu semboller ana hatta, içerik haritasında ve öneri pencere öğesinde görünür.",
+ "symbolIcon.functionForeground": "İşlev sembolleri için ön plan rengi. Bu semboller ana hatta, içerik haritasında ve öneri pencere öğesinde görünür.",
+ "symbolIcon.interfaceForeground": "Arabirim sembolleri için ön plan rengi. Bu semboller ana hatta, içerik haritasında ve öneri pencere öğesinde görünür.",
+ "symbolIcon.keyForeground": "Anahtar sembolleri için ön plan rengi. Bu semboller ana hatta, içerik haritasında ve öneri pencere öğesinde görünür.",
+ "symbolIcon.keywordForeground": "Anahtar sözcük sembolleri için ön plan rengi. Bu semboller ana hatta, içerik haritasında ve öneri pencere öğesinde görünür.",
+ "symbolIcon.methodForeground": "Metot sembolleri için ön plan rengi. Bu semboller ana hatta, içerik haritasında ve öneri pencere öğesinde görünür.",
+ "symbolIcon.moduleForeground": "Modül sembolleri için ön plan rengi. Bu semboller ana hatta, içerik haritasında ve öneri pencere öğesinde görünür.",
+ "symbolIcon.namespaceForeground": "Ad alanı sembolleri için ön plan rengi. Bu semboller ana hatta, içerik haritasında ve öneri pencere öğesinde görünür.",
+ "symbolIcon.nullForeground": "Null sembolleri için ön plan rengi. Bu semboller ana hatta, içerik haritasında ve öneri pencere öğesinde görünür.",
+ "symbolIcon.numberForeground": "Sayı sembolleri için ön plan rengi. Bu semboller ana hatta, içerik haritasında ve öneri pencere öğesinde görünür.",
+ "symbolIcon.objectForeground": "Nesne sembolleri için ön plan rengi. Bu semboller ana hatta, içerik haritasında ve öneri pencere öğesinde görünür.",
+ "symbolIcon.operatorForeground": "Operatör sembolleri için ön plan rengi. Bu semboller ana hatta, içerik haritasında ve öneri pencere öğesinde görünür.",
+ "symbolIcon.packageForeground": "Paket sembolleri için ön plan rengi. Bu semboller ana hatta, içerik haritasında ve öneri pencere öğesinde görünür.",
+ "symbolIcon.propertyForeground": "Özellik sembolleri için ön plan rengi. Bu semboller ana hatta, içerik haritasında ve öneri pencere öğesinde görünür.",
+ "symbolIcon.referenceForeground": "Başvuru sembolleri için ön plan rengi. Bu semboller ana hatta, içerik haritasında ve öneri pencere öğesinde görünür.",
+ "symbolIcon.snippetForeground": "Kod parçacığı sembolleri için ön plan rengi. Bu semboller ana hatta, içerik haritasında ve öneri pencere öğesinde görünür.",
+ "symbolIcon.stringForeground": "Dize sembolleri için ön plan rengi. Bu semboller ana hatta, içerik haritasında ve öneri pencere öğesinde görünür.",
+ "symbolIcon.structForeground": "Struct sembolleri için ön plan rengi. Bu semboller ana hatta, içerik haritasında ve öneri pencere öğesinde görünür.",
+ "symbolIcon.textForeground": "Metin sembolleri için ön plan rengi. Bu semboller ana hatta, içerik haritasında ve öneri pencere öğesinde görünür.",
+ "symbolIcon.typeParameterForeground": "Tür parametresi sembolleri için ön plan rengi. Bu semboller ana hatta, içerik haritasında ve öneri pencere öğesinde görünür.",
+ "symbolIcon.unitForeground": "Birim sembolleri için ön plan rengi. Bu semboller ana hatta, içerik haritasında ve öneri pencere öğesinde görünür.",
+ "symbolIcon.variableForeground": "Değişken sembolleri için ön plan rengi. Bu semboller ana hatta, içerik haritasında ve öneri pencere öğesinde görünür."
+ },
+ "vs/editor/contrib/gotoSymbol/peek/referencesWidget": {
+ "missingPreviewMessage": "önizleme yok",
+ "noResults": "Sonuç yok",
+ "peekView.alternateTitle": "Başvurular"
+ },
+ "vs/editor/contrib/suggest/suggestWidgetDetails": {
+ "details.close": "Kapat",
+ "loading": "Yükleniyor..."
+ },
+ "vs/editor/contrib/suggest/suggestWidgetStatus": {
+ "ddd": "{0} ({1})"
+ },
+ "vs/editor/contrib/suggest/suggestWidgetRenderer": {
+ "suggestMoreInfoIcon": "Öneri arabirim öğesindeki daha fazla bilgi simgesi.",
+ "readMore": "Daha Fazla Bilgi Edinin"
+ },
+ "vs/editor/contrib/codeAction/lightBulbWidget": {
+ "prefferedQuickFixWithKb": "Düzeltmeleri Göster. Tercih Edilen Düzeltme Kullanılabilir ({0})",
+ "quickFixWithKb": "Düzeltmeleri Göster ({0})",
+ "quickFix": "Düzeltmeleri Göster"
+ },
+ "vs/editor/contrib/gotoSymbol/peek/referencesTree": {
+ "referencesCount": "{0} başvuru",
+ "referenceCount": "{0} başvuru",
+ "treeAriaLabel": "Başvurular"
+ },
+ "vs/platform/environment/node/argvHelper": {
+ "unknownOption": "Uyarı: '{0}' bilinen seçenekler listesinde değil, ancak yine de Electron'a/Chromium'a geçirildi.",
+ "multipleValues": "'{0}' seçeneği birden çok kez tanımlanmış. '{1}' değeri kullanılıyor.",
+ "gotoValidation": "`--goto` modundaki bağımsız değişkenler `DOSYA(:SATIR(:KARAKTER))` biçiminde olmalıdır."
+ },
+ "vs/platform/request/common/request": {
+ "httpConfigurationTitle": "HTTP",
+ "proxy": "Kullanılacak ara sunucu ayarı. Ayarlanmamışsa, `http_proxy` ve `https_proxy` ortam değişkenlerinden devralınır.",
+ "strictSSL": "Ara sunucu sertifikasının sağlanan CA listesine göre doğrulanıp doğrulanmayacağını denetler.",
+ "proxyAuthorization": "Her ağ isteği için `Proxy-Authorization` üst bilgisi olarak gönderilecek değer.",
+ "proxySupportOff": "Uzantılar için ara sunucu desteğini devre dışı bırak.",
+ "proxySupportOn": "Uzantılar için ara sunucu desteğini etkinleştir.",
+ "proxySupportOverride": "Uzantılar için ara sunucu desteğini etkinleştir, istek seçeneklerini geçersiz kıl.",
+ "proxySupport": "Uzantılar için ara sunucu desteğini kullan.",
+ "systemCertificates": "CA sertifikalarının işletim sisteminden mi yükleneceğini denetler. (Windows ve macOS üzerinde, bu ayar kapatıldıktan sonra pencerenin yeniden yüklenmesi gerekir.)"
+ },
+ "vs/platform/files/common/fileService": {
+ "invalidPath": "'{0}' göreli dosya yoluna sahip dosya sistemi sağlayıcısı çözümlenemiyor",
+ "noProviderFound": "'{0}' kaynağı için dosya sistemi sağlayıcısı bulunamadı",
+ "fileNotFoundError": "Var olmayan '{0}' dosyası çözümlenemiyor",
+ "fileExists": "Zaten var olan '{0}' dosyası, üzerine yazma bayrağı ayarlanmadığından oluşturulamıyor",
+ "err.write": "'{0}' ({1}) dosyası yazılamıyor",
+ "fileIsDirectoryWriteError": "Aslında bir dizin olan '{0}' dosyasına yazılamıyor",
+ "fileModifiedError": "Dosya Şu Tarihten Sonra Değiştirildi",
+ "err.read": "'{0}' ({1}) dosyası okunamıyor",
+ "fileIsDirectoryReadError": "'{0}' dosyası aslında bir dizin olduğundan okunamıyor",
+ "fileNotModifiedError": "Dosya şu tarihten sonra değiştirilmedi",
+ "fileTooLargeError": "Açılamayacak kadar büyük olan '{0}' dosyası okunamıyor",
+ "unableToMoveCopyError1": "'{0}' kaynağı, büyük/küçük harfe duyarsız bir dosya sisteminde büyük/küçük harfleri farklı bir yoldaki '{1}' hedefiyle aynı olduğunda kopyalanamaz",
+ "unableToMoveCopyError2": "'{0}' kaynağı '{1}' hedefinin üst öğesi olduğundan taşıma/kopyalama işlemi yapılamıyor.",
+ "unableToMoveCopyError3": "'{1}' hedefte zaten mevcut olduğundan, '{0}' taşınamıyor/kopyalanamıyor.",
+ "unableToMoveCopyError4": "Dosya kendisini içeren klasörün yerine geçeceğinden '{0}', '{1}' içine taşınamıyor/kopyalanamıyor.",
+ "mkdirExistsError": "Zaten var olan ancak bir dizin olmayan '{0}' klasörü oluşturulamıyor",
+ "deleteFailedTrashUnsupported": "Sağlayıcı tarafından desteklenmediği için '{0}' dosyası, çöpe atılarak silinemiyor.",
+ "deleteFailedNotFound": "Mevcut olmayan '{0}' dosyası silinemiyor",
+ "deleteFailedNonEmptyFolder": "Boş olmayan '{0}' klasörü silinemiyor.",
+ "err.readonly": "'{0}' adlı salt okunur dosyada değişiklik yapılamıyor"
+ },
+ "vs/platform/files/node/diskFileSystemProvider": {
+ "fileExists": "Dosya zaten var",
+ "fileNotExists": "Dosya yok",
+ "moveError": "'{0}', '{1}' ({2}) içine taşınamıyor.",
+ "copyError": "'{0}', '{1}' ({2}) içine kopyalanamıyor.",
+ "fileCopyErrorPathCase": "'Dosya, büyük/küçük harfleri farklı olan aynı yola kopyalanamaz",
+ "fileCopyErrorExists": "Hedefte dosya zaten var"
+ },
+ "vs/platform/files/common/files": {
+ "unknownError": "Bilinmeyen Hata",
+ "sizeB": "{0} Bayt",
+ "sizeKB": "{0} KB",
+ "sizeMB": "{0} MB",
+ "sizeGB": "{0} GB",
+ "sizeTB": "{0} TB"
+ },
+ "vs/platform/update/common/update.config.contribution": {
+ "updateConfigurationTitle": "Güncelleştir",
+ "updateMode": "Otomatik güncelleştirmeleri alıp almayacağınızı yapılandırın. Değişiklikten sonra yeniden başlatma gerektirir. Güncelleştirmeler bir Microsoft çevrimiçi hizmetinden getirilir.",
+ "none": "Güncelleştirmeleri devre dışı bırak.",
+ "manual": "Otomatik arka plan güncelleştirme denetimlerini devre dışı bırak. El ile denetlerseniz güncelleştirmeler kullanılabilir.",
+ "start": "Güncelleştirmeleri yalnızca başlangıçta denetle. Otomatik arka plan güncelleştirme denetimlerini devre dışı bırak.",
+ "default": "Otomatik güncelleştirme denetimlerini etkinleştir. Kod, güncelleştirmeleri otomatik ve düzenli olarak denetler.",
+ "deprecated": "Bu ayar kullanım dışı; lütfen yerine '{0}' kullanın.",
+ "enableWindowsBackgroundUpdatesTitle": "Windows'da Arka Plan Güncelleştirmelerini Etkinleştir",
+ "enableWindowsBackgroundUpdates": "Windows'da yeni VS Code sürümlerini arka planda indirip yüklemeyi etkinleştir",
+ "showReleaseNotes": "Bir güncelleştirmeden sonra Sürüm Notlarını göster. Sürüm Notları bir Microsoft çevrimiçin hizmetinden getirilir."
+ },
+ "vs/platform/environment/node/argv": {
+ "optionsUpperCase": "Seçenekler",
+ "extensionsManagement": "Uzantı Yönetimi",
+ "troubleshooting": "Sorun Giderme",
+ "diff": "İki dosyayı birbiriyle karşılaştır.",
+ "add": "Klasörleri son etkin pencereye ekle.",
+ "goto": "Belirtilen satır ve karakter konumundaki yolda bulunan bir dosyayı açın.",
+ "newWindow": "Yeni bir pencereyi açılmaya zorla.",
+ "reuseWindow": "Daha önce açılmış bir pencerede dosya veya klasörü açılmaya zorla.",
+ "wait": "Dönmeden önce dosyaların kapatılmasını bekleyin.",
+ "locale": "Kullanılacak yerel ayar (örneğin en-US veya zh-TW).",
+ "userDataDir": "Kullanıcı verilerinin tutulduğu dizini belirtir. Birden çok bağımsız Code örneğini açmak için kullanılabilir.",
+ "help": "Kullanımı yazdır.",
+ "extensionHomePath": "Uzantılar için kök yolunu ayarla.",
+ "listExtensions": "Yüklü uzantıları listele.",
+ "showVersions": "--list-extension değişkenini kullanırken yüklü uzantıların sürümlerini göster.",
+ "category": "Filtreler, --list-extension kullanılırken, uzantıları sağlanan kategoriye göre yükledi.",
+ "installExtension": "Uzantıyı yükler veya güncelleştirir. Bir uzantının tanımlayıcısı her zaman `${yayımcı}.${ad}` şeklindedir. En son sürüme güncelleştirmek için `--force` bağımsız değişkenini kullanın. Belirli bir sürümü yüklemek için `@${sürüm}` belirtin. Örneğin: 'vscode.csharp@1.2.3'.",
+ "uninstallExtension": "Uzantı kaldırır.",
+ "experimentalApis": "Uzantılar için önerilen API özelliklerini etkinleştirir. Ayrı olarak etkinleştirmek üzere bir veya daha fazla uzantı kimliği alabilir.",
+ "version": "Sürümü yazdır.",
+ "verbose": "Ayrıntılı çıkışı yazdır (--wait gerektirir).",
+ "log": "Kullanılacak günlük düzeyi. Varsayılan: 'info'. İzin verilen değerler: 'critical', 'error', 'warn', 'info', 'debug', 'trace', 'off'.",
+ "status": "İşlem kullanımını ve tanılama bilgilerini yazdır.",
+ "prof-startup": "Başlatma sırasında CPU profil oluşturucusunu çalıştır",
+ "disableExtensions": "Tüm yüklü uzantıları devre dışı bırak.",
+ "disableExtension": "Uzantıyı devre dışı bırak.",
+ "turn sync": "Eşitlemeyi aç veya kapat",
+ "inspect-extensions": "Uzantılarda hata ayıklamaya ve profil oluşturmaya izin ver. Bağlantı URI'si için geliştirici araçlarını denetleyin.",
+ "inspect-brk-extensions": "Uzantı konağını başlattıktan sonra duraklatarak uzantılarda hata ayıklamaya ve profil oluşturmaya izin verin. Bağlantı URI'si için geliştirici araçlarını denetleyin.",
+ "disableGPU": "GPU donanım hızlandırmasını devre dışı bırak.",
+ "maxMemory": "Bir pencere için maksimum bellek boyutu (MB cinsinden).",
+ "telemetry": "VS Code'un topladığı tüm telemetri olaylarını gösterir.",
+ "usage": "Kullanım",
+ "options": "seçenekler",
+ "paths": "yollar",
+ "stdinWindows": "Başka bir programın çıkışını okumak için sonuna '-' ekleyin (örneğin 'echo Hello World | {0}-')",
+ "stdinUnix": "stdin'den okumak için sona '-' ekleyin (ör. 'ps aux | grep code | {0} -')",
+ "unknownVersion": "Bilinmeyen sürüm",
+ "unknownCommit": "Bilinmeyen commit"
+ },
+ "vs/platform/extensionManagement/common/extensionManagement": {
+ "extensions": "Uzantılar",
+ "preferences": "Tercihler"
+ },
+ "vs/platform/extensionManagement/node/extensionManagementService": {
+ "incompatible": "VS Code '{1}' ile uyumlu olmadığından '{0}' uzantısı yüklenemiyor.",
+ "restartCode": "{0} öğesini yeniden yüklemeden önce lütfen VS Code'u yeniden başlatın.",
+ "MarketPlaceDisabled": "Market etkin değil",
+ "malicious extension": "Sorunlu olduğu bildirildiğinden uzantı yüklenemiyor.",
+ "notFoundCompatibleDependency": "'{0}' uzantısı, geçerli VS Code sürümü (sürüm {1}) ile uyumlu olmadığından yüklenemiyor.",
+ "Not a Marketplace extension": "Yalnızca Market Uzantıları yeniden yüklenebilir",
+ "removeError": "{0} uzantısı kaldırılırken hata oluştu. Yeniden denemeden önce lütfen VS Code'u kapatıp tekrar başlatın.",
+ "quitCode": "Uzantı yüklenemiyor. Yeniden yüklemeden önce lütfen VS Code'u kapatıp tekrar başlatın.",
+ "exitCode": "Uzantı yüklenemiyor. Yeniden yüklemeden önce lütfen VS Code'u kapatıp tekrar başlatın.",
+ "notInstalled": "'{0}' uzantısı yüklü değil.",
+ "singleDependentError": "'{0}' uzantısı kaldırılamıyor. '{1}' uzantısı bu uzantıya bağımlı.",
+ "twoDependentsError": "'{0}' uzantısı kaldırılamıyor. '{1}' ve '{2}' uzantıları bu uzantıya bağımlı.",
+ "multipleDependentsError": "'{0}' uzantısı kaldırılamıyor. '{1}' ve '{2}' uzantıları ve başka uzantılar bu uzantıya bağımlı.",
+ "singleIndirectDependentError": "'{0}' uzantısı kaldırılamıyor. '{1}' uzantısının kaldırılmasını içeriyor ancak '{2}' uzantısı buna bağlı.",
+ "twoIndirectDependentsError": "'{0}' uzantısı kaldırılamıyor. '{1}' uzantısının kaldırılmasını içeriyor ancak '{2}' ve '{3}' uzantıları buna bağlı.",
+ "multipleIndirectDependentsError": "'{0}' uzantısı kaldırılamıyor. '{1}' uzantısının kaldırılmasını içeriyor ancak '{2}', '{3}' ve diğer uzantılar buna bağlı.",
+ "notExists": "Uzantı bulunamadı"
+ },
+ "vs/platform/telemetry/common/telemetryService": {
+ "telemetryConfigurationTitle": "Telemetri",
+ "telemetry.enableTelemetry": "Kullanım verilerinin ve hataların bir Microsoft çevrimiçi hizmetine gönderilmesini etkinleştir.",
+ "telemetry.enableTelemetryMd": "Kullanım verilerinin ve hatalarının bir Microsoft çevrimiçi hizmetine gönderilmesini etkinleştirin. [Buradaki]({0}) gizlilik bildirimimizi okuyun."
+ },
+ "vs/platform/extensionManagement/node/extensionManagementUtil": {
+ "invalidManifest": "VSIX geçersiz: package.json bir JSON dosyası değil."
+ },
+ "vs/platform/userDataSync/common/userDataSync": {
+ "settings sync": "Ayarları Eşitleme",
+ "settingsSync.keybindingsPerPlatform": "Her platform için tuş bağlamalarını eşitleyin.",
+ "sync.keybindingsPerPlatform.deprecated": "Kullanım dışı; yerine settingsSync.keybindingsPerPlatform kullanın",
+ "settingsSync.ignoredExtensions": "Eşitleme sırasında yoksayılacak uzantıların listesi. Bir uzantının tanımlayıcısı her zaman `${publisher}.${name}` şeklindedir. Örneğin: `vscode.csharp`.",
+ "app.extension.identifier.errorMessage": "Beklenen biçim '${publisher}.${name}'. Örnek: 'vscode.csharp'.",
+ "sync.ignoredExtensions.deprecated": "Kullanım dışı; yerine settingsSync.ignoredExtensions kullanın",
+ "settingsSync.ignoredSettings": "Eşitleme sırasında yoksayılacak ayarları yapılandırın.",
+ "sync.ignoredSettings.deprecated": "Kullanım dışı; yerine settingsSync.ignoredSettings kullanın"
+ },
+ "vs/platform/extensionManagement/electron-sandbox/extensionTipsService": {
+ "exeRecommended": "{0} sisteminizde yüklü. Önerilen uzantılarını yüklemek istiyor musunuz?"
+ },
+ "vs/platform/userDataSync/common/userDataSyncMachines": {
+ "error incompatible": "Geçerli sürüm uyumsuz olduğundan makine verileri okunamıyor. Lütfen {0} uygulamasını güncelleştirip yeniden deneyin."
+ },
+ "vs/platform/userDataSync/common/userDataAutoSyncService": {
+ "default service changed": "Varsayılan hizmet değiştiğinden eşitleme yapılamıyor",
+ "service changed": "Eşitleme hizmeti değiştiğinden eşitleme yapılamıyor",
+ "turned off": "Bulutta eşitleme kapatıldığından eşitleme yapılamıyor",
+ "session expired": "Geçerli oturumun süresi dolduğundan eşitleme yapılamıyor",
+ "turned off machine": "Bu makinede eşitleme başka bir makineden kapatılmış olduğundan eşitleme yapılamıyor."
+ },
+ "vs/platform/workspaces/common/workspaces": {
+ "codeWorkspace": "Kod Çalışma Alanı"
+ },
+ "vs/platform/files/electron-browser/diskFileSystemProvider": {
+ "binFailed": "'{0}' geri dönüşüm kutusuna taşınamadı",
+ "trashFailed": "'{0}' çöp kutusuna taşınamadı"
+ },
+ "vs/platform/dialogs/common/dialogs": {
+ "moreFile": "...1 ek dosya gösterilmedi",
+ "moreFiles": "...{0} ek dosya gösterilmedi"
+ },
+ "vs/platform/theme/common/colorRegistry": {
+ "foreground": "Genel ön plan rengi. Bu renk yalnızca bir bileşen tarafından geçersiz kılınmamışsa kullanılır.",
+ "errorForeground": "Hata iletileri için genel ön plan rengi. Bu renk yalnızca bir bileşen tarafından geçersiz kılınmamışsa kullanılır.",
+ "descriptionForeground": "Etiket gibi ek bilgi sağlayan açıklama metin için ön plan rengi.",
+ "iconForeground": "Workbench simgelerin varsayılan rengi.",
+ "focusBorder": "Odaklanılan öğeler için genel kenarlık rengi. Bu renk yalnızca bir bileşen tarafından geçersiz kılınmamışsa kullanılır.",
+ "contrastBorder": "Daha fazla karşıtlık için öğelerin çevresindeki, bunları diğerlerinden ayırmaya yönelik fazladan kenarlık.",
+ "activeContrastBorder": "Daha fazla karşıtlık için etkin öğelerin çevresindeki, bunları diğerlerinden ayırmaya yönelik fazladan bir kenarlık.",
+ "selectionBackground": "Workbench'teki metin seçimlerinin arka plan rengi (örneğin, giriş alanları veya metin alanları için). Bunun düzenleyici içindeki seçimler için geçerli olmadığını unutmayın.",
+ "textSeparatorForeground": "Metin ayırıcılarının rengi.",
+ "textLinkForeground": "Metindeki bağlantılar için ön plan rengi.",
+ "textLinkActiveForeground": "Tıklandığında ve fareyle üzerine gelindiğinde metindeki bağlantılar için ön plan rengi.",
+ "textPreformatForeground": "Önceden biçimlendirilmiş metin dilimleri için ön plan rengi.",
+ "textBlockQuoteBackground": "Metindeki blok alıntılar için arka plan rengi.",
+ "textBlockQuoteBorder": "Metindeki blok alıntılar için kenarlık rengi.",
+ "textCodeBlockBackground": "Metindeki kod blokları için arka plan rengi.",
+ "widgetShadow": "Düzenleyici içinde bulma/değiştirme gibi pencere öğelerinin gölge rengi.",
+ "inputBoxBackground": "Giriş kutusu arka planı.",
+ "inputBoxForeground": "Giriş kutusu ön planı.",
+ "inputBoxBorder": "Giriş kutusu kenarlığı.",
+ "inputBoxActiveOptionBorder": "Giriş alanlarındaki etkinleştirilen seçeneklerin kenarlık rengi.",
+ "inputOption.activeBackground": "Giriş alanlarındaki etkinleştirilen seçeneklerin arka plan rengi.",
+ "inputOption.activeForeground": "Giriş alanlarında etkinleştirilmiş seçeneklerin ön plan rengi.",
+ "inputPlaceholderForeground": "Yer tutucu metnin giriş kutusu ön plan rengi.",
+ "inputValidationInfoBackground": "Bilgi önem derecesi için giriş doğrulama arka plan rengi.",
+ "inputValidationInfoForeground": "Bilgi önem derecesi için giriş doğrulama ön plan rengi.",
+ "inputValidationInfoBorder": "Bilgi önem derecesi için giriş doğrulama kenarlık rengi.",
+ "inputValidationWarningBackground": "Uyarı önem derecesi için giriş doğrulama arka plan rengi.",
+ "inputValidationWarningForeground": "Uyarı önem derecesi için giriş doğrulama ön plan rengi.",
+ "inputValidationWarningBorder": "Uyarı önem derecesi için giriş doğrulama kenarlık rengi.",
+ "inputValidationErrorBackground": "Hata önem derecesi için giriş doğrulama arka plan rengi.",
+ "inputValidationErrorForeground": "Hata önem derecesi için giriş doğrulama ön plan rengi.",
+ "inputValidationErrorBorder": "Hata önem derecesi için giriş doğrulama kenarlık rengi.",
+ "dropdownBackground": "Açılır liste arka planı.",
+ "dropdownListBackground": "Açılır liste arka planı.",
+ "dropdownForeground": "Açılır liste ön planı.",
+ "dropdownBorder": "Açılır liste kenarlığı.",
+ "checkbox.background": "Onay kutusu pencere öğesinin arka plan rengi.",
+ "checkbox.foreground": "Onay kutusu pencere öğesinin ön plan rengi.",
+ "checkbox.border": "Onay kutusu pencere öğesinin kenarlık rengi.",
+ "buttonForeground": "Düğme ön plan rengi.",
+ "buttonBackground": "Düğme arka plan rengi.",
+ "buttonHoverBackground": "Üzerinde gelindiğinde düğme arka plan rengi.",
+ "buttonSecondaryForeground": "İkincil düğme ön plan rengi.",
+ "buttonSecondaryBackground": "İkincil düğme arka plan rengi.",
+ "buttonSecondaryHoverBackground": "Üzerinde gelindiğinde ikincil düğme arka plan rengi.",
+ "badgeBackground": "Rozet arka plan rengi. Rozetler, arama sonuçları sayısı gibi bilgiler için küçük etiketlerdir.",
+ "badgeForeground": "Rozet ön plan rengi. Rozetler, arama sonuçları sayısı gibi bilgiler için küçük etiketlerdir.",
+ "scrollbarShadow": "Görünümün kaydırıldığını göstermek için kaydırma çubuğu gölgesi.",
+ "scrollbarSliderBackground": "Kaydırma çubuğu kaydırıcısı arka plan rengi.",
+ "scrollbarSliderHoverBackground": "Üzerinde gezinme sırasında kaydırma çubuğu kaydırıcısı arka plan rengi.",
+ "scrollbarSliderActiveBackground": "Tıklandığında kaydırma çubuğu kaydırıcısı arka plan rengi.",
+ "progressBarBackground": "Uzun süre çalışan işlemler için gösterilebilecek ilerleme çubuğunun arka plan rengi.",
+ "editorError.background": "Düzenleyicide hata metninin arka plan rengi. Alttaki süslemeleri gizlememesi için rengin opak olmaması gerekir.",
+ "editorError.foreground": "Düzenleyicideki hata dalgalı çizgilerinin ön plan rengi.",
+ "errorBorder": "Düzenleyicideki hata kutularının kenarlık rengi.",
+ "editorWarning.background": "Düzenleyicide uyarı metninin arka plan rengi. Alttaki süslemeleri gizlememesi için rengin opak olmaması gerekir.",
+ "editorWarning.foreground": "Düzenleyicideki uyarı dalgalı çizgilerinin ön plan rengi.",
+ "warningBorder": "Düzenleyicideki uyarı kutularının kenarlık rengi.",
+ "editorInfo.background": "Düzenleyicide bilgi metninin arka plan rengi. Alttaki süslemeleri gizlememesi için rengin opak olmaması gerekir.",
+ "editorInfo.foreground": "Düzenleyicideki bilgi dalgalı çizgilerinin ön plan rengi.",
+ "infoBorder": "Düzenleyicideki bilgi kutularının kenarlık rengi.",
+ "editorHint.foreground": "Düzenleyicideki ipucu dalgalı çizgilerinin ön plan rengi.",
+ "hintBorder": "Düzenleyicideki ipucu kutularının kenarlık rengi.",
+ "sashActiveBorder": "Etkin kuşakların kenarlık rengi.",
+ "editorBackground": "Düzenleyici arka plan rengi.",
+ "editorForeground": "Düzenleyici varsayılan ön plan rengi.",
+ "editorWidgetBackground": "Bul/değiştir gibi düzenleyici pencere öğelerinin arka plan rengi.",
+ "editorWidgetForeground": "Bul/değiştir gibi düzenleyici pencere öğelerinin ön plan rengi.",
+ "editorWidgetBorder": "Düzenleyici pencere öğelerinin kenarlık rengi. Renk, yalnızca pencere öğesinin bir kenarlığı olursa ve bir pencere öğesi tarafından geçersiz kılınmazsa kullanılır.",
+ "editorWidgetResizeBorder": "Düzenleyici pencere öğelerinin yeniden boyutlandırma çubuğunun kenarlık rengi. Renk, yalnızca pencere öğesinin bir yeniden boyutlandırma kenarlığı olursa ve bir pencere öğesi tarafından geçersiz kılınmazsa kullanılır.",
+ "pickerBackground": "Hızlı seçici arka plan rengi. Hızlı seçici pencere öğesi, komut paleti gibi seçicilerin kapsayıcısıdır.",
+ "pickerForeground": "Hızlı seçici ön plan rengi. Hızlı seçici pencere öğesi, komut paleti gibi seçicilerin kapsayıcısıdır.",
+ "pickerTitleBackground": "Hızlı seçici başlık arka plan rengi. Hızlı seçici pencere öğesi, komut paleti gibi seçicilerin kapsayıcısıdır.",
+ "pickerGroupForeground": "Etiketleri gruplamak için hızlı seçici rengi.",
+ "pickerGroupBorder": "Kenarlıkları gruplamak için hızlı seçici rengi.",
+ "editorSelectionBackground": "Düzenleyici seçiminin rengi.",
+ "editorSelectionForeground": "Seçili metnin yüksek karşıtlık için rengi.",
+ "editorInactiveSelection": "Etkin olmayan bir düzenleyicideki seçimin rengi. Alttaki süslemeleri gizlememesi için rengin opak olmaması gerekir.",
+ "editorSelectionHighlight": "Seçimle aynı içeriğe sahip bölgelerin rengi. Alttaki süslemeleri gizlememesi için rengin opak olmaması gerekir.",
+ "editorSelectionHighlightBorder": "Seçimle aynı içeriğe sahip bölgeler için kenarlık rengi.",
+ "editorFindMatch": "Geçerli arama eşleşmesinin rengi.",
+ "findMatchHighlight": "Diğer arama eşleşmelerinin rengi. Alttaki süslemeleri gizlememesi için rengin opak olmaması gerekir.",
+ "findRangeHighlight": "Aramayı sınırlayan aralığın rengi. Alttaki süslemeleri gizlememesi için rengin opak olmaması gerekir.",
+ "editorFindMatchBorder": "Geçerli arama eşleşmesinin kenarlık rengi.",
+ "findMatchHighlightBorder": "Diğer arama eşleşmelerinin kenarlık rengi.",
+ "findRangeHighlightBorder": "Aramayı sınırlayan aralığın kenarlık rengi. Alttaki süslemeleri gizlememesi için rengin opak olmaması gerekir.",
+ "searchEditor.queryMatch": "Arama Düzenleyicisi sorgu eşleşmelerinin rengi.",
+ "searchEditor.editorFindMatchBorder": "Arama Düzenleyicisi sorgu eşleşmelerinin kenarlık rengi.",
+ "hoverHighlight": "Vurgulama gösterilen sözcüğün altındaki vurgu. Alttaki süslemeleri gizlememek için rengin opak olmaması gerekir.",
+ "hoverBackground": "Düzenleyici vurgulamasının arka plan rengi.",
+ "hoverForeground": "Düzenleyici vurgulamasının ön plan rengi.",
+ "hoverBorder": "Düzenleyici vurgulamasının kenarlık rengi.",
+ "statusBarBackground": "Düzenleyici üzerinde gezinme durum çubuğunun arka plan rengi.",
+ "activeLinkForeground": "Etkin bağlantıların rengi.",
+ "editorLightBulbForeground": "Ampul eylemleri simgesi için kullanılan renk.",
+ "editorLightBulbAutoFixForeground": "Ampul otomatik düzeltme eylemleri simgesi için kullanılan renk.",
+ "diffEditorInserted": "Eklenen metin için arka plan rengi. Alttaki süslemeleri gizlememesi için rengin opak olmaması gerekir.",
+ "diffEditorRemoved": "Kaldırılan metin için arka plan rengi. Alttaki süslemeleri gizlememesi için rengin opak olmaması gerekir.",
+ "diffEditorInsertedOutline": "Yerleştirilen metin için ana hat rengi.",
+ "diffEditorRemovedOutline": "Kaldırılan metin için ana hat rengi.",
+ "diffEditorBorder": "İki metin düzenleyici arasındaki kenarlık rengi.",
+ "diffDiagonalFill": "Fark düzenleyicisinin çapraz dolgusunun rengi. Çapraz dolgu yan yana fark görünümlerinde kullanılır.",
+ "listFocusBackground": "Liste/ağaç etkinken odaklanılan öğe için liste/ağaç arka plan rengi. Etkin bir liste/ağaç klavye odağına sahiptir, etkin olmayan değildir.",
+ "listFocusForeground": "Liste/ağaç etkinken odaklanılan öğenin liste/ağaç ön plan rengi. Etkin bir liste/ağaç klavye odağına sahiptir, etkin olmayan değildir.",
+ "listActiveSelectionBackground": "Liste/ağaç etkinken seçili öğe için liste/ağaç arka plan rengi. Etkin bir liste/ağaç klavye odağına sahiptir, etkin olmayan değildir.",
+ "listActiveSelectionForeground": "Liste/ağaç etkinken seçili öğe için liste/ağaç ön plan rengi. Etkin bir liste/ağaç klavye odağına sahiptir, etkin olmayan değildir.",
+ "listInactiveSelectionBackground": "Liste/ağaç etkin olmadığında seçili öğe için liste/ağaç arka plan rengi. Etkin bir liste/ağaç klavye odağına sahiptir, etkin olmayan değildir.",
+ "listInactiveSelectionForeground": "Liste/ağaç etkin olmadığında seçili öğe için liste/ağaç ön plan rengi. Etkin bir liste/ağaç klavye odağına sahiptir, etkin olmayan değildir.",
+ "listInactiveFocusBackground": "Liste/ağaç etkin olmadığında odaklanılan öğenin liste/ağaç arka plan rengi. Etkin bir liste/ağaç klavye odağına sahiptir, etkin olmayan değildir.",
+ "listHoverBackground": "Fare kullanılarak öğeler üzerinde gelindiğinde liste/ağaç arka planı.",
+ "listHoverForeground": "Fare kullanılarak öğeler üzerine gelindiğinde liste/ağaç ön planı.",
+ "listDropBackground": "Öğeler fare kullanılarak taşıdığında liste/ağaç sürükleyip bırakma arka planı.",
+ "highlight": "Listede/ağaçta arama yapılırken eşleşme vurgularının liste/ağaç ön plan rengi.",
+ "invalidItemForeground": "Geçersiz öğeler için liste/ağaç ön plan rengi; örneğin, gezginde çözümlenmemiş bir kök.",
+ "listErrorForeground": "Hata içeren liste öğelerinin ön plan rengi.",
+ "listWarningForeground": "Uyarı içeren liste öğelerinin ön plan rengi.",
+ "listFilterWidgetBackground": "Listelerde ve ağaçlarda tür filtresi pencere öğesinin arka plan rengi.",
+ "listFilterWidgetOutline": "Listelerde ve ağaçlarda tür filtresi pencere öğesinin ana hat rengi.",
+ "listFilterWidgetNoMatchesOutline": "Bir eşleşme olmadığında, listelerde ve ağaçlarda tür filtresi pencere öğesinin ana hat rengi.",
+ "listFilterMatchHighlight": "Filtrelenen eşleşmenin arka plan rengi.",
+ "listFilterMatchHighlightBorder": "Filtrelenen eşleşme kenarlık rengi.",
+ "treeIndentGuidesStroke": "Girinti kılavuzları için ağaç fırça darbesi rengi.",
+ "listDeemphasizedForeground": "Vurgulanmış öğeler için liste/ağaç ön plan rengi. ",
+ "menuBorder": "Menülerin kenarlık rengi.",
+ "menuForeground": "Menü öğelerinin ön plan rengi.",
+ "menuBackground": "Menü öğelerinin arka plan rengi.",
+ "menuSelectionForeground": "Menülerdeki seçili menü öğesinin ön plan rengi.",
+ "menuSelectionBackground": "Menülerdeki seçili menü öğesinin arka plan rengi.",
+ "menuSelectionBorder": "Menülerdeki seçili menü öğesinin kenarlık rengi.",
+ "menuSeparatorBackground": "Menülerdeki ayırıcı menü öğesinin rengi.",
+ "snippetTabstopHighlightBackground": "Kod parçacığı sekme durağının vurgu arka plan rengi.",
+ "snippetTabstopHighlightBorder": "Kod parçacığı sekme durağı için vurgu kenarlık rengi.",
+ "snippetFinalTabstopHighlightBackground": "Bir parçacığının son sekme durağının vurgu arka plan rengi.",
+ "snippetFinalTabstopHighlightBorder": "Bir kod parçacığının son sekme durağının vurgu kenarlık rengi.",
+ "breadcrumbsFocusForeground": "Odaklanılmış içerik haritası öğelerinin rengi.",
+ "breadcrumbsBackground": "İçerik haritası öğelerinin arka plan rengi.",
+ "breadcrumbsSelectedForegound": "Seçili içerik haritası öğelerinin rengi.",
+ "breadcrumbsSelectedBackground": "İçerik haritası öğe seçicisinin arka plan rengi.",
+ "mergeCurrentHeaderBackground": "Satır içi birleştirme çakışmalarındaki geçerli üst bilgi arka planı. Alttaki süslemeleri gizlememek için rengin opak olmaması gerekir.",
+ "mergeCurrentContentBackground": "Satır içi birleştirme çakışmalarındaki geçerli içerik arka planı. Alttaki süslemeleri gizlememek için rengin opak olmaması gerekir.",
+ "mergeIncomingHeaderBackground": "Satır içi birleştirme çakışmalarında gelen üst bilgi arka planı. Alttaki süslemeleri gizlememesi için rengin opak olmaması gerekir.",
+ "mergeIncomingContentBackground": "Satır içi birleştirme çakışmalarında gelen içerik arka planı. Alttaki süslemeleri gizlememesi için rengin opak olmaması gerekir.",
+ "mergeCommonHeaderBackground": "Satır içi birleştirme çakışmalarında ortak üst öğe üst bilgisi arka planı. Alttaki süslemeleri gizlememesi için rengin opak olmaması gerekir.",
+ "mergeCommonContentBackground": "Satır içi birleştirme çakışmalarında ortak üst öğe içeriği arka planı. Alttaki süslemeleri gizlememesi için rengin opak olmaması gerekir.",
+ "mergeBorder": "Üst bilginin ve satır içi birleştirme çakışmalarındaki ayırıcının kenarlık rengi.",
+ "overviewRulerCurrentContentForeground": "Satır içi birleştirme çakışmalarındaki geçerli genel bakış cetveli ön planı.",
+ "overviewRulerIncomingContentForeground": "Satır içi birleştirme çakışmalarında gelen genel bakış cetveli ön planı.",
+ "overviewRulerCommonContentForeground": "Satır içi birleştirme çakışmalarında ortak üst öğe genel bakış cetveli ön planı.",
+ "overviewRulerFindMatchForeground": "Bulma eşleşmeleri için genel bakış cetveli işaretleyici rengi. Alttaki süslemeleri gizlememesi için rengin opak olmaması gerekir.",
+ "overviewRulerSelectionHighlightForeground": "Seçim vurguları için genel bakış cetveli işaretleme rengi. Alttaki süslemeleri gizlememesi için rengin opak olmaması gerekir.",
+ "minimapFindMatchHighlight": "Bulma eşleştirmeleri için mini harita işaretçi rengi.",
+ "minimapSelectionHighlight": "Düzenleyici seçimi için mini harita işaretçi rengi.",
+ "minimapError": "Hatalar için mini harita işaretçi rengi.",
+ "overviewRuleWarning": "Uyarılar için mini harita işaretçi rengi.",
+ "minimapBackground": "Mini harita arka plan rengi.",
+ "minimapSliderBackground": "Mini harita kaydırıcı arka plan rengi.",
+ "minimapSliderHoverBackground": "Üzerinde gezinildiğinde mini harita kaydırıcı arka plan rengi.",
+ "minimapSliderActiveBackground": "Tıklandığında mini harita kaydırıcı arka plan rengi.",
+ "problemsErrorIconForeground": "Sorun hata simgesi için kullanılan renk.",
+ "problemsWarningIconForeground": "Sorun uyarı simgesi için kullanılan renk.",
+ "problemsInfoIconForeground": "Sorun bilgileri simgesi için kullanılan renk.",
+ "chartsForeground": "Grafiklerde kullanılan ön plan rengi.",
+ "chartsLines": "Grafiklerdeki yatay çizgiler için kullanılan renk.",
+ "chartsRed": "Grafik görselleştirmelerinde kullanılan kırmızı renk.",
+ "chartsBlue": "Grafik görselleştirmelerinde kullanılan mavi renk.",
+ "chartsYellow": "Grafik görselleştirmelerinde kullanılan sarı renk.",
+ "chartsOrange": "Grafik görselleştirmelerinde kullanılan turuncu renk.",
+ "chartsGreen": "Grafik görselleştirmelerinde kullanılan yeşil renk.",
+ "chartsPurple": "Grafik görselleştirmelerinde kullanılan mor renk."
+ },
+ "vs/platform/configuration/common/configurationRegistry": {
+ "defaultLanguageConfigurationOverrides.title": "Varsayılan Dil Yapılandırması Geçersiz Kılmaları",
+ "defaultLanguageConfiguration.description": "{0} dili için geçersiz kılınacak ayarları yapılandırın.",
+ "overrideSettings.defaultDescription": "Bir dil için geçersiz kılınacak düzenleyici ayarlarını yapılandırın.",
+ "overrideSettings.errorMessage": "Bu ayar, dile özel yapılandırmayı desteklemez.",
+ "config.property.empty": "Boş bir özellik kaydedilemez",
+ "config.property.languageDefault": "'{0}' kaydedilemiyor. Bu, dile özgü düzenleyici ayarlarını açıklayan '\\\\[.* \\\\]$' özellik deseniyle eşleşiyor. 'configurationDefaults' katkısını kullanın.",
+ "config.property.duplicate": "'{0}' kaydedilemiyor. Bu özellik zaten kayıtlı."
+ },
+ "vs/platform/markers/common/markers": {
+ "sev.error": "Hata",
+ "sev.warning": "Uyarı",
+ "sev.info": "Bilgi"
+ },
+ "vs/platform/windows/electron-main/windowsMainService": {
+ "pathNotExistTitle": "Yol yok",
+ "pathNotExistDetail": "'{0}' yolu diskte artık yok gibi görünüyor.",
+ "uriInvalidTitle": "URI açılamıyor",
+ "uriInvalidDetail": "'{0}' URI'si geçerli değil ve açılamıyor.",
+ "ok": "Tamam"
+ },
+ "vs/platform/issue/electron-main/issueMainService": {
+ "local": "Yerel",
+ "issueReporterWriteToClipboard": "GitHub'a doğrudan gönderilemeyecek kadar çok veri var. Veriler panoya kopyalanacak. Lütfen verileri açılan GitHub sorunu sayfasına yapıştırın.",
+ "ok": "Tamam",
+ "cancel": "İptal",
+ "confirmCloseIssueReporter": "Girişiniz kaydedilmeyecek. Bu pencereyi kapatmak istediğinizden emin misiniz?",
+ "yes": "Evet",
+ "issueReporter": "Sorun Bildirici",
+ "processExplorer": "İşlem Gezgini"
+ },
+ "vs/platform/workspaces/electron-main/workspacesHistoryMainService": {
+ "newWindow": "Yeni Pencere",
+ "newWindowDesc": "Yeni bir pencere açar",
+ "recentFolders": "Son Çalışma Alanları",
+ "folderDesc": "{0} {1}",
+ "workspaceDesc": "{0} {1}",
+ "untitledWorkspace": "Adsız (Çalışma Alanı)",
+ "workspaceName": "{0} (Çalışma Alanı)"
+ },
+ "vs/platform/workspaces/electron-main/workspacesMainService": {
+ "ok": "Tamam",
+ "workspaceOpenedMessage": "'{0}' çalışma alanı kaydedilemiyor",
+ "workspaceOpenedDetail": "Çalışma alanı başka bir pencerede zaten açık. Lütfen önce bu pencereyi kapatın ve yeniden deneyin."
+ },
+ "vs/platform/dialogs/electron-main/dialogs": {
+ "open": "Aç",
+ "openFolder": "Klasör Aç",
+ "openFile": "Dosyayı Aç",
+ "openWorkspaceTitle": "Çalışma Alanını Aç",
+ "openWorkspace": "&&Aç"
+ },
+ "vs/platform/files/common/io": {
+ "fileTooLargeForHeapError": "Bu boyuttaki bir dosyayı açmak için yeniden başlatmanız ve dosyaya daha fazla bellek kullanma izni vermeniz gerekir",
+ "fileTooLargeError": "Dosya açılamayacak kadar büyük"
+ },
+ "vs/platform/extensions/common/extensionValidator": {
+ "versionSyntax": "`engines.vscode` değeri {0} ayrıştırılamadı. Lütfen ^1.22.0, ^1.22.x gibi bir değer kullanın.",
+ "versionSpecificity1": "`engines.vscode` ({0}) içinde belirtilen sürüm yeterince açık değil. 1.0.0'den önceki vscode sürümleri için lütfen istenen birincil ve ikincil sürümü belirtin. Örneğin ^0.10.0, 0.10.x, 0.11.0 vb.",
+ "versionSpecificity2": "`engines.vscode` ({0}) içinde belirtilen sürüm yeterince açık değil. 1.0.0 sonrası vscode sürümleri için lütfen en azından istenen birincil sürümü tanımlayın. Örneğin ^1.10.0, 1.10.x, 1.x.x, 2.x.x vb.",
+ "versionMismatch": "Uzantı {0} Koduyla uyumlu değil. Uzantı şunları gerektiriyor: {1}."
+ },
+ "vs/platform/extensionManagement/node/extensionsScanner": {
+ "errorDeleting": "'{1}' uzantısı yüklenirken mevcut '{0}' klasörü silinemiyor. Lütfen klasörü el ile silip yeniden deneyin",
+ "cannot read": "Uzantı, {0} konumundan okunamıyor",
+ "renameError": "{0}, {1} olarak yeniden adlandırılırken bilinmeyen hata oluştu",
+ "invalidManifest": "Uzantı geçersiz: package.json bir JSON dosyası değil."
+ },
+ "vs/platform/userDataSync/common/keybindingsSync": {
+ "errorInvalidSettings": "Dosyadaki içerik geçersiz olduğundan tuş bağlamalar eşitlenemiyor. Lütfen dosyayı açıp düzeltin."
+ },
+ "vs/platform/userDataSync/common/settingsSync": {
+ "errorInvalidSettings": "Ayarlar dosyasında hatalar/uyarılar olduğundan ayarlar eşitlenemiyor."
+ },
+ "vs/platform/list/browser/listService": {
+ "workbenchConfigurationTitle": "Workbench",
+ "multiSelectModifier.ctrlCmd": "Windows ve Linux'ta `Control`, macOS'te `Command` ile eşlenir.",
+ "multiSelectModifier.alt": "Windows ve Linux'ta `Alt`, macOS'te `Option` ile eşlenir.",
+ "multiSelectModifier": "Ağaçlara ve listelere fare ile çoklu seçim yapılabilecek bir öğe eklemek için kullanılacak değiştirici (örneğin gezginde, açık düzenleyicilerde ve SCM görünümünde). 'Yanda Aç' fare hareketleri destekleniyorsa, birden çok öğe seçme değiştiricisi ile çakışmayacak şekilde uyarlanır.",
+ "openModeModifier": "Ağaç ve listelerdeki öğelerin fare kullanılarak nasıl açılacağını denetler (destekleniyorsa). Ağaçlarda alt öğeleri olan üst öğelerde bu ayar, üst öğenin tek tıklamayla mı yoksa çift tıklamayla mı açılacağını denetler. Bazı ağaç ve listeler için geçerli değilse bu ayar yoksayılabilir. ",
+ "horizontalScrolling setting": "Liste ve ağaçların workbench'te yatay kaydırmayı destekleyip desteklemeyeceğini denetler. Uyarı: Bu ayarı açmanın, performansa etkisi olur.",
+ "tree indent setting": "Piksel cinsinden ağaç girintilemesini denetler.",
+ "render tree indent guides": "Ağacın girinti kılavuzlarını işleyip işlemeyeceğini denetler.",
+ "list smoothScrolling setting": "Liste ve ağaçlarda düzgün kaydırma olup olmayacağını denetler.",
+ "keyboardNavigationSettingKey.simple": "Basit klavye gezintisi, klavye girişiyle eşleşen öğelere odaklanır. Eşleşme yalnızca ön eklerde yapılır.",
+ "keyboardNavigationSettingKey.highlight": "Vurgu klavye gezintisi, klavye girişiyle eşleşen öğeleri vurgular. Gezinti yukarı ve aşağı yönde sürdürüldüğünde yalnızca vurgulanan öğelerde dolaşılır.",
+ "keyboardNavigationSettingKey.filter": "Filtre klavye gezintisi, klavye girişiyle eşleşmeyen tüm öğeleri filtreler ve gizler.",
+ "keyboardNavigationSettingKey": "Workbench'teki liste ve ağaçların klavye gezinti stilini denetler. Basit, vurgu ve filtre olabilir.",
+ "automatic keyboard navigation setting": "Liste ve ağaçlarda klavye gezinmesinin otomatik tetiklenmesi için yazmaya başlamanın yeterli olup olmadığını denetler. `false` olarak ayarlanırsa klavye gezinmesi yalnızca bir klavye kısayolu atayabileceğiniz `list.toggleKeyboardNavigation` komutu yürütülürken tetiklenir.",
+ "expand mode": "Klasör adları tıklandığında ağaç klasörlerinin nasıl genişletileceğini denetler."
+ },
+ "vs/platform/undoRedo/common/undoRedoService": {
+ "externalRemoval": "Şu dosyalar diskte kapatıldı ve değiştirildi: {0}.",
+ "noParallelUniverses": "Şu dosyalar uyumsuz bir şekilde değiştirildi: {0}.",
+ "cannotWorkspaceUndo": "'{0}' tüm dosyalarda geri alınamadı. {1}",
+ "cannotWorkspaceUndoDueToChanges": "{1} üzerinde değişiklikler yapıldığından '{0}' tüm dosyalarda geri alınamadı",
+ "cannotWorkspaceUndoDueToInProgressUndoRedo": "{1} üzerinde zaten çalışan bir geri alma veya yineleme işlemi olduğundan '{0}' tüm dosyalarda geri alınamadı",
+ "cannotWorkspaceUndoDueToInMeantimeUndoRedo": "Aynı anda bir geri alma veya yineleme işlemi yapılmakta olduğundan '{0}' tüm dosyalarda geri alınamadı",
+ "confirmWorkspace": "'{0}' işlemini tüm dosyalarda geri almak istiyor musunuz?",
+ "ok": "{0} Dosyada Geri Al",
+ "nok": "Bu Dosyayı Geri Al",
+ "cancel": "İptal",
+ "cannotResourceUndoDueToInProgressUndoRedo": "Zaten çalışmakta olan bir geri alma veya yineleme işlemi olduğundan '{0}' geri alınamadı.",
+ "confirmDifferentSource": "'{0}' öğesini geri almak istiyor musunuz?",
+ "confirmDifferentSource.ok": "Geri Al",
+ "cannotWorkspaceRedo": "'{0}' tüm dosyalarda yinelenemiyor. {1}",
+ "cannotWorkspaceRedoDueToChanges": "{1} üzerinde değişiklikler yapıldığından '{0}' tüm dosyalarda yinelenemiyor",
+ "cannotWorkspaceRedoDueToInProgressUndoRedo": "{1} üzerinde zaten çalışan bir geri alma veya yineleme işlemi olduğundan '{0}' tüm dosyalarda yinelenemiyor",
+ "cannotWorkspaceRedoDueToInMeantimeUndoRedo": "Aynı anda bir geri alma veya yineleme işlemi yapılmakta olduğu için '{0}' işlemi tüm dosyalarda yinelenemedi",
+ "cannotResourceRedoDueToInProgressUndoRedo": "Zaten çalışmakta olan bir geri alma veya yineleme işlemi olduğundan '{0}' yinelenemedi."
+ },
+ "vs/platform/actions/browser/menuEntryActionViewItem": {
+ "titleAndKb": "{0} ({1})"
+ },
+ "vs/platform/theme/common/iconRegistry": {
+ "iconDefintion.fontId": "Kullanılacak yazı tipinin kimliği. Ayarlanmamışsa, ilk olarak tanımlanan yazı tipi kullanılır.",
+ "iconDefintion.fontCharacter": "Simge tanımıyla ilişkilendirilen yazı tipi karakteri.",
+ "widgetClose": "Pencere öğelerindeki kapatma eylemi için simge.",
+ "previousChangeIcon": "Önceki düzenleyici konumuna git simgesi.",
+ "nextChangeIcon": "Sonraki düzenleyici konumuna git simgesi."
+ },
+ "vs/platform/menubar/electron-main/menubar": {
+ "miNewWindow": "Yeni &&Pencere",
+ "mFile": "&&Dosya",
+ "mEdit": "&&Düzenle",
+ "mSelection": "&&Seçim",
+ "mView": "&&Görünüm",
+ "mGoto": "&&Git",
+ "mRun": "&&Çalıştır",
+ "mTerminal": "&&Terminal",
+ "mWindow": "Pencere",
+ "mHelp": "&&Yardım",
+ "mAbout": "{0} Hakkında",
+ "miPreferences": "&&Tercihler",
+ "mServices": "Hizmetler",
+ "mHide": "{0} öğesini gizle",
+ "mHideOthers": "Diğerlerini Gizle",
+ "mShowAll": "Tümünü Göster",
+ "miQuit": "{0} uygulamasından çık",
+ "mMinimize": "Simge durumuna küçült",
+ "mZoom": "Yakınlaştırma",
+ "mBringToFront": "Tümünü Öne Getir",
+ "miSwitchWindow": "&&Pencere Değiştir...",
+ "mNewTab": "Yeni Sekme",
+ "mShowPreviousTab": "Önceki Sekmeyi Göster",
+ "mShowNextTab": "Sonraki Sekmeyi Göster",
+ "mMoveTabToNewWindow": "Sekmeyi Yeni Pencereye Taşı",
+ "mMergeAllWindows": "Tüm Pencereleri Birleştir",
+ "miCheckForUpdates": "&&Güncelleştirmeleri Denetle...",
+ "miCheckingForUpdates": "Güncelleştirmeler Denetleniyor...",
+ "miDownloadUpdate": "Kullanılabilir Güncelleştirmeyi İ&&ndir",
+ "miDownloadingUpdate": "Güncelleştirme İndiriliyor...",
+ "miInstallUpdate": "&&Güncelleştirmeyi Yükle...",
+ "miInstallingUpdate": "Güncelleştirme yükleniyor...",
+ "miRestartToUpdate": "&&Güncellemek için Yeniden Başlat"
+ },
+ "vs/platform/userDataSync/common/abstractSynchronizer": {
+ "incompatible": "{1} yerel sürümü {2} uzak sürümüyle uyumlu olmadığından {0} eşitlenemiyor",
+ "incompatible sync data": "Eşitleme verileri, geçerli sürümle uyumlu olmadıklarından ayrıştırılamıyor."
+ },
+ "vs/platform/keybinding/common/abstractKeybindingService": {
+ "first.chord": "({0}) basıldı. Akorun ikinci tuşu bekleniyor...",
+ "missing.chord": "({0}, {1}) tuş bileşimi bir komut değil."
+ },
+ "vs/platform/quickinput/browser/helpQuickAccess": {
+ "globalCommands": "genel komutlar",
+ "editorCommands": "düzenleyici komutları",
+ "helpPickAriaLabel": "{0}, {1}"
+ },
+ "vs/platform/theme/common/tokenClassificationRegistry": {
+ "schema.token.settings": "Belirteç için renkler ve stiller.",
+ "schema.token.foreground": "Belirteç için ön plan rengi.",
+ "schema.token.background.warning": "Belirteç arka plan renkleri şu anda desteklenmiyor.",
+ "schema.token.fontStyle": "Kuralın tüm yazı tipi stillerini ayarlar: 'italic', 'bold' veya 'underline' ya da bunların bir bileşimi. Listelenmeyen tüm stillerin ayarı kaldırılır. Boş dize tüm stillerin ayarını kaldırır.",
+ "schema.fontStyle.error": "Yazı tipi stili 'italic', 'bold' veya 'underline' ya da bunların bir bileşimi olmalıdır. Boş dize tüm stillerin ayarlarını kaldırır.",
+ "schema.token.fontStyle.none": "Hiçbiri (devralınan stili temizle)",
+ "schema.token.bold": "Yazı tipi stilini kalın olarak ayarlar veya bu ayarı kaldırır. Not: varsa 'fontStyle' bu ayarı geçersiz kılar.",
+ "schema.token.italic": "Yazı tipi stilini eğik olarak ayarlar ya da bu ayarı kaldırır. Not: varsa 'fontStyle' bu ayarı geçersiz kılar.",
+ "schema.token.underline": "Yazı tipi stilini altı çizili olarak ayarlar veya bu ayarı kaldırır. Not: varsa 'fontStyle' bu ayarı geçersiz kılar.",
+ "comment": "Açıklamalar için stil.",
+ "string": "Dizelerin stili.",
+ "keyword": "Anahtar sözcüklerin stili.",
+ "number": "Sayıların stili.",
+ "regexp": "İfadelerin stili.",
+ "operator": "Operatörlerin stili.",
+ "namespace": "Ad alanlarının stili.",
+ "type": "Türler için stil.",
+ "struct": "struct'lar için stil.",
+ "class": "class'lar için stil.",
+ "interface": "Arabirimlerin stili.",
+ "enum": "Sabit listesi stili.",
+ "typeParameter": "Tür parametreleri için stil.",
+ "function": "İşlevlerin stili",
+ "member": "Üye işlevleri için stil",
+ "method": "Metot için stil (üye işlevleri)",
+ "macro": "Makroların stili.",
+ "variable": "Değişkenler için stil.",
+ "parameter": "Parametrelerin stili.",
+ "property": "Özelliklerin stili.",
+ "enumMember": "Sabit listesi üyelerinin stili.",
+ "event": "Olayların stili.",
+ "labels": "Etiketlerin stili. ",
+ "declaration": "Tüm sembol bildirimleri için stil.",
+ "documentation": "Belgelerdeki başvurular için kullanılacak stil.",
+ "static": "Statik semboller için kullanılacak stil.",
+ "abstract": "Soyut semboller için kullanılacak stil.",
+ "deprecated": "Kullanım dışı semboller için kullanılacak stil.",
+ "modification": "Yazma erişimleri için kullanılacak stil.",
+ "async": "async semboller için kullanılacak stil.",
+ "readonly": "Salt okunur semboller için kullanılacak stil."
+ },
+ "vs/platform/quickinput/browser/commandsQuickAccess": {
+ "commandPickAriaLabelWithKeybinding": "{0}, {1}",
+ "recentlyUsed": "son kullanılanlar",
+ "morecCommands": "diğer komutlar",
+ "canNotRun": "'{0}' komutu bir hatayla sonuçlandı ({1})"
+ }
+}
diff --git a/internal/vite-plugin-monaco-editor-nls/src/locale/uk.json b/internal/vite-plugin-monaco-editor-nls/src/locale/uk.json
new file mode 100644
index 0000000..6b767e3
--- /dev/null
+++ b/internal/vite-plugin-monaco-editor-nls/src/locale/uk.json
@@ -0,0 +1,7291 @@
+{
+ "win32/i18n/Default": {
+ "SetupAppTitle": "Setup",
+ "SetupWindowTitle": "Setup - %1",
+ "UninstallAppTitle": "Видалити",
+ "UninstallAppFullTitle": "%1 видалення",
+ "InformationTitle": "Information",
+ "ConfirmTitle": "Confirm",
+ "ErrorTitle": "Помилка",
+ "SetupLdrStartupMessage": "This will install %1. Do you wish to continue?",
+ "LdrCannotCreateTemp": "Unable to create a temporary file. Setup aborted",
+ "LdrCannotExecTemp": "Unable to execute file in the temporary directory. Setup aborted",
+ "LastErrorMessage": "%1.%n%nError %2: %3",
+ "SetupFileMissing": "The file %1 is missing from the installation directory. Please correct the problem or obtain a new copy of the program.",
+ "SetupFileCorrupt": "Пошкоджені файли інсталяції. Будь ласка, отримайте нову копію програми.",
+ "SetupFileCorruptOrWrongVer": "The setup files are corrupted, or are incompatible with this version of Setup. Please correct the problem or obtain a new copy of the program.",
+ "InvalidParameter": "An invalid parameter was passed on the command line:%n%n%1",
+ "SetupAlreadyRunning": "Встановлення вже запущено.",
+ "WindowsVersionNotSupported": "This program does not support the version of Windows your computer is running.",
+ "WindowsServicePackRequired": "This program requires %1 Service Pack %2 or later.",
+ "NotOnThisPlatform": "This program will not run on %1.",
+ "OnlyOnThisPlatform": "This program must be run on %1.",
+ "OnlyOnTheseArchitectures": "This program can only be installed on versions of Windows designed for the following processor architectures:%n%n%1",
+ "MissingWOW64APIs": "The version of Windows you are running does not include functionality required by Setup to perform a 64-bit installation. To correct this problem, please install Service Pack %1.",
+ "WinVersionTooLowError": "This program requires %1 version %2 or later.",
+ "WinVersionTooHighError": "This program cannot be installed on %1 version %2 or later.",
+ "AdminPrivilegesRequired": "You must be logged in as an administrator when installing this program.",
+ "PowerUserPrivilegesRequired": "You must be logged in as an administrator or as a member of the Power Users group when installing this program.",
+ "SetupAppRunningError": "Setup has detected that %1 is currently running.%n%nPlease close all instances of it now, then click OK to continue, or Cancel to exit.",
+ "UninstallAppRunningError": "Uninstall has detected that %1 is currently running.%n%nPlease close all instances of it now, then click OK to continue, or Cancel to exit.",
+ "ErrorCreatingDir": "Setup was unable to create the directory \"%1\"",
+ "ErrorTooManyFilesInDir": "Unable to create a file in the directory \"%1\" because it contains too many files",
+ "ExitSetupTitle": "Exit Setup",
+ "ExitSetupMessage": "Setup is not complete. If you exit now, the program will not be installed.%n%nYou may run Setup again at another time to complete the installation.%n%nExit Setup?",
+ "AboutSetupMenuItem": "&About Setup...",
+ "AboutSetupTitle": "About Setup",
+ "AboutSetupMessage": "%1 version %2%n%3%n%n%1 home page:%n%4",
+ "ButtonBack": "< &Back",
+ "ButtonNext": "&Next >",
+ "ButtonInstall": "&Install",
+ "ButtonOK": "ОК",
+ "ButtonCancel": "Скасувати",
+ "ButtonYes": "&Yes",
+ "ButtonYesToAll": "Yes to &All",
+ "ButtonNo": "&No",
+ "ButtonNoToAll": "N&o to All",
+ "ButtonFinish": "&Finish",
+ "ButtonBrowse": "&Browse...",
+ "ButtonWizardBrowse": "B&rowse...",
+ "ButtonNewFolder": "&Make New Folder",
+ "SelectLanguageTitle": "Select Setup Language",
+ "SelectLanguageLabel": "Select the language to use during the installation:",
+ "ClickNext": "Click Next to continue, or Cancel to exit Setup.",
+ "BrowseDialogTitle": "Browse For Folder",
+ "BrowseDialogLabel": "Select a folder in the list below, then click OK.",
+ "NewFolderName": "Нова Папка",
+ "WelcomeLabel1": "Welcome to the [name] Setup Wizard",
+ "WelcomeLabel2": "This will install [name/ver] on your computer.%n%nIt is recommended that you close all other applications before continuing.",
+ "WizardPassword": "Password",
+ "PasswordLabel1": "This installation is password protected.",
+ "PasswordLabel3": "Please provide the password, then click Next to continue. Passwords are case-sensitive.",
+ "PasswordEditLabel": "&Password:",
+ "IncorrectPassword": "The password you entered is not correct. Please try again.",
+ "WizardLicense": "License Agreement",
+ "LicenseLabel": "Please read the following important information before continuing.",
+ "LicenseLabel3": "Please read the following License Agreement. You must accept the terms of this agreement before continuing with the installation.",
+ "LicenseAccepted": "I &accept the agreement",
+ "LicenseNotAccepted": "I &do not accept the agreement",
+ "WizardInfoBefore": "Information",
+ "InfoBeforeLabel": "Please read the following important information before continuing.",
+ "InfoBeforeClickLabel": "When you are ready to continue with Setup, click Next.",
+ "WizardInfoAfter": "Information",
+ "InfoAfterLabel": "Please read the following important information before continuing.",
+ "InfoAfterClickLabel": "When you are ready to continue with Setup, click Next.",
+ "WizardUserInfo": "User Information",
+ "UserInfoDesc": "Please enter your information.",
+ "UserInfoName": "&User Name:",
+ "UserInfoOrg": "&Organization:",
+ "UserInfoSerial": "&Serial Number:",
+ "UserInfoNameRequired": "You must enter a name.",
+ "WizardSelectDir": "Select Destination Location",
+ "SelectDirDesc": "Where should [name] be installed?",
+ "SelectDirLabel3": "Setup will install [name] into the following folder.",
+ "SelectDirBrowseLabel": "To continue, click Next. If you would like to select a different folder, click Browse.",
+ "DiskSpaceMBLabel": "At least [mb] MB of free disk space is required.",
+ "CannotInstallToNetworkDrive": "Setup cannot install to a network drive.",
+ "CannotInstallToUNCPath": "Setup cannot install to a UNC path.",
+ "InvalidPath": "You must enter a full path with drive letter; for example:%n%nC:\\APP%n%nor a UNC path in the form:%n%n\\\\server\\share",
+ "InvalidDrive": "The drive or UNC share you selected does not exist or is not accessible. Please select another.",
+ "DiskSpaceWarningTitle": "Not Enough Disk Space",
+ "DiskSpaceWarning": "Setup requires at least %1 KB of free space to install, but the selected drive only has %2 KB available.%n%nDo you want to continue anyway?",
+ "DirNameTooLong": "The folder name or path is too long.",
+ "InvalidDirName": "The folder name is not valid.",
+ "BadDirName32": "Folder names cannot include any of the following characters:%n%n%1",
+ "DirExistsTitle": "Folder Exists",
+ "DirExists": "The folder:%n%n%1%n%nalready exists. Would you like to install to that folder anyway?",
+ "DirDoesntExistTitle": "Folder Does Not Exist",
+ "DirDoesntExist": "The folder:%n%n%1%n%ndoes not exist. Would you like the folder to be created?",
+ "WizardSelectComponents": "Select Components",
+ "SelectComponentsDesc": "Which components should be installed?",
+ "SelectComponentsLabel2": "Select the components you want to install; clear the components you do not want to install. Click Next when you are ready to continue.",
+ "FullInstallation": "Full installation",
+ "CompactInstallation": "Compact installation",
+ "CustomInstallation": "Custom installation",
+ "NoUninstallWarningTitle": "Components Exist",
+ "NoUninstallWarning": "Setup has detected that the following components are already installed on your computer:%n%n%1%n%nDeselecting these components will not uninstall them.%n%nWould you like to continue anyway?",
+ "ComponentSize1": "%1 KB",
+ "ComponentSize2": "%1 MB",
+ "ComponentsDiskSpaceMBLabel": "Current selection requires at least [mb] MB of disk space.",
+ "WizardSelectTasks": "Select Additional Tasks",
+ "SelectTasksDesc": "Which additional tasks should be performed?",
+ "SelectTasksLabel2": "Select the additional tasks you would like Setup to perform while installing [name], then click Next.",
+ "WizardSelectProgramGroup": "Select Start Menu Folder",
+ "SelectStartMenuFolderDesc": "Where should Setup place the program's shortcuts?",
+ "SelectStartMenuFolderLabel3": "Setup will create the program's shortcuts in the following Start Menu folder.",
+ "SelectStartMenuFolderBrowseLabel": "To continue, click Next. If you would like to select a different folder, click Browse.",
+ "MustEnterGroupName": "You must enter a folder name.",
+ "GroupNameTooLong": "The folder name or path is too long.",
+ "InvalidGroupName": "The folder name is not valid.",
+ "BadGroupName": "The folder name cannot include any of the following characters:%n%n%1",
+ "NoProgramGroupCheck2": "&Don't create a Start Menu folder",
+ "WizardReady": "Готове до встановлення",
+ "ReadyLabel1": "Setup is now ready to begin installing [name] on your computer.",
+ "ReadyLabel2a": "Click Install to continue with the installation, or click Back if you want to review or change any settings.",
+ "ReadyLabel2b": "Click Install to continue with the installation.",
+ "ReadyMemoUserInfo": "User information:",
+ "ReadyMemoDir": "Destination location:",
+ "ReadyMemoType": "Setup type:",
+ "ReadyMemoComponents": "Selected components:",
+ "ReadyMemoGroup": "Start Menu folder:",
+ "ReadyMemoTasks": "Additional tasks:",
+ "WizardPreparing": "Preparing to Install",
+ "PreparingDesc": "Setup is preparing to install [name] on your computer.",
+ "PreviousInstallNotCompleted": "The installation/removal of a previous program was not completed. You will need to restart your computer to complete that installation.%n%nAfter restarting your computer, run Setup again to complete the installation of [name].",
+ "CannotContinue": "Setup cannot continue. Please click Cancel to exit.",
+ "ApplicationsFound": "The following applications are using files that need to be updated by Setup. It is recommended that you allow Setup to automatically close these applications.",
+ "ApplicationsFound2": "The following applications are using files that need to be updated by Setup. It is recommended that you allow Setup to automatically close these applications. After the installation has completed, Setup will attempt to restart the applications.",
+ "CloseApplications": "&Automatically close the applications",
+ "DontCloseApplications": "&Do not close the applications",
+ "ErrorCloseApplications": "Setup was unable to automatically close all applications. It is recommended that you close all applications using files that need to be updated by Setup before continuing.",
+ "WizardInstalling": "Встановлення",
+ "InstallingLabel": "Please wait while Setup installs [name] on your computer.",
+ "FinishedHeadingLabel": "Completing the [name] Setup Wizard",
+ "FinishedLabelNoIcons": "Setup has finished installing [name] on your computer.",
+ "FinishedLabel": "Setup has finished installing [name] on your computer. The application may be launched by selecting the installed icons.",
+ "ClickFinish": "Click Finish to exit Setup.",
+ "FinishedRestartLabel": "To complete the installation of [name], Setup must restart your computer. Would you like to restart now?",
+ "FinishedRestartMessage": "To complete the installation of [name], Setup must restart your computer.%n%nWould you like to restart now?",
+ "ShowReadmeCheck": "Yes, I would like to view the README file",
+ "YesRadio": "&Yes, restart the computer now",
+ "NoRadio": "&No, I will restart the computer later",
+ "RunEntryExec": "Запуск %1",
+ "RunEntryShellExec": "View %1",
+ "ChangeDiskTitle": "Setup Needs the Next Disk",
+ "SelectDiskLabel2": "Please insert Disk %1 and click OK.%n%nIf the files on this disk can be found in a folder other than the one displayed below, enter the correct path or click Browse.",
+ "PathLabel": "&Path:",
+ "FileNotInDir2": "The file \"%1\" could not be located in \"%2\". Please insert the correct disk or select another folder.",
+ "SelectDirectoryLabel": "Please specify the location of the next disk.",
+ "SetupAborted": "Setup was not completed.%n%nPlease correct the problem and run Setup again.",
+ "EntryAbortRetryIgnore": "Click Retry to try again, Ignore to proceed anyway, or Abort to cancel installation.",
+ "StatusClosingApplications": "Закриття застосунків...",
+ "StatusCreateDirs": "Creating directories...",
+ "StatusExtractFiles": "Видобування файлів...",
+ "StatusCreateIcons": "Creating shortcuts...",
+ "StatusCreateIniEntries": "Creating INI entries...",
+ "StatusCreateRegistryEntries": "Creating registry entries...",
+ "StatusRegisterFiles": "Registering files...",
+ "StatusSavingUninstall": "Saving uninstall information...",
+ "StatusRunProgram": "Finishing installation...",
+ "StatusRestartingApplications": "Restarting applications...",
+ "StatusRollback": "Rolling back changes...",
+ "ErrorInternal2": "Internal error: %1",
+ "ErrorFunctionFailedNoCode": "%1 failed",
+ "ErrorFunctionFailed": "%1 failed; code %2",
+ "ErrorFunctionFailedWithMessage": "%1 failed; code %2.%n%3",
+ "ErrorExecutingProgram": "Unable to execute file:%n%1",
+ "ErrorRegOpenKey": "Error opening registry key:%n%1\\%2",
+ "ErrorRegCreateKey": "Error creating registry key:%n%1\\%2",
+ "ErrorRegWriteKey": "Error writing to registry key:%n%1\\%2",
+ "ErrorIniEntry": "Error creating INI entry in file \"%1\".",
+ "FileAbortRetryIgnore": "Click Retry to try again, Ignore to skip this file (not recommended), or Abort to cancel installation.",
+ "FileAbortRetryIgnore2": "Click Retry to try again, Ignore to proceed anyway (not recommended), or Abort to cancel installation.",
+ "SourceIsCorrupted": "The source file is corrupted",
+ "SourceDoesntExist": "The source file \"%1\" does not exist",
+ "ExistingFileReadOnly": "The existing file is marked as read-only.%n%nClick Retry to remove the read-only attribute and try again, Ignore to skip this file, or Abort to cancel installation.",
+ "ErrorReadingExistingDest": "An error occurred while trying to read the existing file:",
+ "FileExists": "The file already exists.%n%nWould you like Setup to overwrite it?",
+ "ExistingFileNewer": "The existing file is newer than the one Setup is trying to install. It is recommended that you keep the existing file.%n%nDo you want to keep the existing file?",
+ "ErrorChangingAttr": "An error occurred while trying to change the attributes of the existing file:",
+ "ErrorCreatingTemp": "An error occurred while trying to create a file in the destination directory:",
+ "ErrorReadingSource": "An error occurred while trying to read the source file:",
+ "ErrorCopying": "An error occurred while trying to copy a file:",
+ "ErrorReplacingExistingFile": "An error occurred while trying to replace the existing file:",
+ "ErrorRestartReplace": "RestartReplace failed:",
+ "ErrorRenamingTemp": "An error occurred while trying to rename a file in the destination directory:",
+ "ErrorRegisterServer": "Unable to register the DLL/OCX: %1",
+ "ErrorRegSvr32Failed": "RegSvr32 failed with exit code %1",
+ "ErrorRegisterTypeLib": "Unable to register the type library: %1",
+ "ErrorOpeningReadme": "An error occurred while trying to open the README file.",
+ "ErrorRestartingComputer": "Setup was unable to restart the computer. Please do this manually.",
+ "UninstallNotFound": "File \"%1\" does not exist. Cannot uninstall.",
+ "UninstallOpenError": "File \"%1\" could not be opened. Cannot uninstall",
+ "UninstallUnsupportedVer": "The uninstall log file \"%1\" is in a format not recognized by this version of the uninstaller. Cannot uninstall",
+ "UninstallUnknownEntry": "An unknown entry (%1) was encountered in the uninstall log",
+ "ConfirmUninstall": "Are you sure you want to completely remove %1? Extensions and settings will not be removed.",
+ "UninstallOnlyOnWin64": "This installation can only be uninstalled on 64-bit Windows.",
+ "OnlyAdminCanUninstall": "This installation can only be uninstalled by a user with administrative privileges.",
+ "UninstallStatusLabel": "Please wait while %1 is removed from your computer.",
+ "UninstalledAll": "%1 was successfully removed from your computer.",
+ "UninstalledMost": "%1 uninstall complete.%n%nSome elements could not be removed. These can be removed manually.",
+ "UninstalledAndNeedsRestart": "To complete the uninstallation of %1, your computer must be restarted.%n%nWould you like to restart now?",
+ "UninstallDataCorrupted": "\"%1\" file is corrupted. Cannot uninstall",
+ "ConfirmDeleteSharedFileTitle": "Remove Shared File?",
+ "ConfirmDeleteSharedFile2": "The system indicates that the following shared file is no longer in use by any programs. Would you like for Uninstall to remove this shared file?%n%nIf any programs are still using this file and it is removed, those programs may not function properly. If you are unsure, choose No. Leaving the file on your system will not cause any harm.",
+ "SharedFileNameLabel": "File name:",
+ "SharedFileLocationLabel": "Location:",
+ "WizardUninstalling": "Uninstall Status",
+ "StatusUninstalling": "Uninstalling %1...",
+ "ShutdownBlockReasonInstallingApp": "Installing %1.",
+ "ShutdownBlockReasonUninstallingApp": "Uninstalling %1.",
+ "NameAndVersion": "%1 version %2",
+ "AdditionalIcons": "Additional icons:",
+ "CreateDesktopIcon": "Create a &desktop icon",
+ "CreateQuickLaunchIcon": "Create a &Quick Launch icon",
+ "ProgramOnTheWeb": "%1 on the Web",
+ "UninstallProgram": "Uninstall %1",
+ "LaunchProgram": "Launch %1",
+ "AssocFileExtension": "&Associate %1 with the %2 file extension",
+ "AssocingFileExtension": "Associating %1 with the %2 file extension...",
+ "AutoStartProgramGroupDescription": "Startup:",
+ "AutoStartProgram": "Automatically start %1",
+ "AddonHostProgramNotFound": "%1 could not be located in the folder you selected.%n%nDo you want to continue anyway?"
+ },
+ "vs/base/common/severity": {
+ "sev.error": "Помилка",
+ "sev.warning": "Увага",
+ "sev.info": "Інформація"
+ },
+ "vs/base/common/date": {
+ "date.fromNow.now": "now",
+ "date.fromNow.seconds.singular.ago": "{0} sec ago",
+ "date.fromNow.seconds.plural.ago": "{0} secs ago",
+ "date.fromNow.seconds.singular": "{0} sec",
+ "date.fromNow.seconds.plural": "{0} secs",
+ "date.fromNow.minutes.singular.ago": "{0} min ago",
+ "date.fromNow.minutes.plural.ago": "{0} mins ago",
+ "date.fromNow.minutes.singular": "{0} min",
+ "date.fromNow.minutes.plural": "{0} mins",
+ "date.fromNow.hours.singular.ago": "{0} hr ago",
+ "date.fromNow.hours.plural.ago": "{0} hrs ago",
+ "date.fromNow.hours.singular": "{0} hr",
+ "date.fromNow.hours.plural": "{0} hrs",
+ "date.fromNow.days.singular.ago": "{0} day ago",
+ "date.fromNow.days.plural.ago": "{0} days ago",
+ "date.fromNow.days.singular": "{0} day",
+ "date.fromNow.days.plural": "{0} days",
+ "date.fromNow.weeks.singular.ago": "{0} wk ago",
+ "date.fromNow.weeks.plural.ago": "{0} wks ago",
+ "date.fromNow.weeks.singular": "{0} wk",
+ "date.fromNow.weeks.plural": "{0} wks",
+ "date.fromNow.months.singular.ago": "{0} mo ago",
+ "date.fromNow.months.plural.ago": "{0} mos ago",
+ "date.fromNow.months.singular": "{0} mo",
+ "date.fromNow.months.plural": "{0} mos",
+ "date.fromNow.years.singular.ago": "{0} yr ago",
+ "date.fromNow.years.plural.ago": "{0} yrs ago",
+ "date.fromNow.years.singular": "{0} yr",
+ "date.fromNow.years.plural": "{0} yrs"
+ },
+ "vs/base/common/errorMessage": {
+ "stackTrace.format": "{0}: {1}",
+ "nodeExceptionMessage": "Виникла помилка системи ({0})",
+ "error.defaultMessage": "Незрозуміла халепа. Подивись log, щоб побачити більше деталей.",
+ "error.moreErrors": "{0} ({1} помилок усього)"
+ },
+ "vs/base/node/zip": {
+ "invalid file": "Error extracting {0}. Invalid file.",
+ "incompleteExtract": "Незавершено. Знайдено входжень: {0} з {1}",
+ "notFound": "{0} не знайдено всередині zip."
+ },
+ "vs/base/browser/ui/actionbar/actionbar": {
+ "titleLabel": "{0} ({1})"
+ },
+ "vs/base/node/processes": {
+ "TaskRunner.UNC": "Can't execute a shell command on a UNC drive."
+ },
+ "vs/base/browser/ui/aria/aria": {
+ "repeated": "{0} (виникла знову)",
+ "repeatedNtimes": "{0} (occurred {1} times)"
+ },
+ "vs/base/browser/ui/keybindingLabel/keybindingLabel": {
+ "unbound": "незв'язаний"
+ },
+ "vs/base/browser/ui/dialog/dialog": {
+ "ok": "ОК",
+ "dialogClose": "Close Dialog"
+ },
+ "vs/base/common/keybindingLabels": {
+ "ctrlKey": "Ctrl",
+ "shiftKey": "Shift",
+ "altKey": "Alt",
+ "windowsKey": "Windows",
+ "superKey": "Super",
+ "ctrlKey.long": "Control",
+ "shiftKey.long": "Shift",
+ "altKey.long": "Alt",
+ "cmdKey.long": "Command",
+ "windowsKey.long": "Windows",
+ "superKey.long": "Super"
+ },
+ "vs/base/browser/ui/menu/menu": {
+ "titleLabel": "{0} ({1})"
+ },
+ "vs/base/browser/ui/list/listWidget": {
+ "aria list": "{0}. Use the navigation keys to navigate."
+ },
+ "vs/base/common/jsonErrorMessages": {
+ "error.invalidSymbol": "Невірний символ",
+ "error.invalidNumberFormat": "Невірний числовий формат",
+ "error.propertyNameExpected": "Очікується ім'я властивості",
+ "error.valueExpected": "Очікується значення",
+ "error.colonExpected": "Очікується двокрапка",
+ "error.commaExpected": "Очікується кома",
+ "error.closeBraceExpected": "Очікується закриваюча фігурна дужка",
+ "error.closeBracketExpected": "Очікується закриваюча дужка",
+ "error.endOfFileExpected": "Очікується кінець файлу"
+ },
+ "vs/base/browser/ui/toolbar/toolbar": {
+ "moreActions": "More Actions..."
+ },
+ "vs/base/browser/ui/findinput/replaceInput": {
+ "defaultLabel": "введіть",
+ "label.preserveCaseCheckbox": "Preserve Case"
+ },
+ "vs/base/browser/ui/inputbox/inputBox": {
+ "alertErrorMessage": "Помилка: {0}",
+ "alertWarningMessage": "Увага: {0}",
+ "alertInfoMessage": "Інформація: {0}"
+ },
+ "vs/base/browser/ui/findinput/findInput": {
+ "defaultLabel": "введіть"
+ },
+ "vs/base/browser/ui/tree/treeDefaults": {
+ "collapse all": "Згорнути Всі"
+ },
+ "vs/base/browser/ui/findinput/findInputCheckboxes": {
+ "caseDescription": "Порівнювати регістр",
+ "wordsDescription": "Порівнювати ціле слово",
+ "regexDescription": "Застосувати регулярний вираз"
+ },
+ "vs/base/parts/quickinput/browser/quickInput": {
+ "quickInput.back": "Back",
+ "quickInput.steps": "{0}/{1}",
+ "quickInputBox.ariaLabel": "Type to narrow down results.",
+ "inputModeEntry": "Press 'Enter' to confirm your input or 'Escape' to cancel",
+ "inputModeEntryDescription": "{0} (Press 'Enter' to confirm or 'Escape' to cancel)",
+ "quickInput.visibleCount": "{0} Results",
+ "quickInput.countSelected": "{0} Selected",
+ "ok": "ОК",
+ "custom": "Custom",
+ "quickInput.backWithKeybinding": "Back ({0})"
+ },
+ "vs/base/browser/ui/tree/abstractTree": {
+ "clear": "Очистити",
+ "disable filter on type": "Disable Filter on Type",
+ "enable filter on type": "Enable Filter on Type",
+ "empty": "No elements found",
+ "found": "Matched {0} out of {1} elements"
+ },
+ "vs/base/browser/ui/splitview/paneview": {
+ "viewSection": "{0} Section"
+ },
+ "vs/base/browser/ui/menu/menubar": {
+ "mAppMenu": "Application Menu",
+ "mMore": "ще"
+ },
+ "vs/editor/common/services/modelServiceImpl": {
+ "undoRedoConfirm": "Keep the undo-redo stack for {0} in memory ({1} MB)?",
+ "nok": "Відхилити",
+ "ok": "Keep"
+ },
+ "vs/editor/common/standaloneStrings": {
+ "noSelection": "No selection",
+ "singleSelectionRange": "Line {0}, Column {1} ({2} selected)",
+ "singleSelection": "Line {0}, Column {1}",
+ "multiSelectionRange": "{0} selections ({1} characters selected)",
+ "multiSelection": "{0} selections",
+ "emergencyConfOn": "Now changing the setting `accessibilitySupport` to 'on'.",
+ "openingDocs": "Now opening the Editor Accessibility documentation page.",
+ "readonlyDiffEditor": " in a read-only pane of a diff editor.",
+ "editableDiffEditor": " in a pane of a diff editor.",
+ "readonlyEditor": " in a read-only code editor",
+ "editableEditor": " in a code editor",
+ "changeConfigToOnMac": "To configure the editor to be optimized for usage with a Screen Reader press Command+E now.",
+ "changeConfigToOnWinLinux": "To configure the editor to be optimized for usage with a Screen Reader press Control+E now.",
+ "auto_on": "The editor is configured to be optimized for usage with a Screen Reader.",
+ "auto_off": "The editor is configured to never be optimized for usage with a Screen Reader, which is not the case at this time.",
+ "tabFocusModeOnMsg": "Натискання Tab у поточному редакторі перемістить фокус до наступного фокусуючого елемента. Змінити таку поведінку по натисненню {0}.",
+ "tabFocusModeOnMsgNoKb": "Натискання Tab у поточному редакторі перемістить фокус до наступного фокусуючого елемента. Команда {0} в даний час не викликається за допомогою клавіш.",
+ "tabFocusModeOffMsg": "Натискаючи Tab у поточному редакторі, буде вставлено символ табуляції. Увімкніть цю поведінку, натиснувши {0}.",
+ "tabFocusModeOffMsgNoKb": "Натискаючи Tab у поточному редакторі, буде вставлено символ табуляції. Команда {0} в даний час не викликається за допомогою клавіш.",
+ "openDocMac": "Press Command+H now to open a browser window with more information related to editor accessibility.",
+ "openDocWinLinux": "Press Control+H now to open a browser window with more information related to editor accessibility.",
+ "outroMsg": "Ви можете закрити цю підказку і повернутися в редактор, натиснувши клавішу Escape або Shift+Escape.",
+ "showAccessibilityHelpAction": "Довідка про спеціальні можливості",
+ "inspectTokens": "Developer: Inspect Tokens",
+ "gotoLineActionLabel": "Go to Line/Column...",
+ "helpQuickAccess": "Show all Quick Access Providers",
+ "quickCommandActionLabel": "Палітра Команд",
+ "quickCommandActionHelp": "Показувати та запускати команди",
+ "quickOutlineActionLabel": "Go to Symbol...",
+ "quickOutlineByCategoryActionLabel": "Go to Symbol by Category...",
+ "editorViewAccessibleLabel": "Вміст редактора",
+ "accessibilityHelpMessage": "Press Alt+F1 for Accessibility Options.",
+ "toggleHighContrast": "Toggle High Contrast Theme",
+ "bulkEditServiceSummary": "Made {0} edits in {1} files"
+ },
+ "vs/editor/common/modes/modesRegistry": {
+ "plainText.alias": "Звичайний текст"
+ },
+ "vs/editor/common/view/editorColorRegistry": {
+ "lineHighlight": "Фоновий колір для підсвічування рядка на позиції курсора.",
+ "lineHighlightBorderBox": "Фоновий колір обрамлення навколо рядка де знаходиться курсор.",
+ "rangeHighlight": "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.",
+ "rangeHighlightBorder": "Колір фону рамки навколо виділених діапазонів",
+ "symbolHighlight": "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.",
+ "symbolHighlightBorder": "Background color of the border around highlighted symbols.",
+ "caret": "Колір курсора редактора.",
+ "editorCursorBackground": "Тло курсора редактора. Дозволяє обрати колір символів, що покриті блочним курсором.",
+ "editorWhitespaces": "Колір символів пробілу в редакторі.",
+ "editorIndentGuides": "Колір відступних ліній редактора.",
+ "editorActiveIndentGuide": "Color of the active editor indentation guides.",
+ "editorLineNumbers": "Колір нумерації рядків редактора.",
+ "editorActiveLineNumber": "Колір номеру активного рядка редактора",
+ "deprecatedEditorActiveLineNumber": "Id є застарілим. Натомість використовуйте 'editorLineNumber.activeForeground'.",
+ "editorRuler": "Колір лінійок редактора",
+ "editorCodeLensForeground": "Колір тексту в редакторі під кодолінзою",
+ "editorBracketMatchBackground": "Колір фону за парною дужкою",
+ "editorBracketMatchBorder": "Колір для рамок парних дужкою",
+ "editorOverviewRulerBorder": "Колір рамки олядової лінійки.",
+ "editorGutter": "Колір фону поля. Поле містить значки і номери рядків",
+ "unnecessaryCodeBorder": "Border color of unnecessary (unused) source code in the editor.",
+ "unnecessaryCodeOpacity": "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.",
+ "overviewRulerRangeHighlight": "Overview ruler marker color for range highlights. The color must not be opaque so as not to hide underlying decorations.",
+ "overviewRuleError": "Колір для помилок на лінійці огляду",
+ "overviewRuleWarning": "Колір для застережень на лінійці огляду",
+ "overviewRuleInfo": "Колір для інформацій на лінійці огляду"
+ },
+ "vs/editor/common/model/editStack": {
+ "edit": "Typing"
+ },
+ "vs/editor/common/config/commonEditorConfig": {
+ "editorConfigurationTitle": "Редактор",
+ "tabSize": "The number of spaces a tab is equal to. This setting is overridden based on the file contents when `#editor.detectIndentation#` is on.",
+ "insertSpaces": "Insert spaces when pressing `Tab`. This setting is overridden based on the file contents when `#editor.detectIndentation#` is on.",
+ "detectIndentation": "Controls whether `#editor.tabSize#` and `#editor.insertSpaces#` will be automatically detected when a file is opened based on the file contents.",
+ "trimAutoWhitespace": "Remove trailing auto inserted whitespace.",
+ "largeFileOptimizations": "Special handling for large files to disable certain memory intensive features.",
+ "wordBasedSuggestions": "Контролює, чи пропозиції завершення будуть обиратися на основі слів у документі.",
+ "semanticHighlighting.enabled": "Controls whether the semanticHighlighting is shown for the languages that support it.",
+ "stablePeek": "Keep peek editors open even when double clicking their content or when hitting `Escape`.",
+ "maxTokenizationLineLength": "Lines above this length will not be tokenized for performance reasons",
+ "maxComputationTime": "Timeout in milliseconds after which diff computation is cancelled. Use 0 for no timeout.",
+ "sideBySide": "Controls whether the diff editor shows the diff side by side or inline.",
+ "ignoreTrimWhitespace": "When enabled, the diff editor ignores changes in leading or trailing whitespace.",
+ "renderIndicators": "Controls whether the diff editor shows +/- indicators for added/removed changes."
+ },
+ "vs/editor/browser/controller/coreCommands": {
+ "miSelectAll": "&&Select All",
+ "selectAll": "Вибрати Все",
+ "miUndo": "&&Undo",
+ "undo": "Undo",
+ "miRedo": "&&Redo",
+ "redo": "Redo"
+ },
+ "vs/editor/browser/widget/codeEditorWidget": {
+ "cursors.maximum": "Кількість курсорів було обмежено до {0}."
+ },
+ "vs/editor/browser/widget/diffEditorWidget": {
+ "diff.tooLarge": "Не можна порівнювати файли, тому що один з файлів завеликий."
+ },
+ "vs/editor/browser/widget/inlineDiffMargin": {
+ "diff.clipboard.copyDeletedLinesContent.label": "Copy deleted lines",
+ "diff.clipboard.copyDeletedLinesContent.single.label": "Copy deleted line",
+ "diff.clipboard.copyDeletedLineContent.label": "Copy deleted line ({0})",
+ "diff.inline.revertChange.label": "Revert this change"
+ },
+ "vs/editor/common/config/editorOptions": {
+ "accessibilitySupport.auto": "Редактор використовуватиме API платформи, щоб визначити, коли прикріплено читач екрану (Screen Reader).",
+ "accessibilitySupport.on": "Редактор буде перманентно оптимізований для використання з читачем екрану (Screen Reader).",
+ "accessibilitySupport.off": "Редактор ніколи не буде оптимізовано для використання з читачами екрану.",
+ "accessibilitySupport": "Визначає, чи редактор повинен працювати в режимі, коли він оптимізований для читання з екрану.",
+ "comments.insertSpace": "Controls whether a space character is inserted when commenting.",
+ "emptySelectionClipboard": "Контролює, чи при копіюванні без виділення буде скопійовано цілий рядок.",
+ "find.seedSearchStringFromSelection": "Controls whether the search string in the Find Widget is seeded from the editor selection.",
+ "editor.find.autoFindInSelection.never": "Never turn on Find in selection automatically (default)",
+ "editor.find.autoFindInSelection.always": "Always turn on Find in selection automatically",
+ "editor.find.autoFindInSelection.multiline": "Turn on Find in selection automatically when multiple lines of content are selected.",
+ "find.autoFindInSelection": "Controls whether the find operation is carried out on selected text or the entire file in the editor.",
+ "find.globalFindClipboard": "Controls whether the Find Widget should read or modify the shared find clipboard on macOS.",
+ "find.addExtraSpaceOnTop": "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.",
+ "fontLigatures": "Enables/Disables font ligatures.",
+ "fontFeatureSettings": "Explicit font-feature-settings.",
+ "fontLigaturesGeneral": "Configures font ligatures or font features.",
+ "fontSize": "Контролює розмір шрифту в пікселях.",
+ "editor.gotoLocation.multiple.peek": "Show peek view of the results (default)",
+ "editor.gotoLocation.multiple.gotoAndPeek": "Go to the primary result and show a peek view",
+ "editor.gotoLocation.multiple.goto": "Go to the primary result and enable peek-less navigation to others",
+ "editor.gotoLocation.multiple.deprecated": "This setting is deprecated, please use separate settings like 'editor.editor.gotoLocation.multipleDefinitions' or 'editor.editor.gotoLocation.multipleImplementations' instead.",
+ "editor.editor.gotoLocation.multipleDefinitions": "Controls the behavior the 'Go to Definition'-command when multiple target locations exist.",
+ "editor.editor.gotoLocation.multipleTypeDefinitions": "Controls the behavior the 'Go to Type Definition'-command when multiple target locations exist.",
+ "editor.editor.gotoLocation.multipleDeclarations": "Controls the behavior the 'Go to Declaration'-command when multiple target locations exist.",
+ "editor.editor.gotoLocation.multipleImplemenattions": "Controls the behavior the 'Go to Implementations'-command when multiple target locations exist.",
+ "editor.editor.gotoLocation.multipleReferences": "Controls the behavior the 'Go to References'-command when multiple target locations exist.",
+ "alternativeDefinitionCommand": "Alternative command id that is being executed when the result of 'Go to Definition' is the current location.",
+ "alternativeTypeDefinitionCommand": "Alternative command id that is being executed when the result of 'Go to Type Definition' is the current location.",
+ "alternativeDeclarationCommand": "Alternative command id that is being executed when the result of 'Go to Declaration' is the current location.",
+ "alternativeImplementationCommand": "Alternative command id that is being executed when the result of 'Go to Implementation' is the current location.",
+ "alternativeReferenceCommand": "Alternative command id that is being executed when the result of 'Go to Reference' is the current location.",
+ "hover.enabled": "Controls whether the hover is shown.",
+ "hover.delay": "Controls the delay in milliseconds after which the hover is shown.",
+ "hover.sticky": "Controls whether the hover should remain visible when mouse is moved over it.",
+ "codeActions": "Enables the code action lightbulb in the editor.",
+ "lineHeight": "Controls the line height. Use 0 to compute the line height from the font size.",
+ "minimap.enabled": "Controls whether the minimap is shown.",
+ "minimap.size.proportional": "The minimap has the same size as the editor contents (and might scroll).",
+ "minimap.size.fill": "The minimap will stretch or shrink as necessary to fill the height of the editor (no scrolling).",
+ "minimap.size.fit": "The minimap will shrink as necessary to never be larger than the editor (no scrolling).",
+ "minimap.size": "Controls the size of the minimap.",
+ "minimap.side": "Controls the side where to render the minimap.",
+ "minimap.showSlider": "Controls when the minimap slider is shown.",
+ "minimap.scale": "Scale of content drawn in the minimap: 1, 2 or 3.",
+ "minimap.renderCharacters": "Render the actual characters on a line as opposed to color blocks.",
+ "minimap.maxColumn": "Limit the width of the minimap to render at most a certain number of columns.",
+ "padding.top": "Controls the amount of space between the top edge of the editor and the first line.",
+ "padding.bottom": "Controls the amount of space between the bottom edge of the editor and the last line.",
+ "parameterHints.enabled": "Enables a pop-up that shows parameter documentation and type information as you type.",
+ "parameterHints.cycle": "Controls whether the parameter hints menu cycles or closes when reaching the end of the list.",
+ "quickSuggestions.strings": "Дозволити швидкі пропозиції всередині рядка.",
+ "quickSuggestions.comments": "Дозволити швидкі пропозиції всередині коментаря.",
+ "quickSuggestions.other": "Дозволити миттєві пропозиції поза строками та коментарями.",
+ "quickSuggestions": "Controls whether suggestions should automatically show up while typing.",
+ "lineNumbers.off": "Номери рядків не відображаються.",
+ "lineNumbers.on": "Номери рядків відображаються як абсолютне значення.",
+ "lineNumbers.relative": "Номери рядків відображаються як відстань а рядках до позиції курсора.",
+ "lineNumbers.interval": "Номери відображаються кожних 10 рядків.",
+ "lineNumbers": "Controls the display of line numbers.",
+ "rulers.size": "Number of monospace characters at which this editor ruler will render.",
+ "rulers.color": "Color of this editor ruler.",
+ "rulers": "Render vertical rulers after a certain number of monospace characters. Use multiple values for multiple rulers. No rulers are drawn if array is empty.",
+ "suggest.insertMode.insert": "Insert suggestion without overwriting text right of the cursor.",
+ "suggest.insertMode.replace": "Insert suggestion and overwrite text right of the cursor.",
+ "suggest.insertMode": "Controls whether words are overwritten when accepting completions. Note that this depends on extensions opting into this feature.",
+ "suggest.filterGraceful": "Controls whether filtering and sorting suggestions accounts for small typos.",
+ "suggest.localityBonus": "Controls whether sorting favours words that appear close to the cursor.",
+ "suggest.shareSuggestSelections": "Controls whether remembered suggestion selections are shared between multiple workspaces and windows (needs `#editor.suggestSelection#`).",
+ "suggest.snippetsPreventQuickSuggestions": "Controls whether an active snippet prevents quick suggestions.",
+ "suggest.showIcons": "Controls whether to show or hide icons in suggestions.",
+ "suggest.maxVisibleSuggestions": "Controls how many suggestions IntelliSense will show before showing a scrollbar (maximum 15).",
+ "deprecated": "This setting is deprecated, please use separate settings like 'editor.suggest.showKeywords' or 'editor.suggest.showSnippets' instead.",
+ "editor.suggest.showMethods": "When enabled IntelliSense shows `method`-suggestions.",
+ "editor.suggest.showFunctions": "When enabled IntelliSense shows `function`-suggestions.",
+ "editor.suggest.showConstructors": "When enabled IntelliSense shows `constructor`-suggestions.",
+ "editor.suggest.showFields": "When enabled IntelliSense shows `field`-suggestions.",
+ "editor.suggest.showVariables": "When enabled IntelliSense shows `variable`-suggestions.",
+ "editor.suggest.showClasss": "When enabled IntelliSense shows `class`-suggestions.",
+ "editor.suggest.showStructs": "When enabled IntelliSense shows `struct`-suggestions.",
+ "editor.suggest.showInterfaces": "When enabled IntelliSense shows `interface`-suggestions.",
+ "editor.suggest.showModules": "When enabled IntelliSense shows `module`-suggestions.",
+ "editor.suggest.showPropertys": "When enabled IntelliSense shows `property`-suggestions.",
+ "editor.suggest.showEvents": "When enabled IntelliSense shows `event`-suggestions.",
+ "editor.suggest.showOperators": "When enabled IntelliSense shows `operator`-suggestions.",
+ "editor.suggest.showUnits": "When enabled IntelliSense shows `unit`-suggestions.",
+ "editor.suggest.showValues": "When enabled IntelliSense shows `value`-suggestions.",
+ "editor.suggest.showConstants": "When enabled IntelliSense shows `constant`-suggestions.",
+ "editor.suggest.showEnums": "When enabled IntelliSense shows `enum`-suggestions.",
+ "editor.suggest.showEnumMembers": "When enabled IntelliSense shows `enumMember`-suggestions.",
+ "editor.suggest.showKeywords": "When enabled IntelliSense shows `keyword`-suggestions.",
+ "editor.suggest.showTexts": "When enabled IntelliSense shows `text`-suggestions.",
+ "editor.suggest.showColors": "When enabled IntelliSense shows `color`-suggestions.",
+ "editor.suggest.showFiles": "When enabled IntelliSense shows `file`-suggestions.",
+ "editor.suggest.showReferences": "When enabled IntelliSense shows `reference`-suggestions.",
+ "editor.suggest.showCustomcolors": "When enabled IntelliSense shows `customcolor`-suggestions.",
+ "editor.suggest.showFolders": "Коли ввімкнено IntelliSense показує `теку`-пропозиції.",
+ "editor.suggest.showTypeParameters": "When enabled IntelliSense shows `typeParameter`-suggestions.",
+ "editor.suggest.showSnippets": "When enabled IntelliSense shows `snippet`-suggestions.",
+ "editor.suggest.showUsers": "When enabled IntelliSense shows `user`-suggestions.",
+ "editor.suggest.showIssues": "When enabled IntelliSense shows `issues`-suggestions.",
+ "editor.suggest.statusBar.visible": "Controls the visibility of the status bar at the bottom of the suggest widget.",
+ "acceptSuggestionOnCommitCharacter": "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.",
+ "acceptSuggestionOnEnterSmart": "Only accept a suggestion with `Enter` when it makes a textual change.",
+ "acceptSuggestionOnEnter": "Controls whether suggestions should be accepted on `Enter`, in addition to `Tab`. Helps to avoid ambiguity between inserting new lines or accepting suggestions.",
+ "accessibilityPageSize": "Controls the number of lines in the editor that can be read out by a screen reader. Warning: this has a performance implication for numbers larger than the default.",
+ "editorViewAccessibleLabel": "Вміст редактора",
+ "editor.autoClosingBrackets.languageDefined": "Use language configurations to determine when to autoclose brackets.",
+ "editor.autoClosingBrackets.beforeWhitespace": "Autoclose brackets only when the cursor is to the left of whitespace.",
+ "autoClosingBrackets": "Controls whether the editor should automatically close brackets after the user adds an opening bracket.",
+ "editor.autoClosingOvertype.auto": "Type over closing quotes or brackets only if they were automatically inserted.",
+ "autoClosingOvertype": "Controls whether the editor should type over closing quotes or brackets.",
+ "editor.autoClosingQuotes.languageDefined": "Use language configurations to determine when to autoclose quotes.",
+ "editor.autoClosingQuotes.beforeWhitespace": "Autoclose quotes only when the cursor is to the left of whitespace.",
+ "autoClosingQuotes": "Controls whether the editor should automatically close quotes after the user adds an opening quote.",
+ "editor.autoIndent.none": "The editor will not insert indentation automatically.",
+ "editor.autoIndent.keep": "The editor will keep the current line's indentation.",
+ "editor.autoIndent.brackets": "The editor will keep the current line's indentation and honor language defined brackets.",
+ "editor.autoIndent.advanced": "The editor will keep the current line's indentation, honor language defined brackets and invoke special onEnterRules defined by languages.",
+ "editor.autoIndent.full": "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.",
+ "autoIndent": "Controls whether the editor should automatically adjust the indentation when users type, paste, move or indent lines.",
+ "editor.autoSurround.languageDefined": "Use language configurations to determine when to automatically surround selections.",
+ "editor.autoSurround.quotes": "Surround with quotes but not brackets.",
+ "editor.autoSurround.brackets": "Surround with brackets but not quotes.",
+ "autoSurround": "Controls whether the editor should automatically surround selections.",
+ "codeLens": "Controls whether the editor shows CodeLens.",
+ "colorDecorators": "Контролює, чи має редактор відображати вбудовані декоратори кольорів та віджет вибору кольору.",
+ "columnSelection": "Enable that the selection with the mouse and keys is doing column selection.",
+ "copyWithSyntaxHighlighting": "Controls whether syntax highlighting should be copied into the clipboard.",
+ "cursorBlinking": "Control the cursor animation style.",
+ "cursorSmoothCaretAnimation": "Controls whether the smooth caret animation should be enabled.",
+ "cursorStyle": "Controls the cursor style.",
+ "cursorSurroundingLines": "Controls the minimal number of visible leading and trailing lines surrounding the cursor. Known as 'scrollOff' or `scrollOffset` in some other editors.",
+ "cursorSurroundingLinesStyle.default": "`cursorSurroundingLines` is enforced only when triggered via the keyboard or API.",
+ "cursorSurroundingLinesStyle.all": "`cursorSurroundingLines` is enforced always.",
+ "cursorSurroundingLinesStyle": "Controls when `cursorSurroundingLines` should be enforced.",
+ "cursorWidth": "Controls the width of the cursor when `#editor.cursorStyle#` is set to `line`.",
+ "dragAndDrop": "Controls whether the editor should allow moving selections via drag and drop.",
+ "fastScrollSensitivity": "Scrolling speed multiplier when pressing `Alt`.",
+ "folding": "Controls whether the editor has code folding enabled.",
+ "foldingStrategy.auto": "Use a language-specific folding strategy if available, else the indentation-based one.",
+ "foldingStrategy.indentation": "Use the indentation-based folding strategy.",
+ "foldingStrategy": "Controls the strategy for computing folding ranges.",
+ "foldingHighlight": "Controls whether the editor should highlight folded ranges.",
+ "unfoldOnClickAfterEndOfLine": "Controls whether clicking on the empty content after a folded line will unfold the line.",
+ "fontFamily": "Контролює сімейство шрифту.",
+ "fontWeight": "Контролює товщину шрифту.",
+ "formatOnPaste": "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.",
+ "formatOnType": "Controls whether the editor should automatically format the line after typing.",
+ "glyphMargin": "Контролює, чи редактор додає вертикальний відступ для значків. Відступ для значків в основному використовується при відлагодженні програм.",
+ "hideCursorInOverviewRuler": "Controls whether the cursor should be hidden in the overview ruler.",
+ "highlightActiveIndentGuide": "Controls whether the editor should highlight the active indent guide.",
+ "letterSpacing": "Контролює інтервал між літерами в пікселях",
+ "links": "Controls whether the editor should detect links and make them clickable.",
+ "matchBrackets": "Highlight matching brackets.",
+ "mouseWheelScrollSensitivity": "A multiplier to be used on the `deltaX` and `deltaY` of mouse wheel scroll events.",
+ "mouseWheelZoom": "Zoom the font of the editor when using mouse wheel and holding `Ctrl`.",
+ "multiCursorMergeOverlapping": "Merge multiple cursors when they are overlapping.",
+ "multiCursorModifier.ctrlCmd": "Перевизначає в `Control` на Windows та Linux і в `Command` на macOS.",
+ "multiCursorModifier.alt": "Перевизначає `Alt` на Windows та Linux і `Option` на macOS.",
+ "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. [Read more](https://code.visualstudio.com/docs/editor/codebasics#_multicursor-modifier).",
+ "multiCursorPaste.spread": "Each cursor pastes a single line of the text.",
+ "multiCursorPaste.full": "Each cursor pastes the full text.",
+ "multiCursorPaste": "Controls pasting when the line count of the pasted text matches the cursor count.",
+ "occurrencesHighlight": "Controls whether the editor should highlight semantic symbol occurrences.",
+ "overviewRulerBorder": "Controls whether a border should be drawn around the overview ruler.",
+ "peekWidgetDefaultFocus.tree": "Focus the tree when opening peek",
+ "peekWidgetDefaultFocus.editor": "Focus the editor when opening peek",
+ "peekWidgetDefaultFocus": "Controls whether to focus the inline editor or the tree in the peek widget.",
+ "definitionLinkOpensInPeek": "Controls whether the Go to Definition mouse gesture always opens the peek widget.",
+ "quickSuggestionsDelay": "Controls the delay in milliseconds after which quick suggestions will show up.",
+ "renameOnType": "Controls whether the editor auto renames on type.",
+ "renderControlCharacters": "Controls whether the editor should render control characters.",
+ "renderIndentGuides": "Controls whether the editor should render indent guides.",
+ "renderFinalNewline": "Render last line number when the file ends with a newline.",
+ "renderLineHighlight.all": "Highlights both the gutter and the current line.",
+ "renderLineHighlight": "Controls how the editor should render the current line highlight.",
+ "renderLineHighlightOnlyWhenFocus": "Controls if the editor should render the current line highlight only when the editor is focused",
+ "renderWhitespace.selection": "Render whitespace characters only on selected text.",
+ "renderWhitespace": "Controls how the editor should render whitespace characters.",
+ "roundedSelection": "Controls whether selections should have rounded corners.",
+ "scrollBeyondLastColumn": "Controls the number of extra characters beyond which the editor will scroll horizontally.",
+ "scrollBeyondLastLine": "Controls whether the editor will scroll beyond the last line.",
+ "scrollPredominantAxis": "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.",
+ "selectionClipboard": "Controls whether the Linux primary clipboard should be supported.",
+ "selectionHighlight": "Controls whether the editor should highlight matches similar to the selection.",
+ "showFoldingControls.always": "Always show the folding controls.",
+ "showFoldingControls.mouseover": "Only show the folding controls when the mouse is over the gutter.",
+ "showFoldingControls": "Controls when the folding controls on the gutter are shown.",
+ "showUnused": "Controls fading out of unused code.",
+ "snippetSuggestions.top": "Показувати пропозиції сніпетів перед усіма іншими пропозиціями.",
+ "snippetSuggestions.bottom": "Показувати пропозиції сніпетів після усіх інших пропозицій.",
+ "snippetSuggestions.inline": "Показувати пропозиції сніпетів разом з усіма іншими пропозиціями.",
+ "snippetSuggestions.none": "Не показувати пропозиції сніпетів.",
+ "snippetSuggestions": "Контролює чи сніпети буде показано разом з іншими пропозиціями і як їх сортувати.",
+ "smoothScrolling": "Controls whether the editor will scroll using an animation.",
+ "suggestFontSize": "Font size for the suggest widget. When set to `0`, the value of `#editor.fontSize#` is used.",
+ "suggestLineHeight": "Line height for the suggest widget. When set to `0`, the value of `#editor.lineHeight#` is used.",
+ "suggestOnTriggerCharacters": "Контролює, чи пропозиції повинні автоматично з'являтись при наборі символів-тригерів.",
+ "suggestSelection.first": "Завжди обирати першу підказку.",
+ "suggestSelection.recentlyUsed": "Select recent suggestions unless further typing selects one, e.g. `console.| -> console.log` because `log` has been completed recently.",
+ "suggestSelection.recentlyUsedByPrefix": "Select suggestions based on previous prefixes that have completed those suggestions, e.g. `co -> console` and `con -> const`.",
+ "suggestSelection": "Контролює як саме підказки попередньо обрані на показ списку підказок.",
+ "tabCompletion.on": "Tab complete will insert the best matching suggestion when pressing tab.",
+ "tabCompletion.off": "Disable tab completions.",
+ "tabCompletion.onlySnippets": "Tab complete snippets when their prefix match. Works best when 'quickSuggestions' aren't enabled.",
+ "tabCompletion": "Enables tab completions.",
+ "useTabStops": "Inserting and deleting whitespace follows tab stops.",
+ "wordSeparators": "Characters that will be used as word separators when doing word related navigations or operations.",
+ "wordWrap.off": "Рядки не переноситимуться.",
+ "wordWrap.on": "Рядки буде перенесено при виході за межі видимої області.",
+ "wordWrap.wordWrapColumn": "Lines will wrap at `#editor.wordWrapColumn#`.",
+ "wordWrap.bounded": "Lines will wrap at the minimum of viewport and `#editor.wordWrapColumn#`.",
+ "wordWrap": "Controls how lines should wrap.",
+ "wordWrapColumn": "Controls the wrapping column of the editor when `#editor.wordWrap#` is `wordWrapColumn` or `bounded`.",
+ "wrappingIndent.none": "No indentation. Wrapped lines begin at column 1.",
+ "wrappingIndent.same": "Wrapped lines get the same indentation as the parent.",
+ "wrappingIndent.indent": "Wrapped lines get +1 indentation toward the parent.",
+ "wrappingIndent.deepIndent": "Wrapped lines get +2 indentation toward the parent.",
+ "wrappingIndent": "Controls the indentation of wrapped lines.",
+ "wrappingStrategy.simple": "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.",
+ "wrappingStrategy.advanced": "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.",
+ "wrappingStrategy": "Controls the algorithm that computes wrapping points."
+ },
+ "vs/editor/browser/widget/diffReview": {
+ "label.close": "Закрити",
+ "no_lines_changed": "no lines changed",
+ "one_line_changed": "1 line changed",
+ "more_lines_changed": "{0} lines changed",
+ "header": "Difference {0} of {1}: original line {2}, {3}, modified line {4}, {5}",
+ "blankLine": "пусто",
+ "equalLine": "{0} original line {1} modified line {2}",
+ "insertLine": "+ {0} modified line {1}",
+ "deleteLine": "- {0} original line {1}",
+ "editor.action.diffReview.next": "Перейти до наступної відмінності",
+ "editor.action.diffReview.prev": "Перейти до попередньої відмінності"
+ },
+ "vs/editor/browser/controller/textAreaHandler": {
+ "accessibilityOffAriaLabel": "The editor is not accessible at this time. Press {0} for options."
+ },
+ "vs/editor/contrib/caretOperations/transpose": {
+ "transposeLetters.label": "Поміняти літери місцями"
+ },
+ "vs/editor/contrib/cursorUndo/cursorUndo": {
+ "cursor.undo": "Cursor Undo",
+ "cursor.redo": "Cursor Redo"
+ },
+ "vs/editor/contrib/comment/comment": {
+ "comment.line": "Переключити коментування рядка",
+ "miToggleLineComment": "&&Toggle Line Comment",
+ "comment.line.add": "Закоментувати рядок",
+ "comment.line.remove": "Вилучити коментування рядка",
+ "comment.block": "Переключити коментування блоку тексту",
+ "miToggleBlockComment": "Toggle &&Block Comment"
+ },
+ "vs/editor/contrib/caretOperations/caretOperations": {
+ "caret.moveLeft": "Move Selected Text Left",
+ "caret.moveRight": "Move Selected Text Right"
+ },
+ "vs/editor/contrib/fontZoom/fontZoom": {
+ "EditorFontZoomIn.label": "Editor Font Zoom In",
+ "EditorFontZoomOut.label": "Editor Font Zoom Out",
+ "EditorFontZoomReset.label": "Editor Font Zoom Reset"
+ },
+ "vs/editor/contrib/parameterHints/parameterHints": {
+ "parameterHints.trigger.label": "Перемикач параметру підказки"
+ },
+ "vs/editor/contrib/tokenization/tokenization": {
+ "forceRetokenize": "Developer: Force Retokenize"
+ },
+ "vs/editor/contrib/toggleTabFocusMode/toggleTabFocusMode": {
+ "toggle.tabMovesFocus": "Переміщення фокусу клавішею Tab",
+ "toggle.tabMovesFocus.on": "Pressing Tab will now move focus to the next focusable element",
+ "toggle.tabMovesFocus.off": "Pressing Tab will now insert the tab character"
+ },
+ "vs/editor/contrib/clipboard/clipboard": {
+ "actions.clipboard.cutLabel": "Вирізати",
+ "miCut": "Cu&&t",
+ "actions.clipboard.copyLabel": "Скопіювати",
+ "miCopy": "&&Copy",
+ "actions.clipboard.pasteLabel": "Вставити",
+ "miPaste": "&&Paste",
+ "actions.clipboard.copyWithSyntaxHighlightingLabel": "Скопіювати з підсвічуваннями синтаксу"
+ },
+ "vs/editor/contrib/format/formatActions": {
+ "formatDocument.label": "Форматувати документ",
+ "formatSelection.label": "Format Selection"
+ },
+ "vs/editor/contrib/contextmenu/contextmenu": {
+ "action.showContextMenu.label": "Show Editor Context Menu"
+ },
+ "vs/editor/contrib/hover/hover": {
+ "showHover": "Показати курсор",
+ "showDefinitionPreviewHover": "Show Definition Preview Hover"
+ },
+ "vs/editor/contrib/inPlaceReplace/inPlaceReplace": {
+ "InPlaceReplaceAction.previous.label": "Замінити попереднім значенням",
+ "InPlaceReplaceAction.next.label": "Замінити наступним значенням"
+ },
+ "vs/editor/contrib/rename/rename": {
+ "no result": "Нема результату.",
+ "resolveRenameLocationFailed": "An unknown error occurred while resolving rename location",
+ "label": "Renaming '{0}'",
+ "quotableLabel": "Renaming {0}",
+ "aria": "Успішно перейменовано \"{0}\" з \"{1}\". Всього: {2}",
+ "rename.failedApply": "Rename failed to apply edits",
+ "rename.failed": "Rename failed to compute edits",
+ "rename.label": "Rename Symbol",
+ "enablePreview": "Enable/disable the ability to preview changes before renaming"
+ },
+ "vs/editor/contrib/smartSelect/smartSelect": {
+ "smartSelect.expand": "Expand Selection",
+ "miSmartSelectGrow": "&&Expand Selection",
+ "smartSelect.shrink": "Shrink Selection",
+ "miSmartSelectShrink": "&&Shrink Selection"
+ },
+ "vs/editor/contrib/bracketMatching/bracketMatching": {
+ "overviewRulerBracketMatchForeground": "Overview ruler marker color for matching brackets.",
+ "smartSelect.jumpBracket": "Перейти до дужки",
+ "smartSelect.selectToBracket": "Виділити до дужки",
+ "miGoToBracket": "Go to &&Bracket"
+ },
+ "vs/editor/contrib/codelens/codelensController": {
+ "showLensOnLine": "Show Code Lens Commands For Current Line"
+ },
+ "vs/editor/contrib/gotoSymbol/link/goToDefinitionAtPosition": {
+ "multipleResults": "Click to show {0} definitions."
+ },
+ "vs/editor/contrib/links/links": {
+ "links.navigate.executeCmd": "Execute command",
+ "links.navigate.follow": "Follow link",
+ "links.navigate.kb.meta.mac": "cmd + click",
+ "links.navigate.kb.meta": "ctrl + click",
+ "links.navigate.kb.alt.mac": "option + click",
+ "links.navigate.kb.alt": "alt + click",
+ "invalid.url": "Failed to open this link because it is not well-formed: {0}",
+ "missing.url": "Failed to open this link because its target is missing.",
+ "label": "Open Link"
+ },
+ "vs/editor/contrib/gotoError/gotoError": {
+ "markerAction.next.label": "Перейти до Наступної Проблеми (Помилки, Попередження, Інформації)",
+ "markerAction.previous.label": "Перейти до Попередньої Проблеми (Помилки, Попередження, Інформації)",
+ "markerAction.nextInFiles.label": "Go to Next Problem in Files (Error, Warning, Info)",
+ "markerAction.previousInFiles.label": "Go to Previous Problem in Files (Error, Warning, Info)",
+ "miGotoNextProblem": "Next &&Problem",
+ "miGotoPreviousProblem": "Previous &&Problem"
+ },
+ "vs/editor/contrib/rename/onTypeRename": {
+ "onTypeRename.label": "On Type Rename Symbol"
+ },
+ "vs/editor/contrib/peekView/peekView": {
+ "label.close": "Закрити",
+ "peekViewTitleBackground": "Колір фону в режимі перегляду назви області.",
+ "peekViewTitleForeground": "Колір заголовка перегляду виду.",
+ "peekViewTitleInfoForeground": "Колір заголовка перегляду виду інформації.",
+ "peekViewBorder": "Колір peek вигляду межі та стрілки.",
+ "peekViewResultsBackground": "Колір тла списку результатів виду peek.",
+ "peekViewResultsMatchForeground": "Колір переднього плану для лінії вузлів peek подання списку результатів пошуку.",
+ "peekViewResultsFileForeground": "Колір переднього плану для файлу вузлів peek подання списку результатів пошуку.",
+ "peekViewResultsSelectionBackground": "Фоновий колір вибраного елементу peek подання списку результатів пошуку.",
+ "peekViewResultsSelectionForeground": "Колір переднього плану вибраного елементу peek подання списку результатів пошуку.",
+ "peekViewEditorBackground": "Колір тла peek вигляд редактора.",
+ "peekViewEditorGutterBackground": "Колір тла жолобу peek вигляд редактора.",
+ "peekViewResultsMatchHighlight": "Колір виділення збігу peek подання списку результатів пошуку.",
+ "peekViewEditorMatchHighlight": "Колір виділення збігу у peek вигляд редактора.",
+ "peekViewEditorMatchHighlightBorder": "Match highlight border in the peek view editor."
+ },
+ "vs/editor/contrib/gotoSymbol/goToCommands": {
+ "peek.submenu": "Peek",
+ "def.title": "Definitions",
+ "noResultWord": "Не знайдено визначення для \"{0}\"",
+ "generic.noResults": "Не знайдено визначення",
+ "actions.goToDecl.label": "Go to Definition",
+ "miGotoDefinition": "Go to &&Definition",
+ "actions.goToDeclToSide.label": "Відкрити визначення збоку",
+ "actions.previewDecl.label": "Переглянути визначення",
+ "decl.title": "Declarations",
+ "decl.noResultWord": "No declaration found for '{0}'",
+ "decl.generic.noResults": "No declaration found",
+ "actions.goToDeclaration.label": "Go to Declaration",
+ "miGotoDeclaration": "Go to &&Declaration",
+ "actions.peekDecl.label": "Перейти до декларації",
+ "typedef.title": "Type Definitions",
+ "goToTypeDefinition.noResultWord": "Немає визначення типу для \"{0}\"",
+ "goToTypeDefinition.generic.noResults": "Тип не визначено",
+ "actions.goToTypeDefinition.label": "Перейти до визначення типу",
+ "miGotoTypeDefinition": "Go to &&Type Definition",
+ "actions.peekTypeDefinition.label": "Переглянути визначення типу",
+ "impl.title": "Implementations",
+ "goToImplementation.noResultWord": "Не знайдено реалізації для \"{0}\"",
+ "goToImplementation.generic.noResults": "Не знайдено реалізації",
+ "actions.goToImplementation.label": "Go to Implementations",
+ "miGotoImplementation": "Go to &&Implementations",
+ "actions.peekImplementation.label": "Peek Implementations",
+ "references.no": "No references found for '{0}'",
+ "references.noGeneric": "No references found",
+ "goToReferences.label": "Go to References",
+ "miGotoReference": "Go to &&References",
+ "ref.title": "Посилання",
+ "references.action.label": "Peek References",
+ "label.generic": "Go To Any Symbol",
+ "generic.title": "Locations",
+ "generic.noResult": "No results for '{0}'"
+ },
+ "vs/editor/contrib/indentation/indentation": {
+ "indentationToSpaces": "Перетворити Відступ у Пробіли",
+ "indentationToTabs": "Перетворити Відступ у Таби",
+ "configuredTabSize": "Задати розмір Табів",
+ "selectTabWidth": "Обрати розмір Табів для поточного файлу",
+ "indentUsingTabs": "Відступ за допомогою Табів",
+ "indentUsingSpaces": "Відступ за допомогою пробілу",
+ "detectIndentation": "Визначити типи Відступів з Контенту",
+ "editor.reindentlines": "Повторно збільшити відступ рядка",
+ "editor.reindentselectedlines": "Reindent Selected Lines"
+ },
+ "vs/editor/contrib/wordHighlighter/wordHighlighter": {
+ "wordHighlight": "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.",
+ "wordHighlightStrong": "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.",
+ "wordHighlightBorder": "Border color of a symbol during read-access, like reading a variable.",
+ "wordHighlightStrongBorder": "Border color of a symbol during write-access, like writing to a variable.",
+ "overviewRulerWordHighlightForeground": "Overview ruler marker color for symbol highlights. The color must not be opaque so as not to hide underlying decorations.",
+ "overviewRulerWordHighlightStrongForeground": "Overview ruler marker color for write-access symbol highlights. The color must not be opaque so as not to hide underlying decorations.",
+ "wordHighlight.next.label": "Перейти до наступного символу підсвічування",
+ "wordHighlight.previous.label": "Перейти до попереднього символу підсвічування",
+ "wordHighlight.trigger.label": "Trigger Symbol Highlight"
+ },
+ "vs/editor/contrib/find/findController": {
+ "startFindAction": "Find",
+ "miFind": "&&Find",
+ "startFindWithSelectionAction": "Find With Selection",
+ "findNextMatchAction": "Find Next",
+ "findPreviousMatchAction": "Find Previous",
+ "nextSelectionMatchFindAction": "Find Next Selection",
+ "previousSelectionMatchFindAction": "Знайти попередній виділений фрагмент",
+ "startReplace": "Замінити",
+ "miReplace": "&&Replace"
+ },
+ "vs/editor/contrib/suggest/suggestController": {
+ "arai.alert.snippet": "Accepting '{0}' made {1} additional edits",
+ "suggest.trigger.label": "Перемикач пропозицій",
+ "accept.accept": "{0} to insert",
+ "accept.insert": "{0} to insert",
+ "accept.replace": "{0} to replace",
+ "detail.more": "show less",
+ "detail.less": "show more"
+ },
+ "vs/editor/contrib/quickAccess/gotoLineQuickAccess": {
+ "cannotRunGotoLine": "Open a text editor first to go to a line.",
+ "gotoLineColumnLabel": "Go to line {0} and column {1}.",
+ "gotoLineLabel": "Go to line {0}.",
+ "gotoLineLabelEmptyWithLimit": "Current Line: {0}, Character: {1}. Type a line number between 1 and {2} to navigate to.",
+ "gotoLineLabelEmpty": "Current Line: {0}, Character: {1}. Type a line number to navigate to."
+ },
+ "vs/editor/contrib/folding/folding": {
+ "unfoldAction.label": "Розгорнути",
+ "unFoldRecursivelyAction.label": "Розгорнути рекурсивно",
+ "foldAction.label": "Згорнути",
+ "toggleFoldAction.label": "Toggle Fold",
+ "foldRecursivelyAction.label": "Згорнути рекурсивно",
+ "foldAllBlockComments.label": "Згорнути всі закоментовані блоки",
+ "foldAllMarkerRegions.label": "Згорнути всі регіони",
+ "unfoldAllMarkerRegions.label": "Unfold All Regions",
+ "foldAllAction.label": "Згорнути все",
+ "unfoldAllAction.label": "Unfold All",
+ "foldLevelAction.label": "Згорнути рівень {0}",
+ "foldBackgroundBackground": "Background color behind folded ranges. The color must not be opaque so as not to hide underlying decorations."
+ },
+ "vs/editor/contrib/linesOperations/linesOperations": {
+ "lines.copyUp": "Скопіювати рядок догори",
+ "miCopyLinesUp": "&&Copy Line Up",
+ "lines.copyDown": "Скопіювати рядок донизу",
+ "miCopyLinesDown": "Co&&py Line Down",
+ "duplicateSelection": "Duplicate Selection",
+ "miDuplicateSelection": "&&Duplicate Selection",
+ "lines.moveUp": "Посунути рядок догори",
+ "miMoveLinesUp": "Mo&&ve Line Up",
+ "lines.moveDown": "Посунути рядок донизу",
+ "miMoveLinesDown": "Move &&Line Down",
+ "lines.sortAscending": "Сортувати рядки за зростанням",
+ "lines.sortDescending": "Сортувати рядки за спаданням",
+ "lines.trimTrailingWhitespace": "Обрізати пробіли в кінці рядків",
+ "lines.delete": "Delete Line",
+ "lines.indent": "Збільшити відступ рядка",
+ "lines.outdent": "Зменшити відступ рядка",
+ "lines.insertBefore": "Insert Line Above",
+ "lines.insertAfter": "Вставити рядок нижче",
+ "lines.deleteAllLeft": "Видалити усе ліворуч",
+ "lines.deleteAllRight": "Видалити усе праворуч",
+ "lines.joinLines": "Обʼєднати рядки",
+ "editor.transpose": "Поміняти місцями символи навколо курсору",
+ "editor.transformToUppercase": "Перетворення у верхній регістр",
+ "editor.transformToLowercase": "Перетворення в нижній регістр",
+ "editor.transformToTitlecase": "Transform to Title Case"
+ },
+ "vs/editor/contrib/multicursor/multicursor": {
+ "mutlicursor.insertAbove": "Додати курсор вище",
+ "miInsertCursorAbove": "& & Додати курсор вище",
+ "mutlicursor.insertBelow": "Додати курсор нижче",
+ "miInsertCursorBelow": "A&&dd Cursor Below",
+ "mutlicursor.insertAtEndOfEachLineSelected": "Додати курсори в кінці рядків",
+ "miInsertCursorAtEndOfEachLineSelected": "Add C&&ursors to Line Ends",
+ "mutlicursor.addCursorsToBottom": "Add Cursors To Bottom",
+ "mutlicursor.addCursorsToTop": "Add Cursors To Top",
+ "addSelectionToNextFindMatch": "Додати вибір до наступної відповідності",
+ "miAddSelectionToNextFindMatch": "Add &&Next Occurrence",
+ "addSelectionToPreviousFindMatch": "Додати вибір до попередньої відповідності",
+ "miAddSelectionToPreviousFindMatch": "Add P&&revious Occurrence",
+ "moveSelectionToNextFindMatch": "Перемістити останній вибір до наступного пошуку відповідності",
+ "moveSelectionToPreviousFindMatch": "Перемістити останній вибір до попереднього пошуку відповідності",
+ "selectAllOccurrencesOfFindMatch": "Вибрати усі випадки збігу",
+ "miSelectHighlights": "Select All &&Occurrences",
+ "changeAll.label": "Змінити Всі Входження"
+ },
+ "vs/editor/contrib/codeAction/codeActionCommands": {
+ "args.schema.kind": "Kind of the code action to run.",
+ "args.schema.apply": "Controls when the returned actions are applied.",
+ "args.schema.apply.first": "Always apply the first returned code action.",
+ "args.schema.apply.ifSingle": "Apply the first returned code action if it is the only one.",
+ "args.schema.apply.never": "Do not apply the returned code actions.",
+ "args.schema.preferred": "Controls if only preferred code actions should be returned.",
+ "applyCodeActionFailed": "An unknown error occurred while applying the code action",
+ "quickfix.trigger.label": "Quick Fix...",
+ "editor.action.quickFix.noneMessage": "No code actions available",
+ "editor.action.codeAction.noneMessage.preferred.kind": "No preferred code actions for '{0}' available",
+ "editor.action.codeAction.noneMessage.kind": "No code actions for '{0}' available",
+ "editor.action.codeAction.noneMessage.preferred": "No preferred code actions available",
+ "editor.action.codeAction.noneMessage": "No code actions available",
+ "refactor.label": "Refactor...",
+ "editor.action.refactor.noneMessage.preferred.kind": "No preferred refactorings for '{0}' available",
+ "editor.action.refactor.noneMessage.kind": "No refactorings for '{0}' available",
+ "editor.action.refactor.noneMessage.preferred": "No preferred refactorings available",
+ "editor.action.refactor.noneMessage": "No refactorings available",
+ "source.label": "Source Action...",
+ "editor.action.source.noneMessage.preferred.kind": "No preferred source actions for '{0}' available",
+ "editor.action.source.noneMessage.kind": "No source actions for '{0}' available",
+ "editor.action.source.noneMessage.preferred": "No preferred source actions available",
+ "editor.action.source.noneMessage": "Немає доступних дій джерела",
+ "organizeImports.label": "Organize Imports",
+ "editor.action.organize.noneMessage": "No organize imports action available",
+ "fixAll.label": "Fix All",
+ "fixAll.noneMessage": "No fix all action available",
+ "autoFix.label": "Auto Fix...",
+ "editor.action.autoFix.noneMessage": "No auto fixes available"
+ },
+ "vs/editor/contrib/rename/renameInputField": {
+ "renameAriaLabel": "Перейменувати ввід. Введіть нове ім'я та натисніть клавішу Enter для фіксації.",
+ "label": "{0} to Rename, {1} to Preview"
+ },
+ "vs/editor/contrib/parameterHints/parameterHintsWidget": {
+ "hint": "{0}, hint"
+ },
+ "vs/editor/contrib/message/messageController": {
+ "editor.readonly": "Cannot edit in read-only editor"
+ },
+ "vs/editor/contrib/quickAccess/gotoSymbolQuickAccess": {
+ "cannotRunGotoSymbolWithoutEditor": "To go to a symbol, first open a text editor with symbol information.",
+ "cannotRunGotoSymbolWithoutSymbolProvider": "The active text editor does not provide symbol information.",
+ "openToSide": "Open to the Side",
+ "openToBottom": "Open to the Bottom",
+ "symbols": "символи ({0})",
+ "property": "властивості ({0})",
+ "method": "методи ({0})",
+ "function": "функції ({0})",
+ "_constructor": "конструктори ({0})",
+ "variable": "змінні ({0})",
+ "class": "класи ({0})",
+ "struct": "structs ({0})",
+ "event": "events ({0})",
+ "operator": "operators ({0})",
+ "interface": "інтерфейси ({0})",
+ "namespace": "простори імен ({0})",
+ "package": "пакети ({0})",
+ "typeParameter": "type parameters ({0})",
+ "modules": "модулі ({0})",
+ "enum": "перерахування ({0})",
+ "enumMember": "enumeration members ({0})",
+ "string": "рядки ({0})",
+ "file": "файли ({0})",
+ "array": "масиви ({0})",
+ "number": "числа ({0})",
+ "boolean": "логічні значення ({0})",
+ "object": "об'єкти ({0})",
+ "key": "ключі ({0})",
+ "field": "fields ({0})",
+ "constant": "constants ({0})"
+ },
+ "vs/editor/contrib/snippet/snippetVariables": {
+ "Sunday": "Sunday",
+ "Monday": "Monday",
+ "Tuesday": "Tuesday",
+ "Wednesday": "Середа",
+ "Thursday": "Thursday",
+ "Friday": "Friday",
+ "Saturday": "Saturday",
+ "SundayShort": "Sun",
+ "MondayShort": "Mon",
+ "TuesdayShort": "Tue",
+ "WednesdayShort": "Ср.",
+ "ThursdayShort": "Thu",
+ "FridayShort": "Fri",
+ "SaturdayShort": "Sat",
+ "January": "January",
+ "February": "February",
+ "March": "March",
+ "April": "April",
+ "May": "May",
+ "June": "June",
+ "July": "July",
+ "August": "August",
+ "September": "September",
+ "October": "Жовтень",
+ "November": "November",
+ "December": "December",
+ "JanuaryShort": "Jan",
+ "FebruaryShort": "Feb",
+ "MarchShort": "Mar",
+ "AprilShort": "Apr",
+ "MayShort": "May",
+ "JuneShort": "Jun",
+ "JulyShort": "Jul",
+ "AugustShort": "Aug",
+ "SeptemberShort": "Sep",
+ "OctoberShort": "Oct",
+ "NovemberShort": "Nov",
+ "DecemberShort": "Dec"
+ },
+ "vs/editor/contrib/gotoSymbol/peek/referencesController": {
+ "labelLoading": "Завантаження...",
+ "metaTitle.N": "{0} ({1})"
+ },
+ "vs/editor/contrib/format/format": {
+ "hint11": "Виконано 1 зміну формату у рядку {0}",
+ "hintn1": "Виконано {0} змін формату у рядку {1}",
+ "hint1n": "Виконано 1 зміну формату між рядками {0} та {1}",
+ "hintnn": "Виконано {0} змін формату між рядками {1} та {2}"
+ },
+ "vs/editor/contrib/gotoSymbol/referencesModel": {
+ "aria.oneReference": "символ {0} У рядку {1} в стовпець {2}",
+ "aria.fileReferences.1": "1 символ {0}, повний шлях {1}",
+ "aria.fileReferences.N": "{0} символів {1}, повний шлях {2}",
+ "aria.result.0": "No results found",
+ "aria.result.1": "Знайдено 1 символ {0}",
+ "aria.result.n1": "Знайшли {0} символів {1}",
+ "aria.result.nm": "Знайшли {0} символів {1} файли"
+ },
+ "vs/editor/contrib/gotoSymbol/symbolNavigation": {
+ "location.kb": "Symbol {0} of {1}, {2} for next",
+ "location": "Symbol {0} of {1}"
+ },
+ "vs/editor/contrib/gotoError/gotoErrorWidget": {
+ "Error": "Помилка",
+ "Warning": "Увага",
+ "Info": "Інформація",
+ "Hint": "Hint",
+ "marker aria": "{0} at {1}. ",
+ "problems": "{0} of {1} problems",
+ "change": "{0} of {1} problem",
+ "editorMarkerNavigationError": "Колір помилки навігаційного віджета редактору маркерів.",
+ "editorMarkerNavigationWarning": "Колір попередження навігаційного віджета редактору маркерів.",
+ "editorMarkerNavigationInfo": "Колір інформування навігаційного віджета редактору маркерів.",
+ "editorMarkerNavigationBackground": "Фон навігаційного віджета редактору маркерів."
+ },
+ "vs/editor/contrib/hover/modesContentHover": {
+ "modesContentHover.loading": "Завантаження...",
+ "peek problem": "Peek Problem",
+ "titleAndKb": "{0} ({1})",
+ "checkingForQuickFixes": "Checking for quick fixes...",
+ "noQuickFixes": "No quick fixes available",
+ "quick fixes": "Quick Fix..."
+ },
+ "vs/editor/contrib/documentSymbols/outlineTree": {
+ "provider": "Outline Provider",
+ "title.template": "{0} ({1})",
+ "1.problem": "1 problem in this element",
+ "N.problem": "{0} problems in this element",
+ "deep.problem": "Contains elements with problems",
+ "Array": "array",
+ "Boolean": "boolean",
+ "Class": "class",
+ "Constant": "constant",
+ "Constructor": "constructor",
+ "Enum": "enumeration",
+ "EnumMember": "enumeration member",
+ "Event": "event",
+ "Field": "field",
+ "File": "Файл",
+ "Function": "function",
+ "Interface": "interface",
+ "Key": "key",
+ "Method": "method",
+ "Module": "module",
+ "Namespace": "namespace",
+ "Null": "null",
+ "Number": "номер",
+ "Object": "object",
+ "Operator": "operator",
+ "Package": "package",
+ "Property": "property",
+ "String": "string",
+ "Struct": "struct",
+ "TypeParameter": "type parameter",
+ "Variable": "variable",
+ "symbolIcon.arrayForeground": "The foreground color for array symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.booleanForeground": "The foreground color for boolean symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.classForeground": "The foreground color for class symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.colorForeground": "The foreground color for color symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.constantForeground": "The foreground color for constant symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.constructorForeground": "The foreground color for constructor symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.enumeratorForeground": "The foreground color for enumerator symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.enumeratorMemberForeground": "The foreground color for enumerator member symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.eventForeground": "The foreground color for event symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.fieldForeground": "The foreground color for field symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.fileForeground": "The foreground color for file symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.folderForeground": "The foreground color for folder symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.functionForeground": "The foreground color for function symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.interfaceForeground": "The foreground color for interface symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.keyForeground": "The foreground color for key symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.keywordForeground": "The foreground color for keyword symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.methodForeground": "The foreground color for method symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.moduleForeground": "The foreground color for module symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.namespaceForeground": "The foreground color for namespace symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.nullForeground": "The foreground color for null symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.numberForeground": "The foreground color for number symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.objectForeground": "The foreground color for object symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.operatorForeground": "The foreground color for operator symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.packageForeground": "The foreground color for package symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.propertyForeground": "The foreground color for property symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.referenceForeground": "The foreground color for reference symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.snippetForeground": "The foreground color for snippet symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.stringForeground": "The foreground color for string symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.structForeground": "The foreground color for struct symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.textForeground": "The foreground color for text symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.typeParameterForeground": "The foreground color for type parameter symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.unitForeground": "The foreground color for unit symbols. These symbols appear in the outline, breadcrumb, and suggest widget.",
+ "symbolIcon.variableForeground": "The foreground color for variable symbols. These symbols appear in the outline, breadcrumb, and suggest widget."
+ },
+ "vs/editor/contrib/gotoSymbol/peek/referencesWidget": {
+ "missingPreviewMessage": "попередній перегляд не доступний",
+ "treeAriaLabel": "Посилання",
+ "noResults": "Результатів немає",
+ "peekView.alternateTitle": "Посилання"
+ },
+ "vs/editor/contrib/find/findWidget": {
+ "label.find": "Find",
+ "placeholder.find": "Find",
+ "label.previousMatchButton": "Попереднє співпадання",
+ "label.nextMatchButton": "Наступне співпадання",
+ "label.toggleSelectionFind": "Find in selection",
+ "label.closeButton": "Закрити",
+ "label.replace": "Замінити",
+ "placeholder.replace": "Замінити",
+ "label.replaceButton": "Замінити",
+ "label.replaceAllButton": "Замінити всі",
+ "label.toggleReplaceButton": "Переключити режим заміни",
+ "title.matchesCountLimit": "Виділяти тільки перший {0} результат, але всі операції пошуку роботи по всьому тексту.",
+ "label.matchesLocation": "{0} із {1}",
+ "label.noResults": "Результатів немає",
+ "ariaSearchNoResultEmpty": "{0} found",
+ "ariaSearchNoResult": "{0} found for '{1}'",
+ "ariaSearchNoResultWithLineNum": "{0} found for '{1}', at {2}",
+ "ariaSearchNoResultWithLineNumNoCurrentMatch": "{0} found for '{1}'",
+ "ctrlEnter.keybindingChanged": "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/suggest/suggestWidget": {
+ "editorSuggestWidgetBackground": "Колір фону віджету пропозицій.",
+ "editorSuggestWidgetBorder": "Колір рамки віджету пропозицій.",
+ "editorSuggestWidgetForeground": "Колір переднього плану віджету пропозицій.",
+ "editorSuggestWidgetSelectedBackground": "Колір фону для виділеного елемента у віджеті пропозицій.",
+ "editorSuggestWidgetHighlightForeground": "Колір збігу підсвічується у віджеті пропозицій.",
+ "readMore": "Read More...{0}",
+ "readLess": "Менше чити...{0}",
+ "loading": "Завантаження...",
+ "suggestWidget.loading": "Завантаження...",
+ "suggestWidget.noSuggestions": "No suggestions.",
+ "ariaCurrenttSuggestionReadDetails": "Item {0}, docs: {1}"
+ },
+ "vs/editor/contrib/codeAction/lightBulbWidget": {
+ "prefferedQuickFixWithKb": "Show Fixes. Preferred Fix Available ({0})",
+ "quickFixWithKb": "Show Fixes ({0})",
+ "quickFix": "Show Fixes"
+ },
+ "vs/editor/contrib/gotoSymbol/peek/referencesTree": {
+ "referencesFailre": "Failed to resolve file.",
+ "referencesCount": "{0} посилань",
+ "referenceCount": "{0} посилання"
+ },
+ "vs/platform/extensionManagement/common/extensionManagement": {
+ "extensions": "Додатки",
+ "preferences": "Налаштування"
+ },
+ "vs/platform/environment/node/argvHelper": {
+ "unknownOption": "Warning: '{0}' is not in the list of known options, but still passed to Electron/Chromium.",
+ "multipleValues": "Option '{0}' is defined more than once. Using value '{1}.'",
+ "gotoValidation": "Аргументи в режимі \"--goto\" повинні бути в форматі \"ФАЙЛ(:РЯДОК(:СИМВОЛ))\"."
+ },
+ "vs/platform/extensionManagement/node/extensionManagementUtil": {
+ "invalidManifest": "VSIX invalid: package.json is not a JSON file."
+ },
+ "vs/platform/request/common/request": {
+ "httpConfigurationTitle": "HTTP",
+ "proxy": "The proxy setting to use. If not set, will be inherited from the `http_proxy` and `https_proxy` environment variables.",
+ "strictSSL": "Controls whether the proxy server certificate should be verified against the list of supplied CAs.",
+ "proxyAuthorization": "The value to send as the `Proxy-Authorization` header for every network request.",
+ "proxySupportOff": "Disable proxy support for extensions.",
+ "proxySupportOn": "Enable proxy support for extensions.",
+ "proxySupportOverride": "Enable proxy support for extensions, override request options.",
+ "proxySupport": "Use the proxy support for extensions.",
+ "systemCertificates": "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/platform/update/common/update.config.contribution": {
+ "updateConfigurationTitle": "Оновлення",
+ "updateMode": "Configure whether you receive automatic updates. Requires a restart after change. The updates are fetched from a Microsoft online service.",
+ "none": "Disable updates.",
+ "manual": "Disable automatic background update checks. Updates will be available if you manually check for updates.",
+ "start": "Check for updates only on startup. Disable automatic background update checks.",
+ "default": "Enable automatic update checks. Code will check for updates automatically and periodically.",
+ "deprecated": "This setting is deprecated, please use '{0}' instead.",
+ "enableWindowsBackgroundUpdatesTitle": "Enable Background Updates on Windows",
+ "enableWindowsBackgroundUpdates": "Enable to download and install new VS Code Versions in the background on Windows",
+ "showReleaseNotes": "Show Release Notes after an update. The Release Notes are fetched from a Microsoft online service."
+ },
+ "vs/platform/telemetry/common/telemetryService": {
+ "telemetryConfigurationTitle": "Телеметрія",
+ "telemetry.enableTelemetry": "Enable usage data and errors to be sent to a Microsoft online service."
+ },
+ "vs/platform/label/common/label": {
+ "untitledWorkspace": "(Робоча область) без назви",
+ "workspaceName": "{0} (Workspace)"
+ },
+ "vs/platform/files/electron-browser/diskFileSystemProvider": {
+ "binFailed": "Failed to move '{0}' to the recycle bin",
+ "trashFailed": "Не вдалося перемістити \"{0}\" в кошик"
+ },
+ "vs/platform/files/common/files": {
+ "unknownError": "Unknown Error"
+ },
+ "vs/platform/environment/node/argv": {
+ "optionsUpperCase": "Options",
+ "extensionsManagement": "Управління розширеннями",
+ "troubleshooting": "Troubleshooting",
+ "diff": "Порівняння двох файлів між собою.",
+ "add": "Додавання папок до останнього активного вікна.",
+ "goto": "Відкриття файла по заданому шляху з виділенням вказаного символа у вказаному рядкові.",
+ "newWindow": "Force to open a new window.",
+ "reuseWindow": "Force to open a file or folder in an already opened window.",
+ "folderUri": "Opens a window with given folder uri(s)",
+ "fileUri": "Opens a window with given file uri(s)",
+ "wait": "Чекати закриття файлів перед поверненням.",
+ "locale": "Мовний стандарт, який варто використовувати (наприклад, en-US або zh-TW).",
+ "userDataDir": "Specifies the directory that user data is kept in. Can be used to open multiple distinct instances of Code.",
+ "help": "Друк інформації про використання.",
+ "extensionHomePath": "Встановіть основний шлях для додатків.",
+ "listExtensions": "Вивести встановлені додатки.",
+ "showVersions": "Показати версії встановлених додатків коли доданий параметр --list-extension.",
+ "category": "Filters installed extensions by provided category, when using --list-extension.",
+ "installExtension": "Installs or updates the extension. Use `--force` argument to avoid prompts.",
+ "uninstallExtension": "Видаляє додаток.",
+ "experimentalApis": "Enables proposed API features for extensions. Can receive one or more extension IDs to enable individually.",
+ "version": "Друк версії.",
+ "verbose": "Друк докладного виводу (мається на увазі використання параметру \"--wait\").",
+ "log": "Використовуваний рівень ведення журналу. Значення за замовчуванням — \"info\". Допустимі значення: \"critical\", \"error\", \"warn\", \"info\", \"debug\", \"trace\", \"off\".",
+ "status": "Друк відомостей про використання процесу і діагностичну інформацію.",
+ "prof-startup": "Запустити профайлер ЦП при запуску",
+ "disableExtensions": "Виключити всі встановлені додатки.",
+ "disableExtension": "Disable an extension.",
+ "turn sync": "Turn sync on or off",
+ "inspect-extensions": "Allow debugging and profiling of extensions. Check the developer tools for the connection URI.",
+ "inspect-brk-extensions": "Allow debugging and profiling of extensions with the extension host being paused after start. Check the developer tools for the connection URI.",
+ "disableGPU": "Виключити апаратне прискорення GPU.",
+ "maxMemory": "Max memory size for a window (in Mbytes).",
+ "telemetry": "Shows all telemetry events which VS code collects.",
+ "usage": "Usage",
+ "options": "options",
+ "paths": "шляхи",
+ "stdinWindows": "Щоб прочитати вивід з іншої програми, додайте '-' (ось так 'echo Hello World | {0} -')",
+ "stdinUnix": "Щоб прочитати з 'stdin', додайте '-' (наприклад, 'ps aux | grep code | {0} -')",
+ "unknownVersion": "Unknown version",
+ "unknownCommit": "Невідомий commit"
+ },
+ "vs/platform/markers/common/markers": {
+ "sev.error": "Помилка",
+ "sev.warning": "Увага",
+ "sev.info": "Інформація"
+ },
+ "vs/platform/dialogs/common/dialogs": {
+ "moreFile": "...1 additional file not shown",
+ "moreFiles": "...{0} додаткові файли не показані"
+ },
+ "vs/platform/userDataSync/common/userDataSync": {
+ "sync": "Sync",
+ "sync.keybindingsPerPlatform": "Synchronize keybindings per platform.",
+ "sync.ignoredExtensions": "List of extensions to be ignored while synchronizing. The identifier of an extension is always ${publisher}.${name}. For example: vscode.csharp.",
+ "sync.ignoredSettings": "Configure settings to be ignored while synchronizing.",
+ "app.extension.identifier.errorMessage": "Очікуваний формат ' ${publisher}. ${name}'. Наприклад: 'vscode.csharp'."
+ },
+ "vs/platform/files/node/diskFileSystemProvider": {
+ "fileExists": "File already exists",
+ "fileNotExists": "File does not exist",
+ "moveError": "Unable to move '{0}' into '{1}' ({2}).",
+ "copyError": "Unable to copy '{0}' into '{1}' ({2}).",
+ "fileCopyErrorPathCase": "'File cannot be copied to same path with different path case",
+ "fileCopyErrorExists": "File at target already exists"
+ },
+ "vs/platform/configuration/common/configurationRegistry": {
+ "defaultConfigurations.title": "Перевизначення конфигурації за замовчуванням",
+ "overrideSettings.description": "Налаштування обумовлених параметрів редактору для мови {0}.",
+ "overrideSettings.defaultDescription": "Налаштування параметрів редактору, обумовлених для мови.",
+ "overrideSettings.errorMessage": "This setting does not support per-language configuration.",
+ "config.property.languageDefault": "Неможливо зареєструвати \"{0}\". Це відповідає шаблону властивості '\\\\[.*\\\\]$' для опису параметрів редактору, визначених мовою. Використовуйте вкладку configurationDefaults.",
+ "config.property.duplicate": "Неможливо зареєструвати \"{0}\". Це властивість уже зареєстрована."
+ },
+ "vs/platform/workspaces/common/workspaces": {
+ "codeWorkspace": "Робоча область кода"
+ },
+ "vs/platform/userDataSync/common/userDataSyncService": {
+ "turned off": "Cannot sync because syncing is turned off in the cloud",
+ "session expired": "Cannot sync because current session is expired"
+ },
+ "vs/platform/undoRedo/common/undoRedoService": {
+ "externalRemoval": "The following files have been closed: {0}.",
+ "noParallelUniverses": "The following files have been modified in an incompatible way: {0}.",
+ "cannotWorkspaceUndo": "Could not undo '{0}' across all files. {1}",
+ "cannotWorkspaceUndoDueToChanges": "Could not undo '{0}' across all files because changes were made to {1}",
+ "confirmWorkspace": "Would you like to undo '{0}' across all files?",
+ "ok": "Undo in {0} Files",
+ "nok": "Undo this File",
+ "cancel": "Скасувати",
+ "cannotWorkspaceRedo": "Could not redo '{0}' across all files. {1}",
+ "cannotWorkspaceRedoDueToChanges": "Could not redo '{0}' across all files because changes were made to {1}"
+ },
+ "vs/platform/files/common/fileService": {
+ "invalidPath": "Unable to resolve filesystem provider with relative file path '{0}'",
+ "noProviderFound": "No file system provider found for resource '{0}'",
+ "fileNotFoundError": "Unable to resolve non-existing file '{0}'",
+ "fileExists": "Unable to create file '{0}' that already exists when overwrite flag is not set",
+ "err.write": "Unable to write file '{0}' ({1})",
+ "fileIsDirectoryWriteError": "Unable to write file '{0}' that is actually a directory",
+ "fileModifiedError": "File Modified Since",
+ "err.read": "Unable to read file '{0}' ({1})",
+ "fileIsDirectoryReadError": "Unable to read file '{0}' that is actually a directory",
+ "fileNotModifiedError": "File not modified since",
+ "fileTooLargeError": "Unable to read file '{0}' that is too large to open",
+ "unableToMoveCopyError1": "Unable to copy when source '{0}' is same as target '{1}' with different path case on a case insensitive file system",
+ "unableToMoveCopyError2": "Unable to move/copy when source '{0}' is parent of target '{1}'.",
+ "unableToMoveCopyError3": "Unable to move/copy '{0}' because target '{1}' already exists at destination.",
+ "unableToMoveCopyError4": "Unable to move/copy '{0}' into '{1}' since a file would replace the folder it is contained in.",
+ "mkdirExistsError": "Unable to create folder '{0}' that already exists but is not a directory",
+ "deleteFailedTrashUnsupported": "Unable to delete file '{0}' via trash because provider does not support it.",
+ "deleteFailedNotFound": "Unable to delete non-existing file '{0}'",
+ "deleteFailedNonEmptyFolder": "Unable to delete non-empty folder '{0}'.",
+ "err.readonly": "Unable to modify readonly file '{0}'"
+ },
+ "vs/platform/quickinput/browser/helpQuickAccess": {
+ "globalCommands": "глобальні команди",
+ "editorCommands": "команди редактора",
+ "helpPickAriaLabel": "{0}, {1}"
+ },
+ "vs/platform/list/browser/listService": {
+ "workbenchConfigurationTitle": "Робоче місце",
+ "multiSelectModifier.ctrlCmd": "Перевизначає в `Control` на Windows та Linux і в `Command` на macOS.",
+ "multiSelectModifier.alt": "Перевизначає `Alt` на Windows та Linux і `Option` на macOS.",
+ "multiSelectModifier": "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.",
+ "openModeModifier": "Controls how to open items in trees and lists using the mouse (if supported). For parents with children in trees, this setting will control if a single click expands the parent or a double click. Note that some trees and lists might choose to ignore this setting if it is not applicable. ",
+ "horizontalScrolling setting": "Controls whether lists and trees support horizontal scrolling in the workbench. Warning: turning on this setting has a performance implication.",
+ "tree horizontalScrolling setting": "Controls whether trees support horizontal scrolling in the workbench.",
+ "deprecated": "This setting is deprecated, please use '{0}' instead.",
+ "tree indent setting": "Controls tree indentation in pixels.",
+ "render tree indent guides": "Controls whether the tree should render indent guides.",
+ "keyboardNavigationSettingKey.simple": "Simple keyboard navigation focuses elements which match the keyboard input. Matching is done only on prefixes.",
+ "keyboardNavigationSettingKey.highlight": "Highlight keyboard navigation highlights elements which match the keyboard input. Further up and down navigation will traverse only the highlighted elements.",
+ "keyboardNavigationSettingKey.filter": "Filter keyboard navigation will filter out and hide all the elements which do not match the keyboard input.",
+ "keyboardNavigationSettingKey": "Controls the keyboard navigation style for lists and trees in the workbench. Can be simple, highlight and filter.",
+ "automatic keyboard navigation setting": "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."
+ },
+ "vs/platform/files/common/io": {
+ "fileTooLargeForHeapError": "To open a file of this size, you need to restart and allow it to use more memory",
+ "fileTooLargeError": "File is too large to open"
+ },
+ "vs/platform/extensionManagement/node/extensionManagementService": {
+ "invalidManifest": "Неприпустимий додаток: package.json не є файлом JSON.",
+ "incompatible": "Unable to install extension '{0}' as it is not compatible with VS Code '{1}'.",
+ "restartCode": "Please restart VS Code before reinstalling {0}.",
+ "MarketPlaceDisabled": "Marketplace не активовано",
+ "malicious extension": "Can't install extension since it was reported to be problematic.",
+ "notFoundCompatibleDependency": "Unable to install '{0}' extension because it is not compatible with the current version of VS Code (version {1}).",
+ "removeError": "Error while removing the extension: {0}. Please Quit and Start VS Code before trying again.",
+ "Not a Marketplace extension": "Тільки розширення з Marketplace можна перевстановлювати",
+ "quitCode": "Неможливо встановити додаток. Будь ласка, закрийте і запустіть VS Code перед повторним встановленням.",
+ "exitCode": "Не вдалося встановити розширення. Будь ласка, перезагрузіть VS Code перед повторною спробою.",
+ "errorDeleting": "Unable to delete the existing folder '{0}' while installing the extension '{1}'. Please delete the folder manually and try again",
+ "cannot read": "Cannot read the extension from {0}",
+ "renameError": "Unknown error while renaming {0} to {1}",
+ "notInstalled": "Додаток '{0}' не встановлено.",
+ "singleDependentError": "Не вдається видалити додаток \"{0}\". Від нього залежить додаток \"{1}\".",
+ "twoDependentsError": "Не вдається видалити додаток \"{0}\". Від нього залежать додатки \"{1}\" і \"{2}\".",
+ "multipleDependentsError": "Не вдається видалити додаток \"{0}\". Від нього залежать додатки \"{1}\", \"{2}\" та інші.",
+ "notExists": "Не вдалося знайти додаток"
+ },
+ "vs/platform/actions/browser/menuEntryActionViewItem": {
+ "titleAndKb": "{0} ({1})"
+ },
+ "vs/platform/theme/common/colorRegistry": {
+ "foreground": "Загальний колір переднього плану. Цей колір використовується, лише якщо його не перевизначить компонент.",
+ "errorForeground": "Загальний колір переднього плану для повідомлень про помилки. Цей колір використовується лише якщо його не перевизначить компонент.",
+ "descriptionForeground": "Колір тексту елементу, що містить пояснення, наприклад, для мітки.",
+ "iconForeground": "The default color for icons in the workbench.",
+ "focusBorder": "Загальний колір рамки для елементів з фокусом. Цей колір використовується лише в том випадку, якщо не перевизначений в компоненті.",
+ "contrastBorder": "Додаткова рамка навколо елементів, яка відділяє їх від інших елементів для поліпшення контрасту.",
+ "activeContrastBorder": "Додаткова рамка навколо активних елементів, яка відділяє їх від інших елементів для поліпшення контрасту.",
+ "selectionBackground": "Колір фону виділеного тексту в робочій області (наприклад, в полях вводу або в текстових полях). Не застосовується до виділеного тексту в редакторі.",
+ "textSeparatorForeground": "Колір для розділювачів тексту.",
+ "textLinkForeground": "Колір переднього плану для посилань в тексті.",
+ "textLinkActiveForeground": "Foreground color for links in text when clicked on and on mouse hover.",
+ "textPreformatForeground": "Колір тексту фіксованого формату.",
+ "textBlockQuoteBackground": "Колір фону для блоків з цитатами в тексті.",
+ "textBlockQuoteBorder": "Колір рамки для блоків з цитатами в тексті.",
+ "textCodeBlockBackground": "Колір фону для програмного коду в тексті.",
+ "widgetShadow": "Колір тіні віджетів редактору, таких як \"Знайти/замінити\".",
+ "inputBoxBackground": "Фон поля вводу.",
+ "inputBoxForeground": "Передній план поля вводу.",
+ "inputBoxBorder": "Рамка поля вводу.",
+ "inputBoxActiveOptionBorder": "Колір рамки активованих параметрів в полях вводу.",
+ "inputOption.activeBackground": "Background color of activated options in input fields.",
+ "inputPlaceholderForeground": "Колір фону заповнювачу тексту в елементі вводу.",
+ "inputValidationInfoBackground": "Фоновий колір перевірки вводу для рівня важливості \"Інформування\".",
+ "inputValidationInfoForeground": "Input validation foreground color for information severity.",
+ "inputValidationInfoBorder": "Колір рамки перевірки вводу для рівня важливості \"Інформування\".",
+ "inputValidationWarningBackground": "Input validation background color for warning severity.",
+ "inputValidationWarningForeground": "Input validation foreground color for warning severity.",
+ "inputValidationWarningBorder": "Колір рамки перевірки вводу для рівня важливості \"Попередження\".",
+ "inputValidationErrorBackground": "Фоновий колір перевірки вводу для рівня важливості \"Помилка\".",
+ "inputValidationErrorForeground": "Input validation foreground color for error severity.",
+ "inputValidationErrorBorder": "Колір рамки перевірки вводу для рівня важливості \"Помилка\".",
+ "dropdownBackground": "Фон Випадаючого меню.",
+ "dropdownListBackground": "Dropdown list background.",
+ "dropdownForeground": "Передній план Випадаючого меню.",
+ "dropdownBorder": "Рамка Випадаючого меню.",
+ "checkbox.background": "Background color of checkbox widget.",
+ "checkbox.foreground": "Foreground color of checkbox widget.",
+ "checkbox.border": "Border color of checkbox widget.",
+ "buttonForeground": "Колір переднього плану кнопки.",
+ "buttonBackground": "Колір фону кнопки.",
+ "buttonHoverBackground": "Колір фону кнопки при наведені.",
+ "badgeBackground": "Колір фону бэджа. Бэджи - небольшие информационные елементи, отображающие количество, наприклад, результатів пошуку.",
+ "badgeForeground": "Колір тексту бэджа. Бэджи - небольшие информационные елементи, отображающие количество, наприклад, результатів пошуку.",
+ "scrollbarShadow": "Колір тіні полосы прокрутки, яка свидетельствует про том, що содержимое прокручивается.",
+ "scrollbarSliderBackground": "Колір фону ползунка полосы прокрутки.",
+ "scrollbarSliderHoverBackground": "Колір фону ползунка полосы прокрутки при наведені курсору.",
+ "scrollbarSliderActiveBackground": "Scrollbar slider background color when clicked on.",
+ "progressBarBackground": "Колір фону индикатора виконання, який может отображаться для длительных операций.",
+ "editorError.foreground": "Колір переднього плану хвильок для помилок в редакторі.",
+ "errorBorder": "Border color of error boxes in the editor.",
+ "editorWarning.foreground": "Колір переднього плау попереждувальних хвильок в редакторі.",
+ "warningBorder": "Border color of warning boxes in the editor.",
+ "editorInfo.foreground": "Колір переднього фону інформаційних хвильок в редакторі.",
+ "infoBorder": "Border color of info boxes in the editor.",
+ "editorHint.foreground": "Foreground color of hint squigglies in the editor.",
+ "hintBorder": "Border color of hint boxes in the editor.",
+ "editorBackground": "Колір фону редактора.",
+ "editorForeground": "Колір переднього плану редактора за замовчуванням.",
+ "editorWidgetBackground": "Колір фону виджетов редактора, таких як найти/заменить.",
+ "editorWidgetForeground": "Foreground color of editor widgets, such as find/replace.",
+ "editorWidgetBorder": "Колір рамкиы віджетів редактора. Цей колір використовується лише в том випадку, якщо у міні-приложения є рамка і якщо цей колір не переопределен міні-приложением.",
+ "editorWidgetResizeBorder": "Border color of the resize bar of editor widgets. The color is only used if the widget chooses to have a resize border and if the color is not overridden by a widget.",
+ "pickerBackground": "Quick picker background color. The quick picker widget is the container for pickers like the command palette.",
+ "pickerForeground": "Quick picker foreground color. The quick picker widget is the container for pickers like the command palette.",
+ "pickerTitleBackground": "Quick picker title background color. The quick picker widget is the container for pickers like the command palette.",
+ "pickerGroupForeground": "Засоби швидкого вибору кольору для групування міток.",
+ "pickerGroupBorder": "Засоби швидкого вибору кольору для групування рамок.",
+ "editorSelectionBackground": "Колір виділення редактора.",
+ "editorSelectionForeground": "Колір виділеного тексту в режимі высокого контрасту.",
+ "editorInactiveSelection": "Color of the selection in an inactive editor. The color must not be opaque so as not to hide underlying decorations.",
+ "editorSelectionHighlight": "Color for regions with the same content as the selection. The color must not be opaque so as not to hide underlying decorations.",
+ "editorSelectionHighlightBorder": "Border color for regions with the same content as the selection.",
+ "editorFindMatch": "Колір поточного пошуку совпадений.",
+ "findMatchHighlight": "Color of the other search matches. The color must not be opaque so as not to hide underlying decorations.",
+ "findRangeHighlight": "Color of the range limiting the search. The color must not be opaque so as not to hide underlying decorations.",
+ "editorFindMatchBorder": "Border color of the current search match.",
+ "findMatchHighlightBorder": "Border color of the other search matches.",
+ "findRangeHighlightBorder": "Border color of the range limiting the search. The color must not be opaque so as not to hide underlying decorations.",
+ "searchEditor.queryMatch": "Color of the Search Editor query matches.",
+ "searchEditor.editorFindMatchBorder": "Border color of the Search Editor query matches.",
+ "hoverHighlight": "Highlight below the word for which a hover is shown. The color must not be opaque so as not to hide underlying decorations.",
+ "hoverBackground": "Колір фону при наведені вказівника на редактор.",
+ "hoverForeground": "Foreground color of the editor hover.",
+ "hoverBorder": "Колір рамки при наведені вказівника на редактор.",
+ "statusBarBackground": "Background color of the editor hover status bar.",
+ "activeLinkForeground": "Колір активних посилань.",
+ "editorLightBulbForeground": "The color used for the lightbulb actions icon.",
+ "editorLightBulbAutoFixForeground": "The color used for the lightbulb auto fix actions icon.",
+ "diffEditorInserted": "Background color for text that got inserted. The color must not be opaque so as not to hide underlying decorations.",
+ "diffEditorRemoved": "Background color for text that got removed. The color must not be opaque so as not to hide underlying decorations.",
+ "diffEditorInsertedOutline": "Колір контуру для добавлених рядків.",
+ "diffEditorRemovedOutline": "Колір контуру для видалених рядків.",
+ "diffEditorBorder": "Border color between the two text editors.",
+ "listFocusBackground": "Фоновий колір елементу в фокусі List/Tree, коли елемент List/Tree активний. На активному елементі List/Tree є фокус клавіатури, на неактивному — ні.",
+ "listFocusForeground": "Колір переднього плану елементу в фокусі List/Tree, коли елемент List/Tree активний. На активному елементі List/Tree є фокус клавіатури, на неактивному — ні.",
+ "listActiveSelectionBackground": "Фоновий колір вибраного елементу List/Tree, коли елемент List/Tree активний. На активному елементі List/Tree є фокус клавіатури, на неактивному — ні.",
+ "listActiveSelectionForeground": "Колір переднього плану вибраного елементу List/Tree, коли елемент List/Tree активний. На активному елементі List/Tree є фокус клавіатури, на неактивному — ні.",
+ "listInactiveSelectionBackground": "Фоновий колір вибраного елементу List/Tree, коли елемент List/Tree неактивний. На активному елементі List/Tree є фокус клавіатури, на неактивному — ні.",
+ "listInactiveSelectionForeground": "Колір тексту вибраного елементу List/Tree, коли елемент List/Tree неактивний. На активному елементі List/Tree є фокус клавіатури, на неактивному — ні.",
+ "listInactiveFocusBackground": "List/Tree background color for the focused item when the list/tree is inactive. An active list/tree has keyboard focus, an inactive does not.",
+ "listHoverBackground": "Фоновий колір елементів List/Tree при наведені курсору мишки.",
+ "listHoverForeground": "Колір переднього плану елементів List/Tree при наведені курсору мишки.",
+ "listDropBackground": "Фоновий колір елементів List/Tree при переміщені мишкою.",
+ "highlight": "Колір переднього плану для виділення відповідності при пошуку по елементу List/Tree.",
+ "invalidItemForeground": "Колір переднього плану списку/дерева для неприпустимих елементів, наприклад, для нерозкритого корневого вузла в провіднику.",
+ "listErrorForeground": "Foreground color of list items containing errors.",
+ "listWarningForeground": "Foreground color of list items containing warnings.",
+ "listFilterWidgetBackground": "Background color of the type filter widget in lists and trees.",
+ "listFilterWidgetOutline": "Outline color of the type filter widget in lists and trees.",
+ "listFilterWidgetNoMatchesOutline": "Outline color of the type filter widget in lists and trees, when there are no matches.",
+ "listFilterMatchHighlight": "Background color of the filtered match.",
+ "listFilterMatchHighlightBorder": "Border color of the filtered match.",
+ "treeIndentGuidesStroke": "Tree stroke color for the indentation guides.",
+ "listDeemphasizedForeground": "List/Tree foreground color for items that are deemphasized. ",
+ "menuBorder": "Border color of menus.",
+ "menuForeground": "Foreground color of menu items.",
+ "menuBackground": "Background color of menu items.",
+ "menuSelectionForeground": "Foreground color of the selected menu item in menus.",
+ "menuSelectionBackground": "Background color of the selected menu item in menus.",
+ "menuSelectionBorder": "Border color of the selected menu item in menus.",
+ "menuSeparatorBackground": "Color of a separator menu item in menus.",
+ "snippetTabstopHighlightBackground": "Highlight background color of a snippet tabstop.",
+ "snippetTabstopHighlightBorder": "Highlight border color of a snippet tabstop.",
+ "snippetFinalTabstopHighlightBackground": "Highlight background color of the final tabstop of a snippet.",
+ "snippetFinalTabstopHighlightBorder": "Highlight border color of the final stabstop of a snippet.",
+ "breadcrumbsFocusForeground": "Color of focused breadcrumb items.",
+ "breadcrumbsBackground": "Background color of breadcrumb items.",
+ "breadcrumbsSelectedForegound": "Color of selected breadcrumb items.",
+ "breadcrumbsSelectedBackground": "Background color of breadcrumb item picker.",
+ "mergeCurrentHeaderBackground": "Current header background in inline merge-conflicts. The color must not be opaque so as not to hide underlying decorations.",
+ "mergeCurrentContentBackground": "Current content background in inline merge-conflicts. The color must not be opaque so as not to hide underlying decorations.",
+ "mergeIncomingHeaderBackground": "Incoming header background in inline merge-conflicts. The color must not be opaque so as not to hide underlying decorations.",
+ "mergeIncomingContentBackground": "Incoming content background in inline merge-conflicts. The color must not be opaque so as not to hide underlying decorations.",
+ "mergeCommonHeaderBackground": "Common ancestor header background in inline merge-conflicts. The color must not be opaque so as not to hide underlying decorations.",
+ "mergeCommonContentBackground": "Common ancestor content background in inline merge-conflicts. The color must not be opaque so as not to hide underlying decorations.",
+ "mergeBorder": "Колір рамки заголовків і розділювачів у внутрішніх конфліктах злиття.",
+ "overviewRulerCurrentContentForeground": "Колір переднього плану лінійки поточного вікна у внутрішніх конфліктах злиття.",
+ "overviewRulerIncomingContentForeground": "Колір переднього плану лінійки вхідного вікна у внутрішніх конфліктах злиття.",
+ "overviewRulerCommonContentForeground": "Колір переднього плану для обзорної лінійки для загального предка у внутрішніх конфліктах злиття. ",
+ "overviewRulerFindMatchForeground": "Overview ruler marker color for find matches. The color must not be opaque so as not to hide underlying decorations.",
+ "overviewRulerSelectionHighlightForeground": "Overview ruler marker color for selection highlights. The color must not be opaque so as not to hide underlying decorations.",
+ "minimapFindMatchHighlight": "Minimap marker color for find matches.",
+ "minimapSelectionHighlight": "Minimap marker color for the editor selection.",
+ "minimapError": "Minimap marker color for errors.",
+ "overviewRuleWarning": "Minimap marker color for warnings.",
+ "minimapBackground": "Minimap background color.",
+ "minimapSliderBackground": "Minimap slider background color.",
+ "minimapSliderHoverBackground": "Minimap slider background color when hovering.",
+ "minimapSliderActiveBackground": "Minimap slider background color when clicked on.",
+ "problemsErrorIconForeground": "The color used for the problems error icon.",
+ "problemsWarningIconForeground": "The color used for the problems warning icon.",
+ "problemsInfoIconForeground": "The color used for the problems info icon."
+ },
+ "vs/platform/extensions/common/extensionValidator": {
+ "versionSyntax": "Could not parse `engines.vscode` value {0}. Please use, for example: ^1.22.0, ^1.22.x, etc.",
+ "versionSpecificity1": "Версія, вказана у engines.vscode ({0}), недостатньо конкретна. Для версій vscode до 1.0.0 вкажіть хоча б основний і додатковий номер версії. Наприклад, 0.10.0, 0.10.x, 0.11.0 і т.д.",
+ "versionSpecificity2": "Версія, вказана у engines.vscode ({0}), недостатньо конкретна. Для версій vscode після 1.0.0 вкажіть хоча б основний номер версії. Наприклад, 1.10.0, 1.10.x, 1.x.x, 2.x.x і т.д.",
+ "versionMismatch": "Додаток несумісний з Code \"{0}\". Додаток потребує: {1}."
+ },
+ "vs/platform/userDataSync/common/settingsSync": {
+ "errorInvalidSettings": "Unable to sync settings as there are errors/warning in settings file."
+ },
+ "vs/platform/userDataSync/common/keybindingsSync": {
+ "errorInvalidSettings": "Unable to sync keybindings as there are errors/warning in keybindings file."
+ },
+ "vs/platform/workspaces/electron-main/workspacesMainService": {
+ "ok": "ОК",
+ "workspaceOpenedMessage": "Не вдалося зберегти робочу область \"{0}\"",
+ "workspaceOpenedDetail": "Робочу область уже відкрито в іншому вікні. Будь ласка, закрийте це вікно, спочатку а потім повторіть спробу."
+ },
+ "vs/platform/dialogs/electron-main/dialogs": {
+ "open": "Відкрити",
+ "openFolder": "Відкрийте Папку",
+ "openFile": "Відкрити Файл",
+ "openWorkspaceTitle": "Відкрити Робочу Область",
+ "openWorkspace": "&&Open"
+ },
+ "vs/platform/keybinding/common/abstractKeybindingService": {
+ "first.chord": "Була натиснута клавіша ({0}). Очікування натиснення другої клавіші комбінації...",
+ "missing.chord": "Комбінація клавіш ({0}та{1}) не є командою."
+ },
+ "vs/platform/issue/electron-main/issueMainService": {
+ "local": "Місцевий",
+ "issueReporterWriteToClipboard": "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": "Скасувати",
+ "confirmCloseIssueReporter": "Your input will not be saved. Are you sure you want to close this window?",
+ "yes": "Так",
+ "issueReporter": "Issue Reporter",
+ "processExplorer": "Process Explorer"
+ },
+ "vs/platform/workspaces/electron-main/workspacesHistoryMainService": {
+ "newWindow": "New Window",
+ "newWindowDesc": "Відкриває нове вікно",
+ "recentFolders": "Недавні робочі області",
+ "folderDesc": "{0} {1}",
+ "workspaceDesc": "{0} {1}"
+ },
+ "vs/platform/quickinput/browser/commandsQuickAccess": {
+ "commandPickAriaLabelWithKeybinding": "{0}, {1}",
+ "recentlyUsed": "останнім часом використовується",
+ "morecCommands": "інші команди",
+ "canNotRun": "Command '{0}' resulted in an error ({1})"
+ },
+ "vs/platform/theme/common/tokenClassificationRegistry": {
+ "schema.token.settings": "Кольори та стилі для токенів.",
+ "schema.token.foreground": "Колір переднього плану для токену.",
+ "schema.token.background.warning": "В даний час токен кольору фону не підтримуються.",
+ "schema.token.fontStyle": "Font style of the rule: 'italic', 'bold' or 'underline' or a combination. The empty string unsets inherited settings.",
+ "schema.fontStyle.error": "Font style must be 'italic', 'bold' or 'underline' or a combination. The empty string unsets all styles.",
+ "schema.token.fontStyle.none": "None (clear inherited style)",
+ "comment": "Style for comments.",
+ "string": "Style for strings.",
+ "keyword": "Style for keywords.",
+ "number": "Style for numbers.",
+ "regexp": "Style for expressions.",
+ "operator": "Style for operators.",
+ "namespace": "Style for namespaces.",
+ "type": "Style for types.",
+ "struct": "Style for structs.",
+ "class": "Style for classes.",
+ "interface": "Style for interfaces.",
+ "enum": "Style for enums.",
+ "typeParameter": "Style for type parameters.",
+ "function": "Style for functions",
+ "member": "Style for member",
+ "macro": "Style for macros.",
+ "variable": "Style for variables.",
+ "parameter": "Style for parameters.",
+ "property": "Style for properties.",
+ "enumMember": "Style for enum members.",
+ "event": "Style for events.",
+ "labels": "Style for labels. ",
+ "declaration": "Style for all symbol declarations.",
+ "documentation": "Style to use for references in documentation.",
+ "static": "Style to use for symbols that are static.",
+ "abstract": "Style to use for symbols that are abstract.",
+ "deprecated": "Style to use for symbols that are deprecated.",
+ "modification": "Style to use for write accesses.",
+ "async": "Style to use for symbols that are async.",
+ "readonly": "Style to use for symbols that are readonly."
+ },
+ "vs/platform/userDataSync/common/abstractSynchronizer": {
+ "incompatible": "Cannot sync {0} as its version {1} is not compatible with cloud {2}"
+ },
+ "vs/platform/menubar/electron-main/menubar": {
+ "miNewWindow": "New &&Window",
+ "mFile": "&&File",
+ "mEdit": "&&Edit",
+ "mSelection": "&&Selection",
+ "mView": "&&View",
+ "mGoto": "&&Go",
+ "mRun": "&&Run",
+ "mTerminal": "&&Terminal",
+ "mWindow": "Вікна",
+ "mHelp": "&&Help",
+ "mAbout": "About {0}",
+ "miPreferences": "&&Preferences",
+ "mServices": "Послуги",
+ "mHide": "Hide {0}",
+ "mHideOthers": "Приховати Інші",
+ "mShowAll": "Показати Всі",
+ "miQuit": "Закрити {0}",
+ "mMinimize": "Мінімізувати",
+ "mZoom": "Zoom",
+ "mBringToFront": "Вивести всі передній план",
+ "miSwitchWindow": "Switch &&Window...",
+ "mNewTab": "New Tab",
+ "mShowPreviousTab": "Показати Попередню Вкладку",
+ "mShowNextTab": "Показати Наступну Вкладку",
+ "mMoveTabToNewWindow": "Перемістити вкладку в нове вікно",
+ "mMergeAllWindows": "Злиття Всіх Вікон",
+ "miCheckForUpdates": "Check for &&Updates...",
+ "miCheckingForUpdates": "Перевірити наявність оновлень...",
+ "miDownloadUpdate": "D&&ownload Available Update",
+ "miDownloadingUpdate": "Завантаження оновлення...",
+ "miInstallUpdate": "Install &&Update...",
+ "miInstallingUpdate": "Установка оновлень...",
+ "miRestartToUpdate": "Restart to &&Update"
+ },
+ "vs/platform/theme/common/iconRegistry": {},
+ "vs/platform/windows/electron-main/windowsMainService": {
+ "pathNotExistTitle": "Шлях не існує",
+ "pathNotExistDetail": "Шлях \"{0}\", схоже, більше не існує на диску.",
+ "uriInvalidTitle": "URI can not be opened",
+ "uriInvalidDetail": "The URI '{0}' is not valid and can not be opened.",
+ "ok": "ОК"
+ },
+ "win32/i18n/messages": {
+ "AddContextMenuFiles": "Додати дію \"Відкрити за допомогою %1\" до контекстного меню Провідника Windows",
+ "AddContextMenuFolders": "Додати дію \"Відкрити папку за допомогою %1\" до контекстного меню Провідника Windows",
+ "AssociateWithFiles": "Використовувати %1 як редактор зареєстрованих типів файлів",
+ "AddToPath": "Add to PATH (requires shell restart)",
+ "RunAfter": "Запустити %1 після встановлення",
+ "Other": "Інше:",
+ "SourceFile": "Вихідний файл %1",
+ "OpenWithCodeContextMenu": "Open w&ith %1"
+ },
+ "vs/code/electron-browser/processExplorer/processExplorerMain": {
+ "cpu": "CPU %",
+ "memory": "Memory (MB)",
+ "pid": "pid",
+ "name": "Name",
+ "killProcess": "Kill Process",
+ "forceKillProcess": "Force Kill Process",
+ "copy": "Скопіювати",
+ "copyAll": "Скопіювати Всі",
+ "debug": "Налагоджувати"
+ },
+ "vs/code/node/cliProcessMain": {
+ "notFound": "Додаток \"{0}\" не знайдено.",
+ "notInstalled": "Додаток '{0}' не встановлено.",
+ "useId": "Make sure you use the full extension ID, including the publisher, e.g.: {0}",
+ "installingExtensions": "Installing extensions...",
+ "installation failed": "Failed Installing Extensions: {0}",
+ "successVsixInstall": "Extension '{0}' was successfully installed.",
+ "cancelVsixInstall": "Скасовано установка додатку '{0}'.",
+ "alreadyInstalled": "Додаток '{0}' уже встановлено.",
+ "forceUpdate": "Extension '{0}' v{1} is already installed, but a newer version {2} is available in the marketplace. Use '--force' option to update to newer version.",
+ "updateMessage": "Updating the extension '{0}' to the version {1}",
+ "forceDowngrade": "A newer version of extension '{0}' v{1} is already installed. Use '--force' option to downgrade to older version.",
+ "installing": "Installing extension '{0}' v{1}...",
+ "successInstall": "Extension '{0}' v{1} was successfully installed.",
+ "uninstalling": "Uninstalling {0}...",
+ "successUninstall": "Додаток \"{0}\" успішно видалено!"
+ },
+ "vs/code/electron-main/main": {
+ "secondInstanceAdmin": "Інший екземпляр {0} уже запущено правами адміністратора.",
+ "secondInstanceAdminDetail": "Закрийте інші інстанції і повторіть спробу.",
+ "secondInstanceNoResponse": "Інший екземпляр {0} працює, але не відповідає",
+ "secondInstanceNoResponseDetail": "Будь ласка, закрийте всі інші інстанції і спробуйте знову.",
+ "startupDataDirError": "Unable to write program user data.",
+ "startupUserDataAndExtensionsDirErrorDetail": "Please make sure the following directories are writeable:\n\n{0}",
+ "close": "&&Close"
+ },
+ "vs/code/electron-browser/issue/issueReporterMain": {
+ "hide": "hide",
+ "show": "show",
+ "previewOnGitHub": "Preview on GitHub",
+ "loadingData": "Loading data...",
+ "rateLimited": "Перевищено ліміт запитів GitHub. Будь ласка, зачекайте.",
+ "similarIssues": "Схожі проблеми",
+ "open": "Відкрити",
+ "closed": "Закрито",
+ "noSimilarIssues": "Схожих проблем не знайдено",
+ "settingsSearchIssue": "Settings Search Issue",
+ "bugReporter": "Звітування про помилку",
+ "featureRequest": "Feature Request",
+ "performanceIssue": "Performance Issue",
+ "selectSource": "Select source",
+ "vscode": "Visual Studio Code",
+ "extension": "An extension",
+ "unknown": "Don't Know",
+ "stepsToReproduce": "Кроки відтворення проблеми",
+ "bugDescription": "Поділіться кроками, необхідними для надійного відтворення проблеми. Будь-ласка, включіть фактичні та очікувані результати. Ми підтримуємо Markdown в стилі GitHub. Ви зможете редагувати свою проблему та додавати скріншоти, коли ми перевіримо її на GitHub.",
+ "performanceIssueDesciption": "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": "Description",
+ "featureRequestDescription": "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.",
+ "expectedResults": "Expected Results",
+ "settingsSearchResultsDescription": "Please list the results that you were expecting to see when you searched with this query. We support GitHub-flavored Markdown. You will be able to edit your issue and add screenshots when we preview it on GitHub.",
+ "pasteData": "We have written the needed data into your clipboard because it was too large to send. Please paste.",
+ "disabledExtensions": "Розширення вимкнено"
+ },
+ "vs/code/electron-main/app": {
+ "trace.message": "Successfully created trace.",
+ "trace.detail": "Please create an issue and manually attach the following file:\n{0}",
+ "trace.ok": "ОК"
+ },
+ "vs/code/electron-browser/issue/issueReporterPage": {
+ "completeInEnglish": "Будь ласка, заповніть форму англійською.",
+ "issueTypeLabel": "This is a",
+ "issueSourceLabel": "File on",
+ "disableExtensionsLabelText": "Try to reproduce the problem after {0}. If the problem only reproduces when extensions are active, it is likely an issue with an extension.",
+ "disableExtensions": "disabling all extensions and reloading the window",
+ "chooseExtension": "Додаток",
+ "extensionWithNonstandardBugsUrl": "The issue reporter is unable to create issues for this extension. Please visit {0} to report an issue.",
+ "extensionWithNoBugsUrl": "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.",
+ "issueTitleLabel": "Title",
+ "issueTitleRequired": "Please enter a title.",
+ "titleLengthValidation": "The title is too long.",
+ "details": "Please enter details.",
+ "sendSystemInfo": "Include my system information ({0})",
+ "show": "show",
+ "sendProcessInfo": "Include my currently running processes ({0})",
+ "sendWorkspaceInfo": "Include my workspace metadata ({0})",
+ "sendExtensions": "Include my enabled extensions ({0})",
+ "sendSearchedExtensions": "Send searched extensions ({0})",
+ "sendSettingsSearchDetails": "Send settings search details ({0})"
+ },
+ "vs/code/electron-main/auth": {
+ "authRequire": "Потребує Автентифікації Проксі",
+ "proxyauth": "Проксі - {0} вимагає автентифікації."
+ },
+ "vs/code/electron-main/window": {
+ "reopen": "&&Reopen",
+ "wait": "&&Keep Waiting",
+ "close": "&&Close",
+ "appStalled": "Вікно більше не відповідає",
+ "appStalledDetail": "Можна повторно відкрити або закрити вікно або очікувати.",
+ "appCrashed": "Вікно розбилося",
+ "appCrashedDetail": "Перепрошуємо за незручності! Можна повторно відкрити вікно, щоб продовжити, де ви зупинилися.",
+ "hiddenMenuBar": "You can still access the menu bar by pressing the Alt-key."
+ },
+ "vs/workbench/electron-browser/desktop.contribution": {
+ "view": "Вид",
+ "newTab": "New Window Tab",
+ "showPreviousTab": "Показати Попереднє Вікно Вкладки",
+ "showNextWindowTab": "Показати Наступне Вікно Вкладки",
+ "moveWindowTabToNewWindow": "Перемістити Вкладку у Нове Вікно",
+ "mergeAllWindowTabs": "Злиття Всіх Вікон",
+ "toggleWindowTabsBar": "Toggle Window Tabs Bar",
+ "developer": "Розробник",
+ "preferences": "Налаштування",
+ "miCloseWindow": "Clos&&e Window",
+ "miExit": "E&&xit",
+ "miZoomIn": "&&Zoom In",
+ "miZoomOut": "&&Zoom Out",
+ "miZoomReset": "&&Reset Zoom",
+ "miReportIssue": "Report &&Issue",
+ "miToggleDevTools": "&&Toggle Developer Tools",
+ "miOpenProcessExplorerer": "Open &&Process Explorer",
+ "windowConfigurationTitle": "Вікна",
+ "window.openWithoutArgumentsInNewWindow.on": "Open a new empty window.",
+ "window.openWithoutArgumentsInNewWindow.off": "Focus the last active running instance.",
+ "openWithoutArgumentsInNewWindow": "Controls whether a new empty window should open when starting a second instance without arguments or if the last running instance should get focus.\nNote that there can still be cases where this setting is ignored (e.g. when using the `--new-window` or `--reuse-window` command line option).",
+ "window.reopenFolders.all": "Знову відкрити усі вікна.",
+ "window.reopenFolders.folders": "Reopen all folders. Empty workspaces will not be restored.",
+ "window.reopenFolders.one": "Відкрити останнє активне вікно.",
+ "window.reopenFolders.none": "Never reopen a window. Always start with an empty one.",
+ "restoreWindows": "Controls how windows are being reopened after a restart.",
+ "restoreFullscreen": "Controls whether a window should restore to full screen mode if it was exited in full screen mode.",
+ "zoomLevel": "Adjust the zoom level of the window. The original size is 0 and each increment above (e.g. 1) or below (e.g. -1) represents zooming 20% larger or smaller. You can also enter decimals to adjust the zoom level with a finer granularity.",
+ "window.newWindowDimensions.default": "Open new windows in the center of the screen.",
+ "window.newWindowDimensions.inherit": "Open new windows with same dimension as last active one.",
+ "window.newWindowDimensions.offset": "Open new windows with same dimension as last active one with an offset position.",
+ "window.newWindowDimensions.maximized": "Open new windows maximized.",
+ "window.newWindowDimensions.fullscreen": "Відкрити нові вікна на повний екран.",
+ "newWindowDimensions": "Controls the dimensions of opening a new window when at least one window is already opened. Note that this setting does not have an impact on the first window that is opened. The first window will always restore the size and location as you left it before closing.",
+ "closeWhenEmpty": "Controls whether closing the last editor should also close the window. This setting only applies for windows that do not show folders.",
+ "autoDetectHighContrast": "If enabled, will automatically change to high contrast theme if Windows is using a high contrast theme, and to dark theme when switching away from a Windows high contrast theme.",
+ "window.doubleClickIconToClose": "If enabled, double clicking the application icon in the title bar will close the window and the window cannot be dragged by the icon. This setting only has an effect when `#window.titleBarStyle#` is set to `custom`.",
+ "titleBarStyle": "Adjust the appearance of the window title bar. On Linux and Windows, this setting also affects the application and context menu appearances. Changes require a full restart to apply.",
+ "window.nativeTabs": "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.",
+ "window.nativeFullScreen": "Визначає чи нативний повноекранний режим повинен використовуватись у macOS. Вимкніть це налаштування, щоб macOS не створювала новий простір при переході в повноекранний режим.",
+ "window.clickThroughInactive": "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.",
+ "telemetryConfigurationTitle": "Телеметрія",
+ "telemetry.enableCrashReporting": "Enable crash reports to be sent to a Microsoft online service. \nThis option requires restart to take effect.",
+ "argv.locale": "The display Language to use. Picking a different language requires the associated language pack to be installed.",
+ "argv.disableHardwareAcceleration": "Disables hardware acceleration. ONLY change this option if you encounter graphic issues.",
+ "argv.disableColorCorrectRendering": "Resolves issues around color profile selection. ONLY change this option if you encounter graphic issues.",
+ "argv.forceColorProfile": "Allows to override the color profile to use. If you experience colors appear badly, try to set this to `srgb` and restart.",
+ "argv.force-renderer-accessibility": "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/browser/actions/textInputActions": {
+ "undo": "Undo",
+ "redo": "Redo",
+ "cut": "Вирізати",
+ "copy": "Скопіювати",
+ "paste": "Вставити",
+ "selectAll": "Вибрати Все"
+ },
+ "vs/workbench/browser/actions/workspaceCommands": {
+ "addFolderToWorkspace": "Add Folder to Workspace...",
+ "add": "&&Add",
+ "addFolderToWorkspaceTitle": "Add Folder to Workspace",
+ "workspaceFolderPickerPlaceholder": "Select workspace folder"
+ },
+ "vs/workbench/browser/actions/developerActions": {
+ "inspect context keys": "Inspect Context Keys",
+ "toggle screencast mode": "Toggle Screencast Mode",
+ "logStorage": "Log Storage Database Contents",
+ "logWorkingCopies": "Log Working Copies",
+ "developer": "Розробник",
+ "screencastModeConfigurationTitle": "Screencast Mode",
+ "screencastMode.location.verticalPosition": "Controls the vertical offset of the screencast mode overlay from the bottom as a percentage of the workbench height.",
+ "screencastMode.onlyKeyboardShortcuts": "Only show keyboard shortcuts in Screencast Mode."
+ },
+ "vs/workbench/browser/actions/navigationActions": {
+ "navigateLeft": "Navigate to the View on the Left",
+ "navigateRight": "Navigate to the View on the Right",
+ "navigateUp": "Navigate to the View Above",
+ "navigateDown": "Navigate to the View Below",
+ "view": "Вид"
+ },
+ "vs/workbench/browser/actions/quickAccessActions": {
+ "quickOpen": "Go to File...",
+ "quickNavigateNext": "Navigate Next in Quick Open",
+ "quickNavigatePrevious": "Navigate Previous in Quick Open",
+ "quickSelectNext": "Select Next in Quick Open",
+ "quickSelectPrevious": "Select Previous in Quick Open"
+ },
+ "vs/workbench/api/common/configurationExtensionPoint": {
+ "vscode.extension.contributes.configuration.title": "Зведені параметри. Ця мітка буде використовуватися у налаштуваннях файлу у якості розділення коментаря.",
+ "vscode.extension.contributes.configuration.properties": "Опис властивостей конфігурації.",
+ "scope.application.description": "Configuration that can be configured only in the user settings.",
+ "scope.machine.description": "Configuration that can be configured only in the user settings or only in the remote settings.",
+ "scope.window.description": "Configuration that can be configured in the user, remote or workspace settings.",
+ "scope.resource.description": "Configuration that can be configured in the user, remote, workspace or folder settings.",
+ "scope.language-overridable.description": "Resource configuration that can be configured in language specific settings.",
+ "scope.machine-overridable.description": "Machine configuration that can be configured also in workspace or folder settings.",
+ "scope.description": "Scope in which the configuration is applicable. Available scopes are `application`, `machine`, `window`, `resource`, and `machine-overridable`.",
+ "scope.enumDescriptions": "Descriptions for enum values",
+ "scope.markdownEnumDescriptions": "Descriptions for enum values in the markdown format.",
+ "scope.markdownDescription": "The description in the markdown format.",
+ "scope.deprecationMessage": "If set, the property is marked as deprecated and the given message is shown as an explanation.",
+ "vscode.extension.contributes.defaultConfiguration": "Вносить свій редактор стандартних конфігураційних установок від мови.",
+ "vscode.extension.contributes.configuration": "Включає налаштування конфігурації.",
+ "invalid.title": "'configuration.title' має бути рядком",
+ "invalid.properties": "'configuration.properties' має бути об'єктом",
+ "invalid.property": "'configuration.property' must be an object",
+ "invalid.allOf": "'configuration.allOf' є застарілим і більше не повинні бути використані. Замість цього, передавати кілька розділів налаштування як масив 'configuration' до точки внеску.",
+ "workspaceConfig.folders.description": "Список папок, які повинні бути завантажені в робочу область.",
+ "workspaceConfig.path.description": "Шлях до файлу. наприклад, `/корінь/папкаА` або `./папкаА` для відносний шлях, який буде вирішене на розташування файлу робочої області.",
+ "workspaceConfig.name.description": "Необов'язкове ім'я папки. ",
+ "workspaceConfig.uri.description": "URI папки",
+ "workspaceConfig.settings.description": "Параметри робочої області",
+ "workspaceConfig.launch.description": "Workspace launch configurations",
+ "workspaceConfig.tasks.description": "Workspace task configurations",
+ "workspaceConfig.extensions.description": "Розширення робочої області",
+ "workspaceConfig.remoteAuthority": "The remote server where the workspace is located. Only used by unsaved remote workspaces.",
+ "unknownWorkspaceProperty": "Невідома властивість конфігурації робочої області"
+ },
+ "vs/workbench/browser/parts/sidebar/sidebarPart": {
+ "focusSideBar": "Зфокусуватися на Бічній Панелі",
+ "viewCategory": "Вид"
+ },
+ "vs/workbench/electron-browser/actions/developerActions": {
+ "toggleDevTools": "Увімкнути/вимкнути Інструменти Розробника",
+ "toggleSharedProcess": "Toggle Shared Process",
+ "configureRuntimeArguments": "Configure Runtime Arguments"
+ },
+ "vs/workbench/browser/actions/helpActions": {
+ "keybindingsReference": "Keyboard Shortcuts Reference",
+ "openDocumentationUrl": "Documentation",
+ "openIntroductoryVideosUrl": "Вступне відео",
+ "openTipsAndTricksUrl": "Поради та хитрості",
+ "newsletterSignup": "Signup for the VS Code Newsletter",
+ "openTwitterUrl": "Join Us on Twitter",
+ "openUserVoiceUrl": "Search Feature Requests",
+ "openLicenseUrl": "View License",
+ "openPrivacyStatement": "Privacy Statement",
+ "help": "Допоможіть",
+ "miDocumentation": "&&Documentation",
+ "miKeyboardShortcuts": "&&Keyboard Shortcuts Reference",
+ "miIntroductoryVideos": "Introductory &&Videos",
+ "miTipsAndTricks": "Tips and Tri&&cks",
+ "miTwitter": "&&Join Us on Twitter",
+ "miUserVoice": "&&Search Feature Requests",
+ "miLicense": "View &&License",
+ "miPrivacyStatement": "Privac&&y Statement"
+ },
+ "vs/workbench/api/browser/viewsExtensionPoint": {
+ "vscode.extension.contributes.views.containers.id": "Unique id used to identify the container in which views can be contributed using 'views' contribution point",
+ "vscode.extension.contributes.views.containers.title": "Human readable string used to render the container",
+ "vscode.extension.contributes.views.containers.icon": "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.",
+ "vscode.extension.contributes.viewsContainers": "Contributes views containers to the editor",
+ "views.container.activitybar": "Contribute views containers to Activity Bar",
+ "views.container.panel": "Contribute views containers to Panel",
+ "vscode.extension.contributes.view.id": "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`.",
+ "vscode.extension.contributes.view.name": "Мовна назва вигляду. З'являтимется на екрані.",
+ "vscode.extension.contributes.view.when": "Умови, що мають виконуватися, аби цей вигляд з'явився.",
+ "vscode.extension.contributes.view.group": "Nested group in the viewlet",
+ "vscode.extension.contributes.view.remoteName": "The name of the remote type associated with this view",
+ "vscode.extension.contributes.views": "Вкласти вигляди до редактору",
+ "views.explorer": "Contributes views to Explorer container in the Activity bar",
+ "views.debug": "Contributes views to Debug container in the Activity bar",
+ "views.scm": "Contributes views to SCM container in the Activity bar",
+ "views.test": "Contributes views to Test container in the Activity bar",
+ "views.remote": "Contributes views to Remote container in the Activity bar. To contribute to this container, enableProposedApi needs to be turned on",
+ "views.contributed": "Contributes views to contributed views container",
+ "test": "Test",
+ "viewcontainer requirearray": "views containers must be an array",
+ "requireidstring": "властивість `{0}` є обов'язковою і має належати до типу \"рядок\". Дозволено використовувати лише цифри, букви, та символи \"_\", і \"-\".",
+ "requirestring": "Властивість `{0}` є обов'язковою і повинна бути типу `string`",
+ "showViewlet": "Show {0}",
+ "view": "Вид",
+ "ViewContainerRequiresProposedAPI": "View container '{0}' requires 'enableProposedApi' turned on to be added to 'Remote'.",
+ "ViewContainerDoesnotExist": "View container '{0}' does not exist and all views registered to it will be added to 'Explorer'.",
+ "duplicateView1": "Cannot register multiple views with same id `{0}`",
+ "duplicateView2": "A view with id `{0}` is already registered.",
+ "requirearray": "режими перегляду повинні бути масивом",
+ "optstring": "Властивість `{0}` є опціональною або ж бути типу `string`"
+ },
+ "vs/workbench/browser/actions/workspaceActions": {
+ "openFile": "Open File...",
+ "openFolder": "Відкрийте Каталог...",
+ "openFileFolder": "Відкрити...",
+ "openWorkspaceAction": "Відкрити Робочу Область...",
+ "closeWorkspace": "Закрити Робочу Область",
+ "noWorkspaceOpened": "There is currently no workspace opened in this instance to close.",
+ "openWorkspaceConfigFile": "Відкрити Конфігураційний Файл Робочої Області",
+ "globalRemoveFolderFromWorkspace": "Видалити Папку з Робочої Області...",
+ "saveWorkspaceAsAction": "Зберегти Робочу Область Як...",
+ "duplicateWorkspaceInNewWindow": "Duplicate Workspace in New Window",
+ "workspaces": "Workspaces",
+ "miAddFolderToWorkspace": "A&&dd Folder to Workspace...",
+ "miSaveWorkspaceAs": "Зберегти Робочу Область Як...",
+ "miCloseFolder": "Close &&Folder",
+ "miCloseWorkspace": "Close &&Workspace"
+ },
+ "vs/workbench/browser/actions/windowActions": {
+ "remove": "Видалити з Нещодавно Відкритих",
+ "dirtyRecentlyOpened": "Workspace With Dirty Files",
+ "workspaces": "workspaces",
+ "files": "Файли",
+ "dirtyWorkspace": "Workspace with Dirty Files",
+ "dirtyWorkspaceConfirm": "Do you want to open the workspace to review the dirty files?",
+ "dirtyWorkspaceConfirmDetail": "Workspaces with dirty files cannot be removed until all dirty files have been saved or reverted.",
+ "recentDirtyAriaLabel": "{0}, dirty workspace",
+ "openRecent": "Open Recent...",
+ "quickOpenRecent": "Quick Open Recent...",
+ "toggleFullScreen": "Увімкнути/вимкнути Режим Повного Екрану",
+ "reloadWindow": "Reload Window",
+ "about": "About",
+ "newWindow": "New Window",
+ "file": "Файл",
+ "view": "Вид",
+ "developer": "Розробник",
+ "help": "Допоможіть",
+ "miNewWindow": "New &&Window",
+ "miOpenRecent": "Open &&Recent",
+ "miMore": "&&More...",
+ "miToggleFullScreen": "& & На весь екран",
+ "miAbout": "&&About"
+ },
+ "vs/workbench/api/common/menusExtensionPoint": {
+ "requirearray": "елементи меню портібно задавати масивом",
+ "requirestring": "Властивість `{0}` є обов'язковою і повинна бути типу `string`",
+ "optstring": "Властивість `{0}` є опціональною або ж бути типу `string`",
+ "vscode.extension.contributes.menuItem.command": "Ідентифікатор команди яку буде виконано. Ця команда повинна бути задана в розділі 'команди'",
+ "vscode.extension.contributes.menuItem.alt": "Ідентифікатор альтернитивної команди яку буде виконано. Ця команда повинна бути задана в розділі 'команди'",
+ "vscode.extension.contributes.menuItem.when": "Умова за якої цей елемент буде показано",
+ "vscode.extension.contributes.menuItem.group": "Група до котрої ця команда належить",
+ "vscode.extension.contributes.menus": "Додає елементи меню до редактора",
+ "menus.commandPalette": "Набір команд",
+ "menus.touchBar": "Панель дотику (тільки macOS)",
+ "menus.editorTitle": "Головне меню редактора",
+ "menus.editorContext": "Контекстне меню редактора",
+ "menus.explorerContext": "Контекстне меню переглядача файлів",
+ "menus.editorTabContext": "Контекстне меню вкладки редактора",
+ "menus.debugCallstackContext": "Контекстне меню стеку налагодження",
+ "menus.webNavigation": "The top level navigational menu (web only)",
+ "menus.scmTitle": "Головне меню системи керування версіями",
+ "menus.scmSourceControl": "Меню системи керування версіями",
+ "menus.resourceGroupContext": "Контекстне меню групи ресурсів джерела керування",
+ "menus.resourceStateContext": "The Source Control resource state context menu",
+ "menus.resourceFolderContext": "The Source Control resource folder context menu",
+ "menus.changeTitle": "The Source Control inline change menu",
+ "view.viewTitle": "Представлений вигляд меню заголовків",
+ "view.itemContext": "Представлений вигляд контекстного меню елемента",
+ "commentThread.title": "The contributed comment thread title menu",
+ "commentThread.actions": "The contributed comment thread context menu, rendered as buttons below the comment editor",
+ "comment.title": "The contributed comment title menu",
+ "comment.actions": "The contributed comment context menu, rendered as buttons below the comment editor",
+ "notebook.cell.title": "The contributed notebook cell title menu",
+ "menus.extensionContext": "The extension context menu",
+ "view.timelineTitle": "The Timeline view title menu",
+ "view.timelineContext": "The Timeline view item context menu",
+ "nonempty": "очікується, що непорожнє значення.",
+ "opticon": "властивість `icon` може бути пропущена або повинна бути рядком чи літералом, наприклад `{dark, light}`",
+ "requireStringOrObject": "властивість `{0}` обов'язкова і повинна мати тип `рядок` або` об'єкт`",
+ "requirestrings": "властивості `{0}` та `{1}` є обов'язковими і повинні мати тип `string`",
+ "vscode.extension.contributes.commandType.command": "Identifier of the command to execute",
+ "vscode.extension.contributes.commandType.title": "Назва, якою команда представлена в Інтерфейсі",
+ "vscode.extension.contributes.commandType.category": "(Необов'язково) Категорія рядка за якою команда згрупована в Інтерфейсі",
+ "vscode.extension.contributes.commandType.precondition": "(Optional) Condition which must be true to enable the command",
+ "vscode.extension.contributes.commandType.icon": "(Optional) Icon which is used to represent the command in the UI. Either a file path, an object with file paths for dark and light themes, or a theme icon references, like `$(zap)`",
+ "vscode.extension.contributes.commandType.icon.light": "Шлях до значка, якщо використовується світла тема",
+ "vscode.extension.contributes.commandType.icon.dark": "Шлях до значка, якщо використовується темна тема",
+ "vscode.extension.contributes.commands": "Contributes commands to the command palette.",
+ "dup": "Command `{0}` appears multiple times in the `commands` section.",
+ "menuId.invalid": "`{0}` не є припустимим ідентифікатором меню",
+ "proposedAPI.invalid": "{0} is a proposed menu identifier and is only available when running out of dev or with the following command line switch: --enable-proposed-api {1}",
+ "missing.command": "Menu item references a command `{0}` which is not defined in the 'commands' section.",
+ "missing.altCommand": "Menu item references an alt-command `{0}` which is not defined in the 'commands' section.",
+ "dupe.command": "Menu item references the same command as default and alt-command"
+ },
+ "vs/workbench/electron-browser/actions/windowActions": {
+ "closeWindow": "Close Window",
+ "zoomIn": "Наблизити",
+ "zoomOut": "Зменшити",
+ "zoomReset": "Reset Zoom",
+ "reloadWindowWithExtensionsDisabled": "Reload With Extensions Disabled",
+ "close": "Close Window",
+ "switchWindowPlaceHolder": "Select a window to switch to",
+ "windowDirtyAriaLabel": "{0}, dirty window",
+ "current": "Current Window",
+ "switchWindow": "Змінити Вікно...",
+ "quickSwitchWindow": "Швидко Змінити Вікно"
+ },
+ "vs/workbench/browser/workbench.contribution": {
+ "workbench.editor.titleScrollbarSizing.default": "The default size.",
+ "workbench.editor.titleScrollbarSizing.large": "Increases the size, so it can be grabed more easily with the mouse",
+ "tabScrollbarHeight": "Controls the height of the scrollbars used for tabs and breadcrumbs in the editor title area.",
+ "showEditorTabs": "Controls whether opened editors should show in tabs or not.",
+ "highlightModifiedTabs": "Controls whether a top border is drawn on modified (dirty) editor tabs or not.",
+ "workbench.editor.labelFormat.default": "Show the name of the file. When tabs are enabled and two files have the same name in one group the distinguishing sections of each file's path are added. When tabs are disabled, the path relative to the workspace folder is shown if the editor is active.",
+ "workbench.editor.labelFormat.short": "Show the name of the file followed by its directory name.",
+ "workbench.editor.labelFormat.medium": "Show the name of the file followed by its path relative to the workspace folder.",
+ "workbench.editor.labelFormat.long": "Show the name of the file followed by its absolute path.",
+ "tabDescription": "Controls the format of the label for an editor.",
+ "workbench.editor.untitled.labelFormat.content": "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.",
+ "workbench.editor.untitled.labelFormat.name": "The name of the untitled file is not derived from the contents of the file.",
+ "untitledLabelFormat": "Controls the format of the label for an untitled editor.",
+ "editorTabCloseButton": "Controls the position of the editor's tabs close buttons, or disables them when set to 'off'.",
+ "workbench.editor.tabSizing.fit": "Always keep tabs large enough to show the full editor label.",
+ "workbench.editor.tabSizing.shrink": "Allow tabs to get smaller when the available space is not enough to show all tabs at once.",
+ "tabSizing": "Controls the sizing of editor tabs.",
+ "workbench.editor.splitSizingDistribute": "Splits all the editor groups to equal parts.",
+ "workbench.editor.splitSizingSplit": "Splits the active editor group to equal parts.",
+ "splitSizing": "Controls the sizing of editor groups when splitting them.",
+ "focusRecentEditorAfterClose": "Controls whether tabs are closed in most recently used order or from left to right.",
+ "showIcons": "Controls whether opened editors should show with an icon or not. This requires an icon theme to be enabled as well.",
+ "enablePreview": "Controls whether opened editors show as preview. Preview editors are reused until they are pinned (e.g. via double click or editing) and show up with an italic font style.",
+ "enablePreviewFromQuickOpen": "Controls whether editors opened from Quick Open show as preview. Preview editors are reused until they are pinned (e.g. via double click or editing).",
+ "closeOnFileDelete": "Controls whether editors showing a file that was opened during the session should close automatically when getting deleted or renamed by some other process. Disabling this will keep the editor open on such an event. Note that deleting from within the application will always close the editor and that dirty files will never close to preserve your data.",
+ "editorOpenPositioning": "Controls where editors open. Select `left` or `right` to open editors to the left or right of the currently active one. Select `first` or `last` to open editors independently from the currently active one.",
+ "sideBySideDirection": "Controls the default direction of editors that are opened side by side (e.g. from the explorer). By default, editors will open on the right hand side of the currently active one. If changed to `down`, the editors will open below the currently active one.",
+ "closeEmptyGroups": "Controls the behavior of empty editor groups when the last tab in the group is closed. When enabled, empty groups will automatically close. When disabled, empty groups will remain part of the grid.",
+ "revealIfOpen": "Controls whether an editor is revealed in any of the visible groups if opened. If disabled, an editor will prefer to open in the currently active editor group. If enabled, an already opened editor will be revealed instead of opened again in the currently active editor group. Note that there are some cases where this setting is ignored, e.g. when forcing an editor to open in a specific group or to the side of the currently active group.",
+ "mouseBackForwardToNavigate": "Navigate between open files using mouse buttons four and five if provided.",
+ "restoreViewState": "Restores the last view state (e.g. scroll position) when re-opening files after they have been closed.",
+ "centeredLayoutAutoResize": "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.",
+ "limitEditorsEnablement": "Controls if the number of opened editors should be limited or not. When enabled, less recently used editors that are not dirty will close to make space for newly opening editors.",
+ "limitEditorsMaximum": "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.",
+ "perEditorGroup": "Controls if the limit of maximum opened editors should apply per editor group or across all editor groups.",
+ "commandHistory": "Controls the number of recently used commands to keep in history for the command palette. Set to 0 to disable command history.",
+ "preserveInput": "Controls whether the last typed input to the command palette should be restored when opening it the next time.",
+ "closeOnFocusLost": "Controls whether Quick Open should close automatically once it loses focus.",
+ "workbench.quickOpen.preserveInput": "Controls whether the last typed input to Quick Open should be restored when opening it the next time.",
+ "openDefaultSettings": "Controls whether opening settings also opens an editor showing all default settings.",
+ "useSplitJSON": "Controls whether to use the split JSON editor when editing settings as JSON.",
+ "openDefaultKeybindings": "Controls whether opening keybinding settings also opens an editor showing all default keybindings.",
+ "sideBarLocation": "Controls the location of the sidebar and activity bar. They can either show on the left or right of the workbench.",
+ "panelDefaultLocation": "Controls the default location of the panel (terminal, debug console, output, problems). It can either show at the bottom, right, or left of the workbench.",
+ "statusBarVisibility": "Controls the visibility of the status bar at the bottom of the workbench.",
+ "activityBarVisibility": "Controls the visibility of the activity bar in the workbench.",
+ "viewVisibility": "Controls the visibility of view header actions. View header actions may either be always visible, or only visible when that view is focused or hovered over.",
+ "fontAliasing": "Controls font aliasing method in the workbench.",
+ "workbench.fontAliasing.default": "Sub-pixel font smoothing. On most non-retina displays this will give the sharpest text.",
+ "workbench.fontAliasing.antialiased": "Smooth the font on the level of the pixel, as opposed to the subpixel. Can make the font appear lighter overall.",
+ "workbench.fontAliasing.none": "Disables font smoothing. Text will show with jagged sharp edges.",
+ "workbench.fontAliasing.auto": "Applies `default` or `antialiased` automatically based on the DPI of displays.",
+ "settings.editor.ui": "Use the settings UI editor.",
+ "settings.editor.json": "Use the JSON file editor.",
+ "settings.editor.desc": "Determines which settings editor to use by default.",
+ "windowTitle": "Controls the window title based on the active editor. Variables are substituted based on the context:",
+ "activeEditorShort": "`${activeEditorShort}`: the file name (e.g. myFile.txt).",
+ "activeEditorMedium": "`${activeEditorMedium}`: the path of the file relative to the workspace folder (e.g. myFolder/myFileFolder/myFile.txt).",
+ "activeEditorLong": "`${activeEditorLong}`: the full path of the file (e.g. /Users/Development/myFolder/myFileFolder/myFile.txt).",
+ "activeFolderShort": "`${activeFolderShort}`: the name of the folder the file is contained in (e.g. myFileFolder).",
+ "activeFolderMedium": "`${activeFolderMedium}`: the path of the folder the file is contained in, relative to the workspace folder (e.g. myFolder/myFileFolder).",
+ "activeFolderLong": "`${activeFolderLong}`: the full path of the folder the file is contained in (e.g. /Users/Development/myFolder/myFileFolder).",
+ "folderName": "`${folderName}`: name of the workspace folder the file is contained in (e.g. myFolder).",
+ "folderPath": "`${folderPath}`: file path of the workspace folder the file is contained in (e.g. /Users/Development/myFolder).",
+ "rootName": "`${rootName}`: name of the workspace (e.g. myFolder or myWorkspace).",
+ "rootPath": "`${rootPath}`: file path of the workspace (e.g. /Users/Development/myWorkspace).",
+ "appName": "`${appName}`: e.g. VS Code.",
+ "remoteName": "`${remoteName}`: e.g. SSH",
+ "dirty": "`${dirty}`: a dirty indicator if the active editor is dirty.",
+ "separator": "`${separator}`: a conditional separator (\" - \") that only shows when surrounded by variables with values or static text.",
+ "windowConfigurationTitle": "Вікна",
+ "window.menuBarVisibility.default": "Меню приховане лише в режимі повного екрану.",
+ "window.menuBarVisibility.visible": "Меню завжди видиме, навіть в режимі повного екрану.",
+ "window.menuBarVisibility.toggle": "Меню приховано, але може бути відображене за допомогою клавіші Alt.",
+ "window.menuBarVisibility.hidden": "Меню завжди приховано.",
+ "window.menuBarVisibility.compact": "Menu is displayed as a compact button in the sidebar. This value is ignored when 'window.titleBarStyle' is 'native'.",
+ "menuBarVisibility": "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. By default, the menu bar will be visible, unless the window is full screen.",
+ "enableMenuBarMnemonics": "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.",
+ "customMenuBarAltFocus": "Controls whether the menu bar will be focused by pressing the Alt-key. This setting has no effect on toggling the menu bar with the Alt-key.",
+ "window.openFilesInNewWindow.on": "Files will open in a new window.",
+ "window.openFilesInNewWindow.off": "Files will open in the window with the files' folder open or the last active window.",
+ "window.openFilesInNewWindow.defaultMac": "Files will open in the window with the files' folder open or the last active window unless opened via the Dock or from Finder.",
+ "window.openFilesInNewWindow.default": "Files will open in a new window unless picked from within the application (e.g. via the File menu).",
+ "openFilesInNewWindowMac": "Controls whether files should open in a new window. \nNote that there can still be cases where this setting is ignored (e.g. when using the `--new-window` or `--reuse-window` command line option).",
+ "openFilesInNewWindow": "Controls whether files should open in a new window.\nNote that there can still be cases where this setting is ignored (e.g. when using the `--new-window` or `--reuse-window` command line option).",
+ "window.openFoldersInNewWindow.on": "Folders will open in a new window.",
+ "window.openFoldersInNewWindow.off": "Folders will replace the last active window.",
+ "window.openFoldersInNewWindow.default": "Folders will open in a new window unless a folder is picked from within the application (e.g. via the File menu).",
+ "openFoldersInNewWindow": "Controls whether folders should open in a new window or replace the last active window.\nNote that there can still be cases where this setting is ignored (e.g. when using the `--new-window` or `--reuse-window` command line option).",
+ "zenModeConfigurationTitle": "Zen Mode",
+ "zenMode.fullScreen": "Controls whether turning on Zen Mode also puts the workbench into full screen mode.",
+ "zenMode.centerLayout": "Controls whether turning on Zen Mode also centers the layout.",
+ "zenMode.hideTabs": "Controls whether turning on Zen Mode also hides workbench tabs.",
+ "zenMode.hideStatusBar": "Controls whether turning on Zen Mode also hides the status bar at the bottom of the workbench.",
+ "zenMode.hideActivityBar": "Controls whether turning on Zen Mode also hides the activity bar at the left of the workbench.",
+ "zenMode.hideLineNumbers": "Controls whether turning on Zen Mode also hides the editor line numbers.",
+ "zenMode.restore": "Controls whether a window should restore to zen mode if it was exited in zen mode.",
+ "zenMode.silentNotifications": "Controls whether notifications are shown while in zen mode. If true, only error notifications will pop out."
+ },
+ "vs/workbench/browser/parts/titlebar/titlebarPart": {
+ "patchedWindowTitle": "[Unsupported]",
+ "userIsAdmin": "[Адміністратор]",
+ "userIsSudo": "[Суперкористувач]",
+ "devExtensionWindowTitlePrefix": "[Extension Development Host]"
+ },
+ "vs/workbench/browser/workbench": {
+ "loaderErrorNative": "Failed to load a required file. Please restart the application to try again. Details: {0}"
+ },
+ "vs/workbench/common/editor": {
+ "sideBySideLabels": "{0} - {1}"
+ },
+ "vs/workbench/api/common/jsonValidationExtensionPoint": {
+ "contributes.jsonValidation": "Contributes json schema configuration.",
+ "contributes.jsonValidation.fileMatch": "The file pattern (or an array of patterns) to match, for example \"package.json\" or \"*.launch\". Exclusion patterns start with '!'",
+ "contributes.jsonValidation.url": "A schema URL ('http:', 'https:') or relative path to the extension folder ('./').",
+ "invalid.jsonValidation": "'configuration.jsonValidation' must be a array",
+ "invalid.fileMatch": "'configuration.jsonValidation.fileMatch' must be defined as a string or an array of strings.",
+ "invalid.url": "'configuration.jsonValidation.url' must be a URL or relative path",
+ "invalid.path.1": "Expected `contributes.{0}.url` ({1}) to be included inside extension's folder ({2}). This might make the extension non-portable.",
+ "invalid.url.fileschema": "'configuration.jsonValidation.url' is an invalid relative URL: {0}",
+ "invalid.url.schema": "'configuration.jsonValidation.url' must be an absolute URL or start with './' to reference schemas located in the extension."
+ },
+ "vs/workbench/api/browser/mainThreadMessageService": {
+ "extensionSource": "{0} (Extension)",
+ "defaultSource": "Додаток",
+ "manageExtension": "Управління Розширеннями",
+ "cancel": "Скасувати",
+ "ok": "ОК"
+ },
+ "vs/workbench/api/browser/mainThreadFileSystemEventService": {
+ "files.participants.timeout": "Timeout in milliseconds after which file participants for create, rename, and delete are cancelled. Use `0` to disable participants."
+ },
+ "vs/workbench/api/browser/mainThreadProgress": {
+ "manageExtension": "Управління Розширеннями"
+ },
+ "vs/workbench/api/browser/mainThreadSaveParticipant": {
+ "timeout.onWillSave": "Aborted onWillSaveTextDocument-event after 1750ms"
+ },
+ "vs/workbench/browser/actions/layoutActions": {
+ "view": "Вид",
+ "closeSidebar": "Close Side Bar",
+ "toggleActivityBar": "Перемкнути Видимість Панелі Активності",
+ "miShowActivityBar": "Show &&Activity Bar",
+ "toggleCenteredLayout": "Toggle Centered Layout",
+ "miToggleCenteredLayout": "Centered Layout",
+ "flipLayout": "Toggle Vertical/Horizontal Editor Layout",
+ "miToggleEditorLayout": "Flip &&Layout",
+ "toggleSidebarPosition": "Перемкнути Положення Бічної Панелі",
+ "moveSidebarRight": "Move Side Bar Right",
+ "moveSidebarLeft": "Move Side Bar Left",
+ "miMoveSidebarRight": "&&Move Side Bar Right",
+ "miMoveSidebarLeft": "&&перемістити панель вліво",
+ "toggleEditor": "Toggle Editor Area Visibility",
+ "miShowEditorArea": "Show &&Editor Area",
+ "toggleSidebar": "Перемкнути Видимість Бічної Панелі",
+ "miAppearance": "&&Appearance",
+ "miShowSidebar": "Show &&Side Bar",
+ "toggleStatusbar": "Перемкнути Видимість Панелі Стану",
+ "miShowStatusbar": "Show S&&tatus Bar",
+ "toggleTabs": "Toggle Tab Visibility",
+ "toggleZenMode": "On/off Режим Дзен",
+ "miToggleZenMode": "Zen Mode",
+ "toggleMenuBar": "Увімкнути/вимкнути Меню",
+ "miShowMenuBar": "Show Menu &&Bar",
+ "resetViewLocations": "Reset View Locations",
+ "moveFocusedView": "Move Focused View",
+ "moveFocusedView.error.noFocusedView": "There is no view currently focused.",
+ "moveFocusedView.error.nonMovableView": "The currently focused view is not movable.",
+ "moveFocusedView.selectDestination": "Select a Destination for the View",
+ "sidebar": "Side Bar",
+ "moveFocusedView.newContainerInSidebar": "New Container in Side Bar",
+ "panel": "Panel",
+ "moveFocusedView.newContainerInPanel": "New Container in Panel",
+ "resetFocusedViewLocation": "Reset Focused View Location",
+ "resetFocusedView.error.noFocusedView": "There is no view currently focused.",
+ "increaseViewSize": "Збільшити розмір поточного вигляду",
+ "decreaseViewSize": "Зменшити розмір поточного вигляду"
+ },
+ "vs/workbench/browser/parts/panel/panelPart": {
+ "hidePanel": "Hide Panel"
+ },
+ "vs/workbench/browser/parts/activitybar/activitybarPart": {
+ "hideMenu": "Hide Menu",
+ "showMenu": "Show Menu",
+ "hideActivitBar": "Hide Activity Bar",
+ "manage": "Manage",
+ "accounts": "Accounts"
+ },
+ "vs/workbench/browser/parts/statusbar/statusbarPart": {
+ "hide": "Hide '{0}'",
+ "hideStatusBar": "Hide Status Bar"
+ },
+ "vs/workbench/common/configuration": {
+ "workbenchConfigurationTitle": "Робоче місце"
+ },
+ "vs/workbench/common/theme": {
+ "tabActiveBackground": "Active tab background color. 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.",
+ "tabUnfocusedActiveBackground": "Колір тла активної вкладки в нефокусованій групі. Вкладки - це контейнери для редакторів у області редактора. Кілька вкладок можуть бути відкритими в одній групі редактора. Можуть бути кілька груп редактора.",
+ "tabInactiveBackground": "Inactive tab background color. 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.",
+ "tabHoverBackground": "Tab background color when hovering. 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.",
+ "tabUnfocusedHoverBackground": "Tab background color in an unfocused group when hovering. 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.",
+ "tabBorder": "Межа відділення вкладок одна від одної. Вкладки — це контейнери редакторів у області редактора. Група редактора може містити кілька вкладок. Груп редактора може бути більше однієї.",
+ "tabActiveBorder": "Border on the bottom of an active tab. 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.",
+ "tabActiveUnfocusedBorder": "Border on the bottom of an active tab 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.",
+ "tabActiveBorderTop": "Border to the top of an active tab. 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.",
+ "tabActiveUnfocusedBorderTop": "Border to the top of an active tab 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.",
+ "tabActiveModifiedBorder": "Border on the top of modified (dirty) active tabs 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.",
+ "tabInactiveModifiedBorder": "Border on the top of modified (dirty) inactive tabs 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.",
+ "unfocusedActiveModifiedBorder": "Border on the top of modified (dirty) active tabs 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.",
+ "unfocusedINactiveModifiedBorder": "Border on the top of modified (dirty) inactive tabs 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.",
+ "tabHoverBorder": "Border to highlight tabs when hovering. 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.",
+ "tabUnfocusedHoverBorder": "Border to highlight tabs in an unfocused group when hovering. 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.",
+ "tabActiveForeground": "Active tab foreground 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.",
+ "tabInactiveForeground": "Inactive tab foreground 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.",
+ "tabUnfocusedActiveForeground": "Active tab foreground 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.",
+ "tabUnfocusedInactiveForeground": "Inactive tab foreground 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.",
+ "editorPaneBackground": "Background color of the editor pane visible on the left and right side of the centered editor layout.",
+ "editorGroupBackground": "Deprecated background color of an editor group.",
+ "deprecatedEditorGroupBackground": "Deprecated: Background color of an editor group is no longer being supported with the introduction of the grid editor layout. You can use editorGroup.emptyBackground to set the background color of empty editor groups.",
+ "editorGroupEmptyBackground": "Background color of an empty editor group. Editor groups are the containers of editors.",
+ "editorGroupFocusedEmptyBorder": "Border color of an empty editor group that is focused. Editor groups are the containers of editors.",
+ "tabsContainerBackground": "Background color of the editor group title header when tabs are enabled. Editor groups are the containers of editors.",
+ "tabsContainerBorder": "Border color of the editor group title header when tabs are enabled. Editor groups are the containers of editors.",
+ "editorGroupHeaderBackground": "Background color of the editor group title header when tabs are disabled (`\"workbench.editor.showTabs\": false`). Editor groups are the containers of editors.",
+ "editorGroupBorder": "Color to separate multiple editor groups from each other. Editor groups are the containers of editors.",
+ "editorDragAndDropBackground": "Background color when dragging editors around. The color should have transparency so that the editor contents can still shine through.",
+ "imagePreviewBorder": "Border color for image in image preview.",
+ "panelBackground": "Panel background color. Panels are shown below the editor area and contain views like output and integrated terminal.",
+ "panelBorder": "Panel border color to separate the panel from the editor. Panels are shown below the editor area and contain views like output and integrated terminal.",
+ "panelActiveTitleForeground": "Title color for the active panel. Panels are shown below the editor area and contain views like output and integrated terminal.",
+ "panelInactiveTitleForeground": "Title color for the inactive panel. Panels are shown below the editor area and contain views like output and integrated terminal.",
+ "panelActiveTitleBorder": "Border color for the active panel title. Panels are shown below the editor area and contain views like output and integrated terminal.",
+ "panelDragAndDropBackground": "Drag and drop feedback color for the panel title items. The color should have transparency so that the panel entries can still shine through. Panels are shown below the editor area and contain views like output and integrated terminal.",
+ "panelInputBorder": "Input box border for inputs in the panel.",
+ "statusBarForeground": "Status bar foreground color when a workspace is opened. The status bar is shown in the bottom of the window.",
+ "statusBarNoFolderForeground": "Status bar foreground color when no folder is opened. The status bar is shown in the bottom of the window.",
+ "statusBarBackground": "Status bar background color when a workspace is opened. The status bar is shown in the bottom of the window.",
+ "statusBarNoFolderBackground": "Status bar background color when no folder is opened. The status bar is shown in the bottom of the window.",
+ "statusBarBorder": "Status bar border color separating to the sidebar and editor. The status bar is shown in the bottom of the window.",
+ "statusBarNoFolderBorder": "Status bar border color separating to the sidebar and editor when no folder is opened. The status bar is shown in the bottom of the window.",
+ "statusBarItemActiveBackground": "Status bar item background color when clicking. The status bar is shown in the bottom of the window.",
+ "statusBarItemHoverBackground": "Status bar item background color when hovering. The status bar is shown in the bottom of the window.",
+ "statusBarProminentItemForeground": "Status bar prominent items foreground color. Prominent items stand out from other status bar entries to indicate importance. Change mode `Toggle Tab Key Moves Focus` from command palette to see an example. The status bar is shown in the bottom of the window.",
+ "statusBarProminentItemBackground": "Status bar prominent items background color. Prominent items stand out from other status bar entries to indicate importance. Change mode `Toggle Tab Key Moves Focus` from command palette to see an example. The status bar is shown in the bottom of the window.",
+ "statusBarProminentItemHoverBackground": "Status bar prominent items background color when hovering. Prominent items stand out from other status bar entries to indicate importance. Change mode `Toggle Tab Key Moves Focus` from command palette to see an example. The status bar is shown in the bottom of the window.",
+ "activityBarBackground": "Activity bar background color. The activity bar is showing on the far left or right and allows to switch between views of the side bar.",
+ "activityBarForeground": "Activity bar item foreground color when it is active. The activity bar is showing on the far left or right and allows to switch between views of the side bar.",
+ "activityBarInActiveForeground": "Activity bar item foreground color when it is inactive. The activity bar is showing on the far left or right and allows to switch between views of the side bar.",
+ "activityBarBorder": "Activity bar border color separating to the side bar. The activity bar is showing on the far left or right and allows to switch between views of the side bar.",
+ "activityBarActiveBorder": "Activity bar border color for the active item. The activity bar is showing on the far left or right and allows to switch between views of the side bar.",
+ "activityBarActiveFocusBorder": "Activity bar focus border color for the active item. The activity bar is showing on the far left or right and allows to switch between views of the side bar.",
+ "activityBarActiveBackground": "Activity bar background color for the active item. The activity bar is showing on the far left or right and allows to switch between views of the side bar.",
+ "activityBarDragAndDropBackground": "Drag and drop feedback color for the activity bar items. The color should have transparency so that the activity bar entries can still shine through. The activity bar is showing on the far left or right and allows to switch between views of the side bar.",
+ "activityBarBadgeBackground": "Activity notification badge background color. The activity bar is showing on the far left or right and allows to switch between views of the side bar.",
+ "activityBarBadgeForeground": "Activity notification badge foreground color. The activity bar is showing on the far left or right and allows to switch between views of the side bar.",
+ "statusBarItemHostBackground": "Background color for the remote indicator on the status bar.",
+ "statusBarItemHostForeground": "Foreground color for the remote indicator on the status bar.",
+ "extensionBadge.remoteBackground": "Background color for the remote badge in the extensions view.",
+ "extensionBadge.remoteForeground": "Foreground color for the remote badge in the extensions view.",
+ "sideBarBackground": "Side bar background color. The side bar is the container for views like explorer and search.",
+ "sideBarForeground": "Side bar foreground color. The side bar is the container for views like explorer and search.",
+ "sideBarBorder": "Side bar border color on the side separating to the editor. The side bar is the container for views like explorer and search.",
+ "sideBarTitleForeground": "Side bar title foreground color. The side bar is the container for views like explorer and search.",
+ "sideBarDragAndDropBackground": "Drag and drop feedback color for the side bar sections. The color should have transparency so that the side bar sections can still shine through. The side bar is the container for views like explorer and search.",
+ "sideBarSectionHeaderBackground": "Side bar section header background color. The side bar is the container for views like explorer and search.",
+ "sideBarSectionHeaderForeground": "Side bar section header foreground color. The side bar is the container for views like explorer and search.",
+ "sideBarSectionHeaderBorder": "Side bar section header border color. The side bar is the container for views like explorer and search.",
+ "titleBarActiveForeground": "Title bar foreground when the window is active. Note that this color is currently only supported on macOS.",
+ "titleBarInactiveForeground": "Title bar foreground when the window is inactive. Note that this color is currently only supported on macOS.",
+ "titleBarActiveBackground": "Title bar background when the window is active. Note that this color is currently only supported on macOS.",
+ "titleBarInactiveBackground": "Title bar background when the window is inactive. Note that this color is currently only supported on macOS.",
+ "titleBarBorder": "Title bar border color. Note that this color is currently only supported on macOS.",
+ "menubarSelectionForeground": "Foreground color of the selected menu item in the menubar.",
+ "menubarSelectionBackground": "Background color of the selected menu item in the menubar.",
+ "menubarSelectionBorder": "Border color of the selected menu item in the menubar.",
+ "notificationCenterBorder": "Notifications center border color. Notifications slide in from the bottom right of the window.",
+ "notificationToastBorder": "Notification toast border color. Notifications slide in from the bottom right of the window.",
+ "notificationsForeground": "Notifications foreground color. Notifications slide in from the bottom right of the window.",
+ "notificationsBackground": "Notifications background color. Notifications slide in from the bottom right of the window.",
+ "notificationsLink": "Notification links foreground color. Notifications slide in from the bottom right of the window.",
+ "notificationCenterHeaderForeground": "Notifications center header foreground color. Notifications slide in from the bottom right of the window.",
+ "notificationCenterHeaderBackground": "Notifications center header background color. Notifications slide in from the bottom right of the window.",
+ "notificationsBorder": "Notifications border color separating from other notifications in the notifications center. Notifications slide in from the bottom right of the window.",
+ "notificationsErrorIconForeground": "The color used for the icon of error notifications. Notifications slide in from the bottom right of the window.",
+ "notificationsWarningIconForeground": "The color used for the icon of warning notifications. Notifications slide in from the bottom right of the window.",
+ "notificationsInfoIconForeground": "The color used for the icon of info notifications. Notifications slide in from the bottom right of the window.",
+ "windowActiveBorder": "The color used for the border of the window when it is active. Only supported in the desktop client when using the custom title bar.",
+ "windowInactiveBorder": "The color used for the border of the window when it is inactive. Only supported in the desktop client when using the custom title bar."
+ },
+ "vs/workbench/api/node/extHostDebugService": {
+ "debug.terminal.title": "відладчик"
+ },
+ "vs/workbench/api/browser/mainThreadEditors": {
+ "diffLeftRightLabel": "{0} ⟷ {1}"
+ },
+ "vs/workbench/api/browser/mainThreadExtensionService": {
+ "reload window": "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": "Reload Window",
+ "disabledDep": "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 dep": "Enable and Reload",
+ "uninstalledDep": "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 missing dep": "Install and Reload",
+ "unknownDep": "Cannot activate the '{0}' extension because it depends on an unknown '{1}' extension ."
+ },
+ "vs/workbench/api/browser/mainThreadWorkspace": {
+ "folderStatusMessageAddSingleFolder": "Extension '{0}' added 1 folder to the workspace",
+ "folderStatusMessageAddMultipleFolders": "Extension '{0}' added {1} folders to the workspace",
+ "folderStatusMessageRemoveSingleFolder": "Extension '{0}' removed 1 folder from the workspace",
+ "folderStatusMessageRemoveMultipleFolders": "Extension '{0}' removed {1} folders from the workspace",
+ "folderStatusChangeFolder": "Extension '{0}' changed folders of the workspace"
+ },
+ "vs/workbench/browser/parts/views/views": {
+ "focus view": "Focus on {0} View",
+ "view category": "Вид",
+ "resetViewLocation": "Reset View Location"
+ },
+ "vs/workbench/api/browser/mainThreadAuthentication": {
+ "manageTrustedExtensions": "Manage Trusted Extensions",
+ "manageExensions": "Choose which extensions can access this account",
+ "addAnotherAccount": "Sign in to another {0} account",
+ "addAccount": "Sign in to {0}",
+ "signOut": "Sign Out",
+ "confirmAuthenticationAccess": "The extension '{0}' is trying to access authentication information for the {1} account '{2}'.",
+ "cancel": "Скасувати",
+ "allow": "Дозволити",
+ "confirmLogin": "The extension '{0}' wants to sign in using {1}."
+ },
+ "vs/workbench/common/views": {
+ "duplicateId": "A view with id '{0}' is already registered"
+ },
+ "vs/workbench/common/editor/diffEditorInput": {
+ "sideBySideLabels": "{0} ↔ {1}"
+ },
+ "vs/workbench/electron-browser/window": {
+ "runningAsRoot": "It is not recommended to run {0} as root user.",
+ "mPreferences": "Налаштування"
+ },
+ "vs/workbench/browser/viewlet": {
+ "compositePart.hideSideBarLabel": "Hide Side Bar",
+ "collapse": "Згорнути Всі"
+ },
+ "vs/workbench/api/browser/mainThreadTask": {
+ "task.label": "{0}: {1}"
+ },
+ "vs/workbench/browser/parts/compositePart": {
+ "ariaCompositeToolbarLabel": "{0} дій",
+ "titleTooltip": "{0} ({1})"
+ },
+ "vs/workbench/browser/parts/editor/editorWidgets": {
+ "openWorkspace": "Відкрити Робочу Область"
+ },
+ "vs/workbench/browser/parts/editor/textResourceEditor": {
+ "textEditor": "Текстовий редактор",
+ "readonlyEditorWithInputAriaLabel": "{0} readonly editor",
+ "readonlyEditorAriaLabel": "Readonly editor",
+ "writeableEditorWithInputAriaLabel": "{0} editor",
+ "writeableEditorAriaLabel": "Редактор"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsAlerts": {
+ "alertErrorMessage": "Помилка: {0}",
+ "alertWarningMessage": "Увага: {0}",
+ "alertInfoMessage": "Інформація: {0}"
+ },
+ "vs/workbench/api/common/extHostWorkspace": {
+ "updateerror": "Extension '{0}' failed to update workspace folders: {1}"
+ },
+ "vs/workbench/api/browser/mainThreadWebview": {
+ "errorMessage": "An error occurred while restoring view:{0}",
+ "defaultEditLabel": "Редагувати"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsStatus": {
+ "status.notifications": "Notifications",
+ "hideNotifications": "Hide Notifications",
+ "zeroNotifications": "No Notifications",
+ "noNotifications": "No New Notifications",
+ "oneNotification": "1 New Notification",
+ "notifications": "{0} New Notifications",
+ "noNotificationsWithProgress": "No New Notifications ({0} in progress)",
+ "oneNotificationWithProgress": "1 New Notification ({0} in progress)",
+ "notificationsWithProgress": "{0} New Notifications ({0} in progress)",
+ "status.message": "Status Message"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsCommands": {
+ "notifications": "Notifications",
+ "showNotifications": "Show Notifications",
+ "hideNotifications": "Hide Notifications",
+ "clearAllNotifications": "Clear All Notifications",
+ "focusNotificationToasts": "Focus Notification Toast"
+ },
+ "vs/workbench/api/common/extHostExtensionService": {
+ "extensionTestError": "Path {0} does not point to a valid extension test runner."
+ },
+ "vs/workbench/browser/parts/panel/panelActions": {
+ "closePanel": "Закрити Панель",
+ "togglePanel": "Toggle Panel",
+ "focusPanel": "Focus into Panel",
+ "toggleMaximizedPanel": "Toggle Maximized Panel",
+ "maximizePanel": "Збільшити Розмір Панелі",
+ "minimizePanel": "Відновити Розмір Панелі",
+ "positionPanelLeft": "Move Panel Left",
+ "positionPanelRight": "Move Panel Right",
+ "positionPanelBottom": "Move Panel To Bottom",
+ "previousPanelView": "Previous Panel View",
+ "nextPanelView": "Next Panel View",
+ "view": "Вид",
+ "miShowPanel": "Show &&Panel"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsCenter": {
+ "notificationsEmpty": "No new notifications",
+ "notifications": "Notifications",
+ "notificationsToolbar": "Notification Center Actions",
+ "notificationsList": "Cписок cповіщень"
+ },
+ "vs/workbench/browser/parts/editor/textEditor": {
+ "editorLabelWithGroup": "{0}, {1}"
+ },
+ "vs/workbench/browser/parts/activitybar/activitybarActions": {
+ "previousSideBarView": "Previous Side Bar View",
+ "nextSideBarView": "Next Side Bar View",
+ "view": "Вид"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsToasts": {
+ "notificationsToast": "Notification Toast"
+ },
+ "vs/workbench/browser/parts/views/treeView": {
+ "no-dataprovider": "There is no data provider registered that can provide view data.",
+ "refresh": "Оновити",
+ "collapseAll": "Згорнути Всі",
+ "command-error": "Error running command {1}: {0}. This is likely caused by the extension that contributes {1}."
+ },
+ "vs/workbench/browser/parts/compositeBarActions": {
+ "badgeTitle": "{0} - {1}",
+ "additionalViews": "Additional Views",
+ "numberBadge": "{0} ({1})",
+ "manageExtension": "Управління Розширеннями",
+ "titleKeybinding": "{0} ({1})",
+ "hide": "Сховати",
+ "keep": "Keep",
+ "compositeActive": "{0} active",
+ "toggle": "Toggle View Pinned"
+ },
+ "vs/workbench/browser/parts/editor/binaryEditor": {
+ "binaryEditor": "Binary Viewer",
+ "sizeB": "{0}Байт",
+ "sizeKB": "{0}КБайт",
+ "sizeMB": "{0}МБайт",
+ "sizeGB": "{0}ГБайт",
+ "sizeTB": "{0}ТБайт",
+ "nativeFileTooLargeError": "The file is not displayed in the editor because it is too large ({0}).",
+ "nativeBinaryError": "The file is not displayed in the editor because it is either binary or uses an unsupported text encoding.",
+ "openAsText": "Do you want to open it anyway?"
+ },
+ "vs/workbench/browser/parts/editor/editorCommands": {
+ "editorCommand.activeEditorMove.description": "Move the active editor by tabs or groups",
+ "editorCommand.activeEditorMove.arg.name": "Active editor move argument",
+ "editorCommand.activeEditorMove.arg.description": "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.",
+ "toggleInlineView": "Toggle Inline View",
+ "compare": "Порівняти"
+ },
+ "vs/workbench/browser/parts/titlebar/menubarControl": {
+ "mFile": "&&File",
+ "mEdit": "&&Edit",
+ "mSelection": "&&Selection",
+ "mView": "&&View",
+ "mGoto": "&&Go",
+ "mRun": "&&Run",
+ "mTerminal": "&&Terminal",
+ "mHelp": "&&Help",
+ "menubar.customTitlebarAccessibilityNotification": "Accessibility support is enabled for you. For the most accessible experience, we recommend the custom title bar style.",
+ "goToSetting": "Відкрити Налаштування",
+ "checkForUpdates": "Check for &&Updates...",
+ "checkingForUpdates": "Перевірити наявність оновлень...",
+ "download now": "D&&ownload Update",
+ "DownloadingUpdate": "Завантаження оновлення...",
+ "installUpdate...": "Install &&Update...",
+ "installingUpdate": "Установка оновлень...",
+ "restartToUpdate": "Restart to &&Update"
+ },
+ "vs/workbench/browser/parts/compositeBar": {
+ "activityBarAriaLabel": "Active View Switcher"
+ },
+ "vs/workbench/browser/parts/views/viewPaneContainer": {
+ "viewToolbarAriaLabel": "{0} дій",
+ "hideView": "Сховати"
+ },
+ "vs/workbench/api/common/extHostExtensionActivator": {
+ "failedDep1": "Cannot activate extension '{0}' because it depends on extension '{1}', which failed to activate.",
+ "activationError": "Activating extension '{0}' failed: {1}."
+ },
+ "vs/workbench/browser/parts/notifications/notificationsActions": {
+ "clearNotification": "Clear Notification",
+ "clearNotifications": "Clear All Notifications",
+ "hideNotificationsCenter": "Hide Notifications",
+ "expandNotification": "Expand Notification",
+ "collapseNotification": "Collapse Notification",
+ "configureNotification": "Configure Notification",
+ "copyNotification": "Copy Text"
+ },
+ "vs/workbench/api/common/extHost.api.impl": {
+ "extensionLabel": "{0} (Extension)"
+ },
+ "vs/workbench/browser/parts/editor/editor.contribution": {
+ "textEditor": "Текстовий редактор",
+ "textDiffEditor": "Text Diff Editor",
+ "binaryDiffEditor": "Binary Diff Editor",
+ "sideBySideEditor": "Side by Side Editor",
+ "editorQuickAccessPlaceholder": "Type the name of an editor to open it.",
+ "activeGroupEditorsByMostRecentlyUsedQuickAccess": "Show Editors in Active Group by Most Recently Used",
+ "allEditorsByAppearanceQuickAccess": "Show All Opened Editors By Appearance",
+ "allEditorsByMostRecentlyUsedQuickAccess": "Show All Opened Editors By Most Recently Used",
+ "view": "Вид",
+ "file": "Файл",
+ "splitUp": "Split Up",
+ "splitDown": "Split Down",
+ "splitLeft": "Split Left",
+ "splitRight": "Split Right",
+ "close": "Закрити",
+ "closeOthers": "Close Others",
+ "closeRight": "Close to the Right",
+ "closeAllSaved": "Close Saved",
+ "closeAll": "Close All",
+ "keepOpen": "Keep Open",
+ "toggleInlineView": "Toggle Inline View",
+ "showOpenedEditors": "Show Opened Editors",
+ "splitEditorRight": "Split Editor Right",
+ "splitEditorDown": "Split Editor Down",
+ "navigate.prev.label": "Previous Change",
+ "navigate.next.label": "Next Change",
+ "ignoreTrimWhitespace.label": "Ignore Leading/Trailing Whitespace Differences",
+ "showTrimWhitespace.label": "Show Leading/Trailing Whitespace Differences",
+ "keepEditor": "Keep Editor",
+ "closeEditorsInGroup": "Close All Editors in Group",
+ "closeSavedEditors": "Close Saved Editors in Group",
+ "closeOtherEditors": "Close Other Editors in Group",
+ "closeRightEditors": "Close Editors to the Right in Group",
+ "miReopenClosedEditor": "&&Reopen Closed Editor",
+ "miClearRecentOpen": "&&Clear Recently Opened",
+ "miEditorLayout": "Editor &&Layout",
+ "miSplitEditorUp": "Split &&Up",
+ "miSplitEditorDown": "Split &&Down",
+ "miSplitEditorLeft": "Split &&Left",
+ "miSplitEditorRight": "Split &&Right",
+ "miSingleColumnEditorLayout": "&&Single",
+ "miTwoColumnsEditorLayout": "&&Two Columns",
+ "miThreeColumnsEditorLayout": "T&&hree Columns",
+ "miTwoRowsEditorLayout": "T&&wo Rows",
+ "miThreeRowsEditorLayout": "Three &&Rows",
+ "miTwoByTwoGridEditorLayout": "&&Grid (2x2)",
+ "miTwoRowsRightEditorLayout": "Two R&&ows Right",
+ "miTwoColumnsBottomEditorLayout": "Two &&Columns Bottom",
+ "miBack": "&&Back",
+ "miForward": "&&Forward",
+ "miLastEditLocation": "&&Last Edit Location",
+ "miNextEditor": "&&Next Editor",
+ "miPreviousEditor": "&&Previous Editor",
+ "miNextRecentlyUsedEditor": "&&Next Used Editor",
+ "miPreviousRecentlyUsedEditor": "&&Previous Used Editor",
+ "miNextEditorInGroup": "&&Next Editor in Group",
+ "miPreviousEditorInGroup": "&&Previous Editor in Group",
+ "miNextUsedEditorInGroup": "&&Next Used Editor in Group",
+ "miPreviousUsedEditorInGroup": "&&Previous Used Editor in Group",
+ "miSwitchEditor": "Switch &&Editor",
+ "miFocusFirstGroup": "Group &&1",
+ "miFocusSecondGroup": "Group &&2",
+ "miFocusThirdGroup": "Group &&3",
+ "miFocusFourthGroup": "Group &&4",
+ "miFocusFifthGroup": "Group &&5",
+ "miNextGroup": "&&Next Group",
+ "miPreviousGroup": "&&Previous Group",
+ "miFocusLeftGroup": "Group &&Left",
+ "miFocusRightGroup": "Group &&Right",
+ "miFocusAboveGroup": "Group &&Above",
+ "miFocusBelowGroup": "Group &&Below",
+ "miSwitchGroup": "Switch &&Group"
+ },
+ "vs/workbench/browser/parts/editor/editorQuickAccess": {
+ "entryAriaLabelWithGroupDirty": "{0}, dirty, {1}",
+ "entryAriaLabelWithGroup": "{0}, {1}",
+ "entryAriaLabelDirty": "{0}, dirty",
+ "closeEditor": "Закрити Редактор"
+ },
+ "vs/workbench/browser/parts/editor/textDiffEditor": {
+ "textDiffEditor": "Text Diff Editor",
+ "readonlyEditorWithInputAriaLabel": "{0} readonly compare editor",
+ "readonlyEditorAriaLabel": "Readonly compare editor",
+ "editableEditorWithInputAriaLabel": "{0} compare editor",
+ "editableEditorAriaLabel": "Compare editor"
+ },
+ "vs/workbench/browser/parts/editor/editorGroupView": {
+ "araLabelGroupActions": "Editor group actions",
+ "closeGroupAction": "Закрити",
+ "emptyEditorGroup": "{0} (empty)",
+ "groupLabel": "Group {0}",
+ "groupAriaLabel": "Editor Group {0}",
+ "ok": "ОК",
+ "cancel": "Скасувати",
+ "editorOpenErrorDialog": "Unable to open '{0}'",
+ "editorOpenError": "Unable to open '{0}': {1}."
+ },
+ "vs/workbench/api/common/extHostStatusBar": {
+ "status.extensionMessage": "Extension Status"
+ },
+ "vs/workbench/api/common/extHostProgress": {
+ "extensionSource": "{0} (Extension)"
+ },
+ "vs/workbench/browser/parts/editor/binaryDiffEditor": {
+ "metadataDiff": "{0} ↔ {1}"
+ },
+ "vs/workbench/api/common/extHostDiagnostics": {
+ "limitHit": "Not showing {0} further errors and warnings."
+ },
+ "vs/workbench/browser/parts/notifications/notificationsViewer": {
+ "executeCommand": "Click to execute command '{0}'",
+ "notificationActions": "Notification Actions",
+ "notificationSource": "Source: {0}"
+ },
+ "vs/workbench/api/common/extHostTreeViews": {
+ "treeView.notRegistered": "No tree view with id '{0}' registered.",
+ "treeView.duplicateElement": "Element with id {0} is already registered"
+ },
+ "vs/workbench/browser/parts/editor/editorActions": {
+ "splitEditor": "Розділити Редактор",
+ "splitEditorOrthogonal": "Split Editor Orthogonal",
+ "splitEditorGroupLeft": "Split Editor Left",
+ "splitEditorGroupRight": "Split Editor Right",
+ "splitEditorGroupUp": "Split Editor Up",
+ "splitEditorGroupDown": "Split Editor Down",
+ "joinTwoGroups": "Join Editor Group with Next Group",
+ "joinAllGroups": "Join All Editor Groups",
+ "navigateEditorGroups": "Navigate Between Editor Groups",
+ "focusActiveEditorGroup": "Focus Active Editor Group",
+ "focusFirstEditorGroup": "Focus First Editor Group",
+ "focusLastEditorGroup": "Focus Last Editor Group",
+ "focusNextGroup": "Focus Next Editor Group",
+ "focusPreviousGroup": "Focus Previous Editor Group",
+ "focusLeftGroup": "Focus Left Editor Group",
+ "focusRightGroup": "Focus Right Editor Group",
+ "focusAboveGroup": "Focus Above Editor Group",
+ "focusBelowGroup": "Focus Below Editor Group",
+ "closeEditor": "Закрити Редактор",
+ "closeOneEditor": "Закрити",
+ "revertAndCloseActiveEditor": "Revert and Close Editor",
+ "closeEditorsToTheLeft": "Close Editors to the Left in Group",
+ "closeAllEditors": "Закрити Усі Редактори",
+ "closeAllGroups": "Close All Editor Groups",
+ "closeEditorsInOtherGroups": "Закрити Редактори в Інших Групах",
+ "closeEditorInAllGroups": "Close Editor in All Groups",
+ "moveActiveGroupLeft": "Move Editor Group Left",
+ "moveActiveGroupRight": "Перемістити Групу Редакторів Праворуч",
+ "moveActiveGroupUp": "Move Editor Group Up",
+ "moveActiveGroupDown": "Move Editor Group Down",
+ "minimizeOtherEditorGroups": "Maximize Editor Group",
+ "evenEditorGroups": "Reset Editor Group Sizes",
+ "toggleEditorWidths": "Toggle Editor Group Sizes",
+ "maximizeEditor": "Maximize Editor Group and Hide Side Bar",
+ "openNextEditor": "Відкрити Наступний Редактор",
+ "openPreviousEditor": "Відкрити Попередній Редактор",
+ "nextEditorInGroup": "Відкрити Наступний Редактор у Групі",
+ "openPreviousEditorInGroup": "Відкрити Попередній Редактор у Групі",
+ "firstEditorInGroup": "Open First Editor in Group",
+ "lastEditorInGroup": "Відкрити Останній Редактор у Групі",
+ "navigateNext": "Перейти Вперед",
+ "navigatePrevious": "Перейти Назад",
+ "navigateToLastEditLocation": "Go to Last Edit Location",
+ "navigateLast": "Перейти до Останнього",
+ "reopenClosedEditor": "Reopen Closed Editor",
+ "clearRecentFiles": "Очистити Нещодавно Відкриті",
+ "showEditorsInActiveGroup": "Show Editors in Active Group By Most Recently Used",
+ "showAllEditors": "Show All Editors By Appearance",
+ "showAllEditorsByMostRecentlyUsed": "Show All Editors By Most Recently Used",
+ "quickOpenPreviousRecentlyUsedEditor": "Quick Open Previous Recently Used Editor",
+ "quickOpenLeastRecentlyUsedEditor": "Quick Open Least Recently Used Editor",
+ "quickOpenPreviousRecentlyUsedEditorInGroup": "Quick Open Previous Recently Used Editor in Group",
+ "quickOpenLeastRecentlyUsedEditorInGroup": "Quick Open Least Recently Used Editor in Group",
+ "navigateEditorHistoryByInput": "Quick Open Previous Editor from History",
+ "openNextRecentlyUsedEditor": "Open Next Recently Used Editor",
+ "openPreviousRecentlyUsedEditor": "Open Previous Recently Used Editor",
+ "openNextRecentlyUsedEditorInGroup": "Open Next Recently Used Editor In Group",
+ "openPreviousRecentlyUsedEditorInGroup": "Open Previous Recently Used Editor In Group",
+ "clearEditorHistory": "Очистити Історію Редакторів",
+ "moveEditorLeft": "Перемістити Редактор Вліво",
+ "moveEditorRight": "Перемістити Редактор Вправо",
+ "moveEditorToPreviousGroup": "Перемістити Редактор до Попередньої Групи",
+ "moveEditorToNextGroup": "Перемістити Редактор до Наступної Групи",
+ "moveEditorToAboveGroup": "Move Editor into Above Group",
+ "moveEditorToBelowGroup": "Move Editor into Below Group",
+ "moveEditorToLeftGroup": "Move Editor into Left Group",
+ "moveEditorToRightGroup": "Move Editor into Right Group",
+ "moveEditorToFirstGroup": "Перемістити Редактор до Першої Групи",
+ "moveEditorToLastGroup": "Move Editor into Last Group",
+ "editorLayoutSingle": "Single Column Editor Layout",
+ "editorLayoutTwoColumns": "Two Columns Editor Layout",
+ "editorLayoutThreeColumns": "Three Columns Editor Layout",
+ "editorLayoutTwoRows": "Two Rows Editor Layout",
+ "editorLayoutThreeRows": "Three Rows Editor Layout",
+ "editorLayoutTwoByTwoGrid": "Grid Editor Layout (2x2)",
+ "editorLayoutTwoColumnsBottom": "Two Columns Bottom Editor Layout",
+ "editorLayoutTwoRowsRight": "Two Rows Right Editor Layout",
+ "newEditorLeft": "New Editor Group to the Left",
+ "newEditorRight": "New Editor Group to the Right",
+ "newEditorAbove": "New Editor Group Above",
+ "newEditorBelow": "New Editor Group Below"
+ },
+ "vs/workbench/browser/parts/editor/titleControl": {
+ "araLabelEditorActions": "Editor actions",
+ "draggedEditorGroup": "{0} (+{1})"
+ },
+ "vs/workbench/browser/parts/editor/editorStatus": {
+ "singleSelectionRange": "Ln {0}, Col {1} ({2} selected)",
+ "singleSelection": "Ln {0}, Col {1}",
+ "multiSelectionRange": "{0} selections ({1} characters selected)",
+ "multiSelection": "{0} selections",
+ "endOfLineLineFeed": "LF",
+ "endOfLineCarriageReturnLineFeed": "CRLF",
+ "screenReaderDetectedExplanation.question": "Are you using a screen reader to operate VS Code? (Certain features like word wrap are disabled when using a screen reader)",
+ "screenReaderDetectedExplanation.answerYes": "Так",
+ "screenReaderDetectedExplanation.answerNo": "Ні",
+ "noEditor": "No text editor active at this time",
+ "noWritableCodeEditor": "The active code editor is read-only.",
+ "indentConvert": "convert file",
+ "indentView": "change view",
+ "pickAction": "Select Action",
+ "tabFocusModeEnabled": "Tab Moves Focus",
+ "disableTabMode": "Disable Accessibility Mode",
+ "status.editor.tabFocusMode": "Accessibility Mode",
+ "columnSelectionModeEnabled": "Column Selection",
+ "disableColumnSelectionMode": "Disable Column Selection Mode",
+ "status.editor.columnSelectionMode": "Column Selection Mode",
+ "screenReaderDetected": "Screen Reader Optimized",
+ "screenReaderDetectedExtra": "If you are not using a Screen Reader, please change the setting `editor.accessibilitySupport` to \"off\".",
+ "status.editor.screenReaderMode": "Screen Reader Mode",
+ "gotoLine": "Go to Line/Column",
+ "status.editor.selection": "Editor Selection",
+ "selectIndentation": "Select Indentation",
+ "status.editor.indentation": "Editor Indentation",
+ "selectEncoding": "Select Encoding",
+ "status.editor.encoding": "Editor Encoding",
+ "selectEOL": "Select End of Line Sequence",
+ "status.editor.eol": "Editor End of Line",
+ "selectLanguageMode": "Select Language Mode",
+ "status.editor.mode": "Editor Language",
+ "fileInfo": "File Information",
+ "status.editor.info": "File Information",
+ "spacesSize": "Spaces: {0}",
+ "tabSize": "Tab Size: {0}",
+ "currentProblem": "Current Problem",
+ "showLanguageExtensions": "Search Marketplace Extensions for '{0}'...",
+ "changeMode": "Change Language Mode",
+ "languageDescription": "({0}) - Configured Language",
+ "languageDescriptionConfigured": "({0})",
+ "languagesPicks": "languages (identifier)",
+ "configureModeSettings": "Configure '{0}' language based settings...",
+ "configureAssociationsExt": "Configure File Association for '{0}'...",
+ "autoDetect": "Auto Detect",
+ "pickLanguage": "Select Language Mode",
+ "currentAssociation": "Current Association",
+ "pickLanguageToConfigure": "Select Language Mode to Associate with '{0}'",
+ "changeEndOfLine": "Change End of Line Sequence",
+ "pickEndOfLine": "Select End of Line Sequence",
+ "changeEncoding": "Change File Encoding",
+ "noFileEditor": "No file active at this time",
+ "saveWithEncoding": "Save with Encoding",
+ "reopenWithEncoding": "Reopen with Encoding",
+ "guessedEncoding": "Guessed from content",
+ "pickEncodingForReopen": "Select File Encoding to Reopen File",
+ "pickEncodingForSave": "Select File Encoding to Save with"
+ },
+ "vs/workbench/browser/parts/editor/tabsTitleControl": {
+ "araLabelTabActions": "Tab actions"
+ },
+ "vs/workbench/browser/parts/editor/breadcrumbs": {
+ "title": "Breadcrumb Navigation",
+ "enabled": "Увімкнути/вимкнути навігаційну стежку.",
+ "filepath": "Controls whether and how file paths are shown in the breadcrumbs view.",
+ "filepath.on": "Show the file path in the breadcrumbs view.",
+ "filepath.off": "Do not show the file path in the breadcrumbs view.",
+ "filepath.last": "Only show the last element of the file path in the breadcrumbs view.",
+ "symbolpath": "Controls whether and how symbols are shown in the breadcrumbs view.",
+ "symbolpath.on": "Show all symbols in the breadcrumbs view.",
+ "symbolpath.off": "Do not show symbols in the breadcrumbs view.",
+ "symbolpath.last": "Only show the current symbol in the breadcrumbs view.",
+ "symbolSortOrder": "Controls how symbols are sorted in the breadcrumbs outline view.",
+ "symbolSortOrder.position": "Show symbol outline in file position order.",
+ "symbolSortOrder.name": "Show symbol outline in alphabetical order.",
+ "symbolSortOrder.type": "Show symbol outline in symbol type order.",
+ "icons": "Render breadcrumb items with icons.",
+ "filteredTypes.file": "When enabled breadcrumbs show `file`-symbols.",
+ "filteredTypes.module": "When enabled breadcrumbs show `module`-symbols.",
+ "filteredTypes.namespace": "When enabled breadcrumbs show `namespace`-symbols.",
+ "filteredTypes.package": "When enabled breadcrumbs show `package`-symbols.",
+ "filteredTypes.class": "When enabled breadcrumbs show `class`-symbols.",
+ "filteredTypes.method": "When enabled breadcrumbs show `method`-symbols.",
+ "filteredTypes.property": "When enabled breadcrumbs show `property`-symbols.",
+ "filteredTypes.field": "When enabled breadcrumbs show `field`-symbols.",
+ "filteredTypes.constructor": "When enabled breadcrumbs show `constructor`-symbols.",
+ "filteredTypes.enum": "When enabled breadcrumbs show `enum`-symbols.",
+ "filteredTypes.interface": "When enabled breadcrumbs show `interface`-symbols.",
+ "filteredTypes.function": "When enabled breadcrumbs show `function`-symbols.",
+ "filteredTypes.variable": "When enabled breadcrumbs show `variable`-symbols.",
+ "filteredTypes.constant": "When enabled breadcrumbs show `constant`-symbols.",
+ "filteredTypes.string": "When enabled breadcrumbs show `string`-symbols.",
+ "filteredTypes.number": "When enabled breadcrumbs show `number`-symbols.",
+ "filteredTypes.boolean": "When enabled breadcrumbs show `boolean`-symbols.",
+ "filteredTypes.array": "When enabled breadcrumbs show `array`-symbols.",
+ "filteredTypes.object": "When enabled breadcrumbs show `object`-symbols.",
+ "filteredTypes.key": "When enabled breadcrumbs show `key`-symbols.",
+ "filteredTypes.null": "When enabled breadcrumbs show `null`-symbols.",
+ "filteredTypes.enumMember": "When enabled breadcrumbs show `enumMember`-symbols.",
+ "filteredTypes.struct": "When enabled breadcrumbs show `struct`-symbols.",
+ "filteredTypes.event": "When enabled breadcrumbs show `event`-symbols.",
+ "filteredTypes.operator": "When enabled breadcrumbs show `operator`-symbols.",
+ "filteredTypes.typeParameter": "When enabled breadcrumbs show `typeParameter`-symbols."
+ },
+ "vs/workbench/browser/parts/editor/breadcrumbsControl": {
+ "cmd.toggle": "Toggle Breadcrumbs",
+ "cmd.category": "Вид",
+ "miShowBreadcrumbs": "Show &&Breadcrumbs",
+ "cmd.focus": "Focus Breadcrumbs"
+ },
+ "vs/workbench/contrib/backup/electron-browser/backupTracker": {
+ "backupTrackerBackupFailed": "One or many editors that are dirty could not be saved to the backup location.",
+ "backupTrackerConfirmFailed": "One or many editors that are dirty could not be saved or reverted.",
+ "ok": "ОК",
+ "backupErrorDetails": "Try saving or reverting the dirty editors first and then try again."
+ },
+ "vs/workbench/contrib/bulkEdit/browser/bulkEdit.contribution": {
+ "overlap": "Another refactoring is being previewed.",
+ "cancel": "Скасувати",
+ "continue": "Продовжити",
+ "detail": "Press 'Continue' to discard the previous refactoring and continue with the current refactoring.",
+ "apply": "Apply Refactoring",
+ "cat": "Refactor Preview",
+ "Discard": "Discard Refactoring",
+ "toogleSelection": "Toggle Change",
+ "groupByFile": "Group Changes By File",
+ "groupByType": "Group Changes By Type",
+ "panel": "Refactor Preview"
+ },
+ "vs/workbench/contrib/bulkEdit/browser/bulkEditPane": {
+ "empty.msg": "Invoke a code action, like rename, to see a preview of its changes here.",
+ "conflict.1": "Cannot apply refactoring because '{0}' has changed in the meantime.",
+ "conflict.N": "Cannot apply refactoring because {0} other files have changed in the meantime.",
+ "edt.title.del": "{0} (delete, refactor preview)",
+ "rename": "Перейменувати",
+ "create": "create",
+ "edt.title.2": "{0} ({1}, refactor preview)",
+ "edt.title.1": "{0} (refactor preview)"
+ },
+ "vs/workbench/contrib/bulkEdit/browser/bulkEditPreview": {
+ "default": "Other"
+ },
+ "vs/workbench/contrib/bulkEdit/browser/bulkEditTree": {
+ "aria.renameAndEdit": "Renaming {0} to {1}, also making text edits",
+ "aria.createAndEdit": "Creating {0}, also making text edits",
+ "aria.deleteAndEdit": "Deleting {0}, also making text edits",
+ "aria.editOnly": "{0}, making text edits",
+ "aria.rename": "Renaming {0} to {1}",
+ "aria.create": "Creating {0}",
+ "aria.delete": "Deleting {0}",
+ "aria.replace": "line {0}, replacing {1} with {2}",
+ "aria.del": "line {0}, removing {1}",
+ "aria.insert": "line {0}, inserting {1}",
+ "rename.label": "{0} → {1}",
+ "detail.rename": "(renaming)",
+ "detail.create": "(creating)",
+ "detail.del": "(deleting)",
+ "title": "{0} - {1}"
+ },
+ "vs/workbench/contrib/callHierarchy/browser/callHierarchy.contribution": {
+ "no.item": "Результатів немає",
+ "error": "Failed to show call hierarchy",
+ "title": "Peek Call Hierarchy",
+ "title.toggle": "Toggle Call Hierarchy",
+ "title.refocus": "Refocus Call Hierarchy"
+ },
+ "vs/workbench/contrib/callHierarchy/browser/callHierarchyPeek": {
+ "toggle.from": "Show Incoming Calls",
+ "toggle.to": "Showing Outgoing Calls",
+ "tree.aria": "Call Hierarchy",
+ "callFrom": "Calls from '{0}'",
+ "callsTo": "Callers of '{0}'",
+ "title.loading": "Завантаження...",
+ "empt.callsFrom": "No calls from '{0}'",
+ "empt.callsTo": "No callers of '{0}'"
+ },
+ "vs/workbench/contrib/cli/node/cli.contribution": {
+ "install": "Встановити команду '{0}' у PATH",
+ "not available": "Ця команда недоступна",
+ "successIn": "Команда shell \"{0}\" успішно встановлена в PATH.",
+ "ok": "ОК",
+ "cancel2": "Скасувати",
+ "warnEscalation": "Код буде тепер запитувати з \"osacript\" для прав адміністратора, щоб встановити команду оболонки.",
+ "cantCreateBinFolder": "Не вдається створити '/usr/local/bin'.",
+ "aborted": "Перервано",
+ "uninstall": "Видалити '{0}' команду з PATH",
+ "successFrom": "Команди Shell '{0}' успішно видалена з PATH.",
+ "warnEscalationUninstall": "Code will now prompt with 'osascript' for Administrator privileges to uninstall the shell command.",
+ "cantUninstall": "Unable to uninstall the shell command '{0}'.",
+ "shellCommand": "Команда Shell"
+ },
+ "vs/workbench/contrib/codeActions/common/codeActionsContribution": {
+ "codeActionsOnSave.fixAll": "Controls whether auto fix action should be run on file save.",
+ "codeActionsOnSave": "Code action kinds to be run on save.",
+ "codeActionsOnSave.generic": "Controls whether '{0}' actions should be run on file save."
+ },
+ "vs/workbench/contrib/codeActions/common/documentationExtensionPoint": {
+ "contributes.documentation": "Contributed documentation.",
+ "contributes.documentation.refactorings": "Contributed documentation for refactorings.",
+ "contributes.documentation.refactoring": "Contributed documentation for refactoring.",
+ "contributes.documentation.refactoring.title": "Label for the documentation used in the UI.",
+ "contributes.documentation.refactoring.when": "When clause.",
+ "contributes.documentation.refactoring.command": "Command executed."
+ },
+ "vs/workbench/contrib/codeActions/common/codeActionsExtensionPoint": {
+ "contributes.codeActions": "Configure which editor to use for a resource.",
+ "contributes.codeActions.languages": "Language modes that the code actions are enabled for.",
+ "contributes.codeActions.kind": "`CodeActionKind` of the contributed code action.",
+ "contributes.codeActions.title": "Label for the code action used in the UI.",
+ "contributes.codeActions.description": "Description of what the code action does."
+ },
+ "vs/workbench/contrib/codeEditor/electron-browser/selectionClipboard": {
+ "actions.pasteSelectionClipboard": "Paste Selection Clipboard"
+ },
+ "vs/workbench/contrib/codeEditor/browser/largeFileOptimizations": {
+ "largeFile": "{0}: tokenization, wrapping and folding have been turned off for this large file in order to reduce memory usage and avoid freezing or crashing.",
+ "removeOptimizations": "Forcefully enable features",
+ "reopenFilePrompt": "Please reopen file in order for this setting to take effect."
+ },
+ "vs/workbench/contrib/codeEditor/browser/diffEditorHelper": {
+ "hintTimeout": "The diff algorithm was stopped early (after {0} ms.)",
+ "removeTimeout": "Remove limit",
+ "hintWhitespace": "Show Whitespace Differences"
+ },
+ "vs/workbench/contrib/codeEditor/browser/inspectKeybindings": {
+ "workbench.action.inspectKeyMap": "Розробник: Перевірити схему Клавіш",
+ "workbench.action.inspectKeyMapJSON": "Inspect Key Mappings (JSON)",
+ "developer": "Розробник"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleColumnSelection": {
+ "toggleColumnSelection": "Toggle Column Selection Mode",
+ "miColumnSelection": "Column &&Selection Mode"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleMinimap": {
+ "toggleMinimap": "Toggle Minimap",
+ "view": "Вид",
+ "miShowMinimap": "Show &&Minimap"
+ },
+ "vs/workbench/contrib/codeEditor/browser/semanticTokensHelp": {
+ "semanticTokensHelp": "Code coloring of '{0}' has been updated as the theme '{1}' has [semantic highlighting](https://go.microsoft.com/fwlink/?linkid=2122588) enabled.",
+ "learnMoreButton": "Дізнатися Більше"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleMultiCursorModifier": {
+ "toggleLocation": "On/off модифікатор мульти-курсору",
+ "miMultiCursorAlt": "Перемикання Alt+Click для Multi-курсор",
+ "miMultiCursorCmd": "Перемикання Cmd+Click для Multi-курсор",
+ "miMultiCursorCtrl": "Перемикання Ctrl+Click для Multi-курсор"
+ },
+ "vs/workbench/contrib/codeEditor/browser/quickaccess/gotoLineQuickAccess": {
+ "gotoLineQuickAccessPlaceholder": "Type the line number and optional column to go to (e.g. 42:5 for line 42 and column 5).",
+ "gotoLineQuickAccess": "Go to Line/Column",
+ "gotoLine": "Go to Line/Column..."
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleRenderControlCharacter": {
+ "toggleRenderControlCharacters": "Toggle Control Characters",
+ "view": "Вид",
+ "miToggleRenderControlCharacters": "Render &&Control Characters"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleRenderWhitespace": {
+ "toggleRenderWhitespace": "Toggle Render Whitespace",
+ "view": "Вид",
+ "miToggleRenderWhitespace": "&&Render Whitespace"
+ },
+ "vs/workbench/contrib/codeEditor/browser/quickaccess/gotoSymbolQuickAccess": {
+ "gotoSymbolQuickAccessPlaceholder": "Type the name of a symbol to go to.",
+ "gotoSymbolQuickAccess": "Go to Symbol in Editor",
+ "gotoSymbolByCategoryQuickAccess": "Go to Symbol in Editor by Category",
+ "gotoSymbol": "Go to Symbol in Editor..."
+ },
+ "vs/workbench/contrib/codeEditor/browser/accessibility/accessibility": {
+ "emergencyConfOn": "Тепер змінюється параметр `editor.accessibilitySupport` на 'on'.",
+ "openingDocs": "Тепер відкрийте сторінку документації щодо доступності VS Code.",
+ "introMsg": "Дякую, що спробували вибрати параметри доступності VS Code.",
+ "status": "Статус:",
+ "changeConfigToOnMac": "Налаштувати редактор для постійного оптимізації для використання Зчитувача Екрана натисніть Command+E зараз.",
+ "changeConfigToOnWinLinux": "Налаштувати редактор для постійного оптимізації для використання Зчитувача Екрана натисніть Control+E зараз.",
+ "auto_unknown": "Редактор налаштований на використання API платформи, щоб визначити, коли програма читання з екрану, однак нинішнє середовище виконання не підтримує це.",
+ "auto_on": "Редактор автоматично виявляє прикріпленні програми читання з екрану.",
+ "auto_off": "Редактор налаштований на автовизначення прикріплення програми читання з екрану, чого не буває в цей час.",
+ "configuredOn": "Редактор налаштований, щоб бути постійно оптимізовані для використання з програмами читання з екрана можна змінити шляхом редагування параметру `editor.accessibilitySupport`.",
+ "configuredOff": "Редактор налаштований так, щоб не бути оптимізований для використання програм читання з екрану.",
+ "tabFocusModeOnMsg": "Натискання Tab у поточному редакторі перемістить фокус до наступного фокусуючого елемента. Змінити таку поведінку по натисненню {0}.",
+ "tabFocusModeOnMsgNoKb": "Натискання Tab у поточному редакторі перемістить фокус до наступного фокусуючого елемента. Команда {0} в даний час не викликається за допомогою клавіш.",
+ "tabFocusModeOffMsg": "Натискаючи Tab у поточному редакторі, буде вставлено символ табуляції. Увімкніть цю поведінку, натиснувши {0}.",
+ "tabFocusModeOffMsgNoKb": "Натискаючи Tab у поточному редакторі, буде вставлено символ табуляції. Команда {0} в даний час не викликається за допомогою клавіш.",
+ "openDocMac": "Натисніть Command+H, щоб відкрити вікно браузера з інформацією про VS Code, що стосується зі спеціальними можливостями.",
+ "openDocWinLinux": "Натисніть Control+H, щоб відкрити вікно браузера з інформацією про VS Code, що стосується зі спеціальними можливостями.",
+ "outroMsg": "Ви можете закрити цю підказку і повернутися в редактор, натиснувши клавішу Escape або Shift+Escape.",
+ "ShowAccessibilityHelpAction": "Довідка про спеціальні можливості"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleWordWrap": {
+ "toggle.wordwrap": "Вид: on/off перенесення слів",
+ "wordWrap.notInDiffEditor": "Не можна перемкнути перенесення слів у редакторі Змін.",
+ "unwrapMinified": "Вимкнення обтікання для цього файлу",
+ "wrapMinified": "Увімкнути обтікання для цього файлу",
+ "miToggleWordWrap": "Toggle &&Word Wrap"
+ },
+ "vs/workbench/contrib/codeEditor/browser/saveParticipants": {
+ "formatting": "Running '{0}' Formatter ([configure](command:workbench.action.openSettings?%5B%22editor.formatOnSave%22%5D)).",
+ "codeaction": "Quick Fixes",
+ "codeaction.get": "Getting code actions from '{0}' ([configure](command:workbench.action.openSettings?%5B%22editor.codeActionsOnSave%22%5D)).",
+ "codeAction.apply": "Applying code action '{0}'."
+ },
+ "vs/workbench/contrib/codeEditor/browser/languageConfigurationExtensionPoint": {
+ "parseErrors": "Помилки парсингу {0}: {1}",
+ "formatError": "{0}: Invalid format, JSON object expected.",
+ "schema.openBracket": "Символ відкритої дужки або рядкова послідовність.",
+ "schema.closeBracket": "Символ закритої дужки або рядкова послідовність.",
+ "schema.comments": "Визначає символи коментарів",
+ "schema.blockComments": "Визначає, як позначати блок коментарів.",
+ "schema.blockComment.begin": "Послідовність символів, яка запускає блоковий коментар.",
+ "schema.blockComment.end": "Послідовність символів, яка завершує блоковий коментар.",
+ "schema.lineComment": "Послідовність символів, що починає рядок коментарю.",
+ "schema.brackets": "Визначає символи дужок, які збільшують або зменшують відступи.",
+ "schema.autoClosingPairs": "Визначає пари дужок. Коли вводиться відкриваюча дужка, то закриваюча дужка вставляється автоматично. ",
+ "schema.autoClosingPairs.notIn": "Визначає список областей, де авто пари вимикаються.",
+ "schema.autoCloseBefore": "Defines what characters must be after the cursor in order for bracket or quote autoclosing to occur when using the 'languageDefined' autoclosing setting. This is typically the set of characters which can not start an expression.",
+ "schema.surroundingPairs": "Визначає пари дужок, які можуть бути використані, щоб оточити вибраний рядок.",
+ "schema.wordPattern": "Defines what is considered to be a word in the programming language.",
+ "schema.wordPattern.pattern": "Шаблон регулярного виразу використовуються для зіставлення слів.",
+ "schema.wordPattern.flags": "Прапори RegExp використовуються для зіставлення слів.",
+ "schema.wordPattern.flags.errorMessage": "Має відповідати шаблону `/^([gimuy]+)$/`.",
+ "schema.indentationRules": "Параметри відступу мови.",
+ "schema.indentationRules.increaseIndentPattern": "Якщо рядок відповідає цьому шаблону, то всі рядки після нього слід відступити один раз (поки не буде інше правило).",
+ "schema.indentationRules.increaseIndentPattern.pattern": "Шаблон регулярного виразу для increaseIndentPattern.",
+ "schema.indentationRules.increaseIndentPattern.flags": "Прапори регулярного виразу для increaseIndentPattern.",
+ "schema.indentationRules.increaseIndentPattern.errorMessage": "Має відповідати шаблону `/^([gimuy]+)$/`.",
+ "schema.indentationRules.decreaseIndentPattern": "If a line matches this pattern, then all the lines after it should be unindented once (until another rule matches).",
+ "schema.indentationRules.decreaseIndentPattern.pattern": "Шаблон регулярного виразу для decreaseIndentPattern.",
+ "schema.indentationRules.decreaseIndentPattern.flags": "Прапори регулярного виразу для decreaseIndentPattern.",
+ "schema.indentationRules.decreaseIndentPattern.errorMessage": "Має відповідати шаблону `/^([gimuy]+)$/`.",
+ "schema.indentationRules.indentNextLinePattern": "Якщо рядок відповідає цьому шаблону, тоді ** тільки наступний рядок ** після нього слід відступити один раз.",
+ "schema.indentationRules.indentNextLinePattern.pattern": "Шаблон регулярного виразу для indentNextLinePattern.",
+ "schema.indentationRules.indentNextLinePattern.flags": "Прапори регулярного виразу для indentNextLinePattern.",
+ "schema.indentationRules.indentNextLinePattern.errorMessage": "Має відповідати шаблону `/^([gimuy]+)$/`.",
+ "schema.indentationRules.unIndentedLinePattern": "Якщо рядок відповідає цьому шаблону, то його відступ не слід змінювати, і його не слід порівнювати з іншими правилами.",
+ "schema.indentationRules.unIndentedLinePattern.pattern": "Шаблон регулярного виразу для unIndentedLinePattern.",
+ "schema.indentationRules.unIndentedLinePattern.flags": "Прапори регулярного виразу для unIndentedLinePattern.",
+ "schema.indentationRules.unIndentedLinePattern.errorMessage": "Має відповідати шаблону `/^([gimuy]+)$/`.",
+ "schema.folding": "Параметри складання мови.",
+ "schema.folding.offSide": "Мова дотримується правил поза межами, якщо блоки в цій мові виражаються їх відступів. Якщо встановлено, порожні рядки належать до наступного блоку.",
+ "schema.folding.markers": "Маркери, що складаються з мовою такі, як '#region' та '#endregion'. Початок і кінець regexes будуть перевірені проти вміст всіх ліній і повинні бути спроектовані ефективно",
+ "schema.folding.markers.start": "Шаблон регулярного виразу для початку маркером. Регулярний вираз повинен починатися з '^'.",
+ "schema.folding.markers.end": "Шаблон регулярного виразу для кінцевого маркера. Регулярний вираз повинен починатися з '^'."
+ },
+ "vs/workbench/contrib/codeEditor/browser/inspectEditorTokens/inspectEditorTokens": {
+ "inspectEditorTokens": "Developer: Inspect Editor Tokens and Scopes",
+ "inspectTMScopesWidget.loading": "Завантаження..."
+ },
+ "vs/workbench/contrib/codeEditor/browser/find/simpleFindWidget": {
+ "label.find": "Find",
+ "placeholder.find": "Find",
+ "label.previousMatchButton": "Попереднє співпадання",
+ "label.nextMatchButton": "Наступне співпадання",
+ "label.closeButton": "Закрити"
+ },
+ "vs/workbench/contrib/codeEditor/browser/find/simpleFindReplaceWidget": {
+ "label.find": "Find",
+ "placeholder.find": "Find",
+ "label.previousMatchButton": "Попереднє співпадання",
+ "label.nextMatchButton": "Наступне співпадання",
+ "label.closeButton": "Закрити",
+ "label.toggleReplaceButton": "Переключити режим заміни",
+ "label.replace": "Замінити",
+ "placeholder.replace": "Замінити",
+ "label.replaceButton": "Замінити",
+ "label.replaceAllButton": "Замінити всі"
+ },
+ "vs/workbench/contrib/comments/browser/comments.contribution": {
+ "commentsConfigurationTitle": "Коментарі",
+ "openComments": "Controls when the comments panel should open."
+ },
+ "vs/workbench/contrib/comments/browser/commentsEditorContribution": {
+ "pickCommentService": "Select Comment Provider",
+ "nextCommentThreadAction": "Go to Next Comment Thread"
+ },
+ "vs/workbench/contrib/comments/browser/commentsView": {
+ "collapseAll": "Згорнути Всі"
+ },
+ "vs/workbench/contrib/comments/browser/commentsTreeViewer": {
+ "imageWithLabel": "Image: {0}",
+ "image": "Image"
+ },
+ "vs/workbench/contrib/comments/browser/commentGlyphWidget": {
+ "editorGutterCommentRangeForeground": "Editor gutter decoration color for commenting ranges."
+ },
+ "vs/workbench/contrib/comments/common/commentModel": {
+ "noComments": "Немає коментарів на даному огляді."
+ },
+ "vs/workbench/contrib/comments/browser/commentThreadWidget": {
+ "label.collapse": "Згорнути",
+ "commentThreadParticipants": "Participants: {0}",
+ "startThread": "Start discussion",
+ "reply": "Reply...",
+ "newComment": "Type a new comment"
+ },
+ "vs/workbench/contrib/comments/browser/commentNode": {
+ "commentToggleReaction": "Toggle Reaction",
+ "commentToggleReactionError": "Toggling the comment reaction failed: {0}.",
+ "commentToggleReactionDefaultError": "Toggling the comment reaction failed",
+ "commentDeleteReactionError": "Deleting the comment reaction failed: {0}.",
+ "commentDeleteReactionDefaultError": "Deleting the comment reaction failed",
+ "commentAddReactionError": "Deleting the comment reaction failed: {0}.",
+ "commentAddReactionDefaultError": "Deleting the comment reaction failed"
+ },
+ "vs/workbench/contrib/comments/browser/reactionsAction": {
+ "pickReactions": "Pick Reactions..."
+ },
+ "vs/workbench/contrib/customEditor/browser/webviewEditor.contribution": {
+ "editor.editorAssociations": "Configure which editor to use for a resource.",
+ "editor.editorAssociations.viewType": "Editor view type.",
+ "editor.editorAssociations.mime": "Mime type the editor should be used for. This is used for binary files.",
+ "editor.editorAssociations.filenamePattern": "Glob pattern the editor should be used for."
+ },
+ "vs/workbench/contrib/customEditor/browser/commands": {
+ "viewCategory": "Вид",
+ "reopenWith.title": "Reopen With..."
+ },
+ "vs/workbench/contrib/customEditor/browser/customEditors": {
+ "promptOpenWith.defaultEditor": "VS Code's standard text editor",
+ "openWithCurrentlyActive": "Currently Active",
+ "promptOpenWith.setDefaultTooltip": "Set as default editor for '{0}' files",
+ "promptOpenWith.placeHolder": "Select editor to use for '{0}'..."
+ },
+ "vs/workbench/contrib/customEditor/browser/extensionPoint": {
+ "contributes.customEditors": "Contributed custom editors.",
+ "contributes.viewType": "Unique identifier of the custom editor.",
+ "contributes.displayName": "Human readable name of the custom editor. This is displayed to users when selecting which editor to use.",
+ "contributes.selector": "Set of globs that the custom editor is enabled for.",
+ "contributes.selector.filenamePattern": "Glob that the custom editor is enabled for.",
+ "contributes.priority": "Controls when the custom editor is used. May be overridden by users.",
+ "contributes.priority.default": "Editor is automatically used for a resource if no other default custom editors are registered for it.",
+ "contributes.priority.option": "Editor is not automatically used but can be selected by a user.",
+ "contributes.priority.builtin": "Editor automatically used if no other `default` or `builtin` editors are registered for the resource."
+ },
+ "vs/workbench/contrib/debug/common/debug": {
+ "internalConsoleOptions": "Controls when the internal debug console should open."
+ },
+ "vs/workbench/contrib/debug/browser/callStackEditorContribution": {
+ "topStackFrameLineHighlight": "Background color for the highlight of line at the top stack frame position.",
+ "focusedStackFrameLineHighlight": "Background color for the highlight of line at focused stack frame position."
+ },
+ "vs/workbench/contrib/debug/browser/debugViewlet": {
+ "startAdditionalSession": "Start Additional Session",
+ "toggleDebugPanel": "Консоль Налагодження"
+ },
+ "vs/workbench/contrib/debug/browser/debugEditorContribution": {
+ "addConfiguration": "Додати конфігурацію..."
+ },
+ "vs/workbench/contrib/debug/browser/breakpointEditorContribution": {
+ "logPoint": "Logpoint",
+ "breakpoint": "Breakpoint",
+ "breakpointHasConditionDisabled": "This {0} has a {1} that will get lost on remove. Consider enabling the {0} instead.",
+ "message": "message",
+ "condition": "condition",
+ "breakpointHasConditionEnabled": "This {0} has a {1} that will get lost on remove. Consider disabling the {0} instead.",
+ "removeLogPoint": "Remove {0}",
+ "disableLogPoint": "{0} {1}",
+ "disable": "Вимкнути",
+ "enable": "Включити",
+ "cancel": "Скасувати",
+ "removeBreakpoint": "Remove {0}",
+ "editBreakpoint": "Edit {0}...",
+ "disableBreakpoint": "Disable {0}",
+ "enableBreakpoint": "Enable {0}",
+ "removeBreakpoints": "Видалити точки зупинки",
+ "removeInlineBreakpointOnColumn": "Remove Inline Breakpoint on Column {0}",
+ "removeLineBreakpoint": "Видалити Точки Зупину Лінії",
+ "editBreakpoints": "Редагувати точки зупинки",
+ "editInlineBreakpointOnColumn": "Edit Inline Breakpoint on Column {0}",
+ "editLineBrekapoint": "Редагувати рядок точки зупинки",
+ "enableDisableBreakpoints": "Включення/Відключення точок зупинки",
+ "disableInlineColumnBreakpoint": "Disable Inline Breakpoint on Column {0}",
+ "disableBreakpointOnLine": "Відключити точку зупинки рядку",
+ "enableBreakpoints": "Enable Inline Breakpoint on Column {0}",
+ "enableBreakpointOnLine": "Включити точку зупинки рядку",
+ "addBreakpoint": "Додати Точку Зупину",
+ "addConditionalBreakpoint": "Add Conditional Breakpoint...",
+ "addLogPoint": "Add Logpoint...",
+ "debugIcon.breakpointForeground": "Icon color for breakpoints.",
+ "debugIcon.breakpointDisabledForeground": "Icon color for disabled breakpoints.",
+ "debugIcon.breakpointUnverifiedForeground": "Icon color for unverified breakpoints.",
+ "debugIcon.breakpointCurrentStackframeForeground": "Icon color for the current breakpoint stack frame.",
+ "debugIcon.breakpointStackframeForeground": "Icon color for all breakpoint stack frames."
+ },
+ "vs/workbench/contrib/debug/browser/debug.contribution": {
+ "toggleDebugViewlet": "Show Run and Debug",
+ "run": "Run",
+ "debugPanel": "Консоль Налагодження",
+ "variables": "Змінні",
+ "watch": "Дивитися",
+ "callStack": "Стек Викликів",
+ "breakpoints": "Точки зупинки",
+ "loadedScripts": "Завантажені Скрипти",
+ "view": "Вид",
+ "debugCategory": "Налагоджувати",
+ "runCategory": "Run",
+ "terminateThread": "Terminate Thread",
+ "debugFocusConsole": "Focus on Debug Console View",
+ "jumpToCursor": "Jump to Cursor",
+ "inlineBreakpoint": "Inline Breakpoint",
+ "startDebugPlaceholder": "Type the name of a launch configuration to run.",
+ "startDebuggingHelp": "Почати Налагодження",
+ "debugConfigurationTitle": "Налагоджувати",
+ "allowBreakpointsEverywhere": "Allow setting breakpoints in any file.",
+ "openExplorerOnEnd": "Automatically open the explorer view at the end of a debug session.",
+ "inlineValues": "Show variable values inline in editor while debugging.",
+ "toolBarLocation": "Controls the location of the debug toolbar. Either `floating` in all views, `docked` in the debug view, or `hidden`.",
+ "never": "Ніколи не показувати налагодження в рядку стану",
+ "always": "Завжди показують налагодження в рядку стану",
+ "onFirstSessionStart": "Показувати налагодження в рядку стану лише після першого запуску налагодження",
+ "showInStatusBar": "Controls when the debug status bar should be visible.",
+ "debug.console.closeOnEnd": "Controls if the debug console should be automatically closed when the debug session ends.",
+ "openDebug": "Controls when the debug view should open.",
+ "enableAllHovers": "Controls whether the non-debug hovers should be enabled while debugging. When enabled the hover providers will be called to provide a hover. Regular hovers will not be shown even if this setting is enabled.",
+ "showSubSessionsInToolBar": "Controls whether the debug sub-sessions are shown in the debug tool bar. When this setting is false the stop command on a sub-session will also stop the parent session.",
+ "debug.console.fontSize": "Controls the font size in pixels in the debug console.",
+ "debug.console.fontFamily": "Controls the font family in the debug console.",
+ "debug.console.lineHeight": "Controls the line height in pixels in the debug console. Use 0 to compute the line height from the font size.",
+ "debug.console.wordWrap": "Controls if the lines should wrap in the debug console.",
+ "debug.console.historySuggestions": "Controls if the debug console should suggest previously typed input.",
+ "launch": "Global debug launch configuration. Should be used as an alternative to 'launch.json' that is shared across workspaces.",
+ "debug.focusWindowOnBreak": "Controls whether the workbench window should be focused when the debugger breaks.",
+ "debugAnyway": "Ignore task errors and start debugging.",
+ "showErrors": "Show the Problems view and do not start debugging.",
+ "prompt": "Prompt user.",
+ "cancel": "Cancel debugging.",
+ "debug.onTaskErrors": "Controls what to do when errors are encountered after running a preLaunchTask.",
+ "showBreakpointsInOverviewRuler": "Controls whether breakpoints should be shown in the overview ruler.",
+ "showInlineBreakpointCandidates": "Controls whether inline breakpoints candidate decorations should be shown in the editor while debugging.",
+ "stepBackDebug": "Крок Назад",
+ "reverseContinue": "Реверс",
+ "restartFrame": "Перезавантаження Кадру",
+ "copyStackTrace": "Стек Викликів Копія",
+ "miViewRun": "&&Run",
+ "miToggleDebugConsole": "Консоль ві&&длагодження",
+ "miStartDebugging": "&&Start Debugging",
+ "miRun": "Run &&Without Debugging",
+ "miStopDebugging": "&&Stop Debugging",
+ "miRestart Debugging": "&&Restart Debugging",
+ "miOpenConfigurations": "Open &&Configurations",
+ "miAddConfiguration": "A&&dd Configuration...",
+ "miStepOver": "Step &&Over",
+ "miStepInto": "Step &&Into",
+ "miStepOut": "Step O&&ut",
+ "miContinue": "&&Continue",
+ "miToggleBreakpoint": "Toggle &&Breakpoint",
+ "miConditionalBreakpoint": "&&Conditional Breakpoint...",
+ "miInlineBreakpoint": "Inline Breakp&&oint",
+ "miFunctionBreakpoint": "&&Function Breakpoint...",
+ "miLogPoint": "&&Logpoint...",
+ "miNewBreakpoint": "&&New Breakpoint",
+ "miEnableAllBreakpoints": "&&Enable All Breakpoints",
+ "miDisableAllBreakpoints": "Disable A&&ll Breakpoints",
+ "miRemoveAllBreakpoints": "Remove &&All Breakpoints",
+ "miInstallAdditionalDebuggers": "&&Install Additional Debuggers..."
+ },
+ "vs/workbench/contrib/debug/browser/repl": {
+ "replAriaLabel": "Читати панель Loop Eval Print",
+ "debugConsole": "Консоль Налагодження",
+ "copy": "Скопіювати",
+ "copyAll": "Скопіювати Всі",
+ "collapse": "Згорнути Всі",
+ "startDebugFirst": "Please start a debug session to evaluate expressions",
+ "actions.repl.acceptInput": "REPL приймати введені дані",
+ "repl.action.filter": "REPL Focus Content to Filter",
+ "actions.repl.copyAll": "Налагодження: Консоль Скопіювати Всі",
+ "selectRepl": "Select Debug Console",
+ "clearRepl": "Очистити консоль",
+ "debugConsoleCleared": "Debug console was cleared"
+ },
+ "vs/workbench/contrib/debug/browser/welcomeView": {
+ "run": "Run",
+ "openAFileWhichCanBeDebugged": "[Open a file](command:{0}) which can be debugged or run.",
+ "runAndDebugAction": "[Run and Debug{0}](command:{1})",
+ "customizeRunAndDebug": "To customize Run and Debug [create a launch.json file](command:{0}).",
+ "customizeRunAndDebugOpenFolder": "To customize Run and Debug, [open a folder](command:{0}) and create a launch.json file."
+ },
+ "vs/workbench/contrib/debug/browser/debugActionViewItems": {
+ "debugLaunchConfigurations": "Debug Launch Configurations",
+ "noConfigurations": "Жодних Конфігурацій",
+ "addConfigTo": "Додати конфігурацію ({0})...",
+ "addConfiguration": "Додати конфігурацію...",
+ "debugSession": "Debug Session"
+ },
+ "vs/workbench/contrib/debug/browser/exceptionWidget": {
+ "debugExceptionWidgetBorder": "Виключення елемента керування колір рамки.",
+ "debugExceptionWidgetBackground": "Колір фону віджету винятку.",
+ "exceptionThrownWithId": "Виняток відбувся: {0}",
+ "exceptionThrown": "Виключення відбулося."
+ },
+ "vs/workbench/contrib/debug/browser/debugToolBar": {
+ "debugToolBarBackground": "Фоновий колір панелі інструментів Налагодження.",
+ "debugToolBarBorder": "Колір рамки панелі інструментів Налагодження.",
+ "debugIcon.startForeground": "Debug toolbar icon for start debugging.",
+ "debugIcon.pauseForeground": "Debug toolbar icon for pause.",
+ "debugIcon.stopForeground": "Debug toolbar icon for stop.",
+ "debugIcon.disconnectForeground": "Debug toolbar icon for disconnect.",
+ "debugIcon.restartForeground": "Debug toolbar icon for restart.",
+ "debugIcon.stepOverForeground": "Debug toolbar icon for step over.",
+ "debugIcon.stepIntoForeground": "Debug toolbar icon for step into.",
+ "debugIcon.stepOutForeground": "Debug toolbar icon for step over.",
+ "debugIcon.continueForeground": "Debug toolbar icon for continue.",
+ "debugIcon.stepBackForeground": "Debug toolbar icon for step back."
+ },
+ "vs/workbench/contrib/debug/browser/statusbarColorProvider": {
+ "statusBarDebuggingBackground": "Status bar background color when a program is being debugged. The status bar is shown in the bottom of the window",
+ "statusBarDebuggingForeground": "Status bar foreground color when a program is being debugged. The status bar is shown in the bottom of the window",
+ "statusBarDebuggingBorder": "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/common/debugContentProvider": {
+ "unable": "Неможливо вирішити ресурс без сеансу налагодження",
+ "canNotResolveSourceWithError": "Could not load source '{0}': {1}.",
+ "canNotResolveSource": "Could not load source '{0}'."
+ },
+ "vs/workbench/contrib/debug/browser/debugStatus": {
+ "status.debug": "Налагоджувати",
+ "selectAndStartDebug": "Виберіть і запустіть конфігурацію debug"
+ },
+ "vs/workbench/contrib/debug/browser/debugQuickAccess": {
+ "customizeLaunchConfig": "Configure Launch Configuration",
+ "addConfigTo": "Додати конфігурацію ({0})...",
+ "addConfiguration": "Додати конфігурацію..."
+ },
+ "vs/workbench/contrib/debug/browser/debugHover": {
+ "treeAriaLabel": "Налагодження Hover",
+ "variableAriaLabel": "{0} значення {1}, змінних, налагодження"
+ },
+ "vs/workbench/contrib/debug/browser/debugActions": {
+ "openLaunchJson": "Відкрити {0}",
+ "launchJsonNeedsConfigurtion": "Налаштувати або виправити 'launch.json'",
+ "noFolderDebugConfig": "Будь ласка, спочатку відкрийте папку для того, щоб зробити додаткові параметри налагодження.",
+ "selectWorkspaceFolder": "Select a workspace folder to create a launch.json file in",
+ "startDebug": "Почати Налагодження",
+ "startWithoutDebugging": "Запуск Без Налагодження",
+ "selectAndStartDebugging": "Вибрати й почати налагодження",
+ "removeBreakpoint": "Видалити Точку Зупину",
+ "removeAllBreakpoints": "Видалити Всі Точки Зупинки",
+ "enableAllBreakpoints": "Увімкнути всі точки зупинки",
+ "disableAllBreakpoints": "Вимкнути Всі Точки Зупинки",
+ "activateBreakpoints": "Активувати Точки Зупинки",
+ "deactivateBreakpoints": "Деактивувати точки зупинки",
+ "reapplyAllBreakpoints": "Повторно застосувати всі точки зупинки",
+ "addFunctionBreakpoint": "Додати Функцію Зупинки",
+ "addWatchExpression": "Додати вираз",
+ "removeAllWatchExpressions": "Видалити всі вирази",
+ "focusSession": "Focus Session",
+ "copyValue": "Скопіювати значення"
+ },
+ "vs/workbench/contrib/debug/browser/debugEditorActions": {
+ "toggleBreakpointAction": "Налагодження: Перемикання точки зупинки",
+ "conditionalBreakpointEditorAction": "Налагодження: Додати умовну точку зупинки...",
+ "logPointEditorAction": "Debug: Add Logpoint...",
+ "runToCursor": "Виконати до курсору",
+ "evaluateInDebugConsole": "Evaluate in Debug Console",
+ "addToWatch": "Додати до спостереження",
+ "showDebugHover": "Налагодження: Показати Hover",
+ "goToNextBreakpoint": "Debug: Go To Next Breakpoint",
+ "goToPreviousBreakpoint": "Debug: Go To Previous Breakpoint"
+ },
+ "vs/workbench/contrib/debug/browser/linkDetector": {
+ "fileLinkMac": "Cmd + клацніть, щоб перейти за посиланням",
+ "fileLink": "Ctlr + клацніть, щоб перейти за посиланням"
+ },
+ "vs/workbench/contrib/debug/common/replModel": {
+ "consoleCleared": "Console was cleared",
+ "snapshotObj": "Для цього об'єкта відображаються лише примітивні значення."
+ },
+ "vs/workbench/contrib/debug/browser/breakpointWidget": {
+ "breakpointWidgetLogMessagePlaceholder": "Message to log when breakpoint is hit. Expressions within {} are interpolated. 'Enter' to accept, 'esc' to cancel.",
+ "breakpointWidgetHitCountPlaceholder": "Break when hit count condition is met. 'Enter' to accept, 'esc' to cancel.",
+ "breakpointWidgetExpressionPlaceholder": "Break when expression evaluates to true. 'Enter' to accept, 'esc' to cancel.",
+ "expression": "Expression",
+ "hitCount": "Hit Count",
+ "logMessage": "Log Message",
+ "breakpointType": "Breakpoint Type"
+ },
+ "vs/workbench/contrib/debug/browser/watchExpressionsView": {
+ "watchAriaTreeLabel": "Налагодження дивитися вирази",
+ "editWatchExpression": "Редагування виразу",
+ "removeWatchExpression": "Видалити вираз",
+ "watchExpressionInputAriaLabel": "Тип дивитися вираз",
+ "watchExpressionPlaceholder": "Вираз дивитися",
+ "watchExpressionAriaLabel": "{0} значення {1}, дивитися, налагодження",
+ "watchVariableAriaLabel": "{0} значення {1}, дивитися, налагодження"
+ },
+ "vs/workbench/contrib/debug/browser/variablesView": {
+ "variablesAriaTreeLabel": "Змінні Налагодження",
+ "setValue": "Встановиити значення",
+ "copyAsExpression": "Copy as Expression",
+ "addToWatchExpressions": "Додати до спостереження",
+ "breakWhenValueChanges": "Break When Value Changes",
+ "variableValueAriaLabel": "Введіть нове значення змінної",
+ "variableScopeAriaLabel": "Області {0}, змінні, налагодження",
+ "variableAriaLabel": "{0} значення {1}, змінних, налагодження"
+ },
+ "vs/workbench/contrib/debug/browser/replViewer": {
+ "stateCapture": "Стан об'єкта фіксується від першої оцінки",
+ "replVariableAriaLabel": "Змінна {0} має значення {1}, читати цикл друку эвал налагодження",
+ "replValueOutputAriaLabel": "{0}, читати цикл друку эвал налагодження",
+ "replRawObjectAriaLabel": "Змінні витрат {0} має значення {1}, читати цикл друку эвал налагодження",
+ "replGroup": "Repl group {0}, read eval print loop, debug"
+ },
+ "vs/workbench/contrib/debug/node/debugAdapter": {
+ "debugAdapterBinNotFound": "Адаптер налагодження виконуваного файлу '{0}' не існує.",
+ "debugAdapterCannotDetermineExecutable": "Не вдалося визначити виконуваний файл для адаптеру налагодження '{0}'.",
+ "unableToLaunchDebugAdapter": "Unable to launch debug adapter from '{0}'.",
+ "unableToLaunchDebugAdapterNoArgs": "Unable to launch debug adapter."
+ },
+ "vs/workbench/contrib/debug/browser/loadedScriptsView": {
+ "loadedScriptsAriaLabel": "Debug Loaded Scripts",
+ "loadedScriptsSession": "Debug Session",
+ "loadedScriptsRootFolderAriaLabel": "Workspace folder {0}, loaded script, debug",
+ "loadedScriptsSessionAriaLabel": "Session {0}, loaded script, debug",
+ "loadedScriptsFolderAriaLabel": "Folder {0}, loaded script, debug",
+ "loadedScriptsSourceAriaLabel": "{0}, loaded script, debug"
+ },
+ "vs/workbench/contrib/debug/browser/debugCommands": {
+ "restartDebug": "Перезавантаження",
+ "stepOverDebug": "Переступити",
+ "stepIntoDebug": "Крок у",
+ "stepOutDebug": "Вийти",
+ "pauseDebug": "Пауза",
+ "disconnect": "Від'єднати",
+ "stop": "Зупинити",
+ "continueDebug": "Продовжити",
+ "chooseLocation": "Choose the specific location",
+ "noExecutableCode": "No executable code is associated at the current cursor position.",
+ "jumpToCursor": "Jump to Cursor",
+ "debug": "Налагоджувати",
+ "noFolderDebugConfig": "Будь ласка, спочатку відкрийте папку для того, щоб зробити додаткові параметри налагодження.",
+ "addInlineBreakpoint": "Add Inline Breakpoint"
+ },
+ "vs/workbench/contrib/debug/browser/breakpointsView": {
+ "Logpoint": "Logpoint",
+ "Breakpoint": "Breakpoint",
+ "editBreakpoint": "Edit {0}...",
+ "removeBreakpoint": "Remove {0}",
+ "functionBreakpointsNotSupported": "Function breakpoints are not supported by this debug type",
+ "dataBreakpointsNotSupported": "Data breakpoints are not supported by this debug type",
+ "functionBreakpointPlaceholder": "Function to break on",
+ "functionBreakPointInputAriaLabel": "Type function breakpoint",
+ "disabledLogpoint": "Disabled Logpoint",
+ "disabledBreakpoint": "Disabled Breakpoint",
+ "unverifiedLogpoint": "Unverified Logpoint",
+ "unverifiedBreakopint": "Unverified Breakpoint",
+ "functionBreakpointUnsupported": "Function breakpoints not supported by this debug type",
+ "functionBreakpoint": "Function Breakpoint",
+ "dataBreakpointUnsupported": "Data breakpoints not supported by this debug type",
+ "dataBreakpoint": "Data Breakpoint",
+ "breakpointUnsupported": "Breakpoints of this type are not supported by the debugger",
+ "logMessage": "Log Message: {0}",
+ "expression": "Expression: {0}",
+ "hitCount": "Hit Count: {0}",
+ "breakpoint": "Breakpoint"
+ },
+ "vs/workbench/contrib/debug/common/debugSource": {
+ "unknownSource": "Невідоме джерело"
+ },
+ "vs/workbench/contrib/debug/browser/callStackView": {
+ "debugStopped": "Призупинення на {0}",
+ "callStackAriaLabel": "Налагодження Стека Викликів",
+ "showMoreStackFrames2": "Show More Stack Frames",
+ "session": "Session",
+ "running": "Працює",
+ "thread": "Нитка",
+ "restartFrame": "Перезавантаження Кадру",
+ "loadMoreStackFrames": "Навантаження Більш Стекових Фреймів",
+ "showMoreAndOrigin": "Show {0} More: {1}",
+ "showMoreStackFrames": "Show {0} More Stack Frames",
+ "threadAriaLabel": "Потік {0}, стек викликів, налагодження",
+ "stackFrameAriaLabel": "Стековий фрейм {0} рядок {1} {2}, стек викликів, налагодження",
+ "sessionLabel": "Debug Session {0}"
+ },
+ "vs/workbench/contrib/debug/browser/debugService": {
+ "1activeSession": "1 active session",
+ "nActiveSessions": "{0} active sessions",
+ "configurationAlreadyRunning": "There is already a debug configuration \"{0}\" running.",
+ "compoundMustHaveConfigurations": "З'єднання повинне мати атрибут \"configurations\", встановлений для запуску декількох конфігурацій.",
+ "noConfigurationNameInWorkspace": "Could not find launch configuration '{0}' in the workspace.",
+ "multipleConfigurationNamesInWorkspace": "There are multiple launch configurations '{0}' in the workspace. Use folder name to qualify the configuration.",
+ "noFolderWithName": "Can not find folder with name '{0}' for configuration '{1}' in compound '{2}'.",
+ "configMissing": "Конфігурація \"{0}\" відсутня в 'launch.json'.",
+ "launchJsonDoesNotExist": "'launch.json' не існує.",
+ "debugRequestNotSupported": "Attribute '{0}' has an unsupported value '{1}' in the chosen debug configuration.",
+ "debugRequesMissing": "Атрибут '{0}' відсутній в обраної конфігурації налагодження.",
+ "debugTypeNotSupported": "Налаштований тип налагодження '{0}' не підтримується.",
+ "debugTypeMissing": "Missing property 'type' for the chosen launch configuration.",
+ "noFolderWorkspaceDebugError": "The active file can not be debugged. Make sure it is saved and that you have a debug extension installed for that file type.",
+ "debugAdapterCrash": "Debug adapter process has terminated unexpectedly ({0})",
+ "cancel": "Скасувати",
+ "debuggingPaused": "Debugging paused {0}, {1} {2} {3}",
+ "breakpointAdded": "Додана точка зупинки, рядок {0}, файл {1}",
+ "breakpointRemoved": "Видалити точку зупину, рядок {0}, файл {1}"
+ },
+ "vs/workbench/contrib/debug/common/debugModel": {
+ "invalidVariableAttributes": "Invalid variable attributes",
+ "startDebugFirst": "Please start a debug session to evaluate expressions",
+ "notAvailable": "не доступний",
+ "pausedOn": "Призупинення на {0}",
+ "paused": "Призупинено",
+ "running": "Працює",
+ "breakpointDirtydHover": "Unverified breakpoint. File is modified, please restart debug session."
+ },
+ "vs/workbench/contrib/debug/browser/debugTaskRunner": {
+ "preLaunchTaskErrors": "Errors exist after running preLaunchTask '{0}'.",
+ "preLaunchTaskError": "Error exists after running preLaunchTask '{0}'.",
+ "preLaunchTaskExitCode": "preLaunchTask '{0}' завершено з кодом виходу {1}.",
+ "preLaunchTaskTerminated": "The preLaunchTask '{0}' terminated.",
+ "debugAnyway": "У всякому разі налагодження",
+ "showErrors": "Show Errors",
+ "abort": "Abort",
+ "remember": "Remember my choice in user settings",
+ "invalidTaskReference": "Task '{0}' can not be referenced from a launch configuration that is in a different workspace folder.",
+ "DebugTaskNotFoundWithTaskId": "Could not find the task '{0}'.",
+ "DebugTaskNotFound": "Could not find the specified task.",
+ "taskNotTrackedWithTaskId": "The specified task cannot be tracked.",
+ "taskNotTracked": "The task '{0}' cannot be tracked."
+ },
+ "vs/workbench/contrib/debug/browser/debugConfigurationManager": {
+ "debugNoType": "Debugger 'type' can not be omitted and must be of type 'string'.",
+ "more": "Більше...",
+ "selectDebug": "Виберіть Середовище",
+ "DebugConfig.failed": "Не вдалося створити файл 'launch.json' всередині '.vscode' папки ({0}).",
+ "workspace": "workspace",
+ "user settings": "Налаштування Користувача"
+ },
+ "vs/workbench/contrib/debug/browser/debugSession": {
+ "noDebugAdapter": "No debug adapter, can not send '{0}'",
+ "sessionNotReadyForBreakpoints": "Session is not ready for breakpoints",
+ "debuggingStarted": "Налагодження почалося.",
+ "debuggingStopped": "Налагодження зупиненно."
+ },
+ "vs/workbench/contrib/debug/common/debugger": {
+ "cannot.find.da": "Cannot find debug adapter for type '{0}'.",
+ "launch.config.comment1": "Use IntelliSense to learn about possible attributes.",
+ "launch.config.comment2": "Hover to view descriptions of existing attributes.",
+ "launch.config.comment3": "For more information, visit: {0}",
+ "debugType": "Type of configuration.",
+ "debugTypeNotRecognised": "The debug type is not recognized. Make sure that you have a corresponding debug extension installed and that it is enabled.",
+ "node2NotSupported": "\"node2\" is no longer supported, use \"node\" instead and set the \"protocol\" attribute to \"inspector\".",
+ "debugName": "Name of configuration; appears in the launch configuration dropdown menu.",
+ "debugRequest": "Request type of configuration. Can be \"launch\" or \"attach\".",
+ "debugServer": "For debug extension development only: if a port is specified VS Code tries to connect to a debug adapter running in server mode",
+ "debugPrelaunchTask": "Task to run before debug session starts.",
+ "debugPostDebugTask": "Task to run after debug session ends.",
+ "debugWindowsConfiguration": "Windows specific launch configuration attributes.",
+ "debugOSXConfiguration": "OS X specific launch configuration attributes.",
+ "debugLinuxConfiguration": "Linux specific launch configuration attributes."
+ },
+ "vs/workbench/contrib/debug/browser/rawDebugSession": {
+ "noDebugAdapterStart": "No debug adapter, can not start debug session.",
+ "noDebugAdapter": "No debug adapter found. Can not send '{0}'.",
+ "moreInfo": "Детальніше"
+ },
+ "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": "Mapping from interactive variables (e.g. ${action.pickProcess}) in `launch.json` to a command.",
+ "vscode.extension.contributes.debuggers.initialConfigurations": "Конфігурації для генерації початкового 'launch.json'.",
+ "vscode.extension.contributes.debuggers.languages": "Список мов, для яких розширення налагодження можна вважати \"типовий відладчик\".",
+ "vscode.extension.contributes.debuggers.configurationSnippets": "Фрагменти для додавання нових конфігурацій в 'launch.json'.",
+ "vscode.extension.contributes.debuggers.configurationAttributes": "JSON схему конфігураціях для перевірки 'launch.json'.",
+ "vscode.extension.contributes.debuggers.windows": "Конкретні параметри Windows.",
+ "vscode.extension.contributes.debuggers.windows.runtime": "Середовище виконання для Windows.",
+ "vscode.extension.contributes.debuggers.osx": "macOS specific settings.",
+ "vscode.extension.contributes.debuggers.osx.runtime": "Runtime used for macOS.",
+ "vscode.extension.contributes.debuggers.linux": "Специфічні налаштування ОС Linux.",
+ "vscode.extension.contributes.debuggers.linux.runtime": "Середовище виконання для Linux.",
+ "vscode.extension.contributes.breakpoints": "Сприяє точці зупинки.",
+ "vscode.extension.contributes.breakpoints.language": "Дозволити точки зупинки для цієї мови.",
+ "presentation": "Presentation options on how to show this configuration in the debug configuration dropdown and the command palette.",
+ "presentation.hidden": "Controls if this configuration should be shown in the configuration dropdown and the command palette.",
+ "presentation.group": "Group that this configuration belongs to. Used for grouping and sorting in the configuration dropdown and the command palette.",
+ "presentation.order": "Order of this configuration within a group. Used for grouping and sorting in the configuration dropdown and the command palette.",
+ "app.launch.json.title": "Запуск",
+ "app.launch.json.version": "Версія цього формату файлів.",
+ "app.launch.json.configurations": "Список конфігурацій. Додати нові конфігурації або редагувати вже існуючі за допомогою intellisense.",
+ "app.launch.json.compounds": "Список сполучень. Кожне сполучення посилається на кілька конфігурацій, які запускаються разом.",
+ "app.launch.json.compound.name": "Назва сполучення. З'являється в запуску конфігурації випадаючого меню.",
+ "useUniqueNames": "Please use unique configuration names.",
+ "app.launch.json.compound.folder": "Name of folder in which the compound is located.",
+ "app.launch.json.compounds.configurations": "Імена конфігурацій, які будуть запущені в рамках цього сполучення.",
+ "compoundPrelaunchTask": "Task to run before any of the compound configurations start."
+ },
+ "vs/workbench/contrib/emmet/browser/actions/showEmmetCommands": {
+ "showEmmetCommands": "Показати Еммет Команди",
+ "miShowEmmetCommands": "E&&mmet..."
+ },
+ "vs/workbench/contrib/emmet/browser/actions/expandAbbreviation": {
+ "expandAbbreviationAction": "Еммет: Розгорніть Абревіатуру",
+ "miEmmetExpandAbbreviation": "Emmet: E&&xpand Abbreviation"
+ },
+ "vs/workbench/contrib/experiments/browser/experiments.contribution": {
+ "workbench.enableExperiments": "Fetches experiments to run from a Microsoft online service."
+ },
+ "vs/workbench/contrib/extensions/electron-browser/extensions.contribution": {
+ "runtimeExtension": "Запуск додатків"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/runtimeExtensionsInput": {
+ "extensionsInputName": "Запуск додатків"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/extensionsActions": {
+ "openExtensionsFolder": "Open Extensions Folder"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/extensionProfileService": {
+ "profilingExtensionHost": "Profiling Extension Host",
+ "selectAndStartDebug": "Натисніть, щоб зупинити профілювання.",
+ "profilingExtensionHostTime": "Profiling Extension Host ({0} sec)",
+ "status.profiler": "Extension Profiler",
+ "restart1": "Profile Extensions",
+ "restart2": "In order to profile extensions a restart is required. Do you want to restart '{0}' now?",
+ "restart3": "Перезавантаження",
+ "cancel": "Скасувати"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/extensionsAutoProfiler": {
+ "unresponsive-exthost": "The extension '{0}' took a very long time to complete its last operation and it has prevented other extensions from running.",
+ "show": "Показати додатки"
+ },
+ "vs/workbench/contrib/extensions/browser/extensions.contribution": {
+ "extension": "Додаток",
+ "extensions": "Додатки",
+ "view": "Вид",
+ "extensionsConfigurationTitle": "Додатки",
+ "extensionsAutoUpdate": "When enabled, automatically installs updates for extensions. The updates are fetched from a Microsoft online service.",
+ "extensionsCheckUpdates": "When enabled, automatically checks extensions for updates. If an extension has an update, it is marked as outdated in the Extensions view. The updates are fetched from a Microsoft online service.",
+ "extensionsIgnoreRecommendations": "When enabled, the notifications for extension recommendations will not be shown.",
+ "extensionsShowRecommendationsOnlyOnDemand": "When enabled, recommendations will not be fetched or shown unless specifically requested by the user. Some recommendations are fetched from a Microsoft online service.",
+ "extensionsCloseExtensionDetailsOnViewChange": "When enabled, editors with extension details will be automatically closed upon navigating away from the Extensions View.",
+ "handleUriConfirmedExtensions": "When an extension is listed here, a confirmation prompt will not be shown when that extension handles a URI.",
+ "notFound": "Додаток \"{0}\" не знайдено.",
+ "workbench.extensions.uninstallExtension.description": "Uninstall the given extension",
+ "workbench.extensions.uninstallExtension.arg.name": "Id of the extension to uninstall",
+ "id required": "Extension id required.",
+ "notInstalled": "Extension '{0}' is not installed. Make sure you use the full extension ID, including the publisher, e.g.: ms-vscode.csharp.",
+ "workbench.extensions.search.description": "Search for a specific extension",
+ "workbench.extensions.search.arg.name": "Query to use in search",
+ "miOpenKeymapExtensions": "&&Keymaps",
+ "miOpenKeymapExtensions2": "Розкладки",
+ "miPreferencesExtensions": "&&Extensions",
+ "miViewExtensions": "E&&xtensions",
+ "showExtensions": "Додатки",
+ "extensionInfoName": "Name: {0}",
+ "extensionInfoId": "Id: {0}",
+ "extensionInfoDescription": "Description: {0}",
+ "extensionInfoVersion": "Version: {0}",
+ "extensionInfoPublisher": "Publisher: {0}",
+ "extensionInfoVSMarketplaceLink": "VS Marketplace Link: {0}",
+ "workbench.extensions.action.configure": "Extension Settings",
+ "workbench.extensions.action.toggleIgnoreExtension": "Sync This Extension"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/runtimeExtensionsEditor": {
+ "workspaceContainsFileActivation": "Активувати, так як файл {0} існує у вашій робочої області",
+ "languageActivation": "Активувати, так як ви відкрили файл {0} ",
+ "workspaceGenericActivation": "Активоване на {0}",
+ "unresponsive.title": "Extension has caused the extension host to freeze.",
+ "errors": "{0} невідомі халепи",
+ "disable workspace": "Вимкнути (робоча область)",
+ "disable": "Вимкнути",
+ "showRuntimeExtensions": "Показати запущені додатки",
+ "reportExtensionIssue": "Звіт",
+ "debugExtensionHost": "Start Debugging Extension Host",
+ "restart1": "Profile Extensions",
+ "restart2": "In order to profile extensions a restart is required. Do you want to restart '{0}' now?",
+ "restart3": "Перезавантаження",
+ "cancel": "Скасувати",
+ "debugExtensionHost.launch.name": "Attach Extension Host",
+ "extensionHostProfileStart": "Почати розширення хосту профілю",
+ "stopExtensionHostProfileStart": "Припинити розширення хосту профілю",
+ "saveExtensionHostProfile": "Зберегти розширення хосту профілю"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsViewlet": {
+ "marketPlace": "Ринок",
+ "enabledExtensions": "Enabled",
+ "disabledExtensions": "Disabled",
+ "popularExtensions": "Popular",
+ "recommendedExtensions": "Рекомендовані",
+ "otherRecommendedExtensions": "Інші Рекомендації",
+ "workspaceRecommendedExtensions": "Рекомендації Робочої Області",
+ "builtInExtensions": "Features",
+ "builtInThemesExtensions": "Themes",
+ "builtInBasicsExtensions": "Programming Languages",
+ "installed": "Установлено",
+ "searchExtensions": "Пошук додатку на ринку",
+ "sort by installs": "Сортувати по: відліку встановлення",
+ "sort by rating": "Сортувати по: рейтингу",
+ "sort by name": "Сортувати по: Назві",
+ "extensionFoundInSection": "1 extension found in the {0} section.",
+ "extensionFound": "Знайдено 1 розширення.",
+ "extensionsFoundInSection": "{0} extensions found in the {1} section.",
+ "extensionsFound": "{0} extensions found.",
+ "suggestProxyError": "Ринок повернув 'ECONNREFUSED'. Будь ласка, перевірте налаштування 'http.proxy'.",
+ "open user settings": "Відкрийте Настройки Користувача",
+ "outdatedExtensions": "{0} Застарілі додатки",
+ "malicious warning": "We have uninstalled '{0}' which was reported to be problematic.",
+ "reloadNow": "Reload Now"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/extensionsSlowActions": {
+ "cmd.reportOrShow": "Performance Issue",
+ "cmd.report": "Звіт",
+ "attach.title": "Did you attach the CPU-Profile?",
+ "ok": "ОК",
+ "attach.msg": "This is a reminder to make sure that you have not forgotten to attach '{0}' to the issue you have just created.",
+ "cmd.show": "Show Issues",
+ "attach.msg2": "This is a reminder to make sure that you have not forgotten to attach '{0}' to an existing performance issue."
+ },
+ "vs/workbench/contrib/extensions/common/extensionsFileTemplate": {
+ "app.extensions.json.title": "Додатки",
+ "app.extensions.json.recommendations": "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'.",
+ "app.extension.identifier.errorMessage": "Очікуваний формат ' ${publisher}. ${name}'. Наприклад: 'vscode.csharp'.",
+ "app.extensions.json.unwantedRecommendations": "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'."
+ },
+ "vs/workbench/contrib/extensions/browser/remoteExtensionsInstaller": {},
+ "vs/workbench/contrib/extensions/common/extensionsInput": {
+ "extensionsInputName": "Додаток: {0}"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsQuickAccess": {
+ "searchFor": "Press Enter to search for extension '{0}'.",
+ "install": "Press Enter to install extension '{0}'.",
+ "manage": "Натисніть клавішу Enter, щоб керувати вашими додатками."
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsDependencyChecker": {
+ "extensions": "Додатки",
+ "reload": "Reload Window"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsActivationProgress": {
+ "activation": "Activating Extensions..."
+ },
+ "vs/workbench/contrib/extensions/common/extensionsUtils": {
+ "disableOtherKeymapsConfirmation": "Виключити інші розкладки ({0}) щоб уникнути конфліктів між призначеннями клавіш?",
+ "yes": "Так",
+ "no": "Ні"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsWorkbenchService": {
+ "Manifest is not found": "Manifest is not found",
+ "malicious": "This extension is reported to be problematic.",
+ "uninstallingExtension": "Uninstalling extension....",
+ "incompatible": "Unable to install extension '{0}' as it is not compatible with VS Code '{1}'.",
+ "installing named extension": "Installing '{0}' extension....",
+ "installing extension": "Installing extension....",
+ "singleDependentError": "Не можу вимкнути додаток '{0}'. Додатки '{1}' залежить від цього.",
+ "twoDependentsError": "Не можу вимкнути додаток '{0}'. Длдатки '{1}' і '{2}' залежать від цього.",
+ "multipleDependentsError": "Не можу вимкнути додаток '{0}'. додатки '{1}', '{2}' та інші залежать від цього."
+ },
+ "vs/workbench/contrib/extensions/browser/extensionEditor": {
+ "name": "Extension name",
+ "extension id": "Extension identifier",
+ "preview": "Preview",
+ "builtin": "Built-in",
+ "publisher": "Publisher name",
+ "install count": "Install count",
+ "rating": "Rating",
+ "repository": "Repository",
+ "license": "License",
+ "details": "Деталі",
+ "detailstooltip": "Extension details, rendered from the extension's 'README.md' file",
+ "contributions": "Feature Contributions",
+ "contributionstooltip": "Lists contributions to VS Code by this extension",
+ "changelog": "Журнал змін",
+ "changelogtooltip": "Extension update history, rendered from the extension's 'CHANGELOG.md' file",
+ "dependencies": "Dependencies",
+ "dependenciestooltip": "Lists extensions this extension depends on",
+ "recommendationHasBeenIgnored": "You have chosen not to receive recommendations for this extension.",
+ "noReadme": "No README available.",
+ "noChangelog": "No Changelog available.",
+ "noContributions": "No Contributions",
+ "noDependencies": "No Dependencies",
+ "settings": "Settings ({0})",
+ "setting name": "Name",
+ "description": "Description",
+ "default": "Default",
+ "debuggers": "Debuggers ({0})",
+ "debugger name": "Name",
+ "debugger type": "Type",
+ "viewContainers": "View Containers ({0})",
+ "view container id": "ID",
+ "view container title": "Title",
+ "view container location": "Where",
+ "views": "Views ({0})",
+ "view id": "ID",
+ "view name": "Name",
+ "view location": "Where",
+ "localizations": "Localizations ({0})",
+ "localizations language id": "Language Id",
+ "localizations language name": "Language Name",
+ "localizations localized language name": "Language Name (Localized)",
+ "codeActions": "Code Actions ({0})",
+ "codeActions.title": "Title",
+ "codeActions.kind": "Kind",
+ "codeActions.description": "Description",
+ "codeActions.languages": "Languages",
+ "colorThemes": "Color Themes ({0})",
+ "iconThemes": "Icon Themes ({0})",
+ "colors": "Colors ({0})",
+ "colorId": "Id",
+ "defaultDark": "Dark Default",
+ "defaultLight": "Light Default",
+ "defaultHC": "High Contrast Default",
+ "JSON Validation": "JSON Validation ({0})",
+ "fileMatch": "File Match",
+ "schema": "Схема",
+ "commands": "Commands ({0})",
+ "command name": "Name",
+ "keyboard shortcuts": "Сполучення Клавіш",
+ "menuContexts": "Menu Contexts",
+ "languages": "Languages ({0})",
+ "language id": "ID",
+ "language name": "Name",
+ "file extensions": "File Extensions",
+ "grammar": "Grammar",
+ "snippets": "Snippets",
+ "find": "Find",
+ "find next": "Знайти наступне",
+ "find previous": "Find Previous"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionTipsService": {
+ "neverShowAgain": "Не показувати знову",
+ "searchMarketplace": "Search Marketplace",
+ "dynamicWorkspaceRecommendation": "This extension may interest you because it's popular among users of the {0} repository.",
+ "exeBasedRecommendation": "Цей додаток рекомендується, тому що у вас встановлено {0}.",
+ "fileBasedRecommendation": "Цей додаток рекомендується на основі файлів, які ви нещодавно відкривали.",
+ "workspaceRecommendation": "Цей додаток рекомендований користувачам поточної робочої області.",
+ "workspaceRecommended": "Ця робоча область має рекомендації додатку.",
+ "installAll": "Встановити Всі",
+ "showRecommendations": "Показати Рекомендації",
+ "exeRecommended": "The '{0}' extension is recommended as you have {1} installed on your system.",
+ "install": "Установіть",
+ "ignoreExtensionRecommendations": "Ви хочете, щоб ігнорувалися всі рекомендації додатку?",
+ "ignoreAll": "Так, ігнорувати все",
+ "no": "Ні",
+ "reallyRecommended2": "Додаток '{0}' рекомендується для цього типу файлів.",
+ "reallyRecommendedExtensionPack": "\"{0}\" пакет додатку рекомендується для даного типу файлів.",
+ "showLanguageExtensions": "The Marketplace has extensions that can help with '.{0}' files",
+ "dontShowAgainExtension": "Don't Show Again for '.{0}' files"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsViews": {
+ "extensions": "Додатки",
+ "galleryError": "We cannot connect to the Extensions Marketplace at this time, please try again later.",
+ "error": "Error while loading extensions. {0}",
+ "no extensions found": "Додатки не знайдено.",
+ "suggestProxyError": "Ринок повернув 'ECONNREFUSED'. Будь ласка, перевірте налаштування 'http.proxy'.",
+ "open user settings": "Відкрийте Настройки Користувача"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsViewer": {
+ "error": "Помилка",
+ "Unknown Extension": "Unknown Extension:"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsWidgets": {
+ "ratedBySingleUser": "За оцінкою 1 користувача",
+ "ratedByUsers": "За оцінкою {0} користувачів",
+ "noRating": "No rating",
+ "extension-arialabel": "{0}. Press enter for extension details.",
+ "viewExtensionDetailsAria": "{0}. Press enter for extension details.",
+ "remote extension title": "Extension in {0}"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsActions": {
+ "download": "Download Manually",
+ "install vsix": "Once downloaded, please manually install the downloaded VSIX of '{0}'.",
+ "noOfYearsAgo": "{0} years ago",
+ "one year ago": "1 year ago",
+ "noOfMonthsAgo": "{0} months ago",
+ "one month ago": "1 month ago",
+ "noOfDaysAgo": "{0} days ago",
+ "one day ago": "1 day ago",
+ "noOfHoursAgo": "{0} hours ago",
+ "one hour ago": "1 hour ago",
+ "just now": "Just now",
+ "install": "Установіть",
+ "installing": "Установка",
+ "installExtensionStart": "Installing extension {0} started. An editor is now open with more details on this extension",
+ "installExtensionComplete": "Installing extension {0} is completed. Please reload Visual Studio Code to enable it.",
+ "failedToInstall": "Failed to install '{0}'.",
+ "install locally": "Install Locally",
+ "uninstallAction": "Видалити",
+ "Uninstalling": "Видалення",
+ "uninstallExtensionStart": "Uninstalling extension {0} started.",
+ "uninstallExtensionComplete": "Please reload Visual Studio Code to complete the uninstallation of the extension {0}.",
+ "updateExtensionStart": "Updating extension {0} to version {1} started.",
+ "updateExtensionComplete": "Updating extension {0} to version {1} completed.",
+ "failedToUpdate": "Failed to update '{0}'.",
+ "updateTo": "Оновлення для {0}",
+ "updateAction": "Оновлення",
+ "manage": "Manage",
+ "ManageExtensionAction.uninstallingTooltip": "Видалення",
+ "install another version": "Install Another Version...",
+ "selectVersion": "Select Version to Install",
+ "current": "Current",
+ "enableForWorkspaceAction": "Увімкнути (робоча область)",
+ "enableGloballyAction": "Включити",
+ "disableForWorkspaceAction": "Вимкнути (робоча область)",
+ "disableGloballyAction": "Вимкнути",
+ "enableAction": "Включити",
+ "disableAction": "Вимкнути",
+ "checkForUpdates": "Check for Extension Updates",
+ "noUpdatesAvailable": "All Extensions are up to date.",
+ "ok": "ОК",
+ "singleUpdateAvailable": "An extension update is available.",
+ "updatesAvailable": "{0} extension updates are available.",
+ "singleDisabledUpdateAvailable": "An update to an extension which is disabled is available.",
+ "updatesAvailableOneDisabled": "{0} extension updates are available. One of them is for a disabled extension.",
+ "updatesAvailableAllDisabled": "{0} extension updates are available. All of them are for disabled extensions.",
+ "updatesAvailableIncludingDisabled": "{0} extension updates are available. {1} of them are for disabled extensions.",
+ "enableAutoUpdate": "Увімкнути автоматичне оновлення додатків",
+ "disableAutoUpdate": "Вимкнути автоматичне оновлення додатків",
+ "updateAll": "Оновити всі додатки",
+ "reloadAction": "Перезавантажити",
+ "reloadRequired": "Reload Required",
+ "postUninstallTooltip": "Please reload Visual Studio Code to complete the uninstallation of this extension.",
+ "postUpdateTooltip": "Please reload Visual Studio Code to complete the updating of this extension.",
+ "color theme": "Set Color Theme",
+ "select color theme": "Select Color Theme",
+ "file icon theme": "Set File Icon Theme",
+ "select file icon theme": "Виберіть Тему значків файлів",
+ "product icon theme": "Set Product Icon Theme",
+ "select product icon theme": "Select Product Icon Theme",
+ "toggleExtensionsViewlet": "Показати додатки",
+ "installExtensions": "Встановити додатки",
+ "showEnabledExtensions": "Показати ввімкнені додатки",
+ "showInstalledExtensions": "Показати встановлені додатки",
+ "showDisabledExtensions": "Показати виключені додатки",
+ "clearExtensionsInput": "Очистити додатки вводу",
+ "showBuiltInExtensions": "Show Built-in Extensions",
+ "showOutdatedExtensions": "Показати застарілі додатки",
+ "showPopularExtensions": "Показати Популярні додатки",
+ "showRecommendedExtensions": "Показати рекомендовані додатки",
+ "installWorkspaceRecommendedExtensions": "Інсталюйте всі додатки рекомендовані робочою областю",
+ "installRecommendedExtension": "Встановлення рекомендованих додатків",
+ "ignoreExtensionRecommendation": "Do not recommend this extension again",
+ "undo": "Undo",
+ "showRecommendedKeymapExtensionsShort": "Розкладки",
+ "showLanguageExtensionsShort": "Розширення Мови",
+ "showAzureExtensionsShort": "додатки Azure",
+ "extensions": "Додатки",
+ "OpenExtensionsFile.failed": "Не вдалося створити файл 'extensions.json' в папці '.vscode' ({0}).",
+ "configureWorkspaceRecommendedExtensions": "Налаштувати рекомендовані додатки (Робочого Простору)",
+ "configureWorkspaceFolderRecommendedExtensions": "Налаштувати рекомендовані додатки (Папка Робочої Області)",
+ "addToWorkspaceFolderRecommendations": "Add to Recommended Extensions (Workspace Folder)",
+ "addToWorkspaceFolderIgnoredRecommendations": "Ignore Recommended Extension (Workspace Folder)",
+ "AddToWorkspaceFolderRecommendations.noWorkspace": "There are no workspace folders open to add recommendations.",
+ "AddToWorkspaceFolderRecommendations.alreadyExists": "This extension is already present in this workspace folder's recommendations.",
+ "AddToWorkspaceFolderRecommendations.success": "The extension was successfully added to this workspace folder's recommendations.",
+ "viewChanges": "View Changes",
+ "AddToWorkspaceFolderRecommendations.failure": "Failed to write to extensions.json. {0}",
+ "AddToWorkspaceFolderIgnoredRecommendations.alreadyExists": "This extension is already present in this workspace folder's unwanted recommendations.",
+ "AddToWorkspaceFolderIgnoredRecommendations.success": "The extension was successfully added to this workspace folder's unwanted recommendations.",
+ "addToWorkspaceRecommendations": "Add to Recommended Extensions (Workspace)",
+ "addToWorkspaceIgnoredRecommendations": "Ignore Recommended Extension (Workspace)",
+ "AddToWorkspaceRecommendations.alreadyExists": "This extension is already present in workspace recommendations.",
+ "AddToWorkspaceRecommendations.success": "The extension was successfully added to this workspace's recommendations.",
+ "AddToWorkspaceRecommendations.failure": "Failed to write. {0}",
+ "AddToWorkspaceUnwantedRecommendations.alreadyExists": "This extension is already present in workspace unwanted recommendations.",
+ "AddToWorkspaceUnwantedRecommendations.success": "The extension was successfully added to this workspace's unwanted recommendations.",
+ "updated": "Updated",
+ "installed": "Установлено",
+ "uninstalled": "Uninstalled",
+ "enabled": "Enabled",
+ "disabled": "Disabled",
+ "malicious tooltip": "This extension was reported to be problematic.",
+ "malicious": "Malicious",
+ "syncingore.label": "This extension is ignored during sync.",
+ "extension enabled on remote": "Extension is enabled on '{0}'",
+ "disabled because of extension kind": "This extension has defined that it cannot run on the remote server",
+ "disableAll": "Вимкнути усі встановлені додатки",
+ "disableAllWorkspace": "Вимкнути усі встановлені додатки для цієї робочої області",
+ "enableAll": "Enable All Extensions",
+ "enableAllWorkspace": "Enable All Extensions for this Workspace",
+ "installVSIX": "Install from VSIX...",
+ "installFromVSIX": "Install from VSIX",
+ "installButton": "&&Install",
+ "InstallVSIXAction.successReload": "Please reload Visual Studio Code to complete installing the extension {0}.",
+ "InstallVSIXAction.success": "Completed installing the extension {0}.",
+ "InstallVSIXAction.reloadNow": "Reload Now",
+ "reinstall": "Reinstall Extension...",
+ "selectExtensionToReinstall": "Select Extension to Reinstall",
+ "ReinstallAction.successReload": "Please reload Visual Studio Code to complete reinstalling the extension {0}.",
+ "ReinstallAction.success": "Reinstalling the extension {0} is completed.",
+ "install previous version": "Install Specific Version of Extension...",
+ "selectExtension": "Select Extension",
+ "InstallAnotherVersionExtensionAction.successReload": "Please reload Visual Studio Code to complete installing the extension {0}.",
+ "InstallAnotherVersionExtensionAction.success": "Installing the extension {0} is completed.",
+ "InstallAnotherVersionExtensionAction.reloadNow": "Reload Now",
+ "select extensions to install": "Select extensions to install",
+ "no local extensions": "There are no extensions to install.",
+ "installing extensions": "Installing Extensions...",
+ "reload": "Reload Window",
+ "extensionButtonProminentBackground": "Колір фону кнопки для розширення дій, що виділяються (наприклад, кнопки установки).",
+ "extensionButtonProminentForeground": "Колір переднього плану кнопки для розширення дій, що виділяються (наприклад, кнопку установки).",
+ "extensionButtonProminentHoverBackground": "Колір, при наведенні, фону кнопки для розширення дій, що виділяються (наприклад, кнопки установки)."
+ },
+ "vs/workbench/contrib/externalTerminal/node/externalTerminalService": {
+ "console.title": "VS Code консоль",
+ "mac.terminal.script.failed": "Сценарій '{0}' завершився з кодом виходу {1}",
+ "mac.terminal.type.not.supported": "'{0}' не підтримується",
+ "press.any.key": "Натисніть будь-яку клавішу для продовження...",
+ "linux.term.failed": "'{0}' завершився з кодом виходу {1}",
+ "ext.term.app.not.found": "can't find terminal application '{0}'",
+ "terminalConfigurationTitle": "Зовнішній Термінал",
+ "terminal.explorerKind.integrated": "Use VS Code's integrated terminal.",
+ "terminal.explorerKind.external": "Use the configured external terminal.",
+ "explorer.openInTerminalKind": "Налаштовує який термінал запустити.",
+ "terminal.external.windowsExec": "Налаштовує термінал для роботи у Windows.",
+ "terminal.external.osxExec": "Customizes which terminal application to run on macOS.",
+ "terminal.external.linuxExec": "Налаштовує термінал для запуску у Linux."
+ },
+ "vs/workbench/contrib/externalTerminal/browser/externalTerminal.contribution": {
+ "globalConsoleAction": "Open New External Terminal",
+ "scopedConsoleAction": "Відкрийте в терміналі"
+ },
+ "vs/workbench/contrib/feedback/browser/feedbackStatusbarItem": {
+ "status.feedback": "Твітнути відгук",
+ "help": "Допоможіть"
+ },
+ "vs/workbench/contrib/feedback/browser/feedback": {
+ "sendFeedback": "Твітнути відгук",
+ "label.sendASmile": "Твітнути нам свої відгуки.",
+ "close": "Закрити",
+ "patchedVersion1": "Ваша установка пошкоджена.",
+ "patchedVersion2": "Будь ласка, вкажіть це при відправці помилки.",
+ "sentiment": "Яким був ваш досвід?",
+ "smileCaption": "Happy Feedback Sentiment",
+ "frownCaption": "Sad Feedback Sentiment",
+ "other ways to contact us": "Інші способи, щоб зв'язатися з нами",
+ "submit a bug": "Повідомити про помилку",
+ "request a missing feature": "Запитати відсутні функції",
+ "tell us why": "Розкажіть, чому?",
+ "feedbackTextInput": "Tell us your feedback",
+ "showFeedback": "Show Feedback Smiley in Status Bar",
+ "tweet": "Твіт",
+ "tweetFeedback": "Твітнути відгук",
+ "character left": "залишився символ",
+ "characters left": "залишилось символів"
+ },
+ "vs/workbench/contrib/files/electron-browser/fileActions.contribution": {
+ "revealInWindows": "Reveal in File Explorer",
+ "revealInMac": "Reveal in Finder",
+ "openContainer": "Open Containing Folder",
+ "filesCategory": "Файл"
+ },
+ "vs/workbench/contrib/files/electron-browser/files.contribution": {
+ "textFileEditor": "Редактор текстових файлів"
+ },
+ "vs/workbench/contrib/files/electron-browser/fileCommands": {
+ "openFileToReveal": "Відкрийте файл спочатку, щоб виявити"
+ },
+ "vs/workbench/contrib/files/electron-browser/textFileEditor": {
+ "fileTooLargeForHeapError": "To open a file of this size, you need to restart and allow it to use more memory",
+ "relaunchWithIncreasedMemoryLimit": "Restart with {0} MB",
+ "configureMemoryLimit": "Configure Memory Limit"
+ },
+ "vs/workbench/contrib/files/common/editors/fileEditorInput": {
+ "orphanedReadonlyFile": "{0} (deleted, read-only)",
+ "orphanedFile": "{0} (deleted)",
+ "readonlyFile": "{0} (read-only)"
+ },
+ "vs/workbench/contrib/files/browser/files.contribution": {
+ "showExplorerViewlet": "Показати Провідник",
+ "view": "Вид",
+ "binaryFileEditor": "Бінарний редактор файлів",
+ "hotExit.off": "Disable hot exit. A prompt will show when attempting to close a window with dirty files.",
+ "hotExit.onExit": "Hot exit will be triggered when the last window is closed on Windows/Linux or when the `workbench.action.quit` command is triggered (command palette, keybinding, menu). All windows without folders opened will be restored upon next launch. A list of workspaces with unsaved files can be accessed via `File > Open Recent > More...`",
+ "hotExit.onExitAndWindowClose": "Hot exit will be triggered when the last window is closed on Windows/Linux or when the `workbench.action.quit` command is triggered (command palette, keybinding, menu), and also for any window with a folder opened regardless of whether it's the last window. All windows without folders opened will be restored upon next launch. A list of workspaces with unsaved files can be accessed via `File > Open Recent > More...`",
+ "hotExit": "Контролює чи збережені файли запам'ятовуються між сесіями, що дозволяє пропустити запит про збереження, коли виходить редактор.",
+ "hotExit.onExitAndWindowCloseBrowser": "Hot exit will be triggered when the browser quits or the window or tab is closed.",
+ "filesConfigurationTitle": "Файли",
+ "exclude": "Configure glob patterns for excluding files and folders. For example, the files 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. Read more about glob patterns [here](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options).",
+ "files.exclude.boolean": "Шаблон glob, щоб відповідати шляху до файлу. Встановити як true або false, щоб увімкнути або вимкнути шаблон.",
+ "files.exclude.when": "Додаткова перевірка на братів відповідного файлу. Використовувати $(basename) в якості змінної для зіставлення імен файлів.",
+ "associations": "Configure file associations to languages (e.g. `\"*.extension\": \"html\"`). These have precedence over the default associations of the languages installed.",
+ "encoding": "The default character set encoding to use when reading and writing files. This setting can also be configured per language.",
+ "autoGuessEncoding": "When enabled, the editor will attempt to guess the character set encoding when opening files. This setting can also be configured per language.",
+ "eol.LF": "LF",
+ "eol.CRLF": "CRLF",
+ "eol.auto": "Uses operating system specific end of line character.",
+ "eol": "The default end of line character.",
+ "useTrash": "Moves files/folders to the OS trash (recycle bin on Windows) when deleting. Disabling this will delete files/folders permanently.",
+ "trimTrailingWhitespace": "Якщо цей параметр увімкнено, він буде видаляти пробіл після збереження файлу.",
+ "insertFinalNewline": "Коли цей параметр увімкнено, буде додано новий рядок в кінці файлу під час його збереження.",
+ "trimFinalNewlines": "Якщо цей параметр увімкнено, він буде видаляти пусті рядки в кінці файлу при збереженні.",
+ "files.autoSave.off": "A dirty editor is never automatically saved.",
+ "files.autoSave.afterDelay": "A dirty editor is automatically saved after the configured `#files.autoSaveDelay#`.",
+ "files.autoSave.onFocusChange": "A dirty editor is automatically saved when the editor loses focus.",
+ "files.autoSave.onWindowChange": "A dirty editor is automatically saved when the window loses focus.",
+ "autoSave": "Controls auto save of dirty editors. Read more about autosave [here](https://code.visualstudio.com/docs/editor/codebasics#_save-auto-save).",
+ "autoSaveDelay": "Controls the delay in ms after which a dirty editor is saved automatically. Only applies when `#files.autoSave#` is set to `{0}`.",
+ "watcherExclude": "Налаштувати glob-шаблони шляхів до файлів, щоб виключити з перегляду файл. Шаблони повинні збігатися на абсолютні шляхи (тобто префікс з ** або повний шлях для правильної відповідності). Зміна цього параметра вимагає перезавантаження. Коли ви відчуваєте що Редактор забирає багато процесорного часу при завантаженні, ви можете виключити великі папки, щоб зменшити початкове навантаження.",
+ "defaultLanguage": "The default language mode that is assigned to new files. If configured to `${activeEditorLanguage}`, will use the language mode of the currently active text editor if any.",
+ "maxMemoryForLargeFilesMB": "Controls the memory available to VS Code after restart when trying to open large files. Same effect as specifying `--max-memory=NEWSIZE` on the command line.",
+ "askUser": "Will refuse to save and ask for resolving the save conflict manually.",
+ "overwriteFileOnDisk": "Will resolve the save conflict by overwriting the file on disk with the changes in the editor.",
+ "files.saveConflictResolution": "A save conflict can occur when a file is saved to disk that was changed by another program in the meantime. To prevent data loss, the user is asked to compare the changes in the editor with the version on disk. This setting should only be changed if you frequently encounter save conflict errors and may result in data loss if used without caution.",
+ "files.simpleDialog.enable": "Enables the simple file dialog. The simple file dialog replaces the system file dialog when enabled.",
+ "formatOnSave": "Format a file on save. A formatter must be available, the file must not be saved after delay, and the editor must not be shutting down.",
+ "explorerConfigurationTitle": "Провідник",
+ "openEditorsVisible": "Number of editors shown in the Open Editors pane.",
+ "autoReveal": "Controls whether the explorer should automatically reveal and select files when opening them.",
+ "enableDragAndDrop": "Controls whether the explorer should allow to move files and folders via drag and drop.",
+ "confirmDragAndDrop": "Controls whether the explorer should ask for confirmation to move files and folders via drag and drop.",
+ "confirmDelete": "Controls whether the explorer should ask for confirmation when deleting a file via the trash.",
+ "sortOrder.default": "Папки та файли сортуються за їх назвами в алфавітному порядку. Показувати папки перед файлами.",
+ "sortOrder.mixed": "Папки та файли сортуються за їх назвами в алфавітному порядку. Файли переплітаються з папками.",
+ "sortOrder.filesFirst": "Папки та файли сортуються за їх назвами в алфавітному порядку. Файли показати перш ніж папки.",
+ "sortOrder.type": "Папки та файли сортуються за розширенням в алфавітному порядку. Показати папки перед файлами.",
+ "sortOrder.modified": "Папки та файли сортуються за датою останньої зміни у порядку убування. Показати папки перед файлами.",
+ "sortOrder": "Controls sorting order of files and folders in the explorer.",
+ "explorer.decorations.colors": "Controls whether file decorations should use colors.",
+ "explorer.decorations.badges": "Controls whether file decorations should use badges.",
+ "simple": "Appends the word \"copy\" at the end of the duplicated name potentially followed by a number",
+ "smart": "Adds a number at the end of the duplicated name. If some number is already part of the name, tries to increase that number",
+ "explorer.incrementalNaming": "Controls what naming strategy to use when a giving a new name to a duplicated explorer item on paste.",
+ "compressSingleChildFolders": "Controls whether the explorer should render folders in a compact form. In such a form, single child folders will be compressed in a combined tree element. Useful for Java package structures, for example.",
+ "miViewExplorer": "&&Explorer"
+ },
+ "vs/workbench/contrib/files/browser/explorerViewlet": {
+ "folders": "Папки",
+ "explore": "Провідник",
+ "noWorkspaceHelp": "You have not yet added a folder to the workspace.\n[Add Folder](command:{0})",
+ "remoteNoFolderHelp": "Connected to remote.\n[Open Folder](command:{0})",
+ "noFolderHelp": "You have not yet opened a folder.\n[Open Folder](command:{0})"
+ },
+ "vs/workbench/contrib/files/browser/fileActions.contribution": {
+ "filesCategory": "Файл",
+ "workspaces": "Workspaces",
+ "file": "Файл",
+ "copyPath": "Копіювати шлях",
+ "copyRelativePath": "Copy Relative Path",
+ "revealInSideBar": "Розкрити в бічній панелі",
+ "acceptLocalChanges": "Use your changes and overwrite file contents",
+ "revertLocalChanges": "Discard your changes and revert to file contents",
+ "copyPathOfActive": "Copy Path of Active File",
+ "copyRelativePathOfActive": "Copy Relative Path of Active File",
+ "saveAllInGroup": "Зберегти все в групі",
+ "saveFiles": "Save All Files",
+ "revert": "Revert File",
+ "compareActiveWithSaved": "Compare Active File with Saved",
+ "closeEditor": "Закрити Редактор",
+ "view": "Вид",
+ "openToSide": "Open to the Side",
+ "saveAll": "Save All",
+ "compareWithSaved": "Compare with Saved",
+ "compareWithSelected": "Compare with Selected",
+ "compareSource": "Select for Compare",
+ "compareSelected": "Compare Selected",
+ "close": "Закрити",
+ "closeOthers": "Close Others",
+ "closeSaved": "Close Saved",
+ "closeAll": "Close All",
+ "cut": "Вирізати",
+ "deleteFile": "Delete Permanently",
+ "newFile": "Новий Файл",
+ "openFile": "Open File...",
+ "miNewFile": "&&New File",
+ "miSave": "&&Save",
+ "miSaveAs": "Save &&As...",
+ "miSaveAll": "Save A&&ll",
+ "miOpen": "&&Open...",
+ "miOpenFile": "&&Open File...",
+ "miOpenFolder": "Open &&Folder...",
+ "miOpenWorkspace": "Open Wor&&kspace...",
+ "miAutoSave": "A&&uto Save",
+ "miRevert": "Re&&vert File",
+ "miCloseEditor": "&&Close Editor",
+ "miGotoFile": "Go to &&File..."
+ },
+ "vs/workbench/contrib/files/browser/editors/textFileEditor": {
+ "textFileEditor": "Редактор текстових файлів",
+ "openFolderError": "File is a directory",
+ "createFile": "Створити Файл",
+ "readonlyFileEditorWithInputAriaLabel": "{0} readonly editor",
+ "readonlyFileEditorAriaLabel": "Readonly editor",
+ "fileEditorWithInputAriaLabel": "{0} editor",
+ "fileEditorAriaLabel": "Редактор"
+ },
+ "vs/workbench/contrib/files/common/workspaceWatcher": {
+ "netVersionError": "Microsoft .NET Framework 4.5 є обов'язковим. Будь ласка, слідуйте за посиланням, щоб встановити його.",
+ "installNet": "Завантажити .NET Framework 4.5",
+ "enospcError": "Unable to watch for file changes in this large workspace. Please follow the instructions link to resolve this issue.",
+ "learnMore": "Instructions"
+ },
+ "vs/workbench/contrib/files/browser/editors/binaryFileEditor": {
+ "binaryFileEditor": "Двійковий Переглядач Файлів"
+ },
+ "vs/workbench/contrib/files/common/dirtyFilesIndicator": {
+ "dirtyFile": "1 незбережений файл",
+ "dirtyFiles": "{0} незбережені файли"
+ },
+ "vs/workbench/contrib/files/browser/views/emptyView": {
+ "noWorkspace": "Немає відкритих папок"
+ },
+ "vs/workbench/contrib/files/browser/editors/textFileSaveErrorHandler": {
+ "userGuide": "Use the actions in the editor tool bar to either undo your changes or overwrite the content of the file with your changes.",
+ "staleSaveError": "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.",
+ "retry": "Повторити",
+ "discard": "Відхилити",
+ "readonlySaveErrorAdmin": "Failed to save '{0}': File is read-only. Select 'Overwrite as Admin' to retry as administrator.",
+ "readonlySaveErrorSudo": "Failed to save '{0}': File is read-only. Select 'Overwrite as Sudo' to retry as superuser.",
+ "readonlySaveError": "Failed to save '{0}': File is read-only. Select 'Overwrite' to attempt to make it writeable.",
+ "permissionDeniedSaveError": "Не вдалося зберегти '{0}': недостатньо прав. Виберіть \"повторити\" в якості адміністратора, щоб повторити від імені адміністратора.",
+ "permissionDeniedSaveErrorSudo": "Failed to save '{0}': Insufficient permissions. Select 'Retry as Sudo' to retry as superuser.",
+ "genericSaveError": "Не вдалося зберегти '{0}': {1}",
+ "learnMore": "Дізнатися Більше",
+ "dontShowAgain": "Не показувати знову",
+ "compareChanges": "Порівняти",
+ "saveConflictDiffLabel": "{0} (in file) ↔ {1} (in {2}) - Resolve save conflict",
+ "overwriteElevated": "Перезапис як адмін...",
+ "overwriteElevatedSudo": "Overwrite as Sudo...",
+ "saveElevated": "Повторити як Адмін...",
+ "saveElevatedSudo": "Retry as Sudo...",
+ "overwrite": "Перезаписати",
+ "configure": "Configure"
+ },
+ "vs/workbench/contrib/files/browser/views/explorerView": {
+ "explorerSection": "Explorer Section: {0}",
+ "treeAriaLabel": "Провідник"
+ },
+ "vs/workbench/contrib/files/browser/views/openEditorsView": {
+ "openEditors": "Відкрити редактори",
+ "dirtyCounter": "{0} незбережені"
+ },
+ "vs/workbench/contrib/files/browser/fileCommands": {
+ "saveAs": "Save As...",
+ "save": "Save",
+ "saveWithoutFormatting": "Save without Formatting",
+ "saveAll": "Save All",
+ "removeFolderFromWorkspace": "Remove Folder from Workspace",
+ "modifiedLabel": "{0} (in file) ↔ {1}",
+ "openFileToCopy": "Відкрийте файл спочатку, щоб скопіювати його шлях",
+ "genericSaveError": "Не вдалося зберегти '{0}': {1}",
+ "genericRevertError": "Failed to revert '{0}': {1}"
+ },
+ "vs/workbench/contrib/files/browser/fileActions": {
+ "newFile": "Новий Файл",
+ "newFolder": "Нова Папка",
+ "rename": "Перейменувати",
+ "delete": "Видалити",
+ "copyFile": "Скопіювати",
+ "pasteFile": "Вставити",
+ "download": "Download",
+ "createNewFile": "Новий Файл",
+ "createNewFolder": "Нова Папка",
+ "newUntitledFile": "Новий файл без назви",
+ "deleteButtonLabelRecycleBin": "&&Move to Recycle Bin",
+ "deleteButtonLabelTrash": "&&Move to Trash",
+ "deleteButtonLabel": "&&Delete",
+ "dirtyMessageFilesDelete": "You are deleting files with unsaved changes. Do you want to continue?",
+ "dirtyMessageFolderOneDelete": "You are deleting a folder {0} with unsaved changes in 1 file. Do you want to continue?",
+ "dirtyMessageFolderDelete": "You are deleting a folder {0} with unsaved changes in {1} files. Do you want to continue?",
+ "dirtyMessageFileDelete": "You are deleting {0} with unsaved changes. Do you want to continue?",
+ "dirtyWarning": "Ваші зміни будуть втрачені, якщо Ви не збережете їх.",
+ "undoBinFiles": "You can restore these files from the Recycle Bin.",
+ "undoBin": "You can restore this file from the Recycle Bin.",
+ "undoTrashFiles": "You can restore these files from the Trash.",
+ "undoTrash": "You can restore this file from the Trash.",
+ "doNotAskAgain": "Не питай мене знову",
+ "irreversible": "Ця дія є незворотня!",
+ "binFailed": "Failed to delete using the Recycle Bin. Do you want to permanently delete instead?",
+ "trashFailed": "Failed to delete using the Trash. Do you want to permanently delete instead?",
+ "deletePermanentlyButtonLabel": "&&Delete Permanently",
+ "retryButtonLabel": "&&Retry",
+ "confirmMoveTrashMessageFilesAndDirectories": "Are you sure you want to delete the following {0} files/directories and their contents?",
+ "confirmMoveTrashMessageMultipleDirectories": "Are you sure you want to delete the following {0} directories and their contents?",
+ "confirmMoveTrashMessageMultiple": "Ви впевнені, що бажаєте видалити такі файли {0}?",
+ "confirmMoveTrashMessageFolder": "Ви впевнені, що хочете видалити '{0}' і його зміст?",
+ "confirmMoveTrashMessageFile": "Ви впевнені, що хочете видалити '{0}'?",
+ "confirmDeleteMessageFilesAndDirectories": "Are you sure you want to permanently delete the following {0} files/directories and their contents?",
+ "confirmDeleteMessageMultipleDirectories": "Are you sure you want to permanently delete the following {0} directories and their contents?",
+ "confirmDeleteMessageMultiple": "Are you sure you want to permanently delete the following {0} files?",
+ "confirmDeleteMessageFolder": "Ви впевнені, що хочете видалити '{0}' і його вміст?",
+ "confirmDeleteMessageFile": "Ви впевнені, що хочете видалити '{0}'?",
+ "globalCompareFile": "Порівняння активного файлу з...",
+ "openFileToCompare": "Відкрити перший файл, щоб порівняти його з іншим файлом.",
+ "toggleAutoSave": "Toggle Auto Save",
+ "saveAllInGroup": "Зберегти все в групі",
+ "closeGroup": "Close Group",
+ "focusFilesExplorer": "Фокус на файли в провіднику",
+ "showInExplorer": "Розкрити активний файл в бічній панелі",
+ "openFileToShow": "Відкрити перший файл, щоб показати його в провіднику",
+ "collapseExplorerFolders": "Згорнути папки в провіднику",
+ "refreshExplorer": "Оновити Провідник",
+ "openFileInNewWindow": "Відкриті поточного файлу в новому вікні",
+ "openFileToShowInNewWindow.unsupportedschema": "The active editor must contain an openable resource.",
+ "openFileToShowInNewWindow.nofile": "Відкрийте файл спочатку, щоб відкрити в новому вікні",
+ "emptyFileNameError": "Ім'я файлу або папки повинні бути забезпечені.",
+ "fileNameStartsWithSlashError": "A file or folder name cannot start with a slash.",
+ "fileNameExistsError": "Файлу або папки **{0}** вже існує в даному місці. Будь ласка виберіть інше ім'я.",
+ "invalidFileNameError": "Ім'я **{0}** не є допустимим як Ім'я файлу або папки. Будь ласка виберіть інше ім'я.",
+ "fileNameWhitespaceWarning": "Leading or trailing whitespace detected in file or folder name.",
+ "compareWithClipboard": "Порівняйте Активні файлу з буфером обміну",
+ "clipboardComparisonLabel": "Буфер обміну ↔ {0}",
+ "retry": "Повторити",
+ "downloadFolder": "Download Folder",
+ "downloadFile": "Download File",
+ "fileIsAncestor": "File to paste is an ancestor of the destination folder",
+ "fileDeleted": "The file to paste has been deleted or moved since you copied it. {0}"
+ },
+ "vs/workbench/contrib/files/browser/views/explorerDecorationsProvider": {
+ "canNotResolve": "Unable to resolve workspace folder",
+ "symbolicLlink": "Symbolic Link",
+ "unknown": "Unknown File Type",
+ "label": "Провідник"
+ },
+ "vs/workbench/contrib/files/browser/views/explorerViewer": {
+ "fileInputAriaLabel": "Введіть ім'я файлу. Натисніть клавішу Enter для підтвердження або ESC, щоб скасувати.",
+ "confirmOverwrite": "A file or folder with the name '{0}' already exists in the destination folder. Do you want to replace it?",
+ "irreversible": "Ця дія є незворотня!",
+ "replaceButtonLabel": "&&Replace",
+ "copyFolders": "&&Copy Folders",
+ "copyFolder": "&&Copy Folder",
+ "cancel": "Скасувати",
+ "copyfolders": "Are you sure to want to copy folders?",
+ "copyfolder": "Are you sure to want to copy '{0}'?",
+ "addFolders": "&&Add Folders to Workspace",
+ "addFolder": "&&Add Folder to Workspace",
+ "dropFolders": "Do you want to copy the folders or add the folders to the workspace?",
+ "dropFolder": "Do you want to copy '{0}' or add '{0}' as a folder to the workspace?",
+ "confirmRootsMove": "Are you sure you want to change the order of multiple root folders in your workspace?",
+ "confirmMultiMove": "Are you sure you want to move the following {0} files into '{1}'?",
+ "confirmRootMove": "Are you sure you want to change the order of root folder '{0}' in your workspace?",
+ "confirmMove": "Are you sure you want to move '{0}' into '{1}'?",
+ "doNotAskAgain": "Не питай мене знову",
+ "moveButtonLabel": "&&Move"
+ },
+ "vs/workbench/contrib/format/browser/formatActionsNone": {
+ "formatDocument.label.multiple": "Форматувати документ",
+ "no.provider": "There is no formatter for '{0}' files installed.",
+ "install.formatter": "Install Formatter..."
+ },
+ "vs/workbench/contrib/format/browser/formatActionsMultiple": {
+ "nullFormatterDescription": "Жоден",
+ "miss": "Extension '{0}' cannot format '{1}'",
+ "config.needed": "There are multiple formatters for '{0}' files. Select a default formatter to continue.",
+ "config.bad": "Extension '{0}' is configured as formatter but not available. Select a different default formatter to continue.",
+ "do.config": "Configure...",
+ "select": "Select a default formatter for '{0}' files",
+ "formatter.default": "Defines a default formatter which takes precedence over all other formatter settings. Must be the identifier of an extension contributing a formatter.",
+ "def": "(default)",
+ "config": "Configure Default Formatter...",
+ "format.placeHolder": "Select a formatter",
+ "formatDocument.label.multiple": "Format Document With...",
+ "formatSelection.label.multiple": "Format Selection With..."
+ },
+ "vs/workbench/contrib/issue/electron-browser/issue.contribution": {
+ "help": "Допоможіть",
+ "reportIssueInEnglish": "Звіт",
+ "developer": "Розробник"
+ },
+ "vs/workbench/contrib/issue/electron-browser/issueActions": {
+ "openProcessExplorer": "Open Process Explorer",
+ "reportPerformanceIssue": "Report Performance Issue"
+ },
+ "vs/workbench/contrib/localizations/browser/localizations.contribution": {
+ "updateLocale": "Would you like to change VS Code's UI language to {0} and restart?",
+ "activateLanguagePack": "In order to use VS Code in {0}, VS Code needs to restart.",
+ "yes": "Так",
+ "restart now": "Restart Now",
+ "neverAgain": "Не показувати знову",
+ "vscode.extension.contributes.localizations": "Contributes localizations to the editor",
+ "vscode.extension.contributes.localizations.languageId": "Id of the language into which the display strings are translated.",
+ "vscode.extension.contributes.localizations.languageName": "Name of the language in English.",
+ "vscode.extension.contributes.localizations.languageNameLocalized": "Name of the language in contributed language.",
+ "vscode.extension.contributes.localizations.translations": "List of translations associated to the language.",
+ "vscode.extension.contributes.localizations.translations.id": "Id of VS Code or Extension for which this translation is contributed to. Id of VS Code is always `vscode` and of extension should be in format `publisherId.extensionName`.",
+ "vscode.extension.contributes.localizations.translations.id.pattern": "Id should be `vscode` or in format `publisherId.extensionName` for translating VS code or an extension respectively.",
+ "vscode.extension.contributes.localizations.translations.path": "A relative path to a file containing translations for the language."
+ },
+ "vs/workbench/contrib/localizations/browser/localizationsActions": {
+ "configureLocale": "Configure Display Language",
+ "installAdditionalLanguages": "Install additional languages...",
+ "chooseDisplayLanguage": "Select Display Language",
+ "relaunchDisplayLanguageMessage": "A restart is required for the change in display language to take effect.",
+ "relaunchDisplayLanguageDetail": "Press the restart button to restart {0} and change the display language.",
+ "restart": "&&Restart"
+ },
+ "vs/workbench/contrib/localizations/browser/minimalTranslations": {
+ "showLanguagePackExtensions": "Search language packs in the Marketplace to change the display language to {0}.",
+ "searchMarketplace": "Search Marketplace",
+ "installAndRestartMessage": "Install language pack to change the display language to {0}.",
+ "installAndRestart": "Install and Restart"
+ },
+ "vs/workbench/contrib/logs/electron-browser/logs.contribution": {
+ "developer": "Розробник"
+ },
+ "vs/workbench/contrib/logs/electron-browser/logsActions": {
+ "openLogsFolder": "Відкрити папку журналів",
+ "openExtensionLogsFolder": "Open Extension Logs Folder"
+ },
+ "vs/workbench/contrib/logs/common/logs.contribution": {
+ "developer": "Розробник",
+ "userDataSyncLog": "Preferences Sync",
+ "rendererLog": "Вікна",
+ "mainLog": "Головна",
+ "sharedLog": "Загальна",
+ "telemetryLog": "Телеметрія"
+ },
+ "vs/workbench/contrib/logs/common/logsActions": {
+ "setLogLevel": "Set Log Level...",
+ "trace": "Трасування",
+ "debug": "Налагоджувати",
+ "info": "Інформація",
+ "warn": "Увага",
+ "err": "Помилка",
+ "critical": "Критична",
+ "off": "Від",
+ "selectLogLevel": "Виберіть рівень журналу",
+ "default and current": "Default & Current",
+ "default": "Default",
+ "current": "Поточний",
+ "openSessionLogFile": "Open Window Log File (Session)...",
+ "sessions placeholder": "Select Session",
+ "log placeholder": "Select Log file"
+ },
+ "vs/workbench/contrib/markers/browser/markers.contribution": {
+ "copyMarker": "Скопіювати",
+ "copyMessage": "Копіювати повідомлення",
+ "focusProblemsList": "Focus problems view",
+ "focusProblemsFilter": "Focus problems filter",
+ "show multiline": "Show message in multiple lines",
+ "problems": "Проблеми",
+ "show singleline": "Show message in single line",
+ "clearFiltersText": "Clear filters text",
+ "miMarker": "&&Problems",
+ "status.problems": "Проблеми",
+ "totalErrors": "{0} Errors",
+ "totalWarnings": "{0} Warnings",
+ "totalInfos": "{0} Infos",
+ "noProblems": "No Problems",
+ "manyProblems": "10K+"
+ },
+ "vs/workbench/contrib/markers/browser/markers": {
+ "totalProblems": "Total {0} Problems"
+ },
+ "vs/workbench/contrib/markers/browser/messages": {
+ "viewCategory": "Вид",
+ "problems.view.toggle.label": "Toggle Problems (Errors, Warnings, Infos)",
+ "problems.view.focus.label": "Focus Problems (Errors, Warnings, Infos)",
+ "problems.panel.configuration.title": "Problems View",
+ "problems.panel.configuration.autoreveal": "Controls whether Problems view should automatically reveal files when opening them.",
+ "problems.panel.configuration.showCurrentInStatus": "When enabled shows the current problem in the status bar.",
+ "markers.panel.title.problems": "Проблеми",
+ "markers.panel.no.problems.build": "No problems have been detected in the workspace so far.",
+ "markers.panel.no.problems.activeFile.build": "No problems have been detected in the current file so far.",
+ "markers.panel.no.problems.filters": "No results found with provided filter criteria.",
+ "markers.panel.action.moreFilters": "More Filters...",
+ "markers.panel.filter.showErrors": "Show Errors",
+ "markers.panel.filter.showWarnings": "Show Warnings",
+ "markers.panel.filter.showInfos": "Show Infos",
+ "markers.panel.filter.useFilesExclude": "Hide Excluded Files",
+ "markers.panel.filter.activeFile": "Show Active File Only",
+ "markers.panel.action.filter": "Filter Problems",
+ "markers.panel.action.quickfix": "Show fixes",
+ "markers.panel.filter.ariaLabel": "Filter Problems",
+ "markers.panel.filter.placeholder": "Filter. E.g.: text, **/*.ts, !**/node_modules/**",
+ "markers.panel.filter.errors": "errors",
+ "markers.panel.filter.warnings": "warnings",
+ "markers.panel.filter.infos": "infos",
+ "markers.panel.single.error.label": "1 Error",
+ "markers.panel.multiple.errors.label": "{0} Errors",
+ "markers.panel.single.warning.label": "1 Warning",
+ "markers.panel.multiple.warnings.label": "{0} Warnings",
+ "markers.panel.single.info.label": "1 Info",
+ "markers.panel.multiple.infos.label": "{0} Infos",
+ "markers.panel.single.unknown.label": "1 Unknown",
+ "markers.panel.multiple.unknowns.label": "{0} Unknowns",
+ "markers.panel.at.ln.col.number": "[{0}, {1}]",
+ "problems.tree.aria.label.resource": "{0} problems in file {1} of folder {2}",
+ "problems.tree.aria.label.marker.relatedInformation": " This problem has references to {0} locations.",
+ "problems.tree.aria.label.error.marker": "Error generated by {0}: {1} at line {2} and character {3}.{4}",
+ "problems.tree.aria.label.error.marker.nosource": "Error: {0} at line {1} and character {2}.{3}",
+ "problems.tree.aria.label.warning.marker": "Warning generated by {0}: {1} at line {2} and character {3}.{4}",
+ "problems.tree.aria.label.warning.marker.nosource": "Warning: {0} at line {1} and character {2}.{3}",
+ "problems.tree.aria.label.info.marker": "Info generated by {0}: {1} at line {2} and character {3}.{4}",
+ "problems.tree.aria.label.info.marker.nosource": "Info: {0} at line {1} and character {2}.{3}",
+ "problems.tree.aria.label.marker": "Problem generated by {0}: {1} at line {2} and character {3}.{4}",
+ "problems.tree.aria.label.marker.nosource": "Problem: {0} at line {1} and character {2}.{3}",
+ "problems.tree.aria.label.relatedinfo.message": "{0} at line {1} and character {2} in {3}",
+ "errors.warnings.show.label": "Show Errors and Warnings"
+ },
+ "vs/workbench/contrib/markers/browser/markersFileDecorations": {
+ "label": "Проблеми",
+ "tooltip.1": "1 problem in this file",
+ "tooltip.N": "{0} problems in this file",
+ "markers.showOnFile": "Show Errors & Warnings on files and folder."
+ },
+ "vs/workbench/contrib/markers/browser/markersViewActions": {
+ "showing filtered problems": "Showing {0} of {1}"
+ },
+ "vs/workbench/contrib/markers/browser/markersView": {
+ "collapseAll": "Згорнути Всі",
+ "filter": "Filter",
+ "No problems filtered": "Showing {0} problems",
+ "problems filtered": "Showing {0} of {1} problems",
+ "clearFilter": "Clear Filters"
+ },
+ "vs/workbench/contrib/markers/browser/markersTreeViewer": {
+ "single line": "Показати повідомлення в один рядок",
+ "multi line": "Show message in multiple lines",
+ "links.navigate.follow": "Follow link",
+ "links.navigate.kb.meta": "ctrl + click",
+ "links.navigate.kb.meta.mac": "cmd + click",
+ "links.navigate.kb.alt.mac": "option + click",
+ "links.navigate.kb.alt": "alt + click"
+ },
+ "vs/workbench/contrib/notebook/browser/notebook.contribution": {
+ "notebookConfigurationTitle": "Notebook",
+ "notebook.displayOrder.description": "Priority list for output mime types"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/notebookActions": {
+ "notebookActions.category": "Notebook",
+ "notebookActions.execute": "Execute Cell",
+ "notebookActions.cancel": "Stop Execution",
+ "notebookActions.executeCell": "Execute Cell",
+ "notebookActions.CancelCell": "Cancel Execution",
+ "notebookActions.executeAndSelectBelow": "Execute Notebook Cell and Select Below",
+ "notebookActions.executeAndInsertBelow": "Execute Notebook Cell and Insert Below",
+ "notebookActions.executeNotebook": "Execute Notebook",
+ "notebookActions.cancelNotebook": "Cancel Notebook Execution",
+ "notebookActions.executeNotebookCell": "Execute Notebook Active Cell",
+ "notebookActions.quitEditing": "Quit Notebook Cell Editing",
+ "notebookActions.hideFind": "Hide Find in Notebook",
+ "notebookActions.findInNotebook": "Find in Notebook",
+ "notebookActions.menu.executeNotebook": "Execute Notebook (Run all cells)",
+ "notebookActions.menu.cancelNotebook": "Stop Notebook Execution",
+ "notebookActions.menu.execute": "Execute Notebook Cell",
+ "notebookActions.changeCellToCode": "Change Cell to Code",
+ "notebookActions.changeCellToMarkdown": "Change Cell to Markdown",
+ "notebookActions.insertCodeCellAbove": "Insert Code Cell Above",
+ "notebookActions.insertCodeCellBelow": "Insert Code Cell Below",
+ "notebookActions.insertMarkdownCellBelow": "Insert Markdown Cell Below",
+ "notebookActions.insertMarkdownCellAbove": "Insert Markdown Cell Above",
+ "notebookActions.editCell": "Edit Cell",
+ "notebookActions.saveCell": "Save Cell",
+ "notebookActions.deleteCell": "Delete Cell",
+ "notebookActions.moveCellUp": "Move Cell Up",
+ "notebookActions.copyCellUp": "Copy Cell Up",
+ "notebookActions.moveCellDown": "Move Cell Down",
+ "notebookActions.copyCellDown": "Copy Cell Down"
+ },
+ "vs/workbench/contrib/notebook/browser/notebookEditor": {
+ "notebook.focusedCellIndicator": "The color of the focused notebook cell indicator.",
+ "notebook.outputContainerBackgroundColor": "The Color of the notebook output container background.",
+ "cellToolbarSeperator": "The color of seperator in Cell bottom toolbar"
+ },
+ "vs/workbench/contrib/notebook/browser/extensionPoint": {
+ "contributes.notebook.provider": "Contributes notebook document provider.",
+ "contributes.notebook.provider.viewType": "Unique identifier of the notebook.",
+ "contributes.notebook.provider.displayName": "Human readable name of the notebook.",
+ "contributes.notebook.provider.selector": "Set of globs that the notebook is for.",
+ "contributes.notebook.provider.selector.filenamePattern": "Glob that the notebook is enabled for.",
+ "contributes.notebook.selector.provider.excludeFileNamePattern": "Glob that the notebook is disabled for.",
+ "contributes.notebook.renderer": "Contributes notebook output renderer provider.",
+ "contributes.notebook.renderer.viewType": "Unique identifier of the notebook output renderer.",
+ "contributes.notebook.renderer.displayName": "Human readable name of the notebook output renderer.",
+ "contributes.notebook.selector": "Set of globs that the notebook is for."
+ },
+ "vs/workbench/contrib/notebook/browser/view/renderers/codeCell": {
+ "curruentActiveMimeType": " (Currently Active)",
+ "promptChooseMimeType.placeHolder": "Select output mimetype to render for current output"
+ },
+ "vs/workbench/contrib/outline/browser/outline.contribution": {
+ "name": "Outline",
+ "outlineConfigurationTitle": "Outline",
+ "outline.showIcons": "Render Outline Elements with Icons.",
+ "outline.showProblem": "Show Errors & Warnings on Outline Elements.",
+ "outline.problem.colors": "Use colors for Errors & Warnings.",
+ "outline.problems.badges": "Use badges for Errors & Warnings.",
+ "filteredTypes.file": "When enabled outline shows `file`-symbols.",
+ "filteredTypes.module": "When enabled outline shows `module`-symbols.",
+ "filteredTypes.namespace": "When enabled outline shows `namespace`-symbols.",
+ "filteredTypes.package": "When enabled outline shows `package`-symbols.",
+ "filteredTypes.class": "When enabled outline shows `class`-symbols.",
+ "filteredTypes.method": "When enabled outline shows `method`-symbols.",
+ "filteredTypes.property": "When enabled outline shows `property`-symbols.",
+ "filteredTypes.field": "When enabled outline shows `field`-symbols.",
+ "filteredTypes.constructor": "When enabled outline shows `constructor`-symbols.",
+ "filteredTypes.enum": "When enabled outline shows `enum`-symbols.",
+ "filteredTypes.interface": "When enabled outline shows `interface`-symbols.",
+ "filteredTypes.function": "When enabled outline shows `function`-symbols.",
+ "filteredTypes.variable": "When enabled outline shows `variable`-symbols.",
+ "filteredTypes.constant": "When enabled outline shows `constant`-symbols.",
+ "filteredTypes.string": "When enabled outline shows `string`-symbols.",
+ "filteredTypes.number": "When enabled outline shows `number`-symbols.",
+ "filteredTypes.boolean": "When enabled outline shows `boolean`-symbols.",
+ "filteredTypes.array": "When enabled outline shows `array`-symbols.",
+ "filteredTypes.object": "When enabled outline shows `object`-symbols.",
+ "filteredTypes.key": "When enabled outline shows `key`-symbols.",
+ "filteredTypes.null": "When enabled outline shows `null`-symbols.",
+ "filteredTypes.enumMember": "When enabled outline shows `enumMember`-symbols.",
+ "filteredTypes.struct": "When enabled outline shows `struct`-symbols.",
+ "filteredTypes.event": "When enabled outline shows `event`-symbols.",
+ "filteredTypes.operator": "When enabled outline shows `operator`-symbols.",
+ "filteredTypes.typeParameter": "When enabled outline shows `typeParameter`-symbols."
+ },
+ "vs/workbench/contrib/outline/browser/outlinePane": {
+ "collapse": "Згорнути Всі",
+ "sortByPosition": "Sort By: Position",
+ "sortByName": "Сортувати по: Назві",
+ "sortByKind": "Sort By: Category",
+ "followCur": "Follow Cursor",
+ "filterOnType": "Filter on Type",
+ "no-editor": "The active editor cannot provide outline information.",
+ "loading": "Loading document symbols for '{0}'...",
+ "no-symbols": "No symbols found in document '{0}'"
+ },
+ "vs/workbench/contrib/output/browser/output.contribution": {
+ "output": "Вивід",
+ "logViewer": "Переглянути Журнал",
+ "switchToOutput.label": "Перемикач для виведення",
+ "clearOutput.label": "Очистити Вивід",
+ "viewCategory": "Вид",
+ "outputCleared": "Output was cleared",
+ "toggleAutoScroll": "Toggle Auto Scrolling",
+ "outputScrollOff": "Turn Auto Scrolling Off",
+ "outputScrollOn": "Turn Auto Scrolling On",
+ "openActiveLogOutputFile": "Open Log Output File",
+ "toggleOutput": "Перемкнути Вивід",
+ "developer": "Розробник",
+ "showLogs": "Показати Журнали...",
+ "selectlog": "Select Log",
+ "openLogFile": "Відкрити лог файлу...",
+ "selectlogFile": "Select Log file",
+ "miToggleOutput": "&&Output",
+ "output.smartScroll.enabled": "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/output/browser/outputView": {
+ "output model title": "{0} - вихідний",
+ "channel": "Вихідний канал для '{0}'",
+ "output": "Вивід",
+ "outputViewWithInputAriaLabel": "{0}, панелі виводу",
+ "outputViewAriaLabel": "Панель виведення",
+ "outputChannels": "Output Channels.",
+ "logChannel": "Log ({0})"
+ },
+ "vs/workbench/contrib/output/browser/logViewer": {
+ "logViewerAriaLabel": "Переглянути Журнал"
+ },
+ "vs/workbench/contrib/performance/electron-browser/performance.contribution": {
+ "show.cat": "Розробник",
+ "show.label": "Startup Performance"
+ },
+ "vs/workbench/contrib/performance/electron-browser/startupProfiler": {
+ "prof.message": "Успішно створені профілі.",
+ "prof.detail": "Будь ласка, створіть питання і вручну прикріпити наступні файли:\n{0}",
+ "prof.restartAndFileIssue": "Створити питання і перезапустити",
+ "prof.restart": "Перезавантаження",
+ "prof.thanks": "Дякуємо за допомогу нам.",
+ "prof.detail.restart": "Остаточне перезавантаження, щоб продовжувати використовувати '{0}'. Ще раз, дякую за ваш внесок."
+ },
+ "vs/workbench/contrib/performance/electron-browser/perfviewEditor": {
+ "name": "Startup Performance"
+ },
+ "vs/workbench/contrib/preferences/browser/keybindingsEditorContribution": {
+ "defineKeybinding.start": "Визначити Сполучення Клавіш",
+ "defineKeybinding.kbLayoutErrorMessage": "Ви не зможете зробити цю комбінацію клавіш під вашу поточну розкладку клавіатури.",
+ "defineKeybinding.kbLayoutLocalAndUSMessage": "**{0}** для поточної розкладки клавіатури (**{1}** для США стандартний).",
+ "defineKeybinding.kbLayoutLocalMessage": "**{0}** для поточної розкладки клавіатури."
+ },
+ "vs/workbench/contrib/preferences/browser/preferences.contribution": {
+ "defaultPreferencesEditor": "Редактор налаштувань за замовчуванням",
+ "settingsEditor2": "Settings Editor 2",
+ "keybindingsEditor": "Редактор привязки клавіш",
+ "openSettings2": "Open Settings (UI)",
+ "preferences": "Налаштування",
+ "settings": "Параметри",
+ "miOpenSettings": "&&Settings",
+ "openSettingsJson": "Open Settings (JSON)",
+ "openGlobalSettings": "Відкрийте Настройки Користувача",
+ "openRawDefaultSettings": "Open Default Settings (JSON)",
+ "openWorkspaceSettings": "Відкрийте параметри робочої області",
+ "openWorkspaceSettingsFile": "Open Workspace Settings (JSON)",
+ "openFolderSettings": "Відкрити настройки папок",
+ "openFolderSettingsFile": "Open Folder Settings (JSON)",
+ "filterModifiedLabel": "Show modified settings",
+ "filterOnlineServicesLabel": "Show settings for online services",
+ "miOpenOnlineSettings": "&&Online Services Settings",
+ "onlineServices": "Online Services Settings",
+ "openRemoteSettings": "Open Remote Settings ({0})",
+ "settings.focusSearch": "Focus settings search",
+ "settings.clearResults": "Clear settings search results",
+ "settings.focusFile": "Focus settings file",
+ "settings.focusNextSetting": "Focus next setting",
+ "settings.focusPreviousSetting": "Focus previous setting",
+ "settings.editFocusedSetting": "Edit focused setting",
+ "settings.focusSettingsList": "Focus settings list",
+ "settings.focusSettingsTOC": "Focus settings TOC tree",
+ "settings.showContextMenu": "Show context menu",
+ "openGlobalKeybindings": "Відкрити Сполучення Клавіш",
+ "Keyboard Shortcuts": "Сполучення Клавіш",
+ "openDefaultKeybindingsFile": "Open Default Keyboard Shortcuts (JSON)",
+ "openGlobalKeybindingsFile": "Open Keyboard Shortcuts (JSON)",
+ "showDefaultKeybindings": "Show Default Keybindings",
+ "showUserKeybindings": "Show User Keybindings",
+ "clear": "Clear Search Results",
+ "miPreferences": "&&Preferences"
+ },
+ "vs/workbench/contrib/preferences/browser/keybindingWidgets": {
+ "defineKeybinding.initial": "Натисніть необхідну комбінацію клавіш, а потім натисніть клавішу enter.",
+ "defineKeybinding.oneExists": "1 existing command has this keybinding",
+ "defineKeybinding.existing": "{0} existing commands have this keybinding",
+ "defineKeybinding.chordsTo": "акорд на"
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesActions": {
+ "configureLanguageBasedSettings": "Настроїти конкретні параметри мови...",
+ "languageDescriptionConfigured": "({0})",
+ "pickLanguage": "Виберіть Мову"
+ },
+ "vs/workbench/contrib/preferences/common/preferencesContribution": {
+ "enableNaturalLanguageSettingsSearch": "Controls whether to enable the natural language search mode for settings. The natural language search is provided by a Microsoft online service.",
+ "settingsSearchTocBehavior.hide": "Hide the Table of Contents while searching.",
+ "settingsSearchTocBehavior.filter": "Filter the Table of Contents to just categories that have matching settings. Clicking a category will filter the results to that category.",
+ "settingsSearchTocBehavior": "Controls the behavior of the settings editor Table of Contents while searching."
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesWidgets": {
+ "defaultSettings": "Помістіть ваші параметри у правій стороні редактора, щоб перевизначити.",
+ "noSettingsFound": "Жодні параметри не знайдено.",
+ "settingsSwitcherBarAriaLabel": "Параметри Switcher",
+ "userSettings": "User",
+ "userSettingsRemote": "Remote",
+ "workspaceSettings": "Workspace",
+ "folderSettings": "Folder"
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesEditor": {
+ "SearchSettingsWidget.AriaLabel": "Параметри пошуку",
+ "SearchSettingsWidget.Placeholder": "Параметри пошуку",
+ "noSettingsFound": "No Settings Found",
+ "oneSettingFound": "1 Setting Found",
+ "settingsFound": "{0} Settings Found",
+ "totalSettingsMessage": "Загально {0} налаштувань",
+ "nlpResult": "Natural Language Results",
+ "filterResult": "Filtered Results",
+ "defaultSettings": "Налаштування За Замовчуванням",
+ "defaultUserSettings": "Default User Settings",
+ "defaultWorkspaceSettings": "Default Workspace Settings",
+ "defaultFolderSettings": "Папка налаштувань За Замовчуванням ",
+ "defaultEditorReadonly": "Редагувати в правій стороні редактора, щоб змінити значення за замовчуванням.",
+ "preferencesAriaLabel": "Default preferences. Readonly editor."
+ },
+ "vs/workbench/contrib/preferences/browser/keybindingsEditor": {
+ "recordKeysLabel": "Record Keys",
+ "recordKeysLabelWithKeybinding": "{0} ({1})",
+ "sortByPrecedeneLabel": "Сортувати по пріоритетом",
+ "sortByPrecedeneLabelWithKeybinding": "{0} ({1})",
+ "SearchKeybindings.FullTextSearchPlaceholder": "Type to search in keybindings",
+ "SearchKeybindings.KeybindingsSearchPlaceholder": "Recording Keys. Press Escape to exit",
+ "clearInput": "Clear Keybindings Search Input",
+ "recording": "Recording Keys",
+ "command": "Command",
+ "keybinding": "Комбінація клавіш",
+ "when": "Коли",
+ "source": "Джерело",
+ "keybindingsLabel": "Комбінації клавіш",
+ "show sorted keybindings": "Showing {0} Keybindings in precedence order",
+ "show keybindings": "Showing {0} Keybindings in alphabetical order",
+ "changeLabel": "Змінити Комбінацію клавіш",
+ "addLabel": "Додати Комбінацію клавіш",
+ "editWhen": "Change When Expression",
+ "removeLabel": "Видалити Комбінацію клавіш",
+ "resetLabel": "Скинути комбінацію клавіш",
+ "showSameKeybindings": "Show Same Keybindings",
+ "copyLabel": "Скопіювати",
+ "copyCommandLabel": "Copy Command ID",
+ "error": "Error '{0}' while editing the keybinding. Please open 'keybindings.json' file and check for errors.",
+ "editKeybindingLabelWithKey": "Змінити Сполучення Клавіш {0}",
+ "editKeybindingLabel": "Змінити Комбінацію клавіш",
+ "addKeybindingLabelWithKey": "Додати Сполучення Клавіш {0}",
+ "addKeybindingLabel": "Додати Комбінацію клавіш",
+ "title": "{0} ({1})",
+ "keybindingAriaLabel": "Комбінація клавіш {0}.",
+ "noKeybinding": "Комбінацію клавіш не призначено.",
+ "sourceAriaLabel": "Джерело {0}.",
+ "whenContextInputAriaLabel": "Type when context. Press Enter to confirm or Escape to cancel.",
+ "whenAriaLabel": "Коли {0}.",
+ "noWhen": "Коли немає контексту."
+ },
+ "vs/workbench/contrib/preferences/browser/settingsEditor2": {
+ "settingsContextMenuAriaShortcut": "For more actions, Press {0}.",
+ "clearInput": "Clear Settings Search Input",
+ "SearchSettings.AriaLabel": "Параметри пошуку",
+ "noResults": "No Settings Found",
+ "clearSearchFilters": "Clear Filters",
+ "settingsNoSaveNeeded": "Your changes are automatically saved as you edit.",
+ "oneResult": "1 Setting Found",
+ "moreThanOneResult": "{0} Settings Found",
+ "turnOnSyncButton": "Turn on Preferences Sync",
+ "lastSyncedLabel": "Last synced: {0}"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsLayout": {
+ "commonlyUsed": "Commonly Used",
+ "textEditor": "Текстовий редактор",
+ "cursor": "Cursor",
+ "find": "Find",
+ "font": "Font",
+ "formatting": "Formatting",
+ "diffEditor": "Diff Editor",
+ "minimap": "Minimap",
+ "suggestions": "Suggestions",
+ "files": "Файли",
+ "workbench": "Робоче місце",
+ "appearance": "Appearance",
+ "breadcrumbs": "Breadcrumbs",
+ "editorManagement": "Editor Management",
+ "settings": "Settings Editor",
+ "zenMode": "Zen Mode",
+ "screencastMode": "Screencast Mode",
+ "window": "Вікна",
+ "newWindow": "New Window",
+ "features": "Features",
+ "fileExplorer": "Провідник",
+ "search": "Пошук",
+ "debug": "Налагоджувати",
+ "scm": "SCM",
+ "extensions": "Додатки",
+ "terminal": "Термінал",
+ "task": "Task",
+ "problems": "Проблеми",
+ "output": "Вивід",
+ "comments": "Коментарі",
+ "remote": "Віддалений",
+ "timeline": "Timeline",
+ "application": "Application",
+ "proxy": "Proxy",
+ "keyboard": "Клавіатура",
+ "update": "Оновлення",
+ "telemetry": "Телеметрія",
+ "sync": "Sync"
+ },
+ "vs/workbench/contrib/preferences/browser/tocTree": {
+ "groupRowAriaLabel": "{0}, group"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsTreeModels": {
+ "workspace": "Workspace",
+ "remote": "Віддалений",
+ "user": "User"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsWidgets": {
+ "headerForeground": "The foreground color for a section header or active title.",
+ "modifiedItemForeground": "The color of the modified setting indicator.",
+ "settingsDropdownBackground": "Settings editor dropdown background.",
+ "settingsDropdownForeground": "Settings editor dropdown foreground.",
+ "settingsDropdownBorder": "Settings editor dropdown border.",
+ "settingsDropdownListBorder": "Settings editor dropdown list border. This surrounds the options and separates the options from the description.",
+ "settingsCheckboxBackground": "Settings editor checkbox background.",
+ "settingsCheckboxForeground": "Settings editor checkbox foreground.",
+ "settingsCheckboxBorder": "Settings editor checkbox border.",
+ "textInputBoxBackground": "Settings editor text input box background.",
+ "textInputBoxForeground": "Settings editor text input box foreground.",
+ "textInputBoxBorder": "Settings editor text input box border.",
+ "numberInputBoxBackground": "Settings editor number input box background.",
+ "numberInputBoxForeground": "Settings editor number input box foreground.",
+ "numberInputBoxBorder": "Settings editor number input box border.",
+ "removeItem": "Remove Item",
+ "editItem": "Edit Item",
+ "editItemInSettingsJson": "Edit Item in settings.json",
+ "addItem": "Add Item",
+ "itemInputPlaceholder": "String Item...",
+ "listSiblingInputPlaceholder": "Sibling...",
+ "listValueHintLabel": "List item `{0}`",
+ "listSiblingHintLabel": "List item `{0}` with sibling `${1}`",
+ "okButton": "ОК",
+ "cancelButton": "Скасувати",
+ "removeExcludeItem": "Remove Exclude Item",
+ "editExcludeItem": "Edit Exclude Item",
+ "editExcludeItemInSettingsJson": "Edit Exclude Item in settings.json",
+ "addPattern": "Add Pattern",
+ "excludePatternInputPlaceholder": "Exclude Pattern...",
+ "excludeSiblingInputPlaceholder": "When Pattern Is Present...",
+ "excludePatternHintLabel": "Exclude files matching `{0}`",
+ "excludeSiblingHintLabel": "Exclude files matching `{0}`, only when a file matching `{1}` is present"
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesRenderers": {
+ "emptyUserSettingsHeader": "Place your settings here to override the Default Settings.",
+ "emptyWorkspaceSettingsHeader": "Place your settings here to override the User Settings.",
+ "emptyFolderSettingsHeader": "Place your folder settings here to override those from the Workspace Settings.",
+ "editTtile": "Редагувати",
+ "replaceDefaultValue": "Замінити в налаштуваннях",
+ "copyDefaultValue": "Скопіювати до налаштувань",
+ "unknown configuration setting": "Unknown Configuration Setting",
+ "unsupportedRemoteMachineSetting": "This setting cannot be applied in this window. It will be applied when you open local window.",
+ "unsupportedWindowSetting": "This setting cannot be applied in this workspace. It will be applied when you open the containing workspace folder directly.",
+ "unsupportedApplicationSetting": "This setting can be applied only in application user settings",
+ "unsupportedMachineSetting": "This setting can only be applied in user settings in local window or in remote settings in remote window.",
+ "unsupportedProperty": "Unsupported Property"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsTree": {
+ "extensions": "Додатки",
+ "extensionSyncIgnoredLabel": "Sync: Ignored",
+ "modified": "Modified",
+ "settingsContextMenuTitle": "More Actions... ",
+ "alsoConfiguredIn": "Also modified in",
+ "configuredIn": "Modified in",
+ "settings.Modified": " Modified. ",
+ "newExtensionsButtonLabel": "Show matching extensions",
+ "editInSettingsJson": "Edit in settings.json",
+ "settings.Default": "{0}",
+ "resetSettingLabel": "Reset Setting",
+ "validationError": "Validation Error.",
+ "treeAriaLabel": "Параметри",
+ "copySettingIdLabel": "Copy Setting ID",
+ "copySettingAsJSONLabel": "Copy Setting as JSON",
+ "stopSyncingSetting": "Sync This Setting"
+ },
+ "vs/workbench/contrib/quickaccess/browser/quickAccess.contribution": {
+ "helpQuickAccessPlaceholder": "Type '{0}' to get help on the actions you can take from here.",
+ "helpQuickAccess": "Show all Quick Access Providers",
+ "viewQuickAccessPlaceholder": "Type the name of a view, output channel or terminal to open.",
+ "viewQuickAccess": "Відкрити Вид",
+ "commandsQuickAccessPlaceholder": "Type the name of a command to run.",
+ "commandsQuickAccess": "Показувати та запускати команди",
+ "miCommandPalette": "&&Command Palette...",
+ "miOpenView": "&&Open View...",
+ "miGotoSymbolInEditor": "Go to &&Symbol in Editor...",
+ "miGotoLine": "Go to &&Line/Column...",
+ "commandPalette": "Палітра команд...",
+ "view": "Вид"
+ },
+ "vs/workbench/contrib/quickaccess/browser/commandsQuickAccess": {
+ "commandWithCategory": "{0}: {1}",
+ "showTriggerActions": "Показати Всі Команди",
+ "clearCommandHistory": "Очистити Історію Команд"
+ },
+ "vs/workbench/contrib/quickaccess/browser/viewQuickAccess": {
+ "views": "Side Bar",
+ "panels": "Panel",
+ "terminalTitle": "{0}: {1}",
+ "terminals": "Термінал",
+ "logChannel": "Log ({0})",
+ "channels": "Вивід",
+ "openView": "Відкрити Вид",
+ "quickOpenView": "Швидко Відкрити Вигляд"
+ },
+ "vs/workbench/contrib/quickopen/browser/quickopen.contribution": {
+ "view": "Вид",
+ "commandsHandlerDescriptionDefault": "Показувати та запускати команди",
+ "gotoLineDescriptionMac": "Go to Line/Column",
+ "gotoLineDescriptionWin": "Go to Line/Column",
+ "gotoSymbolDescription": "Go to Symbol in Editor",
+ "gotoSymbolDescriptionScoped": "Go to Symbol in Editor by Category",
+ "helpDescription": "Показати Довідку",
+ "viewPickerDescription": "Відкрити Вид",
+ "miCommandPalette": "&&Command Palette...",
+ "miOpenView": "&&Open View...",
+ "miGotoSymbolInEditor": "Go to &&Symbol in Editor...",
+ "miGotoLine": "Go to &&Line/Column...",
+ "commandPalette": "Палітра команд..."
+ },
+ "vs/workbench/contrib/quickopen/browser/helpHandler": {
+ "entryAriaLabel": "{0}, вибір допомогти",
+ "globalCommands": "глобальні команди",
+ "editorCommands": "команди редактора"
+ },
+ "vs/workbench/contrib/quickopen/browser/gotoLineHandler": {
+ "gotoLine": "Go to Line/Column...",
+ "gotoLineLabelEmptyWithLimit": "Current Line: {0}, Column: {1}. Type a line number between 1 and {2} to navigate to.",
+ "gotoLineLabelEmpty": "Current Line: {0}, Column: {1}. Type a line number to navigate to.",
+ "gotoLineColumnLabel": "Go to line {0} and column {1}.",
+ "gotoLineLabel": "Go to line {0}.",
+ "cannotRunGotoLine": "Open a text file first to go to a line."
+ },
+ "vs/workbench/contrib/quickopen/browser/viewPickerHandler": {
+ "entryAriaLabel": "{0}, подивитися вибір(пікер)",
+ "views": "Side Bar",
+ "panels": "Panel",
+ "terminals": "Термінал",
+ "terminalTitle": "{0}: {1}",
+ "channels": "Вивід",
+ "logChannel": "Log ({0})",
+ "openView": "Відкрити Вид",
+ "quickOpenView": "Швидко Відкрити Вигляд"
+ },
+ "vs/workbench/contrib/quickopen/browser/gotoSymbolHandler": {
+ "property": "властивості ({0})",
+ "method": "методи ({0})",
+ "function": "функції ({0})",
+ "_constructor": "конструктори ({0})",
+ "variable": "змінні ({0})",
+ "class": "класи ({0})",
+ "struct": "structs ({0})",
+ "event": "events ({0})",
+ "operator": "operators ({0})",
+ "interface": "інтерфейси ({0})",
+ "namespace": "простори імен ({0})",
+ "package": "пакети ({0})",
+ "typeParameter": "type parameters ({0})",
+ "modules": "модулі ({0})",
+ "enum": "перерахування ({0})",
+ "enumMember": "enumeration members ({0})",
+ "string": "рядки ({0})",
+ "file": "файли ({0})",
+ "array": "масиви ({0})",
+ "number": "числа ({0})",
+ "boolean": "логічні значення ({0})",
+ "object": "об'єкти ({0})",
+ "key": "ключі ({0})",
+ "field": "fields ({0})",
+ "constant": "constants ({0})",
+ "gotoSymbol": "Go to Symbol in Editor...",
+ "symbols": "символи ({0})",
+ "entryAriaLabel": "{0}, символи",
+ "noSymbolsMatching": "Немає відповідних символів",
+ "noSymbolsFound": "Символи не знайдені",
+ "gotoSymbolHandlerAriaLabel": "Введіть, щоб звузити символи активного редактора.",
+ "cannotRunGotoSymbolInFile": "Ніякої інформації про символ для файлу",
+ "cannotRunGotoSymbol": "Відкрити текстовий файл спочатку, щоб перейти на символ"
+ },
+ "vs/workbench/contrib/quickopen/browser/commandsHandler": {
+ "showTriggerActions": "Показати Всі Команди",
+ "clearCommandHistory": "Очистити Історію Команд",
+ "showCommands.label": "Палітра команд...",
+ "entryAriaLabelWithKey": "{0}, {1}, команди",
+ "entryAriaLabel": "{0}, команди",
+ "actionNotEnabled": "Команда '{0}' не дозволена в поточному контексті.",
+ "canNotRun": "Command '{0}' resulted in an error.",
+ "recentlyUsed": "останнім часом використовується",
+ "morecCommands": "інші команди",
+ "cat.title": "{0}: {1}",
+ "noCommandsMatching": "Немає відповідних команд"
+ },
+ "vs/workbench/contrib/relauncher/browser/relauncher.contribution": {
+ "relaunchSettingMessage": "Параметр був змінений, що вимагає перезавантаження для застосування.",
+ "relaunchSettingMessageWeb": "A setting has changed that requires a reload to take effect.",
+ "relaunchSettingDetail": "Натисніть кнопку перезавантаження, щоб перезавантажити {0} і увімкнути параметр.",
+ "relaunchSettingDetailWeb": "Press the reload button to reload {0} and enable the setting.",
+ "restart": "&&Restart",
+ "restartWeb": "&&Reload"
+ },
+ "vs/workbench/contrib/remote/electron-browser/remote.contribution": {
+ "remote": "Віддалений",
+ "remote.downloadExtensionsLocally": "When enabled extensions are downloaded locally and installed on remote.",
+ "remote.restoreForwardedPorts": "Restores the ports you forwarded in a workspace."
+ },
+ "vs/workbench/contrib/remote/common/remote.contribution": {
+ "remoteExtensionLog": "Remote Server",
+ "ui": "UI extension kind. In a remote window, such extensions are enabled only when available on the local machine.",
+ "workspace": "Workspace extension kind. In a remote window, such extensions are enabled only when available on the remote.",
+ "remote": "Віддалений",
+ "remote.extensionKind": "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."
+ },
+ "vs/workbench/contrib/remote/browser/remote": {
+ "RemoteHelpInformationExtPoint": "Contributes help information for Remote",
+ "RemoteHelpInformationExtPoint.getStarted": "The url to your project's Getting Started page",
+ "RemoteHelpInformationExtPoint.documentation": "The url to your project's documentation page",
+ "RemoteHelpInformationExtPoint.feedback": "The url to your project's feedback reporter",
+ "RemoteHelpInformationExtPoint.issues": "The url to your project's issues list",
+ "remote.help.getStarted": "Get Started",
+ "remote.help.documentation": "Read Documentation",
+ "remote.help.feedback": "Provide Feedback",
+ "remote.help.issues": "Review Issues",
+ "remote.help.report": "Звіт",
+ "pickRemoteExtension": "Select url to open",
+ "remote.help": "Help and feedback",
+ "remote.explorer": "Remote Explorer",
+ "toggleRemoteViewlet": "Show Remote Explorer",
+ "view": "Вид",
+ "reconnectionWaitOne": "Attempting to reconnect in {0} second...",
+ "reconnectionWaitMany": "Attempting to reconnect in {0} seconds...",
+ "reconnectNow": "Reconnect Now",
+ "reloadWindow": "Reload Window",
+ "connectionLost": "Connection Lost",
+ "reconnectionRunning": "Attempting to reconnect...",
+ "reconnectionPermanentFailure": "Cannot reconnect. Please reload the window.",
+ "cancel": "Скасувати"
+ },
+ "vs/workbench/contrib/remote/browser/explorerViewItems": {
+ "remotes": "Switch Remote",
+ "remote.explorer.switch": "Switch Remote"
+ },
+ "vs/workbench/contrib/remote/browser/remoteIndicator": {
+ "remote.category": "Віддалений",
+ "remote.showMenu": "Show Remote Menu",
+ "remote.close": "Закрити віддалене підключення",
+ "miCloseRemote": "Close Re&&mote Connection",
+ "host.open": "Opening Remote...",
+ "host.tooltip": "Editing on {0}",
+ "disconnectedFrom": "Disconnected from",
+ "host.tooltipDisconnected": "Disconnected from {0}",
+ "noHost.tooltip": "Open a remote window",
+ "status.host": "Remote Host",
+ "cat.title": "{0}: {1}",
+ "closeRemote.title": "Закрити віддалене підключення"
+ },
+ "vs/workbench/contrib/remote/browser/tunnelView": {
+ "remote.tunnelsView.add": "Forward a Port...",
+ "remote.tunnelsView.forwarded": "Forwarded",
+ "remote.tunnelsView.detected": "Existing Tunnels",
+ "remote.tunnelsView.candidates": "Not Forwarded",
+ "remote.tunnelsView.input": "Press Enter to confirm or Escape to cancel.",
+ "remote.tunnelsView.forwardedPortLabel0": "{0}",
+ "remote.tunnelsView.forwardedPortLabel2": "{0}:{1} → {2}",
+ "remote.tunnelsView.forwardedPortLabel3": "{0} → {1}",
+ "remote.tunnelsView.forwardedPortLabel4": "{0}:{1}",
+ "remote.tunnelsView.forwardedPortLabel5": "{0}",
+ "remote.tunnelsView.forwardedPortDescription0": "{0} to {1}",
+ "remote.tunnel": "Forwarded Ports",
+ "remote.tunnel.label": "Set Label",
+ "remote.tunnelsView.labelPlaceholder": "Port label",
+ "remote.tunnelsView.portNumberValid": "Forwarded port is invalid.",
+ "remote.tunnelsView.portNumberToHigh": "Port number must be ≥ 0 and < {0}.",
+ "remote.tunnel.forward": "Forward a Port",
+ "remote.tunnel.forwardItem": "Forward Port",
+ "remote.tunnel.forwardPrompt": "Port number or address (eg. 3000 or 10.10.10.10:2000).",
+ "remote.tunnel.forwardError": "Unable to forward {0}:{1}. The host may not be available or that remote port may already be forwarded",
+ "remote.tunnel.closeNoPorts": "No ports currently forwarded. Try running the {0} command",
+ "remote.tunnel.close": "Stop Forwarding Port",
+ "remote.tunnel.closePlaceholder": "Choose a port to stop forwarding",
+ "remote.tunnel.open": "Open in Browser",
+ "remote.tunnel.copyAddressInline": "Copy Address",
+ "remote.tunnel.copyAddressCommandPalette": "Copy Forwarded Port Address",
+ "remote.tunnel.copyAddressPlaceholdter": "Choose a forwarded port",
+ "remote.tunnel.refreshView": "Оновити",
+ "remote.tunnel.changeLocalPort": "Change Local Port",
+ "remote.tunnel.changeLocalPortNumber": "The local port {0} is not available. Port number {1} has been used instead",
+ "remote.tunnelsView.changePort": "New local port"
+ },
+ "vs/workbench/contrib/scm/browser/scm.contribution": {
+ "toggleGitViewlet": "Показати Git",
+ "source control": "Керування джерелом",
+ "toggleSCMViewlet": "Показати SCM",
+ "view": "Вид",
+ "scmConfigurationTitle": "SCM",
+ "alwaysShowProviders": "Controls whether to show the Source Control Provider section even when there's only one Provider registered.",
+ "providersVisible": "Controls how many providers are visible in the Source Control Provider section. Set to `0` to be able to manually resize the view.",
+ "scm.diffDecorations.all": "Show the diff decorations in all available locations.",
+ "scm.diffDecorations.gutter": "Show the diff decorations only in the editor gutter.",
+ "scm.diffDecorations.overviewRuler": "Show the diff decorations only in the overview ruler.",
+ "scm.diffDecorations.minimap": "Show the diff decorations only in the minimap.",
+ "scm.diffDecorations.none": "Do not show the diff decorations.",
+ "diffDecorations": "Контролює декоратори Змін в редакторі.",
+ "diffGutterWidth": "Controls the width(px) of diff decorations in gutter (added & modified).",
+ "scm.diffDecorationsGutterVisibility.always": "Show the diff decorator in the gutter at all times.",
+ "scm.diffDecorationsGutterVisibility.hover": "Show the diff decorator in the gutter only on hover.",
+ "scm.diffDecorationsGutterVisibility": "Controls the visibility of the Source Control diff decorator in the gutter.",
+ "alwaysShowActions": "Controls whether inline actions are always visible in the Source Control view.",
+ "scm.countBadge.all": "Show the sum of all Source Control Providers count badges.",
+ "scm.countBadge.focused": "Show the count badge of the focused Source Control Provider.",
+ "scm.countBadge.off": "Disable the Source Control count badge.",
+ "scm.countBadge": "Controls the Source Control count badge.",
+ "scm.defaultViewMode.tree": "Show the repository changes as a tree.",
+ "scm.defaultViewMode.list": "Show the repository changes as a list.",
+ "scm.defaultViewMode": "Controls the default Source Control repository view mode.",
+ "autoReveal": "Controls whether the SCM view should automatically reveal and select files when opening them.",
+ "miViewSCM": "S&&CM",
+ "scm accept": "SCM: Accept Input"
+ },
+ "vs/workbench/contrib/scm/browser/scmViewlet": {
+ "scm": "Керування джерелом",
+ "no open repo": "No source control providers registered.",
+ "source control": "Керування джерелом",
+ "viewletTitle": "{0}: {1}"
+ },
+ "vs/workbench/contrib/scm/browser/activity": {
+ "status.scm": "Керування джерелом",
+ "scmPendingChangesBadge": "{0} очікують зміни"
+ },
+ "vs/workbench/contrib/scm/browser/mainPane": {
+ "scm providers": "Постачальники Контроллю Джерела"
+ },
+ "vs/workbench/contrib/scm/browser/repositoryPane": {
+ "toggleViewMode": "Toggle View Mode"
+ },
+ "vs/workbench/contrib/scm/browser/dirtydiffDecorator": {
+ "changes": "{0} з {1} змін",
+ "change": "{0} з {1} зміни",
+ "show previous change": "Показати попередню зміну",
+ "show next change": "Показати наступну зміну",
+ "miGotoNextChange": "Next &&Change",
+ "miGotoPreviousChange": "Previous &&Change",
+ "move to previous change": "Move to Previous Change",
+ "move to next change": "Move to Next Change",
+ "editorGutterModifiedBackground": "Колір фону редактору виділення для рядків, які були змінені.",
+ "editorGutterAddedBackground": "Колір фону редактору виділення для рядків, які додаються.",
+ "editorGutterDeletedBackground": "Колір фону редактору виділення для рядків, які будуть видалені.",
+ "minimapGutterModifiedBackground": "Minimap gutter background color for lines that are modified.",
+ "minimapGutterAddedBackground": "Minimap gutter background color for lines that are added.",
+ "minimapGutterDeletedBackground": "Minimap gutter background color for lines that are deleted.",
+ "overviewRulerModifiedForeground": "Огляд лінійки кольорових маркерів для зміненого Вмісту.",
+ "overviewRulerAddedForeground": "Огляд лінійки кольорових маркерів для доданого Контенту.",
+ "overviewRulerDeletedForeground": "Огляд лінійки кольорових маркерів для видаленого Контенту."
+ },
+ "vs/workbench/contrib/search/browser/search.contribution": {
+ "search": "Пошук",
+ "copyMatchLabel": "Скопіювати",
+ "copyPathLabel": "Копіювати шлях",
+ "copyAllLabel": "Скопіювати Всі",
+ "revealInSideBar": "Розкрити в бічній панелі",
+ "clearSearchHistoryLabel": "Clear Search History",
+ "focusSearchListCommandLabel": "Focus List",
+ "findInFolder": "Find in Folder...",
+ "findInWorkspace": "Find in Workspace...",
+ "showTriggerActions": "Перейти на символ в робочій області...",
+ "name": "Пошук",
+ "view": "Вид",
+ "findInFiles": "Знайти в файлах",
+ "miFindInFiles": "Find &&in Files",
+ "miReplaceInFiles": "Replace &&in Files",
+ "anythingQuickAccessPlaceholder": "Search files by name (append {0} to go to line or {1} to go to symbol)",
+ "anythingQuickAccess": "Перейти до файлу",
+ "symbolsQuickAccessPlaceholder": "Type the name of a symbol to open.",
+ "symbolsQuickAccess": "Перейти на символ в робочій області",
+ "searchConfigurationTitle": "Пошук",
+ "exclude": "Configure glob patterns for excluding files and folders in fulltext searches and quick open. Inherits all glob patterns from the `#files.exclude#` setting. Read more about glob patterns [here](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options).",
+ "exclude.boolean": "Шаблон glob, щоб відповідати шляху до файлу. Встановити як true або false, щоб увімкнути або вимкнути шаблон.",
+ "exclude.when": "Додаткова перевірка на братів відповідного файлу. Використовувати $(basename) в якості змінної для зіставлення імен файлів.",
+ "useRipgrep": "This setting is deprecated and now falls back on \"search.usePCRE2\".",
+ "useRipgrepDeprecated": "Deprecated. Consider \"search.usePCRE2\" for advanced regex feature support.",
+ "search.maintainFileSearchCache": "When enabled, the searchService process will be kept alive instead of being shut down after an hour of inactivity. This will keep the file search cache in memory.",
+ "useIgnoreFiles": "Controls whether to use `.gitignore` and `.ignore` files when searching for files.",
+ "useGlobalIgnoreFiles": "Controls whether to use global `.gitignore` and `.ignore` files when searching for files.",
+ "search.quickOpen.includeSymbols": "Whether to include results from a global symbol search in the file results for Quick Open.",
+ "search.quickOpen.includeHistory": "Whether to include results from recently opened files in the file results for Quick Open.",
+ "filterSortOrder.default": "History entries are sorted by relevance based on the filter value used. More relevant entries appear first.",
+ "filterSortOrder.recency": "History entries are sorted by recency. More recently opened entries appear first.",
+ "filterSortOrder": "Controls sorting order of editor history in quick open when filtering.",
+ "search.followSymlinks": "Контролює, чи стежити за посиланнями під час пошуку.",
+ "search.smartCase": "Search case-insensitively if the pattern is all lowercase, otherwise, search case-sensitively.",
+ "search.globalFindClipboard": "Controls whether the search view should read or modify the shared find clipboard on macOS.",
+ "search.location": "Controls whether the search will be shown as a view in the sidebar or as a panel in the panel area for more horizontal space.",
+ "search.location.deprecationMessage": "This setting is deprecated. Please use the search view's context menu instead.",
+ "search.collapseResults.auto": "Files with less than 10 results are expanded. Others are collapsed.",
+ "search.collapseAllResults": "Controls whether the search results will be collapsed or expanded.",
+ "search.useReplacePreview": "Controls whether to open Replace Preview when selecting or replacing a match.",
+ "search.showLineNumbers": "Controls whether to show line numbers for search results.",
+ "search.usePCRE2": "Whether to use the PCRE2 regex engine in text search. This enables using some advanced regex features like lookahead and backreferences. However, not all PCRE2 features are supported - only features that are also supported by JavaScript.",
+ "usePCRE2Deprecated": "Deprecated. PCRE2 will be used automatically when using regex features that are only supported by PCRE2.",
+ "search.actionsPositionAuto": "Position the actionbar to the right when the search view is narrow, and immediately after the content when the search view is wide.",
+ "search.actionsPositionRight": "Always position the actionbar to the right.",
+ "search.actionsPosition": "Controls the positioning of the actionbar on rows in the search view.",
+ "search.searchOnType": "Search all files as you type.",
+ "search.searchOnTypeDebouncePeriod": "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.",
+ "search.searchEditor.doubleClickBehaviour.selectWord": "Double clicking selects the word under the cursor.",
+ "search.searchEditor.doubleClickBehaviour.goToLocation": "Double clicking opens the result in the active editor group.",
+ "search.searchEditor.doubleClickBehaviour.openLocationToSide": "Double clicking opens the result in the editor group to the side, creating one if it does not yet exist.",
+ "search.searchEditor.doubleClickBehaviour": "Configure effect of double clicking a result in a search editor.",
+ "searchSortOrder.default": "Results are sorted by folder and file names, in alphabetical order.",
+ "searchSortOrder.filesOnly": "Results are sorted by file names ignoring folder order, in alphabetical order.",
+ "searchSortOrder.type": "Results are sorted by file extensions, in alphabetical order.",
+ "searchSortOrder.modified": "Results are sorted by file last modified date, in descending order.",
+ "searchSortOrder.countDescending": "Results are sorted by count per file, in descending order.",
+ "searchSortOrder.countAscending": "Results are sorted by count per file, in ascending order.",
+ "search.sortOrder": "Controls sorting order of search results.",
+ "miViewSearch": "&&Search",
+ "miGotoSymbolInWorkspace": "Go to Symbol in &&Workspace..."
+ },
+ "vs/workbench/contrib/search/browser/symbolsQuickAccess": {
+ "openToSide": "Open to the Side",
+ "openToBottom": "Open to the Bottom"
+ },
+ "vs/workbench/contrib/search/common/queryBuilder": {
+ "search.noWorkspaceWithName": "Немає у робочій області папки з ім'ям: {0}"
+ },
+ "vs/workbench/contrib/search/browser/searchView": {
+ "searchCanceled": "Search was canceled before any results could be found - ",
+ "moreSearch": "Toggle Search Details",
+ "searchScope.includes": "files to include",
+ "label.includes": "Search Include Patterns",
+ "searchScope.excludes": "files to exclude",
+ "label.excludes": "Search Exclude Patterns",
+ "replaceAll.confirmation.title": "Замінити всі",
+ "replaceAll.confirm.button": "&&Replace",
+ "replaceAll.occurrence.file.message": "Replaced {0} occurrence across {1} file with '{2}'.",
+ "removeAll.occurrence.file.message": "Replaced {0} occurrence across {1} file.",
+ "replaceAll.occurrence.files.message": "Replaced {0} occurrence across {1} files with '{2}'.",
+ "removeAll.occurrence.files.message": "Replaced {0} occurrence across {1} files.",
+ "replaceAll.occurrences.file.message": "Replaced {0} occurrences across {1} file with '{2}'.",
+ "removeAll.occurrences.file.message": "Replaced {0} occurrences across {1} file.",
+ "replaceAll.occurrences.files.message": "Replaced {0} occurrences across {1} files with '{2}'.",
+ "removeAll.occurrences.files.message": "Replaced {0} occurrences across {1} files.",
+ "removeAll.occurrence.file.confirmation.message": "Replace {0} occurrence across {1} file with '{2}'?",
+ "replaceAll.occurrence.file.confirmation.message": "Replace {0} occurrence across {1} file?",
+ "removeAll.occurrence.files.confirmation.message": "Replace {0} occurrence across {1} files with '{2}'?",
+ "replaceAll.occurrence.files.confirmation.message": "Replace {0} occurrence across {1} files?",
+ "removeAll.occurrences.file.confirmation.message": "Replace {0} occurrences across {1} file with '{2}'?",
+ "replaceAll.occurrences.file.confirmation.message": "Replace {0} occurrences across {1} file?",
+ "removeAll.occurrences.files.confirmation.message": "Replace {0} occurrences across {1} files with '{2}'?",
+ "replaceAll.occurrences.files.confirmation.message": "Replace {0} occurrences across {1} files?",
+ "ariaSearchResultsClearStatus": "The search results have been cleared",
+ "searchPathNotFoundError": "Search path not found: {0}",
+ "searchMaxResultsWarning": "The result set only contains a subset of all matches. Please be more specific in your search to narrow down the results.",
+ "noResultsIncludesExcludes": "No results found in '{0}' excluding '{1}' - ",
+ "noResultsIncludes": "No results found in '{0}' - ",
+ "noResultsExcludes": "No results found excluding '{0}' - ",
+ "noResultsFound": "No results found. Review your settings for configured exclusions and check your gitignore files - ",
+ "rerunSearch.message": "Search again",
+ "rerunSearchInAll.message": "Search again in all files",
+ "openSettings.message": "Відкрити Налаштування",
+ "openSettings.learnMore": "Дізнатися Більше",
+ "ariaSearchResultsStatus": "Search returned {0} results in {1} files",
+ "useIgnoresAndExcludesDisabled": " - exclude settings and ignore files are disabled",
+ "openInEditor.message": "Open in editor",
+ "openInEditor.tooltip": "Copy current search results to an editor",
+ "search.file.result": "{0} result in {1} file",
+ "search.files.result": "{0} result in {1} files",
+ "search.file.results": "{0} results in {1} file",
+ "search.files.results": "{0} results in {1} files",
+ "searchWithoutFolder": "You have not opened or specified a folder. Only open files are currently searched - ",
+ "openFolder": "Відкрийте Каталог"
+ },
+ "vs/workbench/contrib/search/browser/searchWidget": {
+ "search.action.replaceAll.disabled.label": "Замінити всі (прийняти пошук, щоб включити)",
+ "search.action.replaceAll.enabled.label": "Замінити всі",
+ "search.replace.toggle.button.title": "On/off Заміна",
+ "label.Search": "Пошук: введіть пошуковий запит і натисніть Enter для пошуку або Escape, щоб скасувати",
+ "search.placeHolder": "Пошук",
+ "showContext": "Show Context",
+ "label.Replace": "Замінити: введіть фрагмент заміни і натисніть клавішу Enter для перегляду або ESC, щоб скасувати",
+ "search.replace.placeHolder": "Замінити"
+ },
+ "vs/workbench/contrib/search/browser/searchActions": {
+ "showSearch": "Show Search",
+ "replaceInFiles": "Заміна у файлах",
+ "toggleTabs": "Toggle Search on Type",
+ "RefreshAction.label": "Оновити",
+ "CollapseDeepestExpandedLevelAction.label": "Згорнути Всі",
+ "ExpandAllAction.label": "Expand All",
+ "ToggleCollapseAndExpandAction.label": "Toggle Collapse and Expand",
+ "ClearSearchResultsAction.label": "Clear Search Results",
+ "CancelSearchAction.label": "Cancel Search",
+ "FocusNextSearchResult.label": "Фокус на наступний результат пошуку",
+ "FocusPreviousSearchResult.label": "Фокус на попередній результат пошуку",
+ "RemoveAction.label": "Відхилити",
+ "file.replaceAll.label": "Замінити всі",
+ "match.replace.label": "Замінити"
+ },
+ "vs/workbench/contrib/search/browser/replaceService": {
+ "fileReplaceChanges": "{0} {1} ↔ (замінити попередній перегляд)"
+ },
+ "vs/workbench/contrib/search/browser/patternInputWidget": {
+ "defaultLabel": "введіть",
+ "useExcludesAndIgnoreFilesDescription": "Використовуйте параметри виключення та ігноруйте файли"
+ },
+ "vs/workbench/contrib/search/browser/anythingQuickAccess": {
+ "recentlyOpenedSeparator": "recently opened",
+ "fileAndSymbolResultsSeparator": "файл і символ результати",
+ "fileResultsSeparator": "результати файлу",
+ "filePickAriaLabelDirty": "{0}, dirty",
+ "openToSide": "Open to the Side",
+ "openToBottom": "Open to the Bottom",
+ "closeEditor": "Видалити з Нещодавно Відкритих"
+ },
+ "vs/workbench/contrib/search/browser/searchResultsView": {
+ "searchFolderMatch.other.label": "Інші файли",
+ "searchFileMatches": "{0} знайдених файлів",
+ "searchFileMatch": "файл {0} знайдено",
+ "searchMatches": "знайдених збігів {0}",
+ "searchMatch": "збіг {0} знайдено",
+ "lineNumStr": "From line {0}",
+ "numLinesStr": "{0} more lines",
+ "folderMatchAriaLabel": "{0} відповідає в кореневій папці {1}, результат пошуку",
+ "otherFilesAriaLabel": "{0} matches outside of the workspace, Search result",
+ "fileMatchAriaLabel": "{0} збіг в файлі {1} папки {2}, результат пошуку",
+ "replacePreviewResultAria": "Замінити фрагмент {0} з {1} в стовпці позиції {2} відповідно до тексту {3}",
+ "searchResultAria": "Знайдено термін {0} в колонці позиції {1} відповідно до тексту (2)"
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditor.contribution": {
+ "searchEditor": "Search Editor",
+ "search": "Search Editor"
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditorActions": {
+ "search.openNewEditor": "Open New Search Editor",
+ "search.openNewEditorToSide": "Open New Search Editor to Side",
+ "search.openResultsInEditor": "Open Results in Editor",
+ "search.rerunSearchInEditor": "Search Again"
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditorInput": {
+ "searchTitle.withQuery": "Search: {0}",
+ "searchTitle": "Пошук"
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditor": {
+ "moreSearch": "Toggle Search Details",
+ "searchScope.includes": "files to include",
+ "label.includes": "Search Include Patterns",
+ "searchScope.excludes": "files to exclude",
+ "label.excludes": "Search Exclude Patterns",
+ "runSearch": "Run Search",
+ "searchResultItem": "Matched {0} at {1} in file {2}",
+ "searchEditor": "Search Editor",
+ "textInputBoxBorder": "Search editor text input box border."
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditorSerialization": {
+ "invalidQueryStringError": "All backslashes in Query string must be escaped (\\\\)",
+ "numFiles": "{0} files",
+ "oneFile": "1 file",
+ "numResults": "{0} results",
+ "oneResult": "1 result",
+ "noResults": "Результатів немає"
+ },
+ "vs/workbench/contrib/snippets/browser/snippets.contribution": {
+ "snippetSchema.json.default": "Порожній фрагмент",
+ "snippetSchema.json": "Фрагмент Конфігурація користувача",
+ "snippetSchema.json.prefix": "Префікс, що використовується при виборі фрагмента в автопропозиціях(intellisense)",
+ "snippetSchema.json.body": "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'.",
+ "snippetSchema.json.description": "Опис фрагменту.",
+ "snippetSchema.json.scope": "A list of language names to which this snippet applies, e.g. 'typescript,javascript'."
+ },
+ "vs/workbench/contrib/snippets/browser/insertSnippet": {
+ "snippet.suggestions.label": "Вставити фрагмент",
+ "sep.userSnippet": "Користувацькі фрагменти",
+ "sep.extSnippet": "Фрагменти додатку",
+ "sep.workspaceSnippet": "Workspace Snippets"
+ },
+ "vs/workbench/contrib/snippets/browser/configureSnippets": {
+ "global.scope": "(global)",
+ "global.1": "({0})",
+ "name": "Type snippet file name",
+ "bad_name1": "Invalid file name",
+ "bad_name2": "\"{0}\" не є припустимим іменем файлу",
+ "bad_name3": "'{0}' already exists",
+ "new.global_scope": "global",
+ "new.global": "New Global Snippets file...",
+ "new.workspace_scope": "{0} workspace",
+ "new.folder": "New Snippets file for '{0}'...",
+ "group.global": "Existing Snippets",
+ "new.global.sep": "New Snippets",
+ "openSnippet.pickLanguage": "Select Snippets File or Create Snippets",
+ "openSnippet.label": "Configure User Snippets",
+ "preferences": "Налаштування",
+ "miOpenSnippets": "User &&Snippets",
+ "userSnippets": "Користувацькі фрагменти"
+ },
+ "vs/workbench/contrib/snippets/browser/snippetsService": {
+ "invalid.path.0": "Очікуються рядки в `contributes.{0}.path`. Пропоновані значення: {1}",
+ "invalid.language.0": "When omitting the language, the value of `contributes.{0}.path` must be a `.code-snippets`-file. Provided value: {1}",
+ "invalid.language": "Невідома мова в `contributes.{0}.language`. Пропоновані значення: {1}",
+ "invalid.path.1": "Очікуваний `contributes.{0}.path` ({1}), щоб бути включеними в папці модуля ({2}). Це може усунути портативність додатку.",
+ "vscode.extension.contributes.snippets": "Внесені фрагменти.",
+ "vscode.extension.contributes.snippets-language": "Ідентифікатор мови, для якого цей фрагмент внесли.",
+ "vscode.extension.contributes.snippets-path": "Шлях фрагментів файлу. Шлях є відносним до папки розширень і, як правило, починається з './snippets/'.",
+ "badVariableUse": "Один або більше фрагментів з розширенням '{0}' цілком ймовірно, заплутають змінні-фрагменти та заповнювачі фрагментів (див. https://code.visualstudio.com/docs/editor/userdefinedsnippets#_snippet-syntax для більш докладної інформації)",
+ "badFile": "Не вдалося прочитати файл фрагмента \"{0}\"."
+ },
+ "vs/workbench/contrib/snippets/browser/snippetCompletionProvider": {
+ "detail.snippet": "{0} ({1})",
+ "snippetSuggest.longLabel": "{0}, {1}"
+ },
+ "vs/workbench/contrib/snippets/browser/snippetsFile": {
+ "source.workspaceSnippetGlobal": "Workspace Snippet",
+ "source.userSnippetGlobal": "Global User Snippet",
+ "source.userSnippet": "User Snippet"
+ },
+ "vs/workbench/contrib/stats/electron-browser/workspaceStatsService": {
+ "workspaceFound": "This folder contains a workspace file '{0}'. Do you want to open it? [Learn more]({1}) about workspace files.",
+ "openWorkspace": "Відкрити Робочу Область",
+ "workspacesFound": "This folder contains multiple workspace files. Do you want to open one? [Learn more]({0}) about workspace files.",
+ "selectWorkspace": "Select Workspace",
+ "selectToOpen": "Select a workspace to open"
+ },
+ "vs/workbench/contrib/surveys/browser/nps.contribution": {
+ "surveyQuestion": "Ви не заперечуєте, пройти швидке опитування(відгук)?",
+ "takeSurvey": "Візьміть Опитування",
+ "remindLater": "Нагадайте мені пізніше",
+ "neverAgain": "Не показувати знову"
+ },
+ "vs/workbench/contrib/surveys/browser/languageSurveys.contribution": {
+ "helpUs": "Допоможіть нам поліпшити нашу службу підтримки для {0}",
+ "takeShortSurvey": "Взяти короткий огляд",
+ "remindLater": "Нагадайте мені пізніше",
+ "neverAgain": "Не показувати знову"
+ },
+ "vs/workbench/contrib/tags/electron-browser/workspaceTagsService": {
+ "workspaceFound": "This folder contains a workspace file '{0}'. Do you want to open it? [Learn more]({1}) about workspace files.",
+ "openWorkspace": "Відкрити Робочу Область",
+ "workspacesFound": "This folder contains multiple workspace files. Do you want to open one? [Learn more]({0}) about workspace files.",
+ "selectWorkspace": "Select Workspace",
+ "selectToOpen": "Select a workspace to open"
+ },
+ "vs/workbench/contrib/tasks/node/processRunnerDetector": {
+ "TaskSystemDetector.noGulpTasks": "Запуск gulp --tasks-simple не вказувати будь-які завдання. Ви запустити npm установку?",
+ "TaskSystemDetector.noJakeTasks": "Запуск Jake --tasks не вказувати будь-які завдання. Ви запустити npm установку?",
+ "TaskSystemDetector.noGulpProgram": "Gulp не встановлений у вашій системі. Запустіть npm i -g gulp, щоб встановити його.",
+ "TaskSystemDetector.noJakeProgram": "Jake не встановлений у вашій системі. Запустіть npm i -g jake, щоб встановити його.",
+ "TaskSystemDetector.noGruntProgram": "Grunt не встановлений у вашій системі. Запустіть npm i -g grunt, щоб встановити його.",
+ "TaskSystemDetector.noProgram": "Програма {0} не знайдена. Повідомлення {1}",
+ "TaskSystemDetector.buildTaskDetected": "Завдання побудови з ім'ям '{0}' виявлене.",
+ "TaskSystemDetector.testTaskDetected": "Тестове завдання з ім'ям '{0}' виявлене."
+ },
+ "vs/workbench/contrib/tasks/node/processTaskSystem": {
+ "version1_0": "The task system is configured for version 0.1.0 (see tasks.json file), which can only execute custom tasks. Upgrade to version 2.0.0 to run the task: {0}",
+ "TaskRunnerSystem.unknownError": "Невідома помилка при виконанні завдання. Докладніше див. Журнал виводу завдання.",
+ "TaskRunnerSystem.watchingBuildTaskFinished": "\nПерегляд завдань збірки завершено.",
+ "TaskRunnerSystem.childProcessError": "Не вдалося запустити зовнішню програму {0} {1}.",
+ "TaskRunnerSystem.cancelRequested": "\nЗавдання \"{0}\" було припинено на запит користувача.",
+ "unknownProblemMatcher": "Співставник проблем {0} не вдалося розпізнати. Він буде ігноруватися."
+ },
+ "vs/workbench/contrib/tasks/browser/task.contribution": {
+ "tasksCategory": "Завдання",
+ "building": "Будування...",
+ "runningTasks": "Показати запущені завдання",
+ "status.runningTasks": "Running Tasks",
+ "miRunTask": "&&Run Task...",
+ "miBuildTask": "Run &&Build Task...",
+ "miRunningTask": "Show Runnin&&g Tasks...",
+ "miRestartTask": "R&&estart Running Task...",
+ "miTerminateTask": "&&Terminate Task...",
+ "miConfigureTask": "&&Configure Tasks...",
+ "miConfigureBuildTask": "Configure De&&fault Build Task...",
+ "workbench.action.tasks.openWorkspaceFileTasks": "Open Workspace Tasks",
+ "ShowLogAction.label": "Показати Журнал Завдань",
+ "RunTaskAction.label": "Запуск завдання",
+ "ReRunTaskAction.label": "Rerun Last Task",
+ "RestartTaskAction.label": "Перезапуск Запущеного завдання",
+ "ShowTasksAction.label": "Показати запущені завдання",
+ "TerminateAction.label": "Завершити Завдання",
+ "BuildAction.label": "Виконання завдань побудови",
+ "TestAction.label": "Виконання тестового завдання",
+ "ConfigureDefaultBuildTask.label": "Налаштування За Замовчуванням Для Задач Побудови",
+ "ConfigureDefaultTestTask.label": "Налаштувати Тестове Завдання За Замовчуванням",
+ "workbench.action.tasks.openUserTasks": "Open User Tasks",
+ "tasksQuickAccessPlaceholder": "Type the name of a task to run.",
+ "tasksQuickAccessHelp": "Запуск завдання",
+ "tasksConfigurationTitle": "Завдання",
+ "task.problemMatchers.neverPrompt": "Configures whether to show the problem matcher prompt when running a task. Set to `true` to never prompt, or use a dictionary of task types to turn off prompting only for specific task types.",
+ "task.problemMatchers.neverPrompt.boolean": "Sets problem matcher prompting behavior for all tasks.",
+ "task.problemMatchers.neverPrompt.array": "An object containing task type-boolean pairs to never prompt for problem matchers on.",
+ "task.autoDetect": "Controls enablement of `provideTasks` for all task provider extension. If the Tasks: Run Task command is slow, disabling auto detect for task providers may help. Individual extensions may also provide settings that disable auto detection.",
+ "task.slowProviderWarning": "Configures whether a warning is shown when a provider is slow",
+ "task.slowProviderWarning.boolean": "Sets the slow provider warning for all tasks.",
+ "task.slowProviderWarning.array": "An array of task types to never show the slow provider warning.",
+ "task.quickOpen.history": "Controls the number of recent items tracked in task quick open dialog.",
+ "task.quickOpen.detail": "Controls whether to show the task detail for task that have a detail in the Run Task quick pick.",
+ "task.quickOpen.skip": "Controls whether the task quick pick is skipped when there is only one task to pick from."
+ },
+ "vs/workbench/contrib/tasks/common/tasks": {
+ "TaskDefinition.missingRequiredProperty": "Error: the task identifier '{0}' is missing the required property '{1}'. The task identifier will be ignored."
+ },
+ "vs/workbench/contrib/tasks/common/jsonSchema_v1": {
+ "JsonSchema.version.deprecated": "Task version 0.1.0 is deprecated. Please use 2.0.0",
+ "JsonSchema.version": "Номер версії конфігурації",
+ "JsonSchema._runner": "Запускач закінчив. Використовуйте властивість офісного запускника",
+ "JsonSchema.runner": "Визначає, чи завдання виконується як процес і вивід відображається у вікні виводу або всередині терміналу.",
+ "JsonSchema.windows": "Конкретна командна конфігурація Windows",
+ "JsonSchema.mac": "Mac конкретної команди конфігурації",
+ "JsonSchema.linux": "Linux конкретної команди конфігурації",
+ "JsonSchema.shell": "Вказує, чи є команда командної оболонки чи зовнішньої програми. За замовчуванням false, якщо не зазначено."
+ },
+ "vs/workbench/contrib/tasks/browser/tasksQuickAccess": {
+ "TaskService.pickRunTask": "Виберіть завдання для виконання"
+ },
+ "vs/workbench/contrib/tasks/common/taskDefinitionRegistry": {
+ "TaskDefinition.description": "The actual task type. Please note that types starting with a '$' are reserved for internal usage.",
+ "TaskDefinition.properties": "Додаткові властивості Тип завдання",
+ "TaskTypeConfiguration.noType": "У конфігурації типу завдання відсутній необхідний параметр \"tasktype\" ",
+ "TaskDefinitionExtPoint": "Сприяє видам завдань"
+ },
+ "vs/workbench/contrib/tasks/browser/runAutomaticTasks": {
+ "tasks.run.allowAutomatic": "This folder has tasks ({0}) defined in 'tasks.json' that run automatically when you open this folder. Do you allow automatic tasks to run when you open this folder?",
+ "allow": "Allow and run",
+ "disallow": "Заборонити",
+ "openTasks": "Open tasks.json",
+ "workbench.action.tasks.manageAutomaticRunning": "Manage Automatic Tasks in Folder",
+ "workbench.action.tasks.allowAutomaticTasks": "Allow Automatic Tasks in Folder",
+ "workbench.action.tasks.disallowAutomaticTasks": "Disallow Automatic Tasks in Folder"
+ },
+ "vs/workbench/contrib/tasks/common/taskConfiguration": {
+ "ConfigurationParser.invalidCWD": "Попередження: options.cwd має належати до типу \"рядок\". Ігнорування значення {0}\n",
+ "ConfigurationParser.inValidArg": "Error: command argument must either be a string or a quoted string. Provided value is:\n{0}",
+ "ConfigurationParser.noShell": "Попередження: конфігурація оболонки підтримується тільки при виконанні завдань у терміналі.",
+ "ConfigurationParser.noName": "Помилка: співставник проблем в області оголошення повинен мати ім'я: \n{0}\n",
+ "ConfigurationParser.unknownMatcherKind": "Warning: the defined problem matcher is unknown. Supported types are string | ProblemMatcher | Array.\n{0}\n",
+ "ConfigurationParser.invalidVariableReference": "Помилка: Некоректне посилання problemMatcher: {0}\n",
+ "ConfigurationParser.noTaskType": "Помилка: конфігурація завдань повинна мати властивість типу. Налаштування будуть проігноровані. \n{0}\n",
+ "ConfigurationParser.noTypeDefinition": "Помилка: немає зареєстрованих типів завдань '{0}'. Ви пропустили встановлення розширення, яке надає відповідний постачальник запитів?",
+ "ConfigurationParser.missingType": "Error: the task configuration '{0}' is missing the required property 'type'. The task configuration will be ignored.",
+ "ConfigurationParser.incorrectType": "Error: the task configuration '{0}' is using an unknown type. The task configuration will be ignored.",
+ "ConfigurationParser.notCustom": "Помилка: завдання не оголошується в якості користувача завдання. Налаштування будуть проігноровані. \n{0}\n",
+ "ConfigurationParser.noTaskName": "Помилка: завдання повинно містити властивість label. Завдання будуть ігноруватися. \n{0}\n",
+ "taskConfiguration.noCommandOrDependsOn": "Помилка: завдання '{0}' не вказує ні команду, ні власність залежності. Завдання будуть ігноруватися. Його визначення: \n{1}",
+ "taskConfiguration.noCommand": "Помилка: завдання '{0}' не визначає команду. Завдання будуть ігноруватися. Його визначення: \n{1}",
+ "TaskParse.noOsSpecificGlobalTasks": "Завдання версії 2.0.0 не підтримує глобальні ОС конкретних завдань. Перетворити їх в задачі з конкретної команди операційної системи. Порушені завдання: \n{0}"
+ },
+ "vs/workbench/contrib/tasks/common/jsonSchema_v2": {
+ "JsonSchema.shell": "Вказує, чи є команда командної оболонки чи зовнішньої програми. За замовчуванням false, якщо не зазначено.",
+ "JsonSchema.tasks.isShellCommand.deprecated": "isShellCommand властивість є застарілою. Використовуйте властивість типу завдання і властивості оболонки замість варіантів. См. також у 1.14 версії.",
+ "JsonSchema.tasks.dependsOn.identifier": "The task identifier.",
+ "JsonSchema.tasks.dependsOn.string": "Інше завдання, залежить від цього завдання.",
+ "JsonSchema.tasks.dependsOn.array": "Інші завдання, залежать від цього завдання.",
+ "JsonSchema.tasks.dependsOn": "Either a string representing another task or an array of other tasks that this task depends on.",
+ "JsonSchema.tasks.dependsOrder.parallel": "Run all dependsOn tasks in parallel.",
+ "JsonSchema.tasks.dependsOrder.sequence": "Run all dependsOn tasks in sequence.",
+ "JsonSchema.tasks.dependsOrder": "Determines the order of the dependsOn tasks for this task. Note that this property is not recursive.",
+ "JsonSchema.tasks.detail": "An optional description of a task that shows in the Run Task quick pick as a detail.",
+ "JsonSchema.tasks.presentation": "Configures the panel that is used to present the task's output and reads its input.",
+ "JsonSchema.tasks.presentation.echo": "Визначає, чи буде виконуватна команда відображається на панелі. За замовчуванням True.",
+ "JsonSchema.tasks.presentation.focus": "Контролює, чи бере панель фокус. За умовчанням це невірно. Якщо встановлено значення «true», панель також виявляється.",
+ "JsonSchema.tasks.presentation.revealProblems.always": "Always reveals the problems panel when this task is executed.",
+ "JsonSchema.tasks.presentation.revealProblems.onProblem": "Only reveals the problems panel if a problem is found.",
+ "JsonSchema.tasks.presentation.revealProblems.never": "Never reveals the problems panel when this task is executed.",
+ "JsonSchema.tasks.presentation.revealProblems": "Controls whether the problems panel is revealed when running this task or not. Takes precedence over option \"reveal\". Default is \"never\".",
+ "JsonSchema.tasks.presentation.reveal.always": "Завжди показує термінал, коли ця задача виконується.",
+ "JsonSchema.tasks.presentation.reveal.silent": "Only reveals the terminal if the task exits with an error or the problem matcher finds an error.",
+ "JsonSchema.tasks.presentation.reveal.never": "Ніколи не розкриває терміналу, коли ця задача виконується.",
+ "JsonSchema.tasks.presentation.reveal": "Controls whether the terminal running the task is revealed or not. May be overridden by option \"revealProblems\". Default is \"always\".",
+ "JsonSchema.tasks.presentation.instance": "Якщо панель управління розділяється між завданнями, присвячений цим завданням або новий створюється при кожному запуску.",
+ "JsonSchema.tasks.presentation.showReuseMessage": "Controls whether to show the `Terminal will be reused by tasks, press any key to close it` message.",
+ "JsonSchema.tasks.presentation.clear": "Controls whether the terminal is cleared before executing the task.",
+ "JsonSchema.tasks.presentation.group": "Controls whether the task is executed in a specific terminal group using split panes.",
+ "JsonSchema.tasks.terminal": "Властивість терміналу застаріла. Використовувати натомість презентації",
+ "JsonSchema.tasks.group.kind": "Група виконання завдання.",
+ "JsonSchema.tasks.group.isDefault": "Визначає, якщо ця задача є задачею за замовчуванням в групі.",
+ "JsonSchema.tasks.group.defaultBuild": "Marks the task as the default build task.",
+ "JsonSchema.tasks.group.defaultTest": "Marks the task as the default test task.",
+ "JsonSchema.tasks.group.build": "Marks the task as a build task accessible through the 'Run Build Task' command.",
+ "JsonSchema.tasks.group.test": "Marks the task as a test task accessible through the 'Run Test Task' command.",
+ "JsonSchema.tasks.group.none": "Призначає завдання без групи",
+ "JsonSchema.tasks.group": "Визначає, до якої групи виконання цього завдання належить. Він підтримує \"побудувати\", щоб додати його до групи побудувати і \"тест\", щоб додати його в тестовій групі.",
+ "JsonSchema.tasks.type": "Визначає, чи завдання виконується як процес або як команда всередині оболонки.",
+ "JsonSchema.commandArray": "The shell command to be executed. Array items will be joined using a space character",
+ "JsonSchema.command.quotedString.value": "The actual command value",
+ "JsonSchema.tasks.quoting.escape": "Escapes characters using the shell's escape character (e.g. ` under PowerShell and \\ under bash).",
+ "JsonSchema.tasks.quoting.strong": "Quotes the argument using the shell's strong quote character (e.g. \" under PowerShell and bash).",
+ "JsonSchema.tasks.quoting.weak": "Quotes the argument using the shell's weak quote character (e.g. ' under PowerShell and bash).",
+ "JsonSchema.command.quotesString.quote": "Як обвертати в кавички команду",
+ "JsonSchema.command": "Команда повинна бути виконана. Може бути зовнішня програма або команда оболонки.",
+ "JsonSchema.args.quotedString.value": "The actual argument value",
+ "JsonSchema.args.quotesString.quote": "How the argument value should be quoted.",
+ "JsonSchema.tasks.args": "Аргументи передаються команді, коли це завдання викликається.",
+ "JsonSchema.tasks.label": "Мітка інтерфейсу користувача із завданням",
+ "JsonSchema.version": "Номер версії конфігурації.",
+ "JsonSchema.tasks.identifier": "Визначений користувачем код для посилання на завданні launch.json або пропозицію, залежить.",
+ "JsonSchema.tasks.identifier.deprecated": "User defined identifiers are deprecated. For custom task use the name as a reference and for tasks provided by extensions use their defined task identifier.",
+ "JsonSchema.tasks.reevaluateOnRerun": "Whether to reevaluate task variables on rerun.",
+ "JsonSchema.tasks.runOn": "Configures when the task should be run. If set to folderOpen, then the task will be run automatically when the folder is opened.",
+ "JsonSchema.tasks.instanceLimit": "The number of instances of the task that are allowed to run simultaneously.",
+ "JsonSchema.tasks.runOptions": "The task's run related options",
+ "JsonSchema.tasks.taskLabel": "Мітки завдання",
+ "JsonSchema.tasks.taskName": "Назва завдання",
+ "JsonSchema.tasks.taskName.deprecated": "Властивості назви завдання застаріли. Використовуйте властивість мітки.",
+ "JsonSchema.tasks.background": "Незалежно від того, виконуване завдання зберігається живим і працює у фоновому режимі.",
+ "JsonSchema.tasks.promptOnClose": "Користувачеві буде запропоновано, коли VS Code закривається із запущеною завдання.",
+ "JsonSchema.tasks.matchers": "Аналізатор проблем(и), щоб використовувати. Може бути або рядком, або визначенням сумісності проблем, або масивом рядків та проблемних параметрів.",
+ "JsonSchema.customizations.customizes.type": "Тип завдання для налаштування",
+ "JsonSchema.tasks.customize.deprecated": "Властивість налаштувань є застарілою. Побачити 1.14 нотатки про те, як перейти на новий підхід налаштування завдань",
+ "JsonSchema.tasks.showOutput.deprecated": "showOutput властивість є застарілою. Замість властивості презентації використовуйте властивість reveal. Див. Також примітки до випуску 1.14.",
+ "JsonSchema.tasks.echoCommand.deprecated": "echoCommand властивість є застарілою. Замість цього використовуйте властивість echo всередині властивості презентація. См. також у 1.14 версії.",
+ "JsonSchema.tasks.suppressTaskName.deprecated": "suppressTaskName властивість є застарілою. Вбудовані команди з аргументами у завдань. См. також у 1.14 версії.",
+ "JsonSchema.tasks.isBuildCommand.deprecated": "isBuildCommand властивість є застарілою. Замість цього використовуйте властивість групи. См. також у 1.14 версії.",
+ "JsonSchema.tasks.isTestCommand.deprecated": "isTestCommand властивість є застарілою. Замість цього використовуйте властивість групи. См. також у 1.14 версії.",
+ "JsonSchema.tasks.taskSelector.deprecated": "taskSelector властивість є застарілою. Вбудовані команди з аргументами у завдань. См. також у 1.14 версії.",
+ "JsonSchema.windows": "Конкретна командна конфігурація Windows",
+ "JsonSchema.mac": "Mac конкретної команди конфігурації",
+ "JsonSchema.linux": "Linux конкретної команди конфігурації"
+ },
+ "vs/workbench/contrib/tasks/common/jsonSchemaCommon": {
+ "JsonSchema.options": "Додаткові параметри команди",
+ "JsonSchema.options.cwd": "Поточний робочий каталог виконуваної програми або скрипта. Якщо опущено, використовується корінь поточного робочого середовища коду.",
+ "JsonSchema.options.env": "Середовище виконуваної програми або оболонки. Якщо опущено, використовується середовище батьківського процесу.",
+ "JsonSchema.shellConfiguration": "Налаштовує оболонку для використання.",
+ "JsonSchema.shell.executable": "Оболонка повинна бути використана.",
+ "JsonSchema.shell.args": "Аргументи оболонки.",
+ "JsonSchema.command": "Команда повинна бути виконана. Може бути зовнішня програма або команда оболонки.",
+ "JsonSchema.tasks.args": "Аргументи передаються команді, коли це завдання викликається.",
+ "JsonSchema.tasks.taskName": "Назва завдання",
+ "JsonSchema.tasks.windows": "Конкретна командна конфігурація Windows",
+ "JsonSchema.tasks.matchers": "Аналізатор проблем(и), щоб використовувати. Може бути або рядком, або визначенням сумісності проблем, або масивом рядків та проблемних параметрів.",
+ "JsonSchema.tasks.mac": "Mac конкретної команди конфігурації",
+ "JsonSchema.tasks.linux": "Linux конкретної команди конфігурації",
+ "JsonSchema.tasks.suppressTaskName": "Контролює, чи ім'я завдання буде додано як аргумент до команди. Якщо не вказано значення глобально визначені використовується.",
+ "JsonSchema.tasks.showOutput": "Контролює, чи відображати вивід поточного завдання. Якщо опущено, використовується загальноприйняте значення.",
+ "JsonSchema.echoCommand": "Контролює, чи виконана команда відлунюється на виході. За умовчанням це хибно.",
+ "JsonSchema.tasks.watching.deprecation": "Застаріло. Слід використовувати isBackground.",
+ "JsonSchema.tasks.watching": "Незалежно від того, виконуване завдання зберігається живим і спостерігає за файловою системою.",
+ "JsonSchema.tasks.background": "Незалежно від того, виконуване завдання зберігається живим і працює у фоновому режимі.",
+ "JsonSchema.tasks.promptOnClose": "Користувачеві буде запропоновано, коли VS Code закривається із запущеною завдання.",
+ "JsonSchema.tasks.build": "Помітити це завдання до Code's як команду побудови за замовчуванням.",
+ "JsonSchema.tasks.test": "Помітити це завдання до Code's як тестову команду за замовчуванням.",
+ "JsonSchema.args": "Додаткові аргументи пройшли до команди.",
+ "JsonSchema.showOutput": "Визначає, чи буде вихід із запущеної завдання відображатися чи ні. Якщо опустити 'завжди' використовується.",
+ "JsonSchema.watching.deprecation": "Застаріло. Слід використовувати isBackground.",
+ "JsonSchema.watching": "Незалежно від того, виконуване завдання зберігається живим і спостерігає за файловою системою.",
+ "JsonSchema.background": "Незалежно від того, виконуване завдання зберігається живим і працює у фоновому режимі.",
+ "JsonSchema.promptOnClose": "Користувачеві буде запропоновано, коли VS Code закривається із запущеною завдання у фоновому режимі.",
+ "JsonSchema.suppressTaskName": "Визначає ім'я завдання додається в якості аргументів команди. За замовчуванням-false.",
+ "JsonSchema.taskSelector": "Префікс, який вказує на те, що аргумент є завданням.",
+ "JsonSchema.matchers": "Аналізатор проблем(и), щоб використовувати. Може бути або рядком, або визначенням сумісності проблем, або масивом рядків та проблемних параметрів.",
+ "JsonSchema.tasks": "Завдання конфігурацій. Зазвичай ці максимуми завдань вже визначені у зовнішніх менеджерах задач."
+ },
+ "vs/workbench/contrib/tasks/browser/taskQuickPick": {
+ "taskQuickPick.showAll": "Show All Tasks...",
+ "configureTask": "Настроювання завдання",
+ "contributedTasks": "contributed",
+ "recentlyUsed": "останнім часом використовується",
+ "configured": "configured",
+ "TaskQuickPick.goBack": "Go back ↩",
+ "TaskQuickPick.noTasksForType": "No {0} tasks found. Go back ↩"
+ },
+ "vs/workbench/contrib/tasks/common/problemMatcher": {
+ "ProblemPatternParser.problemPattern.missingRegExp": "The problem pattern is missing a regular expression.",
+ "ProblemPatternParser.loopProperty.notLast": "The loop property is only supported on the last line matcher.",
+ "ProblemPatternParser.problemPattern.kindProperty.notFirst": "The problem pattern is invalid. The kind property must be provided only in the first element",
+ "ProblemPatternParser.problemPattern.missingProperty": "The problem pattern is invalid. It must have at least have a file and a message.",
+ "ProblemPatternParser.problemPattern.missingLocation": "The problem pattern is invalid. It must either have kind: \"file\" or have a line or location match group.",
+ "ProblemPatternParser.invalidRegexp": "Error: The string {0} is not a valid regular expression.\n",
+ "ProblemPatternSchema.regexp": "The regular expression to find an error, warning or info in the output.",
+ "ProblemPatternSchema.kind": "whether the pattern matches a location (file and line) or only a file.",
+ "ProblemPatternSchema.file": "The match group index of the filename. If omitted 1 is used.",
+ "ProblemPatternSchema.location": "The match group index of the problem's location. Valid location patterns are: (line), (line,column) and (startLine,startColumn,endLine,endColumn). If omitted (line,column) is assumed.",
+ "ProblemPatternSchema.line": "The match group index of the problem's line. Defaults to 2",
+ "ProblemPatternSchema.column": "The match group index of the problem's line character. Defaults to 3",
+ "ProblemPatternSchema.endLine": "The match group index of the problem's end line. Defaults to undefined",
+ "ProblemPatternSchema.endColumn": "The match group index of the problem's end line character. Defaults to undefined",
+ "ProblemPatternSchema.severity": "The match group index of the problem's severity. Defaults to undefined",
+ "ProblemPatternSchema.code": "The match group index of the problem's code. Defaults to undefined",
+ "ProblemPatternSchema.message": "The match group index of the message. If omitted it defaults to 4 if location is specified. Otherwise it defaults to 5.",
+ "ProblemPatternSchema.loop": "In a multi line matcher loop indicated whether this pattern is executed in a loop as long as it matches. Can only specified on a last pattern in a multi line pattern.",
+ "NamedProblemPatternSchema.name": "The name of the problem pattern.",
+ "NamedMultiLineProblemPatternSchema.name": "The name of the problem multi line problem pattern.",
+ "NamedMultiLineProblemPatternSchema.patterns": "The actual patterns.",
+ "ProblemPatternExtPoint": "Доповнює патерни проблем",
+ "ProblemPatternRegistry.error": "Invalid problem pattern. The pattern will be ignored.",
+ "ProblemMatcherParser.noProblemMatcher": "Error: the description can't be converted into a problem matcher:\n{0}\n",
+ "ProblemMatcherParser.noProblemPattern": "Error: the description doesn't define a valid problem pattern:\n{0}\n",
+ "ProblemMatcherParser.noOwner": "Помилка: опис не визначає власника: {0}\n",
+ "ProblemMatcherParser.noFileLocation": "Error: the description doesn't define a file location:\n{0}\n",
+ "ProblemMatcherParser.unknownSeverity": "Info: unknown severity {0}. Valid values are error, warning and info.\n",
+ "ProblemMatcherParser.noDefinedPatter": "Error: the pattern with the identifier {0} doesn't exist.",
+ "ProblemMatcherParser.noIdentifier": "Error: the pattern property refers to an empty identifier.",
+ "ProblemMatcherParser.noValidIdentifier": "Error: the pattern property {0} is not a valid pattern variable name.",
+ "ProblemMatcherParser.problemPattern.watchingMatcher": "A problem matcher must define both a begin pattern and an end pattern for watching.",
+ "ProblemMatcherParser.invalidRegexp": "Error: The string {0} is not a valid regular expression.\n",
+ "WatchingPatternSchema.regexp": "The regular expression to detect the begin or end of a background task.",
+ "WatchingPatternSchema.file": "The match group index of the filename. Can be omitted.",
+ "PatternTypeSchema.name": "The name of a contributed or predefined pattern",
+ "PatternTypeSchema.description": "A problem pattern or the name of a contributed or predefined problem pattern. Can be omitted if base is specified.",
+ "ProblemMatcherSchema.base": "The name of a base problem matcher to use.",
+ "ProblemMatcherSchema.owner": "The owner of the problem inside Code. Can be omitted if base is specified. Defaults to 'external' if omitted and base is not specified.",
+ "ProblemMatcherSchema.source": "A human-readable string describing the source of this diagnostic, e.g. 'typescript' or 'super lint'.",
+ "ProblemMatcherSchema.severity": "The default severity for captures problems. Is used if the pattern doesn't define a match group for severity.",
+ "ProblemMatcherSchema.applyTo": "Controls if a problem reported on a text document is applied only to open, closed or all documents.",
+ "ProblemMatcherSchema.fileLocation": "Defines how file names reported in a problem pattern should be interpreted.",
+ "ProblemMatcherSchema.background": "Patterns to track the begin and end of a matcher active on a background task.",
+ "ProblemMatcherSchema.background.activeOnStart": "If set to true the background monitor is in active mode when the task starts. This is equals of issuing a line that matches the beginsPattern",
+ "ProblemMatcherSchema.background.beginsPattern": "If matched in the output the start of a background task is signaled.",
+ "ProblemMatcherSchema.background.endsPattern": "If matched in the output the end of a background task is signaled.",
+ "ProblemMatcherSchema.watching.deprecated": "The watching property is deprecated. Use background instead.",
+ "ProblemMatcherSchema.watching": "Patterns to track the begin and end of a watching matcher.",
+ "ProblemMatcherSchema.watching.activeOnStart": "If set to true the watcher is in active mode when the task starts. This is equals of issuing a line that matches the beginPattern",
+ "ProblemMatcherSchema.watching.beginsPattern": "Якщо збігається з виходом, то завдання, яке перебуває в очікуванні, буде повідомлено.",
+ "ProblemMatcherSchema.watching.endsPattern": "If matched in the output the end of a watching task is signaled.",
+ "LegacyProblemMatcherSchema.watchedBegin.deprecated": "This property is deprecated. Use the watching property instead.",
+ "LegacyProblemMatcherSchema.watchedBegin": "A regular expression signaling that a watched tasks begins executing triggered through file watching.",
+ "LegacyProblemMatcherSchema.watchedEnd.deprecated": "This property is deprecated. Use the watching property instead.",
+ "LegacyProblemMatcherSchema.watchedEnd": "A regular expression signaling that a watched tasks ends executing.",
+ "NamedProblemMatcherSchema.name": "The name of the problem matcher used to refer to it.",
+ "NamedProblemMatcherSchema.label": "A human readable label of the problem matcher.",
+ "ProblemMatcherExtPoint": "Contributes problem matchers",
+ "msCompile": "Microsoft compiler problems",
+ "lessCompile": "Less problems",
+ "gulp-tsc": "Gulp TSC Problems",
+ "jshint": "JSHint problems",
+ "jshint-stylish": "JSHint stylish problems",
+ "eslint-compact": "ESLint compact problems",
+ "eslint-stylish": "ESLint stylish problems",
+ "go": "Go problems"
+ },
+ "vs/workbench/contrib/tasks/browser/abstractTaskService": {
+ "ConfigureTaskRunnerAction.label": "Настроювання завдання",
+ "tasks": "Завдання",
+ "TaskSystem.noHotSwap": "Зміна движка виконання завдання з активним завданням вимагає перезавантаження вікна",
+ "reloadWindow": "Reload Window",
+ "TaskService.pickBuildTaskForLabel": "Select the build task (there is no default build task defined)",
+ "taskServiceOutputPrompt": "There are task errors. See the output for details.",
+ "showOutput": "Show output",
+ "TaskServer.folderIgnored": "Папка {0} проігноровано, оскільки він використовує завдання версії 0.1.0",
+ "TaskService.noBuildTask1": "Завдання побудови не визначено. Позначення завдання 'isBuildCommand' у файлі tasks.json.",
+ "TaskService.noBuildTask2": "Завдання побудови не визначено. Позначити завдання як групу 'build' у файлі tasks.json.",
+ "TaskService.noTestTask1": "Тест завдання не визначено. Позначення завдання 'isTestCommand' у файлі tasks.json.",
+ "TaskService.noTestTask2": "Тест завдання не визначено. Позначити завдання як 'test' групи у файлі tasks.json.",
+ "TaskServer.noTask": "Task to execute is undefined",
+ "TaskService.associate": "зв'язати",
+ "TaskService.attachProblemMatcher.continueWithout": "Продовжити без сканування вихідних даних завдання",
+ "TaskService.attachProblemMatcher.never": "Never scan the task output for this task",
+ "TaskService.attachProblemMatcher.neverType": "Never scan the task output for {0} tasks",
+ "TaskService.attachProblemMatcher.learnMoreAbout": "Дізнатися більше про сканування вихідних даних завдання",
+ "selectProblemMatcher": "Виберіть для якого роду помилок і попереджень для сканування вихідного завдання",
+ "customizeParseErrors": "Поточна задача містить помилки. Будь ласка, виправте помилки, перш ніж настроювати завдання.",
+ "tasksJsonComment": "\t// See https://go.microsoft.com/fwlink/?LinkId=733558 \n\t// for the documentation about the tasks.json format",
+ "moreThanOneBuildTask": "Існує безліч завдань побудови у tasks.json. Виконання першого.\n",
+ "TaskSystem.activeSame.noBackground": "The task '{0}' is already active.",
+ "terminateTask": "Завершити Завдання",
+ "restartTask": "Restart Task",
+ "TaskSystem.active": "Тут вже запущене завдання. Завершіть його, перш ніж виконати інше завдання.",
+ "TaskSystem.restartFailed": "Не вдалося перервати і перезапустити завдання {0}",
+ "TaskService.noConfiguration": "Помилка: визначення завдань {0} не дало завдання для наступної конфігурації: \n{1} \n завдання буде ігноруватися.\n",
+ "TaskSystem.configurationErrors": "Помилка: надана конфігурація завдань має помилки перевірки та не може бути використана. Будь ласка, спочатку виправте помилки.",
+ "TaskSystem.invalidTaskJsonOther": "Error: The content of the tasks json in {0} has syntax errors. Please correct them before executing a task.\n",
+ "TasksSystem.locationWorkspaceConfig": "workspace file",
+ "TaskSystem.versionWorkspaceFile": "Only tasks version 2.0.0 permitted in .codeworkspace.",
+ "TasksSystem.locationUserConfig": "Налаштування Користувача",
+ "TaskSystem.versionSettings": "Only tasks version 2.0.0 permitted in user settings.",
+ "taskService.ignoreingFolder": "Ігнорування конфігурації завдань для папок робочого простору {0}. Підтримка завдань для робочих областей з кількома папками вимагає використання всіх папок у версії 2.0.0 завдання\n",
+ "TaskSystem.invalidTaskJson": "Помилка: зміст tasks.json-файл має синтаксичні помилки. Будь ласка, виправте їх перед виконанням завдання.\n",
+ "TaskSystem.runningTask": "Там це завдання запущено. Ви хочете, перервати його?",
+ "TaskSystem.terminateTask": "&&Terminate Task",
+ "TaskSystem.noProcess": "Запущена задача більше не існує. Якщо завдання викликало фонові процеси, що виходять з VS Code, це може призвести до сирітських процесів. Щоб уникнути цього початку, останній фонове процес з прапором чекання.",
+ "TaskSystem.exitAnyways": "&&Exit Anyways",
+ "TerminateAction.label": "Завершити Завдання",
+ "TaskSystem.unknownError": "Сталася помилка під час виконання завдання. Подивитися журнал завдань для деталей.",
+ "TaskService.noWorkspace": "Завдання доступні лише у папці робочої області.",
+ "TaskService.learnMore": "Дізнатися Більше",
+ "configureTask": "Настроювання завдання",
+ "recentlyUsed": "нещодавно використовуваних завдань",
+ "configured": "налаштовані завдання",
+ "detected": "виявлені завдання",
+ "TaskService.ignoredFolder": "The following workspace folders are ignored since they use task version 0.1.0: {0}",
+ "TaskService.notAgain": "Не показувати знову",
+ "TaskService.pickRunTask": "Виберіть завдання для виконання",
+ "TaskService.noEntryToRun": "No configured tasks. Configure Tasks...",
+ "TaskService.fetchingBuildTasks": "Вибірка завдання побудови...",
+ "TaskService.pickBuildTask": "Виберіть задачу побудови для виконання",
+ "TaskService.noBuildTask": "Завдань побудови для запуску не знайдено. Налаштування завдань побудови...",
+ "TaskService.fetchingTestTasks": "Вибірка тестових завдань...",
+ "TaskService.pickTestTask": "Виберіть тестове завдання для виконання",
+ "TaskService.noTestTaskTerminal": "Завдання тесту не знайдено. Налаштувати Завдання...",
+ "TaskService.taskToTerminate": "Select a task to terminate",
+ "TaskService.noTaskRunning": "В даний час жодна задача не виконується",
+ "TaskService.terminateAllRunningTasks": "All Running Tasks",
+ "TerminateAction.noProcess": "Запущений процес більше не існує. Якщо завдання породжених фонових завдань, що виходять з VS Code, може призвести до сирітських процесів.",
+ "TerminateAction.failed": "Не вдалося завершити виконання завдань",
+ "TaskService.taskToRestart": "Виберіть завдання для перезавантаження",
+ "TaskService.noTaskToRestart": "Немає завдань, щоб перезавантажити",
+ "TaskService.template": "Виберіть шаблон завдання",
+ "taskQuickPick.userSettings": "Налаштування Користувача",
+ "TaskService.createJsonFile": "Створити tasks.json файл із шаблону",
+ "TaskService.openJsonFile": "Відкрити tasks.json файл",
+ "TaskService.pickTask": "Виберіть завдання для налаштування",
+ "TaskService.defaultBuildTaskExists": "{0}, вже відзначено як значення за замовчуванням для задач побудови",
+ "TaskService.pickDefaultBuildTask": "Виберіть завдання, щоб використовуватися в якості значення за замовчуванням для задач побудови",
+ "TaskService.defaultTestTaskExists": "{0}, вже відзначено як тестове завдання за замовчуванням.",
+ "TaskService.pickDefaultTestTask": "Виберіть задачу в якості тестового завдання за замовчуванням",
+ "TaskService.pickShowTask": "Виберіть завдання, щоб показати його вивід",
+ "TaskService.noTaskIsRunning": "Жодна задача не виконується"
+ },
+ "vs/workbench/contrib/tasks/common/taskTemplates": {
+ "dotnetCore": "Виконує .NET Core команду побудови",
+ "msbuild": "Виконає ціль побудови",
+ "externalCommand": "Приклад для запуску довільних зовнішніх команд",
+ "Maven": "Виконує поширені команди maven"
+ },
+ "vs/workbench/contrib/tasks/browser/terminalTaskSystem": {
+ "TerminalTaskSystem.unknownError": "Невідома помилка при виконанні завдання. Докладніше див. Журнал виводу завдання.",
+ "dependencyFailed": "Не можна вирішити залежні задачі '{0}' в папці робочої області '{1}'",
+ "TerminalTaskSystem.nonWatchingMatcher": "Task {0} is a background task but uses a problem matcher without a background pattern",
+ "TerminalTaskSystem.terminalName": "Завдання - {0}",
+ "closeTerminal": "Натисніть будь-яку клавішу, щоб закрити термінал.",
+ "reuseTerminal": "Термінал буде використовуватися завдання, натисніть будь-яку клавішу, щоб закрити його.",
+ "TerminalTaskSystem": "Can't execute a shell command on an UNC drive using cmd.exe.",
+ "unknownProblemMatcher": "Співставник проблем {0} не вдалося розпізнати. Він буде ігноруватися."
+ },
+ "vs/workbench/contrib/terminal/common/terminalShellConfig": {
+ "terminalIntegratedConfigurationTitle": "Інтегрований Термінал",
+ "terminal.integrated.shell.linux": "The path of the shell that the terminal uses on Linux (default: {0}). [Read more about configuring the shell](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shell.linux.noDefault": "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#_configuration).",
+ "terminal.integrated.shell.osx": "The path of the shell that the terminal uses on macOS (default: {0}). [Read more about configuring the shell](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shell.osx.noDefault": "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#_configuration).",
+ "terminal.integrated.shell.windows": "The path of the shell that the terminal uses on Windows (default: {0}). [Read more about configuring the shell](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration).",
+ "terminal.integrated.shell.windows.noDefault": "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#_configuration)."
+ },
+ "vs/workbench/contrib/terminal/common/terminal": {
+ "terminalCategory": "Термінал"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalView": {
+ "terminal.useMonospace": "Use 'monospace'",
+ "terminal.monospaceOnly": "The terminal only supports monospace fonts. Be sure to restart VS Code if this is a newly installed font."
+ },
+ "vs/workbench/contrib/terminal/electron-browser/terminalRemote": {
+ "workbench.action.terminal.newLocal": "Create New Integrated Terminal (Local)"
+ },
+ "vs/workbench/contrib/terminal/browser/terminal.contribution": {
+ "tasksQuickAccessPlaceholder": "Type the name of a terminal to open.",
+ "tasksQuickAccessHelp": "Показати Всі Відкриті Термінали",
+ "terminalIntegratedConfigurationTitle": "Інтегрований Термінал",
+ "terminal.integrated.automationShell.linux": "A path that when set will override {0} and ignore {1} values for automation-related terminal usage like tasks and debug.",
+ "terminal.integrated.automationShell.osx": "A path that when set will override {0} and ignore {1} values for automation-related terminal usage like tasks and debug.",
+ "terminal.integrated.automationShell.windows": "A path that when set will override {0} and ignore {1} values for automation-related terminal usage like tasks and debug.",
+ "terminal.integrated.shellArgs.linux": "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#_configuration).",
+ "terminal.integrated.shellArgs.osx": "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#_configuration).",
+ "terminal.integrated.shellArgs.windows": "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#_configuration).",
+ "terminal.integrated.shellArgs.windows.string": "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#_configuration).",
+ "terminal.integrated.macOptionIsMeta": "Controls whether to treat the option key as the meta key in the terminal on macOS.",
+ "terminal.integrated.macOptionClickForcesSelection": "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.",
+ "terminal.integrated.copyOnSelection": "Controls whether text selected in the terminal will be copied to the clipboard.",
+ "terminal.integrated.drawBoldTextInBrightColors": "Controls whether bold text in the terminal will always use the \"bright\" ANSI color variant.",
+ "terminal.integrated.fontFamily": "Controls the font family of the terminal, this defaults to `#editor.fontFamily#`'s value.",
+ "terminal.integrated.fontSize": "Контролює розмір шрифту в пікселях терміналу.",
+ "terminal.integrated.letterSpacing": "Controls the letter spacing of the terminal, this is an integer value which represents the amount of additional pixels to add between characters.",
+ "terminal.integrated.lineHeight": "Регулювання висоти рядка терміналу, це число, помножене на розмір шрифту терміналу, щоб отримати фактичну висоту рядка в пікселях.",
+ "terminal.integrated.minimumContrastRatio": "When set the foreground color of each cell will change to try meet the contrast ratio specified. Example values:\n\n- 1: The default, do nothing.\n- 4.5: [WCAG AA compliance (minimum)](https://www.w3.org/TR/UNDERSTANDING-WCAG20/visual-audio-contrast-contrast.html).\n- 7: [WCAG AAA compliance (enhanced)](https://www.w3.org/TR/UNDERSTANDING-WCAG20/visual-audio-contrast7.html).\n- 21: White on black or black on white.",
+ "terminal.integrated.fastScrollSensitivity": "Scrolling speed multiplier when pressing `Alt`.",
+ "terminal.integrated.mouseWheelScrollSensitivity": "A multiplier to be used on the `deltaY` of mouse wheel scroll events.",
+ "terminal.integrated.fontWeight": "The font weight to use within the terminal for non-bold text.",
+ "terminal.integrated.fontWeightBold": "The font weight to use within the terminal for bold text.",
+ "terminal.integrated.cursorBlinking": "Контролює, чи курсор терміналe блимає.",
+ "terminal.integrated.cursorStyle": "Контролює стиль курсора терміналу.",
+ "terminal.integrated.cursorWidth": "Controls the width of the cursor when `#terminal.integrated.cursorStyle#` is set to `line`.",
+ "terminal.integrated.scrollback": "Контролює максимальну кількість рядків, що тримає термінал у своєму буфері.",
+ "terminal.integrated.detectLocale": "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.",
+ "terminal.integrated.detectLocale.auto": "Set the `$LANG` environment variable if the existing variable does not exist or it does not end in `'.UTF-8'`.",
+ "terminal.integrated.detectLocale.off": "Do not set the `$LANG` environment variable.",
+ "terminal.integrated.detectLocale.on": "Always set the `$LANG` environment variable.",
+ "terminal.integrated.rendererType.auto": "Let VS Code guess which renderer to use.",
+ "terminal.integrated.rendererType.canvas": "Use the standard GPU/canvas-based renderer.",
+ "terminal.integrated.rendererType.dom": "Use the fallback DOM-based renderer.",
+ "terminal.integrated.rendererType.experimentalWebgl": "Use the experimental webgl-based renderer. Note that this has some [known issues](https://github.com/xtermjs/xterm.js/issues?q=is%3Aopen+is%3Aissue+label%3Aarea%2Faddon%2Fwebgl) and this will only be enabled for new terminals (not hot swappable like the other renderers).",
+ "terminal.integrated.rendererType": "Controls how the terminal is rendered.",
+ "terminal.integrated.rightClickBehavior.default": "Show the context menu.",
+ "terminal.integrated.rightClickBehavior.copyPaste": "Copy when there is a selection, otherwise paste.",
+ "terminal.integrated.rightClickBehavior.paste": "Paste on right click.",
+ "terminal.integrated.rightClickBehavior.selectWord": "Select the word under the cursor and show the context menu.",
+ "terminal.integrated.rightClickBehavior": "Controls how terminal reacts to right click.",
+ "terminal.integrated.cwd": "Явний шлях запуску, де буде запущений термінал, він використовується як поточний робочий каталог (cwd) для процесу оболонки. Це може бути особливо корисним у налаштуваннях робочого середовища, якщо кореневий каталог не є зручним cwd.",
+ "terminal.integrated.confirmOnExit": "Controls whether to confirm on exit if there are active terminal sessions.",
+ "terminal.integrated.enableBell": "Controls whether the terminal bell is enabled.",
+ "terminal.integrated.commandsToSkipShell": "A set of command IDs whose keybindings will not be sent to the shell and instead always be handled by Code. This allows the use of keybindings that would normally be consumed by the shell to act the same as when the terminal is not focused, for example ctrl+p to launch Quick Open.\nDefault Skipped Commands:\n\n{0}",
+ "terminal.integrated.allowChords": "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).",
+ "terminal.integrated.allowMnemonics": "Whether to allow menubar mnemonics (eg. alt+f) to trigger the open the menubar. Note that this will cause all alt keystrokes will skip the shell when true. This does nothing on macOS.",
+ "terminal.integrated.inheritEnv": "Whether new shells should inherit their environment from VS Code. This is not supported on Windows.",
+ "terminal.integrated.env.osx": "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.",
+ "terminal.integrated.env.linux": "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.",
+ "terminal.integrated.env.windows": "Object with environment variables that will be added to the VS Code process to be used by the terminal on Windows. Set to `null` to delete the environment variable.",
+ "terminal.integrated.showExitAlert": "Controls whether to show the alert \"The terminal process terminated with exit code\" when exit code is non-zero.",
+ "terminal.integrated.splitCwd": "Controls the working directory a split terminal starts with.",
+ "terminal.integrated.splitCwd.workspaceRoot": "A new split terminal will use the workspace root as the working directory. In a multi-root workspace a choice for which root folder to use is offered.",
+ "terminal.integrated.splitCwd.initial": "A new split terminal will use the working directory that the parent terminal started with.",
+ "terminal.integrated.splitCwd.inherited": "On macOS and Linux, a new split terminal will use the working directory of the parent terminal. On Windows, this behaves the same as initial.",
+ "terminal.integrated.windowsEnableConpty": "Whether to use ConPTY for Windows terminal process communication (requires Windows 10 build number 18309+). Winpty will be used if this is false.",
+ "terminal.integrated.experimentalUseTitleEvent": "An experimental setting that will use the terminal title event for the dropdown title. This setting will only apply to new terminals.",
+ "terminal.integrated.enableFileLinks": "Whether to enable file links in the terminal. Links can be slow when working on a network drive in particular because each file link is verified against the file system.",
+ "terminal.integrated.unicodeVersion.six": "Version 6 of unicode, this is an older version which should work better on older systems.",
+ "terminal.integrated.unicodeVersion.eleven": "Version 11 of unicode, this version provides better support on modern systems that use modern versions of unicode.",
+ "terminal.integrated.unicodeVersion": "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.",
+ "terminal": "Термінал",
+ "viewCategory": "Вид"
+ },
+ "vs/workbench/contrib/terminal/common/terminalColorRegistry": {
+ "terminal.background": "Колір тла терміналу, це дозволяє пофарбувати термінал по-різному на панелі.",
+ "terminal.foreground": "Колір переднього плану терміналу.",
+ "terminalCursor.foreground": "Колір переднього плану терміналу курсора.",
+ "terminalCursor.background": "Колір фону курсору терміналу. Дозволяє налаштовувати колір символу, накладеного курсором блоку.",
+ "terminal.selectionBackground": "Вибір кольору фону терміналу.",
+ "terminal.border": "The color of the border that separates split panes within the terminal. This defaults to panel.border.",
+ "terminal.ansiColor": "'{0}' АНСІ кольору в терміналі."
+ },
+ "vs/workbench/contrib/terminal/common/terminalMenu": {
+ "miToggleIntegratedTerminal": "&&Terminal",
+ "miNewTerminal": "&&New Terminal",
+ "miSplitTerminal": "&&Split Terminal",
+ "miRunActiveFile": "Run &&Active File",
+ "miRunSelectedText": "Run &&Selected Text"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalsQuickAccess": {
+ "renameTerminal": "Rename Terminal",
+ "killTerminal": "Вбити терміналу екземпляр",
+ "workbench.action.terminal.newplus": "Створення Нового Інтегрованого Терміналу"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalService": {
+ "workbench.action.terminal.allowWorkspaceShell": "Дозволити конфігурацію Shell робочої області",
+ "workbench.action.terminal.disallowWorkspaceShell": "Заборона конфігурації оболонки робочого середовища",
+ "terminalService.terminalCloseConfirmationSingular": "Є активний сеанс терміналу, ви хочете вбити його?",
+ "terminalService.terminalCloseConfirmationPlural": "Є {0} активних термінальних сесій, ви хочете вбити їх?",
+ "terminal.integrated.chooseWindowsShell": "Виберіть потрібний термінал Шелл, ви можете змінити його пізніше в налаштуваннях"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalActions": {
+ "workbench.action.terminal.newWorkspacePlaceholder": "Виберіть поточний робочий каталог для нового терміналу",
+ "workbench.action.terminal.toggleTerminal": "Перемкнути Інтегрований Термінал",
+ "workbench.action.terminal.kill": "Вбити активний екземпляр терміналу",
+ "workbench.action.terminal.kill.short": "Вбити термінал",
+ "workbench.action.terminal.copySelection": "Копіювати виділений фрагмент",
+ "workbench.action.terminal.copySelection.short": "Скопіювати",
+ "workbench.action.terminal.selectAll": "Вибрати Все",
+ "workbench.action.terminal.deleteWordLeft": "Видалити слово зліва",
+ "workbench.action.terminal.deleteWordRight": "Видалити слово справа",
+ "workbench.action.terminal.deleteToLineStart": "Delete To Line Start",
+ "workbench.action.terminal.moveToLineStart": "Move To Line Start",
+ "workbench.action.terminal.moveToLineEnd": "Move To Line End",
+ "workbench.action.terminal.sendSequence": "Send Custom Sequence To Terminal",
+ "workbench.action.terminal.newWithCwd": "Create New Integrated Terminal Starting in a Custom Working Directory",
+ "workbench.action.terminal.newWithCwd.cwd": "The directory to start the terminal at",
+ "workbench.action.terminal.new": "Створення Нового Інтегрованого Терміналу",
+ "workbench.action.terminal.new.short": "Новий Термінал",
+ "workbench.action.terminal.newInActiveWorkspace": "Створити Новий Інтегрований Термінал (В Активній Області)",
+ "workbench.action.terminal.split": "Split Terminal",
+ "workbench.action.terminal.split.short": "Split",
+ "workbench.action.terminal.splitInActiveWorkspace": "Split Terminal (In Active Workspace)",
+ "workbench.action.terminal.focusPreviousPane": "Focus Previous Pane",
+ "workbench.action.terminal.focusNextPane": "Focus Next Pane",
+ "workbench.action.terminal.resizePaneLeft": "Resize Pane Left",
+ "workbench.action.terminal.resizePaneRight": "Resize Pane Right",
+ "workbench.action.terminal.resizePaneUp": "Resize Pane Up",
+ "workbench.action.terminal.resizePaneDown": "Resize Pane Down",
+ "workbench.action.terminal.focus": "Фокус На Термінал",
+ "workbench.action.terminal.focusNext": "Фокус Наступному терміналу",
+ "workbench.action.terminal.focusPrevious": "Фокус попередньому терміналу",
+ "workbench.action.terminal.paste": "Вставити в активний термінал",
+ "workbench.action.terminal.paste.short": "Вставити",
+ "workbench.action.terminal.selectDefaultShell": "Вибір за замовчуванням оболонки",
+ "workbench.action.terminal.runSelectedText": "Запустити виділений текст в активному терміналі",
+ "workbench.action.terminal.runActiveFile": "Запустити активний файл у активному терміналі",
+ "workbench.action.terminal.runActiveFile.noFile": "У терміналі можна запускати лише файли на диску",
+ "workbench.action.terminal.switchTerminal": "Switch Terminal",
+ "terminals": "Відкриті термінали.",
+ "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": "Exit Navigation Mode",
+ "workbench.action.terminal.navigationModeFocusPrevious": "Focus Previous Line (Navigation Mode)",
+ "workbench.action.terminal.navigationModeFocusNext": "Focus Next Line (Navigation Mode)",
+ "workbench.action.terminal.clear": "Очистити",
+ "workbench.action.terminal.clearSelection": "Clear Selection",
+ "workbench.action.terminal.manageWorkspaceShellPermissions": "Manage Workspace Shell Permissions",
+ "workbench.action.terminal.rename": "Перейменувати",
+ "workbench.action.terminal.rename.prompt": "Введіть ім'я терміналу",
+ "workbench.action.terminal.renameWithArg": "Rename the Currently Active Terminal",
+ "workbench.action.terminal.renameWithArg.name": "The new name for the terminal",
+ "workbench.action.terminal.renameWithArg.noTerminal": "No active terminal to rename",
+ "workbench.action.terminal.renameWithArg.noName": "No name argument provided",
+ "workbench.action.terminal.focusFindWidget": "Фокус віджет пошуку",
+ "workbench.action.terminal.hideFindWidget": "Приховати віджет пошуку",
+ "quickAccessTerminal": "Перемикач активного термінал",
+ "workbench.action.terminal.scrollToPreviousCommand": "Scroll To Previous Command",
+ "workbench.action.terminal.scrollToNextCommand": "Scroll To Next Command",
+ "workbench.action.terminal.selectToPreviousCommand": "Select To Previous Command",
+ "workbench.action.terminal.selectToNextCommand": "Select To Next Command",
+ "workbench.action.terminal.selectToPreviousLine": "Select To Previous Line",
+ "workbench.action.terminal.selectToNextLine": "Select To Next Line",
+ "workbench.action.terminal.toggleEscapeSequenceLogging": "Toggle Escape Sequence Logging",
+ "workbench.action.terminal.toggleFindRegex": "Toggle find using regex",
+ "workbench.action.terminal.toggleFindWholeWord": "Toggle find using whole word",
+ "workbench.action.terminal.toggleFindCaseSensitive": "Toggle find using case sensitive",
+ "workbench.action.terminal.findNext": "Find next",
+ "workbench.action.terminal.findPrevious": "Find previous"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalInstance": {
+ "terminal.integrated.a11yPromptLabel": "Terminal input",
+ "terminal.integrated.a11yTooMuchOutput": "Too much output to announce, navigate to rows manually to read",
+ "yes": "Так",
+ "no": "Ні",
+ "dontShowAgain": "Не показувати знову",
+ "terminal.slowRendering": "The standard renderer for the integrated terminal appears to be slow on your computer. Would you like to switch to the alternative DOM-based renderer which may improve performance? [Read more about terminal settings](https://code.visualstudio.com/docs/editor/integrated-terminal#_changing-how-the-terminal-is-rendered).",
+ "terminal.integrated.copySelection.noSelection": "Термінал не має вибору для копіювання",
+ "terminal.integrated.exitedWithInvalidPath": "The terminal shell path \"{0}\" does not exist",
+ "terminal.integrated.exitedWithInvalidPathDirectory": "The terminal shell path \"{0}\" is a directory",
+ "terminal.integrated.exitedWithInvalidCWD": "The terminal shell CWD \"{0}\" does not exist",
+ "terminal.integrated.legacyConsoleModeError": "The terminal failed to launch properly because your system has legacy console mode enabled, uncheck \"Use legacy console\" cmd.exe's properties to fix this.",
+ "terminal.integrated.launchFailed": "The terminal process command '{0}{1}' failed to launch (exit code: {2})",
+ "terminal.integrated.launchFailedExtHost": "The terminal process failed to launch (exit code: {0})",
+ "terminal.integrated.exitedWithCode": "Процес терміналу завершено з кодом завершення: {0}"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalConfigHelper": {
+ "terminal.integrated.allowWorkspaceShell": "Do you allow this workspace to modify your terminal shell? {0}",
+ "allow": "Дозволити",
+ "disallow": "Заборонити",
+ "useWslExtension.title": "The '{0}' extension is recommended for opening a terminal in WSL.",
+ "install": "Установіть"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalTab": {
+ "terminalFocus": "Terminal {0}"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalLinkHandler": {
+ "terminalLinkHandler.followLinkAlt.mac": "Option + click",
+ "terminalLinkHandler.followLinkAlt": "Alt + click",
+ "terminalLinkHandler.followLinkCmd": "Cmd + click",
+ "terminalLinkHandler.followLinkCtrl": "Ctrl + click"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalProcessExtHostProxy": {
+ "terminal.integrated.starting": "Starting..."
+ },
+ "vs/workbench/contrib/testCustomEditors/browser/testCustomEditors": {
+ "openCustomEditor": "Test Open Custom Editor",
+ "testCustomEditor": "Test Custom Editor"
+ },
+ "vs/workbench/contrib/themes/browser/themes.contribution": {
+ "selectTheme.label": "Колір теми",
+ "themes.category.light": "світлі теми",
+ "themes.category.dark": "темні теми",
+ "themes.category.hc": "теми з високою контрастністю",
+ "installColorThemes": "Встановити Додаткові Колірні Теми...",
+ "themes.selectTheme": "Виберіть колір теми (клавіші вгору/вниз для перегляду)",
+ "selectIconTheme.label": "Тема значків файлів",
+ "noIconThemeLabel": "Жоден",
+ "noIconThemeDesc": "Виключити іконки файлів",
+ "installIconThemes": "Встановити додаткові Теми значків файлів...",
+ "themes.selectIconTheme": "Виберіть Тему значків файлів",
+ "selectProductIconTheme.label": "Product Icon Theme",
+ "defaultProductIconThemeLabel": "Default",
+ "themes.selectProductIconTheme": "Select Product Icon Theme",
+ "generateColorTheme.label": "Створити Тему від поточних налаштувань",
+ "preferences": "Налаштування",
+ "developer": "Розробник",
+ "miSelectColorTheme": "&&Color Theme",
+ "miSelectIconTheme": "File &&Icon Theme",
+ "themes.selectIconTheme.label": "Тема значків файлів"
+ },
+ "vs/workbench/contrib/timeline/browser/timeline.contribution": {
+ "timelineConfigurationTitle": "Timeline",
+ "timeline.excludeSources": "Experimental: An array of Timeline sources that should be excluded from the Timeline view",
+ "files.openTimeline": "Open Timeline"
+ },
+ "vs/workbench/contrib/timeline/browser/timelinePane": {
+ "timeline": "Timeline",
+ "timeline.loadMore": "Load more",
+ "timeline.editorCannotProvideTimeline": "The active editor cannot provide timeline information.",
+ "timeline.noTimelineInfo": "No timeline information was provided.",
+ "timeline.loading": "Loading timeline for {0}...",
+ "refresh": "Оновити",
+ "timeline.toggleFollowActiveEditorCommand": "Toggle Active Editor Following",
+ "timeline.filterSource": "Include: {0}"
+ },
+ "vs/workbench/contrib/update/browser/update.contribution": {
+ "miReleaseNotes": "&&Release Notes"
+ },
+ "vs/workbench/contrib/update/browser/update": {
+ "releaseNotes": "Примітки до випуску",
+ "showReleaseNotes": "Показувати Нотатки щодо випуску",
+ "read the release notes": "Ласкаво просимо до {0} в {1}! Хотіли б ви, щоб прочитати Примітки до випуску?",
+ "licenseChanged": "Our license terms have changed, please click [here]({0}) to go through them.",
+ "updateIsReady": "Нові {0} оновлення доступні.",
+ "checkingForUpdates": "Checking for Updates...",
+ "update service": "Update Service",
+ "noUpdatesAvailable": "There are currently no updates available.",
+ "ok": "ОК",
+ "thereIsUpdateAvailable": "Є доступні оновлення.",
+ "download update": "Download Update",
+ "later": "Пізніше",
+ "updateAvailable": "There's an update available: {0} {1}",
+ "installUpdate": "Install Update",
+ "updateInstalling": "{0} {1} is being installed in the background; we'll let you know when it's done.",
+ "updateNow": "Оновити Зараз",
+ "updateAvailableAfterRestart": "Restart {0} to apply the latest update.",
+ "checkForUpdates": "Перевірити наявність оновлень...",
+ "DownloadingUpdate": "Завантаження оновлення...",
+ "installUpdate...": "Install Update...",
+ "installingUpdate": "Установка оновлень...",
+ "restartToUpdate": "Restart to Update (1)"
+ },
+ "vs/workbench/contrib/update/browser/releaseNotesEditor": {
+ "releaseNotesInputName": "Release Notes: {0}",
+ "unassigned": "unassigned"
+ },
+ "vs/workbench/contrib/url/common/url.contribution": {
+ "openUrl": "Open URL",
+ "developer": "Розробник"
+ },
+ "vs/workbench/contrib/url/common/trustedDomains": {
+ "trustedDomain.manageTrustedDomain": "Manage Trusted Domains",
+ "trustedDomain.trustDomain": "Trust {0}",
+ "trustedDomain.trustSubDomain": "Trust {0} and all its subdomains",
+ "trustedDomain.trustAllDomains": "Trust all domains (disables link protection)",
+ "trustedDomain.manageTrustedDomains": "Manage Trusted Domains"
+ },
+ "vs/workbench/contrib/url/common/trustedDomainsValidator": {
+ "openExternalLinkAt": "Do you want {0} to open the external website?",
+ "open": "Відкрити",
+ "copy": "Скопіювати",
+ "cancel": "Скасувати",
+ "configureTrustedDomains": "Configure Trusted Domains"
+ },
+ "vs/workbench/contrib/userData/browser/userData.contribution": {
+ "userConfiguration": "User Configuration",
+ "userConfiguration.enableSync": "When enabled, synchronises User Configuration: Settings, Keybindings, Extensions & Snippets.",
+ "resolve conflicts": "Resolve Conflicts",
+ "syncing": "Synchronising User Configuration...",
+ "conflicts detected": "Unable to sync due to conflicts. Please resolve them to continue.",
+ "resolve": "Resolve Conflicts",
+ "start sync": "Sync: Start",
+ "stop sync": "Sync: Stop",
+ "resolveConflicts": "Sync: Resolve Conflicts",
+ "continue sync": "Sync: Continue"
+ },
+ "vs/workbench/contrib/userDataSync/electron-browser/userDataSync.contribution": {
+ "Open Backup folder": "Open Local Backups Folder",
+ "sync preferences": "Preferences Sync"
+ },
+ "vs/workbench/contrib/userDataSync/browser/userDataSyncView": {
+ "sync preferences": "Preferences Sync",
+ "remote title": "Remote Backup",
+ "local title": "Local Backup",
+ "workbench.action.showSyncRemoteBackup": "Show Remote Backup",
+ "workbench.action.showSyncLocalBackup": "Show Local Backup",
+ "workbench.actions.sync.resolveResourceRef": "Show full content",
+ "workbench.actions.sync.commpareWithLocal": "Open Changes"
+ },
+ "vs/workbench/contrib/userDataSync/browser/userDataSync": {
+ "settings": "Параметри",
+ "keybindings": "Сполучення Клавіш",
+ "snippets": "Користувацькі фрагменти",
+ "extensions": "Додатки",
+ "ui state label": "UI State",
+ "sync is on with syncing": "{0} (syncing)",
+ "sync is on with time": "{0} (synced {1})",
+ "turn on sync with category": "Preferences Sync: Turn on...",
+ "sign in": "Preferences Sync: Sign in to sync",
+ "stop sync": "Preferences Sync: Turn Off",
+ "showConflicts": "Preferences Sync: Show Settings Conflicts",
+ "showKeybindingsConflicts": "Preferences Sync: Show Keybindings Conflicts",
+ "showSnippetsConflicts": "Preferences Sync: Show User Snippets Conflicts",
+ "configure sync": "Preferences Sync: Configure...",
+ "show sync log": "Preferences Sync: Show Log",
+ "sync settings": "Preferences Sync: Show Settings",
+ "chooseAccountTitle": "Preferences Sync: Choose Account",
+ "chooseAccount": "Choose an account you would like to use for preferences sync",
+ "conflicts detected": "Unable to sync due to conflicts in {0}. Please resolve them to continue.",
+ "accept remote": "Accept Remote",
+ "accept local": "Accept Local",
+ "show conflicts": "Show Conflicts",
+ "sign in message": "Please sign in with your {0} account to continue sync",
+ "Sign in": "Sign in",
+ "turned off": "Sync was turned off from another device.",
+ "turn on sync": "Turn on Sync",
+ "too large": "Disabled syncing {0} because size of the {1} file to sync is larger than {2}. Please open the file and reduce the size and enable sync",
+ "open file": "Open {0} File",
+ "error incompatible": "Turned off sync because local data is incompatible with the data in the cloud. Please update {0} and turn on sync to continue syncing.",
+ "errorInvalidConfiguration": "Unable to sync {0} because there are some errors/warnings in the file. Please open the file to correct errors/warnings in it.",
+ "sign in to sync": "Sign in to Sync",
+ "has conflicts": "Preferences Sync: Conflicts Detected",
+ "sync preview message": "Synchronizing your preferences is a preview feature, please read the documentation before turning it on.",
+ "open doc": "Open Documentation",
+ "cancel": "Скасувати",
+ "turn on sync confirmation": "Do you want to turn on preferences sync?",
+ "turn on": "Turn On",
+ "turn on title": "Preferences Sync: Turn On",
+ "sign in and turn on sync detail": "Sign in with your {0} account to synchronize your data across devices.",
+ "sign in and turn on sync": "Sign in & Turn on",
+ "configure sync placeholder": "Choose what to sync",
+ "pick account": "{0}: Pick an account",
+ "choose account placeholder": "Pick an account for syncing",
+ "existing": "{0}",
+ "signed in": "Signed in",
+ "choose another": "Use another account",
+ "sync turned on": "Preferences sync is turned on",
+ "firs time sync": "Sync",
+ "merge": "Merge",
+ "replace": "Replace Local",
+ "first time sync detail": "It looks like this is the first time sync is set up.\nWould you like to merge or replace with the data from the cloud?",
+ "turn off sync confirmation": "Do you want to turn off sync?",
+ "turn off sync detail": "Your settings, keybindings, extensions and UI State will no longer be synced.",
+ "turn off": "Turn Off",
+ "turn off sync everywhere": "Turn off sync on all your devices and clear the data from the cloud.",
+ "loginFailed": "Logging in failed: {0}",
+ "settings conflicts preview": "Settings Conflicts (Remote ↔ Local)",
+ "keybindings conflicts preview": "Keybindings Conflicts (Remote ↔ Local)",
+ "snippets conflicts preview": "User Snippet Conflicts (Remote ↔ Local) - {0}",
+ "turn on failed": "Error while starting Sync: {0}",
+ "global activity turn on sync": "Turn on Preferences Sync...",
+ "sign in 2": "Preferences Sync: Sign in to sync (1)",
+ "resolveConflicts_global": "Preferences Sync: Show Settings Conflicts (1)",
+ "resolveKeybindingsConflicts_global": "Preferences Sync: Show Keybindings Conflicts (1)",
+ "resolveSnippetsConflicts_global": "Preferences Sync: Show User Snippets Conflicts ({0})",
+ "sync is on": "Preferences Sync is On",
+ "turn off failed": "Error while turning off sync: {0}",
+ "Sync accept remote": "Preferences Sync: {0}",
+ "Sync accept local": "Preferences Sync: {0}",
+ "confirm replace and overwrite local": "Would you like to accept remote {0} and replace local {1}?",
+ "confirm replace and overwrite remote": "Would you like to accept local {0} and replace remote {1}?",
+ "update conflicts": "Could not resolve conflicts as there is new local version available. Please try again."
+ },
+ "vs/workbench/contrib/watermark/browser/watermark": {
+ "watermark.showCommands": "Показати Всі Команди",
+ "watermark.quickAccess": "Перейти до файлу",
+ "watermark.openFile": "Відкрити Файл",
+ "watermark.openFolder": "Відкрийте Каталог",
+ "watermark.openFileFolder": "Відкрити файл або папку",
+ "watermark.openRecent": "Відкрити Останні",
+ "watermark.newUntitledFile": "Новий файл без назви",
+ "watermark.toggleTerminal": "On/off Термінал",
+ "watermark.findInFiles": "Знайти в файлах",
+ "watermark.startDebugging": "Почати Налагодження",
+ "tips.enabled": "При включенні буде відображатися водяний знак поради, коли редактор не працює."
+ },
+ "vs/workbench/contrib/webview/browser/webview": {
+ "developer": "Розробник"
+ },
+ "vs/workbench/contrib/webview/browser/webview.contribution": {
+ "webview.editor.label": "webview editor"
+ },
+ "vs/workbench/contrib/webview/electron-browser/webviewCommands": {
+ "openToolsLabel": "Open Webview Developer Tools",
+ "editor.action.webvieweditor.copy": "Copy2",
+ "editor.action.webvieweditor.paste": "Вставити",
+ "editor.action.webvieweditor.cut": "Вирізати",
+ "editor.action.webvieweditor.undo": "Undo",
+ "editor.action.webvieweditor.redo": "Redo"
+ },
+ "vs/workbench/contrib/webview/browser/webviewCommands": {
+ "editor.action.webvieweditor.showFind": "Show find",
+ "editor.action.webvieweditor.hideFind": "Stop find",
+ "editor.action.webvieweditor.findNext": "Знайти наступне",
+ "editor.action.webvieweditor.findPrevious": "Find previous",
+ "editor.action.webvieweditor.selectAll": "Вибрати Все",
+ "refreshWebviewLabel": "Reload Webviews"
+ },
+ "vs/workbench/contrib/welcome/walkThrough/browser/walkThrough.contribution": {
+ "walkThrough.editor.label": "Інтерактивний Майданчик",
+ "help": "Допоможіть",
+ "miInteractivePlayground": "I&&nteractive Playground"
+ },
+ "vs/workbench/contrib/welcome/page/browser/welcomePage.contribution": {
+ "workbench.startupEditor.none": "Почати без редактора.",
+ "workbench.startupEditor.welcomePage": "Відкрити сторінку привітання (за замовчуванням).",
+ "workbench.startupEditor.readme": "Open the README when opening a folder that contains one, fallback to 'welcomePage' otherwise.",
+ "workbench.startupEditor.newUntitledFile": "Open a new untitled file (only applies when opening an empty workspace).",
+ "workbench.startupEditor.welcomePageInEmptyWorkbench": "Open the Welcome page when opening an empty workbench.",
+ "workbench.startupEditor": "Controls which editor is shown at startup, if none are restored from the previous session.",
+ "help": "Допоможіть",
+ "miWelcome": "&&Welcome"
+ },
+ "vs/workbench/contrib/welcome/overlay/browser/welcomeOverlay": {
+ "welcomeOverlay.explorer": "Провідник",
+ "welcomeOverlay.search": "Пошук по файлах",
+ "welcomeOverlay.git": "Управління вихідним кодом",
+ "welcomeOverlay.debug": "Запуск і налагодження",
+ "welcomeOverlay.extensions": "Управління додатками",
+ "welcomeOverlay.problems": "Переглянути помилки та попередження",
+ "welcomeOverlay.terminal": "Перемкнути Інтегрований Термінал",
+ "welcomeOverlay.commandPalette": "Знайти і виконувати всі команди",
+ "welcomeOverlay.notifications": "Show notifications",
+ "welcomeOverlay": "Огляд інтерфейсу користувача",
+ "hideWelcomeOverlay": "Приховати Огляд Інтерфейсу",
+ "help": "Допоможіть"
+ },
+ "vs/workbench/contrib/welcome/walkThrough/browser/editor/editorWalkThrough": {
+ "editorWalkThrough.title": "Інтерактивний Майданчик",
+ "editorWalkThrough": "Інтерактивний Майданчик"
+ },
+ "vs/workbench/contrib/welcome/common/viewsWelcomeExtensionPoint": {
+ "contributes.viewsWelcome": "Contributed views welcome content. Welcome content will be rendered in 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.",
+ "contributes.viewsWelcome.view": "Contributed welcome content for a specific view.",
+ "contributes.viewsWelcome.view.view": "Target view identifier for this welcome content.",
+ "contributes.viewsWelcome.view.contents": "Welcome content to be displayed. The format of the contents is a subset of Markdown, with support for links only.",
+ "contributes.viewsWelcome.view.when": "Condition when the welcome content should be displayed."
+ },
+ "vs/workbench/contrib/welcome/telemetryOptOut/browser/telemetryOptOut": {
+ "telemetryOptOut.optOutNotice": "Help improve VS Code by allowing Microsoft to collect usage data. Read our [privacy statement]({0}) and learn how to [opt out]({1}).",
+ "telemetryOptOut.optInNotice": "Help improve VS Code by allowing Microsoft to collect usage data. Read our [privacy statement]({0}) and learn how to [opt in]({1}).",
+ "telemetryOptOut.readMore": "Read More",
+ "telemetryOptOut.optOutOption": "Please help Microsoft improve Visual Studio Code by allowing the collection of usage data. Read our [privacy statement]({0}) for more details.",
+ "telemetryOptOut.OptIn": "Yes, glad to help",
+ "telemetryOptOut.OptOut": "No, thanks"
+ },
+ "vs/workbench/contrib/welcome/walkThrough/browser/walkThroughPart": {
+ "walkThrough.unboundCommand": "незв'язаний",
+ "walkThrough.gitNotFound": "Схоже, що git не встановлений на вашій системі.",
+ "walkThrough.embeddedEditorBackground": "Колір фону для вбудованих редакторів на інтерактивній майданчику."
+ },
+ "vs/workbench/contrib/welcome/page/browser/welcomePage": {
+ "welcomePage": "Ласкаво просимо",
+ "welcomePage.javaScript": "JavaScript",
+ "welcomePage.python": "Пітон",
+ "welcomePage.php": "PHP",
+ "welcomePage.azure": "Azure",
+ "welcomePage.showAzureExtensions": "Показати Azure додатки",
+ "welcomePage.docker": "Докер",
+ "welcomePage.vim": "Vim",
+ "welcomePage.sublime": "Sublime",
+ "welcomePage.atom": "Атом",
+ "welcomePage.extensionPackAlreadyInstalled": "Підтримка для {0} уже інстальована.",
+ "welcomePage.willReloadAfterInstallingExtensionPack": "Вікно буде перезавантажити після установки додатковою підтримкою для {0}.",
+ "welcomePage.installingExtensionPack": "Встановлення додаткових підтримок для {0}...",
+ "welcomePage.extensionPackNotFound": "Підтримка для {0} з кодом {1} не може бути знайдена.",
+ "welcomePage.keymapAlreadyInstalled": "Сполучення клавіш {0} уже інстальовано.",
+ "welcomePage.willReloadAfterInstallingKeymap": "Вікно буде перезавантажено після установки {0} сполучення клавіш.",
+ "welcomePage.installingKeymap": "Установка {0} гарячі клавіші...",
+ "welcomePage.keymapNotFound": "Сполучення клавіш {0} з ідентифікатором {1} не знайдено.",
+ "welcome.title": "Ласкаво просимо",
+ "welcomePage.openFolderWithPath": "Відкрити папку {0} за шляхом {1}",
+ "welcomePage.extensionListSeparator": ", ",
+ "welcomePage.installKeymap": "Встановіть {0} розкладку",
+ "welcomePage.installExtensionPack": "Встановити додаткову підтримку для {0}",
+ "welcomePage.installedKeymap": "{0} розкладку вже встановлено",
+ "welcomePage.installedExtensionPack": "{0} підтримка вже встановлена",
+ "ok": "ОК",
+ "details": "Деталі",
+ "welcomePage.buttonBackground": "Колір фону для кнопок на сторінці привітання.",
+ "welcomePage.buttonHoverBackground": "Колір фону при наведенні для кнопок на сторінці привітання.",
+ "welcomePage.background": "Background color for the Welcome page."
+ },
+ "vs/workbench/contrib/welcome/page/browser/vs_code_welcome_page": {
+ "welcomePage.vscode": "Visual Studio Code",
+ "welcomePage.editingEvolved": "Редагування розвивалися",
+ "welcomePage.start": "Почати",
+ "welcomePage.newFile": "Новий Файл",
+ "welcomePage.openFolder": "Відкрити папку...",
+ "welcomePage.addWorkspaceFolder": "Додати папку робочої області...",
+ "welcomePage.recent": "Останні",
+ "welcomePage.moreRecent": "Більше...",
+ "welcomePage.noRecentFolders": "Немає останніх папок",
+ "welcomePage.help": "Допоможіть",
+ "welcomePage.keybindingsCheatsheet": "Шпаргалка по комбінаціям клавіш",
+ "welcomePage.introductoryVideos": "Вступне відео",
+ "welcomePage.tipsAndTricks": "Поради та хитрості",
+ "welcomePage.productDocumentation": "Документації по продукту",
+ "welcomePage.gitHubRepository": "Репозиторій GitHub",
+ "welcomePage.stackOverflow": "Stack Overflow",
+ "welcomePage.newsletterSignup": "Join our Newsletter",
+ "welcomePage.showOnStartup": "Показати сторінку вітання при запуску",
+ "welcomePage.customize": "Настроїти",
+ "welcomePage.installExtensionPacks": "Інструменти та мови",
+ "welcomePage.installExtensionPacksDescription": "Встановити підтримки для {0} та {1}",
+ "welcomePage.showLanguageExtensions": "Show more language extensions",
+ "welcomePage.moreExtensions": "ще",
+ "welcomePage.installKeymapDescription": "Settings and keybindings",
+ "welcomePage.installKeymapExtension": "Install the settings and keyboard shortcuts of {0} and {1}",
+ "welcomePage.showKeymapExtensions": "Show other keymap extensions",
+ "welcomePage.others": "інші",
+ "welcomePage.colorTheme": "Колір теми",
+ "welcomePage.colorThemeDescription": "Зробити редактор і ваш код виглядати так, як ви любите",
+ "welcomePage.learn": "Дізнатися",
+ "welcomePage.showCommands": "Знайти і виконувати всі команди",
+ "welcomePage.showCommandsDescription": "Швидкого доступу до команд і пошуку з командної панелі ({0})",
+ "welcomePage.interfaceOverview": "Огляд інтерфейсу",
+ "welcomePage.interfaceOverviewDescription": "Отримати візуальне накладення виділення основних компонентів інтерфейсу",
+ "welcomePage.interactivePlayground": "Інтерактивний Майданчик",
+ "welcomePage.interactivePlaygroundDescription": "Try out essential editor features in a short walkthrough"
+ },
+ "vs/workbench/services/authentication/browser/authenticationService": {
+ "noAuthenticationProviders": "No authentication providers registered"
+ },
+ "vs/workbench/services/bulkEdit/browser/bulkEditService": {
+ "workspaceEdit": "Workspace Edit",
+ "summary.0": "Жодних змін",
+ "summary.nm": "Зроблено {0} змін до змісту {1} файлів",
+ "summary.n0": "Зроблено {0} змін до змісту в одному файлі",
+ "nothing": "Жодних змін"
+ },
+ "vs/workbench/services/configuration/common/jsonEditingService": {
+ "errorInvalidFile": "Не вдається записати у файл. Будь ласка, відкрийте файл, щоб виправити помилки/попередження в файл і спробуйте знову.",
+ "errorFileDirty": "Не вдається записати у файл, тому що файл змінений. Будь ласка, збережіть файл і спробуйте знову."
+ },
+ "vs/workbench/services/configuration/common/configurationEditingService": {
+ "openTasksConfiguration": "Відкрити конфігурацію завдань",
+ "openLaunchConfiguration": "Відкрити налаштування запуску",
+ "open": "Відкрити Налаштування",
+ "saveAndRetry": "Зберегти і повторити",
+ "errorUnknownKey": "Можете написати {0}, оскільки {1} не зареєстровані конфігурації.",
+ "errorInvalidWorkspaceConfigurationApplication": "Unable to write {0} to Workspace Settings. This setting can be written only into User settings.",
+ "errorInvalidWorkspaceConfigurationMachine": "Unable to write {0} to Workspace Settings. This setting can be written only into User settings.",
+ "errorInvalidFolderConfiguration": "Неможливо записати параметри папки, оскільки {0} не підтримує область ресурсів папок.",
+ "errorInvalidUserTarget": "Не вдається записати до налаштувань робочої області, оскільки {0} не підтримує область робочого простору в робочій області мультипапки.",
+ "errorInvalidWorkspaceTarget": "Не вдається записати до налаштувань робочої області, оскільки {0} не підтримує область робочого простору в робочій області мультипапки.",
+ "errorInvalidFolderTarget": "Не вдалося записати до настройки папок, тому що немає ресурсу.",
+ "errorInvalidResourceLanguageConfiguraiton": "Unable to write to Language Settings because {0} is not a resource language setting.",
+ "errorNoWorkspaceOpened": "Не вдається записати до {0}, оскільки не відкрито жодного робочого простору. Спершу відкрийте робоче середовище і повторіть спробу.",
+ "errorInvalidTaskConfiguration": "Unable to write into the tasks configuration file. Please open it to correct errors/warnings in it and try again.",
+ "errorInvalidLaunchConfiguration": "Unable to write into the launch configuration file. Please open it to correct errors/warnings in it and try again.",
+ "errorInvalidConfiguration": "Unable to write into user settings. Please open the user settings to correct errors/warnings in it and try again.",
+ "errorInvalidRemoteConfiguration": "Unable to write into remote user settings. Please open the remote user settings to correct errors/warnings in it and try again.",
+ "errorInvalidConfigurationWorkspace": "Unable to write into workspace settings. Please open the workspace settings to correct errors/warnings in the file and try again.",
+ "errorInvalidConfigurationFolder": "Не вдалося записати в папку установки. Будь ласка відкрийте \"{0}\" папку налаштувань, щоб виправити помилки/попередження в ній і повторіть спробу.",
+ "errorTasksConfigurationFileDirty": "Unable to write into tasks configuration file because the file is dirty. Please save it first and then try again.",
+ "errorLaunchConfigurationFileDirty": "Unable to write into launch configuration file because the file is dirty. Please save it first and then try again.",
+ "errorConfigurationFileDirty": "Unable to write into user settings because the file is dirty. Please save the user settings file first and then try again.",
+ "errorRemoteConfigurationFileDirty": "Unable to write into remote user settings because the file is dirty. Please save the remote user settings file first and then try again.",
+ "errorConfigurationFileDirtyWorkspace": "Unable to write into workspace settings because the file is dirty. Please save the workspace settings file first and then try again.",
+ "errorConfigurationFileDirtyFolder": "Unable to write into folder settings because the file is dirty. Please save the '{0}' folder settings file first and then try again.",
+ "errorTasksConfigurationFileModifiedSince": "Unable to write into tasks configuration file because the content of the file is newer.",
+ "errorLaunchConfigurationFileModifiedSince": "Unable to write into launch configuration file because the content of the file is newer.",
+ "errorConfigurationFileModifiedSince": "Unable to write into user settings because the content of the file is newer.",
+ "errorRemoteConfigurationFileModifiedSince": "Unable to write into remote user settings because the content of the file is newer.",
+ "errorConfigurationFileModifiedSinceWorkspace": "Unable to write into workspace settings because the content of the file is newer.",
+ "errorConfigurationFileModifiedSinceFolder": "Unable to write into folder settings because the content of the file is newer.",
+ "userTarget": "Налаштування Користувача",
+ "remoteUserTarget": "Remote User Settings",
+ "workspaceTarget": "Параметри Робочої Області",
+ "folderTarget": "Параметри Папки"
+ },
+ "vs/workbench/services/configurationResolver/browser/configurationResolverService": {
+ "commandVariable.noStringType": "Cannot substitute command variable '{0}' because command did not return a result of type string.",
+ "inputVariable.noInputSection": "Variable '{0}' must be defined in an '{1}' section of the debug or task configuration.",
+ "inputVariable.missingAttribute": "Input variable '{0}' is of type '{1}' and must include '{2}'.",
+ "inputVariable.defaultInputValue": "(Default)",
+ "inputVariable.command.noStringType": "Cannot substitute input variable '{0}' because command '{1}' did not return a result of type string.",
+ "inputVariable.unknownType": "Input variable '{0}' can only be of type 'promptString', 'pickString', or 'command'.",
+ "inputVariable.undefinedVariable": "Undefined input variable '{0}' encountered. Remove or define '{0}' to continue."
+ },
+ "vs/workbench/services/configurationResolver/common/variableResolver": {
+ "canNotResolveFile": "'{0}' can not be resolved. Please open an editor.",
+ "canNotFindFolder": "'{0}' can not be resolved. No such folder '{1}'.",
+ "canNotResolveWorkspaceFolderMultiRoot": "'{0}' can not be resolved in a multi folder workspace. Scope this variable using ':' and a workspace folder name.",
+ "canNotResolveWorkspaceFolder": "'{0}' can not be resolved. Please open a folder.",
+ "missingEnvVarName": "'{0}' can not be resolved because no environment variable name is given.",
+ "configNotFound": "'{0}' can not be resolved because setting '{1}' not found.",
+ "configNoString": "'{0}' can not be resolved because '{1}' is a structured value.",
+ "missingConfigName": "'{0}' can not be resolved because no settings name is given.",
+ "canNotResolveLineNumber": "'{0}' can not be resolved. Make sure to have a line selected in the active editor.",
+ "canNotResolveSelectedText": "'{0}' can not be resolved. Make sure to have some text selected in the active editor.",
+ "noValueForCommand": "'{0}' can not be resolved because the command has no value."
+ },
+ "vs/workbench/services/configurationResolver/common/configurationResolverUtils": {
+ "deprecatedVariables": "'env.', 'config.' and 'command.' are deprecated, use 'env:', 'config:' and 'command:' instead."
+ },
+ "vs/workbench/services/configurationResolver/common/configurationResolverSchema": {
+ "JsonSchema.input.id": "The input's id is used to associate an input with a variable of the form ${input:id}.",
+ "JsonSchema.input.type": "The type of user input prompt to use.",
+ "JsonSchema.input.description": "The description is shown when the user is prompted for input.",
+ "JsonSchema.input.default": "The default value for the input.",
+ "JsonSchema.inputs": "User inputs. Used for defining user input prompts, such as free string input or a choice from several options.",
+ "JsonSchema.input.type.promptString": "The 'promptString' type opens an input box to ask the user for input.",
+ "JsonSchema.input.password": "Controls if a password input is shown. Password input hides the typed text.",
+ "JsonSchema.input.type.pickString": "The 'pickString' type shows a selection list.",
+ "JsonSchema.input.options": "An array of strings that defines the options for a quick pick.",
+ "JsonSchema.input.pickString.optionLabel": "Label for the option.",
+ "JsonSchema.input.pickString.optionValue": "Value for the option.",
+ "JsonSchema.input.type.command": "The 'command' type executes a command.",
+ "JsonSchema.input.command.command": "The command to execute for this input variable.",
+ "JsonSchema.input.command.args": "Optional arguments passed to the command."
+ },
+ "vs/workbench/services/decorations/browser/decorationsService": {
+ "bubbleTitle": "Contains emphasized items"
+ },
+ "vs/workbench/services/dialogs/electron-browser/dialogService": {
+ "yesButton": "&&Yes",
+ "cancelButton": "Скасувати",
+ "aboutDetail": "Version: {0}\nCommit: {1}\nDate: {2}\nElectron: {3}\nChrome: {4}\nNode.js: {5}\nV8: {6}\nOS: {7}",
+ "okButton": "ОК",
+ "copy": "&&Copy"
+ },
+ "vs/workbench/services/dialogs/browser/dialogService": {
+ "yesButton": "&&Yes",
+ "cancelButton": "Скасувати",
+ "aboutDetail": "Version: {0}\nCommit: {1}\nDate: {2}\nBrowser: {3}",
+ "copy": "Скопіювати",
+ "ok": "ОК"
+ },
+ "vs/workbench/services/dialogs/browser/abstractFileDialogService": {
+ "saveChangesDetail": "Ваші зміни будуть втрачені, якщо Ви не збережете їх.",
+ "saveChangesMessage": "Ви хочете зберегти зміни, внесені до {0}?",
+ "saveChangesMessages": "Ви хочете зберегти внесені зміни в наступні {0} файли?",
+ "saveAll": "&&Save All",
+ "save": "&&Save",
+ "dontSave": "Do&&n't Save",
+ "cancel": "Скасувати",
+ "openFileOrFolder.title": "Відкрити файл або папку",
+ "openFile.title": "Відкрити Файл",
+ "openFolder.title": "Відкрийте Папку",
+ "openWorkspace.title": "Відкрити Робочу Область",
+ "filterName.workspace": "Workspace",
+ "saveFileAs.title": "Save As",
+ "saveAsTitle": "Save As",
+ "allFiles": "Всі Файли",
+ "noExt": "Без Розширення"
+ },
+ "vs/workbench/services/dialogs/browser/simpleFileDialog": {
+ "openLocalFile": "Open Local File...",
+ "saveLocalFile": "Save Local File...",
+ "openLocalFolder": "Open Local Folder...",
+ "openLocalFileFolder": "Open Local...",
+ "remoteFileDialog.notConnectedToRemote": "File system provider for {0} is not available.",
+ "remoteFileDialog.local": "Show Local",
+ "remoteFileDialog.badPath": "The path does not exist.",
+ "remoteFileDialog.cancel": "Скасувати",
+ "remoteFileDialog.invalidPath": "Please enter a valid path.",
+ "remoteFileDialog.validateFolder": "The folder already exists. Please use a new file name.",
+ "remoteFileDialog.validateExisting": "{0} already exists. Are you sure you want to overwrite it?",
+ "remoteFileDialog.validateBadFilename": "Please enter a valid file name.",
+ "remoteFileDialog.validateNonexistentDir": "Please enter a path that exists.",
+ "remoteFileDialog.validateFileOnly": "Please select a file.",
+ "remoteFileDialog.validateFolderOnly": "Please select a folder."
+ },
+ "vs/workbench/services/editor/browser/editorService": {
+ "sideBySideLabels": "{0} - {1}",
+ "compareLabels": "{0} ↔ {1}"
+ },
+ "vs/workbench/services/extensionManagement/electron-browser/extensionManagementServerService": {
+ "local": "Місцевий",
+ "remote": "Remote"
+ },
+ "vs/workbench/services/extensionManagement/common/extensionManagementService": {
+ "singleDependentError": "Не вдається видалити додаток \"{0}\". Від нього залежить додаток \"{1}\".",
+ "twoDependentsError": "Не вдається видалити додаток \"{0}\". Від нього залежать додатки \"{1}\" і \"{2}\".",
+ "multipleDependentsError": "Не вдається видалити додаток \"{0}\". Від нього залежать додатки \"{1}\", \"{2}\" та інші.",
+ "Manifest is not found": "Installing Extension {0} failed: Manifest is not found.",
+ "cannot be installed": "Cannot install '{0}' because this extension has defined that it cannot run on the remote server."
+ },
+ "vs/workbench/services/extensionManagement/common/extensionEnablementService": {
+ "noWorkspace": "No workspace."
+ },
+ "vs/workbench/services/extensions/electron-browser/extensionService": {
+ "extensionsDisabled": "All installed extensions are temporarily disabled. Reload the window to return to the previous state.",
+ "Reload": "Перезавантажити",
+ "looping": "The following extensions contain dependency loops and have been disabled: {0}",
+ "extensionService.versionMismatchCrash": "Extension host cannot start: version mismatch.",
+ "relaunch": "Relaunch VS Code",
+ "extensionService.crash": "Розширення вузла було несподівано перервано.",
+ "devTools": "Open Developer Tools",
+ "restart": "Перезавантажте Розширення Вузла",
+ "getEnvironmentFailure": "Could not fetch remote environment",
+ "enableResolver": "Extension '{0}' is required to open the remote window.\nOK to enable?",
+ "enable": "Enable and Reload",
+ "installResolver": "Extension '{0}' is required to open the remote window.\nnOK to install?",
+ "install": "Install and Reload",
+ "resolverExtensionNotFound": "`{0}` not found on marketplace",
+ "restartExtensionHost": "Перезавантажте Розширення Вузла",
+ "developer": "Розробник"
+ },
+ "vs/workbench/services/extensions/electron-browser/remoteExtensionManagementIpc": {
+ "incompatible": "Unable to install extension '{0}' as it is not compatible with VS Code '{1}'."
+ },
+ "vs/workbench/services/extensions/browser/extensionUrlHandler": {
+ "confirmUrl": "Allow an extension to open this URI?",
+ "rememberConfirmUrl": "Don't ask again for this extension.",
+ "open": "&&Open",
+ "reloadAndHandle": "Extension '{0}' is not loaded. Would you like to reload the window to load the extension and open the URL?",
+ "reloadAndOpen": "&&Reload Window and Open",
+ "enableAndHandle": "Extension '{0}' is disabled. Would you like to enable the extension and reload the window to open the URL?",
+ "enableAndReload": "&&Enable and Open",
+ "installAndHandle": "Extension '{0}' is not installed. Would you like to install the extension and reload the window to open this URL?",
+ "install": "&&Install",
+ "Installing": "Installing Extension '{0}'...",
+ "reload": "Would you like to reload the window and open the URL '{0}'?",
+ "Reload": "Reload Window and Open",
+ "manage": "Manage Authorized Extension URIs..."
+ },
+ "vs/workbench/services/extensions/common/extensionsRegistry": {
+ "ui": "UI extension kind. In a remote window, such extensions are enabled only when available on the local machine.",
+ "workspace": "Workspace extension kind. In a remote window, such extensions are enabled only when available on the remote.",
+ "vscode.extension.engines": "Сумісність двигуна.",
+ "vscode.extension.engines.vscode": "For VS Code extensions, specifies the VS Code version that the extension is compatible with. Cannot be *. For example: ^0.10.5 indicates compatibility with a minimum VS Code version of 0.10.5.",
+ "vscode.extension.publisher": "The publisher of the VS Code extension.",
+ "vscode.extension.displayName": "The display name for the extension used in the VS Code gallery.",
+ "vscode.extension.categories": "The categories used by the VS Code gallery to categorize the extension.",
+ "vscode.extension.category.languages.deprecated": "Use 'Programming Languages' instead",
+ "vscode.extension.galleryBanner": "Banner used in the VS Code marketplace.",
+ "vscode.extension.galleryBanner.color": "The banner color on the VS Code marketplace page header.",
+ "vscode.extension.galleryBanner.theme": "The color theme for the font used in the banner.",
+ "vscode.extension.contributes": "All contributions of the VS Code extension represented by this package.",
+ "vscode.extension.preview": "Sets the extension to be flagged as a Preview in the Marketplace.",
+ "vscode.extension.activationEvents": "Activation events for the VS Code extension.",
+ "vscode.extension.activationEvents.onLanguage": "An activation event emitted whenever a file that resolves to the specified language gets opened.",
+ "vscode.extension.activationEvents.onCommand": "An activation event emitted whenever the specified command gets invoked.",
+ "vscode.extension.activationEvents.onDebug": "An activation event emitted whenever a user is about to start debugging or about to setup debug configurations.",
+ "vscode.extension.activationEvents.onDebugInitialConfigurations": "An activation event emitted whenever a \"launch.json\" needs to be created (and all provideDebugConfigurations methods need to be called).",
+ "vscode.extension.activationEvents.onDebugResolve": "An activation event emitted whenever a debug session with the specific type is about to be launched (and a corresponding resolveDebugConfiguration method needs to be called).",
+ "vscode.extension.activationEvents.onDebugAdapterProtocolTracker": "An activation event emitted whenever a debug session with the specific type is about to be launched and a debug protocol tracker might be needed.",
+ "vscode.extension.activationEvents.workspaceContains": "An activation event emitted whenever a folder is opened that contains at least a file matching the specified glob pattern.",
+ "vscode.extension.activationEvents.onFileSystem": "An activation event emitted whenever a file or folder is accessed with the given scheme.",
+ "vscode.extension.activationEvents.onSearch": "An activation event emitted whenever a search is started in the folder with the given scheme.",
+ "vscode.extension.activationEvents.onView": "An activation event emitted whenever the specified view is expanded.",
+ "vscode.extension.activationEvents.onIdentity": "An activation event emitted whenever the specified user identity.",
+ "vscode.extension.activationEvents.onUri": "An activation event emitted whenever a system-wide Uri directed towards this extension is open.",
+ "vscode.extension.activationEvents.onCustomEditor": "An activation event emitted whenever the specified custom editor becomes visible.",
+ "vscode.extension.activationEvents.star": "An activation event emitted on VS Code startup. To ensure a great end user experience, please use this activation event in your extension only when no other activation events combination works in your use-case.",
+ "vscode.extension.badges": "Array of badges to display in the sidebar of the Marketplace's extension page.",
+ "vscode.extension.badges.url": "Badge image URL.",
+ "vscode.extension.badges.href": "Badge link.",
+ "vscode.extension.badges.description": "Badge description.",
+ "vscode.extension.markdown": "Controls the Markdown rendering engine used in the Marketplace. Either github (default) or standard.",
+ "vscode.extension.qna": "Controls the Q&A link in the Marketplace. Set to marketplace to enable the default Marketplace Q & A site. Set to a string to provide the URL of a custom Q & A site. Set to false to disable Q & A altogether.",
+ "vscode.extension.extensionDependencies": "Dependencies to other extensions. The identifier of an extension is always ${publisher}.${name}. For example: vscode.csharp.",
+ "vscode.extension.contributes.extensionPack": "A set of extensions that can be installed together. The identifier of an extension is always ${publisher}.${name}. For example: vscode.csharp.",
+ "extensionKind": "Define the kind of an extension. `ui` extensions are installed and run on the local machine while `workspace` extensions run on the remote.",
+ "extensionKind.ui": "Define an extension which can run only on the local machine when connected to remote window.",
+ "extensionKind.workspace": "Define an extension which can run only on the remote machine when connected remote window.",
+ "extensionKind.ui-workspace": "Define an extension which can run on either side, with a preference towards running on the local machine.",
+ "extensionKind.workspace-ui": "Define an extension which can run on either side, with a preference towards running on the remote machine.",
+ "extensionKind.empty": "Define an extension which cannot run in a remote context, neither on the local, nor on the remote machine.",
+ "vscode.extension.scripts.prepublish": "Script executed before the package is published as a VS Code extension.",
+ "vscode.extension.scripts.uninstall": "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.",
+ "vscode.extension.icon": "The path to a 128x128 pixel icon."
+ },
+ "vs/workbench/services/extensions/common/remoteExtensionHostClient": {
+ "remote extension host Log": "Remote Extension Host"
+ },
+ "vs/workbench/services/extensions/common/extensionHostProcessManager": {
+ "measureExtHostLatency": "Measure Extension Host Latency",
+ "developer": "Розробник"
+ },
+ "vs/workbench/services/extensions/electron-browser/cachedExtensionScanner": {
+ "overwritingExtension": "Перезапису розширення {0} з {1}.",
+ "extensionUnderDevelopment": "Завантаження розширення розвитку на {0}",
+ "extensionCache.invalid": "Розширення було змінено на диску. Будь ласка, перезавантажте вікно.",
+ "reloadWindow": "Reload Window"
+ },
+ "vs/workbench/services/extensions/electron-browser/extensionHost": {
+ "extensionHost.startupFailDebug": "Розширення хоста не стартувало за 10 секунд, може бути зупинені на першій лінії і потребує налагоджувача щоб продовжити.",
+ "extensionHost.startupFail": "Якщо розширення хосту не розпочнеться за 10 секунд, це може стати проблемою.",
+ "reloadWindow": "Reload Window",
+ "extension host Log": "Розширення Вузла",
+ "extensionHost.error": "Помилка з розширенням хосту: {0}"
+ },
+ "vs/workbench/services/extensions/node/extensionPoints": {
+ "jsonParseFail": "Failed to parse {0}: [{1}, {2}] {3}.",
+ "fileReadFail": "Cannot read file {0}: {1}.",
+ "jsonsParseReportErrors": "Failed to parse {0}: {1}.",
+ "jsonInvalidFormat": "Invalid format {0}: JSON object expected.",
+ "missingNLSKey": "Couldn't find message for key {0}.",
+ "notSemver": "Розширення не сумісне з символьним сервером.",
+ "extensionDescription.empty": "Got empty extension description",
+ "extensionDescription.publisher": "property publisher must be of type `string`.",
+ "extensionDescription.name": "Властивість `{0}` є обов'язковою і повинна бути типу `string`",
+ "extensionDescription.version": "Властивість `{0}` є обов'язковою і повинна бути типу `string`",
+ "extensionDescription.engines": "property `{0}` is mandatory and must be of type `object`",
+ "extensionDescription.engines.vscode": "Властивість `{0}` є обов'язковою і повинна бути типу `string`",
+ "extensionDescription.extensionDependencies": "property `{0}` can be omitted or must be of type `string[]`",
+ "extensionDescription.activationEvents1": "property `{0}` can be omitted or must be of type `string[]`",
+ "extensionDescription.activationEvents2": "обидві властивості `{0}` та `{1}` повинні бути заданими, або ж бути відсутні разом",
+ "extensionDescription.main1": "Властивість `{0}` є опціональною або ж бути типу `string`",
+ "extensionDescription.main2": "Expected `main` ({0}) to be included inside extension's folder ({1}). This might make the extension non-portable.",
+ "extensionDescription.main3": "обидві властивості `{0}` та `{1}` повинні бути заданими, або ж бути відсутні разом"
+ },
+ "vs/workbench/services/files/common/workspaceWatcher": {
+ "netVersionError": "Microsoft .NET Framework 4.5 є обов'язковим. Будь ласка, слідуйте за посиланням, щоб встановити його.",
+ "installNet": "Завантажити .NET Framework 4.5",
+ "enospcError": "Unable to watch for file changes in this large workspace. Please follow the instructions link to resolve this issue.",
+ "learnMore": "Instructions"
+ },
+ "vs/workbench/services/integrity/node/integrityService": {
+ "integrity.prompt": "Схоже, ваша встановлення {0} пошкоджене. Спробуйте знову інсталювати.",
+ "integrity.moreInformation": "Більше іноформації",
+ "integrity.dontShowAgain": "Не показувати знову"
+ },
+ "vs/workbench/services/keybinding/electron-browser/keybinding.contribution": {
+ "keyboardConfigurationTitle": "Клавіатура",
+ "touchbar.enabled": "Включає в MacOS сенсорної панелі кнопок на клавіатурі, якщо вони доступні.",
+ "touchbar.ignored": "A set of identifiers for entries in the touchbar that should not show up (for example `workbench.action.navigateBack`."
+ },
+ "vs/workbench/services/keybinding/common/keybindingEditing": {
+ "errorKeybindingsFileDirty": "Unable to write because the keybindings configuration file is dirty. Please save it first and then try again.",
+ "parseErrors": "Unable to write to the keybindings configuration file. Please open it to correct errors/warnings in the file and try again.",
+ "errorInvalidConfiguration": "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.",
+ "emptyKeybindingsHeader": "Place your key bindings in this file to override the defaults"
+ },
+ "vs/workbench/services/keybinding/browser/keybindingService": {
+ "nonempty": "очікується, що непорожнє значення.",
+ "requirestring": "Властивість `{0}` є обов'язковою і повинна бути типу `string`",
+ "optstring": "Властивість `{0}` є опціональною або ж бути типу `string`",
+ "vscode.extension.contributes.keybindings.command": "Ідентифікатор команди, коли прив'язка клавіш спрацьовує.",
+ "vscode.extension.contributes.keybindings.args": "Аргументи, які потрібно передати, щоб виконати команду.",
+ "vscode.extension.contributes.keybindings.key": "Key or key sequence (separate keys with plus-sign and sequences with space, e.g. Ctrl+O and Ctrl+L L for a chord).",
+ "vscode.extension.contributes.keybindings.mac": "Певний Mac клавішу або послідовність клавіш.",
+ "vscode.extension.contributes.keybindings.linux": "Певну клавішу Linux або послідовність клавіш.",
+ "vscode.extension.contributes.keybindings.win": "Конкретна Windows клавіша або послідовність клавіш.",
+ "vscode.extension.contributes.keybindings.when": "Стан, коли клавіша активна.",
+ "vscode.extension.contributes.keybindings": "Сприяє формуванню комбінацій клавіш.",
+ "invalid.keybindings": "Невірний `contributes.{0}`: {1}",
+ "unboundCommands": "Ось інші доступні команди: ",
+ "keybindings.json.title": "Конфігурація гарячих клавіш",
+ "keybindings.json.key": "Клавішу або послідовність клавіш (розділених пробілом)",
+ "keybindings.json.command": "Ім'я команди, яка виконується",
+ "keybindings.json.when": "Стан, коли клавіша активна.",
+ "keybindings.json.args": "Аргументи, які потрібно передати, щоб виконати команду.",
+ "keyboardConfigurationTitle": "Клавіатура",
+ "dispatch": "Контролює диспетчерської логіку для натискання клавіш для використання у будь-якому 'код' (рекомендовано) або `keyCode`."
+ },
+ "vs/workbench/services/label/common/labelService": {
+ "vscode.extension.contributes.resourceLabelFormatters": "Contributes resource label formatting rules.",
+ "vscode.extension.contributes.resourceLabelFormatters.scheme": "URI scheme on which to match the formatter on. For example \"file\". Simple glob patterns are supported.",
+ "vscode.extension.contributes.resourceLabelFormatters.authority": "URI authority on which to match the formatter on. Simple glob patterns are supported.",
+ "vscode.extension.contributes.resourceLabelFormatters.formatting": "Rules for formatting uri resource labels.",
+ "vscode.extension.contributes.resourceLabelFormatters.label": "Label rules to display. For example: myLabel:/${path}. ${path}, ${scheme} and ${authority} are supported as variables.",
+ "vscode.extension.contributes.resourceLabelFormatters.separator": "Separator to be used in the uri label display. '/' or '' as an example.",
+ "vscode.extension.contributes.resourceLabelFormatters.tildify": "Controls if the start of the uri label should be tildified when possible.",
+ "vscode.extension.contributes.resourceLabelFormatters.formatting.workspaceSuffix": "Suffix appended to the workspace label.",
+ "untitledWorkspace": "(Робоча область) без назви",
+ "workspaceNameVerbose": "{0} (Workspace)",
+ "workspaceName": "{0} (Workspace)"
+ },
+ "vs/workbench/services/lifecycle/electron-browser/lifecycleService": {
+ "errorClose": "An unexpected error prevented the window from closing ({0}).",
+ "errorQuit": "An unexpected error prevented the application from closing ({0}).",
+ "errorReload": "An unexpected error prevented the window from reloading ({0}).",
+ "errorLoad": "An unexpected error prevented the window from changing it's workspace ({0})."
+ },
+ "vs/workbench/services/mode/common/workbenchModeService": {
+ "vscode.extension.contributes.languages": "Сприяє мовним деклараціям.",
+ "vscode.extension.contributes.languages.id": "Ідентифікатор мови.",
+ "vscode.extension.contributes.languages.aliases": "Псевдоніми для мови.",
+ "vscode.extension.contributes.languages.extensions": "Розширення імен файлів зв'язані з мовою.",
+ "vscode.extension.contributes.languages.filenames": "Імена файлів, пов'язаних з мовою.",
+ "vscode.extension.contributes.languages.filenamePatterns": "Ім'я файлу glob шаблонів, пов'язаних з мовою.",
+ "vscode.extension.contributes.languages.mimetypes": "Типи MIME, які пов'язані з мовою.",
+ "vscode.extension.contributes.languages.firstLine": "Формальний вираз, що відповідає першому рядку файлу мови.",
+ "vscode.extension.contributes.languages.configuration": "Відносний шлях до файлу, який містить параметри конфігурації для мови.",
+ "invalid": "Невірний `contributes.{0}`. Очікується масив.",
+ "invalid.empty": "Порожнє значення для `contributes.{0}`",
+ "require.id": "Властивість `{0}` є обов'язковою і повинна бути типу `string`",
+ "opt.extensions": "властивість \"{0}\" може бути пропущена і має належати до типу 'рядок[]'",
+ "opt.filenames": "властивість \"{0}\" може бути пропущена і має належати до типу 'рядок[]'",
+ "opt.firstLine": "властивість \"{0}\" може бути пропущена або має належати до типу \"рядок\"",
+ "opt.configuration": "властивість \"{0}\" може бути пропущена або має належати до типу \"рядок\"",
+ "opt.aliases": "властивість \"{0}\" може бути пропущена і має належати до типу 'рядок[]'",
+ "opt.mimetypes": "властивість \"{0}\" може бути пропущена і має належати до типу 'рядок[]'"
+ },
+ "vs/workbench/services/notification/common/notificationService": {
+ "neverShowAgain": "Не показувати знову"
+ },
+ "vs/workbench/services/preferences/common/preferences": {
+ "userSettingsTarget": "Налаштування Користувача",
+ "workspaceSettingsTarget": "Параметри Робочої Області"
+ },
+ "vs/workbench/services/preferences/browser/preferencesService": {
+ "openFolderFirst": "Open a folder first to create workspace settings",
+ "emptyKeybindingsHeader": "Place your key bindings in this file to override the defaults",
+ "defaultKeybindings": "Default Keybindings",
+ "defaultSettings": "Налаштування За Замовчуванням",
+ "folderSettingsName": "{0} (Folder Settings)",
+ "fail.createSettings": "Unable to create '{0}' ({1})."
+ },
+ "vs/workbench/services/preferences/common/preferencesEditorInput": {
+ "settingsEditorName": "Налаштування За Замовчуванням",
+ "keybindingsInputName": "Сполучення Клавіш",
+ "settingsEditor2InputName": "Параметри"
+ },
+ "vs/workbench/services/preferences/common/preferencesModels": {
+ "commonlyUsed": "Commonly Used",
+ "validations.stringArrayUniqueItems": "Array has duplicate items",
+ "validations.stringArrayMinItem": "Array must have at least {0} items",
+ "validations.stringArrayMaxItem": "Array must have at most {0} items",
+ "validations.stringArrayItemPattern": "Value {0} must match regex {1}.",
+ "validations.stringArrayItemEnum": "Value {0} is not one of {1}",
+ "validations.exclusiveMax": "Value must be strictly less than {0}.",
+ "validations.exclusiveMin": "Value must be strictly greater than {0}.",
+ "validations.max": "Value must be less than or equal to {0}.",
+ "validations.min": "Value must be greater than or equal to {0}.",
+ "validations.multipleOf": "Value must be a multiple of {0}.",
+ "validations.expectedInteger": "Value must be an integer.",
+ "validations.maxLength": "Value must be {0} or fewer characters long.",
+ "validations.minLength": "Value must be {0} or more characters long.",
+ "validations.regex": "Value must match regex `{0}`.",
+ "validations.expectedNumeric": "Value must be a number.",
+ "defaultKeybindingsHeader": "Override key bindings by placing them into your key bindings file."
+ },
+ "vs/workbench/services/preferences/common/keybindingsEditorModel": {
+ "default": "Default",
+ "user": "User",
+ "cat.title": "{0}: {1}",
+ "meta": "meta",
+ "option": "option"
+ },
+ "vs/workbench/services/progress/browser/progressService": {
+ "progress.text2": "{0}: {1}",
+ "progress.title3": "[{0}] {1}: {2}",
+ "progress.title2": "[{0}]: {1}",
+ "status.progress": "Progress Message",
+ "cancel": "Cancel",
+ "dismiss": "Відхилити"
+ },
+ "vs/workbench/services/remote/common/abstractRemoteAgentService": {
+ "connectionError": "Failed to connect to the remote extension host server (Error: {0})"
+ },
+ "vs/workbench/services/textfile/electron-browser/nativeTextFileService": {
+ "fileBinaryError": "Файл, здається, бінарний і не може бути відкритий як текстовий",
+ "fileReadOnlyError": "File is Read Only"
+ },
+ "vs/workbench/services/textfile/browser/textFileService": {
+ "fileBinaryError": "Файл, здається, бінарний і не може бути відкритий як текстовий",
+ "confirmOverwrite": "'{0}' already exists. Do you want to replace it?",
+ "irreversible": "A file or folder with the name '{0}' already exists in the folder '{1}'. Replacing it will overwrite its current contents.",
+ "replaceButtonLabel": "&&Replace"
+ },
+ "vs/workbench/services/textfile/common/textFileEditorModelManager": {
+ "genericSaveError": "Не вдалося зберегти '{0}': {1}"
+ },
+ "vs/workbench/services/textfile/common/textFileEditorModel": {
+ "saveFileFirst": "Файл брудні. Будь ласка, збережіть його, перш ніж відкрити з кодуванням."
+ },
+ "vs/workbench/services/textfile/common/textFileSaveParticipant": {
+ "saveParticipants": "Saving '{0}'"
+ },
+ "vs/workbench/services/textMate/browser/abstractTextMateService": {
+ "invalid.language": "Невідома мова в `contributes.{0}.language`. Пропоновані значення: {1}",
+ "invalid.scopeName": "Очікується, що рядки в `contributes.{0}.scopeName`. Пропоновані значення: {1}",
+ "invalid.path.0": "Очікуються рядки в `contributes.{0}.path`. Пропоновані значення: {1}",
+ "invalid.injectTo": "Неприпустиме значення в `contributes.{0}.injectTo`. Повинен бути масив імен областей мови. Пропоновані значення: {1}",
+ "invalid.embeddedLanguages": "Неприпустиме значення в `contributes.{0}.embeddedLanguages`. Повинен бути об'єкт карти від імені мови. Пропоновані значення: {1}",
+ "invalid.tokenTypes": "Invalid value in `contributes.{0}.tokenTypes`. Must be an object map from scope name to token type. Provided value: {1}",
+ "invalid.path.1": "Очікуваний `contributes.{0}.path` ({1}), щоб бути включеними в папці модуля ({2}). Це може усунути портативність додатку.",
+ "too many characters": "Tokenization is skipped for long lines for performance reasons. The length of a long line can be configured via `editor.maxTokenizationLineLength`.",
+ "neverAgain": "Не показувати знову"
+ },
+ "vs/workbench/services/textMate/common/TMGrammarFactory": {
+ "no-tm-grammar": "Немає ТМ граматики зареєстровано для цієї мови."
+ },
+ "vs/workbench/services/textMate/common/TMGrammars": {
+ "vscode.extension.contributes.grammars": "Сприяє textmate tokenizers.",
+ "vscode.extension.contributes.grammars.language": "Ідентифікатор мови, для якого цей синтаксис сприяли.",
+ "vscode.extension.contributes.grammars.scopeName": "Textmate ім'я області, що використовується файлом tmLanguage.",
+ "vscode.extension.contributes.grammars.path": "Шлях до файлу tmLanguage. Шлях є відносним до папки розширень і, як правило, починається з './syntaxes/'.",
+ "vscode.extension.contributes.grammars.embeddedLanguages": "Карта назви областей дії мови, якщо ця граматика містить вбудовані мови.",
+ "vscode.extension.contributes.grammars.tokenTypes": "A map of scope name to token types.",
+ "vscode.extension.contributes.grammars.injectTo": "Карта назви областей дії мови, якщо ця граматика містить вбудовані мови."
+ },
+ "vs/workbench/services/themes/common/colorExtensionPoint": {
+ "contributes.color": "Contributes extension defined themable colors",
+ "contributes.color.id": "The identifier of the themable color",
+ "contributes.color.id.format": "Identifiers should be in the form aa[.bb]*",
+ "contributes.color.description": "The description of the themable color",
+ "contributes.defaults.light": "The default color for light themes. Either a color value in hex (#RRGGBB[AA]) or the identifier of a themable color which provides the default.",
+ "contributes.defaults.dark": "The default color for dark themes. Either a color value in hex (#RRGGBB[AA]) or the identifier of a themable color which provides the default.",
+ "contributes.defaults.highContrast": "The default color for high contrast themes. Either a color value in hex (#RRGGBB[AA]) or the identifier of a themable color which provides the default.",
+ "invalid.colorConfiguration": "'configuration.colors' must be a array",
+ "invalid.default.colorType": "{0} must be either a color value in hex (#RRGGBB[AA] or #RGB[A]) or the identifier of a themable color which provides the default.",
+ "invalid.id": "'configuration.colors.id' must be defined and can not be empty",
+ "invalid.id.format": "'configuration.colors.id' must follow the word[.word]*",
+ "invalid.description": "'configuration.colors.description' must be defined and can not be empty",
+ "invalid.defaults": "'configuration.colors.defaults' must be defined and must contain 'light', 'dark' and 'highContrast'"
+ },
+ "vs/workbench/services/themes/browser/workbenchThemeService": {
+ "error.cannotloadtheme": "Не вдалося завантажити {0}: {1}"
+ },
+ "vs/workbench/services/themes/common/tokenClassificationExtensionPoint": {
+ "contributes.semanticTokenTypes": "Contributes semantic token types.",
+ "contributes.semanticTokenTypes.id": "The identifier of the semantic token type",
+ "contributes.semanticTokenTypes.id.format": "Identifiers should be in the form letterOrDigit[_-letterOrDigit]*",
+ "contributes.semanticTokenTypes.superType": "The super type of the semantic token type",
+ "contributes.semanticTokenTypes.superType.format": "Super types should be in the form letterOrDigit[_-letterOrDigit]*",
+ "contributes.color.description": "The description of the semantic token type",
+ "contributes.semanticTokenModifiers": "Contributes semantic token modifiers.",
+ "contributes.semanticTokenModifiers.id": "The identifier of the semantic token modifier",
+ "contributes.semanticTokenModifiers.id.format": "Identifiers should be in the form letterOrDigit[_-letterOrDigit]*",
+ "contributes.semanticTokenModifiers.description": "The description of the semantic token modifier",
+ "contributes.semanticTokenScopes": "Contributes semantic token scope maps.",
+ "contributes.semanticTokenScopes.languages": "Lists the languge for which the defaults are.",
+ "contributes.semanticTokenScopes.scopes": "Maps a semantic token (described by semantic token selector) to one or more textMate scopes used to represent that token.",
+ "invalid.id": "'configuration.{0}.id' must be defined and can not be empty",
+ "invalid.id.format": "'configuration.{0}.id' must follow the pattern letterOrDigit[-_letterOrDigit]*",
+ "invalid.superType.format": "'configuration.{0}.superType' must follow the pattern letterOrDigit[-_letterOrDigit]*",
+ "invalid.description": "'configuration.{0}.description' must be defined and can not be empty",
+ "invalid.semanticTokenTypeConfiguration": "'configuration.semanticTokenType' must be an array",
+ "invalid.semanticTokenModifierConfiguration": "'configuration.semanticTokenModifier' must be an array",
+ "invalid.semanticTokenScopes.configuration": "'configuration.semanticTokenScopes' must be an array",
+ "invalid.semanticTokenScopes.language": "'configuration.semanticTokenScopes.language' must be a string",
+ "invalid.semanticTokenScopes.scopes": "'configuration.semanticTokenScopes.scopes' must be defined as an object",
+ "invalid.semanticTokenScopes.scopes.value": "'configuration.semanticTokenScopes.scopes' values must be an array of strings",
+ "invalid.semanticTokenScopes.scopes.selector": "configuration.semanticTokenScopes.scopes': Problems parsing selector {0}."
+ },
+ "vs/workbench/services/themes/browser/productIconThemeData": {
+ "defaultTheme": "Default",
+ "error.cannotparseicontheme": "Problems parsing product icons file: {0}",
+ "error.invalidformat": "Invalid format for product icons theme file: Object expected.",
+ "error.missingProperties": "Invalid format for product icons theme file: Must contain iconDefinitions and fonts."
+ },
+ "vs/workbench/services/themes/common/colorThemeSchema": {
+ "schema.token.settings": "Кольори та стилі для токенів.",
+ "schema.token.foreground": "Колір переднього плану для токену.",
+ "schema.token.background.warning": "В даний час токен кольору фону не підтримуються.",
+ "schema.token.fontStyle": "Font style of the rule: 'italic', 'bold' or 'underline' or a combination. The empty string unsets inherited settings.",
+ "schema.fontStyle.error": "Font style must be 'italic', 'bold' or 'underline' or a combination or the empty string.",
+ "schema.token.fontStyle.none": "None (clear inherited style)",
+ "schema.properties.name": "Опис правила.",
+ "schema.properties.scope": "Селектор області, щодо яких це правило відповідає.",
+ "schema.workbenchColors": "Colors in the workbench",
+ "schema.tokenColors.path": "Шлях до файлу tmTheme (щодо поточного файлу).",
+ "schema.colors": "Кольори для підсвічування синтаксису",
+ "schema.supportsSemanticHighlighting": "Whether semantic highlighting should be enabled for this theme.",
+ "schema.semanticTokenColors": "Colors for semantic tokens"
+ },
+ "vs/workbench/services/themes/common/productIconThemeSchema": {
+ "schema.fonts": "Шрифти, які використовуються у визначеннях значку.",
+ "schema.id": "Ідентифікатор шрифту.",
+ "schema.src": "The location of the font.",
+ "schema.font-path": "The font path, relative to the current workbench icon theme file.",
+ "schema.font-format": "Формат шрифту.",
+ "schema.font-weight": "Вага шрифту.",
+ "schema.font-sstyle": "Стиль шрифту.",
+ "schema.font-size": "За замовчуванням розмір шрифту.",
+ "schema.iconDefinitions": "Assocation of icon name to a font character."
+ },
+ "vs/workbench/services/themes/common/fileIconThemeSchema": {
+ "schema.folderExpanded": "Піктограма папки для розгорнутих папок. Розгорнутий значок теки не є обов'язковим. Якщо не встановлено, буде показано значок, визначений для папки.",
+ "schema.folder": "Значок папки для згорнутих папок, і якщо folderExpanded не встановлено, також для розгорнутої папки.",
+ "schema.file": "Типовий значок файлу відображається для всіх файлів, які не відповідають будь-яким розширенням, ім'ям або ідентифікатором мови.",
+ "schema.folderNames": "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.",
+ "schema.folderName": "Ідентифікатор визначення значок асоціації.",
+ "schema.folderNamesExpanded": "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.",
+ "schema.folderNameExpanded": "Ідентифікатор визначення значок асоціації.",
+ "schema.fileExtensions": "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.",
+ "schema.fileExtension": "Ідентифікатор визначення значок асоціації.",
+ "schema.fileNames": "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.",
+ "schema.fileName": "Ідентифікатор визначення значок асоціації.",
+ "schema.languageIds": "Асоціює мову з іконками. Ключовим об'єктом є ідентифікатор мови, як це визначено в точці вкладу мовою.",
+ "schema.languageId": "Ідентифікатор визначення значок асоціації.",
+ "schema.fonts": "Шрифти, які використовуються у визначеннях значку.",
+ "schema.id": "Ідентифікатор шрифту.",
+ "schema.src": "The location of the font.",
+ "schema.font-path": "Шлях шрифту щодо поточного файл значка.",
+ "schema.font-format": "Формат шрифту.",
+ "schema.font-weight": "Вага шрифту.",
+ "schema.font-sstyle": "Стиль шрифту.",
+ "schema.font-size": "За замовчуванням розмір шрифту.",
+ "schema.iconDefinitions": "Опис всіх значків які можна використовувати при зв'язуванні файлів в іконки.",
+ "schema.iconDefinition": "Визначення значка. Ключовий об'єкт-це ідентифікатор визначенням.",
+ "schema.iconPath": "При використанні SVG або PNG: шлях до зображення. Шлях є відносним до ікони встановити файл.",
+ "schema.fontCharacter": "Під час використання гліфів шрифту: символів шрифту для використання.",
+ "schema.fontColor": "Під час використання гліфів шрифту: колір буде використано.",
+ "schema.fontSize": "При використанні шрифту: розмір шрифту у відсотках до текстового шрифту. Якщо не вказано, використовується за умовчанням розмір у визначенні шрифту.",
+ "schema.fontId": "При використанні шрифту: ідентифікатор шрифту. Якщо не задано, за замовчуванням використовується перше визначення шрифту.",
+ "schema.light": "Необов'язкові асоціації для піктограм файлів у світлих тонах.",
+ "schema.highContrast": "Необов'язкові асоціації для піктограм файлів в контрастних колірних гамах.",
+ "schema.hidesExplorerArrows": "Налаштовує чи потрібно приховати Файловий провідник стрілки, коли ця тема є активною."
+ },
+ "vs/workbench/services/themes/browser/fileIconThemeData": {
+ "error.cannotparseicontheme": "Проблеми при розборі файлу іконки файл: {0}",
+ "error.invalidformat": "Invalid format for file icons theme file: Object expected."
+ },
+ "vs/workbench/services/themes/common/themeConfiguration": {
+ "colorTheme": "Задає колір теми, що використовуються в робочій зоні.",
+ "colorThemeError": "Тема невідома або не встановлена.",
+ "preferredDarkColorTheme": "Specifies the preferred color theme for dark OS appearance when '{0}' is enabled.",
+ "preferredLightColorTheme": "Specifies the preferred color theme for light OS appearance when '{0}' is enabled.",
+ "preferredHCColorTheme": "Specifies the preferred color theme used in high contrast mode when '{0}' is enabled.",
+ "detectColorScheme": "If set, automatically switch to the preferred color theme based on the OS appearance.",
+ "workbenchColors": "Перевизначає кольору з обраної колірної темою.",
+ "iconTheme": "Specifies the file icon theme used in the workbench or 'null' to not show any file icons.",
+ "noIconThemeDesc": "Немає іконок файлів",
+ "iconThemeError": "Тема значків файлів невідома або не встановлена.",
+ "workbenchIconTheme": "Specifies the workbench icon theme used.",
+ "defaultWorkbenchIconThemeDesc": "Default",
+ "workbenchIconThemeError": "Workbench icon theme is unknown or not installed.",
+ "editorColors.comments": "Набори кольорів і стилів для коментарів",
+ "editorColors.strings": "Задає кольори і стилі для рядків символів.",
+ "editorColors.keywords": "Набори кольорів і стилів за ключовими словами.",
+ "editorColors.numbers": "Набори кольорів і стилів для числових символів.",
+ "editorColors.types": "Задає кольори і стилі для опису типу і посилання.",
+ "editorColors.functions": "Набори кольорів і стилів для оголошення функцій і посилань.",
+ "editorColors.variables": "Набори кольорів і стилів для оголошення змінних і посилань.",
+ "editorColors.textMateRules": "Набори кольорів і стилів, використовуючи textmate тематизації правил (додатково).",
+ "editorColors.semanticHighlighting": "Whether semantic highlighting should be enabled for this theme.",
+ "editorColors": "Змінення кольорів редактор і стиль шрифту з вибраного кольору теми.",
+ "editorColorsTokenStyles": "Overrides token color and styles from the currently selected color theme."
+ },
+ "vs/workbench/services/themes/common/themeExtensionPoints": {
+ "vscode.extension.contributes.themes": "Допомагає текстові кольорові теми.",
+ "vscode.extension.contributes.themes.id": "Id of the color theme as used in the user settings.",
+ "vscode.extension.contributes.themes.label": "Мітки теми колір, як показано в інтерфейсі.",
+ "vscode.extension.contributes.themes.uiTheme": "Тема бази, що визначає колір навколо редактора: 'vs' - це тема світлого кольору, 'vs-dark' - темний колір теми. 'hc-black' - темна тема високої контрастності.",
+ "vscode.extension.contributes.themes.path": "Path of the tmTheme file. The path is relative to the extension folder and is typically './colorthemes/awesome-color-theme.json'.",
+ "vscode.extension.contributes.iconThemes": "Сприяє файл теми іконок.",
+ "vscode.extension.contributes.iconThemes.id": "Id of the file icon theme as used in the user settings.",
+ "vscode.extension.contributes.iconThemes.label": "Label of the file icon theme as shown in the UI.",
+ "vscode.extension.contributes.iconThemes.path": "Path of the file icon theme definition file. The path is relative to the extension folder and is typically './fileicons/awesome-icon-theme.json'.",
+ "vscode.extension.contributes.productIconThemes": "Contributes product icon themes.",
+ "vscode.extension.contributes.productIconThemes.id": "Id of the product icon theme as used in the user settings.",
+ "vscode.extension.contributes.productIconThemes.label": "Label of the product icon theme as shown in the UI.",
+ "vscode.extension.contributes.productIconThemes.path": "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'.",
+ "reqarray": "Точки розширення `{0}` повинен бути масивом.",
+ "reqpath": "Очікуються рядки в `contributes.{0}.path`. Пропоновані значення: {1}",
+ "reqid": "Очікується, що рядки в `contributes.{0}.id`. Пропоновані значення: {1}",
+ "invalid.path.1": "Очікуваний `contributes.{0}.path` ({1}), щоб бути включеними в папці модуля ({2}). Це може усунути портативність додатку."
+ },
+ "vs/workbench/services/themes/common/colorThemeData": {
+ "error.cannotparsejson": "Проблеми аналізу JSON файлу теми: {0}",
+ "error.invalidformat": "Invalid format for JSON theme file: Object expected.",
+ "error.invalidformat.colors": "Проблема парсингу файлу теми кольорів: {0}. Властивість 'кольори' не є типом 'об'єкт'.",
+ "error.invalidformat.tokenColors": "Проблема парсингу файлу теми кольорів: {0}. Властивість 'tokenColors' повинна бути або масивом із зазначенням кольорів або шляхом до файлу теми TextMate",
+ "error.invalidformat.semanticTokenColors": "Problem parsing color theme file: {0}. Property 'semanticTokenColors' conatains a invalid selector",
+ "error.plist.invalidformat": "Проблема парсинга tmTheme файлу: {0}. 'settings' - не масив.",
+ "error.cannotparse": "Проблеми при розборі файлу tmTheme: {0}",
+ "error.cannotload": "Проблеми з завантаженням файлів tmTheme {0}: {1}"
+ },
+ "vs/workbench/services/userData/common/settingsSync": {
+ "Settings Conflicts": "Local ↔ Remote (Settings Conflicts)",
+ "errorInvalidSettings": "Unable to sync settings. Please resolve conflicts without any errors/warnings and try again."
+ },
+ "vs/workbench/services/userDataSync/common/userDataSyncUtil": {
+ "select extensions": "Sync: Select Extensions to Sync",
+ "choose extensions to sync": "Choose extensions to sync"
+ },
+ "vs/workbench/services/workingCopy/common/workingCopyFileOperationParticipant": {
+ "msg-create": "Running 'File Create' participants...",
+ "msg-rename": "Running 'File Rename' participants...",
+ "msg-copy": "Running 'File Copy' participants...",
+ "msg-delete": "Running 'File Delete' participants..."
+ },
+ "vs/workbench/services/workspace/electron-browser/workspaceEditingService": {
+ "workspaceOpenedMessage": "Не вдалося зберегти робочу область \"{0}\"",
+ "ok": "ОК",
+ "workspaceOpenedDetail": "Робочу область уже відкрито в іншому вікні. Будь ласка, закрийте це вікно, спочатку а потім повторіть спробу."
+ },
+ "vs/workbench/services/workspace/browser/workspaceEditingService": {
+ "save": "Save",
+ "doNotSave": "Don't Save",
+ "cancel": "Скасувати",
+ "saveWorkspaceMessage": "Ви хочете зберегти конфігурацію робочого простору в файл?",
+ "saveWorkspaceDetail": "Зберегти своє робоче місце, якщо ви плануєте знову відкрити його.",
+ "saveWorkspace": "Зберегти Робочу Область",
+ "differentSchemeRoots": "Workspace folders from different providers are not allowed in the same workspace.",
+ "errorInvalidTaskConfiguration": "Неможливо записати у файл конфігурації робочої області. Будь-ласка виправіть помилки/застереження в ньому та спробуйте знову.",
+ "errorWorkspaceConfigurationFileDirty": "Неможливо записати у файл конфігурації робочої області тому що його змінено. Будь-ласка збережіть файл і спробуйте знову.",
+ "openWorkspaceConfigurationFile": "Відкрити Конфігурацію Робочої області"
+ },
+ "vs/workbench/services/workspaces/electron-browser/workspaceEditingService": {
+ "save": "Save",
+ "doNotSave": "Don't Save",
+ "cancel": "Скасувати",
+ "saveWorkspaceMessage": "Ви хочете зберегти конфігурацію робочого простору в файл?",
+ "saveWorkspaceDetail": "Зберегти своє робоче місце, якщо ви плануєте знову відкрити його.",
+ "workspaceOpenedMessage": "Не вдалося зберегти робочу область \"{0}\"",
+ "ok": "ОК",
+ "workspaceOpenedDetail": "Робочу область уже відкрито в іншому вікні. Будь ласка, закрийте це вікно, спочатку а потім повторіть спробу."
+ },
+ "vs/workbench/services/workspaces/browser/abstractWorkspaceEditingService": {
+ "save": "Save",
+ "saveWorkspace": "Зберегти Робочу Область",
+ "differentSchemeRoots": "Workspace folders from different providers are not allowed in the same workspace.",
+ "errorInvalidTaskConfiguration": "Неможливо записати у файл конфігурації робочої області. Будь-ласка виправіть помилки/застереження в ньому та спробуйте знову.",
+ "errorWorkspaceConfigurationFileDirty": "Неможливо записати у файл конфігурації робочої області тому що його змінено. Будь-ласка збережіть файл і спробуйте знову.",
+ "openWorkspaceConfigurationFile": "Відкрити Конфігурацію Робочої області"
+ }
+}
diff --git a/internal/vite-plugin-monaco-editor-nls/src/locale/zh-hans.json b/internal/vite-plugin-monaco-editor-nls/src/locale/zh-hans.json
new file mode 100644
index 0000000..5d492a3
--- /dev/null
+++ b/internal/vite-plugin-monaco-editor-nls/src/locale/zh-hans.json
@@ -0,0 +1,8306 @@
+{
+ "vs/base/common/date": {
+ "date.fromNow.in": "{0} 后",
+ "date.fromNow.now": "现在",
+ "date.fromNow.seconds.singular.ago": "{0} 秒前",
+ "date.fromNow.seconds.plural.ago": "{0} 秒前",
+ "date.fromNow.seconds.singular": "{0} 秒",
+ "date.fromNow.seconds.plural": "{0} 秒",
+ "date.fromNow.minutes.singular.ago": "{0} 分钟前",
+ "date.fromNow.minutes.plural.ago": "{0} 分钟前",
+ "date.fromNow.minutes.singular": "{0} 分钟",
+ "date.fromNow.minutes.plural": "{0} 分钟",
+ "date.fromNow.hours.singular.ago": "{0} 小时前",
+ "date.fromNow.hours.plural.ago": "{0} 小时前",
+ "date.fromNow.hours.singular": "{0} 小时",
+ "date.fromNow.hours.plural": "{0} 小时",
+ "date.fromNow.days.singular.ago": "{0} 天前",
+ "date.fromNow.days.plural.ago": "{0} 天前",
+ "date.fromNow.days.singular": "{0} 天",
+ "date.fromNow.days.plural": "{0} 天",
+ "date.fromNow.weeks.singular.ago": "{0} 周前",
+ "date.fromNow.weeks.plural.ago": "{0} 周前",
+ "date.fromNow.weeks.singular": "{0} 周",
+ "date.fromNow.weeks.plural": "{0} 周",
+ "date.fromNow.months.singular.ago": "{0} 个月前",
+ "date.fromNow.months.plural.ago": "{0} 个月前",
+ "date.fromNow.months.singular": "{0} 个月",
+ "date.fromNow.months.plural": "{0} 个月",
+ "date.fromNow.years.singular.ago": "{0} 年前",
+ "date.fromNow.years.plural.ago": "{0} 年前",
+ "date.fromNow.years.singular": "{0} 年",
+ "date.fromNow.years.plural": "{0} 年"
+ },
+ "vs/base/common/codicons": {
+ "dropDownButton": "下拉按钮的图标。"
+ },
+ "vs/base/common/actions": {
+ "submenu.empty": "(空)"
+ },
+ "vs/base/node/processes": {
+ "TaskRunner.UNC": "无法在 UNC 驱动器上执行 Shell 命令。"
+ },
+ "vs/base/common/errorMessage": {
+ "stackTrace.format": "{0}: {1}",
+ "nodeExceptionMessage": "发生了系统错误 ({0})",
+ "error.defaultMessage": "出现未知错误。有关详细信息,请参阅日志。",
+ "error.moreErrors": "{0} 个(共 {1} 个错误)"
+ },
+ "vs/base/node/zip": {
+ "invalid file": "提取 {0} 时出错。文件无效。",
+ "incompleteExtract": "解压不完整。找到了 {0} / {1} 个项目",
+ "notFound": "在 Zip 中找不到 {0}。"
+ },
+ "vs/base/browser/ui/dialog/dialog": {
+ "ok": "确定",
+ "dialogInfoMessage": "信息",
+ "dialogErrorMessage": "错误",
+ "dialogWarningMessage": "警告",
+ "dialogPendingMessage": "正在进行",
+ "dialogClose": "关闭对话框"
+ },
+ "vs/base/browser/ui/actionbar/actionViewItems": {
+ "titleLabel": "{0} ({1})"
+ },
+ "vs/base/browser/ui/keybindingLabel/keybindingLabel": {
+ "unbound": "未绑定"
+ },
+ "vs/base/browser/ui/menu/menubar": {
+ "mAppMenu": "应用程序菜单",
+ "mMore": "更多"
+ },
+ "vs/base/browser/ui/menu/menu": {
+ "titleLabel": "{0} ({1})"
+ },
+ "vs/base/common/jsonErrorMessages": {
+ "error.invalidSymbol": "无效符号",
+ "error.invalidNumberFormat": "数字格式无效",
+ "error.propertyNameExpected": "需要属性名",
+ "error.valueExpected": "需要值",
+ "error.colonExpected": "需要冒号",
+ "error.commaExpected": "需要逗号",
+ "error.closeBraceExpected": "需要右大括号",
+ "error.closeBracketExpected": "需要右括号",
+ "error.endOfFileExpected": "文件应结束"
+ },
+ "vs/base/common/keybindingLabels": {
+ "ctrlKey": "Ctrl",
+ "shiftKey": "Shift",
+ "altKey": "Alt",
+ "windowsKey": "Windows",
+ "superKey": "超键",
+ "ctrlKey.long": "Control",
+ "shiftKey.long": "Shift",
+ "altKey.long": "Alt",
+ "cmdKey.long": "Command",
+ "windowsKey.long": "Windows",
+ "superKey.long": "超键"
+ },
+ "vs/base/browser/ui/tree/abstractTree": {
+ "clear": "清除",
+ "disable filter on type": "禁用输入时筛选",
+ "enable filter on type": "启用输入时筛选",
+ "empty": "未找到元素",
+ "found": "已匹配 {0} 个元素(共 {1} 个)"
+ },
+ "vs/base/browser/ui/tree/treeDefaults": {
+ "collapse all": "全部折叠"
+ },
+ "vs/base/browser/ui/toolbar/toolbar": {
+ "moreActions": "更多操作..."
+ },
+ "vs/base/browser/ui/splitview/paneview": {
+ "viewSection": "{0}部分"
+ },
+ "vs/base/browser/ui/inputbox/inputBox": {
+ "alertErrorMessage": "错误: {0}",
+ "alertWarningMessage": "警告: {0}",
+ "alertInfoMessage": "信息: {0}"
+ },
+ "vs/base/parts/quickinput/browser/quickInput": {
+ "backButtonIcon": "“快速输入”对话框中的“后退”按钮的图标。",
+ "quickInput.back": "上一步",
+ "quickInput.steps": "{0}/{1}",
+ "quickInputBox.ariaLabel": "在此输入可缩小结果范围。",
+ "inputModeEntry": "按 \"Enter\" 以确认或按 \"Esc\" 以取消",
+ "inputModeEntryDescription": "{0} (按 \"Enter\" 以确认或按 \"Esc\" 以取消)",
+ "quickInput.visibleCount": "{0} 个结果",
+ "quickInput.countSelected": "已选 {0} 项",
+ "ok": "确定",
+ "custom": "自定义",
+ "quickInput.backWithKeybinding": "后退 ({0})"
+ },
+ "vs/base/browser/ui/findinput/findInput": {
+ "defaultLabel": "输入"
+ },
+ "vs/base/browser/ui/findinput/replaceInput": {
+ "defaultLabel": "输入",
+ "label.preserveCaseCheckbox": "保留大小写"
+ },
+ "vs/base/browser/ui/findinput/findInputCheckboxes": {
+ "caseDescription": "区分大小写",
+ "wordsDescription": "全字匹配",
+ "regexDescription": "使用正则表达式"
+ },
+ "vs/base/parts/quickinput/browser/quickInputList": {
+ "quickInput": "快速输入"
+ },
+ "vs/base/browser/ui/selectBox/selectBoxCustom": {
+ "selectBox": "选择框"
+ },
+ "vs/editor/browser/editorExtensions": {
+ "miUndo": "撤消(&&U)",
+ "undo": "撤消",
+ "miRedo": "恢复(&&R)",
+ "redo": "恢复",
+ "miSelectAll": "全选(&&S)",
+ "selectAll": "选择全部"
+ },
+ "vs/editor/common/modes/modesRegistry": {
+ "plainText.alias": "纯文本"
+ },
+ "vs/editor/common/config/editorOptions": {
+ "accessibilitySupport.auto": "编辑器将使用平台 API 以检测是否附加了屏幕阅读器。",
+ "accessibilitySupport.on": "编辑器将针对与屏幕阅读器搭配使用进行永久优化。将禁用自动换行。",
+ "accessibilitySupport.off": "编辑器将不再对屏幕阅读器的使用进行优化。",
+ "accessibilitySupport": "控制编辑器是否应在对屏幕阅读器进行了优化的模式下运行。设置为“开”将禁用自动换行。",
+ "comments.insertSpace": "控制在注释时是否插入空格字符。",
+ "comments.ignoreEmptyLines": "控制在对行注释执行切换、添加或删除操作时,是否应忽略空行。",
+ "emptySelectionClipboard": "控制在没有选择内容时进行复制是否复制当前行。",
+ "find.cursorMoveOnType": "控制在键入时光标是否应跳转以查找匹配项。",
+ "find.seedSearchStringFromSelection": "控制是否将编辑器选中内容作为搜索词填入到查找小组件中。",
+ "editor.find.autoFindInSelection.never": "切勿自动打开“选择中查找”(默认)",
+ "editor.find.autoFindInSelection.always": "始终自动打开“在选择中查找”",
+ "editor.find.autoFindInSelection.multiline": "选择多行内容时,自动打开“在选择中查找”。",
+ "find.autoFindInSelection": "控制在所选内容中自动开启查找的条件。",
+ "find.globalFindClipboard": "控制“查找”小组件是否读取或修改 macOS 的共享查找剪贴板。",
+ "find.addExtraSpaceOnTop": "控制 \"查找小部件\" 是否应在编辑器顶部添加额外的行。如果为 true, 则可以在 \"查找小工具\" 可见时滚动到第一行之外。",
+ "find.loop": "控制在找不到其他匹配项时,是否自动从开头(或结尾)重新开始搜索。",
+ "fontLigatures": "启用/禁用字体连字(\"calt\" 和 \"liga\" 字体特性)。将此更改为字符串,可对 \"font-feature-settings\" CSS 属性进行精细控制。",
+ "fontFeatureSettings": "显式 \"font-feature-settings\" CSS 属性。如果只需打开/关闭连字,可以改为传递布尔值。",
+ "fontLigaturesGeneral": "配置字体连字或字体特性。可以是用于启用/禁用连字的布尔值,或用于设置 CSS \"font-feature-settings\" 属性值的字符串。",
+ "fontSize": "控制字体大小(像素)。",
+ "fontWeightErrorMessage": "仅允许使用关键字“正常”和“加粗”,或使用介于 1 至 1000 之间的数字。",
+ "fontWeight": "控制字体粗细。接受关键字“正常”和“加粗”,或者接受介于 1 至 1000 之间的数字。",
+ "editor.gotoLocation.multiple.peek": "显示结果的预览视图 (默认值)",
+ "editor.gotoLocation.multiple.gotoAndPeek": "转到主结果并显示预览视图",
+ "editor.gotoLocation.multiple.goto": "转到主结果,并对其他人启用防偷窥导航",
+ "editor.gotoLocation.multiple.deprecated": "此设置已弃用,请改用单独的设置,如\"editor.editor.gotoLocation.multipleDefinitions\"或\"editor.editor.gotoLocation.multipleImplementations\"。",
+ "editor.editor.gotoLocation.multipleDefinitions": "控制存在多个目标位置时\"转到定义\"命令的行为。",
+ "editor.editor.gotoLocation.multipleTypeDefinitions": "控制存在多个目标位置时\"转到类型定义\"命令的行为。",
+ "editor.editor.gotoLocation.multipleDeclarations": "控制存在多个目标位置时\"转到声明\"命令的行为。",
+ "editor.editor.gotoLocation.multipleImplemenattions": "控制存在多个目标位置时\"转到实现\"命令的行为。",
+ "editor.editor.gotoLocation.multipleReferences": "控制存在多个目标位置时\"转到引用\"命令的行为。",
+ "alternativeDefinitionCommand": "当\"转到定义\"的结果为当前位置时将要执行的替代命令的 ID。",
+ "alternativeTypeDefinitionCommand": "当\"转到类型定义\"的结果是当前位置时正在执行的备用命令 ID。",
+ "alternativeDeclarationCommand": "当\"转到声明\"的结果为当前位置时将要执行的替代命令的 ID。",
+ "alternativeImplementationCommand": "当\"转到实现\"的结果为当前位置时将要执行的替代命令的 ID。",
+ "alternativeReferenceCommand": "当\"转到引用\"的结果是当前位置时正在执行的替代命令 ID。",
+ "hover.enabled": "控制是否显示悬停提示。",
+ "hover.delay": "控制显示悬停提示前的等待时间 (毫秒)。",
+ "hover.sticky": "控制当鼠标移动到悬停提示上时,其是否保持可见。",
+ "codeActions": "在编辑器中启用代码操作小灯泡提示。",
+ "lineHeight": "控制行高。为 0 时则通过字体大小自动计算。",
+ "minimap.enabled": "控制是否显示缩略图。",
+ "minimap.size.proportional": "迷你地图的大小与编辑器内容相同(并且可能滚动)。",
+ "minimap.size.fill": "迷你地图将根据需要拉伸或缩小以填充编辑器的高度(不滚动)。",
+ "minimap.size.fit": "迷你地图将根据需要缩小,永远不会大于编辑器(不滚动)。",
+ "minimap.size": "控制迷你地图的大小。",
+ "minimap.side": "控制在哪一侧显示缩略图。",
+ "minimap.showSlider": "控制何时显示迷你地图滑块。",
+ "minimap.scale": "在迷你地图中绘制的内容比例: 1、2 或 3。",
+ "minimap.renderCharacters": "渲染每行的实际字符,而不是色块。",
+ "minimap.maxColumn": "限制缩略图的宽度,控制其最多显示的列数。",
+ "padding.top": "控制编辑器的顶边和第一行之间的间距量。",
+ "padding.bottom": "控制编辑器的底边和最后一行之间的间距量。",
+ "parameterHints.enabled": "在输入时显示含有参数文档和类型信息的小面板。",
+ "parameterHints.cycle": "控制参数提示菜单在到达列表末尾时进行循环还是关闭。",
+ "quickSuggestions.strings": "在字符串内启用快速建议。",
+ "quickSuggestions.comments": "在注释内启用快速建议。",
+ "quickSuggestions.other": "在字符串和注释外启用快速建议。",
+ "quickSuggestions": "控制是否在键入时自动显示建议。",
+ "lineNumbers.off": "不显示行号。",
+ "lineNumbers.on": "将行号显示为绝对行数。",
+ "lineNumbers.relative": "将行号显示为与光标相隔的行数。",
+ "lineNumbers.interval": "每 10 行显示一次行号。",
+ "lineNumbers": "控制行号的显示。",
+ "rulers.size": "此编辑器标尺将渲染的等宽字符数。",
+ "rulers.color": "此编辑器标尺的颜色。",
+ "rulers": "在一定数量的等宽字符后显示垂直标尺。输入多个值,显示多个标尺。若数组为空,则不绘制标尺。",
+ "suggest.insertMode.insert": "插入建议而不覆盖光标右侧的文本。",
+ "suggest.insertMode.replace": "插入建议并覆盖光标右侧的文本。",
+ "suggest.insertMode": "控制接受补全时是否覆盖单词。请注意,这取决于扩展选择使用此功能。",
+ "suggest.filterGraceful": "控制对建议的筛选和排序是否考虑小的拼写错误。",
+ "suggest.localityBonus": "控制排序时是否提高靠近光标的词语的优先级。",
+ "suggest.shareSuggestSelections": "控制是否在多个工作区和窗口间共享记忆的建议选项(需要 `#editor.suggestSelection#`)。",
+ "suggest.snippetsPreventQuickSuggestions": "控制活动代码段是否阻止快速建议。",
+ "suggest.showIcons": "控制是否在建议中显示或隐藏图标。",
+ "suggest.showStatusBar": "控制建议小部件底部的状态栏的可见性。",
+ "suggest.showInlineDetails": "控制建议详细信息是随标签一起显示还是仅显示在详细信息小组件中",
+ "suggest.maxVisibleSuggestions.dep": "此设置已弃用。现在可以调整建议小组件的大小。",
+ "deprecated": "此设置已弃用,请改用单独的设置,如\"editor.suggest.showKeywords\"或\"editor.suggest.showSnippets\"。",
+ "editor.suggest.showMethods": "启用后,IntelliSense 将显示“方法”建议。",
+ "editor.suggest.showFunctions": "启用后,IntelliSense 将显示“函数”建议。",
+ "editor.suggest.showConstructors": "启用后,IntelliSense 将显示“构造函数”建议。",
+ "editor.suggest.showFields": "启用后,IntelliSense 将显示“字段”建议。",
+ "editor.suggest.showVariables": "启用后,IntelliSense 将显示“变量”建议。",
+ "editor.suggest.showClasss": "启用后,IntelliSense 将显示“类”建议。",
+ "editor.suggest.showStructs": "启用后,IntelliSense 将显示“结构”建议。",
+ "editor.suggest.showInterfaces": "启用后,IntelliSense 将显示“接口”建议。",
+ "editor.suggest.showModules": "启用后,IntelliSense 将显示“模块”建议。",
+ "editor.suggest.showPropertys": "启用后,IntelliSense 将显示“属性”建议。",
+ "editor.suggest.showEvents": "启用后,IntelliSense 将显示“事件”建议。",
+ "editor.suggest.showOperators": "启用后,IntelliSense 将显示“操作符”建议。",
+ "editor.suggest.showUnits": "启用后,IntelliSense 将显示“单位”建议。",
+ "editor.suggest.showValues": "启用后,IntelliSense 将显示“值”建议。",
+ "editor.suggest.showConstants": "启用后,IntelliSense 将显示“常量”建议。",
+ "editor.suggest.showEnums": "启用后,IntelliSense 将显示“枚举”建议。",
+ "editor.suggest.showEnumMembers": "启用后,IntelliSense 将显示 \"enumMember\" 建议。",
+ "editor.suggest.showKeywords": "启用后,IntelliSense 将显示“关键字”建议。",
+ "editor.suggest.showTexts": "启用后,IntelliSense 将显示“文本”建议。",
+ "editor.suggest.showColors": "启用后,IntelliSense 将显示“颜色”建议。",
+ "editor.suggest.showFiles": "启用后,IntelliSense 将显示“文件”建议。",
+ "editor.suggest.showReferences": "启用后,IntelliSense 将显示“参考”建议。",
+ "editor.suggest.showCustomcolors": "启用后,IntelliSense 将显示“自定义颜色”建议。",
+ "editor.suggest.showFolders": "启用后,IntelliSense 将显示“文件夹”建议。",
+ "editor.suggest.showTypeParameters": "启用后,IntelliSense 将显示 \"typeParameter\" 建议。",
+ "editor.suggest.showSnippets": "启用后,IntelliSense 将显示“片段”建议。",
+ "editor.suggest.showUsers": "启用后,IntelliSense 将显示\"用户\"建议。",
+ "editor.suggest.showIssues": "启用后,IntelliSense 将显示\"问题\"建议。",
+ "selectLeadingAndTrailingWhitespace": "是否应始终选择前导和尾随空格。",
+ "acceptSuggestionOnCommitCharacter": "控制是否应在遇到提交字符时接受建议。例如,在 JavaScript 中,半角分号 (`;`) 可以为提交字符,能够在接受建议的同时键入该字符。",
+ "acceptSuggestionOnEnterSmart": "仅当建议包含文本改动时才可使用 `Enter` 键进行接受。",
+ "acceptSuggestionOnEnter": "控制除了 `Tab` 键以外, `Enter` 键是否同样可以接受建议。这能减少“插入新行”和“接受建议”命令之间的歧义。",
+ "accessibilityPageSize": "控制编辑器中可由屏幕阅读器读取的行数。警告: 对于大于默认值的数字,这会影响性能。",
+ "editorViewAccessibleLabel": "编辑器内容",
+ "editor.autoClosingBrackets.languageDefined": "使用语言配置确定何时自动闭合括号。",
+ "editor.autoClosingBrackets.beforeWhitespace": "仅当光标位于空白字符左侧时,才自动闭合括号。",
+ "autoClosingBrackets": "控制编辑器是否在左括号后自动插入右括号。",
+ "editor.autoClosingOvertype.auto": "仅在自动插入时才改写右引号或右括号。",
+ "autoClosingOvertype": "控制编辑器是否应改写右引号或右括号。",
+ "editor.autoClosingQuotes.languageDefined": "使用语言配置确定何时自动闭合引号。",
+ "editor.autoClosingQuotes.beforeWhitespace": "仅当光标位于空白字符左侧时,才自动闭合引号。",
+ "autoClosingQuotes": "控制编辑器是否在左引号后自动插入右引号。",
+ "editor.autoIndent.none": "编辑器不会自动插入缩进。",
+ "editor.autoIndent.keep": "编辑器将保留当前行的缩进。",
+ "editor.autoIndent.brackets": "编辑器将保留当前行的缩进并遵循语言定义的括号。",
+ "editor.autoIndent.advanced": "编辑器将保留当前行的缩进、使用语言定义的括号并调用语言定义的特定 onEnterRules。",
+ "editor.autoIndent.full": "编辑器将保留当前行的缩进,使用语言定义的括号,调用由语言定义的特殊输入规则,并遵循由语言定义的缩进规则。",
+ "autoIndent": "控制编辑器是否应在用户键入、粘贴、移动或缩进行时自动调整缩进。",
+ "editor.autoSurround.languageDefined": "使用语言配置确定何时自动包住所选内容。",
+ "editor.autoSurround.quotes": "使用引号而非括号来包住所选内容。",
+ "editor.autoSurround.brackets": "使用括号而非引号来包住所选内容。",
+ "autoSurround": "控制在键入引号或方括号时,编辑器是否应自动将所选内容括起来。",
+ "stickyTabStops": "在使用空格进行缩进时模拟制表符的选择行为。所选内容将始终使用制表符停止位。",
+ "codeLens": "控制是否在编辑器中显示 CodeLens。",
+ "codeLensFontFamily": "控制 CodeLens 的字体系列。",
+ "codeLensFontSize": "控制 CodeLens 的字体大小(像素)。设置为 `0` 时,将使用 `#editor.fontSize#` 的 90%。",
+ "colorDecorators": "控制编辑器是否显示内联颜色修饰器和颜色选取器。",
+ "columnSelection": "启用使用鼠标和键进行列选择。",
+ "copyWithSyntaxHighlighting": "控制在复制时是否同时复制语法高亮。",
+ "cursorBlinking": "控制光标的动画样式。",
+ "cursorSmoothCaretAnimation": "控制是否启用平滑插入动画。",
+ "cursorStyle": "控制光标样式。",
+ "cursorSurroundingLines": "控制光标周围可见的前置行和尾随行的最小数目。在其他一些编辑器中称为 \"scrollOff\" 或 \"scrollOffset\"。",
+ "cursorSurroundingLinesStyle.default": "仅当通过键盘或 API 触发时,才会强制执行\"光标环绕行\"。",
+ "cursorSurroundingLinesStyle.all": "始终强制执行 \"cursorSurroundingLines\"",
+ "cursorSurroundingLinesStyle": "控制何时应强制执行\"光标环绕行\"。",
+ "cursorWidth": "当 `#editor.cursorStyle#` 设置为 `line` 时,控制光标的宽度。",
+ "dragAndDrop": "控制在编辑器中是否允许通过拖放来移动选中内容。",
+ "fastScrollSensitivity": "按下\"Alt\"时滚动速度倍增。",
+ "folding": "控制编辑器是否启用了代码折叠。",
+ "foldingStrategy.auto": "使用特定于语言的折叠策略(如果可用),否则使用基于缩进的策略。",
+ "foldingStrategy.indentation": "使用基于缩进的折叠策略。",
+ "foldingStrategy": "控制计算折叠范围的策略。",
+ "foldingHighlight": "控制编辑器是否应突出显示折叠范围。",
+ "unfoldOnClickAfterEndOfLine": "控制单击已折叠的行后面的空内容是否会展开该行。",
+ "fontFamily": "控制字体系列。",
+ "formatOnPaste": "控制编辑器是否自动格式化粘贴的内容。格式化程序必须可用,并且能针对文档中的某一范围进行格式化。",
+ "formatOnType": "控制编辑器在键入一行后是否自动格式化该行。",
+ "glyphMargin": "控制编辑器是否应呈现垂直字形边距。字形边距最常用于调试。",
+ "hideCursorInOverviewRuler": "控制是否在概览标尺中隐藏光标。",
+ "highlightActiveIndentGuide": "控制是否突出显示编辑器中活动的缩进参考线。",
+ "letterSpacing": "控制字母间距(像素)。",
+ "linkedEditing": "控制编辑器是否已启用链接编辑。相关符号(如 HTML 标记)在编辑时进行更新,具体由语言而定。",
+ "links": "控制是否在编辑器中检测链接并使其可被点击。",
+ "matchBrackets": "突出显示匹配的括号。",
+ "mouseWheelScrollSensitivity": "对鼠标滚轮滚动事件的 `deltaX` 和 `deltaY` 乘上的系数。",
+ "mouseWheelZoom": "按住 `Ctrl` 键并滚动鼠标滚轮时对编辑器字体大小进行缩放。",
+ "multiCursorMergeOverlapping": "当多个光标重叠时进行合并。",
+ "multiCursorModifier.ctrlCmd": "映射为 `Ctrl` (Windows 和 Linux) 或 `Command` (macOS)。",
+ "multiCursorModifier.alt": "映射为 `Alt` (Windows 和 Linux) 或 `Option` (macOS)。",
+ "multiCursorModifier": "在通过鼠标添加多个光标时使用的修改键。“转到定义”和“打开链接”功能所需的鼠标动作将会相应调整,不与多光标修改键冲突。[阅读详细信息](https://code.visualstudio.com/docs/editor/codebasics#_multicursor-modifier)。",
+ "multiCursorPaste.spread": "每个光标粘贴一行文本。",
+ "multiCursorPaste.full": "每个光标粘贴全文。",
+ "multiCursorPaste": "控制粘贴时粘贴文本的行计数与光标计数相匹配。",
+ "occurrencesHighlight": "控制编辑器是否突出显示语义符号的匹配项。",
+ "overviewRulerBorder": "控制是否在概览标尺周围绘制边框。",
+ "peekWidgetDefaultFocus.tree": "打开速览时聚焦树",
+ "peekWidgetDefaultFocus.editor": "打开预览时将焦点放在编辑器上",
+ "peekWidgetDefaultFocus": "控制是将焦点放在内联编辑器上还是放在预览小部件中的树上。",
+ "definitionLinkOpensInPeek": "控制\"转到定义\"鼠标手势是否始终打开预览小部件。",
+ "quickSuggestionsDelay": "控制显示快速建议前的等待时间 (毫秒)。",
+ "renameOnType": "控制是否在编辑器中输入时自动重命名。",
+ "renameOnTypeDeprecate": "已弃用,请改用 \"editor.linkedEditing\"。",
+ "renderControlCharacters": "控制编辑器是否显示控制字符。",
+ "renderIndentGuides": "控制编辑器是否显示缩进参考线。",
+ "renderFinalNewline": "当文件以换行符结束时, 呈现最后一行的行号。",
+ "renderLineHighlight.all": "同时突出显示导航线和当前行。",
+ "renderLineHighlight": "控制编辑器的当前行进行高亮显示的方式。",
+ "renderLineHighlightOnlyWhenFocus": "控制编辑器是否仅在焦点在编辑器时突出显示当前行",
+ "renderWhitespace.boundary": "呈现空格字符(字词之间的单个空格除外)。",
+ "renderWhitespace.selection": "仅在选定文本上呈现空白字符。",
+ "renderWhitespace.trailing": "仅呈现尾随空格字符",
+ "renderWhitespace": "控制编辑器在空白字符上显示符号的方式。",
+ "roundedSelection": "控制选区是否有圆角。",
+ "scrollBeyondLastColumn": "控制编辑器水平滚动时可以超过范围的字符数。",
+ "scrollBeyondLastLine": "控制编辑器是否可以滚动到最后一行之后。",
+ "scrollPredominantAxis": "同时垂直和水平滚动时,仅沿主轴滚动。在触控板上垂直滚动时,可防止水平漂移。",
+ "selectionClipboard": "控制是否支持 Linux 主剪贴板。",
+ "selectionHighlight": "控制编辑器是否应突出显示与所选内容类似的匹配项。",
+ "showFoldingControls.always": "始终显示折叠控件。",
+ "showFoldingControls.mouseover": "仅在鼠标位于装订线上方时显示折叠控件。",
+ "showFoldingControls": "控制何时显示行号槽上的折叠控件。",
+ "showUnused": "控制是否淡化未使用的代码。",
+ "showDeprecated": "控制加删除线被弃用的变量。",
+ "snippetSuggestions.top": "在其他建议上方显示代码片段建议。",
+ "snippetSuggestions.bottom": "在其他建议下方显示代码片段建议。",
+ "snippetSuggestions.inline": "在其他建议中穿插显示代码片段建议。",
+ "snippetSuggestions.none": "不显示代码片段建议。",
+ "snippetSuggestions": "控制代码片段是否与其他建议一起显示及其排列的位置。",
+ "smoothScrolling": "控制编辑器是否在滚动时使用动画。",
+ "suggestFontSize": "建议小部件的字号。如果设置为 `0`,则使用 `#editor.fontSize#` 的值。",
+ "suggestLineHeight": "建议小部件的行高。如果设置为 `0`,则使用 `#editor.lineHeight#` 的值。最小值为 8。",
+ "suggestOnTriggerCharacters": "控制在键入触发字符后是否自动显示建议。",
+ "suggestSelection.first": "始终选择第一个建议。",
+ "suggestSelection.recentlyUsed": "选择最近的建议,除非进一步键入选择其他项。例如 `console. -> console.log`,因为最近补全过 `log`。",
+ "suggestSelection.recentlyUsedByPrefix": "根据之前补全过的建议的前缀来进行选择。例如,`co -> console`、`con -> const`。",
+ "suggestSelection": "控制在建议列表中如何预先选择建议。",
+ "tabCompletion.on": "在按下 Tab 键时进行 Tab 补全,将插入最佳匹配建议。",
+ "tabCompletion.off": "禁用 Tab 补全。",
+ "tabCompletion.onlySnippets": "在前缀匹配时进行 Tab 补全。在 \"quickSuggestions\" 未启用时体验最好。",
+ "tabCompletion": "启用 Tab 补全。",
+ "unusualLineTerminators.auto": "自动删除异常的行终止符。",
+ "unusualLineTerminators.off": "忽略异常的行终止符。",
+ "unusualLineTerminators.prompt": "提示删除异常的行终止符。",
+ "unusualLineTerminators": "删除可能导致问题的异常行终止符。",
+ "useTabStops": "根据制表位插入和删除空格。",
+ "wordSeparators": "执行单词相关的导航或操作时作为单词分隔符的字符。",
+ "wordWrap.off": "永不换行。",
+ "wordWrap.on": "将在视区宽度处换行。",
+ "wordWrap.wordWrapColumn": "在 `#editor.wordWrapColumn#` 处折行。",
+ "wordWrap.bounded": "在视区宽度和 `#editor.wordWrapColumn#` 中的较小值处折行。",
+ "wordWrap": "控制折行的方式。",
+ "wordWrapColumn": "在 `#editor.wordWrap#` 为 `wordWrapColumn` 或 `bounded` 时,控制编辑器的折行列。",
+ "wrappingIndent.none": "没有缩进。折行从第 1 列开始。",
+ "wrappingIndent.same": "折行的缩进量与其父级相同。",
+ "wrappingIndent.indent": "折行的缩进量比其父级多 1。",
+ "wrappingIndent.deepIndent": "折行的缩进量比其父级多 2。",
+ "wrappingIndent": "控制折行的缩进。",
+ "wrappingStrategy.simple": "假定所有字符的宽度相同。这是一种快速算法,适用于等宽字体和某些字形宽度相等的文字(如拉丁字符)。",
+ "wrappingStrategy.advanced": "将包装点计算委托给浏览器。这是一个缓慢算法,可能会导致大型文件被冻结,但它在所有情况下都正常工作。",
+ "wrappingStrategy": "控制计算包裹点的算法。"
+ },
+ "vs/editor/common/view/editorColorRegistry": {
+ "lineHighlight": "光标所在行高亮内容的背景颜色。",
+ "lineHighlightBorderBox": "光标所在行四周边框的背景颜色。",
+ "rangeHighlight": "背景颜色的高亮范围,喜欢通过快速打开和查找功能。颜色不能不透明,以免隐藏底层装饰。",
+ "rangeHighlightBorder": "高亮区域边框的背景颜色。",
+ "symbolHighlight": "高亮显示符号的背景颜色,例如转到定义或转到下一个/上一个符号。颜色不能是不透明的,以免隐藏底层装饰。",
+ "symbolHighlightBorder": "高亮显示符号周围的边框的背景颜色。",
+ "caret": "编辑器光标颜色。",
+ "editorCursorBackground": "编辑器光标的背景色。可以自定义块型光标覆盖字符的颜色。",
+ "editorWhitespaces": "编辑器中空白字符的颜色。",
+ "editorIndentGuides": "编辑器缩进参考线的颜色。",
+ "editorActiveIndentGuide": "编辑器活动缩进参考线的颜色。",
+ "editorLineNumbers": "编辑器行号的颜色。",
+ "editorActiveLineNumber": "编辑器活动行号的颜色",
+ "deprecatedEditorActiveLineNumber": "\"Id\" 已被弃用,请改用 \"editorLineNumber.activeForeground\"。",
+ "editorRuler": "编辑器标尺的颜色。",
+ "editorCodeLensForeground": "编辑器 CodeLens 的前景色",
+ "editorBracketMatchBackground": "匹配括号的背景色",
+ "editorBracketMatchBorder": "匹配括号外框的颜色",
+ "editorOverviewRulerBorder": "概览标尺边框的颜色。",
+ "editorOverviewRulerBackground": "编辑器概述标尺的背景色。仅当缩略图已启用且置于编辑器右侧时才使用。",
+ "editorGutter": "编辑器导航线的背景色。导航线包括边缘符号和行号。",
+ "unnecessaryCodeBorder": "编辑器中不必要(未使用)的源代码的边框颜色。",
+ "unnecessaryCodeOpacity": "非必须(未使用)代码的在编辑器中显示的不透明度。例如,\"#000000c0\" 将以 75% 的不透明度显示代码。对于高对比度主题,请使用 ”editorUnnecessaryCode.border“ 主题来为非必须代码添加下划线,以避免颜色淡化。",
+ "overviewRulerRangeHighlight": "用于突出显示范围的概述标尺标记颜色。颜色必须透明,以免隐藏下面的修饰效果。",
+ "overviewRuleError": "概览标尺中错误标记的颜色。",
+ "overviewRuleWarning": "概览标尺中警告标记的颜色。",
+ "overviewRuleInfo": "概览标尺中信息标记的颜色。"
+ },
+ "vs/editor/common/model/editStack": {
+ "edit": "输入"
+ },
+ "vs/editor/browser/controller/coreCommands": {
+ "stickydesc": "即使转到较长的行,也一直到末尾"
+ },
+ "vs/editor/browser/widget/codeEditorWidget": {
+ "cursors.maximum": "光标数量被限制为 {0}。"
+ },
+ "vs/editor/browser/widget/diffEditorWidget": {
+ "diffInsertIcon": "差异编辑器中插入项的线条修饰。",
+ "diffRemoveIcon": "差异编辑器中删除项的线条修饰。",
+ "diff.tooLarge": "文件过大,无法比较。"
+ },
+ "vs/editor/common/standaloneStrings": {
+ "noSelection": "无选择",
+ "singleSelectionRange": "行 {0}, 列 {1} (选中 {2})",
+ "singleSelection": "行 {0}, 列 {1}",
+ "multiSelectionRange": "{0} 选择(已选择 {1} 个字符)",
+ "multiSelection": "{0} 选择",
+ "emergencyConfOn": "现在将 \"辅助功能支持\" 设置更改为 \"打开\"。",
+ "openingDocs": "现在正在打开“编辑器辅助功能”文档页。",
+ "readonlyDiffEditor": "在差异编辑器的只读窗格中。",
+ "editableDiffEditor": "在一个差异编辑器的窗格中。",
+ "readonlyEditor": "在只读代码编辑器中",
+ "editableEditor": "在代码编辑器中",
+ "changeConfigToOnMac": "若要配置编辑器,将其进行优化以最好地配合屏幕阅读器的使用,请立即按 Command+E。",
+ "changeConfigToOnWinLinux": "若要配置编辑器,将其进行优化以最高效地配合屏幕阅读器的使用,按下 Ctrl+E。",
+ "auto_on": "配置编辑器,将其进行优化以最好地配合屏幕读取器的使用。",
+ "auto_off": "编辑器被配置为永远不进行优化以配合屏幕读取器的使用, 而当前不是这种情况。",
+ "tabFocusModeOnMsg": "在当前编辑器中按 Tab 会将焦点移动到下一个可聚焦的元素。通过按 {0} 切换此行为。",
+ "tabFocusModeOnMsgNoKb": "在当前编辑器中按 Tab 会将焦点移动到下一个可聚焦的元素。当前无法通过按键绑定触发命令 {0}。",
+ "tabFocusModeOffMsg": "在当前编辑器中按 Tab 将插入制表符。通过按 {0} 切换此行为。",
+ "tabFocusModeOffMsgNoKb": "在当前编辑器中按 Tab 会插入制表符。当前无法通过键绑定触发命令 {0}。",
+ "openDocMac": "现在按 Command+H 打开一个浏览器窗口, 其中包含有关编辑器辅助功能的详细信息。",
+ "openDocWinLinux": "现在按 Ctrl+H 打开一个浏览器窗口, 其中包含有关编辑器辅助功能的更多信息。",
+ "outroMsg": "你可以按 Esc 或 Shift+Esc 消除此工具提示并返回到编辑器。",
+ "showAccessibilityHelpAction": "显示辅助功能帮助",
+ "inspectTokens": "开发人员: 检查令牌",
+ "gotoLineActionLabel": "转到行/列...",
+ "helpQuickAccess": "显示所有快速访问提供程序",
+ "quickCommandActionLabel": "命令面板",
+ "quickCommandActionHelp": "显示并运行命令",
+ "quickOutlineActionLabel": "转到符号...",
+ "quickOutlineByCategoryActionLabel": "按类别转到符号...",
+ "editorViewAccessibleLabel": "编辑器内容",
+ "accessibilityHelpMessage": "按 Alt+F1 可打开辅助功能选项。",
+ "toggleHighContrast": "切换高对比度主题",
+ "bulkEditServiceSummary": "在 {1} 个文件中进行了 {0} 次编辑"
+ },
+ "vs/editor/common/config/commonEditorConfig": {
+ "editorConfigurationTitle": "编辑器",
+ "tabSize": "一个制表符等于的空格数。在 `#editor.detectIndentation#` 启用时,根据文件内容,该设置可能会被覆盖。",
+ "insertSpaces": "按 `Tab` 键时插入空格。该设置在 `#editor.detectIndentation#` 启用时根据文件内容可能会被覆盖。",
+ "detectIndentation": "控制是否在打开文件时,基于文件内容自动检测 `#editor.tabSize#` 和 `#editor.insertSpaces#`。",
+ "trimAutoWhitespace": "删除自动插入的尾随空白符号。",
+ "largeFileOptimizations": "对大型文件进行特殊处理,禁用某些内存密集型功能。",
+ "wordBasedSuggestions": "控制是否根据文档中的文字计算自动完成列表。",
+ "wordBasedSuggestionsMode.currentDocument": "仅建议活动文档中的字词。",
+ "wordBasedSuggestionsMode.matchingDocuments": "建议使用同一语言的所有打开的文档中的字词。",
+ "wordBasedSuggestionsMode.allDocuments": "建议所有打开的文档中的字词。",
+ "wordBasedSuggestionsMode": "控制通过什么文档计算基于字词的完成数。",
+ "semanticHighlighting.true": "对所有颜色主题启用语义突出显示。",
+ "semanticHighlighting.false": "对所有颜色主题禁用语义突出显示。",
+ "semanticHighlighting.configuredByTheme": "语义突出显示是由当前颜色主题的 \"semanticHighlighting\" 设置配置的。",
+ "semanticHighlighting.enabled": "控制是否为支持它的语言显示语义突出显示。",
+ "stablePeek": "在速览编辑器中,即使双击其中的内容或者按 `Esc` 键,也保持其打开状态。",
+ "maxTokenizationLineLength": "由于性能原因,超过这个长度的行将不会被标记",
+ "maxComputationTime": "超时(以毫秒为单位),之后将取消差异计算。使用0表示没有超时。",
+ "sideBySide": "控制差异编辑器的显示方式是并排还是内联。",
+ "ignoreTrimWhitespace": "启用后,差异编辑器将忽略前导空格或尾随空格中的更改。",
+ "renderIndicators": "控制差异编辑器是否为添加/删除的更改显示 +/- 指示符号。",
+ "codeLens": "控制是否在编辑器中显示 CodeLens。",
+ "wordWrap.off": "永不换行。",
+ "wordWrap.on": "将在视区宽度处换行。",
+ "wordWrap.inherit": "将根据 `#editor.wordWrap#` 设置换行。"
+ },
+ "vs/editor/browser/widget/diffReview": {
+ "diffReviewInsertIcon": "差异评审中的“插入”图标。",
+ "diffReviewRemoveIcon": "差异评审中的“删除”图标。",
+ "diffReviewCloseIcon": "差异评审中的“关闭”图标。",
+ "label.close": "关闭",
+ "no_lines_changed": "未更改行",
+ "one_line_changed": "更改了 1 行",
+ "more_lines_changed": "更改了 {0} 行",
+ "header": "差异 {0}/ {1}: 原始行 {2},{3},修改后的行 {4},{5}",
+ "blankLine": "空白",
+ "unchangedLine": "{0} 未更改的行 {1}",
+ "equalLine": "{0}原始行{1}修改的行{2}",
+ "insertLine": "+ {0}修改的行{1}",
+ "deleteLine": "- {0}原始行{1}",
+ "editor.action.diffReview.next": "转至下一个差异",
+ "editor.action.diffReview.prev": "转至上一个差异"
+ },
+ "vs/editor/browser/widget/inlineDiffMargin": {
+ "diff.clipboard.copyDeletedLinesContent.label": "复制已删除的行",
+ "diff.clipboard.copyDeletedLinesContent.single.label": "复制已删除的行",
+ "diff.clipboard.copyDeletedLineContent.label": "复制已删除的行({0})",
+ "diff.inline.revertChange.label": "还原此更改"
+ },
+ "vs/editor/browser/controller/textAreaHandler": {
+ "editor": "编辑器",
+ "accessibilityOffAriaLabel": "现在无法访问编辑器。按 {0} 获取选项。"
+ },
+ "vs/editor/contrib/clipboard/clipboard": {
+ "miCut": "剪切(&&T)",
+ "actions.clipboard.cutLabel": "剪切",
+ "miCopy": "复制(&&C)",
+ "actions.clipboard.copyLabel": "复制",
+ "miPaste": "粘贴(&&P)",
+ "actions.clipboard.pasteLabel": "粘贴",
+ "actions.clipboard.copyWithSyntaxHighlightingLabel": "复制并突出显示语法"
+ },
+ "vs/editor/contrib/anchorSelect/anchorSelect": {
+ "selectionAnchor": "选择定位点",
+ "anchorSet": "定位点设置为 {0}:{1}",
+ "setSelectionAnchor": "设置选择定位点",
+ "goToSelectionAnchor": "转到选择定位点",
+ "selectFromAnchorToCursor": "选择从定位点到光标",
+ "cancelSelectionAnchor": "取消选择定位点"
+ },
+ "vs/editor/contrib/bracketMatching/bracketMatching": {
+ "overviewRulerBracketMatchForeground": "概览标尺上表示匹配括号的标记颜色。",
+ "smartSelect.jumpBracket": "转到括号",
+ "smartSelect.selectToBracket": "选择括号所有内容",
+ "miGoToBracket": "转到括号(&&B)"
+ },
+ "vs/editor/contrib/caretOperations/caretOperations": {
+ "caret.moveLeft": "向左移动所选文本",
+ "caret.moveRight": "向右移动所选文本"
+ },
+ "vs/editor/contrib/caretOperations/transpose": {
+ "transposeLetters.label": "转置字母"
+ },
+ "vs/editor/contrib/codelens/codelensController": {
+ "showLensOnLine": "显示当前行的 Code Lens 命令"
+ },
+ "vs/editor/contrib/comment/comment": {
+ "comment.line": "切换行注释",
+ "miToggleLineComment": "切换行注释(&&T)",
+ "comment.line.add": "添加行注释",
+ "comment.line.remove": "删除行注释",
+ "comment.block": "切换块注释",
+ "miToggleBlockComment": "切换块注释(&&B)"
+ },
+ "vs/editor/contrib/contextmenu/contextmenu": {
+ "action.showContextMenu.label": "显示编辑器上下文菜单"
+ },
+ "vs/editor/contrib/cursorUndo/cursorUndo": {
+ "cursor.undo": "光标撤消",
+ "cursor.redo": "光标重做"
+ },
+ "vs/editor/contrib/find/findController": {
+ "startFindAction": "查找",
+ "miFind": "查找(&&F)",
+ "startFindWithSelectionAction": "查找选定内容",
+ "findNextMatchAction": "查找下一个",
+ "findPreviousMatchAction": "查找上一个",
+ "nextSelectionMatchFindAction": "查找下一个选择",
+ "previousSelectionMatchFindAction": "查找上一个选择",
+ "startReplace": "替换",
+ "miReplace": "替换(&&R)"
+ },
+ "vs/editor/contrib/folding/folding": {
+ "unfoldAction.label": "展开",
+ "unFoldRecursivelyAction.label": "以递归方式展开",
+ "foldAction.label": "折叠",
+ "toggleFoldAction.label": "切换折叠",
+ "foldRecursivelyAction.label": "以递归方式折叠",
+ "foldAllBlockComments.label": "折叠所有块注释",
+ "foldAllMarkerRegions.label": "折叠所有区域",
+ "unfoldAllMarkerRegions.label": "展开所有区域",
+ "foldAllAction.label": "全部折叠",
+ "unfoldAllAction.label": "全部展开",
+ "foldLevelAction.label": "折叠级别 {0}",
+ "foldBackgroundBackground": "折叠范围后面的背景颜色。颜色必须设为透明,以免隐藏底层装饰。",
+ "editorGutter.foldingControlForeground": "编辑器装订线中折叠控件的颜色。"
+ },
+ "vs/editor/contrib/fontZoom/fontZoom": {
+ "EditorFontZoomIn.label": "放大编辑器字体",
+ "EditorFontZoomOut.label": "缩小编辑器字体",
+ "EditorFontZoomReset.label": "重置编辑器字体大小"
+ },
+ "vs/editor/contrib/format/formatActions": {
+ "formatDocument.label": "格式化文档",
+ "formatSelection.label": "格式化选定内容"
+ },
+ "vs/editor/contrib/gotoSymbol/goToCommands": {
+ "peek.submenu": "快速查看",
+ "def.title": "定义",
+ "noResultWord": "未找到“{0}”的任何定义",
+ "generic.noResults": "找不到定义",
+ "actions.goToDecl.label": "转到定义",
+ "miGotoDefinition": "转到定义(&&D)",
+ "actions.goToDeclToSide.label": "打开侧边的定义",
+ "actions.previewDecl.label": "速览定义",
+ "decl.title": "声明",
+ "decl.noResultWord": "未找到“{0}”的声明",
+ "decl.generic.noResults": "未找到声明",
+ "actions.goToDeclaration.label": "转到声明",
+ "miGotoDeclaration": "转到\"声明\"(&&D)",
+ "actions.peekDecl.label": "查看声明",
+ "typedef.title": "类型定义",
+ "goToTypeDefinition.noResultWord": "未找到“{0}”的类型定义",
+ "goToTypeDefinition.generic.noResults": "未找到类型定义",
+ "actions.goToTypeDefinition.label": "转到类型定义",
+ "miGotoTypeDefinition": "转到类型定义(&&T)",
+ "actions.peekTypeDefinition.label": "快速查看类型定义",
+ "impl.title": "实现",
+ "goToImplementation.noResultWord": "未找到“{0}”的实现",
+ "goToImplementation.generic.noResults": "未找到实现",
+ "actions.goToImplementation.label": "转到实现",
+ "miGotoImplementation": "跳转到实现(&&I)",
+ "actions.peekImplementation.label": "查看实现",
+ "references.no": "未找到\"{0}\"的引用",
+ "references.noGeneric": "未找到引用",
+ "goToReferences.label": "转到引用",
+ "miGotoReference": "转到引用(&&R)",
+ "ref.title": "引用",
+ "references.action.label": "查看引用",
+ "label.generic": "转到任何符号",
+ "generic.title": "位置",
+ "generic.noResult": "无“{0}”的结果"
+ },
+ "vs/editor/contrib/hover/hover": {
+ "showHover": "显示悬停",
+ "showDefinitionPreviewHover": "显示定义预览悬停"
+ },
+ "vs/editor/contrib/gotoSymbol/link/goToDefinitionAtPosition": {
+ "multipleResults": "单击显示 {0} 个定义。"
+ },
+ "vs/editor/contrib/gotoError/gotoError": {
+ "markerAction.next.label": "转到下一个问题 (错误、警告、信息)",
+ "nextMarkerIcon": "“转到下一个”标记的图标。",
+ "markerAction.previous.label": "转到上一个问题 (错误、警告、信息)",
+ "previousMarkerIcon": "“转到上一个”标记的图标。",
+ "markerAction.nextInFiles.label": "转到文件中的下一个问题 (错误、警告、信息)",
+ "miGotoNextProblem": "下一个问题(&&P)",
+ "markerAction.previousInFiles.label": "转到文件中的上一个问题 (错误、警告、信息)",
+ "miGotoPreviousProblem": "上一个问题(&&P)"
+ },
+ "vs/editor/contrib/indentation/indentation": {
+ "indentationToSpaces": "将缩进转换为空格",
+ "indentationToTabs": "将缩进转换为制表符",
+ "configuredTabSize": "已配置制表符大小",
+ "selectTabWidth": "选择当前文件的制表符大小",
+ "indentUsingTabs": "使用 \"Tab\" 缩进",
+ "indentUsingSpaces": "使用空格缩进",
+ "detectIndentation": "从内容中检测缩进方式",
+ "editor.reindentlines": "重新缩进行",
+ "editor.reindentselectedlines": "重新缩进所选行"
+ },
+ "vs/editor/contrib/inPlaceReplace/inPlaceReplace": {
+ "InPlaceReplaceAction.previous.label": "替换为上一个值",
+ "InPlaceReplaceAction.next.label": "替换为下一个值"
+ },
+ "vs/editor/contrib/linesOperations/linesOperations": {
+ "lines.copyUp": "向上复制行",
+ "miCopyLinesUp": "向上复制行(&&C)",
+ "lines.copyDown": "向下复制行",
+ "miCopyLinesDown": "向下复制一行(&&P)",
+ "duplicateSelection": "重复选择",
+ "miDuplicateSelection": "重复选择(&&D)",
+ "lines.moveUp": "向上移动行",
+ "miMoveLinesUp": "向上移动一行(&&V)",
+ "lines.moveDown": "向下移动行",
+ "miMoveLinesDown": "向下移动一行(&&L)",
+ "lines.sortAscending": "按升序排列行",
+ "lines.sortDescending": "按降序排列行",
+ "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": "转换为词首字母大写"
+ },
+ "vs/editor/contrib/linkedEditing/linkedEditing": {
+ "linkedEditing.label": "启动链接编辑",
+ "editorLinkedEditingBackground": "编辑器根据类型自动重命名时的背景色。"
+ },
+ "vs/editor/contrib/links/links": {
+ "links.navigate.executeCmd": "执行命令",
+ "links.navigate.follow": "关注链接",
+ "links.navigate.kb.meta.mac": "cmd + 单击",
+ "links.navigate.kb.meta": "ctrl + 单击",
+ "links.navigate.kb.alt.mac": "option + 单击",
+ "links.navigate.kb.alt": "alt + 单击",
+ "tooltip.explanation": "执行命令 {0}",
+ "invalid.url": "此链接格式不正确,无法打开: {0}",
+ "missing.url": "此链接目标已丢失,无法打开。",
+ "label": "打开链接"
+ },
+ "vs/editor/contrib/multicursor/multicursor": {
+ "mutlicursor.insertAbove": "在上面添加光标",
+ "miInsertCursorAbove": "在上面添加光标(&&A)",
+ "mutlicursor.insertBelow": "在下面添加光标",
+ "miInsertCursorBelow": "在下面添加光标(&&D)",
+ "mutlicursor.insertAtEndOfEachLineSelected": "在行尾添加光标",
+ "miInsertCursorAtEndOfEachLineSelected": "在行尾添加光标(&&U)",
+ "mutlicursor.addCursorsToBottom": "在底部添加光标",
+ "mutlicursor.addCursorsToTop": "在顶部添加光标",
+ "addSelectionToNextFindMatch": "将下一个查找匹配项添加到选择",
+ "miAddSelectionToNextFindMatch": "添加下一个匹配项(&&N)",
+ "addSelectionToPreviousFindMatch": "将选择内容添加到上一查找匹配项",
+ "miAddSelectionToPreviousFindMatch": "添加上一个匹配项(&&R)",
+ "moveSelectionToNextFindMatch": "将上次选择移动到下一个查找匹配项",
+ "moveSelectionToPreviousFindMatch": "将上个选择内容移动到上一查找匹配项",
+ "selectAllOccurrencesOfFindMatch": "选择所有找到的查找匹配项",
+ "miSelectHighlights": "选择所有匹配项(&&O)",
+ "changeAll.label": "更改所有匹配项"
+ },
+ "vs/editor/contrib/parameterHints/parameterHints": {
+ "parameterHints.trigger.label": "触发参数提示"
+ },
+ "vs/editor/contrib/rename/rename": {
+ "no result": "无结果。",
+ "resolveRenameLocationFailed": "解析重命名位置时发生未知错误",
+ "label": "正在重命名“{0}”",
+ "quotableLabel": "重命名 {0}",
+ "aria": "成功将“{0}”重命名为“{1}”。摘要: {2}",
+ "rename.failedApply": "重命名无法应用修改",
+ "rename.failed": "重命名无法计算修改",
+ "rename.label": "重命名符号",
+ "enablePreview": "启用/禁用重命名之前预览更改的功能"
+ },
+ "vs/editor/contrib/smartSelect/smartSelect": {
+ "smartSelect.expand": "展开选择",
+ "miSmartSelectGrow": "展开选定内容(&&E)",
+ "smartSelect.shrink": "收起选择",
+ "miSmartSelectShrink": "缩小选定范围(&&S)"
+ },
+ "vs/editor/contrib/suggest/suggestController": {
+ "aria.alert.snippet": "选择“{0}”后进行了其他 {1} 次编辑",
+ "suggest.trigger.label": "触发建议",
+ "accept.insert": "插入",
+ "accept.replace": "替换",
+ "detail.more": "显示更少",
+ "detail.less": "显示更多",
+ "suggest.reset.label": "重置建议小组件大小"
+ },
+ "vs/editor/contrib/tokenization/tokenization": {
+ "forceRetokenize": "开发人员: 强制重新进行标记"
+ },
+ "vs/editor/contrib/toggleTabFocusMode/toggleTabFocusMode": {
+ "toggle.tabMovesFocus": "切换 Tab 键移动焦点",
+ "toggle.tabMovesFocus.on": "Tab 键将移动到下一可聚焦的元素",
+ "toggle.tabMovesFocus.off": "Tab 键将插入制表符"
+ },
+ "vs/editor/contrib/unusualLineTerminators/unusualLineTerminators": {
+ "unusualLineTerminators.title": "异常行终止符",
+ "unusualLineTerminators.message": "检测到异常行终止符",
+ "unusualLineTerminators.detail": "此文件包含一个或多个异常的行终止符,例如行分隔符(LS)或段落分隔符(PS)。\r\n\r\n建议从文件中删除它们。可通过 \"editor.unusualLineTerminators\" 进行配置。",
+ "unusualLineTerminators.fix": "修复此文件",
+ "unusualLineTerminators.ignore": "忽略此文件的问题"
+ },
+ "vs/editor/contrib/wordHighlighter/wordHighlighter": {
+ "wordHighlight": "读取访问期间符号的背景色,例如读取变量时。颜色必须透明,以免隐藏下面的修饰效果。",
+ "wordHighlightStrong": "写入访问过程中符号的背景色,例如写入变量时。颜色必须透明,以免隐藏下面的修饰效果。",
+ "wordHighlightBorder": "符号在进行读取访问操作时的边框颜色,例如读取变量。",
+ "wordHighlightStrongBorder": "符号在进行写入访问操作时的边框颜色,例如写入变量。",
+ "overviewRulerWordHighlightForeground": "用于突出显示符号的概述标尺标记颜色。颜色必须透明,以免隐藏下面的修饰效果。",
+ "overviewRulerWordHighlightStrongForeground": "用于突出显示写权限符号的概述标尺标记颜色。颜色必须透明,以免隐藏下面的修饰效果。",
+ "wordHighlight.next.label": "转到下一个突出显示的符号",
+ "wordHighlight.previous.label": "转到上一个突出显示的符号",
+ "wordHighlight.trigger.label": "触发符号高亮"
+ },
+ "vs/editor/contrib/wordOperations/wordOperations": {
+ "deleteInsideWord": "删除 Word"
+ },
+ "vs/editor/contrib/quickAccess/gotoLineQuickAccess": {
+ "cannotRunGotoLine": "先打开文本编辑器然后跳转到行。",
+ "gotoLineColumnLabel": "转到第 {0} 行、第 {1} 列。",
+ "gotoLineLabel": "转到行 {0}。",
+ "gotoLineLabelEmptyWithLimit": "当前行: {0},字符: {1}。键入要导航到的行号(介于 1 至 {2} 之间)。",
+ "gotoLineLabelEmpty": "当前行: {0},字符: {1}。 键入要导航到的行号。"
+ },
+ "vs/editor/contrib/peekView/peekView": {
+ "label.close": "关闭",
+ "peekViewTitleBackground": "速览视图标题区域背景颜色。",
+ "peekViewTitleForeground": "速览视图标题颜色。",
+ "peekViewTitleInfoForeground": "速览视图标题信息颜色。",
+ "peekViewBorder": "速览视图边框和箭头颜色。",
+ "peekViewResultsBackground": "速览视图结果列表背景色。",
+ "peekViewResultsMatchForeground": "速览视图结果列表中行节点的前景色。",
+ "peekViewResultsFileForeground": "速览视图结果列表中文件节点的前景色。",
+ "peekViewResultsSelectionBackground": "速览视图结果列表中所选条目的背景色。",
+ "peekViewResultsSelectionForeground": "速览视图结果列表中所选条目的前景色。",
+ "peekViewEditorBackground": "速览视图编辑器背景色。",
+ "peekViewEditorGutterBackground": "速览视图编辑器中装订线的背景色。",
+ "peekViewResultsMatchHighlight": "在速览视图结果列表中匹配突出显示颜色。",
+ "peekViewEditorMatchHighlight": "在速览视图编辑器中匹配突出显示颜色。",
+ "peekViewEditorMatchHighlightBorder": "在速览视图编辑器中匹配项的突出显示边框。"
+ },
+ "vs/editor/contrib/codeAction/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": "没有适用于\"{0}\"的首选代码操作",
+ "editor.action.codeAction.noneMessage.kind": "没有适用于\"{0}\"的代码操作",
+ "editor.action.codeAction.noneMessage.preferred": "没有可用的首选代码操作",
+ "editor.action.codeAction.noneMessage": "没有可用的代码操作",
+ "refactor.label": "重构...",
+ "editor.action.refactor.noneMessage.preferred.kind": "没有适用于\"{0}\"的首选重构",
+ "editor.action.refactor.noneMessage.kind": "没有可用的\"{0}\"重构",
+ "editor.action.refactor.noneMessage.preferred": "没有可用的首选重构",
+ "editor.action.refactor.noneMessage": "没有可用的重构操作",
+ "source.label": "源代码操作...",
+ "editor.action.source.noneMessage.preferred.kind": "没有适用于\"{0}\"的首选源操作",
+ "editor.action.source.noneMessage.kind": "没有适用于“ {0}”的源操作",
+ "editor.action.source.noneMessage.preferred": "没有可用的首选源操作",
+ "editor.action.source.noneMessage": "没有可用的源代码操作",
+ "organizeImports.label": "整理 import 语句",
+ "editor.action.organize.noneMessage": "没有可用的整理 import 语句操作",
+ "fixAll.label": "全部修复",
+ "fixAll.noneMessage": "没有可用的“全部修复”操作",
+ "autoFix.label": "自动修复...",
+ "editor.action.autoFix.noneMessage": "没有可用的自动修复程序"
+ },
+ "vs/editor/contrib/find/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": "仅高亮了前 {0} 个结果,但所有查找操作均针对全文。",
+ "label.matchesLocation": "{1} 中的 {0}",
+ "label.noResults": "无结果",
+ "ariaSearchNoResultEmpty": "找到 {0}",
+ "ariaSearchNoResult": "为“{1}”找到 {0}",
+ "ariaSearchNoResultWithLineNum": "在 {2} 处找到“{1}”的 {0}",
+ "ariaSearchNoResultWithLineNumNoCurrentMatch": "为“{1}”找到 {0}",
+ "ctrlEnter.keybindingChanged": "Ctrl+Enter 现在由全部替换改为插入换行。你可以修改editor.action.replaceAll 的按键绑定以覆盖此行为。"
+ },
+ "vs/editor/contrib/folding/foldingDecorations": {
+ "foldingExpandedIcon": "编辑器字形边距中已展开的范围的图标。",
+ "foldingCollapsedIcon": "编辑器字形边距中已折叠的范围的图标。"
+ },
+ "vs/editor/contrib/format/format": {
+ "hint11": "在第 {0} 行进行了 1 次格式编辑",
+ "hintn1": "在第 {1} 行进行了 {0} 次格式编辑",
+ "hint1n": "第 {0} 行到第 {1} 行间进行了 1 次格式编辑",
+ "hintnn": "第 {1} 行到第 {2} 行间进行了 {0} 次格式编辑"
+ },
+ "vs/editor/contrib/message/messageController": {
+ "editor.readonly": "无法在只读编辑器中编辑"
+ },
+ "vs/editor/contrib/gotoSymbol/peek/referencesController": {
+ "labelLoading": "正在加载...",
+ "metaTitle.N": "{0} ({1})"
+ },
+ "vs/editor/contrib/gotoSymbol/referencesModel": {
+ "aria.oneReference": "在文件 {0} 的 {1} 行 {2} 列的符号",
+ "aria.oneReference.preview": "在文件 {0} 的 {1} 行 {2} 列的符号,{3}",
+ "aria.fileReferences.1": "{0} 中有 1 个符号,完整路径: {1}",
+ "aria.fileReferences.N": "{1} 中有 {0} 个符号,完整路径: {2}",
+ "aria.result.0": "未找到结果",
+ "aria.result.1": "在 {0} 中找到 1 个符号",
+ "aria.result.n1": "在 {1} 中找到 {0} 个符号",
+ "aria.result.nm": "在 {1} 个文件中找到 {0} 个符号"
+ },
+ "vs/editor/contrib/gotoSymbol/symbolNavigation": {
+ "location.kb": "{1} 的符号 {0},下一个使用 {2}",
+ "location": "{1} 的符号 {0}"
+ },
+ "vs/editor/contrib/hover/modesContentHover": {
+ "modesContentHover.loading": "正在加载...",
+ "peek problem": "速览问题",
+ "noQuickFixes": "没有可用的快速修复",
+ "checkingForQuickFixes": "正在检查快速修复...",
+ "quick fixes": "快速修复..."
+ },
+ "vs/editor/contrib/gotoError/gotoErrorWidget": {
+ "Error": "错误",
+ "Warning": "警告",
+ "Info": "信息",
+ "Hint": "提示",
+ "marker aria": "{1} 中的 {0}",
+ "problems": "{0} 个问题(共 {1} 个)",
+ "change": "{0} 个问题(共 {1} 个)",
+ "editorMarkerNavigationError": "编辑器标记导航小组件错误颜色。",
+ "editorMarkerNavigationWarning": "编辑器标记导航小组件警告颜色。",
+ "editorMarkerNavigationInfo": "编辑器标记导航小组件信息颜色。",
+ "editorMarkerNavigationBackground": "编辑器标记导航小组件背景色。"
+ },
+ "vs/editor/contrib/parameterHints/parameterHintsWidget": {
+ "parameterHintsNextIcon": "“显示下一个参数”提示的图标。",
+ "parameterHintsPreviousIcon": "“显示上一个参数”提示的图标。",
+ "hint": "{0},提示"
+ },
+ "vs/editor/contrib/rename/renameInputField": {
+ "renameAriaLabel": "重命名输入。键入新名称并按 \"Enter\" 提交。",
+ "label": "按 {0} 进行重命名,按 {1} 进行预览"
+ },
+ "vs/editor/contrib/suggest/suggestWidget": {
+ "editorSuggestWidgetBackground": "建议小组件的背景色。",
+ "editorSuggestWidgetBorder": "建议小组件的边框颜色。",
+ "editorSuggestWidgetForeground": "建议小组件的前景色。",
+ "editorSuggestWidgetSelectedBackground": "建议小组件中所选条目的背景色。",
+ "editorSuggestWidgetHighlightForeground": "建议小组件中匹配内容的高亮颜色。",
+ "suggestWidget.loading": "正在加载...",
+ "suggestWidget.noSuggestions": "无建议。",
+ "ariaCurrenttSuggestionReadDetails": "{0},文档: {1}",
+ "suggest": "建议"
+ },
+ "vs/editor/contrib/quickAccess/gotoSymbolQuickAccess": {
+ "cannotRunGotoSymbolWithoutEditor": "要转到符号,首先打开具有符号信息的文本编辑器。",
+ "cannotRunGotoSymbolWithoutSymbolProvider": "活动文本编辑器不提供符号信息。",
+ "noMatchingSymbolResults": "没有匹配的编辑器符号",
+ "noSymbolResults": "没有编辑器符号",
+ "openToSide": "在侧边打开",
+ "openToBottom": "在底部打开",
+ "symbols": "符号({0})",
+ "property": "属性({0})",
+ "method": "方法({0})",
+ "function": "函数({0})",
+ "_constructor": "构造函数 ({0})",
+ "variable": "变量({0})",
+ "class": "类({0})",
+ "struct": "结构({0})",
+ "event": "事件({0})",
+ "operator": "运算符({0})",
+ "interface": "接口({0})",
+ "namespace": "命名空间({0})",
+ "package": "包({0})",
+ "typeParameter": "类型参数({0})",
+ "modules": "模块({0})",
+ "enum": "枚举({0})",
+ "enumMember": "枚举成员({0})",
+ "string": "字符串({0})",
+ "file": "文件({0})",
+ "array": "数组({0})",
+ "number": "数字({0})",
+ "boolean": "布尔值({0})",
+ "object": "对象({0})",
+ "key": "键({0})",
+ "field": "字段({0})",
+ "constant": "常量({0})"
+ },
+ "vs/editor/contrib/snippet/snippetVariables": {
+ "Sunday": "星期天",
+ "Monday": "星期一",
+ "Tuesday": "星期二",
+ "Wednesday": "星期三",
+ "Thursday": "星期四",
+ "Friday": "星期五",
+ "Saturday": "星期六",
+ "SundayShort": "周日",
+ "MondayShort": "周一",
+ "TuesdayShort": "周二",
+ "WednesdayShort": "周三",
+ "ThursdayShort": "周四",
+ "FridayShort": "周五",
+ "SaturdayShort": "周六",
+ "January": "一月",
+ "February": "二月",
+ "March": "三月",
+ "April": "四月",
+ "May": "5月",
+ "June": "六月",
+ "July": "七月",
+ "August": "八月",
+ "September": "九月",
+ "October": "十月",
+ "November": "十一月",
+ "December": "十二月",
+ "JanuaryShort": "1月",
+ "FebruaryShort": "2月",
+ "MarchShort": "3月",
+ "AprilShort": "4月",
+ "MayShort": "5月",
+ "JuneShort": "6月",
+ "JulyShort": "7月",
+ "AugustShort": "8月",
+ "SeptemberShort": "9月",
+ "OctoberShort": "10月",
+ "NovemberShort": "11 月",
+ "DecemberShort": "12月"
+ },
+ "vs/editor/contrib/documentSymbols/outlineTree": {
+ "title.template": "{0} ({1})",
+ "1.problem": "此元素存在 1 个问题",
+ "N.problem": "此元素存在 {0} 个问题",
+ "deep.problem": "包含存在问题的元素",
+ "Array": "数组",
+ "Boolean": "布尔值",
+ "Class": "类",
+ "Constant": "常数",
+ "Constructor": "构造函数",
+ "Enum": "枚举",
+ "EnumMember": "枚举成员",
+ "Event": "事件",
+ "Field": "字段",
+ "File": "文件",
+ "Function": "函数",
+ "Interface": "接口",
+ "Key": "键",
+ "Method": "方法",
+ "Module": "模块",
+ "Namespace": "命名空间",
+ "Null": "Null",
+ "Number": "数字",
+ "Object": "对象",
+ "Operator": "运算符",
+ "Package": "包",
+ "Property": "属性",
+ "String": "字符串",
+ "Struct": "结构",
+ "TypeParameter": "类型参数",
+ "Variable": "变量",
+ "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/editor/contrib/gotoSymbol/peek/referencesWidget": {
+ "missingPreviewMessage": "无可用预览",
+ "noResults": "无结果",
+ "peekView.alternateTitle": "引用"
+ },
+ "vs/editor/contrib/suggest/suggestWidgetDetails": {
+ "details.close": "关闭",
+ "loading": "正在加载…"
+ },
+ "vs/editor/contrib/suggest/suggestWidgetStatus": {
+ "ddd": "{0} ({1})"
+ },
+ "vs/editor/contrib/suggest/suggestWidgetRenderer": {
+ "suggestMoreInfoIcon": "建议小组件中的详细信息的图标。",
+ "readMore": "了解详细信息"
+ },
+ "vs/editor/contrib/codeAction/lightBulbWidget": {
+ "prefferedQuickFixWithKb": "显示修复程序。首选可用修复程序 ({0})",
+ "quickFixWithKb": "显示修补程序({0})",
+ "quickFix": "显示修补程序"
+ },
+ "vs/editor/contrib/gotoSymbol/peek/referencesTree": {
+ "referencesCount": "{0} 个引用",
+ "referenceCount": "{0} 个引用",
+ "treeAriaLabel": "引用"
+ },
+ "vs/platform/environment/node/argvHelper": {
+ "unknownOption": "警告: \"{0}\"不在已知选项列表中,但仍传递给 Electron/Chromium。",
+ "multipleValues": "选项\"{0}\"定义多次。使用值\"{1}\"。",
+ "gotoValidation": "\"--goto\" 模式中的参数格式应为 \"FILE(:LINE(:CHARACTER))\"。"
+ },
+ "vs/platform/request/common/request": {
+ "httpConfigurationTitle": "HTTP",
+ "proxy": "要使用的代理设置。如果未设置,则将从 \"http_proxy\" 和 \"https_proxy\" 环境变量中继承。",
+ "strictSSL": "控制是否根据提供的 CA 列表验证代理服务器证书。",
+ "proxyAuthorization": "要作为每个网络请求的 \"Proxy-Authorization\" 标头发送的值。",
+ "proxySupportOff": "禁用对扩展的代理支持。",
+ "proxySupportOn": "为扩展启用代理支持。",
+ "proxySupportOverride": "为扩展启用代理支持,覆盖请求选项。",
+ "proxySupport": "对扩展使用代理支持。",
+ "systemCertificates": "控制是否应从操作系统加载 CA 证书。(在 Windows 和 macOS 上, 关闭此窗口后需要重新加载窗口)。"
+ },
+ "vs/platform/files/common/fileService": {
+ "invalidPath": "无法解析具有相对文件路径\"{0}\"的文件系统提供程序",
+ "noProviderFound": "未找到资源\"{0}\"的文件系统提供程序",
+ "fileNotFoundError": "无法解析不存在的文件\"{0}\"",
+ "fileExists": "如果未设置覆盖标记,则无法创建文件“{0}”,因为它已存在",
+ "err.write": "无法写入文件\"{0}\"({1})",
+ "fileIsDirectoryWriteError": "无法写入实际上是一个目录的文件\"{0}\"",
+ "fileModifiedError": "自以下时间已修改的文件:",
+ "err.read": "无法读取文件'{0}' ({1})",
+ "fileIsDirectoryReadError": "无法读取实际上是一个目录的文件\"{0}\"",
+ "fileNotModifiedError": "自以下时间未修改的文件:",
+ "fileTooLargeError": "无法读取文件“{0}”,该文件太大,无法打开",
+ "unableToMoveCopyError1": "当源\"{0}\"与目标\"{1}\"在不区分大小写的文件系统上具有不同路径大小写时,无法复制",
+ "unableToMoveCopyError2": "当源\"{0}\"是目标\"{1}\"的父级时,无法移动/复制。",
+ "unableToMoveCopyError3": "无法移动/复制\"{0}\",因为目标\"{1}\"已存在于目标位置。",
+ "unableToMoveCopyError4": "无法将\"{0}\"移动/复制到\"{1}\"中,因为文件将替换包含该文件的文件夹。",
+ "mkdirExistsError": "无法创建已存在但不是目录的文件夹\"{0}\"",
+ "deleteFailedTrashUnsupported": "无法通过回收站删除文件\"{0}\",因为提供程序不支持它。",
+ "deleteFailedNotFound": "无法删除不存在的文件\"{0}\"",
+ "deleteFailedNonEmptyFolder": "无法删除非空文件夹“{0}”。",
+ "err.readonly": "无法修改只读文件\"{0}\""
+ },
+ "vs/platform/files/node/diskFileSystemProvider": {
+ "fileExists": "文件已存在",
+ "fileNotExists": "文件不存在",
+ "moveError": "无法将 \"{0}\" 移动到 \"{1}\" ({2}) 中。",
+ "copyError": "无法将 \"{0}\" 复制到 \"{1}\" ({2}) 中。",
+ "fileCopyErrorPathCase": "''文件不能复制到仅大小写不同的相同路径",
+ "fileCopyErrorExists": "目标处的文件已存在"
+ },
+ "vs/platform/files/common/files": {
+ "unknownError": "未知错误",
+ "sizeB": "{0} B",
+ "sizeKB": "{0} KB",
+ "sizeMB": "{0} MB",
+ "sizeGB": "{0} GB",
+ "sizeTB": "{0} TB"
+ },
+ "vs/platform/update/common/update.config.contribution": {
+ "updateConfigurationTitle": "更新",
+ "updateMode": "配置是否接收自动更新。更改后需要重新启动。更新是从微软在线服务获取的。",
+ "none": "禁用更新。",
+ "manual": "禁用自动后台更新检查。如果手动检查更新,更新将可用。",
+ "start": "仅在启动时检查更新。禁用自动后台更新检查。",
+ "default": "启用自动更新检查。代码将定期自动检查更新。",
+ "deprecated": "此设置已弃用,请改用“{0}”。",
+ "enableWindowsBackgroundUpdatesTitle": "在 Windows 上启用后台更新",
+ "enableWindowsBackgroundUpdates": "启用在 Windows 上后台下载和安装新的 VS Code 版本",
+ "showReleaseNotes": "在更新后显示发行说明。发行说明将从 Microsoft 联机服务中获取。"
+ },
+ "vs/platform/environment/node/argv": {
+ "optionsUpperCase": "选项",
+ "extensionsManagement": "扩展管理",
+ "troubleshooting": "故障排查",
+ "diff": "将两个文件相互比较。",
+ "add": "将文件夹添加到上一个活动窗口。",
+ "goto": "打开路径下的文件并定位到特定行和特定列。",
+ "newWindow": "强制打开新窗口。",
+ "reuseWindow": "强制在已打开的窗口中打开文件或文件夹。",
+ "wait": "等文件关闭后再返回。",
+ "locale": "要使用的区域设置(例如 en-US 或 zh-TW)。",
+ "userDataDir": "指定保存用户数据的目录。可用于打开多个不同的 Code 实例。",
+ "help": "打印使用情况。",
+ "extensionHomePath": "设置扩展的根路径。",
+ "listExtensions": "列出已安装的扩展。",
+ "showVersions": "使用 --list-extension 时,显示已安装扩展的版本。",
+ "category": "使用 --list-extension 按提供的类别筛选已安装的扩展。",
+ "installExtension": "安装或更新扩展。扩展的标识符始终为 `${publisher}.${name}`。使用 `--force` 参数更新到最新版本。要安装特定版本,请提供 `@${version}`,例如 \"vscode.csharp@1.2.3\"。",
+ "uninstallExtension": "卸载扩展。",
+ "experimentalApis": "为扩展启用实验性 API 功能。可以输入一个或多个扩展的 ID 来进行单独启用。",
+ "version": "打印版本。",
+ "verbose": "打印详细输出(表示 - 等待)。",
+ "log": "使用的日志级别。默认值为 \"info\"。允许的值为 \"critical\" (关键)、\"error\" (错误)、\"warn\" (警告)、\"info\" (信息)、\"debug\" (调试)、\"trace\" (跟踪) 和 \"off\" (关闭)。",
+ "status": "打印进程使用情况和诊断信息。",
+ "prof-startup": "启动期间运行 CPU 探查器",
+ "disableExtensions": "禁用所有已安装的扩展。",
+ "disableExtension": "禁用一个扩展。",
+ "turn sync": "打开或关闭同步",
+ "inspect-extensions": "允许调试和分析扩展。您可以在开发人员工具中找到连接 URI。",
+ "inspect-brk-extensions": "允许扩展宿主在启动后暂停时进行扩展的调试和分析。您可以在开发人员工具中找到连接 URI。",
+ "disableGPU": "禁用 GPU 硬件加速。",
+ "maxMemory": "单个窗口最大内存大小 (单位为 MB)。",
+ "telemetry": "显示 VS Code 收集的所有遥测事件。",
+ "usage": "使用情况",
+ "options": "选项",
+ "paths": "路径",
+ "stdinWindows": "要读取其他程序的输出,请追加 \"-\" (例如 \"echo Hello World | {0} -')",
+ "stdinUnix": "要从 stdin 中读取,请追加 \"-\" (例如 \"ps aux | grep code | {0} -')",
+ "unknownVersion": "未知版本",
+ "unknownCommit": "未知提交"
+ },
+ "vs/platform/extensionManagement/common/extensionManagement": {
+ "extensions": "扩展",
+ "preferences": "首选项"
+ },
+ "vs/platform/extensionManagement/node/extensionManagementService": {
+ "incompatible": "无法安装扩展“{0}”,因为它与 VS Code“{1}”不兼容。",
+ "restartCode": "请在重新安装{0}之前重新启动 VS Code。",
+ "MarketPlaceDisabled": "市场未启用",
+ "malicious extension": "无法安装此扩展,它被报告存在问题。",
+ "notFoundCompatibleDependency": "无法安装“{0}”扩展,因为它与 VS Code 的当前版本(版本 {1})不兼容。",
+ "Not a Marketplace extension": "只能重新安装商店中的扩展",
+ "removeError": "删除扩展时出错: {0}。请重启 VS Code,然后重试。",
+ "quitCode": "无法安装扩展。请在重启 VS Code 后重新安装。",
+ "exitCode": "无法安装扩展。请在重启 VS Code 后重新安装。",
+ "notInstalled": "未安装扩展“{0}”。",
+ "singleDependentError": "无法卸载扩展“{0}”。扩展“{1}”依赖于它。",
+ "twoDependentsError": "无法卸载扩展“{0}”。扩展“{1}”和“{2}”依赖于它。",
+ "multipleDependentsError": "无法卸载扩展“{0}”。“{1}”、“{2}”以及其他扩展都依赖于它。",
+ "singleIndirectDependentError": "无法卸载扩展“{0}”。该操作会一并卸载依赖于它的扩展“{1}”和“{2}”。",
+ "twoIndirectDependentsError": "无法卸载扩展“{0}”。该操作会一并卸载依赖于它的扩展“{1}”、“{2}”和“{3}”。",
+ "multipleIndirectDependentsError": "无法卸载扩展“{0}”。该操作会一并卸载依赖于它的扩展“{1}”、“{2}”、“{3}”和其他扩展。",
+ "notExists": "找不到扩展"
+ },
+ "vs/platform/telemetry/common/telemetryService": {
+ "telemetryConfigurationTitle": "遥测",
+ "telemetry.enableTelemetry": "将使用数据和错误发送到 Microsoft 联机服务。",
+ "telemetry.enableTelemetryMd": "实现将使用数据和错误发送到 Microsoft 联机服务。在 [此处] 阅读我们的隐私声明({0})。"
+ },
+ "vs/platform/extensionManagement/node/extensionManagementUtil": {
+ "invalidManifest": "VSIX 无效: package.json 不是 JSON 文件。"
+ },
+ "vs/platform/userDataSync/common/userDataSync": {
+ "settings sync": "设置同步",
+ "settingsSync.keybindingsPerPlatform": "为每个平台同步键绑定。",
+ "sync.keybindingsPerPlatform.deprecated": "已弃用,改用 settingsSync.keybindingsPerPlatform",
+ "settingsSync.ignoredExtensions": "同步时要忽略的扩展列表。扩展的标识符始终为 \"${publisher}.${name}\"。例如: \"vscode.csharp\"。",
+ "app.extension.identifier.errorMessage": "预期的格式 \"${publisher}.${name}\"。例如: \"vscode.csharp\"。",
+ "sync.ignoredExtensions.deprecated": "已弃用,改用 settingsSync.ignoredExtensions",
+ "settingsSync.ignoredSettings": "配置在同步时要忽略的设置。",
+ "sync.ignoredSettings.deprecated": "已弃用,改用 settingsSync.ignoredSettings"
+ },
+ "vs/platform/extensionManagement/electron-sandbox/extensionTipsService": {
+ "exeRecommended": "你的系统上安装了 {0}。是否要为其安装推荐的扩展?"
+ },
+ "vs/platform/userDataSync/common/userDataSyncMachines": {
+ "error incompatible": "无法读取计算机数据,因为当前版本不兼容。请更新 {0},然后重试。"
+ },
+ "vs/platform/userDataSync/common/userDataAutoSyncService": {
+ "default service changed": "默认服务已更改,因此无法同步",
+ "service changed": "同步服务已更改,因此无法同步",
+ "turned off": "无法同步,因为同步在云中已关闭",
+ "session expired": "无法同步,因为当前会话已过期",
+ "turned off machine": "无法同步,因为已从另一台计算机上关闭了此计算机上的同步。"
+ },
+ "vs/platform/workspaces/common/workspaces": {
+ "codeWorkspace": "Code 工作区"
+ },
+ "vs/platform/files/electron-browser/diskFileSystemProvider": {
+ "binFailed": "未能将“{0}”移动到回收站",
+ "trashFailed": "未能将“{0}”移动到废纸篓"
+ },
+ "vs/platform/dialogs/common/dialogs": {
+ "moreFile": "...1 个其他文件未显示",
+ "moreFiles": "...{0} 个其他文件未显示"
+ },
+ "vs/platform/theme/common/colorRegistry": {
+ "foreground": "整体前景色。此颜色仅在不被组件覆盖时适用。",
+ "errorForeground": "错误信息的整体前景色。此颜色仅在不被组件覆盖时适用。",
+ "descriptionForeground": "提供其他信息的说明文本的前景色,例如标签文本。",
+ "iconForeground": "工作台中图标的默认颜色。",
+ "focusBorder": "焦点元素的整体边框颜色。此颜色仅在不被其他组件覆盖时适用。",
+ "contrastBorder": "在元素周围额外的一层边框,用来提高对比度从而区别其他元素。",
+ "activeContrastBorder": "在活动元素周围额外的一层边框,用来提高对比度从而区别其他元素。",
+ "selectionBackground": "工作台所选文本的背景颜色(例如输入字段或文本区域)。注意,本设置不适用于编辑器。",
+ "textSeparatorForeground": "文字分隔符的颜色。",
+ "textLinkForeground": "文本中链接的前景色。",
+ "textLinkActiveForeground": "文本中链接在点击或鼠标悬停时的前景色 。",
+ "textPreformatForeground": "预格式化文本段的前景色。",
+ "textBlockQuoteBackground": "文本中块引用的背景颜色。",
+ "textBlockQuoteBorder": "文本中块引用的边框颜色。",
+ "textCodeBlockBackground": "文本中代码块的背景颜色。",
+ "widgetShadow": "编辑器内小组件(如查找/替换)的阴影颜色。",
+ "inputBoxBackground": "输入框背景色。",
+ "inputBoxForeground": "输入框前景色。",
+ "inputBoxBorder": "输入框边框。",
+ "inputBoxActiveOptionBorder": "输入字段中已激活选项的边框颜色。",
+ "inputOption.activeBackground": "输入字段中激活选项的背景颜色。",
+ "inputOption.activeForeground": "输入字段中已激活的选项的前景色。",
+ "inputPlaceholderForeground": "输入框中占位符的前景色。",
+ "inputValidationInfoBackground": "输入验证结果为信息级别时的背景色。",
+ "inputValidationInfoForeground": "输入验证结果为信息级别时的前景色。",
+ "inputValidationInfoBorder": "严重性为信息时输入验证的边框颜色。",
+ "inputValidationWarningBackground": "严重性为警告时输入验证的背景色。",
+ "inputValidationWarningForeground": "输入验证结果为警告级别时的前景色。",
+ "inputValidationWarningBorder": "严重性为警告时输入验证的边框颜色。",
+ "inputValidationErrorBackground": "输入验证结果为错误级别时的背景色。",
+ "inputValidationErrorForeground": "输入验证结果为错误级别时的前景色。",
+ "inputValidationErrorBorder": "严重性为错误时输入验证的边框颜色。",
+ "dropdownBackground": "下拉列表背景色。",
+ "dropdownListBackground": "下拉列表背景色。",
+ "dropdownForeground": "下拉列表前景色。",
+ "dropdownBorder": "下拉列表边框。",
+ "checkbox.background": "复选框小部件的背景颜色。",
+ "checkbox.foreground": "复选框小部件的前景色。",
+ "checkbox.border": "复选框小部件的边框颜色。",
+ "buttonForeground": "按钮前景色。",
+ "buttonBackground": "按钮背景色。",
+ "buttonHoverBackground": "按钮在悬停时的背景颜色。",
+ "buttonSecondaryForeground": "辅助按钮前景色。",
+ "buttonSecondaryBackground": "辅助按钮背景色。",
+ "buttonSecondaryHoverBackground": "悬停时的辅助按钮背景色。",
+ "badgeBackground": "Badge 背景色。Badge 是小型的信息标签,如表示搜索结果数量的标签。",
+ "badgeForeground": "Badge 前景色。Badge 是小型的信息标签,如表示搜索结果数量的标签。",
+ "scrollbarShadow": "表示视图被滚动的滚动条阴影。",
+ "scrollbarSliderBackground": "滚动条滑块背景色",
+ "scrollbarSliderHoverBackground": "滚动条滑块在悬停时的背景色",
+ "scrollbarSliderActiveBackground": "滚动条滑块在被点击时的背景色。",
+ "progressBarBackground": "表示长时间操作的进度条的背景色。",
+ "editorError.background": "编辑器中错误文本的背景色。颜色必须透明,以免隐藏下面的修饰效果。",
+ "editorError.foreground": "编辑器中错误波浪线的前景色。",
+ "errorBorder": "编辑器中错误框的边框颜色。",
+ "editorWarning.background": "编辑器中警告文本的背景色。颜色必须透明,以免隐藏下面的修饰效果。",
+ "editorWarning.foreground": "编辑器中警告波浪线的前景色。",
+ "warningBorder": "编辑器中警告框的边框颜色。",
+ "editorInfo.background": "编辑器中信息文本的背景色。颜色必须透明,以免隐藏下面的修饰效果。",
+ "editorInfo.foreground": "编辑器中信息波浪线的前景色。",
+ "infoBorder": "编辑器中信息框的边框颜色。",
+ "editorHint.foreground": "编辑器中提示波浪线的前景色。",
+ "hintBorder": "编辑器中提示框的边框颜色。",
+ "sashActiveBorder": "活动框格的边框颜色。",
+ "editorBackground": "编辑器背景色。",
+ "editorForeground": "编辑器默认前景色。",
+ "editorWidgetBackground": "编辑器组件(如查找/替换)背景颜色。",
+ "editorWidgetForeground": "编辑器小部件的前景色,如查找/替换。",
+ "editorWidgetBorder": "编辑器小部件的边框颜色。此颜色仅在小部件有边框且不被小部件重写时适用。",
+ "editorWidgetResizeBorder": "编辑器小部件大小调整条的边框颜色。此颜色仅在小部件有调整边框且不被小部件颜色覆盖时使用。",
+ "pickerBackground": "背景颜色快速选取器。快速选取器小部件是选取器(如命令调色板)的容器。",
+ "pickerForeground": "前景颜色快速选取器。快速选取器小部件是命令调色板等选取器的容器。",
+ "pickerTitleBackground": "标题背景颜色快速选取器。快速选取器小部件是命令调色板等选取器的容器。",
+ "pickerGroupForeground": "快速选取器分组标签的颜色。",
+ "pickerGroupBorder": "快速选取器分组边框的颜色。",
+ "editorSelectionBackground": "编辑器所选内容的颜色。",
+ "editorSelectionForeground": "用以彰显高对比度的所选文本的颜色。",
+ "editorInactiveSelection": "非活动编辑器中所选内容的颜色,颜色必须透明,以免隐藏下面的装饰效果。",
+ "editorSelectionHighlight": "具有与所选项相关内容的区域的颜色。颜色必须透明,以免隐藏下面的修饰效果。",
+ "editorSelectionHighlightBorder": "与所选项内容相同的区域的边框颜色。",
+ "editorFindMatch": "当前搜索匹配项的颜色。",
+ "findMatchHighlight": "其他搜索匹配项的颜色。颜色必须透明,以免隐藏下面的修饰效果。",
+ "findRangeHighlight": "限制搜索范围的颜色。颜色不能不透明,以免隐藏底层装饰。",
+ "editorFindMatchBorder": "当前搜索匹配项的边框颜色。",
+ "findMatchHighlightBorder": "其他搜索匹配项的边框颜色。",
+ "findRangeHighlightBorder": "限制搜索的范围的边框颜色。颜色必须透明,以免隐藏下面的修饰效果。",
+ "searchEditor.queryMatch": "搜索编辑器查询匹配的颜色。",
+ "searchEditor.editorFindMatchBorder": "搜索编辑器查询匹配的边框颜色。",
+ "hoverHighlight": "在下面突出显示悬停的字词。颜色必须透明,以免隐藏下面的修饰效果。",
+ "hoverBackground": "编辑器悬停提示的背景颜色。",
+ "hoverForeground": "编辑器悬停的前景颜色。",
+ "hoverBorder": "光标悬停时编辑器的边框颜色。",
+ "statusBarBackground": "编辑器悬停状态栏的背景色。",
+ "activeLinkForeground": "活动链接颜色。",
+ "editorLightBulbForeground": "用于灯泡操作图标的颜色。",
+ "editorLightBulbAutoFixForeground": "用于灯泡自动修复操作图标的颜色。",
+ "diffEditorInserted": "已插入的文本的背景色。颜色必须透明,以免隐藏下面的修饰效果。",
+ "diffEditorRemoved": "已删除的文本的背景色。颜色必须透明,以免隐藏下面的修饰效果。",
+ "diffEditorInsertedOutline": "插入的文本的轮廓颜色。",
+ "diffEditorRemovedOutline": "被删除文本的轮廓颜色。",
+ "diffEditorBorder": "两个文本编辑器之间的边框颜色。",
+ "diffDiagonalFill": "差异编辑器的对角线填充颜色。对角线填充用于并排差异视图。",
+ "listFocusBackground": "焦点项在列表或树活动时的背景颜色。活动的列表或树具有键盘焦点,非活动的没有。",
+ "listFocusForeground": "焦点项在列表或树活动时的前景颜色。活动的列表或树具有键盘焦点,非活动的没有。",
+ "listActiveSelectionBackground": "已选项在列表或树活动时的背景颜色。活动的列表或树具有键盘焦点,非活动的没有。",
+ "listActiveSelectionForeground": "已选项在列表或树活动时的前景颜色。活动的列表或树具有键盘焦点,非活动的没有。",
+ "listInactiveSelectionBackground": "已选项在列表或树非活动时的背景颜色。活动的列表或树具有键盘焦点,非活动的没有。",
+ "listInactiveSelectionForeground": "已选项在列表或树非活动时的前景颜色。活动的列表或树具有键盘焦点,非活动的没有。",
+ "listInactiveFocusBackground": "非活动的列表或树控件中焦点项的背景颜色。活动的列表或树具有键盘焦点,非活动的没有。",
+ "listHoverBackground": "使用鼠标移动项目时,列表或树的背景颜色。",
+ "listHoverForeground": "鼠标在项目上悬停时,列表或树的前景颜色。",
+ "listDropBackground": "使用鼠标移动项目时,列表或树进行拖放的背景颜色。",
+ "highlight": "在列表或树中搜索时,其中匹配内容的高亮颜色。",
+ "invalidItemForeground": "列表或树中无效项的前景色,例如资源管理器中没有解析的根目录。",
+ "listErrorForeground": "包含错误的列表项的前景颜色。",
+ "listWarningForeground": "包含警告的列表项的前景颜色。",
+ "listFilterWidgetBackground": "列表和树中类型筛选器小组件的背景色。",
+ "listFilterWidgetOutline": "列表和树中类型筛选器小组件的轮廓颜色。",
+ "listFilterWidgetNoMatchesOutline": "当没有匹配项时,列表和树中类型筛选器小组件的轮廓颜色。",
+ "listFilterMatchHighlight": "筛选后的匹配项的背景颜色。",
+ "listFilterMatchHighlightBorder": "筛选后的匹配项的边框颜色。",
+ "treeIndentGuidesStroke": "缩进参考线的树描边颜色。",
+ "listDeemphasizedForeground": "取消强调的项目的列表/树前景颜色。",
+ "menuBorder": "菜单的边框颜色。",
+ "menuForeground": "菜单项的前景颜色。",
+ "menuBackground": "菜单项的背景颜色。",
+ "menuSelectionForeground": "菜单中选定菜单项的前景色。",
+ "menuSelectionBackground": "菜单中所选菜单项的背景色。",
+ "menuSelectionBorder": "菜单中所选菜单项的边框颜色。",
+ "menuSeparatorBackground": "菜单中分隔线的颜色。",
+ "snippetTabstopHighlightBackground": "代码片段 Tab 位的高亮背景色。",
+ "snippetTabstopHighlightBorder": "代码片段 Tab 位的高亮边框颜色。",
+ "snippetFinalTabstopHighlightBackground": "代码片段中最后的 Tab 位的高亮背景色。",
+ "snippetFinalTabstopHighlightBorder": "代码片段中最后的制表位的高亮边框颜色。",
+ "breadcrumbsFocusForeground": "焦点导航路径的颜色",
+ "breadcrumbsBackground": "导航路径项的背景色。",
+ "breadcrumbsSelectedForegound": "已选导航路径项的颜色。",
+ "breadcrumbsSelectedBackground": "导航路径项选择器的背景色。",
+ "mergeCurrentHeaderBackground": "当前标题背景的内联合并冲突。颜色不能不透明,以免隐藏底层装饰。",
+ "mergeCurrentContentBackground": "内联合并冲突中的当前内容背景。颜色必须透明,以免隐藏下面的修饰效果。",
+ "mergeIncomingHeaderBackground": "内联合并冲突中的传入标题背景。颜色必须透明,以免隐藏下面的修饰效果。",
+ "mergeIncomingContentBackground": "内联合并冲突中的传入内容背景。颜色必须透明,以免隐藏下面的修饰效果。",
+ "mergeCommonHeaderBackground": "内联合并冲突中的常见祖先标头背景。颜色必须透明,以免隐藏下面的修饰效果。",
+ "mergeCommonContentBackground": "内联合并冲突中的常见祖先内容背景。颜色必须透明,以免隐藏下面的修饰效果。",
+ "mergeBorder": "内联合并冲突中标头和分割线的边框颜色。",
+ "overviewRulerCurrentContentForeground": "内联合并冲突中当前版本区域的概览标尺前景色。",
+ "overviewRulerIncomingContentForeground": "内联合并冲突中传入的版本区域的概览标尺前景色。",
+ "overviewRulerCommonContentForeground": "内联合并冲突中共同祖先区域的概览标尺前景色。",
+ "overviewRulerFindMatchForeground": "用于查找匹配项的概述标尺标记颜色。颜色必须透明,以免隐藏下面的修饰效果。",
+ "overviewRulerSelectionHighlightForeground": "用于突出显示所选内容的概述标尺标记颜色。颜色必须透明,以免隐藏下面的修饰效果。",
+ "minimapFindMatchHighlight": "用于查找匹配项的迷你地图标记颜色。",
+ "minimapSelectionHighlight": "编辑器选区在迷你地图中对应的标记颜色。",
+ "minimapError": "用于错误的迷你地图标记颜色。",
+ "overviewRuleWarning": "用于警告的迷你地图标记颜色。",
+ "minimapBackground": "迷你地图背景颜色。",
+ "minimapSliderBackground": "迷你地图滑块背景颜色。",
+ "minimapSliderHoverBackground": "悬停时,迷你地图滑块的背景颜色。",
+ "minimapSliderActiveBackground": "单击时,迷你地图滑块的背景颜色。",
+ "problemsErrorIconForeground": "用于问题错误图标的颜色。",
+ "problemsWarningIconForeground": "用于问题警告图标的颜色。",
+ "problemsInfoIconForeground": "用于问题信息图标的颜色。",
+ "chartsForeground": "图表中使用的前景颜色。",
+ "chartsLines": "用于图表中的水平线条的颜色。",
+ "chartsRed": "图表可视化效果中使用的红色。",
+ "chartsBlue": "图表可视化效果中使用的蓝色。",
+ "chartsYellow": "图表可视化效果中使用的黄色。",
+ "chartsOrange": "图表可视化效果中使用的橙色。",
+ "chartsGreen": "图表可视化效果中使用的绿色。",
+ "chartsPurple": "图表可视化效果中使用的紫色。"
+ },
+ "vs/platform/configuration/common/configurationRegistry": {
+ "defaultLanguageConfigurationOverrides.title": "默认语言配置替代",
+ "defaultLanguageConfiguration.description": "配置要为 {0} 语言替代的设置。",
+ "overrideSettings.defaultDescription": "针对某种语言,配置替代编辑器设置。",
+ "overrideSettings.errorMessage": "此设置不支持按语言配置。",
+ "config.property.empty": "无法注册空属性",
+ "config.property.languageDefault": "无法注册“{0}”。其符合描述特定语言编辑器设置的表达式 \"\\\\[.*\\\\]$\"。请使用 \"configurationDefaults\"。",
+ "config.property.duplicate": "无法注册“{0}”。此属性已注册。"
+ },
+ "vs/platform/markers/common/markers": {
+ "sev.error": "错误",
+ "sev.warning": "警告",
+ "sev.info": "信息"
+ },
+ "vs/platform/windows/electron-main/windowsMainService": {
+ "pathNotExistTitle": "路径不存在",
+ "pathNotExistDetail": "磁盘上似乎不再存在路径“{0}”。",
+ "uriInvalidTitle": "无法打开 uri",
+ "uriInvalidDetail": "URI“{0}”无效,无法打开。",
+ "ok": "确定"
+ },
+ "vs/platform/issue/electron-main/issueMainService": {
+ "local": "本地",
+ "issueReporterWriteToClipboard": "数据太多,无法直接发送到 GitHub。数据将被复制到剪贴板,请将其粘贴到打开的 GitHub 问题页。",
+ "ok": "确定",
+ "cancel": "取消",
+ "confirmCloseIssueReporter": "您的输入将不会保存。确实要关闭此窗口吗?",
+ "yes": "是",
+ "issueReporter": "问题报告程序",
+ "processExplorer": "进程管理器"
+ },
+ "vs/platform/workspaces/electron-main/workspacesHistoryMainService": {
+ "newWindow": "新窗口",
+ "newWindowDesc": "打开新窗口",
+ "recentFolders": "最近使用的工作区",
+ "folderDesc": "{0} {1}",
+ "workspaceDesc": "{0} {1}",
+ "untitledWorkspace": "无标题(工作区)",
+ "workspaceName": "{0} (工作区)"
+ },
+ "vs/platform/workspaces/electron-main/workspacesMainService": {
+ "ok": "确定",
+ "workspaceOpenedMessage": "无法保存工作区“{0}”",
+ "workspaceOpenedDetail": "已在另一个窗口打开工作区。请先关闭该窗口,然后重试。"
+ },
+ "vs/platform/dialogs/electron-main/dialogs": {
+ "open": "打开",
+ "openFolder": "打开文件夹",
+ "openFile": "打开文件",
+ "openWorkspaceTitle": "打开工作区",
+ "openWorkspace": "打开(&&O)"
+ },
+ "vs/platform/files/common/io": {
+ "fileTooLargeForHeapError": "要打开此大小的文件, 您需要重新启动并允许它使用更多内存",
+ "fileTooLargeError": "文件太大,无法打开"
+ },
+ "vs/platform/extensions/common/extensionValidator": {
+ "versionSyntax": "无法解析 \"engines.vscode\" 的值 {0}。请改为如 ^1.22.0, ^1.22.x 等。",
+ "versionSpecificity1": "\"engines.vscode\" ({0}) 中指定的版本不够具体。对于 1.0.0 之前的 vscode 版本,请至少定义主要和次要想要的版本。例如: ^0.10.0、0.10.x、0.11.0 等。",
+ "versionSpecificity2": "\"engines.vscode\" ({0}) 中指定的版本不够具体。对于 1.0.0 之后的 vscode 版本,请至少定义主要想要的版本。例如: ^1.10.0、1.10.x、1.x.x、2.x.x 等。",
+ "versionMismatch": "扩展与 Code {0} 不兼容。扩展需要: {1}。"
+ },
+ "vs/platform/extensionManagement/node/extensionsScanner": {
+ "errorDeleting": "安装扩展“{1}”时无法删除现有文件夹“{0}”。请手动删除此文件夹,然后重试",
+ "cannot read": "无法从 {0} 读取扩展",
+ "renameError": "将 {0} 重命名为 {1} 时发生未知错误",
+ "invalidManifest": "扩展无效: package.json 不是 JSON 文件。"
+ },
+ "vs/platform/userDataSync/common/keybindingsSync": {
+ "errorInvalidSettings": "无法同步键绑定,因为文件中的内容无效。请打开文件并进行更正。"
+ },
+ "vs/platform/userDataSync/common/settingsSync": {
+ "errorInvalidSettings": "无法同步设置,因为设置文件中存在错误/警告。"
+ },
+ "vs/platform/list/browser/listService": {
+ "workbenchConfigurationTitle": "工作台",
+ "multiSelectModifier.ctrlCmd": "映射为 `Ctrl` (Windows 和 Linux) 或 `Command` (macOS)。",
+ "multiSelectModifier.alt": "映射为 `Alt` (Windows 和 Linux) 或 `Option` (macOS)。",
+ "multiSelectModifier": "在通过鼠标多选树和列表条目时使用的修改键 (例如“资源管理器”、“打开的编辑器”和“源代码管理”视图)。“在侧边打开”功能所需的鼠标动作 (若可用) 将会相应调整,不与多选修改键冲突。",
+ "openModeModifier": "控制在树和列表中怎样使用鼠标来展开子项(若支持)。对于树中的父节点,此设置将控制是使用单击还是双击来展开。注意,某些不适用于此设置的树或列表可能会忽略此项。 ",
+ "horizontalScrolling setting": "控制列表和树是否支持工作台中的水平滚动。警告: 打开此设置影响会影响性能。",
+ "tree indent setting": "控制树缩进(以像素为单位)。",
+ "render tree indent guides": "控制树是否应呈现缩进参考线。",
+ "list smoothScrolling setting": "控制列表和树是否具有平滑滚动。",
+ "keyboardNavigationSettingKey.simple": "简单键盘导航聚焦与键盘输入相匹配的元素。仅对前缀进行匹配。",
+ "keyboardNavigationSettingKey.highlight": "高亮键盘导航会突出显示与键盘输入相匹配的元素。进一步向上和向下导航将仅遍历突出显示的元素。",
+ "keyboardNavigationSettingKey.filter": "筛选器键盘导航将筛选出并隐藏与键盘输入不匹配的所有元素。",
+ "keyboardNavigationSettingKey": "控制工作台中的列表和树的键盘导航样式。它可为“简单”、“突出显示”或“筛选”。",
+ "automatic keyboard navigation setting": "控制列表和树中的键盘导航是否仅通过键入自动触发。如果设置为 `false` ,键盘导航只在执行 `list.toggleKeyboardNavigation` 命令时触发,您可以为该命令指定键盘快捷方式。",
+ "expand mode": "控制单击文件夹名称时如何展开树文件夹。"
+ },
+ "vs/platform/undoRedo/common/undoRedoService": {
+ "externalRemoval": "以下文件已关闭并且已在磁盘上修改: {0}。",
+ "noParallelUniverses": "以下文件已以不兼容的方式修改: {0}。",
+ "cannotWorkspaceUndo": "无法在所有文件中撤消“{0}”。{1}",
+ "cannotWorkspaceUndoDueToChanges": "无法撤消所有文件的“{0}”,因为已更改 {1}",
+ "cannotWorkspaceUndoDueToInProgressUndoRedo": "无法跨所有文件撤销“{0}”,因为 {1} 上已有一项撤消或重做操作正在运行",
+ "cannotWorkspaceUndoDueToInMeantimeUndoRedo": "无法跨所有文件撤销“{0}”,因为同时发生了一项撤消或重做操作",
+ "confirmWorkspace": "是否要在所有文件中撤消“{0}”?",
+ "ok": "在 {0} 个文件中撤消",
+ "nok": "撤消此文件",
+ "cancel": "取消",
+ "cannotResourceUndoDueToInProgressUndoRedo": "无法撤销“{0}”,因为已有一项撤消或重做操作正在运行。",
+ "confirmDifferentSource": "是否要撤消“{0}”?",
+ "confirmDifferentSource.ok": "撤消",
+ "cannotWorkspaceRedo": "无法在所有文件中重做“{0}”。{1}",
+ "cannotWorkspaceRedoDueToChanges": "无法对所有文件重做“{0}”,因为已更改 {1}",
+ "cannotWorkspaceRedoDueToInProgressUndoRedo": "无法跨所有文件重做“{0}”,因为 {1} 上已有一项撤消或重做操作正在运行",
+ "cannotWorkspaceRedoDueToInMeantimeUndoRedo": "无法跨所有文件重做“{0}”,因为同时发生了一项撤消或重做操作",
+ "cannotResourceRedoDueToInProgressUndoRedo": "无法重做“{0}”,因为已有一项撤消或重做操作正在运行。"
+ },
+ "vs/platform/actions/browser/menuEntryActionViewItem": {
+ "titleAndKb": "{0} ({1})"
+ },
+ "vs/platform/theme/common/iconRegistry": {
+ "iconDefintion.fontId": "要使用的字体的 ID。如果未设置,则使用最先定义的字体。",
+ "iconDefintion.fontCharacter": "与图标定义关联的字体字符。",
+ "widgetClose": "小组件中“关闭”操作的图标。",
+ "previousChangeIcon": "“转到上一个编辑器位置”图标。",
+ "nextChangeIcon": "“转到下一个编辑器位置”图标。"
+ },
+ "vs/platform/menubar/electron-main/menubar": {
+ "miNewWindow": "新建窗口(&&W)",
+ "mFile": "文件(&&F)",
+ "mEdit": "编辑(&&E)",
+ "mSelection": "选择(&&S)",
+ "mView": "查看(&&V)",
+ "mGoto": "转到(&&G)",
+ "mRun": "运行(&&R)",
+ "mTerminal": "终端(&&T)",
+ "mWindow": "窗口",
+ "mHelp": "帮助(&&H)",
+ "mAbout": "关于 {0}",
+ "miPreferences": "首选项(&&P)",
+ "mServices": "服务",
+ "mHide": "隐藏 {0}",
+ "mHideOthers": "隐藏其他",
+ "mShowAll": "全部显示",
+ "miQuit": "退出 {0}",
+ "mMinimize": "最小化",
+ "mZoom": "缩放",
+ "mBringToFront": "全部置于顶层",
+ "miSwitchWindow": "切换窗口(&&W)...",
+ "mNewTab": "新建标签页",
+ "mShowPreviousTab": "显示上一个选项卡",
+ "mShowNextTab": "显示下一个选项卡",
+ "mMoveTabToNewWindow": "移动标签页到新窗口",
+ "mMergeAllWindows": "合并所有窗口",
+ "miCheckForUpdates": "检查更新(&&U)...",
+ "miCheckingForUpdates": "正在检查更新...",
+ "miDownloadUpdate": "下载可用更新(&&O)",
+ "miDownloadingUpdate": "正在下载更新...",
+ "miInstallUpdate": "安装更新(&&U)...",
+ "miInstallingUpdate": "正在安装更新...",
+ "miRestartToUpdate": "重新启动以更新(&&U)"
+ },
+ "vs/platform/userDataSync/common/abstractSynchronizer": {
+ "incompatible": "无法同步 {0},因为它的本地版本 {1} 与其远程版本 {2} 不兼容",
+ "incompatible sync data": "无法分析同步数据,因为它与当前版本不兼容。"
+ },
+ "vs/platform/keybinding/common/abstractKeybindingService": {
+ "first.chord": "({0})已按下。正在等待按下第二个键...",
+ "missing.chord": "组合键({0},{1})不是命令。"
+ },
+ "vs/platform/quickinput/browser/helpQuickAccess": {
+ "globalCommands": "全局命令",
+ "editorCommands": "编辑器命令",
+ "helpPickAriaLabel": "{0}, {1}"
+ },
+ "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": "将字形设置为粗体或取消粗体设置。请注意,如果存在 \"fontStyle\",则会替代此设置。",
+ "schema.token.italic": "将字形设置为倾斜或取消倾斜设置。请注意,如果存在 \"fontStyle\",则会替代此设置。",
+ "schema.token.underline": "将字形设置为下划线或取消下划线设置。请注意,如果存在 \"fontStyle\",则会替代此设置。",
+ "comment": "注释的样式。",
+ "string": "字符串的样式。",
+ "keyword": "关键字的样式。",
+ "number": "数字样式。",
+ "regexp": "表达式的样式。",
+ "operator": "运算符的样式。",
+ "namespace": "命名空间的样式。",
+ "type": "类型的样式。",
+ "struct": "结构样式。",
+ "class": "类样式。",
+ "interface": "接口样式。",
+ "enum": "枚举的样式。",
+ "typeParameter": "类型参数的样式。",
+ "function": "函数样式",
+ "member": "成员函数的样式",
+ "method": "成员(成员函数)的样式",
+ "macro": "宏样式。",
+ "variable": "变量的样式。",
+ "parameter": "参数样式。",
+ "property": "属性的样式。",
+ "enumMember": "枚举成员的样式。",
+ "event": "事件的样式。",
+ "labels": "文本样式",
+ "declaration": "所有符号声明的样式。",
+ "documentation": "用于文档中引用的样式。",
+ "static": "用于静态符号的样式。",
+ "abstract": "用于抽象符号的样式。",
+ "deprecated": "用于已弃用的符号的样式。",
+ "modification": "用于写入访问的样式。",
+ "async": "用于异步的符号的样式。",
+ "readonly": "用于只读符号的样式。"
+ },
+ "vs/platform/quickinput/browser/commandsQuickAccess": {
+ "commandPickAriaLabelWithKeybinding": "{0}, {1}",
+ "recentlyUsed": "最近使用",
+ "morecCommands": "其他命令",
+ "canNotRun": "命令\"{0}\"导致错误 ({1})"
+ },
+ "win32/i18n/Default": {
+ "SetupAppTitle": "设置",
+ "SetupWindowTitle": "安装程序 - %1",
+ "UninstallAppTitle": "卸载",
+ "UninstallAppFullTitle": "%1 卸载",
+ "InformationTitle": "信息",
+ "ConfirmTitle": "确认",
+ "ErrorTitle": "错误",
+ "SetupLdrStartupMessage": "这将安装 %1。是否要继续?",
+ "LdrCannotCreateTemp": "无法创建临时文件。安装程序已中止",
+ "LdrCannotExecTemp": "无法在临时目录中执行文件。安装程序已中止",
+ "LastErrorMessage": "%1。%n%n错误 %2: %3",
+ "SetupFileMissing": "安装目录缺失文件 %1。请更正该问题或获取该问题的新副本。",
+ "SetupFileCorrupt": "安装程序文件夹已损坏。请获取该程序的新副本。",
+ "SetupFileCorruptOrWrongVer": "安装程序文件夹已损坏或与此安装程序版本不兼容。请更正该问题或获取该程序的新副本。",
+ "InvalidParameter": "命令行 %n%n%1 上传递了一个无效参数",
+ "SetupAlreadyRunning": "安装程序已在运行。",
+ "WindowsVersionNotSupported": "此程序不支持你计算机正运行的 Windows 版本。",
+ "WindowsServicePackRequired": "此程序需要 %1 服务包 %2 或更高版本。",
+ "NotOnThisPlatform": "此程序将不在 %1 上运行。",
+ "OnlyOnThisPlatform": "此程序必须在 %1 上运行。",
+ "OnlyOnTheseArchitectures": "此程序仅可安装在为以下处理器体系结构设计的 Windows 版本上:%n%n%1",
+ "MissingWOW64APIs": "你正运行的 Windows 版本不包含安装程序执行 64 位安装所需的功能。要更正此问题,请安装服务包 %1。",
+ "WinVersionTooLowError": "此程序需要 %1 版本 %2 或更高版本。",
+ "WinVersionTooHighError": "此程序不能安装在 %1 版本 %2 或更高的版本上。",
+ "AdminPrivilegesRequired": "在安装此程序时必须作为管理员登录。",
+ "PowerUserPrivilegesRequired": "安装此程序时必须以管理员或 Power User 组成员身份登录。",
+ "SetupAppRunningError": "安装程序检测到 %1 当前正在运行。%n%n请立即关闭它的所有实例,然后单击“确定”以继续,或单击“取消”以退出。",
+ "UninstallAppRunningError": "卸载检测到 %1 当前正在运行。%n%n请立即关闭它的所有实例,然后单击“确定”以继续或单击“取消”以退出。",
+ "ErrorCreatingDir": "安装程序无法创建目录“%1”",
+ "ErrorTooManyFilesInDir": "无法在目录“%1”中创建文件,因为它包含太多文件",
+ "ExitSetupTitle": "退出安装程序",
+ "ExitSetupMessage": "安装程序未完成。如果立即退出,将不会安装该程序。%n%n可在其他时间再次运行安装程序以完成安装。%n%n是否退出安装程序?",
+ "AboutSetupMenuItem": "关于安装程序(&A)...",
+ "AboutSetupTitle": "关于安装程序",
+ "AboutSetupMessage": "%1 版本 %2%n%3%n%n%1 主页:%n%4",
+ "ButtonBack": "< 返回(&B)",
+ "ButtonNext": "下一步(&N) >",
+ "ButtonInstall": "安装(&I)",
+ "ButtonOK": "确定",
+ "ButtonCancel": "取消",
+ "ButtonYes": "是(&Y)",
+ "ButtonYesToAll": "接受全部(&A)",
+ "ButtonNo": "否(&N)",
+ "ButtonNoToAll": "否定全部(&O)",
+ "ButtonFinish": "完成(&F)",
+ "ButtonBrowse": "浏览(&B)...",
+ "ButtonWizardBrowse": "浏览(&R)...",
+ "ButtonNewFolder": "新建文件夹(&M)",
+ "SelectLanguageTitle": "选择安装程序语言",
+ "SelectLanguageLabel": "选择安装时要使用的语言:",
+ "ClickNext": "单击“下一步”以继续,或单击“取消”以退出安装程序。",
+ "BrowseDialogTitle": "浏览文件夹",
+ "BrowseDialogLabel": "在以下列表中选择一个文件夹,然后单击“确定”。",
+ "NewFolderName": "新建文件夹",
+ "WelcomeLabel1": "欢迎使用 [name] 安装向导",
+ "WelcomeLabel2": "这将在计算机上安装 [name/ver]。%n%n建议关闭所有其他应用程序再继续。",
+ "WizardPassword": "密码",
+ "PasswordLabel1": "此安装受密码保护。",
+ "PasswordLabel3": "请提供密码,然后单击“下一步”以继续。密码区分大小写。",
+ "PasswordEditLabel": "密码(&P):",
+ "IncorrectPassword": "输入的密码不正确。请重试。",
+ "WizardLicense": "许可协议",
+ "LicenseLabel": "请阅读下面的重要信息,然后继续。",
+ "LicenseLabel3": "请阅读以下许可协议。必须接受此协议条款才可继续安装。",
+ "LicenseAccepted": "我接受协议(&A)",
+ "LicenseNotAccepted": "我不接受协议(&D)",
+ "WizardInfoBefore": "信息",
+ "InfoBeforeLabel": "请阅读下面的重要信息,然后继续。",
+ "InfoBeforeClickLabel": "当准备好继续执行安装程序时,单击“下一步”。",
+ "WizardInfoAfter": "信息",
+ "InfoAfterLabel": "请阅读下面的重要信息,然后继续。",
+ "InfoAfterClickLabel": "当准备好继续执行安装程序时,单击“下一步”。",
+ "WizardUserInfo": "用户信息",
+ "UserInfoDesc": "请输入您的信息。",
+ "UserInfoName": "用户名(&U):",
+ "UserInfoOrg": "组织(&O):",
+ "UserInfoSerial": "序列号(&S):",
+ "UserInfoNameRequired": "必须输入名称。",
+ "WizardSelectDir": "选择目标位置",
+ "SelectDirDesc": "应将 [name] 安装到哪里?",
+ "SelectDirLabel3": "安装程序会将 [name] 安装到以下文件夹。",
+ "SelectDirBrowseLabel": "若要继续,单击“下一步”。如果想选择其他文件夹,单击“浏览”。",
+ "DiskSpaceMBLabel": "需要至少 [mb] MB 可用磁盘空间。",
+ "CannotInstallToNetworkDrive": "安装程序无法安装到网络驱动器。",
+ "CannotInstallToUNCPath": "安装程序无法安装到 UNC 路径。",
+ "InvalidPath": "必须输入带驱动器号的完整路径(例如:%n%nC:\\APP%n%n)或以下格式的 UNC 路径:%n%n\\\\server\\share",
+ "InvalidDrive": "所选驱动器或 UNC 共享不存在或不可访问。请另外选择。",
+ "DiskSpaceWarningTitle": "磁盘空间不足",
+ "DiskSpaceWarning": "安装程序需要至少 %1 KB 可用空间来安装,但所选驱动器仅有 %2 KB 可用空间。%n%n是否仍要继续?",
+ "DirNameTooLong": "文件夹名称或路径太长。",
+ "InvalidDirName": "文件夹名称无效。",
+ "BadDirName32": "文件夹名不能包含以下任一字符:%n%n%1",
+ "DirExistsTitle": "文件夹存在",
+ "DirExists": "文件夹:%n%n%1%n%n已存在。是否仍要安装到该文件夹?",
+ "DirDoesntExistTitle": "文件夹不存在",
+ "DirDoesntExist": "文件夹:%n%n%1%n%n不存在。是否要创建该文件夹?",
+ "WizardSelectComponents": "选择组件",
+ "SelectComponentsDesc": "应安装哪些组件?",
+ "SelectComponentsLabel2": "选择希望安装的组件;清除不希望安装的组件。准备就绪后单击“下一步”以继续。",
+ "FullInstallation": "完全安装",
+ "CompactInstallation": "简洁安装",
+ "CustomInstallation": "自定义安装",
+ "NoUninstallWarningTitle": "组件存在",
+ "NoUninstallWarning": "安装程序检测到计算机上已安装以下组件:%n%n%1%n%n取消选择这些组件将不会卸载它们。%n%n是否仍要继续?",
+ "ComponentSize1": "%1 KB",
+ "ComponentSize2": "%1 MB",
+ "ComponentsDiskSpaceMBLabel": "当前选择需要至少 [mb] MB 磁盘空间。",
+ "WizardSelectTasks": "选择其他任务",
+ "SelectTasksDesc": "应执行哪些其他任务?",
+ "SelectTasksLabel2": "选择安装 [name] 时希望安装程序来执行的其他任务,然后单击“下一步”。",
+ "WizardSelectProgramGroup": "选择开始菜单文件夹",
+ "SelectStartMenuFolderDesc": "安装程序应将程序的快捷方式放置到哪里?",
+ "SelectStartMenuFolderLabel3": "安装程序将在以下开始菜单文件夹中创建该程序的快捷方式。",
+ "SelectStartMenuFolderBrowseLabel": "若要继续,单击“下一步”。如果想选择其他文件夹,单击“浏览”。",
+ "MustEnterGroupName": "必须输入文件夹名称。",
+ "GroupNameTooLong": "文件夹名称或路径太长。",
+ "InvalidGroupName": "文件夹名称无效。",
+ "BadGroupName": "文件夹名不能保护以下任一字符:%n%n%1",
+ "NoProgramGroupCheck2": "不创建开始菜单文件夹(&D)",
+ "WizardReady": "安装准备就绪",
+ "ReadyLabel1": "安装程序现已准备好在计算机上安装 [name]。",
+ "ReadyLabel2a": "单击“安装”以继续安装,如想查看或更改任何设置则单击\"返回\"。",
+ "ReadyLabel2b": "单击“安装”以继续安装。",
+ "ReadyMemoUserInfo": "用户信息:",
+ "ReadyMemoDir": "目标位置:",
+ "ReadyMemoType": "安装程序类型:",
+ "ReadyMemoComponents": "所选组件:",
+ "ReadyMemoGroup": "开始菜单文件夹:",
+ "ReadyMemoTasks": "其他任务:",
+ "WizardPreparing": "正在准备安装",
+ "PreparingDesc": "安装程序正准备在计算机上安装 [name]。",
+ "PreviousInstallNotCompleted": "上一个程序的安装/删除未完成。需重启计算机以完成该安装。%n%n重启计算机后,重新运行安装程序以完成 [name] 的安装。",
+ "CannotContinue": "安装程序无法继续。请单击“取消”以退出。",
+ "ApplicationsFound": "以下应用程序正在使用需要通过安装程序进行更新的文件。建议允许安装程序自动关闭这些应用程序。",
+ "ApplicationsFound2": "以下应用程序正在使用需要通过安装程序进行更新的文件。建议允许安装程序自动关闭这些应用程序。完成安装后,安装程序将尝试重启应用程序。",
+ "CloseApplications": "自动关闭应用程序(&A)",
+ "DontCloseApplications": "不关闭应用程序(&D)",
+ "ErrorCloseApplications": "安装程序无法自动关闭所有应用程序。建议在继续操作之前先关闭所有使用需通过安装程序进行更新的文件的应用程序。",
+ "WizardInstalling": "正在安装",
+ "InstallingLabel": "安装程序正在计算机上安装 [name],请稍等。",
+ "FinishedHeadingLabel": "完成 [name] 安装向导",
+ "FinishedLabelNoIcons": "安装程序已在计算机上完成安装 [name]。",
+ "FinishedLabel": "安装程序已在计算机上完成安装 [name]。选择安装的图标即可以启动应用程序。",
+ "ClickFinish": "单击“完成”退出安装程序。",
+ "FinishedRestartLabel": "要完成 [name] 的安装,安装程序必须重启计算机。是否要立即重启?",
+ "FinishedRestartMessage": "要完成 [name] 的安装,安装程序必须重启计算机。%n%n是否要立即重启?",
+ "ShowReadmeCheck": "是,我希望查看 README 文件",
+ "YesRadio": "是,立即重启计算机(&Y)",
+ "NoRadio": "否,我将稍后重启计算机(&N)",
+ "RunEntryExec": "运行 %1",
+ "RunEntryShellExec": "查看 %1",
+ "ChangeDiskTitle": "安装程序需要下一个磁盘",
+ "SelectDiskLabel2": "请插入磁盘 %1 并点击“确定”。%n%n如果此磁盘上的文件可在以下文件夹外的其他文件夹中找到,请输入正确路径或单击“浏览”。",
+ "PathLabel": "路径(&P):",
+ "FileNotInDir2": "在“%2”中无法定位文件“%1”。请插入正确的磁盘或选择其他文件夹。",
+ "SelectDirectoryLabel": "请指定下一个磁盘的位置。",
+ "SetupAborted": "安装程序未完成。%n%n请更正问题并重新运行安装程序。",
+ "EntryAbortRetryIgnore": "单击“重试”以再次尝试,单击“忽略”以继续,或单击“中止”以取消安装。",
+ "StatusClosingApplications": "正在关闭应用程序...",
+ "StatusCreateDirs": "正在创建目录...",
+ "StatusExtractFiles": "正在解压缩文件...",
+ "StatusCreateIcons": "正在创建快捷方式...",
+ "StatusCreateIniEntries": "正在创建 INI 项...",
+ "StatusCreateRegistryEntries": "正在创建注册表项...",
+ "StatusRegisterFiles": "正在注册文件...",
+ "StatusSavingUninstall": "正在保存卸载信息...",
+ "StatusRunProgram": "正在完成安装...",
+ "StatusRestartingApplications": "正在重启应用程序...",
+ "StatusRollback": "正在回退更改...",
+ "ErrorInternal2": "内部错误: %1",
+ "ErrorFunctionFailedNoCode": "%1 失败",
+ "ErrorFunctionFailed": "%1 失败;代码 %2",
+ "ErrorFunctionFailedWithMessage": "%1 失败;代码 %2。%n%3",
+ "ErrorExecutingProgram": "无法执行文件:%n%1",
+ "ErrorRegOpenKey": "打开注册表项时出错:%n%1\\%2",
+ "ErrorRegCreateKey": "创建注册表项时出错:%n%1\\%2",
+ "ErrorRegWriteKey": "写入注册表项时出错:%n%1\\%2",
+ "ErrorIniEntry": "在文件“%1”中创建 INI 项时出错。",
+ "FileAbortRetryIgnore": "单击“重试”以再次操作,单击“忽略”以跳过此文件(不建议此操作),或单击“中止”以取消安装。",
+ "FileAbortRetryIgnore2": "单击“重试”以再次操作,单击“忽略”以继续(不建议此操作),或单击“中止”以取消安装。",
+ "SourceIsCorrupted": "源文件已损坏",
+ "SourceDoesntExist": "源文件“%1”不存在",
+ "ExistingFileReadOnly": "现有文件被标记为只读状态。%n%n单击“重试”以删除只读特性并重试,单击“忽略”以跳过此文件,或单击“中止”以取消安装。",
+ "ErrorReadingExistingDest": "尝试读取现有文件时出错:",
+ "FileExists": "该文件已存在。%n%n是否要安装程序覆盖它?",
+ "ExistingFileNewer": "现有文件比安装程序正尝试安装的文件更新。建议保留现有文件。%n%n是否要保留现有文件?",
+ "ErrorChangingAttr": "尝试更改现有文件特性出错:",
+ "ErrorCreatingTemp": "尝试在目标目录创建文件时出错:",
+ "ErrorReadingSource": "尝试读取源文件时出错:",
+ "ErrorCopying": "尝试复制文件时出错:",
+ "ErrorReplacingExistingFile": "尝试替换现有文件时出错:",
+ "ErrorRestartReplace": "RestartReplace 失败:",
+ "ErrorRenamingTemp": "尝试在目标目录重命名文件时出错:",
+ "ErrorRegisterServer": "无法注册 DLL/OCX: %1",
+ "ErrorRegSvr32Failed": "RegSvr32 失败,退出代码为 %1",
+ "ErrorRegisterTypeLib": "无法注册类型库: %1",
+ "ErrorOpeningReadme": "尝试打开 README 文件时出错。",
+ "ErrorRestartingComputer": "安装程序无法重启计算机。请手动执行此操作。",
+ "UninstallNotFound": "文件“%1”不存在。无法安装。",
+ "UninstallOpenError": "无法打开文件“%1”。无法卸载",
+ "UninstallUnsupportedVer": "卸载日志“%1”的格式无法被此版本的卸载程序识别。无法卸载",
+ "UninstallUnknownEntry": "卸载日志中发现未知条目(%1)",
+ "ConfirmUninstall": "确实要完全删除 %1 吗? 将不会删除扩展和设置。",
+ "UninstallOnlyOnWin64": "仅可在 64 位 Windows 上卸载此安装。",
+ "OnlyAdminCanUninstall": "仅具有管理权限的用户才可卸载此安装。",
+ "UninstallStatusLabel": "正从计算机删除 %1,请稍等。",
+ "UninstalledAll": "已成功从计算机上删除 %1。",
+ "UninstalledMost": "%1 卸载完成。%n%n无法删除一些元素。可将其手动删除。",
+ "UninstalledAndNeedsRestart": "要完成 %1 的卸载,必须重启计算机。%n%n是否要立即重启?",
+ "UninstallDataCorrupted": "“%1”文件已损坏。无法卸载",
+ "ConfirmDeleteSharedFileTitle": "删除共享文件?",
+ "ConfirmDeleteSharedFile2": "系统表示以下共享文件不再被任何程序使用。是否要卸载删除此共享文件?%n%n如果在有程序仍在使用此文件而它被删除,则程序可能不会正常运行。如果不确定,请选择“否”。将文件留住系统上不会造成任何问题。",
+ "SharedFileNameLabel": "文件名:",
+ "SharedFileLocationLabel": "位置:",
+ "WizardUninstalling": "卸载状态",
+ "StatusUninstalling": "正在卸载 %1...",
+ "ShutdownBlockReasonInstallingApp": "正在安装 %1。",
+ "ShutdownBlockReasonUninstallingApp": "正在卸载 %1。",
+ "NameAndVersion": "%1 版本 %2",
+ "AdditionalIcons": "其他图标:",
+ "CreateDesktopIcon": "创建桌面图标(&D)",
+ "CreateQuickLaunchIcon": "创建 \"快速启动\" 图标(&Q)",
+ "ProgramOnTheWeb": "Web 上的 %1",
+ "UninstallProgram": "卸载 %1",
+ "LaunchProgram": "启动 %1",
+ "AssocFileExtension": "将 %1 与 %2 文件扩展名关联(&A)",
+ "AssocingFileExtension": "正将 %1 与 %2 文件扩展名关联...",
+ "AutoStartProgramGroupDescription": "启动:",
+ "AutoStartProgram": "自动启动 %1",
+ "AddonHostProgramNotFound": "无法在所选文件夹中定位 %1。%n%n是否仍要继续?"
+ },
+ "win32/i18n/messages": {
+ "FinishedLabel": "安装程序已在计算机上安装好 [name]。选择安装的快捷方式即可启动该应用程序。",
+ "ConfirmUninstall": "确定要完全删除 %1 及其所有组件?",
+ "AdditionalIcons": "其他图标:",
+ "CreateDesktopIcon": "创建桌面图标(&D)",
+ "CreateQuickLaunchIcon": "创建 \"快速启动\" 图标(&Q)",
+ "AddContextMenuFiles": "将“通过 %1 打开”操作添加到 Windows 资源管理器文件上下文菜单",
+ "AddContextMenuFolders": "将“通过 %1 打开”操作添加到 Windows 资源管理器目录上下文菜单",
+ "AssociateWithFiles": "将 %1 注册为受支持的文件类型的编辑器",
+ "AddToPath": "添加到 PATH (需要重启 shell)",
+ "RunAfter": "安装后运行 %1",
+ "Other": "其他:",
+ "SourceFile": "%1 源文件",
+ "OpenWithCodeContextMenu": "使用 %1 打开(&I)"
+ },
+ "vs/code/electron-main/main": {
+ "secondInstanceAdmin": "{0} 的第二个实例已经以管理员身份运行。",
+ "secondInstanceAdminDetail": "请先关闭另一个实例,然后重试。",
+ "secondInstanceNoResponse": "{0} 的另一实例正在运行但没有响应",
+ "secondInstanceNoResponseDetail": "请先关闭其他所有实例,然后重试。",
+ "startupDataDirError": "无法写入程序用户数据。",
+ "startupUserDataAndExtensionsDirErrorDetail": "请确保以下目录是可写的:\r\n\r\n{0}",
+ "close": "关闭(&C)"
+ },
+ "vs/code/node/cliProcessMain": {
+ "notFound": "找不到扩展“{0}”。",
+ "notInstalled": "未安装扩展“{0}”。",
+ "useId": "确认使用了包括发布者在内的完整扩展 ID,例如: {0}",
+ "installingExtensions": "正在安装扩展...",
+ "alreadyInstalled-checkAndUpdate": "已安装扩展 \"{0}\" v{1}。使用 \"--force\" 选项更新到最新版本,或提供 \"@\" 以安装特定版本,例如: \"{2}@1.2.3\"。",
+ "alreadyInstalled": "已安装扩展“{0}”。",
+ "installation failed": "未能安装扩展: {0}",
+ "successVsixInstall": "已成功安装扩展“{0}”。",
+ "cancelVsixInstall": "已取消安装扩展“{0}”。",
+ "updateMessage": "将扩展 \"{0}\" 更新到版本 {1}",
+ "installing builtin ": "正在安装内置扩展“{0}”v{1}…",
+ "installing": "正在安装扩展“{0}”v{1}...",
+ "successInstall": "已成功安装扩展“{0}”v{1}。",
+ "cancelInstall": "已取消安装扩展“{0}”。",
+ "forceDowngrade": "已安装扩展“{0}”v{1} 的较新版本。请使用 \"--force\" 选项降级到旧版本。",
+ "builtin": "扩展“{0}”是内置扩展,无法安装",
+ "forceUninstall": "用户已将扩展“{0}”标记为内置扩展。请使用 \"--force\" 选项将其卸载。",
+ "uninstalling": "正在卸载 {0}...",
+ "successUninstall": "已成功卸载扩展“{0}”!"
+ },
+ "vs/code/electron-sandbox/issue/issueReporterMain": {
+ "hide": "隐藏",
+ "show": "显示",
+ "previewOnGitHub": "在 GitHub 中预览",
+ "loadingData": "正在加载数据…",
+ "rateLimited": "超出 GitHub 查询限制。请稍候。",
+ "similarIssues": "类似的问题",
+ "open": "打开",
+ "closed": "已关闭",
+ "noSimilarIssues": "没有找到类似问题",
+ "bugReporter": "Bug 报告",
+ "featureRequest": "功能请求",
+ "performanceIssue": "性能问题",
+ "selectSource": "选择源",
+ "vscode": "Visual Studio Code",
+ "extension": "扩展",
+ "unknown": "不知道",
+ "stepsToReproduce": "重现步骤",
+ "bugDescription": "请分享能稳定重现此问题的必要步骤,并包含实际和预期的结果。我们支持 GitHub 版的 Markdown。您将能在 GitHub 上预览时编辑这个问题并添加截图。",
+ "performanceIssueDesciption": "这个性能问题是在什么时候发生的? 是在启动时,还是在一系列特定的操作之后? 我们支持 GitHub 版的 Markdown。您将能在 GitHub 上预览时编辑这个问题并添加截图。",
+ "description": "说明",
+ "featureRequestDescription": "请描述您希望能够使用的功能。我们支持 GitHub 版的 Markdown。您将能在 GitHub 上预览时编辑问题并添加截图。",
+ "pasteData": "所需的数据太大,无法直接发送。我们已经将其写入剪贴板,请粘贴。",
+ "disabledExtensions": "扩展已禁用",
+ "noCurrentExperiments": "无当前试验。"
+ },
+ "vs/code/electron-sandbox/processExplorer/processExplorerMain": {
+ "cpu": "CPU %",
+ "memory": "内存(MB)",
+ "pid": "PID",
+ "name": "名称",
+ "killProcess": "结束进程",
+ "forceKillProcess": "强制结束进程",
+ "copy": "复制",
+ "copyAll": "全部复制",
+ "debug": "调试"
+ },
+ "vs/code/electron-main/app": {
+ "trace.message": "已成功创建跟踪信息。",
+ "trace.detail": "请创建问题并手动附加以下文件:\r\n{0}",
+ "trace.ok": "确定",
+ "open": "是(&Y)",
+ "cancel": "否(&&N)",
+ "confirmOpenMessage": "外部应用程序想要在 {1} 中打开“{0}”。是否要打开此文件或文件夹?",
+ "confirmOpenDetail": "如果你未发起此请求,则可能表示有人试图攻击你的系统。除非你采取了明确操作来发起此请求,否则应按“否”"
+ },
+ "vs/code/electron-sandbox/issue/issueReporterPage": {
+ "completeInEnglish": "请使用英文进行填写。",
+ "issueTypeLabel": "这是一个",
+ "issueSourceLabel": "提交到",
+ "issueSourceEmptyValidation": "问题源是必需的。",
+ "disableExtensionsLabelText": "请试着在{0}之后重现问题。如果此问题仅在扩展运行时才能重现,那么这可能是一个扩展的问题。",
+ "disableExtensions": "禁用所有扩展并重新加载窗口",
+ "chooseExtension": "扩展",
+ "extensionWithNonstandardBugsUrl": "问题报告程序无法为此扩展创建问题。请访问{0}报告问题。",
+ "extensionWithNoBugsUrl": "问题报告程序无法为此扩展创建问题,因为它没有指定用于报告问题的 URL。请查看此扩展的应用商店页面,以便查看是否有其他说明。",
+ "issueTitleLabel": "标题",
+ "issueTitleRequired": "请输入标题。",
+ "titleEmptyValidation": "标题是必需的。",
+ "titleLengthValidation": "标题太长。",
+ "details": "请输入详细信息。",
+ "descriptionEmptyValidation": "需要描述。",
+ "sendSystemInfo": "包含系统信息 ({0})",
+ "show": "显示",
+ "sendProcessInfo": "包含当前运行中的进程 ({0})",
+ "sendWorkspaceInfo": "包含工作区元数据 ({0})",
+ "sendExtensions": "包含已启用的扩展 ({0})",
+ "sendExperiments": "包括 A/B 试验信息({0}) "
+ },
+ "vs/code/electron-main/auth": {
+ "authRequire": "需要代理身份验证",
+ "proxyauth": "{0} 代理需要身份验证。"
+ },
+ "vs/code/electron-main/window": {
+ "reopen": "重新打开(&&R)",
+ "wait": "继续等待(&&K)",
+ "close": "关闭(&C)",
+ "appStalled": "窗口不再响应",
+ "appStalledDetail": "你可以重新打开或关闭窗口,或者保持等待。",
+ "appCrashedDetails": "窗口已崩溃(原因:“{0}”)",
+ "appCrashed": "窗口出现故障",
+ "appCrashedDetail": "我们对此引起的不便表示抱歉! 请重启该窗口从上次停止的位置继续。",
+ "hiddenMenuBar": "你仍可以通过 Alt 键访问菜单栏。"
+ },
+ "vs/workbench/electron-browser/actions/developerActions": {
+ "toggleSharedProcess": "切换共享进程"
+ },
+ "vs/workbench/electron-sandbox/desktop.contribution": {
+ "newTab": "新建窗口标签页",
+ "showPreviousTab": "显示上一个窗口选项卡",
+ "showNextWindowTab": "显示下一个窗口选项卡",
+ "moveWindowTabToNewWindow": "将窗口选项卡移动到新窗口",
+ "mergeAllWindowTabs": "合并所有窗口",
+ "toggleWindowTabsBar": "切换窗口选项卡栏",
+ "preferences": "首选项",
+ "miCloseWindow": "关闭窗口(&&W)",
+ "miExit": "退出(&&X)",
+ "miZoomIn": "放大(&&Z)",
+ "miZoomOut": "缩小(&&Z)",
+ "miZoomReset": "重置缩放(&&R)",
+ "miReportIssue": "使用英文报告问题(&&I)",
+ "miToggleDevTools": "切换开发人员工具(&&T)",
+ "miOpenProcessExplorerer": "打开进程管理器(&&P)",
+ "windowConfigurationTitle": "窗口",
+ "window.openWithoutArgumentsInNewWindow.on": "打开一个新的空窗口。",
+ "window.openWithoutArgumentsInNewWindow.off": "聚焦到上一活动的运行实例。",
+ "openWithoutArgumentsInNewWindow": "控制在启动不带参数的第二个实例时是应该打开一个新的空窗口,还是应由上一个运行的实例获得焦点。\r\n请注意,此设置可能会被忽略(例如,在使用 `--new-window` 或 `--reuse-window` 命令行选项时)。",
+ "window.reopenFolders.preserve": "始终重新打开所有窗口。如果打开文件夹或工作区(例如从命令行打开),它将作为新窗口打开,除非它之前已打开。如果打开文件,则这些文件将在其中一个已还原的窗口中打开。",
+ "window.reopenFolders.all": "重新打开所有窗口,除非已打开文件夹、工作区或文件(例如从命令行)。",
+ "window.reopenFolders.folders": "重新打开已打开文件夹或工作区的所有窗口,除非已打开文件夹、工作区或文件(例如从命令行)。",
+ "window.reopenFolders.one": "重新打开上一个活动窗口,除非已打开文件夹、工作区或文件(例如从命令行)。",
+ "window.reopenFolders.none": "从不重新打开窗口。如果文件夹或工作区未打开(例如从命令行),将出现一个空窗口。",
+ "restoreWindows": "控制在第一次启动后窗口重新打开的方式。如果应用程序已在运行,则此设置不起任何作用。",
+ "restoreFullscreen": "若窗口在处于全屏模式时退出,控制其在恢复时是否还原到全屏模式。",
+ "zoomLevel": "调整窗口的缩放级别。原始大小是 0,每次递增(例如 1)或递减(例如 -1)表示放大或缩小 20%。也可以输入小数以便以更精细的粒度调整缩放级别。",
+ "window.newWindowDimensions.default": "在屏幕中心打开新窗口。",
+ "window.newWindowDimensions.inherit": "以与上一个活动窗口相同的尺寸打开新窗口。",
+ "window.newWindowDimensions.offset": "打开与上次活动窗口具有相同尺寸的新窗口,并带有偏移位置。",
+ "window.newWindowDimensions.maximized": "打开最大化的新窗口。",
+ "window.newWindowDimensions.fullscreen": "在全屏模式下打开新窗口。",
+ "newWindowDimensions": "控制在已有窗口时新开窗口的尺寸。请注意,此设置对第一个打开的窗口无效。第一个窗口将始终恢复关闭前的大小和位置。",
+ "closeWhenEmpty": "控制在关闭最后一个编辑器时是否关闭整个窗口。此设置仅适用于没有显示文件夹的窗口。",
+ "window.doubleClickIconToClose": "如果启用, 双击标题栏中的应用程序图标将关闭窗口, 并且该窗口无法通过图标拖动。此设置仅在 \"#window.titleBarStyle#\" 设置为 \"custom\" 时生效。",
+ "titleBarStyle": "调整窗口标题栏的外观。在 Linux 和 Windows 上,此设置也会影响应用程序和上下文菜单的外观。更改需要完全重新启动才能应用。",
+ "dialogStyle": "调整对话框窗口的外观。",
+ "window.nativeTabs": "启用 macOS Sierra 窗口选项卡。请注意,更改在完全重新启动程序后才能生效。同时,开启原生选项卡将禁用自定义标题栏样式。",
+ "window.nativeFullScreen": "控制是否在 macOS 上使用原生全屏。禁用此设置可禁止 macOS 在全屏时创建新空间。",
+ "window.clickThroughInactive": "启用后,点击非活动窗口后将在激活窗口的同时触发光标之下的元素 (若可点击)。禁用后,点击非活动窗口仅能激活窗口,再次点击才能触发元素。",
+ "window.enableExperimentalProxyLoginDialog": "启用新的登录对话以实现代理身份验证。需要重启才能生效。",
+ "telemetryConfigurationTitle": "遥测",
+ "telemetry.enableCrashReporting": "将故障报告发送到 Microsoft 联机服务。\r\n此选项在重启后才能生效。",
+ "keyboardConfigurationTitle": "键盘",
+ "touchbar.enabled": "启用键盘上的 macOS 触控栏按钮 (若可用)。",
+ "touchbar.ignored": "触摸栏中不应显示的条目的一组标识符(例如\"workbench.action.navigateBack\")。",
+ "argv.locale": "要使用的显示语言。选取其他语言需要安装关联的语言包。",
+ "argv.disableHardwareAcceleration": "禁用硬件加速。仅当遇到图形问题时才更改此选项。",
+ "argv.disableColorCorrectRendering": "解决颜色配置文件选择问题。仅当您遇到图形问题时,才更改此选项。",
+ "argv.forceColorProfile": "允许替代要使用的颜色配置文件。如果发现颜色显示不佳,请尝试将此设置为 \"srgb\" 并重启。",
+ "argv.enableCrashReporter": "允许禁用崩溃报告;如果更改了值,则应重启应用。",
+ "argv.crashReporterId": "用于关联从此应用实例发送的崩溃报表的唯一 ID。",
+ "argv.enebleProposedApi": "为扩展 ID (如 \"vscode.git\")的列表启用建议的 API。建议的 API 不稳定,可能随时中断且不发出警告。仅应针对扩展开发和测试目的设置该项。",
+ "argv.force-renderer-accessibility": "强制渲染器可访问。仅当在 Linux 上使用屏幕阅读器时才更改此设置。在其他平台上,渲染器将自动可访问。如果已启用 editor.accessibilitySupport:,则会自动设置此标志。"
+ },
+ "vs/workbench/common/actions": {
+ "view": "视图",
+ "help": "帮助",
+ "developer": "开发人员"
+ },
+ "vs/workbench/browser/workbench": {
+ "loaderErrorNative": "未能加载所需文件。请重启应用程序重试。详细信息: {0}"
+ },
+ "vs/workbench/electron-sandbox/window": {
+ "learnMode": "了解详细信息",
+ "shellEnvSlowWarning": "解析 shell 环境耗时太长。请检查 shell 配置。",
+ "shellEnvTimeoutError": "无法在合理的时间内解析 shell 环境。请检查 shell 配置。",
+ "proxyAuthRequired": "需要代理身份验证",
+ "loginButton": "登录(&&L)",
+ "cancelButton": "取消(&&C)",
+ "username": "用户名",
+ "password": "密码",
+ "proxyDetail": "代理 {0} 需要用户名和密码。",
+ "rememberCredentials": "记住我的凭据",
+ "runningAsRoot": "不建议以 root 用户身份运行 {0}。",
+ "mPreferences": "首选项"
+ },
+ "vs/workbench/common/theme": {
+ "tabActiveBackground": "活动选项卡的背景色。在编辑器区域,选项卡是编辑器的容器。可在一个编辑器组中打开多个选项卡。可以有多个编辑器组。",
+ "tabUnfocusedActiveBackground": "非焦点组中的活动选项卡背景色。选项卡是编辑器区域中编辑器的容器。可以在一个编辑器组中打开多个选项卡。可以有多个编辑器组。",
+ "tabInactiveBackground": "非活动选项卡的背景色。在编辑器区域,选项卡是编辑器的容器。可在一个编辑器组中打开多个选项卡。可以有多个编辑器组。",
+ "tabUnfocusedInactiveBackground": "不带焦点的组中处于非活动状态的选项卡的背景色。选项卡是编辑器区域中的编辑器的容器。可在一个编辑器组中打开多个选项卡。可存在多个编辑器组。",
+ "tabActiveForeground": "活动组中活动选项卡的前景色。在编辑器区域,选项卡是编辑器的容器。可在一个编辑器组中打开多个选项卡。可以有多个编辑器组。",
+ "tabInactiveForeground": "活动组中非活动选项卡的前景色。在编辑器区域,选项卡是编辑器的容器。可在一个编辑器组中打开多个选项卡。可以有多个编辑器组。",
+ "tabUnfocusedActiveForeground": "一个失去焦点的编辑器组中的活动选项卡的前景色。在编辑器区域,选项卡是编辑器的容器。可在一个编辑器组中打开多个选项卡。可以有多个编辑器组。",
+ "tabUnfocusedInactiveForeground": "在一个失去焦点的组中非活动选项卡的前景色。在编辑器区域,选项卡是编辑器的容器。可在一个编辑器组中打开多个选项卡。可以有多个编辑器组。",
+ "tabHoverBackground": "选项卡被悬停时的背景色。选项卡是编辑器区域中编辑器的容器。可在一个编辑器组中打开多个选项卡。可以有多个编辑器组。",
+ "tabUnfocusedHoverBackground": "非焦点组选项卡被悬停时的背景色。选项卡是编辑器区域中编辑器的容器。可在一个编辑器组中打开多个选项卡。可以有多个编辑器组。",
+ "tabHoverForeground": "悬停时选项卡的前景色。选项卡是编辑器区域中的编辑器的容器。可在一个编辑器组中打开多个选项卡。可存在多个编辑器组。",
+ "tabUnfocusedHoverForeground": "悬停时不带焦点的组中的选项卡前景色。选项卡是编辑器区域中的编辑器的容器。可在一个编辑器组中打开多个选项卡。可存在多个编辑器组。",
+ "tabBorder": "用于将选项卡彼此分隔开的边框。选项卡是编辑器区域中编辑器的容器。可在一个编辑器组中打开多个选项卡。可以存在多个编辑器组。",
+ "lastPinnedTabBorder": "用于将固定的选项卡与其他选项卡隔开的边框。选项卡是编辑器区域中编辑器的容器。可在一个编辑器组中打开多个选项卡。可以有多个编辑器组。",
+ "tabActiveBorder": "活动选项卡底部的边框。选项卡是编辑器区域中编辑器的容器。可在一个编辑器组中打开多个选项卡。可以存在多个编辑器组。",
+ "tabActiveUnfocusedBorder": "在失去焦点的编辑器组中的活动选项卡底部的边框。选项卡是编辑器区域中编辑器的容器。可在一个编辑器组中打开多个选项卡。可以存在多个编辑器组。",
+ "tabActiveBorderTop": "活动选项卡顶部的边框。选项卡是编辑器区域中编辑器的容器。可在一个编辑器组中打开多个选项卡。可以存在多个编辑器组。",
+ "tabActiveUnfocusedBorderTop": "在失去焦点的编辑器组中的活动选项卡顶部的边框。选项卡是编辑器区域中编辑器的容器。可在一个编辑器组中打开多个选项卡。可以存在多个编辑器组。",
+ "tabHoverBorder": "选项卡被悬停时用于突出显示的边框。选项卡是编辑器区域中编辑器的容器。可在一个编辑器组中打开多个选项卡。可以有多个编辑器组。",
+ "tabUnfocusedHoverBorder": "非焦点组选项卡被悬停时用于突出显示的边框。选项卡是编辑器区域中编辑器的容器。可在一个编辑器组中打开多个选项卡。可以有多个编辑器组。",
+ "tabActiveModifiedBorder": "在活动编辑器组中已修改 (存在更新) 的活动选项卡的顶部边框。选项卡是编辑器区域中编辑器的容器。可在一个编辑器组中打开多个选项卡。可以存在多个编辑器组。",
+ "tabInactiveModifiedBorder": "在活动编辑器组中已修改 (存在更新) 的非活动选项卡的顶部边框。选项卡是编辑器区域中编辑器的容器。可在一个编辑器组中打开多个选项卡。可以存在多个编辑器组。",
+ "unfocusedActiveModifiedBorder": "在未获焦点的编辑器组中已修改 (存在更新) 的活动选项卡的顶部边框。选项卡是编辑器区域中编辑器的容器。可在一个编辑器组中打开多个选项卡。可以存在多个编辑器组。",
+ "unfocusedINactiveModifiedBorder": "在未获焦点的编辑器组中已修改 (存在更新) 的非活动选项卡的顶部边框。选项卡是编辑器区域中编辑器的容器。可在一个编辑器组中打开多个选项卡。可以存在多个编辑器组。",
+ "editorPaneBackground": "居中编辑器布局中左侧与右侧编辑器窗格的背景色。",
+ "editorGroupBackground": "编辑器组的背景色。(已弃用)",
+ "deprecatedEditorGroupBackground": "已弃用: 在引入网格编辑器布局后,将不再支持编辑器组的背景色。请使用 editorGroup.emptyBackground 设置空编辑器组的背景色。",
+ "editorGroupEmptyBackground": "空编辑器组的背景色。编辑器组是编辑器的容器。",
+ "editorGroupFocusedEmptyBorder": "空编辑器组被聚焦时的边框颜色。编辑组是编辑器的容器。",
+ "tabsContainerBackground": "启用选项卡时编辑器组标题的背景颜色。编辑器组是编辑器的容器。",
+ "tabsContainerBorder": "选项卡启用时编辑器组标题的边框颜色。编辑器组是编辑器的容器。",
+ "editorGroupHeaderBackground": "禁用选项卡 (\"workbench.editor.showTabs\": false) 时编辑器组标题颜色。编辑器组是编辑器的容器。",
+ "editorTitleContainerBorder": "编辑器组标题标头的边框颜色。编辑器组是编辑器的容器。",
+ "editorGroupBorder": "将多个编辑器组彼此分隔开的颜色。编辑器组是编辑器的容器。",
+ "editorDragAndDropBackground": "拖动编辑器时的背景颜色。此颜色应有透明度,以便编辑器内容能透过背景。",
+ "imagePreviewBorder": "图像预览中图像的边框颜色。",
+ "panelBackground": "面板的背景色。面板显示在编辑器区域下方,可包含输出和集成终端等视图。",
+ "panelBorder": "将面板与编辑器隔开的边框的颜色。面板显示在编辑区域下方,包含输出和集成终端等视图。",
+ "panelActiveTitleForeground": "活动面板的标题颜色。面板显示在编辑器区域下方,并包含输出和集成终端等视图。",
+ "panelInactiveTitleForeground": "非活动面板的标题颜色。面板显示在编辑器区域下方,并包含输出和集成终端等视图。",
+ "panelActiveTitleBorder": "活动面板标题的边框颜色。面板显示在编辑器区域下方,并包含输出和集成终端等视图。",
+ "panelInputBorder": "用于面板中输入内容的输入框边框。",
+ "panelDragAndDropBorder": "拖放面板标题的反馈颜色。面板显示在编辑器区域的下方,包含输出和集成终端等视图。",
+ "panelSectionDragAndDropBackground": "拖放面板区域的反馈颜色。颜色应具有透明度,以便面板区域仍可以显示出来。面板显示在编辑器区域的下方,包含输出和集成终端等视图。面板部分是嵌套在面板中的视图。",
+ "panelSectionHeaderBackground": "面板区域标题背景色。面板显示在编辑器区域的下方,包含输出和集成终端等视图。面板部分是嵌套在面板中的视图。",
+ "panelSectionHeaderForeground": "面板区域标题前景色。面板显示在编辑器区域的下方,包含输出和集成终端等视图。面板部分是嵌套在面板中的视图。",
+ "panelSectionHeaderBorder": "当多个视图在面板中垂直堆叠时使用的面板区域标题边框颜色。面板显示在编辑器区域下方,其中包含输出和集成终端等视图。面板部分是嵌套在面板中的视图。",
+ "panelSectionBorder": "当多个视图在面板中水平堆叠时使用的面板区域边框颜色。面板显示在编辑器区域下方,其中包含输出和集成终端等视图。面板部分是嵌套在面板中的视图。",
+ "statusBarForeground": "工作区打开时状态栏的前景色。状态栏显示在窗口底部。",
+ "statusBarNoFolderForeground": "没有打开文件夹时状态栏的前景色。状态栏显示在窗口底部。",
+ "statusBarBackground": "工作区打开时状态栏的背景色。状态栏显示在窗口底部。",
+ "statusBarNoFolderBackground": "没有打开文件夹时状态栏的背景色。状态栏显示在窗口底部。",
+ "statusBarBorder": "状态栏分隔侧边栏和编辑器的边框颜色。状态栏显示在窗口底部。",
+ "statusBarNoFolderBorder": "当没有打开文件夹时,用来使状态栏与侧边栏、编辑器分隔的状态栏边框颜色。状态栏显示在窗口底部。",
+ "statusBarItemActiveBackground": "单击时的状态栏项背景色。状态栏显示在窗口底部。",
+ "statusBarItemHoverBackground": "悬停时的状态栏项背景色。状态栏显示在窗口底部。",
+ "statusBarProminentItemForeground": "状态栏突出的项目前景色。突出的项目从其他状态栏条目中脱颖而出, 以表明重要性。从命令调色板中更改 \"切换选项卡键移动焦点\" 的模式以查看示例。状态栏显示在窗口的底部。",
+ "statusBarProminentItemBackground": "状态栏突出显示项的背景颜色。突出显示项比状态栏中的其他条目更醒目以表明其重要性。在命令面板中更改“切换 Tab 键是否移动焦点”可查看示例。状态栏显示在窗口底部。",
+ "statusBarProminentItemHoverBackground": "状态栏突出显示项在被悬停时的背景颜色。突出显示项比状态栏中的其他条目更醒目以表明其重要性。在命令面板中更改“切换 Tab 键是否移动焦点”可查看示例。状态栏显示在窗口底部。",
+ "statusBarErrorItemBackground": "状态栏错误项的背景颜色。错误项比状态栏中的其他条目更醒目以显示错误条件。状态栏显示在窗口底部。",
+ "statusBarErrorItemForeground": "状态错误项的前景色。错误项比状态栏中的其他条目更醒目以显示错误条件。状态栏显示在窗口底部。",
+ "activityBarBackground": "活动栏背景色。活动栏显示在最左侧或最右侧,并允许在侧边栏的视图间切换。",
+ "activityBarForeground": "活动栏项在活动时的前景色。活动栏显示在最左侧或最右侧,并允许在侧边栏的视图间切换。",
+ "activityBarInActiveForeground": "活动栏项在非活动时的前景色。活动栏显示在最左侧或最右侧,并允许在侧边栏的视图间切换。",
+ "activityBarBorder": "活动栏分隔侧边栏的边框颜色。活动栏显示在最左侧或最右侧,并可以切换侧边栏的视图。",
+ "activityBarActiveBorder": "活动项的活动栏边框颜色。活动栏显示在最左侧或右侧,并允许在侧栏视图之间切换。",
+ "activityBarActiveFocusBorder": "活动项的活动栏焦点边框颜色。活动栏显示在最左侧或右侧,并允许在侧栏视图之间切换。",
+ "activityBarActiveBackground": "活动项的活动栏背景颜色。活动栏显示在最左侧或右侧,并允许在侧栏视图之间切换。",
+ "activityBarDragAndDropBorder": "拖放活动栏项的反馈颜色。活动栏显示在最左侧或最右侧,并允许在侧边栏视图之间切换。",
+ "activityBarBadgeBackground": "活动通知徽章背景色。活动栏显示在最左侧或最右侧,并允许在侧边栏的视图间切换。",
+ "activityBarBadgeForeground": "活动通知徽章前景色。活动栏显示在最左侧或最右侧,并允许在侧边栏的视图间切换。",
+ "statusBarItemHostBackground": "状态栏上远程指示器的背景色。",
+ "statusBarItemHostForeground": "状态栏上远程指示器的前景色。",
+ "extensionBadge.remoteBackground": "扩展视图中远程徽标的背景色。",
+ "extensionBadge.remoteForeground": "扩展视图中远程徽标的前景色。",
+ "sideBarBackground": "侧边栏背景色。侧边栏是资源管理器和搜索等视图的容器。",
+ "sideBarForeground": "侧边栏前景色。侧边栏是资源管理器和搜索等视图的容器。",
+ "sideBarBorder": "侧边栏分隔编辑器的边框颜色。侧边栏包含资源管理器、搜索等视图。",
+ "sideBarTitleForeground": "侧边栏标题前景色。侧边栏是资源管理器和搜索等视图的容器。",
+ "sideBarDragAndDropBackground": "侧边栏中的部分在拖放时的反馈颜色。此颜色应有透明度,以便侧边栏中的部分仍能透过。侧边栏是资源管理器和搜索等视图的容器。侧边栏部分是嵌套在侧边栏中的视图。",
+ "sideBarSectionHeaderBackground": "侧边栏部分标题背景色。此侧边栏是资源管理器和搜索等视图的容器。侧边栏部分是在侧边栏中嵌套的视图。",
+ "sideBarSectionHeaderForeground": "侧边栏部分标题前景色。侧栏是类似资源管理器和搜索等视图的容器。侧栏部分是在侧栏中嵌套的视图。",
+ "sideBarSectionHeaderBorder": "侧边栏部分标题边界色。侧栏是类似资源管理器和搜索等视图的容器。侧栏部分是在侧栏中嵌套的视图。",
+ "titleBarActiveForeground": "窗口处于活动状态时的标题栏前景色。",
+ "titleBarInactiveForeground": "窗口处于非活动状态时的标题栏前景色。",
+ "titleBarActiveBackground": "窗口处于活动状态时的标题栏背景色。",
+ "titleBarInactiveBackground": "窗口处于非活动状态时的标题栏背景色。",
+ "titleBarBorder": "标题栏边框颜色。",
+ "menubarSelectionForeground": "菜单栏中选定菜单项的前景色。",
+ "menubarSelectionBackground": "菜单栏中选定菜单项的背景色。",
+ "menubarSelectionBorder": "菜单栏中所选菜单项的边框颜色。",
+ "notificationCenterBorder": "通知中心的边框颜色。通知从窗口右下角滑入。",
+ "notificationToastBorder": "通知横幅的边框颜色。通知从窗口右下角滑入。",
+ "notificationsForeground": "通知的前景色。通知从窗口右下角滑入。",
+ "notificationsBackground": "通知的背景色。通知从窗口右下角滑入。",
+ "notificationsLink": "通知链接的前景色。通知从窗口右下角滑入。",
+ "notificationCenterHeaderForeground": "通知中心头部的前景色。通知从窗口右下角滑入。",
+ "notificationCenterHeaderBackground": "通知中心头部的背景色。通知从窗口右下角滑入。",
+ "notificationsBorder": "通知中心中分隔通知的边框的颜色。通知从窗口右下角滑入。",
+ "notificationsErrorIconForeground": "用于错误通知图标的颜色。通知从窗口右下角滑入。",
+ "notificationsWarningIconForeground": "用于警告通知图标的颜色。通知从窗口右下角滑入。",
+ "notificationsInfoIconForeground": "用于信息通知图标的颜色。通知从窗口右下角滑入。",
+ "windowActiveBorder": "窗口处于活动状态时用于窗口边框的颜色。仅在使用自定义标题栏时在桌面客户端中支持。",
+ "windowInactiveBorder": "窗口处于非活动状态时用于边框的颜色。仅在使用自定义标题栏时在桌面客户端中支持。"
+ },
+ "vs/workbench/common/editor": {
+ "sideBySideLabels": "{0} - {1}",
+ "preview": "{0},预览",
+ "pinned": "{0},已固定"
+ },
+ "vs/workbench/common/views": {
+ "testViewIcon": "查看测试视图的图标。",
+ "defaultViewIcon": "默认视图图标。",
+ "duplicateId": "已注册 ID 为“{0}”的视图"
+ },
+ "vs/workbench/api/common/extHostExtensionService": {
+ "extensionTestError": "路径 {0} 未指向有效的扩展测试运行程序。"
+ },
+ "vs/workbench/api/common/extHostTerminalService": {
+ "launchFail.idMissingOnExtHost": "在扩展主机上找不到 ID 为 {0} 的终端"
+ },
+ "vs/workbench/api/common/extHostWorkspace": {
+ "updateerror": "扩展“{0}”未能更新工作区文件夹: {1}"
+ },
+ "vs/workbench/browser/workbench.contribution": {
+ "workbench.editor.titleScrollbarSizing.default": "默认大小。",
+ "workbench.editor.titleScrollbarSizing.large": "增加大小,以便更轻松地通过鼠标抓取",
+ "tabScrollbarHeight": "控制编辑器标题区域中用于选项卡和面包屑的滚动条的高度。",
+ "showEditorTabs": "控制打开的编辑器是否显示在选项卡中。",
+ "scrollToSwitchTabs": "控制在滚动到选项卡上方时是否打开这些选项卡。默认情况下,选项卡仅在鼠标滚动时呈现,但不打开。可通过在滚动时按住 Shift 键来更改滚动期间的此行为。当 \"#workbench.editor.showTabs#\" 设置为 \"false\" 时,将忽略此值。",
+ "highlightModifiedTabs": "控制是否在已修改的(脏)编辑器选项卡上绘制上边框。当 \"#workbench.editor.showTabs#\" 为 false 时,将忽略此值。",
+ "workbench.editor.labelFormat.default": "显示文件名。当启用选项卡且在同一组内有两个相同名称的文件时,将添加每个文件路径中可以用于区分的部分。在选项卡被禁用且编辑器活动时,将显示相对于工作区文件夹的路径。",
+ "workbench.editor.labelFormat.short": "在文件的目录名之后显示文件名。",
+ "workbench.editor.labelFormat.medium": "在文件相对当前工作区文件夹的路径之后显示文件名。",
+ "workbench.editor.labelFormat.long": "在文件的绝对路径之后显示文件名。",
+ "tabDescription": "控制编辑器标签的格式。",
+ "workbench.editor.untitled.labelFormat.content": "无标题文件的名称派生自其第一行的内容,除非它有关联的文件路径。如果行为空或不包含单词字符,它将回退到名称。",
+ "workbench.editor.untitled.labelFormat.name": "无标题文件的名称不是从文件的内容派生的。",
+ "untitledLabelFormat": "控制无标题编辑器的标签格式。",
+ "editorTabCloseButton": "控制编辑器的选项卡关闭按钮的位置,或者在设置为“关”时禁用它们。当 \"#workbench.editor.showTabs#\" 为 \"false\" 时,将忽略此值。",
+ "workbench.editor.tabSizing.fit": "始终将标签页保持足够大,能够完全显示编辑器标签。",
+ "workbench.editor.tabSizing.shrink": "在不能同时显示所有选项卡时,允许选项卡缩小。",
+ "tabSizing": "控制编辑器选项卡的大小调整。当 \"#workbench.editor.showTabs#\" 设置为 \"false\" 时,将忽略此值。",
+ "workbench.editor.pinnedTabSizing.normal": "固定的选项卡会继承未固定的选项卡的外观。",
+ "workbench.editor.pinnedTabSizing.compact": "固定的选项卡将以紧凑形式显示,其中只包含图标或编辑器名称的第一个字母。",
+ "workbench.editor.pinnedTabSizing.shrink": "固定的选项卡缩小至紧凑的固定大小,显示编辑器名称的各部分。",
+ "pinnedTabSizing": "控制固定的编辑器选项卡的大小。固定的选项卡排在所有打开的选项卡的开头,并且在取消固定之前,通常不会关闭。当 \"#workbench.editor.showTabs#\" 为 \"false\" 时,将忽略此值。",
+ "workbench.editor.splitSizingDistribute": "将所有编辑器组拆分为相等的部分。",
+ "workbench.editor.splitSizingSplit": "将活动编辑器组拆分为相等的部分。",
+ "splitSizing": "拆分编辑器组时控制编辑器组大小。",
+ "splitOnDragAndDrop": "通过将编辑器或文件放到编辑器区域的边缘,控制是否可以由拖放操作拆分编辑器组。",
+ "focusRecentEditorAfterClose": "控制是否按最常使用的顺序或从左到右的顺序关闭选项卡。",
+ "showIcons": "控制是否在打开的编辑器中显示图标。这要求同时启用文件图标主题。",
+ "enablePreview": "控制打开的编辑器是否显示为预览。预览编辑器不会保持打开,在将其显式设置为保持打开(例如通过双击或编辑)前将会重用它,其字体样式为斜体。",
+ "enablePreviewFromQuickOpen": "控制通过 Quick Open 打开的编辑器是否显示为预览。预览编辑器不会保持打开,在将其显式设置为保持打开(例如通过双击或编辑)前将会重用它。",
+ "closeOnFileDelete": "当文件被其他进程删除或重命名时,控制是否自动关闭在这个期间内打开了此文件的编辑器。若禁用此项,在这种情况下将保留编辑器。请注意,若从应用内部进行删除,将始终关闭编辑器,并且为了保护您的数据,已更新文件始终不会关闭。",
+ "editorOpenPositioning": "控制编辑器打开的位置。选择 `left` 或 `right` 可分别在当前活动编辑器的左侧或右侧打开。选择 `first` (最前) 或 `last` (最后) 打开的位置与当前活动编辑器无关。",
+ "sideBySideDirection": "控制编辑器在并排打开时 (比如从资源管理器) 出现的默认位置。默认在当前活动编辑器右侧打开。若更改为 `down`,则在当前活动编辑器下方打开。",
+ "closeEmptyGroups": "控制编辑器组中最后一个选项卡关闭时这个空组的行为。若启用,将自动关闭空组。若禁用,空组仍将保留在网格布局中。",
+ "revealIfOpen": "控制是否在打开的任何可见组中显示编辑器。如果禁用,编辑器将优先在当前活动的编辑器组中打开。如果启用,将会显示在已打开的编辑器,而不是在当前活动的编辑器组中再次打开。请注意,有些情况下会忽略此设置,例如,强制编辑器在特定组中打开或当前活动组的一侧时。",
+ "mouseBackForwardToNavigate": "使用鼠标按钮 4 和鼠标按钮 5 (如果提供)在打开的文件之间导航。",
+ "restoreViewState": "在重新打开已关闭的文本编辑器时,还原最后一个视图的状态 (如滚动位置)。",
+ "centeredLayoutAutoResize": "如果在居中布局中打开了超过一组编辑器,控制是否自动将宽度调整为最大宽度值。当回到只打开了一组编辑器的状态,将自动将宽度调整为原始的居中宽度值。",
+ "limitEditorsEnablement": "控制是否应限制打开的编辑器的数量。启用后,不脏的最近较少使用的编辑器将关闭,以便为新打开的编辑器腾出空间。",
+ "limitEditorsMaximum": "控制打开编辑器的最大数量。使用 \"#workbench.editor.limit.perEditorGroup#\" 设置控制每个编辑器组或跨所有组的限制。",
+ "perEditorGroup": "控制最大打开的编辑器的限制是否应应用于每个编辑器组或所有编辑器组。",
+ "commandHistory": "控制命令面板中保留最近使用命令的数量。设置为 0 时禁用命令历史功能。",
+ "preserveInput": "当再次打开命令面板时,控制是否恢复上一次输入的内容。",
+ "closeOnFocusLost": "控制 Quick Open 是否在其失去焦点时自动关闭。",
+ "workbench.quickOpen.preserveInput": "在打开 Quick Open 视图时,控制是否自动恢复上一次输入的值。",
+ "openDefaultSettings": "控制在打开设置时是否同时打开显示所有默认设置的编辑器。",
+ "useSplitJSON": "控制在将设置编辑为 json 时是否使用拆分 json 编辑器。",
+ "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": "次像素平滑字体。将在大多数非 retina 显示器上显示最清晰的文字。",
+ "workbench.fontAliasing.antialiased": "进行像素而不是次像素级别的字体平滑。可能会导致字体整体显示得更细。",
+ "workbench.fontAliasing.none": "禁用字体平滑。将显示边缘粗糙、有锯齿的文字。",
+ "workbench.fontAliasing.auto": "根据显示器 DPI 自动应用 `default` 或 `antialiased` 选项。",
+ "settings.editor.ui": "使用设置 ui 编辑器。",
+ "settings.editor.json": "使用 json 文件编辑器。",
+ "settings.editor.desc": "配置默认使用的设置编辑器。",
+ "windowTitle": "根据活动编辑器控制窗口标题。变量是根据上下文替换的:",
+ "activeEditorShort": "\"${activeEditorShort}\": 文件名 (例如 myFile.txt)。",
+ "activeEditorMedium": "\"${activeEditorMedium}\": 相对于工作区文件夹的文件路径 (例如, myFolder/myFileFolder/myFile.txt)。",
+ "activeEditorLong": "\"${activeEditorLong}\": 文件的完整路径 (例如 /Users/Development/myFolder/myFileFolder/myFile.txt)。",
+ "activeFolderShort": "\"${activeFolderShort}\": 文件所在的文件夹名称 (例如, myFileFolder)。",
+ "activeFolderMedium": "\"${activeFolderMedium}\": 相对于工作区文件夹的、包含文件的文件夹的路径, (例如 myFolder/myFileFolder)。",
+ "activeFolderLong": "\"${activeFolderLong}\": 文件所在文件夹的完整路径 (例如 /Users/Development/myFolder/myFileFolder)。",
+ "folderName": "\"${folderName}\": 文件所在工作区文件夹的名称 (例如 myFolder)。",
+ "folderPath": "\"${folderpath}\": 文件所在工作区文件夹的路径 (例如 /Users/Development/myFolder)。",
+ "rootName": "\"${rootName}\": 工作区的名称 (例如, myFolder 或 myWorkspace)。",
+ "rootPath": "\"${rootPath}\": 工作区的文件路径 (例如 /Users/Development/myWorkspace)。",
+ "appName": "\"${appName}\": 例如 VS Code。",
+ "remoteName": "“${remoteName}”: 例如 SSH",
+ "dirty": "\"${dirty}\": 表示活动编辑器为脏的脏指示器。",
+ "separator": "\"${separator}\": 一种条件分隔符 (\"-\"), 仅在被包含值或静态文本的变量包围时显示。",
+ "windowConfigurationTitle": "窗口",
+ "window.titleSeparator": "\"window.title\" 使用的分隔符。",
+ "window.menuBarVisibility.default": "菜单仅在全屏模式下隐藏。",
+ "window.menuBarVisibility.visible": "菜单始终可见,即使处于全屏模式下。",
+ "window.menuBarVisibility.toggle": "菜单隐藏,但可以通过 Alt 键显示。",
+ "window.menuBarVisibility.hidden": "菜单始终隐藏。",
+ "window.menuBarVisibility.compact": "菜单在侧边栏中显示为一个紧凑的按钮。当 \"#window.titleBarStyle#\" 为 \"native\" 时,将忽略此值。",
+ "menuBarVisibility": "控制菜单栏的可见性。“切换”设置表示隐藏菜单栏,按一次 Alt 键则将显示此菜单栏。默认情况下,除非窗口为全屏,否则菜单栏可见。",
+ "enableMenuBarMnemonics": "控制是否可通过 Alt 键快捷键打开主菜单。如果禁用助记符,则可将这些 Alt 键快捷键绑定到编辑器命令。",
+ "customMenuBarAltFocus": "控制是否通过按 Alt 键聚焦菜单栏。此设置对使用 Alt 键切换菜单栏没有任何影响。",
+ "window.openFilesInNewWindow.on": "在新窗口中打开文件。",
+ "window.openFilesInNewWindow.off": "在文件所在文件夹的已有窗口中或在上一个活动窗口中打开文件。",
+ "window.openFilesInNewWindow.defaultMac": "在文件所在文件夹的已有窗口中或在上一个活动窗口中打开文件,除非其通过“程序坞”(Dock) 或“访达”(Finder) 打开。",
+ "window.openFilesInNewWindow.default": "在新窗口中打开文件,除非文件从应用程序内进行选取 (例如,通过“文件”菜单)。",
+ "openFilesInNewWindowMac": "控制是否应在新窗口中打开文件。\r\n请注意,此设置可能会被忽略(例如,在使用 `--new-window` 或 `--reuse-window` 命令行选项时)。",
+ "openFilesInNewWindow": "控制是否应在新窗口中打开文件。\r\n请注意,此设置可能会被忽略(例如,在使用 `--new-window` 或 `--reuse-window` 命令行选项时)。",
+ "window.openFoldersInNewWindow.on": "在新窗口中打开文件夹。",
+ "window.openFoldersInNewWindow.off": "文件夹将替换上一个活动窗口。",
+ "window.openFoldersInNewWindow.default": "在新窗口中打开文件夹,除非文件夹从应用程序内进行选取 (例如,通过“文件”菜单)。",
+ "openFoldersInNewWindow": "控制文件夹是应在新窗口中打开,还是应替换上次处于活动状态的窗口。\r\n请注意,此设置可能会被忽略(例如,在使用 `--new-window` 或 `--reuse-window` 命令行选项时)。",
+ "window.confirmBeforeClose.always": "始终尝试请求确认。请注意,浏览器仍可能在未经确认的情况下决定关闭标签页或窗口。",
+ "window.confirmBeforeClose.keyboardOnly": "仅在检测到键绑定时请求确认。请注意,在某些情况下可能无法进行检测。",
+ "window.confirmBeforeClose.never": "除非即将丢失数据,否则绝不明确询问确认。",
+ "confirmBeforeCloseWeb": "控制在关闭浏览器选项卡或窗口之前是否显示确认对话框。请注意,即使已启用,浏览器仍可能决定在不进行确认的情况下关闭选项卡或窗口,并且此设置仅作为提示,并非在所有情况下都起作用。",
+ "zenModeConfigurationTitle": "禅模式",
+ "zenMode.fullScreen": "控制在打开禅模式时是否将工作台切换到全屏。",
+ "zenMode.centerLayout": "控制在打开禅模式时是否启用居中布局。",
+ "zenMode.hideTabs": "控制在打开禅模式时是否隐藏工作台选项卡。",
+ "zenMode.hideStatusBar": "控制在打开禅模式时是否隐藏工作台底部的状态栏。",
+ "zenMode.hideActivityBar": "控制在打开禅模式时是否隐藏工作台左侧或右侧的活动栏。",
+ "zenMode.hideLineNumbers": "控制在打开禅模式时是否隐藏编辑器行号。",
+ "zenMode.restore": "若窗口在处于禅模式时退出,控制其在恢复时是否还原到禅模式。",
+ "zenMode.silentNotifications": "控制在禅宗模式下是否显示通知。如果为 true,则只会弹出错误通知。"
+ },
+ "vs/workbench/browser/actions/textInputActions": {
+ "undo": "撤消",
+ "redo": "恢复",
+ "cut": "剪切",
+ "copy": "复制",
+ "paste": "粘贴",
+ "selectAll": "选择全部"
+ },
+ "vs/workbench/browser/actions/developerActions": {
+ "inspect context keys": "检查上下文键值",
+ "toggle screencast mode": "切换屏幕模式",
+ "logStorage": "记录存储数据库内容",
+ "logWorkingCopies": "日志工作副本",
+ "screencastModeConfigurationTitle": "截屏模式",
+ "screencastMode.location.verticalPosition": "控制截屏模式叠加的垂直偏移,从底部作为工作台高度的百分比。",
+ "screencastMode.fontSize": "控制截屏模式键盘的字体大小(以像素为单位)。",
+ "screencastMode.onlyKeyboardShortcuts": "仅在截屏模式下显示键盘快捷方式。",
+ "screencastMode.keyboardOverlayTimeout": "控制截屏模式下键盘覆盖显示的时长(以毫秒为单位)。",
+ "screencastMode.mouseIndicatorColor": "控制截屏视频模式下鼠标指示器的十六进制(#RGB、#RGBA、#RRGGBB 或 #RRGGBBAA)的颜色。",
+ "screencastMode.mouseIndicatorSize": "控制截屏模式下鼠标光标的大小(以像素为单位)。"
+ },
+ "vs/workbench/browser/actions/helpActions": {
+ "keybindingsReference": "键盘快捷方式参考",
+ "openDocumentationUrl": "文档",
+ "openIntroductoryVideosUrl": "入门视频",
+ "openTipsAndTricksUrl": "提示与技巧",
+ "newsletterSignup": "订阅 VS Code 新闻邮件",
+ "openTwitterUrl": "在 Twitter 上和我们互动",
+ "openUserVoiceUrl": "搜索功能请求",
+ "openLicenseUrl": "查看许可证",
+ "openPrivacyStatement": "隐私声明",
+ "miDocumentation": "文档(&&D)",
+ "miKeyboardShortcuts": "键盘快捷方式参考(&&K)",
+ "miIntroductoryVideos": "介绍性视频(&&V)",
+ "miTipsAndTricks": "贴士和技巧(&&C)",
+ "miTwitter": "Twitter 上和我们互动(&&J)",
+ "miUserVoice": "搜索功能请求(&&S)",
+ "miLicense": "查看许可证(&&V)",
+ "miPrivacyStatement": "隐私声明(&&Y)"
+ },
+ "vs/workbench/browser/actions/layoutActions": {
+ "closeSidebar": "关闭侧栏",
+ "toggleActivityBar": "切换活动栏可见性",
+ "miShowActivityBar": "显示活动栏(&&A)",
+ "toggleCenteredLayout": "切换居中布局",
+ "miToggleCenteredLayout": "居中布局(&&C)",
+ "flipLayout": "切换垂直/水平编辑器布局",
+ "miToggleEditorLayout": "翻转布局(&&L)",
+ "toggleSidebarPosition": "切换边栏位置",
+ "moveSidebarRight": "将侧边栏移动到右侧",
+ "moveSidebarLeft": "将侧边栏移动到左侧",
+ "miMoveSidebarRight": "向右移动侧边栏(&&M)",
+ "miMoveSidebarLeft": "向左移动侧边栏(&&M)",
+ "toggleEditor": "切换编辑器区域可见性",
+ "miShowEditorArea": "显示编辑区域(&&E)",
+ "toggleSidebar": "切换侧边栏可见性",
+ "miAppearance": "外观(&&A)",
+ "miShowSidebar": "显示侧栏(&&S)",
+ "toggleStatusbar": "切换状态栏可见性",
+ "miShowStatusbar": "显示状态栏(&&T)",
+ "toggleTabs": "切换标签页可见性",
+ "toggleZenMode": "切换禅模式",
+ "miToggleZenMode": "禅模式",
+ "toggleMenuBar": "切换菜单栏",
+ "miShowMenuBar": "显示菜单栏(&&B)",
+ "resetViewLocations": "重置视图位置",
+ "moveView": "移动视图",
+ "sidebarContainer": "侧边栏/{0}",
+ "panelContainer": "面板/{0}",
+ "moveFocusedView.selectView": "选择要移动的视图",
+ "moveFocusedView": "移动焦点视图",
+ "moveFocusedView.error.noFocusedView": "当前没有重点视图。",
+ "moveFocusedView.error.nonMovableView": "当前焦点视图不可移动。",
+ "moveFocusedView.selectDestination": "选择视图的目标",
+ "moveFocusedView.title": "视图: 移动 {0}",
+ "moveFocusedView.newContainerInPanel": "新建面板条目",
+ "moveFocusedView.newContainerInSidebar": "新侧边栏条目",
+ "sidebar": "侧边栏",
+ "panel": "面板",
+ "resetFocusedViewLocation": "重置焦点视图位置",
+ "resetFocusedView.error.noFocusedView": "当前没有重点视图。",
+ "increaseViewSize": "增加当前视图大小",
+ "increaseEditorWidth": "增加编辑器宽度",
+ "increaseEditorHeight": "增加编辑器高度",
+ "decreaseViewSize": "减小当前视图大小",
+ "decreaseEditorWidth": "降低编辑器宽度",
+ "decreaseEditorHeight": "降低编辑器高度"
+ },
+ "vs/workbench/browser/actions/navigationActions": {
+ "navigateLeft": "导航到左侧视图",
+ "navigateRight": "导航到右侧视图",
+ "navigateUp": "导航到上方视图",
+ "navigateDown": "导航到下方视图",
+ "focusNextPart": "专注下一部分",
+ "focusPreviousPart": "专注上一部分"
+ },
+ "vs/workbench/browser/actions/windowActions": {
+ "remove": "从最近打开中删除",
+ "dirtyRecentlyOpened": "带有已更新的文件的工作区",
+ "workspaces": "工作区",
+ "files": "文件",
+ "openRecentPlaceholderMac": "选中以打开(按 Cmd 键强制打开新窗口,或按 Alt 键打开同一窗口)",
+ "openRecentPlaceholder": "选中以打开(按 Ctrl 键强制打开新窗口,或按 Alt 键打开同一窗口)",
+ "dirtyWorkspace": "带有已更新的文件的工作区",
+ "dirtyWorkspaceConfirm": "是否要打开工作区以查看已更新文件?",
+ "dirtyWorkspaceConfirmDetail": "在保存或还原所有已更新文件之前,无法删除具有已更新文件的工作区。",
+ "recentDirtyAriaLabel": "{0},存在更新的工作区",
+ "openRecent": "打开最近的文件…",
+ "quickOpenRecent": "快速打开最近的文件…",
+ "toggleFullScreen": "切换全屏",
+ "reloadWindow": "重新加载窗口",
+ "about": "关于",
+ "newWindow": "新建窗口",
+ "blur": "从具有焦点的元素中删除键盘焦点",
+ "file": "文件",
+ "miConfirmClose": "关闭前确认",
+ "miNewWindow": "新建窗口(&&W)",
+ "miOpenRecent": "打开最近的文件(&&R)",
+ "miMore": "更多(&&M)...",
+ "miToggleFullScreen": "全屏(&&F)",
+ "miAbout": "关于(&&A)"
+ },
+ "vs/workbench/browser/actions/workspaceActions": {
+ "openFile": "打开文件...",
+ "openFolder": "打开文件夹...",
+ "openFileFolder": "打开...",
+ "openWorkspaceAction": "打开工作区...",
+ "closeWorkspace": "关闭工作区",
+ "noWorkspaceOpened": "此实例当前没有打开工作区,无法关闭。",
+ "openWorkspaceConfigFile": "打开工作区配置文件",
+ "globalRemoveFolderFromWorkspace": "将文件夹从工作区删除…",
+ "saveWorkspaceAsAction": "将工作区另存为...",
+ "duplicateWorkspaceInNewWindow": "复制此工作区并在新窗口打开",
+ "workspaces": "工作区",
+ "miAddFolderToWorkspace": "将文件夹添加到工作区(&&D)...",
+ "miSaveWorkspaceAs": "将工作区另存为...",
+ "miCloseFolder": "关闭文件夹(&&F)",
+ "miCloseWorkspace": "关闭工作区(&&W)"
+ },
+ "vs/workbench/browser/actions/workspaceCommands": {
+ "addFolderToWorkspace": "将文件夹添加到工作区...",
+ "add": "添加(&&A)",
+ "addFolderToWorkspaceTitle": "将文件夹添加到工作区",
+ "workspaceFolderPickerPlaceholder": "选择工作区文件夹"
+ },
+ "vs/workbench/browser/actions/quickAccessActions": {
+ "quickOpen": "转到文件...",
+ "quickNavigateNext": "在 Quick Open 中导航到下一个",
+ "quickNavigatePrevious": "在 Quick Open 中导航到上一个",
+ "quickSelectNext": "在 Quick Open 中选择“下一步”",
+ "quickSelectPrevious": "在 Quick Open 中选择“上一步”"
+ },
+ "vs/workbench/api/common/menusExtensionPoint": {
+ "menus.commandPalette": "命令面板",
+ "menus.touchBar": "触控栏 (仅 macOS)",
+ "menus.editorTitle": "编辑器标题菜单",
+ "menus.editorContext": "编辑器上下文菜单",
+ "menus.explorerContext": "文件资源管理器上下文菜单",
+ "menus.editorTabContext": "编辑器选项卡上下文菜单",
+ "menus.debugCallstackContext": "调试调用堆栈视图上下文菜单",
+ "menus.debugVariablesContext": "调试变量视图上下文菜单",
+ "menus.debugToolBar": "调试工具栏菜单",
+ "menus.file": "顶级文件菜单",
+ "menus.home": "主指示器上下文菜单(仅限 Web)",
+ "menus.scmTitle": "源代码管理标题菜单",
+ "menus.scmSourceControl": "源代码管理菜单",
+ "menus.resourceGroupContext": "源代码管理资源组上下文菜单",
+ "menus.resourceStateContext": "源代码管理资源状态上下文菜单",
+ "menus.resourceFolderContext": "源代码管理资源文件夹上下文菜单",
+ "menus.changeTitle": "源代码管理内联更改菜单",
+ "menus.statusBarWindowIndicator": "状态栏中的窗口指示器菜单",
+ "view.viewTitle": "提供的视图的标题菜单",
+ "view.itemContext": "提供的视图中的项目的上下文菜单",
+ "commentThread.title": "贡献的注释线程标题菜单",
+ "commentThread.actions": "贡献的注释线程上下文菜单,呈现为注释编辑器下方的按钮",
+ "comment.title": "贡献的注释标题菜单",
+ "comment.actions": "贡献的注释上下文菜单,呈现为注释编辑器下方的按钮",
+ "notebook.cell.title": "贡献的笔记本单元格标题菜单",
+ "menus.extensionContext": "扩展上下文菜单",
+ "view.timelineTitle": "时间线视图标题菜单",
+ "view.timelineContext": "时间线视图项上下文菜单",
+ "requirestring": "属性 \"{0}\" 是必需项并且必须为 \"string\" 类型",
+ "optstring": "属性 \"{0}\" 可以省略,或者必须为 \"string\" 类型",
+ "requirearray": "子菜单项必须是数组",
+ "require": "子菜单项必须是对象",
+ "vscode.extension.contributes.menuItem.command": "要执行的命令的标识符。该命令必须在“命令”部分中声明",
+ "vscode.extension.contributes.menuItem.alt": "要执行的替代命令的标识符。该命令必须在 ”commands\" 部分中声明",
+ "vscode.extension.contributes.menuItem.when": "此条件必须为 true 才能显示此项",
+ "vscode.extension.contributes.menuItem.group": "此项所属的组",
+ "vscode.extension.contributes.menuItem.submenu": "要在此项中显示的子菜单的标识符。",
+ "vscode.extension.contributes.submenu.id": "要显示为子菜单的菜单的标识符。",
+ "vscode.extension.contributes.submenu.label": "指向此子菜单的菜单项的标签。",
+ "vscode.extension.contributes.submenu.icon": "(可选)用于表示 UI 中的子菜单的图标。文件路径、具有深色和浅色主题的文件路径的对象,或者主题图标引用(如 \"\\$(zap)\")",
+ "vscode.extension.contributes.submenu.icon.light": "使用浅色主题时的图标路径",
+ "vscode.extension.contributes.submenu.icon.dark": "使用深色主题时的图标路径",
+ "vscode.extension.contributes.menus": "向编辑器提供菜单项",
+ "proposed": "建议的 API",
+ "vscode.extension.contributes.submenus": "将子菜单项分配到编辑器",
+ "nonempty": "应为非空值。",
+ "opticon": "可以省略属性 \"icon\",若不省略则必须是字符串或文字,例如 \"{dark, light}\"",
+ "requireStringOrObject": "属性“{0}”是必要属性,其类型必须是 \"string\" 或 \"object\"",
+ "requirestrings": "属性“{0}”和“{1}”是必要属性,其类型必须是 \"string\"",
+ "vscode.extension.contributes.commandType.command": "要执行的命令的标识符",
+ "vscode.extension.contributes.commandType.title": "在 UI 中依据其表示命令的标题",
+ "vscode.extension.contributes.commandType.category": "(可选) 类别字符串,命令在界面中根据此项分组",
+ "vscode.extension.contributes.commandType.precondition": "(可选)必须为 true 才能启用 UI (菜单和键绑定)中命令的条件。不会阻止通过其他方式执行命令,例如 `executeCommand`-api。",
+ "vscode.extension.contributes.commandType.icon": "(可选)用于表示 UI 中的命令的图标。文件路径、具有深色和浅色主题的文件路径的对象,或者主题图标引用(如 \"\\$(zap)\")",
+ "vscode.extension.contributes.commandType.icon.light": "使用浅色主题时的图标路径",
+ "vscode.extension.contributes.commandType.icon.dark": "使用深色主题时的图标路径",
+ "vscode.extension.contributes.commands": "对命令面板提供命令。",
+ "dup": "命令“{0}”在 \"commands\" 部分重复出现。",
+ "submenuId.invalid.id": "“{0}”不是有效的子菜单标识符",
+ "submenuId.duplicate.id": "以前已注册 `{0}` 子菜单。",
+ "submenuId.invalid.label": "“{0}”不是有效的子菜单标签",
+ "menuId.invalid": "“{0}”为无效菜单标识符",
+ "proposedAPI.invalid": "{0} 是建议的菜单标识符, 仅在开发用完或使用以下命令行开关时可用:--enable-proposed-api {1}",
+ "missing.command": "菜单项引用未在“命令”部分进行定义的命令“{0}”。",
+ "missing.altCommand": "菜单项引用了未在 \"commands\" 部分定义的替代命令“{0}”。",
+ "dupe.command": "菜单项引用的命令中默认和替代命令相同",
+ "unsupported.submenureference": "菜单项引用了不具有子菜单支持的菜单的子菜单。",
+ "missing.submenu": "菜单项引用了未在“子菜单”部分定义的子菜单“{0}”。",
+ "submenuItem.duplicate": "`{0}` 子菜单已提供给 `{1}` 菜单。"
+ },
+ "vs/workbench/api/common/configurationExtensionPoint": {
+ "vscode.extension.contributes.configuration.title": "设置摘要。此标签将在设置文件中用作分隔注释。",
+ "vscode.extension.contributes.configuration.properties": "配置属性的描述。",
+ "vscode.extension.contributes.configuration.property.empty": "属性不应为空。",
+ "scope.application.description": "只能在用户设置中进行配置的配置。",
+ "scope.machine.description": "只能在用户设置或远程设置中配置的配置。",
+ "scope.window.description": "可在用户、远程或工作区设置中对其进行配置的配置。",
+ "scope.resource.description": "可在用户、远程、工作区或文件夹设置中对其进行配置的配置。",
+ "scope.language-overridable.description": "可在语言特定设置中配置的资源配置。",
+ "scope.machine-overridable.description": "也可在工作区或文件夹设置中配置的计算机配置。",
+ "scope.description": "配置适用的作用域。可用作用域包括\"application\"、\"machine\"、\"window\"、\"resource\"和\"machine-overridable\"。",
+ "scope.enumDescriptions": "枚举值的说明",
+ "scope.markdownEnumDescriptions": "Markdown 格式的枚举值说明。",
+ "scope.markdownDescription": "Markdown 格式的说明。",
+ "scope.deprecationMessage": "设置后,该属性将被标记为已弃用,并将给定的消息显示为解释。",
+ "scope.markdownDeprecationMessage": "设置后,该属性将被标记为已弃用,并按 Markdown 格式显示给定的消息作为解释。",
+ "vscode.extension.contributes.defaultConfiguration": "按语言提供默认编辑器配置设置。",
+ "config.property.defaultConfiguration.languageExpected": "所需的语言选择器(例如 [\"java\"])",
+ "config.property.defaultConfiguration.warning": "无法注册“{0}”的配置默认值。仅支持特定于语言的设置的默认值。",
+ "vscode.extension.contributes.configuration": "用于配置字符串。",
+ "invalid.title": "configuration.title 必须是字符串",
+ "invalid.properties": "configuration.properties 必须是对象",
+ "invalid.property": "\"configuration.property\" 必须是对象",
+ "invalid.allOf": "\"configuration.allOf\" 已被弃用且不应被使用。你可以将多个配置单元作为数组传递给 \"configuration\" 参与点。",
+ "workspaceConfig.folders.description": "将载入到工作区的文件夹列表。",
+ "workspaceConfig.path.description": "文件路径。例如 \"/root/folderA\" 或 \"./folderA\"。后者表示根据工作区文件位置进行解析的相对路径。",
+ "workspaceConfig.name.description": "文件夹的可选名称。",
+ "workspaceConfig.uri.description": "文件夹的 URI",
+ "workspaceConfig.settings.description": "工作区设置",
+ "workspaceConfig.launch.description": "工作区启动配置",
+ "workspaceConfig.tasks.description": "工作区任务配置",
+ "workspaceConfig.extensions.description": "工作区扩展",
+ "workspaceConfig.remoteAuthority": "工作区所在的远程服务器。仅供未保存的远程工作区使用。",
+ "unknownWorkspaceProperty": "未知的工作区配置属性"
+ },
+ "vs/workbench/api/browser/viewsExtensionPoint": {
+ "vscode.extension.contributes.views.containers.id": "用于标识容器的唯一 ID,视图能在容器内通过 \"view\" 参与点提供。",
+ "vscode.extension.contributes.views.containers.title": "人类可读的用于表示此容器的字符串",
+ "vscode.extension.contributes.views.containers.icon": "容器图标的路径。图标大小为 24x24,并居中放置在 50x40 的区域内,其填充颜色为 \"rgb(215, 218, 224)\" 或 \"#d7dae0\"。所有图片格式均可用,推荐使用 SVG 格式。",
+ "vscode.extension.contributes.viewsContainers": "向编辑器提供视图容器",
+ "views.container.activitybar": "向活动栏提供视图容器",
+ "views.container.panel": "向面板提供视图容器",
+ "vscode.extension.contributes.view.type": "视图的类型。对于基于树状视图的视图,这可以是 \"tree\",对于基于 Web 视图的视图,这可以是 \"webview\"。默认值为 \"tree\"。",
+ "vscode.extension.contributes.view.tree": "该视图由 \"createTreeView\" 创建的 \"TreeView\" 提供支持。",
+ "vscode.extension.contributes.view.webview": "该视图由 \"registerWebviewViewProvider\" 注册的 \"WebviewView\" 提供支持。",
+ "vscode.extension.contributes.view.id": "视图的标识符。这在所有视图中都应是唯一的。建议将扩展 ID 包含在视图 ID 中。使用此选项通过 \"vscode.window.registerTreeDataProviderForView\" API 注册数据提供程序。也可通过将 \"onView:${id}\" 事件注册为 \"activationEvents\" 来触发激活扩展。",
+ "vscode.extension.contributes.view.name": "用户可读的视图名称。将显示它",
+ "vscode.extension.contributes.view.when": "为真时才显示此视图的条件",
+ "vscode.extension.contributes.view.icon": "视图图标的路径。无法显示视图名称时,将显示视图图标。可以接受任何图像文件类型,但建议图标采用 SVG 格式。",
+ "vscode.extension.contributes.view.contextualTitle": "当视图移出其原始位置时的用户可读上下文。默认情况下,将使用视图的容器名称。将显示此内容",
+ "vscode.extension.contributes.view.initialState": "首次安装扩展时视图的初始状态。用户一旦通过折叠、移动或隐藏视图更改视图状态,就不再使用初始状态。",
+ "vscode.extension.contributes.view.initialState.visible": "视图的默认初始状态。但在大多数容器中,视图将展开,但某些内置容器(资源管理器、scm 和调试)显示所有已折叠的参与视图,无论“可见性”如何,都是如此。",
+ "vscode.extension.contributes.view.initialState.hidden": "视图不会显示在视图容器中,但可通过视图菜单和其他视图入口点发现,而且用户可取消隐藏视图。",
+ "vscode.extension.contributes.view.initialState.collapsed": "视图将在视图容器中折叠显示。",
+ "vscode.extension.contributes.view.group": "视图中的嵌套组",
+ "vscode.extension.contributes.view.remoteName": "与此视图关联的远程类型的名称",
+ "vscode.extension.contributes.views": "向编辑器提供视图",
+ "views.explorer": "向活动栏中的“资源管理器”容器提供视图",
+ "views.debug": "向活动栏中的“调试”容器提供视图",
+ "views.scm": "向活动栏中的“源代码管理”容器提供视图",
+ "views.test": "向活动栏中的“测试”容器提供视图",
+ "views.remote": "在活动栏中为远程容器提供视图。要为此容器提供帮助,需要启用enableProposedApi。",
+ "views.contributed": "向“提供的视图”容器提供视图",
+ "test": "测试",
+ "viewcontainer requirearray": "视图容器必须为数组",
+ "requireidstring": "属性“{0}”是必要属性,其类型必须是 \"string\"。仅支持字母、数字、\"_\" 和 \"-\"。",
+ "requirestring": "属性 \"{0}\" 是必需项并且必须为 \"string\" 类型",
+ "showViewlet": "显示 {0}",
+ "ViewContainerRequiresProposedAPI": "查看容器\"{0}\"需要启用\"enableProposedApi\"以添加到\"Remote\"。",
+ "ViewContainerDoesnotExist": "视图容器“{0}”不存在。所有注册到其中的视图将被添加到“资源管理器”中。",
+ "duplicateView1": "无法注册具有相同 ID“{0}”的多个视图",
+ "duplicateView2": "已注册 ID 为“{0}”的视图。",
+ "unknownViewType": "未知视图类型“{0}”。",
+ "requirearray": "视图必须是一个数组",
+ "optstring": "属性 \"{0}\" 可以省略,或者必须为 \"string\" 类型",
+ "optenum": "属性“{0}”可被省略或必须是 {1} 之一"
+ },
+ "vs/workbench/browser/parts/activitybar/activitybarPart": {
+ "settingsViewBarIcon": "视图栏中的“设置”图标。",
+ "accountsViewBarIcon": "视图栏中的“帐户”图标。",
+ "hideHomeBar": "隐藏主页按钮",
+ "showHomeBar": "显示主页按钮",
+ "hideMenu": "隐藏菜单",
+ "showMenu": "显示菜单",
+ "hideAccounts": "隐藏帐户",
+ "showAccounts": "显示帐户",
+ "hideActivitBar": "隐藏活动栏",
+ "resetLocation": "重置位置",
+ "homeIndicator": "主页",
+ "home": "主页",
+ "manage": "管理",
+ "accounts": "帐户",
+ "focusActivityBar": "将焦点放在活动栏上"
+ },
+ "vs/workbench/browser/parts/panel/panelPart": {
+ "hidePanel": "\"隐藏\" 面板",
+ "panel.emptyMessage": "将视图拖动到要显示的面板中。"
+ },
+ "vs/workbench/browser/parts/sidebar/sidebarPart": {
+ "focusSideBar": "聚焦到侧边栏"
+ },
+ "vs/workbench/browser/parts/statusbar/statusbarPart": {
+ "hide": "隐藏“{0}”",
+ "hideStatusBar": "隐藏状态栏"
+ },
+ "vs/workbench/browser/parts/views/viewsService": {
+ "focus view": "焦点在 {0} 视图上",
+ "resetViewLocation": "重置位置"
+ },
+ "vs/workbench/browser/parts/dialogs/dialogHandler": {
+ "yesButton": "是(&&Y)",
+ "cancelButton": "取消",
+ "aboutDetail": "版本: {0}\r\n提交: {1}\r\n日期: {2}\r\n浏览器: {3}",
+ "copy": "复制",
+ "ok": "确定"
+ },
+ "vs/workbench/electron-sandbox/parts/dialogs/dialogHandler": {
+ "yesButton": "是(&&Y)",
+ "cancelButton": "取消",
+ "aboutDetail": "版本: {0}\r\n提交: {1}\r\n日期: {2}\r\nElectron: {3}\r\nChrome: {4}\r\nNode.js: {5}\r\nV8: {6}\r\nOS: {7}",
+ "okButton": "确定",
+ "copy": "复制(&&C)"
+ },
+ "vs/workbench/electron-sandbox/actions/developerActions": {
+ "toggleDevTools": "切换开发人员工具",
+ "configureRuntimeArguments": "配置运行时参数"
+ },
+ "vs/workbench/electron-sandbox/actions/windowActions": {
+ "closeWindow": "关闭窗口",
+ "zoomIn": "放大",
+ "zoomOut": "缩小",
+ "zoomReset": "重置缩放",
+ "reloadWindowWithExtensionsDisabled": "在禁用扩展的情况下重新加载",
+ "close": "关闭窗口",
+ "switchWindowPlaceHolder": "选择切换的窗口",
+ "windowDirtyAriaLabel": "{0},存在更新的窗口",
+ "current": "当前窗口",
+ "switchWindow": "切换窗口...",
+ "quickSwitchWindow": "快速切换窗口..."
+ },
+ "vs/workbench/browser/parts/notifications/notificationsCenter": {
+ "notificationsEmpty": "无新通知",
+ "notifications": "通知",
+ "notificationsToolbar": "通知中心操作"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsAlerts": {
+ "alertErrorMessage": "错误: {0}",
+ "alertWarningMessage": "警告: {0}",
+ "alertInfoMessage": "信息: {0}"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsStatus": {
+ "status.notifications": "通知",
+ "hideNotifications": "隐藏通知",
+ "zeroNotifications": "没有通知",
+ "noNotifications": "无新通知",
+ "oneNotification": "1 条新通知",
+ "notifications": "{0} 条新通知",
+ "noNotificationsWithProgress": "无新通知({0} 正在进行中)",
+ "oneNotificationWithProgress": "1 条新通知({0} 条正在进行中)",
+ "notificationsWithProgress": "{0} 条新通知({1} 个正在进行中)",
+ "status.message": "状态消息"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsCommands": {
+ "notifications": "通知",
+ "showNotifications": "显示通知",
+ "hideNotifications": "隐藏通知",
+ "clearAllNotifications": "清除所有通知",
+ "focusNotificationToasts": "将焦点放在通知横幅上"
+ },
+ "vs/workbench/browser/parts/titlebar/menubarControl": {
+ "mFile": "文件(&&F)",
+ "mEdit": "编辑(&&E)",
+ "mSelection": "选择(&&S)",
+ "mView": "查看(&&V)",
+ "mGoto": "转到(&&G)",
+ "mRun": "运行(&&R)",
+ "mTerminal": "终端(&&T)",
+ "mHelp": "帮助(&&H)",
+ "menubar.customTitlebarAccessibilityNotification": "为您启用了辅助功能支持。对于最易于访问的体验, 我们建议使用自定义标题栏样式。",
+ "goToSetting": "打开设置",
+ "focusMenu": "聚焦应用程序菜单",
+ "checkForUpdates": "检查更新(&&U)...",
+ "checkingForUpdates": "正在检查更新...",
+ "download now": "下载更新(&&O)",
+ "DownloadingUpdate": "正在下载更新...",
+ "installUpdate...": "安装更新(&&U)...",
+ "installingUpdate": "正在安装更新...",
+ "restartToUpdate": "重新启动以更新(&&U)"
+ },
+ "vs/workbench/api/common/extHostExtensionActivator": {
+ "failedDep1": "无法激活扩展“{0}”,因为它依赖于未能激活的扩展“{1}”。",
+ "activationError": "激活扩展“{0}”失败: {1}。"
+ },
+ "vs/workbench/api/common/extHost.api.impl": {
+ "extensionLabel": "{0} (扩展)"
+ },
+ "vs/workbench/api/node/extHostDebugService": {
+ "debug.terminal.title": "调试对象"
+ },
+ "vs/workbench/api/common/jsonValidationExtensionPoint": {
+ "contributes.jsonValidation": "用于 json 架构配置。",
+ "contributes.jsonValidation.fileMatch": "要匹配的文件模式(或模式数组),例如\"package.json\"或\"*. launch\"。排除模式以\"!\"开头",
+ "contributes.jsonValidation.url": "到扩展文件夹('./')的架构 URL (\"http:\"、\"https:\")或相对路径。",
+ "invalid.jsonValidation": "configuration.jsonValidation 必须是数组",
+ "invalid.fileMatch": "\"configuration.jsonValidation.fileMatch\"必须定义为字符串或字符串数组。",
+ "invalid.url": "configuration.jsonValidation.url 必须是 URL 或相对路径",
+ "invalid.path.1": "\"contributes.{0}.url\" ({1})应包含在扩展的文件夹({2})内。这可能会使扩展不可移植。",
+ "invalid.url.fileschema": "configuration.jsonValidation.url 是无效的相对 URL: {0}",
+ "invalid.url.schema": "\"configuration.jsonValidation.url\" 必须是绝对 URL 或者以 \"./\" 开头,以引用扩展中的架构。"
+ },
+ "vs/workbench/api/browser/mainThreadExtensionService": {
+ "reload window": "无法激活 \"{0}\" 扩展, 因为它依赖于未加载的 \"{1}\" 扩展。是否要重新加载窗口以加载扩展名?",
+ "reload": "重新加载窗口",
+ "disabledDep": "无法激活 \"{0}\" 扩展, 因为它依赖于 \"{1}\" 扩展, 该扩展已禁用。是否要启用扩展并重新加载窗口?",
+ "enable dep": "启用和重新加载",
+ "uninstalledDep": "无法激活 \"{0}\" 扩展, 因为它依赖于未安装的 \"{1}\" 扩展。是否要安装扩展并重新加载窗口?",
+ "install missing dep": "安装并重新加载",
+ "unknownDep": "无法激活 \"{0}\" 扩展, 因为它依赖于未知的 \"{1}\" 扩展。"
+ },
+ "vs/workbench/api/browser/mainThreadFileSystemEventService": {
+ "files.participants.timeout": "超时(以毫秒为单位)后,将取消创建、重命名和删除的文件参与者。使用\"0\"禁用参与者。"
+ },
+ "vs/workbench/api/browser/mainThreadMessageService": {
+ "extensionSource": "{0} (扩展)",
+ "defaultSource": "扩展",
+ "manageExtension": "管理扩展",
+ "cancel": "取消",
+ "ok": "确定"
+ },
+ "vs/workbench/api/browser/mainThreadProgress": {
+ "manageExtension": "管理扩展"
+ },
+ "vs/workbench/api/browser/mainThreadSaveParticipant": {
+ "timeout.onWillSave": "在 1750ms 后终止了 onWillSaveTextDocument 事件"
+ },
+ "vs/workbench/api/browser/mainThreadWorkspace": {
+ "folderStatusMessageAddSingleFolder": "扩展“{0}”添加了 1 个文件夹到工作区",
+ "folderStatusMessageAddMultipleFolders": "扩展“{0}”添加了 {1} 个文件夹到工作区",
+ "folderStatusMessageRemoveSingleFolder": "扩展“{0}”从工作区删除了 1 个文件夹",
+ "folderStatusMessageRemoveMultipleFolders": "扩展“{0}”从工作区删除了 {1} 个文件夹",
+ "folderStatusChangeFolder": "扩展“{0}”更改了工作区中的文件夹"
+ },
+ "vs/workbench/api/browser/mainThreadComments": {
+ "commentsViewIcon": "查看备注视图的图标。"
+ },
+ "vs/workbench/api/browser/mainThreadTask": {
+ "task.label": "{0}: {1}"
+ },
+ "vs/workbench/api/browser/mainThreadAuthentication": {
+ "noTrustedExtensions": "尚无任何扩展使用此帐户。",
+ "accountLastUsedDate": "上次使用此帐户的时间: {0}",
+ "notUsed": "未使用此帐户",
+ "manageTrustedExtensions": "管理受信任的扩展",
+ "manageExensions": "选择可以访问此帐户的扩展",
+ "signOutConfirm": "注销 {0}",
+ "signOutMessagve": "帐户 {0} 已由以下功能使用: \r\n\r\n{1}\r\n\r\n 是否注销这些功能?",
+ "signOutMessageSimple": "注销 {0}?",
+ "signedOut": "已成功注销。",
+ "useOtherAccount": "登录到其他帐户",
+ "selectAccount": "扩展“{0}”要访问 {1} 帐户",
+ "getSessionPlateholder": "选择一个供“{0}”使用的帐户或按 Esc 取消",
+ "confirmAuthenticationAccess": "扩展“{0}”正在尝试访问 {1} 帐户“{2}”的身份验证信息。",
+ "allow": "允许",
+ "cancel": "取消",
+ "confirmLogin": "扩展\"{0}\"希望使用{1}登录。"
+ },
+ "vs/workbench/common/configuration": {
+ "workbenchConfigurationTitle": "工作台"
+ },
+ "vs/workbench/browser/parts/views/treeView": {
+ "no-dataprovider": "没有可提供视图数据的已注册数据提供程序。",
+ "refresh": "刷新",
+ "collapseAll": "全部折叠",
+ "command-error": "运行命令 {1} 错误: {0}。这可能是由提交 {1} 的扩展引起的。"
+ },
+ "vs/workbench/browser/viewlet": {
+ "compositePart.hideSideBarLabel": "隐藏侧边栏",
+ "views": "视图",
+ "collapse": "全部折叠"
+ },
+ "vs/workbench/browser/parts/views/viewPaneContainer": {
+ "viewPaneContainerExpandedIcon": "已展开的视图窗格容器的图标。",
+ "viewPaneContainerCollapsedIcon": "已折叠的视图窗格容器的图标。",
+ "viewToolbarAriaLabel": "{0}操作",
+ "hideView": "隐藏",
+ "viewMoveUp": "向上移动视图",
+ "viewMoveLeft": "向左移动视图",
+ "viewMoveDown": "向下移动视图",
+ "viewMoveRight": "向右移动视图"
+ },
+ "vs/workbench/browser/parts/editor/editorGroupView": {
+ "ariaLabelGroupActions": "编辑器组操作",
+ "closeGroupAction": "关闭",
+ "emptyEditorGroup": "{0} (空)",
+ "groupLabel": "第 {0} 组",
+ "groupAriaLabel": "编辑器组{0}",
+ "ok": "确定",
+ "cancel": "取消",
+ "editorOpenErrorDialog": "无法打开\"{0}\"",
+ "editorOpenError": "无法打开“{0}”: {1}。"
+ },
+ "vs/workbench/browser/parts/editor/editorDropTarget": {
+ "fileTooLarge": "文件太大,无法以无标题的编辑器形式打开。请先将其上传到文件资源管理器,然后重试。"
+ },
+ "vs/workbench/browser/parts/editor/editor.contribution": {
+ "textEditor": "文本编辑器",
+ "textDiffEditor": "文本差异编辑器",
+ "binaryDiffEditor": "二进制差异编辑器",
+ "sideBySideEditor": "并排编辑器",
+ "editorQuickAccessPlaceholder": "键入要打开的编辑器名称。",
+ "activeGroupEditorsByMostRecentlyUsedQuickAccess": "按最近使用显示活动组中的编辑器",
+ "allEditorsByAppearanceQuickAccess": "按外观显示所有打开的编辑器",
+ "allEditorsByMostRecentlyUsedQuickAccess": "按最近使用显示所有打开的编辑器",
+ "file": "文件",
+ "splitUp": "向上拆分",
+ "splitDown": "向下拆分",
+ "splitLeft": "向左拆分",
+ "splitRight": "向右拆分",
+ "close": "关闭",
+ "closeOthers": "关闭其他",
+ "closeRight": "关闭到右侧",
+ "closeAllSaved": "关闭已保存",
+ "closeAll": "全部关闭",
+ "keepOpen": "保持打开状态",
+ "pin": "固定",
+ "unpin": "取消固定",
+ "toggleInlineView": "切换内联视图",
+ "showOpenedEditors": "显示打开的编辑器",
+ "toggleKeepEditors": "使编辑器保持打开",
+ "splitEditorRight": "向右拆分编辑器",
+ "splitEditorDown": "向下拆分编辑器",
+ "previousChangeIcon": "差异编辑器中上一个更改操作的图标",
+ "nextChangeIcon": "差异编辑器中下一个更改操作的图标",
+ "toggleWhitespace": "差异编辑器中“切换空白”操作的图标",
+ "navigate.prev.label": "上一个更改",
+ "navigate.next.label": "下一个更改",
+ "ignoreTrimWhitespace.label": "忽略前导/尾随空格差异",
+ "showTrimWhitespace.label": "显示前导/尾随空格差异",
+ "keepEditor": "保留编辑器",
+ "pinEditor": "固定编辑器",
+ "unpinEditor": "取消固定编辑器",
+ "closeEditor": "关闭编辑器",
+ "closePinnedEditor": "关闭固定的编辑器",
+ "closeEditorsInGroup": "关闭组中的所有编辑器",
+ "closeSavedEditors": "关闭组中已保存的编辑器",
+ "closeOtherEditors": "关闭组中其他编辑器",
+ "closeRightEditors": "关闭组中右侧编辑器",
+ "closeEditorGroup": "关闭编辑器组",
+ "miReopenClosedEditor": "重新打开已关闭的编辑器(&&R)",
+ "miClearRecentOpen": "清除最近打开记录(&&C)",
+ "miEditorLayout": "编辑器布局(&&L)",
+ "miSplitEditorUp": "向上拆分(&&U)",
+ "miSplitEditorDown": "向下拆分(&&D)",
+ "miSplitEditorLeft": "向左拆分(&&L)",
+ "miSplitEditorRight": "向右拆分(&&R)",
+ "miSingleColumnEditorLayout": "单列(&&S)",
+ "miTwoColumnsEditorLayout": "双列(&&T)",
+ "miThreeColumnsEditorLayout": "三列(&&H)",
+ "miTwoRowsEditorLayout": "双行(&&W)",
+ "miThreeRowsEditorLayout": "三行(&&R)",
+ "miTwoByTwoGridEditorLayout": "2x2 网格(&&G)",
+ "miTwoRowsRightEditorLayout": "右侧双行(&&O)",
+ "miTwoColumnsBottomEditorLayout": "底部双列(&&C)",
+ "miBack": "返回(&&B)",
+ "miForward": "前进(&&F)",
+ "miLastEditLocation": "上次编辑位置(&&L)",
+ "miNextEditor": "下一个编辑器(&&N)",
+ "miPreviousEditor": "上一个编辑器(&&P)",
+ "miNextRecentlyUsedEditor": "下一个使用过的编辑器(&&N)",
+ "miPreviousRecentlyUsedEditor": "上一个使用过的编辑器(&&P)",
+ "miNextEditorInGroup": "组中的下一个编辑器(&&N)",
+ "miPreviousEditorInGroup": "组中的上一个编辑器(&&P)",
+ "miNextUsedEditorInGroup": "组中下一个使用过的编辑器(&&N)",
+ "miPreviousUsedEditorInGroup": "组中上一个使用过的编辑器(&&P)",
+ "miSwitchEditor": "切换编辑器(&&E)",
+ "miFocusFirstGroup": "第 1 组(&&1)",
+ "miFocusSecondGroup": "第 2 组(&&2)",
+ "miFocusThirdGroup": "第 3 组(&&3)",
+ "miFocusFourthGroup": "第 4 组(&&4)",
+ "miFocusFifthGroup": "第 5 组(&&5)",
+ "miNextGroup": "下一个组(&&N)",
+ "miPreviousGroup": "上一个组(&&P)",
+ "miFocusLeftGroup": "左侧组(&&L)",
+ "miFocusRightGroup": "右侧组(&&R)",
+ "miFocusAboveGroup": "上方组(&&A)",
+ "miFocusBelowGroup": "下方组(&&B)",
+ "miSwitchGroup": "切换组(&&G)"
+ },
+ "vs/workbench/browser/parts/activitybar/activitybarActions": {
+ "goHome": "转到主页",
+ "hide": "隐藏",
+ "manageTrustedExtensions": "管理受信任的扩展",
+ "signOut": "注销",
+ "authProviderUnavailable": "{0} 当前不可用",
+ "previousSideBarView": "前侧栏视图",
+ "nextSideBarView": "侧边条形图"
+ },
+ "vs/workbench/browser/parts/compositeBar": {
+ "activityBarAriaLabel": "活动视图切换器"
+ },
+ "vs/workbench/browser/parts/compositeBarActions": {
+ "badgeTitle": "{0} - {1}",
+ "additionalViews": "其他视图",
+ "numberBadge": "{0} ({1})",
+ "manageExtension": "管理扩展",
+ "titleKeybinding": "{0} ({1})",
+ "hide": "隐藏",
+ "keep": "保留",
+ "toggle": "切换已固定的视图"
+ },
+ "vs/workbench/browser/parts/compositePart": {
+ "ariaCompositeToolbarLabel": "{0}操作",
+ "viewsAndMoreActions": "视图和更多操作…",
+ "titleTooltip": "{0} ({1})"
+ },
+ "vs/workbench/browser/parts/panel/panelActions": {
+ "maximizeIcon": "用于最大化面板的图标。",
+ "restoreIcon": "用于还原面板的图标。",
+ "closeIcon": "用于关闭面板的图标。",
+ "closePanel": "关闭面板",
+ "togglePanel": "切换面板",
+ "focusPanel": "聚焦到面板中",
+ "toggleMaximizedPanel": "切换最大化面板",
+ "maximizePanel": "最大化面板大小",
+ "minimizePanel": "恢复面板大小",
+ "positionPanelLeft": "将面板移至左侧",
+ "positionPanelRight": "将面板移至右侧",
+ "positionPanelBottom": "将面板移至底部",
+ "previousPanelView": "上一个面板视图",
+ "nextPanelView": "下一个面板视图",
+ "miShowPanel": "显示面板(&&P)"
+ },
+ "vs/workbench/common/editor/diffEditorInput": {
+ "sideBySideLabels": "{0} ↔ {1}"
+ },
+ "vs/workbench/browser/parts/editor/editorWidgets": {
+ "openWorkspace": "打开工作区"
+ },
+ "vs/workbench/browser/parts/editor/editorCommands": {
+ "editorCommand.activeEditorMove.description": "按标签或按组移动活动编辑器",
+ "editorCommand.activeEditorMove.arg.name": "活动编辑器移动参数",
+ "editorCommand.activeEditorMove.arg.description": "参数属性:\r\n\t* \"to\": 表示移动目的地的字符串值。\r\n\t* \"by\": 表示移动单位的字符串值(按选项卡或按组)。\r\n\t* \"value\": 表示移动的位置数或移动的绝对位置的数值。",
+ "toggleInlineView": "切换内联视图",
+ "compare": "比较",
+ "enablePreview": "已在设置中启用预览编辑器。",
+ "disablePreview": "已在设置中禁用预览编辑器。",
+ "learnMode": "了解详细信息"
+ },
+ "vs/workbench/browser/parts/editor/textResourceEditor": {
+ "textEditor": "文本编辑器"
+ },
+ "vs/workbench/browser/parts/titlebar/titlebarPart": {
+ "patchedWindowTitle": "[不受支持]",
+ "userIsAdmin": "[管理员]",
+ "userIsSudo": "[超级用户]",
+ "devExtensionWindowTitlePrefix": "[扩展开发宿主]"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsList": {
+ "notificationAriaLabel": "{0},通知",
+ "notificationWithSourceAriaLabel": "{0},源: {1},通知",
+ "notificationsList": "通知列表"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsActions": {
+ "clearIcon": "通知中“清除”操作的图标。",
+ "clearAllIcon": "通知中“全部清除”操作的图标。",
+ "hideIcon": "通知中“隐藏”操作的图标。",
+ "expandIcon": "通知中“展开”操作的图标。",
+ "collapseIcon": "通知中“折叠”操作的图标。",
+ "configureIcon": "通知中“配置”操作的图标。",
+ "clearNotification": "清除通知",
+ "clearNotifications": "清除所有通知",
+ "hideNotificationsCenter": "隐藏通知",
+ "expandNotification": "展开通知",
+ "collapseNotification": "折叠通知",
+ "configureNotification": "配置通知",
+ "copyNotification": "复制文本"
+ },
+ "vs/workbench/api/common/extHostDiagnostics": {
+ "limitHit": "未显示 {0} 个进一步的错误和警告。"
+ },
+ "vs/workbench/api/common/extHostProgress": {
+ "extensionSource": "{0} (扩展)"
+ },
+ "vs/workbench/api/common/extHostStatusBar": {
+ "status.extensionMessage": "扩展状态"
+ },
+ "vs/workbench/api/common/extHostTreeViews": {
+ "treeView.notRegistered": "未注册 ID 为 \"{0}\" 的树状视图。",
+ "treeView.duplicateElement": "ID 为 {0} 的元素已被注册"
+ },
+ "vs/workbench/browser/parts/editor/textEditor": {
+ "editor": "编辑器"
+ },
+ "vs/workbench/api/browser/mainThreadCustomEditors": {
+ "defaultEditLabel": "编辑"
+ },
+ "vs/workbench/api/browser/mainThreadWebviews": {
+ "errorMessage": "还原视图时出错: {0}"
+ },
+ "vs/workbench/browser/parts/editor/tabsTitleControl": {
+ "ariaLabelTabActions": "选项卡操作"
+ },
+ "vs/workbench/browser/parts/editor/textDiffEditor": {
+ "textDiffEditor": "文本差异编辑器"
+ },
+ "vs/workbench/browser/parts/editor/binaryDiffEditor": {
+ "metadataDiff": "{0} ↔ {1}"
+ },
+ "vs/workbench/browser/parts/editor/editorStatus": {
+ "singleSelectionRange": "行 {0},列 {1} (已选择{2})",
+ "singleSelection": "行 {0},列 {1}",
+ "multiSelectionRange": "{0} 选择(已选择 {1} 个字符)",
+ "multiSelection": "{0} 选择",
+ "endOfLineLineFeed": "LF",
+ "endOfLineCarriageReturnLineFeed": "CRLF",
+ "screenReaderDetectedExplanation.question": "你正在使用屏幕阅读器来操作 VS Code? (使用屏幕阅读器时,会禁用自动换行功能)",
+ "screenReaderDetectedExplanation.answerYes": "是",
+ "screenReaderDetectedExplanation.answerNo": "否",
+ "noEditor": "当前没有活动的文本编辑器",
+ "noWritableCodeEditor": "活动代码编辑器为只读模式。",
+ "indentConvert": "转换文件",
+ "indentView": "更改视图",
+ "pickAction": "选择操作",
+ "tabFocusModeEnabled": "按 Tab 移动焦点",
+ "disableTabMode": "禁用辅助功能模式",
+ "status.editor.tabFocusMode": "辅助功能模式",
+ "columnSelectionModeEnabled": "列选择",
+ "disableColumnSelectionMode": "禁用列选择模式",
+ "status.editor.columnSelectionMode": "列选择模式",
+ "screenReaderDetected": "已为屏幕阅读器优化",
+ "status.editor.screenReaderMode": "屏幕阅读器模式",
+ "gotoLine": "转到行/列",
+ "status.editor.selection": "编辑器选择",
+ "selectIndentation": "选择缩进",
+ "status.editor.indentation": "编辑器缩进",
+ "selectEncoding": "选择编码",
+ "status.editor.encoding": "编辑器编码",
+ "selectEOL": "选择行尾序列",
+ "status.editor.eol": "编辑器结束行",
+ "selectLanguageMode": "选择语言模式",
+ "status.editor.mode": "编辑器语言",
+ "fileInfo": "文件信息",
+ "status.editor.info": "文件信息",
+ "spacesSize": "空格: {0}",
+ "tabSize": "制表符长度: {0}",
+ "currentProblem": "当前问题",
+ "showLanguageExtensions": "搜索“{0}”的应用市场扩展程序...",
+ "changeMode": "更改语言模式",
+ "languageDescription": "({0}) - 已配置的语言",
+ "languageDescriptionConfigured": "({0})",
+ "languagesPicks": "语言(标识符)",
+ "configureModeSettings": "配置“{0}”语言基础设置...",
+ "configureAssociationsExt": "“{0}”的配置文件关联...",
+ "autoDetect": "自动检测",
+ "pickLanguage": "选择语言模式",
+ "currentAssociation": "当前关联",
+ "pickLanguageToConfigure": "选择要与“{0}”关联的语言模式",
+ "changeEndOfLine": "更改行尾序列",
+ "pickEndOfLine": "选择行尾序列",
+ "changeEncoding": "更改文件编码",
+ "noFileEditor": "此时无活动文件",
+ "saveWithEncoding": "通过编码保存",
+ "reopenWithEncoding": "通过编码重新打开",
+ "guessedEncoding": "通过内容猜测",
+ "pickEncodingForReopen": "选择文件编码以重新打开文件",
+ "pickEncodingForSave": "选择用于保存的文件编码"
+ },
+ "vs/workbench/browser/parts/editor/editorActions": {
+ "splitEditor": "拆分编辑器",
+ "splitEditorOrthogonal": "正交拆分编辑器",
+ "splitEditorGroupLeft": "向左拆分编辑器",
+ "splitEditorGroupRight": "向右拆分编辑器",
+ "splitEditorGroupUp": "向上拆分编辑器",
+ "splitEditorGroupDown": "向下拆分编辑器",
+ "joinTwoGroups": "将编辑器组与下一组合并",
+ "joinAllGroups": "合并所有编辑器组",
+ "navigateEditorGroups": "在编辑器组间进行导航",
+ "focusActiveEditorGroup": "聚焦到活动编辑器组",
+ "focusFirstEditorGroup": "聚焦于第一个编辑器组",
+ "focusLastEditorGroup": "聚焦到最终组编辑器",
+ "focusNextGroup": "聚焦到下一组编辑器",
+ "focusPreviousGroup": "聚焦到上一组编辑器",
+ "focusLeftGroup": "聚焦到左侧编辑器组",
+ "focusRightGroup": "聚焦到右侧编辑器组",
+ "focusAboveGroup": "聚焦到上方编辑器组",
+ "focusBelowGroup": "聚焦到下方编辑器组",
+ "closeEditor": "关闭编辑器",
+ "unpinEditor": "取消固定编辑器",
+ "closeOneEditor": "关闭",
+ "revertAndCloseActiveEditor": "还原并关闭编辑器",
+ "closeEditorsToTheLeft": "关闭组中左侧编辑器",
+ "closeAllEditors": "关闭所有编辑器",
+ "closeAllGroups": "关闭所有编辑器组",
+ "closeEditorsInOtherGroups": "关闭其他组中的编辑器",
+ "closeEditorInAllGroups": "在所有组中关闭此编辑器",
+ "moveActiveGroupLeft": "向左移动编辑器组",
+ "moveActiveGroupRight": "向右移动编辑器组",
+ "moveActiveGroupUp": "向上移动编辑器组",
+ "moveActiveGroupDown": "向下移动编辑器组",
+ "minimizeOtherEditorGroups": "最大化编辑器组",
+ "evenEditorGroups": "重置编辑器组大小",
+ "toggleEditorWidths": "切换编辑器组大小",
+ "maximizeEditor": "最大化编辑器组并隐藏侧边栏",
+ "openNextEditor": "打开下一个编辑器",
+ "openPreviousEditor": "打开上一个编辑器",
+ "nextEditorInGroup": "打开组中的下一个编辑器",
+ "openPreviousEditorInGroup": "打开组中上一个编辑器",
+ "firstEditorInGroup": "打开组中的第一个编辑器",
+ "lastEditorInGroup": "打开组中上一个编辑器",
+ "navigateNext": "前进",
+ "navigatePrevious": "后退",
+ "navigateToLastEditLocation": "转到上一编辑位置",
+ "navigateLast": "转到最后",
+ "reopenClosedEditor": "重新打开已关闭的编辑器",
+ "clearRecentFiles": "清除最近打开",
+ "showEditorsInActiveGroup": "按最近使用显示活动组中的编辑器",
+ "showAllEditors": "按外观显示所有编辑器",
+ "showAllEditorsByMostRecentlyUsed": "按最近使用显示所有编辑器",
+ "quickOpenPreviousRecentlyUsedEditor": "快速打开上一个最近使用过的编辑器",
+ "quickOpenLeastRecentlyUsedEditor": "快速打开最近使用频率最低的编辑器",
+ "quickOpenPreviousRecentlyUsedEditorInGroup": "快速打开组中上一个最近使用过的编辑器",
+ "quickOpenLeastRecentlyUsedEditorInGroup": "快速打开组中最近使用频率最低的编辑器",
+ "navigateEditorHistoryByInput": "从历史记录中快速打开上一个编辑器",
+ "openNextRecentlyUsedEditor": "打开下一个最近使用的编辑器",
+ "openPreviousRecentlyUsedEditor": "打开上一个最近使用的编辑器",
+ "openNextRecentlyUsedEditorInGroup": "打开组中下一个最近使用的编辑器",
+ "openPreviousRecentlyUsedEditorInGroup": "打开组中上一个最近使用的编辑器",
+ "clearEditorHistory": "清除编辑器历史记录",
+ "moveEditorLeft": "向左移动编辑器",
+ "moveEditorRight": "向右移动编辑器",
+ "moveEditorToPreviousGroup": "将编辑器移动到上一组",
+ "moveEditorToNextGroup": "将编辑器移动到下一组",
+ "moveEditorToAboveGroup": "将编辑器移动到上方组",
+ "moveEditorToBelowGroup": "将编辑器移动到下方组",
+ "moveEditorToLeftGroup": "将编辑器移动到左侧组",
+ "moveEditorToRightGroup": "将编辑器移动到右侧组",
+ "moveEditorToFirstGroup": "将编辑器移动到第一组",
+ "moveEditorToLastGroup": "将编辑器移动到最后一组",
+ "editorLayoutSingle": "单列编辑器布局",
+ "editorLayoutTwoColumns": "双列编辑器布局",
+ "editorLayoutThreeColumns": "三列编辑器布局",
+ "editorLayoutTwoRows": "双行编辑器布局",
+ "editorLayoutThreeRows": "三行编辑器布局",
+ "editorLayoutTwoByTwoGrid": "2x2 网格编辑器布局",
+ "editorLayoutTwoColumnsBottom": "底部双列编辑器布局",
+ "editorLayoutTwoRowsRight": "右侧双行编辑器布局",
+ "newEditorLeft": "在左侧新建编辑器组",
+ "newEditorRight": "在右侧新建编辑器组",
+ "newEditorAbove": "在上方新建编辑器组",
+ "newEditorBelow": "在下方新建编辑器组",
+ "workbench.action.reopenWithEditor": "重新打开编辑器的方式…",
+ "workbench.action.toggleEditorType": "切换编辑器类型"
+ },
+ "vs/workbench/browser/parts/editor/editorQuickAccess": {
+ "noViewResults": "没有匹配的编辑器",
+ "entryAriaLabelWithGroupDirty": "{0},存在更新,{1}",
+ "entryAriaLabelWithGroup": "{0}, {1}",
+ "entryAriaLabelDirty": "{0},存在更新",
+ "closeEditor": "关闭编辑器"
+ },
+ "vs/workbench/browser/parts/editor/binaryEditor": {
+ "binaryEditor": "二进制查看器",
+ "nativeFileTooLargeError": "文件太大,无法在编辑器中显示 ({0})。",
+ "nativeBinaryError": "此文件是二进制文件或使用了不支持的文本编码,无法在编辑器中显示。",
+ "openAsText": "是否仍要打开?"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsViewer": {
+ "executeCommand": "单击以执行命令 \"{0}\"",
+ "notificationActions": "通知操作",
+ "notificationSource": "来源: {0}"
+ },
+ "vs/workbench/browser/parts/editor/titleControl": {
+ "ariaLabelEditorActions": "编辑器操作",
+ "draggedEditorGroup": "{0} (+{1})"
+ },
+ "vs/workbench/browser/parts/editor/breadcrumbsControl": {
+ "cmd.toggle": "切换导航路径",
+ "miShowBreadcrumbs": "显示导航痕迹(&&B)",
+ "cmd.focus": "聚焦到“导航路径”视图"
+ },
+ "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": "启用后,痕迹导航栏将显示 \"null\" 符号。",
+ "filteredTypes.enumMember": "启用后,痕迹导航栏将显示 \"enumMember\" 符号。",
+ "filteredTypes.struct": "启用后,痕迹导航栏将显示“结构”符号。",
+ "filteredTypes.event": "启用后,痕迹导航栏将显示“事件”符号。",
+ "filteredTypes.operator": "启用后,痕迹导航栏将显示“运算符”符号。",
+ "filteredTypes.typeParameter": "启用后,痕迹导航栏将显示 \"typeParameter\" 符号。"
+ },
+ "vs/workbench/browser/parts/editor/breadcrumbsPicker": {
+ "breadcrumbs": "痕迹导航"
+ },
+ "vs/workbench/contrib/backup/electron-sandbox/backupTracker": {
+ "backupTrackerBackupFailed": "一个或多个未保存的编辑器无法保存到备份位置。",
+ "backupTrackerConfirmFailed": "无法保存或还原一个或多个未保存的编辑器。",
+ "ok": "确定",
+ "backupErrorDetails": "请尝试先保存或还原未保存的编辑器,然后重试。"
+ },
+ "vs/workbench/contrib/bulkEdit/browser/bulkEditService": {
+ "summary.0": "未做编辑",
+ "summary.nm": "在 {1} 个文件中进行了 {0} 次编辑",
+ "summary.n0": "在 1 个文件中进行了 {0} 次编辑",
+ "workspaceEdit": "工作区编辑",
+ "nothing": "未做编辑"
+ },
+ "vs/workbench/contrib/bulkEdit/browser/preview/bulkEdit.contribution": {
+ "overlap": "正在预览另一个重构。",
+ "cancel": "取消",
+ "continue": "继续",
+ "detail": "按\"继续\"放弃以前的重构,继续当前重构。",
+ "apply": "应用重构",
+ "cat": "重构预览",
+ "Discard": "放弃重构",
+ "toogleSelection": "切换更改",
+ "groupByFile": "按文件分组更改",
+ "groupByType": "按类型分组更改",
+ "refactorPreviewViewIcon": "查看重构预览视图的图标。",
+ "panel": "重构预览"
+ },
+ "vs/workbench/contrib/bulkEdit/browser/preview/bulkEditPane": {
+ "empty.msg": "调用代码操作(如重命名操作),在此处查看其更改的预览。",
+ "conflict.1": "无法应用重构,因为“{0}”在此期间进行了修改。",
+ "conflict.N": "无法应用重构,因为其他 {0} 个文件在此期间进行了修改。",
+ "edt.title.del": "{0}(删除、重构预览)",
+ "rename": "重命名",
+ "create": "创建",
+ "edt.title.2": "{0}({1}、重构预览)",
+ "edt.title.1": "{0}(重构预览)"
+ },
+ "vs/workbench/contrib/bulkEdit/browser/preview/bulkEditPreview": {
+ "default": "其他"
+ },
+ "vs/workbench/contrib/bulkEdit/browser/preview/bulkEditTree": {
+ "bulkEdit": "批量编辑",
+ "aria.renameAndEdit": "将{0}重命名为{1},同时进行文本编辑",
+ "aria.createAndEdit": "创建{0},同时进行文本编辑",
+ "aria.deleteAndEdit": "正在删除 {0},同时进行文本编辑",
+ "aria.editOnly": "{0},进行文本编辑",
+ "aria.rename": "将 {0} 重命名为 {1}",
+ "aria.create": "创建{0}",
+ "aria.delete": "删除 {0}",
+ "aria.replace": "行{0},用{2}替换{1}",
+ "aria.del": "行 {0},正在删除 {1}",
+ "aria.insert": "行{0},插入{1}",
+ "rename.label": "{0} → {1}",
+ "detail.rename": "(重命名)",
+ "detail.create": "(正在创建)",
+ "detail.del": "(删除)",
+ "title": "{0} - {1}"
+ },
+ "vs/workbench/contrib/callHierarchy/browser/callHierarchy.contribution": {
+ "no.item": "无结果",
+ "error": "未能显示调用层次结构",
+ "title": "速览调用层次结构",
+ "title.incoming": "显示来电",
+ "showIncomingCallsIcons": "“调用层次结构”视图中传入调用的图标。",
+ "title.outgoing": "显示去电",
+ "showOutgoingCallsIcon": "“调用层次结构”视图中传出调用的图标。",
+ "title.refocus": "重新聚焦调用层次结构",
+ "close": "关闭"
+ },
+ "vs/workbench/contrib/callHierarchy/browser/callHierarchyPeek": {
+ "callFrom": "来自\"{0}\"的调用",
+ "callsTo": "\"{0}\"的调用方",
+ "title.loading": "正在加载...",
+ "empt.callsFrom": "没有来自 \"{0}\" 的调用",
+ "empt.callsTo": "没有\"{0}\"的调用方"
+ },
+ "vs/workbench/contrib/callHierarchy/browser/callHierarchyTree": {
+ "tree.aria": "调用层次结构",
+ "from": "来自 {0} 的调用",
+ "to": "{0} 的调用方"
+ },
+ "vs/workbench/contrib/cli/node/cli.contribution": {
+ "shellCommand": "Shell 命令",
+ "install": "在 PATH 中安装“{0}”命令",
+ "not available": "此命令不可用",
+ "ok": "确定",
+ "cancel2": "取消",
+ "warnEscalation": "代码将通过 \"osascript\" 提示需要管理员权限才可安装 shell 命令。",
+ "cantCreateBinFolder": "无法创建 \"/usr/local/bin\"。",
+ "aborted": "已中止",
+ "successIn": "已成功在 PATH 中安装了 Shell 命令“{0}”。",
+ "uninstall": "从 PATH 中卸载“{0}”命令",
+ "warnEscalationUninstall": "Code 将使用 \"osascript\" 来提示获取管理员权限,从而卸载 Shell 命令。",
+ "cantUninstall": "无法卸载 Shell 命令“{0}”。",
+ "successFrom": "已成功从 PATH 卸载 Shell 命令“{0}”。"
+ },
+ "vs/workbench/contrib/codeActions/common/codeActionsContribution": {
+ "codeActionsOnSave.fixAll": "控制是否应在文件保存时运行自动修复操作。",
+ "codeActionsOnSave": "在保存时运行的代码操作类型。",
+ "codeActionsOnSave.generic": "控制是否应在文件保存时运行\"{0}\"操作。"
+ },
+ "vs/workbench/contrib/codeActions/common/codeActionsExtensionPoint": {
+ "contributes.codeActions": "配置资源要使用的编辑器。",
+ "contributes.codeActions.languages": "启用代码操作的语言模式。",
+ "contributes.codeActions.kind": "贡献代码操作的\"代码操作种类\"。",
+ "contributes.codeActions.title": "UI 中使用的代码操作的标签。",
+ "contributes.codeActions.description": "代码操作的说明。"
+ },
+ "vs/workbench/contrib/codeActions/common/documentationExtensionPoint": {
+ "contributes.documentation": "贡献的文档。",
+ "contributes.documentation.refactorings": "为重构提供了文档。",
+ "contributes.documentation.refactoring": "为重构提供了文档。",
+ "contributes.documentation.refactoring.title": "UI 中使用的文档的标签。",
+ "contributes.documentation.refactoring.when": "当子句。",
+ "contributes.documentation.refactoring.command": "命令已执行。"
+ },
+ "vs/workbench/contrib/codeEditor/electron-browser/startDebugTextMate": {
+ "startDebugTextMate": "启动文本配对语法语法日志记录"
+ },
+ "vs/workbench/contrib/codeEditor/electron-sandbox/selectionClipboard": {
+ "actions.pasteSelectionClipboard": "粘贴选择剪贴板"
+ },
+ "vs/workbench/contrib/codeEditor/browser/languageConfigurationExtensionPoint": {
+ "parseErrors": "错误分析 {0}: {1}",
+ "formatError": "{0}: 格式无效,应为 JSON 对象。",
+ "schema.openBracket": "左方括号字符或字符串序列。",
+ "schema.closeBracket": "右方括号字符或字符串序列。",
+ "schema.comments": "定义注释符号",
+ "schema.blockComments": "定义块注释的标记方式。",
+ "schema.blockComment.begin": "作为块注释开头的字符序列。",
+ "schema.blockComment.end": "作为块注释结尾的字符序列。",
+ "schema.lineComment": "作为行注释开头的字符序列。",
+ "schema.brackets": "定义增加和减少缩进的括号。",
+ "schema.autoClosingPairs": "定义括号对。当输入左方括号时,将自动插入右方括号。",
+ "schema.autoClosingPairs.notIn": "定义禁用了自动配对的作用域列表。",
+ "schema.autoCloseBefore": "在自动闭合设置为 \"languageDefined\" 时,定义使括号或引号自动闭合的光标后面的字符。通常是不会成为表达式开头的一组字符。",
+ "schema.surroundingPairs": "定义可用于包围所选字符串的括号对。",
+ "schema.wordPattern": "定义一下在编程语言里什么东西会被当做是一个单词。",
+ "schema.wordPattern.pattern": "用于匹配文本的正则表达式模式。",
+ "schema.wordPattern.flags": "用于匹配文本的正则表达式标志。",
+ "schema.wordPattern.flags.errorMessage": "必须匹配模式“/^([gimuy]+)$/”。",
+ "schema.indentationRules": "语言的缩进设置。",
+ "schema.indentationRules.increaseIndentPattern": "如果一行文本匹配此模式,则之后所有内容都应被缩进一次(直到匹配其他规则)。",
+ "schema.indentationRules.increaseIndentPattern.pattern": "increaseIndentPattern 的正则表达式模式。",
+ "schema.indentationRules.increaseIndentPattern.flags": "increaseIndentPattern 的正则表达式标志。",
+ "schema.indentationRules.increaseIndentPattern.errorMessage": "必须匹配模式“/^([gimuy]+)$/”。",
+ "schema.indentationRules.decreaseIndentPattern": "如果某行文本匹配此模式,则其后所有行都应被取消缩进一次 (直到匹配其他规则)。",
+ "schema.indentationRules.decreaseIndentPattern.pattern": "decreaseIndentPattern 的正则表达式模式。",
+ "schema.indentationRules.decreaseIndentPattern.flags": "decreaseIndentPattern 的正则表达式标志。",
+ "schema.indentationRules.decreaseIndentPattern.errorMessage": "必须匹配模式“/^([gimuy]+)$/”。",
+ "schema.indentationRules.indentNextLinePattern": "如果某一行匹配此模式,那么仅此行之后的**下一行**应缩进一次。",
+ "schema.indentationRules.indentNextLinePattern.pattern": "indentNextLinePattern 的正则表达式模式。",
+ "schema.indentationRules.indentNextLinePattern.flags": "indentNextLinePattern 的正则表达式标志。",
+ "schema.indentationRules.indentNextLinePattern.errorMessage": "必须匹配模式“/^([gimuy]+)$/”。",
+ "schema.indentationRules.unIndentedLinePattern": "如果某一行匹配此模式,那么不应更改此行的缩进,且不应针对其他规则对其进行计算。",
+ "schema.indentationRules.unIndentedLinePattern.pattern": "unIndentedLinePattern 的正则表达式模式。",
+ "schema.indentationRules.unIndentedLinePattern.flags": "unIndentedLinePattern 的正则表达式标志。",
+ "schema.indentationRules.unIndentedLinePattern.errorMessage": "必须匹配模式“/^([gimuy]+)$/”。",
+ "schema.folding": "此语言的折叠设置。",
+ "schema.folding.offSide": "若一种语言使用缩进表示其代码块,它将遵循越位规则 (off-side rule)。若设置此项,空白行将属于其之后的代码块。",
+ "schema.folding.markers": "语言特定的折叠标记。例如,\"#region\" 与 \"#endregion\"。开始与结束标记的正则表达式需设计得效率高,因其将对每一行的内容进行测试。",
+ "schema.folding.markers.start": "开始标记的正则表达式模式。其应以 \"^\" 开始。",
+ "schema.folding.markers.end": "结束标记的正则表达式模式。其应以 \"^\" 开始。"
+ },
+ "vs/workbench/contrib/codeEditor/browser/quickaccess/gotoSymbolQuickAccess": {
+ "empty": "无匹配项",
+ "gotoSymbolQuickAccessPlaceholder": "键入要转到的符号的名称。",
+ "gotoSymbolQuickAccess": "转到编辑器中的符号",
+ "gotoSymbolByCategoryQuickAccess": "按类别转到编辑器中的符号",
+ "gotoSymbol": "转到编辑器中的符号..."
+ },
+ "vs/workbench/contrib/codeEditor/browser/accessibility/accessibility": {
+ "emergencyConfOn": "现在将设置 \"editor.accessibilitySupport\" 更改为 \"on\"。",
+ "openingDocs": "正在打开 VS Code 辅助功能文档页面。",
+ "introMsg": "感谢试用 VS Code 的辅助功能选项。",
+ "status": "状态:",
+ "changeConfigToOnMac": "要配置编辑器对屏幕阅读器进行永久优化,请按 Command+E。",
+ "changeConfigToOnWinLinux": "要配置编辑器对屏幕阅读器进行永久优化,请按 Ctrl+E。",
+ "auto_unknown": "编辑器被配置为使用平台 API 以检测是否附加了屏幕阅读器,但当前运行时不支持此功能。",
+ "auto_on": "编辑器自动检测到已附加屏幕阅读器。",
+ "auto_off": "编辑器被配置为自动检测是否附加了屏幕阅读器,当前未检测到。",
+ "configuredOn": "已配置编辑器对屏幕阅读器进行永久优化 — 您可以更改 \"editor.accessibilitySupport\" 设置进行调整。",
+ "configuredOff": "编辑器被配置为不对屏幕阅读器的使用进行优化。",
+ "tabFocusModeOnMsg": "在当前编辑器中按 Tab 会将焦点移动到下一个可聚焦的元素。通过按 {0} 切换此行为。",
+ "tabFocusModeOnMsgNoKb": "在当前编辑器中按 Tab 会将焦点移动到下一个可聚焦的元素。当前无法通过按键绑定触发命令 {0}。",
+ "tabFocusModeOffMsg": "在当前编辑器中按 Tab 将插入制表符。通过按 {0} 切换此行为。",
+ "tabFocusModeOffMsgNoKb": "在当前编辑器中按 Tab 会插入制表符。当前无法通过键绑定触发命令 {0}。",
+ "openDocMac": "按 Command+H 以打开浏览器窗口,其中包含更多有关 VS Code 辅助功能的信息。",
+ "openDocWinLinux": "按 Ctrl+H 以打开浏览器窗口,其中包含更多有关 VS Code 辅助功能的信息。",
+ "outroMsg": "你可以按 Esc 或 Shift+Esc 消除此工具提示并返回到编辑器。",
+ "ShowAccessibilityHelpAction": "显示辅助功能帮助"
+ },
+ "vs/workbench/contrib/codeEditor/browser/diffEditorHelper": {
+ "hintTimeout": "差异算法已提前停止(在 {0} ms 之后)",
+ "removeTimeout": "删除限制",
+ "hintWhitespace": "显示空白差异"
+ },
+ "vs/workbench/contrib/codeEditor/browser/inspectKeybindings": {
+ "workbench.action.inspectKeyMap": "开发人员: 检查按键映射",
+ "workbench.action.inspectKeyMapJSON": "检查按键映射(JSON)"
+ },
+ "vs/workbench/contrib/codeEditor/browser/largeFileOptimizations": {
+ "largeFile": "{0}: 为减少内存使用并避免卡顿或崩溃,我们已关闭对此大型文件内容的标记、折行和折叠。",
+ "removeOptimizations": "强制启用功能",
+ "reopenFilePrompt": "请重新打开文件以使此设置生效。"
+ },
+ "vs/workbench/contrib/codeEditor/browser/inspectEditorTokens/inspectEditorTokens": {
+ "inspectEditorTokens": "开发人员: 检查编辑器标记和作用域",
+ "inspectTMScopesWidget.loading": "正在加载..."
+ },
+ "vs/workbench/contrib/codeEditor/browser/quickaccess/gotoLineQuickAccess": {
+ "gotoLineQuickAccessPlaceholder": "键入要转到的行号和可选列(例如,42:5表示第 42 行和第 5 列)。",
+ "gotoLineQuickAccess": "转到行/列",
+ "gotoLine": "转到行/列..."
+ },
+ "vs/workbench/contrib/codeEditor/browser/saveParticipants": {
+ "formatting": "正在运行“{0}”格式化程序([配置](command:workbench.action.openSettings?%5B%22editor.formatOnSave%22%5D))。",
+ "codeaction": "快速修复",
+ "codeaction.get": "正在从“{0}”获取代码操作([配置](command:workbench.action.openSettings?%5B%22editor.codeActionsOnSave%22%5D))。",
+ "codeAction.apply": "正在应用代码操作“{0}”。"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleColumnSelection": {
+ "toggleColumnSelection": "切换列选择模式",
+ "miColumnSelection": "列选择模式(&&S)"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleMinimap": {
+ "toggleMinimap": "切换到迷你地图",
+ "miShowMinimap": "显示缩略图(&&M)"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleMultiCursorModifier": {
+ "toggleLocation": "切换多行修改键",
+ "miMultiCursorAlt": "切换为“Alt+单击”进行多光标功能",
+ "miMultiCursorCmd": "切换为“Cmd+单击”进行多光标功能",
+ "miMultiCursorCtrl": "切换为“Ctrl+单击”进行多光标功能"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleRenderControlCharacter": {
+ "toggleRenderControlCharacters": "切换控制字符",
+ "miToggleRenderControlCharacters": "呈现控制字符(&&C)"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleRenderWhitespace": {
+ "toggleRenderWhitespace": "切换呈现空格",
+ "miToggleRenderWhitespace": "呈现空格(&&R)"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleWordWrap": {
+ "toggle.wordwrap": "查看: 切换自动换行",
+ "unwrapMinified": "在此文件禁用折行",
+ "wrapMinified": "在此文件启用折行",
+ "miToggleWordWrap": "切换自动换行(&&W)"
+ },
+ "vs/workbench/contrib/codeEditor/browser/find/simpleFindWidget": {
+ "label.find": "查找",
+ "placeholder.find": "查找",
+ "label.previousMatchButton": "上一个匹配项",
+ "label.nextMatchButton": "下一个匹配项",
+ "label.closeButton": "关闭"
+ },
+ "vs/workbench/contrib/codeEditor/browser/find/simpleFindReplaceWidget": {
+ "label.find": "查找",
+ "placeholder.find": "查找",
+ "label.previousMatchButton": "上一个匹配项",
+ "label.nextMatchButton": "下一个匹配项",
+ "label.closeButton": "关闭",
+ "label.toggleReplaceButton": "切换替换模式",
+ "label.replace": "替换",
+ "placeholder.replace": "替换",
+ "label.replaceButton": "替换",
+ "label.replaceAllButton": "全部替换"
+ },
+ "vs/workbench/contrib/comments/browser/comments.contribution": {
+ "commentsConfigurationTitle": "评论",
+ "openComments": "控制评论面板应何时打开。"
+ },
+ "vs/workbench/contrib/comments/browser/commentsEditorContribution": {
+ "pickCommentService": "选择 \"注释提供程序\"",
+ "nextCommentThreadAction": "转到下一条评论串"
+ },
+ "vs/workbench/contrib/comments/browser/commentsView": {
+ "collapseAll": "全部折叠",
+ "rootCommentsLabel": "当前工作区的注释",
+ "resourceWithCommentThreadsLabel": "{0} 中的注释,完整路径: {1}",
+ "resourceWithCommentLabel": "{3} 中第 {1} 行第 {2} 列中来自 ${0} 的注释,源: {4}"
+ },
+ "vs/workbench/contrib/comments/browser/commentsTreeViewer": {
+ "imageWithLabel": "图片: {0}",
+ "image": "图片"
+ },
+ "vs/workbench/contrib/comments/browser/commentGlyphWidget": {
+ "editorGutterCommentRangeForeground": "编辑器导航线中表示评论范围的颜色。"
+ },
+ "vs/workbench/contrib/comments/browser/commentThreadWidget": {
+ "collapseIcon": "用于折叠审阅注释的图标。",
+ "label.collapse": "折叠",
+ "startThread": "开始讨论",
+ "reply": "回复...",
+ "newComment": "键入新注释"
+ },
+ "vs/workbench/contrib/comments/common/commentModel": {
+ "noComments": "此工作区中尚无注释。"
+ },
+ "vs/workbench/contrib/comments/browser/commentNode": {
+ "commentToggleReaction": "切换反应",
+ "commentToggleReactionError": "切换注释反应失败: {0}。",
+ "commentToggleReactionDefaultError": "切换注释反应失败",
+ "commentDeleteReactionError": "未能删除评论回应: {0}。",
+ "commentDeleteReactionDefaultError": "未能删除评论回应",
+ "commentAddReactionError": "未能删除评论回应: {0}。",
+ "commentAddReactionDefaultError": "未能删除评论回应"
+ },
+ "vs/workbench/contrib/comments/browser/reactionsAction": {
+ "pickReactions": "选取反应..."
+ },
+ "vs/workbench/contrib/customEditor/browser/customEditors": {
+ "openWithCurrentlyActive": "当前处于活动状态",
+ "promptOpenWith.setDefaultTooltip": "设置为“{0}”文件的默认编辑器",
+ "promptOpenWith.placeHolder": "选择要用于“{0}”的编辑器..."
+ },
+ "vs/workbench/contrib/customEditor/common/contributedCustomEditors": {
+ "builtinProviderDisplayName": "内置",
+ "promptOpenWith.defaultEditor.displayName": "文本编辑器"
+ },
+ "vs/workbench/contrib/customEditor/common/extensionPoint": {
+ "contributes.customEditors": "提供的自定义编辑器。",
+ "contributes.viewType": "自定义编辑器的标识符。它在所有自定义编辑器中都必须是唯一的,因此建议将扩展 ID 作为 \"viewType\" 的一部分包括在内。在使用 \"vscode.registerCustomEditorProvider\" 和在 \"onCustomEditor:${id}\" [激活事件](https://code.visualstudio.com/api/references/activation-events)中注册自定义编辑器时,使用 \"viewType\"。",
+ "contributes.displayName": "自定义编辑器的用户可读名称。当选择要使用的编辑器时,向用户显示此名称。",
+ "contributes.selector": "为其启用了自定义编辑器的一组 glob。",
+ "contributes.selector.filenamePattern": "为其启用了自定义编辑器的 glob。",
+ "contributes.priority": "控制在用户打开文件时是否自动启用自定义编辑器。用户可能会使用 \"workbench.editorAssociations\" 设置覆盖此项。",
+ "contributes.priority.default": "在用户打开资源时自动使用此编辑器,前提是没有为该资源注册其他默认的自定义编辑器。",
+ "contributes.priority.option": "在用户打开资源时不会自动使用此编辑器,但用户可使用 `Reopen With` 命令切换到此编辑器。"
+ },
+ "vs/workbench/contrib/debug/common/debug": {
+ "internalConsoleOptions": "控制何时打开内部调试控制台。"
+ },
+ "vs/workbench/contrib/debug/browser/debug.contribution": {
+ "debugCategory": "调试",
+ "runCategory": "运行",
+ "startDebugPlaceholder": "键入准备运行的启动配置的名称。",
+ "startDebuggingHelp": "开始调试",
+ "terminateThread": "终止线程",
+ "debugFocusConsole": "聚焦到“调试控制台”视图",
+ "jumpToCursor": "跳转到光标",
+ "SetNextStatement": "设置下一语句",
+ "inlineBreakpoint": "内联断点",
+ "stepBackDebug": "后退",
+ "reverseContinue": "反向",
+ "restartFrame": "重启框架",
+ "copyStackTrace": "复制调用堆栈",
+ "setValue": "设置值",
+ "copyValue": "复制值",
+ "copyAsExpression": "复制表达式",
+ "addToWatchExpressions": "添加到监视",
+ "breakWhenValueChanges": "值更改时中断",
+ "miViewRun": "运行(&&R)",
+ "miToggleDebugConsole": "调试控制台(&&B)",
+ "miStartDebugging": "启动调试(&&S)",
+ "miRun": "以非调试模式运行(&&W)",
+ "miStopDebugging": "停止调试(&&S)",
+ "miRestart Debugging": "重启调试(&&R)",
+ "miOpenConfigurations": "打开配置(&&C)",
+ "miAddConfiguration": "添加配置(&&D)...",
+ "miStepOver": "单步跳过(&&O)",
+ "miStepInto": "单步执行(&&I)",
+ "miStepOut": "单步停止(&&U)",
+ "miContinue": "继续(&&C)",
+ "miToggleBreakpoint": "切换断点(&&B)",
+ "miConditionalBreakpoint": "条件断点(&&C)...",
+ "miInlineBreakpoint": "内联断点(&&O)",
+ "miFunctionBreakpoint": "函数断点(&&F)...",
+ "miLogPoint": "记录点(&&L)...",
+ "miNewBreakpoint": "新建断点(&&N)",
+ "miEnableAllBreakpoints": "启用所有断点(&&E)",
+ "miDisableAllBreakpoints": "禁用所有断点(&&L)",
+ "miRemoveAllBreakpoints": "删除所有断点(&&A)",
+ "miInstallAdditionalDebuggers": "安装附加调试器(&&I)...",
+ "debugPanel": "调试控制台",
+ "run": "运行",
+ "variables": "变量",
+ "watch": "监视",
+ "callStack": "调用堆栈",
+ "breakpoints": "断点",
+ "loadedScripts": "已载入的脚本",
+ "debugConfigurationTitle": "调试",
+ "allowBreakpointsEverywhere": "允许在任何文件中设置断点。",
+ "openExplorerOnEnd": "在调试会话结束时自动打开资源管理器视图。",
+ "inlineValues": "当处于调试过程中时,在编辑器中内联显示变量值。",
+ "toolBarLocation": "控制调试工具栏的位置。可在所有视图中“浮动”、在调试视图中“停靠”,也可“隐藏”。",
+ "never": "在状态栏中不再显示调试",
+ "always": "始终在状态栏中显示调试",
+ "onFirstSessionStart": "仅于第一次启动调试后在状态栏中显示调试",
+ "showInStatusBar": "控制何时显示调试状态栏。",
+ "debug.console.closeOnEnd": "控制调试控制台是否应在调试会话结束时自动关闭。",
+ "openDebug": "控制何时打开“调试”视图。",
+ "showSubSessionsInToolBar": "控制调试子会话是否显示在调试工具栏中。当此设置为 false 时, 子会话上的 stop 命令也将停止父会话。",
+ "debug.console.fontSize": "控制调试控制台中的字体大小(以像素为单位)。",
+ "debug.console.fontFamily": "控制调试控制台中的字体系列。",
+ "debug.console.lineHeight": "设置调试控制台中的行高(以像素为单位)。使用 0 来计算从字体大小开始的行高。",
+ "debug.console.wordWrap": "控制是否应在调试控制台中换行。",
+ "debug.console.historySuggestions": "控制调试控制台是否应建议以前键入的输入。",
+ "launch": "全局调试启动配置。应当作为跨工作区共享的 \\\"launch.json\\\" 的替代方法。",
+ "debug.focusWindowOnBreak": "控制当调试器中断时,工作台窗口是否应获得焦点。",
+ "debugAnyway": "忽略任务错误并开始调试。",
+ "showErrors": "显示问题视图且不开始调试。",
+ "prompt": "提示用户。",
+ "cancel": "取消调试。",
+ "debug.onTaskErrors": "控制在运行预启动任务后遇到错误时应该怎么做。",
+ "showBreakpointsInOverviewRuler": "控制断点是否应显示在概览标尺中。",
+ "showInlineBreakpointCandidates": "控制调试时是否应在编辑器中显示内联断点候选修饰。"
+ },
+ "vs/workbench/contrib/debug/browser/debugEditorContribution": {
+ "addConfiguration": "添加配置…"
+ },
+ "vs/workbench/contrib/debug/browser/breakpointEditorContribution": {
+ "logPoint": "记录点",
+ "breakpoint": "断点",
+ "breakpointHasConditionDisabled": "此{0}的{1}将在删除后丢失。请考虑仅启用此{0}。",
+ "message": "消息",
+ "condition": "条件",
+ "breakpointHasConditionEnabled": "此{0}的{1}将在删除后丢失。请考虑仅禁用此{0}。",
+ "removeLogPoint": "删除 {0}",
+ "disableLogPoint": "{0} {1}",
+ "disable": "禁用",
+ "enable": "启用",
+ "cancel": "取消",
+ "removeBreakpoint": "删除 {0}",
+ "editBreakpoint": "编辑 {0}…",
+ "disableBreakpoint": "禁用{0}",
+ "enableBreakpoint": "启用 {0}",
+ "removeBreakpoints": "删除断点",
+ "removeInlineBreakpointOnColumn": "删除第 {0} 列的内联断点",
+ "removeLineBreakpoint": "删除行断点",
+ "editBreakpoints": "编辑断点",
+ "editInlineBreakpointOnColumn": "编辑第 {0} 列的内联断点",
+ "editLineBrekapoint": "编辑行断点",
+ "enableDisableBreakpoints": "启用/禁用断点",
+ "disableInlineColumnBreakpoint": "禁用第 {0} 列的内联断点",
+ "disableBreakpointOnLine": "禁用行断点",
+ "enableBreakpoints": "启用第 {0} 列的内联断点",
+ "enableBreakpointOnLine": "启用行断点",
+ "addBreakpoint": "添加断点",
+ "addConditionalBreakpoint": "添加条件断点...",
+ "addLogPoint": "添加记录点...",
+ "debugIcon.breakpointForeground": "断点图标颜色。",
+ "debugIcon.breakpointDisabledForeground": "禁用断点的图标颜色。",
+ "debugIcon.breakpointUnverifiedForeground": "未验证断点的图标颜色。",
+ "debugIcon.breakpointCurrentStackframeForeground": "当前断点堆栈帧的图标颜色。",
+ "debugIcon.breakpointStackframeForeground": "所有断点堆栈帧的图标颜色。"
+ },
+ "vs/workbench/contrib/debug/browser/callStackEditorContribution": {
+ "topStackFrameLineHighlight": "堆栈帧中顶部一行的高亮背景色。",
+ "focusedStackFrameLineHighlight": "堆栈帧中焦点一行的高亮背景色。"
+ },
+ "vs/workbench/contrib/debug/browser/repl": {
+ "workbench.debug.filter.placeholder": "筛选器(例如 text、!exclude)",
+ "debugConsole": "调试控制台",
+ "copy": "复制",
+ "copyAll": "全部复制",
+ "paste": "粘贴",
+ "collapse": "全部折叠",
+ "startDebugFirst": "请发起调试会话来对表达式求值",
+ "actions.repl.acceptInput": "接受 REPL 的输入",
+ "repl.action.filter": "REPL 将内容聚焦到筛选器",
+ "actions.repl.copyAll": "调试: 复制控制台所有内容",
+ "selectRepl": "选择调试控制台",
+ "clearRepl": "清除控制台",
+ "debugConsoleCleared": "调试控制台已清除"
+ },
+ "vs/workbench/contrib/debug/browser/debugViewlet": {
+ "startAdditionalSession": "启动其他会话",
+ "toggleDebugPanel": "调试控制台",
+ "toggleDebugViewlet": "显示运行和调试"
+ },
+ "vs/workbench/contrib/debug/common/abstractDebugAdapter": {
+ "timeout": "对于“{1}”,{0} 毫秒后超时 "
+ },
+ "vs/workbench/contrib/debug/browser/breakpointsView": {
+ "editCondition": "编辑条件",
+ "Logpoint": "记录点",
+ "Breakpoint": "断点",
+ "editBreakpoint": "编辑 {0}…",
+ "removeBreakpoint": "删除 {0}",
+ "expressionCondition": "表达式条件: {0}",
+ "functionBreakpointsNotSupported": "此调试类型不支持函数断点",
+ "dataBreakpointsNotSupported": "此调试类型不支持数据断点",
+ "functionBreakpointPlaceholder": "要断开的函数",
+ "functionBreakPointInputAriaLabel": "键入函数断点",
+ "exceptionBreakpointPlaceholder": "在表达式结果为 true 时中断",
+ "exceptionBreakpointAriaLabel": "类型异常断点条件",
+ "breakpoints": "断点",
+ "disabledLogpoint": "已禁用的记录点",
+ "disabledBreakpoint": "已禁用的断点",
+ "unverifiedLogpoint": "未验证的记录点",
+ "unverifiedBreakopint": "未验证的断点",
+ "functionBreakpointUnsupported": "不受此调试类型支持的函数断点",
+ "functionBreakpoint": "函数断点",
+ "dataBreakpointUnsupported": "此调试类型不支持数据断点",
+ "dataBreakpoint": "数据断点",
+ "breakpointUnsupported": "调试器不支持此类型的断点",
+ "logMessage": "日志消息: {0}",
+ "expression": "表达式条件: {0}",
+ "hitCount": "命中次数: {0}",
+ "breakpoint": "断点"
+ },
+ "vs/workbench/contrib/debug/browser/callStackView": {
+ "running": "正在运行",
+ "showMoreStackFrames2": "显示更多堆栈框架",
+ "session": "会话",
+ "thread": "线程",
+ "restartFrame": "重启框架",
+ "loadAllStackFrames": "加载所有堆栈帧",
+ "showMoreAndOrigin": "显示另外 {0} 个: {1}",
+ "showMoreStackFrames": "显示另外 {0} 个堆栈帧",
+ "callStackAriaLabel": "调试调用堆栈",
+ "threadAriaLabel": "线程 {0} {1}",
+ "stackFrameAriaLabel": "堆栈帧 {0},行 {1},{2}",
+ "sessionLabel": "会话 {0} {1}"
+ },
+ "vs/workbench/contrib/debug/browser/debugActions": {
+ "openLaunchJson": "打开 {0}",
+ "launchJsonNeedsConfigurtion": "配置或修复 \"launch.json\"",
+ "noFolderDebugConfig": "要执行高级调试配置,请先打开一个文件夹。",
+ "selectWorkspaceFolder": "选择工作区文件夹以在其中创建 launch.json 文件或将其添加到工作区配置文件",
+ "startDebug": "开始调试",
+ "startWithoutDebugging": "开始执行(不调试)",
+ "selectAndStartDebugging": "选择并开始调试",
+ "removeBreakpoint": "删除断点",
+ "removeAllBreakpoints": "删除所有断点",
+ "enableAllBreakpoints": "启用所有断点",
+ "disableAllBreakpoints": "禁用所有断点",
+ "activateBreakpoints": "激活断点",
+ "deactivateBreakpoints": "停用断点",
+ "reapplyAllBreakpoints": "重新应用所有断点",
+ "addFunctionBreakpoint": "添加函数断点",
+ "addWatchExpression": "添加表达式",
+ "removeAllWatchExpressions": "删除所有表达式",
+ "focusSession": "聚焦到“会话”视图",
+ "copyValue": "复制值"
+ },
+ "vs/workbench/contrib/debug/browser/debugToolBar": {
+ "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/debug/browser/debugService": {
+ "1activeSession": "1 个活动会话",
+ "nActiveSessions": "{0}个活动会话",
+ "configurationAlreadyRunning": "调试配置“{0}”已在运行。",
+ "compoundMustHaveConfigurations": "复合项必须拥有 \"configurations\" 属性集,才能启动多个配置。",
+ "noConfigurationNameInWorkspace": "在工作区中找不到启动配置“{0}”。",
+ "multipleConfigurationNamesInWorkspace": "工作区中存在多个启动配置“{0}”。请使用文件夹名称来限定配置。",
+ "noFolderWithName": "无法在复合项“{2}”中为配置“{1}”找到名为“{0}”的文件夹。",
+ "configMissing": "\"launch.json\" 中缺少配置“{0}”。",
+ "launchJsonDoesNotExist": "传递的工作区文件夹没有 \"launch.json\"。",
+ "debugRequestNotSupported": "所选调试配置的属性“{0}”的值“{1}”不受支持。",
+ "debugRequesMissing": "所选的调试配置缺少属性“{0}”。",
+ "debugTypeNotSupported": "配置的类型“{0}”不受支持。",
+ "debugTypeMissing": "所选的启动配置缺少属性 \"type\"。",
+ "installAdditionalDebuggers": "安装 {0} 扩展",
+ "noFolderWorkspaceDebugError": "无法调试活动文件。请确保它已保存且你已为该文件类型安装了调试扩展。",
+ "debugAdapterCrash": "调试适配器进程意外终止 ({0})",
+ "cancel": "取消",
+ "debuggingPaused": "{0}:{1},调试已暂停 {2},{3}",
+ "breakpointAdded": "已添加断点,行 {0},文件 {1}",
+ "breakpointRemoved": "已删除断点,行 {0},文件 {1}"
+ },
+ "vs/workbench/contrib/debug/browser/statusbarColorProvider": {
+ "statusBarDebuggingBackground": "调试程序时状态栏的背景色。状态栏显示在窗口底部",
+ "statusBarDebuggingForeground": "调试程序时状态栏的前景色。状态栏显示在窗口底部",
+ "statusBarDebuggingBorder": "调试程序时区别于侧边栏和编辑器的状态栏边框颜色。状态栏显示在窗口底部。"
+ },
+ "vs/workbench/contrib/debug/browser/debugStatus": {
+ "status.debug": "调试",
+ "debugTarget": "调试: {0}",
+ "selectAndStartDebug": "选择并启动调试配置"
+ },
+ "vs/workbench/contrib/debug/browser/debugCommands": {
+ "restartDebug": "重启",
+ "stepOverDebug": "单步跳过",
+ "stepIntoDebug": "单步调试",
+ "stepOutDebug": "单步跳出",
+ "pauseDebug": "暂停",
+ "disconnect": "断开连接",
+ "stop": "停止",
+ "continueDebug": "继续",
+ "chooseLocation": "选择特定位置",
+ "noExecutableCode": "当前光标位置没有关联的可执行代码。",
+ "jumpToCursor": "跳转到光标",
+ "debug": "调试",
+ "noFolderDebugConfig": "要执行高级调试配置,请先打开一个文件夹。",
+ "addInlineBreakpoint": "添加内联断点"
+ },
+ "vs/workbench/contrib/debug/browser/loadedScriptsView": {
+ "loadedScriptsSession": "调试会话",
+ "loadedScriptsAriaLabel": "在调试中已加载的脚本",
+ "loadedScriptsRootFolderAriaLabel": "工作区文件夹 {0},已加载的脚本,调试",
+ "loadedScriptsSessionAriaLabel": "会话 {0},已加载的脚本,调试",
+ "loadedScriptsFolderAriaLabel": "文件夹 {0},已加载的脚本,调试",
+ "loadedScriptsSourceAriaLabel": "{0},已加载的脚本,调试"
+ },
+ "vs/workbench/contrib/debug/browser/debugEditorActions": {
+ "toggleBreakpointAction": "调试: 切换断点",
+ "conditionalBreakpointEditorAction": "调试: 添加条件断点...",
+ "logPointEditorAction": "调试: 添加记录点...",
+ "runToCursor": "运行到光标处",
+ "evaluateInDebugConsole": "在调试控制台中评估",
+ "addToWatch": "添加到监视",
+ "showDebugHover": "调试: 显示悬停",
+ "stepIntoTargets": "直奔目标...",
+ "goToNextBreakpoint": "调试: 转到下一个断点",
+ "goToPreviousBreakpoint": "调试:到前面的断点",
+ "closeExceptionWidget": "关闭异常小组件"
+ },
+ "vs/workbench/contrib/debug/browser/watchExpressionsView": {
+ "editWatchExpression": "编辑表达式",
+ "removeWatchExpression": "删除表达式",
+ "watchExpressionInputAriaLabel": "键入监视表达式",
+ "watchExpressionPlaceholder": "要监视的表达式",
+ "watchAriaTreeLabel": "调试监视表达式",
+ "watchExpressionAriaLabel": "{0},值 {1}",
+ "watchVariableAriaLabel": "{0},值 {1}"
+ },
+ "vs/workbench/contrib/debug/browser/variablesView": {
+ "variableValueAriaLabel": "键入新的变量值",
+ "variablesAriaTreeLabel": "调试变量",
+ "variableScopeAriaLabel": "范围 {0}",
+ "variableAriaLabel": "{0},值 {1}"
+ },
+ "vs/workbench/contrib/debug/common/debugContentProvider": {
+ "unable": "无法解析无调试会话的资源",
+ "canNotResolveSourceWithError": "无法加载源“{0}”: {1}。",
+ "canNotResolveSource": "无法加载源“{0}”。"
+ },
+ "vs/workbench/contrib/debug/browser/welcomeView": {
+ "run": "运行",
+ "openAFileWhichCanBeDebugged": "[打开文件](command:{0}),可调试或运行。",
+ "runAndDebugAction": "[运行和调试{0}](command:{1})",
+ "detectThenRunAndDebug": "[显示](command:{0})所有自动调试配置。",
+ "customizeRunAndDebug": "要自定义运行和调试[创建 launch.json 文件](command:{0})。",
+ "customizeRunAndDebugOpenFolder": "要自定义运行和调试,请[打开文件夹](command:{0}) 并创建一个启动.json 文件。"
+ },
+ "vs/workbench/contrib/debug/browser/debugQuickAccess": {
+ "noDebugResults": "没有匹配的启动配置",
+ "customizeLaunchConfig": "配置启动配置",
+ "contributed": "已提供",
+ "providerAriaLabel": "{0} 已提供的配置",
+ "configure": "配置",
+ "addConfigTo": "添加配置({0})…",
+ "addConfiguration": "添加配置…"
+ },
+ "vs/workbench/contrib/debug/browser/debugIcons": {
+ "debugConsoleViewIcon": "查看调试控制台视图的图标。",
+ "runViewIcon": "查看运行视图的图标。",
+ "variablesViewIcon": "查看变量视图的图标。",
+ "watchViewIcon": "查看监视视图的图标。",
+ "callStackViewIcon": "查看调用堆栈视图的图标。",
+ "breakpointsViewIcon": "查看断点视图的图标。",
+ "loadedScriptsViewIcon": "查看已加载脚本视图的图标。",
+ "debugBreakpoint": "断点的图标。",
+ "debugBreakpointDisabled": "已禁用的断点的图标。",
+ "debugBreakpointUnverified": "未验证的断点的图标。",
+ "debugBreakpointHint": "在编辑器字形边距中悬停时显示的断点提示的图标。",
+ "debugBreakpointFunction": "函数断点的图标。",
+ "debugBreakpointFunctionUnverified": "未验证的函数断点的图标。",
+ "debugBreakpointFunctionDisabled": "已禁用的函数断点的图标。",
+ "debugBreakpointUnsupported": "不受支持的断点的图标。",
+ "debugBreakpointConditionalUnverified": "未验证的条件断点的图标。",
+ "debugBreakpointConditional": "条件断点的图标。",
+ "debugBreakpointConditionalDisabled": "已禁用的条件断点的图标。",
+ "debugBreakpointDataUnverified": "未验证的数据断点的图标。",
+ "debugBreakpointData": "数据断点的图标。",
+ "debugBreakpointDataDisabled": "已禁用的数据断点的图标。",
+ "debugBreakpointLogUnverified": "未验证的日志断点的图标。",
+ "debugBreakpointLog": "日志断点的图标。",
+ "debugBreakpointLogDisabled": "已禁用的日志断点的图标。",
+ "debugStackframe": "编辑器字形边距中显示的堆栈帧的图标。",
+ "debugStackframeFocused": "编辑器字形边距中显示的具有焦点的堆栈帧的图标。",
+ "debugGripper": "调试条控制手柄的图标。",
+ "debugRestartFrame": "“调试重启帧”操作的图标。",
+ "debugStop": "“调试停止”操作的图标。",
+ "debugDisconnect": "“调试断开”操作的图标。",
+ "debugRestart": "“调试重启”操作的图标。",
+ "debugStepOver": "“调试越过子函数”操作的图标。",
+ "debugStepInto": "“调试进入子函数”的图标。",
+ "debugStepOut": "“调试跳出子函数”操作的图标。",
+ "debugStepBack": "“调试单步后退”操作的图标。",
+ "debugPause": "“调试暂停”操作的图标。",
+ "debugContinue": "“调试继续”操作的图标。",
+ "debugReverseContinue": "“调试反向继续”操作的图标。",
+ "debugStart": "“调试启动”操作的图标。",
+ "debugConfigure": "“调试配置”操作的图标。",
+ "debugConsole": "调试控制台的“打开”操作的图标。",
+ "debugCollapseAll": "调试视图中“全部折叠”操作的图标。",
+ "callstackViewSession": "“调用堆栈”视图中会话图标的图标。",
+ "debugConsoleClearAll": "调试控制台中“全部清除”操作的图标。",
+ "watchExpressionsRemoveAll": "监视视图中“全部删除”操作的图标。",
+ "watchExpressionsAdd": "监视视图中“添加”操作的图标。",
+ "watchExpressionsAddFuncBreakpoint": "监视视图中“添加函数断点”操作的图标。",
+ "breakpointsRemoveAll": "“断点”视图中“全部删除”操作的图标。",
+ "breakpointsActivate": "“断点”视图中“激活”操作的图标。",
+ "debugConsoleEvaluationInput": "调试评估输入标记的图标。",
+ "debugConsoleEvaluationPrompt": "调试评估提示的图标。"
+ },
+ "vs/workbench/contrib/debug/browser/exceptionWidget": {
+ "debugExceptionWidgetBorder": "异常小组件边框颜色。",
+ "debugExceptionWidgetBackground": "异常小组件背景颜色。",
+ "exceptionThrownWithId": "发生异常: {0}",
+ "exceptionThrown": "出现异常。",
+ "close": "关闭"
+ },
+ "vs/workbench/contrib/debug/browser/debugHover": {
+ "quickTip": "按住 {0} 键可切换到编辑器语言悬停",
+ "treeAriaLabel": "调试悬停",
+ "variableAriaLabel": "{0},值 {1},变量,调试"
+ },
+ "vs/workbench/contrib/debug/browser/breakpointWidget": {
+ "breakpointWidgetLogMessagePlaceholder": "断点命中时记录的消息。{} 内的表达式将被替换。按 \"Enter\" 键确认,\"Esc\" 键取消。",
+ "breakpointWidgetHitCountPlaceholder": "在命中次数条件满足时中断。按 \"Enter\" 键确认,\"Esc\" 键取消。",
+ "breakpointWidgetExpressionPlaceholder": "在表达式结果为真时中断。按 \"Enter\" 键确认,\"Esc\" 键取消。",
+ "expression": "表达式",
+ "hitCount": "命中次数",
+ "logMessage": "日志消息",
+ "breakpointType": "断点类型"
+ },
+ "vs/workbench/contrib/debug/browser/debugActionViewItems": {
+ "debugLaunchConfigurations": "调试启动配置",
+ "noConfigurations": "没有配置",
+ "addConfigTo": "添加配置({0})…",
+ "addConfiguration": "添加配置…",
+ "debugSession": "调试会话"
+ },
+ "vs/workbench/contrib/debug/browser/linkDetector": {
+ "fileLinkMac": "按住 Cmd 并单击可访问链接",
+ "fileLink": "按住 Ctrl 并单击可访问链接"
+ },
+ "vs/workbench/contrib/debug/browser/replViewer": {
+ "debugConsole": "调试控制台",
+ "replVariableAriaLabel": "变量 {0},值 {1}",
+ "occurred": ",发生 {0} 次",
+ "replRawObjectAriaLabel": "调试控制台变量 {0},值 {1}",
+ "replGroup": "调试控制器组 {0}"
+ },
+ "vs/workbench/contrib/debug/common/replModel": {
+ "consoleCleared": "控制台已清除",
+ "snapshotObj": "仅显示了此对象的基元值。"
+ },
+ "vs/workbench/contrib/debug/browser/replFilter": {
+ "showing filtered repl lines": "正在显示第 {0} 页(共 {1} 页)"
+ },
+ "vs/workbench/contrib/debug/node/debugAdapter": {
+ "debugAdapterBinNotFound": "调试适配器可执行的“{0}”不存在。",
+ "debugAdapterCannotDetermineExecutable": "无法确定调试适配器“{0}”的可执行文件。",
+ "unableToLaunchDebugAdapter": "无法从“{0}”启动调试适配器。",
+ "unableToLaunchDebugAdapterNoArgs": "无法启动调试适配器。"
+ },
+ "vs/workbench/contrib/debug/common/debugModel": {
+ "invalidVariableAttributes": "无效的变量属性",
+ "startDebugFirst": "请发起调试会话来对表达式求值",
+ "notAvailable": "不可用",
+ "pausedOn": "因 {0} 已暂停",
+ "paused": "已暂停",
+ "running": "正在运行",
+ "breakpointDirtydHover": "未验证的断点。对文件进行了修改,请重启调试会话。"
+ },
+ "vs/workbench/contrib/debug/browser/debugConfigurationManager": {
+ "selectConfiguration": "选择启动配置",
+ "editLaunchConfig": "在 launch.json 中编辑调试配置",
+ "DebugConfig.failed": "无法在 \".vscode\" 文件夹({0})内创建 \"launch.json\" 文件。",
+ "workspace": "工作区",
+ "user settings": "用户设置"
+ },
+ "vs/workbench/contrib/debug/browser/debugSession": {
+ "noDebugAdapter": "没有可用的调试程序,无法发送“{0}”",
+ "sessionNotReadyForBreakpoints": "会话还没有为断点做好准备",
+ "debuggingStarted": "已开始调试。",
+ "debuggingStopped": "已停止调试。"
+ },
+ "vs/workbench/contrib/debug/browser/debugTaskRunner": {
+ "preLaunchTaskErrors": "运行 preLaunchTask“{0}”后存在错误。",
+ "preLaunchTaskError": "运行 preLaunchTask“{0}”后存在错误。",
+ "preLaunchTaskExitCode": "preLaunchTask“{0}”已终止,退出代码为 {1}。",
+ "preLaunchTaskTerminated": "启动前任务\"{0}\"终止。",
+ "debugAnyway": "仍要调试",
+ "showErrors": "显示错误",
+ "abort": "中止",
+ "remember": "记住我在用户设置中的选择",
+ "invalidTaskReference": "无法在其他工作区文件夹的启动配置中引用任务“{0}”。",
+ "DebugTaskNotFoundWithTaskId": "找不到任务“{0}”。",
+ "DebugTaskNotFound": "找不到指定的任务。",
+ "taskNotTrackedWithTaskId": "无法跟踪指定的任务。",
+ "taskNotTracked": "无法跟踪任务“{0}”。"
+ },
+ "vs/workbench/contrib/debug/browser/debugAdapterManager": {
+ "debugNoType": "不可省略调试器的 \"type\" 属性,且其类型必须是 \"string\" 。",
+ "more": "更多...",
+ "selectDebug": "选择环境"
+ },
+ "vs/workbench/contrib/debug/common/debugSource": {
+ "unknownSource": "未知源"
+ },
+ "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": "正在将 \"launch. json\" 中的交互式变量(例如 ${action.pickProcess})映射到命令。",
+ "vscode.extension.contributes.debuggers.initialConfigurations": "用于生成初始 \"launch.json\" 的配置。",
+ "vscode.extension.contributes.debuggers.languages": "可能被视为“默认调试程序”的调试扩展的语言列表。",
+ "vscode.extension.contributes.debuggers.configurationSnippets": "用于在 \"launch.json\" 中添加新配置的代码段。",
+ "vscode.extension.contributes.debuggers.configurationAttributes": "用于验证 \"launch.json\" 的 JSON 架构配置。",
+ "vscode.extension.contributes.debuggers.windows": "Windows 特定的设置。",
+ "vscode.extension.contributes.debuggers.windows.runtime": "用于 Windows 的运行时。",
+ "vscode.extension.contributes.debuggers.osx": "macOS 特定的设置。",
+ "vscode.extension.contributes.debuggers.osx.runtime": "用于 macOS 的运行时。",
+ "vscode.extension.contributes.debuggers.linux": "Linux 特定的设置。",
+ "vscode.extension.contributes.debuggers.linux.runtime": "用于 Linux 的运行时。",
+ "vscode.extension.contributes.breakpoints": "添加断点。",
+ "vscode.extension.contributes.breakpoints.language": "对此语言允许断点。",
+ "presentation": "有关如何在调试配置下拉列表和命令面板中显示此配置的演示选项。",
+ "presentation.hidden": "控制此配置是否应显示在配置下拉列表和命令面板中。",
+ "presentation.group": "此配置所属的组。用于在配置下拉列表和命令面板中分组和排序。",
+ "presentation.order": "此配置在组内的顺序。用于在配置下拉列表和命令面板中分组和排序。",
+ "app.launch.json.title": "启动",
+ "app.launch.json.version": "此文件格式的版本。",
+ "app.launch.json.configurations": "配置列表。使用 IntelliSense 添加新配置或编辑现有配置。",
+ "app.launch.json.compounds": "复合列表。每个复合可引用多个配置,这些配置将一起启动。",
+ "app.launch.json.compound.name": "复合的名称。在启动配置下拉菜单中显示。",
+ "useUniqueNames": "配置名称必须唯一。",
+ "app.launch.json.compound.folder": "复合项所在的文件夹的名称。",
+ "app.launch.json.compounds.configurations": "将作为此复合的一部分启动的配置名称。",
+ "app.launch.json.compound.stopAll": "控制手动终止一个会话是否将停止所有复合会话。",
+ "compoundPrelaunchTask": "要在任何复合配置开始之前运行的任务。"
+ },
+ "vs/workbench/contrib/debug/browser/rawDebugSession": {
+ "noDebugAdapterStart": "没有调试适配器,无法启动调试会话。",
+ "noDebugAdapter": "未找到任何调试程序。无法发送“{0}”。",
+ "moreInfo": "详细信息"
+ },
+ "vs/workbench/contrib/debug/common/debugger": {
+ "cannot.find.da": "找不到类型为 \"{0}\" 的调试适配器。",
+ "launch.config.comment1": "使用 IntelliSense 了解相关属性。 ",
+ "launch.config.comment2": "悬停以查看现有属性的描述。",
+ "launch.config.comment3": "欲了解更多信息,请访问: {0}",
+ "debugType": "配置类型。",
+ "debugTypeNotRecognised": "无法识别此调试类型。确保已经安装并启用相应的调试扩展。",
+ "node2NotSupported": "不再支持 \"node2\",改用 \"node\",并将 \"protocol\" 属性设为 \"inspector\"。",
+ "debugName": "配置名称;显示在启动配置下拉菜单中。",
+ "debugRequest": "请求配置类型。可以是“启动”或“附加”。",
+ "debugServer": "仅用于调试扩展开发: 如果已指定端口,VS 代码会尝试连接到在服务器模式中运行的调试适配器",
+ "debugPrelaunchTask": "调试会话开始前要运行的任务。",
+ "debugPostDebugTask": "调试会话结束后运行的任务。",
+ "debugWindowsConfiguration": "特定于 Windows 的启动配置属性。",
+ "debugOSXConfiguration": "特定于 OS X 的启动配置属性。",
+ "debugLinuxConfiguration": "特定于 Linux 的启动配置属性。"
+ },
+ "vs/workbench/contrib/dialogs/browser/dialogHandler": {
+ "yesButton": "是(&&Y)",
+ "cancelButton": "取消",
+ "aboutDetail": "版本: {0}\r\n提交: {1}\r\n日期: {2}\r\n浏览器: {3}",
+ "copy": "复制",
+ "ok": "确定"
+ },
+ "vs/workbench/contrib/dialogs/electron-sandbox/dialogHandler": {
+ "yesButton": "是(&&Y)",
+ "cancelButton": "取消",
+ "aboutDetail": "版本: {0}\r\n提交: {1}\r\n日期: {2}\r\nElectron: {3}\r\nChrome: {4}\r\nNode.js: {5}\r\nV8: {6}\r\nOS: {7}",
+ "okButton": "确定",
+ "copy": "复制(&&C)"
+ },
+ "vs/workbench/contrib/emmet/browser/actions/expandAbbreviation": {
+ "expandAbbreviationAction": "Emmet: 展开缩写",
+ "miEmmetExpandAbbreviation": "Emmet: 展开缩写(&&X)"
+ },
+ "vs/workbench/contrib/experiments/browser/experiments.contribution": {
+ "workbench.enableExperiments": "从 Microsoft 联机服务中获取要进行的实验。"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/extensions.contribution": {
+ "runtimeExtension": "正在运行的扩展"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/runtimeExtensionsEditor": {
+ "extensionHostProfileStart": "开始分析扩展宿主",
+ "stopExtensionHostProfileStart": "停止分析扩展宿主",
+ "saveExtensionHostProfile": "保存扩展宿主分析文件"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/debugExtensionHostAction": {
+ "debugExtensionHost": "启动调试扩展宿主",
+ "restart1": "分析扩展",
+ "restart2": "需要重启,才能分析扩展。是否要立即重启“{0}”?",
+ "restart3": "重启(&&R)",
+ "cancel": "取消(&&C)",
+ "debugExtensionHost.launch.name": "附加扩展主机"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/extensionProfileService": {
+ "profilingExtensionHost": "分析扩展主机",
+ "selectAndStartDebug": "单击可停止分析。",
+ "profilingExtensionHostTime": "分析扩展主机({0} 秒)",
+ "status.profiler": "扩展探查器",
+ "restart1": "分析扩展",
+ "restart2": "需要重启,才能分析扩展。是否要立即重启“{0}”?",
+ "restart3": "重启(&&R)",
+ "cancel": "取消(&&C)"
+ },
+ "vs/workbench/contrib/extensions/common/runtimeExtensionsInput": {
+ "extensionsInputName": "正在运行的扩展"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/extensionsAutoProfiler": {
+ "unresponsive-exthost": "扩展“{0}”的上一次操作花费时间较长,阻碍了其他扩展的运行。",
+ "show": "显示扩展程序"
+ },
+ "vs/workbench/contrib/extensions/electron-sandbox/extensionsActions": {
+ "openExtensionsFolder": "打开扩展文件夹"
+ },
+ "vs/workbench/contrib/extensions/browser/extensions.contribution": {
+ "manageExtensionsQuickAccessPlaceholder": "按 Enter 以管理扩展。",
+ "manageExtensionsHelp": "管理扩展",
+ "installVSIX": "安装扩展 VSIX",
+ "extension": "扩展",
+ "extensions": "扩展",
+ "extensionsConfigurationTitle": "扩展",
+ "extensionsAutoUpdate": "启用后,将自动安装扩展更新。更新将从 Microsoft 联机服务中获取。",
+ "extensionsCheckUpdates": "启用后,将自动检查扩展更新。若扩展存在更新,将在“扩展”视图中将其标记为过时扩展。更新将从 Microsoft 联机服务中获取。",
+ "extensionsIgnoreRecommendations": "启用后,将不会显示扩展建议的通知。",
+ "extensionsShowRecommendationsOnlyOnDemand_Deprecated": "已弃用此设置。使用 extensions.ignoreRecommendations 设置来控制建议通知。默认使用“扩展”视图的可见性操作来隐藏“建议”视图。",
+ "extensionsCloseExtensionDetailsOnViewChange": "启用后,将在离开“扩展”视图时,自动关闭扩展详细信息页面。",
+ "handleUriConfirmedExtensions": "当此处列出扩展名时,该扩展名处理URI时将不会显示确认提示。",
+ "extensionsWebWorker": "启用 Web Worker 扩展主机。",
+ "workbench.extensions.installExtension.description": "安装给定的扩展",
+ "workbench.extensions.installExtension.arg.name": "扩展 ID 或 VSIX 资源 URI",
+ "notFound": "找不到扩展“{0}”。",
+ "InstallVSIXAction.successReload": "已完成从 VSIX 安装 {0} 扩展的过程。请重新加载 Visual Studio Code 以启用它。",
+ "InstallVSIXAction.success": "已完成从 VSIX 安装 {0} 扩展的过程。",
+ "InstallVSIXAction.reloadNow": "立即重载",
+ "workbench.extensions.uninstallExtension.description": "卸载给定的扩展",
+ "workbench.extensions.uninstallExtension.arg.name": "要卸载的扩展的 id",
+ "id required": "扩展 ID 是必需的。",
+ "notInstalled": "未安装扩展“{0}”。请确保你使用包括发布者的完整的扩展 ID,例如 ms-vscode.csharp。",
+ "builtin": "扩展“{0}”是内置扩展,无法安装",
+ "workbench.extensions.search.description": "搜索特定扩展",
+ "workbench.extensions.search.arg.name": "要在搜索中使用的查询",
+ "miOpenKeymapExtensions": "键映射(&&K)",
+ "miOpenKeymapExtensions2": "键映射",
+ "miPreferencesExtensions": "扩展(&&E)",
+ "miViewExtensions": "扩展(&&X)",
+ "showExtensions": "扩展",
+ "installExtensionQuickAccessPlaceholder": "键入要安装或搜索的扩展的名称。",
+ "installExtensionQuickAccessHelp": "安装或搜索扩展",
+ "workbench.extensions.action.copyExtension": "复制",
+ "extensionInfoName": "名称: {0}",
+ "extensionInfoId": "ID: {0}",
+ "extensionInfoDescription": "说明: {0}",
+ "extensionInfoVersion": "版本: {0}",
+ "extensionInfoPublisher": "发布者: {0}",
+ "extensionInfoVSMarketplaceLink": "VS Marketplace 链接: {0}",
+ "workbench.extensions.action.copyExtensionId": "复制扩展 ID",
+ "workbench.extensions.action.configure": "扩展设置",
+ "workbench.extensions.action.toggleIgnoreExtension": "同步此扩展",
+ "workbench.extensions.action.ignoreRecommendation": "忽略建议",
+ "workbench.extensions.action.undoIgnoredRecommendation": "撤消已忽略的建议",
+ "workbench.extensions.action.addExtensionToWorkspaceRecommendations": "添加到工作区建议",
+ "workbench.extensions.action.removeExtensionFromWorkspaceRecommendations": "从工作区建议中删除",
+ "workbench.extensions.action.addToWorkspaceRecommendations": "将扩展添加到工作区“建议”",
+ "workbench.extensions.action.addToWorkspaceFolderRecommendations": "将扩展添加到工作区文件夹“建议”",
+ "workbench.extensions.action.addToWorkspaceIgnoredRecommendations": "将扩展添加到工作区“已忽略的建议”",
+ "workbench.extensions.action.addToWorkspaceFolderIgnoredRecommendations": "将扩展添加到工作区文件夹“已忽略的建议”"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsViewlet": {
+ "installed": "已安装",
+ "popularExtensions": "热门",
+ "recommendedExtensions": "推荐",
+ "enabledExtensions": "已启用",
+ "disabledExtensions": "已禁用",
+ "marketPlace": "商店",
+ "enabled": "已启用",
+ "disabled": "已禁用",
+ "outdated": "已过期",
+ "builtin": "内置",
+ "workspaceRecommendedExtensions": "工作区推荐",
+ "otherRecommendedExtensions": "其他推荐",
+ "builtinFeatureExtensions": "功能",
+ "builtInThemesExtensions": "主题",
+ "builtinProgrammingLanguageExtensions": "编程语言",
+ "sort by installs": "安装计数",
+ "sort by rating": "评分",
+ "sort by name": "名称",
+ "sort by date": "发布日期",
+ "searchExtensions": "在应用商店中搜索扩展",
+ "builtin filter": "内置",
+ "installed filter": "已安装",
+ "enabled filter": "已启用",
+ "disabled filter": "已禁用",
+ "outdated filter": "已过期",
+ "featured filter": "特色",
+ "most popular filter": "最热门",
+ "most popular recommended": "推荐",
+ "recently published filter": "最近发布",
+ "filter by category": "类别",
+ "sorty by": "排序依据",
+ "filterExtensions": "筛选器扩展…",
+ "extensionFoundInSection": "在“{0}”小节中找到 1 个扩展。",
+ "extensionFound": "找到 1 个扩展。",
+ "extensionsFoundInSection": "在“{1}”小节中找到 {0} 个扩展。",
+ "extensionsFound": "找到 {0} 个扩展。",
+ "suggestProxyError": "市场返回了 \"ECONNREFUSED\"。请检查 \"http.proxy\" 设置。",
+ "open user settings": "打开用户设置",
+ "outdatedExtensions": "{0} 个过时的扩展",
+ "malicious warning": "我们卸载了“{0}”,它被报告存在问题。",
+ "reloadNow": "立即重新加载"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/extensionsSlowActions": {
+ "cmd.reportOrShow": "性能问题",
+ "cmd.report": "报告问题",
+ "attach.title": "您是否附上了 cpu 配置文件?",
+ "ok": "确定",
+ "attach.msg": "这是一个提醒, 以确保您没有忘记将 \"{0}\" 附加到刚刚创建的问题。",
+ "cmd.show": "显示问题",
+ "attach.msg2": "这是一个提醒, 以确保您没有忘记将 \"{0}\" 归入现有的性能问题中。"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/reportExtensionIssueAction": {
+ "reportExtensionIssue": "报告问题"
+ },
+ "vs/workbench/contrib/extensions/browser/abstractRuntimeExtensionsEditor": {
+ "starActivation": "已在启动时由 {0} 激活",
+ "workspaceContainsGlobActivation": "已由 {1} 激活,因为你的工作区中存在与 {1} 匹配的文件",
+ "workspaceContainsFileActivation": "已由 {1} 激活,因为你的工作区中存在文件 {0}",
+ "workspaceContainsTimeout": "因搜索 {0} 耗时太长而被 {1} 激活",
+ "startupFinishedActivation": "启动完成后已由 {0} 激活",
+ "languageActivation": "因你打开 {0} 文件而被 {1} 激活",
+ "workspaceGenericActivation": "已由 {1} 在 {0} 时激活",
+ "unresponsive.title": "扩展已导致扩展主机冻结。",
+ "errors": "{0} 个未捕获的错误",
+ "runtimeExtensions": "运行时扩展",
+ "disable workspace": "禁用(工作区)",
+ "disable": "禁用",
+ "showRuntimeExtensions": "显示正在运行的扩展"
+ },
+ "vs/workbench/contrib/extensions/common/extensionsInput": {
+ "extensionsInputName": "扩展: {0}"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsActions": {
+ "noOfYearsAgo": "{0} 年前",
+ "one year ago": "1年前",
+ "noOfMonthsAgo": "{0} 个月前",
+ "one month ago": "1个月前",
+ "noOfDaysAgo": "{0} 天前",
+ "one day ago": "1天前",
+ "noOfHoursAgo": "{0} 小时前",
+ "one hour ago": "1小时前",
+ "just now": "刚刚",
+ "update operation": "更新 \"{0}\" 扩展时出错。",
+ "install operation": "安装 \"{0}\" 扩展时出错。",
+ "download": "请尝试手动下载…",
+ "install vsix": "下载后,请手动安装“{0}”的 VSIX。",
+ "check logs": "有关更多详细信息,请查看[日志]({0})。",
+ "installExtensionStart": "已启动安装扩展 {0}。将打开编辑器,显示此扩展的更多详细信息。",
+ "installExtensionComplete": "已完成安装扩展 {0}。",
+ "install": "安装",
+ "install and do no sync": "安装(不同步)",
+ "install in remote and do not sync": "在 {0} 中安装(不同步)",
+ "install in remote": "在 {0} 中安装",
+ "install locally and do not sync": "本地安装(不同步)",
+ "install locally": "本地安装",
+ "install everywhere tooltip": "在所有同步的 {0} 实例中安装此扩展",
+ "installing": "正在安装",
+ "install browser": "在浏览器中安装",
+ "uninstallAction": "卸载",
+ "Uninstalling": "正在卸载",
+ "uninstallExtensionStart": "开始卸载扩展{0}。",
+ "uninstallExtensionComplete": "请重新加载 Visual Studio Code 以完成对扩展 {0} 的卸载。",
+ "updateExtensionStart": "已启动更新扩展 {0} 到版本 {1}。",
+ "updateExtensionComplete": "已完成更新扩展 {0} 到版本 {1}。",
+ "updateTo": "更新到 {0}",
+ "updateAction": "更新",
+ "manage": "管理",
+ "ManageExtensionAction.uninstallingTooltip": "正在卸载",
+ "install another version": "安装另一个版本…",
+ "selectVersion": "选择要安装的版本",
+ "current": "当前",
+ "enableForWorkspaceAction": "启用(工作区)",
+ "enableForWorkspaceActionToolTip": "仅在此工作区中启用此扩展",
+ "enableGloballyAction": "启用",
+ "enableGloballyActionToolTip": "启用此扩展",
+ "disableForWorkspaceAction": "禁用(工作区)",
+ "disableForWorkspaceActionToolTip": "仅在此工作区中禁用此扩展",
+ "disableGloballyAction": "禁用",
+ "disableGloballyActionToolTip": "禁用此扩展",
+ "enableAction": "启用",
+ "disableAction": "禁用",
+ "checkForUpdates": "检查扩展更新",
+ "noUpdatesAvailable": "所有扩展都是最新的。",
+ "singleUpdateAvailable": "1 个扩展存在更新。",
+ "updatesAvailable": "{0} 个扩展存在更新。",
+ "singleDisabledUpdateAvailable": "1 个禁用扩展存在更新。",
+ "updatesAvailableOneDisabled": "{0} 个扩展存在更新。其中 1 个是禁用扩展。",
+ "updatesAvailableAllDisabled": "{0} 个扩展存在更新。其全部为禁用扩展。",
+ "updatesAvailableIncludingDisabled": "{0} 个扩展存在更新。其中 {1} 个是禁用扩展。",
+ "enableAutoUpdate": "启用自动更新扩展",
+ "disableAutoUpdate": "禁用自动更新扩展",
+ "updateAll": "更新所有扩展",
+ "reloadAction": "重新加载",
+ "reloadRequired": "需要重新加载",
+ "postUninstallTooltip": "请重新加载 Visual Studio Code 以完成此扩展的卸载。",
+ "postUpdateTooltip": "请重新启动 Visual Studio Code 以完成对此扩展的更新。",
+ "enable locally": "请重载 Visual Studio Code 以在本地启用此扩展。",
+ "enable remote": "请重载 Visual Studio Code 以在 {0} 中启用此扩展。",
+ "postEnableTooltip": "请重新加载 Visual Studio Code 以启用此扩展。",
+ "postDisableTooltip": "请重新加载 Visual Studio Code 以禁用此扩展。",
+ "installExtensionCompletedAndReloadRequired": "已完成安装扩展 {0}。请重载 Visual Studio Code 以启用。",
+ "color theme": "设置颜色主题",
+ "select color theme": "选择颜色主题",
+ "file icon theme": "设置文件图标主题",
+ "select file icon theme": "选择文件图标主题",
+ "product icon theme": "设置产品图标主题",
+ "select product icon theme": "选择产品图标主题",
+ "toggleExtensionsViewlet": "显示扩展程序",
+ "installExtensions": "安装扩展",
+ "showEnabledExtensions": "显示启用的扩展",
+ "showInstalledExtensions": "显示已安装扩展",
+ "showDisabledExtensions": "显示已禁用的扩展",
+ "clearExtensionsSearchResults": "清除扩展搜索结果",
+ "refreshExtension": "刷新",
+ "showBuiltInExtensions": "显示内置的扩展",
+ "showOutdatedExtensions": "显示过时的扩展",
+ "showPopularExtensions": "显示常用的扩展",
+ "recentlyPublishedExtensions": "最近发布的扩展",
+ "showRecommendedExtensions": "显示推荐的扩展",
+ "showRecommendedExtension": "显示推荐的扩展",
+ "installRecommendedExtension": "安装推荐的扩展",
+ "ignoreExtensionRecommendation": "不再推荐此扩展",
+ "undo": "撤消",
+ "showRecommendedKeymapExtensionsShort": "键映射",
+ "showLanguageExtensionsShort": "语言扩展",
+ "search recommendations": "搜索扩展",
+ "OpenExtensionsFile.failed": "无法在 \".vscode\" 文件夹({0})内创建 \"extensions.json\" 文件。",
+ "configureWorkspaceRecommendedExtensions": "配置建议的扩展(工作区)",
+ "configureWorkspaceFolderRecommendedExtensions": "配置建议的扩展(工作区文件夹)",
+ "updated": "已更新",
+ "installed": "已安装",
+ "uninstalled": "已卸载",
+ "enabled": "已启用",
+ "disabled": "已禁用",
+ "malicious tooltip": "此扩展被报告存在问题。",
+ "malicious": "恶意",
+ "ignored": "同步时将忽略此扩展",
+ "synced": "已同步此扩展",
+ "sync": "同步此扩展",
+ "do not sync": "不同步此扩展",
+ "extension enabled on remote": "已在“{0}”上启用扩展",
+ "globally enabled": "此扩展已全局启用。",
+ "workspace enabled": "用户已为此工作区启用此扩展。",
+ "globally disabled": "用户已全局禁用此扩展。",
+ "workspace disabled": "用户已为此工作区禁用此扩展。",
+ "Install language pack also in remote server": "在“{0}”上安装语言包扩展,使其还在此处启用。",
+ "Install language pack also locally": "在本地安装语言包扩展,使其还在此处启用。",
+ "Install in other server to enable": "在“{0}”上安装扩展以启用。",
+ "disabled because of extension kind": "此扩展已定义指示它无法在远程服务器上运行",
+ "disabled locally": "已在“{0}”上启用此扩展,且已在本地禁用它。",
+ "disabled remotely": "已在本地启用此扩展,且已在“{0}”上禁用它。",
+ "disableAll": "禁用所有已安装的扩展",
+ "disableAllWorkspace": "禁用此工作区的所有已安装的扩展",
+ "enableAll": "启用所有扩展",
+ "enableAllWorkspace": "启用这个工作区的所有扩展",
+ "installVSIX": "从 VSIX 安装...",
+ "installFromVSIX": "从 VSIX 文件安装",
+ "installButton": "安装(&&I)",
+ "reinstall": "重新安装扩展...",
+ "selectExtensionToReinstall": "选择要重新安装的扩展",
+ "ReinstallAction.successReload": "请重新加载 Visual Studio Code 以完成扩展 {0} 的重新安装。",
+ "ReinstallAction.success": "扩展 {0} 重新安装完毕。",
+ "InstallVSIXAction.reloadNow": "立即重新加载",
+ "install previous version": "安装特定版本的扩展…",
+ "selectExtension": "选择扩展",
+ "InstallAnotherVersionExtensionAction.successReload": "请重新加载 Visual Studio Code 以完成扩展 {0} 的安装。",
+ "InstallAnotherVersionExtensionAction.success": "扩展 {0} 安装完毕。",
+ "InstallAnotherVersionExtensionAction.reloadNow": "立即重新加载",
+ "select extensions to install": "选择要安装的扩展",
+ "no local extensions": "没有要安装的扩展。",
+ "installing extensions": "正在安装扩展...",
+ "finished installing": "已成功安装扩展。",
+ "select and install local extensions": "在“{0}”中安装本地扩展…",
+ "install local extensions title": "在“{0}”中安装本地扩展",
+ "select and install remote extensions": "本地安装远程扩展…",
+ "install remote extensions": "本地安装远程扩展",
+ "extensionButtonProminentBackground": "扩展中突出操作的按钮背景色(比如 安装按钮)。",
+ "extensionButtonProminentForeground": "扩展中突出操作的按钮前景色(比如 安装按钮)。",
+ "extensionButtonProminentHoverBackground": "扩展中突出操作的按钮被悬停时的颜色(比如 安装按钮)。"
+ },
+ "vs/workbench/contrib/extensions/common/extensionsFileTemplate": {
+ "app.extensions.json.title": "扩展",
+ "app.extensions.json.recommendations": "向此工作区的用户推荐的扩展列表。扩展的标识符始终为 \"${publisher}.${name}\"。例如: \"vscode.csharp\"。",
+ "app.extension.identifier.errorMessage": "预期的格式 \"${publisher}.${name}\"。例如: \"vscode.csharp\"。",
+ "app.extensions.json.unwantedRecommendations": "不应向此工作区的用户推荐的扩展列表。扩展的标识符始终为 \"${publisher}.${name}\"。例如: \"vscode.csharp\"。"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionEditor": {
+ "name": "扩展名",
+ "extension id": "扩展标识符",
+ "preview": "预览版",
+ "builtin": "内置",
+ "publisher": "发布者名称",
+ "install count": "安装计数",
+ "rating": "评分",
+ "repository": "存储库",
+ "license": "许可证",
+ "version": "版本",
+ "details": "细节",
+ "detailstooltip": "扩展详细信息,显示扩展的 \"README.md\" 文件。",
+ "contributions": "功能贡献",
+ "contributionstooltip": "包含此扩展向 VS Code 编辑器提供的功能",
+ "changelog": "更改日志",
+ "changelogtooltip": "扩展的更新历史,显示扩展的 \"CHANGELOG.md\" 文件。",
+ "dependencies": "依赖项",
+ "dependenciestooltip": "包含此扩展依赖的扩展",
+ "recommendationHasBeenIgnored": "您已选择不接收此扩展的推荐。",
+ "noReadme": "无可用自述文件。",
+ "extension pack": "扩展包({0})",
+ "noChangelog": "无可用的更改日志。",
+ "noContributions": "没有发布内容",
+ "noDependencies": "没有依赖项",
+ "settings": "设置({0})",
+ "setting name": "名称",
+ "description": "说明",
+ "default": "默认值",
+ "debuggers": "调试程序({0})",
+ "debugger name": "名称",
+ "debugger type": "类型",
+ "viewContainers": "视图容器 ({0})",
+ "view container id": "ID",
+ "view container title": "标题",
+ "view container location": "位置",
+ "views": "视图 ({0})",
+ "view id": "ID",
+ "view name": "名称",
+ "view location": "位置",
+ "localizations": "本地化 ({0})",
+ "localizations language id": "语言 ID",
+ "localizations language name": "语言名称",
+ "localizations localized language name": "语言本地名称",
+ "customEditors": "自定义编辑器({0})",
+ "customEditors view type": "视图类型",
+ "customEditors priority": "优先级",
+ "customEditors filenamePattern": "文件名模式",
+ "codeActions": "代码操作({0})",
+ "codeActions.title": "标题",
+ "codeActions.kind": "种类",
+ "codeActions.description": "说明",
+ "codeActions.languages": "语言",
+ "authentication": "身份验证({0})",
+ "authentication.label": "标签",
+ "authentication.id": "ID",
+ "colorThemes": "颜色主题 ({0})",
+ "iconThemes": "图标主题 ({0})",
+ "colors": "颜色 ({0})",
+ "colorId": "ID",
+ "defaultDark": "深色默认",
+ "defaultLight": "浅色默认",
+ "defaultHC": "高对比度默认",
+ "JSON Validation": "JSON 验证({0})",
+ "fileMatch": "匹配文件",
+ "schema": "结构",
+ "commands": "命令({0})",
+ "command name": "名称",
+ "keyboard shortcuts": "键盘快捷方式",
+ "menuContexts": "菜单上下文",
+ "languages": "语言({0})",
+ "language id": "ID",
+ "language name": "名称",
+ "file extensions": "文件扩展名",
+ "grammar": "语法",
+ "snippets": "片段",
+ "activation events": "激活事件({0})",
+ "find": "查找",
+ "find next": "查找下一个",
+ "find previous": "查找前一个"
+ },
+ "vs/workbench/contrib/extensions/common/extensionsUtils": {
+ "disableOtherKeymapsConfirmation": "是否禁用其他按键映射扩展 ({0}),从而避免按键绑定之间的冲突?",
+ "yes": "是",
+ "no": "否"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsActivationProgress": {
+ "activation": "正在激活扩展..."
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsDependencyChecker": {
+ "extensions": "扩展",
+ "auto install missing deps": "安装缺少的依赖项",
+ "finished installing missing deps": "缺少的依赖项已安装完毕。请立即重新加载窗口。",
+ "reload": "重新加载窗口",
+ "no missing deps": "没有任何缺少的依赖项待安装。"
+ },
+ "vs/workbench/contrib/extensions/browser/remoteExtensionsInstaller": {
+ "remote": "远程",
+ "install remote in local": "本地安装远程扩展…"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsWorkbenchService": {
+ "Manifest is not found": "未找到清单文件",
+ "malicious": "报告称该扩展存在问题。",
+ "uninstallingExtension": "正在卸载扩展...",
+ "incompatible": "无法安装扩展名'{0}',因为它不兼容 VS Code '{1}'。",
+ "installing named extension": "正在安装 \"{0}\" 扩展...",
+ "installing extension": "正在安装扩展...",
+ "disable all": "全部禁用",
+ "singleDependentError": "无法单独禁用 \"{0}\" 扩展。\"{1}\" 扩展依赖于此扩展。要禁用所有这些扩展吗?",
+ "twoDependentsError": "无法单独禁用 \"{0}\" 扩展。\"{1}\" 和 \"{2}\" 扩展依赖于此扩展。要禁用所有这些扩展吗?",
+ "multipleDependentsError": "无法单独禁用 \"{0}\" 扩展。\"{1}\"、\"{2}\" 和其他扩展依赖于此扩展。要禁用所有这些扩展吗?"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsQuickAccess": {
+ "type": "键入扩展名称进行安装或搜索。",
+ "searchFor": "按 Enter 以搜索扩展\"{0}\"。",
+ "install": "按 Enter 来安装扩展“{0}”。",
+ "manage": "按 Enter 来管理扩展。"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionRecommendationNotificationService": {
+ "neverShowAgain": "不再显示",
+ "ignoreExtensionRecommendations": "是否要忽略所有扩展建议?",
+ "ignoreAll": "是,全部忽略",
+ "no": "否",
+ "workspaceRecommended": "是否要为此存储库安装推荐的扩展?",
+ "install": "安装",
+ "install and do no sync": "安装(不同步)",
+ "show recommendations": "显示建议"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsIcons": {
+ "extensionsViewIcon": "查看扩展视图的图标。",
+ "manageExtensionIcon": "扩展视图中“管理”操作的图标。",
+ "clearSearchResultsIcon": "扩展视图中“清除搜索结果”操作的图标。",
+ "refreshIcon": "扩展视图中“刷新”操作的图标。",
+ "filterIcon": "扩展视图中“筛选器”操作的图标。",
+ "installLocalInRemoteIcon": "扩展视图中“在远程安装本地扩展”操作的图标。",
+ "installWorkspaceRecommendedIcon": "扩展视图中“安装工作区建议的扩展”操作的图标。",
+ "configureRecommendedIcon": "扩展视图中“配置建议的扩展”操作的图标。",
+ "syncEnabledIcon": "用于指示扩展已同步的图标。",
+ "syncIgnoredIcon": "用于指示在同步时忽略扩展的图标。",
+ "remoteIcon": "用于在扩展视图和编辑器中指示扩展是远程内容的图标。",
+ "installCountIcon": "扩展视图和编辑器中随安装计数一起显示的图标。",
+ "ratingIcon": "扩展视图和编辑器中随评级一起显示的图标。",
+ "starFullIcon": "扩展编辑器中用于评级的实心星形图标。",
+ "starHalfIcon": "扩展编辑器中用于评级的半星图标。",
+ "starEmptyIcon": "扩展编辑器中用于评级的中空星形图标。",
+ "warningIcon": "扩展编辑器中随警告消息一同显示的图标。",
+ "infoIcon": "扩展编辑器中随信息消息一同显示的图标。"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsViews": {
+ "extension-arialabel": "{0},{1},{2},按 Enter 获取扩展详细信息。",
+ "extensions": "扩展",
+ "galleryError": "现在无法连接到扩展商店,请稍后再试。",
+ "error": "加载扩展时出错。{0}",
+ "no extensions found": "找不到扩展。",
+ "suggestProxyError": "市场返回了 \"ECONNREFUSED\"。请检查 \"http.proxy\" 设置。",
+ "open user settings": "打开用户设置",
+ "installWorkspaceRecommendedExtensions": "安装工作区建议的扩展"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsWidgets": {
+ "ratedBySingleUser": "评价来自 1 位用户",
+ "ratedByUsers": "评价来自 {0} 位用户",
+ "noRating": "没有评分",
+ "remote extension title": "{0} 中的扩展",
+ "syncingore.label": "此扩展在同步期间被忽略。"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsViewer": {
+ "error": "错误",
+ "Unknown Extension": "未知扩展:",
+ "extension-arialabel": "{0},{1},{2},按 Enter 获取扩展详细信息。",
+ "extensions": "扩展"
+ },
+ "vs/workbench/contrib/extensions/browser/dynamicWorkspaceRecommendations": {
+ "dynamicWorkspaceRecommendation": "你可能有兴趣了解此扩展,因为它在 {0} 存储库的用户当中备受欢迎。"
+ },
+ "vs/workbench/contrib/extensions/browser/exeBasedRecommendations": {
+ "exeBasedRecommendation": "由于你已安装 {0},建议使用此扩展。"
+ },
+ "vs/workbench/contrib/extensions/browser/workspaceRecommendations": {
+ "workspaceRecommendation": "当前工作区的用户建议使用此扩展。"
+ },
+ "vs/workbench/contrib/extensions/browser/fileBasedRecommendations": {
+ "searchMarketplace": "在市场中搜索",
+ "fileBasedRecommendation": "根据你最近打开的文件,建议使用此扩展。",
+ "reallyRecommended": "是否要为 {0} 安装推荐的扩展?",
+ "showLanguageExtensions": "市场具有可在“.{0}”文件方面提供帮助的扩展",
+ "dontShowAgainExtension": "不再为“.{0}”文件显示"
+ },
+ "vs/workbench/contrib/extensions/browser/configBasedRecommendations": {
+ "exeBasedRecommendation": "由于当前工作区配置,建议使用此扩展"
+ },
+ "vs/workbench/contrib/externalTerminal/node/externalTerminal.contribution": {
+ "globalConsoleAction": "打开新的外部终端",
+ "terminalConfigurationTitle": "外部终端",
+ "terminal.explorerKind.integrated": "使用 VS Code 的集成终端。",
+ "terminal.explorerKind.external": "使用设定的外部终端。",
+ "explorer.openInTerminalKind": "自定义要启动的终端类型。",
+ "terminal.external.windowsExec": "自定义要在 Windows 上运行的终端。",
+ "terminal.external.osxExec": "定义在 macOS 上运行的终端应用程序。",
+ "terminal.external.linuxExec": "自定义要在 Linux 上运行的终端。"
+ },
+ "vs/workbench/contrib/externalTerminal/node/externalTerminalService": {
+ "console.title": "VS Code 控制台",
+ "mac.terminal.script.failed": "脚本“{0}”失败,退出代码为 {1}",
+ "mac.terminal.type.not.supported": "不支持“{0}”",
+ "press.any.key": "按任意键继续...",
+ "linux.term.failed": "“{0}”失败,退出代码为 {1}",
+ "ext.term.app.not.found": "找不到终端应用程序 \"{0}\""
+ },
+ "vs/workbench/contrib/externalTerminal/browser/externalTerminal.contribution": {
+ "scopedConsoleAction": "在终端中打开",
+ "scopedConsoleAction.integrated": "在集成终端中打开",
+ "scopedConsoleAction.wt": "在 Windows 终端中打开",
+ "scopedConsoleAction.external": "在外部终端中打开"
+ },
+ "vs/workbench/contrib/feedback/browser/feedbackStatusbarItem": {
+ "status.feedback": "Tweet 反馈"
+ },
+ "vs/workbench/contrib/feedback/browser/feedback": {
+ "sendFeedback": "Tweet 反馈",
+ "label.sendASmile": "通过 Tweet 向我们发送反馈。",
+ "close": "关闭",
+ "patchedVersion1": "安装已损坏。",
+ "patchedVersion2": "如果提交了 bug,请指定此项。",
+ "sentiment": "您的体验如何?",
+ "smileCaption": "正面反馈情绪",
+ "frownCaption": "负面反馈情绪",
+ "other ways to contact us": "联系我们的其他方式",
+ "submit a bug": "提交 bug",
+ "request a missing feature": "请求缺失功能",
+ "tell us why": "告诉我们原因?",
+ "feedbackTextInput": "告诉我们您的反馈意见",
+ "showFeedback": "在状态栏中显示反馈图标",
+ "tweet": "推文",
+ "tweetFeedback": "Tweet 反馈",
+ "character left": "剩余字符",
+ "characters left": "剩余字符"
+ },
+ "vs/workbench/contrib/files/electron-sandbox/files.contribution": {
+ "textFileEditor": "文本文件编辑器"
+ },
+ "vs/workbench/contrib/files/electron-sandbox/fileActions.contribution": {
+ "revealInWindows": "在文件资源管理器中显示",
+ "revealInMac": "在 Finder 中显示",
+ "openContainer": "打开所在的文件夹",
+ "filesCategory": "文件"
+ },
+ "vs/workbench/contrib/files/browser/explorerViewlet": {
+ "explorerViewIcon": "查看资源管理器视图的图标。",
+ "folders": "文件夹",
+ "explore": "资源管理器",
+ "noWorkspaceHelp": "尚未将文件夹添加到工作区。\r\n[添加文件夹](command:{0})",
+ "remoteNoFolderHelp": "已连接到远程。\r\n[打开文件夹](command:{0})",
+ "noFolderHelp": "尚未打开文件夹。\r\n[打开文件夹](command:{0})"
+ },
+ "vs/workbench/contrib/files/browser/files.contribution": {
+ "showExplorerViewlet": "显示资源管理器",
+ "binaryFileEditor": "二进制文件编辑器",
+ "hotExit.off": "禁用热退出。尝试关闭带有已更新文件的窗口时,将显示提示。",
+ "hotExit.onExit": "触发 \"workbench.action.quit\" 命令(命令面板、键绑定、菜单)或在 Windows/Linux 上关闭最后一个窗口时,将触发热退出。所有未打开文件夹的窗口都将在下次启动时恢复。可通过“文件”>“打开最近使用的文件”>“更多...”,访问包含未保存的文件的工作区列表。",
+ "hotExit.onExitAndWindowClose": "触发 \"workbench.action.quit\" 命令(命令面板、键绑定、菜单)或在 Windows/Linux 上关闭最后一个窗口时将触发热退出,还将对已打开文件夹的所有窗口触发热退出(无论是否是最后一个窗口)。所有未打开文件夹的窗口将在下次启动时恢复。可通过“文件”>“打开最近使用的文件”>“更多…”,访问包含未保存的文件的工作区列表。",
+ "hotExit": "控制是否在会话间记住未保存的文件,以允许在退出编辑器时跳过保存提示。",
+ "hotExit.onExitAndWindowCloseBrowser": "当浏览器退出或窗口或选项卡关闭时,将触发热退出。",
+ "filesConfigurationTitle": "文件",
+ "exclude": "配置用于排除文件和文件夹的 glob 模式。例如,文件资源管理器根据此设置决定要显示或隐藏的文件和文件夹。请参阅 `#search.exclude#` 设置以定义特定于搜索的排除。在[此处](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options)详细了解 glob 模式。",
+ "files.exclude.boolean": "匹配文件路径所依据的 glob 模式。设置为 true 或 false 可启用或禁用该模式。",
+ "files.exclude.when": "对匹配文件的同级文件的其他检查。使用 $(basename) 作为匹配文件名的变量。",
+ "associations": "配置语言的文件关联 (如: `\"*.extension\": \"html\"`)。这些关联的优先级高于已安装语言的默认关联。",
+ "encoding": "在读取和写入文件时使用的默认字符集编码。可以按语言对此项进行配置。",
+ "autoGuessEncoding": "启用后,将在文件打开时尝试猜测字符集编码。可以按语言对此项进行配置。",
+ "eol.LF": "LF",
+ "eol.CRLF": "CRLF",
+ "eol.auto": "使用具体操作系统规定的行末字符。",
+ "eol": "默认行尾字符。",
+ "useTrash": "在删除文件或文件夹时,将它们移动到操作系统的“废纸篓”中 (Windows 为“回收站”)。禁用此设置将永久删除文件或文件夹。",
+ "trimTrailingWhitespace": "启用后,将在保存文件时删除行尾的空格。",
+ "insertFinalNewline": "启用后,保存文件时在文件末尾插入一个最终新行。",
+ "trimFinalNewlines": "启用后,保存文件时将删除在最终新行后的所有新行。",
+ "files.autoSave.off": "未保存的编辑器永远不会自动保存。",
+ "files.autoSave.afterDelay": "将在配置的 \"#files.autoSaveDelay#\" 后自动保存未保存的编辑器。",
+ "files.autoSave.onFocusChange": "当编辑器失去焦点时,将自动保存未保存的编辑器。",
+ "files.autoSave.onWindowChange": "当窗口失去焦点时,将自动保存未保存的编辑器。",
+ "autoSave": "控制自动保存未保存的编辑器。有关自动保存的详细信息,请参阅[此处](https://code.visualstudio.com/docs/editor/codebasics#_save-auto-save)。",
+ "autoSaveDelay": "控制自动保存未保存的编辑器之前经过的延迟(以毫秒为单位)。仅当 `#files.autoSave#` 设置为`{0}`时才适用。",
+ "watcherExclude": "配置文件路径的 glob 模式以从文件监视排除。模式必须在绝对路径上匹配(例如 ** 前缀或完整路径需正确匹配)。更改此设置需要重启。如果在启动时遇到 Code 消耗大量 CPU 时间,则可以排除大型文件夹以减少初始加载。",
+ "defaultLanguage": "分配给新文件的默认语言模式。如果配置为\"${activeEditorLanguage}\",将使用当前活动文本编辑器的语言模式(如果有)。",
+ "maxMemoryForLargeFilesMB": "在打开大型文件时,控制 VS Code 可在重启后使用的内存。在命令行中指定 `--max-memory=新的大小` 参数可达到相同效果。",
+ "files.restoreUndoStack": "重新打开文件后,还原撤消堆栈。",
+ "askUser": "将拒绝保存并请求手动解决保存冲突。",
+ "overwriteFileOnDisk": "将通过在编辑器中用更改覆盖磁盘上的文件来解决保存冲突。",
+ "files.saveConflictResolution": "当文件保存到磁盘上并被另一个程序更改时,可能会发生保存冲突。 为了防止数据丢失,要求用户将编辑器中的更改与磁盘上的版本进行比较。 仅当经常遇到保存冲突错误时,才应更改此设置;如果不谨慎使用,可能会导致数据丢失。",
+ "files.simpleDialog.enable": "启用简单文件对话框。启用时,简单文件对话框将替换系统文件对话框。",
+ "formatOnSave": "在保存时格式化文件。格式化程序必须可用,延迟后文件不能保存,并且编辑器不能关闭。",
+ "everything": "设置整个文件的格式。",
+ "modification": "格式修改(需要源代码管理)。",
+ "formatOnSaveMode": "控制在保存时设置格式是设置整个文件格式还是仅设置修改内容的格式。仅当 \"#editor.formatOnSave#\" 为 \"true\" 时应用。",
+ "explorerConfigurationTitle": "文件资源管理器",
+ "openEditorsVisible": "“打开编辑器”窗格中显示的编辑器的数量。将其设置为 0 将隐藏“打开编辑器”窗格。",
+ "openEditorsSortOrder": "控制编辑器在“打开编辑器”窗格中的排序顺序。",
+ "sortOrder.editorOrder": "编辑器按编辑器标签显示的顺序排列。",
+ "sortOrder.alphabetical": "编辑器按字母顺序在每个编辑器组中进行排序。",
+ "autoReveal.on": "将显示和选择文件。",
+ "autoReveal.off": "不会显示和选择文件。",
+ "autoReveal.focusNoScroll": "文件不会滚动到视图中,但仍会获得焦点。",
+ "autoReveal": "控制资源管理器是否在打开文件时自动显示并选择。",
+ "enableDragAndDrop": "控制浏览器是否允许通过拖放移动文件和文件夹。此设置仅影响从浏览器内部拖放。",
+ "confirmDragAndDrop": "控制在资源管理器内拖放移动文件或文件夹时是否进行确认。",
+ "confirmDelete": "控制资源管理器是否在把文件删除到废纸篓时进行确认。",
+ "sortOrder.default": "按名称的字母顺序排列文件和文件夹。文件夹显示在文件前。",
+ "sortOrder.mixed": "按名称的字母顺序排列文件和文件夹。两者穿插显示。",
+ "sortOrder.filesFirst": "按名称的字母顺序排列文件和文件夹。文件显示在文件夹前。",
+ "sortOrder.type": "按扩展名的字母顺序排列文件和文件夹。文件夹显示在文件前。",
+ "sortOrder.modified": "按最后修改日期降序排列文件和文件夹。文件夹显示在文件前。",
+ "sortOrder": "控制文件和文件夹在资源管理器中的排列顺序。",
+ "explorer.decorations.colors": "控制文件修饰是否应使用颜色。",
+ "explorer.decorations.badges": "控制文件修饰是否应使用徽章。",
+ "simple": "在重复名称的末尾附加单词“copy”,后面可能跟一个数字",
+ "smart": "在重复名称的末尾添加一个数字。如果某个号码已经是名称的一部分,请尝试增加该号码",
+ "explorer.incrementalNaming": "选择在粘贴同名文件(夹)时要使用的重命名方式。",
+ "compressSingleChildFolders": "控制资源管理器是否应以紧凑形式呈现文件夹。在这种形式中,单个子文件夹将被压缩在组合的树元素中。例如,对 Java 包结构很有用。",
+ "miViewExplorer": "资源管理器(&&E)"
+ },
+ "vs/workbench/contrib/files/browser/fileActions.contribution": {
+ "filesCategory": "文件",
+ "workspaces": "工作区",
+ "file": "文件",
+ "copyPath": "复制路径",
+ "copyRelativePath": "复制相对路径",
+ "revealInSideBar": "在侧边栏中显示",
+ "acceptLocalChanges": "使用所做的更改并覆盖文件内容",
+ "revertLocalChanges": "放弃所做的更改并恢复到文件内容",
+ "copyPathOfActive": "复制活动文件的路径",
+ "copyRelativePathOfActive": "复制活动文件的相对路径",
+ "saveAllInGroup": "全部保存在组中",
+ "saveFiles": "保存所有文件",
+ "revert": "还原文件",
+ "compareActiveWithSaved": "比较活动与已保存的文件",
+ "openToSide": "在侧边打开",
+ "saveAll": "全部保存",
+ "compareWithSaved": "与已保存文件比较",
+ "compareWithSelected": "与已选项目进行比较",
+ "compareSource": "选择以进行比较",
+ "compareSelected": "将已选项进行比较",
+ "close": "关闭",
+ "closeOthers": "关闭其他",
+ "closeSaved": "关闭已保存",
+ "closeAll": "全部关闭",
+ "explorerOpenWith": "打开方式…",
+ "cut": "剪切",
+ "deleteFile": "永久删除",
+ "newFile": "新建文件",
+ "openFile": "打开文件...",
+ "miNewFile": "新建文件(&&N)",
+ "miSave": "保存(&&S)",
+ "miSaveAs": "另存为(&&A)...",
+ "miSaveAll": "全部保存(&&L)",
+ "miOpen": "打开(&&O)...",
+ "miOpenFile": "打开文件(&&O)...",
+ "miOpenFolder": "打开文件夹(&&F)...",
+ "miOpenWorkspace": "打开工作区(&&K)...",
+ "miAutoSave": "自动保存(&&U)",
+ "miRevert": "还原文件(&&V)",
+ "miCloseEditor": "关闭编辑器(&&C)",
+ "miGotoFile": "转到文件(&&F)..."
+ },
+ "vs/workbench/contrib/files/electron-sandbox/fileCommands": {
+ "openFileToReveal": "首先打开文件以展现"
+ },
+ "vs/workbench/contrib/files/common/editors/fileEditorInput": {
+ "orphanedReadonlyFile": "{0} (已删除,只读)",
+ "orphanedFile": "{0} (已删除)",
+ "readonlyFile": "{0} (只读)"
+ },
+ "vs/workbench/contrib/files/electron-sandbox/textFileEditor": {
+ "fileTooLargeForHeapError": "要打开此大小的文件, 您需要重新启动并允许它使用更多内存",
+ "relaunchWithIncreasedMemoryLimit": "以 {0}MB 重启",
+ "configureMemoryLimit": "配置内存限制"
+ },
+ "vs/workbench/contrib/files/browser/views/emptyView": {
+ "noWorkspace": "无打开的文件夹"
+ },
+ "vs/workbench/contrib/files/browser/views/explorerView": {
+ "explorerSection": "资源管理器部分: {0}"
+ },
+ "vs/workbench/contrib/files/browser/views/openEditorsView": {
+ "openEditors": "打开的编辑器",
+ "dirtyCounter": "{0} 个未保存"
+ },
+ "vs/workbench/contrib/files/browser/editors/textFileSaveErrorHandler": {
+ "userGuide": "通过编辑器工具栏中的操作,可撤消所做的更改,也可使用所做的更改覆盖文件的内容。",
+ "staleSaveError": "无法保存\"{0}\": 文件的内容较新。请将您的版本与文件内容进行比较,或用您的更改覆盖文件内容。",
+ "retry": "重试",
+ "discard": "放弃",
+ "readonlySaveErrorAdmin": "未能保存 \"{0}\": 文件是只读的。以管理员身份选择 \"以管理员身份覆盖\" 重试。",
+ "readonlySaveErrorSudo": "保存\"{0}\"失败: 文件为只读。选择“覆盖为Sudo”以用超级用户身份重试。",
+ "readonlySaveError": "未能保存 \"{0}\": 文件是只读的。可选择 \"覆盖\" 以尝试使其可写。",
+ "permissionDeniedSaveError": "无法保存“{0}”: 权限不足。选择“以管理员身份覆盖”可作为管理员重试。",
+ "permissionDeniedSaveErrorSudo": "保存 \"{0}\"失败: 权限不足。选择 \"以超级用户身份重试\" 以超级用户身份重试。",
+ "genericSaveError": "未能保存“{0}”: {1}",
+ "learnMore": "了解详细信息",
+ "dontShowAgain": "不再显示",
+ "compareChanges": "比较",
+ "saveConflictDiffLabel": "{0} (在文件中) ↔ {1} (在 {2} 中) - 解决保存冲突",
+ "overwriteElevated": "以管理员身份覆盖...",
+ "overwriteElevatedSudo": "以超级用户身份覆盖...",
+ "saveElevated": "以管理员身份重试...",
+ "saveElevatedSudo": "以用户…重试。",
+ "overwrite": "覆盖",
+ "configure": "配置"
+ },
+ "vs/workbench/contrib/files/browser/editors/binaryFileEditor": {
+ "binaryFileEditor": "二进制文件查看器"
+ },
+ "vs/workbench/contrib/files/common/workspaceWatcher": {
+ "netVersionError": "需要 Microsoft .NET Framework 4.5。请访问链接安装它。",
+ "installNet": "下载 .NET Framework 4.5",
+ "enospcError": "无法在这个大型工作区中监视文件更改。请按照说明链接来解决此问题。",
+ "learnMore": "说明"
+ },
+ "vs/workbench/contrib/files/common/dirtyFilesIndicator": {
+ "dirtyFile": "1 个未保存的文件",
+ "dirtyFiles": "{0} 个未保存的文件"
+ },
+ "vs/workbench/contrib/files/browser/fileActions": {
+ "newFile": "新建文件",
+ "newFolder": "新建文件夹",
+ "rename": "重命名",
+ "delete": "删除",
+ "copyFile": "复制",
+ "pasteFile": "粘贴",
+ "download": "下载...",
+ "createNewFile": "新建文件",
+ "createNewFolder": "新建文件夹",
+ "deleteButtonLabelRecycleBin": "移动到回收站(&&M)",
+ "deleteButtonLabelTrash": "移动到废纸篓(&&M)",
+ "deleteButtonLabel": "删除(&&D)",
+ "dirtyMessageFilesDelete": "你删除的文件中具有未保存的更改。是否继续?",
+ "dirtyMessageFolderOneDelete": "你正在删除文件夹 {0},但其中 1 个文件中有未保存的更改。是否要继续?",
+ "dirtyMessageFolderDelete": "你正在删除文件夹 {0},其中 {1} 个文件中有未保存的更改。是否要继续?",
+ "dirtyMessageFileDelete": "你正在删除具有未保存更改的 {0}。是否要继续?",
+ "dirtyWarning": "如果不保存,你的更改将丢失。",
+ "undoBinFiles": "您可以从回收站还原这些文件。",
+ "undoBin": "您可以从回收站还原此文件。",
+ "undoTrashFiles": "您可以从回收站还原这些文件。",
+ "undoTrash": "您可以从回收站还原此文件。",
+ "doNotAskAgain": "不再询问",
+ "irreversible": "此操作不可逆!",
+ "deleteBulkEdit": "删除 {0} 个文件",
+ "deleteFileBulkEdit": "删除{0}",
+ "deletingBulkEdit": "正在删除 {0} 文件",
+ "deletingFileBulkEdit": "正在删除 {0}",
+ "binFailed": "无法删除到回收站。是否永久删除?",
+ "trashFailed": "无法删除到废纸篓。是否永久删除?",
+ "deletePermanentlyButtonLabel": "永久删除(&&D)",
+ "retryButtonLabel": "重试(&&R)",
+ "confirmMoveTrashMessageFilesAndDirectories": "是否确定要删除以下 {0} 个文件或文件夹 (包括其内容)?",
+ "confirmMoveTrashMessageMultipleDirectories": "是否确定要删除以下 {0} 个文件夹及其内容?",
+ "confirmMoveTrashMessageMultiple": "是否确定要删除以下 {0} 个文件?",
+ "confirmMoveTrashMessageFolder": "是否确实要删除“{0}”及其内容?",
+ "confirmMoveTrashMessageFile": "是否确实要删除“{0}”?",
+ "confirmDeleteMessageFilesAndDirectories": "是否确定要永久删除以下 {0} 个文件或文件夹 (包括其内容)?",
+ "confirmDeleteMessageMultipleDirectories": "是否确定要永久删除以下 {0} 个目录及其内容?",
+ "confirmDeleteMessageMultiple": "是否确定要永久删除以下 {0} 个文件?",
+ "confirmDeleteMessageFolder": "是否确定要永久删除“{0}”及其内容?",
+ "confirmDeleteMessageFile": "是否确定要永久删除“{0}”?",
+ "globalCompareFile": "比较活动文件与...",
+ "fileToCompareNoFile": "请选择要比较的文件。",
+ "openFileToCompare": "首先打开文件以将其与另外一个文件比较。",
+ "toggleAutoSave": "切换开关自动保存",
+ "saveAllInGroup": "全部保存在组中",
+ "closeGroup": "关闭组",
+ "focusFilesExplorer": "聚焦到“文件资源管理器”视图",
+ "showInExplorer": "在侧边栏中显示活动文件",
+ "openFileToShow": "请先打开要在浏览器中显示的文件",
+ "collapseExplorerFolders": "在资源管理器中折叠文件夹",
+ "refreshExplorer": "刷新资源管理器",
+ "openFileInNewWindow": "在新窗口中打开活动文件",
+ "openFileToShowInNewWindow.unsupportedschema": "活动编辑器必须包含可打开的资源。",
+ "openFileToShowInNewWindow.nofile": "请先打开要在新窗口中打开的文件",
+ "emptyFileNameError": "必须提供文件或文件夹名。",
+ "fileNameStartsWithSlashError": "文件或文件夹名称不能以斜杠开头。",
+ "fileNameExistsError": "此位置已存在文件或文件夹 **{0}**。请选择其他名称。",
+ "invalidFileNameError": "名称 **{0}** 作为文件或文件夹名无效。请选择其他名称。",
+ "fileNameWhitespaceWarning": "在文件或文件夹名称中检测到的前导或尾随空格。",
+ "compareWithClipboard": "比较活动文件与剪贴板",
+ "clipboardComparisonLabel": "剪贴板 ↔ {0}",
+ "retry": "重试",
+ "createBulkEdit": "创建 {0}",
+ "creatingBulkEdit": "正在创建 {0}",
+ "renameBulkEdit": "将 {0} 重命名为 {1}",
+ "renamingBulkEdit": "将 {0} 重命名为 {1}",
+ "downloadingFiles": "正在下载",
+ "downloadProgressSmallMany": "{0} 个文件,共 {1} 个({2}/秒)",
+ "downloadProgressLarge": "{0} ({1}/{2},{3}/秒)",
+ "downloadButton": "下载",
+ "downloadFolder": "下载文件夹",
+ "downloadFile": "下载文件",
+ "downloadBulkEdit": "下载 {0}",
+ "downloadingBulkEdit": "正在下载 {0}",
+ "fileIsAncestor": "粘贴的项目是目标文件夹的上级",
+ "movingBulkEdit": "正在移动 {0} 文件",
+ "movingFileBulkEdit": "正在移动 {0}",
+ "moveBulkEdit": "移动 {0} 个文件",
+ "moveFileBulkEdit": "移动 {0}",
+ "copyingBulkEdit": "正在复制 {0} 文件",
+ "copyingFileBulkEdit": "正在复制 {0}",
+ "copyBulkEdit": "复制 {0} 文件",
+ "copyFileBulkEdit": "复制 {0}",
+ "fileDeleted": "复制后要粘贴的文件已被删除或移动。{0}"
+ },
+ "vs/workbench/contrib/files/browser/fileCommands": {
+ "saveAs": "另存为...",
+ "save": "保存",
+ "saveWithoutFormatting": "保存但不更改格式",
+ "saveAll": "全部保存",
+ "removeFolderFromWorkspace": "将文件夹从工作区删除",
+ "newUntitledFile": "新的无标题文件",
+ "modifiedLabel": "{0} (在文件中) ↔ {1}",
+ "openFileToCopy": "首先打开文件以复制其路径",
+ "genericSaveError": "未能保存“{0}”: {1}",
+ "genericRevertError": "未能还原“{0}”: {1}"
+ },
+ "vs/workbench/contrib/files/browser/editors/textFileEditor": {
+ "textFileEditor": "文本文件编辑器",
+ "openFolderError": "文件是目录",
+ "createFile": "创建文件"
+ },
+ "vs/workbench/contrib/files/browser/views/explorerDecorationsProvider": {
+ "canNotResolve": "无法解析工作区文件夹",
+ "symbolicLlink": "符号链接",
+ "unknown": "未知文件类型",
+ "label": "资源管理器"
+ },
+ "vs/workbench/contrib/files/browser/views/explorerViewer": {
+ "treeAriaLabel": "文件资源管理器",
+ "fileInputAriaLabel": "输入文件名。按 \"Enter\" 键确认或按 \"Esc\" 键取消。",
+ "confirmOverwrite": "目标文件夹中已存在名称为\"{0}\"的文件或文件夹。是否要替换它?",
+ "irreversible": "此操作不可逆!",
+ "replaceButtonLabel": "替换(&&R)",
+ "confirmManyOverwrites": "目标文件夹中已存在以下 {0} 个文件和/或文件夹。是否要替换它们?",
+ "uploadingFiles": "正在上传",
+ "overwrite": "覆盖 {0}",
+ "overwriting": "正在覆盖 {0}",
+ "uploadProgressSmallMany": "{0} 个文件,共 {1} 个({2}/秒)",
+ "uploadProgressLarge": "{0} ({1}/{2},{3}/秒)",
+ "copyFolders": "复制文件夹(&&C)",
+ "copyFolder": "复制文件夹(&&C)",
+ "cancel": "取消",
+ "copyfolders": "确定要复制文件夹吗?",
+ "copyfolder": "确定要复制“{0}”吗?",
+ "addFolders": "将文件夹添加到工作区(&&A)",
+ "addFolder": "将文件夹添加到工作区(&&A)",
+ "dropFolders": "是否要复制文件夹或将其添加到工作区?",
+ "dropFolder": "是否要复制“{0}”或将“{0}”作为文件夹添加工作区?",
+ "copyFile": "复制 {0}",
+ "copynFile": "复制 {0} 资源",
+ "copyingFile": "正在复制 {0}",
+ "copyingnFile": "正在复制 {0} 资源",
+ "confirmRootsMove": "是否确定要更改工作区中多个根文件夹的顺序?",
+ "confirmMultiMove": "确定要将以下文件{0}移动至{1}?",
+ "confirmRootMove": "是否确定要更改工作区中根文件夹“{0}”的顺序?",
+ "confirmMove": "是否确定要将\"{0}\"移到\"{1}\"?",
+ "doNotAskAgain": "不再询问",
+ "moveButtonLabel": "移动(&&M)",
+ "copy": "复制 {0}",
+ "copying": "正在复制 {0}",
+ "move": "移动 {0}",
+ "moving": "正在移动 {0}"
+ },
+ "vs/workbench/contrib/format/browser/formatActionsMultiple": {
+ "nullFormatterDescription": "没有",
+ "miss": "扩展 \"{0}\" 无法格式化 \"{1}\"",
+ "config.needed": "“{0}”文件有多个格式化程序。选择默认格式化程序以继续。",
+ "config.bad": "扩展 \"{0}\" 配置为格式化程序, 但不可用。选择其他默认格式化程序以继续。",
+ "do.config": "配置...",
+ "select": "为“{0}”文件选择默认的格式化程序",
+ "formatter.default": "定义一个默认格式化程序, 该格式化程序优先于所有其他格式化程序设置。必须是提供格式化程序的扩展的标识符。",
+ "def": "(默认值)",
+ "config": "配置默认格式化程序...",
+ "format.placeHolder": "选择格式化程序",
+ "formatDocument.label.multiple": "格式化文档的方式...",
+ "formatSelection.label.multiple": "格式化选定内容的方式..."
+ },
+ "vs/workbench/contrib/format/browser/formatActionsNone": {
+ "formatDocument.label.multiple": "格式化文档",
+ "too.large": "此文件过大,无法进行格式设置",
+ "no.provider": "没有安装用于“{0}”文件的格式化程序。",
+ "install.formatter": "安装格式化程序..."
+ },
+ "vs/workbench/contrib/format/browser/formatModified": {
+ "formatChanges": "设置修改过的行的格式"
+ },
+ "vs/workbench/contrib/issue/electron-sandbox/issue.contribution": {
+ "reportIssueInEnglish": "报告问题…"
+ },
+ "vs/workbench/contrib/issue/electron-sandbox/issueActions": {
+ "openProcessExplorer": "打开进程资源管理器",
+ "reportPerformanceIssue": "报告性能问题"
+ },
+ "vs/workbench/contrib/keybindings/browser/keybindings.contribution": {
+ "toggleKeybindingsLog": "切换键盘快捷方式疑难解答"
+ },
+ "vs/workbench/contrib/localizations/browser/localizations.contribution": {
+ "updateLocale": "是否将 VS Code 的界面语言更换为 {0} 并重新启动?",
+ "activateLanguagePack": "为了将 VS Code 的显示语言更换为 {0},需要重新启动 VS Code。",
+ "yes": "是",
+ "restart now": "立即重新启动",
+ "neverAgain": "不再显示",
+ "vscode.extension.contributes.localizations": "向编辑器提供本地化内容",
+ "vscode.extension.contributes.localizations.languageId": "显示字符串翻译的目标语言 ID。",
+ "vscode.extension.contributes.localizations.languageName": "语言的英文名称。",
+ "vscode.extension.contributes.localizations.languageNameLocalized": "提供语言的名称。",
+ "vscode.extension.contributes.localizations.translations": "与语言关联的翻译的列表。",
+ "vscode.extension.contributes.localizations.translations.id": "使用此翻译的 VS Code 或扩展的 ID。VS Code 的 ID 总为 \"vscode\",扩展的 ID 的格式应为 \"publisherId.extensionName\"。",
+ "vscode.extension.contributes.localizations.translations.id.pattern": "翻译 VS Code 或者扩展,ID 分别应为 \"vscode\" 或格式为 \"publisherId.extensionName\"。",
+ "vscode.extension.contributes.localizations.translations.path": "包含语言翻译的文件的相对路径。"
+ },
+ "vs/workbench/contrib/localizations/browser/localizationsActions": {
+ "configureLocale": "配置显示语言",
+ "installAdditionalLanguages": "安装其他语言...",
+ "chooseDisplayLanguage": "选择显示语言",
+ "relaunchDisplayLanguageMessage": "要使显示语言的更改生效, 需要重新启动。",
+ "relaunchDisplayLanguageDetail": "按下重启按钮来重新启动 {0} 并更改显示语言。",
+ "restart": "重启(&&R)"
+ },
+ "vs/workbench/contrib/localizations/browser/minimalTranslations": {
+ "showLanguagePackExtensions": "在商店中搜索语言包并将显示语言更改为 {0}。",
+ "searchMarketplace": "搜索商店",
+ "installAndRestartMessage": "安装语言包并将显示语言更改为 {0}。",
+ "installAndRestart": "安装并重启"
+ },
+ "vs/workbench/contrib/logs/common/logs.contribution": {
+ "userDataSyncLog": "设置同步",
+ "rendererLog": "窗口",
+ "telemetryLog": "遥测",
+ "show window log": "显示窗口日志",
+ "mainLog": "主进程",
+ "sharedLog": "共享进程"
+ },
+ "vs/workbench/contrib/logs/electron-sandbox/logsActions": {
+ "openLogsFolder": "打开日志文件夹",
+ "openExtensionLogsFolder": "打开扩展日志文件夹"
+ },
+ "vs/workbench/contrib/logs/common/logsActions": {
+ "setLogLevel": "设置日志级别...",
+ "trace": "跟踪",
+ "debug": "调试",
+ "info": "信息",
+ "warn": "警告",
+ "err": "错误",
+ "critical": "严重",
+ "off": "关",
+ "selectLogLevel": "选择日志级别",
+ "default and current": "默认值和当前值",
+ "default": "默认值",
+ "current": "当前",
+ "openSessionLogFile": "打开窗口日志文(会话)...",
+ "sessions placeholder": "选择会话",
+ "log placeholder": "选择日志文件"
+ },
+ "vs/workbench/contrib/markers/browser/markers.contribution": {
+ "markersViewIcon": "查看标记视图的图标。",
+ "copyMarker": "复制",
+ "copyMessage": "复制消息",
+ "focusProblemsList": "聚焦到问题视图",
+ "focusProblemsFilter": "焦点问题筛选器",
+ "show multiline": "在多行中显示消息",
+ "problems": "问题",
+ "show singleline": "在单行中显示消息",
+ "clearFiltersText": "清除过滤器文本",
+ "miMarker": "问题(&&P)",
+ "status.problems": "问题",
+ "totalErrors": "{0} 个错误",
+ "totalWarnings": "{0} 条警告",
+ "totalInfos": "{0} 条信息",
+ "noProblems": "没有问题",
+ "manyProblems": "1万+"
+ },
+ "vs/workbench/contrib/markers/browser/markersView": {
+ "collapseAll": "全部折叠",
+ "filter": "筛选",
+ "No problems filtered": "显示 {0} 个问题",
+ "problems filtered": "显示第 {0} 个 (共 {1} 个) 问题",
+ "clearFilter": "清除筛选"
+ },
+ "vs/workbench/contrib/markers/browser/markersViewActions": {
+ "filterIcon": "标记视图中筛选器配置的图标。",
+ "showing filtered problems": "正在显示第 {0} 页(共 {1} 页)"
+ },
+ "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.showCurrentInStatus": "启用后,状态栏中将显示当前问题。",
+ "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": "筛选器(例如 text、**/*.ts、!**/node_modules/**)",
+ "markers.panel.filter.errors": "错误",
+ "markers.panel.filter.warnings": "警告",
+ "markers.panel.filter.infos": "信息",
+ "markers.panel.single.error.label": "1 个错误",
+ "markers.panel.multiple.errors.label": "{0} 个错误",
+ "markers.panel.single.warning.label": "1 条警告",
+ "markers.panel.multiple.warnings.label": "{0} 条警告",
+ "markers.panel.single.info.label": "1 条信息",
+ "markers.panel.multiple.infos.label": "{0} 条信息",
+ "markers.panel.single.unknown.label": "1 个未知",
+ "markers.panel.multiple.unknowns.label": "{0} 个未知",
+ "markers.panel.at.ln.col.number": "[{0}, {1}]",
+ "problems.tree.aria.label.resource": "在文件夹 {2} 的文件 {1} 中有 {0} 个问题",
+ "problems.tree.aria.label.marker.relatedInformation": "此问题包含对 {0} 个位置的引用。",
+ "problems.tree.aria.label.error.marker": "{0} 生成的错误: {2} 行 {3} 列,{1}。{4}",
+ "problems.tree.aria.label.error.marker.nosource": "错误: {1} 行 {2} 列,{0}。{3}",
+ "problems.tree.aria.label.warning.marker": "{0} 生成的警告: {2} 行 {3} 列,{1}。{4}",
+ "problems.tree.aria.label.warning.marker.nosource": "警告: {1} 行 {2} 列,{0}。{3}",
+ "problems.tree.aria.label.info.marker": "{0} 生成的信息: {2} 行 {3} 列,{1}。{4}",
+ "problems.tree.aria.label.info.marker.nosource": "信息: {1} 行 {2} 列,{0}。{3}",
+ "problems.tree.aria.label.marker": "{0} 生成的问题: {2} 行 {3} 列,{1}。{4}",
+ "problems.tree.aria.label.marker.nosource": "问题: {1} 行 {2} 列,{0}。{3}",
+ "problems.tree.aria.label.relatedinfo.message": "{3} 的 {1} 行 {2} 列,{0}",
+ "errors.warnings.show.label": "显示错误和警告"
+ },
+ "vs/workbench/contrib/markers/browser/markers": {
+ "totalProblems": "总计 {0} 个问题"
+ },
+ "vs/workbench/contrib/markers/browser/markersFileDecorations": {
+ "label": "问题",
+ "tooltip.1": "此文件存在 1 个问题",
+ "tooltip.N": "此文件存在 {0} 个问题",
+ "markers.showOnFile": "在文件和文件夹上显示错误和警告。"
+ },
+ "vs/workbench/contrib/markers/browser/markersTreeViewer": {
+ "problemsView": "问题视图",
+ "expandedIcon": "在标记视图中指示多个线条已显示的图标。",
+ "collapsedIcon": "在标记视图中指示多个线条已折叠的图标。",
+ "single line": "在单行中显示消息",
+ "multi line": "在多行中显示消息",
+ "links.navigate.follow": "关注链接",
+ "links.navigate.kb.meta": "ctrl + 单击",
+ "links.navigate.kb.meta.mac": "cmd + 单击",
+ "links.navigate.kb.alt.mac": "option + 单击",
+ "links.navigate.kb.alt": "alt + 单击"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/coreActions": {
+ "notebookActions.category": "笔记本",
+ "notebookActions.execute": "执行单元格",
+ "notebookActions.cancel": "停止单元格执行",
+ "notebookActions.executeCell": "执行单元格",
+ "notebookActions.CancelCell": "取消执行",
+ "notebookActions.deleteCell": "删除单元格",
+ "notebookActions.executeAndSelectBelow": "执行笔记本单元格并在下方选择",
+ "notebookActions.executeAndInsertBelow": "执行笔记本单元格并在下方插入",
+ "notebookActions.renderMarkdown": "呈现所有 Markdown 单元格",
+ "notebookActions.executeNotebook": "执行笔记本",
+ "notebookActions.cancelNotebook": "取消笔记本执行",
+ "notebookMenu.insertCell": "插入单元格",
+ "notebookMenu.cellTitle": "笔记本单元格",
+ "notebookActions.menu.executeNotebook": "执行笔记本(运行所有单元格)",
+ "notebookActions.menu.cancelNotebook": "停止笔记本执行",
+ "notebookActions.changeCellToCode": "将单元格更改为代码",
+ "notebookActions.changeCellToMarkdown": "将单元格更改为 Markdown",
+ "notebookActions.insertCodeCellAbove": "在上方插入代码单元格",
+ "notebookActions.insertCodeCellBelow": "在下方插入代码单元格",
+ "notebookActions.insertCodeCellAtTop": "在顶部添加代码单元格",
+ "notebookActions.insertMarkdownCellAtTop": "在顶部添加 Markdown 单元格",
+ "notebookActions.menu.insertCode": "$(add)代码",
+ "notebookActions.menu.insertCode.tooltip": "添加代码单元格",
+ "notebookActions.insertMarkdownCellAbove": "在上方插入 Markdown 单元格",
+ "notebookActions.insertMarkdownCellBelow": "在下方插入 Markdown 单元格",
+ "notebookActions.menu.insertMarkdown": "$(add)标记",
+ "notebookActions.menu.insertMarkdown.tooltip": "添加 Markdown 单元格",
+ "notebookActions.editCell": "编辑单元格",
+ "notebookActions.quitEdit": "停止编辑单元格",
+ "notebookActions.moveCellUp": "上移单元格",
+ "notebookActions.moveCellDown": "下移单元格",
+ "notebookActions.copy": "复制单元格",
+ "notebookActions.cut": "剪切单元格",
+ "notebookActions.paste": "粘贴单元格",
+ "notebookActions.pasteAbove": "在上方粘贴单元格",
+ "notebookActions.copyCellUp": "向上复制单元格",
+ "notebookActions.copyCellDown": "向下复制单元格",
+ "cursorMoveDown": "聚焦下一个单元格编辑器",
+ "cursorMoveUp": "聚焦上一个单元格编辑器",
+ "focusOutput": "聚焦活动单元格输出",
+ "focusOutputOut": "解除活动单元格输出聚焦",
+ "focusFirstCell": "聚焦第一个单元格",
+ "focusLastCell": "聚焦最后一个单元格",
+ "clearCellOutputs": "清除单元格输出",
+ "changeLanguage": "更改单元格语言",
+ "languageDescription": "({0}) - 当前语言",
+ "languageDescriptionConfigured": "({0})",
+ "pickLanguageToConfigure": "选择语言模式",
+ "clearAllCellsOutputs": "清除所有单元格输出",
+ "notebookActions.splitCell": "拆分单元格",
+ "notebookActions.joinCellAbove": "加入上一个单元格",
+ "notebookActions.joinCellBelow": "加入下一个单元格",
+ "notebookActions.centerActiveCell": "中心活动单元格",
+ "notebookActions.collapseCellInput": "折叠单元格输入",
+ "notebookActions.expandCellContent": "展开单元格内容",
+ "notebookActions.collapseCellOutput": "折叠单元格输出",
+ "notebookActions.expandCellOutput": "展开单元格输出",
+ "notebookActions.inspectLayout": "检查笔记本布局"
+ },
+ "vs/workbench/contrib/notebook/browser/notebook.contribution": {
+ "diffLeftRightLabel": "{0} ⟷ {1}",
+ "notebookConfigurationTitle": "笔记本",
+ "notebook.displayOrder.description": "输出项 mime 类型的优先级列表",
+ "notebook.cellToolbarLocation.description": "应在何处显示单元格工具栏,或是否隐藏它。",
+ "notebook.showCellStatusbar.description": "是否应显示单元格状态栏。",
+ "notebook.diff.enablePreview.description": "是否对笔记本使用增强的文本差异编辑器。"
+ },
+ "vs/workbench/contrib/notebook/browser/notebookIcons": {
+ "configureKernel": "在笔记本编辑器的内核配置小组件中配置图标。",
+ "selectKernelIcon": "配置用于在笔记本编辑器中选择内核的图标。",
+ "executeIcon": "笔记本编辑器中的执行图标。",
+ "stopIcon": "用于在笔记本编辑器中停止执行的图标。",
+ "deleteCellIcon": "用于在笔记本编辑器中删除单元格的图标。",
+ "executeAllIcon": "用于在笔记本编辑器中执行所有单元格的图标。",
+ "editIcon": "用于在笔记本编辑器中编辑单元格的图标。",
+ "stopEditIcon": "用于在笔记本编辑器中停止编辑单元格的图标。",
+ "moveUpIcon": "用于在笔记本编辑器中上移单元格的图标。",
+ "moveDownIcon": "用于在笔记本编辑器中下移单元格的图标。",
+ "clearIcon": "用于在笔记本编辑器中清除单元格输出的图标。",
+ "splitCellIcon": "用于在笔记本编辑器中拆分单元格的图标。",
+ "unfoldIcon": "用于在笔记本编辑器中展开单元格的图标。",
+ "successStateIcon": "用于在笔记本编辑器中指示成功状态的图标。",
+ "errorStateIcon": "用于在笔记本编辑器中指示错误状态的图标。",
+ "collapsedIcon": "用于在笔记本编辑器中批注已折叠部分的图标。",
+ "expandedIcon": "用于在笔记本编辑器中批注已展开部分的图标。",
+ "openAsTextIcon": "用于在文本编辑器中打开笔记本的图标。",
+ "revertIcon": "笔记本编辑器中的还原图标。",
+ "mimetypeIcon": "MIME 类型笔记本编辑器的图标。"
+ },
+ "vs/workbench/contrib/notebook/browser/notebookEditor": {
+ "fail.noEditor": "无法使用类型为“{0}”的笔记本编辑器打开资源,请检查是否已安装或启用了正确的扩展。",
+ "fail.reOpen": "使用 VS Code 标准文本编辑器重新打开文件"
+ },
+ "vs/workbench/contrib/notebook/browser/notebookServiceImpl": {
+ "builtinProviderDisplayName": "内置"
+ },
+ "vs/workbench/contrib/notebook/browser/diff/notebookTextDiffEditor": {
+ "notebookTreeAriaLabel": "笔记本文本差异"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/find/findController": {
+ "notebookActions.hideFind": "隐藏“在笔记本中查找”",
+ "notebookActions.findInNotebook": "在笔记本中查找"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/fold/folding": {
+ "fold.cell": "折叠单元格",
+ "unfold.cell": "展开单元格"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/format/formatting": {
+ "format.title": "设置笔记本的格式",
+ "label": "设置笔记本的格式",
+ "formatCell.label": "设置单元格格式"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/status/editorStatus": {
+ "notebookActions.selectKernel": "选择笔记本内核",
+ "notebook.runCell.selectKernel": "选择要运行此笔记本的笔记本内核",
+ "currentActiveKernel": "(当前处于活动状态)",
+ "notebook.promptKernel.setDefaultTooltip": "设置为 \"{0}\" 的默认内核提供程序",
+ "chooseActiveKernel": "为当前笔记本选择内核",
+ "notebook.selectKernel": "为当前笔记本选择内核"
+ },
+ "vs/workbench/contrib/notebook/browser/diff/notebookDiffActions": {
+ "notebook.diff.switchToText": "打开文本差异编辑器",
+ "notebook.diff.cell.revertMetadata": "还原元数据",
+ "notebook.diff.cell.revertOutputs": "还原输出",
+ "notebook.diff.cell.revertInput": "还原输入"
+ },
+ "vs/workbench/contrib/notebook/browser/extensionPoint": {
+ "contributes.notebook.provider": "提供笔记本文档处理程序。",
+ "contributes.notebook.provider.viewType": "笔记本的唯一标识符。",
+ "contributes.notebook.provider.displayName": "笔记本的可读名称。",
+ "contributes.notebook.provider.selector": "适用于笔记本的一组 glob 模式。",
+ "contributes.notebook.provider.selector.filenamePattern": "启用笔记本的 glob 模式。",
+ "contributes.notebook.selector.provider.excludeFileNamePattern": "禁用笔记本的 glob 模式。",
+ "contributes.priority": "控制在用户打开文件时是否自动启用自定义编辑器。用户可能会使用 \"workbench.editorAssociations\" 设置覆盖此项。",
+ "contributes.priority.default": "在用户打开资源时自动使用此编辑器,前提是没有为该资源注册其他默认的自定义编辑器。",
+ "contributes.priority.option": "在用户打开资源时不会自动使用此编辑器,但用户可使用 `Reopen With` 命令切换到此编辑器。",
+ "contributes.notebook.renderer": "提供笔记本输出渲染器。",
+ "contributes.notebook.renderer.viewType": "笔记本输出渲染器的唯一标识符。",
+ "contributes.notebook.provider.viewType.deprecated": "将 \"viewType\" 重命名为 \"id\"。",
+ "contributes.notebook.renderer.displayName": "笔记本输出渲染器的可读名称。",
+ "contributes.notebook.selector": "适用于笔记本的一组 glob 模式。",
+ "contributes.notebook.renderer.entrypoint": "要在 Web 视图中加载用于呈现扩展的文件。"
+ },
+ "vs/workbench/contrib/notebook/browser/notebookKernelAssociation": {
+ "notebook.kernelProviderAssociations": "定义一个默认内核提供程序,该提供程序优先于所有其他内核提供程序设置。必须是提供内核提供程序的扩展的标识符。"
+ },
+ "vs/workbench/contrib/notebook/common/model/notebookTextModel": {
+ "defaultEditLabel": "编辑"
+ },
+ "vs/workbench/contrib/notebook/common/notebookEditorModel": {
+ "notebook.staleSaveError": "文件内容在磁盘上已更改。是要打开更新的版本还是使用所作更改覆盖该文件?",
+ "notebook.staleSaveError.revert": "还原",
+ "notebook.staleSaveError.overwrite.": "覆盖"
+ },
+ "vs/workbench/contrib/notebook/browser/notebookEditorWidget": {
+ "notebookTreeAriaLabel": "笔记本",
+ "notebook.runCell.selectKernel": "选择要运行此笔记本的笔记本内核",
+ "notebook.promptKernel.setDefaultTooltip": "设置为 \"{0}\" 的默认内核提供程序",
+ "notebook.cellBorderColor": "笔记本单元格的边框颜色。",
+ "notebook.focusedEditorBorder": "笔记本单元格编辑器边框的颜色。",
+ "notebookStatusSuccessIcon.foreground": "单元格状态栏中笔记本单元格的错误图标颜色。",
+ "notebookStatusErrorIcon.foreground": "单元格状态栏中笔记本单元格的错误图标颜色。",
+ "notebookStatusRunningIcon.foreground": "单元格状态栏中笔记本单元格的“正在运行”图标颜色。",
+ "notebook.outputContainerBackgroundColor": "笔记本输出容器背景的颜色。",
+ "notebook.cellToolbarSeparator": "单元格底部工具栏中分隔符的颜色",
+ "focusedCellBackground": "将焦点放在单元格上时单元格的背景色。",
+ "notebook.cellHoverBackground": "将鼠标悬停在单元格上时单元格的背景色。",
+ "notebook.selectedCellBorder": "选中单元格但未将焦点放在其上时单元格上边框和下边框的颜色。",
+ "notebook.focusedCellBorder": "将焦点放在单元格上时单元格上边框和下边框的颜色。",
+ "notebook.cellStatusBarItemHoverBackground": "笔记本单元格状态栏项的背景色。",
+ "notebook.cellInsertionIndicator": "笔记本单元格插入指示符的颜色。",
+ "notebookScrollbarSliderBackground": "笔记本滚动条滑块的背景色。",
+ "notebookScrollbarSliderHoverBackground": "悬停时笔记本滚动条滑块的背景色。",
+ "notebookScrollbarSliderActiveBackground": "单击时笔记本滚动条滑块的背景色。",
+ "notebook.symbolHighlightBackground": "突出显示的单元格的背景色"
+ },
+ "vs/workbench/contrib/notebook/browser/view/renderers/cellRenderer": {
+ "cellExpandButtonLabel": "展开"
+ },
+ "vs/workbench/contrib/notebook/browser/viewModel/markdownCellViewModel": {
+ "notebook.emptyMarkdownPlaceholder": "空白 Markdown 单元格,请双击或按 Enter 进行编辑。"
+ },
+ "vs/workbench/contrib/notebook/browser/view/renderers/cellWidgets": {
+ "notebook.cell.status.language": "选择单元格语言模式"
+ },
+ "vs/workbench/contrib/notebook/browser/view/renderers/cellOutput": {
+ "mimeTypePicker": "选择其他输出 MIME 类型,可用的 MIME 类型: {0}",
+ "curruentActiveMimeType": "当前处于活动状态",
+ "promptChooseMimeTypeInSecure.placeHolder": "选择要为当前输出呈现的 mimetype。仅当笔记本受信任时,丰富 mimetype 才可用",
+ "promptChooseMimeType.placeHolder": "为当前项选择要渲染的 mime 类型",
+ "builtinRenderInfo": "内置"
+ },
+ "vs/workbench/contrib/outline/browser/outline.contribution": {
+ "outlineViewIcon": "查看大纲视图的图标。",
+ "name": "大纲",
+ "outlineConfigurationTitle": "大纲",
+ "outline.showIcons": "显示大纲元素的图标。",
+ "outline.showProblem": "显示大纲元素上的错误和警告。",
+ "outline.problem.colors": "对错误和警告添加颜色。",
+ "outline.problems.badges": "对错误和警告使用徽章。",
+ "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": "启用后,大纲将显示 \"null\" 符号。",
+ "filteredTypes.enumMember": "启用后,大纲将显示“枚举成员”符号。",
+ "filteredTypes.struct": "启用后,大纲将显示“结构”符号。",
+ "filteredTypes.event": "启用后,大纲将显示“事件”符号。",
+ "filteredTypes.operator": "启用时,大纲显示“运算符”符号。",
+ "filteredTypes.typeParameter": "启用后,大纲将显示 \"typeParameter\" 符号。"
+ },
+ "vs/workbench/contrib/outline/browser/outlinePane": {
+ "outline": "大纲",
+ "sortByPosition": "排序依据: 位置",
+ "sortByName": "排序依据: 名称",
+ "sortByKind": "排序方式: 类别",
+ "followCur": "跟随光标",
+ "filterOnType": "在输入时筛选",
+ "no-editor": "活动编辑器无法提供大纲信息。",
+ "loading": "正在加载“{0}”的文档符号...",
+ "no-symbols": "在文档“{0}”中找不到符号"
+ },
+ "vs/workbench/contrib/output/browser/output.contribution": {
+ "outputViewIcon": "查看输出视图的图标。",
+ "output": "输出",
+ "logViewer": "日志查看器",
+ "switchToOutput.label": "切换到输出",
+ "clearOutput.label": "清除输出",
+ "outputCleared": "输出被清除",
+ "toggleAutoScroll": "切换自动滚动",
+ "outputScrollOff": "关闭自动滚动",
+ "outputScrollOn": "打开自动滚动",
+ "openActiveLogOutputFile": "打开日志输出文件",
+ "toggleOutput": "切换输出",
+ "showLogs": "显示日志...",
+ "selectlog": "选择日志",
+ "openLogFile": "打开日志文件...",
+ "selectlogFile": "选择日志文件",
+ "miToggleOutput": "输出(&&O)",
+ "output.smartScroll.enabled": "在输出视图中启用或禁用「智能滚动」。「智能滚动」会自动在你点击输出视图时锁定滚动,并在你点击最后一行时解锁滚动。"
+ },
+ "vs/workbench/contrib/output/browser/outputView": {
+ "output model title": "{0} - 输出",
+ "channel": "“{0}”的输出通道",
+ "output": "输出",
+ "outputViewWithInputAriaLabel": "{0},输出面板",
+ "outputViewAriaLabel": "输出面板",
+ "outputChannels": "输出通道。",
+ "logChannel": "日志 ({0})"
+ },
+ "vs/workbench/contrib/output/browser/logViewer": {
+ "logViewerAriaLabel": "日志查看器"
+ },
+ "vs/workbench/contrib/performance/electron-browser/startupProfiler": {
+ "prof.message": "成功创建的配置文件。",
+ "prof.detail": "请创建问题并手动附加以下文件:\r\n{0}",
+ "prof.restartAndFileIssue": "创建问题并重启(&&C)",
+ "prof.restart": "重启(&&R)",
+ "prof.thanks": "感谢您的帮助。",
+ "prof.detail.restart": "需要重新启动才能继续使用“{0}”。再次感谢您的贡献。",
+ "prof.restart.button": "重启(&&R)"
+ },
+ "vs/workbench/contrib/performance/browser/performance.contribution": {
+ "show.label": "启动性能"
+ },
+ "vs/workbench/contrib/performance/browser/perfviewEditor": {
+ "name": "启动性能"
+ },
+ "vs/workbench/contrib/preferences/browser/keybindingsEditorContribution": {
+ "defineKeybinding.start": "定义键绑定",
+ "defineKeybinding.kbLayoutErrorMessage": "在当前键盘布局下无法生成此组合键。",
+ "defineKeybinding.kbLayoutLocalAndUSMessage": "在你的键盘布局上为 **{0}**(美国标准布局上为 **{1}**)。",
+ "defineKeybinding.kbLayoutLocalMessage": "在你的键盘布局上为 **{0}**。"
+ },
+ "vs/workbench/contrib/preferences/browser/preferences.contribution": {
+ "defaultPreferencesEditor": "默认首选项编辑器",
+ "settingsEditor2": "设置编辑器 2",
+ "keybindingsEditor": "键绑定编辑器",
+ "openSettings2": "打开设置 (ui)",
+ "preferences": "首选项",
+ "settings": "设置",
+ "miOpenSettings": "设置(&&S)",
+ "openSettingsJson": "打开设置 (json)",
+ "openGlobalSettings": "打开用户设置",
+ "openRawDefaultSettings": "打开默认设置(JSON)",
+ "openWorkspaceSettings": "打开工作区设置",
+ "openWorkspaceSettingsFile": "打开工作区设置(JSON)",
+ "openFolderSettings": "打开文件夹设置",
+ "openFolderSettingsFile": "打开文件夹设置(JSON)",
+ "filterModifiedLabel": "显示已修改设置",
+ "filterOnlineServicesLabel": "显示联机服务设置",
+ "miOpenOnlineSettings": "联机服务设置(&&O)",
+ "onlineServices": "在线服务设置",
+ "openRemoteSettings": "打开远程设置({0})",
+ "settings.focusSearch": "聚焦到设置搜索",
+ "settings.clearResults": "清除设置搜索结果",
+ "settings.focusFile": "聚焦到设置文件",
+ "settings.focusNextSetting": "关注下一个设置",
+ "settings.focusPreviousSetting": "聚焦上一个设置",
+ "settings.editFocusedSetting": "编辑焦点设置",
+ "settings.focusSettingsList": "聚焦设置列表",
+ "settings.focusSettingsTOC": "聚焦到设置目录",
+ "settings.focusSettingControl": "焦点设置控制",
+ "settings.showContextMenu": "显示设置上下文菜单",
+ "settings.focusLevelUp": "将焦点上移一级",
+ "openGlobalKeybindings": "打开键盘快捷方式",
+ "Keyboard Shortcuts": "键盘快捷方式",
+ "openDefaultKeybindingsFile": "打开默认键盘快捷键(JSON)",
+ "openGlobalKeybindingsFile": "打开键盘快捷方式(JSON)",
+ "showDefaultKeybindings": "显示默认按键绑定",
+ "showUserKeybindings": "显示用户按键绑定",
+ "clear": "清除搜索结果",
+ "miPreferences": "首选项(&&P)"
+ },
+ "vs/workbench/contrib/preferences/browser/keybindingWidgets": {
+ "defineKeybinding.initial": "先按所需的组合键,再按 Enter 键。",
+ "defineKeybinding.oneExists": "已有 1 条命令的按键绑定与此相同",
+ "defineKeybinding.existing": "已有 {0} 条命令的按键绑定与此相同",
+ "defineKeybinding.chordsTo": "加上"
+ },
+ "vs/workbench/contrib/preferences/browser/keybindingsEditor": {
+ "recordKeysLabel": "录制按键",
+ "recordKeysLabelWithKeybinding": "{0} ({1})",
+ "sortByPrecedeneLabel": "按优先级排序",
+ "sortByPrecedeneLabelWithKeybinding": "{0} ({1})",
+ "SearchKeybindings.FullTextSearchPlaceholder": "在此键入搜索按键绑定",
+ "SearchKeybindings.KeybindingsSearchPlaceholder": "正在录制按键。按 Esc 键退出",
+ "clearInput": "清除键绑定搜索输入",
+ "recording": "正在录制按键",
+ "command": "命令",
+ "keybinding": "键绑定",
+ "when": "当",
+ "source": "源",
+ "show sorted keybindings": "按优先级顺序显示 {0} 个按键绑定",
+ "show keybindings": "按字母顺序显示 {0} 个按键绑定",
+ "changeLabel": "更改键绑定…",
+ "addLabel": "添加键绑定…",
+ "editWhen": "更改 When 表达式",
+ "removeLabel": "删除键绑定",
+ "resetLabel": "重置按键绑定",
+ "showSameKeybindings": "显示相同的按键绑定",
+ "copyLabel": "复制",
+ "copyCommandLabel": "复制命令 ID",
+ "error": "编辑按键绑定时发生错误“{0}”。请打开 \"keybindings.json\" 文件并检查错误。",
+ "editKeybindingLabelWithKey": "更改键绑定 {0}",
+ "editKeybindingLabel": "更改键绑定",
+ "addKeybindingLabelWithKey": "添加按键绑定 {0}",
+ "addKeybindingLabel": "添加键绑定",
+ "title": "{0} ({1})",
+ "whenContextInputAriaLabel": "请键入 when 上下文。按 Enter 进行确认,按 Esc 取消。",
+ "keybindingsLabel": "键绑定",
+ "noKeybinding": "未分配键绑定。",
+ "noWhen": "没有时间上下文。"
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesActions": {
+ "configureLanguageBasedSettings": "配置语言特定的设置...",
+ "languageDescriptionConfigured": "({0})",
+ "pickLanguage": "选择语言"
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesEditor": {
+ "SearchSettingsWidget.AriaLabel": "搜索设置",
+ "SearchSettingsWidget.Placeholder": "搜索设置",
+ "noSettingsFound": "未找到设置",
+ "oneSettingFound": "找到 1 个设置",
+ "settingsFound": "找到 {0} 个设置",
+ "totalSettingsMessage": "总计 {0} 个设置",
+ "nlpResult": "自然语言结果",
+ "filterResult": "筛选结果",
+ "defaultSettings": "默认设置",
+ "defaultUserSettings": "默认用户设置",
+ "defaultWorkspaceSettings": "默认工作区设置",
+ "defaultFolderSettings": "默认文件夹设置",
+ "defaultEditorReadonly": "在右侧编辑器中编辑以覆盖默认值。",
+ "preferencesAriaLabel": "默认首选项。只读编辑器。"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsEditor2": {
+ "SearchSettings.AriaLabel": "搜索设置",
+ "clearInput": "清除设置搜索输入",
+ "noResults": "未找到设置",
+ "clearSearchFilters": "清除筛选",
+ "settings": "设置",
+ "settingsNoSaveNeeded": "自动保存对设置所做的更改。",
+ "oneResult": "找到 1 个设置",
+ "moreThanOneResult": "找到 {0} 个设置",
+ "turnOnSyncButton": "打开设置同步",
+ "lastSyncedLabel": "上次同步时间: {0}"
+ },
+ "vs/workbench/contrib/preferences/common/preferencesContribution": {
+ "enableNaturalLanguageSettingsSearch": "控制是否在设置中启用自然语言搜索。自然语言搜索由 Microsoft 联机服务提供。",
+ "settingsSearchTocBehavior.hide": "在搜索时隐藏目录。",
+ "settingsSearchTocBehavior.filter": "筛选目录为仅显示含有匹配设置的类别。单击一个类别将仅显示该类别的结果。",
+ "settingsSearchTocBehavior": "控制设置编辑器的目录在搜索时的行为。"
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesIcons": {
+ "settingsGroupExpandedIcon": "“拆分 JSON 设置”编辑器中已展开部分的图标。",
+ "settingsGroupCollapsedIcon": "“拆分 JSON 设置”编辑器中已折叠部分的图标。",
+ "settingsScopeDropDownIcon": "“拆分 JSON 设置”编辑器中“文件夹”下拉按钮的图标。",
+ "settingsMoreActionIcon": "设置 UI 中“更多操作”操作的图标。",
+ "keybindingsRecordKeysIcon": "键绑定 UI 中“记录密钥”操作的图标。",
+ "keybindingsSortIcon": "键绑定 UI 中“按优先级排序”切换开关的图标。",
+ "keybindingsEditIcon": "键绑定 UI 中“编辑”操作的图标。",
+ "keybindingsAddIcon": "键绑定 UI 中“添加”操作的图标。",
+ "settingsEditIcon": "设置 UI 中“编辑”操作的图标。",
+ "settingsAddIcon": "设置 UI 中“添加”操作的图标。",
+ "settingsRemoveIcon": "设置 UI 中“删除”操作的图标。",
+ "preferencesDiscardIcon": "设置 UI 中“放弃”操作的图标。",
+ "preferencesClearInput": "设置和键绑定 UI 中的“清除输入”图标。",
+ "preferencesOpenSettings": "“打开设置”命令的图标。"
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesWidgets": {
+ "defaultSettings": "请将设置放在右侧编辑器中进行替代。",
+ "noSettingsFound": "未找到设置。",
+ "settingsSwitcherBarAriaLabel": "设置转换器",
+ "userSettings": "用户",
+ "userSettingsRemote": "远程",
+ "workspaceSettings": "工作区",
+ "folderSettings": "文件夹"
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesRenderers": {
+ "emptyUserSettingsHeader": "将设置放在此处以覆盖 \"默认设置\"。",
+ "emptyWorkspaceSettingsHeader": "将设置放在此处以覆盖 \"用户设置\"。",
+ "emptyFolderSettingsHeader": "将文件夹设置放在此处以覆盖 \"工作区设置\"。",
+ "editTtile": "编辑",
+ "replaceDefaultValue": "在设置中替换",
+ "copyDefaultValue": "复制到设置",
+ "unknown configuration setting": "未知的配置设置",
+ "unsupportedRemoteMachineSetting": "此设置无法在此窗口中应用。当您打开本地窗口时,它将被应用。",
+ "unsupportedWindowSetting": "此设置无法应用于此工作区。它将在您直接打开包含的工作区文件夹时应用。",
+ "unsupportedApplicationSetting": "此设置只能应用于应用程序的用户设置",
+ "unsupportedMachineSetting": "只能在本地窗口的用户设置中或者远程窗口的远程设置中应用此设置。",
+ "unsupportedProperty": "不支持的属性"
+ },
+ "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": "调试",
+ "scm": "源代码管理",
+ "extensions": "扩展",
+ "terminal": "终端",
+ "task": "任务",
+ "problems": "问题",
+ "output": "输出",
+ "comments": "评论",
+ "remote": "远程",
+ "timeline": "时间线",
+ "notebook": "笔记本",
+ "application": "应用程序",
+ "proxy": "代理服务器",
+ "keyboard": "键盘",
+ "update": "更新",
+ "telemetry": "遥测",
+ "settingsSync": "设置同步"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsTree": {
+ "extensions": "扩展",
+ "extensionSyncIgnoredLabel": "同步: 已忽略",
+ "modified": "已修改",
+ "settingsContextMenuTitle": "更多操作...",
+ "alsoConfiguredIn": "同时修改于",
+ "configuredIn": "修改于",
+ "newExtensionsButtonLabel": "显示匹配的扩展",
+ "editInSettingsJson": "在 settings.json 中编辑",
+ "settings.Default": "默认",
+ "resetSettingLabel": "重置此设置",
+ "validationError": "验证错误。",
+ "settings.Modified": "已修改。",
+ "settings": "设置",
+ "copySettingIdLabel": "复制设置 id",
+ "copySettingAsJSONLabel": "将设置复制为 JSON 文本",
+ "stopSyncingSetting": "同步此设置"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsTreeModels": {
+ "workspace": "工作区",
+ "remote": "远程",
+ "user": "用户"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsWidgets": {
+ "headerForeground": "节标题或活动标题的前景颜色。",
+ "modifiedItemForeground": "修改后的设置指示器的颜色。",
+ "settingsDropdownBackground": "设置编辑器下拉列表背景色。",
+ "settingsDropdownForeground": "设置编辑器下拉列表前景色。",
+ "settingsDropdownBorder": "设置编辑器下拉列表边框。",
+ "settingsDropdownListBorder": "设置编辑器下拉列表边框。这会将选项包围起来,并将选项与描述分开。",
+ "settingsCheckboxBackground": "设置编辑器复选框背景。",
+ "settingsCheckboxForeground": "设置编辑器复选框前景。",
+ "settingsCheckboxBorder": "设置编辑器复选框边框。",
+ "textInputBoxBackground": "设置编辑器文本输入框背景。",
+ "textInputBoxForeground": "设置编辑器文本输入框前景。",
+ "textInputBoxBorder": "设置编辑器文本输入框边框。",
+ "numberInputBoxBackground": "设置编辑器编号输入框背景。",
+ "numberInputBoxForeground": "设置编辑器编号输入框前景。",
+ "numberInputBoxBorder": "设置编辑器编号输入框边框。",
+ "focusedRowBackground": "聚焦时设置行的背景色。",
+ "notebook.rowHoverBackground": "悬停时设置行的背景色。",
+ "notebook.focusedRowBorder": "将焦点放在行上时行的上边框和下边框的颜色。",
+ "okButton": "确定",
+ "cancelButton": "取消",
+ "listValueHintLabel": "列出项目\"{0}\"",
+ "listSiblingHintLabel": "列出与\"${1}\"同级的项目\"{0}\"",
+ "removeItem": "删除项",
+ "editItem": "编辑项",
+ "addItem": "添加项",
+ "itemInputPlaceholder": "字符串项...",
+ "listSiblingInputPlaceholder": "同级...",
+ "excludePatternHintLabel": "排除与“{0}”匹配的文件",
+ "excludeSiblingHintLabel": "仅当存在匹配“{1}”的文件时,才排除匹配“{0}”的文件",
+ "removeExcludeItem": "删除排除项",
+ "editExcludeItem": "编辑排除项目",
+ "addPattern": "添加模式",
+ "excludePatternInputPlaceholder": "排除项的模式...",
+ "excludeSiblingInputPlaceholder": "当符合此模式的项目存在时...",
+ "objectKeyInputPlaceholder": "键",
+ "objectValueInputPlaceholder": "值",
+ "objectPairHintLabel": "属性“{0}”设置为“{1}”。",
+ "resetItem": "重置项",
+ "objectKeyHeader": "项",
+ "objectValueHeader": "值"
+ },
+ "vs/workbench/contrib/preferences/browser/tocTree": {
+ "settingsTOC": "设置目录",
+ "groupRowAriaLabel": "{0},组"
+ },
+ "vs/workbench/contrib/quickaccess/browser/quickAccess.contribution": {
+ "helpQuickAccessPlaceholder": "键入\"{0}\"以获取有关可在此处执行的操作的帮助。",
+ "helpQuickAccess": "显示所有快速访问提供程序",
+ "viewQuickAccessPlaceholder": "键入要打开的视图、输出通道或终端的名称。",
+ "viewQuickAccess": "打开视图",
+ "commandsQuickAccessPlaceholder": "键入要运行的命令的名称。",
+ "commandsQuickAccess": "显示并运行命令",
+ "miCommandPalette": "命令面板(&&C)…",
+ "miOpenView": "打开视图(&&O)…",
+ "miGotoSymbolInEditor": "转到编辑器中的符号(&&S)…",
+ "miGotoLine": "转到行/列(&&L)…",
+ "commandPalette": "命令面板..."
+ },
+ "vs/workbench/contrib/quickaccess/browser/viewQuickAccess": {
+ "noViewResults": "没有匹配的视图",
+ "views": "侧边栏",
+ "panels": "面板",
+ "terminalTitle": "{0}: {1}",
+ "terminals": "终端",
+ "logChannel": "日志 ({0})",
+ "channels": "输出",
+ "openView": "打开视图",
+ "quickOpenView": "Quick Open 视图"
+ },
+ "vs/workbench/contrib/quickaccess/browser/commandsQuickAccess": {
+ "noCommandResults": "没有匹配的命令",
+ "configure keybinding": "配置键绑定",
+ "commandWithCategory": "{0}: {1}",
+ "showTriggerActions": "显示所有命令",
+ "clearCommandHistory": "清除命令历史记录"
+ },
+ "vs/workbench/contrib/relauncher/browser/relauncher.contribution": {
+ "relaunchSettingMessage": "设置已更改,需要重启才能生效。",
+ "relaunchSettingMessageWeb": "设置已更改,需要重新加载才能生效。",
+ "relaunchSettingDetail": "按下“重启”按钮以重新启动 {0} 并启用该设置。",
+ "relaunchSettingDetailWeb": "按重新加载按钮重新加载{0}并启用该设置。",
+ "restart": "重启(&&R)",
+ "restartWeb": "重载(&&R)"
+ },
+ "vs/workbench/contrib/remote/electron-sandbox/remote.contribution": {
+ "remote": "远程",
+ "remote.downloadExtensionsLocally": "启用后,扩展将本地下载并安装在远程上。"
+ },
+ "vs/workbench/contrib/remote/common/remote.contribution": {
+ "remoteExtensionLog": "远程服务器",
+ "ui": "UI 扩展类型。在远程窗口中,只有在本地计算机上可用时,才会启用此类扩展。",
+ "workspace": "工作区扩展类型。在远程窗口中,仅在远程上可用时启用此类扩展。",
+ "web": "Web 辅助进程扩展类型。此类扩展可在 Web 辅助进程扩展主机中执行。",
+ "remote": "远程",
+ "remote.extensionKind": "覆盖扩展的类型。\"ui\" 扩展在本地计算机上安装和运行,而 \"workspace\" 扩展则在远程计算机上运行。通过使用此设置重写扩展的默认类型,可指定是否应在本地或远程安装和启用该扩展。",
+ "remote.restoreForwardedPorts": "还原您在工作区中转发的端口。",
+ "remote.autoForwardPorts": "启用后,将检测新的正在运行的进程,并自动转发其侦听的端口。"
+ },
+ "vs/workbench/contrib/remote/browser/remote": {
+ "RemoteHelpInformationExtPoint": "为远程提供帮助信息",
+ "RemoteHelpInformationExtPoint.getStarted": "项目入门页面的 URL 或返回此 URL 的命令",
+ "RemoteHelpInformationExtPoint.documentation": "项目文档页面的 URL 或返回此 URL 的命令",
+ "RemoteHelpInformationExtPoint.feedback": "项目反馈报告器的 URL 或返回 URL 的命令",
+ "RemoteHelpInformationExtPoint.issues": "项目问题列表的 URL 或返回 URL 的命令",
+ "getStartedIcon": "远程资源管理器视图中的入门图标。",
+ "documentationIcon": "远程资源管理器视图中的文档图标。",
+ "feedbackIcon": "远程资源管理器视图中的反馈图标。",
+ "reviewIssuesIcon": "远程资源管理器视图中的“审阅问题”图标。",
+ "reportIssuesIcon": "远程资源管理器视图中的“报告问题”图标。",
+ "remoteExplorerViewIcon": "查看远程资源管理器视图的图标。",
+ "remote.help.getStarted": "入门",
+ "remote.help.documentation": "阅读文档",
+ "remote.help.feedback": "提供反馈",
+ "remote.help.issues": "审查问题",
+ "remote.help.report": "报告问题",
+ "pickRemoteExtension": "选择要打开的 URL",
+ "remote.help": "帮助和反馈",
+ "remotehelp": "远程帮助",
+ "remote.explorer": "远程资源管理器",
+ "toggleRemoteViewlet": "显示远程资源管理器",
+ "reconnectionWaitOne": "正在尝试在 {0} 秒内重新连接...",
+ "reconnectionWaitMany": "正在尝试在 {0} 秒内重新连接...",
+ "reconnectNow": "立即重新连接",
+ "reloadWindow": "重新加载窗口",
+ "connectionLost": "连接中断",
+ "reconnectionRunning": "正在尝试重新连接...",
+ "reconnectionPermanentFailure": "无法重新连接。请重新加载窗口。",
+ "cancel": "取消"
+ },
+ "vs/workbench/contrib/remote/browser/remoteExplorer": {
+ "ports": "端口",
+ "1forwardedPort": "1 个转发的端口",
+ "nForwardedPorts": "{0} 个转发的端口",
+ "status.forwardedPorts": "转发的端口",
+ "remote.forwardedPorts.statusbarTextNone": "未转发端口",
+ "remote.forwardedPorts.statusbarTooltip": "转发的端口: {0}",
+ "remote.tunnelsView.automaticForward": "在端口 {0} 上运行的服务可用。[查看所有可用端口](命令: {1}.focus)"
+ },
+ "vs/workbench/contrib/remote/browser/explorerViewItems": {
+ "remotes": "切换远程",
+ "remote.explorer.switch": "切换远程"
+ },
+ "vs/workbench/contrib/remote/browser/remoteIndicator": {
+ "remote.category": "远程",
+ "remote.showMenu": "显示远程菜单",
+ "remote.close": "关闭远程连接",
+ "miCloseRemote": "关闭远程连接(&&M)",
+ "host.open": "正在打开远程...",
+ "disconnectedFrom": "已与 {0} 断开连接",
+ "host.tooltipDisconnected": "已与 {0} 断开连接",
+ "host.tooltip": "正在 {0} 上编辑",
+ "noHost.tooltip": "打开远程窗口",
+ "remoteHost": "远程主机",
+ "cat.title": "{0}: {1}",
+ "closeRemote.title": "关闭远程连接"
+ },
+ "vs/workbench/contrib/remote/browser/tunnelView": {
+ "remote.tunnelsView.add": "转发端口...",
+ "remote.tunnelsView.detected": "现有隧道",
+ "remote.tunnelsView.candidates": "未转发",
+ "remote.tunnelsView.input": "按 Enter 键确认,或按 Esc 键取消。",
+ "remote.tunnelsView.forwardedPortLabel0": "{0}",
+ "remote.tunnelsView.forwardedPortLabel1": "{0} → {1}",
+ "remote.tunnelsView.forwardedPortLabel2": "{0}",
+ "remote.tunnelsView.forwardedPortDescription0": "{0} → {1}",
+ "remote.tunnel": "端口",
+ "remote.tunnel.ariaLabelForwarded": "远程端口 {0}:{1} 已转发到本地地址 {2}",
+ "remote.tunnel.ariaLabelCandidate": "远程端口 {0}:{1} 未转发",
+ "tunnelView": "隧道视图",
+ "remote.tunnel.label": "设置标签",
+ "remote.tunnelsView.labelPlaceholder": "端口标签",
+ "remote.tunnelsView.portNumberValid": "转发的端口无效。",
+ "remote.tunnelsView.portNumberToHigh": "端口号必须大于等于 0 且小于 {0}。",
+ "remote.tunnel.forward": "转发端口",
+ "remote.tunnel.forwardItem": "转发端口",
+ "remote.tunnel.forwardPrompt": "端口号或地址(例如 3000 或 10.10.10.10:2000)。",
+ "remote.tunnel.forwardError": "无法转发{0}: {1}。主机可能不可用,或者远程端口可能已被转发",
+ "remote.tunnel.closeNoPorts": "当前未转发端口。尝试运行{0}命令",
+ "remote.tunnel.close": "停止转发端口",
+ "remote.tunnel.closePlaceholder": "选择停止转发的端口",
+ "remote.tunnel.open": "在浏览器中打开",
+ "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": "本地端口 {0} 不可用。已改用端口号 {1}",
+ "remote.tunnelsView.changePort": "新的本地端口"
+ },
+ "vs/workbench/contrib/sash/browser/sash.contribution": {
+ "sashSize": "控制视图/编辑器之间拖动区域的反馈区域大小(以像素为单位)。如果你认为很难使用鼠标调整视图的大小,请将该值调大。"
+ },
+ "vs/workbench/contrib/scm/browser/scm.contribution": {
+ "sourceControlViewIcon": "查看源代码管理视图的图标。",
+ "source control": "源代码管理",
+ "no open repo": "当前没有源代码管理提供程序进行注册。",
+ "source control repositories": "源代码管理存储库",
+ "toggleSCMViewlet": "显示源代码管理",
+ "scmConfigurationTitle": "源代码管理",
+ "scm.diffDecorations.all": "显示所有可用位置中的差异装饰。",
+ "scm.diffDecorations.gutter": "仅在编辑器行号槽中显示差异装饰。",
+ "scm.diffDecorations.overviewRuler": "仅在概览标尺中显示差异装饰。",
+ "scm.diffDecorations.minimap": "仅在缩略图中显示差异装饰。",
+ "scm.diffDecorations.none": "不要显示差异装饰。",
+ "diffDecorations": "控制编辑器中差异的显示效果。",
+ "diffGutterWidth": "控制装订线中差异修饰的宽度(px)(已添加或已修改)。",
+ "scm.diffDecorationsGutterVisibility.always": "始终显示行号槽中的差异装饰器。",
+ "scm.diffDecorationsGutterVisibility.hover": "仅在悬停时显示行号槽中的差异装饰器。",
+ "scm.diffDecorationsGutterVisibility": "控制行号槽中源代码管理差异装饰器的可见性。",
+ "scm.diffDecorationsGutterAction.diff": "单击时显示内联差异一览视图。",
+ "scm.diffDecorationsGutterAction.none": "不执行任何操作。",
+ "scm.diffDecorationsGutterAction": "控制源代码管理差异装订线修饰的行为。",
+ "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": "控制默认的源代码管理存储库视图模式。",
+ "autoReveal": "控制 SCM 视图在打开文件时是否应自动显示和选择文件。",
+ "inputFontFamily": "控制输入消息的字体。将 `default` 用于工作台用户界面字体系列,将 `editor` 用于 `#editor.fontFamily#` 的值,或者使用自定义字体系列。",
+ "alwaysShowRepository": "控制存储库是否应始终在 SCM 视图中可见。",
+ "providersVisible": "控制在“源代码管理存储库”部分中可见的存储库数。设置为 \"0\", 以便能够手动调整视图的大小。",
+ "miViewSCM": "SCM(&&C)",
+ "scm accept": "源代码管理: 接受输入",
+ "scm view next commit": "SCM: 查看下一个提交",
+ "scm view previous commit": "SCM: 查看上一个提交",
+ "open in terminal": "在终端打开"
+ },
+ "vs/workbench/contrib/scm/browser/activity": {
+ "status.scm": "源代码管理",
+ "scmPendingChangesBadge": "{0} 个挂起的更改"
+ },
+ "vs/workbench/contrib/scm/browser/dirtydiffDecorator": {
+ "changes": "第 {0} 个更改 (共 {1} 个)",
+ "change": "第 {0} 个更改 (共 {1} 个)",
+ "show previous change": "显示上一个更改",
+ "show next change": "显示下一个更改",
+ "miGotoNextChange": "下一个更改(&&C)",
+ "miGotoPreviousChange": "上一个更改(&&C)",
+ "move to previous change": "移动到上一个更改",
+ "move to next change": "移动到下一个更改",
+ "editorGutterModifiedBackground": "编辑器导航线中被修改行的背景颜色。",
+ "editorGutterAddedBackground": "编辑器导航线中已插入行的背景颜色。",
+ "editorGutterDeletedBackground": "编辑器导航线中被删除行的背景颜色。",
+ "minimapGutterModifiedBackground": "修改的线的迷你地图装订线背景颜色。",
+ "minimapGutterAddedBackground": "添加的线的迷你地图装订线背景颜色。",
+ "minimapGutterDeletedBackground": "删除的线的迷你地图装订线背景颜色。",
+ "overviewRulerModifiedForeground": "概览标尺中已修改内容的颜色。",
+ "overviewRulerAddedForeground": "概览标尺中已增加内容的颜色。",
+ "overviewRulerDeletedForeground": "概览标尺中已删除内容的颜色。"
+ },
+ "vs/workbench/contrib/scm/browser/scmViewPaneContainer": {
+ "source control": "源代码管理"
+ },
+ "vs/workbench/contrib/scm/browser/scmRepositoriesViewPane": {
+ "scm": "源代码管理存储库"
+ },
+ "vs/workbench/contrib/scm/browser/scmViewPane": {
+ "scm": "源代码管理",
+ "input": "源代码管理输入",
+ "repositories": "存储库",
+ "sortAction": "查看和排序",
+ "toggleViewMode": "切换视图模式",
+ "viewModeList": "以列表形式查看",
+ "viewModeTree": "以树形式查看",
+ "sortByName": "按名称排序",
+ "sortByPath": "按路径排序",
+ "sortByStatus": "按状态排序",
+ "expand all": "展开所有存储库",
+ "collapse all": "折叠所有存储库",
+ "scm.providerBorder": "SCM 提供程序分隔符边框。"
+ },
+ "vs/workbench/contrib/search/browser/search.contribution": {
+ "search": "搜索",
+ "copyMatchLabel": "复制",
+ "copyPathLabel": "复制路径",
+ "copyAllLabel": "全部复制",
+ "revealInSideBar": "在侧边栏中显示",
+ "clearSearchHistoryLabel": "清除搜索历史记录",
+ "focusSearchListCommandLabel": "聚焦到列表",
+ "findInFolder": "在文件夹中查找...",
+ "findInWorkspace": "在工作区中查找...",
+ "showTriggerActions": "转到工作区中的符号...",
+ "name": "搜索",
+ "findInFiles.description": "打开搜索 viewlet",
+ "findInFiles.args": "搜索 viewlet 的一组选项",
+ "findInFiles": "在文件中查找",
+ "miFindInFiles": "在文件中查找(&&I)",
+ "miReplaceInFiles": "在文件中替换(&&I)",
+ "anythingQuickAccessPlaceholder": "按名称搜索文件(追加 {0} 转到行,追加 {1} 转到符号)",
+ "anythingQuickAccess": "转到文件",
+ "symbolsQuickAccessPlaceholder": "键入要打开的符号的名称。",
+ "symbolsQuickAccess": "转到工作区中的符号",
+ "searchConfigurationTitle": "搜索",
+ "exclude": "配置glob模式以在全文本搜索和快速打开中排除文件和文件夹。从“#files.exclude#”设置继承所有glob模式。在[此处](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options)了解更多关于glob模式的信息",
+ "exclude.boolean": "匹配文件路径所依据的 glob 模式。设置为 true 或 false 可启用或禁用该模式。",
+ "exclude.when": "对匹配文件的同级文件的其他检查。使用 $(basename) 作为匹配文件名的变量。",
+ "useRipgrep": "此设置已被弃用,将回退到 \"search.usePCRE2\"。",
+ "useRipgrepDeprecated": "已弃用。请考虑使用 \"search.usePCRE2\" 获取对高级正则表达式功能的支持。",
+ "search.maintainFileSearchCache": "启用后,搜索服务进程将保持活动状态,而不是在一个小时不活动后关闭。这将使文件搜索缓存保留在内存中。",
+ "useIgnoreFiles": "控制在搜索文件时是否使用 `.gitignore` 和 `.ignore` 文件。",
+ "useGlobalIgnoreFiles": "控制在搜索文件时是否使用全局 `.gitignore` 和 `.ignore` 文件。",
+ "search.quickOpen.includeSymbols": "控制 Quick Open 文件结果中是否包括全局符号搜索的结果。",
+ "search.quickOpen.includeHistory": "是否在 Quick Open 的文件结果中包含最近打开的文件。",
+ "filterSortOrder.default": "历史记录条目按与筛选值的相关性排序。首先显示更相关的条目。",
+ "filterSortOrder.recency": "历史记录条目按最近时间排序。首先显示最近打开的条目。",
+ "filterSortOrder": "控制在快速打开中筛选时编辑器历史记录的排序顺序。",
+ "search.followSymlinks": "控制是否在搜索中跟踪符号链接。",
+ "search.smartCase": "若搜索词全为小写,则不区分大小写进行搜索,否则区分大小写进行搜索。",
+ "search.globalFindClipboard": "控制“搜索”视图是否读取或修改 macOS 的共享查找剪贴板。",
+ "search.location": "控制搜索功能是显示在侧边栏,还是显示在水平空间更大的面板区域。",
+ "search.location.deprecationMessage": "此设置已弃用。请改用拖放功能,方法是拖动搜索图标。",
+ "search.collapseResults.auto": "结果少于10个的文件将被展开。其他的则被折叠。",
+ "search.collapseAllResults": "控制是折叠还是展开搜索结果。",
+ "search.useReplacePreview": "控制在选择或替换匹配项时是否打开“替换预览”视图。",
+ "search.showLineNumbers": "控制是否显示搜索结果所在的行号。",
+ "search.usePCRE2": "是否在文本搜索中使用 pcre2 正则表达式引擎。这允许使用一些高级正则表达式功能, 如前瞻和反向引用。但是, 并非所有 pcre2 功能都受支持-仅支持 javascript 也支持的功能。",
+ "usePCRE2Deprecated": "弃用。当使用仅 PCRE2 支持的正则表达式功能时,将自动使用 PCRE2。",
+ "search.actionsPositionAuto": "当搜索视图较窄时将操作栏置于右侧,当搜索视图较宽时,将它紧接在内容之后。",
+ "search.actionsPositionRight": "始终将操作栏放置在右侧。",
+ "search.actionsPosition": "在搜索视图中控制操作栏的位置。",
+ "search.searchOnType": "在键入时搜索所有文件。",
+ "search.seedWithNearestWord": "当活动编辑器没有选定内容时,从离光标最近的字词开始进行种子设定搜索。",
+ "search.seedOnFocus": "聚焦搜索视图时,将工作区搜索查询更新为编辑器的所选文本。单击时或触发 `workbench.views.search.focus` 命令时会发生此情况。",
+ "search.searchOnTypeDebouncePeriod": "启用\"#search.searchOnType\"后,控制键入的字符与开始搜索之间的超时(以毫秒为单位)。禁用\"搜索.searchOnType\"时无效。",
+ "search.searchEditor.doubleClickBehaviour.selectWord": "双击选择光标下的单词。",
+ "search.searchEditor.doubleClickBehaviour.goToLocation": "双击将在活动编辑器组中打开结果。",
+ "search.searchEditor.doubleClickBehaviour.openLocationToSide": "双击将在编辑器组中的结果打开到一边,如果尚不存在,则创建一个结果。",
+ "search.searchEditor.doubleClickBehaviour": "配置在搜索编辑器中双击结果的效果。",
+ "search.searchEditor.reusePriorSearchConfiguration": "启用后,新的搜索编辑器将重用以前打开的搜索编辑器的包含、排除和标志",
+ "search.searchEditor.defaultNumberOfContextLines": "创建新的搜索编辑器时要使用的周围上下文行的默认数目。如果使用 \"#search.searchEditor.reusePriorSearchConfiguration#\",则可将它设置为 \"null\" (空),以使用搜索编辑器之前的配置。",
+ "searchSortOrder.default": "结果按文件夹和文件名按字母顺序排序。",
+ "searchSortOrder.filesOnly": "结果按文件名排序,忽略文件夹顺序,按字母顺序排列。",
+ "searchSortOrder.type": "结果按文件扩展名的字母顺序排序。",
+ "searchSortOrder.modified": "结果按文件的最后修改日期按降序排序。",
+ "searchSortOrder.countDescending": "结果按每个文件的计数降序排序。",
+ "searchSortOrder.countAscending": "结果按每个文件的计数以升序排序。",
+ "search.sortOrder": "控制搜索结果的排序顺序。",
+ "miViewSearch": "搜索(&&S)",
+ "miGotoSymbolInWorkspace": "转到工作区中的符号(&&W)…"
+ },
+ "vs/workbench/contrib/search/browser/searchView": {
+ "searchCanceled": "在找到结果前取消了搜索 - ",
+ "moreSearch": "切换搜索详细信息",
+ "searchScope.includes": "要包含的文件",
+ "label.includes": "搜索包含模式",
+ "searchScope.excludes": "排除的文件",
+ "label.excludes": "搜索排除模式",
+ "replaceAll.confirmation.title": "全部替换",
+ "replaceAll.confirm.button": "替换(&&R)",
+ "replaceAll.occurrence.file.message": "已将 {1} 文件中出现的 {0} 替换为“{2}”。",
+ "removeAll.occurrence.file.message": "已替换 {1} 文件中的 {0} 个匹配项。",
+ "replaceAll.occurrence.files.message": "已将 {1} 文件中出现的 {0} 替换为“{2}”。",
+ "removeAll.occurrence.files.message": "已替换 {1} 文件中出现的 {0}。",
+ "replaceAll.occurrences.file.message": "已将 {1} 文件中出现的 {0} 替换为“{2}”。",
+ "removeAll.occurrences.file.message": "已替换 {1} 文件中的 {0} 个匹配项。",
+ "replaceAll.occurrences.files.message": "已将 {1} 个文件中出现的 {0} 处替换为“{2}”。 ",
+ "removeAll.occurrences.files.message": "已替换 {1} 文件中出现的 {0}。",
+ "removeAll.occurrence.file.confirmation.message": "是否将 {1} 文件中出现的 {0} 替换为“{2}”?",
+ "replaceAll.occurrence.file.confirmation.message": "是否替换 {1} 文件中的 {0} 个匹配项?",
+ "removeAll.occurrence.files.confirmation.message": "是否将 {1} 文件中出现的 {0} 替换为“{2}”?",
+ "replaceAll.occurrence.files.confirmation.message": "是否替换 {1} 文件中出现的 {0}?",
+ "removeAll.occurrences.file.confirmation.message": "是否将 {1} 文件中出现的 {0} 替换为“{2}”?",
+ "replaceAll.occurrences.file.confirmation.message": "是否替换 {1} 文件中的 {0} 个匹配项?",
+ "removeAll.occurrences.files.confirmation.message": "是否将 {1} 个文件中的 {0} 次匹配替换为“{2}”?",
+ "replaceAll.occurrences.files.confirmation.message": "是否替换 {1} 文件中出现的 {0}?",
+ "emptySearch": "空搜索",
+ "ariaSearchResultsClearStatus": "搜索结果已清除",
+ "searchPathNotFoundError": "找不到搜索路径: {0}",
+ "searchMaxResultsWarning": "结果集仅包含所有匹配项的子集。请使你的搜索更加具体,减少结果。",
+ "noResultsIncludesExcludes": "在“{0}”中找不到结果(“{1}”除外) - ",
+ "noResultsIncludes": "“{0}”中未找到任何结果 - ",
+ "noResultsExcludes": "除“{0}”外,未找到任何结果 - ",
+ "noResultsFound": "未找到结果。查看您的设置配置排除, 并检查您的 gitignore 文件-",
+ "rerunSearch.message": "再次搜索",
+ "rerunSearchInAll.message": "在所有文件中再次搜索",
+ "openSettings.message": "打开设置",
+ "openSettings.learnMore": "了解详细信息",
+ "ariaSearchResultsStatus": "搜索 {1} 文件中返回的 {0} 个结果",
+ "forTerm": " - 搜索: {0}",
+ "useIgnoresAndExcludesDisabled": "- 排除设置和忽略文件被禁用了",
+ "openInEditor.message": "在编辑器中打开",
+ "openInEditor.tooltip": "将当前搜索结果复制到编辑器",
+ "search.file.result": "{0} 个结果,包含于 {1} 个文件中",
+ "search.files.result": "{1} 文件中有 {0} 个结果",
+ "search.file.results": "{1} 文件中有 {0} 个结果",
+ "search.files.results": "{1} 文件中有 {0} 个结果",
+ "searchWithoutFolder": "你尚未打开或指定文件夹。当前仅搜索打开的文件 -",
+ "openFolder": "打开文件夹"
+ },
+ "vs/workbench/contrib/search/browser/searchActions": {
+ "showSearch": "显示搜索",
+ "replaceInFiles": "在文件中替换",
+ "toggleTabs": "切换类型搜索",
+ "RefreshAction.label": "刷新",
+ "CollapseDeepestExpandedLevelAction.label": "全部折叠",
+ "ExpandAllAction.label": "全部展开",
+ "ToggleCollapseAndExpandAction.label": "切换折叠和展开",
+ "ClearSearchResultsAction.label": "清除搜索结果",
+ "CancelSearchAction.label": "取消搜索",
+ "FocusNextSearchResult.label": "聚焦下一搜索结果",
+ "FocusPreviousSearchResult.label": "聚焦到上一搜索结果",
+ "RemoveAction.label": "消除",
+ "file.replaceAll.label": "全部替换",
+ "match.replace.label": "替换"
+ },
+ "vs/workbench/contrib/search/browser/symbolsQuickAccess": {
+ "noSymbolResults": "没有匹配的工作区符号",
+ "openToSide": "打开转到侧边",
+ "openToBottom": "打开转到底部"
+ },
+ "vs/workbench/contrib/search/browser/anythingQuickAccess": {
+ "noAnythingResults": "没有匹配的结果",
+ "recentlyOpenedSeparator": "最近打开",
+ "fileAndSymbolResultsSeparator": "文件和符号结果",
+ "fileResultsSeparator": "文件结果",
+ "filePickAriaLabelDirty": "{0},存在更新",
+ "openToSide": "打开转到侧边",
+ "openToBottom": "打开转到底部",
+ "closeEditor": "从最近打开中删除"
+ },
+ "vs/workbench/contrib/search/browser/searchWidget": {
+ "search.action.replaceAll.disabled.label": "全部替换(提交搜索以启用)",
+ "search.action.replaceAll.enabled.label": "全部替换",
+ "search.replace.toggle.button.title": "切换替换",
+ "label.Search": "搜索: 键入搜索词,然后按 Enter 进行搜索",
+ "search.placeHolder": "搜索",
+ "showContext": "切换上下文行",
+ "label.Replace": "替换: 键入待替换词,然后按 Enter 进行预览",
+ "search.replace.placeHolder": "替换"
+ },
+ "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/patternInputWidget": {
+ "defaultLabel": "输入",
+ "useExcludesAndIgnoreFilesDescription": "使用“排除设置”与“忽略文件”"
+ },
+ "vs/workbench/contrib/search/browser/searchResultsView": {
+ "searchFolderMatch.other.label": "其他文件",
+ "searchFileMatches": "已找到 {0} 个文件",
+ "searchFileMatch": "已找到 {0} 个文件",
+ "searchMatches": "已找到 {0} 个匹配项",
+ "searchMatch": "已找到 {0} 个匹配项",
+ "lineNumStr": "位于第 {0} 行",
+ "numLinesStr": "其他 {0} 行",
+ "search": "搜索",
+ "folderMatchAriaLabel": "根目录 {1} 中找到 {0} 个匹配,搜索结果",
+ "otherFilesAriaLabel": "在工作区外存在 {0} 个匹配,搜索结果",
+ "fileMatchAriaLabel": "文件夹 {2} 的文件 {1} 中有 {0} 个匹配项,搜索结果",
+ "replacePreviewResultAria": "在第 {2} 列替换词组 {0} 为 {1},同行文本为 {3}",
+ "searchResultAria": "在第 {1} 列找到词组 {0},同行文本为 {2}"
+ },
+ "vs/workbench/contrib/search/common/queryBuilder": {
+ "search.noWorkspaceWithName": "工作区中没有名为“{0}”的文件夹 "
+ },
+ "vs/workbench/contrib/search/browser/replaceService": {
+ "fileReplaceChanges": "{0} ↔ {1} (Replace Preview)"
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditor.contribution": {
+ "searchEditor": "搜索编辑器",
+ "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": "选择所有匹配项"
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditorActions": {
+ "search.openNewEditor": "打开新的搜索编辑器"
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditor": {
+ "moreSearch": "切换搜索详细信息",
+ "searchScope.includes": "要包含的文件",
+ "label.includes": "搜索包含模式",
+ "searchScope.excludes": "排除的文件",
+ "label.excludes": "搜索排除模式",
+ "runSearch": "运行搜索",
+ "searchResultItem": "在文件 {2} 的 {1} 中匹配到 {0}",
+ "searchEditor": "搜索",
+ "textInputBoxBorder": "搜索编辑器文本输入框的边框。"
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditorInput": {
+ "searchTitle.withQuery": "搜索: {0}",
+ "searchTitle": "搜索"
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditorSerialization": {
+ "invalidQueryStringError": "查询字符串中的所有反斜杠都必须转义(\\\\)",
+ "numFiles": "{0} 文件",
+ "oneFile": "1 个文件",
+ "numResults": "{0} 个结果",
+ "oneResult": "1 个结果",
+ "noResults": "无结果",
+ "searchMaxResultsWarning": "结果集仅包含所有匹配项的子集。请使你的搜索更加具体,减少结果。"
+ },
+ "vs/workbench/contrib/snippets/browser/snippets.contribution": {
+ "snippetSchema.json.prefix": "在 Intellisense 中选择代码片段时要使用的前缀",
+ "snippetSchema.json.body": "片段内容。请使用 '$1', '${1:defaultText}' 来定义光标位置,使用“$0”表示最终光标位置。请插入带有“${varName}”和“${varName:defaultText}”的变量值,例如 \"这是文件: $TM_FILENAME\"。",
+ "snippetSchema.json.description": "代码片段描述。",
+ "snippetSchema.json.default": "空代码片段",
+ "snippetSchema.json": "用户代码片段配置",
+ "snippetSchema.json.scope": "此代码段使用的语言名称列表,例如 \"typescript,javascript\"。"
+ },
+ "vs/workbench/contrib/snippets/browser/insertSnippet": {
+ "snippet.suggestions.label": "插入片段",
+ "sep.userSnippet": "用户代码片段",
+ "sep.extSnippet": "扩展代码片段",
+ "sep.workspaceSnippet": "工作区代码片段",
+ "disableSnippet": "从 IntelliSense 中隐藏",
+ "isDisabled": "(从 IntelliSense 中隐藏)",
+ "enable.snippet": "在 IntelliSense 中显示",
+ "pick.placeholder": "选择代码段"
+ },
+ "vs/workbench/contrib/snippets/browser/snippetsService": {
+ "invalid.path.0": "“contributes.{0}.path”中应为字符串。提供的值: {1}",
+ "invalid.language.0": "省略语言时,\"contributes.{0}.path\" 的值必须为一个 \".code-snippets\" 文件。提供的值: {1}",
+ "invalid.language": "\"contributes.{0}.language\" 中包含未知语言。提供的值: {1}",
+ "invalid.path.1": "“contributes.{0}.path”({1})应包含在扩展的文件夹({2})内。这可能会使扩展不可移植。",
+ "vscode.extension.contributes.snippets": "贡献代码段。",
+ "vscode.extension.contributes.snippets-language": "此代码片段参与的语言标识符。",
+ "vscode.extension.contributes.snippets-path": "代码片段文件的路径。该路径相对于扩展文件夹,通常以 \"./snippets/\" 开头。",
+ "badVariableUse": "扩展“{0}”中的一个或多个代码片段很可能混淆了片段变量和片段占位符 (有关详细信息,请访问 https://code.visualstudio.com/docs/editor/userdefinedsnippets#_snippet-syntax )",
+ "badFile": "无法读取代码片段文件“{0}”。"
+ },
+ "vs/workbench/contrib/snippets/browser/configureSnippets": {
+ "global.scope": "(全局)",
+ "global.1": "({0})",
+ "name": "键入代码段文件名",
+ "bad_name1": "无效的文件名",
+ "bad_name2": "“{0}”不是有效的文件名",
+ "bad_name3": "“{0}”已存在",
+ "new.global_scope": "全局",
+ "new.global": "新建全局代码片段文件...",
+ "new.workspace_scope": "{0} 工作区",
+ "new.folder": "新建“{0}”文件夹的代码片段文件...",
+ "group.global": "现有代码片段",
+ "new.global.sep": "新代码片段",
+ "openSnippet.pickLanguage": "选择代码片段文件或创建代码片段",
+ "openSnippet.label": "配置用户代码片段",
+ "preferences": "首选项",
+ "miOpenSnippets": "用户片段(&&S)",
+ "userSnippets": "用户代码片段"
+ },
+ "vs/workbench/contrib/snippets/browser/snippetsFile": {
+ "source.workspaceSnippetGlobal": "工作区代码片段",
+ "source.userSnippetGlobal": "全局用户代码片段",
+ "source.userSnippet": "用户代码片段"
+ },
+ "vs/workbench/contrib/snippets/browser/snippetCompletionProvider": {
+ "detail.snippet": "{0} ({1})",
+ "snippetSuggest.longLabel": "{0}, {1}"
+ },
+ "vs/workbench/contrib/surveys/browser/nps.contribution": {
+ "surveyQuestion": "是否介意参加快速反馈调查?",
+ "takeSurvey": "参加调查",
+ "remindLater": "以后提醒我",
+ "neverAgain": "不再显示"
+ },
+ "vs/workbench/contrib/surveys/browser/languageSurveys.contribution": {
+ "helpUs": "帮助我们改善对 {0} 的支持",
+ "takeShortSurvey": "参与小调查",
+ "remindLater": "以后提醒我",
+ "neverAgain": "不再显示"
+ },
+ "vs/workbench/contrib/tags/electron-browser/workspaceTagsService": {
+ "workspaceFound": "此文件夹包含工作区文件“{0}”,是否打开? [了解更多]({1})有关工作区文件的详细信息。",
+ "openWorkspace": "打开工作区",
+ "workspacesFound": "此文件夹包含多个工作区文件,是否打开? [了解更多]({0})有关工作区文件的详细信息。",
+ "selectWorkspace": "选择工作区",
+ "selectToOpen": "选择要打开的工作区"
+ },
+ "vs/workbench/contrib/tasks/electron-browser/taskService": {
+ "TaskSystem.runningTask": "存在运行中的任务。要终止它吗?",
+ "TaskSystem.terminateTask": "终止任务(&&T)",
+ "TaskSystem.noProcess": "启动的任务不再存在。如果任务已生成出后台进程,则退出 VS Code 可能会导致出现孤立的进程。若要避免此情况,请使用等待标记启动最后一个后台进程。",
+ "TaskSystem.exitAnyways": "仍要退出(&&E)"
+ },
+ "vs/workbench/contrib/tasks/common/tasks": {
+ "tasksCategory": "任务",
+ "TaskDefinition.missingRequiredProperty": "错误: 任务标识符“{0}”缺失必要属性“{1}”。将忽略该标识符。"
+ },
+ "vs/workbench/contrib/tasks/common/taskConfiguration": {
+ "ConfigurationParser.invalidCWD": "警告: options.cwd 的类型必须是字符串。将忽略值 {0}\r\n",
+ "ConfigurationParser.inValidArg": "错误: 命令参数必须是字符串或带引号的字符串。提供的值为:\r\n{0}",
+ "ConfigurationParser.noShell": "警告: 仅当在终端中执行任务时支持 shell 配置。",
+ "ConfigurationParser.noName": "错误: 声明范围中的问题匹配程序必须具有名称:\r\n{0}\r\n",
+ "ConfigurationParser.unknownMatcherKind": "警告: 定义的问题匹配程序未知。支持的类型为 string | ProblemMatcher | Array。\r\n{0}\r\n",
+ "ConfigurationParser.invalidVariableReference": "错误: problemMatcher 引用无效: {0}\r\n",
+ "ConfigurationParser.noTaskType": "错误: 任务配置必须具有类型属性。将忽略此配置。\r\n{0}\r\n",
+ "ConfigurationParser.noTypeDefinition": "错误: 没有注册任务类型“{0}”。你是不是忘记安装含有相应任务提供器的扩展?",
+ "ConfigurationParser.missingType": "错误: 任务配置“{0}”缺失必要属性 \"type\"。将忽略该配置。",
+ "ConfigurationParser.incorrectType": "错误: 任务配置“{0}”使用了未知类型。将忽略该配置。",
+ "ConfigurationParser.notCustom": "错误: 任务未声明为自定义任务。将忽略该配置。\r\n{0}\r\n",
+ "ConfigurationParser.noTaskName": "错误: 任务必须提供标签属性。将忽略该任务。\r\n{0}\r\n",
+ "taskConfiguration.providerUnavailable": "警告: {0} 个任务在当前环境中不可用。\r\n",
+ "taskConfiguration.noCommandOrDependsOn": "错误: 任务“{0}”既未指定命令,也未指定 dependsOn 属性。将忽略该任务。其定义为:\r\n{1}",
+ "taskConfiguration.noCommand": "错误: 任务“{0}”未定义命令。将忽略该任务。其定义为:\r\n{1}",
+ "TaskParse.noOsSpecificGlobalTasks": "任务 version 2.0.0 不支持全局 OS 专属任务。请将其转换为具有特定于 OS 的命令的任务。受影响的任务包括:\r\n{0}"
+ },
+ "vs/workbench/contrib/tasks/node/processTaskSystem": {
+ "version1_0": "任务系统配置的版本为 0.1.0 (可参见 tasks.json 文件),只能执行自定义任务。请升级到版本 2.0.0 以运行任务: {0}",
+ "TaskRunnerSystem.unknownError": "在执行任务时发生未知错误。请参见任务输出日志了解详细信息。",
+ "TaskRunnerSystem.watchingBuildTaskFinished": "\r\n已完成对生成任务的监视。",
+ "TaskRunnerSystem.childProcessError": "启动外部程序{0} {1}失败。",
+ "TaskRunnerSystem.cancelRequested": "\r\n已根据用户请求终止任务“{0}”。",
+ "unknownProblemMatcher": "无法解析问题匹配器 {0}。将忽略此匹配程序"
+ },
+ "vs/workbench/contrib/tasks/node/processRunnerDetector": {
+ "TaskSystemDetector.noGulpTasks": "正在运行的 gulp --tasks-simple 没有列出任何任务。你运行 npm 安装了吗?",
+ "TaskSystemDetector.noJakeTasks": "正在运行的 jake --tasks 没有列出任何任务。你运行 npm 安装了吗?",
+ "TaskSystemDetector.noGulpProgram": "你的系统上没有安装 Gulp。运行 npm install -g gulp 以安装它。",
+ "TaskSystemDetector.noJakeProgram": "你的系统上没有安装 Jake。运行 npm install -g jake 以安装它。",
+ "TaskSystemDetector.noGruntProgram": "你的系统上没有安装 Grunt。运行 npm install -g grunt 以安装它。",
+ "TaskSystemDetector.noProgram": "找不到程序 {0}。消息是 {1}",
+ "TaskSystemDetector.buildTaskDetected": "检测到名为“{0}”的生成任务。",
+ "TaskSystemDetector.testTaskDetected": "测试检测到的名为“{0}”的测试任务。"
+ },
+ "vs/workbench/contrib/tasks/browser/abstractTaskService": {
+ "ConfigureTaskRunnerAction.label": "配置任务",
+ "tasks": "任务",
+ "TaskSystem.noHotSwap": "在有活动任务运行时更换任务执行引擎需要重新加载窗口",
+ "reloadWindow": "重新加载窗口",
+ "TaskService.pickBuildTaskForLabel": "选择生成任务(未定义默认生成任务)",
+ "taskServiceOutputPrompt": "任务出现错误。请查看输出结果,了解更多详细信息",
+ "showOutput": "显示输出",
+ "TaskServer.folderIgnored": "由于使用任务版本 0.1.0,文件夹 {0} 将被忽略",
+ "TaskService.providerUnavailable": "警告: {0} 个任务在当前环境中不可用。\r\n",
+ "TaskService.noBuildTask1": "未定义任何生成任务。使用 \"isBuildCommand\" 在 tasks.json 文件中标记任务。",
+ "TaskService.noBuildTask2": "未定义任何生成任务。在 tasks.json 文件中将任务标记为 \"build\" 组。",
+ "TaskService.noTestTask1": "未定义任何测试任务。使用 \"isTestCommand\" 在 tasks.json 文件中标记任务。",
+ "TaskService.noTestTask2": "未定义任何测试任务。在 tasks.json 文件中将任务标记为 \"test\" 组。",
+ "TaskServer.noTask": "未定义要执行的任务",
+ "TaskService.associate": "关联",
+ "TaskService.attachProblemMatcher.continueWithout": "继续而不扫描任务输出",
+ "TaskService.attachProblemMatcher.never": "从不扫描此任务的任务输出",
+ "TaskService.attachProblemMatcher.neverType": "从不扫描 {0} 个任务的任务输出",
+ "TaskService.attachProblemMatcher.learnMoreAbout": "了解有关扫描任务输出的详细信息",
+ "selectProblemMatcher": "选择针对何种错误和警告扫描任务输出",
+ "customizeParseErrors": "当前任务配置存在错误。请先更正错误,再自定义任务。",
+ "tasksJsonComment": "\t// 请参阅 https://go.microsoft.com/fwlink/?LinkId=733558 \r\n\t//查看有关 tasks.json 格式的文档",
+ "moreThanOneBuildTask": "tasks.json 中定义了很多生成任务。正在执行第一个任务。\r\n",
+ "TaskSystem.saveBeforeRun.prompt.title": "是否保存所有编辑器?",
+ "saveBeforeRun.save": "保存",
+ "saveBeforeRun.dontSave": "不保存",
+ "detail": "是否要在运行任务前保存所有编辑器?",
+ "TaskSystem.activeSame.noBackground": "任务“{0}”已处于活动状态。",
+ "terminateTask": "终止任务",
+ "restartTask": "重启任务",
+ "TaskSystem.active": "当前已有任务正在运行。请先终止它,然后再执行另一项任务。",
+ "TaskSystem.restartFailed": "未能终止并重启任务 {0}",
+ "unexpectedTaskType": "“{0}”任务的任务提供程序意外提供了“{1}”类型的任务。\r\n",
+ "TaskService.noConfiguration": "错误: {0} 任务检测未针对以下配置提供任务:\r\n{1}\r\n将忽略此任务。\r\n",
+ "TaskSystem.configurationErrors": "错误: 提供的任务配置具有验证错误,无法使用。请首先改正错误。",
+ "TaskSystem.invalidTaskJsonOther": "错误: {0} 中 tasks json 的内容存在语法错误。请先纠正它们,然后再执行任务。\r\n",
+ "TasksSystem.locationWorkspaceConfig": "工作区文件",
+ "TaskSystem.versionWorkspaceFile": ".code 工作区中只允许 2.0.0 版本的任务。",
+ "TasksSystem.locationUserConfig": "用户设置",
+ "TaskSystem.versionSettings": "用户设置中只允许版本为 2.0.0 的任务。",
+ "taskService.ignoreingFolder": "忽略工作区文件夹 {0} 的任务配置。多文件夹工作区任务支持要求所有文件夹都使用任务版本 2.0.0\r\n",
+ "TaskSystem.invalidTaskJson": "错误: tasks.json 文件的内容存在语法错误。请先纠正它们,然后再执行任务。\r\n",
+ "TerminateAction.label": "终止任务",
+ "TaskSystem.unknownError": "运行任务时发生了错误。请参见任务日志了解详细信息。",
+ "configureTask": "配置任务",
+ "recentlyUsed": "最近使用的任务",
+ "configured": "配置的任务",
+ "detected": "检测到的任务",
+ "TaskService.ignoredFolder": "由于使用任务版本 0.1.0,以下工作区文件夹将被忽略: {0}",
+ "TaskService.notAgain": "不再显示",
+ "TaskService.pickRunTask": "选择要运行的任务",
+ "TaskService.noEntryToRunSlow": "$(plus) 配置任务",
+ "TaskService.noEntryToRun": "$(plus) 配置任务",
+ "TaskService.fetchingBuildTasks": "正在获取生成任务...",
+ "TaskService.pickBuildTask": "选择要运行的生成任务",
+ "TaskService.noBuildTask": "没有找到要运行的生成任务。配置生成任务...",
+ "TaskService.fetchingTestTasks": "正在获取测试任务...",
+ "TaskService.pickTestTask": "选择要运行的测试任务",
+ "TaskService.noTestTaskTerminal": "没有找到要运行的测试任务。配置任务...",
+ "TaskService.taskToTerminate": "选择要终止的任务",
+ "TaskService.noTaskRunning": "当前没有运行中的任务",
+ "TaskService.terminateAllRunningTasks": "所有正在运行的任务",
+ "TerminateAction.noProcess": "启动的进程不再存在。如果任务生成的后台任务退出 VS Code,则可能会导致出现孤立的进程。",
+ "TerminateAction.failed": "未能终止运行中的任务",
+ "TaskService.taskToRestart": "选择要重启的任务",
+ "TaskService.noTaskToRestart": "没有要重启的任务",
+ "TaskService.template": "选择任务模板",
+ "taskQuickPick.userSettings": "用户设置",
+ "TaskService.createJsonFile": "使用模板创建 tasks.json 文件",
+ "TaskService.openJsonFile": "打开 tasks.json 文件",
+ "TaskService.pickTask": "选择要配置的任务",
+ "TaskService.defaultBuildTaskExists": "{0} 已被标记为默认生成任务",
+ "TaskService.pickDefaultBuildTask": "选择要用作默认生成任务的任务",
+ "TaskService.defaultTestTaskExists": "{0} 已被标记为默认测试任务。",
+ "TaskService.pickDefaultTestTask": "选择要用作默认测试任务的任务",
+ "TaskService.pickShowTask": "选择要显示输出的任务",
+ "TaskService.noTaskIsRunning": "没有运行中的任务"
+ },
+ "vs/workbench/contrib/tasks/browser/terminalTaskSystem": {
+ "TerminalTaskSystem.unknownError": "在执行任务时发生未知错误。请参见任务输出日志了解详细信息。",
+ "dependencyCycle": "存在依赖项循环。请参阅任务“{0}”。",
+ "dependencyFailed": "无法解析在工作区文件夹“{1}”中的依赖任务“{0}”",
+ "TerminalTaskSystem.nonWatchingMatcher": "任务 {0} 是后台任务,但使用的问题匹配器没有后台模式",
+ "TerminalTaskSystem.terminalName": "任务 - {0}",
+ "closeTerminal": "按任意键关闭终端。",
+ "reuseTerminal": "终端将被任务重用,按任意键关闭。",
+ "TerminalTaskSystem": "无法使用 cmd.exe 在 UNC 驱动器上执行 Shell 命令。",
+ "unknownProblemMatcher": "无法解析问题匹配器 {0}。将忽略此匹配程序"
+ },
+ "vs/workbench/contrib/tasks/browser/task.contribution": {
+ "building": "正在生成...",
+ "numberOfRunningTasks": "{0} 个正在运行的任务",
+ "runningTasks": "显示运行中的任务",
+ "status.runningTasks": "运行任务",
+ "miRunTask": "运行任务(&&R)…",
+ "miBuildTask": "运行生成任务(&&B)…",
+ "miRunningTask": "显示正在运行的任务(&&G)…",
+ "miRestartTask": "重启正在运行的任务(&&E)…",
+ "miTerminateTask": "终止任务(&&T)…",
+ "miConfigureTask": "配置任务(&&C)…",
+ "miConfigureBuildTask": "配置默认生成任务(&&F)…",
+ "workbench.action.tasks.openWorkspaceFileTasks": "打开工作区任务",
+ "ShowLogAction.label": "显示任务日志",
+ "RunTaskAction.label": "运行任务",
+ "ReRunTaskAction.label": "重新运行上一个任务",
+ "RestartTaskAction.label": "重启正在运行的任务",
+ "ShowTasksAction.label": "显示运行中的任务",
+ "TerminateAction.label": "终止任务",
+ "BuildAction.label": "运行生成任务",
+ "TestAction.label": "运行测试任务",
+ "ConfigureDefaultBuildTask.label": "配置默认生成任务",
+ "ConfigureDefaultTestTask.label": "配置默认测试任务",
+ "workbench.action.tasks.openUserTasks": "打开用户任务",
+ "tasksQuickAccessPlaceholder": "键入要运行的任务的名称。",
+ "tasksQuickAccessHelp": "运行任务",
+ "tasksConfigurationTitle": "任务",
+ "task.problemMatchers.neverPrompt": "配置在运行任务时是否显示问题匹配器提示。设置为\"true\"从不提示,或使用任务类型的字典仅关闭特定任务类型的提示。",
+ "task.problemMatchers.neverPrompt.boolean": "为所有任务设置问题匹配器提示行为。",
+ "task.problemMatchers.neverPrompt.array": "包含任务类型布尔对的对象,从不提示有问题的匹配者。",
+ "task.autoDetect": "控制为所有任务提供程序扩展启用\"提供任务\"。如果\"任务: 运行任务\"命令速度较慢,则禁用任务提供程序的自动检测可能会提供帮助。单个扩展还可以提供禁用自动检测的设置。",
+ "task.slowProviderWarning": "配置当提供程序速度较慢时是否显示警告",
+ "task.slowProviderWarning.boolean": "为所有任务设置慢速提供程序警告。",
+ "task.slowProviderWarning.array": "从不显示慢速提供程序警告的任务类型的数组。",
+ "task.quickOpen.history": "控制任务快速打开对话框中跟踪的最近项目数。",
+ "task.quickOpen.detail": "控制是否显示在“运行任务”等任务快速选取中具有详细信息的任务的详细信息。",
+ "task.quickOpen.skip": "控制当只有一个任务要选取时是否跳过任务快速选取。",
+ "task.quickOpen.showAll": "使 Tasks: Run Task 命令使用速度较慢的“全部显示”行为,而不是使用任务按提供程序进行分组的速度更快的双层选取器。",
+ "task.saveBeforeRun": "在运行任务前保存所有未保存的编辑器。",
+ "task.saveBeforeRun.always": "运行前始终保存所有编辑器。",
+ "task.saveBeforeRun.never": "运行前绝不保存编辑器。",
+ "task.SaveBeforeRun.prompt": "提示在运行前是否保存编辑器。"
+ },
+ "vs/workbench/contrib/tasks/common/taskDefinitionRegistry": {
+ "TaskDefinition.description": "实际任务类型。请注意,以 \"$\" 开头的类型仅保留内部使用。",
+ "TaskDefinition.properties": "任务类型的其他属性",
+ "TaskDefinition.when": "必须为 true 才能启用此类型任务的条件。请考虑使用适合此任务定义的 `shellExecutionSupported`、`processExecutionSupported` 和 `customExecutionSupported`。",
+ "TaskTypeConfiguration.noType": "任务类型配置缺少必需的 \"taskType\" 属性",
+ "TaskDefinitionExtPoint": "配置任务种类"
+ },
+ "vs/workbench/contrib/tasks/common/problemMatcher": {
+ "ProblemPatternParser.problemPattern.missingRegExp": "问题模式缺少正则表达式。",
+ "ProblemPatternParser.loopProperty.notLast": "循环属性仅在最一个行匹配程序上受支持。",
+ "ProblemPatternParser.problemPattern.kindProperty.notFirst": "问题模式无效。\"kind\" 属性必须提供,且仅能为第一个元素",
+ "ProblemPatternParser.problemPattern.missingProperty": "问题模式无效。必须至少包含一个文件和一条消息。",
+ "ProblemPatternParser.problemPattern.missingLocation": "问题模式无效。它必须为“file”,代码行或消息匹配组其中的一项。",
+ "ProblemPatternParser.invalidRegexp": "错误: 字符串 {0} 不是有效的正则表达式。\r\n",
+ "ProblemPatternSchema.regexp": "用于在输出中查找错误、警告或信息的正则表达式。",
+ "ProblemPatternSchema.kind": "模式匹配的是一个位置 (文件、一行) 还是仅为一个文件。",
+ "ProblemPatternSchema.file": "文件名的匹配组索引。如果省略,则使用 1。",
+ "ProblemPatternSchema.location": "问题位置的匹配组索引。有效的位置模式为(line)、(line,column)和(startLine,startColumn,endLine,endColumn)。如果省略了,将假定(line,column)。",
+ "ProblemPatternSchema.line": "问题行的匹配组索引。默认值为 2",
+ "ProblemPatternSchema.column": "问题行字符的匹配组索引。默认值为 3",
+ "ProblemPatternSchema.endLine": "问题结束行的匹配组索引。默认为 undefined",
+ "ProblemPatternSchema.endColumn": "问题结束行字符的匹配组索引。默认为 undefined",
+ "ProblemPatternSchema.severity": "问题严重性的匹配组索引。默认为 undefined",
+ "ProblemPatternSchema.code": "问题代码的匹配组索引。默认为 undefined",
+ "ProblemPatternSchema.message": "消息的匹配组索引。如果省略,则在指定了位置时默认值为 4,在其他情况下默认值为 5。",
+ "ProblemPatternSchema.loop": "在多行中,匹配程序循环指示是否只要匹配就在循环中执行此模式。只能在多行模式的最后一个模式上指定。",
+ "NamedProblemPatternSchema.name": "问题模式的名称。",
+ "NamedMultiLineProblemPatternSchema.name": "问题多行问题模式的名称。",
+ "NamedMultiLineProblemPatternSchema.patterns": "实际模式。",
+ "ProblemPatternExtPoint": "提供问题模式",
+ "ProblemPatternRegistry.error": "无效问题模式。此模式将被忽略。",
+ "ProblemMatcherParser.noProblemMatcher": "错误: 说明无法转换为问题匹配程序:\r\n{0}\r\n",
+ "ProblemMatcherParser.noProblemPattern": "错误: 说明中未定义有效的问题模式:\r\n{0}\r\n",
+ "ProblemMatcherParser.noOwner": "错误: 说明中未定义所有者:\r\n{0}\r\n",
+ "ProblemMatcherParser.noFileLocation": "错误: 说明中未定义文件位置:\r\n{0}\r\n",
+ "ProblemMatcherParser.unknownSeverity": "信息: 未知的严重性 {0}。有效值为“错误”、“警告”和“信息”。\r\n",
+ "ProblemMatcherParser.noDefinedPatter": "错误: 标识符为 {0} 的模式不存在。",
+ "ProblemMatcherParser.noIdentifier": "错误: 模式属性引用空标识符。",
+ "ProblemMatcherParser.noValidIdentifier": "错误: 模式属性 {0} 是无效的模式变量名。",
+ "ProblemMatcherParser.problemPattern.watchingMatcher": "问题匹配程序必须定义监视的开始模式和结束模式。",
+ "ProblemMatcherParser.invalidRegexp": "错误: 字符串 {0} 不是有效的正则表达式。\r\n",
+ "WatchingPatternSchema.regexp": "用于检测后台任务开始或结束的正则表达式。",
+ "WatchingPatternSchema.file": "文件名的匹配组索引。可以省略。",
+ "PatternTypeSchema.name": "所提供或预定义模式的名称",
+ "PatternTypeSchema.description": "问题模式或者所提供或预定义问题模式的名称。如果已指定基准,则可以省略。",
+ "ProblemMatcherSchema.base": "要使用的基问题匹配程序的名称。",
+ "ProblemMatcherSchema.owner": "代码内问题的所有者。如果指定了基准,则可省略。如果省略,并且未指定基准,则默认值为“外部”。",
+ "ProblemMatcherSchema.source": "描述此诊断信息来源的人类可读字符串。如,\"typescript\" 或 \"super lint\"。",
+ "ProblemMatcherSchema.severity": "捕获问题的默认严重性。如果模式未定义严重性的匹配组,则使用。",
+ "ProblemMatcherSchema.applyTo": "控制文本文档上报告的问题是否仅应用于打开、关闭或所有文档。",
+ "ProblemMatcherSchema.fileLocation": "定义应如何解释问题模式中报告的文件名。相对文件位置可能是一个数组,其中数组的第二个元素是相对文件位置的路径。",
+ "ProblemMatcherSchema.background": "用于跟踪在后台任务上激活的匹配程序的开始和结束的模式。",
+ "ProblemMatcherSchema.background.activeOnStart": "如果设置为 true,则任务启动时后台监视器处于活动模式。这相当于发出与 beginsPattern 匹配的行",
+ "ProblemMatcherSchema.background.beginsPattern": "如果在输出内匹配,则会发出后台任务开始的信号。",
+ "ProblemMatcherSchema.background.endsPattern": "如果在输出内匹配,则会发出后台任务结束的信号。",
+ "ProblemMatcherSchema.watching.deprecated": "\"watching\" 属性已被弃用,请改用 \"background\"。",
+ "ProblemMatcherSchema.watching": "用于跟踪监视匹配程序开始和结束的模式。",
+ "ProblemMatcherSchema.watching.activeOnStart": "如果设置为 true,则当任务开始时观察程序处于活动模式。这相当于发出与 beginPattern 匹配的行。",
+ "ProblemMatcherSchema.watching.beginsPattern": "如果在输出内匹配,则在监视任务开始时会发出信号。",
+ "ProblemMatcherSchema.watching.endsPattern": "如果在输出内匹配,则在监视任务结束时会发出信号。",
+ "LegacyProblemMatcherSchema.watchedBegin.deprecated": "此属性已弃用。请改用观看属性。",
+ "LegacyProblemMatcherSchema.watchedBegin": "一个正则表达式,发出受监视任务开始执行(通过文件监视触发)的信号。",
+ "LegacyProblemMatcherSchema.watchedEnd.deprecated": "此属性已弃用。请改用观看属性。",
+ "LegacyProblemMatcherSchema.watchedEnd": "一个正则表达式,发出受监视任务结束执行的信号。",
+ "NamedProblemMatcherSchema.name": "要引用的问题匹配程序的名称。",
+ "NamedProblemMatcherSchema.label": "问题匹配程序的人类可读标签。",
+ "ProblemMatcherExtPoint": "提供问题匹配程序",
+ "msCompile": "微软编译器问题",
+ "lessCompile": "Less 问题",
+ "gulp-tsc": "Gulp TSC 问题",
+ "jshint": "JSHint 问题",
+ "jshint-stylish": "JSHint stylish 问题",
+ "eslint-compact": "ESLint compact 问题",
+ "eslint-stylish": "ESLint stylish 问题",
+ "go": "Go 问题"
+ },
+ "vs/workbench/contrib/tasks/common/taskTemplates": {
+ "dotnetCore": "执行 .NET Core 生成命令",
+ "msbuild": "执行生成目标",
+ "externalCommand": "运行任意外部命令的示例",
+ "Maven": "执行常见的 maven 命令"
+ },
+ "vs/workbench/contrib/tasks/browser/runAutomaticTasks": {
+ "tasks.run.allowAutomatic": "此文件夹已在 \"tasks.json\" 中定义任务({0});打开此文件夹时,这些任务将自动运行。是否自动任务在你打开此文件夹时运行?",
+ "allow": "允许并运行",
+ "disallow": "禁止",
+ "openTasks": "打开tasks.json",
+ "workbench.action.tasks.manageAutomaticRunning": "管理文件夹中的自动任务",
+ "workbench.action.tasks.allowAutomaticTasks": "允许文件夹中的自动任务",
+ "workbench.action.tasks.disallowAutomaticTasks": "禁止文件夹中的自动任务"
+ },
+ "vs/workbench/contrib/tasks/browser/taskQuickPick": {
+ "taskQuickPick.showAll": "显示所有任务...",
+ "configureTaskIcon": "任务选择列表中的“配置”图标。",
+ "removeTaskIcon": "任务选择列表中的“删除”图标。",
+ "configureTask": "配置任务",
+ "contributedTasks": "已提供",
+ "taskType": "全部 {0} 个任务",
+ "removeRecent": "删除最近使用的任务",
+ "recentlyUsed": "最近使用过",
+ "configured": "已配置",
+ "TaskQuickPick.goBack": "返回",
+ "TaskQuickPick.noTasksForType": "未找到任务 {0}。返回↩",
+ "noProviderForTask": "没有为“{0}”类型的任务注册任务提供程序。"
+ },
+ "vs/workbench/contrib/tasks/common/jsonSchema_v1": {
+ "JsonSchema.version.deprecated": "任务版本 0.1.0 已被弃用。请使用 2.0.0",
+ "JsonSchema.version": "配置的版本号",
+ "JsonSchema._runner": "此 runner 已完成使命。请使用官方 runner 属性",
+ "JsonSchema.runner": "定义任务是否作为进程执行,输出显示在输出窗口还是在终端内。",
+ "JsonSchema.windows": "Windows 特定的命令配置",
+ "JsonSchema.mac": "Mac 特定的命令配置",
+ "JsonSchema.linux": "Linux 特定的命令配置",
+ "JsonSchema.shell": "指定命令是 shell 命令还是外部程序。如果省略,则默认为 false。"
+ },
+ "vs/workbench/contrib/tasks/common/jsonSchema_v2": {
+ "JsonSchema.shell": "指定命令是 shell 命令还是外部程序。如果省略,则默认为 false。",
+ "JsonSchema.tasks.isShellCommand.deprecated": "isShellCommand 属性已被弃用。请改为使用任务的 type 属性和选项中的 shell 属性。另请参阅 1.14 发行说明。",
+ "JsonSchema.tasks.dependsOn.identifier": "任务标识符。",
+ "JsonSchema.tasks.dependsOn.string": "此任务依赖的另一任务。",
+ "JsonSchema.tasks.dependsOn.array": "此任务依赖的其他任务。",
+ "JsonSchema.tasks.dependsOn": "表示另一个任务的字符串或此任务所依赖的其他任务的数组。",
+ "JsonSchema.tasks.dependsOrder.parallel": "并行运行所有 dependsOn 任务。",
+ "JsonSchema.tasks.dependsOrder.sequence": "按顺序运行所有 dependsOn 任务。",
+ "JsonSchema.tasks.dependsOrder": "确定此任务的依赖任务的顺序。请注意,此属性不是递归的。",
+ "JsonSchema.tasks.detail": "任务的可选说明,在“运行任务”快速选取中作为详细信息显示。",
+ "JsonSchema.tasks.presentation": "配置用于显示任务输出并读取其输入的面板。",
+ "JsonSchema.tasks.presentation.echo": "控制是否将执行的命令显示到面板中。默认值为“true”。",
+ "JsonSchema.tasks.presentation.focus": "控制面板是否获取焦点。默认值为“false”。如果设置为“true”,面板也会显示。",
+ "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": "控制运行任务的终端是否显示。可按选项 \"revealProblems\" 进行替代。默认设置为“始终”。",
+ "JsonSchema.tasks.presentation.instance": "控制是否在任务间共享面板。同一个任务使用相同面板还是每次运行时新创建一个面板。",
+ "JsonSchema.tasks.presentation.showReuseMessage": "控制是否显示“终端将被任务重用,按任意键关闭”提示。",
+ "JsonSchema.tasks.presentation.clear": "控制是否在执行任务之前清除终端。",
+ "JsonSchema.tasks.presentation.group": "控制是否使用拆分窗格在特定终端组中执行任务。",
+ "JsonSchema.tasks.terminal": "terminal 属性已被弃用。请改为使用 presentation",
+ "JsonSchema.tasks.group.kind": "任务的执行组。",
+ "JsonSchema.tasks.group.isDefault": "定义此任务是否为组中的默认任务。",
+ "JsonSchema.tasks.group.defaultBuild": "将此任务标记为默认生成任务。",
+ "JsonSchema.tasks.group.defaultTest": "将此任务标记为默认测试任务。",
+ "JsonSchema.tasks.group.build": "将任务标记为可通过 \"运行生成任务\" 命令访问的生成任务。",
+ "JsonSchema.tasks.group.test": "将任务标记为可通过 \"Run Test Task\" 命令访问的测试任务。",
+ "JsonSchema.tasks.group.none": "将任务分配为没有组",
+ "JsonSchema.tasks.group": "定义此任务属于的执行组。它支持 \"build\" 以将其添加到生成组,也支持 \"test\" 以将其添加到测试组。",
+ "JsonSchema.tasks.type": "定义任务是被作为进程运行还是在 shell 中作为命令运行。",
+ "JsonSchema.commandArray": "执行的 Shell 命令。数组项将使用空格连接",
+ "JsonSchema.command.quotedString.value": "实际命令值",
+ "JsonSchema.tasks.quoting.escape": "使用 Shell 的转义字符来转义文本 (如,PowerShell 下的 ` 和 bash 下的 \\ )",
+ "JsonSchema.tasks.quoting.strong": "使用 Shell 的强引用字符来引用参数 (例如在 PowerShell 和 bash 下的 ')。",
+ "JsonSchema.tasks.quoting.weak": "使用 Shell 的弱引用字符来引用参数 (例如在 PowerShell 和 bash 下的 \")。",
+ "JsonSchema.command.quotesString.quote": "如何引用命令值。",
+ "JsonSchema.command": "要执行的命令。可以是外部程序或 shell 命令。",
+ "JsonSchema.args.quotedString.value": "实际参数值",
+ "JsonSchema.args.quotesString.quote": "参数值应该如何引用。",
+ "JsonSchema.tasks.args": "调用此任务时要传递给命令的参数。",
+ "JsonSchema.tasks.label": "任务的用户界面标签",
+ "JsonSchema.version": "配置的版本号。",
+ "JsonSchema.tasks.identifier": "用于在 launch.json 或 dependsOn 子句中引用任务的用户定义标识符。",
+ "JsonSchema.tasks.identifier.deprecated": "已弃用用户定义的标识符。对于自定义任务,请使用名称进行引用;对于由扩展提供的任务,请使用其中定义的任务标识符。",
+ "JsonSchema.tasks.reevaluateOnRerun": "是否在重新运行时重新评估任务变量。",
+ "JsonSchema.tasks.runOn": "对该任务何时运行进行配置。如果设置为 folderOpen,那么该任务将在文件夹打开时自动运行。",
+ "JsonSchema.tasks.instanceLimit": "允许同时运行的任务的实例数。",
+ "JsonSchema.tasks.runOptions": "任务的运行相关选项",
+ "JsonSchema.tasks.taskLabel": "任务标签",
+ "JsonSchema.tasks.taskName": "任务名称",
+ "JsonSchema.tasks.taskName.deprecated": "任务的 name 属性已被弃用。请改为使用 label 属性。",
+ "JsonSchema.tasks.background": "执行的任务是否保持活动状态并在后台运行。",
+ "JsonSchema.tasks.promptOnClose": "若 VS Code 关闭时有一个任务正在运行,是否提示用户。",
+ "JsonSchema.tasks.matchers": "要使用的问题匹配程序。可以是一个字符串或一个问题匹配程序定义,也可以是一个字符串数组和多个问题匹配程序。",
+ "JsonSchema.customizations.customizes.type": "要自定义的任务类型",
+ "JsonSchema.tasks.customize.deprecated": "customize 属性已被弃用。请参阅 1.14 发行说明了解如何迁移到新的任务自定义方法",
+ "JsonSchema.tasks.showOutput.deprecated": "showOutput 属性已被弃用。请改为使用 presentation 属性内的 reveal 属性。另请参阅 1.14 发行说明。",
+ "JsonSchema.tasks.echoCommand.deprecated": "isBuildCommand 属性已被弃用。请改为使用 presentation 属性内的 echo 属性。另请参阅 1.14 发行说明。",
+ "JsonSchema.tasks.suppressTaskName.deprecated": "suppressTaskName 属性已被弃用。请改为在任务中内嵌命令及其参数。另请参阅 1.14 发行说明。",
+ "JsonSchema.tasks.isBuildCommand.deprecated": "isBuildCommand 属性已被弃用。请改为使用 group 属性。另请参阅 1.14 发行说明。",
+ "JsonSchema.tasks.isTestCommand.deprecated": "isTestCommand 属性已被弃用。请改为使用 group 属性。另请参阅 1.14 发行说明。",
+ "JsonSchema.tasks.taskSelector.deprecated": "taskSelector 属性已被弃用。请改为在任务中内嵌命令及其参数。另请参阅 1.14 发行说明。",
+ "JsonSchema.windows": "Windows 特定的命令配置",
+ "JsonSchema.mac": "Mac 特定的命令配置",
+ "JsonSchema.linux": "Linux 特定的命令配置"
+ },
+ "vs/workbench/contrib/tasks/browser/tasksQuickAccess": {
+ "noTaskResults": "没有匹配的任务",
+ "TaskService.pickRunTask": "选择要运行的任务"
+ },
+ "vs/workbench/contrib/tasks/common/jsonSchemaCommon": {
+ "JsonSchema.options": "其他命令选项",
+ "JsonSchema.options.cwd": "已执行程序或脚本的当前工作目录。如果省略,则使用代码的当前工作区根。",
+ "JsonSchema.options.env": "已执行程序或 shell 的环境。如果省略,则使用父进程的环境。",
+ "JsonSchema.tasks.matcherError": "无法识别的问题匹配程序。是否已安装支持此问题匹配程序的扩展?",
+ "JsonSchema.shellConfiguration": "配置使用的 shell。",
+ "JsonSchema.shell.executable": "待使用的 shell。",
+ "JsonSchema.shell.args": "shell 参数。",
+ "JsonSchema.command": "要执行的命令。可以是外部程序或 shell 命令。",
+ "JsonSchema.tasks.args": "调用此任务时要传递给命令的参数。",
+ "JsonSchema.tasks.taskName": "任务名称",
+ "JsonSchema.tasks.windows": "Windows 特定的命令配置",
+ "JsonSchema.tasks.matchers": "要使用的问题匹配程序。可以是一个字符串或一个问题匹配程序定义,也可以是一个字符串数组和多个问题匹配程序。",
+ "JsonSchema.tasks.mac": "Mac 特定的命令配置",
+ "JsonSchema.tasks.linux": "Linux 特定的命令配置",
+ "JsonSchema.tasks.suppressTaskName": "控制是否将任务名作为参数添加到命令。如果省略,则使用全局定义的值。",
+ "JsonSchema.tasks.showOutput": "控制是否显示正在运行的任务的输出。如果省略,则使用全局定义的值。",
+ "JsonSchema.echoCommand": "控制是否将已执行的命令回显到输出。默认值为 false。",
+ "JsonSchema.tasks.watching.deprecation": "已弃用。改用 isBackground。",
+ "JsonSchema.tasks.watching": "已执行的任务是否保持活动状态,并且是否在监视文件系统。",
+ "JsonSchema.tasks.background": "执行的任务是否保持活动状态并在后台运行。",
+ "JsonSchema.tasks.promptOnClose": "若 VS Code 关闭时有一个任务正在运行,是否提示用户。",
+ "JsonSchema.tasks.build": "将此任务映射到代码的默认生成命令。",
+ "JsonSchema.tasks.test": "将此任务映射到代码的默认测试命令。",
+ "JsonSchema.args": "传递到命令的其他参数。",
+ "JsonSchema.showOutput": "控制是否显示运行任务的输出。如果省略,则使用“始终”。",
+ "JsonSchema.watching.deprecation": "已弃用。改用 isBackground。",
+ "JsonSchema.watching": "已执行的任务是否保持活动状态,并且是否在监视文件系统。",
+ "JsonSchema.background": "已执行的任务是否保持活动状态并在后台运行。",
+ "JsonSchema.promptOnClose": "在具有正在运行的后台任务的情况下关闭 VS 代码时是否提示用户。",
+ "JsonSchema.suppressTaskName": "控制是否将任务名作为参数添加到命令。默认值是 false。",
+ "JsonSchema.taskSelector": "指示参数是任务的前缀。",
+ "JsonSchema.matchers": "要使用的问题匹配程序。可以是字符串或问题匹配程序定义,或字符串和问题匹配程序数组。",
+ "JsonSchema.tasks": "任务配置。通常是外部任务运行程序中已定义任务的扩充。"
+ },
+ "vs/workbench/contrib/terminal/common/terminalConfiguration": {
+ "terminalIntegratedConfigurationTitle": "集成终端",
+ "terminal.integrated.sendKeybindingsToShell": "将大部分键绑定调度到终端而不是工作台,重写 \"#terminal.integrated.commandsToSkipShell#\",这可选择性地用于进行微调。",
+ "terminal.integrated.automationShell.linux": "一个路径,设置后将替代 {0},并忽略与自动化相关的终端使用情况(例如任务和调试)的 {1} 个值。",
+ "terminal.integrated.automationShell.osx": "一个路径,设置后将替代 {0},并忽略与自动化相关的终端使用情况(例如任务和调试)的 {1} 个值。",
+ "terminal.integrated.automationShell.windows": "一个路径,设置后将替代 {0},并忽略与自动化相关的终端使用情况(例如任务和调试)的 {1} 值。",
+ "terminal.integrated.shellArgs.linux": "在 Linux 终端上时要使用的命令行参数。[详细了解如何配置 shell](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration)。",
+ "terminal.integrated.shellArgs.osx": "在 macOS 终端上时要使用的命令行参数。[详细了解如何配置 shell](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration)。",
+ "terminal.integrated.shellArgs.windows": "在 Windows 终端上时要使用的命令行参数。[详细了解如何配置 shell](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration)。",
+ "terminal.integrated.shellArgs.windows.string": "在 Windows 终端上时要使用的命令行参数(采用[命令行格式](https://msdn.microsoft.com/en-au/08dfcab2-eb6e-49a4-80eb-87d4076c98c6) )。[详细了解如何配置 shell](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration)。",
+ "terminal.integrated.macOptionIsMeta": "控制是否将选项键视为 macOS 中的终端上的元键。",
+ "terminal.integrated.macOptionClickForcesSelection": "控制在 macOS 上使用 Option+单击时是否强制选择内容。这将强制进行常规(行)选择并禁止使用列选择模式。这样,可使用常规终端选择进行复制粘贴,例如在 tmux 中启用鼠标模式时。",
+ "terminal.integrated.copyOnSelection": "控制是否将在终端中选定的文本复制到剪贴板。",
+ "terminal.integrated.drawBoldTextInBrightColors": "控制终端中的加粗文本是否始终使用 \"bright\" ANSI 颜色变量。",
+ "terminal.integrated.fontFamily": "控制终端的字体系列,它默认为 \"#editor.fontFamily#\" 的值。",
+ "terminal.integrated.fontSize": "控制终端的字号(以像素为单位)。",
+ "terminal.integrated.letterSpacing": "控制终端的字母间距,这是一个整数值,表示要在字符之间增加的额外像素量。",
+ "terminal.integrated.lineHeight": "控制终端的行高,此数字乘以终端字号等于实际行高(以像素为单位)。",
+ "terminal.integrated.minimumContrastRatio": "设置每个单元格的前景色时,将改为尝试符合指定的对比度比率。示例值:\r\n\r\n- 1: 默认值,不执行任何操作。\r\n- 4.5: [符合 WCAG AA 标准(最低)](https://www.w3.org/TR/UNDERSTANDING-WCAG20/visual-audio-contrast-contrast.html)。\r\n- 7: [符合 WCAG AAA 标准(增强)](https://www.w3.org/TR/UNDERSTANDING-WCAG20/visual-audio-contrast7.html).\r\n- 21: 黑底白字或白底黑字。",
+ "terminal.integrated.fastScrollSensitivity": "按 \"Alt\" 时的滚动速度加倍。",
+ "terminal.integrated.mouseWheelScrollSensitivity": "要在鼠标滚轮滚动事件的 \"deltaY\" 上使用的乘数。",
+ "terminal.integrated.fontWeightError": "仅允许使用关键字“正常”和“加粗”,或使用介于 1 至 1000 之间的数字。",
+ "terminal.integrated.fontWeight": "要在终端中用于非粗体文本的字体粗细。接受“正常”和“加粗”这两个关键字,或接受 1-1000 之间的数字。",
+ "terminal.integrated.fontWeightBold": "要在终端中用于粗体文本的字体粗细。接受“正常”和“加粗”这两个关键字,或接受 1-1000 之间的数字。",
+ "terminal.integrated.cursorBlinking": "控制终端光标是否闪烁。",
+ "terminal.integrated.cursorStyle": "控制终端光标的样式。",
+ "terminal.integrated.cursorWidth": "控制在 \"#terminal.integrated.cursorStyle#\" 设置为 \"line\" 时光标的宽度。",
+ "terminal.integrated.scrollback": "控制终端在其缓冲区中保留的最大行数。",
+ "terminal.integrated.detectLocale": "控制是否检测 \"$LANG\" 环境变量并将其设置为符合 UTF-8 的选项,因为 VS Code 的终端仅支持来自 shell 的 UTF-8 编码数据。",
+ "terminal.integrated.detectLocale.auto": "如果现有变量不存在或不以 \"'.UTF-8'\" 结尾,则设置 \"$LANG\" 环境变量。",
+ "terminal.integrated.detectLocale.off": "请勿设置 \"$LANG\" 环境变量。",
+ "terminal.integrated.detectLocale.on": "始终设置 \"$LANG\" 环境变量。",
+ "terminal.integrated.rendererType.auto": "让 VS Code 猜测要使用的呈现器。",
+ "terminal.integrated.rendererType.canvas": "使用标准 GPU/基于画布的呈现器。",
+ "terminal.integrated.rendererType.dom": "使用基于回退 DOM 的呈现器。",
+ "terminal.integrated.rendererType.experimentalWebgl": "使用实验性的基于 webgl 的呈现器。请注意,存在一些[已知问题](https://github.com/xtermjs/xterm.js/issues?q=is%3Aopen+is%3Aissue+label%3Aarea%2Faddon%2Fwebgl)。",
+ "terminal.integrated.rendererType": "控制如何呈现终端。",
+ "terminal.integrated.rightClickBehavior.default": "显示上下文菜单。",
+ "terminal.integrated.rightClickBehavior.copyPaste": "当有选定内容时复制,否则粘贴。",
+ "terminal.integrated.rightClickBehavior.paste": "右键单击时粘贴。",
+ "terminal.integrated.rightClickBehavior.selectWord": "选择光标下方的字词并显示上下文菜单。",
+ "terminal.integrated.rightClickBehavior": "控制终端如何回应右键单击操作。",
+ "terminal.integrated.cwd": "将在其中启动终端的显式起始路径,它用作 shell 进程的当前工作目录(cwd)。如果根目录不是方便的 cwd,此路径在工作区设置中可能十分有用。",
+ "terminal.integrated.confirmOnExit": "控制在存在活动终端会话的情况下是否要在退出时进行确认。",
+ "terminal.integrated.enableBell": "控制是否启用终端铃声。",
+ "terminal.integrated.commandsToSkipShell": "一组命令 ID,其键绑定将不发送至 shell,而是始终由 VS Code 进行处理。这样的话,通常由 shell 使用的键绑定的行为可如同焦点未在终端上时的行为一样,例如按 “Ctrl+P” 来启动“快速打开”。\r\n\r\n \r\n\r\n默认跳过多项命令。要替代默认值并转而将相关命令的键绑定传递给 shell,请添加以 “-” 字符为前缀的命令。例如,添加 “-workbench.action.quickOpen” 可使 “Ctrl+P”到达 shell。\r\n\r\n \r\n\r\n在设置编辑器中查看时,下面的默认跳过命令列表会被截断。要查看完整列表,请[打开默认设置 JSON](command:workbench.action.openRawDefaultSettings“打开默认设置(JSON)”),然后从下面的列表中搜索第一个命令。\r\n\r\n \r\n\r\n默认跳过的命令:\r\n\r\n{0}",
+ "terminal.integrated.allowChords": "是否允许在终端中同时按下键绑定。请注意,如果设置为 true 且击键导致同时按键,则将绕过 `#terminal.integrated.commandsToSkipShell#`;如果想要按 Ctrl+K 转到 shell (而不是 VS Code),则将此项设置为 false 尤其有用。",
+ "terminal.integrated.allowMnemonics": "是否允许使用菜单栏助记符(如 Alt+F)来触发“打开菜单栏”。请注意,这将导致在设为 true 时,所有 Alt 按键都将跳过 shell。此设置在 macOS 不起作用。",
+ "terminal.integrated.inheritEnv": "新的 shell 是否应从 VS Code 继承其环境。Windows 上不支持此设置。",
+ "terminal.integrated.env.osx": "具有环境变量的对象,这些变量将添加到 macOS 中的终端要使用的 VS Code 进程。如果设置为 \"null\",则删除环境变量。",
+ "terminal.integrated.env.linux": "具有环境变量的对象,这些变量将添加到 Linux 上的终端要使用的 VS Code 进程。如果设置为 \"null\",则删除环境变量。",
+ "terminal.integrated.env.windows": "具有环境变量的对象,这些变量将添加到将由 Windows 上的终端使用的 VS Code 进程。设置为 \"null\" 以删除环境变量。",
+ "terminal.integrated.environmentChangesIndicator": "是否在每个终端上显示环境更改指示器,该指示器解释了使是否已进行扩展或想要对终端环境进行更改。",
+ "terminal.integrated.environmentChangesIndicator.off": "禁用指示器。",
+ "terminal.integrated.environmentChangesIndicator.on": "启用指示器。",
+ "terminal.integrated.environmentChangesIndicator.warnonly": "仅当终端环境为“已过时”时,仅显示警告指示器,而不是显示指出终端环境已由扩展修改的信息指示器。",
+ "terminal.integrated.showExitAlert": "控制在退出代码为非零时是否显示“终端进程已终止且显示退出代码”警报。",
+ "terminal.integrated.splitCwd": "控制拆分终端开始时使用的工作目录。",
+ "terminal.integrated.splitCwd.workspaceRoot": "新的拆分终端将使用工作区根作为工作目录。在多根工作区中,提供了要使用根文件夹的选项。",
+ "terminal.integrated.splitCwd.initial": "新的拆分终端将使用父终端开始时使用的工作目录。",
+ "terminal.integrated.splitCwd.inherited": "在 macOS 和 Linux 上,新的拆分终端将使用父终端的工作目录。在 Windows 上,这与初始行为相同。",
+ "terminal.integrated.windowsEnableConpty": "是否使用 ConPTY 进行 Windows 终端进程通信(需要 Windows 10 内部版本号 18309+)。如果此设置为 false,将使用 Winpty。",
+ "terminal.integrated.wordSeparators": "一个字符串,其中包含双击选择 Word 功能而被视为单词分隔符的所有字符。",
+ "terminal.integrated.experimentalUseTitleEvent": "一项实验性设置,它将对下拉标题使用终端标题事件。此设置仅应用于新终端。",
+ "terminal.integrated.enableFileLinks": "是否在终端中启用文件链接。尤其是在处理网络驱动器时,链接会变慢,因为每个文件链接都会根据文件系统进行验证。更改此项将仅在新的终端中生效。",
+ "terminal.integrated.unicodeVersion.six": "unicode 的版本 6,该版本较旧,在较旧的系统中效果更好。",
+ "terminal.integrated.unicodeVersion.eleven": "unicode 的版本 11,版本可在使用新式版本 unicode 的新式系统上提供更好的支持。",
+ "terminal.integrated.unicodeVersion": "控制在计算终端中字符的宽度时要使用的 unicode 版本。如果你遇到表情符号或其他宽字符,而这些宽字符占用的空格或退格量不正确或删除的空间太多或太少,则你可能需要尝试调整此设置。",
+ "terminal.integrated.experimentalLinkProvider": "一项实验性设置,旨在通过改进检测链接的时间以及使用编辑器启用共享链接检测,来改进终端中的链接检测。此设置当前只支持 Web 链接。",
+ "terminal.integrated.localEchoLatencyThreshold": "试验性: 网络延迟的长度(以毫秒为单位),本地编辑内容会在终端上回显,而不等待服务器确认。如果为 \"0\",则本地回显将始终处于打开状态,如果为 \"-1\" 将被禁用。",
+ "terminal.integrated.localEchoExcludePrograms": "实验: 在终端标题中找到这些程序名称中的任意一个时,将禁用本地回显。",
+ "terminal.integrated.localEchoStyle": "试验性: 本地回显文本的终端样式,可以是字体样式或 RGB 颜色。",
+ "terminal.integrated.serverSpawn": "实验: 从远程代理进程(而不是远程扩展主机)生成远程终端",
+ "terminal.integrated.enablePersistentSessions": "实验: 跨窗口重新加载工作区的持久性终端会话。当前仅在 VS Code 远程工作区中受支持。",
+ "terminal.integrated.shell.linux": "终端在 Linux 上使用的 shell 的路径(默认: {0})。[详细了解如何配置 shell](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration)。",
+ "terminal.integrated.shell.linux.noDefault": "终端在 Linux 上使用的 shell 的路径。[详细了解如何配置 shell](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration)。",
+ "terminal.integrated.shell.osx": "终端在 macOS 上使用的 shell 的路径(默认: {0})。[详细了解如何配置 shell](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration)。",
+ "terminal.integrated.shell.osx.noDefault": "终端在 macOS 上使用的 shell 的路径。[详细了解如何配置 shell](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration)。",
+ "terminal.integrated.shell.windows": "终端在 Windows 上使用的 shell 的路径(默认: {0})。[详细了解如何配置 shell](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration)。",
+ "terminal.integrated.shell.windows.noDefault": "终端在 Windows 上使用的 shell 的路径。[详细了解如何配置 shell](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration)。"
+ },
+ "vs/workbench/contrib/terminal/common/terminal": {
+ "terminalCategory": "终端",
+ "vscode.extension.contributes.terminal": "参与终端功能。",
+ "vscode.extension.contributes.terminal.types": "定义用户可创建的其他终端类型。",
+ "vscode.extension.contributes.terminal.types.command": "在用户创建此类型的终端时执行的命令。",
+ "vscode.extension.contributes.terminal.types.title": "此类型终端的标题。"
+ },
+ "vs/workbench/contrib/terminal/browser/terminal.contribution": {
+ "tasksQuickAccessPlaceholder": "键入要打开的终端的名称。",
+ "tasksQuickAccessHelp": "显示所有已打开的终端",
+ "terminal": "终端"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalView": {
+ "terminal.useMonospace": "使用 \"monospace\"",
+ "terminal.monospaceOnly": "终端仅支持等宽字体。如果这是新安装的字体,请确保重新启动 VS Code。"
+ },
+ "vs/workbench/contrib/terminal/browser/remoteTerminalService": {
+ "terminal.integrated.starting": "正在启动..."
+ },
+ "vs/workbench/contrib/terminal/node/terminalProcess": {
+ "launchFail.cwdNotDirectory": "启动目录(cwd)“{0}”不是一个目录",
+ "launchFail.cwdDoesNotExist": "启动目录(cwd)“{0}”不存在",
+ "launchFail.executableIsNotFileOrSymlink": "shell 可执行文件的路径“{0}”不是符号链接的文件",
+ "launchFail.executableDoesNotExist": "shell 可执行文件“{0}”的路径不存在"
+ },
+ "vs/workbench/contrib/terminal/electron-browser/terminalRemote": {
+ "workbench.action.terminal.newLocal": "新建集成终端(本地)"
+ },
+ "vs/workbench/contrib/terminal/common/terminalColorRegistry": {
+ "terminal.background": "终端的背景颜色,允许终端的颜色与面板不同。",
+ "terminal.foreground": "终端的前景颜色。",
+ "terminalCursor.foreground": "终端光标的前景色。",
+ "terminalCursor.background": "终端光标的背景色。允许自定义被 block 光标遮住的字符的颜色。",
+ "terminal.selectionBackground": "终端选中内容的背景颜色。",
+ "terminal.border": "分隔终端中拆分窗格的边框的颜色。默认值为 panel.border 的颜色",
+ "terminal.ansiColor": "终端中的 ANSI 颜色“{0}”。"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalActions": {
+ "workbench.action.terminal.newWorkspacePlaceholder": "选择当前工作目录新建终端",
+ "workbench.action.terminal.toggleTerminal": "切换集成终端",
+ "workbench.action.terminal.kill": "终止活动终端实例",
+ "workbench.action.terminal.kill.short": "终止终端",
+ "workbench.action.terminal.copySelection": "复制所选内容",
+ "workbench.action.terminal.copySelection.short": "复制",
+ "workbench.action.terminal.selectAll": "选择全部",
+ "workbench.action.terminal.new": "新建集成终端",
+ "workbench.action.terminal.new.short": "新建终端",
+ "workbench.action.terminal.split": "拆分终端",
+ "workbench.action.terminal.split.short": "拆分",
+ "workbench.action.terminal.splitInActiveWorkspace": "拆分终端 (活动工作区)",
+ "workbench.action.terminal.paste": "粘贴到活动终端中",
+ "workbench.action.terminal.paste.short": "粘贴",
+ "workbench.action.terminal.selectDefaultShell": "选择默认 Shell",
+ "workbench.action.terminal.openSettings": "配置终端设置",
+ "workbench.action.terminal.switchTerminal": "切换终端",
+ "terminals": "打开终端。",
+ "terminalConnectingLabel": "正在启动...",
+ "workbench.action.terminal.clear": "清除",
+ "terminalLaunchHelp": "打开帮助",
+ "workbench.action.terminal.newInActiveWorkspace": "新建集成终端 (活动工作区)",
+ "workbench.action.terminal.focusPreviousPane": "聚焦到上一窗格",
+ "workbench.action.terminal.focusNextPane": "聚焦到下一窗格",
+ "workbench.action.terminal.resizePaneLeft": "向左调整窗格大小",
+ "workbench.action.terminal.resizePaneRight": "向右调整窗格大小",
+ "workbench.action.terminal.resizePaneUp": "向上调整窗格大小",
+ "workbench.action.terminal.resizePaneDown": "向下调整窗格大小",
+ "workbench.action.terminal.focus": "聚焦到终端",
+ "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.manageWorkspaceShellPermissions": "管理工作区 Shell 权限",
+ "workbench.action.terminal.rename": "重命名",
+ "workbench.action.terminal.rename.prompt": "输入终端名称",
+ "workbench.action.terminal.focusFind": "聚焦查找",
+ "workbench.action.terminal.hideFind": "隐藏查找",
+ "workbench.action.terminal.attachToRemote": "附加到会话",
+ "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": "显示环境信息"
+ },
+ "vs/workbench/contrib/terminal/common/terminalMenu": {
+ "miToggleIntegratedTerminal": "终端(&&T)",
+ "miNewTerminal": "新终端(&&N)",
+ "miSplitTerminal": "拆分终端(&&S)",
+ "miRunActiveFile": "运行活动文件(&&A)",
+ "miRunSelectedText": "运行所选文本(&&S)"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalService": {
+ "workbench.action.terminal.allowWorkspaceShell": "允许配置工作区 Shell",
+ "workbench.action.terminal.disallowWorkspaceShell": "禁止配置工作区 Shell",
+ "terminalService.terminalCloseConfirmationSingular": "存在一个活动的终端会话,是否要终止此会话?",
+ "terminalService.terminalCloseConfirmationPlural": "存在 {0} 个活动的终端会话,是否要终止这些会话?",
+ "terminal.integrated.chooseWindowsShell": "选择首选的终端 shell,你可稍后在设置中进行更改"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalQuickAccess": {
+ "renameTerminal": "重命名终端",
+ "killTerminal": "终止终端实例",
+ "workbench.action.terminal.newplus": "新建集成终端"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalIcons": {
+ "terminalViewIcon": "查看终端视图的图标。",
+ "renameTerminalIcon": "用于在终端快速菜单中进行重命名的图标。",
+ "killTerminalIcon": "用于终止终端实例的图标。",
+ "newTerminalIcon": "用于创建新的终端实例的图标。"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalConfigHelper": {
+ "terminal.integrated.allowWorkspaceShell": "是否允许此工作区修改您的终端?{0}",
+ "allow": "Allow",
+ "disallow": "Disallow",
+ "useWslExtension.title": "建议使用“{0}”扩展在 WSL 中打开终端。",
+ "install": "安装"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalInstance": {
+ "terminal.integrated.a11yPromptLabel": "终端输入",
+ "terminal.integrated.a11yTooMuchOutput": "输出太多,无法朗读。请手动转到行内进行阅读",
+ "terminalTextBoxAriaLabelNumberAndTitle": "终端 {0},{1}",
+ "terminalTextBoxAriaLabel": "终端 {0}",
+ "configure terminal settings": "默认情况下,某些键绑定会被调度到工作台。",
+ "configureTerminalSettings": "配置终端设置",
+ "yes": "是",
+ "no": "否",
+ "dontShowAgain": "不再显示",
+ "terminal.slowRendering": "集成终端的标准渲染器似乎在您的计算机上运行得很慢。使用基于 DOM 的渲染器也许能提高性能,是否切换? [阅读有关终端设置的更多信息](https://code.visualstudio.com/docs/editor/integrated-terminal#_changing-how-the-terminal-is-rendered)。",
+ "terminal.integrated.copySelection.noSelection": "没有在终端中选择要复制的内容",
+ "launchFailed.exitCodeAndCommandLine": "终端进程“{0}”启动失败(退出代码: {1})。",
+ "launchFailed.exitCodeOnly": "终端进程启动失败(退出代码: {0})。",
+ "terminated.exitCodeAndCommandLine": "终端进程“{0}”已终止,退出代码: {1}。",
+ "terminated.exitCodeOnly": "终端进程已终止,退出代码: {0}。",
+ "launchFailed.errorMessage": "终端进程启动失败: {0}。",
+ "terminalStaleTextBoxAriaLabel": "终端 {0} 环境已过时,请运行“显示环境信息”命令以获取详细信息"
+ },
+ "vs/workbench/contrib/terminal/browser/links/terminalLinkManager": {
+ "terminalLinkHandler.followLinkAlt.mac": "Option + 单击",
+ "terminalLinkHandler.followLinkAlt": "Alt + 单击",
+ "terminalLinkHandler.followLinkCmd": "Cmd + 单击",
+ "terminalLinkHandler.followLinkCtrl": "Ctrl + 单击",
+ "followLink": "跟随链接"
+ },
+ "vs/workbench/contrib/terminal/browser/links/terminalWordLinkProvider": {
+ "searchWorkspace": "搜索工作区"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalProcessExtHostProxy": {
+ "terminal.integrated.starting": "正在启动..."
+ },
+ "vs/workbench/contrib/terminal/browser/environmentVariableInfo": {
+ "extensionEnvironmentContributionChanges": "扩展要对终端环境进行以下更改:",
+ "extensionEnvironmentContributionRemoval": "扩展要从终端环境中删除以下现有更改:",
+ "relaunchTerminalLabel": "重新启动终端",
+ "extensionEnvironmentContributionInfo": "扩展已对此终端的环境进行更改"
+ },
+ "vs/workbench/contrib/terminal/browser/links/terminalLink": {
+ "openFile": "在编辑器中打开文件",
+ "focusFolder": "聚焦资源管理器中的文件夹",
+ "openFolder": "在新窗口中打开文件夹"
+ },
+ "vs/workbench/contrib/themes/browser/themes.contribution": {
+ "selectTheme.label": "颜色主题",
+ "themes.category.light": "浅色主题",
+ "themes.category.dark": "深色主题",
+ "themes.category.hc": "高对比度主题",
+ "installColorThemes": "安装其他颜色主题...",
+ "themes.selectTheme": "选择颜色主题 (按上下箭头键预览)",
+ "selectIconTheme.label": "文件图标主题",
+ "noIconThemeLabel": "无",
+ "noIconThemeDesc": "禁用文件图标",
+ "installIconThemes": "安装其他文件图标主题...",
+ "themes.selectIconTheme": "选择文件图标主题",
+ "selectProductIconTheme.label": "产品图标主题",
+ "defaultProductIconThemeLabel": "默认值",
+ "themes.selectProductIconTheme": "选择产品图标主题",
+ "generateColorTheme.label": "使用当前设置生成颜色主题",
+ "preferences": "首选项",
+ "miSelectColorTheme": "颜色主题(&&C)",
+ "miSelectIconTheme": "文件图标主题(&&I)",
+ "themes.selectIconTheme.label": "文件图标主题"
+ },
+ "vs/workbench/contrib/timeline/browser/timeline.contribution": {
+ "timelineViewIcon": "查看时间线视图的图标。",
+ "timelineOpenIcon": "“打开时间线”操作的图标。",
+ "timelineConfigurationTitle": "时间线",
+ "timeline.excludeSources": "实验性: 应从时间线视图中排除的时间线源数组",
+ "timeline.pageSize": "默认情况下以及在加载更多项目时在时间线视图中显示的项目数。如果设置为 \"null\" (默认值),则将根据时间线视图的可见区域自动选择一个页面大小",
+ "timeline.pageOnScroll": "实验性。控制在滚动到列表结尾时,时间线视图是否将加载下一页的项目",
+ "files.openTimeline": "打开时间线"
+ },
+ "vs/workbench/contrib/timeline/browser/timelinePane": {
+ "timeline.loadingMore": "正在加载…",
+ "timeline.loadMore": "加载更多",
+ "timeline": "时间线",
+ "timeline.editorCannotProvideTimeline": "活动编辑器无法提供时间线信息。",
+ "timeline.noTimelineInfo": "未提供时间表信息。",
+ "timeline.aria.item": "{0}: {1}",
+ "timeline.loading": "正在加载 {0} 的时间线 ...",
+ "timelineRefresh": "“刷新时间线”操作的图标。",
+ "timelinePin": "“固定时间线”操作的图标。",
+ "timelineUnpin": "“取消固定时间线”操作的图标。",
+ "refresh": "刷新",
+ "timeline.toggleFollowActiveEditorCommand.follow": "固定当前时间线",
+ "timeline.toggleFollowActiveEditorCommand.unfollow": "取消固定当前时间线",
+ "timeline.filterSource": "包括: {0}"
+ },
+ "vs/workbench/contrib/update/browser/update.contribution": {
+ "miReleaseNotes": "发行说明(&&R)"
+ },
+ "vs/workbench/contrib/update/browser/update": {
+ "releaseNotes": "发行说明",
+ "update.noReleaseNotesOnline": "此版本的 {0} 没有联机发行说明",
+ "showReleaseNotes": "显示发行说明",
+ "read the release notes": "欢迎使用 {0} v{1}! 是否要阅读发布说明?",
+ "licenseChanged": "我们对许可条款进行了修改,请点击[此处]({0})进行查看。",
+ "updateIsReady": "有新的 {0} 的更新可用。",
+ "checkingForUpdates": "正在检查更新...",
+ "update service": "更新服务",
+ "noUpdatesAvailable": "当前没有可用的更新。",
+ "ok": "确定",
+ "thereIsUpdateAvailable": "存在可用更新。",
+ "download update": "下载更新",
+ "later": "稍后",
+ "updateAvailable": "现有更新可用: {0} {1}",
+ "installUpdate": "安装更新",
+ "updateInstalling": "正在后台安装 {0} {1},我们将在完成后通知您。 ",
+ "updateNow": "立即更新",
+ "updateAvailableAfterRestart": "重新启动 {0} 即可应用最新更新。",
+ "checkForUpdates": "检查更新...",
+ "download update_1": "下载更新(1) ",
+ "DownloadingUpdate": "正在下载更新...",
+ "installUpdate...": "安装更新... (1)",
+ "installingUpdate": "正在安装更新...",
+ "good luck": "'Restart to Update' is not working properly on macOS Big Sur. Click 'Quit to Update' to quit {0} and update it. Then, relaunch it from Finder.",
+ "quit": "Quit to Update",
+ "learn more": "Learn More",
+ "cancel": "Cancel",
+ "restartToUpdate": "重新启动以更新 (1)",
+ "relaunchMessage": "需要重载,然后对版本的更改才会生效",
+ "relaunchDetailInsiders": "按“重载”按钮切换到 VSCode 的夜晚预生产版本。",
+ "relaunchDetailStable": "按“重载”按钮切换到每月发布的 VSCode 稳定版本。",
+ "reload": "重载(&&R)",
+ "switchToInsiders": "切换到内部预览计划版本…",
+ "switchToStable": "切换到稳定版本…"
+ },
+ "vs/workbench/contrib/update/browser/releaseNotesEditor": {
+ "releaseNotesInputName": "发行说明: {0}",
+ "unassigned": "未分配"
+ },
+ "vs/workbench/contrib/url/browser/url.contribution": {
+ "openUrl": "打开 URL",
+ "urlToOpen": "要打开的 URL"
+ },
+ "vs/workbench/contrib/url/browser/trustedDomains": {
+ "trustedDomain.manageTrustedDomain": "管理受信任的域",
+ "trustedDomain.trustDomain": "信任 {0}",
+ "trustedDomain.trustAllPorts": "信任所有端口上的 {0}",
+ "trustedDomain.trustSubDomain": "信任 {0} 及其所有子域",
+ "trustedDomain.trustAllDomains": "信任所有域(禁用链接保护)",
+ "trustedDomain.manageTrustedDomains": "管理受信任的域",
+ "configuringURL": "为 {0} 配置信任"
+ },
+ "vs/workbench/contrib/url/browser/trustedDomainsValidator": {
+ "openExternalLinkAt": "是否要 {0} 打开外部网站?",
+ "open": "打开",
+ "copy": "复制",
+ "cancel": "取消",
+ "configureTrustedDomains": "配置受信任的域"
+ },
+ "vs/workbench/contrib/userDataSync/electron-browser/userDataSync.contribution": {
+ "operationId": "操作 ID: {0}",
+ "too many requests": "当前设备正在进行的请求过多,因此已禁用设置同步。请提供同步日志以报告问题。",
+ "settings sync": "设置同步。操作 ID: {0}",
+ "show sync logs": "显示日志",
+ "report issue": "报告问题",
+ "Open Backup folder": "打开本地备份文件夹",
+ "no backups": "本地备份文件夹不存在"
+ },
+ "vs/workbench/contrib/userDataSync/browser/userDataSync.contribution": {
+ "operationId": "操作 ID: {0}",
+ "too many requests": "由于此设备发出的请求太多,因此已在该设备上关闭设置同步。"
+ },
+ "vs/workbench/contrib/userDataSync/browser/userDataSync": {
+ "turn on sync with category": "{0}: 打开…",
+ "stop sync": "{0}: 关闭",
+ "configure sync": "{0}: 配置…",
+ "showConflicts": "{0}: 显示设置冲突",
+ "showKeybindingsConflicts": "{0}: 显示键绑定冲突",
+ "showSnippetsConflicts": "{0}: 显示用户代码片段冲突",
+ "sync now": "{0}: 立即同步",
+ "syncing": "正在同步",
+ "synced with time": "同步时间: {0}",
+ "sync settings": "{0}: 显示设置",
+ "show synced data": "{0}: 显示已同步的数据",
+ "conflicts detected": "由于 {0} 中的冲突,无法同步。请解决它们以继续。",
+ "accept remote": "接受远程",
+ "accept local": "接受本地",
+ "show conflicts": "显示冲突",
+ "accept failed": "接受更改时出错。有关更多详细信息,请查看[日志]({0})。",
+ "session expired": "当前会话已过期,因此已关闭设置同步。若要启用同步,请重新登录。",
+ "turn on sync": "打开设置同步…",
+ "turned off": "已从另一设备禁用设置同步。若要启用同步,请重新登录。",
+ "too large": "已禁止同步 {0},因为要同步的 {1} 文件的大小大于 {2}。请打开文件减小大小,然后再启用同步",
+ "error upgrade required": "当前版本({0}, {1})与同步服务不兼容,因此已禁用设置同步。请先进行更新,然后再打开同步。",
+ "operationId": "操作 ID: {0}",
+ "error reset required": "云中的数据早于客户端的数据,因此已禁用设置同步。请先清除云中的数据,然后再启用同步。",
+ "reset": "清除云中的数据…",
+ "show synced data action": "显示已同步的数据",
+ "switched to insiders": "“设置同步”现使用单独的服务;有关详细信息,请参阅[发行说明](https://code.visualstudio.com/updates/v1_48#_settings-sync)。",
+ "open file": "打开 {0} 文件",
+ "errorInvalidConfiguration": "无法同步 {0},因为文件中的内容无效。请打开文件并进行更正。",
+ "has conflicts": "{0}: 检测到冲突",
+ "turning on syncing": "正在打开设置同步…",
+ "sign in to sync": "登录以同步设置",
+ "no authentication providers": "没有可用的身份验证提供程序。",
+ "too large while starting sync": "要同步的 {0} 文件的大小大于 {1},因此无法启用设置同步。请打开文件并减小大小,然后打开同步",
+ "error upgrade required while starting sync": "当前版本({0}, {1})与同步服务不兼容,因此无法启用设置同步。请先进行更新,然后再打开同步。",
+ "error reset required while starting sync": "云中的数据早于客户端的数据,因此无法启用设置同步。请先清除云中的数据,然后再启用同步。",
+ "auth failed": "启用设置同步时出错: 身份验证失败。",
+ "turn on failed": "启用设置同步时出错。请查看[日志]({0})以了解详细信息。",
+ "sync preview message": "同步设置是一项预览功能,请在启用它之前阅读文档。",
+ "turn on": "打开",
+ "open doc": "打开文档",
+ "cancel": "取消",
+ "sign in and turn on": "登录并打开",
+ "configure and turn on sync detail": "请进行登录,跨设备同步你的数据。",
+ "per platform": "为每个平台",
+ "configure sync placeholder": "选择要同步的内容",
+ "turn off sync confirmation": "是否要关闭同步?",
+ "turn off sync detail": "将不再同步你的设置、键绑定、扩展、代码片段和 UI 状态。",
+ "turn off": "关闭(&&T)",
+ "turn off sync everywhere": "关闭所有设备上的同步设置,并从云中清除数据。",
+ "leftResourceName": "{0} (远程)",
+ "merges": "{0} (合并)",
+ "sideBySideLabels": "{0} ↔ {1}",
+ "sideBySideDescription": "设置同步",
+ "switchSyncService.title": "{0}: 选择服务",
+ "switchSyncService.description": "在与多个环境同步时,请确保你使用的设置同步服务相同",
+ "default": "默认值",
+ "insiders": "预览体验人员",
+ "stable": "稳定",
+ "global activity turn on sync": "打开设置同步…",
+ "turnin on sync": "正在打开设置同步…",
+ "sign in global": "登录以同步设置",
+ "sign in accounts": "登录以同步设置(1)",
+ "resolveConflicts_global": "{0}: 显示设置冲突(1)",
+ "resolveKeybindingsConflicts_global": "{0}: 显示按键绑定冲突(1)",
+ "resolveSnippetsConflicts_global": "{0}: 显示用户代码片段冲突({1})",
+ "sync is on": "设置同步已打开",
+ "workbench.action.showSyncRemoteBackup": "显示已同步的数据",
+ "turn off failed": "禁用设置同步时出错。有关更多详细信息,请查看[日志]({0})。",
+ "show sync log title": "{0}: 显示日志",
+ "accept merges": "接受合并",
+ "accept remote button": "接受远程(&&R)",
+ "accept merges button": "接受合并(&&M)",
+ "Sync accept remote": "{0}: {1}",
+ "Sync accept merges": "{0}: {1}",
+ "confirm replace and overwrite local": "是否接受远程 {0} 并替换本地 {1}?",
+ "confirm replace and overwrite remote": "是否接受合并,并替换远程 {0}?",
+ "update conflicts": "无法解决冲突,因为存在新的可用本地版本。请重新尝试。"
+ },
+ "vs/workbench/contrib/userDataSync/browser/userDataSyncViews": {
+ "showLog": "显示日志",
+ "configure": "配置...",
+ "workbench.actions.syncData.reset": "清除云中的数据…",
+ "merges": "合并",
+ "synced machines": "已同步的计算机",
+ "workbench.actions.sync.editMachineName": "编辑名称",
+ "workbench.actions.sync.turnOffSyncOnMachine": "关闭设置同步",
+ "remote sync activity title": "同步活动(远程)",
+ "local sync activity title": "同步活动(本地)",
+ "workbench.actions.sync.resolveResourceRef": "显示原始 JSON 同步数据",
+ "workbench.actions.sync.replaceCurrent": "还原",
+ "confirm replace": "是否要用选定的内容替换当前的 {0}?",
+ "workbench.actions.sync.compareWithLocal": "打开更改",
+ "leftResourceName": "{0} (远程)",
+ "rightResourceName": "{0} (本地)",
+ "sideBySideLabels": "{0} ↔ {1}",
+ "sideBySideDescription": "设置同步",
+ "reset": "重置同步的数据",
+ "current": "当前",
+ "no machines": "无计算机",
+ "not found": "找不到 ID 为 {0} 的计算机",
+ "turn off sync on machine": "确定要对 {0} 关闭同步吗?",
+ "turn off": "关闭(&&T)",
+ "placeholder": "输入计算机名称",
+ "valid message": "计算机名称必须是唯一的且不为空"
+ },
+ "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": "放弃",
+ "workbench.actions.sync.showChanges": "打开更改",
+ "conflicts detected": "检测到冲突",
+ "resolve": "因冲突而无法同步。请解决它们以继续。",
+ "turning on": "正在打开…",
+ "preview": "{0} (预览)",
+ "leftResourceName": "{0} (远程)",
+ "merges": "{0} (合并)",
+ "rightResourceName": "{0} (本地)",
+ "sideBySideLabels": "{0} ↔ {1}",
+ "sideBySideDescription": "设置同步",
+ "label": "UserDataSyncResources",
+ "conflict": "检测到冲突",
+ "accepted": "已接受",
+ "accept remote": "接受远程",
+ "accept local": "接受本地",
+ "accept merges": "接受合并"
+ },
+ "vs/workbench/contrib/views/browser/treeView": {
+ "no-dataprovider": "没有可提供视图数据的已注册数据提供程序。",
+ "refresh": "刷新",
+ "collapseAll": "全部折叠",
+ "command-error": "运行命令 {1} 错误: {0}。这可能是由提交 {1} 的扩展引起的。"
+ },
+ "vs/workbench/contrib/watermark/browser/watermark": {
+ "watermark.showCommands": "显示所有命令",
+ "watermark.quickAccess": "转到文件",
+ "watermark.openFile": "打开文件",
+ "watermark.openFolder": "打开文件夹",
+ "watermark.openFileFolder": "打开文件或文件夹",
+ "watermark.openRecent": "打开最近的文件",
+ "watermark.newUntitledFile": "新的无标题文件",
+ "watermark.toggleTerminal": "切换终端",
+ "watermark.findInFiles": "在文件中查找",
+ "watermark.startDebugging": "开始调试",
+ "tips.enabled": "启用后,当没有打开编辑器时将显示水印提示。"
+ },
+ "vs/workbench/contrib/webview/electron-browser/webviewCommands": {
+ "openToolsLabel": "打开 Webview 开发人员工具"
+ },
+ "vs/workbench/contrib/webview/browser/baseWebviewElement": {
+ "fatalErrorMessage": "加载 Web 视图时出错: {0}"
+ },
+ "vs/workbench/contrib/webviewPanel/browser/webviewPanel.contribution": {
+ "webview.editor.label": "Web 视图编辑器"
+ },
+ "vs/workbench/contrib/webviewPanel/browser/webviewCommands": {
+ "editor.action.webvieweditor.showFind": "显示查找",
+ "editor.action.webvieweditor.hideFind": "停止查找",
+ "editor.action.webvieweditor.findNext": "查找下一个",
+ "editor.action.webvieweditor.findPrevious": "查找上一个",
+ "refreshWebviewLabel": "重新加载 Web 视图"
+ },
+ "vs/workbench/contrib/welcome/overlay/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/welcome/page/browser/welcomePage.contribution": {
+ "workbench.startupEditor.none": "在启动时不打开编辑器。",
+ "workbench.startupEditor.welcomePage": "打开欢迎页面 (默认)。",
+ "workbench.startupEditor.readme": "打开包含一个自述文件的文件夹时, 打开自述文件, 否则回退到 \"欢迎页面\"。",
+ "workbench.startupEditor.newUntitledFile": "打开新的无标题文件 (仅在打开空工作区时适用)。",
+ "workbench.startupEditor.welcomePageInEmptyWorkbench": "在打开空工作区时打开欢迎页面。",
+ "workbench.startupEditor.gettingStarted": "打开入门页面(实验性)。",
+ "workbench.startupEditor": "在没有从上一会话中恢复出信息的情况下,控制启动时显示的编辑器。",
+ "miWelcome": "欢迎使用(&&W)"
+ },
+ "vs/workbench/contrib/welcome/gettingStarted/browser/gettingStarted.contribution": {
+ "Getting Started": "入门",
+ "help": "帮助",
+ "gettingStartedDescription": "启用实验性入门页面 - 可通过帮助菜单访问它。"
+ },
+ "vs/workbench/contrib/welcome/walkThrough/browser/walkThrough.contribution": {
+ "walkThrough.editor.label": "交互式演练场",
+ "miInteractivePlayground": "交互式演练场(&&N)"
+ },
+ "vs/workbench/contrib/welcome/page/browser/welcomePage": {
+ "welcomePage": "欢迎使用",
+ "welcomePage.javaScript": "JavaScript",
+ "welcomePage.python": "Python",
+ "welcomePage.java": "Java",
+ "welcomePage.php": "PHP",
+ "welcomePage.azure": "Azure",
+ "welcomePage.showAzureExtensions": "显示 Azure 扩展",
+ "welcomePage.docker": "Docker",
+ "welcomePage.vim": "Vim",
+ "welcomePage.sublime": "Sublime",
+ "welcomePage.atom": "Atom",
+ "welcomePage.extensionPackAlreadyInstalled": "已安装对 {0} 的支持。",
+ "welcomePage.willReloadAfterInstallingExtensionPack": "安装对 {0} 的额外支持后,将重载窗口。",
+ "welcomePage.installingExtensionPack": "正在安装对 {0} 的额外支持...",
+ "welcomePage.extensionPackNotFound": "找不到对 {0} (ID: {1}) 的支持。",
+ "welcomePage.keymapAlreadyInstalled": "已安装 {0} 键盘快捷方式。",
+ "welcomePage.willReloadAfterInstallingKeymap": "安装 {0} 键盘快捷方式后,将重载窗口。",
+ "welcomePage.installingKeymap": "正在安装 {0} 键盘快捷方式...",
+ "welcomePage.keymapNotFound": "找不到 ID 为 {1} 的 {0} 键盘快捷方式。",
+ "welcome.title": "欢迎使用",
+ "welcomePage.openFolderWithPath": "打开路径为 {1} 的文件夹 {0}",
+ "welcomePage.extensionListSeparator": ", ",
+ "welcomePage.installKeymap": "安装 {0} 按键映射",
+ "welcomePage.installExtensionPack": "安装对 {0} 的额外支持",
+ "welcomePage.installedKeymap": "已安装 {0} 按键映射",
+ "welcomePage.installedExtensionPack": "已安装 {0} 支持",
+ "ok": "确定",
+ "details": "细节"
+ },
+ "vs/workbench/contrib/welcome/gettingStarted/browser/gettingStarted": {
+ "editorGettingStarted.title": "入门",
+ "next": "下一个"
+ },
+ "vs/workbench/contrib/welcome/walkThrough/browser/walkThroughPart": {
+ "walkThrough.unboundCommand": "未绑定",
+ "walkThrough.gitNotFound": "你的系统上似乎未安装 Git。",
+ "walkThrough.embeddedEditorBackground": "嵌入于交互式演练场中的编辑器的背景颜色。"
+ },
+ "vs/workbench/contrib/welcome/walkThrough/browser/editor/editorWalkThrough": {
+ "editorWalkThrough.title": "交互式演练场",
+ "editorWalkThrough": "交互式演练场"
+ },
+ "vs/workbench/contrib/welcome/common/viewsWelcomeContribution": {
+ "ViewsWelcomeExtensionPoint.proposedAPI": "“{0}”中的 viewsWelcome 贡献要求启用 \"enableProposedApi\"。"
+ },
+ "vs/workbench/contrib/welcome/common/viewsWelcomeExtensionPoint": {
+ "contributes.viewsWelcome": "提供视图欢迎内容。只要没有有意义的内容可显示,就会在基于树的视图中呈现欢迎内容,例如未打开文件夹时的文件资源管理器。此类内容作为产品内文档非常有用,可促使用户在某些功能可用之前使用它们。文件资源管理器欢迎视图中的“克隆存储库”按钮就是一个很好的示例。",
+ "contributes.viewsWelcome.view": "为特定视图提供的欢迎页面内容。",
+ "contributes.viewsWelcome.view.view": "此欢迎内容的目标视图标识符。仅支持基于树的视图。",
+ "contributes.viewsWelcome.view.contents": "要显示的欢迎内容。内容的格式是 Markdown 的子集,仅支持链接。",
+ "contributes.viewsWelcome.view.when": "显示欢迎内容的条件。",
+ "contributes.viewsWelcome.view.group": "此欢迎内容所属的组。",
+ "contributes.viewsWelcome.view.enablement": "启用欢迎内容的条件。"
+ },
+ "vs/workbench/contrib/welcome/telemetryOptOut/browser/telemetryOptOut": {
+ "telemetryOptOut.optOutNotice": "帮助改善 VS Code,允许 Microsoft 收集使用数据。请阅读我们的[隐私声明]({0})并了解如何[选择退出]({1})。",
+ "telemetryOptOut.optInNotice": "帮助改善 VS Code,允许 Microsoft 收集使用数据。请阅读我们的[隐私声明]({0})并了解如何[选择加入]({1})。",
+ "telemetryOptOut.readMore": "了解详细信息",
+ "telemetryOptOut.optOutOption": "请允许 Microsoft 收集使用数据来帮助我们改进 Visual Studio Code。有关详细信息,请阅读我们的[隐私声明]({0})。",
+ "telemetryOptOut.OptIn": "好,乐意提供帮助",
+ "telemetryOptOut.OptOut": "不,谢谢"
+ },
+ "vs/workbench/contrib/welcome/page/browser/welcomePageColors": {
+ "welcomePage.buttonBackground": "欢迎页按钮的背景色。",
+ "welcomePage.buttonHoverBackground": "欢迎页按钮被悬停时的背景色。",
+ "welcomePage.background": "欢迎页面的背景色。"
+ },
+ "vs/workbench/contrib/welcome/page/browser/vs_code_welcome_page": {
+ "welcomePage.vscode": "Visual Studio Code",
+ "welcomePage.editingEvolved": "编辑进化",
+ "welcomePage.start": "启动",
+ "welcomePage.newFile": "新建文件",
+ "welcomePage.openFolder": "打开文件夹...",
+ "welcomePage.gitClone": "克隆存储库…",
+ "welcomePage.recent": "最近",
+ "welcomePage.moreRecent": "更多...",
+ "welcomePage.noRecentFolders": "无最近使用文件夹",
+ "welcomePage.help": "帮助",
+ "welcomePage.keybindingsCheatsheet": "快捷键速查表(可打印)",
+ "welcomePage.introductoryVideos": "入门视频",
+ "welcomePage.tipsAndTricks": "提示与技巧",
+ "welcomePage.productDocumentation": "产品文档",
+ "welcomePage.gitHubRepository": "GitHub 存储库",
+ "welcomePage.stackOverflow": "Stack Overflow",
+ "welcomePage.newsletterSignup": "接收我们的新闻稿",
+ "welcomePage.showOnStartup": "启动时显示欢迎页",
+ "welcomePage.customize": "自定义",
+ "welcomePage.installExtensionPacks": "工具和语言",
+ "welcomePage.installExtensionPacksDescription": "安装对 {0} 和 {1} 的支持",
+ "welcomePage.showLanguageExtensions": "显示更多语言扩展",
+ "welcomePage.moreExtensions": "更多",
+ "welcomePage.installKeymapDescription": "设置和按键绑定",
+ "welcomePage.installKeymapExtension": "安装 {0} 和 {1} 的设置和快捷键",
+ "welcomePage.showKeymapExtensions": "显示其他按键映射扩展",
+ "welcomePage.others": "其他",
+ "welcomePage.colorTheme": "颜色主题",
+ "welcomePage.colorThemeDescription": "使编辑器和代码呈现你喜欢的外观",
+ "welcomePage.learn": "学习",
+ "welcomePage.showCommands": "查找并运行所有命令",
+ "welcomePage.showCommandsDescription": "使用命令面板快速访问和搜索命令 ({0})",
+ "welcomePage.interfaceOverview": "界面概览",
+ "welcomePage.interfaceOverviewDescription": "查看突出显示主要 UI 组件的叠加图",
+ "welcomePage.interactivePlayground": "交互式演练场",
+ "welcomePage.interactivePlaygroundDescription": "在简短的演练中尝试基本的编辑器功能"
+ },
+ "vs/workbench/contrib/welcome/gettingStarted/browser/vs_code_editor_getting_started": {
+ "gettingStarted.vscode": "Visual Studio Code",
+ "gettingStarted.editingRedefined": "代码编辑。已重新定义"
+ },
+ "vs/workbench/contrib/workspaces/browser/workspaces.contribution": {
+ "workspaceFound": "此文件夹包含工作区文件“{0}”,是否打开? [了解更多]({1})有关工作区文件的详细信息。",
+ "openWorkspace": "打开工作区",
+ "workspacesFound": "此文件夹包含多个工作区文件,是否打开? [了解更多]({0})有关工作区文件的详细信息。",
+ "selectWorkspace": "选择工作区",
+ "selectToOpen": "选择要打开的工作区"
+ },
+ "vs/workbench/services/authentication/browser/authenticationService": {
+ "authentication.id": "身份验证提供程序的 ID。",
+ "authentication.label": "身份验证提供程序的易读名称。",
+ "authenticationExtensionPoint": "添加身份验证",
+ "loading": "正在加载…",
+ "authentication.missingId": "提供身份验证必须指定一个 ID。",
+ "authentication.missingLabel": "提供身份验证必须指定一个标签。",
+ "authentication.idConflict": "已注册此身份验证 ID“{0}”",
+ "noAccounts": "你未登录任何帐户",
+ "sign in": "已请求登录",
+ "signInRequest": "登录以使用 {0} (1)"
+ },
+ "vs/workbench/services/bulkEdit/browser/bulkEditService": {
+ "summary.0": "未做编辑",
+ "summary.nm": "在 {1} 个文件中进行了 {0} 次编辑",
+ "summary.n0": "在 1 个文件中进行了 {0} 次编辑",
+ "workspaceEdit": "工作区编辑",
+ "nothing": "未做编辑"
+ },
+ "vs/workbench/services/configuration/common/jsonEditingService": {
+ "errorInvalidFile": "无法写入文件。请打开文件以更正错误或警告,然后重试。",
+ "errorFileDirty": "无法写入文件因为其已变更。请先保存此文件,然后重试。"
+ },
+ "vs/workbench/services/configuration/common/configurationEditingService": {
+ "openTasksConfiguration": "打开任务配置",
+ "openLaunchConfiguration": "打开启动配置",
+ "open": "打开设置",
+ "saveAndRetry": "保存并重试",
+ "errorUnknownKey": "没有注册配置 {1},因此无法写入 {0}。",
+ "errorInvalidWorkspaceConfigurationApplication": "无法将 {0} 写入“工作区设置”。此设置只能写于“用户设置”。",
+ "errorInvalidWorkspaceConfigurationMachine": "无法将 {0} 写入“工作区设置”。此设置只能写于“用户设置”。",
+ "errorInvalidFolderConfiguration": "{0} 不支持文件夹资源域,因此无法写入\"文件夹设置\"。",
+ "errorInvalidUserTarget": "{0} 不支持全局域,因此无法写入\"用户设置\"。",
+ "errorInvalidWorkspaceTarget": "{0} 不在多文件夹工作区环境下支持工作区作用域,因此无法写入“工作区设置”。",
+ "errorInvalidFolderTarget": "未提供资源,因此无法写入\"文件夹设置\"。",
+ "errorInvalidResourceLanguageConfiguraiton": "无法写入语言设置,因为{0}不是资源语言设置。",
+ "errorNoWorkspaceOpened": "没有打开任何工作区,因此无法写入 {0}。请先打开一个工作区,然后重试。",
+ "errorInvalidTaskConfiguration": "无法写入任务配置文件。请打开文件并更正错误或警告,然后重试。",
+ "errorInvalidLaunchConfiguration": "无法写入启动配置文件。请打开文件并更正错误或警告,然后重试。",
+ "errorInvalidConfiguration": "无法写入用户设置。请打开用户设置并清除错误或警告,然后重试。",
+ "errorInvalidRemoteConfiguration": "无法写入远程用户设置。请打开远程用户设置以更正其中的错误警告, 然后重试。",
+ "errorInvalidConfigurationWorkspace": "无法写入工作区设置。请打开工作区设置并清除错误或警告,然后重试。",
+ "errorInvalidConfigurationFolder": "无法写入文件夹设置。请打开“{0}”文件夹设置并清除错误或警告,然后重试。",
+ "errorTasksConfigurationFileDirty": "任务配置文件已变更,无法写入。请先保存此文件,然后重试。",
+ "errorLaunchConfigurationFileDirty": "启动配置文件已变更,无法写入。请先保存此文件,然后重试。",
+ "errorConfigurationFileDirty": "用户设置文件已变更,无法写入。请先保存此文件,然后重试。",
+ "errorRemoteConfigurationFileDirty": "无法写入远程的用户设置, 因为该文件已被污染。请先保存远程用户设置文件, 然后重试。",
+ "errorConfigurationFileDirtyWorkspace": "工作区设置文件已变更,无法写入。请先保存此文件,然后重试。",
+ "errorConfigurationFileDirtyFolder": "文件夹设置文件已变更,无法写入。请先保存“{0}”文件夹设置文件,然后重试。",
+ "errorTasksConfigurationFileModifiedSince": "无法写入任务配置文件,因为文件的内容较新。",
+ "errorLaunchConfigurationFileModifiedSince": "无法写入启动配置文件,因为文件的内容较新。",
+ "errorConfigurationFileModifiedSince": "无法写入用户设置,因为文件的内容较新。",
+ "errorRemoteConfigurationFileModifiedSince": "无法写入远程用户设置,因为文件的内容较新。",
+ "errorConfigurationFileModifiedSinceWorkspace": "无法写入工作区设置,因为文件的内容较新。",
+ "errorConfigurationFileModifiedSinceFolder": "无法写入文件夹设置,因为文件的内容较新。",
+ "userTarget": "用户设置",
+ "remoteUserTarget": "远程用户设置",
+ "workspaceTarget": "工作区设置",
+ "folderTarget": "文件夹设置"
+ },
+ "vs/workbench/services/configurationResolver/browser/configurationResolverService": {
+ "commandVariable.noStringType": "无法替换命令变量 \"{0}\", 因为命令没有返回字符串类型的结果。",
+ "inputVariable.noInputSection": "必须在调试或任务配置的“{1}”部分中定义变量“{0}”。",
+ "inputVariable.missingAttribute": "输入变量“{0}”的类型为“{1}”且必须包含“{2}”。",
+ "inputVariable.defaultInputValue": "(默认值)",
+ "inputVariable.command.noStringType": "无法替换输入变量 \"{0}\", 因为命令 \"{1}\" 没有返回类型字符串的结果。",
+ "inputVariable.unknownType": "输入变量“{0}”只能是 \"promptString\"、\"pickString\" 或 \"command\" 类型。",
+ "inputVariable.undefinedVariable": "遇到未定义的输入变量“{0}”。请删除或定义“{0}”以继续操作。"
+ },
+ "vs/workbench/services/configurationResolver/common/variableResolver": {
+ "canNotResolveFile": "无法解析变量 {0}。请打开一个编辑器。",
+ "canNotResolveFolderForFile": "变量 {0}: 找不到 \"{1}\" 的工作区文件夹。",
+ "canNotFindFolder": "找不到文件夹“{1}”,因此无法解析变量 {0}。",
+ "canNotResolveWorkspaceFolderMultiRoot": "无法在多文件夹工作区中解析变量 {0}。使用 \":\" 和工作区文件夹名称来限定此变量的作用域。",
+ "canNotResolveWorkspaceFolder": "无法解析变量 {0}。请打开一个文件夹。",
+ "missingEnvVarName": "未给出环境变量名称,因此无法解析变量 {0}。",
+ "configNotFound": "未能找到设置“{1}”,因此无法解析变量 {0}。",
+ "configNoString": "\"{1}\" 为结构类型值,因此无法解析变量 {0}。",
+ "missingConfigName": "未给出设置名称,因此无法解析变量 {0}。",
+ "canNotResolveLineNumber": "无法解析变量 {0}。请确保已在活动编辑器中选择一行内容。",
+ "canNotResolveSelectedText": "无法解析变量 {0}。请确保已在活动编辑器中选择一些文字。",
+ "noValueForCommand": "命令不含值,因此无法解析变量 {0}。"
+ },
+ "vs/workbench/services/configurationResolver/common/configurationResolverUtils": {
+ "deprecatedVariables": "“env.”、“config.”和“command.”已弃用,请改用“env:”、“config:”和“command:”。"
+ },
+ "vs/workbench/services/configurationResolver/common/configurationResolverSchema": {
+ "JsonSchema.input.id": "输入的 ID 用于与其变量采用 ${input:id} 形式的输入相关联。",
+ "JsonSchema.input.type": "要使用的用户输入提示符的类型。",
+ "JsonSchema.input.description": "当提示用户输入时,将显示说明。",
+ "JsonSchema.input.default": "输入的默认值。",
+ "JsonSchema.inputs": "用户输入。用于定义用户输入提示,例如自由字符串输入或从多个选项中进行选择。",
+ "JsonSchema.input.type.promptString": "\"promptString\" 类型会打开一个输入框,要求用户输入内容。",
+ "JsonSchema.input.password": "控制是否显示密码输入。密码输入会隐藏键入的文本。",
+ "JsonSchema.input.type.pickString": "“pickString”类型显示一个选择列表。",
+ "JsonSchema.input.options": "用于定义快速选择选项的字符串数组。",
+ "JsonSchema.input.pickString.optionLabel": "选项的标签。",
+ "JsonSchema.input.pickString.optionValue": "选项的值。",
+ "JsonSchema.input.type.command": "\"command\" 类型会执行命令。",
+ "JsonSchema.input.command.command": "要为此输入变量执行的命令。",
+ "JsonSchema.input.command.args": "传递给命令的可选参数。"
+ },
+ "vs/workbench/services/decorations/browser/decorationsService": {
+ "bubbleTitle": "包含强调项"
+ },
+ "vs/workbench/services/dialogs/browser/abstractFileDialogService": {
+ "saveChangesDetail": "如果不保存,你的更改将丢失。",
+ "saveChangesMessage": "是否要保存对 {0} 的更改?",
+ "saveChangesMessages": "是否要保存对下列 {0} 个文件的更改?",
+ "saveAll": "全部保存(&&S)",
+ "save": "保存(&&S)",
+ "dontSave": "不保存(&&N)",
+ "cancel": "取消",
+ "openFileOrFolder.title": "打开文件或文件夹",
+ "openFile.title": "打开文件",
+ "openFolder.title": "打开文件夹",
+ "openWorkspace.title": "打开工作区",
+ "filterName.workspace": "工作区",
+ "saveFileAs.title": "另存为",
+ "saveAsTitle": "另存为",
+ "allFiles": "所有文件",
+ "noExt": "无扩展"
+ },
+ "vs/workbench/services/dialogs/browser/simpleFileDialog": {
+ "openLocalFile": "打开本地文件...",
+ "saveLocalFile": "保存本地文件...",
+ "openLocalFolder": "打开本地文件夹...",
+ "openLocalFileFolder": "打开本地...",
+ "remoteFileDialog.notConnectedToRemote": "{0} 的文件系统提供程序不可用。",
+ "remoteFileDialog.local": "显示本地",
+ "remoteFileDialog.badPath": "路径不存在。",
+ "remoteFileDialog.cancel": "取消",
+ "remoteFileDialog.invalidPath": "请输入有效路径。",
+ "remoteFileDialog.validateFolder": "该文件夹已存在。请使用新的文件名。",
+ "remoteFileDialog.validateExisting": "{0} 已存在。是否确实要覆盖?",
+ "remoteFileDialog.validateBadFilename": "请输入有效的文件名。",
+ "remoteFileDialog.validateNonexistentDir": "请输入已存在的路径。",
+ "remoteFileDialog.windowsDriveLetter": "路径开头请使用驱动器号。",
+ "remoteFileDialog.validateFileOnly": "请选择文件。",
+ "remoteFileDialog.validateFolderOnly": "请选择一个文件夹。"
+ },
+ "vs/workbench/services/editor/browser/editorService": {
+ "editorAssociations.viewType.sourceDescription": "源: {0}"
+ },
+ "vs/workbench/services/editor/common/editorOpenWith": {
+ "promptOpenWith.currentlyActive": "当前处于活动状态",
+ "promptOpenWith.setDefaultTooltip": "设置为“{0}”文件的默认编辑器",
+ "promptOpenWith.placeHolder": "为“{0}”选择编辑器",
+ "builtinProviderDisplayName": "内置",
+ "promptOpenWith.defaultEditor.displayName": "文本编辑器",
+ "editor.editorAssociations": "配置要用于特定文件类型的编辑器。",
+ "editor.editorAssociations.viewType": "要使用的编辑器的唯一 ID。",
+ "editor.editorAssociations.filenamePattern": "指定编辑器应该用于哪些文件的 Glob 模式。"
+ },
+ "vs/workbench/services/extensionManagement/electron-browser/extensionManagementServerService": {
+ "local": "本地",
+ "remote": "远程"
+ },
+ "vs/workbench/services/extensionManagement/electron-sandbox/remoteExtensionManagementService": {
+ "incompatible": "无法安装扩展名'{0}',因为它不兼容 VS Code '{1}'。"
+ },
+ "vs/workbench/services/extensionManagement/common/webExtensionsScannerService": {
+ "cannot be installed": "此扩展不是 Web 扩展,因此无法安装“{0}”。"
+ },
+ "vs/workbench/services/extensionManagement/browser/extensionEnablementService": {
+ "extensionsDisabled": "已暂时禁用所有已安装的扩展。",
+ "Reload": "重新加载并启用扩展",
+ "cannot disable language pack extension": "无法更改 {0} 扩展的启用,因为它提供语言包。",
+ "cannot disable auth extension": "无法更改 {0} 扩展的启用,因为“设置同步”依赖此扩展。",
+ "noWorkspace": "没有工作区。",
+ "cannot disable auth extension in workspace": "无法在工作区中更改 {0} 扩展的启用,因为它提供身份验证提供程序"
+ },
+ "vs/workbench/services/extensionManagement/common/extensionManagementService": {
+ "singleDependentError": "无法卸载扩展程序“{0}”。扩展程序“{1}”依赖于此。",
+ "twoDependentsError": "无法卸载扩展程序“{0}”。扩展程序“{1}”、“{2}”依赖于此。",
+ "multipleDependentsError": "无法卸载扩展程序“{0}”。扩展程序“{1}”、“{2}”以及其他扩展程序都依赖于此。",
+ "Manifest is not found": "安装扩展 {0} 失败: 找不到清单文件。",
+ "cannot be installed": "无法安装“{0}”,因为此扩展已定义它无法在远程服务器上运行。",
+ "cannot be installed on web": "无法安装“{0}”,因为根据定义,此扩展无法在 Web 服务器上运行。",
+ "install extension": "安装扩展",
+ "install extensions": "安装扩展",
+ "install": "安装",
+ "install and do no sync": "安装(不同步)",
+ "cancel": "取消",
+ "install single extension": "是否要跨设备安装并同步 \"{0}\" 扩展?",
+ "install multiple extensions": "是否要跨设备安装并同步扩展?"
+ },
+ "vs/workbench/services/extensionManagement/browser/extensionBisect": {
+ "bisect": "扩展二等分处于活动状态,已禁用 {0} 扩展。请从这些选项中进行选择,检查是否仍可重现问题并继续操作。",
+ "title.start": "开始扩展二等分",
+ "help": "帮助",
+ "msg.start": "扩展二等分",
+ "detail.start": "扩展二等分将使用二进制搜索查找导致问题的扩展。在此过程中,窗口将不断重新加载(约 {0} 次)。每次都必须确认是否仍出现问题。",
+ "msg2": "开始扩展二等分",
+ "title.isBad": "继续扩展二等分",
+ "done.msg": "扩展二等分",
+ "done.detail2": "扩展二等分已完成,但未标识任何扩展。这可能是 {0} 的问题。",
+ "report": "报告问题并继续",
+ "done": "继续",
+ "done.detail": "扩展二等分已完成,已将 {0} 标识为导致问题的扩展。",
+ "done.disbale": "保持禁用此扩展",
+ "msg.next": "扩展二等分",
+ "next.good": "状况良好",
+ "next.bad": "状况不佳",
+ "next.stop": "停止二等分",
+ "next.cancel": "取消",
+ "title.stop": "停止扩展二等分"
+ },
+ "vs/workbench/services/extensionRecommendations/common/workspaceExtensionsConfig": {
+ "select for remove": "从以下位置删除扩展建议",
+ "select for add": "将扩展建议添加到",
+ "workspace folder": "工作区文件夹",
+ "workspace": "工作区"
+ },
+ "vs/workbench/services/extensions/electron-browser/extensionService": {
+ "extensionService.versionMismatchCrash": "扩展主机无法启动: 版本不匹配。",
+ "relaunch": "重新启动 VS Code",
+ "extensionService.crash": "扩展宿主意外终止。",
+ "devTools": "打开开发人员工具",
+ "restart": "重启扩展宿主",
+ "getEnvironmentFailure": "无法获取远程环境",
+ "looping": "以下扩展因包含依赖循环已被禁用: {0}",
+ "enableResolver": "打开远程窗口需要扩展“{0}”。\r\n确定启用吗?",
+ "enable": "启用和重新加载",
+ "installResolver": "打开远程窗口需要扩展“{0}”。\r\n确定要安装扩展吗?",
+ "install": "安装并重新加载",
+ "resolverExtensionNotFound": "未在市场上找到“{0}”",
+ "restartExtensionHost": "重启扩展宿主"
+ },
+ "vs/workbench/services/extensions/electron-browser/cachedExtensionScanner": {
+ "overwritingExtension": "使用扩展程序 {1} 覆盖扩展程序 {0}。",
+ "extensionUnderDevelopment": "正在 {0} 处加载开发扩展程序",
+ "extensionCache.invalid": "扩展在磁盘上已被修改。请重新加载窗口。",
+ "reloadWindow": "重新加载窗口"
+ },
+ "vs/workbench/services/extensions/electron-browser/localProcessExtensionHost": {
+ "extensionHost.startupFailDebug": "扩展未在 10 秒内启动,可能在第一行已停止,需要调试器才能继续。",
+ "extensionHost.startupFail": "扩展主机未在 10 秒内启动,这可能是一个问题。",
+ "reloadWindow": "重新加载窗口",
+ "extension host Log": "扩展宿主",
+ "extensionHost.error": "扩展主机中的错误: {0}"
+ },
+ "vs/workbench/services/extensions/common/abstractExtensionService": {
+ "looping": "以下扩展因包含依赖循环已被禁用: {0}"
+ },
+ "vs/workbench/services/extensions/common/remoteExtensionHost": {
+ "remote extension host Log": "远程扩展主机"
+ },
+ "vs/workbench/services/extensions/browser/webWorkerExtensionHost": {
+ "name": "辅助角色扩展主机"
+ },
+ "vs/workbench/services/extensions/browser/extensionUrlHandler": {
+ "confirmUrl": "是否允许扩展打开此 URI?",
+ "rememberConfirmUrl": "不再提醒此扩展。",
+ "open": "打开(&&O)",
+ "reloadAndHandle": "扩展“{0}”尚未载入。是否重载此窗口来载入扩展并打开 URL?",
+ "reloadAndOpen": "重载窗口并打开(&&R)",
+ "enableAndHandle": "扩展“{0}”已被禁用。是否启用扩展并重载此窗口来打开 URL?",
+ "enableAndReload": "启用并打开(&&E)",
+ "installAndHandle": "扩展“{0}”尚未安装。是否安装扩展并重载此窗口来打开 URL?",
+ "install": "安装(&&I)",
+ "Installing": "正在安装扩展“{0}”...",
+ "reload": "是否要重新加载窗口并打开 URL“{0}”?",
+ "Reload": "重新加载窗口并打开",
+ "manage": "管理授权扩展 URI...",
+ "extensions": "扩展",
+ "no": "当前没有已授权的扩展 URI。"
+ },
+ "vs/workbench/services/extensions/common/extensionsRegistry": {
+ "ui": "UI 扩展类型。在远程窗口中, 仅本地计算机可用时启用此类扩展。",
+ "workspace": "工作区扩展类型。在远程窗口中,仅远程可用时启用此类扩展。",
+ "web": "Web 辅助进程扩展类型。此类扩展可在 Web 辅助进程扩展主机中执行。",
+ "vscode.extension.engines": "引擎兼容性。",
+ "vscode.extension.engines.vscode": "对于 VS Code 扩展,指定与其兼容的 VS Code 版本。不能为 *。 例如: ^0.10.5 表示最低兼容 VS Code 版本 0.10.5。",
+ "vscode.extension.publisher": "VS Code 扩展的发布者。",
+ "vscode.extension.displayName": "VS Code 库中使用的扩展的显示名称。",
+ "vscode.extension.categories": "VS Code 库用于对扩展进行分类的类别。",
+ "vscode.extension.category.languages.deprecated": "请改用 \"Programming Languages\"",
+ "vscode.extension.galleryBanner": "VS Code 商城使用的横幅。",
+ "vscode.extension.galleryBanner.color": "VS Code 商城页标题上的横幅颜色。",
+ "vscode.extension.galleryBanner.theme": "横幅文字的颜色主题。",
+ "vscode.extension.contributes": "由此包表示的 VS Code 扩展的所有贡献。",
+ "vscode.extension.preview": "在 Marketplace 中设置扩展,将其标记为“预览”。",
+ "vscode.extension.activationEvents": "VS Code 扩展的激活事件。",
+ "vscode.extension.activationEvents.onLanguage": "在打开被解析为指定语言的文件时发出的激活事件。",
+ "vscode.extension.activationEvents.onCommand": "在调用指定命令时发出的激活事件。",
+ "vscode.extension.activationEvents.onDebug": "在用户准备调试或准备设置调试配置时发出的激活事件。",
+ "vscode.extension.activationEvents.onDebugInitialConfigurations": "在需要创建 \"launch.json\" 文件 (且需要调用 provideDebugConfigurations 的所有方法) 时发出的激活事件。",
+ "vscode.extension.activationEvents.onDebugDynamicConfigurations": "每当需要创建所有调试配置的列表(并且需要调用“动态”范围的所有 provideDebugConfigurations 方法)时都会引发激活事件。",
+ "vscode.extension.activationEvents.onDebugResolve": "在将要启动具有特定类型的调试会话 (且需要调用相应的 resolveDebugConfiguration 方法) 时发出的激活事件。",
+ "vscode.extension.activationEvents.onDebugAdapterProtocolTracker": "每当即将启动具有特定类型的调试会话并可能需要调试协议跟踪器时, 都会发出激活事件。",
+ "vscode.extension.activationEvents.workspaceContains": "在打开至少包含一个匹配指定 glob 模式的文件的文件夹时发出的激活事件。",
+ "vscode.extension.activationEvents.onStartupFinished": "启动完成后(在所有 \"*\" 激活的扩展完成激活后)发出的激活事件。",
+ "vscode.extension.activationEvents.onFileSystem": "在使用给定协议打开文件或文件夹时发出的激活事件。",
+ "vscode.extension.activationEvents.onSearch": "在开始从给定协议的文件夹中搜索时发出的激活事件。",
+ "vscode.extension.activationEvents.onView": "在指定视图被展开时发出的激活事件。",
+ "vscode.extension.activationEvents.onIdentity": "每当指定的用户标识时,都会发出激活事件。",
+ "vscode.extension.activationEvents.onUri": "在打开系统范围内并指向此扩展的 URI 时发出的激活事件。",
+ "vscode.extension.activationEvents.onCustomEditor": "每当指定的自定义编辑器变为可见时,都会发出激活事件。",
+ "vscode.extension.activationEvents.star": "在 VS Code 启动时发出的激活事件。为确保良好的最终用户体验,请仅在其他激活事件组合不适用于你的情况时,才在扩展中使用此事件。",
+ "vscode.extension.badges": "在 Marketplace 的扩展页边栏中显示的徽章数组。",
+ "vscode.extension.badges.url": "徽章图像 URL。",
+ "vscode.extension.badges.href": "徽章链接。",
+ "vscode.extension.badges.description": "徽章说明。",
+ "vscode.extension.markdown": "控制商店中使用的 Markdown 渲染引擎。可为 \"github\" (默认) 或 \"standard\" (标准)。",
+ "vscode.extension.qna": "控制市场中的“问与答”(Q&A)链接。设置为 \"marketplace\" 可启用市场的默认“问与答”页面。设置为其他字符串可指向自定义的“问与答”页面。设置为 \"false\" 可完全禁用“问与答”。",
+ "vscode.extension.extensionDependencies": "其他扩展的依赖关系。扩展的标识符始终是 ${publisher}.${name}。例如: vscode.csharp。",
+ "vscode.extension.contributes.extensionPack": "可一起安装的一组扩展。扩展的标识符始终为 ${publisher}.${name}。例如: vscode.csharp。",
+ "extensionKind": "定义扩展的类型。\"ui\"扩展在本地计算机上安装和运行,而 \"工作区\" 扩展则在远程计算机上运行。",
+ "extensionKind.ui": "定义一个扩展,该扩展在连接到远程窗口时只能在本地计算机上运行。",
+ "extensionKind.workspace": "定义一个扩展,该扩展只能在连接远程窗口时在远程计算机上运行。",
+ "extensionKind.ui-workspace": "定义可在任意一侧运行的扩展,并首选在本地计算机上运行。",
+ "extensionKind.workspace-ui": "定义可在任意一侧运行的扩展,并首选在远程计算机上运行。",
+ "extensionKind.empty": "定义一个无法在远程上下文中运行的扩展,既不能在本地上,也不能在远程计算机上运行。",
+ "vscode.extension.scripts.prepublish": "包作为 VS Code 扩展发布前执行的脚本。",
+ "vscode.extension.scripts.uninstall": "VS Code 扩展的卸载钩子。在扩展从 VS Code 卸载且 VS Code 重启 (关闭后开启) 后执行的脚本。仅支持 Node 脚本。",
+ "vscode.extension.icon": "128 x 128 像素图标的路径。"
+ },
+ "vs/workbench/services/extensions/node/extensionPoints": {
+ "jsonParseInvalidType": "清单文件 {0} 无效: 不是 JSON 对象。",
+ "jsonParseFail": "无法解析 {0}: [{1}, {2}] {3}.",
+ "fileReadFail": "无法读取文件 {0}: {1}。",
+ "jsonsParseReportErrors": "未能分析 {0}: {1}。",
+ "jsonInvalidFormat": "格式 {0} 无效: 应为 JSON 对象。",
+ "missingNLSKey": "无法找到键 {0} 的消息。",
+ "notSemver": "扩展版本与 semver 不兼容。",
+ "extensionDescription.empty": "已获得空扩展说明",
+ "extensionDescription.publisher": "属性 publisher 的类型必须是 \"string\"。",
+ "extensionDescription.name": "属性“{0}”是必需的,其类型必须是 \"string\"",
+ "extensionDescription.version": "属性“{0}”是必需的,其类型必须是 \"string\"",
+ "extensionDescription.engines": "属性“{0}”是必要属性,其类型必须是 \"object\"",
+ "extensionDescription.engines.vscode": "属性“{0}”是必需的,其类型必须是 \"string\"",
+ "extensionDescription.extensionDependencies": "属性“{0}”可以省略,否则其类型必须是 \"string[]\"",
+ "extensionDescription.activationEvents1": "属性“{0}”可以省略,否则其类型必须是 \"string[]\"",
+ "extensionDescription.activationEvents2": "必须同时指定或同时省略属性”{0}“和”{1}“",
+ "extensionDescription.main1": "属性“{0}”可以省略,否则其类型必须是 \"string\"",
+ "extensionDescription.main2": "应在扩展文件夹({1})中包含 \"main\" ({0})。这可能会使扩展不可移植。",
+ "extensionDescription.main3": "必须同时指定或同时省略属性”{0}“和”{1}“",
+ "extensionDescription.browser1": "属性 \"{0}\" 可以省略,或者必须为 \"string\" 类型",
+ "extensionDescription.browser2": "应在扩展文件夹({1})中包含 \"browser\" ({0})。这可能会使扩展不可移植。",
+ "extensionDescription.browser3": "必须同时指定或同时省略属性”{0}“和”{1}“"
+ },
+ "vs/workbench/services/extensions/common/extensionHostManager": {
+ "measureExtHostLatency": "测量扩展主机延迟"
+ },
+ "vs/workbench/services/gettingStarted/common/gettingStartedContent": {
+ "gettingStarted.beginner.title": "入门",
+ "gettingStarted.beginner.description": "了解你的新编辑器",
+ "pickColorTask.description": "修改用户界面中的颜色,适合与你的首选项和工作环境相符。",
+ "pickColorTask.title": "颜色主题",
+ "pickColorTask.button": "查找主题",
+ "findKeybindingsTask.description": "查找 Vim、Sublime、Atom 和其他内容的键盘快捷方式。",
+ "findKeybindingsTask.title": "配置键绑定",
+ "findKeybindingsTask.button": "搜索键映射",
+ "findLanguageExtsTask.description": "获取对你的语言(如 JavaScript、Python、Java、Azure、Docker 等)的支持。",
+ "findLanguageExtsTask.title": "语言和工具",
+ "findLanguageExtsTask.button": "安装语言支持",
+ "gettingStartedOpenFolder.description": "打开项目文件夹以开始使用!",
+ "gettingStartedOpenFolder.title": "打开文件夹",
+ "gettingStartedOpenFolder.button": "选择文件夹",
+ "gettingStarted.intermediate.title": "基本信息",
+ "gettingStarted.intermediate.description": "你将爱上的须知功能",
+ "commandPaletteTask.description": "查找 VS Code 可执行的各项操作的最简单的方法。如果你曾在查找某项功能,请先在此处查看!",
+ "commandPaletteTask.title": "命令面板",
+ "commandPaletteTask.button": "查看所有命令",
+ "gettingStarted.advanced.title": "提示和技巧",
+ "gettingStarted.advanced.description": "VS Code 专家最喜欢的内容",
+ "gettingStarted.openFolder.title": "打开文件夹",
+ "gettingStarted.openFolder.description": "打开项目并开始工作",
+ "gettingStarted.playground.title": "交互式操场",
+ "gettingStarted.interactivePlayground.description": "了解编辑器的基本功能"
+ },
+ "vs/workbench/services/integrity/node/integrityService": {
+ "integrity.prompt": "{0} 安装似乎损坏。请重新安装。",
+ "integrity.moreInformation": "更多信息",
+ "integrity.dontShowAgain": "不再显示"
+ },
+ "vs/workbench/services/keybinding/common/keybindingEditing": {
+ "errorKeybindingsFileDirty": "按键绑定配置文件已变更,现在无法写入。请先保存此文件,然后重试。",
+ "parseErrors": "无法写入按键绑定配置文件。请打开文件并更正错误或警告,然后重试。",
+ "errorInvalidConfiguration": "无法写入按键绑定配置文件。文件内含有非数组类型对象。请打开文件进行清理,然后重试。",
+ "emptyKeybindingsHeader": "将键绑定放在此文件中以覆盖默认值"
+ },
+ "vs/workbench/services/keybinding/browser/keybindingService": {
+ "nonempty": "应为非空值。",
+ "requirestring": "属性“{0}”是必需的,其类型必须是 \"string\"",
+ "optstring": "属性“{0}”可以省略,否则其类型必须是 \"string\"",
+ "vscode.extension.contributes.keybindings.command": "要在触发键绑定时运行的命令的标识符。",
+ "vscode.extension.contributes.keybindings.args": "要传递给命令以执行的参数。",
+ "vscode.extension.contributes.keybindings.key": "键或键序列(用加号连接的键和后面再接空格的键序列都算组合键,如 Ctrl+O 和 Ctrl+L L)。",
+ "vscode.extension.contributes.keybindings.mac": "Mac 特定的键或键序列。",
+ "vscode.extension.contributes.keybindings.linux": "Linux 特定的键或键序列。",
+ "vscode.extension.contributes.keybindings.win": "Windows 特定的键或键序列。",
+ "vscode.extension.contributes.keybindings.when": "键处于活动状态时的条件。",
+ "vscode.extension.contributes.keybindings": "用于键绑定。",
+ "invalid.keybindings": "无效的“contributes.{0}”: {1}",
+ "unboundCommands": "以下是其他可用命令:",
+ "keybindings.json.title": "按键绑定配置",
+ "keybindings.json.key": "键或键序列(用空格分隔)",
+ "keybindings.json.command": "要执行的命令的名称",
+ "keybindings.json.when": "键处于活动状态时的条件。",
+ "keybindings.json.args": "要传递给命令以执行的参数。",
+ "keyboardConfigurationTitle": "键盘",
+ "dispatch": "控制按键的分派逻辑以使用 \"code\" (推荐) 或 \"keyCode\"。"
+ },
+ "vs/workbench/services/label/common/labelService": {
+ "vscode.extension.contributes.resourceLabelFormatters": "提供资源标签格式化规则。",
+ "vscode.extension.contributes.resourceLabelFormatters.scheme": "要在其上匹配格式化程序的 URI 方案,例如“文件”。支持简单的 glob 模式。",
+ "vscode.extension.contributes.resourceLabelFormatters.authority": "要在其上匹配格式化程序的 URI 权限。支持简单的 glob 模式。",
+ "vscode.extension.contributes.resourceLabelFormatters.formatting": "用于格式化 uri 资源标签的规则。",
+ "vscode.extension.contributes.resourceLabelFormatters.label": "要显示的标签规则。例如,支持将 myLabel:/${path}. ${path}、${scheme} 和 ${authority} 用作变量。",
+ "vscode.extension.contributes.resourceLabelFormatters.separator": "要在 URI 标签显示中所用的分隔符,例如 / 或 ''。",
+ "vscode.extension.contributes.resourceLabelFormatters.stripPathStartingSeparator": "控制 \"${path}\" 替换项是否应删除起始分隔符字符。",
+ "vscode.extension.contributes.resourceLabelFormatters.tildify": "控制是否应在可能的情况下按斜体显示 URI 标签的开头。",
+ "vscode.extension.contributes.resourceLabelFormatters.formatting.workspaceSuffix": "附加到工作区标签的后缀。",
+ "untitledWorkspace": "无标题 (工作区)",
+ "workspaceNameVerbose": "{0} (工作区)",
+ "workspaceName": "{0} (工作区)"
+ },
+ "vs/workbench/services/lifecycle/electron-sandbox/lifecycleService": {
+ "errorClose": "尝试关闭窗口({0})时引发了意外错误。",
+ "errorQuit": "尝试退出应用程序({0})时引发了意外错误。",
+ "errorReload": "尝试重新加载窗口({0})时引发了意外错误。",
+ "errorLoad": "尝试更改窗口({0})工作区时引发了意外错误。"
+ },
+ "vs/workbench/services/mode/common/workbenchModeService": {
+ "vscode.extension.contributes.languages": "有助于语言声明。",
+ "vscode.extension.contributes.languages.id": "语言 ID。",
+ "vscode.extension.contributes.languages.aliases": "语言的别名。",
+ "vscode.extension.contributes.languages.extensions": "与语言关联的文件扩展名。",
+ "vscode.extension.contributes.languages.filenames": "与语言关联的文件名。",
+ "vscode.extension.contributes.languages.filenamePatterns": "与语言关联的文件名 glob 模式。",
+ "vscode.extension.contributes.languages.mimetypes": "与语言关联的 Mime 类型。",
+ "vscode.extension.contributes.languages.firstLine": "与语言文件的第一行匹配的正则表达式。",
+ "vscode.extension.contributes.languages.configuration": "包含语言配置选项的文件的相对路径。",
+ "invalid": "“contributes.{0}”无效。应为数组。",
+ "invalid.empty": "“contributes.{0}”的值为空",
+ "require.id": "属性“{0}”是必需的,其类型必须是 \"string\"",
+ "opt.extensions": "属性“{0}”可以省略,其类型必须是 \"string[]\"",
+ "opt.filenames": "属性“{0}”可以省略,其类型必须是 \"string[]\"",
+ "opt.firstLine": "属性“{0}”可以省略,其类型必须是 \"string\"。",
+ "opt.configuration": "属性“{0}”可以省略,其类型必须是 \"string\"。",
+ "opt.aliases": "属性“{0}”可以省略,其类型必须是 \"string[]\"",
+ "opt.mimetypes": "属性“{0}”可以省略,其类型必须是 \"string[]\""
+ },
+ "vs/workbench/services/notification/common/notificationService": {
+ "neverShowAgain": "不再显示"
+ },
+ "vs/workbench/services/preferences/common/preferences": {
+ "userSettingsTarget": "用户设置",
+ "workspaceSettingsTarget": "工作区设置"
+ },
+ "vs/workbench/services/preferences/browser/preferencesService": {
+ "openFolderFirst": "首先打开文件夹以创建工作区设置",
+ "emptyKeybindingsHeader": "将键绑定放在此文件中以覆盖默认值",
+ "defaultKeybindings": "默认的键绑定",
+ "defaultSettings": "默认设置",
+ "folderSettingsName": "{0} (文件夹设置)",
+ "fail.createSettings": "无法创建“{0}”({1})。"
+ },
+ "vs/workbench/services/preferences/common/preferencesEditorInput": {
+ "settingsEditorName": "默认设置",
+ "keybindingsInputName": "键盘快捷方式",
+ "settingsEditor2InputName": "设置"
+ },
+ "vs/workbench/services/preferences/common/preferencesModels": {
+ "commonlyUsed": "常用设置",
+ "defaultKeybindingsHeader": "通过将键绑定放入键绑定文件来覆盖键绑定。"
+ },
+ "vs/workbench/services/preferences/common/keybindingsEditorModel": {
+ "default": "默认值",
+ "extension": "扩展",
+ "user": "用户",
+ "cat.title": "{0}: {1}",
+ "option": "选项",
+ "meta": "元数据"
+ },
+ "vs/workbench/services/preferences/common/preferencesValidation": {
+ "validations.expectedNumeric": "值必须为数字。",
+ "invalidTypeError": "设置的类型无效,应为 {0}。请使用 JSON 格式进行修复。",
+ "validations.maxLength": "值的长度必须小于或等于 {0} 个字符。",
+ "validations.minLength": "值的长度不能少于 {0} 个字符。",
+ "validations.regex": "值必须匹配 regex “{0}”。",
+ "validations.colorFormat": "颜色格式无效。请使用 #RGB、#RGBA、#RRGGBB 或 #RRGGBBAA。",
+ "validations.uriEmpty": "需要 URI。",
+ "validations.uriMissing": "需要 URI。",
+ "validations.uriSchemeMissing": "需要包含架构的 URI。",
+ "validations.exclusiveMax": "值必须严格小于 {0}。",
+ "validations.exclusiveMin": "值必须严格大于 {0}。",
+ "validations.max": "值必须小于或等于 {0}。",
+ "validations.min": "值必须大于或等于 {0}。",
+ "validations.multipleOf": "值必须是 {0} 的倍数。",
+ "validations.expectedInteger": "值必须为整数。",
+ "validations.stringArrayUniqueItems": "数组具有重复项",
+ "validations.stringArrayMinItem": "数组必须至少有 {0} 项",
+ "validations.stringArrayMaxItem": "数组必须最多有 {0} 项",
+ "validations.stringArrayItemPattern": "值 {0} 必须与 regex {1} 匹配。",
+ "validations.stringArrayItemEnum": "值 {0} 不是 {1} 其中之一"
+ },
+ "vs/workbench/services/progress/browser/progressService": {
+ "progress.text2": "{0}: {1}",
+ "progress.title3": "[{0}] {1}: {2}",
+ "progress.title2": "[{0}]: {1}",
+ "status.progress": "进度消息",
+ "cancel": "取消",
+ "dismiss": "消除"
+ },
+ "vs/workbench/services/remote/common/abstractRemoteAgentService": {
+ "connectionError": "无法连接到远程扩展主机服务器 (错误: {0})"
+ },
+ "vs/workbench/services/textfile/electron-browser/nativeTextFileService": {
+ "fileReadOnlyError": "文件为只读文件"
+ },
+ "vs/workbench/services/textfile/browser/textFileService": {
+ "fileBinaryError": "文件似乎是二进制文件,不能作为文本打开",
+ "confirmOverwrite": "“{0}”已存在。是否替换它?",
+ "irreversible": "名为\"{0}\"的文件或文件夹已存在于\"{1}\"文件夹中。替换它将覆盖其当前内容。",
+ "replaceButtonLabel": "替换(&&R)"
+ },
+ "vs/workbench/services/textfile/common/textFileEditorModelManager": {
+ "genericSaveError": "未能保存“{0}”: {1}"
+ },
+ "vs/workbench/services/textfile/common/textFileEditorModel": {
+ "saveFileFirst": "文件已更新。请首先保存它,然后再通过另一个编码重新打开它。"
+ },
+ "vs/workbench/services/textfile/common/textFileSaveParticipant": {
+ "saveParticipants": "正在保存“{0}”"
+ },
+ "vs/workbench/services/textMate/browser/abstractTextMateService": {
+ "alreadyDebugging": "已经开始记录。",
+ "stop": "停止",
+ "progress1": "正在准备记录 TM 语法分析。完成后按“停止”。",
+ "progress2": "现在正在记录 TM 语法分析。完成后按“停止”。",
+ "invalid.language": "\"contributes.{0}.language\" 中包含未知语言。提供的值: {1}",
+ "invalid.scopeName": "“contributes.{0}.scopeName”中应为字符串。提供的值: {1}",
+ "invalid.path.0": "“contributes.{0}.path”中应为字符串。提供的值: {1}",
+ "invalid.injectTo": "\"contributes.{0}.injectTo\" 中的值无效。必须为语言范围名称数组。提供的值: {1}",
+ "invalid.embeddedLanguages": "\"contributes.{0}.embeddedLanguages\" 中的值无效。必须为从作用域名称到语言的对象映射。提供的值: {1}",
+ "invalid.tokenTypes": "\"contributes.{0}.tokenTypes\" 的值无效。必须为从作用域名称到标记类型的对象映射。当前值: {1}",
+ "invalid.path.1": "“contributes.{0}.path”({1})应包含在扩展的文件夹({2})内。这可能会使扩展不可移植。",
+ "too many characters": "出于性能原因,对长行跳过令牌化。长行的长度可通过 \"editor.maxTokenizationLineLength\" 进行配置。",
+ "neverAgain": "不再显示"
+ },
+ "vs/workbench/services/textMate/common/TMGrammars": {
+ "vscode.extension.contributes.grammars": "贡献 textmate tokenizer。",
+ "vscode.extension.contributes.grammars.language": "此语法为其贡献了内容的语言标识符。",
+ "vscode.extension.contributes.grammars.scopeName": "tmLanguage 文件所用的 textmate 范围名称。",
+ "vscode.extension.contributes.grammars.path": "tmLanguage 文件的路径。该路径是相对于扩展文件夹,通常以 \"./syntaxes/\" 开头。",
+ "vscode.extension.contributes.grammars.embeddedLanguages": "如果此语法包含嵌入式语言,则为作用域名称到语言 ID 的映射。",
+ "vscode.extension.contributes.grammars.tokenTypes": "从作用域名到标记类型的映射。",
+ "vscode.extension.contributes.grammars.injectTo": "此语法注入到的语言范围名称列表。"
+ },
+ "vs/workbench/services/textMate/common/TMGrammarFactory": {
+ "no-tm-grammar": "没有注册这种语言的 TM 语法。"
+ },
+ "vs/workbench/services/themes/browser/workbenchThemeService": {
+ "error.cannotloadtheme": "无法加载 {0}: {1}"
+ },
+ "vs/workbench/services/themes/common/colorExtensionPoint": {
+ "contributes.color": "提供由扩展定义的主题颜色",
+ "contributes.color.id": "主题颜色标识符",
+ "contributes.color.id.format": "标识符只能包含字母、数字和点,且不能以点开头",
+ "contributes.color.description": "主题颜色的说明",
+ "contributes.defaults.light": "浅色主题的默认颜色。应为十六进制颜色值 (#RRGGBB[AA]) 或是主题颜色标识符,其提供默认值。",
+ "contributes.defaults.dark": "深色主题的默认颜色。应为十六进制颜色值 (#RRGGBB[AA]) 或是主题颜色标识符,其提供默认值。",
+ "contributes.defaults.highContrast": "高对比度主题的默认颜色。应为十六进制颜色值 (#RRGGBB[AA]) 或是主题颜色标识符,其提供默认值。",
+ "invalid.colorConfiguration": "\"configuration.colors\" 必须是数组",
+ "invalid.default.colorType": "{0} 必须为十六进制颜色值 (#RRGGBB[AA] 或 #RGB[A]) 或是主题颜色标识符,其提供默认值。",
+ "invalid.id": "必须定义 \"configuration.colors.id\" 且它不可为空",
+ "invalid.id.format": "\"configuration.colors.id\" 只能包含字母、数字和点,且不能以点开头",
+ "invalid.description": "必须定义 \"configuration.colors.description\" 且它不可为空",
+ "invalid.defaults": "必须定义 “configuration.colors.defaults”,且须包含 \"light\"(浅色)、\"dark\"(深色) 和 \"highContrast\"(高对比度)"
+ },
+ "vs/workbench/services/themes/common/tokenClassificationExtensionPoint": {
+ "contributes.semanticTokenTypes": "贡献语义令牌类型。",
+ "contributes.semanticTokenTypes.id": "语义令牌类型的标识符",
+ "contributes.semanticTokenTypes.id.format": "标识符的格式应为letterOrDigit[_-letterOrDigit]*",
+ "contributes.semanticTokenTypes.superType": "语义令牌类型的超类型",
+ "contributes.semanticTokenTypes.superType.format": "超类型的格式应为 letterOrDigit[_-letterOrDigit]*",
+ "contributes.color.description": "语义标记类型的说明",
+ "contributes.semanticTokenModifiers": "提供语义标记修饰符。",
+ "contributes.semanticTokenModifiers.id": "语义令牌修饰符的标识符",
+ "contributes.semanticTokenModifiers.id.format": "标识符的格式应为letterOrDigit[_-letterOrDigit]*",
+ "contributes.semanticTokenModifiers.description": "语义令牌修饰符的说明",
+ "contributes.semanticTokenScopes": "提供语义令牌范围映射。",
+ "contributes.semanticTokenScopes.languages": "列出默认语言。",
+ "contributes.semanticTokenScopes.scopes": "将语义令牌(由语义令牌选择器描述)映射到用于表示该令牌的一个或多个 textMate 作用域。",
+ "invalid.id": "必须定义 \"configuration.{0}.id\" 且它不可为空",
+ "invalid.id.format": "\"configuration.{0}.id\" 必须采用 letterOrDigit[-_letterOrDigit]* 模式",
+ "invalid.superType.format": "“ configuration.{0}.superType”必须遵循格式 letterOrDigit [-_letterOrDigit] *",
+ "invalid.description": "必须定义 \"configuration.{0}.description\" 且它不可为空",
+ "invalid.semanticTokenTypeConfiguration": "“configuration.semanticTokenType”必须是数组",
+ "invalid.semanticTokenModifierConfiguration": "“configuration.semanticTokenModifier” 必须是数组",
+ "invalid.semanticTokenScopes.configuration": "\"configuration.semanticTokenScopes\" 必须是一个数组",
+ "invalid.semanticTokenScopes.language": "\"configuration.semanticTokenScopes.language\" 的值必须是字符串",
+ "invalid.semanticTokenScopes.scopes": "\"configuration.semanticTokenScopes.scopes\" 必须定义为对象",
+ "invalid.semanticTokenScopes.scopes.value": "\"configuration.semanticTokenScopes.scopes\" 的值必须是字符串数组",
+ "invalid.semanticTokenScopes.scopes.selector": "\"configuration.semanticTokenScopes.scopes\": 解析选择器{0}时出现问题。"
+ },
+ "vs/workbench/services/themes/common/colorThemeData": {
+ "error.cannotparsejson": "分析 JSON 主题文件 {0} 时出现问题",
+ "error.invalidformat": "JSON 主题文件的格式无效: 应为对象。",
+ "error.invalidformat.colors": "分析颜色主题文件时出现问题: {0}。属性“colors”不是“object”类型。",
+ "error.invalidformat.tokenColors": "分析颜色主题文件时出现问题: {0}。属性 \"tokenColors\" 应为指定颜色的数组或是指向 TextMate 主题文件的路径",
+ "error.invalidformat.semanticTokenColors": "分析颜色主题文件时发生问题: {0}。属性 \"semanticTokenColors\" 包含无效的选择器",
+ "error.plist.invalidformat": "分析 tmTheme 文件时出现问题: {0}。\"settings\" 不是数组。",
+ "error.cannotparse": "分析 tmTheme 文件时出现问题: {0}",
+ "error.cannotload": "分析 tmTheme 文件 {0} 时出现问题: {1}"
+ },
+ "vs/workbench/services/themes/common/fileIconThemeSchema": {
+ "schema.folderExpanded": "展开文件夹的文件夹图标。展开文件夹图标是可选的。如果未设置,将显示为文件夹定义的图标。",
+ "schema.folder": "折叠文件夹的文件夹图标,如果未设置 folderExpanded,也指展开文件夹的文件夹图标。",
+ "schema.file": "默认文件图标,针对不与任何扩展名、文件名或语言 ID 匹配的所有文件显示。",
+ "schema.folderNames": "将文件夹名关联到图标。对象中的键是文件夹名,其中不含任何路径字段。不允许使用模式或通配符。文件夹名匹配不区分大小写。",
+ "schema.folderName": "关联的图标定义的 ID。",
+ "schema.folderNamesExpanded": "将文件夹名关联到展开文件夹的图标。对象中的键是文件夹名,其中不含任何路径字段。不允许使用模式或通配符。文件夹名匹配不区分大小写。",
+ "schema.folderNameExpanded": "关联的图标定义的 ID。",
+ "schema.fileExtensions": "将文件扩展名关联到图标。对象中的键是文件扩展名。扩展名是文件名的最后一部分,位于最后一个点之后 (不包括该点)。比较扩展名时不区分大小写。",
+ "schema.fileExtension": "关联的图标定义的 ID。",
+ "schema.fileNames": "将文件名关联到图标。对象中的键是完整文件名,其中不含任何路径字段。文件名可以包括点和可能有的文件扩展名。不允许使用模式或通配符。文件名匹配不区分大小写。",
+ "schema.fileName": "关联的图标定义的 ID。",
+ "schema.languageIds": "将语言与图标相关联。对象键是语言贡献点中定义的语言 ID。",
+ "schema.languageId": "关联的图标定义的 ID。",
+ "schema.fonts": "图标定义中使用的字体。",
+ "schema.id": "字体的 ID。",
+ "schema.id.formatError": "ID 必须仅包含字母、数字、下划线和减号。",
+ "schema.src": "字体的位置。",
+ "schema.font-path": "相对于当前文件图标主题文件的字体路径。",
+ "schema.font-format": "字体的格式。",
+ "schema.font-weight": "字体的粗细。要了解有效值,请参阅 https://developer.mozilla.org/zh-cn/docs/Web/CSS/font-weight。",
+ "schema.font-style": "字体的样式。要了解有效值,请参阅 https://developer.mozilla.org/zh-cn/docs/Web/CSS/font-style。",
+ "schema.font-size": "字体的默认大小。请参阅 https://developer.mozilla.org/zh-CN/docs/Web/CSS/font-size 查看有效的值。",
+ "schema.iconDefinitions": "将文件与图标关联时可使用的所有图标的说明。",
+ "schema.iconDefinition": "图标定义。对象键是定义的 ID。",
+ "schema.iconPath": "使用 SVG 或 PNG 时: 到图像的路径。该路径相对于图标设置文件。",
+ "schema.fontCharacter": "使用字形字体时: 要使用的字体中的字符。",
+ "schema.fontColor": "使用字形字体时: 要使用的颜色。",
+ "schema.fontSize": "使用某种字体时: 文本字体的字体大小(以百分比表示)。如果未设置,则默认为字体定义中的大小。",
+ "schema.fontId": "使用某种字体时: 字体的 ID。如果未设置,则默认为第一个字体定义。",
+ "schema.light": "浅色主题中文件图标的可选关联。",
+ "schema.highContrast": "高对比度颜色主题中文件图标的可选关联。",
+ "schema.hidesExplorerArrows": "配置文件资源管理器的箭头是否应在此主题启用时隐藏。"
+ },
+ "vs/workbench/services/themes/browser/fileIconThemeData": {
+ "error.cannotparseicontheme": "分析文件图标文件时出现问题: {0}",
+ "error.invalidformat": "文件图标主题问题的格式无效: 应为对象。"
+ },
+ "vs/workbench/services/themes/common/colorThemeSchema": {
+ "schema.token.settings": "标记的颜色和样式。",
+ "schema.token.foreground": "标记的前景色。",
+ "schema.token.background.warning": "暂不支持标记背景色。",
+ "schema.token.fontStyle": "这条规则的字体样式: \"italic\" (斜体)、\"bold\" (粗体)、\"underline\" (下划线) 或是上述的组合。空字符串将清除继承的设置。",
+ "schema.fontStyle.error": "字体样式必须为 \"italic\" (斜体)、\"bold\" (粗体)、\"underline\" (下划线) 、上述的组合或是为空字符串。",
+ "schema.token.fontStyle.none": "无 (清除继承的设置)",
+ "schema.properties.name": "规则的描述。",
+ "schema.properties.scope": "此规则适用的范围选择器。",
+ "schema.workbenchColors": "工作台中的颜色",
+ "schema.tokenColors.path": "tmTheme 文件路径(相对于当前文件)。",
+ "schema.colors": "语法突出显示颜色",
+ "schema.supportsSemanticHighlighting": "是否应为此主题启用语义突出显示。",
+ "schema.semanticTokenColors": "语义标记的颜色"
+ },
+ "vs/workbench/services/themes/common/themeExtensionPoints": {
+ "vscode.extension.contributes.themes": "提供 TextMate 颜色主题。",
+ "vscode.extension.contributes.themes.id": "用户设置中使用的颜色主题的 ID。",
+ "vscode.extension.contributes.themes.label": "显示在 UI 中的颜色主题标签。",
+ "vscode.extension.contributes.themes.uiTheme": "用于定义编辑器周围颜色的基本主题: \"vs\" 是浅色主题,\"vs-dark\" 是深色主题。\"hc-black\" 是深色高对比度主题。",
+ "vscode.extension.contributes.themes.path": "tmTheme 文件的路径。该路径相对于扩展文件夹,通常为 \"./colorthemes/awesome-color-theme.json\"。",
+ "vscode.extension.contributes.iconThemes": "提供文件图标主题。",
+ "vscode.extension.contributes.iconThemes.id": "在用户设置中使用的文件图标主题的 ID。",
+ "vscode.extension.contributes.iconThemes.label": "文件图标主题的标签,如 UI 所示。",
+ "vscode.extension.contributes.iconThemes.path": "文件图标主题定义文件的路径。该路径相对于扩展文件夹,通常为 \"./fileicons/awesome-icon-theme.json\"。",
+ "vscode.extension.contributes.productIconThemes": "贡献产品图标主题。",
+ "vscode.extension.contributes.productIconThemes.id": "用户设置中使用的产品图标主题的 ID。",
+ "vscode.extension.contributes.productIconThemes.label": "产品图标主题的标签,如 UI 所示。",
+ "vscode.extension.contributes.productIconThemes.path": "产品图标主题定义文件的路径。该路径相对于扩展文件夹,通常为 \"./producticons/awesome-product-icon-theme.json\"。",
+ "reqarray": "扩展点“{0}”必须是数组。 ",
+ "reqpath": "“contributes.{0}.path”中应为字符串。提供的值: {1}",
+ "reqid": "contributes.{0}.id\" 中的预期字符串。提供的值: {1}",
+ "invalid.path.1": "“contributes.{0}.path”({1})应包含在扩展的文件夹({2})内。这可能会使扩展不可移植。"
+ },
+ "vs/workbench/services/themes/common/themeConfiguration": {
+ "colorTheme": "指定用在工作台中的颜色主题。",
+ "colorThemeError": "主题未知或未安装。",
+ "preferredDarkColorTheme": "指定启用了 `#{0}#` 时深色操作系统外观的首选颜色主题。",
+ "preferredLightColorTheme": "指定启用了 `#{0}#` 时浅色操作系统外观的首选颜色主题。",
+ "preferredHCColorTheme": "指定启用了 `#{0}#` 时在高对比度模式下使用的首选颜色主题。",
+ "detectColorScheme": "如果设置,则根据操作系统外观自动切换到首选颜色主题。",
+ "workbenchColors": "覆盖当前所选颜色主题的颜色。",
+ "iconTheme": "指定工作台中使用的文件图标主题;若指定为 \"null\",则不显示任何文件图标。",
+ "noIconThemeLabel": "无",
+ "noIconThemeDesc": "无文件图标",
+ "iconThemeError": "文件图标主题未知或未安装。",
+ "productIconTheme": "指定使用的产品图标主题。",
+ "defaultProductIconThemeLabel": "默认",
+ "defaultProductIconThemeDesc": "默认",
+ "productIconThemeError": "产品图标主题未知或未安装。",
+ "autoDetectHighContrast": "如果已启用,并且操作系统正在使用高对比度主题,则将自动更改为高对比度主题。",
+ "editorColors.comments": "设置注释的颜色和样式",
+ "editorColors.strings": "设置字符串文本的颜色和样式",
+ "editorColors.keywords": "设置关键字的颜色和样式。",
+ "editorColors.numbers": "设置数字的颜色和样式。",
+ "editorColors.types": "设置类型定义与引用的颜色和样式。",
+ "editorColors.functions": "设置函数定义与引用的颜色和样式。",
+ "editorColors.variables": "设置变量定义和引用的颜色和样式。",
+ "editorColors.textMateRules": "使用 TextMate 主题规则设置颜色和样式(高级)。",
+ "editorColors.semanticHighlighting": "是否应为此主题启用语义突出显示。",
+ "editorColors.semanticHighlighting.deprecationMessage": "改为在 \"editor.semanticTokenColorCustomizations\" 设置中使用 \"enabled\"。",
+ "editorColors.semanticHighlighting.deprecationMessageMarkdown": "在 `#editor.semanticTokenColorCustomizations#` 设置中改为使用 `enabled`。",
+ "editorColors": "替代当前所选颜色主题中的编辑器语法颜色和字形。",
+ "editorColors.semanticHighlighting.enabled": "是否对此主题启用或禁用语义突出显示",
+ "editorColors.semanticHighlighting.rules": "此主题的语义标记样式规则。",
+ "semanticTokenColors": "从当前所选颜色主题重写编辑器语义标记颜色和样式。",
+ "editorColors.experimentalTokenStyling.deprecationMessage": "改为使用 \"editor.semanticTokenColorCustomizations\"。",
+ "editorColors.experimentalTokenStyling.deprecationMessageMarkdown": "改为使用 `#editor.semanticTokenColorCustomizations#`。"
+ },
+ "vs/workbench/services/themes/browser/productIconThemeData": {
+ "error.parseicondefs": "处理 {0} 中的产品图标定义时出现问题:\r\n{1}",
+ "defaultTheme": "默认值",
+ "error.cannotparseicontheme": "分析产品图标文件时出现问题: {0}",
+ "error.invalidformat": "产品图标主题文件的格式无效: 应为对象。",
+ "error.missingProperties": "产品图标主题文件的格式无效: 必须包含图标定义和字体。",
+ "error.fontWeight": "字体“{0}”中的字体粗细无效。将忽略设置。",
+ "error.fontStyle": "字体“{0}”中的字体样式无效。将忽略设置。",
+ "error.fontId": "字体 ID“{0}”缺失或无效。将跳过字体定义。",
+ "error.icon.fontId": "正在跳过图标定义“{0}”。未知的字体。",
+ "error.icon.fontCharacter": "正在跳过图标定义“{0}”。未知的 fontCharacter。"
+ },
+ "vs/workbench/services/themes/common/productIconThemeSchema": {
+ "schema.id": "字体的 ID。",
+ "schema.id.formatError": "ID 必须仅包含字母、数字、下划线和减号。",
+ "schema.src": "字体的位置。",
+ "schema.font-path": "相对于当前产品图标主题文件的字体路径。",
+ "schema.font-format": "字体的格式。",
+ "schema.font-weight": "字体的粗细。要了解有效值,请参阅 https://developer.mozilla.org/zh-cn/docs/Web/CSS/font-weight。",
+ "schema.font-style": "字体的样式。要了解有效值,请参阅 https://developer.mozilla.org/zh-cn/docs/Web/CSS/font-style。",
+ "schema.iconDefinitions": "字体字符的图标名称的关联。"
+ },
+ "vs/workbench/services/userDataSync/common/userDataSync": {
+ "settings": "设置",
+ "keybindings": "键盘快捷方式",
+ "snippets": "用户代码片段",
+ "extensions": "扩展",
+ "ui state label": "UI 状态",
+ "sync category": "设置同步",
+ "syncViewIcon": "查看设置同步视图的图标。"
+ },
+ "vs/workbench/services/userDataSync/browser/userDataSyncWorkbenchService": {
+ "no authentication providers": "没有可用的身份验证提供程序,因此无法启用设置同步。",
+ "no account": "没有可用的帐户。",
+ "show log": "显示日志",
+ "sync turned on": "{0} 已启用",
+ "sync in progress": "正在启用设置同步。是否要取消它?",
+ "settings sync": "设置同步",
+ "yes": "是(&&Y)",
+ "no": "否(&&N)",
+ "turning on": "正在打开…",
+ "syncing resource": "正在同步 {0}…",
+ "conflicts detected": "检测到冲突",
+ "merge Manually": "手动合并…",
+ "resolve": "因存在冲突而无法合并。请手动合并以继续...",
+ "merge or replace": "合并或替换",
+ "merge": "合并",
+ "replace local": "替换本地",
+ "cancel": "取消",
+ "first time sync detail": "你上次似乎是从另一台计算机同步的。\r\n是要合并还是替换云中的数据?",
+ "reset": "这将清除云中的数据,并在所有设备上停止同步。",
+ "reset title": "清除",
+ "resetButton": "重置(&&R)",
+ "choose account placeholder": "选择要登录的帐户",
+ "signed in": "已登录",
+ "last used": "上次使用时同步",
+ "others": "其他",
+ "sign in using account": "使用 {0} 登录",
+ "successive auth failures": "后续授权失败,因此已暂停设置同步。若要继续同步,请重新登录",
+ "sign in": "登录"
+ },
+ "vs/workbench/services/views/browser/viewDescriptorService": {
+ "resetViewLocation": "重置位置"
+ },
+ "vs/workbench/services/workingCopy/common/workingCopyFileOperationParticipant": {
+ "msg-create": "正在运行\"文件创建\"参与者...",
+ "msg-rename": "正在运行\"文件重命名\"参与者...",
+ "msg-copy": "正在运行“文件复制”参与者…",
+ "msg-delete": "正在运行\"文件删除\"参与者..."
+ },
+ "vs/workbench/services/workspaces/electron-sandbox/workspaceEditingService": {
+ "save": "保存",
+ "doNotSave": "不保存",
+ "cancel": "取消",
+ "saveWorkspaceMessage": "你是否要将你的工作区配置保存为文件?",
+ "saveWorkspaceDetail": "若要再次打开此工作区,请先保存。",
+ "workspaceOpenedMessage": "无法保存工作区“{0}”",
+ "ok": "确定",
+ "workspaceOpenedDetail": "已在另一个窗口打开工作区。请先关闭该窗口,然后重试。"
+ },
+ "vs/workbench/services/workspaces/browser/abstractWorkspaceEditingService": {
+ "save": "保存",
+ "saveWorkspace": "保存工作区",
+ "errorInvalidTaskConfiguration": "无法写入工作区配置文件。请打开文件以更正错误或警告,然后重试。",
+ "errorWorkspaceConfigurationFileDirty": "文件已变更,因此无法写入工作区配置文件。请先保存此文件,然后重试。",
+ "openWorkspaceConfigurationFile": "打开工作区配置"
+ }
+}
diff --git a/internal/vite-plugin-monaco-editor-nls/src/locale/zh-hant.json b/internal/vite-plugin-monaco-editor-nls/src/locale/zh-hant.json
new file mode 100644
index 0000000..7880b84
--- /dev/null
+++ b/internal/vite-plugin-monaco-editor-nls/src/locale/zh-hant.json
@@ -0,0 +1,8306 @@
+{
+ "vs/base/common/date": {
+ "date.fromNow.in": "單位為 {0}",
+ "date.fromNow.now": "現在",
+ "date.fromNow.seconds.singular.ago": "{0} 秒前",
+ "date.fromNow.seconds.plural.ago": "{0} 秒前",
+ "date.fromNow.seconds.singular": "{0} 秒",
+ "date.fromNow.seconds.plural": "{0} 秒",
+ "date.fromNow.minutes.singular.ago": "{0} 分鐘前",
+ "date.fromNow.minutes.plural.ago": "{0} 分鐘前",
+ "date.fromNow.minutes.singular": "{0} 分鐘",
+ "date.fromNow.minutes.plural": "{0} 分鐘",
+ "date.fromNow.hours.singular.ago": "{0} 小時前",
+ "date.fromNow.hours.plural.ago": "{0} 小時前",
+ "date.fromNow.hours.singular": "{0} 小時",
+ "date.fromNow.hours.plural": "{0} 小時",
+ "date.fromNow.days.singular.ago": "{0} 天前",
+ "date.fromNow.days.plural.ago": "{0} 天前",
+ "date.fromNow.days.singular": "{0} 天",
+ "date.fromNow.days.plural": "{0} 天",
+ "date.fromNow.weeks.singular.ago": "{0} 週前",
+ "date.fromNow.weeks.plural.ago": "{0} 週前",
+ "date.fromNow.weeks.singular": "{0} 週",
+ "date.fromNow.weeks.plural": "{0} 週",
+ "date.fromNow.months.singular.ago": "{0} 個月前",
+ "date.fromNow.months.plural.ago": "{0} 個月前",
+ "date.fromNow.months.singular": "{0} 個月",
+ "date.fromNow.months.plural": "{0} 個月",
+ "date.fromNow.years.singular.ago": "{0} 年前",
+ "date.fromNow.years.plural.ago": "{0} 年前",
+ "date.fromNow.years.singular": "{0} 年",
+ "date.fromNow.years.plural": "{0} 年"
+ },
+ "vs/base/common/codicons": {
+ "dropDownButton": "下拉按鈕的圖示。"
+ },
+ "vs/base/common/actions": {
+ "submenu.empty": "(空的)"
+ },
+ "vs/base/node/processes": {
+ "TaskRunner.UNC": "無法在 UNC 磁碟機上執行殼層命令。"
+ },
+ "vs/base/common/errorMessage": {
+ "stackTrace.format": "{0}: {1}",
+ "nodeExceptionMessage": "發生系統錯誤 ({0})",
+ "error.defaultMessage": "發生未知的錯誤。如需詳細資訊,請參閱記錄檔。",
+ "error.moreErrors": "{0} (總計 {1} 個錯誤)"
+ },
+ "vs/base/node/zip": {
+ "invalid file": "擷取 {0} 時發生錯誤。檔案無效。",
+ "incompleteExtract": "未完成。已找到 {0} 個項目 (共 {1} 個)",
+ "notFound": "在 ZIP 中找不到 {0}。"
+ },
+ "vs/base/browser/ui/dialog/dialog": {
+ "ok": "確定",
+ "dialogInfoMessage": "資訊",
+ "dialogErrorMessage": "錯誤",
+ "dialogWarningMessage": "警告",
+ "dialogPendingMessage": "進行中",
+ "dialogClose": "關閉對話方塊"
+ },
+ "vs/base/browser/ui/actionbar/actionViewItems": {
+ "titleLabel": "{0} ({1})"
+ },
+ "vs/base/browser/ui/keybindingLabel/keybindingLabel": {
+ "unbound": "未繫結"
+ },
+ "vs/base/browser/ui/menu/menubar": {
+ "mAppMenu": "應用程式功能表",
+ "mMore": "更多"
+ },
+ "vs/base/browser/ui/menu/menu": {
+ "titleLabel": "{0} ({1})"
+ },
+ "vs/base/common/jsonErrorMessages": {
+ "error.invalidSymbol": "符號無效",
+ "error.invalidNumberFormat": "數字格式無效",
+ "error.propertyNameExpected": "須有屬性名稱",
+ "error.valueExpected": "必須有值",
+ "error.colonExpected": "必須有冒號",
+ "error.commaExpected": "必須為逗號",
+ "error.closeBraceExpected": "必須為右大括號",
+ "error.closeBracketExpected": "必須為右中括號",
+ "error.endOfFileExpected": "必須有檔案結尾"
+ },
+ "vs/base/common/keybindingLabels": {
+ "ctrlKey": "Ctrl",
+ "shiftKey": "Shift",
+ "altKey": "Alt",
+ "windowsKey": "Windows",
+ "superKey": "超級鍵",
+ "ctrlKey.long": "Control",
+ "shiftKey.long": "Shift",
+ "altKey.long": "Alt",
+ "cmdKey.long": "命令",
+ "windowsKey.long": "Windows",
+ "superKey.long": "超級鍵"
+ },
+ "vs/base/browser/ui/tree/abstractTree": {
+ "clear": "清除",
+ "disable filter on type": "在類型上停用篩選",
+ "enable filter on type": "在類型上啟用篩選",
+ "empty": "找不到任何元素",
+ "found": "{1} 項元素中有 {0} 項相符"
+ },
+ "vs/base/browser/ui/tree/treeDefaults": {
+ "collapse all": "全部摺疊"
+ },
+ "vs/base/browser/ui/toolbar/toolbar": {
+ "moreActions": "更多操作"
+ },
+ "vs/base/browser/ui/splitview/paneview": {
+ "viewSection": "{0} 區段"
+ },
+ "vs/base/browser/ui/inputbox/inputBox": {
+ "alertErrorMessage": "錯誤: {0}",
+ "alertWarningMessage": "警告: {0}",
+ "alertInfoMessage": "資訊: {0}"
+ },
+ "vs/base/parts/quickinput/browser/quickInput": {
+ "backButtonIcon": "快速輸入對話方塊中 [上一步] 按鈕的圖示。",
+ "quickInput.back": "上一頁",
+ "quickInput.steps": "{0}/{1}",
+ "quickInputBox.ariaLabel": "輸入以縮小結果範圍。",
+ "inputModeEntry": "按 'Enter' 鍵確認您的輸入或按 'Esc' 鍵取消",
+ "inputModeEntryDescription": "{0} (按 'Enter' 鍵確認或按 'Esc' 鍵取消)",
+ "quickInput.visibleCount": "{0} 個結果",
+ "quickInput.countSelected": "已選擇 {0}",
+ "ok": "確定",
+ "custom": "自訂",
+ "quickInput.backWithKeybinding": "背面 ({0})"
+ },
+ "vs/base/browser/ui/findinput/findInput": {
+ "defaultLabel": "輸入"
+ },
+ "vs/base/browser/ui/findinput/replaceInput": {
+ "defaultLabel": "輸入",
+ "label.preserveCaseCheckbox": "保留案例"
+ },
+ "vs/base/browser/ui/findinput/findInputCheckboxes": {
+ "caseDescription": "大小寫須相符",
+ "wordsDescription": "全字拼寫須相符",
+ "regexDescription": "使用規則運算式"
+ },
+ "vs/base/parts/quickinput/browser/quickInputList": {
+ "quickInput": "快速輸入"
+ },
+ "vs/base/browser/ui/selectBox/selectBoxCustom": {
+ "selectBox": "選取方塊"
+ },
+ "vs/editor/browser/editorExtensions": {
+ "miUndo": "復原(&&U)",
+ "undo": "復原",
+ "miRedo": "取消復原(&&R)",
+ "redo": "重做",
+ "miSelectAll": "全選(&&S)",
+ "selectAll": "全選"
+ },
+ "vs/editor/common/modes/modesRegistry": {
+ "plainText.alias": "純文字"
+ },
+ "vs/editor/common/config/editorOptions": {
+ "accessibilitySupport.auto": "編輯器將使用平台 API 以偵測螢幕助讀程式附加。",
+ "accessibilitySupport.on": "編輯器將一律最佳化以用於螢幕助讀程式。自動換行將會停用。",
+ "accessibilitySupport.off": "編輯器不會為螢幕助讀程式的使用方式進行最佳化。",
+ "accessibilitySupport": "控制編輯器是否應於已為螢幕助讀程式最佳化的模式中執行。設定為開啟會停用自動換行。",
+ "comments.insertSpace": "控制是否要在註解時插入空白字元。",
+ "comments.ignoreEmptyLines": "控制是否應以行註解的切換、新增或移除動作,忽略空白的行。",
+ "emptySelectionClipboard": "控制複製時不選取任何項目是否會複製目前程式行。",
+ "find.cursorMoveOnType": "控制在輸入期間是否要跳過游標來尋找相符的項目。",
+ "find.seedSearchStringFromSelection": "控制 [尋找小工具] 中的搜尋字串是否來自編輯器選取項目。",
+ "editor.find.autoFindInSelection.never": "永不自動開啟 [在選取範圍中尋找] (預設)",
+ "editor.find.autoFindInSelection.always": "一律自動開啟 [在選取範圍中尋找]",
+ "editor.find.autoFindInSelection.multiline": "選取多行內容時,自動開啟 [在選取範圍中尋找]。",
+ "find.autoFindInSelection": "控制自動開啟在選取範圍中尋找的條件。",
+ "find.globalFindClipboard": "控制尋找小工具是否在 macOS 上讀取或修改共用尋找剪貼簿。",
+ "find.addExtraSpaceOnTop": "控制尋找小工具是否應在編輯器頂端額外新增行。若為 true,當您可看到尋找小工具時,您的捲動範圍會超過第一行。",
+ "find.loop": "當再也找不到其他相符項目時,控制是否自動從開頭 (或結尾) 重新開始搜尋。",
+ "fontLigatures": "啟用/停用連字字型 ('calt' 和 'liga' 字型功能)。將此項變更為字串,以精確控制 'font-feature-settings' CSS 屬性。",
+ "fontFeatureSettings": "明確的 'font-feature-settings' CSS 屬性。如果只需要開啟/關閉連字,可以改為傳遞布林值。",
+ "fontLigaturesGeneral": "設定連字字型或字型功能。可以是布林值以啟用/停用連字,或代表 CSS 'font-feature-settings' 屬性的字串。",
+ "fontSize": "控制字型大小 (像素)。",
+ "fontWeightErrorMessage": "只允許「一般」及「粗體」關鍵字,或介於 1 到 1000 之間的數值。",
+ "fontWeight": "控制字型粗細。接受「一般」及「粗體」關鍵字,或介於 1 到 1000 之間的數值。",
+ "editor.gotoLocation.multiple.peek": "顯示結果的預覽檢視 (預設)",
+ "editor.gotoLocation.multiple.gotoAndPeek": "移至主要結果並顯示預覽檢視",
+ "editor.gotoLocation.multiple.goto": "前往主要結果,並對其他人啟用無預覽瀏覽",
+ "editor.gotoLocation.multiple.deprecated": "此設定已淘汰,請改用 'editor.editor.gotoLocation.multipleDefinitions' 或 'editor.editor.gotoLocation.multipleImplementations' 等單獨設定。",
+ "editor.editor.gotoLocation.multipleDefinitions": "控制 'Go to Definition' 命令在有多個目標位置存在時的行為。",
+ "editor.editor.gotoLocation.multipleTypeDefinitions": "控制 'Go to Type Definition' 命令在有多個目標位置存在時的行為。",
+ "editor.editor.gotoLocation.multipleDeclarations": "控制 'Go to Declaration' 命令在有多個目標位置存在時的行為。",
+ "editor.editor.gotoLocation.multipleImplemenattions": "控制 'Go to Implementations' 命令在有多個目標位置存在時的行為。",
+ "editor.editor.gotoLocation.multipleReferences": "控制 'Go to References' 命令在有多個目標位置存在時的行為。",
+ "alternativeDefinitionCommand": "當 'Go to Definition' 的結果為目前位置時,正在執行的替代命令識別碼。",
+ "alternativeTypeDefinitionCommand": "當 'Go to Type Definition' 的結果為目前位置時,正在執行的替代命令識別碼。",
+ "alternativeDeclarationCommand": "當 'Go to Declaration' 的結果為目前位置時,正在執行的替代命令識別碼。",
+ "alternativeImplementationCommand": "當 'Go to Implementation' 的結果為目前位置時,正在執行的替代命令識別碼。",
+ "alternativeReferenceCommand": "當 'Go to Reference' 的結果為目前位置時,正在執行的替代命令識別碼。",
+ "hover.enabled": "控制是否顯示暫留。",
+ "hover.delay": "控制暫留顯示的延遲時間 (以毫秒為單位)。",
+ "hover.sticky": "控制當滑鼠移過時,是否應保持顯示暫留。",
+ "codeActions": "在編輯器中啟用程式碼動作燈泡。",
+ "lineHeight": "控制行高。使用 0 會從字型大小計算行高。",
+ "minimap.enabled": "控制是否會顯示縮圖",
+ "minimap.size.proportional": "縮圖大小與編輯器內容相同 (且可能會捲動)。",
+ "minimap.size.fill": "縮圖會視需要伸縮,以填滿該編輯器的高度 (無捲動)。",
+ "minimap.size.fit": "縮圖將視需要縮小,一律不會大於該編輯器 (無捲動)。",
+ "minimap.size": "控制縮圖的大小。",
+ "minimap.side": "控制要在哪端呈現縮圖。",
+ "minimap.showSlider": "控制何時顯示迷你地圖滑桿。",
+ "minimap.scale": "縮圖內所繪製的內容大小: 1、2 或 3。",
+ "minimap.renderCharacters": "顯示行中的實際字元,而不是色彩區塊。",
+ "minimap.maxColumn": "限制縮圖的寬度,最多顯示某個數目的列。",
+ "padding.top": "控制編輯器上邊緣與第一行之間的空格數。",
+ "padding.bottom": "控制編輯器下邊緣與最後一行之間的空格數。",
+ "parameterHints.enabled": "啟用快顯,在您鍵入的同時顯示參數文件和類型資訊。",
+ "parameterHints.cycle": "控制提示功能表是否在清單結尾時循環或關閉。",
+ "quickSuggestions.strings": "允許在字串內顯示即時建議。",
+ "quickSuggestions.comments": "允許在註解中顯示即時建議。",
+ "quickSuggestions.other": "允許在字串與註解以外之處顯示即時建議。",
+ "quickSuggestions": "控制是否應在鍵入時自動顯示建議。",
+ "lineNumbers.off": "不顯示行號。",
+ "lineNumbers.on": "行號以絕對值顯示。",
+ "lineNumbers.relative": "行號以目前游標的相對值顯示。",
+ "lineNumbers.interval": "每 10 行顯示行號。",
+ "lineNumbers": "控制行號的顯示。",
+ "rulers.size": "這個編輯器尺規會轉譯的等寬字元數。",
+ "rulers.color": "此編輯器尺規的色彩。",
+ "rulers": "在某個數目的等寬字元之後顯示垂直尺規。如有多個尺規,就會使用多個值。若陣列空白,就不會繪製任何尺規。",
+ "suggest.insertMode.insert": "插入建議而不覆寫游標旁的文字。",
+ "suggest.insertMode.replace": "插入建議並覆寫游標旁的文字。",
+ "suggest.insertMode": "控制是否要在接受完成時覆寫字組。請注意,這取決於加入此功能的延伸模組。",
+ "suggest.filterGraceful": "控制對於拚錯字是否進行篩選和排序其建議",
+ "suggest.localityBonus": "控制排序是否會偏好游標附近出現的字組。",
+ "suggest.shareSuggestSelections": "控制記錄的建議選取項目是否在多個工作區和視窗間共用 (需要 `#editor.suggestSelection#`)。",
+ "suggest.snippetsPreventQuickSuggestions": "控制正在使用的程式碼片段是否會避免快速建議。",
+ "suggest.showIcons": "控制要在建議中顯示或隱藏圖示。",
+ "suggest.showStatusBar": "控制建議小工具底下的狀態列可見度。",
+ "suggest.showInlineDetails": "控制建議詳細資料是以內嵌於標籤的方式顯示,還是只在詳細資料小工具中顯示",
+ "suggest.maxVisibleSuggestions.dep": "此設定已淘汰。建議小工具現可調整大小。",
+ "deprecated": "此設定已淘汰,請改用 'editor.suggest.showKeywords' 或 'editor.suggest.showSnippets' 等單獨設定。",
+ "editor.suggest.showMethods": "啟用時,IntelliSense 顯示「方法」建議。",
+ "editor.suggest.showFunctions": "啟用時,IntelliSense 顯示「函式」建議。",
+ "editor.suggest.showConstructors": "啟用時,IntelliSense 顯示「建構函式」建議。",
+ "editor.suggest.showFields": "啟用時,IntelliSense 顯示「欄位」建議。",
+ "editor.suggest.showVariables": "啟用時,IntelliSense 顯示「變數」建議。",
+ "editor.suggest.showClasss": "啟用時,IntelliSense 顯示「類別」建議。",
+ "editor.suggest.showStructs": "啟用時,IntelliSense 顯示「結構」建議。",
+ "editor.suggest.showInterfaces": "啟用時,IntelliSense 顯示「介面」建議。",
+ "editor.suggest.showModules": "啟用時,IntelliSense 顯示「模組」建議。",
+ "editor.suggest.showPropertys": "啟用時,IntelliSense 顯示「屬性」建議。",
+ "editor.suggest.showEvents": "啟用時,IntelliSense 顯示「事件」建議。",
+ "editor.suggest.showOperators": "啟用時,IntelliSense 顯示「運算子」建議。",
+ "editor.suggest.showUnits": "啟用時,IntelliSense 顯示「單位」建議。",
+ "editor.suggest.showValues": "啟用時,IntelliSense 顯示「值」建議。",
+ "editor.suggest.showConstants": "啟用時,IntelliSense 顯示「常數」建議。",
+ "editor.suggest.showEnums": "啟用時,IntelliSense 顯示「列舉」建議。",
+ "editor.suggest.showEnumMembers": "啟用時,IntelliSense 顯示「enumMember」建議。",
+ "editor.suggest.showKeywords": "啟用時,IntelliSense 顯示「關鍵字」建議。",
+ "editor.suggest.showTexts": "啟用時,IntelliSense 顯示「文字」建議。",
+ "editor.suggest.showColors": "啟用時,IntelliSense 顯示「色彩」建議。",
+ "editor.suggest.showFiles": "啟用時,IntelliSense 顯示「檔案」建議。",
+ "editor.suggest.showReferences": "啟用時,IntelliSense 顯示「參考」建議。",
+ "editor.suggest.showCustomcolors": "啟用時,IntelliSense 顯示「customcolor」建議。",
+ "editor.suggest.showFolders": "啟用時,IntelliSense 顯示「資料夾」建議。",
+ "editor.suggest.showTypeParameters": "啟用時,IntelliSense 顯示「typeParameter」建議。",
+ "editor.suggest.showSnippets": "啟用時,IntelliSense 顯示「程式碼片段」建議。",
+ "editor.suggest.showUsers": "啟用之後,IntelliSense 會顯示 `user`-suggestions。",
+ "editor.suggest.showIssues": "啟用時,IntelliSense 會顯示 `issues`-suggestions。",
+ "selectLeadingAndTrailingWhitespace": "是否應一律選取前置和後置的空白字元。",
+ "acceptSuggestionOnCommitCharacter": "控制是否透過認可字元接受建議。例如在 JavaScript 中,分號 (';') 可以是接受建議並鍵入該字元的認可字元。",
+ "acceptSuggestionOnEnterSmart": "在建議進行文字變更時,僅透過 `Enter` 接受建議。",
+ "acceptSuggestionOnEnter": "控制除了 'Tab' 外,是否也透過 'Enter' 接受建議。這有助於避免混淆要插入新行或接受建議。",
+ "accessibilityPageSize": "控制編輯器中螢幕助讀程式可讀出的行數。警告: 大於預設的數目會對效能產生影響。",
+ "editorViewAccessibleLabel": "編輯器內容",
+ "editor.autoClosingBrackets.languageDefined": "使用語言配置確定何時自動關閉括號。",
+ "editor.autoClosingBrackets.beforeWhitespace": "僅當游標位於空白的左側時自動關閉括號。",
+ "autoClosingBrackets": "控制編輯器是否應在使用者新增左括弧後,自動加上右括弧。",
+ "editor.autoClosingOvertype.auto": "僅在自動插入右引號或括號時,才在其上方鍵入。",
+ "autoClosingOvertype": "控制編輯器是否應在右引號或括號上鍵入。",
+ "editor.autoClosingQuotes.languageDefined": "使用語言配置確定何時自動關閉引號。",
+ "editor.autoClosingQuotes.beforeWhitespace": "僅當游標位於空白的左側時自動關閉引號。",
+ "autoClosingQuotes": "控制編輯器是否應在使用者新增開始引號後,自動加上關閉引號。",
+ "editor.autoIndent.none": "編輯器不會自動插入縮排。",
+ "editor.autoIndent.keep": "編輯器會保留目前行的縮排。",
+ "editor.autoIndent.brackets": "編輯器會保留目前行的縮排並接受語言定義的括號。",
+ "editor.autoIndent.advanced": "編輯器會目前行的縮排、接受語言定義的括號並叫用語言定義的特殊 onEnterRules。",
+ "editor.autoIndent.full": "編輯器會保留目前行的縮排、接受語言定義的括號並叫用語言定義的特殊 onEnterRules 並接受語言定義的 indentationRules。",
+ "autoIndent": "控制編輯器是否應在使用者鍵入、貼上、移動或縮排行時自動調整縮排。",
+ "editor.autoSurround.languageDefined": "使用語言組態來決定何時自動環繞選取項目。",
+ "editor.autoSurround.quotes": "用引號括住,而非使用括弧。",
+ "editor.autoSurround.brackets": "用括弧括住,而非使用引號。 ",
+ "autoSurround": "控制編輯器是否應在鍵入引號或括弧時自動包圍選取範圍。",
+ "stickyTabStops": "當使用空格進行縮排時,會模擬定位字元的選取行為。選取範圍會依循定位停駐點。",
+ "codeLens": "控制編輯器是否顯示 codelens。",
+ "codeLensFontFamily": "控制 CodeLens 的字型家族。",
+ "codeLensFontSize": "控制 CodeLens 的字型大小 (像素)。設定為 `0` 時,會使用 90% 的 `#editor.fontSize#`。",
+ "colorDecorators": "控制編輯器是否應轉譯內嵌色彩裝飾項目與色彩選擇器。",
+ "columnSelection": "啟用即可以滑鼠與按鍵選取進行資料行選取。",
+ "copyWithSyntaxHighlighting": "控制語法醒目提示是否應複製到剪貼簿。",
+ "cursorBlinking": "控制資料指標動畫樣式。",
+ "cursorSmoothCaretAnimation": "控制是否應啟用平滑插入點動畫。 ",
+ "cursorStyle": "控制資料指標樣式。",
+ "cursorSurroundingLines": "控制游標上下周圍可顯示的最少行數。在某些編輯器中稱為 'scrollOff' 或 'scrollOffset'。",
+ "cursorSurroundingLinesStyle.default": "只有通過鍵盤或 API 觸發時,才會施行 `cursorSurroundingLines`。",
+ "cursorSurroundingLinesStyle.all": "一律強制執行 `cursorSurroundingLines`",
+ "cursorSurroundingLinesStyle": "控制應施行 `cursorSurroundingLines` 的時機。",
+ "cursorWidth": "控制游標寬度,當 `#editor.cursorStyle#` 設定為 `line` 時。",
+ "dragAndDrop": "控制編輯器是否允許透過拖放來移動選取項目。",
+ "fastScrollSensitivity": "按下 `Alt` 時的捲動速度乘數。",
+ "folding": "控制編輯器是否啟用程式碼摺疊功能。",
+ "foldingStrategy.auto": "使用語言特定摺疊策略 (如果可用),否則使用縮排式策略。",
+ "foldingStrategy.indentation": "使用縮排式摺疊策略。",
+ "foldingStrategy": "控制計算資料夾範圍的策略。",
+ "foldingHighlight": "控制編輯器是否應將折疊的範圍醒目提示。",
+ "unfoldOnClickAfterEndOfLine": "控制按一下已折疊行後方的空白內容是否會展開行。",
+ "fontFamily": "控制字型家族。",
+ "formatOnPaste": "控制編輯器是否應自動為貼上的內容設定格式。必須有可用的格式器,而且格式器應能夠為文件中的一個範圍設定格式。",
+ "formatOnType": "控制編輯器是否應自動在鍵入後設定行的格式。",
+ "glyphMargin": "控制編輯器是否應轉譯垂直字符邊界。字符邊界最常用來進行偵錯。",
+ "hideCursorInOverviewRuler": "控制游標是否應隱藏在概觀尺規中。",
+ "highlightActiveIndentGuide": "控制編輯器是否應醒目提示使用中的縮排輔助線。",
+ "letterSpacing": "控制字母間距 (像素)。",
+ "linkedEditing": "控制編輯器是否已啟用連結編輯。相關符號 (例如 HTML 標籤) 會根據語言在編輯時更新。",
+ "links": "控制編輯器是否應偵測連結並使其可供點選。",
+ "matchBrackets": "將符合的括號醒目提示。",
+ "mouseWheelScrollSensitivity": "要用於滑鼠滾輪捲動事件 `deltaX` 和 `deltaY` 的乘數。",
+ "mouseWheelZoom": "使用滑鼠滾輪並按住 `Ctrl` 時,縮放編輯器的字型",
+ "multiCursorMergeOverlapping": "在多個游標重疊時將其合併。",
+ "multiCursorModifier.ctrlCmd": "對應Windows和Linux的'Control'與對應 macOS 的'Command'。",
+ "multiCursorModifier.alt": "對應Windows和Linux的'Alt'與對應macOS的'Option'。",
+ "multiCursorModifier": "用於在滑鼠新增多個游標的乘數。「移至定義」和「開啟連結」滑鼠手勢會加以適應,以避免與多個游標的乘數相衝突。[深入了解](https://code.visualstudio.com/docs/editor/codebasics#_multicursor-modifier)。",
+ "multiCursorPaste.spread": "每個游標都會貼上一行文字。",
+ "multiCursorPaste.full": "每個游標都會貼上全文。",
+ "multiCursorPaste": "當已貼上文字的行數與游標數相符時控制貼上功能。",
+ "occurrencesHighlight": "控制編輯器是否應醒目顯示出現的語意符號。",
+ "overviewRulerBorder": "控制是否應在概觀尺規周圍繪製框線。",
+ "peekWidgetDefaultFocus.tree": "開啟預覽時焦點樹狀",
+ "peekWidgetDefaultFocus.editor": "開啟時聚焦編輯器",
+ "peekWidgetDefaultFocus": "控制要聚焦內嵌編輯器或預覽小工具中的樹系。",
+ "definitionLinkOpensInPeek": "控制「前往定義」滑鼠手勢,是否一律開啟瞄核小工具。",
+ "quickSuggestionsDelay": "控制在快速建議顯示後的延遲 (以毫秒為單位)。",
+ "renameOnType": "控制編輯器是否會自動依類型重新命名。",
+ "renameOnTypeDeprecate": "已淘汰,請改用 `editor.linkedEditing`。",
+ "renderControlCharacters": "控制編輯器是否應顯示控制字元。",
+ "renderIndentGuides": "控制編輯器是否應顯示縮排輔助線。",
+ "renderFinalNewline": "在檔案結尾為新行時,呈現最後一行的號碼。",
+ "renderLineHighlight.all": "醒目提示裝訂邊和目前的行。",
+ "renderLineHighlight": "控制編輯器如何顯示目前行的醒目提示。",
+ "renderLineHighlightOnlyWhenFocus": "當焦點為該編輯器時,控制該編輯器是否僅應轉譯目前行的醒目提示",
+ "renderWhitespace.boundary": "轉譯空白字元,但文字之間的單一空格除外。",
+ "renderWhitespace.selection": "只轉譯所選文字的空白字元。",
+ "renderWhitespace.trailing": "只轉譯結尾空白字元",
+ "renderWhitespace": "控制編輯器應如何轉譯空白字元。",
+ "roundedSelection": "控制選取範圍是否有圓角",
+ "scrollBeyondLastColumn": "控制編輯器水平捲動的額外字元數。",
+ "scrollBeyondLastLine": "控制編輯器是否捲動到最後一行之外。",
+ "scrollPredominantAxis": "同時進行垂直與水平捲動時,僅沿主軸捲動。避免在軌跡板上進行垂直捲動時發生水平漂移。",
+ "selectionClipboard": "控制是否支援 Linux 主要剪貼簿。",
+ "selectionHighlight": "控制編輯器是否應醒目提示與選取項目類似的相符項目。",
+ "showFoldingControls.always": "一律顯示摺疊控制項。",
+ "showFoldingControls.mouseover": "僅當滑鼠懸停在活動列上時,才顯示折疊功能。",
+ "showFoldingControls": "控制摺疊控制項在裝訂邊上的顯示時機。",
+ "showUnused": "控制未使用程式碼的淡出。",
+ "showDeprecated": "控制已刪除的淘汰變數。",
+ "snippetSuggestions.top": "將程式碼片段建議顯示於其他建議的頂端。",
+ "snippetSuggestions.bottom": "將程式碼片段建議顯示於其他建議的下方。",
+ "snippetSuggestions.inline": "將程式碼片段建議與其他建議一同顯示。",
+ "snippetSuggestions.none": "不顯示程式碼片段建議。",
+ "snippetSuggestions": "控制程式碼片段是否隨其他建議顯示,以及其排序方式。",
+ "smoothScrolling": "控制編輯器是否會使用動畫捲動",
+ "suggestFontSize": "建議小工具的字型大小。當設定為 `0` 時,則使用 `#editor.fontSize#` 值.",
+ "suggestLineHeight": "建議小工具的行高。當設定為 `0` 時,則使用 `#editor.lineHeight#` 的值。最小值為 8。",
+ "suggestOnTriggerCharacters": "控制建議是否應在鍵入觸發字元時自動顯示。",
+ "suggestSelection.first": "一律選取第一個建議。",
+ "suggestSelection.recentlyUsed": "除非進一步鍵入選取了建議,否則選取最近的建議,例如 `console.| -> console.log`,原因是最近完成了 `log`。",
+ "suggestSelection.recentlyUsedByPrefix": "根據先前已完成該建議的前置詞選取建議,例如 `co -> console` 和 `con -> const`。",
+ "suggestSelection": "控制在顯示建議清單時如何預先選取建議。",
+ "tabCompletion.on": "按 Tab 時,Tab 完成會插入最符合的建議。",
+ "tabCompletion.off": "停用 tab 鍵自動完成。",
+ "tabCompletion.onlySnippets": "在程式碼片段的首碼相符時使用 Tab 完成。未啟用 'quickSuggestions' 時效果最佳。",
+ "tabCompletion": "啟用 tab 鍵自動完成。",
+ "unusualLineTerminators.auto": "自動移除異常的行結束字元。",
+ "unusualLineTerminators.off": "忽略異常的行結束字元。",
+ "unusualLineTerminators.prompt": "要移除之異常的行結束字元提示。",
+ "unusualLineTerminators": "移除可能導致問題的異常行結束字元。",
+ "useTabStops": "插入和刪除接在定位停駐點後的空白字元。",
+ "wordSeparators": "在執行文字相關導覽或作業時要用作文字分隔符號的字元",
+ "wordWrap.off": "一律不換行。",
+ "wordWrap.on": "依檢視區寬度換行。",
+ "wordWrap.wordWrapColumn": "於 '#editor.wordWrapColumn#' 換行。",
+ "wordWrap.bounded": "當檢視區縮至最小並設定 '#editor.wordWrapColumn#' 時換行。",
+ "wordWrap": "控制如何換行。",
+ "wordWrapColumn": "當 `#editor.wordWrap#` 為 `wordWrapColumn` 或 `bounded` 時,控制編輯器中的資料行換行。",
+ "wrappingIndent.none": "無縮排。換行從第 1 列開始。",
+ "wrappingIndent.same": "換行的縮排會與父行相同。",
+ "wrappingIndent.indent": "換行的縮排為父行 +1。",
+ "wrappingIndent.deepIndent": "換行縮排為父行 +2。",
+ "wrappingIndent": "控制換行的縮排。",
+ "wrappingStrategy.simple": "假設所有字元的寬度均相同。這是一種快速的演算法,適用於等寬字型,以及字符寬度相同的部分指令碼 (例如拉丁文字元)。",
+ "wrappingStrategy.advanced": "將外圍點計算委派給瀏覽器。這是緩慢的演算法,如果檔案較大可能會導致凍結,但在所有情況下都正常運作。",
+ "wrappingStrategy": "控制計算外圍點的演算法。"
+ },
+ "vs/editor/common/view/editorColorRegistry": {
+ "lineHighlight": "目前游標位置行的反白顯示背景色彩。",
+ "lineHighlightBorderBox": "目前游標位置行之周圍框線的背景色彩。",
+ "rangeHighlight": "醒目提示範圍的背景色彩,例如快速開啟並尋找功能。其不得為不透明色彩,以免隱藏底層裝飾。",
+ "rangeHighlightBorder": "反白顯示範圍周圍邊框的背景顏色。",
+ "symbolHighlight": "醒目提示符號的背景色彩,相似於前往下一個定義或前往下一個/上一個符號。色彩必須透明,以免隱藏底層裝飾。",
+ "symbolHighlightBorder": "醒目提示周圍的邊界背景色彩。",
+ "caret": "編輯器游標的色彩。",
+ "editorCursorBackground": "編輯器游標的背景色彩。允許自訂區塊游標重疊的字元色彩。",
+ "editorWhitespaces": "編輯器中空白字元的色彩。",
+ "editorIndentGuides": "編輯器縮排輔助線的色彩。",
+ "editorActiveIndentGuide": "使用中編輯器縮排輔助線的色彩。",
+ "editorLineNumbers": "編輯器行號的色彩。",
+ "editorActiveLineNumber": "編輯器使用中行號的色彩",
+ "deprecatedEditorActiveLineNumber": "Id 已取代。請改用 'editorLineNumber.activeForeground' 。",
+ "editorRuler": "編輯器尺規的色彩",
+ "editorCodeLensForeground": "編輯器程式碼濾鏡的前景色彩",
+ "editorBracketMatchBackground": "成對括號背景色彩",
+ "editorBracketMatchBorder": "成對括號邊框色彩",
+ "editorOverviewRulerBorder": "預覽檢視編輯器尺規的邊框色彩.",
+ "editorOverviewRulerBackground": "編輯器概觀尺規的背景色彩。僅在啟用縮圖並將其置於編輯器右側時使用。",
+ "editorGutter": "編輯器邊框的背景顏色,包含行號與字形圖示的邊框.",
+ "unnecessaryCodeBorder": "編輯器中不必要 (未使用) 原始程式碼的框線色彩。",
+ "unnecessaryCodeOpacity": "編輯器中不必要 (未使用) 原始程式碼的不透明度。例如 \"#000000c0” 會以 75% 的不透明度轉譯程式碼。針對高對比主題,使用 'editorUnnecessaryCode.border' 主題色彩可為不必要的程式碼加上底線,而不是將其變淡。",
+ "overviewRulerRangeHighlight": "範圍醒目提示的概觀尺規標記色彩。其不得為不透明色彩,以免隱藏底層裝飾。",
+ "overviewRuleError": "錯誤的概觀尺規標記色彩。",
+ "overviewRuleWarning": "警示的概觀尺規標記色彩。",
+ "overviewRuleInfo": "資訊的概觀尺規標記色彩。"
+ },
+ "vs/editor/common/model/editStack": {
+ "edit": "正在鍵入"
+ },
+ "vs/editor/browser/controller/coreCommands": {
+ "stickydesc": "即使行的長度過長,仍要堅持至結尾"
+ },
+ "vs/editor/browser/widget/codeEditorWidget": {
+ "cursors.maximum": "游標數已限制為 {0} 個。"
+ },
+ "vs/editor/browser/widget/diffEditorWidget": {
+ "diffInsertIcon": "Diff 編輯器中用於插入的線條裝飾。",
+ "diffRemoveIcon": "Diff 編輯器中用於移除的線條裝飾。",
+ "diff.tooLarge": "因其中一個檔案過大而無法比較。"
+ },
+ "vs/editor/common/standaloneStrings": {
+ "noSelection": "無選取項目",
+ "singleSelectionRange": "第 {0} 行,第 {1} 欄 (已選取 {2})",
+ "singleSelection": "第 {0} 行,第 {1} 欄",
+ "multiSelectionRange": "{0} 個選取項目 (已選取 {1} 個字元)",
+ "multiSelection": "{0} 個選取項目",
+ "emergencyConfOn": "立即將設定 `accessibilitySupport` 變更為 'on’。",
+ "openingDocs": "立即開啟編輯器協助工具文件頁面。",
+ "readonlyDiffEditor": "在 Diff 編輯器的唯讀窗格中。",
+ "editableDiffEditor": "在 Diff 編輯器的窗格中。",
+ "readonlyEditor": "在唯讀程式碼編輯器中",
+ "editableEditor": "在程式碼編輯器中",
+ "changeConfigToOnMac": "若要為編輯器進行最能搭配螢幕助讀程式使用的設定,請立即按 Command+E。",
+ "changeConfigToOnWinLinux": "若要將編輯器設定為針對搭配螢幕助讀程式使用最佳化,請立即按 Control+E。",
+ "auto_on": "編輯器已設定為針對搭配螢幕助讀程式使用最佳化。",
+ "auto_off": "已將此編輯器設定為永遠不針對搭配螢幕助讀程式使用最佳化,但目前不是此情況。",
+ "tabFocusModeOnMsg": "在目前的編輯器中按 Tab 鍵會將焦點移至下一個可設定焦點的元素。按 {0} 可切換此行為。",
+ "tabFocusModeOnMsgNoKb": "在目前的編輯器中按 Tab 鍵會將焦點移至下一個可設定焦點的元素。命令 {0} 目前無法由按鍵繫結關係觸發。",
+ "tabFocusModeOffMsg": "在目前的編輯器中按 Tab 鍵會插入定位字元。按 {0} 可切換此行為。",
+ "tabFocusModeOffMsgNoKb": "在目前的編輯器中按 Tab 鍵會插入定位字元。命令 {0} 目前無法由按鍵繫結關係觸發。",
+ "openDocMac": "立即按 Command+H,以開啟提供編輯器協助工具相關詳細資訊的瀏覽器視窗。",
+ "openDocWinLinux": "立即按 Control+H,以開啟提供編輯器協助工具相關詳細資訊的瀏覽器視窗。",
+ "outroMsg": "您可以按 Esc 鍵或 Shift+Esc 鍵來解除此工具提示並返回編輯器。",
+ "showAccessibilityHelpAction": "顯示協助工具說明",
+ "inspectTokens": "開發人員: 檢查權杖",
+ "gotoLineActionLabel": "前往行/欄...",
+ "helpQuickAccess": "顯示所有快速存取提供者",
+ "quickCommandActionLabel": "命令選擇區",
+ "quickCommandActionHelp": "顯示並執行命令",
+ "quickOutlineActionLabel": "移至符號...",
+ "quickOutlineByCategoryActionLabel": "前往符號 (依類別)...",
+ "editorViewAccessibleLabel": "編輯器內容",
+ "accessibilityHelpMessage": "按 Alt+F1 可取得協助工具選項。",
+ "toggleHighContrast": "切換高對比佈景主題",
+ "bulkEditServiceSummary": "已在 {1} 檔案中進行 {0} 項編輯"
+ },
+ "vs/editor/common/config/commonEditorConfig": {
+ "editorConfigurationTitle": "編輯器",
+ "tabSize": "與 Tab 相等的空格數量。當 `#editor.detectIndentation#` 已開啟時,會根據檔案內容覆寫此設定。",
+ "insertSpaces": "在按 `Tab` 時插入空格。當 `#editor.detectIndentation#` 開啟時,會根據檔案內容覆寫此設定。",
+ "detectIndentation": "根據檔案內容,控制當檔案開啟時,是否自動偵測 `#editor.tabSize#` 和 `#editor.insertSpaces#`。",
+ "trimAutoWhitespace": "移除尾端自動插入的空白字元。",
+ "largeFileOptimizations": "針對大型檔案停用部分高記憶體需求功能的特殊處理方式。",
+ "wordBasedSuggestions": "控制是否應根據文件中的單字計算自動完成。",
+ "wordBasedSuggestionsMode.currentDocument": "僅建議來自使用中文件中的字組。",
+ "wordBasedSuggestionsMode.matchingDocuments": "建議來自所有已開啟文件中,語言相同的字組。",
+ "wordBasedSuggestionsMode.allDocuments": "建議來自所有已開啟文件中的字組。",
+ "wordBasedSuggestionsMode": "控制項會決定要計算哪些以文件字組為基礎的完成。",
+ "semanticHighlighting.true": "所有彩色主題皆已啟用語意醒目提示。",
+ "semanticHighlighting.false": "所有彩色主題皆已停用語意醒目提示。",
+ "semanticHighlighting.configuredByTheme": "語意醒目提示由目前之彩色佈景主題的 'semanticHighlighting' 設定所設定。",
+ "semanticHighlighting.enabled": "控制 semanticHighlighting 是否會為支援的語言顯示。",
+ "stablePeek": "即使按兩下內容或按 `Escape`,仍保持瞄孔編輯器開啟。",
+ "maxTokenizationLineLength": "因效能的緣故,不會將超過此高度的行 Token 化",
+ "maxComputationTime": "取消 Diff 計算前的逾時限制 (毫秒)。若無逾時,請使用 0。",
+ "sideBySide": "控制 Diff 編輯器要並排或內嵌顯示 Diff。",
+ "ignoreTrimWhitespace": "啟用時,Diff 編輯器會忽略前置或後置空格的變更。",
+ "renderIndicators": "控制 Diff 編輯器是否要為新增/移除的變更顯示 +/- 標記。",
+ "codeLens": "控制編輯器是否顯示 codelens。",
+ "wordWrap.off": "一律不換行。",
+ "wordWrap.on": "依檢視區寬度換行。",
+ "wordWrap.inherit": "將依據 `#editor.wordWrap#` 設定自動換行。"
+ },
+ "vs/editor/browser/widget/diffReview": {
+ "diffReviewInsertIcon": "Diff 檢閱中 [插入] 的圖示。",
+ "diffReviewRemoveIcon": "Diff 檢閱中 [移除] 的圖示。",
+ "diffReviewCloseIcon": "Diff 檢閱中 [關閉] 的圖示。",
+ "label.close": "關閉",
+ "no_lines_changed": "未變更任一行",
+ "one_line_changed": "已變更 1 行",
+ "more_lines_changed": "已變更 {0} 行",
+ "header": "{1} 項差異中的第 {0} 項: 原始行 {2}、{3},修改行 {4}、{5}",
+ "blankLine": "空白",
+ "unchangedLine": "{0} 未變更行 {1}",
+ "equalLine": "{0} 原始行 {1} 修改的行 {2}",
+ "insertLine": "+ {0} 修改行 {1}",
+ "deleteLine": "- {0} 原始行 {1}",
+ "editor.action.diffReview.next": "移至下一個差異",
+ "editor.action.diffReview.prev": "移至上一個差異"
+ },
+ "vs/editor/browser/widget/inlineDiffMargin": {
+ "diff.clipboard.copyDeletedLinesContent.label": "複製已刪除的行",
+ "diff.clipboard.copyDeletedLinesContent.single.label": "複製已刪除的行",
+ "diff.clipboard.copyDeletedLineContent.label": "複製已刪除的行 ({0})",
+ "diff.inline.revertChange.label": "還原此變更"
+ },
+ "vs/editor/browser/controller/textAreaHandler": {
+ "editor": "編輯器",
+ "accessibilityOffAriaLabel": "目前無法存取此編輯器。請按 {0} 取得選項。"
+ },
+ "vs/editor/contrib/clipboard/clipboard": {
+ "miCut": "剪下(&&T)",
+ "actions.clipboard.cutLabel": "剪下",
+ "miCopy": "複製(&&C)",
+ "actions.clipboard.copyLabel": "複製",
+ "miPaste": "貼上(&&P)",
+ "actions.clipboard.pasteLabel": "貼上",
+ "actions.clipboard.copyWithSyntaxHighlightingLabel": "隨語法醒目提示複製"
+ },
+ "vs/editor/contrib/anchorSelect/anchorSelect": {
+ "selectionAnchor": "選取範圍錨點",
+ "anchorSet": "設定錨點為 {0}:{1}",
+ "setSelectionAnchor": "設定選取範圍錨點",
+ "goToSelectionAnchor": "前往選取範圍錨點",
+ "selectFromAnchorToCursor": "選取從錨點到游標之間的範圍",
+ "cancelSelectionAnchor": "取消選取範圍錨點"
+ },
+ "vs/editor/contrib/bracketMatching/bracketMatching": {
+ "overviewRulerBracketMatchForeground": "成對括弧的概觀尺規標記色彩。",
+ "smartSelect.jumpBracket": "移至方括弧",
+ "smartSelect.selectToBracket": "選取至括弧",
+ "miGoToBracket": "前往括弧(&&B)"
+ },
+ "vs/editor/contrib/caretOperations/caretOperations": {
+ "caret.moveLeft": "將所選文字向左移動",
+ "caret.moveRight": "將所選文字向右移動"
+ },
+ "vs/editor/contrib/caretOperations/transpose": {
+ "transposeLetters.label": "調換字母"
+ },
+ "vs/editor/contrib/codelens/codelensController": {
+ "showLensOnLine": "顯示目前行的 Code Lens 命令"
+ },
+ "vs/editor/contrib/comment/comment": {
+ "comment.line": "切換行註解",
+ "miToggleLineComment": "切換行註解(&&T)",
+ "comment.line.add": "加入行註解",
+ "comment.line.remove": "移除行註解",
+ "comment.block": "切換區塊註解",
+ "miToggleBlockComment": "切換區塊註解(&&B)"
+ },
+ "vs/editor/contrib/contextmenu/contextmenu": {
+ "action.showContextMenu.label": "顯示編輯器內容功能表"
+ },
+ "vs/editor/contrib/cursorUndo/cursorUndo": {
+ "cursor.undo": "游標復原",
+ "cursor.redo": "游標重做"
+ },
+ "vs/editor/contrib/find/findController": {
+ "startFindAction": "尋找",
+ "miFind": "尋找(&&F)",
+ "startFindWithSelectionAction": "尋找選取項目",
+ "findNextMatchAction": "尋找下一個",
+ "findPreviousMatchAction": "尋找上一個",
+ "nextSelectionMatchFindAction": "尋找下一個選取項目",
+ "previousSelectionMatchFindAction": "尋找上一個選取項目",
+ "startReplace": "取代",
+ "miReplace": "取代(&&R)"
+ },
+ "vs/editor/contrib/folding/folding": {
+ "unfoldAction.label": "展開",
+ "unFoldRecursivelyAction.label": "以遞迴方式展開",
+ "foldAction.label": "摺疊",
+ "toggleFoldAction.label": "切換摺疊",
+ "foldRecursivelyAction.label": "以遞迴方式摺疊",
+ "foldAllBlockComments.label": "摺疊全部區塊註解",
+ "foldAllMarkerRegions.label": "摺疊所有區域",
+ "unfoldAllMarkerRegions.label": "展開所有區域",
+ "foldAllAction.label": "全部摺疊",
+ "unfoldAllAction.label": "全部展開",
+ "foldLevelAction.label": "摺疊層級 {0}",
+ "foldBackgroundBackground": "已摺疊範圍後的背景色彩。色彩不得處於不透明狀態,以免隱藏底層裝飾。",
+ "editorGutter.foldingControlForeground": "編輯器裝訂邊的摺疊控制項色彩。"
+ },
+ "vs/editor/contrib/fontZoom/fontZoom": {
+ "EditorFontZoomIn.label": "編輯器字體放大",
+ "EditorFontZoomOut.label": "編輯器字型縮小",
+ "EditorFontZoomReset.label": "編輯器字體重設縮放"
+ },
+ "vs/editor/contrib/format/formatActions": {
+ "formatDocument.label": "格式化文件",
+ "formatSelection.label": "格式化選取範圍"
+ },
+ "vs/editor/contrib/gotoSymbol/goToCommands": {
+ "peek.submenu": "查看",
+ "def.title": "定義",
+ "noResultWord": "找不到 '{0}' 的定義",
+ "generic.noResults": "找不到任何定義",
+ "actions.goToDecl.label": "移至定義",
+ "miGotoDefinition": "移至定義(&&D)",
+ "actions.goToDeclToSide.label": "在一側開啟定義",
+ "actions.previewDecl.label": "瞄核定義",
+ "decl.title": "宣告",
+ "decl.noResultWord": "找不到 '{0}' 的宣告 ",
+ "decl.generic.noResults": "找不到任何宣告",
+ "actions.goToDeclaration.label": "移至宣告",
+ "miGotoDeclaration": "前往宣告(&&D)",
+ "actions.peekDecl.label": "預覽宣告",
+ "typedef.title": "類型定義",
+ "goToTypeDefinition.noResultWord": "找不到 '{0}' 的任何類型定義",
+ "goToTypeDefinition.generic.noResults": "找不到任何類型定義",
+ "actions.goToTypeDefinition.label": "移至類型定義",
+ "miGotoTypeDefinition": "前往類型定義(&&T)",
+ "actions.peekTypeDefinition.label": "預覽類型定義",
+ "impl.title": "實作",
+ "goToImplementation.noResultWord": "找不到 '{0}' 的任何實作",
+ "goToImplementation.generic.noResults": "找不到任何實作",
+ "actions.goToImplementation.label": "前往實作",
+ "miGotoImplementation": "前往實作(&&I)",
+ "actions.peekImplementation.label": "查看實作",
+ "references.no": "未找到 \"{0}\" 的參考",
+ "references.noGeneric": "未找到參考",
+ "goToReferences.label": "前往參考",
+ "miGotoReference": "前往參考(&&R)",
+ "ref.title": "參考",
+ "references.action.label": "預覽參考",
+ "label.generic": "移至任何符號",
+ "generic.title": "位置",
+ "generic.noResult": "'{0}' 沒有結果"
+ },
+ "vs/editor/contrib/hover/hover": {
+ "showHover": "動態顯示",
+ "showDefinitionPreviewHover": "顯示定義預覽懸停"
+ },
+ "vs/editor/contrib/gotoSymbol/link/goToDefinitionAtPosition": {
+ "multipleResults": "按一下以顯示 {0} 項定義。"
+ },
+ "vs/editor/contrib/gotoError/gotoError": {
+ "markerAction.next.label": "移至下一個問題 (錯誤, 警告, 資訊)",
+ "nextMarkerIcon": "[前往下一個標記] 的圖示。",
+ "markerAction.previous.label": "移至上一個問題 (錯誤, 警告, 資訊)",
+ "previousMarkerIcon": "[前往上一個標記] 的圖示。",
+ "markerAction.nextInFiles.label": "移至檔案裡面的下一個問題 (錯誤, 警告, 資訊)",
+ "miGotoNextProblem": "下一個問題(&&P)",
+ "markerAction.previousInFiles.label": "移至檔案裡面的上一個問題 (錯誤, 警告, 資訊)",
+ "miGotoPreviousProblem": "前一個問題(&&P)"
+ },
+ "vs/editor/contrib/indentation/indentation": {
+ "indentationToSpaces": "將縮排轉換成空格",
+ "indentationToTabs": "將縮排轉換成定位點",
+ "configuredTabSize": "已設定的定位點大小",
+ "selectTabWidth": "選取目前檔案的定位點大小",
+ "indentUsingTabs": "使用 Tab 進行縮排",
+ "indentUsingSpaces": "使用空格鍵進行縮排",
+ "detectIndentation": "偵測內容中的縮排",
+ "editor.reindentlines": "重新將行縮排",
+ "editor.reindentselectedlines": "重新將選取的行縮排"
+ },
+ "vs/editor/contrib/inPlaceReplace/inPlaceReplace": {
+ "InPlaceReplaceAction.previous.label": "以上一個值取代",
+ "InPlaceReplaceAction.next.label": "以下一個值取代"
+ },
+ "vs/editor/contrib/linesOperations/linesOperations": {
+ "lines.copyUp": "將行向上複製",
+ "miCopyLinesUp": "將行向上複製(&&C)",
+ "lines.copyDown": "將行向下複製",
+ "miCopyLinesDown": "將行向下複製(&&P)",
+ "duplicateSelection": "重複選取項目",
+ "miDuplicateSelection": "重複選取項目(&&D)",
+ "lines.moveUp": "上移一行",
+ "miMoveLinesUp": "上移一行(&&V)",
+ "lines.moveDown": "下移一行",
+ "miMoveLinesDown": "下移一行(&&L)",
+ "lines.sortAscending": "遞增排序行",
+ "lines.sortDescending": "遞減排序行",
+ "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": "轉換為字首大寫"
+ },
+ "vs/editor/contrib/linkedEditing/linkedEditing": {
+ "linkedEditing.label": "開始連結的編輯",
+ "editorLinkedEditingBackground": "當編輯器自動重新命名類型時的背景色彩。"
+ },
+ "vs/editor/contrib/links/links": {
+ "links.navigate.executeCmd": "執行命令",
+ "links.navigate.follow": "追蹤連結",
+ "links.navigate.kb.meta.mac": "cmd + 按一下",
+ "links.navigate.kb.meta": "ctrl + 按一下",
+ "links.navigate.kb.alt.mac": "選項 + 按一下",
+ "links.navigate.kb.alt": "alt + 按一下",
+ "tooltip.explanation": "執行命令 {0}",
+ "invalid.url": "因為此連結的格式不正確,所以無法開啟: {0}",
+ "missing.url": "因為此連結目標遺失,所以無法開啟。",
+ "label": "開啟連結"
+ },
+ "vs/editor/contrib/multicursor/multicursor": {
+ "mutlicursor.insertAbove": "在上方加入游標",
+ "miInsertCursorAbove": "在上方新增游標(&&A)",
+ "mutlicursor.insertBelow": "在下方加入游標",
+ "miInsertCursorBelow": "在下方新增游標(&&D)",
+ "mutlicursor.insertAtEndOfEachLineSelected": "在行尾新增游標",
+ "miInsertCursorAtEndOfEachLineSelected": "在行尾新增游標(&&U)",
+ "mutlicursor.addCursorsToBottom": "將游標新增到底部 ",
+ "mutlicursor.addCursorsToTop": "將游標新增到頂部",
+ "addSelectionToNextFindMatch": "將選取項目加入下一個找到的相符項",
+ "miAddSelectionToNextFindMatch": "新增下一個項目(&&N)",
+ "addSelectionToPreviousFindMatch": "將選取項目加入前一個找到的相符項中",
+ "miAddSelectionToPreviousFindMatch": "新增上一個項目(&&R)",
+ "moveSelectionToNextFindMatch": "將最後一個選擇項目移至下一個找到的相符項",
+ "moveSelectionToPreviousFindMatch": "將最後一個選擇項目移至前一個找到的相符項",
+ "selectAllOccurrencesOfFindMatch": "選取所有找到的相符項目",
+ "miSelectHighlights": "選取所有項目(&&O)",
+ "changeAll.label": "變更所有發生次數"
+ },
+ "vs/editor/contrib/parameterHints/parameterHints": {
+ "parameterHints.trigger.label": "觸發參數提示"
+ },
+ "vs/editor/contrib/rename/rename": {
+ "no result": "沒有結果。",
+ "resolveRenameLocationFailed": "解析重新命名位置時發生未知的錯誤",
+ "label": "正在為 '{0}' 重新命名",
+ "quotableLabel": "正在重新命名 {0}",
+ "aria": "已成功將 '{0}' 重新命名為 '{1}'。摘要: {2}",
+ "rename.failedApply": "重命名無法套用編輯",
+ "rename.failed": "重新命名無法計算編輯",
+ "rename.label": "重新命名符號",
+ "enablePreview": "啟用/停用重新命名前先預覽變更的功能"
+ },
+ "vs/editor/contrib/smartSelect/smartSelect": {
+ "smartSelect.expand": "展開選取項目",
+ "miSmartSelectGrow": "展開選取範圍(&&E)",
+ "smartSelect.shrink": "縮小選取項目",
+ "miSmartSelectShrink": "壓縮選取範圍(&&S)"
+ },
+ "vs/editor/contrib/suggest/suggestController": {
+ "aria.alert.snippet": "接受 ‘{0}’ 進行了其他 {1} 項編輯",
+ "suggest.trigger.label": "觸發建議",
+ "accept.insert": "插入",
+ "accept.replace": "取代",
+ "detail.more": "顯示更少",
+ "detail.less": "顯示更多",
+ "suggest.reset.label": "重設建議小工具大小"
+ },
+ "vs/editor/contrib/tokenization/tokenization": {
+ "forceRetokenize": "開發人員: 強制重新置放"
+ },
+ "vs/editor/contrib/toggleTabFocusMode/toggleTabFocusMode": {
+ "toggle.tabMovesFocus": "切換 TAB 鍵移動焦點",
+ "toggle.tabMovesFocus.on": "按 Tab 現在會將焦點移至下一個可設定焦點的元素。",
+ "toggle.tabMovesFocus.off": "按 Tab 現在會插入定位字元。"
+ },
+ "vs/editor/contrib/unusualLineTerminators/unusualLineTerminators": {
+ "unusualLineTerminators.title": "異常的行結束字元",
+ "unusualLineTerminators.message": "偵測到異常的行結束字元",
+ "unusualLineTerminators.detail": "此檔案包含一或多個異常的行結束字元,例如行分隔符號 (LS) 或段落分隔符號 (PS)。\r\n\r\n建議您將其從檔案中移除。這可以透過 `editor.unusualLineTerminators` 進行設定。",
+ "unusualLineTerminators.fix": "修正此檔案",
+ "unusualLineTerminators.ignore": "忽略此檔案的問題"
+ },
+ "vs/editor/contrib/wordHighlighter/wordHighlighter": {
+ "wordHighlight": "讀取權限期間 (如讀取變數) 符號的背景色彩。其不得為不透明色彩,以免隱藏底層裝飾。",
+ "wordHighlightStrong": "寫入權限期間 (如寫入變數) 符號的背景色彩。其不得為不透明色彩,以免隱藏底層裝飾。",
+ "wordHighlightBorder": "讀取存取期間 (例如讀取變數時) 符號的邊框顏色。",
+ "wordHighlightStrongBorder": "寫入存取期間 (例如寫入變數時) 符號的邊框顏色。 ",
+ "overviewRulerWordHighlightForeground": "符號醒目提示的概觀尺規標記色彩。其不得為不透明色彩,以免隱藏底層裝飾。",
+ "overviewRulerWordHighlightStrongForeground": "寫入權限符號醒目提示的概觀尺規標記色彩。其不得為不透明色彩,以免隱藏底層裝飾。",
+ "wordHighlight.next.label": "移至下一個反白符號",
+ "wordHighlight.previous.label": "移至上一個反白符號",
+ "wordHighlight.trigger.label": "觸發符號反白顯示"
+ },
+ "vs/editor/contrib/wordOperations/wordOperations": {
+ "deleteInsideWord": "刪除字組"
+ },
+ "vs/editor/contrib/quickAccess/gotoLineQuickAccess": {
+ "cannotRunGotoLine": "先開啟文字編輯器,前往某一行。",
+ "gotoLineColumnLabel": "前往第 {0} 行和第 {1} 欄。",
+ "gotoLineLabel": "前往第 {0} 行。",
+ "gotoLineLabelEmptyWithLimit": "目前行: {0},字元: {1}。請鍵入介於 1 到 {2} 之間行號,導覽至該行。",
+ "gotoLineLabelEmpty": "目前行: {0},字元: {1}。請鍵入要導覽至的行號。"
+ },
+ "vs/editor/contrib/peekView/peekView": {
+ "label.close": "關閉",
+ "peekViewTitleBackground": "預覽檢視標題區域的背景色彩。",
+ "peekViewTitleForeground": "預覽檢視標題的色彩。",
+ "peekViewTitleInfoForeground": "預覽檢視標題資訊的色彩。",
+ "peekViewBorder": "預覽檢視之框線與箭頭的色彩。",
+ "peekViewResultsBackground": "預覽檢視中結果清單的背景色彩。",
+ "peekViewResultsMatchForeground": "預覽檢視結果列表中行節點的前景色彩",
+ "peekViewResultsFileForeground": "預覽檢視結果列表中檔案節點的前景色彩",
+ "peekViewResultsSelectionBackground": "在預覽檢視之結果清單中選取項目時的背景色彩。",
+ "peekViewResultsSelectionForeground": "在預覽檢視之結果清單中選取項目時的前景色彩。",
+ "peekViewEditorBackground": "預覽檢視編輯器的背景色彩。",
+ "peekViewEditorGutterBackground": "預覽檢視編輯器邊框(含行號或字形圖示)的背景色彩。",
+ "peekViewResultsMatchHighlight": "在預覽檢視編輯器中比對時的反白顯示色彩。",
+ "peekViewEditorMatchHighlight": "預覽檢視編輯器中比對時的反白顯示色彩。",
+ "peekViewEditorMatchHighlightBorder": "在預覽檢視編輯器中比對時的反白顯示邊界。"
+ },
+ "vs/editor/contrib/codeAction/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": "沒有 \"{0}\" 的偏好程式碼動作",
+ "editor.action.codeAction.noneMessage.kind": "沒有 \"{0}\" 可用的程式碼動作",
+ "editor.action.codeAction.noneMessage.preferred": "沒有可用的偏好程式碼動作",
+ "editor.action.codeAction.noneMessage": "沒有可用的程式碼操作",
+ "refactor.label": "重構...",
+ "editor.action.refactor.noneMessage.preferred.kind": "沒有適用於 '{0}' 的偏好重構。",
+ "editor.action.refactor.noneMessage.kind": "沒有可用的 \"{0}\" 重構",
+ "editor.action.refactor.noneMessage.preferred": "沒有可用的偏好重構",
+ "editor.action.refactor.noneMessage": "沒有可用的重構",
+ "source.label": "來源動作...",
+ "editor.action.source.noneMessage.preferred.kind": "沒有適用於 '{0}' 的偏好來源動作",
+ "editor.action.source.noneMessage.kind": "沒有 \"{0}\" 可用的來源動作",
+ "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/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": "僅反白顯示前 {0} 筆結果,但所有尋找作業會在完整文字上執行。",
+ "label.matchesLocation": "{1} 的 {0}",
+ "label.noResults": "查無結果",
+ "ariaSearchNoResultEmpty": "找到 {0}",
+ "ariaSearchNoResult": "以 '{1}' 找到 {0}",
+ "ariaSearchNoResultWithLineNum": "以 '{1}' 找到 {0},位於 {2}",
+ "ariaSearchNoResultWithLineNumNoCurrentMatch": "已以 '{1}' 找到 {0}",
+ "ctrlEnter.keybindingChanged": "Ctrl+Enter 現在會插入分行符號,而不會全部取代。您可以修改 editor.action.replaceAll 的按鍵繫結關係,以覆寫此行為。"
+ },
+ "vs/editor/contrib/folding/foldingDecorations": {
+ "foldingExpandedIcon": "編輯器字符邊界中 [展開的範圍] 的圖示。",
+ "foldingCollapsedIcon": "編輯器字符邊界中 [摺疊的範圍] 的圖示。"
+ },
+ "vs/editor/contrib/format/format": {
+ "hint11": "在行 {0} 編輯了 1 項格式",
+ "hintn1": "在行 {1} 編輯了 {0} 項格式",
+ "hint1n": "在行 {0} 與行 {1} 之間編輯了 1 項格式",
+ "hintnn": "在行 {1} 與行 {2} 之間編輯了 {0} 項格式"
+ },
+ "vs/editor/contrib/message/messageController": {
+ "editor.readonly": "無法在唯讀編輯器中編輯"
+ },
+ "vs/editor/contrib/gotoSymbol/peek/referencesController": {
+ "labelLoading": "正在載入...",
+ "metaTitle.N": "{0} ({1})"
+ },
+ "vs/editor/contrib/gotoSymbol/referencesModel": {
+ "aria.oneReference": "個符號位於 {0} 中的第 {1} 行第 {2} 欄",
+ "aria.oneReference.preview": "符號位於 {0} 中的第 {1} 行第 {2}、{3} 欄",
+ "aria.fileReferences.1": "1 個符號位於 {0}, 完整路徑 {1}",
+ "aria.fileReferences.N": "{0} 個符號位於 {1}, 完整路徑 {2}",
+ "aria.result.0": "找不到結果",
+ "aria.result.1": "在 {0} 中找到 1 個符號",
+ "aria.result.n1": "在 {1} 中找到 {0} 個符號",
+ "aria.result.nm": "在 {1} 個檔案中找到 {0} 個符號"
+ },
+ "vs/editor/contrib/gotoSymbol/symbolNavigation": {
+ "location.kb": "{1} 的符號 {0},{2} 為下一個",
+ "location": "{1} 的符號 {0}"
+ },
+ "vs/editor/contrib/hover/modesContentHover": {
+ "modesContentHover.loading": "正在載入...",
+ "peek problem": "瞄孔問題",
+ "noQuickFixes": "沒有可用的快速修正",
+ "checkingForQuickFixes": "正在檢查快速修正...",
+ "quick fixes": "快速修復..."
+ },
+ "vs/editor/contrib/gotoError/gotoErrorWidget": {
+ "Error": "錯誤",
+ "Warning": "警告",
+ "Info": "資訊",
+ "Hint": "提示",
+ "marker aria": "{0} 於 {1}。",
+ "problems": "{0} 個問題 (共 {1} 個)",
+ "change": "{0} 個問題 (共 {1} 個)",
+ "editorMarkerNavigationError": "編輯器標記導覽小工具錯誤的色彩。",
+ "editorMarkerNavigationWarning": "編輯器標記導覽小工具警告的色彩。",
+ "editorMarkerNavigationInfo": "編輯器標記導覽小工具資訊的色彩",
+ "editorMarkerNavigationBackground": "編輯器標記導覽小工具的背景。"
+ },
+ "vs/editor/contrib/parameterHints/parameterHintsWidget": {
+ "parameterHintsNextIcon": "[顯示下一個參數提示] 的圖示。",
+ "parameterHintsPreviousIcon": "[顯示上一個參數提示] 的圖示。",
+ "hint": "{0},提示"
+ },
+ "vs/editor/contrib/rename/renameInputField": {
+ "renameAriaLabel": "為輸入重新命名。請鍵入新名稱,然後按 Enter 以認可。",
+ "label": "按 {0} 進行重新命名,按 {1} 進行預覽"
+ },
+ "vs/editor/contrib/suggest/suggestWidget": {
+ "editorSuggestWidgetBackground": "建議小工具的背景色彩。",
+ "editorSuggestWidgetBorder": "建議小工具的邊界色彩。",
+ "editorSuggestWidgetForeground": "建議小工具的前景色彩。",
+ "editorSuggestWidgetSelectedBackground": "建議小工具中所選項目的背景色彩。",
+ "editorSuggestWidgetHighlightForeground": "建議小工具中相符醒目提示的色彩。",
+ "suggestWidget.loading": "正在載入...",
+ "suggestWidget.noSuggestions": "無建議。",
+ "ariaCurrenttSuggestionReadDetails": "{0},文件: {1}",
+ "suggest": "建議"
+ },
+ "vs/editor/contrib/quickAccess/gotoSymbolQuickAccess": {
+ "cannotRunGotoSymbolWithoutEditor": "若要前往符號,請先開啟包含符號資訊的文字編輯器。",
+ "cannotRunGotoSymbolWithoutSymbolProvider": "使用中的文字編輯器不提供符號資訊。",
+ "noMatchingSymbolResults": "沒有相符的編輯器符號",
+ "noSymbolResults": "沒有編輯器符號",
+ "openToSide": "開至側邊",
+ "openToBottom": "開啟到底部",
+ "symbols": "符號 ({0})",
+ "property": "屬性 ({0})",
+ "method": "方法 ({0})",
+ "function": "函式 ({0})",
+ "_constructor": "建構函式 ({0})",
+ "variable": "變數 ({0})",
+ "class": "類別 ({0})",
+ "struct": "結構 ({0})",
+ "event": "事件 ({0})",
+ "operator": "運算子 ({0})",
+ "interface": "介面 ({0})",
+ "namespace": "命名空間 ({0})",
+ "package": "套件 ({0})",
+ "typeParameter": "型別參數 ({0})",
+ "modules": "模組 ({0})",
+ "enum": "列舉 ({0})",
+ "enumMember": "列舉成員 ({0})",
+ "string": "字串 ({0})",
+ "file": "檔案 ({0})",
+ "array": "陣列 ({0})",
+ "number": "數字 ({0})",
+ "boolean": "布林值 ({0})",
+ "object": "物件 ({0})",
+ "key": "索引鍵 ({0})",
+ "field": "欄位 ({0})",
+ "constant": "常數 ({0})"
+ },
+ "vs/editor/contrib/snippet/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": "1月",
+ "FebruaryShort": "2月",
+ "MarchShort": "3 月",
+ "AprilShort": "4月",
+ "MayShort": "五月",
+ "JuneShort": "6月",
+ "JulyShort": "7 月",
+ "AugustShort": "8 月",
+ "SeptemberShort": "9 月",
+ "OctoberShort": "10 月",
+ "NovemberShort": "11 月",
+ "DecemberShort": "12 月"
+ },
+ "vs/editor/contrib/documentSymbols/outlineTree": {
+ "title.template": "{0} ({1})",
+ "1.problem": "此元素發生 1 個問題",
+ "N.problem": "此元素發生 {0} 個問題",
+ "deep.problem": "含有發生問題的元素",
+ "Array": "陣列",
+ "Boolean": "布林值",
+ "Class": "類別",
+ "Constant": "常數",
+ "Constructor": "建構函式",
+ "Enum": "列舉",
+ "EnumMember": "列舉成員",
+ "Event": "事件",
+ "Field": "欄位",
+ "File": "檔案",
+ "Function": "函式",
+ "Interface": "介面",
+ "Key": "索引鍵",
+ "Method": "方法",
+ "Module": "模組",
+ "Namespace": "命名空間",
+ "Null": "null",
+ "Number": "數字",
+ "Object": "物件",
+ "Operator": "運算子",
+ "Package": "套件",
+ "Property": "屬性",
+ "String": "字串",
+ "Struct": "結構",
+ "TypeParameter": "型別參數",
+ "Variable": "變數",
+ "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": "Null 符號的前景色彩。這些符號會出現在大綱、階層連結和建議小工具中。",
+ "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/editor/contrib/gotoSymbol/peek/referencesWidget": {
+ "missingPreviewMessage": "無法預覽",
+ "noResults": "查無結果",
+ "peekView.alternateTitle": "參考"
+ },
+ "vs/editor/contrib/suggest/suggestWidgetDetails": {
+ "details.close": "關閉",
+ "loading": "正在載入..."
+ },
+ "vs/editor/contrib/suggest/suggestWidgetStatus": {
+ "ddd": "{0} ({1})"
+ },
+ "vs/editor/contrib/suggest/suggestWidgetRenderer": {
+ "suggestMoreInfoIcon": "建議小工具中 [更多詳細資訊] 的圖示。",
+ "readMore": "閱讀更多"
+ },
+ "vs/editor/contrib/codeAction/lightBulbWidget": {
+ "prefferedQuickFixWithKb": "顯示修正程式。偏好的修正程式可用 ({0})",
+ "quickFixWithKb": "顯示修正 ({0})",
+ "quickFix": "顯示修正"
+ },
+ "vs/editor/contrib/gotoSymbol/peek/referencesTree": {
+ "referencesCount": "{0} 個參考",
+ "referenceCount": "{0} 個參考",
+ "treeAriaLabel": "參考"
+ },
+ "vs/platform/environment/node/argvHelper": {
+ "unknownOption": "警告: '{0}' 不在已知選項清單中,但仍傳遞至 Electron/Chromium。",
+ "multipleValues": "已多次定義選項 ‘{0}’。請使用值 ‘{1}’。",
+ "gotoValidation": "`--goto` 模式中的引數格式應為 `FILE(:LINE(:CHARACTER))`。"
+ },
+ "vs/platform/request/common/request": {
+ "httpConfigurationTitle": "HTTP",
+ "proxy": "要使用的 Proxy 設定。若未設定,將從 `http_proxy` 和 `https_proxy` 環境變數繼承。",
+ "strictSSL": "控制是否應根據提供的 CA 清單驗證 Proxy 伺服器憑證。",
+ "proxyAuthorization": "要針對所有網路要求作為 `Proxy-Authorization` 標頭傳送的值。",
+ "proxySupportOff": "停用延伸模組的 Proxy 支援。",
+ "proxySupportOn": "啟用延伸模組的 Proxy 支援。",
+ "proxySupportOverride": "啟用延伸模組的 Proxy 支援,覆寫要求選項。",
+ "proxySupport": "為延伸模組使用 Proxy 支援。",
+ "systemCertificates": "控制是否應從 OS 載入 CA 憑證 (關閉此設定後,Windows 和 macOS 都需要重新載入視窗)。"
+ },
+ "vs/platform/files/common/fileService": {
+ "invalidPath": "無法解析具有相對檔案路徑 '{0}' 的檔案系統提供者",
+ "noProviderFound": "無法為資源 '{0}' 找到任何檔案系統提供者",
+ "fileNotFoundError": "無法解析不存在的檔案 '{0}'",
+ "fileExists": "覆寫旗標未設定時,無法建立已存在的檔案 '{0}'",
+ "err.write": "無法寫入檔案 '{0}' ({1})",
+ "fileIsDirectoryWriteError": "無法寫入實際為目錄的檔案 '{0}'",
+ "fileModifiedError": "修改檔案的時間",
+ "err.read": "無法讀取檔案 '{0}' ({1})",
+ "fileIsDirectoryReadError": "無法讀取實際為目錄的檔案 '{0}'",
+ "fileNotModifiedError": "未修改檔案的時間",
+ "fileTooLargeError": "因為檔案 '{0}' 太大,無法開啟,所以無法讀取該檔案",
+ "unableToMoveCopyError1": "當來源 '{0}' 與目標 '{1}' 的路徑大小寫不同,但位在不區分大小寫的檔案系統上時,無法複製",
+ "unableToMoveCopyError2": "當來源 '{0}' 是目標 '{1}' 的父系時,無法移動/複製。",
+ "unableToMoveCopyError3": "因為目標 '{1}' 已經存在於目的地,所以無法移動/複製 '{0}'。",
+ "unableToMoveCopyError4": "因為有檔案會取代 '{1}' 資料夾,所以無法將 '{0}' 移動/複製到該資料夾。",
+ "mkdirExistsError": "無法建立已存在但不是目錄的資料夾 '{0}'",
+ "deleteFailedTrashUnsupported": "因為提供者不支援,所以無法透過垃圾筒刪除檔案 '{0}'。",
+ "deleteFailedNotFound": "無法刪除不存在的檔案 '{0}'",
+ "deleteFailedNonEmptyFolder": "無法刪除非空白資料夾 ‘{0}’。",
+ "err.readonly": "無法修改唯讀檔案 '{0}'"
+ },
+ "vs/platform/files/node/diskFileSystemProvider": {
+ "fileExists": "檔案已存在",
+ "fileNotExists": "檔案不存在",
+ "moveError": "無法將 ‘{0}’ 移入 ‘{1}’ ({2})。",
+ "copyError": "無法將 ‘{0}’ 複製到 ‘{1}' ({2})。",
+ "fileCopyErrorPathCase": "「檔案不得複製到路徑大小寫不同的相同路徑",
+ "fileCopyErrorExists": "目標處的檔案已存在"
+ },
+ "vs/platform/files/common/files": {
+ "unknownError": "未知的錯誤",
+ "sizeB": "{0}B",
+ "sizeKB": "{0}KB",
+ "sizeMB": "{0}MB",
+ "sizeGB": "{0}GB",
+ "sizeTB": "{0}TB"
+ },
+ "vs/platform/update/common/update.config.contribution": {
+ "updateConfigurationTitle": "更新",
+ "updateMode": "設定是否要接收自動更新。變更後需要重新啟動。系統會從 Microsoft 線上服務擷取更新。",
+ "none": "停用更新。",
+ "manual": "停用自動背景更新檢查。若您手動檢查更新,可取得更新。",
+ "start": "僅在啟動時檢查更新。停用自動背景更新檢查。",
+ "default": "啟用自動更新檢查。程式碼會自動並定期檢查更新。",
+ "deprecated": "此設定已淘汰,請改用 '{0}'。",
+ "enableWindowsBackgroundUpdatesTitle": "在 Windows 上啟用背景更新",
+ "enableWindowsBackgroundUpdates": "啟用以在 Windows 背景中下載並安裝新的 VS Code 版本",
+ "showReleaseNotes": "更新後顯示版本資訊。版本資訊會從 Microsoft 線上服務擷取。"
+ },
+ "vs/platform/environment/node/argv": {
+ "optionsUpperCase": "選項",
+ "extensionsManagement": "延伸模組管理",
+ "troubleshooting": "疑難排解",
+ "diff": "互相比較兩個檔案。",
+ "add": "將資料夾新增至上一個使用中的視窗。",
+ "goto": "在路徑上的指定行與字元位置開啟檔案。",
+ "newWindow": "強制開啟新視窗。",
+ "reuseWindow": "強制在已開啟的視窗中開啟檔案或資料夾。",
+ "wait": "等候檔案在傳回前關閉。",
+ "locale": "要使用的地區設定 (例如 en-US 或 zh-TW)。",
+ "userDataDir": "指定用於保存使用者資料的目錄。可用於開啟多個相異的 Code 執行個體。",
+ "help": "列印使用方式。",
+ "extensionHomePath": "設定延伸模組的根路徑。",
+ "listExtensions": "列出已安裝的延伸模組。",
+ "showVersions": "使用 --list-extension 時,顯示安裝的延伸模組版本。",
+ "category": "使用 --list-extension 時,根據提供的類別篩選安裝的延伸模組。",
+ "installExtension": "安裝或更新延伸模組。延伸模組的識別碼一律為 `${publisher}.${name}`。使用 `--force` 引數以更新至最新版本。若要安裝特定版本,請提供 `@${version}`。例如: 'vscode.csharp@1.2.3'。",
+ "uninstallExtension": "將延伸模組解除安裝。",
+ "experimentalApis": "為延伸模組啟用建議的 API 功能。\r\n可接收一或多個延伸模組識別碼,以個別啟用。",
+ "version": "列印版本。",
+ "verbose": "列印詳細資訊輸出 (表示 --wait)。",
+ "log": "使用的日誌級別。預設為\"訊息\"。允許的值是 \"關鍵\"、\"錯誤\"、\"警告\"、\"訊息\"、\"偵錯\"、\"追蹤\"、\"關閉\"。",
+ "status": "列印處理程序使用方式和診斷資訊。",
+ "prof-startup": "啟動時執行 CPU 分析工具",
+ "disableExtensions": "停用所有已安裝的延伸模組。",
+ "disableExtension": "停用延伸模組。",
+ "turn sync": "開啟或關閉同步",
+ "inspect-extensions": "允許延伸模組的偵錯與分析。如需連線 URI,請查看開發人員工具。",
+ "inspect-brk-extensions": "允許對延伸主機在啟動後暫停延伸模組進行偵錯和分析。如需連線 URI,請查看開發人員工具。",
+ "disableGPU": "停用 GPU 硬體加速。",
+ "maxMemory": "視窗的最大記憶體大小 (以 MB 為單位)。",
+ "telemetry": "顯示 VS 程式碼收集的所有遙測事件。",
+ "usage": "使用方式",
+ "options": "選項",
+ "paths": "路徑",
+ "stdinWindows": "從其他程式讀取輸出並附加 '-' (例: 'echo Hello World | {0} -')",
+ "stdinUnix": "從 stdin 讀取並附加 '-' (例: 'ps aux | grep code | {0} -')",
+ "unknownVersion": "未知的版本",
+ "unknownCommit": "未知的認可"
+ },
+ "vs/platform/extensionManagement/common/extensionManagement": {
+ "extensions": "延伸模組",
+ "preferences": "喜好設定"
+ },
+ "vs/platform/extensionManagement/node/extensionManagementService": {
+ "incompatible": "因為延伸模組 '{0}' 與 VS Code '{1}' 不相容,所以無法安裝該延伸模組。",
+ "restartCode": "請在重新安裝 {0} 前重新啟動 VS Code。",
+ "MarketPlaceDisabled": "未啟用市集",
+ "malicious extension": "因為有使用者回報該延伸模組有問題,所以無法安裝延伸模組。",
+ "notFoundCompatibleDependency": "因為 '{0}' 延伸模組與目前版本的 VS Code ({1} 版) 不相容,所以無法安裝。",
+ "Not a Marketplace extension": "只有市集延伸模組可以重新安裝",
+ "removeError": "移除延伸模組: {0} 時發生錯誤。重新嘗試前請離開並再次啟動 VS Code。",
+ "quitCode": "無法安裝延伸模組。重新安裝以前請重啟 VS Code。",
+ "exitCode": "無法安裝延伸模組。重新安裝以前請離開並再次啟動 VS Code。",
+ "notInstalled": "未安裝延伸模組 ‘{0}’。",
+ "singleDependentError": "無法將 '{0}' 延伸模組解除安裝。其為延伸模組 '{1}' 的相依對象。",
+ "twoDependentsError": "無法將 '{0}' 延伸模組解除安裝。其為 '{1}' 及 '{2}' 延伸模組的相依對象。",
+ "multipleDependentsError": "無法將 '{0}' 延伸模組解除安裝。其為 '{1}'、'{2}' 與其他延伸模組的相依對象。",
+ "singleIndirectDependentError": "無法將 '{0}' 延伸模組解除安裝。這麼做會將與其相依的 '{1}' 延伸模組與 '{2}' 延伸模組解除安裝。",
+ "twoIndirectDependentsError": "無法將 '{0}' 延伸模組解除安裝。這麼做會將與其相依的 '{1}' 延伸模組及 '{2}' 和 '{3}' 延伸模組解除安裝。",
+ "multipleIndirectDependentsError": "無法將 '{0}' 延伸模組解除安裝。這麼做會將與其相依的 '{1}' 延伸模組及 '{2}'、'{3}' 和其他延伸模組解除安裝。",
+ "notExists": "找不到延伸模組"
+ },
+ "vs/platform/telemetry/common/telemetryService": {
+ "telemetryConfigurationTitle": "遙測",
+ "telemetry.enableTelemetry": "允許將使用狀況資料和錯誤傳送給 Microsoft 線上服務。",
+ "telemetry.enableTelemetryMd": "允許將使用狀況資料和錯誤傳送給 Microsoft 線上服務。請在[這裡]({0})閱讀我們的隱私權聲明。"
+ },
+ "vs/platform/extensionManagement/node/extensionManagementUtil": {
+ "invalidManifest": "VSIX 無效: package.json 不是 JSON 檔案。"
+ },
+ "vs/platform/userDataSync/common/userDataSync": {
+ "settings sync": "設定同步",
+ "settingsSync.keybindingsPerPlatform": "同步處理各平台的按鍵繫結關係。",
+ "sync.keybindingsPerPlatform.deprecated": "已淘汰,請改為使用 settingsSync.keybindingsPerPlatform",
+ "settingsSync.ignoredExtensions": "同步處理時要忽略的延伸模組清單。延伸模組識別碼一律為 `${publisher}.${name}`,例如: `vscode.csharp`。",
+ "app.extension.identifier.errorMessage": "格式應為 '${publisher}.${name}'。範例: 'vscode.csharp'。",
+ "sync.ignoredExtensions.deprecated": "已淘汰,請改為使用 settingsSync.ignoredExtensions",
+ "settingsSync.ignoredSettings": "設定同步處理時要忽略的設定。",
+ "sync.ignoredSettings.deprecated": "已淘汰,請改為使用 settingsSync.ignoredSettings"
+ },
+ "vs/platform/extensionManagement/electron-sandbox/extensionTipsService": {
+ "exeRecommended": "您的系統上已安裝 {0}。要為其安裝建議的延伸模組嗎?"
+ },
+ "vs/platform/userDataSync/common/userDataSyncMachines": {
+ "error incompatible": "因為目前的版本不相容,所以無法讀取電腦資料。請更新 {0} 後,再試一次。"
+ },
+ "vs/platform/userDataSync/common/userDataAutoSyncService": {
+ "default service changed": "因為預設服務已變更,所以無法同步",
+ "service changed": "因為同步服務已變更,所以無法同步",
+ "turned off": "因為雲端中的同步已關閉,所以無法同步",
+ "session expired": "因為目前的工作階段已過期,所以無法同步",
+ "turned off machine": "因為已從另一部電腦關閉這部電腦的同步功能,所以無法同步。"
+ },
+ "vs/platform/workspaces/common/workspaces": {
+ "codeWorkspace": "Code 工作區"
+ },
+ "vs/platform/files/electron-browser/diskFileSystemProvider": {
+ "binFailed": "無法將 '{0}' 移至資源回收筒",
+ "trashFailed": "無法將 '{0}' 移動至垃圾"
+ },
+ "vs/platform/dialogs/common/dialogs": {
+ "moreFile": "...另外 1 個檔案未顯示",
+ "moreFiles": "...另外 {0} 個檔案未顯示"
+ },
+ "vs/platform/theme/common/colorRegistry": {
+ "foreground": "整體的前景色彩。僅當未被任何元件覆疊時,才會使用此色彩。",
+ "errorForeground": "整體錯誤訊息的前景色彩。僅當未被任何元件覆蓋時,才會使用此色彩。",
+ "descriptionForeground": "提供附加訊息的前景顏色,例如標籤",
+ "iconForeground": "工作台中圖示的預設色彩。",
+ "focusBorder": "焦點項目的整體框線色彩。只在沒有任何元件覆寫此色彩時,才會加以使用。",
+ "contrastBorder": "項目周圍的額外框線,可將項目從其他項目中區隔出來以提高對比。",
+ "activeContrastBorder": "使用中項目周圍的額外邊界,可將項目從其他項目中區隔出來以提高對比。",
+ "selectionBackground": "作業區域選取的背景顏色(例如輸入或文字區域)。請注意,這不適用於編輯器中的選取。",
+ "textSeparatorForeground": "文字分隔符號的顏色。",
+ "textLinkForeground": "內文連結的前景色彩",
+ "textLinkActiveForeground": "當滑鼠點擊或懸停時,文字中連結的前景色彩。",
+ "textPreformatForeground": "提示及建議文字的前景色彩。",
+ "textBlockQuoteBackground": "文內引用區塊背景色彩。",
+ "textBlockQuoteBorder": "引用文字的框線顏色。",
+ "textCodeBlockBackground": "文字區塊的背景顏色。",
+ "widgetShadow": "小工具的陰影色彩,例如編輯器中的尋找/取代。",
+ "inputBoxBackground": "輸入方塊的背景。",
+ "inputBoxForeground": "輸入方塊的前景。",
+ "inputBoxBorder": "輸入方塊的框線。",
+ "inputBoxActiveOptionBorder": "輸入欄位中可使用之項目的框線色彩。",
+ "inputOption.activeBackground": "在輸入欄位中所啟動選項的背景色彩。",
+ "inputOption.activeForeground": "在輸入欄位中所啟動選項的前景色彩。",
+ "inputPlaceholderForeground": "文字輸入替代字符的前景顏色。",
+ "inputValidationInfoBackground": "資訊嚴重性的輸入驗證背景色彩。",
+ "inputValidationInfoForeground": "資訊嚴重性的輸入驗證前景色彩。",
+ "inputValidationInfoBorder": "資訊嚴重性的輸入驗證邊界色彩。",
+ "inputValidationWarningBackground": "警告嚴重性的輸入驗證背景色彩。",
+ "inputValidationWarningForeground": "警告嚴重性的輸入驗證前景色彩。",
+ "inputValidationWarningBorder": "警告嚴重性的輸入驗證邊界色彩。",
+ "inputValidationErrorBackground": "錯誤嚴重性的輸入驗證背景色彩。",
+ "inputValidationErrorForeground": "錯誤嚴重性的輸入驗證前景色彩。",
+ "inputValidationErrorBorder": "錯誤嚴重性的輸入驗證邊界色彩。",
+ "dropdownBackground": "下拉式清單的背景。",
+ "dropdownListBackground": "下拉式清單的背景。",
+ "dropdownForeground": "下拉式清單的前景。",
+ "dropdownBorder": "下拉式清單的框線。",
+ "checkbox.background": "核取方塊小工具的背景色彩。",
+ "checkbox.foreground": "核取方塊小工具的前景色彩。",
+ "checkbox.border": "核取方塊小工具的框線色彩。",
+ "buttonForeground": "按鈕前景色彩。",
+ "buttonBackground": "按鈕背景色彩。",
+ "buttonHoverBackground": "暫留時的按鈕背景色彩。",
+ "buttonSecondaryForeground": "次要按鈕前景色彩。",
+ "buttonSecondaryBackground": "次要按鈕背景色彩。",
+ "buttonSecondaryHoverBackground": "滑鼠暫留時的次要按鈕背景色彩。",
+ "badgeBackground": "標記的背景顏色。標記為小型的訊息標籤,例如搜尋結果的數量。",
+ "badgeForeground": "標記的前景顏色。標記為小型的訊息標籤,例如搜尋結果的數量。",
+ "scrollbarShadow": "指出在捲動該檢視的捲軸陰影。",
+ "scrollbarSliderBackground": "捲軸滑桿的背景顏色。",
+ "scrollbarSliderHoverBackground": "動態顯示時捲軸滑桿的背景顏色。",
+ "scrollbarSliderActiveBackground": "當點擊時捲軸滑桿的背景顏色。",
+ "progressBarBackground": "長時間運行進度條的背景色彩.",
+ "editorError.background": "編輯器中錯誤文字的背景色彩。其不得為不透明色彩,以免隱藏底層裝飾。",
+ "editorError.foreground": "編輯器內錯誤提示線的前景色彩.",
+ "errorBorder": "編輯器中錯誤方塊的框線色彩。",
+ "editorWarning.background": "編輯器中警告文字的背景色彩。其不得為不透明色彩,以免隱藏底層裝飾。",
+ "editorWarning.foreground": "編輯器內警告提示線的前景色彩.",
+ "warningBorder": "編輯器中的警告方塊框線色彩。",
+ "editorInfo.background": "編輯器中資訊文字的背景色彩。其不得為不透明色彩,以免隱藏底層裝飾。",
+ "editorInfo.foreground": "編輯器內資訊提示線的前景色彩",
+ "infoBorder": "編輯器中的資訊方塊框線色彩。",
+ "editorHint.foreground": "編輯器內提示訊息的提示線前景色彩",
+ "hintBorder": "編輯器中的提示方塊框線色彩。",
+ "sashActiveBorder": "使用中飾帶的框線色彩。",
+ "editorBackground": "編輯器的背景色彩。",
+ "editorForeground": "編輯器的預設前景色彩。",
+ "editorWidgetBackground": "編輯器小工具的背景色彩,例如尋找/取代。",
+ "editorWidgetForeground": "編輯器小工具 (例如尋找/取代) 的前景色彩。",
+ "editorWidgetBorder": "編輯器小工具的邊界色彩。小工具選擇擁有邊界或色彩未被小工具覆寫時,才會使用色彩。",
+ "editorWidgetResizeBorder": "編輯器小工具之調整大小列的邊界色彩。只在小工具選擇具有調整大小邊界且未覆寫該色彩時,才使用該色彩。",
+ "pickerBackground": "快速選擇器背景色彩。該快速選擇器小工具是類似命令選擇區的選擇器容器。",
+ "pickerForeground": "快速選擇器前景色彩。快速選擇器小工具是類似命令選擇區等選擇器的容器。",
+ "pickerTitleBackground": "快速選擇器標題背景色彩。快速選擇器小工具是類似命令選擇區的選擇器容器。",
+ "pickerGroupForeground": "分組標籤的快速選擇器色彩。",
+ "pickerGroupBorder": "分組邊界的快速選擇器色彩。",
+ "editorSelectionBackground": "編輯器選取範圍的色彩。",
+ "editorSelectionForeground": "為選取的文字顏色高對比化",
+ "editorInactiveSelection": "非使用中編輯器內的選取項目色彩。其不得為不透明色彩,以免隱藏底層裝飾。",
+ "editorSelectionHighlight": "與選取項目內容相同之區域的色彩。其不得為不透明色彩,以免隱藏底層裝飾。",
+ "editorSelectionHighlightBorder": "選取時,內容相同之區域的框線色彩。",
+ "editorFindMatch": "符合目前搜尋的色彩。",
+ "findMatchHighlight": "其他搜尋相符項目的色彩。其不得為不透明色彩,以免隱藏底層裝飾。",
+ "findRangeHighlight": "限制搜尋之範圍的色彩。其不得為不透明色彩,以免隱藏底層裝飾。",
+ "editorFindMatchBorder": "符合目前搜尋的框線色彩。",
+ "findMatchHighlightBorder": "符合其他搜尋的框線色彩。",
+ "findRangeHighlightBorder": "限制搜尋之範圍的框線色彩。其不得為不透明色彩,以免隱藏底層裝飾。",
+ "searchEditor.queryMatch": "搜尋編輯器查詢符合的色彩。",
+ "searchEditor.editorFindMatchBorder": "搜索編輯器查詢符合的邊框色彩。",
+ "hoverHighlight": "在顯示動態顯示的文字下醒目提示。其不得為不透明色彩,以免隱藏底層裝飾。",
+ "hoverBackground": "編輯器動態顯示的背景色彩。",
+ "hoverForeground": "編輯器動態顯示的前景色彩。",
+ "hoverBorder": "編輯器動態顯示的框線色彩。",
+ "statusBarBackground": "編輯器暫留狀態列的背景色彩。",
+ "activeLinkForeground": "使用中之連結的色彩。",
+ "editorLightBulbForeground": "用於燈泡動作圖示的色彩。",
+ "editorLightBulbAutoFixForeground": "用於燈泡自動修正動作圖示的色彩。",
+ "diffEditorInserted": "已插入文字的背景色彩。其不得為不透明色彩,以免隱藏底層裝飾。",
+ "diffEditorRemoved": "已移除文字的背景色彩。其不得為不透明色彩,以免隱藏底層裝飾。",
+ "diffEditorInsertedOutline": "插入的文字外框色彩。",
+ "diffEditorRemovedOutline": "移除的文字外框色彩。",
+ "diffEditorBorder": "兩個文字編輯器之間的框線色彩。",
+ "diffDiagonalFill": "Diff 編輯器的斜紋填滿色彩。斜紋填滿用於並排 Diff 檢視。",
+ "listFocusBackground": "當清單/樹狀為使用中狀態時,焦點項目的清單/樹狀背景色彩。使用中的清單/樹狀有鍵盤焦點,非使用中者則沒有。",
+ "listFocusForeground": "當清單/樹狀為使用中狀態時,焦點項目的清單/樹狀前景色彩。使用中的清單/樹狀有鍵盤焦點,非使用中者則沒有。",
+ "listActiveSelectionBackground": "當清單/樹狀為使用中狀態時,所選項目的清單/樹狀背景色彩。使用中的清單/樹狀有鍵盤焦點,非使用中者則沒有。",
+ "listActiveSelectionForeground": "當清單/樹狀為使用中狀態時,所選項目的清單/樹狀前景色彩。使用中的清單/樹狀有鍵盤焦點,非使用中者則沒有。",
+ "listInactiveSelectionBackground": "當清單/樹狀為非使用中狀態時,所選項目的清單/樹狀背景色彩。使用中的清單/樹狀有鍵盤焦點,非使用中者則沒有。",
+ "listInactiveSelectionForeground": "當清單/樹狀為使用中狀態時,所選項目的清單/樹狀前景色彩。使用中的清單/樹狀有鍵盤焦點,非使用中則沒有。",
+ "listInactiveFocusBackground": "當清單/樹狀為非使用中狀態時,焦點項目的清單/樹狀背景色彩。使用中的清單/樹狀有鍵盤焦點,非使用中者則沒有。",
+ "listHoverBackground": "使用滑鼠暫留在項目時的清單/樹狀背景。",
+ "listHoverForeground": "滑鼠暫留在項目時的清單/樹狀前景。",
+ "listDropBackground": "使用滑鼠四處移動項目時的清單/樹狀拖放背景。",
+ "highlight": "在清單/樹狀內搜尋時,相符醒目提示的清單/樹狀前景色彩。",
+ "invalidItemForeground": "列表/樹狀 無效項目的前景色彩,例如在瀏覽視窗無法解析的根目錄",
+ "listErrorForeground": "包含錯誤清單項目的前景色彩",
+ "listWarningForeground": "包含警告清單項目的前景色彩",
+ "listFilterWidgetBackground": "清單和樹狀結構中類型篩選小工具的背景色彩。",
+ "listFilterWidgetOutline": "清單和樹狀結構中類型篩選小工具的大綱色彩。",
+ "listFilterWidgetNoMatchesOutline": "在沒有相符項目時,清單和樹狀結構中類型篩選小工具的大綱色彩。",
+ "listFilterMatchHighlight": "已篩選相符項的背景色彩。",
+ "listFilterMatchHighlightBorder": "已篩選相符項的框線色彩。",
+ "treeIndentGuidesStroke": "縮排輔助線的樹狀筆觸色彩。",
+ "listDeemphasizedForeground": "已取消強調的清單/樹狀結構前景色彩。",
+ "menuBorder": "功能表的邊框色彩。",
+ "menuForeground": "功能表項目的前景色彩。",
+ "menuBackground": "功能表項目的背景色彩。",
+ "menuSelectionForeground": "功能表中所選功能表項目的前景色彩。",
+ "menuSelectionBackground": "功能表中所選功能表項目的背景色彩。",
+ "menuSelectionBorder": "功能表中所選功能表項目的框線色彩。",
+ "menuSeparatorBackground": "功能表中分隔線功能表項目的色彩。",
+ "snippetTabstopHighlightBackground": "程式碼片段定位停駐點的反白顯示背景色彩。",
+ "snippetTabstopHighlightBorder": "程式碼片段定位停駐點的反白顯示邊界色彩。",
+ "snippetFinalTabstopHighlightBackground": "程式碼片段最終定位停駐點的反白顯示背景色彩。",
+ "snippetFinalTabstopHighlightBorder": "程式碼片段最終定位停駐點的醒目提示框線色彩。",
+ "breadcrumbsFocusForeground": "焦點階層連結項目的色彩。",
+ "breadcrumbsBackground": "階層連結的背景色。",
+ "breadcrumbsSelectedForegound": "所選階層連結項目的色彩。",
+ "breadcrumbsSelectedBackground": "階層連結項目選擇器的背景色彩。",
+ "mergeCurrentHeaderBackground": "內嵌合併衝突中目前的標頭背景。其不得為不透明色彩,以免隱藏底層裝飾。",
+ "mergeCurrentContentBackground": "內嵌合併衝突中的目前內容背景。其不得為不透明色彩,以免隱藏底層裝飾。",
+ "mergeIncomingHeaderBackground": "內嵌合併衝突中的傳入標頭背景。其不得為不透明色彩,以免隱藏底層裝飾。",
+ "mergeIncomingContentBackground": "內嵌合併衝突中的傳入內容背景。其不得為不透明色彩,以免隱藏底層裝飾。",
+ "mergeCommonHeaderBackground": "內嵌合併衝突中的一般上階標頭背景。其不得為不透明色彩,以免隱藏底層裝飾。",
+ "mergeCommonContentBackground": "內嵌合併衝突中的一般上階內容背景。其不得為不透明色彩,以免隱藏底層裝飾。",
+ "mergeBorder": "內嵌合併衝突中標頭及分隔器的邊界色彩。",
+ "overviewRulerCurrentContentForeground": "目前內嵌合併衝突的概觀尺規前景。",
+ "overviewRulerIncomingContentForeground": "傳入內嵌合併衝突的概觀尺規前景。",
+ "overviewRulerCommonContentForeground": "內嵌合併衝突中的共同上階概觀尺規前景。",
+ "overviewRulerFindMatchForeground": "尋找相符項目的概觀尺規標記色彩。其不得為不透明色彩,以免隱藏底層裝飾。",
+ "overviewRulerSelectionHighlightForeground": "選取項目醒目提示的概觀尺規標記。其不得為不透明色彩,以免隱藏底層裝飾。",
+ "minimapFindMatchHighlight": "用於尋找相符項目的縮圖標記色彩。",
+ "minimapSelectionHighlight": "編輯器選取範圍的迷你地圖標記色彩。",
+ "minimapError": "錯誤的縮圖標記色彩。",
+ "overviewRuleWarning": "警告的縮圖標記色彩。",
+ "minimapBackground": "縮圖背景色彩。",
+ "minimapSliderBackground": "縮圖滑桿背景色彩。",
+ "minimapSliderHoverBackground": "暫留時的縮圖滑桿背景色彩。",
+ "minimapSliderActiveBackground": "按一下時的縮圖滑桿背景色彩。",
+ "problemsErrorIconForeground": "用於問題錯誤圖示的色彩。",
+ "problemsWarningIconForeground": "用於問題警告圖示的色彩。",
+ "problemsInfoIconForeground": "用於問題資訊圖示的色彩。",
+ "chartsForeground": "圖表中使用的前景色彩。",
+ "chartsLines": "用於圖表中水平線的色彩。",
+ "chartsRed": "圖表視覺效果中所使用的紅色。",
+ "chartsBlue": "圖表視覺效果中所使用的藍色。",
+ "chartsYellow": "圖表視覺效果中所使用的黃色。",
+ "chartsOrange": "圖表視覺效果中所使用的橙色。",
+ "chartsGreen": "圖表視覺效果中所使用的綠色。",
+ "chartsPurple": "圖表視覺效果中所使用的紫色。"
+ },
+ "vs/platform/configuration/common/configurationRegistry": {
+ "defaultLanguageConfigurationOverrides.title": "預設語言組態覆寫",
+ "defaultLanguageConfiguration.description": "設定要針對 {0} 語言覆寫的設定。",
+ "overrideSettings.defaultDescription": "設定要針對語言覆寫的編輯器設定。",
+ "overrideSettings.errorMessage": "這個設定不支援以語言為根據的組態。",
+ "config.property.empty": "無法註冊空白屬性",
+ "config.property.languageDefault": "無法註冊 '{0}'。這符合用於描述語言專用編輯器設定的屬性模式 '\\\\[.*\\\\]$'。請使用 'configurationDefaults' 貢獻。",
+ "config.property.duplicate": "無法註冊 '{0}'。此屬性已經註冊。"
+ },
+ "vs/platform/markers/common/markers": {
+ "sev.error": "錯誤",
+ "sev.warning": "警告",
+ "sev.info": "資訊"
+ },
+ "vs/platform/windows/electron-main/windowsMainService": {
+ "pathNotExistTitle": "路徑不存在",
+ "pathNotExistDetail": "磁碟上似乎已沒有路徑 '{0}'。",
+ "uriInvalidTitle": "無法開啟 URI",
+ "uriInvalidDetail": "URI '{0}' 無效且無法開啟。",
+ "ok": "確定"
+ },
+ "vs/platform/issue/electron-main/issueMainService": {
+ "local": "LOCAL",
+ "issueReporterWriteToClipboard": "資料太多,無法直接傳送到 GitHub。資料將會複製到剪貼簿,請將其貼到開啟的 GitHub 問題頁面。",
+ "ok": "確定",
+ "cancel": "取消",
+ "confirmCloseIssueReporter": "將不會儲存您的輸入。確定要關閉此視窗嗎?",
+ "yes": "是",
+ "issueReporter": "問題回報程式",
+ "processExplorer": "處理序總管"
+ },
+ "vs/platform/workspaces/electron-main/workspacesHistoryMainService": {
+ "newWindow": "新增視窗",
+ "newWindowDesc": "開啟新視窗",
+ "recentFolders": "最近使用的工作區",
+ "folderDesc": "{0} {1}",
+ "workspaceDesc": "{0} {1}",
+ "untitledWorkspace": "無標題 (工作區)",
+ "workspaceName": "{0} (工作區)"
+ },
+ "vs/platform/workspaces/electron-main/workspacesMainService": {
+ "ok": "確定",
+ "workspaceOpenedMessage": "無法儲存工作區 '{0}'",
+ "workspaceOpenedDetail": "此工作區已在其他視窗中開啟。請先關閉該視窗再重試一次。"
+ },
+ "vs/platform/dialogs/electron-main/dialogs": {
+ "open": "開啟",
+ "openFolder": "開啟資料夾",
+ "openFile": "開啟檔案",
+ "openWorkspaceTitle": "開啟工作區",
+ "openWorkspace": "開啟(&&O)"
+ },
+ "vs/platform/files/common/io": {
+ "fileTooLargeForHeapError": "若要開啟此大小的檔案,您需要重新啟動,並允許其使用更多記憶體",
+ "fileTooLargeError": "檔案太大,無法開啟"
+ },
+ "vs/platform/extensions/common/extensionValidator": {
+ "versionSyntax": "無法解析 'engines.vscode` 值 {0}。請使用範例:^1.22.0, ^1.22.x, 等。",
+ "versionSpecificity1": "在 `engines.vscode` ({0}) 中指定的版本不夠具體。對於 1.0.0 之前的 vscode 版本,請至少定義所需的主要和次要版本。 例如 ^0.10.0、0.10.x、0.11.0 等。",
+ "versionSpecificity2": "在 `engines.vscode` ({0}) 中指定的版本不夠具體。對於 1.0.0 之後的 vscode 版本,請至少定義所需的主要和次要版本。 例如 ^1.10.0、1.10.x、1.x.x、2.x.x 等。",
+ "versionMismatch": "延伸模組與 Code {0} 不相容。延伸模組需要: {1}。"
+ },
+ "vs/platform/extensionManagement/node/extensionsScanner": {
+ "errorDeleting": "安裝延伸模組 '{1}' 時無法刪除現有的資料夾 '{0}'。請手動刪除該資料夾後,再試一次",
+ "cannot read": "無法從 {0} 讀取延伸模組",
+ "renameError": "將 {0} 重新命名為 {1} 時發生未知錯誤",
+ "invalidManifest": "延伸模組無效: package.json 不是 JSON 檔案。"
+ },
+ "vs/platform/userDataSync/common/keybindingsSync": {
+ "errorInvalidSettings": "因為檔案中的內容無效,所以無法同步按鍵繫結關係。請開啟檔案並加以修正。"
+ },
+ "vs/platform/userDataSync/common/settingsSync": {
+ "errorInvalidSettings": "因為設定檔中有錯誤/警告,所以無法同步設定。"
+ },
+ "vs/platform/list/browser/listService": {
+ "workbenchConfigurationTitle": "工作台",
+ "multiSelectModifier.ctrlCmd": "對應Windows和Linux的'Control'與對應 macOS 的'Command'。",
+ "multiSelectModifier.alt": "對應Windows和Linux的'Alt'與對應macOS的'Option'。",
+ "multiSelectModifier": "透過滑鼠多選,用於在樹狀目錄與清單中新增項目的輔助按鍵 (例如在總管中開啟編輯器 及 SCM 檢視)。'在側邊開啟' 滑鼠手勢 (若支援) 將會適應以避免和多選輔助按鍵衝突。",
+ "openModeModifier": "控制如何使用滑鼠在樹狀目錄與清單中開啟項目 (若有支援)。對於樹狀目錄中具子系的父系而言,此設定會控制應以滑鼠按一下或按兩下展開父系。注意,某些樹狀目錄或清單若不適用此設定則會予以忽略。",
+ "horizontalScrolling setting": "控制在工作台中,清單與樹狀結構是否支援水平捲動。警告: 開啟此設定將會影響效能。",
+ "tree indent setting": "控制樹狀結構縮排 (像素)。",
+ "render tree indent guides": "控制樹系是否應轉譯縮排輔助線。",
+ "list smoothScrolling setting": "控制清單和樹狀結構是否具有平滑捲動。",
+ "keyboardNavigationSettingKey.simple": "比對按鍵輸入的簡易按鍵瀏覽焦點元素。僅比對前置詞。",
+ "keyboardNavigationSettingKey.highlight": "醒目提示鍵盤瀏覽會醒目提示符合鍵盤輸入的元素。進一步向上或向下瀏覽只會周遊醒目提示的元素。",
+ "keyboardNavigationSettingKey.filter": "篩選鍵盤瀏覽會篩掉並隱藏不符合鍵盤輸入的所有元素。",
+ "keyboardNavigationSettingKey": "控制 Workbench 中清單和樹狀結構的鍵盤瀏覽樣式。可以是簡易的、醒目提示和篩選。",
+ "automatic keyboard navigation setting": "控制是否只要鍵入即可自動觸發清單和樹狀結構中的鍵盤瀏覽。若設為 `false`,只有在執行 `list.toggleKeyboardNavigation` 命令時,才會觸發鍵盤瀏覽,您可為其指定鍵盤快速鍵。",
+ "expand mode": "控制在按一下資料夾名稱時,展開樹狀結構資料夾的方式。"
+ },
+ "vs/platform/undoRedo/common/undoRedoService": {
+ "externalRemoval": "已在磁碟上關閉並修改以下檔案: {0}。",
+ "noParallelUniverses": "下列檔案已使用不相容的方式修改: {0}。",
+ "cannotWorkspaceUndo": "無法復原所有檔案的 '{0}'。{1}",
+ "cannotWorkspaceUndoDueToChanges": "因為已對 {1} 進行變更,所以無法復原所有檔案的 '{0}'",
+ "cannotWorkspaceUndoDueToInProgressUndoRedo": "因為 {1} 中已經有正在執行的復原或重做作業,所以無法為所有檔案復原 '{0}'",
+ "cannotWorkspaceUndoDueToInMeantimeUndoRedo": "因為同時發生其他復原或重做作業,所以無法為所有檔案復原 '{0}'",
+ "confirmWorkspace": "要復原所有檔案的 '{0}' 嗎?",
+ "ok": "在 {0} 個檔案中復原",
+ "nok": "復原此檔案",
+ "cancel": "取消",
+ "cannotResourceUndoDueToInProgressUndoRedo": "因為已經有正在執行的復原或重做作業,所以無法復原 '{0}'。",
+ "confirmDifferentSource": "要復原 '{0}' 嗎?",
+ "confirmDifferentSource.ok": "復原",
+ "cannotWorkspaceRedo": "無法復原所有檔案的 '{0}'。{1}",
+ "cannotWorkspaceRedoDueToChanges": "因為已對 {1} 進行變更,所以無法復原所有檔案的 '{0}'",
+ "cannotWorkspaceRedoDueToInProgressUndoRedo": "因為 {1} 中已經有正在執行的復原或重做作業,所以無法為所有檔案重做 '{0}'",
+ "cannotWorkspaceRedoDueToInMeantimeUndoRedo": "因為同時發生其他復原或重做作業,所以無法為所有檔案重做 '{0}'",
+ "cannotResourceRedoDueToInProgressUndoRedo": "因為已經有正在執行的復原或重做作業,所以無法重做 '{0}'。"
+ },
+ "vs/platform/actions/browser/menuEntryActionViewItem": {
+ "titleAndKb": "{0} ({1})"
+ },
+ "vs/platform/theme/common/iconRegistry": {
+ "iconDefintion.fontId": "要使用的字型識別碼。如未設定,就會使用最先定義的字型。",
+ "iconDefintion.fontCharacter": "與圖示定義建立關聯的字型字元。",
+ "widgetClose": "小工具中關閉動作的圖示。",
+ "previousChangeIcon": "移至上一個編輯器位置的圖示。",
+ "nextChangeIcon": "移至下一個編輯器位置的圖示。"
+ },
+ "vs/platform/menubar/electron-main/menubar": {
+ "miNewWindow": "開新視窗(&&W)",
+ "mFile": "檔案(&&F)",
+ "mEdit": "編輯(&&E)",
+ "mSelection": "選取項目(&&S)",
+ "mView": "檢視(&&V)",
+ "mGoto": "移至(&&G)",
+ "mRun": "執行(&&R)",
+ "mTerminal": "終端機(&&T)",
+ "mWindow": "視窗",
+ "mHelp": "說明(&&H)",
+ "mAbout": "關於 {0}",
+ "miPreferences": "喜好設定(&&P)",
+ "mServices": "服務",
+ "mHide": "隱藏 {0}",
+ "mHideOthers": "隱藏其他",
+ "mShowAll": "全部顯示",
+ "miQuit": "結束 {0}",
+ "mMinimize": "最小化",
+ "mZoom": "縮放",
+ "mBringToFront": "全部提到最上層",
+ "miSwitchWindow": "切換視窗(&&W)...",
+ "mNewTab": "新索引標籤",
+ "mShowPreviousTab": "顯示上一個頁籤",
+ "mShowNextTab": "顯示下一個頁籤",
+ "mMoveTabToNewWindow": "移動頁籤至新視窗",
+ "mMergeAllWindows": "合併所有視窗",
+ "miCheckForUpdates": "檢查更新(&&U)...",
+ "miCheckingForUpdates": "正在查看是否有更新...",
+ "miDownloadUpdate": "下載可用更新(&&O)",
+ "miDownloadingUpdate": "正在下載更新...",
+ "miInstallUpdate": "安裝更新(&&U)...",
+ "miInstallingUpdate": "正在安裝更新...",
+ "miRestartToUpdate": "重新啟動以更新(&&U)"
+ },
+ "vs/platform/userDataSync/common/abstractSynchronizer": {
+ "incompatible": "因為 {0} 的本機版本 {1} 與其遠端版本 {2} 不相容,所以無法加以同步",
+ "incompatible sync data": "因為同步資料與目前的版本不相容,所以無法予以剖析。"
+ },
+ "vs/platform/keybinding/common/abstractKeybindingService": {
+ "first.chord": "已按下 ({0})。等待第二個套索鍵...",
+ "missing.chord": "按鍵組合 ({0}, {1}) 不是命令。"
+ },
+ "vs/platform/quickinput/browser/helpQuickAccess": {
+ "globalCommands": "全域命令",
+ "editorCommands": "編輯器命令",
+ "helpPickAriaLabel": "{0}, {1}"
+ },
+ "vs/platform/theme/common/tokenClassificationRegistry": {
+ "schema.token.settings": "權杖的色彩與樣式。",
+ "schema.token.foreground": "權杖的前景色彩。",
+ "schema.token.background.warning": "目前不支援權杖背景色彩。",
+ "schema.token.fontStyle": "設定規則的所有字型樣式: 'italic'、'bold' 或 'underline' 或組合。所有未列出的樣式皆會取消設定。空白字串會取消所有樣式設定。",
+ "schema.fontStyle.error": "字型樣式必須是 'italic'、'bold'、'underline' 或結合值。空字串會取消所有樣式設定。",
+ "schema.token.fontStyle.none": "None (清除繼承格式)",
+ "schema.token.bold": "將字型樣式設定為粗體,或將該樣式取消粗體設定。請注意,如有 'fontStyle',則會覆寫此設定。",
+ "schema.token.italic": "將字型樣式設定為斜體,或將該樣式取消斜體設定。請注意,如有 'fontStyle',則會覆寫此設定。",
+ "schema.token.underline": "將字型樣式設定為加底線,或將該樣式取消底線設定。請注意,如有 'fontStyle' 則會覆寫此設定。",
+ "comment": "註解的樣式。",
+ "string": "字串的樣式。",
+ "keyword": "關鍵字的樣式。",
+ "number": "數字的樣式。",
+ "regexp": "運算式的樣式。",
+ "operator": "運算子的樣式。",
+ "namespace": "命名空間的樣式。",
+ "type": "類型的樣式。",
+ "struct": "結構的樣式。",
+ "class": "類別的樣式。",
+ "interface": "介面的樣式。",
+ "enum": "列舉的樣式。",
+ "typeParameter": "型別參數的樣式。",
+ "function": "函式的樣式",
+ "member": "成員函式樣式",
+ "method": "方法樣式 (成員函式)",
+ "macro": "巨集的樣式。",
+ "variable": "變數的樣式。",
+ "parameter": "參數的樣式。",
+ "property": "屬性的樣式。",
+ "enumMember": "列舉成員的樣式。",
+ "event": "事件的樣式。",
+ "labels": "標籤的樣式。",
+ "declaration": "所有符號宣告的樣式。",
+ "documentation": "用於文件中參考的樣式。",
+ "static": "要用於靜態符號的樣式。",
+ "abstract": "用於抽象符號的樣式。",
+ "deprecated": "要用於已淘汰符號的樣式。",
+ "modification": "用於寫入存取子的樣式。",
+ "async": "要用於非同步符號的樣式。",
+ "readonly": "用於唯讀符號的樣式。"
+ },
+ "vs/platform/quickinput/browser/commandsQuickAccess": {
+ "commandPickAriaLabelWithKeybinding": "{0}, {1}",
+ "recentlyUsed": "最近使用的",
+ "morecCommands": "其他命令",
+ "canNotRun": "命令 '{0}' 造成錯誤 ({1})"
+ },
+ "win32/i18n/messages": {
+ "FinishedLabel": "安裝程式已完成您電腦上 [名稱] 的安裝。您可以選取安裝的捷徑來啟動該應用程式。",
+ "ConfirmUninstall": "確定要全面移除 %1 及其所有元件嗎?",
+ "AdditionalIcons": "其他圖示:",
+ "CreateDesktopIcon": "建立桌面圖示(&D)",
+ "CreateQuickLaunchIcon": "建立快速啟動圖示(&Q)",
+ "AddContextMenuFiles": "將 [以 %1 開啟] 動作加入 Windows 檔案總管檔案的操作功能表中",
+ "AddContextMenuFolders": "將 [以 %1 開啟] 動作加入 Windows 檔案總管目錄的操作功能表中",
+ "AssociateWithFiles": "針對支援的檔案類型將 %1 註冊為編輯器",
+ "AddToPath": "新增至 PATH (需要殼層重新啟動)",
+ "RunAfter": "安裝後執行 %1",
+ "Other": "其他:",
+ "SourceFile": "%1 來源檔案",
+ "OpenWithCodeContextMenu": "以 %1 開啟(&I)"
+ },
+ "vs/code/electron-main/main": {
+ "secondInstanceAdmin": "{0} 的第二個執行個體已在以系統管理員身分執行。",
+ "secondInstanceAdminDetail": "請關閉其他執行個體,然後再試一次。",
+ "secondInstanceNoResponse": "另一個 {0} 執行個體正在執行,但沒有回應",
+ "secondInstanceNoResponseDetail": "請關閉其他所有執行個體,然後再試一次。",
+ "startupDataDirError": "無法寫入程式使用者資料。",
+ "startupUserDataAndExtensionsDirErrorDetail": "請確定下列目錄可供寫入:\r\n\r\n{0}",
+ "close": "關閉(&&C)"
+ },
+ "vs/code/node/cliProcessMain": {
+ "notFound": "找不到延伸模組 '{0}'。",
+ "notInstalled": "未安裝延伸模組 ‘{0}’。",
+ "useId": "請確保您使用包含發行者的完整延伸模組識別碼,例如: {0}",
+ "installingExtensions": "正在安裝延伸模組...",
+ "alreadyInstalled-checkAndUpdate": "已安裝延伸模組 '{0}' v{1}。請使用 '--force' 選項以更新至最新版本,或提供 '@ ' 以安裝特定版本,例如: '{2}@1.2.3'。",
+ "alreadyInstalled": "已安裝過延伸模組 '{0}'。",
+ "installation failed": "無法安裝延伸模組: {0}",
+ "successVsixInstall": "已成功安裝擴展 \"{0}\"。",
+ "cancelVsixInstall": "已取消安裝延伸模組 \"{0}\"。",
+ "updateMessage": "正在將延伸模組 '{0}' 更新至版本 {1}",
+ "installing builtin ": "正在安裝內建延伸模組 '{0}' v{1}...",
+ "installing": "正在安裝延伸模組 '{0}' v{1}...",
+ "successInstall": "已成功安裝延伸模組 '{0}' v{1}。",
+ "cancelInstall": "已取消安裝延伸模組 \"{0}\"。",
+ "forceDowngrade": "已安裝更新版本的延伸模組 '{0}' v{1}。請使用 '--force' 選項來降級至較舊的版本。",
+ "builtin": "延伸模組 '{0}' 是內建延伸模組,無法安裝",
+ "forceUninstall": "使用者已將延伸模組 '{0}' 標示為內建延伸模組。請使用 '--force ' 選項將其解除安裝。",
+ "uninstalling": "正在將 {0} 解除安裝...",
+ "successUninstall": "已成功將延伸模組 '{0}' 解除安裝!"
+ },
+ "vs/code/electron-sandbox/issue/issueReporterMain": {
+ "hide": "隱藏",
+ "show": "顯示",
+ "previewOnGitHub": "在 GitHub 上預覽",
+ "loadingData": "正在載入資料...",
+ "rateLimited": "GitHub 查詢已超出限制。請稍候。",
+ "similarIssues": "相似的問題",
+ "open": "開啟",
+ "closed": "已解決",
+ "noSimilarIssues": "未發現相似的問題",
+ "bugReporter": "錯誤報告",
+ "featureRequest": "功能要求",
+ "performanceIssue": "效能問題",
+ "selectSource": "選取來源",
+ "vscode": "Visual Studio Code",
+ "extension": "延伸模組",
+ "unknown": "不知道",
+ "stepsToReproduce": "重現步驟",
+ "bugDescription": "請共用必要步驟以確實複製問題。請包含實際與預期的結果。我們支援 GitHub 慣用的 Markdown 語言。當我們在 GitHub 進行預覽時,您仍可編輯問題和新增螢幕擷取畫面。",
+ "performanceIssueDesciption": "效能問題的發生時間點為何? 問題是在啟動或經過一組特定動作後發生的? 我們支援 GitHub 慣用的 Markdown 語言。當我們在 GitHub 上進行預覽時,您仍可編輯問題和新增螢幕擷取畫面。",
+ "description": "描述",
+ "featureRequestDescription": "請描述您希望新增的功能。我們支援 GitHub 慣用的 Markdown 語言。當我們在 GitHub 上進行預覽時,您仍可編輯問題和新增螢幕擷取畫面。",
+ "pasteData": "因為必要資料太大,我們已為您將其寫入您的剪貼簿。請貼上。",
+ "disabledExtensions": "延伸模組已停用",
+ "noCurrentExperiments": "沒有任何目前的實驗。"
+ },
+ "vs/code/electron-sandbox/processExplorer/processExplorerMain": {
+ "cpu": "CPU %",
+ "memory": "記憶體 (MB)",
+ "pid": "PID",
+ "name": "名稱",
+ "killProcess": "終止處理序",
+ "forceKillProcess": "強制終止處理序",
+ "copy": "複製",
+ "copyAll": "全部複製",
+ "debug": "偵錯"
+ },
+ "vs/code/electron-main/app": {
+ "trace.message": "已成功建立追蹤。",
+ "trace.detail": "請建立問題,並手動附加下列檔案:\r\n{0}",
+ "trace.ok": "確定",
+ "open": "是(&&Y)",
+ "cancel": "否(&&N)",
+ "confirmOpenMessage": "外部應用程式想要在 {1} 中開啟 '{0}'。要開啟這個檔案或資料夾嗎?",
+ "confirmOpenDetail": "如果您未將此要求初始化,表示有人嘗試攻擊您的系統。除非您採取了明確的動作將此要求初始化,否則請按 [否]"
+ },
+ "vs/code/electron-sandbox/issue/issueReporterPage": {
+ "completeInEnglish": "請用英文填寫表單。",
+ "issueTypeLabel": "這是一個",
+ "issueSourceLabel": "提出位置",
+ "issueSourceEmptyValidation": "需要問題來源。",
+ "disableExtensionsLabelText": "嘗試在 {0} 之後重現問題。如果問題僅在使用中的延伸模組時重現,則可能是延伸模組的問題。",
+ "disableExtensions": "停用所有延伸模組並重新載入視窗",
+ "chooseExtension": "延伸模組",
+ "extensionWithNonstandardBugsUrl": "問題回報工具無法建立此延伸模組的問題。請前往 {0} 回報問題。",
+ "extensionWithNoBugsUrl": "因為問題報告程式未指定用來回報問題的 URL,所以無法為此延伸模組建立問題。請查看此延伸模組的市集頁面,來了解是否有其他可用的指示。",
+ "issueTitleLabel": "標題",
+ "issueTitleRequired": "請輸入標題。",
+ "titleEmptyValidation": "需要標題。",
+ "titleLengthValidation": "標題太長。",
+ "details": "請輸入詳細資料。",
+ "descriptionEmptyValidation": "需要描述。",
+ "sendSystemInfo": "包含我的系統資訊 ({0})",
+ "show": "顯示",
+ "sendProcessInfo": "包含我目前正在執行的程序 ({0})",
+ "sendWorkspaceInfo": "包含我的工作區中繼資料 ({0})",
+ "sendExtensions": "包含我已啟用延伸模組 ({0})",
+ "sendExperiments": "包含 A/B 實驗資訊 ({0})"
+ },
+ "vs/code/electron-main/auth": {
+ "authRequire": "必須進行 Proxy 驗證 ",
+ "proxyauth": "Proxy {0} 必須進行驗證。"
+ },
+ "vs/code/electron-main/window": {
+ "reopen": "重新開啟(&&R)",
+ "wait": "繼續等候(&&K)",
+ "close": "關閉(&&C)",
+ "appStalled": "視窗已沒有回應",
+ "appStalledDetail": "您可以重新開啟或關閉視窗,或是繼續等候。",
+ "appCrashedDetails": "視窗已損毀 (原因: '{0}')",
+ "appCrashed": "視窗已損毀",
+ "appCrashedDetail": "很抱歉造成您的不便! 您可以重新開啟視窗,從您離開的地方繼續進行。",
+ "hiddenMenuBar": "您仍然可以按 Alt 鍵來存取功能表列。"
+ },
+ "vs/workbench/electron-browser/actions/developerActions": {
+ "toggleSharedProcess": "切換共用處理程序"
+ },
+ "vs/workbench/electron-sandbox/desktop.contribution": {
+ "newTab": "新增視窗索引標籤",
+ "showPreviousTab": "顯示前一個視窗索引標籤",
+ "showNextWindowTab": "顯示下一個視窗索引標籤",
+ "moveWindowTabToNewWindow": "將視窗索引標籤移至新的視窗",
+ "mergeAllWindowTabs": "合併所有視窗",
+ "toggleWindowTabsBar": "切換視窗索引標籤列",
+ "preferences": "喜好設定",
+ "miCloseWindow": "關閉視窗(&&E)",
+ "miExit": "結束(&&X)",
+ "miZoomIn": "放大(&&Z)",
+ "miZoomOut": "縮小(&&Z)",
+ "miZoomReset": "重設縮放(&&R)",
+ "miReportIssue": "回報問題(&&I)",
+ "miToggleDevTools": "切換開發人員工具(&&T)",
+ "miOpenProcessExplorerer": "開啟處理程序總管(&&P)",
+ "windowConfigurationTitle": "視窗",
+ "window.openWithoutArgumentsInNewWindow.on": "開啟新的空視窗。",
+ "window.openWithoutArgumentsInNewWindow.off": "以上次使用中的執行中執行個體為焦點",
+ "openWithoutArgumentsInNewWindow": "控制在沒有使用引數的情況下啟動第二個執行個體時,是否應開啟新的空視窗,或是否應讓上個執行中的執行個體成為焦點。\r\n請注意,仍可能發生忽略此設定的情況 (例如當使用 `--new-window` 或 `--reuse-window` 命令列選項時)。",
+ "window.reopenFolders.preserve": "一律重新開啟所有視窗。如果要開啟資料夾或工作區 (例如,從命令列開啟),則除非先前已開啟過,否則會以新視窗的方式開啟。如果檔案已開啟過,將會在其中一個還原的視窗中開啟檔案。",
+ "window.reopenFolders.all": "除非已開啟資料夾、工作區或檔案 (例如從命令列),否則就重新開啟所有視窗。",
+ "window.reopenFolders.folders": "除非已開啟資料夾、工作區或檔案 (例如從命令列),否則就重新開啟已開啟資料夾或工作區的所有視窗。",
+ "window.reopenFolders.one": "除非已開啟資料夾、工作區或檔案 (例如從命令列),否則會重新開啟上一個使用中視窗。",
+ "window.reopenFolders.none": "永不重新開啟視窗。除非已開啟資料夾或工作區 (例如從命令列),否則會出現空白視窗。",
+ "restoreWindows": "控制視窗在首次啟動後的重新開啟方式。當應用程式已在執行時,此設定不會生效。",
+ "restoreFullscreen": "控制當視窗在全螢幕模式下結束後,下次是否仍以全螢幕模式開啟。",
+ "zoomLevel": "調整視窗的縮放比例。原始大小為 0,而且每個向上增量 (例如 1) 或向下增量 (例如 -1) 代表放大或縮小 20%。您也可以輸入小數,更細微地調整縮放比例。",
+ "window.newWindowDimensions.default": "在螢幕中央開啟新視窗。",
+ "window.newWindowDimensions.inherit": "以相同於上一個使用中之視窗的維度開啟新視窗。",
+ "window.newWindowDimensions.offset": "使用與上一個使用的視窗相同的維度開啟新視窗,並使用位移位置。",
+ "window.newWindowDimensions.maximized": "開啟並最大化新視窗。",
+ "window.newWindowDimensions.fullscreen": "在全螢幕模式下開啟新視窗。",
+ "newWindowDimensions": "控制在已開啟至少一個視窗時,開啟新視窗的尺寸。請注意,此設定對於開啟的第一個視窗不會有影響。第一個視窗一律會還原為關閉前的相同大小和位置。",
+ "closeWhenEmpty": "控制關閉上個編輯器時,是否也應關閉視窗。此設定僅適用於未顯示資料夾的視窗。",
+ "window.doubleClickIconToClose": "若啟用,在標題列中按兩下應用程式會關閉視窗,而且無法透過此圖示拖曳該視窗。只有在 `#window.titleBarStyle#` 設定為 `custom` 時,此設定才有效。",
+ "titleBarStyle": "調整視窗標題列的外觀。在 Linux 和 Windows 上,此設定也會影響應用程式和操作功能表的外觀。必須完全重新啟動才能套用變更。",
+ "dialogStyle": "調整對話方塊視窗的外觀。",
+ "window.nativeTabs": "啟用 macOS Sierra 視窗索引標籤。請注意需要完全重新啟動才能套用變更,並且完成設定後原始索引標籤將會停用自訂標題列樣式。",
+ "window.nativeFullScreen": "控制原生全螢幕是否應用於 macOS。停用此選項可避免macOS 在變成全螢幕時建立新的空間。",
+ "window.clickThroughInactive": "若已啟用,按一下非使用中的視窗將會啟動該視窗並觸發其下的元素 (如果可以案的話)。若已停用,按一下非使用中視窗的任一處則只會啟動該視窗,必須再按一下才會觸發元素。",
+ "window.enableExperimentalProxyLoginDialog": "為 Proxy 驗證啟用新的登入對話。需要重新啟動才能生效。",
+ "telemetryConfigurationTitle": "遙測",
+ "telemetry.enableCrashReporting": "允許將損毀報告傳送到 Microsoft 線上服務。\r\n需要重新啟動,此選項才會生效。",
+ "keyboardConfigurationTitle": "鍵盤",
+ "touchbar.enabled": "啟用鍵盤上的 macOS 觸摸板按鈕 (如果可用)。",
+ "touchbar.ignored": "觸控列中一組不應顯示的項目識別碼 (例如 `workbench.action.navigateBack`)。",
+ "argv.locale": "要使用的顯示語言。選取其他語言需要安裝關聯的語言套件。",
+ "argv.disableHardwareAcceleration": "停用硬體加速。只有在您遇到圖形問題時,才變更此選項。",
+ "argv.disableColorCorrectRendering": "解決色彩設定檔選取問題。只有在您遇到圖形問題時,才變更此選項。",
+ "argv.forceColorProfile": "允許覆寫要使用的色彩設定檔。如果您遇到色彩顯示錯誤的情形,請嘗試將此項目設定為 `srgb` 並重新啟動。",
+ "argv.enableCrashReporter": "允許停用損毀報告,如果值已變更,則應重新啟動應用程式。",
+ "argv.crashReporterId": "用於關聯此應用程式執行個體傳送之損毀報告的唯一識別碼。",
+ "argv.enebleProposedApi": "為延伸模組識別碼 (例如 `vscode.git`) 清單啟用建議的 API。建議的 API 並不穩定,且可能在任何時候中斷而不發出警告,因此只應用於延伸模組開發及測試用途。",
+ "argv.force-renderer-accessibility": "強制轉譯器可供存取。請只在 Linux 上使用螢幕助讀程式時才變更此項目。轉譯器在其他平台上會自動提供存取。如果您開啟 editor.accessibilitySupport,此旗標會自動設定。"
+ },
+ "vs/workbench/common/actions": {
+ "view": "檢視",
+ "help": "說明",
+ "developer": "開發人員"
+ },
+ "vs/workbench/browser/workbench": {
+ "loaderErrorNative": "無法載入必要的檔案。請重新啟動該應用程式,然後再試一次。詳細資料: {0}"
+ },
+ "vs/workbench/electron-sandbox/window": {
+ "learnMode": "深入了解",
+ "shellEnvSlowWarning": "解析您的殼層環境花費的時間太長。請檢閱您的殼層設定。",
+ "shellEnvTimeoutError": "無法在合理的時間內解析殼層環境。請檢閱您的殼層設定。",
+ "proxyAuthRequired": "需要 Proxy 驗證",
+ "loginButton": "登入(&&L)",
+ "cancelButton": "取消(&&C)",
+ "username": "使用者名稱",
+ "password": "密碼",
+ "proxyDetail": "Proxy {0} 需要使用者名稱和密碼。",
+ "rememberCredentials": "記住我的認證",
+ "runningAsRoot": "不建議以 root 身分執行 {0}。",
+ "mPreferences": "喜好設定"
+ },
+ "vs/workbench/common/theme": {
+ "tabActiveBackground": "使用中之索引標籤的背景色彩。索引標籤是編輯器在編輯器區域中的容器。同一個編輯器群組中的多個索引標籤可以同時開啟。可能會有多個編輯器群組。",
+ "tabUnfocusedActiveBackground": "啟用非焦點群組中的索引標籤背景色彩。索引標籤是編輯器在邊及區域的容器。您可在一個編輯器群組中開啟多個索引標籤。可以使用多的編輯器群組。",
+ "tabInactiveBackground": "非使用中之索引標籤的背景色彩。索引標籤是編輯器在編輯器區域中的容器。同一個編輯器群組中的多個索引標籤可以同時開啟。可能會有多個編輯器群組。",
+ "tabUnfocusedInactiveBackground": "非焦點群組中的非使用中索引標籤背景色彩。在編輯器區域中,索引標籤是編輯器的容器。您可以在一個編輯器群組中開啟多個索引標籤。您可以有多個編輯器群組。",
+ "tabActiveForeground": "使用中的群組內,使用中之索引標籤的前景色彩。索引標籤是編輯器在編輯器區域中的容器。同一個編輯器群組中的多個索引標籤可以同時開啟。可能會有多個編輯器群組。",
+ "tabInactiveForeground": "使用中的群組內,非使用中之索引標籤的前景色彩。索引標籤是編輯器在編輯器區域中的容器。同一個編輯器群組中的多個索引標籤可以同時開啟。可能會有多個編輯器群組。",
+ "tabUnfocusedActiveForeground": "非焦點群組中的使用中索引標籤前景色彩。索引標籤是編輯器在編輯器區域中的容器。同一個編輯器群組中的多個索引標籤可以同時開啟。可能會有多個編輯器群組。",
+ "tabUnfocusedInactiveForeground": "非焦點群組中的非使用中索引標籤前景色彩。索引標籤是編輯器在編輯器區域中的容器。同一個編輯器群組中的多個索引標籤可以同時開啟。可能會有多個編輯器群組。",
+ "tabHoverBackground": "當暫留索引標籤的背景色彩。索引標籤是編輯器在編輯器區域中的容器。同一個編輯器群組中的多個索引標籤可以同時開啟。可能會有多個編輯器群組。",
+ "tabUnfocusedHoverBackground": "當暫留非焦點群組中索引標籤的背景色彩。索引標籤是編輯器在編輯器區域中的容器。同一個編輯器群組中的多個索引標籤可以同時開啟。可能會有多個編輯器群組。 ",
+ "tabHoverForeground": "暫留時的索引標籤前景色彩。在編輯器區域中,索引標籤是編輯器的容器。您可以在一個編輯器群組中開啟多個索引標籤。您可以有多個編輯器群組。",
+ "tabUnfocusedHoverForeground": "暫留時,非焦點群組中的索引標籤前景色彩。在編輯器區域中,索引標籤是編輯器的容器。您可以在一個編輯器群組中開啟多個索引標籤。您可以有多個編輯器群組。",
+ "tabBorder": "用以分隔索引標籤彼此的框線。索引標籤是編輯器在編輯器區域中的容器。同一個編輯器群組中的多個索引標籤可以同時開啟。可能會有多個編輯器群組。",
+ "lastPinnedTabBorder": "用於將已鎖定索引標籤與其他索引標籤分隔的框線。索引標籤是編輯器在編輯器區域中的容器。同一個編輯器群組中的多個索引標籤可以同時開啟。可能會有多個編輯器群組。",
+ "tabActiveBorder": "使用中索引標籤的底部邊框。索引標籤是編輯器在編輯器區域中的容器。同一個編輯器群組中的多個索引標籤可以同時開啟。可能會有多個編輯器群組。",
+ "tabActiveUnfocusedBorder": "非焦點群組內使用中索引標籤的底部邊框。索引標籤是編輯器在編輯器區域中的容器。同一個編輯器群組中的多個索引標籤可以同時開啟。可能會有多個編輯器群組。",
+ "tabActiveBorderTop": "使用中索引標籤的頂部邊框。索引標籤是編輯器在編輯器區域中的容器。同一個編輯器群組中的多個索引標籤可以同時開啟。可能會有多個編輯器群組。",
+ "tabActiveUnfocusedBorderTop": "非焦點群組內使用中索引標籤的頂部邊框。索引標籤是編輯器在編輯器區域中的容器。同一個編輯器群組中的多個索引標籤可以同時開啟。可能會有多個編輯器群組。",
+ "tabHoverBorder": "用以反白顯示暫留時索引標籤的框線。索引標籤是編輯器在編輯器區域中的容器。同一個編輯器群組中的多個索引標籤可以同時開啟。可能會有多個編輯器群組。",
+ "tabUnfocusedHoverBorder": "在非焦點群組中反白顯示暫留時索引標籤的框線。索引標籤是編輯器在編輯器區域中的容器。同一個編輯器群組中的多個索引標籤可以同時開啟。可能會有多個編輯器群組。 ",
+ "tabActiveModifiedBorder": "使用中群組內已修改 (已變更) 使用中索引標籤上的邊界。索引標籤是編輯器在編輯器區域中的容器。可在同一個編輯器群組中開啟多個索引標籤。可有多個編輯器群組。 ",
+ "tabInactiveModifiedBorder": "使用中群組內已修改 (已變更) 非使用中索引標籤上的邊界。索引標籤是編輯器在編輯器區域中的容器。可在同一個編輯器群組中開啟多個索引標籤。可有多個編輯器群組。 ",
+ "unfocusedActiveModifiedBorder": "非焦點群組內已修改 (已變更) 使用中索引標籤上的邊界。索引標籤是編輯器在編輯器區域中的容器。可在同一個編輯器群組中開啟多個索引標籤。可有多個編輯器群組。 ",
+ "unfocusedINactiveModifiedBorder": "非焦點群組內已修改 (已變更) 非使用中索引標籤上的邊界。索引標籤是編輯器在編輯器區域中的容器。可在同一個編輯器群組中開啟多個索引標籤。可有多個編輯器群組。 ",
+ "editorPaneBackground": "置中編輯器版面配置之左右側所顯示編輯器窗格的背景色彩。",
+ "editorGroupBackground": "編輯器群組的取代背景色彩。",
+ "deprecatedEditorGroupBackground": "取代: 推出格狀編輯器版面配置後,就不再支援編輯器群組的背景色彩。您可以使用 editorGroup.emptyBackground 設定空編輯器群組的背景色彩。",
+ "editorGroupEmptyBackground": "空編輯器群組的背景色彩。編輯器群組即編輯器的容器。",
+ "editorGroupFocusedEmptyBorder": "焦點空編輯器群組的邊界色彩。編輯器群組即編輯器的容器。",
+ "tabsContainerBackground": "當索引標籤啟用的時候編輯器群組標題的背景色彩。編輯器群組是編輯器的容器。",
+ "tabsContainerBorder": "當索引標籤啟用時,編輯器群組標題的框線色彩。編輯器群組是編輯器的容器。",
+ "editorGroupHeaderBackground": "當索引標籤禁用的時候編輯器群組標題的背景顏色 (`\"workbench.editor.showTabs\": false`)。編輯器群組是編輯器的容器。",
+ "editorTitleContainerBorder": "編輯器群組標題標頭的框線色彩。編輯器群組是編輯器的容器。",
+ "editorGroupBorder": "用以分隔多個編輯器群組彼此的色彩。編輯器群組是編輯器的容器。",
+ "editorDragAndDropBackground": "拖拉編輯器時的背景顏色,可設置透明度讓內容穿透顯示.",
+ "imagePreviewBorder": "影像預覽中影像的邊框色彩。",
+ "panelBackground": "面板的前景色彩。面板會顯示在編輯器區域的下方,其中包含諸如輸出與整合式終端機等檢視。",
+ "panelBorder": "用來區隔面板與編輯器的面板邊界色彩。面板會顯示於編輯器區域的下方,並會包含檢視,如輸出和整合終端機。",
+ "panelActiveTitleForeground": "使用中之面板標題的標題色彩。面板會顯示在編輯器區域的下方,其中包含諸如輸出與整合式終端機等檢視。",
+ "panelInactiveTitleForeground": "非使用中之面板標題的標題色彩。面板會顯示在編輯器區域的下方,其中包含諸如輸出與整合式終端機等檢視。",
+ "panelActiveTitleBorder": "使用中之面板標題的框線色彩。面板會顯示在編輯器區域的下方,其中包含諸如輸出與整合式終端機等檢視。",
+ "panelInputBorder": "面板輸入的輸入方塊框線。",
+ "panelDragAndDropBorder": "拖放面板標題的意見反應時,所採用的色彩。面板會顯示於編輯器區域的下方,包含類似於輸出與整合式終端的檢視。",
+ "panelSectionDragAndDropBackground": "面板區段的拖放回饋色彩。此色彩應具有透明度,讓您仍可看見面板區段。面板會顯示在編輯器區域下方,並包含輸出與整合式終端等檢視。面板區段是面板中的巢狀檢視。",
+ "panelSectionHeaderBackground": "面板區段標題的背景色彩。面板會顯示在編輯器區域下方,並包含輸出與整合式終端等檢視。面板區段是面板中的巢狀檢視。",
+ "panelSectionHeaderForeground": "面板區段標題的前景色彩。面板會顯示在編輯器區域下方,並包含輸出與整合式終端等檢視。面板區段是面板中的巢狀檢視。",
+ "panelSectionHeaderBorder": "在面板中垂直堆疊多個檢視時使用的面板區段標題框線色彩。面板會顯示在編輯器區域下方,並包含輸出與整合式終端等檢視。面板區段是面板中的巢狀檢視。",
+ "panelSectionBorder": "在面板中水平堆疊多個檢視時使用的面板區段框線色彩。面板會顯示在編輯器區域下方,並包含輸出與整合式終端等檢視。面板區段是面板中的巢狀檢視。",
+ "statusBarForeground": "當一個工作區被開啟時,狀態列的前景色彩。狀態列會顯示在視窗的底部。",
+ "statusBarNoFolderForeground": "當未開啟任何資料夾時,狀態列的前景色彩。狀態列會顯示在視窗的底部。",
+ "statusBarBackground": "當一個工作區被開啟時,狀態列的背景色彩。狀態列會顯示在視窗的底部。",
+ "statusBarNoFolderBackground": "當未開啟任何資料夾時,狀態列的背景色彩。狀態列會顯示在視窗的底部。",
+ "statusBarBorder": "用以分隔資訊看板與編輯器的狀態列框線色彩。狀態列會顯示在視窗的底部。",
+ "statusBarNoFolderBorder": "未開啟資料夾時,用以分隔資訊看板與編輯器的狀態列框線色彩。狀態列會顯示在視窗的底部。 ",
+ "statusBarItemActiveBackground": "按下滑鼠按鈕時,狀態列項目的背景色彩。狀態列會顯示在視窗的底部。",
+ "statusBarItemHoverBackground": "動態顯示時,狀態列項目的背景色彩。狀態列會顯示在視窗的底部。",
+ "statusBarProminentItemForeground": "狀態列突出項目前景色彩。突出項目會比其他狀態列項目顯眼,以彰顯重要性。從命令選擇區變更模式 [切換 Tab 鍵移動焦點] 即可查看範例。狀態列會顯示在視窗底部。",
+ "statusBarProminentItemBackground": "狀態列突出項目的背景顏色。突出項目比狀態列的其他項目更顯眼,用於表示重要性更高。從命令選擇區變更模式 `切換 Tab 鍵移動焦點` 來檢視範例。狀態列會顯示在視窗的底部。",
+ "statusBarProminentItemHoverBackground": "當暫留狀態列突出項目的背景顏色。突出項目比狀態列的其他項目更顯眼,用於表示重要性更高。從命令選擇區變更模式 `切換 Tab 鍵移動焦點` 來檢視範例。狀態列會顯示在視窗的底部。",
+ "statusBarErrorItemBackground": "狀態列錯誤項目的背景色彩。錯誤項目比狀態列的其他項目更顯眼,用於表示錯誤條件。狀態列會顯示在視窗的底部。",
+ "statusBarErrorItemForeground": "狀態列錯誤項目的前景色彩。錯誤項目比狀態列的其他項目更顯眼,用於表示錯誤條件。狀態列會顯示在視窗的底部。",
+ "activityBarBackground": "活動列背景的色彩。活動列會顯示在最左側或最右側,並可切換不同的提要欄位檢視。",
+ "activityBarForeground": "活動列在使用中狀態的項目前景色彩。活動列會顯示在最左或最右,且能在側邊欄位的檢視間切換。",
+ "activityBarInActiveForeground": "活動列在非使用中狀態的項目前景色彩。活動列會顯示在最左或最右,且能在側邊欄位的檢視間切換。",
+ "activityBarBorder": "用以分隔提要欄位的活動列框線色彩。此活動列會顯示在最左側或最右側,讓您可以切換提要欄位的不同檢視。",
+ "activityBarActiveBorder": "使用中項目的活動列框線色彩。活動列顯示在最左側或最右側,並允許在側邊欄檢視之間切換。",
+ "activityBarActiveFocusBorder": "使用中項目的活動列焦點框線色彩。活動列會顯示在最左或最右側,允許在提要欄位的檢視之間切換。",
+ "activityBarActiveBackground": "使用中項目的活動列背景色彩。活動列顯示在最左側或最右側,並允許在側邊欄檢視之間切換。",
+ "activityBarDragAndDropBorder": "拖放活動列項目的意見反應時,所採用的色彩。此活動列會顯示在最左側或最右側,供您在提要欄位的不同檢視之間切換。",
+ "activityBarBadgeBackground": "活動通知徽章的背景色彩。此活動列會顯示在最左側或最右側,讓您可以切換提要欄位的不同檢視。",
+ "activityBarBadgeForeground": "活動通知徽章的前背景色彩。此活動列會顯示在最左側或最右側,讓您可以切換提要欄位的不同檢視。",
+ "statusBarItemHostBackground": "狀態列上遠端指示器的背景色彩。",
+ "statusBarItemHostForeground": "狀態列上遠端指示器的前景色彩。",
+ "extensionBadge.remoteBackground": "延伸模組檢視中遠端徽章的背景色彩。",
+ "extensionBadge.remoteForeground": "延伸模組檢視中遠端徽章的前景色彩。",
+ "sideBarBackground": "提要欄位的背景色彩。提要欄位是檢視 (例如 Explorer 與搜尋) 的容器。",
+ "sideBarForeground": "側欄的前景顏色.側欄包含Explorer與搜尋.",
+ "sideBarBorder": "用以分隔編輯器的側邊提要欄位框線色彩。該提要欄位是檢視 (例如 Explorer 及搜尋) 的容器。",
+ "sideBarTitleForeground": "提要欄位標題的前景色彩。提要欄位是檢視 (例如 Explorer 與搜尋) 的容器。",
+ "sideBarDragAndDropBackground": "側邊欄區段的拖放回饋色彩。此色彩應具有透明度,讓您仍可看見側邊欄區段。側邊欄是總管和搜尋等檢視使用的容器。側邊欄區段是側邊欄中的巢狀檢視。",
+ "sideBarSectionHeaderBackground": "側邊欄區段標題的背景色彩。側邊欄是總管和搜尋等檢視使用的容器。側邊欄區段是側邊欄中的巢狀檢視。",
+ "sideBarSectionHeaderForeground": "側邊欄區段標題的前景色彩。側邊欄是總管和搜尋等檢視使用的容器。側邊欄區段是側邊欄中的巢狀檢視。",
+ "sideBarSectionHeaderBorder": "側邊欄區段標題的框線色彩。側邊欄是總管和搜尋等檢視使用的容器。側邊欄區段是側邊欄中的巢狀檢視。",
+ "titleBarActiveForeground": "視窗為作用中時,所用的標題列前景。",
+ "titleBarInactiveForeground": "視窗為非作用中時,所用的標題列前景。",
+ "titleBarActiveBackground": "視窗為作用中時,所用的標題列背景。",
+ "titleBarInactiveBackground": "視窗為非作用中時,所用的標題列背景。",
+ "titleBarBorder": "標題列框線色彩。",
+ "menubarSelectionForeground": "功能表列中所選功能表項目的前景色彩。",
+ "menubarSelectionBackground": "功能表列中所選功能表項目的背景色彩。",
+ "menubarSelectionBorder": "功能表列中所選功能表項目的框線色彩。",
+ "notificationCenterBorder": "通知中央邊框色彩。通知會從視窗右下角滑入。",
+ "notificationToastBorder": "通知快顯通知邊框色彩。通知會從視窗右下角滑入。",
+ "notificationsForeground": "通知的前景顏色。通知從視窗的右下方滑入。",
+ "notificationsBackground": "通知的背景顏色。通知從視窗的右下方滑入。",
+ "notificationsLink": "通知的連結前景顏色。通知從視窗的右下方滑入。",
+ "notificationCenterHeaderForeground": "通知中心標題前景色彩。通知會從視窗右下角滑入。",
+ "notificationCenterHeaderBackground": "通知中心標題背景色彩。通知會從視窗右下角滑入。",
+ "notificationsBorder": "通知中心中,與其他通知分開的通知邊框色彩。通知會從視窗右下角滑入。",
+ "notificationsErrorIconForeground": "用於錯誤通知圖示的色彩。通知從視窗右下方滑入。",
+ "notificationsWarningIconForeground": "用於警告通知圖示的色彩。通知從視窗右下方滑入。",
+ "notificationsInfoIconForeground": "用於資訊通知圖示的色彩。通知從視窗右下方滑入。",
+ "windowActiveBorder": "當視窗啟用時要為其使用的邊框色彩。僅在使用自訂標題列時於桌面用戶端支援。",
+ "windowInactiveBorder": "當視窗不在使用中時要為其使用的邊框色彩。僅在使用自訂標題列時於桌面用戶端支援。"
+ },
+ "vs/workbench/common/editor": {
+ "sideBySideLabels": "{0} - {1}",
+ "preview": "{0},預覽",
+ "pinned": "{0},已釘選"
+ },
+ "vs/workbench/common/views": {
+ "testViewIcon": "[測試] 檢視的檢視圖示。",
+ "defaultViewIcon": "預設檢視圖示。",
+ "duplicateId": "已經註冊識別碼為 '{0}' 的檢視"
+ },
+ "vs/workbench/api/common/extHostExtensionService": {
+ "extensionTestError": "路徑 {0} 並未指向有效的延伸模組測試執行器。"
+ },
+ "vs/workbench/api/common/extHostTerminalService": {
+ "launchFail.idMissingOnExtHost": "在延伸主機上找不到識別碼為 {0} 的終端機"
+ },
+ "vs/workbench/api/common/extHostWorkspace": {
+ "updateerror": "延伸模組 '{0}' 無法更新工作區資料夾: {1}"
+ },
+ "vs/workbench/browser/workbench.contribution": {
+ "workbench.editor.titleScrollbarSizing.default": "預設大小。",
+ "workbench.editor.titleScrollbarSizing.large": "請增加大小,以便滑鼠更容易抓取",
+ "tabScrollbarHeight": "控制編輯器標題區域中,定位字元和階層連結所用捲軸的高度。",
+ "showEditorTabs": "控制已開啟的編輯器是否應顯示在索引標籤中。",
+ "scrollToSwitchTabs": "控制捲動索引標籤是否會開啟該索引標籤。根據預設,捲動時只會顯示索引標籤,但不會開啟。您可以在捲動時按住 Shift 鍵,以在捲動期間變更此行為。當 `#workbench.editor.showTabs#` 為 `false` 時,會忽略此值。",
+ "highlightModifiedTabs": "控制是否在已修改 (已變更) 的編輯器索引標籤上繪製上框線。當 `#workbench.editor.showTabs#` 為 `false` 時,會忽略此值。",
+ "workbench.editor.labelFormat.default": "顯示檔案的名稱。當索引標籤已啟用,且兩個檔案在一個群組內具有相同名稱時,會在各檔案的路徑新增區別部分。當索引標籤停用時,會在使用編輯器時顯示與工作區資料夾相關的路徑。",
+ "workbench.editor.labelFormat.short": "顯示檔案的名稱,後面接著其目錄名稱。",
+ "workbench.editor.labelFormat.medium": "顯示檔案的名稱,後面接著其對工作區資料夾相關的路徑。",
+ "workbench.editor.labelFormat.long": "顯示檔案的名稱,後面接著其絕對路徑。",
+ "tabDescription": "控制編輯器的標籤格式。",
+ "workbench.editor.untitled.labelFormat.content": "除非有相關檔案路徑,否則無標題檔案的名稱會衍生自其第一行內容。如果該行為空白或不包含文字字元,將會遞補至名稱。",
+ "workbench.editor.untitled.labelFormat.name": "無標題檔案的名稱不會衍生自檔案的內容。",
+ "untitledLabelFormat": "控制無標題編輯器的標籤格式。",
+ "editorTabCloseButton": "控制編輯器索引標籤關閉按鈕的位置,或在設定為 [關閉] 時停用。當 `#workbench.editor.showTabs#` 為 `false` 時,會忽略此值。",
+ "workbench.editor.tabSizing.fit": "一律讓索引標籤保持在足夠顯示完整編輯器標籤的大小。",
+ "workbench.editor.tabSizing.shrink": "當可用空間不足以一次顯示所有索引標籤時,允許索引標籤縮小。",
+ "tabSizing": "控制編輯器索引標籤的大小。當 `#workbench.editor.showTabs#` 為 `false`時,會忽略此值。",
+ "workbench.editor.pinnedTabSizing.normal": "鎖定的索引標籤會繼承未鎖定索引標籤的外觀。",
+ "workbench.editor.pinnedTabSizing.compact": "鎖定的索引標籤會以壓縮模式顯示,並只顯示圖示或編輯器名稱的第一個字母。",
+ "workbench.editor.pinnedTabSizing.shrink": "鎖定的索引標籤會縮小為壓縮的固定大小,只顯示部分編輯器名稱。",
+ "pinnedTabSizing": "控制釘選的編輯器索引標籤大小。釘選的索引標籤會排序在所有開啟的索引標籤之前,且通常在解除釘選前不會關閉。當 `#workbench.editor.showTabs#` 為 `false` 時,會忽略此值。",
+ "workbench.editor.splitSizingDistribute": "將所有編輯器群組等分。",
+ "workbench.editor.splitSizingSplit": "將使用中編輯器群組等分。",
+ "splitSizing": "控制編輯器群組分割時的大小。",
+ "splitOnDragAndDrop": "控制是否可以從拖放作業分割編輯器群組,做法是將編輯器或檔案置放在編輯器區域的邊緣。",
+ "focusRecentEditorAfterClose": "控制以最近使用的順序或由左至右關閉索引標籤。",
+ "showIcons": "控制已開啟的編輯器是否應以圖示顯示。此選項也需要同時啟用檔案圖示主題。",
+ "enablePreview": "控制已開啟的編輯器是否以預覽的方式顯示。預覽編輯器不會保持開啟,而是會重複使用,直到將其明確設定為保持開啟為止 (例如按兩下或進行編輯),並且會以斜體字型樣式顯示。",
+ "enablePreviewFromQuickOpen": "控制從 Quick Open 開啟的編輯器是否以預覽的方式顯示。預覽編輯器不會保持開啟,而是會重複使用,直到將其明確設定為保持開啟為止 (例如按兩下或進行編輯)。",
+ "closeOnFileDelete": "控制顯示在工作階段期間開啟之檔案的編輯器是否應在某些其他程序將其刪除或重新命名時自動關閉。停用此項目會讓編輯器在這類事件發生時保持開啟。請注意,從應用程式內刪除會一律關閉編輯器,且已變更的檔案一律不會關閉,以保留您的資料。",
+ "editorOpenPositioning": "控制編輯器開啟的位置。選取 [左] 或 [右] 可在目前使用中編輯器的左方或右方開啟編輯器。選取 [第一個] 或 [最後一個] 可在目前使用中編輯器外,另開編輯器。",
+ "sideBySideDirection": "控制並排開啟 (例如從總管) 之編輯器的預設方向。根據預設,編輯器會在目前使用中編輯器的右方開啟。若變更為 [下],編輯器會在目前使用中編輯器的下方開啟。",
+ "closeEmptyGroups": "控制當關閉群組中最後一個索引標籤時空編輯器群組的行為。若啟用,空群組會保留部分格線。",
+ "revealIfOpen": "控制若編輯器已開啟,是否在任何可見群組中予以顯示。若停用,編輯器通常會在目前的使用中編輯器群組內開啟。若啟用,已開啟的編輯器會在目前的使用中編輯器群組內顯示,而不是再次開啟。請注意,在某些情況下會忽略此設定,例如當強制讓編輯器在特定群組中或在目前使用中群組側方開啟時。",
+ "mouseBackForwardToNavigate": "如有提供,可使用滑鼠按鍵四和五在開啟的檔案之間瀏覽。",
+ "restoreViewState": "在文字編輯器關閉後再重新開啟時,會還原最後檢視狀態 (例如捲動位置)。",
+ "centeredLayoutAutoResize": "控制置中版面配置是否應在多個群組開啟時,自動調整成最大寬度。當只有一個群組開啟時,會自動調整回原來的置中寬度。",
+ "limitEditorsEnablement": "控制是否應限制開啟的編輯器數目。啟用時,會關閉最近較少使用且未變更的編輯器,來為新開啟的編輯器騰出空間。",
+ "limitEditorsMaximum": "控制已開啟編輯器的數目上限。使用 `#workbench.editor.limit.perEditorGroup#` 設定來根據編輯器群組,或針對所有群組控制此限制。",
+ "perEditorGroup": "控制要將已開啟編輯器的上限逐一套用到編輯器群組,或是套用到所有編輯器群組。",
+ "commandHistory": "控制最近使用之命令的數量,以保留命令選擇區的記錄。設為 0 可停用命令列記錄。",
+ "preserveInput": "控制上次鍵入命令選擇區的輸入是否應在下次將其開啟時還原。",
+ "closeOnFocusLost": "控制 [快速開啟] 是否應在失去焦點後自動關閉。",
+ "workbench.quickOpen.preserveInput": "控制最後鍵入 Quick Open 的輸入是否應在下次開啟時還原。",
+ "openDefaultSettings": "控制正在開啟的設定是否也開啟顯示所有預設設定的編輯器。 ",
+ "useSplitJSON": "控制是否要在將設定編輯為 JSON 時使用分割 JSON 編輯器。",
+ "openDefaultKeybindings": "控制正在開啟的按鍵繫結關係設定是否也開啟顯示所有預設按鍵繫結關係的編輯器。 ",
+ "sideBarLocation": "控制提要欄位和活動列的位置。這兩者可以顯示在工作台的左側或右側。",
+ "panelDefaultLocation": "控制面板的預設位置 (終端機、偵錯主控台、輸出、問題)。可顯示在工作台的底部、右側或左側。",
+ "panelOpensMaximized": "控制是否以最大化方式開啟面板。面板可以總是以最大化方式開啟、永不以最大化方式開啟,或以關閉前的最後狀態開啟。",
+ "workbench.panel.opensMaximized.always": "開啟面板時,永遠將面板最大化。",
+ "workbench.panel.opensMaximized.never": "開啟面板時,永不將面板最大化。面板將不會以最大化方式開啟。",
+ "workbench.panel.opensMaximized.preserve": "以關閉前的狀態開啟面板。",
+ "statusBarVisibility": "控制 Workbench 底端狀態列的可視性。",
+ "activityBarVisibility": "控制活動列在 workbench 中的可見度。",
+ "activityBarIconClickBehavior": "控制在工作台按一下活動列圖示的行為。",
+ "workbench.activityBar.iconClickBehavior.toggle": "若點選的項目已顯示,則隱藏提要欄位。",
+ "workbench.activityBar.iconClickBehavior.focus": "若點選的項目已顯示,則聚焦於提要欄位。",
+ "viewVisibility": "控制檢視標頭動作的可見度。檢視標頭動作可為總是可見,或在檢視為焦點或暫留時才可見。",
+ "fontAliasing": "控制工作台中的字型鋸齒方法。",
+ "workbench.fontAliasing.default": "子像素字型平滑處理。在大部分非 Retina 顯示器上會顯示出最銳利的文字。",
+ "workbench.fontAliasing.antialiased": "相對於子像素,根據像素層級平滑字型。可以讓字型整體顯得較細。",
+ "workbench.fontAliasing.none": "禁用字體平滑.文字將會顯示鋸齒狀與鋒利的邊緣.",
+ "workbench.fontAliasing.auto": "根據顯示器的 DPI 自動套用 `default` 或 `antialiased`。",
+ "settings.editor.ui": "使用設定 UI 編輯器。",
+ "settings.editor.json": "使用 JSON 檔案編輯器。",
+ "settings.editor.desc": "決定根據預設使用何種設定編輯器。",
+ "windowTitle": "根據使用中的編輯器控制視窗標題。變數的替代以下列內容為依據:",
+ "activeEditorShort": "`${activeEditorShort}`: 檔名 (如 myFile.txt)。",
+ "activeEditorMedium": "`${activeEditorMedium}`: 相對於工作區資料夾的檔案路徑 (如 myFolder/myFileFolder/myFile.txt)。",
+ "activeEditorLong": "`${activeEditorLong}`: 檔案的完整路徑 (如 /Users/Development/myFolder/myFileFolder/myFile.txt)。",
+ "activeFolderShort": "`${activeFolderShort}`: 檔案所在資料夾的名稱 (如 myFileFolder)。",
+ "activeFolderMedium": "`${activeFolderMedium}`: 檔案所在的資料夾路徑,相對於工作區資料夾 (如 myFolder/myFileFolder)。",
+ "activeFolderLong": "`${activeFolderLong}`: 檔案所在資料夾的完整路徑 (如 /Users/Development/myFolder/myFileFolder)。",
+ "folderName": "`${folderName}`: 檔案所在工作區資料夾的名稱 (如 myFolder)。",
+ "folderPath": "`${folderPath}`: 檔案所在工作區資料夾的檔案路徑 (如 /Users/Development/myFolder)。",
+ "rootName": "`${rootName}`: 工作區的名稱 (如 myFolder 或 myWorkspace)。",
+ "rootPath": "`${rootPath}`: 工作區的檔案路徑 (如 /Users/Development/myWorkspace)。",
+ "appName": "`${appName}`: 如 VS Code。",
+ "remoteName": "`${remoteName}`: 例如 SSH",
+ "dirty": "`${dirty}`: 使用中編輯器是否已變更的變更狀態指標。",
+ "separator": "`${separator}`: 條件式分隔符號 (\" - \"),只有位於具有值或靜態文字的變數之間時才會出現。",
+ "windowConfigurationTitle": "視窗",
+ "window.titleSeparator": "`window.title` 使用的分隔符號。",
+ "window.menuBarVisibility.default": "只在全螢幕模式時隱藏功能表。",
+ "window.menuBarVisibility.visible": "一律顯示功能表,即使在全螢幕模式時亦然。",
+ "window.menuBarVisibility.toggle": "隱藏功能表,但可經由 Alt 鍵加以顯示。",
+ "window.menuBarVisibility.hidden": "一律隱藏功能表。",
+ "window.menuBarVisibility.compact": "功能表會在提要欄位中顯示為壓縮按鈕。當 `#window.titleBarStyle#` 為 `native` 時,會忽略此值。",
+ "menuBarVisibility": "控制功能表列的可見度。[切換] 設定表示會隱藏功能表列,按一下 Alt 鍵則會顯示。除非視窗是全螢幕,否則預設會顯示功能表列。",
+ "enableMenuBarMnemonics": "控制是否可透過 ALT 快速鍵開啟主功能表。停用助憶鍵可改為將這些 ALT 快速鍵繫結到編輯器命令。",
+ "customMenuBarAltFocus": "控制是否要透過按 ALT 鍵來以功能表列作為焦點。這項設定對於使用 ALT 鍵切換功能表列無效。",
+ "window.openFilesInNewWindow.on": "檔案將在新視窗中開啟。",
+ "window.openFilesInNewWindow.off": "檔案將在檔案資料夾開啟的視窗中或上次使用中視窗內開啟。",
+ "window.openFilesInNewWindow.defaultMac": "檔案將在檔案資料夾開啟的視窗中或上次使用中視窗內開啟,但透過固定面板或搜尋工具開啟檔案的情況除外。",
+ "window.openFilesInNewWindow.default": "除非從應用程式內揀選檔案 (透過 [檔案] 功能表),否則其將在新視窗中開啟。",
+ "openFilesInNewWindowMac": "控制檔案是否應在新視窗中開啟。\r\n請注意,仍可能發生忽略此設定的情況 (例如使用 `--new-window` 或 `--reuse-window` 命令列選項時)。",
+ "openFilesInNewWindow": "控制檔案是否應在新視窗中開啟。\r\n請注意,仍可能發生忽略此設定的情況 (例如使用 `--new-window` 或 `--reuse-window` 命令列選項時)。",
+ "window.openFoldersInNewWindow.on": "資料夾將在新視窗中開啟。",
+ "window.openFoldersInNewWindow.off": "資料夾將取代上次使用中的視窗。",
+ "window.openFoldersInNewWindow.default": "除非從應用程式內揀選資料夾 (例如透過 [檔案] 功能表),否則其會在新視窗中開啟。",
+ "openFoldersInNewWindow": "控制資料夾應在新視窗中開啟或取代上次使用中的視窗。\r\n請注意,仍可能發生忽略此設定的情況 (例如使用 `--new-window` 或 `--reuse-window` 命令列選項時)。",
+ "window.confirmBeforeClose.always": "一律嘗試要求確認。請注意,瀏覽器仍可能會決定不經確認就關閉索引標籤或視窗。",
+ "window.confirmBeforeClose.keyboardOnly": "只有在偵測到按鍵繫結關係時,才要求確認。請注意,在某些情況下可能無法進行偵測。",
+ "window.confirmBeforeClose.never": "除非即將遺失資料,否則從不明確要求確認。",
+ "confirmBeforeCloseWeb": "控制是否要在關閉瀏覽器索引標籤或視窗之前顯示確認對話方塊。請注意,即使已啟用,瀏覽器仍可能會決定不經確認就關閉索引標籤或視窗,且此設定只是提示,可能不會每次都有作用。",
+ "zenModeConfigurationTitle": "Zen Mode",
+ "zenMode.fullScreen": "控制開啟無干擾模式時,是否也應讓工作台進入全螢幕模式。",
+ "zenMode.centerLayout": "控制開啟無干擾模式時,是否也應將版面配置置中。",
+ "zenMode.hideTabs": "控制開啟 Zen Mode 是否也會隱藏 Workbench 索引標籤。",
+ "zenMode.hideStatusBar": "控制開啟 Zen Mode 是否也會隱藏 Workbench 底部的狀態列。",
+ "zenMode.hideActivityBar": "控制開啟無干擾模式時,要將活動列隱藏在工作台的左方或右方。",
+ "zenMode.hideLineNumbers": "控制開啟 Zen Mode 是否會同時隱藏編輯器行號。",
+ "zenMode.restore": "控制視窗如果在 Zen Mode 下結束,是否應還原為 Zen Mode。",
+ "zenMode.silentNotifications": "控制是否在無干擾模式下顯示通知。如果為 true,則只會快顯錯誤通知。"
+ },
+ "vs/workbench/browser/actions/textInputActions": {
+ "undo": "復原",
+ "redo": "重做",
+ "cut": "剪下",
+ "copy": "複製",
+ "paste": "貼上",
+ "selectAll": "全選"
+ },
+ "vs/workbench/browser/actions/developerActions": {
+ "inspect context keys": "檢查功能表內容",
+ "toggle screencast mode": "切換螢幕錄製模式",
+ "logStorage": "記錄儲存體資料庫內容",
+ "logWorkingCopies": "記錄工作複本",
+ "screencastModeConfigurationTitle": "螢幕錄製模式",
+ "screencastMode.location.verticalPosition": "控制螢幕錄影模式重疊與底部的垂直差距,以工作台高度的百分比表示。",
+ "screencastMode.fontSize": "控制螢幕錄製模式鍵盤的字型大小 (像素)。",
+ "screencastMode.onlyKeyboardShortcuts": "在螢幕錄影模式下只顯示鍵盤快速鍵。",
+ "screencastMode.keyboardOverlayTimeout": "控制在螢幕錄影模式下,顯示鍵盤覆疊的時間 (毫秒)。",
+ "screencastMode.mouseIndicatorColor": "Controls the color in hex (#RGB, #RGBA, #RRGGBB or #RRGGBBAA) of the mouse indicator in screencast mode.",
+ "screencastMode.mouseIndicatorSize": "控制在螢幕錄影模式下,滑鼠指標的大小 (像素)。"
+ },
+ "vs/workbench/browser/actions/helpActions": {
+ "keybindingsReference": "鍵盤快速鍵參考",
+ "openDocumentationUrl": "文件",
+ "openIntroductoryVideosUrl": "簡介影片",
+ "openTipsAndTricksUrl": "秘訣與提示",
+ "newsletterSignup": "註冊 VS Code 電子報",
+ "openTwitterUrl": "在 Twitter 上加入我們",
+ "openUserVoiceUrl": "搜尋功能要求",
+ "openLicenseUrl": "檢視授權",
+ "openPrivacyStatement": "隱私權聲明",
+ "miDocumentation": "文件(&&D)",
+ "miKeyboardShortcuts": "鍵盤快速鍵參考(&&K)",
+ "miIntroductoryVideos": "簡介影片(&&V)",
+ "miTipsAndTricks": "提示與訣竅(&&C)",
+ "miTwitter": "在 Twitter 上加入我們(&&J)",
+ "miUserVoice": "搜尋功能要求(&&S)",
+ "miLicense": "檢視授權(&&L)",
+ "miPrivacyStatement": "隱私權聲明(&&Y)"
+ },
+ "vs/workbench/browser/actions/layoutActions": {
+ "closeSidebar": "關閉提要欄位",
+ "toggleActivityBar": "切換活動列可見度",
+ "miShowActivityBar": "顯示活動列(&&A)",
+ "toggleCenteredLayout": "切換置中配置",
+ "miToggleCenteredLayout": "置中配置(&C)",
+ "flipLayout": "切換垂直/水平編輯器版面配置",
+ "miToggleEditorLayout": "翻轉版面配置(&&L)",
+ "toggleSidebarPosition": "切換提要欄位位置",
+ "moveSidebarRight": "向右移動側邊欄",
+ "moveSidebarLeft": "向左移動側邊欄",
+ "miMoveSidebarRight": "將提要欄位右移(&&M)",
+ "miMoveSidebarLeft": "將提要欄位左移(&&M)",
+ "toggleEditor": "切換編輯器區域可見度",
+ "miShowEditorArea": "顯示編輯器區域(&&E)",
+ "toggleSidebar": "切換提要欄位可見度",
+ "miAppearance": "外觀(&&A)",
+ "miShowSidebar": "顯示提要欄位(&&S)",
+ "toggleStatusbar": "切換狀態列可見度",
+ "miShowStatusbar": "顯示狀態列(&&T)",
+ "toggleTabs": "切換標籤可見度",
+ "toggleZenMode": "切換無干擾模式",
+ "miToggleZenMode": "Zen Mode",
+ "toggleMenuBar": "切換功能表列",
+ "miShowMenuBar": "顯示功能表列(&&B)",
+ "resetViewLocations": "重設檢視位置",
+ "moveView": "移動檢視",
+ "sidebarContainer": "提要欄位/{0}",
+ "panelContainer": "面板/{0}",
+ "moveFocusedView.selectView": "選取要移動的檢視",
+ "moveFocusedView": "移動焦點檢視",
+ "moveFocusedView.error.noFocusedView": "目前沒有任何焦點檢視。",
+ "moveFocusedView.error.nonMovableView": "目前的焦點檢視無法移動。",
+ "moveFocusedView.selectDestination": "選取檢視的目的地",
+ "moveFocusedView.title": "檢視: 移動 {0}",
+ "moveFocusedView.newContainerInPanel": "新增面板項目",
+ "moveFocusedView.newContainerInSidebar": "新增提要欄位項目",
+ "sidebar": "側邊欄",
+ "panel": "面板",
+ "resetFocusedViewLocation": "重設焦點檢視位置",
+ "resetFocusedView.error.noFocusedView": "目前沒有任何焦點檢視。",
+ "increaseViewSize": "增加目前的檢視大小",
+ "increaseEditorWidth": "增加編輯器寬度",
+ "increaseEditorHeight": "增加編輯器高度",
+ "decreaseViewSize": "縮小目前的檢視大小",
+ "decreaseEditorWidth": "減少編輯器寬度",
+ "decreaseEditorHeight": "減少編輯器高度"
+ },
+ "vs/workbench/browser/actions/navigationActions": {
+ "navigateLeft": "導覽至 [檢視左側]",
+ "navigateRight": "導覽至 [檢視右側]",
+ "navigateUp": "導覽至 [檢視上方]",
+ "navigateDown": "導覽至 [檢視下方]",
+ "focusNextPart": "聚焦於下一部分",
+ "focusPreviousPart": "聚焦於上一部分"
+ },
+ "vs/workbench/browser/actions/windowActions": {
+ "remove": "從最近開啟的檔案中移除",
+ "dirtyRecentlyOpened": "具有已改變檔案的工作區",
+ "workspaces": "工作區",
+ "files": "檔案",
+ "openRecentPlaceholderMac": "選取以開啟 (按住 Cmd 鍵可強制在新視窗中開啟,按住 Alt 鍵可在同一個視窗中開啟)",
+ "openRecentPlaceholder": "選取以開啟 (按住 Ctrl 鍵可強制在新視窗中開啟,按住 Alt 鍵可在同一個視窗中開啟)",
+ "dirtyWorkspace": "有已變更檔案的工作區",
+ "dirtyWorkspaceConfirm": "是否要開啟該工作區,檢閱已改變的檔案?",
+ "dirtyWorkspaceConfirmDetail": "在儲存或還原所有已變更的檔案之前,無法移除具有已變更檔案的工作區。",
+ "recentDirtyAriaLabel": "已改變工作區 {0}",
+ "openRecent": "開啟最近使用的檔案...",
+ "quickOpenRecent": "快速開啟最近使用的檔案...",
+ "toggleFullScreen": "切換全螢幕",
+ "reloadWindow": "重新載入視窗",
+ "about": "關於",
+ "newWindow": "開新視窗",
+ "blur": "從焦點元素移除鍵盤焦點",
+ "file": "檔案",
+ "miConfirmClose": "關閉前確認",
+ "miNewWindow": "開新視窗(&&W)",
+ "miOpenRecent": "開啟最近的檔案(&&R)",
+ "miMore": "其他(&&M)...",
+ "miToggleFullScreen": "全螢幕(&&F)",
+ "miAbout": "關於(&&A)"
+ },
+ "vs/workbench/browser/actions/workspaceActions": {
+ "openFile": "開啟檔案...",
+ "openFolder": "開啟資料夾...",
+ "openFileFolder": "開啟...",
+ "openWorkspaceAction": "開啟工作區...",
+ "closeWorkspace": "關閉工作區",
+ "noWorkspaceOpened": "此執行個體中目前沒有開啟的工作區可以關閉。",
+ "openWorkspaceConfigFile": "開啟工作區組態檔",
+ "globalRemoveFolderFromWorkspace": "將資料夾從工作區移除...",
+ "saveWorkspaceAsAction": "另存工作區為...",
+ "duplicateWorkspaceInNewWindow": "新視窗中的重覆工作區",
+ "workspaces": "工作區",
+ "miAddFolderToWorkspace": "將資料夾新增至工作區(&&D)...",
+ "miSaveWorkspaceAs": "另存工作區為...",
+ "miCloseFolder": "關閉資料夾(&&F)",
+ "miCloseWorkspace": "關閉工作區(&&W)"
+ },
+ "vs/workbench/browser/actions/workspaceCommands": {
+ "addFolderToWorkspace": "將資料夾新增到工作區...",
+ "add": "新增(&&A)",
+ "addFolderToWorkspaceTitle": "將資料夾新增到工作區",
+ "workspaceFolderPickerPlaceholder": "選取工作區資料夾"
+ },
+ "vs/workbench/browser/actions/quickAccessActions": {
+ "quickOpen": "移至檔案...",
+ "quickNavigateNext": "在 Quick Open 中導覽至下一項",
+ "quickNavigatePrevious": "在 Quick Open 中導覽至上一項",
+ "quickSelectNext": "在 Quick Open 中選取下一個",
+ "quickSelectPrevious": "在 Quick Open 中選取上一個"
+ },
+ "vs/workbench/api/common/menusExtensionPoint": {
+ "menus.commandPalette": "命令選擇區",
+ "menus.touchBar": "Touch Bar (macOS)",
+ "menus.editorTitle": "編輯器標題功能表",
+ "menus.editorContext": "編輯器操作功能表",
+ "menus.explorerContext": "檔案總管操作功能表",
+ "menus.editorTabContext": "編輯器索引標籤操作功能表",
+ "menus.debugCallstackContext": "偵錯呼叫堆疊檢視操作功能表",
+ "menus.debugVariablesContext": "偵錯變數檢視操作功能表",
+ "menus.debugToolBar": "偵錯工具列功能表",
+ "menus.file": "最上層檔案功能表",
+ "menus.home": "主指示器操作功能表 (僅限網頁版)",
+ "menus.scmTitle": "原始檔控制標題功能表",
+ "menus.scmSourceControl": "原始檔控制功能表",
+ "menus.resourceGroupContext": "原始檔控制資源群組操作功能表",
+ "menus.resourceStateContext": "原始檔控制資源群組狀態操作功能表",
+ "menus.resourceFolderContext": "原始檔控制資源資料夾內容功能表",
+ "menus.changeTitle": "原始檔控制內嵌變更功能表",
+ "menus.statusBarWindowIndicator": "狀態列中的視窗指示器功能表",
+ "view.viewTitle": "這有助於查看標題功能表",
+ "view.itemContext": "這有助於查看項目內容功能表",
+ "commentThread.title": "貢獻的註解執行緒標題功能表",
+ "commentThread.actions": "貢獻的註解執行緒操作功能表,轉譯為註解編輯器下的按鈕",
+ "comment.title": "貢獻的註解標題功能表",
+ "comment.actions": "貢獻的註解操作功能表,轉譯為註解編輯器下的按鈕",
+ "notebook.cell.title": "所提供的筆記本儲存格標題功能表",
+ "menus.extensionContext": "延伸模組操作功能表",
+ "view.timelineTitle": "時間軸檢視標題功能表",
+ "view.timelineContext": "時間軸檢視項目操作功能表",
+ "requirestring": "`{0}` 是強制屬性,且必須屬於 `string` 類型",
+ "optstring": "`{0}` 屬性可省略,否則必須屬於 `string` 類型",
+ "requirearray": "子功能表項目必須是陣列",
+ "require": "子功能表項目必須是物件",
+ "vscode.extension.contributes.menuItem.command": "所要執行命令的識別碼。命令必須在 'commands' 區段中宣告",
+ "vscode.extension.contributes.menuItem.alt": "所要執行替代命令的識別碼。命令必須在 'commands' 區段中宣告",
+ "vscode.extension.contributes.menuItem.when": "必須為 True 以顯示此項目的條件",
+ "vscode.extension.contributes.menuItem.group": "分類到此項目的所屬群組",
+ "vscode.extension.contributes.menuItem.submenu": "在此項目中顯示的子功能表識別項。",
+ "vscode.extension.contributes.submenu.id": "顯示為子功能表的功能表識別項。",
+ "vscode.extension.contributes.submenu.label": "引導至此子功能表的功能表項目標籤。",
+ "vscode.extension.contributes.submenu.icon": "(選擇性) 用來在 UI 中表示子功能表的圖示。可為檔案路徑、具有檔案路徑的物件 (深色與淺色佈景主題),或是佈景主題圖示參考,例如 `\\$(zap)`",
+ "vscode.extension.contributes.submenu.icon.light": "使用亮色主題時的圖示路徑",
+ "vscode.extension.contributes.submenu.icon.dark": "使用暗色主題時的圖像路徑",
+ "vscode.extension.contributes.menus": "將功能表項目提供給編輯器",
+ "proposed": "建議的 API",
+ "vscode.extension.contributes.submenus": "將子功能表項目提供給編輯器",
+ "nonempty": "必須是非空白值。",
+ "opticon": "屬性 `icon` 可以省略,否則必須為字串或類似 `{dark, light}` 的常值",
+ "requireStringOrObject": "'{0}' 為必要屬性,且其類型必須是 'string' 或 'object'",
+ "requirestrings": "'{0}' 與 '{1}' 為必要屬性,且其類型必須是 'string'",
+ "vscode.extension.contributes.commandType.command": "所要執行命令的識別碼",
+ "vscode.extension.contributes.commandType.title": "UI 中用以代表命令的標題",
+ "vscode.extension.contributes.commandType.category": "(選用) UI 中用以將命令分組的分類字串",
+ "vscode.extension.contributes.commandType.precondition": "(選擇性) 條件必須為 true,才能在 UI (功能表及按鍵繫結關係) 中啟用命令。不會禁止透過其他方法執行命令,例如 `executeCommand`-api。",
+ "vscode.extension.contributes.commandType.icon": "(可選) 用來在 UI 中表示命令的圖示,可為檔案路徑、具有檔案路徑的物件 (深色和淺色佈景主題),或是佈景主題圖示參考 (例如 `\\$(zap)`)",
+ "vscode.extension.contributes.commandType.icon.light": "使用亮色主題時的圖示路徑",
+ "vscode.extension.contributes.commandType.icon.dark": "使用暗色主題時的圖像路徑",
+ "vscode.extension.contributes.commands": "將命令提供給命令選擇區。",
+ "dup": "命令 `{0}` 在 `commands` 區段中出現多次。",
+ "submenuId.invalid.id": "`{0}` 不是有效的子功能表識別項",
+ "submenuId.duplicate.id": "先前已註冊 `{0}` 子功能表。",
+ "submenuId.invalid.label": "`{0}` 不是有效的子功能表標籤",
+ "menuId.invalid": "`{0}` 不是有效的功能表識別碼",
+ "proposedAPI.invalid": "{0} 是建議的功能表識別碼,只有在開發用完或使用下列命令列參數時才可使用: --enable-proposed-api {1}",
+ "missing.command": "功能表項目參考了 'commands' 區段中未定義的命令 `{0}`。",
+ "missing.altCommand": "功能表項目參考了 'commands' 區段中未定義的替代命令 `{0}`。",
+ "dupe.command": "功能表項目參考了與預設相同的命令和替代命令",
+ "unsupported.submenureference": "功能表項目針對不支援子功能錶的功能表,參考了子功能表。",
+ "missing.submenu": "功能表項目參考了 'submenus' 區段中未定義的子功能表 `{0}`。",
+ "submenuItem.duplicate": "已將 `{0}` 子功能表提供給 `{1}` 功能表。"
+ },
+ "vs/workbench/api/common/configurationExtensionPoint": {
+ "vscode.extension.contributes.configuration.title": "設定的摘要。此標籤將會在設定檔中作為分隔註解使用。",
+ "vscode.extension.contributes.configuration.properties": "組態屬性的描述。",
+ "vscode.extension.contributes.configuration.property.empty": "屬性不可為空白。",
+ "scope.application.description": "只能在使用者設定中設定的組態。",
+ "scope.machine.description": "只有在使用者設定或遠端設定中,才可設定組態。",
+ "scope.window.description": "可在使用者、遠端或工作區設定中設定的組態。",
+ "scope.resource.description": "可在使用者、遠端、工作區或資料夾設定中設定的組態。",
+ "scope.language-overridable.description": "可在特定語言設定中設定的資源組態。",
+ "scope.machine-overridable.description": "也可在工作區或資料夾設定中設定的機器組態。",
+ "scope.description": "組態適用的範圍。可用的範圍包括 `application`、`machine`、`window`、`resource` 和 `machine-overridable`。",
+ "scope.enumDescriptions": "列舉值的描述",
+ "scope.markdownEnumDescriptions": "markdown 格式中列舉值的說明。 ",
+ "scope.markdownDescription": "markdown 格式中的描述。",
+ "scope.deprecationMessage": "若設定,屬性會標示為已淘汰,且指定訊息會顯示為說明。",
+ "scope.markdownDeprecationMessage": "若設定,則屬性會標記為已淘汰,而且指定訊息會顯示為 Markdown 格式的說明。",
+ "vscode.extension.contributes.defaultConfiguration": "依語言貢獻預設編輯器組態設定。",
+ "config.property.defaultConfiguration.languageExpected": "需要語言選取器 (例如 [\"java\"])",
+ "config.property.defaultConfiguration.warning": "無法註冊 '{0}' 的組態預設。僅支援語言專用設定的預設。",
+ "vscode.extension.contributes.configuration": "提供組態設定。",
+ "invalid.title": "'configuration.title' 必須是字串",
+ "invalid.properties": "'configuration.properties' 必須是物件",
+ "invalid.property": "'configuration.property' 必須是物件",
+ "invalid.allOf": "'configuration.allOf' 已取代而不應再使用。請改為將多個組態區段作為陣列,傳遞至「組態」貢獻點。",
+ "workspaceConfig.folders.description": "要載入工作區之資料夾的清單。",
+ "workspaceConfig.path.description": "檔案路徑,例如 `/root/folderA` 或 `./folderA` 即為會對工作區檔案位置解析的相關路徑。",
+ "workspaceConfig.name.description": "資料夾的選用名稱。",
+ "workspaceConfig.uri.description": "資料夾的 URI",
+ "workspaceConfig.settings.description": "工作區設定",
+ "workspaceConfig.launch.description": "工作區啟動組態",
+ "workspaceConfig.tasks.description": "工作區工作設定",
+ "workspaceConfig.extensions.description": "工作區延伸模組",
+ "workspaceConfig.remoteAuthority": "工作區所在的遠端伺服器。僅供未儲存的遠端工作區使用。",
+ "unknownWorkspaceProperty": "未知的工作區組態屬性"
+ },
+ "vs/workbench/api/browser/viewsExtensionPoint": {
+ "vscode.extension.contributes.views.containers.id": "用於識別可透過使用 'views' 參與點參與檢視之容器的唯一識別碼",
+ "vscode.extension.contributes.views.containers.title": "用於轉譯容器的易讀字串",
+ "vscode.extension.contributes.views.containers.icon": "容器圖示的路徑。圖示為置於 50x40 區塊中央,且以 'rgb(215, 218, 224)' 或 '#d7dae0' 填滿顏色的 24x24 影像。雖然接受所有影像檔案類型,但建議使用 SVG 作為圖示格式。",
+ "vscode.extension.contributes.viewsContainers": "提供檢視容器給編輯者",
+ "views.container.activitybar": "提供檢視容器給活動列",
+ "views.container.panel": "為面板提供檢視容器",
+ "vscode.extension.contributes.view.type": "檢視的類型。此類型可以是以樹狀檢視為基礎的檢視 `tree`,或以 Web 檢視為基礎的檢視 `webview`。預設為 `tree`。",
+ "vscode.extension.contributes.view.tree": "這個檢視由 `createTreeView` 所建立的 `TreeView` 所支援。",
+ "vscode.extension.contributes.view.webview": "這個檢視由 `registerWebviewViewProvider` 所註冊的 `WebviewView` 所支援。",
+ "vscode.extension.contributes.view.id": "檢視的識別碼。所有檢視的識別碼均不重複。建議在檢視識別碼中包含擴充識別碼。使用此項目來透過 `vscode.window.registerTreeDataProviderForView` API 註冊資料提供者,並向 `activationEvents` 註冊 `onView:${id}` 事件來觸發您擴充的啟動。",
+ "vscode.extension.contributes.view.name": "使用人性化顯示名稱。會顯示",
+ "vscode.extension.contributes.view.when": "必須為 True 以顯示此檢視的條件",
+ "vscode.extension.contributes.view.icon": "檢視圖示的路徑。當無法顯示檢視的名稱時,則會顯示檢視圖示。雖然接受任何影像檔案類型,但仍建議您使用 SVG 格式的圖示。",
+ "vscode.extension.contributes.view.contextualTitle": "人類看得懂的內容,在檢視移出其原始位置時使用。根據預設會使用該檢視的容器名稱。將會顯示",
+ "vscode.extension.contributes.view.initialState": "第一次安裝延伸模組時,檢視的初始狀態。當使用者透過摺疊、移動或隱藏檢視來變更檢視狀態之後,就不再使用初始狀態。",
+ "vscode.extension.contributes.view.initialState.visible": "檢視的預設初始狀態。檢視在大多數容器中都會展開,但是在某些內建容器 (總管、SCM 及偵錯) 中,不論 `visibility` 為何,都會以摺疊方式顯示所有提供的檢視。",
+ "vscode.extension.contributes.view.initialState.hidden": "此檢視不會在檢視容器中顯示,但可透過 [檢視] 功能表及其他檢視進入點加以探索,而且使用者可以解除隱藏。",
+ "vscode.extension.contributes.view.initialState.collapsed": "此檢視將會在檢視容器中顯示,但為摺疊狀態。",
+ "vscode.extension.contributes.view.group": "viewlet 中的巢狀群組",
+ "vscode.extension.contributes.view.remoteName": "與此檢視建立關聯之遠端類型的名稱",
+ "vscode.extension.contributes.views": "提供檢視給編輯者",
+ "views.explorer": "提供檢視給活動列中的總管容器",
+ "views.debug": "提供檢視給活動列中的偵錯容器",
+ "views.scm": "提供檢視給活動列中的 SCM 容器",
+ "views.test": "提供檢視給活動列中的測試容器",
+ "views.remote": "在活動列中向遠端容器提供檢視。若要向此容器提供項目,需要開啟 enableProposedApi",
+ "views.contributed": "在參與檢視容器中提供檢視",
+ "test": "測試",
+ "viewcontainer requirearray": "檢視容器必須為陣列",
+ "requireidstring": "屬性 ‵{0}` 為必要項且必須為類型 `string`。僅允許英數字元、'_' 與 '-'。",
+ "requirestring": "`{0}` 是強制屬性,且必須屬於 `string` 類型",
+ "showViewlet": "顯示 {0}",
+ "ViewContainerRequiresProposedAPI": "必須開啟 'enableProposedApi’,才能將檢視容器 ‘{0}’ 新增到 'Remote’。",
+ "ViewContainerDoesnotExist": "檢視容器 '{0}' 不存在,且所有向其註冊的檢視都會新增至 'Explorer'。",
+ "duplicateView1": "無法註冊識別碼 `{0}` 相同的多個檢視",
+ "duplicateView2": "已經註冊識別碼為 `{0}` 的檢視。",
+ "unknownViewType": "未知的檢視類型 `{0}`。",
+ "requirearray": "檢視必須為陣列",
+ "optstring": "`{0}` 屬性可省略,否則必須屬於 `string` 類型",
+ "optenum": "`{0}` 屬性可省略,否則必須屬於 {1} 之一"
+ },
+ "vs/workbench/browser/parts/activitybar/activitybarPart": {
+ "settingsViewBarIcon": "檢視列中的設定圖示。",
+ "accountsViewBarIcon": "檢視列中的帳戶圖示。",
+ "hideHomeBar": "隱藏首頁按鈕",
+ "showHomeBar": "顯示首頁按鈕",
+ "hideMenu": "隱藏功能表",
+ "showMenu": "顯示功能表",
+ "hideAccounts": "隱藏帳戶",
+ "showAccounts": "顯示帳戶",
+ "hideActivitBar": "隱藏活動列",
+ "resetLocation": "重設位置",
+ "homeIndicator": "首頁",
+ "home": "首頁",
+ "manage": "管理",
+ "accounts": "帳戶",
+ "focusActivityBar": "焦點活動列"
+ },
+ "vs/workbench/browser/parts/panel/panelPart": {
+ "hidePanel": "隱藏面板",
+ "panel.emptyMessage": "將檢視拖曳至面板以顯示。"
+ },
+ "vs/workbench/browser/parts/sidebar/sidebarPart": {
+ "focusSideBar": "瀏覽至提要欄位"
+ },
+ "vs/workbench/browser/parts/statusbar/statusbarPart": {
+ "hide": "隱藏 '{0}'",
+ "hideStatusBar": "隱藏狀態列"
+ },
+ "vs/workbench/browser/parts/views/viewsService": {
+ "focus view": "聚焦於 {0} 檢視",
+ "resetViewLocation": "重設位置"
+ },
+ "vs/workbench/browser/parts/dialogs/dialogHandler": {
+ "yesButton": "是(&&Y)",
+ "cancelButton": "取消",
+ "aboutDetail": "版本: {0}\r\n認可: {1}\r\n日期: {2}\r\n瀏覽器: {3}",
+ "copy": "複製",
+ "ok": "確定"
+ },
+ "vs/workbench/electron-sandbox/parts/dialogs/dialogHandler": {
+ "yesButton": "是(&&Y)",
+ "cancelButton": "取消",
+ "aboutDetail": "版本: {0}\r\n認可: {1}\r\n日期: {2}\r\nElectron: {3}\r\nChrome: {4}\r\nNode.js: {5}\r\nV8: {6}\r\nOS: {7}",
+ "okButton": "確定",
+ "copy": "複製(&&C)"
+ },
+ "vs/workbench/electron-sandbox/actions/developerActions": {
+ "toggleDevTools": "切換開發人員工具",
+ "configureRuntimeArguments": "設定執行階段引數"
+ },
+ "vs/workbench/electron-sandbox/actions/windowActions": {
+ "closeWindow": "關閉視窗",
+ "zoomIn": "放大",
+ "zoomOut": "縮小",
+ "zoomReset": "重設縮放",
+ "reloadWindowWithExtensionsDisabled": "已停用延伸模組的重新載入",
+ "close": "關閉視窗",
+ "switchWindowPlaceHolder": "選取要切換的視窗",
+ "windowDirtyAriaLabel": "已改變的視窗 {0}",
+ "current": "目前視窗",
+ "switchWindow": "切換視窗...",
+ "quickSwitchWindow": "快速切換視窗..."
+ },
+ "vs/workbench/browser/parts/notifications/notificationsCenter": {
+ "notificationsEmpty": "尚無新通知",
+ "notifications": "通知",
+ "notificationsToolbar": "通知中心動作"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsAlerts": {
+ "alertErrorMessage": "錯誤: {0}",
+ "alertWarningMessage": "警告: {0}",
+ "alertInfoMessage": "資訊: {0}"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsStatus": {
+ "status.notifications": "通知",
+ "hideNotifications": "隱藏通知",
+ "zeroNotifications": "無通知",
+ "noNotifications": "尚無新通知",
+ "oneNotification": "1 則新通知",
+ "notifications": "{0} 則新通知",
+ "noNotificationsWithProgress": "沒有新的通知 ({0} 正在進行)",
+ "oneNotificationWithProgress": "1 則新通知 ({0} 正在進行)",
+ "notificationsWithProgress": "有 {0} 則新通知 (有 {1} 則正在進行)",
+ "status.message": "狀態訊息"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsCommands": {
+ "notifications": "通知",
+ "showNotifications": "顯示通知",
+ "hideNotifications": "隱藏通知",
+ "clearAllNotifications": "清除所有通知",
+ "focusNotificationToasts": "焦點通知快顯通知"
+ },
+ "vs/workbench/browser/parts/titlebar/menubarControl": {
+ "mFile": "檔案(&&F)",
+ "mEdit": "編輯(&&E)",
+ "mSelection": "選取項目(&&S)",
+ "mView": "檢視(&&V)",
+ "mGoto": "移至(&&G)",
+ "mRun": "執行(&&R)",
+ "mTerminal": "終端機(&&T)",
+ "mHelp": "說明(&&H)",
+ "menubar.customTitlebarAccessibilityNotification": "已為您啟用協助工具支援。為了讓體驗達到最大的方便性,建議使用自訂標題列樣式。",
+ "goToSetting": "開啟設定",
+ "focusMenu": "聚焦於應用程式功能表",
+ "checkForUpdates": "檢查更新(&&U)...",
+ "checkingForUpdates": "正在查看是否有更新...",
+ "download now": "下載更新(&&O)",
+ "DownloadingUpdate": "正在下載更新...",
+ "installUpdate...": "安裝更新(&&U)...",
+ "installingUpdate": "正在安裝更新...",
+ "restartToUpdate": "重新啟動以更新(&&U)"
+ },
+ "vs/workbench/api/common/extHostExtensionActivator": {
+ "failedDep1": "無法啟用延伸模組 '{0}’,原因是其相依於無法啟用的延伸模組 ‘{1}’。",
+ "activationError": "啟動延伸模組 '{0}' 失敗: {1}。"
+ },
+ "vs/workbench/api/common/extHost.api.impl": {
+ "extensionLabel": "{0} (延伸模組)"
+ },
+ "vs/workbench/api/node/extHostDebugService": {
+ "debug.terminal.title": "偵錯項目"
+ },
+ "vs/workbench/api/common/jsonValidationExtensionPoint": {
+ "contributes.jsonValidation": "提供 JSON 結構描述組態。",
+ "contributes.jsonValidation.fileMatch": "要比對的檔案模式 (或模式陣列),例如 \"package.json\" 或 \"*.launch\"。會排除以 '!' 開頭的模式",
+ "contributes.jsonValidation.url": "結構描述 URL ('http:'、'https:') 或延伸模組資料夾的相對路徑 ('./')。",
+ "invalid.jsonValidation": "'configuration.jsonValidation' 必須是陣列",
+ "invalid.fileMatch": "\"configuration.jsonValidation.fileMatch\" 必須定義為字串或字串陣列。",
+ "invalid.url": "'configuration.jsonValidation.url' 必須是 URL 或相對路徑",
+ "invalid.path.1": "要包含在延伸模組資料夾 ({2}) 中的預期 `contributes.{0}.url` ({1})。這可能讓延伸模組無法移植。",
+ "invalid.url.fileschema": "'configuration.jsonValidation.url' 是無效的相對 URL: {0}",
+ "invalid.url.schema": "'configuration.jsonValidation.url' 必須是絕對 URL 或以 './' 開頭,以參考擴充內的結構描述。"
+ },
+ "vs/workbench/api/browser/mainThreadExtensionService": {
+ "reload window": "因為 ‘{0}’ 延伸模組相依於未載入的 ‘{1}’ 延伸模組,所以無法予以啟用。要重新載入視窗以載入延伸模組嗎?",
+ "reload": "重新載入視窗",
+ "disabledDep": "因為 ‘{0}’ 延伸模組相依於已停用的 ‘{1}’ 延伸模組,所以無法予以啟用。要啟用延伸模組並重新載入視窗嗎?",
+ "enable dep": "啟用並重新載入",
+ "uninstalledDep": "因為 ‘{0}’ 延伸模組相依於未安裝的 ‘{1}’ 延伸模組,所以無法予以啟用。要安裝延伸模組並重新載入視窗嗎?",
+ "install missing dep": "安裝並重新載入",
+ "unknownDep": "因為 ‘{0}’ 延伸模組相依於未知的 ‘{1}’ 延伸模組,所以無法予以啟用。"
+ },
+ "vs/workbench/api/browser/mainThreadFileSystemEventService": {
+ "files.participants.timeout": "建立、重新命名和刪除的檔案參與者受到取消時的逾時 (毫秒)。使用 `0` 來停用參與者。"
+ },
+ "vs/workbench/api/browser/mainThreadMessageService": {
+ "extensionSource": "{0} (延伸模組)",
+ "defaultSource": "延伸模組",
+ "manageExtension": "管理延伸模組",
+ "cancel": "取消",
+ "ok": "確定"
+ },
+ "vs/workbench/api/browser/mainThreadProgress": {
+ "manageExtension": "管理延伸模組"
+ },
+ "vs/workbench/api/browser/mainThreadSaveParticipant": {
+ "timeout.onWillSave": "在 1750 亳秒後中止 onWillSaveTextDocument 事件"
+ },
+ "vs/workbench/api/browser/mainThreadWorkspace": {
+ "folderStatusMessageAddSingleFolder": "延伸模組 '{0}' 在工作區新增了 1 個資料夾",
+ "folderStatusMessageAddMultipleFolders": "延伸模組 '{0}' 在工作區中新增了 {1} 個資料夾",
+ "folderStatusMessageRemoveSingleFolder": "延伸模組 '{0}' 從工作區移除了 1 個資料夾",
+ "folderStatusMessageRemoveMultipleFolders": "延伸模組 '{0}' 從工作區移除了 {1} 個資料夾",
+ "folderStatusChangeFolder": "延伸模組 '{0}' 變更了工作區的資料夾"
+ },
+ "vs/workbench/api/browser/mainThreadComments": {
+ "commentsViewIcon": "[註解] 檢視的檢視圖示。"
+ },
+ "vs/workbench/api/browser/mainThreadTask": {
+ "task.label": "{0}: {1}"
+ },
+ "vs/workbench/api/browser/mainThreadAuthentication": {
+ "noTrustedExtensions": "尚未有任何延伸模組使用過此帳戶。",
+ "accountLastUsedDate": "上次使用此帳戶是 {0}",
+ "notUsed": "尚未使用此帳戶",
+ "manageTrustedExtensions": "管理受信任的延伸模組",
+ "manageExensions": "選擇可存取此帳戶的延伸模組",
+ "signOutConfirm": "登出 {0}",
+ "signOutMessagve": "帳戶 {0} 已有使用者: \r\n\r\n{1}\r\n\r\n 要登出這些功能嗎?",
+ "signOutMessageSimple": "要登出 {0} 嗎?",
+ "signedOut": "已成功登出。",
+ "useOtherAccount": "登入另一個帳戶",
+ "selectAccount": "延伸模組 '{0}' 要求存取 {1} 帳戶",
+ "getSessionPlateholder": "選取要供 '{0}' 使用的帳戶,或按 Esc 鍵以取消",
+ "confirmAuthenticationAccess": "延伸模組 '{0}' 正在嘗試存取 {1} 帳戶 '{2}' 的驗證資訊。",
+ "allow": "允許",
+ "cancel": "取消",
+ "confirmLogin": "延伸模組 '{0}' 欲使用 {1} 登入。"
+ },
+ "vs/workbench/common/configuration": {
+ "workbenchConfigurationTitle": "工作台"
+ },
+ "vs/workbench/browser/parts/views/treeView": {
+ "no-dataprovider": "沒有任何已註冊的資料提供者可提供檢視資料。",
+ "refresh": "重新整理",
+ "collapseAll": "全部摺疊",
+ "command-error": "執行命令 {1} 時發生錯誤: {0}。這可能是貢獻 {1} 的延伸模組所引起。"
+ },
+ "vs/workbench/browser/viewlet": {
+ "compositePart.hideSideBarLabel": "隱藏提要欄位",
+ "views": "檢視",
+ "collapse": "全部摺疊"
+ },
+ "vs/workbench/browser/parts/views/viewPaneContainer": {
+ "viewPaneContainerExpandedIcon": "展開之檢視窗格容器的圖示。",
+ "viewPaneContainerCollapsedIcon": "摺疊之檢視窗格容器的圖示。",
+ "viewToolbarAriaLabel": "{0} 個動作",
+ "hideView": "隱藏",
+ "viewMoveUp": "向上移動檢視",
+ "viewMoveLeft": "向左移檢視",
+ "viewMoveDown": "向下移動檢視",
+ "viewMoveRight": "向右移動檢視"
+ },
+ "vs/workbench/browser/parts/editor/editorGroupView": {
+ "ariaLabelGroupActions": "編輯器群組動作",
+ "closeGroupAction": "關閉",
+ "emptyEditorGroup": "{0} (空白)",
+ "groupLabel": "群組 {0}",
+ "groupAriaLabel": "編輯器群組 {0}",
+ "ok": "確定",
+ "cancel": "取消",
+ "editorOpenErrorDialog": "無法開啟 '{0}'",
+ "editorOpenError": "無法開啟 '{0}': {1}。"
+ },
+ "vs/workbench/browser/parts/editor/editorDropTarget": {
+ "fileTooLarge": "檔案過大,無法以未命名的編輯器開啟。請先將其上傳至檔案總管,並再試一次。"
+ },
+ "vs/workbench/browser/parts/editor/editor.contribution": {
+ "textEditor": "文字編輯器",
+ "textDiffEditor": "文字 Diff 編輯器",
+ "binaryDiffEditor": "二進位 Diff 編輯器",
+ "sideBySideEditor": "並排編輯器",
+ "editorQuickAccessPlaceholder": "鍵入編輯器名稱以開啟該編輯器。",
+ "activeGroupEditorsByMostRecentlyUsedQuickAccess": "根據最近使用時間顯示使用中群組的編輯器",
+ "allEditorsByAppearanceQuickAccess": "根據外觀顯示所有已開啟編輯器",
+ "allEditorsByMostRecentlyUsedQuickAccess": "依最近使用順序顯示所有開啟的編輯器",
+ "file": "檔案",
+ "splitUp": "向上分割",
+ "splitDown": "向下分割",
+ "splitLeft": "向左分割",
+ "splitRight": "向右分割",
+ "close": "關閉",
+ "closeOthers": "關閉其他",
+ "closeRight": "關到右側",
+ "closeAllSaved": "關閉已儲存項目",
+ "closeAll": "全部關閉",
+ "keepOpen": "保持開啟",
+ "pin": "釘選",
+ "unpin": "取消釘選",
+ "toggleInlineView": "切換內嵌檢視",
+ "showOpenedEditors": "顯示開啟的編輯器",
+ "toggleKeepEditors": "保持編輯器開啟",
+ "splitEditorRight": "向右分割編輯器",
+ "splitEditorDown": "向下分割編輯器",
+ "previousChangeIcon": "Diff 編輯器中 [上一個變更動作] 的圖示。",
+ "nextChangeIcon": "Diff 編輯器中 [下一個變更動作] 的圖示。",
+ "toggleWhitespace": "Diff 編輯器中 [切換空白字元動作] 的圖示。",
+ "navigate.prev.label": "上一個變更",
+ "navigate.next.label": "下一個變更",
+ "ignoreTrimWhitespace.label": "忽略前置/後置空白字元差異",
+ "showTrimWhitespace.label": "顯示前置/後置空白字元差異",
+ "keepEditor": "保留編輯器",
+ "pinEditor": "釘選編輯器",
+ "unpinEditor": "將編輯器取消釘選",
+ "closeEditor": "關閉編輯器",
+ "closePinnedEditor": "關閉鎖定的編輯器",
+ "closeEditorsInGroup": "關閉群組中的所有編輯器",
+ "closeSavedEditors": "關閉群組中的已儲存編輯器",
+ "closeOtherEditors": "關閉群組中其他的編輯器",
+ "closeRightEditors": "在群組中向右關閉編輯器",
+ "closeEditorGroup": "關閉編輯器群組",
+ "miReopenClosedEditor": "重新開啟已關閉的編輯器(&&R)",
+ "miClearRecentOpen": "清除最近開啟的項目(&&C)",
+ "miEditorLayout": "編輯器版面配置(&&L)",
+ "miSplitEditorUp": "向上分割(&&U)",
+ "miSplitEditorDown": "向下分割(&&D)",
+ "miSplitEditorLeft": "分割左側(&&L)",
+ "miSplitEditorRight": "向右分割(&&R)",
+ "miSingleColumnEditorLayout": "單一(&&S)",
+ "miTwoColumnsEditorLayout": "兩個資料列(&&T)",
+ "miThreeColumnsEditorLayout": "三行(&&H)",
+ "miTwoRowsEditorLayout": "兩列(&&W)",
+ "miThreeRowsEditorLayout": "三列(&&R)",
+ "miTwoByTwoGridEditorLayout": "格線 (2x2)(&&G)",
+ "miTwoRowsRightEditorLayout": "向右兩列(&&O)",
+ "miTwoColumnsBottomEditorLayout": "兩個資料行置底(&&C)",
+ "miBack": "上一步(&&B)",
+ "miForward": "轉寄(&&F)",
+ "miLastEditLocation": "上次編輯位置(&&L)",
+ "miNextEditor": "下一個編輯器(&&N)",
+ "miPreviousEditor": "上一個編輯器(&&P)",
+ "miNextRecentlyUsedEditor": "下一個使用過的編輯器(&&N)",
+ "miPreviousRecentlyUsedEditor": "上一個使用的編輯器(&&P)",
+ "miNextEditorInGroup": "群組中的下一個編輯器(&&N)",
+ "miPreviousEditorInGroup": "群組中的上一個編輯器(&&P)",
+ "miNextUsedEditorInGroup": "群組中下一個已使用的編輯器(&&N)",
+ "miPreviousUsedEditorInGroup": "群組中上一個已使用的編輯器(&&P)",
+ "miSwitchEditor": "切換編輯器(&&E)",
+ "miFocusFirstGroup": "群組 1(&&1)",
+ "miFocusSecondGroup": "群組 2(&&2)",
+ "miFocusThirdGroup": "群組 3(&&3)",
+ "miFocusFourthGroup": "群組 4(&&4)",
+ "miFocusFifthGroup": "群組 5(&&5)",
+ "miNextGroup": "下一個群組(&&N)",
+ "miPreviousGroup": "上一個群組(&&P)",
+ "miFocusLeftGroup": "群組置左(&&L)",
+ "miFocusRightGroup": "群組置右(&&R)",
+ "miFocusAboveGroup": "以上群組(&&A)",
+ "miFocusBelowGroup": "向下分組(&&B)",
+ "miSwitchGroup": "切換群組(&&G)"
+ },
+ "vs/workbench/browser/parts/activitybar/activitybarActions": {
+ "goHome": "前往首頁",
+ "hide": "隱藏",
+ "manageTrustedExtensions": "管理受信任的延伸模組",
+ "signOut": "登出",
+ "authProviderUnavailable": "{0} 目前無法使用",
+ "previousSideBarView": "上一個側邊欄檢視",
+ "nextSideBarView": "下一個側邊欄檢視"
+ },
+ "vs/workbench/browser/parts/compositeBar": {
+ "activityBarAriaLabel": "即時檢視切換器"
+ },
+ "vs/workbench/browser/parts/compositeBarActions": {
+ "badgeTitle": "{0} - {1}",
+ "additionalViews": "其他檢視",
+ "numberBadge": "{0} ({1})",
+ "manageExtension": "管理延伸模組",
+ "titleKeybinding": "{0} ({1})",
+ "hide": "隱藏",
+ "keep": "保留",
+ "toggle": "切換釘選的檢視"
+ },
+ "vs/workbench/browser/parts/compositePart": {
+ "ariaCompositeToolbarLabel": "{0} 個動作",
+ "viewsAndMoreActions": "檢視及更多動作...",
+ "titleTooltip": "{0} ({1})"
+ },
+ "vs/workbench/browser/parts/panel/panelActions": {
+ "maximizeIcon": "用於將面板最大化的圖示。",
+ "restoreIcon": "用於還原面板的圖示。",
+ "closeIcon": "用於關閉面板的圖示。",
+ "closePanel": "關閉面板",
+ "togglePanel": "切換面板",
+ "focusPanel": "將焦點移至面板",
+ "toggleMaximizedPanel": "切換最大化面板",
+ "maximizePanel": "最大化面板大小",
+ "minimizePanel": "還原面板大小",
+ "positionPanelLeft": "向左移動面板",
+ "positionPanelRight": "向右移動面板",
+ "positionPanelBottom": "將面板移動到底部",
+ "previousPanelView": "上一個面板檢視",
+ "nextPanelView": "下一個面板檢視",
+ "miShowPanel": "顯示面板(&&P)"
+ },
+ "vs/workbench/common/editor/diffEditorInput": {
+ "sideBySideLabels": "{0} ↔ {1}"
+ },
+ "vs/workbench/browser/parts/editor/editorWidgets": {
+ "openWorkspace": "開啟工作區"
+ },
+ "vs/workbench/browser/parts/editor/editorCommands": {
+ "editorCommand.activeEditorMove.description": "以 tab 或群組為單位移動使用中的編輯器",
+ "editorCommand.activeEditorMove.arg.name": "使用中編輯器的移動引數",
+ "editorCommand.activeEditorMove.arg.description": "引數屬性:\r\n\t* 'to': 字串值,提供向何處移動。\r\n\t* 'by': 字串值,提供移動單位 (依索引標籤或群組)。\r\n\t* 'value': 數值,提供要移動多少位置或絕對位置。",
+ "toggleInlineView": "切換內嵌檢視",
+ "compare": "比較",
+ "enablePreview": "已在設定中啟用了預覽編輯器。",
+ "disablePreview": "已在設定中停用預覽編輯器。",
+ "learnMode": "深入了解"
+ },
+ "vs/workbench/browser/parts/editor/textResourceEditor": {
+ "textEditor": "文字編輯器"
+ },
+ "vs/workbench/browser/parts/titlebar/titlebarPart": {
+ "patchedWindowTitle": "[不支援]",
+ "userIsAdmin": "[系統管理員]",
+ "userIsSudo": "[超級使用者]",
+ "devExtensionWindowTitlePrefix": "[延伸模組開發主機]"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsList": {
+ "notificationAriaLabel": "{0},通知",
+ "notificationWithSourceAriaLabel": "{0},來源: {1},通知",
+ "notificationsList": "通知清單"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsActions": {
+ "clearIcon": "通知中 [清除動作] 的圖示。",
+ "clearAllIcon": "通知中 [清除所有動作] 的圖示。",
+ "hideIcon": "通知中 [隱藏動作] 的圖示。",
+ "expandIcon": "通知中 [展開動作] 的圖示。",
+ "collapseIcon": "通知中 [摺疊動作] 的圖示。",
+ "configureIcon": "通知中 [設定動作] 的圖示。",
+ "clearNotification": "清除通知",
+ "clearNotifications": "清除所有通知",
+ "hideNotificationsCenter": "隱藏通知",
+ "expandNotification": "展開通知",
+ "collapseNotification": "摺疊通知",
+ "configureNotification": "設定通知",
+ "copyNotification": "複製文字"
+ },
+ "vs/workbench/api/common/extHostDiagnostics": {
+ "limitHit": "未顯示另外 {0} 個錯誤與警告。"
+ },
+ "vs/workbench/api/common/extHostProgress": {
+ "extensionSource": "{0} (延伸模組)"
+ },
+ "vs/workbench/api/common/extHostStatusBar": {
+ "status.extensionMessage": "延伸模組狀態"
+ },
+ "vs/workbench/api/common/extHostTreeViews": {
+ "treeView.notRegistered": "未註冊識別碼為 '{0}' 的樹狀檢視。",
+ "treeView.duplicateElement": "識別碼為 {0} 的元件已被註冊"
+ },
+ "vs/workbench/browser/parts/editor/textEditor": {
+ "editor": "編輯器"
+ },
+ "vs/workbench/api/browser/mainThreadCustomEditors": {
+ "defaultEditLabel": "編輯"
+ },
+ "vs/workbench/api/browser/mainThreadWebviews": {
+ "errorMessage": "還原 view:{0} 時發生錯誤"
+ },
+ "vs/workbench/browser/parts/editor/tabsTitleControl": {
+ "ariaLabelTabActions": "索引標籤動作"
+ },
+ "vs/workbench/browser/parts/editor/textDiffEditor": {
+ "textDiffEditor": "文字 Diff 編輯器"
+ },
+ "vs/workbench/browser/parts/editor/binaryDiffEditor": {
+ "metadataDiff": "{0} ↔ {1}"
+ },
+ "vs/workbench/browser/parts/editor/editorStatus": {
+ "singleSelectionRange": "第 {0} 行,第 {1} 欄 (已選取 {2})",
+ "singleSelection": "第 {0} 行,第 {1} 欄",
+ "multiSelectionRange": "{0} 個選取項目 (已選取 {1} 個字元)",
+ "multiSelection": "{0} 個選取項目",
+ "endOfLineLineFeed": "LF",
+ "endOfLineCarriageReturnLineFeed": "CRLF",
+ "screenReaderDetectedExplanation.question": "您目前使用螢幕助讀程式運作 VS Code 嗎? (使用螢幕助讀程式時會停用自動換行)",
+ "screenReaderDetectedExplanation.answerYes": "是",
+ "screenReaderDetectedExplanation.answerNo": "否",
+ "noEditor": "目前無使用中的文字編輯器",
+ "noWritableCodeEditor": "使用中的程式碼編輯器為唯讀。",
+ "indentConvert": "轉換檔案",
+ "indentView": "變更檢視",
+ "pickAction": "選取動作",
+ "tabFocusModeEnabled": "用 Tab 鍵移動焦點",
+ "disableTabMode": "停用協助工具模式",
+ "status.editor.tabFocusMode": "協助工具模式",
+ "columnSelectionModeEnabled": "資料行選取",
+ "disableColumnSelectionMode": "停用資料行選取模式",
+ "status.editor.columnSelectionMode": "資料行選取模式",
+ "screenReaderDetected": "已將螢幕助讀程式最佳化",
+ "status.editor.screenReaderMode": "螢幕助讀程式模式",
+ "gotoLine": "前往行/欄",
+ "status.editor.selection": "編輯器選取",
+ "selectIndentation": "選擇縮排",
+ "status.editor.indentation": "編輯器縮排",
+ "selectEncoding": "選取編碼",
+ "status.editor.encoding": "編輯器編碼",
+ "selectEOL": "選取行尾順序",
+ "status.editor.eol": "編輯器行結尾",
+ "selectLanguageMode": "選取語言模式",
+ "status.editor.mode": "編輯器語言",
+ "fileInfo": "檔案資訊",
+ "status.editor.info": "檔案資訊",
+ "spacesSize": "空格: {0}",
+ "tabSize": "定位點大小: {0}",
+ "currentProblem": "目前問題",
+ "showLanguageExtensions": "在 Marketplace 搜尋延伸模組 '{0}'...",
+ "changeMode": "變更語言模式",
+ "languageDescription": "({0}) - 設定的語言",
+ "languageDescriptionConfigured": "({0})",
+ "languagesPicks": "語言 (識別碼)",
+ "configureModeSettings": "進行以 '{0}' 語言為基礎的設定...",
+ "configureAssociationsExt": "為 '{0}' 設定檔案關聯...",
+ "autoDetect": "自動偵測",
+ "pickLanguage": "選取語言模式",
+ "currentAssociation": "目前的關聯",
+ "pickLanguageToConfigure": "選取要與 '{0}' 建立關聯的語言模式",
+ "changeEndOfLine": "變更行尾順序",
+ "pickEndOfLine": "選取行尾順序",
+ "changeEncoding": "變更檔案的編碼",
+ "noFileEditor": "目前沒有使用中的檔案",
+ "saveWithEncoding": "以編碼儲存",
+ "reopenWithEncoding": "以編碼重新開啟",
+ "guessedEncoding": "已從內容猜測",
+ "pickEncodingForReopen": "選取檔案的編碼以重新開啟檔案",
+ "pickEncodingForSave": "選取用來儲存的檔案編碼"
+ },
+ "vs/workbench/browser/parts/editor/editorActions": {
+ "splitEditor": "分割編輯器",
+ "splitEditorOrthogonal": "正交分割編輯器",
+ "splitEditorGroupLeft": "向左分割編輯器",
+ "splitEditorGroupRight": "向右分割編輯器",
+ "splitEditorGroupUp": "向上分割編輯器",
+ "splitEditorGroupDown": "向下分割編輯器",
+ "joinTwoGroups": "將編輯器群組與下一個群組聯結",
+ "joinAllGroups": "聯結所有編輯器群組",
+ "navigateEditorGroups": "在編輯器群組間導覽",
+ "focusActiveEditorGroup": "聚焦使用中的編輯器群組",
+ "focusFirstEditorGroup": "聚焦第一個編輯器群組",
+ "focusLastEditorGroup": "將焦點集中在最後一個編輯器群組",
+ "focusNextGroup": "將焦點集中在下一個編輯器群組",
+ "focusPreviousGroup": "將焦點集中在上一個編輯器群組",
+ "focusLeftGroup": "將焦點集中在左側編輯器群組",
+ "focusRightGroup": "將焦點集中在右側編輯器群組",
+ "focusAboveGroup": "將焦點集中在上方編輯器群組",
+ "focusBelowGroup": "將焦點集中在下方編輯器群組",
+ "closeEditor": "關閉編輯器",
+ "unpinEditor": "取消鎖定編輯器",
+ "closeOneEditor": "關閉",
+ "revertAndCloseActiveEditor": "還原並關閉編輯器",
+ "closeEditorsToTheLeft": "在群組中向左關閉編輯器",
+ "closeAllEditors": "關閉所有編輯器",
+ "closeAllGroups": "關閉所有編輯器群組",
+ "closeEditorsInOtherGroups": "關閉其他群組中的編輯器",
+ "closeEditorInAllGroups": "關閉所有群組中的編輯器",
+ "moveActiveGroupLeft": "將編輯器群組向左移",
+ "moveActiveGroupRight": "將編輯器群組向右移",
+ "moveActiveGroupUp": "向上移動編輯器群組",
+ "moveActiveGroupDown": "向下移動編輯器群組",
+ "minimizeOtherEditorGroups": "最大化編輯器群組",
+ "evenEditorGroups": "重設編輯器群組大小",
+ "toggleEditorWidths": "切換編輯器群組大小",
+ "maximizeEditor": "將編輯器群組最大化並隱藏側邊欄",
+ "openNextEditor": "開啟下一個編輯器",
+ "openPreviousEditor": "開啟上一個編輯器",
+ "nextEditorInGroup": "開啟群組中下一個編輯器",
+ "openPreviousEditorInGroup": "開啟群組中上一個編輯器",
+ "firstEditorInGroup": "在群組中開啟第一個編輯器",
+ "lastEditorInGroup": "開啟群組中最後一個編輯器",
+ "navigateNext": "向前",
+ "navigatePrevious": "向後",
+ "navigateToLastEditLocation": "前往上一個編輯位置",
+ "navigateLast": "移至最後",
+ "reopenClosedEditor": "重新開啟已關閉的編輯器",
+ "clearRecentFiles": "清理最近開啟的",
+ "showEditorsInActiveGroup": "根據最近使用時間顯示使用中群組的編輯器",
+ "showAllEditors": "依外觀顯示所有編輯器",
+ "showAllEditorsByMostRecentlyUsed": "根據最近使用時間顯示所有編輯器",
+ "quickOpenPreviousRecentlyUsedEditor": "快速開啟上一個最近使用的編輯器",
+ "quickOpenLeastRecentlyUsedEditor": "快速開啟最近最不常使用的編輯器",
+ "quickOpenPreviousRecentlyUsedEditorInGroup": "快速開啟群組中上一個最近使用的編輯器",
+ "quickOpenLeastRecentlyUsedEditorInGroup": "快速開啟群組中最不常使用的編輯器",
+ "navigateEditorHistoryByInput": "從歷程記錄快速開啟上一個編輯器",
+ "openNextRecentlyUsedEditor": "開啟下一個最近使用的編輯器",
+ "openPreviousRecentlyUsedEditor": "開啟上一個最近使用的編輯器",
+ "openNextRecentlyUsedEditorInGroup": "開啟群組中下一個最近使用的編輯器",
+ "openPreviousRecentlyUsedEditorInGroup": "開啟群組中上一個最近使用的編輯器",
+ "clearEditorHistory": "清除編輯器記錄",
+ "moveEditorLeft": "將編輯器左移",
+ "moveEditorRight": "將編輯器右移",
+ "moveEditorToPreviousGroup": "將編輯器移入上一個群組",
+ "moveEditorToNextGroup": "將編輯器移入下一個群組",
+ "moveEditorToAboveGroup": "將編輯器移入上方群組",
+ "moveEditorToBelowGroup": "將編輯器移入下方群組",
+ "moveEditorToLeftGroup": "將編輯器移入左側群組",
+ "moveEditorToRightGroup": "將編輯器移入右側群組",
+ "moveEditorToFirstGroup": "將編輯器移動到第一個群組",
+ "moveEditorToLastGroup": "將編輯器移入最後一個群組",
+ "editorLayoutSingle": "單欄式編輯器版面配置",
+ "editorLayoutTwoColumns": "兩欄式編輯器版面配置",
+ "editorLayoutThreeColumns": "三欄式編輯器版面配置",
+ "editorLayoutTwoRows": "兩列式編輯器版面配置",
+ "editorLayoutThreeRows": "三列式編輯器版面配置",
+ "editorLayoutTwoByTwoGrid": "格狀編輯器版面配置 (2x2)",
+ "editorLayoutTwoColumnsBottom": "底部兩欄式編輯器版面配置",
+ "editorLayoutTwoRowsRight": "右側兩欄式編輯器版面配置",
+ "newEditorLeft": "向左新增編輯器群組",
+ "newEditorRight": "向右新增編輯器群組",
+ "newEditorAbove": "向上新增編輯器群組",
+ "newEditorBelow": "向下新增編輯器群組",
+ "workbench.action.reopenWithEditor": "重新開啟編輯器,使用...",
+ "workbench.action.toggleEditorType": "切換編輯器類型"
+ },
+ "vs/workbench/browser/parts/editor/editorQuickAccess": {
+ "noViewResults": "沒有相符的編輯器",
+ "entryAriaLabelWithGroupDirty": "{0} 已改變,{1}",
+ "entryAriaLabelWithGroup": "{0}, {1}",
+ "entryAriaLabelDirty": "已改變 {0}",
+ "closeEditor": "關閉編輯器"
+ },
+ "vs/workbench/browser/parts/editor/binaryEditor": {
+ "binaryEditor": "二進位檢視器",
+ "nativeFileTooLargeError": "因為檔案太大,所以未在編輯器中顯示 ({0})。",
+ "nativeBinaryError": "因為檔案為二進位檔或使用了不支援的文字編碼,所以未在編輯器中顯示。",
+ "openAsText": "是否確定要開啟?"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsViewer": {
+ "executeCommand": "按一下以執行命令 ‘{0}’",
+ "notificationActions": "通知動作",
+ "notificationSource": "來源: {0}"
+ },
+ "vs/workbench/browser/parts/editor/titleControl": {
+ "ariaLabelEditorActions": "編輯器動作",
+ "draggedEditorGroup": "{0} (+{1})"
+ },
+ "vs/workbench/browser/parts/editor/breadcrumbsControl": {
+ "cmd.toggle": "切換軌跡",
+ "miShowBreadcrumbs": "顯示階層連結(&&B)",
+ "cmd.focus": "焦點軌跡"
+ },
+ "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": "啟用時,階層連結顯示「Null」符號。",
+ "filteredTypes.enumMember": "啟用時,階層連結顯示「enumMember」符號。",
+ "filteredTypes.struct": "啟用時,階層連結顯示「結構」符號。",
+ "filteredTypes.event": "啟用時,階層連結顯示「事件」符號。",
+ "filteredTypes.operator": "啟用時,階層連結顯示「運算子」符號。",
+ "filteredTypes.typeParameter": "啟用時,階層連結顯示「typeParameter」符號。"
+ },
+ "vs/workbench/browser/parts/editor/breadcrumbsPicker": {
+ "breadcrumbs": "階層連結"
+ },
+ "vs/workbench/contrib/backup/electron-sandbox/backupTracker": {
+ "backupTrackerBackupFailed": "無法將一或多個已變更的編輯器儲存至備份位置。",
+ "backupTrackerConfirmFailed": "無法儲存或還原一或多個已變更的編輯器。",
+ "ok": "確定",
+ "backupErrorDetails": "請先嘗試儲存或還原變更的編輯器,然後重試。"
+ },
+ "vs/workbench/contrib/bulkEdit/browser/bulkEditService": {
+ "summary.0": "未進行任何編輯",
+ "summary.nm": "在 {1} 個檔案中進行了 {0} 項文字編輯",
+ "summary.n0": "在一個檔案中進行了 {0} 項文字編輯",
+ "workspaceEdit": "工作區編輯",
+ "nothing": "未進行任何編輯"
+ },
+ "vs/workbench/contrib/bulkEdit/browser/preview/bulkEdit.contribution": {
+ "overlap": "正在預覽另一個重構。",
+ "cancel": "取消",
+ "continue": "繼續",
+ "detail": "按下 [繼續] 來捨棄上一個重構,並以目前的重構繼續。",
+ "apply": "套用重構",
+ "cat": "重構預覽",
+ "Discard": "捨棄重構",
+ "toogleSelection": "切換變更",
+ "groupByFile": "根據檔案將變更分組",
+ "groupByType": "根據類型將變更分組",
+ "refactorPreviewViewIcon": "[重構預覽] 檢視的檢視圖示。",
+ "panel": "重構預覽"
+ },
+ "vs/workbench/contrib/bulkEdit/browser/preview/bulkEditPane": {
+ "empty.msg": "叫用程式碼動作 (例如重新命名) 以在此檢視其變更預覽。",
+ "conflict.1": "因為 '{0}' 在同時間變更,所以無法套用重構。",
+ "conflict.N": "因為 {0} 個其他檔案同時有所變更,所以無法套用重構。",
+ "edt.title.del": "{0} (刪除、重構預覽)",
+ "rename": "重新命名",
+ "create": "建立",
+ "edt.title.2": "{0} ({1},重構預覽)",
+ "edt.title.1": "{0} (重構預覽)"
+ },
+ "vs/workbench/contrib/bulkEdit/browser/preview/bulkEditPreview": {
+ "default": "其他"
+ },
+ "vs/workbench/contrib/bulkEdit/browser/preview/bulkEditTree": {
+ "bulkEdit": "大量編輯",
+ "aria.renameAndEdit": "將 {0} 重新命名為 {1},同時進行文字編輯",
+ "aria.createAndEdit": "建立 {0} 亦編輯文字",
+ "aria.deleteAndEdit": "刪除 {0},亦進行文字編輯",
+ "aria.editOnly": "{0},進行文字編輯",
+ "aria.rename": "正在將 {0} 重新命名為 {1}",
+ "aria.create": "正在建立 {0}",
+ "aria.delete": "正在刪除 {0}",
+ "aria.replace": "第 {0} 行,以 {2} 取代 {1}",
+ "aria.del": "第 {0} 行,正在移除 {1}",
+ "aria.insert": "第 {0} 行,插入 {1}",
+ "rename.label": "{0} → {1}",
+ "detail.rename": "(正在重新命名)",
+ "detail.create": "(正在建立)",
+ "detail.del": "(正在刪除)",
+ "title": "{0} - {1}"
+ },
+ "vs/workbench/contrib/callHierarchy/browser/callHierarchy.contribution": {
+ "no.item": "查無結果",
+ "error": "無法顯示呼叫階層",
+ "title": "預覽呼叫階層",
+ "title.incoming": "顯示來電",
+ "showIncomingCallsIcons": "呼叫階層檢視中 [傳入呼叫] 的圖示。",
+ "title.outgoing": "顯示外撥通話",
+ "showOutgoingCallsIcon": "呼叫階層檢視中 [傳出呼叫] 的圖示。",
+ "title.refocus": "重定呼叫階層焦點",
+ "close": "關閉"
+ },
+ "vs/workbench/contrib/callHierarchy/browser/callHierarchyPeek": {
+ "callFrom": "來自 '{0}' 的呼叫",
+ "callsTo": "'{0}' 的呼叫者",
+ "title.loading": "正在載入...",
+ "empt.callsFrom": "沒有來自 ‘{0}’ 的呼叫",
+ "empt.callsTo": "沒有 ‘{0}’ 的呼叫者"
+ },
+ "vs/workbench/contrib/callHierarchy/browser/callHierarchyTree": {
+ "tree.aria": "呼叫階層",
+ "from": "來自 {0} 的呼叫",
+ "to": "{0} 的呼叫者"
+ },
+ "vs/workbench/contrib/cli/node/cli.contribution": {
+ "shellCommand": "殼層命令",
+ "install": "在 PATH 中安裝 '{0}' 命令",
+ "not available": "此命令無法使用",
+ "ok": "確定",
+ "cancel2": "取消",
+ "warnEscalation": "Code 現在會提示輸入 'osascript' 取得系統管理員權限,以便安裝殼層命令。",
+ "cantCreateBinFolder": "無法建立 '/usr/local/bin'。",
+ "aborted": "已中止",
+ "successIn": "已成功在 PATH 中安裝殼層命令 '{0}'。",
+ "uninstall": "從 PATH 將 '{0}' 命令解除安裝",
+ "warnEscalationUninstall": "Code 現在會使用 'osascript' 提示取得系統管理員權限,以解除安裝殼層命令。",
+ "cantUninstall": "無法解除安裝殼層命令 '{0}'。",
+ "successFrom": "已成功從 PATH 解除安裝殼層命令 '{0}'。"
+ },
+ "vs/workbench/contrib/codeActions/common/codeActionsContribution": {
+ "codeActionsOnSave.fixAll": "控制是否應在檔案儲存時執行自動修正動作。",
+ "codeActionsOnSave": "要在儲存時執行的程式碼動作種類。",
+ "codeActionsOnSave.generic": "控制是否要在檔案儲存時執行 '{0}' 動作。"
+ },
+ "vs/workbench/contrib/codeActions/common/codeActionsExtensionPoint": {
+ "contributes.codeActions": "設定要用於資源的編輯器。",
+ "contributes.codeActions.languages": "作為程式碼動作啟用目標的語言模式。",
+ "contributes.codeActions.kind": "所提供程式碼動作的 `CodeActionKind`。",
+ "contributes.codeActions.title": "在 UI 中使用之程式碼動作的標籤。",
+ "contributes.codeActions.description": "程式碼動作的用途說明。"
+ },
+ "vs/workbench/contrib/codeActions/common/documentationExtensionPoint": {
+ "contributes.documentation": "已提供文件。",
+ "contributes.documentation.refactorings": "為重構提供的文件。",
+ "contributes.documentation.refactoring": "用於重構的貢獻文件。",
+ "contributes.documentation.refactoring.title": "在 UI 中使用的文件標籤。",
+ "contributes.documentation.refactoring.when": "當子句。",
+ "contributes.documentation.refactoring.command": "已執行指令。"
+ },
+ "vs/workbench/contrib/codeEditor/electron-browser/startDebugTextMate": {
+ "startDebugTextMate": "啟動 Text Mate 語法文法記錄"
+ },
+ "vs/workbench/contrib/codeEditor/electron-sandbox/selectionClipboard": {
+ "actions.pasteSelectionClipboard": "將選取項目貼上剪貼簿"
+ },
+ "vs/workbench/contrib/codeEditor/browser/languageConfigurationExtensionPoint": {
+ "parseErrors": "剖析 {0} 時發生錯誤: {1}",
+ "formatError": "{0}: 格式無效,必須是 JSON 物件。",
+ "schema.openBracket": "左括弧字元或字串順序。",
+ "schema.closeBracket": "右括弧字元或字串順序。",
+ "schema.comments": "定義註解符號",
+ "schema.blockComments": "定義標記區塊註解的方式。",
+ "schema.blockComment.begin": "區塊註解開頭的字元順序。",
+ "schema.blockComment.end": "區塊註解結尾的字元順序。",
+ "schema.lineComment": "行註解開頭的字元順序。",
+ "schema.brackets": "定義增加或減少縮排的括弧符號。",
+ "schema.autoClosingPairs": "定義成對括弧。輸入左括弧時,即自動插入右括弧。",
+ "schema.autoClosingPairs.notIn": "定義停用自動配對的範圍清單。",
+ "schema.autoCloseBefore": "定義何種字元必須位於游標後面,以在使用 'languageDefined' 自動括入設定時,自動括上括弧或引號。這通常是一組無法啟動運算式的字元。",
+ "schema.surroundingPairs": "定義可用以括住所選字串的成對括弧。",
+ "schema.wordPattern": "定義什麼會視為是程式設計語言中的文字。",
+ "schema.wordPattern.pattern": "使用正規表示式進行文字比對",
+ "schema.wordPattern.flags": "使用正規表示式標記進行文字比對",
+ "schema.wordPattern.flags.errorMessage": "必須符合樣式 `/^([gimuy]+)$/`",
+ "schema.indentationRules": "語言的縮排設定。",
+ "schema.indentationRules.increaseIndentPattern": "若有符合此模式的行,則其後的所有行都應縮排一次,直到符合另一條規則為止。",
+ "schema.indentationRules.increaseIndentPattern.pattern": "適用於 increaseIndentPattern 的 RegExp 模式。",
+ "schema.indentationRules.increaseIndentPattern.flags": "適用於 increaseIndentPattern 的 RegExp 旗標。",
+ "schema.indentationRules.increaseIndentPattern.errorMessage": "必須符合樣式 `/^([gimuy]+)$/`",
+ "schema.indentationRules.decreaseIndentPattern": "若某行符合此模式,則其後所有行都應縮排一次 (直到另一個規則符合為止)。",
+ "schema.indentationRules.decreaseIndentPattern.pattern": "適用於 decreaseIndentPattern 的 RegExp 模式。",
+ "schema.indentationRules.decreaseIndentPattern.flags": "適用於 decreaseIndentPattern 的 RegExp 旗標。",
+ "schema.indentationRules.decreaseIndentPattern.errorMessage": "必須符合樣式 `/^([gimuy]+)$/`",
+ "schema.indentationRules.indentNextLinePattern": "若有符合此模式的行,則**僅有下一行**應縮排一次,直到符合另一條規則為止。",
+ "schema.indentationRules.indentNextLinePattern.pattern": "適用於 indentNextLinePattern 的 RegExp 模式。",
+ "schema.indentationRules.indentNextLinePattern.flags": "適用於 indentNextLinePattern 的 RegExp 旗標。",
+ "schema.indentationRules.indentNextLinePattern.errorMessage": "必須符合樣式 `/^([gimuy]+)$/`",
+ "schema.indentationRules.unIndentedLinePattern": "若有符合此模式的行,則不應該變更其縮排,並且不使用其他規則比對。",
+ "schema.indentationRules.unIndentedLinePattern.pattern": "適用於 unIndentedLinePattern 的 RegExp 模式。",
+ "schema.indentationRules.unIndentedLinePattern.flags": "適用於 unIndentedLinePattern 的 RegExp 旗標。",
+ "schema.indentationRules.unIndentedLinePattern.errorMessage": "必須符合樣式 `/^([gimuy]+)$/`",
+ "schema.folding": "語言的摺疊設定。",
+ "schema.folding.offSide": "若語言中的區塊由其縮排表示,則該語言會依循越位規則。若已設定,則空白行會屬於後續區塊。",
+ "schema.folding.markers": "語言的特定摺疊標記,例如 '#region' 和 '#endregion'。會針對所有行的內容測試起始和結尾 regex,而必須有效地設計起始和結尾 regex",
+ "schema.folding.markers.start": "開始標記的 RegExp 模式。regexp 必須以 '^' 作為開頭。",
+ "schema.folding.markers.end": "結束標記的 RegExp 模式。regexp 必須以 '^' 作為開頭。"
+ },
+ "vs/workbench/contrib/codeEditor/browser/quickaccess/gotoSymbolQuickAccess": {
+ "empty": "沒有相符的項目",
+ "gotoSymbolQuickAccessPlaceholder": "鍵入要前往的符號名稱。",
+ "gotoSymbolQuickAccess": "前往編輯器中的符號",
+ "gotoSymbolByCategoryQuickAccess": "前往編輯器中的符號 (依類別)",
+ "gotoSymbol": "前往編輯器中的符號..."
+ },
+ "vs/workbench/contrib/codeEditor/browser/accessibility/accessibility": {
+ "emergencyConfOn": "現在請將設定 `editor.accessibilitySupport` 變更為 'on'。",
+ "openingDocs": "現在請開啟 VS Code 協助工具文件頁面。",
+ "introMsg": "感謝您試用 VS Code 的協助工具選項。",
+ "status": "狀態:",
+ "changeConfigToOnMac": "若要將編輯器為螢幕助讀程式的使用方式設定為永久地最佳化,現在請按 Command+E。",
+ "changeConfigToOnWinLinux": "若要將編輯器為螢幕助讀程式的使用方式設定為永久地最佳化,現在請按 Control+E。",
+ "auto_unknown": "編輯器已設定為使用平台 API 以偵測螢幕助讀程式附加,但是目前的執行階段不支援。",
+ "auto_on": "編輯器已自動偵測到螢幕助讀程式附加。",
+ "auto_off": "編輯器已設定為自動偵測螢幕助讀程式附加,但目前的實際狀況卻不是如此。",
+ "configuredOn": "編輯器已為螢幕助讀程式的使用方式設定為永久地更新 - 您可以藉由編輯設定 `editor.accessibilitySupport` 以變更這項設定。",
+ "configuredOff": "編輯器已設定為不會為螢幕助讀程式的使用方式進行最佳化。",
+ "tabFocusModeOnMsg": "在目前的編輯器中按 Tab 鍵會將焦點移至下一個可設定焦點的元素。按 {0} 可切換此行為。",
+ "tabFocusModeOnMsgNoKb": "在目前的編輯器中按 Tab 鍵會將焦點移至下一個可設定焦點的元素。命令 {0} 目前無法由按鍵繫結關係觸發。",
+ "tabFocusModeOffMsg": "在目前的編輯器中按 Tab 鍵會插入定位字元。按 {0} 可切換此行為。",
+ "tabFocusModeOffMsgNoKb": "在目前的編輯器中按 Tab 鍵會插入定位字元。命令 {0} 目前無法由按鍵繫結關係觸發。",
+ "openDocMac": "現在請按 Command+H 以開啟具有更多與協助工具相關 VS Code 資訊的瀏覽器視窗。",
+ "openDocWinLinux": "現在請按 Control+H 以開啟具有更多與協助工具相關 VS Code 資訊的瀏覽器視窗。",
+ "outroMsg": "您可以按 Esc 鍵或 Shift+Esc 鍵來解除此工具提示並返回編輯器。",
+ "ShowAccessibilityHelpAction": "顯示協助工具說明"
+ },
+ "vs/workbench/contrib/codeEditor/browser/diffEditorHelper": {
+ "hintTimeout": "Diff 演算法已提前停止 (在 {0} 毫秒後)。",
+ "removeTimeout": "移除限制",
+ "hintWhitespace": "顯示空白字元差異"
+ },
+ "vs/workbench/contrib/codeEditor/browser/inspectKeybindings": {
+ "workbench.action.inspectKeyMap": "開發人員: 檢查按鍵對應",
+ "workbench.action.inspectKeyMapJSON": "調查金鑰對應 (JSON)"
+ },
+ "vs/workbench/contrib/codeEditor/browser/largeFileOptimizations": {
+ "largeFile": "{0}: 為了減少記憶體使用量並避免凍結或毀損, 已關閉此大型檔的tokenization、包裝和摺疊功能。",
+ "removeOptimizations": "強制啟用功能",
+ "reopenFilePrompt": "請重新開啟檔案以便此設定生效。"
+ },
+ "vs/workbench/contrib/codeEditor/browser/inspectEditorTokens/inspectEditorTokens": {
+ "inspectEditorTokens": "開發人員: 檢查編輯器的權杖及作用範圍",
+ "inspectTMScopesWidget.loading": "正在載入..."
+ },
+ "vs/workbench/contrib/codeEditor/browser/quickaccess/gotoLineQuickAccess": {
+ "gotoLineQuickAccessPlaceholder": "鍵入要前往的行號與選用欄 (例如,42:5 表示第 42 行第 5 欄)。",
+ "gotoLineQuickAccess": "前往行/欄",
+ "gotoLine": "前往行/欄..."
+ },
+ "vs/workbench/contrib/codeEditor/browser/saveParticipants": {
+ "formatting": "正在執行 '{0}' 格式器 ([設定](command:workbench.action.openSettings?%5B%22editor.formatOnSave%22%5D))。",
+ "codeaction": "快速修正",
+ "codeaction.get": "正在從 '{0}' 取得程式碼動作,([設定](command:workbench.action.openSettings?%5B%22editor.codeActionsOnSave%22%5D))。",
+ "codeAction.apply": "正在套用程式碼動作 '{0}'。"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleColumnSelection": {
+ "toggleColumnSelection": "切換資料行選取模式",
+ "miColumnSelection": "資料行選取模式(&&S)"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleMinimap": {
+ "toggleMinimap": "切換縮圖",
+ "miShowMinimap": "顯示縮圖(&&M)"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleMultiCursorModifier": {
+ "toggleLocation": "切換至多游標修改程式",
+ "miMultiCursorAlt": "切換到 Alt+ 按一下啟用多重游標",
+ "miMultiCursorCmd": "切換到 Cmd+ 按一下啟用多重游標",
+ "miMultiCursorCtrl": "切換到 Ctrl+ 按一下啟用多重游標"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleRenderControlCharacter": {
+ "toggleRenderControlCharacters": "切換控制字元",
+ "miToggleRenderControlCharacters": "轉譯控制字元(&&C)"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleRenderWhitespace": {
+ "toggleRenderWhitespace": "切換轉譯空白字元",
+ "miToggleRenderWhitespace": "轉譯空白字元(&&R)"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleWordWrap": {
+ "toggle.wordwrap": "檢視: 切換自動換行",
+ "unwrapMinified": "停用此檔案的換行",
+ "wrapMinified": "啟用此檔案的換行",
+ "miToggleWordWrap": "切換自動換行(&&W)"
+ },
+ "vs/workbench/contrib/codeEditor/browser/find/simpleFindWidget": {
+ "label.find": "尋找",
+ "placeholder.find": "尋找",
+ "label.previousMatchButton": "上一個相符項目",
+ "label.nextMatchButton": "下一個相符項目",
+ "label.closeButton": "關閉"
+ },
+ "vs/workbench/contrib/codeEditor/browser/find/simpleFindReplaceWidget": {
+ "label.find": "尋找",
+ "placeholder.find": "尋找",
+ "label.previousMatchButton": "上一個相符項目",
+ "label.nextMatchButton": "下一個相符項目",
+ "label.closeButton": "關閉",
+ "label.toggleReplaceButton": "切換取代模式",
+ "label.replace": "取代",
+ "placeholder.replace": "取代",
+ "label.replaceButton": "取代",
+ "label.replaceAllButton": "全部取代"
+ },
+ "vs/workbench/contrib/comments/browser/comments.contribution": {
+ "commentsConfigurationTitle": "註解",
+ "openComments": "控制註解面板應何時開啟。"
+ },
+ "vs/workbench/contrib/comments/browser/commentsEditorContribution": {
+ "pickCommentService": "選取註解提供者",
+ "nextCommentThreadAction": "移至下一個註解執行緒"
+ },
+ "vs/workbench/contrib/comments/browser/commentsView": {
+ "collapseAll": "全部摺疊",
+ "rootCommentsLabel": "目前工作區的註解",
+ "resourceWithCommentThreadsLabel": "{0} 中的註解,完整路徑 {1}",
+ "resourceWithCommentLabel": "來自 {3} 中第 {2} 個資料行第 {1} 行美金 ${0} 元的註解,來源: {4}"
+ },
+ "vs/workbench/contrib/comments/browser/commentsTreeViewer": {
+ "imageWithLabel": "影像: {0}",
+ "image": "影像"
+ },
+ "vs/workbench/contrib/comments/browser/commentGlyphWidget": {
+ "editorGutterCommentRangeForeground": "用於註解範圍的編輯裝訂線裝飾色彩。"
+ },
+ "vs/workbench/contrib/comments/browser/commentThreadWidget": {
+ "collapseIcon": "摺疊檢閱註解的圖示。",
+ "label.collapse": "摺疊",
+ "startThread": "開始討論",
+ "reply": "回覆...",
+ "newComment": "鍵入新註解"
+ },
+ "vs/workbench/contrib/comments/common/commentModel": {
+ "noComments": "此工作區中目前沒有任何註解。"
+ },
+ "vs/workbench/contrib/comments/browser/commentNode": {
+ "commentToggleReaction": "切換反應",
+ "commentToggleReactionError": "切換註解反應失敗: {0}。",
+ "commentToggleReactionDefaultError": "切換註解反應失敗",
+ "commentDeleteReactionError": "刪除註解反應失敗: {0}。",
+ "commentDeleteReactionDefaultError": "刪除註解反應失敗",
+ "commentAddReactionError": "刪除註解反應失敗: {0}。",
+ "commentAddReactionDefaultError": "刪除註解反應失敗"
+ },
+ "vs/workbench/contrib/comments/browser/reactionsAction": {
+ "pickReactions": "挑選反應..."
+ },
+ "vs/workbench/contrib/customEditor/browser/customEditors": {
+ "openWithCurrentlyActive": "目前使用中",
+ "promptOpenWith.setDefaultTooltip": "設定為 '{0}' 檔案的預設編輯器",
+ "promptOpenWith.placeHolder": "選取要用於 ‘{0}’ 的編輯器..."
+ },
+ "vs/workbench/contrib/customEditor/common/contributedCustomEditors": {
+ "builtinProviderDisplayName": "內建",
+ "promptOpenWith.defaultEditor.displayName": "文字編輯器"
+ },
+ "vs/workbench/contrib/customEditor/common/extensionPoint": {
+ "contributes.customEditors": "已提供自訂編輯器。",
+ "contributes.viewType": "自訂編輯器的識別碼。所有自訂編輯器的識別碼均不得重複,因此建議您將延伸模組識別碼包含在 `viewType` 中。使用 `vscode.registerCustomEditorProvider` 註冊自訂編輯器時,以及在 `onCustomEditor:${id}` 中[啟用事件](https://code.visualstudio.com/api/references/activation-events) 時會使用 `viewType`。",
+ "contributes.displayName": "人類看得懂的自訂編輯器名稱。這是在選取要使用的編輯器時,向使用者顯示的名稱。",
+ "contributes.selector": "已啟用自訂編輯器的 Glob 集合。",
+ "contributes.selector.filenamePattern": "已啟用自訂編輯器的 Glob。",
+ "contributes.priority": "控制使用者開啟檔案時是否自動啟用自訂編輯器。這可能會由使用 `workbench.editorAssociations` 設定的使用者覆寫。",
+ "contributes.priority.default": "使用者開啟資源時,只要沒有為該資源註冊其他預設的自訂編輯器,即會自動使用此編輯器。",
+ "contributes.priority.option": "使用者開啟資源時不會自動使用此編輯器,但使用者可以使用 `Reopen With` 命令切換到該編輯器。"
+ },
+ "vs/workbench/contrib/debug/common/debug": {
+ "internalConsoleOptions": "控制何時打開內部偵錯主控台。"
+ },
+ "vs/workbench/contrib/debug/browser/debug.contribution": {
+ "debugCategory": "偵錯",
+ "runCategory": "執行",
+ "startDebugPlaceholder": "鍵入要執行的啟動組態名稱。",
+ "startDebuggingHelp": "開始偵錯",
+ "terminateThread": "終止執行緒",
+ "debugFocusConsole": "聚焦在 [偵錯主控台] 檢視",
+ "jumpToCursor": "跳至資料指標",
+ "SetNextStatement": "設定下一個陳述式",
+ "inlineBreakpoint": "內嵌中斷點",
+ "stepBackDebug": "倒退",
+ "reverseContinue": "反向",
+ "restartFrame": "重新啟動框架",
+ "copyStackTrace": "複製呼叫堆疊",
+ "setValue": "設定值",
+ "copyValue": "複製值",
+ "copyAsExpression": "複製為運算式",
+ "addToWatchExpressions": "加入監看",
+ "breakWhenValueChanges": "當值變更時中斷",
+ "miViewRun": "執行(&&R)",
+ "miToggleDebugConsole": "偵錯主控台(&&B)",
+ "miStartDebugging": "啟動偵錯(&&S)",
+ "miRun": "執行但不進行偵錯(&&W)",
+ "miStopDebugging": "停止偵錯(&&S)",
+ "miRestart Debugging": "重新啟動偵錯(&&R)",
+ "miOpenConfigurations": "開啟設定(&&C)",
+ "miAddConfiguration": "新增組態(&&D)...",
+ "miStepOver": "不進入函式(&&O)",
+ "miStepInto": "逐步執行(&&I)",
+ "miStepOut": "跳離函式(&&U)",
+ "miContinue": "繼續(&&C)",
+ "miToggleBreakpoint": "切換中斷點(&&B)",
+ "miConditionalBreakpoint": "條件式中斷點(&&C)...",
+ "miInlineBreakpoint": "內嵌中斷點(&&O)",
+ "miFunctionBreakpoint": "函式中斷點(&&F)...",
+ "miLogPoint": "記錄點(&&L)...",
+ "miNewBreakpoint": "新增中斷點(&&N)",
+ "miEnableAllBreakpoints": "啟用所有中斷點(&&E)",
+ "miDisableAllBreakpoints": "停用所有中斷點(&&L)",
+ "miRemoveAllBreakpoints": "移除所有中斷點(&&A)",
+ "miInstallAdditionalDebuggers": "安裝其他偵錯工具(&&I)...",
+ "debugPanel": "偵錯主控台",
+ "run": "執行",
+ "variables": "變數",
+ "watch": "監看",
+ "callStack": "呼叫堆疊",
+ "breakpoints": "中斷點",
+ "loadedScripts": "已載入的指令碼",
+ "debugConfigurationTitle": "偵錯",
+ "allowBreakpointsEverywhere": "允許在任何檔案中設定中斷點。",
+ "openExplorerOnEnd": "在偵錯工作階段結束時自動開啟總管檢視。",
+ "inlineValues": "在偵錯時於編輯器以內嵌方式顯示變數值",
+ "toolBarLocation": "控制偵錯工具列的位置。可以是在所有檢視中 `floating`; 在偵錯檢視中 `docked`; 或者 `hidden`。",
+ "never": "一律不在狀態列顯示偵錯",
+ "always": "遠用在狀態列中顯示偵錯",
+ "onFirstSessionStart": "只有第一次啟動偵錯後才在狀態列中顯示偵錯",
+ "showInStatusBar": "控制何時應該顯示偵錯狀態列。",
+ "debug.console.closeOnEnd": "控制偵錯主控台是否應在偵錯工作階段結束時自動關閉。",
+ "openDebug": "控制何時應該開啟偵錯檢視。 ",
+ "showSubSessionsInToolBar": "控制偵錯子工作階段是否顯示在偵錯工具列中。當此設定為 false 時,子工作階段上的停止命令也會停止父工作階段。",
+ "debug.console.fontSize": "在偵錯控制台中控制字型大小 (像素)。",
+ "debug.console.fontFamily": "在偵錯主控台中控制字型家族。",
+ "debug.console.lineHeight": "在偵錯主控台中控制行高 (像素)。使用 0 可從字型大小計算行高。",
+ "debug.console.wordWrap": "控制偵錯主控台中是否應自動換行。",
+ "debug.console.historySuggestions": "控制偵錯主控台是否應建議上一個鍵入的輸入。",
+ "launch": "全域偵錯啟動組態。應用來替代在工作區間共用的 'launch.json’。",
+ "debug.focusWindowOnBreak": "控制當偵錯工具中斷時是否應以工作台視窗作為焦點。",
+ "debugAnyway": "忽略工作錯誤並開始偵錯。",
+ "showErrors": "顯示 [問題] 檢視,而且不要開始偵錯。",
+ "prompt": "提示使用者。",
+ "cancel": "取消偵錯。",
+ "debug.onTaskErrors": "控制執行 preLaunchTask 後發生錯誤時該如何。",
+ "showBreakpointsInOverviewRuler": "控制中斷點是否應顯示在概觀尺規中。",
+ "showInlineBreakpointCandidates": "控制偵錯時是否要在編輯器中顯示內嵌中斷點候補裝飾。"
+ },
+ "vs/workbench/contrib/debug/browser/debugEditorContribution": {
+ "addConfiguration": "新增組態..."
+ },
+ "vs/workbench/contrib/debug/browser/breakpointEditorContribution": {
+ "logPoint": "記錄點",
+ "breakpoint": "中斷點",
+ "breakpointHasConditionDisabled": "此 {0} 具有移除時會遺失的 {1}。請考慮改為啟用 {0}。",
+ "message": "訊息",
+ "condition": "條件",
+ "breakpointHasConditionEnabled": "此 {0} 具有會在移除時消失的 {1}。請考慮改為停用 {0}。",
+ "removeLogPoint": "移除 {0}",
+ "disableLogPoint": "{0} {1}",
+ "disable": "停用",
+ "enable": "啟用",
+ "cancel": "取消",
+ "removeBreakpoint": "移除 {0}",
+ "editBreakpoint": "編輯 {0}...",
+ "disableBreakpoint": "停用 {0}",
+ "enableBreakpoint": "啟用 {0}",
+ "removeBreakpoints": "移除中斷點",
+ "removeInlineBreakpointOnColumn": "移除資料行 {0} 的內嵌中斷點",
+ "removeLineBreakpoint": "移除行中斷點",
+ "editBreakpoints": "編輯中斷點",
+ "editInlineBreakpointOnColumn": "編輯資料行 {0} 的內嵌中斷點",
+ "editLineBrekapoint": "編輯行中斷點",
+ "enableDisableBreakpoints": "啟用/停用中斷點",
+ "disableInlineColumnBreakpoint": "停用資料行 {0} 的內嵌中斷點",
+ "disableBreakpointOnLine": "停用行中斷點",
+ "enableBreakpoints": "啟用資料行 {0} 的內嵌中斷點",
+ "enableBreakpointOnLine": "啟用行中斷點",
+ "addBreakpoint": "加入中斷點",
+ "addConditionalBreakpoint": "新增條件中斷點...",
+ "addLogPoint": "新增記錄點...",
+ "debugIcon.breakpointForeground": "中斷點的圖示顏色。",
+ "debugIcon.breakpointDisabledForeground": "已停用中斷點的圖示色彩。",
+ "debugIcon.breakpointUnverifiedForeground": "未驗證中斷點的圖示顏色。",
+ "debugIcon.breakpointCurrentStackframeForeground": "目前中斷點堆疊框架的圖示色彩。",
+ "debugIcon.breakpointStackframeForeground": "所有中斷點堆疊框架的圖示色彩。"
+ },
+ "vs/workbench/contrib/debug/browser/callStackEditorContribution": {
+ "topStackFrameLineHighlight": "頂部堆疊框架位置處行的醒目提示背景色彩。",
+ "focusedStackFrameLineHighlight": "焦點堆疊框架位置處行的醒目提示背景色彩。"
+ },
+ "vs/workbench/contrib/debug/browser/repl": {
+ "workbench.debug.filter.placeholder": "篩選 (例如 text、!exclude)",
+ "debugConsole": "偵錯主控台",
+ "copy": "複製",
+ "copyAll": "全部複製",
+ "paste": "貼上",
+ "collapse": "全部摺疊",
+ "startDebugFirst": "請啟動偵錯工作階段以評估運算式",
+ "actions.repl.acceptInput": "REPL 接受輸入",
+ "repl.action.filter": "REPL 將內容聚焦至篩選",
+ "actions.repl.copyAll": "偵錯: 主控台全部複製",
+ "selectRepl": "選取偵錯主控台",
+ "clearRepl": "清除主控台",
+ "debugConsoleCleared": "偵錯主控台已清除"
+ },
+ "vs/workbench/contrib/debug/browser/debugViewlet": {
+ "startAdditionalSession": "啟動附加工作階段",
+ "toggleDebugPanel": "偵錯主控台",
+ "toggleDebugViewlet": "顯示執行與偵錯"
+ },
+ "vs/workbench/contrib/debug/common/abstractDebugAdapter": {
+ "timeout": "'{1}' 將於 {0} 毫秒後逾時"
+ },
+ "vs/workbench/contrib/debug/browser/breakpointsView": {
+ "editCondition": "編輯條件",
+ "Logpoint": "記錄點",
+ "Breakpoint": "中斷點",
+ "editBreakpoint": "編輯 {0}...",
+ "removeBreakpoint": "移除 {0}",
+ "expressionCondition": "運算式條件: {0}",
+ "functionBreakpointsNotSupported": "此偵錯類型不支援函式中斷點",
+ "dataBreakpointsNotSupported": "此偵錯類型不支援資料中斷點",
+ "functionBreakpointPlaceholder": "要中斷的函式",
+ "functionBreakPointInputAriaLabel": "輸入函式中斷點",
+ "exceptionBreakpointPlaceholder": "在運算式評估為 true 時中斷",
+ "exceptionBreakpointAriaLabel": "類型例外狀況中斷點條件",
+ "breakpoints": "中斷點",
+ "disabledLogpoint": "已停用記錄點",
+ "disabledBreakpoint": "停用的中斷點",
+ "unverifiedLogpoint": "未驗證記錄點",
+ "unverifiedBreakopint": "未驗證的中斷點",
+ "functionBreakpointUnsupported": "此偵錯類型不支援函式中斷點",
+ "functionBreakpoint": "函式中斷點",
+ "dataBreakpointUnsupported": "此偵錯類型不支援資料中斷點",
+ "dataBreakpoint": "資料中斷點",
+ "breakpointUnsupported": "偵錯工具不支援此類型的中斷點",
+ "logMessage": "記錄訊息: {0}",
+ "expression": "運算式條件: {0}",
+ "hitCount": "叫用次數: {0}",
+ "breakpoint": "中斷點"
+ },
+ "vs/workbench/contrib/debug/browser/callStackView": {
+ "running": "正在執行",
+ "showMoreStackFrames2": "顯示更多堆疊框架",
+ "session": "工作階段",
+ "thread": "執行緒",
+ "restartFrame": "重新啟動框架",
+ "loadAllStackFrames": "載入所有堆疊框架",
+ "showMoreAndOrigin": "顯示其他 {0} 個: {1}",
+ "showMoreStackFrames": "顯示其他 {0} 個堆疊框架",
+ "callStackAriaLabel": "偵錯呼叫堆疊",
+ "threadAriaLabel": "執行緒 {0} {1}",
+ "stackFrameAriaLabel": "堆疊框架 {0},行 {1}、{2}",
+ "sessionLabel": "工作階段 {0} {1}"
+ },
+ "vs/workbench/contrib/debug/browser/debugActions": {
+ "openLaunchJson": "開啟 {0}",
+ "launchJsonNeedsConfigurtion": "設定或修正 'launch.json'",
+ "noFolderDebugConfig": "請先開啟資料夾,以便進行進階偵錯設定。",
+ "selectWorkspaceFolder": "選取工作區資料夾以建立 launch.json 檔案,或將其新增至工作區組態檔",
+ "startDebug": "開始偵錯",
+ "startWithoutDebugging": "開始但不偵錯",
+ "selectAndStartDebugging": "選取並開始偵錯",
+ "removeBreakpoint": "移除中斷點",
+ "removeAllBreakpoints": "移除所有中斷點",
+ "enableAllBreakpoints": "啟用所有中斷點",
+ "disableAllBreakpoints": "停用所有中斷點",
+ "activateBreakpoints": "啟動中斷點",
+ "deactivateBreakpoints": "停用中斷點",
+ "reapplyAllBreakpoints": "重新套用所有中斷點",
+ "addFunctionBreakpoint": "加入函式中斷點",
+ "addWatchExpression": "加入運算式",
+ "removeAllWatchExpressions": "移除所有運算式",
+ "focusSession": "焦點工作階段",
+ "copyValue": "複製值"
+ },
+ "vs/workbench/contrib/debug/browser/debugToolBar": {
+ "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/debug/browser/debugService": {
+ "1activeSession": "1 個正在使用的工作階段",
+ "nActiveSessions": "{0} 個正在使用的工作階段",
+ "configurationAlreadyRunning": "已有正在執行的偵錯組態 \"{0}\"。",
+ "compoundMustHaveConfigurations": "複合必須設有 \"configurations\" 屬性,才能啟動多個組態。",
+ "noConfigurationNameInWorkspace": "無法在工作區中找到啟動組態 '{0}'。",
+ "multipleConfigurationNamesInWorkspace": "工作區中有多個啟動組態 '{0}'。請使用資料夾名稱以符合組態。",
+ "noFolderWithName": "在複合 '{2}' 的組態 '{1}' 中找不到名稱為 '{0}' 的資料夾。",
+ "configMissing": "'launch.json' 中遺漏組態 '{0}'。",
+ "launchJsonDoesNotExist": "傳遞的工作區資料夾中沒有 'launch.json'。",
+ "debugRequestNotSupported": "在選取的偵錯組態中,屬性 '{0}' 具有不支援的值 '{1}'。",
+ "debugRequesMissing": "所選的偵錯組態遺漏屬性 '{0}'。",
+ "debugTypeNotSupported": "不支援設定的偵錯類型 '{0}'。",
+ "debugTypeMissing": "遺漏所選啟動設定的屬性 'type'。",
+ "installAdditionalDebuggers": "安裝 {0} 延伸模組",
+ "noFolderWorkspaceDebugError": "無法偵錯使用中的檔案。請確認期已經過儲存,且您有為該檔案類型安裝的延伸模組。",
+ "debugAdapterCrash": "偵錯配接器處理程序已意外終止 ({0})",
+ "cancel": "取消",
+ "debuggingPaused": "{0}:{1},偵錯已暫停 {2},{3}",
+ "breakpointAdded": "已新增中斷點、行 {0}、檔案 {1}",
+ "breakpointRemoved": "已移除中斷點、行 {0}、檔案 {1}"
+ },
+ "vs/workbench/contrib/debug/browser/statusbarColorProvider": {
+ "statusBarDebuggingBackground": "對程式執行偵錯時狀態列的背景色彩。狀態列會顯示在視窗的底部",
+ "statusBarDebuggingForeground": "對程式執行偵錯時狀態列的前景色彩。狀態列會顯示在視窗的底部",
+ "statusBarDebuggingBorder": "正在偵錯用以分隔資訊看板與編輯器的狀態列框線色彩。狀態列會顯示在視窗的底部。 "
+ },
+ "vs/workbench/contrib/debug/browser/debugStatus": {
+ "status.debug": "偵錯",
+ "debugTarget": "偵錯: {0}",
+ "selectAndStartDebug": "選取並啟動偵錯組態"
+ },
+ "vs/workbench/contrib/debug/browser/debugCommands": {
+ "restartDebug": "重新啟動",
+ "stepOverDebug": "不進入函式",
+ "stepIntoDebug": "逐步執行",
+ "stepOutDebug": "跳離函式",
+ "pauseDebug": "暫停",
+ "disconnect": "中斷連線",
+ "stop": "停止",
+ "continueDebug": "繼續",
+ "chooseLocation": "選擇特定位置",
+ "noExecutableCode": "沒有任何可執行程式碼與目前的指標位置相關。",
+ "jumpToCursor": "跳至資料指標",
+ "debug": "偵錯",
+ "noFolderDebugConfig": "請先開啟資料夾,以便進行進階偵錯設定。",
+ "addInlineBreakpoint": "新增內嵌中斷點"
+ },
+ "vs/workbench/contrib/debug/browser/loadedScriptsView": {
+ "loadedScriptsSession": "對工作階段偵錯",
+ "loadedScriptsAriaLabel": "對載入的指令碼偵錯",
+ "loadedScriptsRootFolderAriaLabel": "工作區資料夾 {0}, 已載入指令碼, 偵錯",
+ "loadedScriptsSessionAriaLabel": "工作階段 {0}, 已載入指令碼, 偵錯",
+ "loadedScriptsFolderAriaLabel": "資料夾 {0}, 已載入指令碼, 偵錯",
+ "loadedScriptsSourceAriaLabel": "{0}, 已載入指令碼, 偵錯"
+ },
+ "vs/workbench/contrib/debug/browser/debugEditorActions": {
+ "toggleBreakpointAction": "偵錯: 切換中斷點",
+ "conditionalBreakpointEditorAction": "偵錯: 新增條件中斷點...",
+ "logPointEditorAction": "偵錯: 新增記錄點...",
+ "runToCursor": "執行至游標處",
+ "evaluateInDebugConsole": "在偵錯主控台中評估",
+ "addToWatch": "加入監看",
+ "showDebugHover": "偵錯: 動態顯示",
+ "stepIntoTargets": "逐步執行目標...",
+ "goToNextBreakpoint": "偵錯: 移至下一個中斷點",
+ "goToPreviousBreakpoint": "偵錯: 移至上一個中斷點",
+ "closeExceptionWidget": "關閉例外狀況小工具"
+ },
+ "vs/workbench/contrib/debug/browser/watchExpressionsView": {
+ "editWatchExpression": "編輯運算式",
+ "removeWatchExpression": "移除運算式",
+ "watchExpressionInputAriaLabel": "輸入監看運算式",
+ "watchExpressionPlaceholder": "要監看的運算式",
+ "watchAriaTreeLabel": "對監看運算式執行偵錯",
+ "watchExpressionAriaLabel": "{0},值 {1}",
+ "watchVariableAriaLabel": "{0},值 {1}"
+ },
+ "vs/workbench/contrib/debug/browser/variablesView": {
+ "variableValueAriaLabel": "輸入新的變數值",
+ "variablesAriaTreeLabel": "偵錯變數",
+ "variableScopeAriaLabel": "範圍 {0}",
+ "variableAriaLabel": "{0},值 {1}"
+ },
+ "vs/workbench/contrib/debug/common/debugContentProvider": {
+ "unable": "不使用偵錯工作階段無法解析此資源",
+ "canNotResolveSourceWithError": "無法載入來源 '{0}': {1}。",
+ "canNotResolveSource": "無法載入來源 '{0}'。"
+ },
+ "vs/workbench/contrib/debug/browser/welcomeView": {
+ "run": "執行",
+ "openAFileWhichCanBeDebugged": "[開啟檔案](command:{0}),該檔案可供偵錯或執行。",
+ "runAndDebugAction": "[執行並偵錯{0}](command:{1})",
+ "detectThenRunAndDebug": "[顯示](command:{0}) 所有自動偵錯組態。",
+ "customizeRunAndDebug": "如果要自訂執行並偵錯,請[建立 launch.json 檔案](command:{0})。",
+ "customizeRunAndDebugOpenFolder": "如果要自訂執行並偵錯,請[開啟資料夾](command:{0}) 並建立 launch.json 檔案。"
+ },
+ "vs/workbench/contrib/debug/browser/debugQuickAccess": {
+ "noDebugResults": "沒有相符的啟動組態",
+ "customizeLaunchConfig": "設定啟動組態",
+ "contributed": "已提供",
+ "providerAriaLabel": "{0} 提供的組態",
+ "configure": "設定",
+ "addConfigTo": "新增組態 ({0})...",
+ "addConfiguration": "新增組態..."
+ },
+ "vs/workbench/contrib/debug/browser/debugIcons": {
+ "debugConsoleViewIcon": "[偵錯主控台] 檢視的檢視圖示。",
+ "runViewIcon": "[執行] 檢視的檢視圖示。",
+ "variablesViewIcon": "[變數] 檢視的檢視圖示。",
+ "watchViewIcon": "[監看式] 檢視的檢視圖示。",
+ "callStackViewIcon": "[呼叫堆疊] 檢視的檢視圖示。",
+ "breakpointsViewIcon": "[中斷點] 檢視的檢視圖示。",
+ "loadedScriptsViewIcon": "[載入的指令碼] 檢視的檢視圖示。",
+ "debugBreakpoint": "中斷點的圖示。",
+ "debugBreakpointDisabled": "已停用中斷點的圖示。",
+ "debugBreakpointUnverified": "未驗證中斷點的圖示。",
+ "debugBreakpointHint": "顯示在編輯器字符邊界暫留時的中斷點提示圖示。",
+ "debugBreakpointFunction": "函式中斷點的圖示。",
+ "debugBreakpointFunctionUnverified": "未驗證函式中斷點的圖示。",
+ "debugBreakpointFunctionDisabled": "已停用函式中斷點的圖示。",
+ "debugBreakpointUnsupported": "不支援中斷點的圖示。",
+ "debugBreakpointConditionalUnverified": "未驗證條件式中斷點的圖示。",
+ "debugBreakpointConditional": "條件式中斷點的圖示。",
+ "debugBreakpointConditionalDisabled": "已停用條件式中斷點的圖示。",
+ "debugBreakpointDataUnverified": "未驗證資料中斷點的圖示。",
+ "debugBreakpointData": "資料中斷點的圖示。",
+ "debugBreakpointDataDisabled": "已停用資料中斷點的圖示。",
+ "debugBreakpointLogUnverified": "未驗證記錄中斷點的圖示。",
+ "debugBreakpointLog": "記錄中斷點的圖示。",
+ "debugBreakpointLogDisabled": "已停用記錄中斷點的圖示。",
+ "debugStackframe": "編輯器字符邊界中顯示的 StackFrame 圖示。",
+ "debugStackframeFocused": "編輯器字符邊界中顯示的聚焦 StackFrame 圖示。",
+ "debugGripper": "偵錯列移駐夾的圖示。",
+ "debugRestartFrame": "偵錯重新開始框架動作的圖示。",
+ "debugStop": "偵錯停止動作的圖示。",
+ "debugDisconnect": "偵錯中斷連線動作的圖示。",
+ "debugRestart": "偵錯重新開始動作的圖示。",
+ "debugStepOver": "偵錯不進入函式動作的圖示。",
+ "debugStepInto": "偵錯逐步執行動作的圖示。",
+ "debugStepOut": "偵錯跳出動作的圖示。",
+ "debugStepBack": "偵錯倒退動作的圖示。",
+ "debugPause": "偵錯暫停動作的圖示。",
+ "debugContinue": "偵錯繼續動作的圖示。",
+ "debugReverseContinue": "偵錯反向繼續動作的圖示。",
+ "debugStart": "偵錯開始動作的圖示。",
+ "debugConfigure": "偵錯設定動作的圖示。",
+ "debugConsole": "偵錯主控台開啟動作的圖示。",
+ "debugCollapseAll": "偵錯檢視中全部摺疊動作的圖示。",
+ "callstackViewSession": "呼叫堆疊檢視中工作階段圖示的圖示。",
+ "debugConsoleClearAll": "偵錯主控台中全部清除動作的圖示。",
+ "watchExpressionsRemoveAll": "監看式檢視中全部移除動作的圖示。",
+ "watchExpressionsAdd": "監看式檢視中新增動作的圖示。",
+ "watchExpressionsAddFuncBreakpoint": "監看式檢視中新增函式中斷點動作的圖示。",
+ "breakpointsRemoveAll": "中斷點檢視中移除所有動作的圖示。",
+ "breakpointsActivate": "中斷點檢視中啟用動作的圖示。",
+ "debugConsoleEvaluationInput": "偵錯評估輸入標記的圖示。",
+ "debugConsoleEvaluationPrompt": "偵錯評估提示的圖示。"
+ },
+ "vs/workbench/contrib/debug/browser/exceptionWidget": {
+ "debugExceptionWidgetBorder": "例外狀況小工具的框線色彩。",
+ "debugExceptionWidgetBackground": "例外狀況小工具的背景色彩。",
+ "exceptionThrownWithId": "發生例外狀況: {0}",
+ "exceptionThrown": "發生了例外狀況",
+ "close": "關閉"
+ },
+ "vs/workbench/contrib/debug/browser/debugHover": {
+ "quickTip": "按住 {0} 鍵以切換到編輯器語言暫留",
+ "treeAriaLabel": "偵錯暫留",
+ "variableAriaLabel": "{0},值 {1},變數,偵錯"
+ },
+ "vs/workbench/contrib/debug/browser/breakpointWidget": {
+ "breakpointWidgetLogMessagePlaceholder": "當命中中斷點時向記錄傳送訊息。會以內插值取代 {} 中的運算式。按一下 'Enter' 接受,或是按 'esc' 取消。",
+ "breakpointWidgetHitCountPlaceholder": "符合叫用次數條件時中斷。按 'Enter' 鍵接受,按 'esc' 鍵取消。",
+ "breakpointWidgetExpressionPlaceholder": "在運算式評估為 true 時中斷。按 'Enter' 鍵接受,按 'esc' 鍵取消。",
+ "expression": "運算式",
+ "hitCount": "叫用次數",
+ "logMessage": "記錄訊息",
+ "breakpointType": "中斷點類型"
+ },
+ "vs/workbench/contrib/debug/browser/debugActionViewItems": {
+ "debugLaunchConfigurations": "對啟動組態偵錯",
+ "noConfigurations": "沒有組態",
+ "addConfigTo": "新增組態 ({0})...",
+ "addConfiguration": "新增組態...",
+ "debugSession": "對工作階段偵錯"
+ },
+ "vs/workbench/contrib/debug/browser/linkDetector": {
+ "fileLinkMac": "按住 Cmd 並按一下滑鼠按鈕可連入連結",
+ "fileLink": "按住 Ctrl 並按一下滑鼠按鈕可連入連結"
+ },
+ "vs/workbench/contrib/debug/browser/replViewer": {
+ "debugConsole": "偵錯主控台",
+ "replVariableAriaLabel": "變數 {0},值 {1}",
+ "occurred": ",已發生 {0} 次",
+ "replRawObjectAriaLabel": "偵錯主控台變數 {0},值 {1}",
+ "replGroup": "偵錯主控台群組 {0}"
+ },
+ "vs/workbench/contrib/debug/common/replModel": {
+ "consoleCleared": "已清除主控台",
+ "snapshotObj": "只會顯示此物件的基本值。"
+ },
+ "vs/workbench/contrib/debug/browser/replFilter": {
+ "showing filtered repl lines": "正在顯示 {1} 中的 {0}"
+ },
+ "vs/workbench/contrib/debug/node/debugAdapter": {
+ "debugAdapterBinNotFound": "偵錯配接器可執行檔 '{0}' 不存在。",
+ "debugAdapterCannotDetermineExecutable": "無法判斷偵錯配接器 '{0}' 的可執行檔。",
+ "unableToLaunchDebugAdapter": "無法從 '{0}' 啟動偵錯配接器。",
+ "unableToLaunchDebugAdapterNoArgs": "無法啟動偵錯配接器。"
+ },
+ "vs/workbench/contrib/debug/common/debugModel": {
+ "invalidVariableAttributes": "變數屬性無效",
+ "startDebugFirst": "請啟動偵錯工作階段以評估運算式",
+ "notAvailable": "無法使用",
+ "pausedOn": "暫停於 {0}",
+ "paused": "已暫停",
+ "running": "正在執行",
+ "breakpointDirtydHover": "未驗證的中斷點。檔案已修改,請重新啟動偵錯工作階段。"
+ },
+ "vs/workbench/contrib/debug/browser/debugConfigurationManager": {
+ "selectConfiguration": "選取啟動組態",
+ "editLaunchConfig": "編輯 launch.json 中的偵錯組態",
+ "DebugConfig.failed": "無法在 '.vscode' 資料夾 ({0}) 中建立 'launch.json' 檔案。",
+ "workspace": "工作區",
+ "user settings": "使用者設定"
+ },
+ "vs/workbench/contrib/debug/browser/debugSession": {
+ "noDebugAdapter": "沒有任何可用的偵錯工具,無法傳送 '{0}'",
+ "sessionNotReadyForBreakpoints": "工作階段還沒準備好使用中斷點",
+ "debuggingStarted": "偵錯已開始。",
+ "debuggingStopped": "偵錯已停止。"
+ },
+ "vs/workbench/contrib/debug/browser/debugTaskRunner": {
+ "preLaunchTaskErrors": "執行 preLaunchTask '{0}' 後存在錯誤。",
+ "preLaunchTaskError": "執行 preLaunchTask '{0}' 後存在錯誤。",
+ "preLaunchTaskExitCode": "preLaunchTask '{0}' 已終止,結束代碼為 {1}。",
+ "preLaunchTaskTerminated": "preLaunchTask '{0}' 已終止。",
+ "debugAnyway": "仍要偵錯",
+ "showErrors": "顯示錯誤",
+ "abort": "中止",
+ "remember": "記住我在使用者設定中的選擇",
+ "invalidTaskReference": "無法從位於其他工作區資料夾的啟動組態參考工作 '{0}'。",
+ "DebugTaskNotFoundWithTaskId": "找不到工作 \"{0}\"。",
+ "DebugTaskNotFound": "找不到指定的工作。",
+ "taskNotTrackedWithTaskId": "無法追蹤指定的工作。",
+ "taskNotTracked": "無法追蹤工作 '{0}'。"
+ },
+ "vs/workbench/contrib/debug/browser/debugAdapterManager": {
+ "debugNoType": "偵錯器 'type' 無法省略,且必須為類型 'string'。",
+ "more": "更多...",
+ "selectDebug": "選取環境"
+ },
+ "vs/workbench/contrib/debug/common/debugSource": {
+ "unknownSource": "未知的來源"
+ },
+ "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": "從 `launch.json` 中的互動式變數 (例如 ${action.pickProcess}) 對應至命令。",
+ "vscode.extension.contributes.debuggers.initialConfigurations": "組態,用於產生初始 'launch.json'。",
+ "vscode.extension.contributes.debuggers.languages": "可將偵錯延伸模組視為「預設偵錯工具」的語言清單。",
+ "vscode.extension.contributes.debuggers.configurationSnippets": "用於在 'launch.json' 中新增組態的程式碼片段。",
+ "vscode.extension.contributes.debuggers.configurationAttributes": "JSON 結構描述組態,用於驗證 'launch.json'。",
+ "vscode.extension.contributes.debuggers.windows": "Windows 特定設定。",
+ "vscode.extension.contributes.debuggers.windows.runtime": "用於 Windows 的執行階段。",
+ "vscode.extension.contributes.debuggers.osx": "macOS 特定設定。",
+ "vscode.extension.contributes.debuggers.osx.runtime": "用於 macOS 的執行階段。",
+ "vscode.extension.contributes.debuggers.linux": "Linux 特定設定。",
+ "vscode.extension.contributes.debuggers.linux.runtime": "用於 Linux 的執行階段。",
+ "vscode.extension.contributes.breakpoints": "提供中斷點。",
+ "vscode.extension.contributes.breakpoints.language": "允許此語言使用中斷點。",
+ "presentation": "簡報選項,用來表達如何在偵錯組態下拉式清單和命令選擇區內顯示此組態。",
+ "presentation.hidden": "控制此組態是否應在組態下拉式清單和命令選擇區內顯示。",
+ "presentation.group": "這個組態所屬的群組。用於在組態下拉式清單和命令選擇區中進行分組和排序。",
+ "presentation.order": "這個組態在群組中的順序。用於在組態下拉式清單和命令選擇區中進行分組和排序。",
+ "app.launch.json.title": "啟動",
+ "app.launch.json.version": "此檔案格式的版本。",
+ "app.launch.json.configurations": "組態清單。請使用 IntelliSense 新增新的組態或編輯現有的組態。",
+ "app.launch.json.compounds": "複合的清單。每個複合都參考將會同時啟動的多重組態。",
+ "app.launch.json.compound.name": "複合的名稱。顯示於啟動組態下拉式功能表。",
+ "useUniqueNames": "請使用唯一的組態名稱。",
+ "app.launch.json.compound.folder": "複合所在的資料夾名稱。",
+ "app.launch.json.compounds.configurations": "將會作為此複合一部份而啟動之組態的名稱。",
+ "app.launch.json.compound.stopAll": "控制手動終止一個工作階段,是否會停止所有複合的工作階段。",
+ "compoundPrelaunchTask": "要在任何複合設定開始前執行的工作。"
+ },
+ "vs/workbench/contrib/debug/browser/rawDebugSession": {
+ "noDebugAdapterStart": "沒有任何偵錯配接器,無法啟動偵錯工作階段。",
+ "noDebugAdapter": "找不到任何可用的偵錯工具。無法傳送 '{0}'。",
+ "moreInfo": "詳細資訊"
+ },
+ "vs/workbench/contrib/debug/common/debugger": {
+ "cannot.find.da": "找不到類型 ‘{0}’ 的偵錯配接器。",
+ "launch.config.comment1": "使用 IntelliSense 以得知可用的屬性。",
+ "launch.config.comment2": "暫留以檢視現有屬性的描述。",
+ "launch.config.comment3": "如需詳細資訊,請瀏覽: {0}",
+ "debugType": "組態的類型。",
+ "debugTypeNotRecognised": "無法辨識此偵錯類型。請確認已有安裝並啟用相對應的偵錯延伸模組。",
+ "node2NotSupported": "\"node2\" 已不再支援,請改用 \"node\",並將 \"protocol\" 屬性設為 \"inspector\"。",
+ "debugName": "組態的名稱; 會顯示在啟動組態下拉式功能表中。",
+ "debugRequest": "要求組態的類型。可以是 [啟動] 或 [附加]。",
+ "debugServer": "僅限偵錯延伸模組開發: 如果指定了連接埠,VS Code 會嘗試連線至以伺服器模式執行的偵錯配接器",
+ "debugPrelaunchTask": "偵錯工作階段啟動前要執行的工作。",
+ "debugPostDebugTask": "偵錯工作階段結束後要執行的工作。",
+ "debugWindowsConfiguration": "Windows 特定的啟動設定屬性。",
+ "debugOSXConfiguration": "OS X 特定的啟動設定屬性。",
+ "debugLinuxConfiguration": "Linux 特定的啟動設定屬性。"
+ },
+ "vs/workbench/contrib/dialogs/browser/dialogHandler": {
+ "yesButton": "是(&&Y)",
+ "cancelButton": "取消",
+ "aboutDetail": "版本: {0}\r\n認可: {1}\r\n日期: {2}\r\n瀏覽器: {3}",
+ "copy": "複製",
+ "ok": "確定"
+ },
+ "vs/workbench/contrib/dialogs/electron-sandbox/dialogHandler": {
+ "yesButton": "是(&&Y)",
+ "cancelButton": "取消",
+ "aboutDetail": "版本: {0}\r\n認可: {1}\r\n日期: {2}\r\nElectron: {3}\r\nChrome: {4}\r\nNode.js: {5}\r\nV8: {6}\r\nOS: {7}",
+ "okButton": "確定",
+ "copy": "複製(&&C)"
+ },
+ "vs/workbench/contrib/emmet/browser/actions/expandAbbreviation": {
+ "expandAbbreviationAction": "Emmet: 展開縮寫",
+ "miEmmetExpandAbbreviation": "Emmet: 展開縮寫(&&X)"
+ },
+ "vs/workbench/contrib/experiments/browser/experiments.contribution": {
+ "workbench.enableExperiments": "擷取要從 Microsoft 線上服務執行的實驗。"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/extensions.contribution": {
+ "runtimeExtension": "正在執行延伸模組"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/runtimeExtensionsEditor": {
+ "extensionHostProfileStart": "啟動延伸主機設定檔",
+ "stopExtensionHostProfileStart": "停止延伸主機設定檔",
+ "saveExtensionHostProfile": "儲存延伸主機設定檔"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/debugExtensionHostAction": {
+ "debugExtensionHost": "啟動偵錯延伸模組主機",
+ "restart1": "設定檔延伸模組",
+ "restart2": "必須重新啟動,才能分析延伸模組。要立即重新啟動 '{0}' 嗎?",
+ "restart3": "重新啟動(&&R)",
+ "cancel": "取消(&&C)",
+ "debugExtensionHost.launch.name": "附加延伸主機"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/extensionProfileService": {
+ "profilingExtensionHost": "正在分析延伸模組主機",
+ "selectAndStartDebug": "按一下以停止分析。",
+ "profilingExtensionHostTime": "分析擴展主機 ({0} 秒)",
+ "status.profiler": "延伸模組分析工具",
+ "restart1": "設定檔延伸模組",
+ "restart2": "必須重新啟動,才能分析延伸模組。要立即重新啟動 '{0}' 嗎?",
+ "restart3": "重新啟動(&&R)",
+ "cancel": "取消(&&C)"
+ },
+ "vs/workbench/contrib/extensions/common/runtimeExtensionsInput": {
+ "extensionsInputName": "正在執行延伸模組"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/extensionsAutoProfiler": {
+ "unresponsive-exthost": "延伸模組 '{0}' 花了很久才完成其最後作業,並導致了其他延伸模組無法執行。",
+ "show": "顯示延伸模組"
+ },
+ "vs/workbench/contrib/extensions/electron-sandbox/extensionsActions": {
+ "openExtensionsFolder": "開啟延伸模組資料夾"
+ },
+ "vs/workbench/contrib/extensions/browser/extensions.contribution": {
+ "manageExtensionsQuickAccessPlaceholder": "按 Enter 鍵以管理延伸模組。",
+ "manageExtensionsHelp": "管理延伸模組",
+ "installVSIX": "安裝延伸模組 VSIX",
+ "extension": "延伸模組",
+ "extensions": "延伸模組",
+ "extensionsConfigurationTitle": "延伸模組",
+ "extensionsAutoUpdate": "啟用時,會自動安裝延伸模組的更新。更新會從 Microsoft 線上服務擷取。",
+ "extensionsCheckUpdates": "啟用時,會自動檢查延伸模組更新。若延伸模組有更新,就會在 [延伸模組] 檢視中標記為過時。更新會從 Microsoft 線上服務擷取。",
+ "extensionsIgnoreRecommendations": "啟用時,延伸模組建議的通知就不會顯示。",
+ "extensionsShowRecommendationsOnlyOnDemand_Deprecated": "此設定已淘汰。請使用 extensions.ignoreRecommendations 設定來控制建議通知。預設會使用延伸模組檢視的可見度動作來隱藏建議檢視。",
+ "extensionsCloseExtensionDetailsOnViewChange": "啟用時,包含延伸模組詳細資料的編輯器會自動在從 [延伸模組] 檢視導覽到他處時,自動關閉。",
+ "handleUriConfirmedExtensions": "當此處列出延伸模組時,將不會在延伸模組處理 URI 時顯示確認提示。",
+ "extensionsWebWorker": "啟用 Web 背景工作延伸主機。",
+ "workbench.extensions.installExtension.description": "安裝指定的延伸模組",
+ "workbench.extensions.installExtension.arg.name": "延伸模組識別碼或 VSIX 資源 uri",
+ "notFound": "找不到延伸模組 '{0}'。",
+ "InstallVSIXAction.successReload": "已完成從 VSIX 安裝 {0} 延伸模組。請重新載入 Visual Studio Code 加以啟用。",
+ "InstallVSIXAction.success": "已完成從 VSIX 安裝 {0} 延伸模組。",
+ "InstallVSIXAction.reloadNow": "立即重新載入",
+ "workbench.extensions.uninstallExtension.description": "將指定的延伸模組解除安裝",
+ "workbench.extensions.uninstallExtension.arg.name": "要解除安裝之延伸模組的識別碼",
+ "id required": "延伸模組識別碼為必要項。",
+ "notInstalled": "未安裝延伸模組 '{0}'。請務必包含發行者的完整延伸模組識別碼,例如 ms-vscode.csharp。",
+ "builtin": "延伸模組 '{0}' 是內建延伸模組,無法安裝",
+ "workbench.extensions.search.description": "搜尋特定擴充",
+ "workbench.extensions.search.arg.name": "要在搜尋中使用的查詢",
+ "miOpenKeymapExtensions": "按鍵對應(&&K)",
+ "miOpenKeymapExtensions2": "按鍵對應",
+ "miPreferencesExtensions": "延伸模組(&&E)",
+ "miViewExtensions": "延伸模組(&&X)",
+ "showExtensions": "延伸模組",
+ "installExtensionQuickAccessPlaceholder": "鍵入要安裝或搜索的延伸模組名稱。",
+ "installExtensionQuickAccessHelp": "安裝或搜尋延伸模組",
+ "workbench.extensions.action.copyExtension": "複製",
+ "extensionInfoName": "名稱: {0}",
+ "extensionInfoId": "識別碼: {0}",
+ "extensionInfoDescription": "描述: {0}",
+ "extensionInfoVersion": "版本: {0}",
+ "extensionInfoPublisher": "發行者: {0}",
+ "extensionInfoVSMarketplaceLink": "VS Marketplace 連結: {0}",
+ "workbench.extensions.action.copyExtensionId": "複製延伸模組識別碼",
+ "workbench.extensions.action.configure": "擴充設定",
+ "workbench.extensions.action.toggleIgnoreExtension": "同步此擴充",
+ "workbench.extensions.action.ignoreRecommendation": "忽略建議",
+ "workbench.extensions.action.undoIgnoredRecommendation": "復原已忽略的建議",
+ "workbench.extensions.action.addExtensionToWorkspaceRecommendations": "新增至工作區建議",
+ "workbench.extensions.action.removeExtensionFromWorkspaceRecommendations": "從工作區中移除建議",
+ "workbench.extensions.action.addToWorkspaceRecommendations": "將延伸模組新增至工作區建議",
+ "workbench.extensions.action.addToWorkspaceFolderRecommendations": "將延伸模組新增至工作區資料夾建議",
+ "workbench.extensions.action.addToWorkspaceIgnoredRecommendations": "將延伸模組新增至工作區已忽略建議",
+ "workbench.extensions.action.addToWorkspaceFolderIgnoredRecommendations": "將延伸模組新增至工作區資料夾已忽略建議"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsViewlet": {
+ "installed": "已安裝",
+ "popularExtensions": "熱門",
+ "recommendedExtensions": " 推薦項目",
+ "enabledExtensions": "啟用",
+ "disabledExtensions": "停用",
+ "marketPlace": "市集",
+ "enabled": "啟用",
+ "disabled": "停用",
+ "outdated": "已過期",
+ "builtin": "內建",
+ "workspaceRecommendedExtensions": "工作區建議",
+ "otherRecommendedExtensions": "其他建議",
+ "builtinFeatureExtensions": "功能",
+ "builtInThemesExtensions": "主題",
+ "builtinProgrammingLanguageExtensions": "程式語言",
+ "sort by installs": "安裝次數",
+ "sort by rating": "評等",
+ "sort by name": "名稱",
+ "sort by date": "發佈日期",
+ "searchExtensions": "在 Marketplace 中搜尋延伸模組",
+ "builtin filter": "內建",
+ "installed filter": "已安裝",
+ "enabled filter": "啟用",
+ "disabled filter": "停用",
+ "outdated filter": "過期",
+ "featured filter": "精選",
+ "most popular filter": "最熱門",
+ "most popular recommended": "推薦",
+ "recently published filter": "最近發佈",
+ "filter by category": "類別",
+ "sorty by": "排序依據",
+ "filterExtensions": "篩選延伸模組...",
+ "extensionFoundInSection": "在 {0} 區段中找到 1 個延伸模組。",
+ "extensionFound": "找到 1 個延伸模組。",
+ "extensionsFoundInSection": "在 {1} 區段中找到 {0} 個延伸模組。",
+ "extensionsFound": "找到 {0} 個延伸模組。",
+ "suggestProxyError": "Marketplace 傳回了 'ECONNREFUSED'。請檢查 'http.proxy' 設定。",
+ "open user settings": "開啟使用者設定",
+ "outdatedExtensions": "{0} 過期的延伸模組",
+ "malicious warning": "我們已經解除安裝被回報有問題的 '{0}' 。",
+ "reloadNow": "立即重新載入"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/extensionsSlowActions": {
+ "cmd.reportOrShow": "效能問題",
+ "cmd.report": "回報問題",
+ "attach.title": "您附加了 CPU 設定檔嗎?",
+ "ok": "確定",
+ "attach.msg": "僅此提醒,以確保您未忘記將 ‘{0}’ 附加您剛才建立的問題。",
+ "cmd.show": "顯示問題",
+ "attach.msg2": "僅此提醒,以確保您未忘記將 ‘{0}’ 附加到現有的效能問題。"
+ },
+ "vs/workbench/contrib/extensions/electron-browser/reportExtensionIssueAction": {
+ "reportExtensionIssue": "回報問題"
+ },
+ "vs/workbench/contrib/extensions/browser/abstractRuntimeExtensionsEditor": {
+ "starActivation": "{0} 已在啟動時啟用",
+ "workspaceContainsGlobActivation": "因為工作區中存在符合 {1} 的檔案,所以已由 {1} 啟動",
+ "workspaceContainsFileActivation": "{1} 已啟用,因為您的工作區中已有檔案 {0}",
+ "workspaceContainsTimeout": "{1} 已啟用,因為搜尋 {0} 的時間太長",
+ "startupFinishedActivation": "在啟動完成後由 {0} 啟用",
+ "languageActivation": "{1} 已啟用,因為您開啟了 {0} 檔案",
+ "workspaceGenericActivation": "由 {0} 上的 {1} 啟動",
+ "unresponsive.title": "延伸模組已造成延伸主機當機。",
+ "errors": "{0} 未攔截錯誤",
+ "runtimeExtensions": "執行階段延伸模組",
+ "disable workspace": "停用 (工作區)",
+ "disable": "停用",
+ "showRuntimeExtensions": "顯示正在執行的延伸模組"
+ },
+ "vs/workbench/contrib/extensions/common/extensionsInput": {
+ "extensionsInputName": "延伸模組: {0}"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsActions": {
+ "noOfYearsAgo": "{0} 年前",
+ "one year ago": "1 年前",
+ "noOfMonthsAgo": "{0} 個月前",
+ "one month ago": "1 個月前",
+ "noOfDaysAgo": "{0} 天前",
+ "one day ago": "1 天前",
+ "noOfHoursAgo": "{0} 小時前",
+ "one hour ago": "1 小時前",
+ "just now": "現在",
+ "update operation": "更新 '{0}' 延伸模組時發生錯誤。",
+ "install operation": "安裝 '{0}' 延伸模組時發生錯誤。",
+ "download": "嘗試手動下載...",
+ "install vsix": "下載完成後,請手動安裝下載之 '{0}' 的 VSIX。",
+ "check logs": "如需詳細資料,請查看[記錄]({0})。",
+ "installExtensionStart": "已開始安裝延伸模組 {0}。編輯器現已開啟,且提供更多此延伸模組的詳細資料",
+ "installExtensionComplete": "延伸模組 {0} 安裝完成。",
+ "install": "安裝",
+ "install and do no sync": "安裝 (不同步)",
+ "install in remote and do not sync": "安裝至 {0} (不同步)",
+ "install in remote": "安裝至 {0}",
+ "install locally and do not sync": "安裝於本機 (不同步)",
+ "install locally": "在本機安裝",
+ "install everywhere tooltip": "在所有已同步的 {0} 個執行個體中安裝此延伸模組",
+ "installing": "正在安裝",
+ "install browser": "安裝在瀏覽器中",
+ "uninstallAction": "解除安裝",
+ "Uninstalling": "正在解除安裝",
+ "uninstallExtensionStart": "已開始將延伸模組 {0} 解除安裝。",
+ "uninstallExtensionComplete": "請重新載入 Visual Studio Code 來完成延伸模組 {0} 的解除安裝。",
+ "updateExtensionStart": "已開始將延伸模組 {0} 更新至 {1} 版。",
+ "updateExtensionComplete": "將延伸模組 {0} 更新至 {1} 版已完成。",
+ "updateTo": "更新至 {0}",
+ "updateAction": "更新",
+ "manage": "管理",
+ "ManageExtensionAction.uninstallingTooltip": "正在解除安裝",
+ "install another version": "安裝另一個版本...",
+ "selectVersion": "選擇安裝的版本",
+ "current": "目前",
+ "enableForWorkspaceAction": "啟用 (工作區)",
+ "enableForWorkspaceActionToolTip": "僅在此工作區中啟用此延伸模組",
+ "enableGloballyAction": "啟用",
+ "enableGloballyActionToolTip": "啟用此延伸模組",
+ "disableForWorkspaceAction": "停用 (工作區)",
+ "disableForWorkspaceActionToolTip": "僅在此工作區中停用此延伸模組",
+ "disableGloballyAction": "停用",
+ "disableGloballyActionToolTip": "停用此延伸模組",
+ "enableAction": "啟用",
+ "disableAction": "停用",
+ "checkForUpdates": "查看延伸模組更新",
+ "noUpdatesAvailable": "所有延伸模組皆在最新狀態。",
+ "singleUpdateAvailable": "有延伸模組更新可用。",
+ "updatesAvailable": "有 {0} 個延伸模組更新可用。",
+ "singleDisabledUpdateAvailable": "停用的延伸模組有更新可用。",
+ "updatesAvailableOneDisabled": "有 {0} 個延伸模組更新可用。其中一項適用於已停用的延伸模組。",
+ "updatesAvailableAllDisabled": "有 {0} 個延伸模組更新可用。所有項目均適用於已停用的延伸模組。",
+ "updatesAvailableIncludingDisabled": "有 {0} 個延伸模組更新可用。其中 {1} 項適用於已停用的延伸模組。",
+ "enableAutoUpdate": "啟用自動更新延伸模組",
+ "disableAutoUpdate": "停用自動更新延伸模組",
+ "updateAll": "更新所有延伸模組",
+ "reloadAction": "重新載入",
+ "reloadRequired": "需要重新載入",
+ "postUninstallTooltip": "請重新載入 Visual Studio Code 以完成此延伸模組的解除安裝。",
+ "postUpdateTooltip": "請重新載入 Visual Studio Code 以啟用更新的延伸模組。",
+ "enable locally": "請重新載入 Visual Studio Code,以在本機啟用此延伸模組。",
+ "enable remote": "請重新載入 Visual Studio Code,以在 {0} 中啟用此延伸模組。",
+ "postEnableTooltip": "請重新載入 Visual Studio Code 以啟用此延伸模組。",
+ "postDisableTooltip": "請重新載入 Visual Studio Code 以完成停用此延伸模組。",
+ "installExtensionCompletedAndReloadRequired": "延伸模組 {0} 安裝完成。請重新載入 Visual Studio Code 以啟用此延伸模組。",
+ "color theme": "設定色彩主題",
+ "select color theme": "選取色彩佈景主題",
+ "file icon theme": "設定檔案圖示主題",
+ "select file icon theme": "選取檔案圖示佈景主題",
+ "product icon theme": "設定產品圖示主題",
+ "select product icon theme": "選取產品圖示主題",
+ "toggleExtensionsViewlet": "顯示延伸模組",
+ "installExtensions": "安裝延伸模組",
+ "showEnabledExtensions": "顯示啟用的延伸模組",
+ "showInstalledExtensions": "顯示已安裝的延伸模組",
+ "showDisabledExtensions": "顯示停用的延伸模組",
+ "clearExtensionsSearchResults": "清除延伸模組搜尋結果",
+ "refreshExtension": "重新整理",
+ "showBuiltInExtensions": "顯示內建延伸模組",
+ "showOutdatedExtensions": "顯示過期的延伸模組",
+ "showPopularExtensions": "顯示熱門延伸模組",
+ "recentlyPublishedExtensions": "最近發佈的延伸模組",
+ "showRecommendedExtensions": "顯示建議的延伸模組",
+ "showRecommendedExtension": "顯示建議的延伸模組",
+ "installRecommendedExtension": "安裝建議的延伸模組",
+ "ignoreExtensionRecommendation": "不要再建議此延伸模組",
+ "undo": "復原",
+ "showRecommendedKeymapExtensionsShort": "按鍵對應",
+ "showLanguageExtensionsShort": "語言延伸模組",
+ "search recommendations": "搜尋延伸模組",
+ "OpenExtensionsFile.failed": "無法在 '.vscode' 資料夾 ({0}) 中建立 'extensions.json' 檔案。",
+ "configureWorkspaceRecommendedExtensions": "設定建議的延伸模組 (工作區)",
+ "configureWorkspaceFolderRecommendedExtensions": "設定建議的延伸模組 (工作區資料夾) ",
+ "updated": "已更新",
+ "installed": "已安裝",
+ "uninstalled": "已解除安裝",
+ "enabled": "啟用",
+ "disabled": "停用",
+ "malicious tooltip": "這個延伸模組曾經被回報是有問題的。",
+ "malicious": "惡意",
+ "ignored": "同步期間會忽略此延伸模組",
+ "synced": "已同步此延伸模組",
+ "sync": "同步此延伸模組",
+ "do not sync": "不要同步此延伸模組",
+ "extension enabled on remote": "已在 ‘{0}’ 上啟用延伸模組",
+ "globally enabled": "已全域啟用此延伸模組。",
+ "workspace enabled": "使用者已為此工作區啟用此延伸模組。",
+ "globally disabled": "使用者已全域停用此延伸模組。",
+ "workspace disabled": "使用者已為此工作區停用此延伸模組。",
+ "Install language pack also in remote server": "在 '{0}' 上安裝語言套件延伸模組,以同時在該位置啟用。",
+ "Install language pack also locally": "在本機安裝語言套件延伸模組,以同時在本機啟用。",
+ "Install in other server to enable": "在 '{0}' 上安裝延伸模組以啟用。",
+ "disabled because of extension kind": "此擴充已定義無法在遠端伺服器上執行",
+ "disabled locally": "在 '{0}' 上啟用延伸模組,但在本機停用。",
+ "disabled remotely": "在本機啟用延伸模組,但在 '{0}' 上停用。",
+ "disableAll": "停用所有已安裝的延伸模組",
+ "disableAllWorkspace": "停用此工作區的所有已安裝延伸模組",
+ "enableAll": "啟用所有延伸模組",
+ "enableAllWorkspace": "啟用此工作區的所有延伸模組",
+ "installVSIX": "從 VSIX 安裝...",
+ "installFromVSIX": "從 VSIX 安裝",
+ "installButton": "安裝(&&I)",
+ "reinstall": "重新安裝延伸模組...",
+ "selectExtensionToReinstall": "選取要重新安裝的延伸模組",
+ "ReinstallAction.successReload": "請重新載入 Visual Studio Code,以完成延伸模組 {0} 的重新安裝。",
+ "ReinstallAction.success": "延伸模組 {0} 已重新安裝完成。",
+ "InstallVSIXAction.reloadNow": "立即重新載入",
+ "install previous version": "安裝特定版本的延伸模組...",
+ "selectExtension": "選擇延伸模組",
+ "InstallAnotherVersionExtensionAction.successReload": "請重新載入 Visual Studio Code,以完成延伸模組 {0} 的安裝。",
+ "InstallAnotherVersionExtensionAction.success": "延伸模組 {0} 已安裝完成。",
+ "InstallAnotherVersionExtensionAction.reloadNow": "立即重新載入",
+ "select extensions to install": "選取要安裝的延伸模組",
+ "no local extensions": "沒有任何要安裝的延伸模組。",
+ "installing extensions": "正在安裝延伸模組...",
+ "finished installing": "已成功安裝延伸模組。",
+ "select and install local extensions": "在 '{0}' 中安裝本機延伸模組...",
+ "install local extensions title": "在 '{0}' 中安裝本機延伸模組",
+ "select and install remote extensions": "在本機安裝遠端延伸模組...",
+ "install remote extensions": "在本機安裝遠端延伸模組",
+ "extensionButtonProminentBackground": "突出的動作延伸模組按鈕背景色彩 (例如,[安裝] 按鈕)。",
+ "extensionButtonProminentForeground": "突出的動作延伸模組按鈕前景色彩 (例如,[安裝] 按鈕)。",
+ "extensionButtonProminentHoverBackground": "突出的動作延伸模組按鈕背景暫留色彩 (例如,[安裝] 按鈕)。"
+ },
+ "vs/workbench/contrib/extensions/common/extensionsFileTemplate": {
+ "app.extensions.json.title": "延伸模組",
+ "app.extensions.json.recommendations": "應建議此工作區使用者使用的延伸模組清單。延伸模組識別碼一律為 '${publisher}.${name}'。例如: 'vscode.csharp'。 ",
+ "app.extension.identifier.errorMessage": "格式應為 '${publisher}.${name}'。範例: 'vscode.csharp'。",
+ "app.extensions.json.unwantedRecommendations": "VS Code 建議不應建議此工作區使用者使用的延伸模組清單。延伸模組識別碼一律為 '${publisher}.${name}'。例如: 'vscode.csharp'。"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionEditor": {
+ "name": "延伸模組名稱",
+ "extension id": "延伸模組識別碼",
+ "preview": "預覽",
+ "builtin": "內建",
+ "publisher": "發行者名稱",
+ "install count": "安裝計數",
+ "rating": "評等",
+ "repository": "儲存庫",
+ "license": "授權",
+ "version": "版本",
+ "details": "詳細資料",
+ "detailstooltip": "延伸模組詳細資訊,從延伸模組的 'README.md' 檔案中呈現。",
+ "contributions": "功能貢獻",
+ "contributionstooltip": "透過此延伸模組列出對 VS Code 的貢獻",
+ "changelog": "變更記錄",
+ "changelogtooltip": "延伸模組更新紀錄,從延伸模組 'CHANGELOG.md' 檔案中呈現",
+ "dependencies": "相依性",
+ "dependenciestooltip": "列出此延伸模組的相依項目",
+ "recommendationHasBeenIgnored": "您已選擇不接收此延伸模組的建議項目。",
+ "noReadme": "沒有可用的讀我檔案。",
+ "extension pack": "延伸模組套件 ({0})",
+ "noChangelog": "沒有可用的 Changelog。",
+ "noContributions": "沒有比重",
+ "noDependencies": "沒有相依性",
+ "settings": "設定 ({0})",
+ "setting name": "名稱",
+ "description": "描述",
+ "default": "預設",
+ "debuggers": "偵錯工具 ({0})",
+ "debugger name": "名稱",
+ "debugger type": "型別",
+ "viewContainers": "檢視容器 ({0})",
+ "view container id": "識別碼",
+ "view container title": "標題",
+ "view container location": "位置",
+ "views": "瀏覽次數 ({0})",
+ "view id": "識別碼",
+ "view name": "名稱",
+ "view location": "位置",
+ "localizations": "當地語系化 ({0})",
+ "localizations language id": "語言識別碼",
+ "localizations language name": "語言名稱",
+ "localizations localized language name": "語言名稱 (已當地語系化)",
+ "customEditors": "自訂編輯器 ({0})",
+ "customEditors view type": "檢視類型",
+ "customEditors priority": "優先順序",
+ "customEditors filenamePattern": "檔案名稱模式",
+ "codeActions": "程式碼動作 ({0})",
+ "codeActions.title": "標題",
+ "codeActions.kind": "種類",
+ "codeActions.description": "描述",
+ "codeActions.languages": "語言",
+ "authentication": "驗證 ({0})",
+ "authentication.label": "標籤",
+ "authentication.id": "識別碼",
+ "colorThemes": "色彩佈景主題 ({0})",
+ "iconThemes": "圖示佈景主題 ({0})",
+ "colors": "色彩 ({0})",
+ "colorId": "識別碼",
+ "defaultDark": "預設深色",
+ "defaultLight": "預設淺色",
+ "defaultHC": "預設高對比",
+ "JSON Validation": "JSON 驗證 ({0})",
+ "fileMatch": "檔案相符",
+ "schema": "結構描述",
+ "commands": "命令 ({0})",
+ "command name": "名稱",
+ "keyboard shortcuts": "鍵盤快速鍵",
+ "menuContexts": "功能表內容",
+ "languages": "語言 ({0})",
+ "language id": "識別碼",
+ "language name": "名稱",
+ "file extensions": "副檔名",
+ "grammar": "文法",
+ "snippets": "程式碼片段",
+ "activation events": "啟用事件 ({0})",
+ "find": "尋找",
+ "find next": "尋找下一個",
+ "find previous": "尋找上一個"
+ },
+ "vs/workbench/contrib/extensions/common/extensionsUtils": {
+ "disableOtherKeymapsConfirmation": "要停用其他按鍵對應 ({0}),以避免按鍵繫結關係間的衝突嗎?",
+ "yes": "是",
+ "no": "否"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsActivationProgress": {
+ "activation": "正在啟用延伸模組..."
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsDependencyChecker": {
+ "extensions": "延伸模組",
+ "auto install missing deps": "安裝遺漏的相依性",
+ "finished installing missing deps": "遺漏的相依性已安裝完成。請立即重新載入視窗。",
+ "reload": "重新載入視窗",
+ "no missing deps": "沒有遺漏的相依性要安裝。"
+ },
+ "vs/workbench/contrib/extensions/browser/remoteExtensionsInstaller": {
+ "remote": "遠端",
+ "install remote in local": "在本機安裝遠端延伸模組..."
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsWorkbenchService": {
+ "Manifest is not found": "找不到資訊清單",
+ "malicious": "有人回報此延伸模組有問題。",
+ "uninstallingExtension": "解除安裝延伸模組....",
+ "incompatible": "因為版本為 '{1}’ 的延伸模組 ‘{0}’ 與 VS Code 不相容,所以無法予以安裝。",
+ "installing named extension": "正在安裝 '{0}' 延伸模組....",
+ "installing extension": "正在安裝延伸模組....",
+ "disable all": "全部停用",
+ "singleDependentError": "無法單獨停用 '{0}' 延伸模組。'{1}' 延伸模組相依於此項。要停用這全部的延伸模組嗎?",
+ "twoDependentsError": "無法單獨停用 '{0}' 延伸模組。'{1}' 和 '{2}' 延伸模組相依於此項。要停用這全部的延伸模組嗎?",
+ "multipleDependentsError": "無法單獨停用 '{0}' 延伸模組。'{1}'、'{2}' 及其他延伸模組相依於此項。要停用這全部的延伸模組嗎?"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsQuickAccess": {
+ "type": "鍵入要安裝或搜索的延伸模組名稱。",
+ "searchFor": "按 Enter 鍵可搜尋延伸模組 '{0}'。",
+ "install": "按 Enter 鍵可安裝延伸模組 '{0}'。",
+ "manage": "按 Enter 鍵可管理您的延伸模組。"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionRecommendationNotificationService": {
+ "neverShowAgain": "不要再顯示",
+ "ignoreExtensionRecommendations": "要忽略所有延伸模組建議嗎?",
+ "ignoreAll": "是,全部忽略",
+ "no": "否",
+ "workspaceRecommended": "要為此存放庫安裝建議的延伸模組嗎?",
+ "install": "安裝",
+ "install and do no sync": "安裝 (不同步)",
+ "show recommendations": "顯示建議"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsIcons": {
+ "extensionsViewIcon": "[延伸模組] 檢視的檢視圖示。",
+ "manageExtensionIcon": "延伸模組檢視中 [管理] 動作的圖示。",
+ "clearSearchResultsIcon": "延伸模組檢視中 [清除搜尋結果] 動作的圖示。",
+ "refreshIcon": "延伸模組檢視中 [重新整理] 動作的圖示。",
+ "filterIcon": "延伸模組檢視中 [篩選] 動作的圖示。",
+ "installLocalInRemoteIcon": "延伸模組檢視中 [在遠端安裝本機延伸模組] 動作的圖示。",
+ "installWorkspaceRecommendedIcon": "延伸模組檢視中 [安裝工作區建議的延伸模組] 動作的圖示。",
+ "configureRecommendedIcon": "延伸模組檢視中 [設定建議延伸模組] 動作的圖示。",
+ "syncEnabledIcon": "表示延伸模組已同步的圖示。",
+ "syncIgnoredIcon": "表示在同步時已略過延伸模組的圖示。",
+ "remoteIcon": "延伸模組檢視和編輯器中,表示延伸模組為遠端的圖示。",
+ "installCountIcon": "延伸模組檢視和編輯器中隨著安裝數一起顯示的圖示。",
+ "ratingIcon": "延伸模組檢視和編輯器中隨著評等一起顯示的圖示。",
+ "starFullIcon": "延伸模組編輯器中用於評等的實星形圖示。",
+ "starHalfIcon": "延伸模組編輯器中用於評等的半星形圖示。",
+ "starEmptyIcon": "延伸模組編輯器中用於評等的空星形圖示。",
+ "warningIcon": "延伸模組編輯器中顯示含有警告訊息的圖示。",
+ "infoIcon": "延伸模組編輯器中顯示含有資訊訊息的圖示。"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsViews": {
+ "extension-arialabel": "{0},{1},{2},按下 Enter 鍵以取得延伸模組詳細資料。",
+ "extensions": "延伸模組",
+ "galleryError": "我們目前無法連線至 Extensions Marketplace,請稍後再試一次。",
+ "error": "載入延伸模組時發生錯誤。{0}",
+ "no extensions found": "找不到延伸模組。",
+ "suggestProxyError": "Marketplace 傳回了 'ECONNREFUSED'。請檢查 'http.proxy' 設定。",
+ "open user settings": "開啟使用者設定",
+ "installWorkspaceRecommendedExtensions": "安裝工作區建議的延伸模組"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsWidgets": {
+ "ratedBySingleUser": "由 1 位使用者評等",
+ "ratedByUsers": "由 {0} 使用者評等",
+ "noRating": "沒有評等",
+ "remote extension title": "{0} 中的延伸模組",
+ "syncingore.label": "同步期間會忽略此延伸模組。"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsViewer": {
+ "error": "錯誤",
+ "Unknown Extension": "未知的延伸模組:",
+ "extension-arialabel": "{0},{1},{2},按下 Enter 鍵以取得延伸模組詳細資料。",
+ "extensions": "延伸模組"
+ },
+ "vs/workbench/contrib/extensions/browser/dynamicWorkspaceRecommendations": {
+ "dynamicWorkspaceRecommendation": "因為此延伸模組在 {0} 存放庫的使用者之間很受歡迎,所以您可能會對其感興趣。"
+ },
+ "vs/workbench/contrib/extensions/browser/exeBasedRecommendations": {
+ "exeBasedRecommendation": "因為您已安裝 {0},所以建議使用此延伸模組。"
+ },
+ "vs/workbench/contrib/extensions/browser/workspaceRecommendations": {
+ "workspaceRecommendation": "目前工作區的使用者建議使用此延伸模組。"
+ },
+ "vs/workbench/contrib/extensions/browser/fileBasedRecommendations": {
+ "searchMarketplace": "搜尋 Marketplace",
+ "fileBasedRecommendation": "根據您最近開啟的檔案,建議您使用此延伸模組。",
+ "reallyRecommended": "要為 {0} 安裝建議的延伸模組嗎?",
+ "showLanguageExtensions": "Marketplace 具有可以協助開啟 '.{0}' 檔案的延伸模組",
+ "dontShowAgainExtension": "不要再針對 '.{0}' 檔案顯示"
+ },
+ "vs/workbench/contrib/extensions/browser/configBasedRecommendations": {
+ "exeBasedRecommendation": "基於目前的工作區組態,建議使用此延伸模組"
+ },
+ "vs/workbench/contrib/externalTerminal/node/externalTerminal.contribution": {
+ "globalConsoleAction": "開啟新的外部終端",
+ "terminalConfigurationTitle": "外部終端機",
+ "terminal.explorerKind.integrated": "使用 VS Code 的整合式終端機。",
+ "terminal.explorerKind.external": "使用已設定的外部終端機。",
+ "explorer.openInTerminalKind": "自訂啟動的終端機類型。",
+ "terminal.external.windowsExec": "自訂要在 Windows 上執行的終端機。",
+ "terminal.external.osxExec": "自訂要在 macOS 執行哪個終端機應用程式。",
+ "terminal.external.linuxExec": "自訂要在 Linux 上執行的終端機。"
+ },
+ "vs/workbench/contrib/externalTerminal/node/externalTerminalService": {
+ "console.title": "VS Code 主控台",
+ "mac.terminal.script.failed": "指令碼 '{0}' 失敗,結束代碼為 {1}",
+ "mac.terminal.type.not.supported": "不支援 '{0}'",
+ "press.any.key": "請按任意鍵以繼續...",
+ "linux.term.failed": "'{0}' 失敗,結束代碼為 {1}",
+ "ext.term.app.not.found": "找不到終端應用程式 ‘{0}'"
+ },
+ "vs/workbench/contrib/externalTerminal/browser/externalTerminal.contribution": {
+ "scopedConsoleAction": "在終端機中開啟",
+ "scopedConsoleAction.integrated": "在整合式終端機中開啟",
+ "scopedConsoleAction.wt": "在 Windows 終端機中開啟",
+ "scopedConsoleAction.external": "在外部終端機中開啟"
+ },
+ "vs/workbench/contrib/feedback/browser/feedbackStatusbarItem": {
+ "status.feedback": "推文意見反應"
+ },
+ "vs/workbench/contrib/feedback/browser/feedback": {
+ "sendFeedback": "推文意見反應",
+ "label.sendASmile": "請將您的意見反應推文提供給我們。",
+ "close": "關閉",
+ "patchedVersion1": "您的安裝已損毀。",
+ "patchedVersion2": "如果您要提交 Bug,請指定此項。",
+ "sentiment": "您的使用經驗如何?",
+ "smileCaption": "快樂意見反應情緒 ",
+ "frownCaption": "悲傷意見反應情緒",
+ "other ways to contact us": "其他與我們連絡的方式",
+ "submit a bug": "提交 Bug",
+ "request a missing feature": "要求遺漏的功能",
+ "tell us why": "請告訴我們原因",
+ "feedbackTextInput": "請告訴我們您的意見反應",
+ "showFeedback": "在狀態列中顯示意見反應圖示",
+ "tweet": "推文",
+ "tweetFeedback": "推文意見反應",
+ "character left": "剩餘字元",
+ "characters left": "剩餘字元"
+ },
+ "vs/workbench/contrib/files/electron-sandbox/files.contribution": {
+ "textFileEditor": "文字檔編輯器"
+ },
+ "vs/workbench/contrib/files/electron-sandbox/fileActions.contribution": {
+ "revealInWindows": "在檔案總管中顯示",
+ "revealInMac": "在 Finder 中顯示",
+ "openContainer": "開啟收納資料夾",
+ "filesCategory": "檔案"
+ },
+ "vs/workbench/contrib/files/browser/explorerViewlet": {
+ "explorerViewIcon": "[總管] 檢視的檢視圖示。",
+ "folders": "資料夾",
+ "explore": "檔案總管",
+ "noWorkspaceHelp": "您尚未新增資料夾至工作區。\r\n[新增資料夾](command:{0})",
+ "remoteNoFolderHelp": "已連線至遠端。\r\n[開啟資料夾](command:{0})",
+ "noFolderHelp": "您尚未開啟資料夾。\r\n[開啟資料夾](command:{0})"
+ },
+ "vs/workbench/contrib/files/browser/files.contribution": {
+ "showExplorerViewlet": "顯示檔案總管",
+ "binaryFileEditor": "二進位檔案編輯器",
+ "hotExit.off": "停用 Hot Exit。當您嘗試關閉包含已改變檔案的視窗時,會出現提示。",
+ "hotExit.onExit": "在 Windows/Linux 上關閉最後一個視窗,或是觸發 `workbench.action.quit` 命令 (命令選擇區、按鍵繫結關係、功能表) 時,會觸發 Hot Exit。未開啟資料夾的所有視窗,會在下次啟動時還原。透過 `[檔案] > [最近開啟的檔案] > [更多...] 可存取包含未儲存檔案的工作區清單",
+ "hotExit.onExitAndWindowClose": "在 Windows/Linux 上關閉最後一個視窗,或觸發 `workbench.action.quit` 命令 (命令選擇區、按鍵繫結關係、功能表),以及任何有已開啟資料夾的視窗時,無論其是否為最後一個視窗時,都會觸發 Hot Exit。所有未開啟任何資料夾的視窗,都會在下次啟動時還原。透過 [檔案] > [開啟最近使用的檔案] > [更多...],可存取包含未儲存檔案的工作區清單。",
+ "hotExit": "控制是否讓不同工作階段記住未儲存的檔案,並允許在結束編輯器時跳過儲存提示。",
+ "hotExit.onExitAndWindowCloseBrowser": "當瀏覽器結束,或是視窗或索引標籤關閉時,會觸發 Hot Exit。",
+ "filesConfigurationTitle": "檔案",
+ "exclude": "設定排除檔案與資料夾的 Glob 模式。例如,檔案總管會根據此設定,決定要顯示或隱藏的檔案與資料夾。請參閱 '#search.exclude#' 設定,定義搜尋特定的排除項目。深入了解 Glob 模式 [這裡](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options)。",
+ "files.exclude.boolean": "要符合檔案路徑的 Glob 模式。設為 True 或 False 可啟用或停用模式。",
+ "files.exclude.when": "在相符檔案同層級上額外的檢查。請使用 $(basename) 作為相符檔案名稱的變數。",
+ "associations": "將檔案關聯設定為語言 (例如 `\"*.extension\": \"html\"`)。這些語言優先於已安裝語言的預設關聯。",
+ "encoding": "在讀取和寫入檔案時要使用的預設字元集編碼。此項設定也可依據語言分別設定。",
+ "autoGuessEncoding": "啟用時,編輯器會嘗試在開啟檔案時推測字元集編碼。此項設定也可根據語言分別設定。",
+ "eol.LF": "LF",
+ "eol.CRLF": "CRLF",
+ "eol.auto": "使用作業系統專用的行尾字元。",
+ "eol": "預設行尾字元。",
+ "useTrash": "刪除時將檔案/資料夾移至作業系統垃圾桶 (Windows 為資源回收筒)。停用此項目會永久刪除檔案/資料夾。",
+ "trimTrailingWhitespace": "若啟用,將在儲存檔案時修剪尾端空白。",
+ "insertFinalNewline": "啟用時,請在儲存檔案時在其結尾插入最後一個新行。",
+ "trimFinalNewlines": "若啟用,則會在儲存檔案時,修剪檔案末新行尾的所有新行。",
+ "files.autoSave.off": "已變更編輯器一律不會自動儲存。",
+ "files.autoSave.afterDelay": "已變更編輯器會在經過設定的 `#files.autoSaveDelay#` 後自動儲存。",
+ "files.autoSave.onFocusChange": "當編輯器失去焦點時,將自動儲存已變更編輯器。",
+ "files.autoSave.onWindowChange": "當視窗失去焦點時,會自動儲存已變更編輯器。",
+ "autoSave": "控制已變更編輯器的自動儲存。請前往[此處](https://code.visualstudio.com/docs/editor/codebasics#_save-auto-save)閱讀更多有關自動儲存的內容。",
+ "autoSaveDelay": "控制已變更編輯器自動儲存後的延遲 (毫秒)。只有在 `#files.autoSave#` 設定為 `{0}` 時才適用。",
+ "watcherExclude": "設定檔案路徑的 Glob 模式已將其自檔案監看排除。模式必須符合絕對路徑 (例如使用 ** 或完整路徑前置詞以正確相符)。必須先重新開機才能變更這項設定。若是發生 Code 在啟動時取用大量 CPU 時間的情況,可以排除較大的資料夾以降低起始負載。",
+ "defaultLanguage": "指派給新檔案的預設語言模式。如果設定為 `${activeEditorLanguage}`,將會使用正在使用的文字編輯器語言 (如果有的話)。",
+ "maxMemoryForLargeFilesMB": "控制當嘗試開啟大型檔案時,VS Code 在重新啟動後可用的記憶體。效果與在命令列上指定 `--max-memory=NEWSIZE` 相同。",
+ "files.restoreUndoStack": "重新開啟檔案時,將復原堆疊還原。",
+ "askUser": "將會拒絕儲存,並要求手動解決儲存衝突。",
+ "overwriteFileOnDisk": "將會以編輯器中的變更覆寫磁碟上的檔案,來解決儲存衝突。",
+ "files.saveConflictResolution": "當有其他程式變更磁碟的同時將檔案儲存至磁碟,就會發生儲存衝突。為避免資料遺失,系統會要求使用者比較編輯器中的變更與磁碟上的版本。除非您經常遇到儲存衝突錯誤,否則不應變更此設定,如果使用時不注意,可能會導致資料遺失。",
+ "files.simpleDialog.enable": "啟用簡單檔案對話方塊。啟用時,簡單檔案對話方塊會取代系統檔案對話方塊。",
+ "formatOnSave": "在儲存時設定檔案的格式。必須可使用格式器,不得在延遲後儲存檔案,而且不得關閉編輯器。",
+ "everything": "將整個檔案格式化。",
+ "modification": "格式修改 (需要原始檔控制)。",
+ "formatOnSaveMode": "控制 [儲存時格式化] 會將整個檔案格式化,還是只將修改部分格式化。只有在 `#editor.formatOnSave#` 為 `true` 時才適用。",
+ "explorerConfigurationTitle": "檔案總管",
+ "openEditorsVisible": "[開啟編輯器] 窗格中顯示的編輯器數目。將此設定為 0 會隱藏 [開啟編輯器] 窗格。",
+ "openEditorsSortOrder": "控制 [開啟的編輯器] 窗格中的編輯器排列順序。",
+ "sortOrder.editorOrder": "編輯器的順序會與編輯器索引標籤的顯示順序相同。",
+ "sortOrder.alphabetical": "編輯器在每個編輯器群組內都會以字母順序排序。",
+ "autoReveal.on": "將會顯示並選取檔案。",
+ "autoReveal.off": "將不會顯示及選取檔案。",
+ "autoReveal.focusNoScroll": "將不會捲動檔案使其出現於檢視中,但仍會聚焦於檔案上。",
+ "autoReveal": "控制總管是否在開啟檔案時自動加以顯示及選取。",
+ "enableDragAndDrop": "控制總管是否應允許透過拖放移動檔案和資料夾。此設定只會影響從總管內拖放的動作。",
+ "confirmDragAndDrop": "控制總管是否須要求確認,以透過拖放來移動檔案和資料夾。",
+ "confirmDelete": "控制總管是否須在透過垃圾桶刪除檔案時要求確認。",
+ "sortOrder.default": "檔案與資料夾會依照名稱以字母順序排序。資料夾會顯示在檔案前。",
+ "sortOrder.mixed": "檔案與資料夾會依照名稱以字母順序排序。檔案與資料夾會交錯排列。",
+ "sortOrder.filesFirst": "檔案與資料夾會依照名稱以字母順序排序。檔案會顯示在資料夾前。",
+ "sortOrder.type": "檔案與資料夾會依照延伸模組以字母順序排序。資料夾會顯示在檔案前。",
+ "sortOrder.modified": "檔案與資料夾會依照最後修改日期以字母順序排序。資料夾會顯示在檔案前。",
+ "sortOrder": "控制總管中檔案和資料夾的排序順序。",
+ "explorer.decorations.colors": "控制檔案裝飾是否須使用色彩。",
+ "explorer.decorations.badges": "控制檔案裝飾是否須使用徽章。",
+ "simple": "在可能尾隨著數字的重複名稱結尾附加 \"copy\" 一詞",
+ "smart": "在重複名稱結尾新增數字。如果某個數字已包含在名稱中,請嘗試增加該數字",
+ "explorer.incrementalNaming": "控制在貼上時為重複總管項目指定新名稱時要使用的命名策略。",
+ "compressSingleChildFolders": "控制總管是否應以緊湊形式轉譯資料夾。在這種形式中,單一子資料夾將在合併的樹狀元素中壓縮。舉例來說,這對 Java 套件架構相當實用。",
+ "miViewExplorer": "檔案總管(&&E)"
+ },
+ "vs/workbench/contrib/files/browser/fileActions.contribution": {
+ "filesCategory": "檔案",
+ "workspaces": "工作區",
+ "file": "檔案",
+ "copyPath": "複製路徑",
+ "copyRelativePath": "複製相對路徑",
+ "revealInSideBar": "在提要欄位中顯示",
+ "acceptLocalChanges": "使用您的變更並覆寫檔案內容",
+ "revertLocalChanges": "捨棄您的變更並還原至檔案內容",
+ "copyPathOfActive": "複製使用中檔案的路徑",
+ "copyRelativePathOfActive": "複製使用中檔案的相對路徑",
+ "saveAllInGroup": "全部儲存在群組中",
+ "saveFiles": "儲存所有檔案",
+ "revert": "還原檔案",
+ "compareActiveWithSaved": "比較使用中的檔案和已儲存的檔案",
+ "openToSide": "開至側邊",
+ "saveAll": "全部儲存",
+ "compareWithSaved": "與已儲存的檔案比較",
+ "compareWithSelected": "與選取的比較",
+ "compareSource": "選取用以比較",
+ "compareSelected": "比較已選取",
+ "close": "關閉",
+ "closeOthers": "關閉其他",
+ "closeSaved": "關閉已儲存項目",
+ "closeAll": "全部關閉",
+ "explorerOpenWith": "開啟方式...",
+ "cut": "剪下",
+ "deleteFile": "永久刪除",
+ "newFile": "新增檔案",
+ "openFile": "開啟檔案...",
+ "miNewFile": "新增檔案(&&N)",
+ "miSave": "儲存(&&S)",
+ "miSaveAs": "另存新檔(&&A)...",
+ "miSaveAll": "全部儲存(&&L)",
+ "miOpen": "開啟(&&O)...",
+ "miOpenFile": "開啟檔案(&&O)...",
+ "miOpenFolder": "開啟資料夾(&&F)...",
+ "miOpenWorkspace": "開啟工作區(&&K)...",
+ "miAutoSave": "自動儲存(&&U)",
+ "miRevert": "還原檔案(&&V)",
+ "miCloseEditor": "關閉編輯器(&&C)",
+ "miGotoFile": "移至檔案(&&F)..."
+ },
+ "vs/workbench/contrib/files/electron-sandbox/fileCommands": {
+ "openFileToReveal": "先開啟檔案以顯示"
+ },
+ "vs/workbench/contrib/files/common/editors/fileEditorInput": {
+ "orphanedReadonlyFile": "{0} (已刪除,唯讀)",
+ "orphanedFile": "{0} (已刪除)",
+ "readonlyFile": "{0} (唯讀)"
+ },
+ "vs/workbench/contrib/files/electron-sandbox/textFileEditor": {
+ "fileTooLargeForHeapError": "若要開啟此大小的檔案,您需要重新啟動,並允許其使用更多記憶體",
+ "relaunchWithIncreasedMemoryLimit": "以 {0} MB 重新啟動",
+ "configureMemoryLimit": "設定記憶體限制"
+ },
+ "vs/workbench/contrib/files/browser/views/emptyView": {
+ "noWorkspace": "沒有開啟的資料夾"
+ },
+ "vs/workbench/contrib/files/browser/views/explorerView": {
+ "explorerSection": "總管區段: {0}"
+ },
+ "vs/workbench/contrib/files/browser/views/openEditorsView": {
+ "openEditors": "已開啟的編輯器",
+ "dirtyCounter": "{0} 未儲存"
+ },
+ "vs/workbench/contrib/files/browser/editors/textFileSaveErrorHandler": {
+ "userGuide": "請使用編輯器工具列中的動作,來復原您的變更或以您的變更覆寫檔案內容。",
+ "staleSaveError": "無法儲存 '{0}': 檔案的內容較新。請比較您的版本與檔案內容,或是以自己的變更覆寫檔案的內容。",
+ "retry": "重試",
+ "discard": "捨棄",
+ "readonlySaveErrorAdmin": "無法儲存 ‘{0}’: 檔案僅供讀取。請選取 [覆寫為系統管理員] 以使用系統管理員身分重試。",
+ "readonlySaveErrorSudo": "無法儲存 ‘{0}’: 檔案僅供讀取。請選取 [覆寫為 Sudo] 以使用超級使用者身分重試。",
+ "readonlySaveError": "無法儲存 ‘{0}’: 檔案僅供讀取。請選取 [覆寫] 以嘗試使其可寫入。",
+ "permissionDeniedSaveError": "無法儲存 '{0}': 權限不足。請選取 [以系統管理者身分重試] 做為系統管理者身分重試。 ",
+ "permissionDeniedSaveErrorSudo": "無法儲存 '{0}': 權限不足。請選取 [以系統管理者 (Sudo) 身分重試] 做為超級使用者身分重試。 ",
+ "genericSaveError": "無法儲存 '{0}': {1}",
+ "learnMore": "深入了解",
+ "dontShowAgain": "不要再顯示",
+ "compareChanges": "比較",
+ "saveConflictDiffLabel": "{0} (檔案中) ↔ {1} ({2} 中) - 解決儲存衝突",
+ "overwriteElevated": "以系統管理者身分覆寫...",
+ "overwriteElevatedSudo": "以系統管理者 (Sudo) 身分覆寫...",
+ "saveElevated": "以系統管理者身分重試",
+ "saveElevatedSudo": "以系統管理者 (Sudo) 身分重試...",
+ "overwrite": "覆寫",
+ "configure": "設定"
+ },
+ "vs/workbench/contrib/files/browser/editors/binaryFileEditor": {
+ "binaryFileEditor": "二進位檔案檢視器"
+ },
+ "vs/workbench/contrib/files/common/workspaceWatcher": {
+ "netVersionError": "需要 Microsoft .NET Framework 4.5。請連入此連結進行安裝。",
+ "installNet": "下載 .NET Framework 4.5",
+ "enospcError": "無法在大型工作區中監看檔案變更。請遵循指示連結來解決此問題。",
+ "learnMore": "指示"
+ },
+ "vs/workbench/contrib/files/common/dirtyFilesIndicator": {
+ "dirtyFile": "1 個未儲存的檔案",
+ "dirtyFiles": "{0} 個未儲存的檔案"
+ },
+ "vs/workbench/contrib/files/browser/fileActions": {
+ "newFile": "新增檔案",
+ "newFolder": "新資料夾",
+ "rename": "重新命名",
+ "delete": "刪除",
+ "copyFile": "複製",
+ "pasteFile": "貼上",
+ "download": "下載...",
+ "createNewFile": "新增檔案",
+ "createNewFolder": "新資料夾",
+ "deleteButtonLabelRecycleBin": "移至資源回收筒(&&M)",
+ "deleteButtonLabelTrash": "移至垃圾筒(&&M)",
+ "deleteButtonLabel": "刪除(&&D)",
+ "dirtyMessageFilesDelete": "您要刪除的檔案有未儲存的變更。要繼續嗎?",
+ "dirtyMessageFolderOneDelete": "您即將刪除資料夾 {0},其中的 1 個檔案有未儲存的變更。要繼續嗎?",
+ "dirtyMessageFolderDelete": "您正要刪除 {0} 資料夾,其中 {1} 個檔案有未儲存的變更。要繼續嗎?",
+ "dirtyMessageFileDelete": "您正在刪除有未儲存變更的 {0}。要繼續嗎?",
+ "dirtyWarning": "若未儲存,變更將會遺失。",
+ "undoBinFiles": "您可以在資源回收筒還原這些檔案。",
+ "undoBin": "您可以從資源回收筒還原此檔案。",
+ "undoTrashFiles": "您可以從垃圾桶還原這些檔案。",
+ "undoTrash": "您可以從垃圾筒還原此檔案。",
+ "doNotAskAgain": "不用再詢問",
+ "irreversible": "此動作無法回復!",
+ "deleteBulkEdit": "刪除 {0} 個檔案",
+ "deleteFileBulkEdit": "刪除 {0}",
+ "deletingBulkEdit": "正在刪除 {0} 個檔案",
+ "deletingFileBulkEdit": "正在刪除 {0}",
+ "binFailed": "無法使用資源回收筒刪除。您要改為永久刪除嗎? ",
+ "trashFailed": "無法使用垃圾筒刪除。您要改為永久刪除嗎?",
+ "deletePermanentlyButtonLabel": "永久刪除(&&D)",
+ "retryButtonLabel": "重試(&&R)",
+ "confirmMoveTrashMessageFilesAndDirectories": "確定要刪除下列 {0} 個檔案/目錄及其內容嗎?",
+ "confirmMoveTrashMessageMultipleDirectories": "確定要刪除下列 {0} 個目錄及其內容嗎?",
+ "confirmMoveTrashMessageMultiple": "確定要刪除以下 {0} 個檔案嗎?",
+ "confirmMoveTrashMessageFolder": "您確定要刪除 '{0}' 及其內容嗎?",
+ "confirmMoveTrashMessageFile": "確定要刪除 '{0}' 嗎?",
+ "confirmDeleteMessageFilesAndDirectories": "確定要永久刪除下列 {0} 個檔案/目錄及其內容嗎?",
+ "confirmDeleteMessageMultipleDirectories": "確定要永久刪除下列 {0} 個目錄及其內容嗎?",
+ "confirmDeleteMessageMultiple": "確定要永久地刪除以下 {0} 個檔案嗎?",
+ "confirmDeleteMessageFolder": "您確定要永久刪除 '{0}' 和其中的內容嗎?",
+ "confirmDeleteMessageFile": "您確定要永久刪除 '{0}' 嗎?",
+ "globalCompareFile": "使用中檔案的比較對象...",
+ "fileToCompareNoFile": "請選取要比較的檔案。",
+ "openFileToCompare": "先開啟檔案以與其他檔案進行比較",
+ "toggleAutoSave": "切換自動儲存",
+ "saveAllInGroup": "全部儲存在群組中",
+ "closeGroup": "關閉群組",
+ "focusFilesExplorer": "將焦點設在檔案總管上",
+ "showInExplorer": "在提要欄位中顯示使用中的檔案",
+ "openFileToShow": "先開啟檔案,以在總管中加以顯示",
+ "collapseExplorerFolders": "摺疊 Explorer 中的資料夾",
+ "refreshExplorer": "重新整理 Explorer",
+ "openFileInNewWindow": "在新視窗中開啟使用中的檔案",
+ "openFileToShowInNewWindow.unsupportedschema": "使用中編輯器必須包含可開啟的資源。",
+ "openFileToShowInNewWindow.nofile": "先開啟檔案以在新視窗中開啟",
+ "emptyFileNameError": "必須提供檔案或資料夾名稱。",
+ "fileNameStartsWithSlashError": "檔案或資料夾名稱不得以斜線開頭。",
+ "fileNameExistsError": "這個位置已存在檔案或資料夾 **{0}**。請選擇不同的名稱。",
+ "invalidFileNameError": "名稱 **{0}** 不能作為檔案或資料夾名稱。請選擇不同的名稱。",
+ "fileNameWhitespaceWarning": "在檔案或資料夾名稱中,偵測到開頭或結尾有空白字元。",
+ "compareWithClipboard": "比較使用中的檔案和剪貼簿的檔案",
+ "clipboardComparisonLabel": "剪貼簿 ↔ {0}",
+ "retry": "重試",
+ "createBulkEdit": "建立 {0}",
+ "creatingBulkEdit": "正在建立 {0}",
+ "renameBulkEdit": "將 {0} 重新命名為 {1}",
+ "renamingBulkEdit": "正在將 {0} 重新命名為 {1}",
+ "downloadingFiles": "正在下載",
+ "downloadProgressSmallMany": "{0} 個檔案,共 {1} 個 ({2}/秒)",
+ "downloadProgressLarge": "{0} ({1}/{2},{3}/秒)",
+ "downloadButton": "下載",
+ "downloadFolder": "下載資料夾",
+ "downloadFile": "下載檔案",
+ "downloadBulkEdit": "下載 {0}",
+ "downloadingBulkEdit": "正在下載 {0}",
+ "fileIsAncestor": "要貼上的檔案是在目地資料夾的上層 ",
+ "movingBulkEdit": "正在移動 {0} 個檔案",
+ "movingFileBulkEdit": "正在移動 {0}",
+ "moveBulkEdit": "移動 {0} 個檔案",
+ "moveFileBulkEdit": "移動 {0}",
+ "copyingBulkEdit": "正在複製 {0} 個檔案",
+ "copyingFileBulkEdit": "正在複製 {0}",
+ "copyBulkEdit": "複製 {0} 個檔案",
+ "copyFileBulkEdit": "複製 {0}",
+ "fileDeleted": "要貼上的檔案已在您複製後刪除或移動。{0}"
+ },
+ "vs/workbench/contrib/files/browser/fileCommands": {
+ "saveAs": "另存新檔...",
+ "save": "儲存",
+ "saveWithoutFormatting": "儲存而不進行格式化",
+ "saveAll": "全部儲存",
+ "removeFolderFromWorkspace": "將資料夾從工作區移除",
+ "newUntitledFile": "新增無標題檔案",
+ "modifiedLabel": "{0} (檔案中) ↔ {1}",
+ "openFileToCopy": "先開啟檔案以複製其路徑",
+ "genericSaveError": "無法儲存 '{0}': {1}",
+ "genericRevertError": "無法還原 '{0}': {1}"
+ },
+ "vs/workbench/contrib/files/browser/editors/textFileEditor": {
+ "textFileEditor": "文字檔編輯器",
+ "openFolderError": "檔案是目錄",
+ "createFile": "建立檔案"
+ },
+ "vs/workbench/contrib/files/browser/views/explorerDecorationsProvider": {
+ "canNotResolve": "無法解析工作區資料夾",
+ "symbolicLlink": "符號連結",
+ "unknown": "不明檔案類型",
+ "label": "檔案總管"
+ },
+ "vs/workbench/contrib/files/browser/views/explorerViewer": {
+ "treeAriaLabel": "檔案總管",
+ "fileInputAriaLabel": "輸入檔案名稱。請按 Enter 鍵確認或按 Esc 鍵取消。",
+ "confirmOverwrite": "目的地資料夾中已經存在名稱 '{0}' 的檔案或資料夾。要加以取代嗎?",
+ "irreversible": "此動作無法回復!",
+ "replaceButtonLabel": "取代(&&R)",
+ "confirmManyOverwrites": "下列 {0} 個檔案和 (或) 資料夾已存在於目的地資料夾中。要予以取代嗎?",
+ "uploadingFiles": "正在上傳",
+ "overwrite": "覆寫 {0}",
+ "overwriting": "正在覆寫 {0}",
+ "uploadProgressSmallMany": "{0} 個檔案,共 {1} 個 ({2}/秒)",
+ "uploadProgressLarge": "{0} ({1}/{2},{3}/秒)",
+ "copyFolders": "複製資料夾(&&C)",
+ "copyFolder": "複製資料夾(&&C)",
+ "cancel": "取消",
+ "copyfolders": "確定要複製資料夾嗎?",
+ "copyfolder": "確定要複製 '{0}' 嗎?",
+ "addFolders": "將資料夾新增至工作區(&&A)",
+ "addFolder": "將資料夾新增至工作區(&&A)",
+ "dropFolders": "是否要複製資料夾,或將資料夾新增至工作區?",
+ "dropFolder": "是否要複製 '{0}',或將 '{0}' 作為資料夾新增至工作區?",
+ "copyFile": "複製 {0}",
+ "copynFile": "複製 {0} 個資源",
+ "copyingFile": "正在複製 {0}",
+ "copyingnFile": "正在複製 {0} 個資源",
+ "confirmRootsMove": "您確定要變更工作區中多個根資料夾的順序嗎?",
+ "confirmMultiMove": "確定要將以下 {0} 個檔案移至 '{1}' 中嗎?",
+ "confirmRootMove": "您確定要變更工作區中根資料夾 '{0}' 的順序嗎? ",
+ "confirmMove": "確定要將 \"{0}\" 移至 \"{1}\" 嗎?",
+ "doNotAskAgain": "不用再詢問",
+ "moveButtonLabel": "移動(&&M)",
+ "copy": "複製 {0}",
+ "copying": "正在複製 {0}",
+ "move": "移動 {0}",
+ "moving": "正在移動 {0}"
+ },
+ "vs/workbench/contrib/format/browser/formatActionsMultiple": {
+ "nullFormatterDescription": "無",
+ "miss": "延伸模組 '{0}’ 無法將 ‘{1}’ 格式化",
+ "config.needed": "'{0}' 檔案有多個格式器。選取預設格式器以繼續。",
+ "config.bad": "延伸模組 ‘{0}’ 已設定為格式器,但無法使用。請選取其他預設格式器以繼續。",
+ "do.config": "設定…",
+ "select": "選取 '{0}' 檔案的預設格式器",
+ "formatter.default": "定義預設格式器,其優先於其他所有格式器設定。必須是提供格式器之延伸模組的識別碼。",
+ "def": "(預設)",
+ "config": "設定預設格式器...",
+ "format.placeHolder": "選取格式器",
+ "formatDocument.label.multiple": "文件格式化方式...",
+ "formatSelection.label.multiple": "格式選取與…"
+ },
+ "vs/workbench/contrib/format/browser/formatActionsNone": {
+ "formatDocument.label.multiple": "將文件格式化",
+ "too.large": "因為此檔案太大,所以無法將其格式化",
+ "no.provider": "未安裝 '{0}' 檔案的格式器。",
+ "install.formatter": "安裝格式器..."
+ },
+ "vs/workbench/contrib/format/browser/formatModified": {
+ "formatChanges": "將修改的程式行格式化"
+ },
+ "vs/workbench/contrib/issue/electron-sandbox/issue.contribution": {
+ "reportIssueInEnglish": "回報問題..."
+ },
+ "vs/workbench/contrib/issue/electron-sandbox/issueActions": {
+ "openProcessExplorer": "開啟 [處理序總管]",
+ "reportPerformanceIssue": "回報效能問題"
+ },
+ "vs/workbench/contrib/keybindings/browser/keybindings.contribution": {
+ "toggleKeybindingsLog": "切換鍵盤快速鍵疑難排解"
+ },
+ "vs/workbench/contrib/localizations/browser/localizations.contribution": {
+ "updateLocale": "您想要變更 VS Code 的 UI 語言為 {0} 並重新啟動嗎?",
+ "activateLanguagePack": "若要在 {0} 中使用 VS Code,VS Code 就需要重新啟動。",
+ "yes": "是",
+ "restart now": "立即重新啟動",
+ "neverAgain": "不要再顯示",
+ "vscode.extension.contributes.localizations": "提供在地化服務給編輯者",
+ "vscode.extension.contributes.localizations.languageId": "顯示已翻譯字串的語言 Id",
+ "vscode.extension.contributes.localizations.languageName": "語言名稱 (英文)。",
+ "vscode.extension.contributes.localizations.languageNameLocalized": "語言名稱 (提供的語言)。",
+ "vscode.extension.contributes.localizations.translations": "與該語言相關的翻譯列表。",
+ "vscode.extension.contributes.localizations.translations.id": "此翻譯提供之目標的 VS Code 或延伸模組識別碼。VS Code 的識別碼一律為 `vscode`,且延伸模組的格式應為 `publisherId.extensionName`。",
+ "vscode.extension.contributes.localizations.translations.id.pattern": "轉譯 VS 程式碼或延伸模組時,識別碼應分別使用 `vscode` 或 `publisherId.extensionName` 的格式。",
+ "vscode.extension.contributes.localizations.translations.path": "包含語言翻譯的檔案相對路徑。"
+ },
+ "vs/workbench/contrib/localizations/browser/localizationsActions": {
+ "configureLocale": "設定顯示語言",
+ "installAdditionalLanguages": "安裝其他語言…",
+ "chooseDisplayLanguage": "選取顯示語言",
+ "relaunchDisplayLanguageMessage": "必須重新啟動,顯示語言的變更才會生效。",
+ "relaunchDisplayLanguageDetail": "按重新啟動按鈕以重新啟動 {0} 並變更顯示語言。",
+ "restart": "重新啟動(&&R)"
+ },
+ "vs/workbench/contrib/localizations/browser/minimalTranslations": {
+ "showLanguagePackExtensions": "在 Marketplace 中搜尋語言套件以將顯示語言變更為 {0}。",
+ "searchMarketplace": "搜尋市集",
+ "installAndRestartMessage": "安裝語言套件以將顯示語言變更為 {0}。",
+ "installAndRestart": "安裝並重新啟動"
+ },
+ "vs/workbench/contrib/logs/common/logs.contribution": {
+ "userDataSyncLog": "設定同步",
+ "rendererLog": "視窗",
+ "telemetryLog": "遙測",
+ "show window log": "顯示視窗記錄",
+ "mainLog": "主要",
+ "sharedLog": "共享"
+ },
+ "vs/workbench/contrib/logs/electron-sandbox/logsActions": {
+ "openLogsFolder": "開啟記錄資料夾",
+ "openExtensionLogsFolder": "開啟擴充記錄資料夾"
+ },
+ "vs/workbench/contrib/logs/common/logsActions": {
+ "setLogLevel": "設定紀錄層級",
+ "trace": "追蹤",
+ "debug": "偵錯",
+ "info": "資訊",
+ "warn": "警告",
+ "err": "錯誤",
+ "critical": "嚴重",
+ "off": "關閉",
+ "selectLogLevel": "選擇紀錄層級",
+ "default and current": "預設與目前的值",
+ "default": "預設",
+ "current": "目前",
+ "openSessionLogFile": "開啟視窗記錄檔 (工作階段)…",
+ "sessions placeholder": "選取工作階段",
+ "log placeholder": "選取記錄檔"
+ },
+ "vs/workbench/contrib/markers/browser/markers.contribution": {
+ "markersViewIcon": "[標記] 檢視的檢視圖示。",
+ "copyMarker": "複製",
+ "copyMessage": "複製訊息",
+ "focusProblemsList": "焦點問題檢視",
+ "focusProblemsFilter": "焦點問題篩選",
+ "show multiline": "在多行中顯示訊息",
+ "problems": "問題",
+ "show singleline": "在單行中顯示訊息",
+ "clearFiltersText": "清除篩選文字",
+ "miMarker": "問題(&&P)",
+ "status.problems": "問題",
+ "totalErrors": "{0} 個錯誤",
+ "totalWarnings": "{0} 個警告",
+ "totalInfos": "{0} 個資訊",
+ "noProblems": "沒有問題",
+ "manyProblems": "10K+"
+ },
+ "vs/workbench/contrib/markers/browser/markersView": {
+ "collapseAll": "全部摺疊",
+ "filter": "篩選",
+ "No problems filtered": "目前顯示 {0} 個問題",
+ "problems filtered": "目前顯示 {0} 個問題,共 {1} 個",
+ "clearFilter": "清除篩選"
+ },
+ "vs/workbench/contrib/markers/browser/markersViewActions": {
+ "filterIcon": "標記檢視中篩選組態的圖示。",
+ "showing filtered problems": "正在顯示 {1} 中的 {0}"
+ },
+ "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.showCurrentInStatus": "啟用時,在狀態列中顯示目前問題。",
+ "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": "篩選 (例如 text、**/*.ts、!**/node_modules/**)",
+ "markers.panel.filter.errors": "錯誤",
+ "markers.panel.filter.warnings": "警告",
+ "markers.panel.filter.infos": "資訊",
+ "markers.panel.single.error.label": "1 個錯誤",
+ "markers.panel.multiple.errors.label": "{0} 個錯誤",
+ "markers.panel.single.warning.label": "1 個警告",
+ "markers.panel.multiple.warnings.label": "{0} 個警告",
+ "markers.panel.single.info.label": "1 個資訊",
+ "markers.panel.multiple.infos.label": "{0} 個資訊",
+ "markers.panel.single.unknown.label": "1 個未知",
+ "markers.panel.multiple.unknowns.label": "{0} 個未知",
+ "markers.panel.at.ln.col.number": "[{0}, {1}]",
+ "problems.tree.aria.label.resource": "在資料夾 {2} 的檔案 {1} 中有 {0} 個問題",
+ "problems.tree.aria.label.marker.relatedInformation": "此問題在 {0} 個位置有參考。",
+ "problems.tree.aria.label.error.marker": "{0} 產生的錯誤: 在行 {2} 與字元 {3} 的 {1}。{4} ",
+ "problems.tree.aria.label.error.marker.nosource": "錯誤: {0} 在行 {1} 和字元 {2}.{3}",
+ "problems.tree.aria.label.warning.marker": "{0} 產生的警告: 在行 {2} 與字元 {3} 的 {1}。{4} ",
+ "problems.tree.aria.label.warning.marker.nosource": "警告: 在行 {1} 與字元 {2} 的 {0}。{3}",
+ "problems.tree.aria.label.info.marker": "{0} 產生的資訊: 在行 {2} 與字元 {3} 的 {1}。{4}",
+ "problems.tree.aria.label.info.marker.nosource": "資訊: 在行 {1} 與字元 {2} 的 {0}。{3} ",
+ "problems.tree.aria.label.marker": "{0} 產生的問題: 在行 {2} 與字元 {3} 的 {1}。{4} ",
+ "problems.tree.aria.label.marker.nosource": "問題: 在行 {1} 與字元 {2} 的 {0}。{3} ",
+ "problems.tree.aria.label.relatedinfo.message": "在第 {1} 行的 {0},以及在 {3} 的 {2} 字元",
+ "errors.warnings.show.label": "顯示錯誤和警告"
+ },
+ "vs/workbench/contrib/markers/browser/markers": {
+ "totalProblems": "共 {0} 項問題"
+ },
+ "vs/workbench/contrib/markers/browser/markersFileDecorations": {
+ "label": "問題",
+ "tooltip.1": "此檔案發生 1 個問題",
+ "tooltip.N": "此檔案發生 {0} 個問題",
+ "markers.showOnFile": "在檔案和資料夾上顯示錯誤與警告。"
+ },
+ "vs/workbench/contrib/markers/browser/markersTreeViewer": {
+ "problemsView": "問題檢視",
+ "expandedIcon": "標記檢視中表示顯示多行的圖示。",
+ "collapsedIcon": "標記檢視中表示多個線條已摺疊的圖示。",
+ "single line": "在單行中顯示訊息",
+ "multi line": "在多行中顯示訊息",
+ "links.navigate.follow": "追蹤連結",
+ "links.navigate.kb.meta": "ctrl + 按一下",
+ "links.navigate.kb.meta.mac": "cmd + 按一下",
+ "links.navigate.kb.alt.mac": "選項 + 按一下",
+ "links.navigate.kb.alt": "alt + 按一下"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/coreActions": {
+ "notebookActions.category": "筆記本",
+ "notebookActions.execute": "執行儲存格",
+ "notebookActions.cancel": "停止執行儲存格",
+ "notebookActions.executeCell": "執行儲存格",
+ "notebookActions.CancelCell": "取消執行",
+ "notebookActions.deleteCell": "刪除儲存格",
+ "notebookActions.executeAndSelectBelow": "執行筆記本儲存格並選取下方儲存格",
+ "notebookActions.executeAndInsertBelow": "執行筆記本儲存格並在下方插入儲存格",
+ "notebookActions.renderMarkdown": "轉譯所有 Markdown 儲存格",
+ "notebookActions.executeNotebook": "執行筆記本",
+ "notebookActions.cancelNotebook": "取消執行筆記本",
+ "notebookMenu.insertCell": "插入儲存格",
+ "notebookMenu.cellTitle": "筆記本儲存格",
+ "notebookActions.menu.executeNotebook": "執行筆記本 (執行所有儲存格)",
+ "notebookActions.menu.cancelNotebook": "停止執行筆記本",
+ "notebookActions.changeCellToCode": "將儲存格變更為程式碼",
+ "notebookActions.changeCellToMarkdown": "將儲存格變更為 Markdown",
+ "notebookActions.insertCodeCellAbove": "在上方插入程式碼儲存格",
+ "notebookActions.insertCodeCellBelow": "在下方插入程式碼儲存格",
+ "notebookActions.insertCodeCellAtTop": "在頂端新增程式碼儲存格",
+ "notebookActions.insertMarkdownCellAtTop": "在頂端新增 Markdown 儲存格",
+ "notebookActions.menu.insertCode": "$(add) 程式碼",
+ "notebookActions.menu.insertCode.tooltip": "新增程式碼資料格",
+ "notebookActions.insertMarkdownCellAbove": "在上方插入 Markdown 儲存格",
+ "notebookActions.insertMarkdownCellBelow": "在下方插入 Markdown 儲存格",
+ "notebookActions.menu.insertMarkdown": "$(add) Markdown",
+ "notebookActions.menu.insertMarkdown.tooltip": "新增 Markdown 資料格",
+ "notebookActions.editCell": "編輯儲存格",
+ "notebookActions.quitEdit": "停止編輯儲存格",
+ "notebookActions.moveCellUp": "向上移動儲存格",
+ "notebookActions.moveCellDown": "向下移動儲存格",
+ "notebookActions.copy": "複製儲存格",
+ "notebookActions.cut": "剪下儲存格",
+ "notebookActions.paste": "貼上儲存格",
+ "notebookActions.pasteAbove": "在上方貼入儲存格",
+ "notebookActions.copyCellUp": "在上方複製儲存格",
+ "notebookActions.copyCellDown": "在下方複製儲存格",
+ "cursorMoveDown": "聚焦於下一個儲存格編輯器",
+ "cursorMoveUp": "聚焦於上一個儲存格編輯器",
+ "focusOutput": "聚焦於作用儲存格輸出",
+ "focusOutputOut": "取消聚焦於作用儲存格輸出",
+ "focusFirstCell": "聚焦於第一個儲存格",
+ "focusLastCell": "聚焦於最後一個儲存格",
+ "clearCellOutputs": "清除儲存格輸出",
+ "changeLanguage": "變更儲存格語言",
+ "languageDescription": "({0}) - 目前的語言",
+ "languageDescriptionConfigured": "({0})",
+ "pickLanguageToConfigure": "選取語言模式",
+ "clearAllCellsOutputs": "清除所有儲存格輸出",
+ "notebookActions.splitCell": "分割儲存格",
+ "notebookActions.joinCellAbove": "聯結上一個儲存格",
+ "notebookActions.joinCellBelow": "聯結下一個儲存格",
+ "notebookActions.centerActiveCell": "置中作用儲存格",
+ "notebookActions.collapseCellInput": "摺疊儲存格輸入",
+ "notebookActions.expandCellContent": "展開儲存格內容",
+ "notebookActions.collapseCellOutput": "摺疊儲存格輸出",
+ "notebookActions.expandCellOutput": "展開儲存格輸出",
+ "notebookActions.inspectLayout": "檢查筆記本版面配置"
+ },
+ "vs/workbench/contrib/notebook/browser/notebook.contribution": {
+ "diffLeftRightLabel": "{0} ⟷ {1}",
+ "notebookConfigurationTitle": "筆記本",
+ "notebook.displayOrder.description": "輸出 MIME 類型的優先順序清單",
+ "notebook.cellToolbarLocation.description": "應顯示儲存格工具列的位置,或是否應隱藏。",
+ "notebook.showCellStatusbar.description": "是否要顯示儲存格狀態列。",
+ "notebook.diff.enablePreview.description": "是否要為筆記本使用增強的文字 Diff 編輯器。"
+ },
+ "vs/workbench/contrib/notebook/browser/notebookIcons": {
+ "configureKernel": "設定筆記本編輯器中核心組態小工具內的圖示。",
+ "selectKernelIcon": "設定用於在筆記本編輯器中選取核心的圖示。",
+ "executeIcon": "用於在筆記本編輯器中執行的圖示。",
+ "stopIcon": "用於在筆記本編輯器中停止執行的圖示。",
+ "deleteCellIcon": "用於在筆記本編輯器中刪除儲存格的圖示。",
+ "executeAllIcon": "用於在筆記本編輯器中執行所有儲存格的圖示。",
+ "editIcon": "用於在筆記本編輯器中編輯儲存格的圖示。",
+ "stopEditIcon": "用於在筆記本編輯器中停止編輯儲存格的圖示。",
+ "moveUpIcon": "用於在筆記本編輯器中向上移動儲存格的圖示。",
+ "moveDownIcon": "用於在筆記本編輯器中向下移動儲存格的圖示。",
+ "clearIcon": "用於在筆記本編輯器中清除儲存格輸出的圖示。",
+ "splitCellIcon": "用於在筆記本編輯器中分割儲存格的圖示。",
+ "unfoldIcon": "用於在筆記本編輯器中展開儲存格的圖示。",
+ "successStateIcon": "用於在筆記本編輯器中表示成功狀態的圖示。",
+ "errorStateIcon": "用於在筆記本編輯器中表示錯誤狀態的圖示。",
+ "collapsedIcon": "用於在筆記本編輯器中標註摺疊區段的圖示。",
+ "expandedIcon": "用於在筆記本編輯器中標註展開區段的圖示。",
+ "openAsTextIcon": "用於在文字編輯器中開啟筆記本的圖示。",
+ "revertIcon": "用於在筆記本編輯器中還原的圖示。",
+ "mimetypeIcon": "筆記本編輯器中 MIME 類型的圖示。"
+ },
+ "vs/workbench/contrib/notebook/browser/notebookEditor": {
+ "fail.noEditor": "無法使用筆記本編輯器類型 '{0}' 開啟資源,請確定您已安裝或啟用正確的延伸模組。",
+ "fail.reOpen": "使用 VS Code 標準文字編輯器重新開啟檔案"
+ },
+ "vs/workbench/contrib/notebook/browser/notebookServiceImpl": {
+ "builtinProviderDisplayName": "內建"
+ },
+ "vs/workbench/contrib/notebook/browser/diff/notebookTextDiffEditor": {
+ "notebookTreeAriaLabel": "筆記本文字 Diff"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/find/findController": {
+ "notebookActions.hideFind": "隱藏在筆記本中尋找",
+ "notebookActions.findInNotebook": "在筆記本中尋找"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/fold/folding": {
+ "fold.cell": "摺疊儲存格",
+ "unfold.cell": "展開儲存格"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/format/formatting": {
+ "format.title": "將筆記本格式化",
+ "label": "將筆記本格式化",
+ "formatCell.label": "格式化儲存格"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/status/editorStatus": {
+ "notebookActions.selectKernel": "選取 Notebook 核心",
+ "notebook.runCell.selectKernel": "選取要執行此筆記本的筆記本核心",
+ "currentActiveKernel": " (目前使用中)",
+ "notebook.promptKernel.setDefaultTooltip": "設定為 '{0}' 的預設核心提供者",
+ "chooseActiveKernel": "選擇目前筆記本的核心",
+ "notebook.selectKernel": "選擇目前筆記本的核心"
+ },
+ "vs/workbench/contrib/notebook/browser/diff/notebookDiffActions": {
+ "notebook.diff.switchToText": "開啟文字 Diff 編輯器",
+ "notebook.diff.cell.revertMetadata": "還原中繼資料",
+ "notebook.diff.cell.revertOutputs": "還原輸出",
+ "notebook.diff.cell.revertInput": "還原輸入"
+ },
+ "vs/workbench/contrib/notebook/browser/extensionPoint": {
+ "contributes.notebook.provider": "提供筆記本文件提供者。",
+ "contributes.notebook.provider.viewType": "筆記本的唯一識別碼。",
+ "contributes.notebook.provider.displayName": "人類可閱讀的筆記本名稱。",
+ "contributes.notebook.provider.selector": "該筆記本所針對的一組 Glob。",
+ "contributes.notebook.provider.selector.filenamePattern": "為其啟用筆記本的 Glob。",
+ "contributes.notebook.selector.provider.excludeFileNamePattern": "停用該筆記本的 Glob。",
+ "contributes.priority": "控制使用者開啟檔案時是否自動啟用自訂編輯器。這可能會由使用 `workbench.editorAssociations` 設定的使用者覆寫。",
+ "contributes.priority.default": "使用者開啟資源時,只要沒有為該資源註冊其他預設的自訂編輯器,即會自動使用此編輯器。",
+ "contributes.priority.option": "使用者開啟資源時不會自動使用此編輯器,但使用者可以使用 `Reopen With` 命令切換到該編輯器。",
+ "contributes.notebook.renderer": "提供筆記本輸出轉譯提供者。",
+ "contributes.notebook.renderer.viewType": "筆記本輸出轉譯器的唯一識別碼。",
+ "contributes.notebook.provider.viewType.deprecated": "將 `viewType` 重新命名為 `id`。",
+ "contributes.notebook.renderer.displayName": "筆記本輸出轉譯器的人類可閱讀名稱。",
+ "contributes.notebook.selector": "筆記本所針對的一組 Glob。",
+ "contributes.notebook.renderer.entrypoint": "要在 Web 檢視中載入以轉譯延伸模組的檔案。"
+ },
+ "vs/workbench/contrib/notebook/browser/notebookKernelAssociation": {
+ "notebook.kernelProviderAssociations": "定義預設核心提供者,使其優先於其他所有核心提供者設定。必須是提供核心提供者的延伸模組識別碼。"
+ },
+ "vs/workbench/contrib/notebook/common/model/notebookTextModel": {
+ "defaultEditLabel": "編輯"
+ },
+ "vs/workbench/contrib/notebook/common/notebookEditorModel": {
+ "notebook.staleSaveError": "檔案的內容已在磁碟上變更。您想要開啟更新的版本,或使用您的變更覆寫檔案?",
+ "notebook.staleSaveError.revert": "還原",
+ "notebook.staleSaveError.overwrite.": "覆寫"
+ },
+ "vs/workbench/contrib/notebook/browser/notebookEditorWidget": {
+ "notebookTreeAriaLabel": "Notebook",
+ "notebook.runCell.selectKernel": "選取要執行此筆記本的筆記本核心",
+ "notebook.promptKernel.setDefaultTooltip": "設定為 '{0}' 的預設核心提供者",
+ "notebook.cellBorderColor": "筆記本儲存格的框線色彩。",
+ "notebook.focusedEditorBorder": "筆記本儲存格編輯器框線的色彩。",
+ "notebookStatusSuccessIcon.foreground": "儲存格狀態列中筆記本儲存格的錯誤圖示色彩。",
+ "notebookStatusErrorIcon.foreground": "儲存格狀態列中筆記本儲存格的錯誤圖示色彩。",
+ "notebookStatusRunningIcon.foreground": "儲存格狀態列中筆記本儲存格的執行圖示色彩。",
+ "notebook.outputContainerBackgroundColor": "Notebook 輸出容器背景的色彩。",
+ "notebook.cellToolbarSeparator": "儲存格底部工具列中分隔符號的色彩",
+ "focusedCellBackground": "聚焦於儲存格時儲存格的背景色彩。",
+ "notebook.cellHoverBackground": "暫留在儲存格上時儲存格的背景色彩。",
+ "notebook.selectedCellBorder": "已選取但未聚焦於儲存格時,儲存格上框線和下框線的色彩。",
+ "notebook.focusedCellBorder": "聚焦於儲存格時儲存格上框線和下框線的色彩。",
+ "notebook.cellStatusBarItemHoverBackground": "筆記本儲存格狀態列項目的背景色彩。",
+ "notebook.cellInsertionIndicator": "筆記本儲存格插入指示區的色彩。",
+ "notebookScrollbarSliderBackground": "筆記本捲軸滑桿背景的色彩。",
+ "notebookScrollbarSliderHoverBackground": "暫留時,筆記本捲軸滑桿背景的色彩。",
+ "notebookScrollbarSliderActiveBackground": "點選時,筆記本捲軸滑桿背景的色彩。",
+ "notebook.symbolHighlightBackground": "醒目提示之儲存格的背景色彩"
+ },
+ "vs/workbench/contrib/notebook/browser/view/renderers/cellRenderer": {
+ "cellExpandButtonLabel": "展開"
+ },
+ "vs/workbench/contrib/notebook/browser/viewModel/markdownCellViewModel": {
+ "notebook.emptyMarkdownPlaceholder": "空白的 Markdown 儲存格。按兩下或按 Enter 可加以編輯。"
+ },
+ "vs/workbench/contrib/notebook/browser/view/renderers/cellWidgets": {
+ "notebook.cell.status.language": "選取儲存格語言模式"
+ },
+ "vs/workbench/contrib/notebook/browser/view/renderers/cellOutput": {
+ "mimeTypePicker": "選擇不同的輸出 MIME 類型,可用的 MIME 類型: {0}",
+ "curruentActiveMimeType": "目前使用中",
+ "promptChooseMimeTypeInSecure.placeHolder": "請為目前的輸出選取要用於轉譯的 MIME 類型。只有在筆記本受信任時,才能使用進階 MIME 類型",
+ "promptChooseMimeType.placeHolder": "請為目前的輸出選取要用於轉譯的 MIME 類型",
+ "builtinRenderInfo": "內建"
+ },
+ "vs/workbench/contrib/outline/browser/outline.contribution": {
+ "outlineViewIcon": "[大綱] 檢視的檢視圖示。",
+ "name": "大綱",
+ "outlineConfigurationTitle": "大綱",
+ "outline.showIcons": "使用圖示呈現大綱元素。",
+ "outline.showProblem": "在大綱元素中顯示錯誤與警告。",
+ "outline.problem.colors": "為錯誤與警告使用色彩。",
+ "outline.problems.badges": "為錯誤與警告使用徽章。",
+ "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": "啟用時,大綱顯示「Null」符號。",
+ "filteredTypes.enumMember": "啟用時,大綱顯示「enumMember」符號。",
+ "filteredTypes.struct": "啟用時,大綱顯示「結構」符號。",
+ "filteredTypes.event": "啟用時,大綱顯示「事件」符號。",
+ "filteredTypes.operator": "啟用時,大綱顯示「運算子」符號。",
+ "filteredTypes.typeParameter": "啟用時,大綱顯示「typeParameter」符號。"
+ },
+ "vs/workbench/contrib/outline/browser/outlinePane": {
+ "outline": "大綱",
+ "sortByPosition": "排序依據: 位置",
+ "sortByName": "排序依據: 名稱",
+ "sortByKind": "排序依據: 類別",
+ "followCur": "追蹤游標",
+ "filterOnType": "依類型篩選",
+ "no-editor": "使用中的編輯器無法提供大綱資訊。",
+ "loading": "正在載入 '{0}' 的文件符號...",
+ "no-symbols": "在文件 \"{0}\" 中找不到任何符號"
+ },
+ "vs/workbench/contrib/output/browser/output.contribution": {
+ "outputViewIcon": "[輸出] 檢視的檢視圖示。",
+ "output": "輸出",
+ "logViewer": "記錄檢視器",
+ "switchToOutput.label": "切換至輸出",
+ "clearOutput.label": "清除輸出",
+ "outputCleared": "已清除輸出",
+ "toggleAutoScroll": "切換自動捲動",
+ "outputScrollOff": "關閉自動捲動",
+ "outputScrollOn": "開啟自動滾動",
+ "openActiveLogOutputFile": "開啟輸出記錄檔",
+ "toggleOutput": "切換輸出",
+ "showLogs": "顯示紀錄...。",
+ "selectlog": "選取記錄",
+ "openLogFile": "開啟紀錄檔案...",
+ "selectlogFile": "選取記錄檔",
+ "miToggleOutput": "輸出(&&O)",
+ "output.smartScroll.enabled": "啟用/停用輸出檢視的智慧捲動功能。您可利用智慧捲動,在輸出檢視內按一下時,自動鎖定捲動,而在最後一行按一下時,解除鎖定。"
+ },
+ "vs/workbench/contrib/output/browser/outputView": {
+ "output model title": "{0} - 輸出",
+ "channel": "'{0}' 的輸出通道",
+ "output": "輸出",
+ "outputViewWithInputAriaLabel": "{0},輸出面板",
+ "outputViewAriaLabel": "輸出面板",
+ "outputChannels": "輸出通道。",
+ "logChannel": "記錄 ({0})"
+ },
+ "vs/workbench/contrib/output/browser/logViewer": {
+ "logViewerAriaLabel": "記錄檢視器"
+ },
+ "vs/workbench/contrib/performance/electron-browser/startupProfiler": {
+ "prof.message": "已成功建立設定檔。",
+ "prof.detail": "請建立問題並手動附加下列檔案:\r\n{0}",
+ "prof.restartAndFileIssue": "建立問題並重新啟動(&&C)",
+ "prof.restart": "重新啟動(&&R)",
+ "prof.thanks": "感謝您的協助",
+ "prof.detail.restart": "需要重新啟動才能夠繼續使用'{0}‘.再次感謝您的回饋.",
+ "prof.restart.button": "重新啟動(&&R)"
+ },
+ "vs/workbench/contrib/performance/browser/performance.contribution": {
+ "show.label": "啟動效能"
+ },
+ "vs/workbench/contrib/performance/browser/perfviewEditor": {
+ "name": "啟動效能"
+ },
+ "vs/workbench/contrib/preferences/browser/keybindingsEditorContribution": {
+ "defineKeybinding.start": "定義按鍵繫結關係",
+ "defineKeybinding.kbLayoutErrorMessage": "您無法在目前的鍵盤配置下產生此按鍵組合。",
+ "defineKeybinding.kbLayoutLocalAndUSMessage": "**{0}**針對您目前的按鍵配置(**{1}**為美國標準)",
+ "defineKeybinding.kbLayoutLocalMessage": "**{0}**針對您目前的鍵盤配置"
+ },
+ "vs/workbench/contrib/preferences/browser/preferences.contribution": {
+ "defaultPreferencesEditor": "預設喜好設定編輯器",
+ "settingsEditor2": "設定編輯器 2",
+ "keybindingsEditor": "按鍵繫結關係編輯器",
+ "openSettings2": "開啟設定 (UI)",
+ "preferences": "喜好設定",
+ "settings": "設定",
+ "miOpenSettings": "設定(&&S)",
+ "openSettingsJson": "開啟設定 (JSON)",
+ "openGlobalSettings": "開啟使用者設定",
+ "openRawDefaultSettings": "開啟預設設定 (JSON)",
+ "openWorkspaceSettings": "開啟工作區設定",
+ "openWorkspaceSettingsFile": "開啟工作區設定 (JSON)",
+ "openFolderSettings": "開啟資料夾設定",
+ "openFolderSettingsFile": "開啟資料夾設定 (JSON)",
+ "filterModifiedLabel": "顯示修改的設定",
+ "filterOnlineServicesLabel": "顯示線上服務的設定",
+ "miOpenOnlineSettings": "線上服務設定(&&O)",
+ "onlineServices": "線上服務設定",
+ "openRemoteSettings": "開啟遠端設定 ({0})",
+ "settings.focusSearch": "聚焦於設定搜尋",
+ "settings.clearResults": "清除設定搜尋結果",
+ "settings.focusFile": "焦點設定檔案",
+ "settings.focusNextSetting": "焦點下一個設定",
+ "settings.focusPreviousSetting": "焦點上一個設定",
+ "settings.editFocusedSetting": "編輯焦點設定",
+ "settings.focusSettingsList": "焦點設定清單",
+ "settings.focusSettingsTOC": "聚焦於設定目錄",
+ "settings.focusSettingControl": "聚焦於設定控制項",
+ "settings.showContextMenu": "顯示設定操作功能表",
+ "settings.focusLevelUp": "將焦點上移一個層級",
+ "openGlobalKeybindings": "開啟鍵盤快速鍵",
+ "Keyboard Shortcuts": "鍵盤快速鍵",
+ "openDefaultKeybindingsFile": "開啟預設鍵盤快速鍵 (JSON)",
+ "openGlobalKeybindingsFile": "開啟鍵盤快速鍵 (JSON)",
+ "showDefaultKeybindings": "顯示預設按鍵繫結",
+ "showUserKeybindings": "顯示使用者按鍵繫結",
+ "clear": "清除搜尋結果",
+ "miPreferences": "喜好設定(&&P)"
+ },
+ "vs/workbench/contrib/preferences/browser/keybindingWidgets": {
+ "defineKeybinding.initial": "按下所需按鍵組合,然後按 ENTER。",
+ "defineKeybinding.oneExists": "1 個現有命令有此按鍵繫結",
+ "defineKeybinding.existing": "{0} 個現有命令有此按鍵繫結",
+ "defineKeybinding.chordsTo": "同步到"
+ },
+ "vs/workbench/contrib/preferences/browser/keybindingsEditor": {
+ "recordKeysLabel": "記錄按鍵",
+ "recordKeysLabelWithKeybinding": "{0} ({1})",
+ "sortByPrecedeneLabel": "依優先順序排序",
+ "sortByPrecedeneLabelWithKeybinding": "{0} ({1})",
+ "SearchKeybindings.FullTextSearchPlaceholder": "要在按鍵繫結關係中搜尋的類型",
+ "SearchKeybindings.KeybindingsSearchPlaceholder": "正在記錄按鍵。按一下 Escape 即可結束",
+ "clearInput": "清除按鍵繫結關係搜尋輸入",
+ "recording": "正在記錄按鍵",
+ "command": "命令",
+ "keybinding": "按鍵繫結關係",
+ "when": "當",
+ "source": "來源",
+ "show sorted keybindings": "依優先順序顯示 {0} 按鍵繫結關係",
+ "show keybindings": "以字母顯示 {0} 按鍵繫結關係",
+ "changeLabel": "變更按鍵繫結關係...",
+ "addLabel": "新增按鍵繫結關係...",
+ "editWhen": "在運算式時變更",
+ "removeLabel": "移除按鍵繫結關係",
+ "resetLabel": "重設按鍵繫結關係",
+ "showSameKeybindings": "顯示相同的按鍵繫結關係",
+ "copyLabel": "複製",
+ "copyCommandLabel": "複製命令識別碼",
+ "error": "編輯按鍵繫結關係時發生錯誤 '{0}'。請開啟 'keybindings.json' 檔案並檢查錯誤。",
+ "editKeybindingLabelWithKey": "變更按鍵繫結關係 {0}",
+ "editKeybindingLabel": "變更按鍵繫結關係",
+ "addKeybindingLabelWithKey": "新增按鍵繫結關係 {0}",
+ "addKeybindingLabel": "新增按鍵繫結關係",
+ "title": "{0} ({1})",
+ "whenContextInputAriaLabel": "在上下文時鍵入。按 Enter 鍵可確認,按 Escape 鍵可取消。",
+ "keybindingsLabel": "按鍵繫結關係",
+ "noKeybinding": "未指派任何按鍵繫結關係。",
+ "noWhen": "沒有時間內容。"
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesActions": {
+ "configureLanguageBasedSettings": "設定語言專屬設定...",
+ "languageDescriptionConfigured": "({0})",
+ "pickLanguage": "選取語言"
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesEditor": {
+ "SearchSettingsWidget.AriaLabel": "搜尋設定",
+ "SearchSettingsWidget.Placeholder": "搜尋設定",
+ "noSettingsFound": "找不到任何設定",
+ "oneSettingFound": "找到 1 項設定",
+ "settingsFound": "找到 {0} 項設置",
+ "totalSettingsMessage": "共 {0} 項設定",
+ "nlpResult": "自然語言結果",
+ "filterResult": "篩選結果",
+ "defaultSettings": "預設設定",
+ "defaultUserSettings": "預設使用者設定",
+ "defaultWorkspaceSettings": "預設工作區設定",
+ "defaultFolderSettings": "預設資料夾設定",
+ "defaultEditorReadonly": "在右方編輯器中編輯以覆寫預設。",
+ "preferencesAriaLabel": "預設喜好設定。唯讀編輯器。"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsEditor2": {
+ "SearchSettings.AriaLabel": "搜尋設定",
+ "clearInput": "清除設定搜尋輸入",
+ "noResults": "找不到任何設定",
+ "clearSearchFilters": "清除篩選",
+ "settings": "設定",
+ "settingsNoSaveNeeded": "設定的變更會自動儲存。",
+ "oneResult": "找到 1 項設定",
+ "moreThanOneResult": "找到 {0} 項設置",
+ "turnOnSyncButton": "開啟設定同步",
+ "lastSyncedLabel": "上次同步時間: {0}"
+ },
+ "vs/workbench/contrib/preferences/common/preferencesContribution": {
+ "enableNaturalLanguageSettingsSearch": "控制是否啟用設定的自然語言搜尋模式。自然語言搜尋由 Microsoft 線上服務提供。",
+ "settingsSearchTocBehavior.hide": "在搜尋時隱藏目錄。",
+ "settingsSearchTocBehavior.filter": "將目錄篩選到只剩具有相符設定的分類。按一下分類會將結果篩選到剩下該分類。",
+ "settingsSearchTocBehavior": "控制在搜尋時設定編輯器目錄的行為。"
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesIcons": {
+ "settingsGroupExpandedIcon": "分割 JSON 設定編輯器中已展開區段的圖示。",
+ "settingsGroupCollapsedIcon": "分割 JSON 設定編輯器中已摺疊區段的圖示。",
+ "settingsScopeDropDownIcon": "分割 JSON 設定編輯器中資料夾下拉式按鈕的圖示。",
+ "settingsMoreActionIcon": "設定 UI 中 [更多動作] 動作的圖示。",
+ "keybindingsRecordKeysIcon": "按鍵繫結關係 UI 中 [記錄金鑰] 動作的圖示。",
+ "keybindingsSortIcon": "按鍵繫結關係 UI 中切換 [依優先順序排序] 的圖示。",
+ "keybindingsEditIcon": "按鍵繫結關係 UI 中編輯動作的圖示。",
+ "keybindingsAddIcon": "按鍵繫結關係 UI 中新增動作的圖示。",
+ "settingsEditIcon": "設定 UI 中編輯動作的圖示。",
+ "settingsAddIcon": "設定 UI 中新增動作的圖示。",
+ "settingsRemoveIcon": "設定 UI 中移除動作的圖示。",
+ "preferencesDiscardIcon": "設定 UI 中捨棄動作的圖示。",
+ "preferencesClearInput": "設定和按鍵繫結關係 UI 中清除輸入的圖示。",
+ "preferencesOpenSettings": "開啟設定命令的圖示。"
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesWidgets": {
+ "defaultSettings": "請將您的設定置於右側的編輯器以覆寫。",
+ "noSettingsFound": "找不到任何設定。",
+ "settingsSwitcherBarAriaLabel": "設定切換器",
+ "userSettings": "使用者",
+ "userSettingsRemote": "遠端",
+ "workspaceSettings": "工作區",
+ "folderSettings": "資料夾"
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesRenderers": {
+ "emptyUserSettingsHeader": "將設定放在這裡以覆寫預設設定。",
+ "emptyWorkspaceSettingsHeader": "將設定放在這裡以覆寫使用者設定。",
+ "emptyFolderSettingsHeader": "將資料夾設定放在這裡以覆寫工作區設定中的設定。",
+ "editTtile": "編輯",
+ "replaceDefaultValue": "在設定中取代",
+ "copyDefaultValue": "複製到設定",
+ "unknown configuration setting": "未知的組態設定",
+ "unsupportedRemoteMachineSetting": "無法再此視窗中套用此設定。此設定會在您開啟本機視窗時套用。",
+ "unsupportedWindowSetting": "無法在此工作區中套用此設定。此設定會在您直接開啟包含的工作區資料夾時套用。",
+ "unsupportedApplicationSetting": "只能在應用程式使用者設定中套用此設定",
+ "unsupportedMachineSetting": "此設定只能套用到本機視窗的使用者設定中或遠端視窗的遠端設定中。",
+ "unsupportedProperty": "不支援的屬性"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsLayout": {
+ "commonlyUsed": "經常使用的",
+ "textEditor": "文字編輯器",
+ "cursor": "資料指標",
+ "find": "尋找",
+ "font": "字型",
+ "formatting": "格式化",
+ "diffEditor": "Diff 編輯器",
+ "minimap": "縮圖",
+ "suggestions": "建議",
+ "files": "檔案",
+ "workbench": "工作台",
+ "appearance": "外觀",
+ "breadcrumbs": "階層連結",
+ "editorManagement": "編輯器管理",
+ "settings": "設定編輯器",
+ "zenMode": "Zen Mode",
+ "screencastMode": "螢幕錄製模式",
+ "window": "視窗",
+ "newWindow": "開新視窗",
+ "features": "功能",
+ "fileExplorer": "檔案總管",
+ "search": "搜尋",
+ "debug": "偵錯",
+ "scm": "原始碼管理 (SCM)",
+ "extensions": "延伸模組",
+ "terminal": "終端機",
+ "task": "工作",
+ "problems": "問題",
+ "output": "輸出",
+ "comments": "註解",
+ "remote": "遠端",
+ "timeline": "時間表",
+ "notebook": "筆記本",
+ "application": "應用程式",
+ "proxy": "Proxy",
+ "keyboard": "鍵盤",
+ "update": "更新",
+ "telemetry": "遙測",
+ "settingsSync": "設定同步"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsTree": {
+ "extensions": "延伸模組",
+ "extensionSyncIgnoredLabel": "同步: 已忽略",
+ "modified": "已修改",
+ "settingsContextMenuTitle": "更多操作...",
+ "alsoConfiguredIn": "也修改於",
+ "configuredIn": "已修改於",
+ "newExtensionsButtonLabel": "顯示相符的延伸模組",
+ "editInSettingsJson": "在 settings.json 內編輯",
+ "settings.Default": "預設",
+ "resetSettingLabel": "重設設定",
+ "validationError": "驗證錯誤。",
+ "settings.Modified": "已修改。",
+ "settings": "設定",
+ "copySettingIdLabel": "複製設定識別碼",
+ "copySettingAsJSONLabel": "以 JSON 格式複製設定",
+ "stopSyncingSetting": "同步此設定"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsTreeModels": {
+ "workspace": "工作區",
+ "remote": "遠端",
+ "user": "使用者"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsWidgets": {
+ "headerForeground": "區塊標頭或使用中標題的前景色彩。",
+ "modifiedItemForeground": "已修改設定指示器的色彩。",
+ "settingsDropdownBackground": "設定編輯器下拉式清單背景。",
+ "settingsDropdownForeground": "設定編輯器下拉式清單前景。",
+ "settingsDropdownBorder": "設定編輯器下拉式清單邊框。",
+ "settingsDropdownListBorder": "設定編輯器下拉式清單邊框。這會圍繞選項並將選項與說明分開。",
+ "settingsCheckboxBackground": "設定編輯器核取方塊背景。",
+ "settingsCheckboxForeground": "設定編輯器核取方塊前景。",
+ "settingsCheckboxBorder": "設定編輯器核取方塊邊框。",
+ "textInputBoxBackground": "設定編輯器文字輸入方塊背景。",
+ "textInputBoxForeground": "設定編輯器文字輸入方塊前景。",
+ "textInputBoxBorder": "設定編輯器文字輸入方塊邊框。",
+ "numberInputBoxBackground": "設定編輯器數字輸入方塊背景。",
+ "numberInputBoxForeground": "設定編輯器數字輸入方塊前景。",
+ "numberInputBoxBorder": "設定編輯器號碼輸入方塊邊框。",
+ "focusedRowBackground": "聚焦時的設定列背景色彩。",
+ "notebook.rowHoverBackground": "暫留時的設定列背景色彩。",
+ "notebook.focusedRowBorder": "聚焦於資料列時資料列上框線和下框線的色彩。",
+ "okButton": "確定",
+ "cancelButton": "取消",
+ "listValueHintLabel": "列出項目 `{0}`",
+ "listSiblingHintLabel": "列出項目 `{0}` 與同層級 `${1}`",
+ "removeItem": "移除項目",
+ "editItem": "編輯項目",
+ "addItem": "新增項目",
+ "itemInputPlaceholder": "字串項目...",
+ "listSiblingInputPlaceholder": "同層級...",
+ "excludePatternHintLabel": "排除與 `{0}` 相符的檔案",
+ "excludeSiblingHintLabel": "只在與 `{1}` 相符的檔案存在時,排除與 `{0}` 相符的檔案",
+ "removeExcludeItem": "移除排除項目",
+ "editExcludeItem": "編輯排除項目",
+ "addPattern": "新增模式",
+ "excludePatternInputPlaceholder": "排除模式...",
+ "excludeSiblingInputPlaceholder": "當模式存在時...",
+ "objectKeyInputPlaceholder": "索引鍵",
+ "objectValueInputPlaceholder": "值",
+ "objectPairHintLabel": "屬性 '{0}' 已設定為 '{1}'。",
+ "resetItem": "重設項目",
+ "objectKeyHeader": "項目",
+ "objectValueHeader": "值"
+ },
+ "vs/workbench/contrib/preferences/browser/tocTree": {
+ "settingsTOC": "設定目錄",
+ "groupRowAriaLabel": "{0}, 群組 "
+ },
+ "vs/workbench/contrib/quickaccess/browser/quickAccess.contribution": {
+ "helpQuickAccessPlaceholder": "鍵入 '{0}' 可取得您可於此處採用的動作説明。",
+ "helpQuickAccess": "顯示所有快速存取提供者",
+ "viewQuickAccessPlaceholder": "鍵入要開啟的檢視、輸出通道或終端機名稱。",
+ "viewQuickAccess": "開啟檢視",
+ "commandsQuickAccessPlaceholder": "鍵入要執行的命令名稱。",
+ "commandsQuickAccess": "顯示並執行命令",
+ "miCommandPalette": "命令選擇區(&&C)...",
+ "miOpenView": "開啟檢視(&&O)...",
+ "miGotoSymbolInEditor": "前往編輯器中的符號(&&S)...",
+ "miGotoLine": "前往行/資料行(&&L)...",
+ "commandPalette": "命令選擇區..."
+ },
+ "vs/workbench/contrib/quickaccess/browser/viewQuickAccess": {
+ "noViewResults": "沒有相符的檢視",
+ "views": "側邊欄",
+ "panels": "面板",
+ "terminalTitle": "{0}: {1}",
+ "terminals": "終端機",
+ "logChannel": "記錄 ({0})",
+ "channels": "輸出",
+ "openView": "開啟檢視",
+ "quickOpenView": "Quick Open 檢視"
+ },
+ "vs/workbench/contrib/quickaccess/browser/commandsQuickAccess": {
+ "noCommandResults": "沒有相符的命令",
+ "configure keybinding": "設定按鍵繫結關係",
+ "commandWithCategory": "{0}: {1}",
+ "showTriggerActions": "顯示所有命令",
+ "clearCommandHistory": "清除命令歷程記錄"
+ },
+ "vs/workbench/contrib/relauncher/browser/relauncher.contribution": {
+ "relaunchSettingMessage": "設定已經變更,必須重新啟動才會生效。",
+ "relaunchSettingMessageWeb": "設定已變更,需要重新載入才能生效。",
+ "relaunchSettingDetail": "請按 [重新啟動] 按鈕以重新啟動 {0} 並啟用設定。",
+ "relaunchSettingDetailWeb": "按重新載入按鈕可重新載入 {0} 並啟用設定。",
+ "restart": "重新啟動(&&R)",
+ "restartWeb": "重新載入(&&R)"
+ },
+ "vs/workbench/contrib/remote/electron-sandbox/remote.contribution": {
+ "remote": "遠端",
+ "remote.downloadExtensionsLocally": "啟用時,延伸模組會在本機下載,並在遠端安裝。"
+ },
+ "vs/workbench/contrib/remote/common/remote.contribution": {
+ "remoteExtensionLog": "遠端伺服器",
+ "ui": "UI 延伸模組類型。在遠端視窗中,這類延伸模組只有在可於本機電腦上使用時才會啟用。",
+ "workspace": "工作區延伸模組類型。在遠端視窗中,這類延伸模組只有在可於遠端上使用時才會啟用。",
+ "web": "Web 背景工作延伸模組種類。這類延伸模組可以在 Web 背景工作延伸主機中執行。",
+ "remote": "遠端",
+ "remote.extensionKind": "覆寫延伸模組的類型。`ui` 延伸模組會於本機電腦安裝並執行,`workspace` 延伸模組則會於遠端執行。如果使用此設定覆寫延伸模組的預設類型,則您應指定該延伸模組是否應於本機或遠端安裝並啟用。",
+ "remote.restoreForwardedPorts": "還原您在工作區轉送的連接埠。",
+ "remote.autoForwardPorts": "啟用時,會偵測到新的執行中流程,並自動轉送其接聽的連接埠。"
+ },
+ "vs/workbench/contrib/remote/browser/remote": {
+ "RemoteHelpInformationExtPoint": "為遠端提供説明資訊",
+ "RemoteHelpInformationExtPoint.getStarted": "專案使用者入門頁面的 URL,或傳回該 URL 的命令",
+ "RemoteHelpInformationExtPoint.documentation": "專案文件頁面的 URL,或傳回該 URL 的命令",
+ "RemoteHelpInformationExtPoint.feedback": "專案意見反應回報程式的 URL,或傳回該 URL 的命令",
+ "RemoteHelpInformationExtPoint.issues": "專案問題清單的 URL,或傳回該 URL 的命令",
+ "getStartedIcon": "遠端總管檢視中 [使用者入門] 的圖示。",
+ "documentationIcon": "遠端總管檢視中 [文件] 的圖示。",
+ "feedbackIcon": "遠端總管檢視中 [意見反應] 的圖示。",
+ "reviewIssuesIcon": "遠端總管檢視中 [檢閱問題] 的圖示。",
+ "reportIssuesIcon": "遠端總管檢視中 [回報問題] 的圖示。",
+ "remoteExplorerViewIcon": "[遠端總管] 檢視的檢視圖示。",
+ "remote.help.getStarted": "入門指南",
+ "remote.help.documentation": "閱讀文件",
+ "remote.help.feedback": "提供意見",
+ "remote.help.issues": "檢閱問題",
+ "remote.help.report": "回報問題",
+ "pickRemoteExtension": "選取要開啟的 URL",
+ "remote.help": "說明及意見反應",
+ "remotehelp": "遠端協助",
+ "remote.explorer": "遠端總管",
+ "toggleRemoteViewlet": "顯示遠端總管",
+ "reconnectionWaitOne": "將於 {0} 秒後嘗試重新連線...",
+ "reconnectionWaitMany": "將於 {0} 秒後嘗試重新連線...",
+ "reconnectNow": "立即重新連線",
+ "reloadWindow": "重新載入視窗",
+ "connectionLost": "已失去連線",
+ "reconnectionRunning": "正在嘗試重新連線...",
+ "reconnectionPermanentFailure": "無法重新連線。請重新載入視窗。",
+ "cancel": "取消"
+ },
+ "vs/workbench/contrib/remote/browser/remoteExplorer": {
+ "ports": "連接埠",
+ "1forwardedPort": "1 個轉送的連接埠",
+ "nForwardedPorts": "{0} 個轉送的連接埠",
+ "status.forwardedPorts": "轉送的連接埠",
+ "remote.forwardedPorts.statusbarTextNone": "未轉接任何連接埠",
+ "remote.forwardedPorts.statusbarTooltip": "已轉接的連接埠: {0}",
+ "remote.tunnelsView.automaticForward": "您在連接埠 {0} 執行的服務可以使用。[查看所有可使用的連接埠](command:{1}.focus)"
+ },
+ "vs/workbench/contrib/remote/browser/explorerViewItems": {
+ "remotes": "切換遠端",
+ "remote.explorer.switch": "切換遠端"
+ },
+ "vs/workbench/contrib/remote/browser/remoteIndicator": {
+ "remote.category": "遠端",
+ "remote.showMenu": "顯示遠端功能表",
+ "remote.close": "關閉遠端連線",
+ "miCloseRemote": "關閉遠端連線(&&M)",
+ "host.open": "正在開啟遠端...",
+ "disconnectedFrom": "中斷與 {0} 的連線",
+ "host.tooltipDisconnected": "中斷與 {0} 的連線",
+ "host.tooltip": "在 {0} 上編輯",
+ "noHost.tooltip": "開啟遠端視窗",
+ "remoteHost": "遠端主機",
+ "cat.title": "{0}: {1}",
+ "closeRemote.title": "關閉遠端連線"
+ },
+ "vs/workbench/contrib/remote/browser/tunnelView": {
+ "remote.tunnelsView.add": "轉送連接埠...",
+ "remote.tunnelsView.detected": "現有的通道",
+ "remote.tunnelsView.candidates": "未轉送",
+ "remote.tunnelsView.input": "請按下 ENTER 以確認,或按 ESCAPE 取消。",
+ "remote.tunnelsView.forwardedPortLabel0": "{0}",
+ "remote.tunnelsView.forwardedPortLabel1": "{0} → {1}",
+ "remote.tunnelsView.forwardedPortLabel2": "{0}",
+ "remote.tunnelsView.forwardedPortDescription0": "{0} → {1}",
+ "remote.tunnel": "連接埠",
+ "remote.tunnel.ariaLabelForwarded": "遠端連接埠 {0}:{1} 已轉送到本機位址 {2}",
+ "remote.tunnel.ariaLabelCandidate": "遠端連接埠 {0}:{1} 未轉送",
+ "tunnelView": "通道檢視",
+ "remote.tunnel.label": "設定標籤",
+ "remote.tunnelsView.labelPlaceholder": "連接埠標籤",
+ "remote.tunnelsView.portNumberValid": "轉送的連接埠無效。",
+ "remote.tunnelsView.portNumberToHigh": "連接埠號碼必須 ≥ 0 和 < {0}。",
+ "remote.tunnel.forward": "轉送連接埠",
+ "remote.tunnel.forwardItem": "轉送連接埠",
+ "remote.tunnel.forwardPrompt": "連接埠號碼或位址 (例如 3000 或 10.10.10.10:2000)。",
+ "remote.tunnel.forwardError": "無法轉送 {0}:{1}。主機可能無法使用,或是該遠端連接埠已受到轉送",
+ "remote.tunnel.closeNoPorts": "目前沒有轉送的連接埠。請嘗試執行 {0} 指令",
+ "remote.tunnel.close": "停止轉送連接埠",
+ "remote.tunnel.closePlaceholder": "選擇要停止轉送的連接埠",
+ "remote.tunnel.open": "以瀏覽器開啟",
+ "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": "本機連接埠 {0} 無法使用。已改用連接埠號碼 {1}",
+ "remote.tunnelsView.changePort": "新增本機連接埠"
+ },
+ "vs/workbench/contrib/sash/browser/sash.contribution": {
+ "sashSize": "控制在檢視/編輯器之間,拖曳區域的意見反應區域大小 (以像素為單位)。若您覺得很難使用滑鼠重新調整檢視大小,請將其設為較大的值。"
+ },
+ "vs/workbench/contrib/scm/browser/scm.contribution": {
+ "sourceControlViewIcon": "[原始檔控制] 檢視的檢視圖示。",
+ "source control": "原始檔控制",
+ "no open repo": "沒有任何原始檔控制提供者註冊。",
+ "source control repositories": "原始檔控制存放庫",
+ "toggleSCMViewlet": "顯示 SCM",
+ "scmConfigurationTitle": "原始碼管理 (SCM)",
+ "scm.diffDecorations.all": "顯示所有可用位置中的 Diff 裝飾。",
+ "scm.diffDecorations.gutter": "僅在編輯器裝訂邊中顯示 Diff 裝飾。",
+ "scm.diffDecorations.overviewRuler": "僅在概觀尺規中顯示 Diff 裝飾。",
+ "scm.diffDecorations.minimap": "僅在縮圖中顯示 Diff 裝飾。",
+ "scm.diffDecorations.none": "不要顯示 Diff 裝飾。",
+ "diffDecorations": "控制差異裝飾於編輯器中",
+ "diffGutterWidth": "控制裝訂邊的 Diff 裝飾寬度 (px) (已新增及已修改)。",
+ "scm.diffDecorationsGutterVisibility.always": "隨時在裝訂邊顯示 Diff 裝飾項目。",
+ "scm.diffDecorationsGutterVisibility.hover": "只有在暫留時,才在裝訂邊顯示 Diff 裝飾項目。",
+ "scm.diffDecorationsGutterVisibility": "控制裝訂邊中的原始檔控制 Diff 裝飾項目可見度。",
+ "scm.diffDecorationsGutterAction.diff": "按一下時顯示內嵌 Diff 預覽檢視。",
+ "scm.diffDecorationsGutterAction.none": "不執行任何動作。",
+ "scm.diffDecorationsGutterAction": "控制原始檔控制 Diff 裝訂邊裝飾的行為。",
+ "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": "控制預設原始檔控制存放庫檢視模式。",
+ "autoReveal": "控制當開啟檔案時 SCM 檢視是否應自動顯示並選取檔案。",
+ "inputFontFamily": "控制輸入訊息的字型。請為工作台使用者介面字型家族使用 [預設],為 '#editor.fontFamily#' 的值使用 [編輯器],或是使用自訂的字型家族。",
+ "alwaysShowRepository": "控制存放庫是否應一律在 SCM 檢視中顯示。",
+ "providersVisible": "控制在原始檔控制存放庫區段內,可看到的存放庫數目。設定為 `0` 即可手動調整檢視的大小。",
+ "miViewSCM": "SCM(&&C)",
+ "scm accept": "SCM: 接受輸入",
+ "scm view next commit": "SCM: 檢視下一個認可",
+ "scm view previous commit": "SCM: 檢視上一個認可",
+ "open in terminal": "在終端機中開啟"
+ },
+ "vs/workbench/contrib/scm/browser/activity": {
+ "status.scm": "原始檔控制",
+ "scmPendingChangesBadge": "{0} 個暫止的變更"
+ },
+ "vs/workbench/contrib/scm/browser/dirtydiffDecorator": {
+ "changes": "{0}/{1} 已變更 ",
+ "change": "{0}/{1} 已變更 ",
+ "show previous change": "顯示上一個變更",
+ "show next change": "顯示下一個變更",
+ "miGotoNextChange": "下個變更(&&C)",
+ "miGotoPreviousChange": "上個變更(&&C)",
+ "move to previous change": "移至上一個變更",
+ "move to next change": "移至下一個變更",
+ "editorGutterModifiedBackground": "修改中的行於編輯器邊框的背景色彩",
+ "editorGutterAddedBackground": "新增後的行於編輯器邊框的背景色彩",
+ "editorGutterDeletedBackground": "刪除後的行於編輯器邊框的背景色彩",
+ "minimapGutterModifiedBackground": "已修改行的縮圖裝訂邊背景色彩。",
+ "minimapGutterAddedBackground": "新增之行的縮圖裝訂邊背景色彩。",
+ "minimapGutterDeletedBackground": "已刪除行的縮圖裝訂邊背景色彩。",
+ "overviewRulerModifiedForeground": "已修改內容的概觀尺規色彩。",
+ "overviewRulerAddedForeground": "已新增內容的的概觀尺規色彩。",
+ "overviewRulerDeletedForeground": "已刪除內容的的概觀尺規色彩。"
+ },
+ "vs/workbench/contrib/scm/browser/scmViewPaneContainer": {
+ "source control": "原始檔控制"
+ },
+ "vs/workbench/contrib/scm/browser/scmRepositoriesViewPane": {
+ "scm": "原始檔控制存放庫"
+ },
+ "vs/workbench/contrib/scm/browser/scmViewPane": {
+ "scm": "原始檔控制管理",
+ "input": "原始檔控制輸入",
+ "repositories": "存放庫",
+ "sortAction": "檢視及排序",
+ "toggleViewMode": "切換檢視模式",
+ "viewModeList": "清單檢視",
+ "viewModeTree": "樹狀檢視",
+ "sortByName": "依名稱排序",
+ "sortByPath": "依路徑排序",
+ "sortByStatus": "依狀態排序",
+ "expand all": "展開所有存放庫",
+ "collapse all": "摺疊所有存放庫",
+ "scm.providerBorder": "SCM 提供者分隔符號框線。"
+ },
+ "vs/workbench/contrib/search/browser/search.contribution": {
+ "search": "搜尋",
+ "copyMatchLabel": "複製",
+ "copyPathLabel": "複製路徑",
+ "copyAllLabel": "全部複製",
+ "revealInSideBar": "在提要欄位中顯示",
+ "clearSearchHistoryLabel": "清除搜尋歷程記錄",
+ "focusSearchListCommandLabel": "焦點清單",
+ "findInFolder": "在資料夾中尋找...",
+ "findInWorkspace": "在工作區中尋找...",
+ "showTriggerActions": "前往工作區中的符號...",
+ "name": "搜尋",
+ "findInFiles.description": "開啟搜尋 viewlet",
+ "findInFiles.args": "搜尋 viewlet 的一組選項",
+ "findInFiles": "在檔案中尋找",
+ "miFindInFiles": "在檔案中尋找(&&I)",
+ "miReplaceInFiles": "在檔案中取代(&&I)",
+ "anythingQuickAccessPlaceholder": "名稱搜尋檔案 (附加 {0} 可前往行,而附加 {1} 則會前往符號)",
+ "anythingQuickAccess": "前往檔案",
+ "symbolsQuickAccessPlaceholder": "請鍵入要開啟的符號名稱。",
+ "symbolsQuickAccess": "前往工作區中的符號",
+ "searchConfigurationTitle": "搜尋",
+ "exclude": "設定 Glob 模式,在全文檢索搜尋中排除檔案與資料夾,並快速開啟。繼承 `#files.exclude#` 設定的所有 Glob 模式。深入了解 Glob 模式 [這裡](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options)。",
+ "exclude.boolean": "要符合檔案路徑的 Glob 模式。設為 True 或 False 可啟用或停用模式。",
+ "exclude.when": "在相符檔案同層級上額外的檢查。請使用 $(basename) 作為相符檔案名稱的變數。",
+ "useRipgrep": " 此設定已淘汰,現在會回復至 \"search.usePCRE2\"。",
+ "useRipgrepDeprecated": "已淘汰。請考慮使用 \"search.usePCRE2\" 來取得進階 regex 功能支援。",
+ "search.maintainFileSearchCache": "若啟用,searchService 程序在處於非使用狀態一小時後會保持運作,而不是關閉。這會將檔案搜尋快取保留在記憶體中。",
+ "useIgnoreFiles": "控制是否在搜尋檔案時使用 `.gitignore` 和 `.ignore` 檔案。",
+ "useGlobalIgnoreFiles": "控制是否要在搜尋檔案時使用全域 `.gitignore` 和 `.ignore` 檔案。",
+ "search.quickOpen.includeSymbols": "是否在 Quick Open 的檔案結果中,包含全域符號搜尋中的結果。",
+ "search.quickOpen.includeHistory": "是否要在 Quick Open 中包含檔案結果中,來自最近開啟檔案的結果。",
+ "filterSortOrder.default": "歷程記錄項目會依據所使用的篩選值,依相關性排序。相關性愈高的項目排在愈前面。",
+ "filterSortOrder.recency": "依使用時序排序歷程記錄項目。最近開啟的項目顯示在最前面。",
+ "filterSortOrder": "控制篩選時,快速開啟的編輯器歷程記錄排列順序。",
+ "search.followSymlinks": "控制是否要在搜尋時遵循 symlink。",
+ "search.smartCase": "若模式為全小寫,搜尋時不會區分大小寫; 否則會區分大小寫。",
+ "search.globalFindClipboard": "控制搜尋檢視應讀取或修改 macOS 上的共用尋找剪貼簿。 ",
+ "search.location": "控制搜尋要顯示為資訊看板中的檢視,或顯示為面板區域中的面板以增加水平空間。",
+ "search.location.deprecationMessage": "此設定已淘汰。請拖曳搜尋圖示,以改用拖放方式。",
+ "search.collapseResults.auto": "10 個結果以下的檔案將會展開,其他檔案則會摺疊。",
+ "search.collapseAllResults": "控制要摺疊或展開搜尋結果。",
+ "search.useReplacePreview": "控制是否要在選取或取代相符項目時開啟 [取代預覽]。",
+ "search.showLineNumbers": "控制是否要為搜尋結果顯示行號。",
+ "search.usePCRE2": "是否要在文字搜尋中使用 PCRE2 規則運算式引擎。這可使用部分進階功能,如 lookahead 和 backreferences。但是,並不支援所有 PCRE2 功能,僅支援 JavaScript 也支援的功能。",
+ "usePCRE2Deprecated": "已淘汰。當使用僅有 PCRE2 支援的 regex 功能時,會自動使用 PCRE 2。",
+ "search.actionsPositionAuto": "當搜尋檢視較窄時,將動作列放在右邊,當搜尋檢視較寬時,立即放於內容之後。",
+ "search.actionsPositionRight": "永遠將動作列放在右邊。",
+ "search.actionsPosition": "控制動作列在搜尋檢視列上的位置。",
+ "search.searchOnType": "鍵入的同時搜尋所有檔案。",
+ "search.seedWithNearestWord": "允許在使用中的編輯器沒有選取項目時,從最接近游標的文字植入搜尋。",
+ "search.seedOnFocus": "聚焦在搜尋檢視時,將工作區搜尋查詢更新為編輯器的選取文字。按一下或觸發 'workbench.views.search.focus' 命令時,即會發生此動作。",
+ "search.searchOnTypeDebouncePeriod": "啟用 `#search.searchOnType#` 時,控制字元鍵入和搜尋開始之間的逾時 (毫秒)。當 `search.searchOnType` 停用時無效。",
+ "search.searchEditor.doubleClickBehaviour.selectWord": "點兩下選擇游標下的單字。",
+ "search.searchEditor.doubleClickBehaviour.goToLocation": "按兩下將會在正在使用的編輯器群組中開啟結果。",
+ "search.searchEditor.doubleClickBehaviour.openLocationToSide": "按兩下就會在側邊的編輯器群組中開啟結果,如果不存在就會建立一個。",
+ "search.searchEditor.doubleClickBehaviour": "設定在搜尋編輯器中按兩下結果的效果。",
+ "search.searchEditor.reusePriorSearchConfiguration": "啟用時,新搜尋編輯器會重複使用先前所開啟搜尋編輯器的包含、排除與旗標",
+ "search.searchEditor.defaultNumberOfContextLines": "建立新的搜尋編輯器時,要使用的周圍內容預設行數。若使用 `#search.searchEditor.reusePriorSearchConfiguration#`,此項可以設為 `null` (空白),以使用先前的搜尋編輯器組態。",
+ "searchSortOrder.default": "結果會根據資料夾和檔案名稱排序,按字母順序排列。",
+ "searchSortOrder.filesOnly": "結果會忽略資料夾順序並根據檔案名稱排序,按字母順序排列。",
+ "searchSortOrder.type": "結果會根據副檔名排序,按字母順序排列。",
+ "searchSortOrder.modified": "結果會根據最後修改日期降冪排序。",
+ "searchSortOrder.countDescending": "結果會根據每個檔案的計數降冪排序。",
+ "searchSortOrder.countAscending": "結果會根據每個檔案的計數升冪排序。",
+ "search.sortOrder": "控制搜尋結果的排列順序。",
+ "miViewSearch": "搜尋(&&S)",
+ "miGotoSymbolInWorkspace": "前往工作區中的符號(&&W)..."
+ },
+ "vs/workbench/contrib/search/browser/searchView": {
+ "searchCanceled": "在可能找到任何結果之前已取消搜尋 - ",
+ "moreSearch": "切換搜尋詳細資料",
+ "searchScope.includes": "要包含的檔案",
+ "label.includes": "搜尋包含模式",
+ "searchScope.excludes": "要排除的檔案",
+ "label.excludes": "搜尋排除模式",
+ "replaceAll.confirmation.title": "全部取代",
+ "replaceAll.confirm.button": "取代(&&R)",
+ "replaceAll.occurrence.file.message": "已將 {1} 個檔案中的 {0} 個相符項目取代為 '{2}'。",
+ "removeAll.occurrence.file.message": "已取代 {1} 檔案的 {0} 發生次數。",
+ "replaceAll.occurrence.files.message": "已將 {1} 個檔案中的 {0} 個相符項目取代為 '{2}'。",
+ "removeAll.occurrence.files.message": "已取代 {1} 個檔案中的 {0} 個相符項目。",
+ "replaceAll.occurrences.file.message": "已將 {1} 個檔案中的 {0} 個相符項目取代為 '{2}'。",
+ "removeAll.occurrences.file.message": "取代 {1} 檔案的 {0} 發生次數。",
+ "replaceAll.occurrences.files.message": "已將 {1} 個檔案中的 {0} 個相符項目取代為 '{2}'。",
+ "removeAll.occurrences.files.message": "已取代 {1} 個檔案中的 {0} 個相符項目。",
+ "removeAll.occurrence.file.confirmation.message": "要將 {1} 個檔案中的 {0} 個相符項目取代為 '{2}' 嗎?",
+ "replaceAll.occurrence.file.confirmation.message": "要取代 {1} 檔案的 {0} 發生次數嗎?",
+ "removeAll.occurrence.files.confirmation.message": "要將 {1} 個檔案中的 {0} 個相符項目取代為 '{2}' 嗎?",
+ "replaceAll.occurrence.files.confirmation.message": "要取代 {1} 個檔案中的 {0} 個相符項目嗎?",
+ "removeAll.occurrences.file.confirmation.message": "要將 {1} 個檔案中的 {0} 個相符項目取代為 '{2}' 嗎?",
+ "replaceAll.occurrences.file.confirmation.message": "要取代 {1} 檔案的 {0} 發生次數嗎?",
+ "removeAll.occurrences.files.confirmation.message": "要將 {1} 個檔案中的 {0} 個相符項目取代為 '{2}' 嗎?",
+ "replaceAll.occurrences.files.confirmation.message": "要取代 {1} 個檔案中的 {0} 個相符項目嗎?",
+ "emptySearch": "空的搜尋",
+ "ariaSearchResultsClearStatus": "已清除搜尋結果",
+ "searchPathNotFoundError": "找不到搜尋路徑: {0}",
+ "searchMaxResultsWarning": "結果集只包含所有符合項的子集。請提供更具體的搜尋條件以縮小結果範圍。",
+ "noResultsIncludesExcludes": "在 '{0}' 中找不到排除 '{1}' 的結果 - ",
+ "noResultsIncludes": "在 '{0}' 中找不到結果 - ",
+ "noResultsExcludes": "找不到排除 '{0}' 的結果 - ",
+ "noResultsFound": "找不到任何結果。請檢閱您所設定排除的設定,並檢查您的 gitignore 檔案 -",
+ "rerunSearch.message": "再次搜尋",
+ "rerunSearchInAll.message": "在所有檔案中再次搜尋",
+ "openSettings.message": "開啟設定",
+ "openSettings.learnMore": "深入了解",
+ "ariaSearchResultsStatus": "搜尋傳回 {1} 個檔案中的 {0} 個結果",
+ "forTerm": " - 搜尋: {0}",
+ "useIgnoresAndExcludesDisabled": " - 已停用排除設定和忽略檔案",
+ "openInEditor.message": "在編輯器中開啟",
+ "openInEditor.tooltip": "將目前的搜尋結果複製到編輯器",
+ "search.file.result": "{1} 個檔案中有 {0} 個結果",
+ "search.files.result": "{1} 個檔案中有 {0} 個結果",
+ "search.file.results": "{1} 個檔案中有 {0} 個結果",
+ "search.files.results": "{1} 個檔案中有 {0} 個結果",
+ "searchWithoutFolder": "您尚未開啟或指定資料夾。目前僅搜尋開啟的檔案 -",
+ "openFolder": "開啟資料夾"
+ },
+ "vs/workbench/contrib/search/browser/searchActions": {
+ "showSearch": "顯示搜尋",
+ "replaceInFiles": "檔案中取代",
+ "toggleTabs": "切換類型搜尋",
+ "RefreshAction.label": "重新整理",
+ "CollapseDeepestExpandedLevelAction.label": "全部摺疊",
+ "ExpandAllAction.label": "全部展開",
+ "ToggleCollapseAndExpandAction.label": "切換折疊和展開",
+ "ClearSearchResultsAction.label": "清除搜尋結果",
+ "CancelSearchAction.label": "取消搜尋",
+ "FocusNextSearchResult.label": "聚焦於下一個搜尋結果",
+ "FocusPreviousSearchResult.label": "聚焦於上一個搜尋結果",
+ "RemoveAction.label": "關閉",
+ "file.replaceAll.label": "全部取代",
+ "match.replace.label": "取代"
+ },
+ "vs/workbench/contrib/search/browser/symbolsQuickAccess": {
+ "noSymbolResults": "沒有相符的工作區符號",
+ "openToSide": "開至側邊",
+ "openToBottom": "開啟到底部"
+ },
+ "vs/workbench/contrib/search/browser/anythingQuickAccess": {
+ "noAnythingResults": "沒有相符的結果",
+ "recentlyOpenedSeparator": "最近開啟的",
+ "fileAndSymbolResultsSeparator": "檔案和符號結果",
+ "fileResultsSeparator": "檔案結果",
+ "filePickAriaLabelDirty": "{0} 已改變",
+ "openToSide": "開至側邊",
+ "openToBottom": "開啟到底部",
+ "closeEditor": "從最近開啟的檔案中移除"
+ },
+ "vs/workbench/contrib/search/browser/searchWidget": {
+ "search.action.replaceAll.disabled.label": "全部取代 (提交搜尋以啟用)",
+ "search.action.replaceAll.enabled.label": "全部取代",
+ "search.replace.toggle.button.title": "切換取代",
+ "label.Search": "搜尋: 鍵入搜尋字詞後,按 Enter 鍵搜尋",
+ "search.placeHolder": "搜尋",
+ "showContext": "切換內容行",
+ "label.Replace": "取代: 鍵入取代字詞後,按 Enter 鍵預覽",
+ "search.replace.placeHolder": "取代"
+ },
+ "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/patternInputWidget": {
+ "defaultLabel": "輸入",
+ "useExcludesAndIgnoreFilesDescription": "使用排除設定與忽略檔案"
+ },
+ "vs/workbench/contrib/search/browser/searchResultsView": {
+ "searchFolderMatch.other.label": "其他檔案",
+ "searchFileMatches": "找到 {0} 個檔案",
+ "searchFileMatch": "找到 {0} 個檔案",
+ "searchMatches": "找到 {0} 個相符",
+ "searchMatch": "找到 {0} 個相符",
+ "lineNumStr": "從第 {0} 行",
+ "numLinesStr": "其他 {0} 行",
+ "search": "搜尋",
+ "folderMatchAriaLabel": "資料夾根目錄 {1} 中有 {0} 個相符,搜尋結果",
+ "otherFilesAriaLabel": "工作區外有 {0} 個相符,搜尋結果",
+ "fileMatchAriaLabel": "資料夾 {2} 的檔案 {1} 中有 {0} 個相符,搜尋結果",
+ "replacePreviewResultAria": "根據文字({3})在({2})欄位列表中將({1})替代為文字{{0}}",
+ "searchResultAria": "根據文字({2})並在({1})欄位列表中找到符合({0})的項目"
+ },
+ "vs/workbench/contrib/search/common/queryBuilder": {
+ "search.noWorkspaceWithName": "工作區內無此名稱資料夾: {0}"
+ },
+ "vs/workbench/contrib/search/browser/replaceService": {
+ "fileReplaceChanges": "{0} ↔ {1} (Replace Preview)"
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditor.contribution": {
+ "searchEditor": "搜尋編輯器",
+ "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": "選取所有相符項目"
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditorActions": {
+ "search.openNewEditor": "開啟新的搜尋編輯器"
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditor": {
+ "moreSearch": "切換搜尋詳細資料",
+ "searchScope.includes": "要包含的檔案",
+ "label.includes": "搜尋包含模式",
+ "searchScope.excludes": "要排除的檔案",
+ "label.excludes": "搜尋排除模式",
+ "runSearch": "執行搜尋",
+ "searchResultItem": "在檔案 {2} 的 {1} 找到相符的 {0}",
+ "searchEditor": "搜尋",
+ "textInputBoxBorder": "搜尋編輯器文字輸入方塊邊界。"
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditorInput": {
+ "searchTitle.withQuery": "搜尋: {0}",
+ "searchTitle": "搜尋"
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditorSerialization": {
+ "invalidQueryStringError": "查詢字串中的所有反斜線都必須逸出 (\\\\)",
+ "numFiles": "{0} 個檔案",
+ "oneFile": "1 個檔案",
+ "numResults": "{0} 個結果",
+ "oneResult": "1 個結果",
+ "noResults": "查無結果",
+ "searchMaxResultsWarning": "結果集只包含所有符合項的子集。請提供更具體的搜尋條件以縮小結果範圍。"
+ },
+ "vs/workbench/contrib/snippets/browser/snippets.contribution": {
+ "snippetSchema.json.prefix": "在 Intellisense 中選取程式碼片段時要使用的前置詞",
+ "snippetSchema.json.body": "程式碼片段內容。請使用 '$1', '${1:defaultText}' 來定義資料指標位置,使用 '$0' 代表最終資料指標位置。請以 '${varName}' 和 '${varName:defaultText}' 插入變數值,例如 'This is file: $TM_FILENAME'。",
+ "snippetSchema.json.description": "程式碼片段描述。",
+ "snippetSchema.json.default": "空白程式碼片段",
+ "snippetSchema.json": "使用者程式碼片段組態",
+ "snippetSchema.json.scope": "此代碼片段應用的編程語言清單,例如 \"typescript,javascript\"。"
+ },
+ "vs/workbench/contrib/snippets/browser/insertSnippet": {
+ "snippet.suggestions.label": "插入程式碼片段",
+ "sep.userSnippet": "使用者程式碼片段",
+ "sep.extSnippet": "延伸模組程式碼片段",
+ "sep.workspaceSnippet": "工作區程式碼片段",
+ "disableSnippet": "從 IntelliSense 隱藏",
+ "isDisabled": "(從 IntelliSense 隱藏)",
+ "enable.snippet": "在 IntelliSense 中顯示",
+ "pick.placeholder": "選取程式碼片段"
+ },
+ "vs/workbench/contrib/snippets/browser/snippetsService": {
+ "invalid.path.0": "`contributes.{0}.path` 中的預期字串。提供的值: {1}",
+ "invalid.language.0": "省略語言時,`contributes.{0}.path` 的值必須是 `.code-snippets`-file。您目前提供的值:{1}",
+ "invalid.language": "`contributes.{0}.language` 中的不明語言。提供的值: {1}",
+ "invalid.path.1": "延伸模組資料夾 ({2}) 應包含 'contributes.{0}.path' ({1})。這可能會導致延伸模組無法移植。",
+ "vscode.extension.contributes.snippets": "提供程式碼片段。",
+ "vscode.extension.contributes.snippets-language": "要予以提供此程式碼片段的語言識別碼。",
+ "vscode.extension.contributes.snippets-path": "程式碼片段檔案的路徑。此路徑是延伸模組資料夾的相對路徑,而且一般會以 './snippets/' 開頭。",
+ "badVariableUse": "來自延伸模組 '{0}' 的一或多個程式碼片段很可能會混淆程式碼片段變數和程式碼片段預留位置 (如需更多詳細資料,請參閱 https://code.visualstudio.com/docs/editor/userdefinedsnippets#_snippet-syntax)",
+ "badFile": "無法讀取程式碼片段檔案 \"{0}\"。"
+ },
+ "vs/workbench/contrib/snippets/browser/configureSnippets": {
+ "global.scope": "(全域)",
+ "global.1": "({0})",
+ "name": "鍵入程式碼片段檔案名稱",
+ "bad_name1": "檔案名稱無效",
+ "bad_name2": "\"{0}\" 不是有效的檔案名稱",
+ "bad_name3": "\"{0}\" 已存在",
+ "new.global_scope": "GLOBAL",
+ "new.global": "新增全域程式碼片段檔案...",
+ "new.workspace_scope": "{0} 工作區",
+ "new.folder": "為 \"{0}\" 新增程式碼片段檔案...",
+ "group.global": "現有的程式碼片段",
+ "new.global.sep": "新增程式碼片段",
+ "openSnippet.pickLanguage": "選取程式碼片段檔案或建立程式碼片段",
+ "openSnippet.label": "設定使用者程式碼片段",
+ "preferences": "喜好設定",
+ "miOpenSnippets": "使用者程式碼片段(&&S)",
+ "userSnippets": "使用者程式碼片段"
+ },
+ "vs/workbench/contrib/snippets/browser/snippetsFile": {
+ "source.workspaceSnippetGlobal": "工作區程式碼片段",
+ "source.userSnippetGlobal": "全域使用者程式碼片段",
+ "source.userSnippet": "使用者程式碼片段"
+ },
+ "vs/workbench/contrib/snippets/browser/snippetCompletionProvider": {
+ "detail.snippet": "{0} ({1})",
+ "snippetSuggest.longLabel": "{0}, {1}"
+ },
+ "vs/workbench/contrib/surveys/browser/nps.contribution": {
+ "surveyQuestion": "您願意填寫簡短的意見反應問卷嗎?",
+ "takeSurvey": "填寫問卷",
+ "remindLater": "稍後提醒我",
+ "neverAgain": "不要再顯示"
+ },
+ "vs/workbench/contrib/surveys/browser/languageSurveys.contribution": {
+ "helpUs": "協助我們改善{0}",
+ "takeShortSurvey": "填寫簡短調查問卷",
+ "remindLater": "稍後提醒我",
+ "neverAgain": "不要再顯示"
+ },
+ "vs/workbench/contrib/tags/electron-browser/workspaceTagsService": {
+ "workspaceFound": "此資料夾包含工作區檔案 '{0}'。要開啟它嗎? [深入了解]({1}) 工作區檔案。",
+ "openWorkspace": "開啟工作區",
+ "workspacesFound": "此資料夾包含多個工作區檔案。您要開啟一個嗎? [深入了解]({0}) 有關工作區檔案。",
+ "selectWorkspace": "選取工作區",
+ "selectToOpen": "選取要開啟的工作區"
+ },
+ "vs/workbench/contrib/tasks/electron-browser/taskService": {
+ "TaskSystem.runningTask": "有一個工作正在執行。要終止工作嗎?",
+ "TaskSystem.terminateTask": "終止工作(&&T)",
+ "TaskSystem.noProcess": "啟動的工作已不存在。如果工作繁衍的背景處理程序結束,VS Code 可能會產生孤立的處理程序。若要避免此情況,請啟動有等候旗標的最後一個背景處理程序。",
+ "TaskSystem.exitAnyways": "仍要結束(&&E)"
+ },
+ "vs/workbench/contrib/tasks/common/tasks": {
+ "tasksCategory": "工作",
+ "TaskDefinition.missingRequiredProperty": "錯誤: 工作識別碼 '{0}' 缺少必要屬性 '{1}'。將忽略工作識別碼。"
+ },
+ "vs/workbench/contrib/tasks/common/taskConfiguration": {
+ "ConfigurationParser.invalidCWD": "警告: options.cwd 必須為類型字串。忽略值 {0}\r\n",
+ "ConfigurationParser.inValidArg": "錯誤: 命令引數必須是字串或是以引號括住的字串。提供的值為:\r\n{0}",
+ "ConfigurationParser.noShell": "警告: 只有在終端機中執行工作時才支援殼層組態。",
+ "ConfigurationParser.noName": "錯誤: 宣告範圍中的問題比對器必須具有名稱:\r\n{0}\r\n",
+ "ConfigurationParser.unknownMatcherKind": "警告: 定義的問題比對器不明。支援的類型為 string | ProblemMatcher | Array<字串 | ProblemMatcher>。\r\n{0}\r\n",
+ "ConfigurationParser.invalidVariableReference": "錯誤: ProblemMatcher 參考無效: {0}\r\n",
+ "ConfigurationParser.noTaskType": "錯誤: 工作組態必須具有類型屬性。將會忽略此組態。\r\n{0}\r\n",
+ "ConfigurationParser.noTypeDefinition": "錯誤: 沒有已註冊工作類型 '{0}'。您是否忘記安裝提供相應工作提供者的延伸模組?",
+ "ConfigurationParser.missingType": "錯誤: 工作組態 '{0}' 缺少必要屬性 'type'。將忽略工作組態。",
+ "ConfigurationParser.incorrectType": "錯誤: 工作組態 '{0}' 目前使用未知的類型。將忽略工作組態。",
+ "ConfigurationParser.notCustom": "錯誤: 未將工作宣告為自訂工作。將會忽略此組態。\r\n{0}\r\n",
+ "ConfigurationParser.noTaskName": "錯誤: 工作必須提供標籤屬性。將會忽略此工作。\r\n{0}\r\n",
+ "taskConfiguration.providerUnavailable": "警告: {0} 工作無法在目前環境中使用。\r\n",
+ "taskConfiguration.noCommandOrDependsOn": "錯誤: 工作 '{0}' 未指定命令,也未指定 dependsOn 屬性。將會忽略此工作。其定義為:\r\n{1}",
+ "taskConfiguration.noCommand": "錯誤: 工作 '{0}' 未定義命令。將會忽略此工作。其定義為:\r\n{1}",
+ "TaskParse.noOsSpecificGlobalTasks": "工作 version 2.0.0 不支援全域 OS 專屬工作。請使用 OS 專用的命令,將其轉換為工作。受影響的工作包括:\r\n{0}"
+ },
+ "vs/workbench/contrib/tasks/node/processTaskSystem": {
+ "version1_0": "工作系統已設定為 0.1.0 版 (請參考 tasks.json 檔案),其只能執行自訂工作。請升級至 2.0.0 以執行工作: {0} ",
+ "TaskRunnerSystem.unknownError": "執行工作時發生不明錯誤。如需詳細資訊,請參閱工作輸出記錄檔。",
+ "TaskRunnerSystem.watchingBuildTaskFinished": "\r\n已完成監看建置工作。",
+ "TaskRunnerSystem.childProcessError": "無法啟動外部程式 {0} {1}。",
+ "TaskRunnerSystem.cancelRequested": "\r\n已依使用者要求終止工作 '{0}'。",
+ "unknownProblemMatcher": "無法解析問題比對程式 {0}。將忽略比對程式"
+ },
+ "vs/workbench/contrib/tasks/node/processRunnerDetector": {
+ "TaskSystemDetector.noGulpTasks": "執行 Gulp --tasks-simple 未列出任何工作。是否已執行 npm 安裝?",
+ "TaskSystemDetector.noJakeTasks": "執行 Jake --tasks 未列出任何工作。是否已執行 npm 安裝?",
+ "TaskSystemDetector.noGulpProgram": "您的系統尚未安裝 Gulp。請執行 npm install -g gulp 進行安裝。",
+ "TaskSystemDetector.noJakeProgram": "您的系統尚未安裝 Jake。請執行 npm install -g jake 進行安裝。",
+ "TaskSystemDetector.noGruntProgram": "您的系統尚未安裝 Grunt。請執行 npm install -g grunt 進行安裝。",
+ "TaskSystemDetector.noProgram": "找不到程式 {0}。訊息為 {1}",
+ "TaskSystemDetector.buildTaskDetected": "偵測到名為 '{0}' 的建置工作。",
+ "TaskSystemDetector.testTaskDetected": "偵測到名為 '{0}' 的測試工作。"
+ },
+ "vs/workbench/contrib/tasks/browser/abstractTaskService": {
+ "ConfigureTaskRunnerAction.label": "設定工作",
+ "tasks": "工作",
+ "TaskSystem.noHotSwap": "必須重新載入視窗才可變更執行使用中工作的工作執行引擎",
+ "reloadWindow": "重新載入視窗",
+ "TaskService.pickBuildTaskForLabel": "選取建置工作 (未定義預設建置工作)",
+ "taskServiceOutputPrompt": "具有工作錯誤。如需詳細資料,請參閱輸出。",
+ "showOutput": "顯示輸出",
+ "TaskServer.folderIgnored": "因為資料夾 {0} 使用工作版本 0.1.0,所以已將其忽略",
+ "TaskService.providerUnavailable": "警告: {0} 工作無法在目前環境中使用。\r\n",
+ "TaskService.noBuildTask1": "未定義任何建置工作。請使用 'isBuildCommand' 標記 tasks.json 檔案中的工作。",
+ "TaskService.noBuildTask2": "未定義任何組建工作,請在 tasks.json 檔案中將工作標記為 'build' 群組。",
+ "TaskService.noTestTask1": "未定義任何建置工作。請使用 'isTestCommand' 標記 tasks.json 檔案中的工作。",
+ "TaskService.noTestTask2": "未定義任何測試工作,請在 tasks.json 檔案中將工作標記為 'test' 群組。",
+ "TaskServer.noTask": "未定義要執行的工作",
+ "TaskService.associate": "關聯",
+ "TaskService.attachProblemMatcher.continueWithout": "在不掃描工作輸出的情況下繼續",
+ "TaskService.attachProblemMatcher.never": "永不掃描此工作的工作輸出",
+ "TaskService.attachProblemMatcher.neverType": "永不掃描 {0} 工作的工作輸出",
+ "TaskService.attachProblemMatcher.learnMoreAbout": "深入了解掃描工作輸出",
+ "selectProblemMatcher": "選取錯誤和警告的種類以掃描工作輸出",
+ "customizeParseErrors": "當前的工作組態存在錯誤.請更正錯誤再執行工作.",
+ "tasksJsonComment": "\t// 請參閱 https://go.microsoft.com/fwlink/?LinkId=733558 \r\n\t// 以取得有關 tasks.json 格式的文件",
+ "moreThanOneBuildTask": "tasks.json 中定義了多項建置工作。正在執行第一項工作。\r\n",
+ "TaskSystem.saveBeforeRun.prompt.title": "要儲存所有編輯器嗎?",
+ "saveBeforeRun.save": "儲存",
+ "saveBeforeRun.dontSave": "不要儲存",
+ "detail": "要在執行工作前儲存所有編輯器嗎?",
+ "TaskSystem.activeSame.noBackground": "工作 '{0}' 已在使用中。",
+ "terminateTask": "終止工作",
+ "restartTask": "重新啟動工作",
+ "TaskSystem.active": "已有工作在執行。請先終止該工作,然後再執行其他工作。",
+ "TaskSystem.restartFailed": "無法終止再重新啟動工作 {0}",
+ "unexpectedTaskType": "\"{0}\" 工作的工作提供者,未預期地提供了 \"{1}\" 類型的工作。\r\n",
+ "TaskService.noConfiguration": "錯誤: {0} 工作偵測未參與下列組態的工作:\r\n{1}\r\n將會忽略此工作。\r\n",
+ "TaskSystem.configurationErrors": "錯誤: 提供的工作組態具有驗證錯誤而無法使用。請先更正這些錯誤。",
+ "TaskSystem.invalidTaskJsonOther": "錯誤: {0} 中的 tasks.json 內容出現語法錯誤。請先更正這些錯誤,然後再執行工作。\r\n",
+ "TasksSystem.locationWorkspaceConfig": "工作區檔案",
+ "TaskSystem.versionWorkspaceFile": ".codeworkspace 中只允許工作版本 2.0.0。",
+ "TasksSystem.locationUserConfig": "使用者設定",
+ "TaskSystem.versionSettings": "使用者設定中只允許工作版本 2.0.0。",
+ "taskService.ignoreingFolder": "忽略工作區資料夾 {0} 的工作組態。多重資料夾工作區工作支援需要所有資料夾都使用工作版本 2.0.0\r\n",
+ "TaskSystem.invalidTaskJson": "錯誤: tasks.json 檔案的內容出現語法錯誤。請先更正這些錯誤,然後再執行工作。\r\n",
+ "TerminateAction.label": "終止工作",
+ "TaskSystem.unknownError": "執行工作時發生錯誤。如需詳細資訊,請參閱工作記錄檔。",
+ "configureTask": "設定工作",
+ "recentlyUsed": "最近使用的工作",
+ "configured": "已設定的工作",
+ "detected": "偵測到的工作",
+ "TaskService.ignoredFolder": "因為下列工作區資料夾使用工作版本 0.1.0,所以已略過: {0}",
+ "TaskService.notAgain": "不要再顯示",
+ "TaskService.pickRunTask": "選取要執行的工作",
+ "TaskService.noEntryToRunSlow": "$(plus) 設定工作",
+ "TaskService.noEntryToRun": "$(plus) 設定工作",
+ "TaskService.fetchingBuildTasks": "正在擷取組建工作...",
+ "TaskService.pickBuildTask": "請選取要執行的組建工作",
+ "TaskService.noBuildTask": "找不到任何要執行的組建工作。請設定建置工作...",
+ "TaskService.fetchingTestTasks": "正在擷取測試工作...",
+ "TaskService.pickTestTask": "請選取要執行的測試工作",
+ "TaskService.noTestTaskTerminal": "找不到任何要執行的測試工作。請設定工作...",
+ "TaskService.taskToTerminate": "選擇要終止的工作",
+ "TaskService.noTaskRunning": "目前未執行任何工作",
+ "TaskService.terminateAllRunningTasks": "所有正在執行的工作",
+ "TerminateAction.noProcess": "啟動的處理序已不存在。如果工作繁衍的背景工作結束,VS Code 可能會產生孤立的處理序。",
+ "TerminateAction.failed": "無法終止執行中的工作",
+ "TaskService.taskToRestart": "請選取要重新啟動的工作",
+ "TaskService.noTaskToRestart": "沒有要重新啟動的工作",
+ "TaskService.template": "選取工作範本",
+ "taskQuickPick.userSettings": "使用者設定",
+ "TaskService.createJsonFile": "從範本建立 tasks.json 檔案",
+ "TaskService.openJsonFile": "開啟 tasks.json 檔案",
+ "TaskService.pickTask": "選取要設定的工作",
+ "TaskService.defaultBuildTaskExists": "已經將 {0} 標記為預設組建工作",
+ "TaskService.pickDefaultBuildTask": "請選取要用作預設組建工作的工作",
+ "TaskService.defaultTestTaskExists": "已經將 {0} 標記為預設測試工作。",
+ "TaskService.pickDefaultTestTask": "請選取要用作預設測試工作的工作",
+ "TaskService.pickShowTask": "選取要顯示輸出的工作",
+ "TaskService.noTaskIsRunning": "未執行任何工作"
+ },
+ "vs/workbench/contrib/tasks/browser/terminalTaskSystem": {
+ "TerminalTaskSystem.unknownError": "執行工作時發生不明錯誤。如需詳細資訊,請參閱工作輸出記錄檔。",
+ "dependencyCycle": "存在相依性循環。請查看工作 \"{0}\"。",
+ "dependencyFailed": "無法解決在工作區資料夾 '{1}' 中的相依工作 '{0}'",
+ "TerminalTaskSystem.nonWatchingMatcher": "工作 {0} 是背景工作,但使用沒有背景圖樣的問題比對器",
+ "TerminalTaskSystem.terminalName": "工作 - {0}",
+ "closeTerminal": "按任意鍵關閉終端機。",
+ "reuseTerminal": "工作將被重新啟用.按任意鍵關閉.",
+ "TerminalTaskSystem": "無法使用 cmd.exe 在 UNC 磁碟機上執行殼層命令。",
+ "unknownProblemMatcher": "無法解析問題比對程式 {0}。將忽略比對程式"
+ },
+ "vs/workbench/contrib/tasks/browser/task.contribution": {
+ "building": "正在建置...",
+ "numberOfRunningTasks": "{0} 個正在執行的工作",
+ "runningTasks": "顯示執行中的工作",
+ "status.runningTasks": "正在執行工作",
+ "miRunTask": "執行工作(&&R)...",
+ "miBuildTask": "執行組建工作(&&B)...",
+ "miRunningTask": "顯示正在執行的工作(&&G)...",
+ "miRestartTask": "重新啟動正在執行的工作(&&E)...",
+ "miTerminateTask": "終止工作(&&T)...",
+ "miConfigureTask": "設定工作(&&C)...",
+ "miConfigureBuildTask": "設定預設組建工作(&&F)...",
+ "workbench.action.tasks.openWorkspaceFileTasks": "開啟工作區工作",
+ "ShowLogAction.label": "顯示工作記錄檔",
+ "RunTaskAction.label": "執行工作",
+ "ReRunTaskAction.label": "重新執行上次工作",
+ "RestartTaskAction.label": "重新開始執行工作",
+ "ShowTasksAction.label": "顯示執行中的工作",
+ "TerminateAction.label": "終止工作",
+ "BuildAction.label": "執行建置工作",
+ "TestAction.label": "執行測試工作",
+ "ConfigureDefaultBuildTask.label": "設定預設組建工作",
+ "ConfigureDefaultTestTask.label": "設定預設測試工作",
+ "workbench.action.tasks.openUserTasks": "開啟使用者工作",
+ "tasksQuickAccessPlaceholder": "鍵入要執行的工作名稱。",
+ "tasksQuickAccessHelp": "執行工作",
+ "tasksConfigurationTitle": "工作",
+ "task.problemMatchers.neverPrompt": "設定執行工作時是否要顯示問題比對器提示。設定為 `true` 會永不提示,或是使用工作類型的字典來僅針對特定工作類型關閉提示。",
+ "task.problemMatchers.neverPrompt.boolean": "為所有工作設定問題比對器提示行為。",
+ "task.problemMatchers.neverPrompt.array": "包含工作類型-布林值配對的物件,永不提示啟用問題比對器。",
+ "task.autoDetect": "控制所有工作提供者擴充的 `provideTasks` 啟用。如果 Tasks: Run Task 命令太慢,停用工作提供者的自動偵測可能有所幫助。個別擴充可能會提供停用自動偵測的設定。",
+ "task.slowProviderWarning": "設定是否在提供者很慢時顯示警告",
+ "task.slowProviderWarning.boolean": "為所有工作設定慢速提供者警告。",
+ "task.slowProviderWarning.array": "永不顯示慢速提供者警告的工作類型陣列。",
+ "task.quickOpen.history": "控制工作快速開啟對話方塊中所追蹤最近使用的項目數。",
+ "task.quickOpen.detail": "控制是否顯示在工作快選 (例如 [執行工作]) 中具有詳細資料之工作的工作詳細資料。",
+ "task.quickOpen.skip": "控制當只有一個工作可供選取時是否跳過工作快選。",
+ "task.quickOpen.showAll": "讓 Tasks: Run Task 命令使用較慢的「全部顯示」行為,而不是較快的兩段式選擇器,該選擇器會依提供者將工作分組。",
+ "task.saveBeforeRun": "先儲存所有已變更的編輯器,再執行工作。",
+ "task.saveBeforeRun.always": "一律先儲存所有編輯器再執行。",
+ "task.saveBeforeRun.never": "永遠不要先儲存編輯器再執行。",
+ "task.SaveBeforeRun.prompt": "提示是否要在執行前先儲存編輯器。"
+ },
+ "vs/workbench/contrib/tasks/common/taskDefinitionRegistry": {
+ "TaskDefinition.description": "實際工作類型。請注意以 '$' 作為開頭的類型皆為內部使用保留。",
+ "TaskDefinition.properties": "工作類型的其他屬性",
+ "TaskDefinition.when": "條件必須為 true,才可啟用此類型的工作。請考慮使用適合此工作定義的 `shellExecutionSupported`、`processExecutionSupported` 和 `customExecutionSupported`。",
+ "TaskTypeConfiguration.noType": "工作類型組態遺失需要的 'taskType' 屬性",
+ "TaskDefinitionExtPoint": "提供工作種類"
+ },
+ "vs/workbench/contrib/tasks/common/problemMatcher": {
+ "ProblemPatternParser.problemPattern.missingRegExp": "此問題模式缺少規則運算式。",
+ "ProblemPatternParser.loopProperty.notLast": "只有最後一行比對器才支援迴圈屬性。",
+ "ProblemPatternParser.problemPattern.kindProperty.notFirst": "問題模式無效。 這類屬性只能在第一個元素中提供",
+ "ProblemPatternParser.problemPattern.missingProperty": "問題模式無效。其必須至少有一個檔案及訊息。",
+ "ProblemPatternParser.problemPattern.missingLocation": "問題模式無效。其必須有任一類型: \"檔案\" 或者是有行或位置符合群組。 ",
+ "ProblemPatternParser.invalidRegexp": "錯誤: 字串 {0} 不是有效的規則運算式。\r\n",
+ "ProblemPatternSchema.regexp": "規則運算式,用來在輸出中尋找錯誤、警告或資訊。",
+ "ProblemPatternSchema.kind": "該模式是否符合位置 (檔案和行) 或僅符合檔案。",
+ "ProblemPatternSchema.file": "檔案名稱的符合群組索引。如果省略,則會使用 1。",
+ "ProblemPatternSchema.location": "問題之位置的符合群組索引。有效的位置模式為: (line)、(line,column) 和 (startLine,startColumn,endLine,endColumn)。如果省略,則會假設 (line,column)。",
+ "ProblemPatternSchema.line": "問題之行的符合群組索引。預設為 2",
+ "ProblemPatternSchema.column": "問題行中字元的符合群組索引。預設為 3",
+ "ProblemPatternSchema.endLine": "問題之結尾行的符合群組索引。預設為未定義",
+ "ProblemPatternSchema.endColumn": "問題之結尾行字元的符合群組索引。預設為未定義",
+ "ProblemPatternSchema.severity": "問題之嚴重性的符合群組索引。預設為未定義",
+ "ProblemPatternSchema.code": "問題之代碼的符合群組索引。預設為未定義",
+ "ProblemPatternSchema.message": "訊息的符合群組索引。如果省略並指定位置,預設為 4。否則預設為 5。",
+ "ProblemPatternSchema.loop": "在多行比對器迴圈中,指出此模式是否只要相符就會以迴圈執行。只能在多行模式中的最後一個模式指定。",
+ "NamedProblemPatternSchema.name": "問題模式的名稱。",
+ "NamedMultiLineProblemPatternSchema.name": "多行問題模式的名稱。",
+ "NamedMultiLineProblemPatternSchema.patterns": "實際的模式。",
+ "ProblemPatternExtPoint": "提供問題模式",
+ "ProblemPatternRegistry.error": "問題模式無效。此模式將予忽略。",
+ "ProblemMatcherParser.noProblemMatcher": "錯誤: 無法將描述轉換到問題比對器:\r\n{0}\r\n",
+ "ProblemMatcherParser.noProblemPattern": "錯誤: 此描述未定義有效的問題模式:\r\n{0}\r\n",
+ "ProblemMatcherParser.noOwner": "錯誤: 此描述未定義擁有者:\r\n{0}\r\n",
+ "ProblemMatcherParser.noFileLocation": "錯誤: 此描述未定義檔案位置:\r\n{0}\r\n",
+ "ProblemMatcherParser.unknownSeverity": "資訊: 未知的嚴重性 {0}。有效值為錯誤、警告與資訊。\r\n",
+ "ProblemMatcherParser.noDefinedPatter": "錯誤: 沒有識別碼為 {0} 的樣式。",
+ "ProblemMatcherParser.noIdentifier": "錯誤: 樣式屬性參考了空的識別碼。",
+ "ProblemMatcherParser.noValidIdentifier": "錯誤: 樣式屬性 {0} 不是有效的樣式變數名稱。",
+ "ProblemMatcherParser.problemPattern.watchingMatcher": "問題比對器必須同時定義監控的開始模式和結束模式。",
+ "ProblemMatcherParser.invalidRegexp": "錯誤: 字串 {0} 不是有效的規則運算式。\r\n",
+ "WatchingPatternSchema.regexp": "用來查看偵測背景工作開始或結束的正規表達式.",
+ "WatchingPatternSchema.file": "檔案名稱的符合群組索引。可以省略。",
+ "PatternTypeSchema.name": "所提供或預先定義之模式的名稱",
+ "PatternTypeSchema.description": "問題模式或所提供或預先定義之問題模式的名稱。如有指定基底,即可發出。",
+ "ProblemMatcherSchema.base": "要使用之基底問題比對器的名稱。",
+ "ProblemMatcherSchema.owner": "Code 內的問題擁有者。如果指定基底,則可以省略。如果省略且未指定基底,預設為 [外部]。",
+ "ProblemMatcherSchema.source": "可供人們閱讀的診斷描述來源,例如 'typescript' 或 'super lint'。",
+ "ProblemMatcherSchema.severity": "擷取項目問題的預設嚴重性。如果模式未定義嚴重性的符合群組,就會加以使用。",
+ "ProblemMatcherSchema.applyTo": "控制文字文件上所回報的問題僅會套用至開啟的文件、關閉的文件或所有文件。",
+ "ProblemMatcherSchema.fileLocation": "定義應如何解譯在問題模式中回報的檔案名稱。相對 fileLocation 可以是陣列,其中陣列的第二個元素是相對檔案位置的路徑。",
+ "ProblemMatcherSchema.background": "偵測後台任務中匹配程序模式的開始與結束.",
+ "ProblemMatcherSchema.background.activeOnStart": "若設為 true,則背景監視器會在工作開始時處於主動模式。這相當於發出與 beginsPattern 相符的行",
+ "ProblemMatcherSchema.background.beginsPattern": "如果於輸出中相符,則會指示背景程式開始。",
+ "ProblemMatcherSchema.background.endsPattern": "如果於輸出中相符,則會指示背景程式結束。",
+ "ProblemMatcherSchema.watching.deprecated": "關注屬性已被淘汰,請改用背景取代。",
+ "ProblemMatcherSchema.watching": "追蹤匹配程序的開始與結束。",
+ "ProblemMatcherSchema.watching.activeOnStart": "如果設定為 True,監控程式在工作啟動時處於主動模式。這相當於發出符合 beginPattern 的行",
+ "ProblemMatcherSchema.watching.beginsPattern": "如果在輸出中相符,則會指示監看工作開始。",
+ "ProblemMatcherSchema.watching.endsPattern": "如果在輸出中相符,則會指示監看工作結束。",
+ "LegacyProblemMatcherSchema.watchedBegin.deprecated": "此屬性即將淘汰。請改用關注的屬性。",
+ "LegacyProblemMatcherSchema.watchedBegin": "規則運算式,指示監看的工作開始執行 (透過檔案監看觸發)。",
+ "LegacyProblemMatcherSchema.watchedEnd.deprecated": "此屬性即將淘汰。請改用關注的屬性。",
+ "LegacyProblemMatcherSchema.watchedEnd": "規則運算式,指示監看的工作結束執行。",
+ "NamedProblemMatcherSchema.name": "用來參考其問題比對器的名稱。",
+ "NamedProblemMatcherSchema.label": "易讀的問題比對器標籤。",
+ "ProblemMatcherExtPoint": "提供問題比對器",
+ "msCompile": "Microsoft 編譯器問題",
+ "lessCompile": "較少的問題",
+ "gulp-tsc": "Gulp TSC 問題",
+ "jshint": "JSHint 問題",
+ "jshint-stylish": "JSHint 樣式問題",
+ "eslint-compact": "ESLint 壓縮問題",
+ "eslint-stylish": "ESLint 樣式問題",
+ "go": "前往問題"
+ },
+ "vs/workbench/contrib/tasks/common/taskTemplates": {
+ "dotnetCore": "執行 .NET Core 建置命令",
+ "msbuild": "執行建置目標",
+ "externalCommand": "執行任意外部命令的範例",
+ "Maven": "執行一般 maven 命令"
+ },
+ "vs/workbench/contrib/tasks/browser/runAutomaticTasks": {
+ "tasks.run.allowAutomatic": "在此資料夾內,工作 ({0}) 定義在 'tasks.json' 中,並會在您開啟此資料夾時自動執行。要允許自動工作在您開啟此資料夾時執行嗎?",
+ "allow": "允許並執行",
+ "disallow": "不允許",
+ "openTasks": "開啟 tasks.json",
+ "workbench.action.tasks.manageAutomaticRunning": "管理資料夾中的自動工作",
+ "workbench.action.tasks.allowAutomaticTasks": "允許資料中的自動工作",
+ "workbench.action.tasks.disallowAutomaticTasks": "不允許資料夾中的自動工作"
+ },
+ "vs/workbench/contrib/tasks/browser/taskQuickPick": {
+ "taskQuickPick.showAll": "顯示所有工作...",
+ "configureTaskIcon": "工作選取項目清單中組態的圖示。",
+ "removeTaskIcon": "工作選取項目清單中移除的圖示。",
+ "configureTask": "設定工作",
+ "contributedTasks": "已提供",
+ "taskType": "所有 {0} 項工作",
+ "removeRecent": "移除最近使用的工作",
+ "recentlyUsed": "最近使用",
+ "configured": "已設定",
+ "TaskQuickPick.goBack": "返回 ↩",
+ "TaskQuickPick.noTasksForType": "找不到任何 {0} 工作。請返回 ↩",
+ "noProviderForTask": "\"{0}\" 類型的工作未註冊任何工作提供者。"
+ },
+ "vs/workbench/contrib/tasks/common/jsonSchema_v1": {
+ "JsonSchema.version.deprecated": "工作版本 0.1.0 已取代。請使用 2.0.0",
+ "JsonSchema.version": "組態的版本號碼",
+ "JsonSchema._runner": "執行器已淘汰。請使用官方執行器屬性",
+ "JsonSchema.runner": "定義工作是否作為處理程序執行,以及輸出會顯示在輸出視窗或終端機內。",
+ "JsonSchema.windows": "Windows 專用命令組態",
+ "JsonSchema.mac": "Mac 專用命令組態",
+ "JsonSchema.linux": "Linux 專用命令組態",
+ "JsonSchema.shell": "請指定命令為殼層命令或外部程式。若省略,會預設為 false。"
+ },
+ "vs/workbench/contrib/tasks/common/jsonSchema_v2": {
+ "JsonSchema.shell": "請指定命令為殼層命令或外部程式。若省略,會預設為 false。",
+ "JsonSchema.tasks.isShellCommand.deprecated": "已淘汰屬性 isShellCommand。請改為在 [選項] 中使用型別屬性及殼層屬性。此外也請參閱 1.14 版本資訊。",
+ "JsonSchema.tasks.dependsOn.identifier": "工作識別碼。",
+ "JsonSchema.tasks.dependsOn.string": "此工作相依的另一個工作。",
+ "JsonSchema.tasks.dependsOn.array": "此工作相依的其他工作。",
+ "JsonSchema.tasks.dependsOn": "代表另一個工作的字串或此工作相依的其他工作陣列。",
+ "JsonSchema.tasks.dependsOrder.parallel": "並行執行所有 dependsOn 工作。",
+ "JsonSchema.tasks.dependsOrder.sequence": "按順序執行所有 dependsOn 工作。",
+ "JsonSchema.tasks.dependsOrder": "決定此工作的 dependsOn 工作順序。請注意,這個屬性不會遞迴。",
+ "JsonSchema.tasks.detail": "工作的選擇性描述,在 [執行工作] 快選中顯示為詳細資料。",
+ "JsonSchema.tasks.presentation": "設定要用來顯示工作輸出和讀取工作輸入的面板。",
+ "JsonSchema.tasks.presentation.echo": "控制是否會將執行的命令回應給面板。預設為 true。",
+ "JsonSchema.tasks.presentation.focus": "控制面板是否要接受焦點。預設為 true。若設定為 true,也會使顯示面板。",
+ "JsonSchema.tasks.presentation.revealProblems.always": "在執行此工作時,永遠顯示問題面板。",
+ "JsonSchema.tasks.presentation.revealProblems.onProblem": "只在發現問題時才顯示問題面板。",
+ "JsonSchema.tasks.presentation.revealProblems.never": "執行此任務時,永不顯示問題面板。",
+ "JsonSchema.tasks.presentation.revealProblems": "控制執行此工作時是否顯示問題面板。優先於選項 \"reveal\"。預設為 \"never\"。",
+ "JsonSchema.tasks.presentation.reveal.always": "執行此工作時,一律顯示終端機。",
+ "JsonSchema.tasks.presentation.reveal.silent": "只有在工作結束發生錯誤或問題比對器發現問題時才顯示終端機。",
+ "JsonSchema.tasks.presentation.reveal.never": "執行此工作時,永不顯示終端機。",
+ "JsonSchema.tasks.presentation.reveal": "控制是否顯示執行工作的終端機。可透過選項 \"revealProblems” 予以覆寫。預設為 \"always\"。",
+ "JsonSchema.tasks.presentation.instance": "控制面板是否會在工作之間共用、專屬於此工作或是在每個回合建立一個新的面板。",
+ "JsonSchema.tasks.presentation.showReuseMessage": "控制是否顯示「工作將重新使用終端機,請按任意鍵將其關閉」訊息。",
+ "JsonSchema.tasks.presentation.clear": "控制在執行工作前是否清除終端機。",
+ "JsonSchema.tasks.presentation.group": "控制是否使用分割窗格在特定的終端機群組中執行工作。",
+ "JsonSchema.tasks.terminal": "已淘汰終端機屬性。請改用簡報",
+ "JsonSchema.tasks.group.kind": "該工作的執行群組。",
+ "JsonSchema.tasks.group.isDefault": "定義此工作在群組中是否為預設工作。",
+ "JsonSchema.tasks.group.defaultBuild": "將工作標記為預設組建工作。",
+ "JsonSchema.tasks.group.defaultTest": "將工作標記為預設測試工作。",
+ "JsonSchema.tasks.group.build": "將工作標記為可透過 'Run Build Task' 命令存取的組建工作。",
+ "JsonSchema.tasks.group.test": "將工作標記為可透過 'Run Test Task' 命令存取的測試工作。",
+ "JsonSchema.tasks.group.none": "指派工作到沒有群組",
+ "JsonSchema.tasks.group": "定義工作屬於哪個執行群組。支援將 「組建」新增到組建群組,以及將「測試」新增到測試群組。",
+ "JsonSchema.tasks.type": "定義工作在殼層中會作為處理程序或命令來執行。",
+ "JsonSchema.commandArray": "要執行的 shell 命令。陣列項目會以空白字元連接",
+ "JsonSchema.command.quotedString.value": "實際命令值",
+ "JsonSchema.tasks.quoting.escape": "使用殼層的逸出字元來逸出字元 (例如 PowerShell 中的 ` 與 Bash 中的 \\)。",
+ "JsonSchema.tasks.quoting.strong": "使用殼層的強式引號字元 (例如 PowerShell 及 Bash 下的 ') 將引數括住。",
+ "JsonSchema.tasks.quoting.weak": "使用殼層的弱式引號字元 (例如 PowerShell 及 Bash 下的 \") 將引數括住。",
+ "JsonSchema.command.quotesString.quote": "應如何引用命令值。",
+ "JsonSchema.command": "要執行的命令。可以是外部程式或殼層命令。",
+ "JsonSchema.args.quotedString.value": "實際引數值",
+ "JsonSchema.args.quotesString.quote": "如何引用參數值。",
+ "JsonSchema.tasks.args": "叫用此工作時,傳遞到命令的引數。",
+ "JsonSchema.tasks.label": "工作的使用者介面標籤",
+ "JsonSchema.version": "組態的版本號碼。",
+ "JsonSchema.tasks.identifier": "用以參考在 launch.json 或 dependsOn 子句中工作的使用者定義識別碼。",
+ "JsonSchema.tasks.identifier.deprecated": "使用者定義的身分識別已淘汰。請為自訂工作使用名稱作為參考,並為延伸模組提供的工作使用其已定義的工作身分識別。",
+ "JsonSchema.tasks.reevaluateOnRerun": "是否要在重新執行時重新評估工作變數。",
+ "JsonSchema.tasks.runOn": "設定工作應何時執行。若設定為 folderOpen,則會在開啟資料夾時,自動執行工作。",
+ "JsonSchema.tasks.instanceLimit": "允許同時執行的工作執行個體數。",
+ "JsonSchema.tasks.runOptions": "工作的執行相關選項",
+ "JsonSchema.tasks.taskLabel": "工作的標籤",
+ "JsonSchema.tasks.taskName": "工作名稱",
+ "JsonSchema.tasks.taskName.deprecated": "已淘汰工作的名稱屬性。請改用標籤屬性。",
+ "JsonSchema.tasks.background": "執行的工作是否保持運作並在背景執行。",
+ "JsonSchema.tasks.promptOnClose": "VS Code 在執行工作時關閉是否提示使用者。",
+ "JsonSchema.tasks.matchers": "要使用的問題比對器。可以是字串或問題比對器定義,也可以是數個陣列的字串與問題比對器。",
+ "JsonSchema.customizations.customizes.type": "要自訂的工作類型",
+ "JsonSchema.tasks.customize.deprecated": "已淘汰自訂屬性。請參閱 1.14 版本資訊,以了解如何遷移到新的工作自訂方法",
+ "JsonSchema.tasks.showOutput.deprecated": "已淘汰屬性 showOutput。請改用簡報屬性中的顯示屬性。此外也請參閱 1.14 版本資訊。",
+ "JsonSchema.tasks.echoCommand.deprecated": "已淘汰屬性 echoCommand。請改用簡報屬性中的回應屬性。此外也請參閱 1.14 版本資訊。 ",
+ "JsonSchema.tasks.suppressTaskName.deprecated": "屬性 suppressTaskName 已淘汰。請改為將命令與其引數內嵌至工作。另請參閱 1.14 版本資訊。",
+ "JsonSchema.tasks.isBuildCommand.deprecated": "已淘汰屬性 isBuildCommand。請改用群組屬性。此外也請參閱 1.14 版本資訊。",
+ "JsonSchema.tasks.isTestCommand.deprecated": "已淘汰屬性 isTestCommand。請改用群組屬性。此外也請參閱 1.14 版本資訊。",
+ "JsonSchema.tasks.taskSelector.deprecated": "屬性 taskSelector 已淘汰。請改為將命令與其引數內嵌至工作。另請參閱 1.14 版本資訊。 ",
+ "JsonSchema.windows": "Windows 專用命令組態",
+ "JsonSchema.mac": "Mac 專用命令組態",
+ "JsonSchema.linux": "Linux 專用命令組態"
+ },
+ "vs/workbench/contrib/tasks/browser/tasksQuickAccess": {
+ "noTaskResults": "沒有相符的工作",
+ "TaskService.pickRunTask": "選取要執行的工作"
+ },
+ "vs/workbench/contrib/tasks/common/jsonSchemaCommon": {
+ "JsonSchema.options": "其他命令選項",
+ "JsonSchema.options.cwd": "所執行程式或指令碼的目前工作目錄。如果省略,則會使用 Code 的目前工作區根目錄。",
+ "JsonSchema.options.env": "所執行程式或殼層的環境。如果省略,則會使用父處理程序的環境。",
+ "JsonSchema.tasks.matcherError": "無法辨識的問題比對器。安裝了提供此問題比對器的延伸模組嗎?",
+ "JsonSchema.shellConfiguration": "設定要使用的殼層。",
+ "JsonSchema.shell.executable": "要使用的殼層。",
+ "JsonSchema.shell.args": "殼層引數。",
+ "JsonSchema.command": "要執行的命令。可以是外部程式或殼層命令。",
+ "JsonSchema.tasks.args": "叫用此工作時,傳遞到命令的引數。",
+ "JsonSchema.tasks.taskName": "工作名稱",
+ "JsonSchema.tasks.windows": "Windows 特定命令組態",
+ "JsonSchema.tasks.matchers": "要使用的問題比對器。可以是字串或問題比對器定義,也可以是數個陣列的字串與問題比對器。",
+ "JsonSchema.tasks.mac": "Mac 特定命令組態",
+ "JsonSchema.tasks.linux": "Linux 特定命令組態",
+ "JsonSchema.tasks.suppressTaskName": "控制是否將工作名稱當做引數加入命令中。如果省略,則會使用全域定義的值。",
+ "JsonSchema.tasks.showOutput": "控制是否顯示執行中工作的輸出。如果省略,則會使用全域定義的值。",
+ "JsonSchema.echoCommand": "控制是否將執行的命令傳到輸出。預設為 False。",
+ "JsonSchema.tasks.watching.deprecation": "已被取代。請改用 isBackground。",
+ "JsonSchema.tasks.watching": "執行的工作是否保持運作且正在監看檔案系統。",
+ "JsonSchema.tasks.background": "執行的工作是否保持運作並在背景執行。",
+ "JsonSchema.tasks.promptOnClose": "VS Code 在執行工作時關閉是否提示使用者。",
+ "JsonSchema.tasks.build": "將此工作對應至 Code 的預設建置命令。",
+ "JsonSchema.tasks.test": "將此工作對應至 Code 的預設測試命令。",
+ "JsonSchema.args": "傳遞至命令的其他引數。",
+ "JsonSchema.showOutput": "控制是否顯示執行中工作的輸出。如果省略,則會使用 [永遠]。",
+ "JsonSchema.watching.deprecation": "已被取代。請改用 isBackground。",
+ "JsonSchema.watching": "執行的工作是否保持運作且正在監看檔案系統。",
+ "JsonSchema.background": "執行的工作是否保持運作且正在背景執行。",
+ "JsonSchema.promptOnClose": "是否在 VSCode 以執行中的背景工作關閉時提示使用者。",
+ "JsonSchema.suppressTaskName": "控制是否將工作名稱當做引數加入命令中。預設為 False。",
+ "JsonSchema.taskSelector": "前置詞,表示引數是工作。",
+ "JsonSchema.matchers": "要使用的問題比對器。可以是字串或問題比對器定義,或是字串和問題比對器陣列。",
+ "JsonSchema.tasks": "工作組態。這些通常是在外部工作執行器中已定義的工作擴充。"
+ },
+ "vs/workbench/contrib/terminal/common/terminalConfiguration": {
+ "terminalIntegratedConfigurationTitle": "整合式終端",
+ "terminal.integrated.sendKeybindingsToShell": "將大部分按鍵繫結關係分派到終端,而不是工作台,並會覆寫 `#terminal.integrated.commandsToSkipShell#`,這也可用於微調。",
+ "terminal.integrated.automationShell.linux": "設定時即會為自動化相關終端使用方式 (例如工作與偵錯) 覆寫 {0} 並忽略 {1} 值的路徑。",
+ "terminal.integrated.automationShell.osx": "設定時即會為自動化相關終端使用方式 (例如工作與偵錯) 覆寫 {0} 並忽略 {1} 值的路徑。",
+ "terminal.integrated.automationShell.windows": "設定後的路徑將覆寫 {0} 並忽略 {1},以用於與自動化相關的終端使用,例如工作與偵錯。",
+ "terminal.integrated.shellArgs.linux": "在 Linux 終端上使用的命令列引數。[深入了解如何設定殼層](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration)。",
+ "terminal.integrated.shellArgs.osx": "在 macOS 終端上使用的命令列引數。[深入了解如何設定殼層](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration)。",
+ "terminal.integrated.shellArgs.windows": "在 Windows 終端上使用的命令列引數。[深入了解如何設定殼層](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration)。",
+ "terminal.integrated.shellArgs.windows.string": "在 Windows 終端上以此[命令列格式](https://msdn.microsoft.com/zh-tw/08dfcab2-eb6e-49a4-80eb-87d4076c98c6)使用的命令列引數。[深入了解如何設定 殼層](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration)。",
+ "terminal.integrated.macOptionIsMeta": "控制是否要在 macOS 的終端內將 Option 鍵作為 meta 鍵。",
+ "terminal.integrated.macOptionClickForcesSelection": "控制在 macOS 上使用 Option+按一下時,是否要強制選取。這會強制進行一般 (行) 選取,而且不允許使用資料行選取模式。這可讓您使用一般的終端選取執行複製及貼上,例如在 tmux 中啟用滑鼠模式時。",
+ "terminal.integrated.copyOnSelection": "控制是否要將終端內的選取文字複製到剪貼簿。",
+ "terminal.integrated.drawBoldTextInBrightColors": "控制終端內的粗體文字是否一律使用「亮色」ANSI 色彩變化。",
+ "terminal.integrated.fontFamily": "控制終端的字型系列,預設為 `#editor.fontFamily#` 的值。",
+ "terminal.integrated.fontSize": "控制終端的字型大小 (像素)。",
+ "terminal.integrated.letterSpacing": "控制終端的字母間距,這是整數值,代表字元間可新增的額外像素數量。",
+ "terminal.integrated.lineHeight": "控制終端的行高,此數字會乘以終端的字型大小,取得實際行高 (像素)。",
+ "terminal.integrated.minimumContrastRatio": "設定時,每個儲存格的前景色彩都會變更,以嘗試符合指定的對比率。範例值:\r\n\r\n- 1: 預設,不採取任何動作。\r\n- 4.5: [WCAG AA 合規性 (最低限度)](https://www.w3.org/TR/UNDERSTANDING-WCAG20/visual-audio-contrast-contrast.html)。\r\n- 7: [WCAG AAA 合規性 (增強)](https://www.w3.org/TR/UNDERSTANDING-WCAG20/visual-audio-contrast7.html)。\r\n- 21: 黑底白字或白底黑字。",
+ "terminal.integrated.fastScrollSensitivity": "按 `Alt` 時的捲動速度乘數。",
+ "terminal.integrated.mouseWheelScrollSensitivity": "要用在滑鼠滾輪捲動事件 `deltaY` 的乘數。",
+ "terminal.integrated.fontWeightError": "只允許「一般」及「粗體」關鍵字,或介於 1 到 1000 之間的數值。",
+ "terminal.integrated.fontWeight": "終端中非粗體文字所使用的字型粗細。可接受 \"normal\" 與 \"bold\" 關鍵字,或介於 1 到 1000 之間的數字。",
+ "terminal.integrated.fontWeightBold": "終端中粗體文字所使用的字型粗細。可接受 \"normal\" 與 \"bold\" 關鍵字,或介於 1 到 1000 之間的數字。",
+ "terminal.integrated.cursorBlinking": "控制終端游標是否閃爍。",
+ "terminal.integrated.cursorStyle": "控制終端游標的樣式。",
+ "terminal.integrated.cursorWidth": "控制 `#terminal.integrated.cursorStyle#` 設為 `line` 時的游標寬度。",
+ "terminal.integrated.scrollback": "控制終端在緩衝區中保留的行數上限。",
+ "terminal.integrated.detectLocale": "因為 VS Code 的終端只支援來自殼層的 UTF-8 編碼資料,所以控制是否要偵測 `$LANG` 環境變數,並將其設為 UTF-8 相容選項。",
+ "terminal.integrated.detectLocale.auto": "如果現有變數不存在或結尾不是 `'.UTF-8'`,則設定 `$LANG` 環境變數。",
+ "terminal.integrated.detectLocale.off": "不要設定 `$LANG` 環境變數。",
+ "terminal.integrated.detectLocale.on": "一律設定 `$LANG` 環境變數。",
+ "terminal.integrated.rendererType.auto": "讓 VS Code 猜測要使用的轉譯器。",
+ "terminal.integrated.rendererType.canvas": "使用標準 GPU/畫布式轉譯器。",
+ "terminal.integrated.rendererType.dom": "使用後援 DOM 式轉譯器。",
+ "terminal.integrated.rendererType.experimentalWebgl": "使用實驗性 webgl 式轉譯器。請注意,此轉譯器有一些[已知問題](https://github.com/xtermjs/xterm.js/issues?q=is%3Aopen+is%3Aissue+label%3Aarea%2Faddon%2Fwebgl)。",
+ "terminal.integrated.rendererType": "控制終端的轉譯方式。",
+ "terminal.integrated.rightClickBehavior.default": "顯示操作功能表。",
+ "terminal.integrated.rightClickBehavior.copyPaste": "若有選取項目,則複製,否則貼上。",
+ "terminal.integrated.rightClickBehavior.paste": "按右鍵時貼上。",
+ "terminal.integrated.rightClickBehavior.selectWord": "選取游標下方的文字,並顯示操作功能表。",
+ "terminal.integrated.rightClickBehavior": "控制終端如何回應按右鍵動作。",
+ "terminal.integrated.cwd": "終端啟動所在的明確開始路徑,該路徑會用作殼層處理序目前的工作目錄 (cwd)。如果根目錄不是方便的 cwd,這個路徑在工作區設定中就特別有用。",
+ "terminal.integrated.confirmOnExit": "如有使用中的終端工作階段,控制結束時是否要確認。",
+ "terminal.integrated.enableBell": "控制是否啟用終端鈴聲。",
+ "terminal.integrated.commandsToSkipShell": "一組命令識別碼,其按鍵繫結關係一律由 VS Code 處理,而不會傳送到殼層。如此一來,通常由殼層取用的按鍵繫結關係,將能像焦點不在終端機時般地運作。例如 `Ctrl+P` 會啟動 Quick Open。\r\n\r\n \r\n\r\n根據預設,會跳過許多命令。若要覆寫預設,並將命令的按鍵繫結關係改為傳遞給殼層,請新增命令,並在其字首加上 `-` 字元。例如,新增 `-workbench.action.quickOpen` 可讓 `Ctrl+P` 傳送到殼層。\r\n\r\n \r\n\r\n在設定編輯器中檢視下列預設會跳過的命令清單時,會有截斷情形。若要查看完整的清單,請[開啟預設設定 JSON](command:workbench.action.openRawDefaultSettings '開啟預設設定 (JSON)'),然後在搜尋下列清單中的第一個命令。\r\n\r\n \r\n\r\n預設會跳過的命令:\r\n\r\n{0}",
+ "terminal.integrated.allowChords": "是否允許在終端內同步選取按鍵繫結關係。請注意,當此設定為 true 時,同步選取的按鍵輸入結果會跳過 `#terminal.integrated.commandsToSkipShell#`,如果希望按 ctrl+k 能前往殼層 (不是 VS Code),請將此項設定為 false。",
+ "terminal.integrated.allowMnemonics": "是否允許功能表列助憶鍵 (例如 alt+f) 觸發開啟功能表列的動作。請注意,若為 true,此設定會導致所有 alt 按鍵輸入都會跳過殼層。這不適用於 macOS。",
+ "terminal.integrated.inheritEnv": "新的殼層是否應從 VS Code 繼承環境。Windows 不支援此設定。",
+ "terminal.integrated.env.osx": "具有環境變數的物件,會新增至 macOS 終端使用的 VS Code 處理序。設為 `null` 可刪除環境變數。",
+ "terminal.integrated.env.linux": "具有環境變數的物件,會新增至 Linux 終端使用的 VS Code 處理序。設為 `null` 可刪除環境變數。",
+ "terminal.integrated.env.windows": "具有環境變數的物件,會新增至 Windows 終端使用的 VS Code 處理序。設為 `null` 可刪除環境變數。",
+ "terminal.integrated.environmentChangesIndicator": "要在每部終端上顯示環境變更指示器,以說明是否已建立延伸模組,還是要變更終端的環境。",
+ "terminal.integrated.environmentChangesIndicator.off": "停用指示器。",
+ "terminal.integrated.environmentChangesIndicator.on": "啟用指示器。",
+ "terminal.integrated.environmentChangesIndicator.warnonly": "當終端的環境「過時」時,僅顯示警告指示器,而非顯示終端環境已被延伸模組修改的資訊指示器。",
+ "terminal.integrated.showExitAlert": "當結束代碼不為零時,控制是否要顯示「終端處理序已終止。結束代碼:」警示。",
+ "terminal.integrated.splitCwd": "控制分割終端開始的工作目錄。",
+ "terminal.integrated.splitCwd.workspaceRoot": "新的分割終端會使用工作區根目錄作為工作目錄。您可在多重根目錄工作區中選擇要使用的根資料夾。",
+ "terminal.integrated.splitCwd.initial": "新的分割終端會使用父終端開始的工作目錄。",
+ "terminal.integrated.splitCwd.inherited": "在 macOS 和 Linux 上,新的分割終端會使用父終端的工作目錄。在 Windows 上,此行為則與初始行為相同。",
+ "terminal.integrated.windowsEnableConpty": "是否要為 Windows 終端處理序通訊使用 ConPTY (需要 Windows 10 組建編號 18309+)。若此設定為 false,則會使用 Winpty。",
+ "terminal.integrated.wordSeparators": "字串,內含按兩下選取文字功能要視為文字分隔符號的所有字元。",
+ "terminal.integrated.experimentalUseTitleEvent": "實驗性設定,會為下拉式清單標題使用終端標題事件。此設定只會套用至新的終端。",
+ "terminal.integrated.enableFileLinks": "是否要在終端內啟用檔案連結。因為每個檔案連結都要向檔案系統驗證,所以連結可能會變慢,特別是在使用網路磁碟機時。變更此設定只對新的終端有效。",
+ "terminal.integrated.unicodeVersion.six": "unicode 第 6 版,這是舊版本,在舊版系統上運作較好。",
+ "terminal.integrated.unicodeVersion.eleven": "unicode 第 11 版,此版本在使用新版 unicode 的新式系統中能提供更好的支援。",
+ "terminal.integrated.unicodeVersion": "控制評估終端內的字元寬度時,要使用的 unicode 版本。如果發生表情圖示或其他寬字元佔用的空格數量不正確,或退格鍵刪除太多或太少空格的情況,則建議您嘗試微調此設定。",
+ "terminal.integrated.experimentalLinkProvider": "實驗性設定,旨在透過改善偵測連結的時機,以及啟用與編輯器共用的連結偵測,來改善終端上的連結偵測。此設定目前只支援 Web 連結。",
+ "terminal.integrated.localEchoLatencyThreshold": "實驗性: 網路延遲的長度 (毫秒),本機編輯將在終端上回應,而不等待伺服器認知。如果是 '0',本機回應將一律開啟,如果是 '-1' 則將會停用。",
+ "terminal.integrated.localEchoExcludePrograms": "實驗性: 當在終端標題中找到任何程式名稱時,就會停用本機回應。",
+ "terminal.integrated.localEchoStyle": "實驗性: 本機回應文字的終端樣式; 可以是字型樣式或 RGB 色彩。",
+ "terminal.integrated.serverSpawn": "實驗性: 從遠端代理程式程序繁衍遠端終端機,而非遠端延伸主機",
+ "terminal.integrated.enablePersistentSessions": "實驗性: 跨視窗重新載入的工作區持續終端工作階段。目前只支援 VS Code 遠端工作區。",
+ "terminal.integrated.shell.linux": "終端在 Linux 上使用的殼層路徑 (預設: {0})。[深入了解如何設定殼層](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration)。",
+ "terminal.integrated.shell.linux.noDefault": "終端在 Linux 上使用的殼層路徑。[深入了解如何設定殼層](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration)。",
+ "terminal.integrated.shell.osx": "終端在 macOS 上使用的殼層路徑 (預設: {0})。[深入了解如何設定殼層](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration)。",
+ "terminal.integrated.shell.osx.noDefault": "終端在 macOS 上使用的殼層路徑。[深入了解如何設定殼層](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration)。",
+ "terminal.integrated.shell.windows": "終端在 Windows 上使用的殼層路徑 (預設: {0})。[深入了解如何設定殼層](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration)。",
+ "terminal.integrated.shell.windows.noDefault": "終端在 Windows 上使用的殼層路徑。[深入了解如何設定殼層](https://code.visualstudio.com/docs/editor/integrated-terminal#_configuration)。"
+ },
+ "vs/workbench/contrib/terminal/common/terminal": {
+ "terminalCategory": "終端機",
+ "vscode.extension.contributes.terminal": "參與終端機功能。",
+ "vscode.extension.contributes.terminal.types": "定義使用者可以建立的其他終端機類型。",
+ "vscode.extension.contributes.terminal.types.command": "當使用者建立此類型之終端機時所要執行的命令。",
+ "vscode.extension.contributes.terminal.types.title": "此類型之終端機的標題。"
+ },
+ "vs/workbench/contrib/terminal/browser/terminal.contribution": {
+ "tasksQuickAccessPlaceholder": "鍵入要開啟的終端機名稱。",
+ "tasksQuickAccessHelp": "顯示所有已開啟的終端機",
+ "terminal": "終端機"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalView": {
+ "terminal.useMonospace": "使用 'monospace'",
+ "terminal.monospaceOnly": "終端機只支援等寬字型。如果這是新安裝的字型,請務必重新啟動 VS Code。"
+ },
+ "vs/workbench/contrib/terminal/browser/remoteTerminalService": {
+ "terminal.integrated.starting": "正在啟動..."
+ },
+ "vs/workbench/contrib/terminal/node/terminalProcess": {
+ "launchFail.cwdNotDirectory": "啟動目錄 (cwd) \"{0}\" 不是目錄",
+ "launchFail.cwdDoesNotExist": "啟動目錄 (cwd) \"{0}\" 不存在",
+ "launchFail.executableIsNotFileOrSymlink": "通往 Shell 可執行檔 \"{0}\" 的路徑不是符號連結檔案",
+ "launchFail.executableDoesNotExist": "沒有通往 Shell 可執行檔 \"{0}\" 的路徑"
+ },
+ "vs/workbench/contrib/terminal/electron-browser/terminalRemote": {
+ "workbench.action.terminal.newLocal": "建立新的整合式終端機 (本機)"
+ },
+ "vs/workbench/contrib/terminal/common/terminalColorRegistry": {
+ "terminal.background": "終端機的背景色彩,允許終端機和面板的色彩不同。",
+ "terminal.foreground": "終端機的前景色彩。",
+ "terminalCursor.foreground": "終端機游標的前景色彩。",
+ "terminalCursor.background": "終端機游標的背景色彩。允許區塊游標重疊於自訂字元色彩。",
+ "terminal.selectionBackground": "終端機的選取項目背景色彩。",
+ "terminal.border": "在終端機內將窗格分割之邊界的色彩。預設為 panel.border。",
+ "terminal.ansiColor": "終端機中的 '{0}' ANSI 色彩。"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalActions": {
+ "workbench.action.terminal.newWorkspacePlaceholder": "為新的終端機選擇目前的工作目錄",
+ "workbench.action.terminal.toggleTerminal": "切換整合式終端機",
+ "workbench.action.terminal.kill": "終止使用中的終端機執行個體",
+ "workbench.action.terminal.kill.short": "終止終端機",
+ "workbench.action.terminal.copySelection": "複製選取項目",
+ "workbench.action.terminal.copySelection.short": "複製",
+ "workbench.action.terminal.selectAll": "全選",
+ "workbench.action.terminal.new": "建立新的整合式終端機",
+ "workbench.action.terminal.new.short": "新增終端機",
+ "workbench.action.terminal.split": "分割終端機",
+ "workbench.action.terminal.split.short": "分割",
+ "workbench.action.terminal.splitInActiveWorkspace": "分割終端機 (於使用中的工作區)",
+ "workbench.action.terminal.paste": "貼入使用中的終端機",
+ "workbench.action.terminal.paste.short": "貼上",
+ "workbench.action.terminal.selectDefaultShell": "選取預設殼層",
+ "workbench.action.terminal.openSettings": "設定終端設定",
+ "workbench.action.terminal.switchTerminal": "切換終端機",
+ "terminals": "開啟終端機。",
+ "terminalConnectingLabel": "正在啟動...",
+ "workbench.action.terminal.clear": "清除",
+ "terminalLaunchHelp": "開啟說明",
+ "workbench.action.terminal.newInActiveWorkspace": "建立新的整合式終端機 (於目前工作區)",
+ "workbench.action.terminal.focusPreviousPane": "聚焦上一個窗格",
+ "workbench.action.terminal.focusNextPane": "聚焦下一個窗格",
+ "workbench.action.terminal.resizePaneLeft": "調整窗格左側",
+ "workbench.action.terminal.resizePaneRight": "調整窗格右側",
+ "workbench.action.terminal.resizePaneUp": "調整窗格上方",
+ "workbench.action.terminal.resizePaneDown": "調整窗格下方",
+ "workbench.action.terminal.focus": "聚焦終端機",
+ "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.manageWorkspaceShellPermissions": "管理工作區殼層權限",
+ "workbench.action.terminal.rename": "重新命名",
+ "workbench.action.terminal.rename.prompt": "輸入終端機名稱",
+ "workbench.action.terminal.focusFind": "聚焦於尋找",
+ "workbench.action.terminal.hideFind": "隱藏尋找",
+ "workbench.action.terminal.attachToRemote": "附加到工作階段",
+ "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": "切換使用 Regex 尋找",
+ "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": "顯示環境資訊"
+ },
+ "vs/workbench/contrib/terminal/common/terminalMenu": {
+ "miToggleIntegratedTerminal": "終端(&&T)",
+ "miNewTerminal": "新增終端(&&N)",
+ "miSplitTerminal": "分割終端(&&S)",
+ "miRunActiveFile": "執行使用中的檔案(&&A)",
+ "miRunSelectedText": "執行選取的文字(&&S)"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalService": {
+ "workbench.action.terminal.allowWorkspaceShell": "允許工作區外觀配置",
+ "workbench.action.terminal.disallowWorkspaceShell": "不允許工作區外觀設置",
+ "terminalService.terminalCloseConfirmationSingular": "仍有一個使用中的終端機工作階段。要予以終止嗎?",
+ "terminalService.terminalCloseConfirmationPlural": "目前共有 {0} 個使用中的終端機工作階段。要予以終止嗎?",
+ "terminal.integrated.chooseWindowsShell": "請選取所需的終端機殼層。您之後可以在設定中變更此選擇"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalQuickAccess": {
+ "renameTerminal": "將終端重新命名",
+ "killTerminal": "終止終端執行個體",
+ "workbench.action.terminal.newplus": "建立新的整合式終端"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalIcons": {
+ "terminalViewIcon": "[終端] 檢視的檢視圖示。",
+ "renameTerminalIcon": "終端機快速功能表中用於重新命名的圖示。",
+ "killTerminalIcon": "刪除終端機執行個體的圖示。",
+ "newTerminalIcon": "建立新終端機執行個體的圖示。"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalConfigHelper": {
+ "terminal.integrated.allowWorkspaceShell": "您允許此工作區修改您的終端機殼層嗎? {0}",
+ "allow": "允許",
+ "disallow": "不允許",
+ "useWslExtension.title": "建議使用 ‘{0}’ 延伸模組開啟 WSL 中的終端機。",
+ "install": "安裝"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalInstance": {
+ "terminal.integrated.a11yPromptLabel": "終端機輸入",
+ "terminal.integrated.a11yTooMuchOutput": "要宣告的輸出過多,請手動讀取瀏覽至資料列",
+ "terminalTextBoxAriaLabelNumberAndTitle": "終端機 {0},{1}",
+ "terminalTextBoxAriaLabel": "終端 {0}",
+ "configure terminal settings": "有些按鍵繫結關係會根據預設,分派給工作台。",
+ "configureTerminalSettings": "設定終端設定",
+ "yes": "是",
+ "no": "否",
+ "dontShowAgain": "不要再顯示",
+ "terminal.slowRendering": "整合終端的標準轉譯器在您的電腦上似乎很慢。 您是否想要切換成基於 DOM 的轉譯器以提高效能? [閱讀更多有關終端設定的資訊](https://code.visualstudio.com/docs/editor/integrated-terminal#_changing-how-the-terminal-is-rendered)。",
+ "terminal.integrated.copySelection.noSelection": "終端機沒有任何選取項目可以複製",
+ "launchFailed.exitCodeAndCommandLine": "終端機處理序 \"{0}\" 無法啟動 (結束代碼: {1})。",
+ "launchFailed.exitCodeOnly": "終端機處理序無法啟動 (結束代碼: {0})。",
+ "terminated.exitCodeAndCommandLine": "終端機處理序 \"{0}\" 已終止。結束代碼: {1}。",
+ "terminated.exitCodeOnly": "終端機處理序已終止。結束代碼: {0}。",
+ "launchFailed.errorMessage": "終端機處理序無法啟動: {0}。",
+ "terminalStaleTextBoxAriaLabel": "終端 {0} 環境已過時,請執行 'Show Environment Information' 命令以取得詳細資訊"
+ },
+ "vs/workbench/contrib/terminal/browser/links/terminalLinkManager": {
+ "terminalLinkHandler.followLinkAlt.mac": "option + 按一下",
+ "terminalLinkHandler.followLinkAlt": "alt + 按一下",
+ "terminalLinkHandler.followLinkCmd": "cmd + 按一下",
+ "terminalLinkHandler.followLinkCtrl": "ctrl + 按一下",
+ "followLink": "前往連結"
+ },
+ "vs/workbench/contrib/terminal/browser/links/terminalWordLinkProvider": {
+ "searchWorkspace": "搜尋工作區"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalProcessExtHostProxy": {
+ "terminal.integrated.starting": "正在啟動..."
+ },
+ "vs/workbench/contrib/terminal/browser/environmentVariableInfo": {
+ "extensionEnvironmentContributionChanges": "延伸模組想要對終端環境進行下列變更:",
+ "extensionEnvironmentContributionRemoval": "延伸模組想要從終端環境移除這些現有變更:",
+ "relaunchTerminalLabel": "重新啟動終端",
+ "extensionEnvironmentContributionInfo": "延伸模組已變更此終端環境"
+ },
+ "vs/workbench/contrib/terminal/browser/links/terminalLink": {
+ "openFile": "在編輯器中開啟檔案",
+ "focusFolder": "總管中的焦點資料夾",
+ "openFolder": "在新視窗中開啟資料夾"
+ },
+ "vs/workbench/contrib/themes/browser/themes.contribution": {
+ "selectTheme.label": "色彩佈景主題",
+ "themes.category.light": "淺色主題",
+ "themes.category.dark": "深色主題",
+ "themes.category.hc": "高對比主題",
+ "installColorThemes": "安裝其他的色彩佈景主題...",
+ "themes.selectTheme": "選取色彩主題(上/下鍵預覽)",
+ "selectIconTheme.label": "檔案圖示佈景主題",
+ "noIconThemeLabel": "無",
+ "noIconThemeDesc": "停用檔案圖示",
+ "installIconThemes": "安裝其他的檔案圖示主題...",
+ "themes.selectIconTheme": "選取檔案圖示佈景主題",
+ "selectProductIconTheme.label": "產品圖示主題",
+ "defaultProductIconThemeLabel": "預設",
+ "themes.selectProductIconTheme": "請選取產品圖示主題",
+ "generateColorTheme.label": "依目前的設定產生色彩佈景主題",
+ "preferences": "喜好設定",
+ "miSelectColorTheme": "色彩佈景主題(&&C)",
+ "miSelectIconTheme": "檔案圖示佈景主題(&&I)",
+ "themes.selectIconTheme.label": "檔案圖示佈景主題"
+ },
+ "vs/workbench/contrib/timeline/browser/timeline.contribution": {
+ "timelineViewIcon": "[時間軸] 檢視的檢視圖示。",
+ "timelineOpenIcon": "開啟時間軸動作的圖示。",
+ "timelineConfigurationTitle": "時間軸",
+ "timeline.excludeSources": "實驗性: 應從時間軸檢視排除的時間軸來源陣列",
+ "timeline.pageSize": "根據預設以及在載入更多項目時,於時間軸檢視中顯示的項目數。設為 `null` (預設) 會自動根據時間軸檢視的顯示區域選擇頁面大小",
+ "timeline.pageOnScroll": "實驗性質。控制時間軸檢視會否在您捲動到清單結尾時,載入下一頁的項目",
+ "files.openTimeline": "開啟時間軸"
+ },
+ "vs/workbench/contrib/timeline/browser/timelinePane": {
+ "timeline.loadingMore": "正在載入...",
+ "timeline.loadMore": "載入更多",
+ "timeline": "時間表",
+ "timeline.editorCannotProvideTimeline": "正在使用的編輯器無法提供時間軸資訊。",
+ "timeline.noTimelineInfo": "未提供時間軸資訊。",
+ "timeline.aria.item": "{0}: {1}",
+ "timeline.loading": "正在載入 {0} 的時間軸...",
+ "timelineRefresh": "重新整理時間軸動作的圖示。",
+ "timelinePin": "釘選時間軸動作的圖示。",
+ "timelineUnpin": "取消釘選時間軸動作的圖示。",
+ "refresh": "重新整理",
+ "timeline.toggleFollowActiveEditorCommand.follow": "釘選目前的時間軸",
+ "timeline.toggleFollowActiveEditorCommand.unfollow": "將目前的時間軸取消釘選",
+ "timeline.filterSource": "包括: {0}"
+ },
+ "vs/workbench/contrib/update/browser/update.contribution": {
+ "miReleaseNotes": "版本資訊(&&R)"
+ },
+ "vs/workbench/contrib/update/browser/update": {
+ "releaseNotes": "版本資訊",
+ "update.noReleaseNotesOnline": "此版本的 {0} 沒有線上版本資訊",
+ "showReleaseNotes": "顯示版本資訊",
+ "read the release notes": "歡迎使用 {0} v{1}! 您要閱讀版本資訊嗎?",
+ "licenseChanged": "我們的授權條款已變更,請按一下[這裡]({0})查看變更項目。",
+ "updateIsReady": "新的 {0} 更新已可用。",
+ "checkingForUpdates": "正在查看是否有更新...",
+ "update service": "更新服務",
+ "noUpdatesAvailable": "目前沒有任何可用的更新。",
+ "ok": "確定",
+ "thereIsUpdateAvailable": "已有更新可用。",
+ "download update": "下載更新",
+ "later": "稍後",
+ "updateAvailable": "已有可用的更新:{0} {1}",
+ "installUpdate": "安裝更新",
+ "updateInstalling": "{0} {1} 正在背景安裝,我們會在安裝完成時通知您。",
+ "updateNow": "立即更新",
+ "updateAvailableAfterRestart": "重啟 {0} 以套用最新的更新。",
+ "checkForUpdates": "查看是否有更新",
+ "download update_1": "下載更新 (1)",
+ "DownloadingUpdate": "正在下載更新...",
+ "installUpdate...": "安裝更新... (1)",
+ "installingUpdate": "正在安裝更新...",
+ "good luck": "'Restart to Update' is not working properly on macOS Big Sur. Click 'Quit to Update' to quit {0} and update it. Then, relaunch it from Finder.",
+ "quit": "Quit to Update",
+ "learn more": "Learn More",
+ "cancel": "Cancel",
+ "restartToUpdate": "重新啟動以更新 (1)",
+ "relaunchMessage": "版本變更需要重新載入才會生效",
+ "relaunchDetailInsiders": "請按下 [重新載入] 按鈕,切換至 VSCode 的每夜生產階段前版本。",
+ "relaunchDetailStable": "請按下 [重新載入] 按鈕,切換 VSCode 每月發行的穩定版本。",
+ "reload": "&&重新載入",
+ "switchToInsiders": "切換至測試人員版本...",
+ "switchToStable": "切換至穩定版本..."
+ },
+ "vs/workbench/contrib/update/browser/releaseNotesEditor": {
+ "releaseNotesInputName": "版本資訊: {0}",
+ "unassigned": "未指派"
+ },
+ "vs/workbench/contrib/url/browser/url.contribution": {
+ "openUrl": "開啟 URL",
+ "urlToOpen": "要開啟的 URL"
+ },
+ "vs/workbench/contrib/url/browser/trustedDomains": {
+ "trustedDomain.manageTrustedDomain": "管理受信任的網域",
+ "trustedDomain.trustDomain": "信任 {0}",
+ "trustedDomain.trustAllPorts": "信任所有連接埠上的 {0}",
+ "trustedDomain.trustSubDomain": "信任 {0} 及其所有子網域",
+ "trustedDomain.trustAllDomains": "信任所有網域 (停用連結保護)",
+ "trustedDomain.manageTrustedDomains": "管理受信任的網域",
+ "configuringURL": "正在為下列項目設定信任: {0}"
+ },
+ "vs/workbench/contrib/url/browser/trustedDomainsValidator": {
+ "openExternalLinkAt": "是否要 {0} 打開外部網站?",
+ "open": "開啟",
+ "copy": "複製",
+ "cancel": "取消",
+ "configureTrustedDomains": "設定受信任的網域"
+ },
+ "vs/workbench/contrib/userDataSync/electron-browser/userDataSync.contribution": {
+ "operationId": "作業識別碼: {0}",
+ "too many requests": "因為目前裝置發出太多要求,所以設定同步已停用。請提供同步記錄以回報問題。",
+ "settings sync": "設定同步。作業識別碼: {0}",
+ "show sync logs": "顯示記錄",
+ "report issue": "回報問題",
+ "Open Backup folder": "開啟本機備份資料夾",
+ "no backups": "本機備份資料夾不存在"
+ },
+ "vs/workbench/contrib/userDataSync/browser/userDataSync.contribution": {
+ "operationId": "作業識別碼: {0}",
+ "too many requests": "因為此裝置發出太多要求,所以已關閉同步設定。"
+ },
+ "vs/workbench/contrib/userDataSync/browser/userDataSync": {
+ "turn on sync with category": "{0}: 開啟...",
+ "stop sync": "{0}: 關閉",
+ "configure sync": "{0}: 設定...",
+ "showConflicts": "{0}: 顯示設定衝突",
+ "showKeybindingsConflicts": "{0}: 顯示按鍵繫結關係衝突",
+ "showSnippetsConflicts": "{0}: 顯示使用者程式碼片段衝突",
+ "sync now": "{0}: 立即同步",
+ "syncing": "正在同步",
+ "synced with time": "已同步 {0}",
+ "sync settings": "{0}: 顯示設定",
+ "show synced data": "{0}: 顯示已同步的資料",
+ "conflicts detected": "因為 {0} 有衝突而無法同步。請先解決後再繼續。",
+ "accept remote": "接受遠端",
+ "accept local": "接受本機",
+ "show conflicts": "顯示衝突",
+ "accept failed": "接受變更時發生錯誤。如需詳細資料,請查看[記錄]({0})。",
+ "session expired": "因為目前的工作階段已過期,所以已關閉設定同步,請重新登入以開啟同步。",
+ "turn on sync": "開啟設定同步...",
+ "turned off": "已從另一個裝置關閉設定同步,請重新登入以開啟同步。",
+ "too large": "因為要同步的 {1} 檔案大小大於 {2},所以已停用同步 {0}。請開啟檔案並減少大小再啟用同步",
+ "error upgrade required": "因為目前的版本 ({0},{1}) 與同步服務不相容,所以已停用設定同步。請先更新,再開啟同步。",
+ "operationId": "作業識別碼: {0}",
+ "error reset required": "因為雲端中的資料比用戶端資料舊,所以已停用設定同步。開啟同步之前,請先清除雲端中的資料。",
+ "reset": "清除雲端中的資料...",
+ "show synced data action": "顯示已同步的資料",
+ "switched to insiders": "設定同步現在使用不同的服務,如需詳細資訊,請參閱[版本資訊](https://code.visualstudio.com/updates/v1_48#_settings-sync)。",
+ "open file": "開啟 {0} 檔案",
+ "errorInvalidConfiguration": "因為檔案中的內容無效,所以無法同步 {0}。請開啟檔案並加以修正。",
+ "has conflicts": "{0}: 偵測到衝突",
+ "turning on syncing": "正在開啟設定同步...",
+ "sign in to sync": "登入以同步設定",
+ "no authentication providers": "沒有任何可用的驗證提供者。",
+ "too large while starting sync": "因為要同步的 {0} 檔案大小大於 {1},所以無法開啟設定同步。請開啟檔案並縮減大小,再開啟同步",
+ "error upgrade required while starting sync": "因為目前的版本 ({0},{1}) 與同步服務不相容,所以無法開啟設定同步。請先更新,再開啟同步。",
+ "error reset required while starting sync": "因為雲端中的資料比用戶端資料舊,所以無法開啟設定同步。開啟同步之前,請先清除雲端中的資料。",
+ "auth failed": "開啟 [設定同步] 時發生錯誤: 驗證失敗。",
+ "turn on failed": "開啟 [設定同步] 時發生錯誤。如需詳細資料,請查看[記錄]({0})。",
+ "sync preview message": "同步處理設定是預覽功能,請先閱讀文件再開啟。",
+ "turn on": "開啟",
+ "open doc": "開啟文件",
+ "cancel": "取消",
+ "sign in and turn on": "登入並開啟",
+ "configure and turn on sync detail": "請登入以跨裝置同步您的資料。",
+ "per platform": "用於每個平台",
+ "configure sync placeholder": "選擇要同步的內容",
+ "turn off sync confirmation": "是否要關閉同步?",
+ "turn off sync detail": "將不再同步您的設定、按鍵繫結關係、延伸模組、程式碼片段與 UI 狀態。",
+ "turn off": "關閉(&&T)",
+ "turn off sync everywhere": "關閉所有裝置上的同步,並從雲端清除資料。",
+ "leftResourceName": "{0} (遠端)",
+ "merges": "{0} (合併)",
+ "sideBySideLabels": "{0} ↔ {1}",
+ "sideBySideDescription": "設定同步",
+ "switchSyncService.title": "{0}: 選取服務",
+ "switchSyncService.description": "請確認您在與多個環境同步時,使用了相同的設定同步服務",
+ "default": "預設",
+ "insiders": "測試人員",
+ "stable": "穩定",
+ "global activity turn on sync": "開啟設定同步...",
+ "turnin on sync": "正在開啟設定同步...",
+ "sign in global": "登入以同步設定",
+ "sign in accounts": "登入以同步設定 (1)",
+ "resolveConflicts_global": "{0}: 顯示設定衝突 (1)",
+ "resolveKeybindingsConflicts_global": "{0}: 顯示按鍵繫結關係衝突 (1)",
+ "resolveSnippetsConflicts_global": "{0}: 顯示使用者程式碼片段衝突 ({1})",
+ "sync is on": "設定同步已開啟",
+ "workbench.action.showSyncRemoteBackup": "顯示同步的資料",
+ "turn off failed": "關閉設定同步時發生錯誤。如需詳細資料,請查看[記錄]({0})。",
+ "show sync log title": "{0}: 顯示記錄",
+ "accept merges": "接受合併",
+ "accept remote button": "接受遠端(&&R)",
+ "accept merges button": "接受合併(&&M)",
+ "Sync accept remote": "{0}: {1}",
+ "Sync accept merges": "{0}: {1}",
+ "confirm replace and overwrite local": "要接受遠端 {0} 並取代本機 {1} 嗎?",
+ "confirm replace and overwrite remote": "要接受合併並取代遠端 {0} 嗎?",
+ "update conflicts": "因為有新的本機版本可用,所以無法解決衝突。請再試一次。"
+ },
+ "vs/workbench/contrib/userDataSync/browser/userDataSyncViews": {
+ "showLog": "顯示記錄",
+ "configure": "設定...",
+ "workbench.actions.syncData.reset": "清除雲端中的資料...",
+ "merges": "合併",
+ "synced machines": "已同步的電腦",
+ "workbench.actions.sync.editMachineName": "編輯名稱",
+ "workbench.actions.sync.turnOffSyncOnMachine": "關閉設定同步",
+ "remote sync activity title": "同步活動 (遠端)",
+ "local sync activity title": "同步活動 (本機)",
+ "workbench.actions.sync.resolveResourceRef": "顯示原始 JSON 同步資料",
+ "workbench.actions.sync.replaceCurrent": "還原",
+ "confirm replace": "要以選取項目取代目前的 {0} 嗎?",
+ "workbench.actions.sync.compareWithLocal": "開啟變更",
+ "leftResourceName": "{0} (遠端)",
+ "rightResourceName": "{0} (本機)",
+ "sideBySideLabels": "{0} ↔ {1}",
+ "sideBySideDescription": "設定同步",
+ "reset": "重設已同步的資料",
+ "current": "目前",
+ "no machines": "沒有任何電腦",
+ "not found": "找不到識別碼為 {0} 的電腦",
+ "turn off sync on machine": "確定要在 {0} 上關閉同步嗎?",
+ "turn off": "關閉(&&T)",
+ "placeholder": "輸入電腦的名稱",
+ "valid message": "電腦名稱應該是唯一的且不得為空白"
+ },
+ "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": "捨棄",
+ "workbench.actions.sync.showChanges": "開啟變更",
+ "conflicts detected": "偵測到衝突",
+ "resolve": "因為有衝突而無法同步。請予以解決後再繼續。",
+ "turning on": "正在開啟...",
+ "preview": "{0} (預覽)",
+ "leftResourceName": "{0} (遠端)",
+ "merges": "{0} (合併)",
+ "rightResourceName": "{0} (本機)",
+ "sideBySideLabels": "{0} ↔ {1}",
+ "sideBySideDescription": "設定同步",
+ "label": "UserDataSyncResources",
+ "conflict": "偵測到衝突",
+ "accepted": "已接受",
+ "accept remote": "接受遠端",
+ "accept local": "接受本機",
+ "accept merges": "接受合併"
+ },
+ "vs/workbench/contrib/views/browser/treeView": {
+ "no-dataprovider": "沒有任何已註冊的資料提供者可提供檢視資料。",
+ "refresh": "重新整理",
+ "collapseAll": "全部摺疊",
+ "command-error": "執行命令 {1} 時發生錯誤: {0}。這可能是貢獻 {1} 的延伸模組所引起。"
+ },
+ "vs/workbench/contrib/watermark/browser/watermark": {
+ "watermark.showCommands": "顯示所有命令",
+ "watermark.quickAccess": "前往檔案",
+ "watermark.openFile": "開啟檔案",
+ "watermark.openFolder": "開啟資料夾",
+ "watermark.openFileFolder": "開啟檔案或資料夾",
+ "watermark.openRecent": "開啟最近使用的檔案",
+ "watermark.newUntitledFile": "新增無標題檔案",
+ "watermark.toggleTerminal": "切換終端機",
+ "watermark.findInFiles": "在檔案中尋找",
+ "watermark.startDebugging": "開始偵錯",
+ "tips.enabled": "如有啟用,將會在編輯器未開啟時以浮水印方式顯示提示。"
+ },
+ "vs/workbench/contrib/webview/electron-browser/webviewCommands": {
+ "openToolsLabel": "開啟 Webview Developer 工具"
+ },
+ "vs/workbench/contrib/webview/browser/baseWebviewElement": {
+ "fatalErrorMessage": "載入 Web 檢視時發生錯誤: {0}"
+ },
+ "vs/workbench/contrib/webviewPanel/browser/webviewPanel.contribution": {
+ "webview.editor.label": "Web 檢視編輯器"
+ },
+ "vs/workbench/contrib/webviewPanel/browser/webviewCommands": {
+ "editor.action.webvieweditor.showFind": "顯示尋找",
+ "editor.action.webvieweditor.hideFind": "停止尋找",
+ "editor.action.webvieweditor.findNext": "尋找下一個",
+ "editor.action.webvieweditor.findPrevious": "尋找上一個",
+ "refreshWebviewLabel": "重新載入 Web 檢視"
+ },
+ "vs/workbench/contrib/welcome/overlay/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/welcome/page/browser/welcomePage.contribution": {
+ "workbench.startupEditor.none": "不使用編輯器開始。",
+ "workbench.startupEditor.welcomePage": "開啟歡迎頁面 (預設)。",
+ "workbench.startupEditor.readme": "當開啟包含 README 的資料夾時,開啟 README,否則回復至 'welcomePage'。",
+ "workbench.startupEditor.newUntitledFile": "開啟一個新的無標題檔案(僅在開啟空白工作區時適用)。",
+ "workbench.startupEditor.welcomePageInEmptyWorkbench": "在開啟空的工作台時開啟歡迎頁面。",
+ "workbench.startupEditor.gettingStarted": "開啟 [使用者入門] 頁面 (實驗性)。",
+ "workbench.startupEditor": "控制在啟動時顯示哪個編輯器,若沒有,則從上個工作階段還原。",
+ "miWelcome": "歡迎使用(&&W)"
+ },
+ "vs/workbench/contrib/welcome/gettingStarted/browser/gettingStarted.contribution": {
+ "Getting Started": "使用者入門",
+ "help": "說明",
+ "gettingStartedDescription": "可透過 [說明] 功能表啟用實驗性的 [使用者入門] 頁面。"
+ },
+ "vs/workbench/contrib/welcome/walkThrough/browser/walkThrough.contribution": {
+ "walkThrough.editor.label": "互動式遊樂場",
+ "miInteractivePlayground": "互動式遊樂場(&&N)"
+ },
+ "vs/workbench/contrib/welcome/page/browser/welcomePage": {
+ "welcomePage": "歡迎使用",
+ "welcomePage.javaScript": "JavaScript",
+ "welcomePage.python": "Python",
+ "welcomePage.java": "Java",
+ "welcomePage.php": "PHP",
+ "welcomePage.azure": "Azure",
+ "welcomePage.showAzureExtensions": "顯示 Azure 延伸模組",
+ "welcomePage.docker": "Docker",
+ "welcomePage.vim": "Vim",
+ "welcomePage.sublime": "壯麗",
+ "welcomePage.atom": "Atom",
+ "welcomePage.extensionPackAlreadyInstalled": "支援功能{0}已被安裝。",
+ "welcomePage.willReloadAfterInstallingExtensionPack": "{0} 的其他支援安裝完成後,將會重新載入此視窗。",
+ "welcomePage.installingExtensionPack": "正在安裝 {0} 的其他支援...",
+ "welcomePage.extensionPackNotFound": "找不到ID為{1}的{0}支援功能.",
+ "welcomePage.keymapAlreadyInstalled": "已安裝 {0} 鍵盤快速鍵。",
+ "welcomePage.willReloadAfterInstallingKeymap": "{0} 鍵盤快速鍵安裝完成後,將會重新載入此視窗。",
+ "welcomePage.installingKeymap": "正在安裝 {0} 鍵盤快速鍵...",
+ "welcomePage.keymapNotFound": "找不到識別碼為 {1} 的 {0} 鍵盤快速鍵。",
+ "welcome.title": "歡迎使用",
+ "welcomePage.openFolderWithPath": "透過路徑 {1} 開啟資料夾 {0}",
+ "welcomePage.extensionListSeparator": ",",
+ "welcomePage.installKeymap": "安裝 {0} 按鍵對應",
+ "welcomePage.installExtensionPack": "安裝 {0} 的其他支援",
+ "welcomePage.installedKeymap": "已安裝 {0} 按鍵對應",
+ "welcomePage.installedExtensionPack": "已安裝 {0} 支援",
+ "ok": "確定",
+ "details": "詳細資料"
+ },
+ "vs/workbench/contrib/welcome/gettingStarted/browser/gettingStarted": {
+ "editorGettingStarted.title": "使用者入門",
+ "next": "下一頁"
+ },
+ "vs/workbench/contrib/welcome/walkThrough/browser/walkThroughPart": {
+ "walkThrough.unboundCommand": "未繫結",
+ "walkThrough.gitNotFound": "您的系統上似乎未安裝 Git。",
+ "walkThrough.embeddedEditorBackground": "編輯器互動區塊的背景色彩."
+ },
+ "vs/workbench/contrib/welcome/walkThrough/browser/editor/editorWalkThrough": {
+ "editorWalkThrough.title": "互動式遊樂場",
+ "editorWalkThrough": "互動式遊樂場"
+ },
+ "vs/workbench/contrib/welcome/common/viewsWelcomeContribution": {
+ "ViewsWelcomeExtensionPoint.proposedAPI": "'{0}' 中的 viewsWelcome 貢獻需要啟用 'enableProposedApi'。"
+ },
+ "vs/workbench/contrib/welcome/common/viewsWelcomeExtensionPoint": {
+ "contributes.viewsWelcome": "已貢獻檢視歡迎內容。每當沒有具意義的內容可顯示時,就會轉譯樹狀結構檢視中的歡迎內容 (也就是說,未開啟任何資料夾時為檔案總管)。這類內容作為產品內文件相當實用,可先在使用者能夠使用特定功能前先提供介紹。檔案總管歡迎檢視中的 [複製存放庫] 按鈕就是個好範例。",
+ "contributes.viewsWelcome.view": "已為特定檢視貢獻歡迎內容。",
+ "contributes.viewsWelcome.view.view": "此歡迎內容的目標檢視識別碼。只支援樹狀結構的檢視。",
+ "contributes.viewsWelcome.view.contents": "要顯示的歡迎內容。內容的格式為 Markdown 的子集,僅支援連結。",
+ "contributes.viewsWelcome.view.when": "顯示歡迎內容的條件。",
+ "contributes.viewsWelcome.view.group": "此歡迎內容所屬的群組。",
+ "contributes.viewsWelcome.view.enablement": "應啟用歡迎內容按鈕的條件。"
+ },
+ "vs/workbench/contrib/welcome/telemetryOptOut/browser/telemetryOptOut": {
+ "telemetryOptOut.optOutNotice": "允許 Microsoft 收集使用率資料來協助改進 VS Code。閱讀我們的 [隱私權聲明] ({0}) 以及學習如何 [選擇退出] ({1})。",
+ "telemetryOptOut.optInNotice": "允許 Microsoft 收集使用率資料來協助改進 VS Code。閱讀我們的 [隱私權聲明] ({0}) 以及學習如何 [選擇參加] ({1})。",
+ "telemetryOptOut.readMore": "閱讀其他資訊",
+ "telemetryOptOut.optOutOption": "請允許收集使用方式資料以協助 Microsoft 改進 Visual Studio Code。如需詳細資料,請參閱我們的 [隱私權聲明]({0})。",
+ "telemetryOptOut.OptIn": "是,我很樂意幫忙",
+ "telemetryOptOut.OptOut": "不了,謝謝"
+ },
+ "vs/workbench/contrib/welcome/page/browser/welcomePageColors": {
+ "welcomePage.buttonBackground": "起始頁面按鈕的背景色彩.",
+ "welcomePage.buttonHoverBackground": "起始頁面暫留於按鈕的背景色彩",
+ "welcomePage.background": "歡迎頁面的背景色彩。"
+ },
+ "vs/workbench/contrib/welcome/page/browser/vs_code_welcome_page": {
+ "welcomePage.vscode": "Visual Studio Code",
+ "welcomePage.editingEvolved": "編輯進化了",
+ "welcomePage.start": "開始",
+ "welcomePage.newFile": "新增檔案",
+ "welcomePage.openFolder": "開啟資料夾...",
+ "welcomePage.gitClone": "複製存放庫...",
+ "welcomePage.recent": "最近使用",
+ "welcomePage.moreRecent": "更多...",
+ "welcomePage.noRecentFolders": "沒有最近使用的資料夾",
+ "welcomePage.help": "說明",
+ "welcomePage.keybindingsCheatsheet": "閱覽鍵盤快速鍵",
+ "welcomePage.introductoryVideos": "簡介影片",
+ "welcomePage.tipsAndTricks": "秘訣與提示",
+ "welcomePage.productDocumentation": "產品文件",
+ "welcomePage.gitHubRepository": "GitHub 存放庫",
+ "welcomePage.stackOverflow": "Stack Overflow",
+ "welcomePage.newsletterSignup": "加入我們的電子報",
+ "welcomePage.showOnStartup": "啟動時顯示歡迎頁面",
+ "welcomePage.customize": "自訂",
+ "welcomePage.installExtensionPacks": "工具與語言",
+ "welcomePage.installExtensionPacksDescription": "安裝{0}與{1}的支援功能。",
+ "welcomePage.showLanguageExtensions": "顯示更多語言延伸模組",
+ "welcomePage.moreExtensions": "更多",
+ "welcomePage.installKeymapDescription": "設定及按鍵對應",
+ "welcomePage.installKeymapExtension": "安裝 {0} 和 {1} 的設定及鍵盤快速鍵",
+ "welcomePage.showKeymapExtensions": "顯示其他鍵盤對應延伸模組",
+ "welcomePage.others": "其他",
+ "welcomePage.colorTheme": "色彩佈景主題",
+ "welcomePage.colorThemeDescription": "將編輯器和您的程式碼設定成您喜愛的外觀",
+ "welcomePage.learn": "深入了解",
+ "welcomePage.showCommands": "尋找及執行所有命令",
+ "welcomePage.showCommandsDescription": "從命令選擇區快速存取及搜尋命令 ({0})",
+ "welcomePage.interfaceOverview": "介面概觀",
+ "welcomePage.interfaceOverviewDescription": "使用視覺覆疊效果強調顯示 UI 的主要元件",
+ "welcomePage.interactivePlayground": "互動式遊樂場",
+ "welcomePage.interactivePlaygroundDescription": "透過簡短的逐步解說試用基本編輯器功能"
+ },
+ "vs/workbench/contrib/welcome/gettingStarted/browser/vs_code_editor_getting_started": {
+ "gettingStarted.vscode": "Visual Studio Code",
+ "gettingStarted.editingRedefined": "程式碼編輯。已重新定義"
+ },
+ "vs/workbench/contrib/workspaces/browser/workspaces.contribution": {
+ "workspaceFound": "此資料夾包含工作區檔案 '{0}'。要開啟它嗎? [深入了解]({1}) 工作區檔案。",
+ "openWorkspace": "開啟工作區",
+ "workspacesFound": "此資料夾包含多個工作區檔案。您要開啟一個嗎? [深入了解]({0}) 有關工作區檔案。",
+ "selectWorkspace": "選取工作區",
+ "selectToOpen": "選取要開啟的工作區"
+ },
+ "vs/workbench/services/authentication/browser/authenticationService": {
+ "authentication.id": "驗證提供者的識別碼。",
+ "authentication.label": "驗證提供者的人類可讀名稱。",
+ "authenticationExtensionPoint": "新增驗證",
+ "loading": "正在載入...",
+ "authentication.missingId": "驗證貢獻必須指定識別碼。",
+ "authentication.missingLabel": "驗證貢獻必須指定標籤。",
+ "authentication.idConflict": "此驗證識別碼 '{0}' 已註冊",
+ "noAccounts": "您未登入任何帳戶",
+ "sign in": "需要登入",
+ "signInRequest": "登入以使用 {0} (1)"
+ },
+ "vs/workbench/services/bulkEdit/browser/bulkEditService": {
+ "summary.0": "未進行任何編輯",
+ "summary.nm": "在 {1} 個檔案中進行了 {0} 項文字編輯",
+ "summary.n0": "在一個檔案中進行了 {0} 項文字編輯",
+ "workspaceEdit": "工作區編輯",
+ "nothing": "未進行任何編輯"
+ },
+ "vs/workbench/services/configuration/common/jsonEditingService": {
+ "errorInvalidFile": "無法寫入檔案.請開啟檔案並修正錯誤/警告後再試一次.",
+ "errorFileDirty": "無法寫入檔案,因為檔案已變更.請儲存檔案後再試一次"
+ },
+ "vs/workbench/services/configuration/common/configurationEditingService": {
+ "openTasksConfiguration": "開啟工作組態",
+ "openLaunchConfiguration": "開啟啟動組態",
+ "open": "開啟設定",
+ "saveAndRetry": "儲存並重試",
+ "errorUnknownKey": "因為 {1} 非已註冊的組態,所以無法寫入至 {0}。",
+ "errorInvalidWorkspaceConfigurationApplication": "無法寫入 {0} 至工作區設定。此設定只能寫入使用者設定中。",
+ "errorInvalidWorkspaceConfigurationMachine": "無法寫入 {0} 至工作區設定。此設定只能寫入使用者設定中。",
+ "errorInvalidFolderConfiguration": "因為 {0} 不支援資料夾資源範圍,所以無法寫入至資料夾設定。",
+ "errorInvalidUserTarget": "因為 {0} 不支援全域範圍,所以無法寫入至使用者設定。",
+ "errorInvalidWorkspaceTarget": "因為 {0} 不支援多資料夾工作區中使用工作區範圍,所以無法寫入工作區設定。",
+ "errorInvalidFolderTarget": "因為未提供資源,所以無法寫入至資料夾設定。",
+ "errorInvalidResourceLanguageConfiguraiton": "因為 {0} 不是資源語言設定,所以無法寫入語言設定。",
+ "errorNoWorkspaceOpened": "因為未開啟工作區,所以無法寫入至 {0}。請先開啟工作區,再試一次。",
+ "errorInvalidTaskConfiguration": "無法寫入工作組態檔。請開啟它以更正其中的錯誤/警告,然後再試一次。 ",
+ "errorInvalidLaunchConfiguration": "無法寫入啟動組態檔。請開啟它以更正其中的錯誤/警告,然後再試一次。 ",
+ "errorInvalidConfiguration": "無法寫入使用者設定。請開啟它以更正其中的錯誤/警告,然後再試一次。 ",
+ "errorInvalidRemoteConfiguration": "無法寫入遠端使用者設定。請開啟遠端使用者設定,以更正當中的錯誤/警告,並再試一次。",
+ "errorInvalidConfigurationWorkspace": "無法寫入工作區設定。請開啟工作區設定檔案以修正其中的錯誤/警告,然後重試一次。",
+ "errorInvalidConfigurationFolder": "無法寫入資料夾設定。請開啟 '{0}' 資料夾設定以修正其中的錯誤/警告,然後重試一次。",
+ "errorTasksConfigurationFileDirty": "因為檔案已變更,無法寫入工作組態檔。請先儲存,然後再試一次。",
+ "errorLaunchConfigurationFileDirty": "因為檔案已變更,無法寫入啟動組態檔。請先儲存,然後再試一次。",
+ "errorConfigurationFileDirty": "因為檔案已變更,所以無法寫入使用者設定。請儲存使用者設定檔案,然後再試一次。",
+ "errorRemoteConfigurationFileDirty": "因為檔案已變更,所以無法寫入遠端使用者設定。請先儲存遠端使用者設定檔案,再重試一次。",
+ "errorConfigurationFileDirtyWorkspace": "因為檔案已變更,所以無法寫入工作區設定。請儲存工作區設定檔案,然後再試一次。",
+ "errorConfigurationFileDirtyFolder": "因為檔案已變更,所以無法寫入資料夾設定。請儲存 '{0}' 資料夾設定檔案,然後再試一次。",
+ "errorTasksConfigurationFileModifiedSince": "因為檔案內容較新,所以無法寫入工作組態檔。",
+ "errorLaunchConfigurationFileModifiedSince": "因為檔案內容較新,所以無法寫入啟動組態檔。",
+ "errorConfigurationFileModifiedSince": "因為檔案內容較新,所以無法寫入使用者設定。",
+ "errorRemoteConfigurationFileModifiedSince": "因為檔案內容較新,所以無法寫入遠端使用者設定。",
+ "errorConfigurationFileModifiedSinceWorkspace": "因為檔案內容較新,所以無法寫入工作區設定。",
+ "errorConfigurationFileModifiedSinceFolder": "因為檔案內容較新,所以無法寫入資料夾設定。",
+ "userTarget": "使用者設定",
+ "remoteUserTarget": "遠端使用者設定",
+ "workspaceTarget": "工作區設定",
+ "folderTarget": "資料夾設定"
+ },
+ "vs/workbench/services/configurationResolver/browser/configurationResolverService": {
+ "commandVariable.noStringType": "因為命令未傳回類型字串的結果,所以無法替代命令變數 ‘{0}’。",
+ "inputVariable.noInputSection": "必須在偵錯或工作組態的 '{1}' 部分中定義變數 '{0}'。",
+ "inputVariable.missingAttribute": "輸入變數 ‘{0}’ 的類型為 ‘{1}’,而且該變數必須包括 ‘{2}’。",
+ "inputVariable.defaultInputValue": "(預設)",
+ "inputVariable.command.noStringType": "因為命令 ‘{1}’ 未傳回類型字串的結果,所以無法替代輸入變數 ‘{0}’。",
+ "inputVariable.unknownType": "輸入變數 ‘{0}’ 的類型只可為 'promptString'、'pickString' 或 'command’。",
+ "inputVariable.undefinedVariable": "遇到未定義的輸入變數 ‘{0}’。請移除或定義 ‘{0}’ 以繼續。"
+ },
+ "vs/workbench/services/configurationResolver/common/variableResolver": {
+ "canNotResolveFile": "無法解析變數 {0}。請開啟編輯器。",
+ "canNotResolveFolderForFile": "變數 {0}: 找不到 '{1}' 的工作區資料夾。",
+ "canNotFindFolder": "無法解析變數 {0}。沒有該資料夾 '{1}'。",
+ "canNotResolveWorkspaceFolderMultiRoot": "無法在多個資料夾工作區內解析變數 {0}。請使用 ':' 和工作區資料夾名稱定義此變數的範圍。",
+ "canNotResolveWorkspaceFolder": "無法解析變數 {0}。請開啟資料夾。",
+ "missingEnvVarName": "因為未指定任何環境變數名稱,所以無法解析變數 {0}。",
+ "configNotFound": "因為找不到設定 '{1}',所以無法解析變數 {0}。",
+ "configNoString": "因為 '{1}' 是結構化的值,所以無法解析變數 {0}。",
+ "missingConfigName": "因為未指定任何設定名稱,所以無法解析變數 {0}。",
+ "canNotResolveLineNumber": "無法解析變數 {0}。請確認已在使用中的編輯器內選取了行。",
+ "canNotResolveSelectedText": "無法解析變數 {0}。請確認已在使用中的編輯器內選取了一些文字。",
+ "noValueForCommand": "因為命令沒有任何值,所以無法解析變數 {0}。"
+ },
+ "vs/workbench/services/configurationResolver/common/configurationResolverUtils": {
+ "deprecatedVariables": "'env.'、'config.' 及 'command.' 已標示為即將淘汰,請改用 'env:'、'config:' 及 'command:'。"
+ },
+ "vs/workbench/services/configurationResolver/common/configurationResolverSchema": {
+ "JsonSchema.input.id": "輸入的識別碼用於將輸入與表單的變數 ${input:id} 建立關聯。",
+ "JsonSchema.input.type": "要使用的使用者輸入提示類型。",
+ "JsonSchema.input.description": "當使用者收到輸入提示時,會顯示描述。",
+ "JsonSchema.input.default": "輸入的預設值。",
+ "JsonSchema.inputs": "使用者輸入。用於定義使用者輸入提示,例如可用字串輸入或多個選項的選擇。",
+ "JsonSchema.input.type.promptString": "'promptString' 類型會開啟輸入方塊,要求使用者輸入。",
+ "JsonSchema.input.password": "控制是否要顯示密碼輸入。密碼輸入會隱藏鍵入的文字。",
+ "JsonSchema.input.type.pickString": "'pickString' 類型會顯示選取項目清單。",
+ "JsonSchema.input.options": "定義選項以供快速挑選的字串陣列。",
+ "JsonSchema.input.pickString.optionLabel": "選項的標籤。",
+ "JsonSchema.input.pickString.optionValue": "選項的值。",
+ "JsonSchema.input.type.command": "'command' 類型會執行命令。",
+ "JsonSchema.input.command.command": "要針對此輸入變數執行的命令。",
+ "JsonSchema.input.command.args": "傳遞至命令的選用引數。"
+ },
+ "vs/workbench/services/decorations/browser/decorationsService": {
+ "bubbleTitle": "包含強調項目"
+ },
+ "vs/workbench/services/dialogs/browser/abstractFileDialogService": {
+ "saveChangesDetail": "若未儲存,變更將會遺失。",
+ "saveChangesMessage": "要儲存對 {0} 所做的變更嗎?",
+ "saveChangesMessages": "要儲存對下列 {0} 個檔案所做的變更嗎?",
+ "saveAll": "全部儲存(&&S)",
+ "save": "儲存(&&S)",
+ "dontSave": "不要儲存(&&N)",
+ "cancel": "取消",
+ "openFileOrFolder.title": "開啟檔案或資料夾",
+ "openFile.title": "開啟檔案",
+ "openFolder.title": "開啟資料夾",
+ "openWorkspace.title": "開啟工作區",
+ "filterName.workspace": "工作區",
+ "saveFileAs.title": "另存新檔",
+ "saveAsTitle": "另存新檔",
+ "allFiles": "所有檔案",
+ "noExt": "無擴充功能"
+ },
+ "vs/workbench/services/dialogs/browser/simpleFileDialog": {
+ "openLocalFile": "開啟本機檔案...",
+ "saveLocalFile": "儲存本機檔案...",
+ "openLocalFolder": "開啟本機資料夾…",
+ "openLocalFileFolder": "開啟本機...",
+ "remoteFileDialog.notConnectedToRemote": "{0} 的檔案系統提供者無法使用。",
+ "remoteFileDialog.local": "顯示本機",
+ "remoteFileDialog.badPath": "路徑不存在。",
+ "remoteFileDialog.cancel": "取消",
+ "remoteFileDialog.invalidPath": "請輸入有效的路徑。",
+ "remoteFileDialog.validateFolder": "資料夾已存在。請使用新的檔名。",
+ "remoteFileDialog.validateExisting": "{0} 已經存在。您確定要覆寫嗎?",
+ "remoteFileDialog.validateBadFilename": "請輸入有效的檔案名稱。",
+ "remoteFileDialog.validateNonexistentDir": "請輸入存在的路徑。",
+ "remoteFileDialog.windowsDriveLetter": "路徑開頭請使用磁碟機代號。",
+ "remoteFileDialog.validateFileOnly": "請選取檔案。",
+ "remoteFileDialog.validateFolderOnly": "請選取資料夾。"
+ },
+ "vs/workbench/services/editor/browser/editorService": {
+ "editorAssociations.viewType.sourceDescription": "來源: {0}"
+ },
+ "vs/workbench/services/editor/common/editorOpenWith": {
+ "promptOpenWith.currentlyActive": "目前使用中",
+ "promptOpenWith.setDefaultTooltip": "設定為 '{0}' 檔案的預設編輯器",
+ "promptOpenWith.placeHolder": "選取 '{0}' 的編輯器",
+ "builtinProviderDisplayName": "內建",
+ "promptOpenWith.defaultEditor.displayName": "文字編輯器",
+ "editor.editorAssociations": "設定要用於特定檔案類型的編輯器。",
+ "editor.editorAssociations.viewType": "要使用的編輯器唯一識別碼",
+ "editor.editorAssociations.filenamePattern": "指定要為哪些檔案使用編輯器的 Glob 模式。"
+ },
+ "vs/workbench/services/extensionManagement/electron-browser/extensionManagementServerService": {
+ "local": "LOCAL",
+ "remote": "遠端"
+ },
+ "vs/workbench/services/extensionManagement/electron-sandbox/remoteExtensionManagementService": {
+ "incompatible": "因為延伸模組為 ‘{1}’ 的延伸模組 ‘{0}’ 與 VS Code 不相容,所以無法安裝。"
+ },
+ "vs/workbench/services/extensionManagement/common/webExtensionsScannerService": {
+ "cannot be installed": "因為此延伸模組不是 Web 延伸模組,所以無法安裝 '{0}'。"
+ },
+ "vs/workbench/services/extensionManagement/browser/extensionEnablementService": {
+ "extensionsDisabled": "已暫時停用所有已安裝的延伸模組。",
+ "Reload": "重新載入並啟用延伸模組",
+ "cannot disable language pack extension": "因為 {0} 延伸模組提供語言套件,所以無法變更啟用狀態。",
+ "cannot disable auth extension": "因為 [設定同步] 相依於 {0} 延伸模組,所以無法變更啟用狀態。",
+ "noWorkspace": "沒有任何工作區。",
+ "cannot disable auth extension in workspace": "因為工作區中的 {0} 延伸模組提供驗證提供者,所以無法變更啟用狀態"
+ },
+ "vs/workbench/services/extensionManagement/common/extensionManagementService": {
+ "singleDependentError": "無法將延伸模組 '{0}' 解除安裝。其為延伸模組 '{1}' 的相依對象。",
+ "twoDependentsError": "無法將延伸模組 '{0}' 解除安裝。其為延伸模組 '{1}' 及 '{2}' 的相依對象。",
+ "multipleDependentsError": "無法將延伸模組 '{0}' 解除安裝。其為 '{1}'、'{2}' 及其他延伸模組的相依對象。",
+ "Manifest is not found": "安裝延伸模組 {0} 失敗: 找不到資訊清單。",
+ "cannot be installed": "因為此擴充已定義無法在遠端伺服器上執行,所以無法安裝 '{0}'。",
+ "cannot be installed on web": "因為此延伸模組已定義為無法在網頁伺服器上執行,所以無法安裝 '{0}'。",
+ "install extension": "安裝延伸模組",
+ "install extensions": "安裝延伸模組",
+ "install": "安裝",
+ "install and do no sync": "安裝 (不同步)",
+ "cancel": "取消",
+ "install single extension": "您要在所有裝置上安裝及同步 '{0}' 延伸模組嗎?",
+ "install multiple extensions": "您要在所有裝置上安裝及同步延伸模組嗎?"
+ },
+ "vs/workbench/services/extensionManagement/browser/extensionBisect": {
+ "bisect": "延伸模組平分已在使用中,但已停用 {0} 延伸模組。請檢查您是否仍可重現問題,並從這些選項中選取以繼續進行。",
+ "title.start": "開始延伸模組平分",
+ "help": "說明",
+ "msg.start": "延伸模組平分",
+ "detail.start": "延伸模組平分會使用二進位搜尋來尋找造成問題的延伸模組。在處理期間,視窗會反覆重新載入 (約 {0} 次)。每次都須確認是否仍出現問題。",
+ "msg2": "開始延伸模組平分",
+ "title.isBad": "繼續延伸模組平分",
+ "done.msg": "延伸模組平分",
+ "done.detail2": "延伸模組 Bisect 已完成,但未發現任何延伸模組。此情況可能是 {0} 的問題。",
+ "report": "回報問題並繼續",
+ "done": "繼續",
+ "done.detail": "延伸模組平分已完成,並已識別 {0} 為造成問題的延伸模組。",
+ "done.disbale": "保持停用此延伸模組",
+ "msg.next": "延伸模組平分",
+ "next.good": "現在正確",
+ "next.bad": "這有錯誤",
+ "next.stop": "停止平分",
+ "next.cancel": "取消",
+ "title.stop": "停止延伸模組平分"
+ },
+ "vs/workbench/services/extensionRecommendations/common/workspaceExtensionsConfig": {
+ "select for remove": "移除延伸模組建議來源",
+ "select for add": "新增延伸模組建議至",
+ "workspace folder": "工作區資料夾",
+ "workspace": "工作區"
+ },
+ "vs/workbench/services/extensions/electron-browser/extensionService": {
+ "extensionService.versionMismatchCrash": "延伸模組主機無法啟動: 版本不相符。",
+ "relaunch": "重新啟動 VS Code",
+ "extensionService.crash": "延伸主機意外終止。",
+ "devTools": "開啟開發人員工具",
+ "restart": "重新啟動延伸主機",
+ "getEnvironmentFailure": "無法擷取遠端環境",
+ "looping": "下列延伸模組包含相依性迴圈並已停用: {0}",
+ "enableResolver": "需要延伸模組 '{0}',才可開啟遠端視窗。\r\n確定要啟用嗎?",
+ "enable": "啟用並重新載入",
+ "installResolver": "需要延伸模組 '{0}',才可開啟遠端視窗。\r\n要安裝此延伸模組嗎?",
+ "install": "安裝並重新載入",
+ "resolverExtensionNotFound": "在市集上找不到 `{0}`",
+ "restartExtensionHost": "重新啟動延伸主機"
+ },
+ "vs/workbench/services/extensions/electron-browser/cachedExtensionScanner": {
+ "overwritingExtension": "正在以 {1} 覆寫延伸模組 {0}。",
+ "extensionUnderDevelopment": "正在載入位於 {0} 的開發延伸模組",
+ "extensionCache.invalid": "延伸模組在磁碟上已修改。請重新載入視窗。",
+ "reloadWindow": "重新載入視窗"
+ },
+ "vs/workbench/services/extensions/electron-browser/localProcessExtensionHost": {
+ "extensionHost.startupFailDebug": "延伸主機未於 10 秒內開始,可能在第一行就已停止,並需要偵錯工具才能繼續。",
+ "extensionHost.startupFail": "延伸主機未在 10 秒內啟動,可能發生了問題。",
+ "reloadWindow": "重新載入視窗",
+ "extension host Log": "延伸主機",
+ "extensionHost.error": "延伸主機發生錯誤: {0}"
+ },
+ "vs/workbench/services/extensions/common/abstractExtensionService": {
+ "looping": "下列延伸模組包含相依性迴圈並已停用: {0}"
+ },
+ "vs/workbench/services/extensions/common/remoteExtensionHost": {
+ "remote extension host Log": "遠端延伸主機"
+ },
+ "vs/workbench/services/extensions/browser/webWorkerExtensionHost": {
+ "name": "背景工作延伸主機"
+ },
+ "vs/workbench/services/extensions/browser/extensionUrlHandler": {
+ "confirmUrl": "要允許延伸模組開啟此 URI 嗎?",
+ "rememberConfirmUrl": "不要再要求此延伸模組。",
+ "open": "開啟(&&O)",
+ "reloadAndHandle": "未載入延伸模組 '{0}'。要重新載入視窗以載入延伸模組並開啟 URL 嗎?",
+ "reloadAndOpen": "重新載入視窗並開啟(&&R)",
+ "enableAndHandle": "延伸模組 '{0}' 已停用。要啟用延伸模組並重新載入視窗以開啟 URL 嗎?",
+ "enableAndReload": "啟用並開啟(&&E)",
+ "installAndHandle": "延伸模組 '{0}' 未安裝。要安裝延伸模組並重新載入視窗以開啟 URL 嗎?",
+ "install": "安裝(&&I)",
+ "Installing": "正在安裝延伸模組 '{0}'...",
+ "reload": "要重新載入視窗並開啟 URL '{0}' 嗎?",
+ "Reload": "重新載入視窗並開啟",
+ "manage": "管理授權的延伸模組 URI...",
+ "extensions": "延伸模組",
+ "no": "目前沒有任何經過授權的延伸模組 URI。"
+ },
+ "vs/workbench/services/extensions/common/extensionsRegistry": {
+ "ui": "UI 延伸模組類型。在遠端視窗中,這類延伸模組只有在可於本機電腦上使用時才會啟用。",
+ "workspace": "工作區延伸模組類型。在遠端視窗中,這類延伸模組只有在可於遠端上使用時才會啟用。",
+ "web": "Web 背景工作延伸模組種類。這類延伸模組可以在 Web 背景工作延伸主機中執行。",
+ "vscode.extension.engines": "引擎相容性。",
+ "vscode.extension.engines.vscode": "若是 VS Code 延伸模組,則指定與延伸模組相容的 VS Code 版本。不得為 *。例如: ^0.10.5 表示與最低 VS Code 版本 0.10.5 相容。",
+ "vscode.extension.publisher": "VS Code 延伸模組的發行者。",
+ "vscode.extension.displayName": "VS Code 資源庫中使用的延伸模組顯示名稱。",
+ "vscode.extension.categories": "VS Code 資源庫用來將延伸模組歸類的分類。",
+ "vscode.extension.category.languages.deprecated": "使用 '程式語言' 代替",
+ "vscode.extension.galleryBanner": "用於 VS Code Marketplace 的橫幅。",
+ "vscode.extension.galleryBanner.color": "VS Code Marketplace 頁首的橫幅色彩。",
+ "vscode.extension.galleryBanner.theme": "橫幅中使用的字型色彩佈景主題。",
+ "vscode.extension.contributes": "此封裝所代表的所有 VS Code 延伸模組比重。",
+ "vscode.extension.preview": "將延伸模組設為在 Marketplace 中標幟為 [預覽]。",
+ "vscode.extension.activationEvents": "VS Code 延伸模組的啟用事件。",
+ "vscode.extension.activationEvents.onLanguage": "當指定語言檔案開啟時激發該事件",
+ "vscode.extension.activationEvents.onCommand": "當指定的命令被調用時激發該事件",
+ "vscode.extension.activationEvents.onDebug": "當使用者正要開始偵錯或是設定偵錯組態時激發該事件",
+ "vscode.extension.activationEvents.onDebugInitialConfigurations": "需要建立 \"launch.json\" 來觸發啟動事件 (並且需要呼叫所有 provideDebugConfigurations 方法)。",
+ "vscode.extension.activationEvents.onDebugDynamicConfigurations": "每當需要建立所有偵錯組態清單 (以及必須呼叫「動態」範圍的所有 provideDebugConfigurations 方法) 時,就會發出啟用事件。",
+ "vscode.extension.activationEvents.onDebugResolve": "需要特定類型偵錯工作階段啟動來觸發啟動事件 (並且呼叫相對應 resolveDebugConfiguration 方法)",
+ "vscode.extension.activationEvents.onDebugAdapterProtocolTracker": "每次即將啟動具有特定類型偵錯工作階段,而且可能需要偵錯通訊協定追蹤器時,都會發出啟動事件。",
+ "vscode.extension.activationEvents.workspaceContains": "當開啟指定的文件夾包含glob模式匹配的文件時激發該事件",
+ "vscode.extension.activationEvents.onStartupFinished": "已在啟動完成之後 (在所有 '*' 啟用的延伸模組皆完成啟用之後) 發出啟用事件。",
+ "vscode.extension.activationEvents.onFileSystem": "在每次透過指定的配置存取檔案或資料夾時,所發出的啟用事件。",
+ "vscode.extension.activationEvents.onSearch": "在每次透過指定的配置於資料夾中開始搜尋時,所發出的啟用事件。 ",
+ "vscode.extension.activationEvents.onView": "當指定的檢視被擴展時激發該事件",
+ "vscode.extension.activationEvents.onIdentity": "每次指定使用者身分識別時發出的啟用事件。",
+ "vscode.extension.activationEvents.onUri": "每當指向此延伸模組的全系統 URI 開啟時,都會發出啟動事件。",
+ "vscode.extension.activationEvents.onCustomEditor": "只要出現指定的自訂編輯器,就會發出啟用事件。",
+ "vscode.extension.activationEvents.star": "當VS Code啟動時激發該事件,為了確保最好的使用者體驗,當您的延伸模組沒有其他組合作業時,請激活此事件。",
+ "vscode.extension.badges": "要顯示於 Marketplace 擴充頁面資訊看板的徽章陣列。",
+ "vscode.extension.badges.url": "徽章映像 URL。",
+ "vscode.extension.badges.href": "徽章連結。",
+ "vscode.extension.badges.description": "徽章描述。",
+ "vscode.extension.markdown": "控制使用市集中的 Markdown 轉譯引擎。可為 github (預設) 或標準。",
+ "vscode.extension.qna": "控制 Marketplace 中的問與答連結。設定為 Marketplace 可啟用預設 Marketplace 問與答網站。設定為字串可提供自訂問與答網站的 URL。設定為 false 可停用所有問與答。",
+ "vscode.extension.extensionDependencies": "其它延伸模組的相依性。延伸模組的識別碼一律為 ${publisher}.${name}。例如: vscode.csharp。",
+ "vscode.extension.contributes.extensionPack": "可以一併安裝的一組延伸模組。延伸模組的識別碼一律為 ${publisher}.${name}。例如: vscode.csharp。",
+ "extensionKind": "定義延伸模組的種類。`ui` 延伸模組會於本機電腦安裝並執行,而 `workspace` 延伸模組則會在遠端執行。",
+ "extensionKind.ui": "定義連線至遠端視窗時只能在本機電腦上執行的延伸模組。",
+ "extensionKind.workspace": "定義連線至遠端視窗時,只能在遠端電腦上執行的延伸模組。",
+ "extensionKind.ui-workspace": "定義可在任一端執行的延伸模組,偏好在本機電腦上執行。",
+ "extensionKind.workspace-ui": "定義可在任一端執行的延伸模組,偏好在遠端電腦上執行。",
+ "extensionKind.empty": "定義無法在遠端內容中執行的延伸模組 (既不在本機,也不在遠端電腦上)。",
+ "vscode.extension.scripts.prepublish": "在封裝作為 VS Code 延伸模組發行前所執行的指令碼。",
+ "vscode.extension.scripts.uninstall": "VS Code 延伸模組的解除安裝勾點。當延伸模組完全從 VS Code 解除安裝時,會在延伸模組解除安裝並重新啟動 (關機並啟動) 時執行的程式碼。僅支援 Node 指令碼。",
+ "vscode.extension.icon": "128 x 128 像素圖示的路徑。"
+ },
+ "vs/workbench/services/extensions/node/extensionPoints": {
+ "jsonParseInvalidType": "資訊清單檔案 {0} 無效: 不是 JSON 物件。",
+ "jsonParseFail": "無法剖析 {0}: [{1}, {2}] {3}。",
+ "fileReadFail": "無法讀取檔案 {0}: {1}。",
+ "jsonsParseReportErrors": "無法剖析 {0}: {1}。",
+ "jsonInvalidFormat": "格式 {0} 無效: 必須是 JSON 物件。",
+ "missingNLSKey": "找不到金鑰 {0} 的訊息。",
+ "notSemver": "延伸模組版本與 semver 不相容。",
+ "extensionDescription.empty": "得到空白延伸模組描述",
+ "extensionDescription.publisher": "屬性發行者必須屬於 `string` 類型。",
+ "extensionDescription.name": "屬性 '{0}' 為強制項目且必須屬於 `string` 類型",
+ "extensionDescription.version": "屬性 '{0}' 為強制項目且必須屬於 `string` 類型",
+ "extensionDescription.engines": "屬性 '{0}' 為強制項目且必須屬於 `object` 類型",
+ "extensionDescription.engines.vscode": "屬性 '{0}' 為強制項目且必須屬於 `string` 類型",
+ "extensionDescription.extensionDependencies": "屬性 `{0}` 可以省略或必須屬於 `string[]` 類型",
+ "extensionDescription.activationEvents1": "屬性 `{0}` 可以省略或必須屬於 `string[]` 類型",
+ "extensionDescription.activationEvents2": "屬性 `{0}` 和 `{1}` 必須同時指定或同時忽略",
+ "extensionDescription.main1": "屬性 `{0}` 可以省略或必須屬於 `string` 類型",
+ "extensionDescription.main2": "`main` ({0}) 必須包含在延伸模組的資料夾 ({1}) 中。這可能會使延伸模組無法移植。",
+ "extensionDescription.main3": "屬性 `{0}` 和 `{1}` 必須同時指定或同時忽略",
+ "extensionDescription.browser1": "`{0}` 屬性可省略,否則必須屬於 `string` 類型",
+ "extensionDescription.browser2": "`browser` ({0}) 必須包含在延伸模組的資料夾 ({1}) 中。這可能會使延伸模組無法移植。",
+ "extensionDescription.browser3": "屬性 `{0}` 和 `{1}` 必須同時指定或同時忽略"
+ },
+ "vs/workbench/services/extensions/common/extensionHostManager": {
+ "measureExtHostLatency": "測量延伸主機延遲"
+ },
+ "vs/workbench/services/gettingStarted/common/gettingStartedContent": {
+ "gettingStarted.beginner.title": "使用者入門",
+ "gettingStarted.beginner.description": "熟悉您新的編輯器",
+ "pickColorTask.description": "修改使用者介面中的色彩,以符合您的喜好設定與工作環境。",
+ "pickColorTask.title": "色彩佈景主題",
+ "pickColorTask.button": "尋找佈景主題",
+ "findKeybindingsTask.description": "查看 Vim、Sublime、Atom 及其他編輯器的鍵盤快速鍵。",
+ "findKeybindingsTask.title": "設定按鍵繫結關係",
+ "findKeybindingsTask.button": "搜尋鍵盤對應",
+ "findLanguageExtsTask.description": "取得 JavaScript、Python、JAVA、Azure、Docker 及更多語言的支援。",
+ "findLanguageExtsTask.title": "語言及工具",
+ "findLanguageExtsTask.button": "安裝語言支援",
+ "gettingStartedOpenFolder.description": "開啟專案資料夾以開始!",
+ "gettingStartedOpenFolder.title": "開啟資料夾",
+ "gettingStartedOpenFolder.button": "挑選資料夾",
+ "gettingStarted.intermediate.title": "基本",
+ "gettingStarted.intermediate.description": "您會喜歡的必知功能",
+ "commandPaletteTask.description": "查看 VS Code 所有用途最簡單的方式。若您想要尋找功能,請先查看這裡!",
+ "commandPaletteTask.title": "命令選擇區",
+ "commandPaletteTask.button": "檢視所有命令",
+ "gettingStarted.advanced.title": "提示與技巧",
+ "gettingStarted.advanced.description": "VS Code 專家的最愛",
+ "gettingStarted.openFolder.title": "開啟資料夾",
+ "gettingStarted.openFolder.description": "開啟專案並開始作業",
+ "gettingStarted.playground.title": "互動式遊樂場",
+ "gettingStarted.interactivePlayground.description": "了解基本編輯器功能"
+ },
+ "vs/workbench/services/integrity/node/integrityService": {
+ "integrity.prompt": "您的 {0} 安裝似乎已損毀。請重新安裝。",
+ "integrity.moreInformation": "詳細資訊",
+ "integrity.dontShowAgain": "不要再顯示"
+ },
+ "vs/workbench/services/keybinding/common/keybindingEditing": {
+ "errorKeybindingsFileDirty": "因為按鍵繫結關係組態檔已變更,所以無法寫入。請先儲存,然後再試一次。",
+ "parseErrors": "無法寫入按鍵繫結關係組態檔。請開啟檔案修正錯誤/警示並再試一次。",
+ "errorInvalidConfiguration": "無法寫入按鍵繫結關係組態檔。其具有類型非 Array 的物件。請開啟檔案予以清除並再試一次。",
+ "emptyKeybindingsHeader": "將按鍵繫結關係放在此檔案中以覆寫預設"
+ },
+ "vs/workbench/services/keybinding/browser/keybindingService": {
+ "nonempty": "必須是非空白值。",
+ "requirestring": "屬性 '{0}' 為強制項目且必須屬於 `string` 類型",
+ "optstring": "屬性 `{0}` 可以省略或必須屬於 `string` 類型",
+ "vscode.extension.contributes.keybindings.command": "觸發按鍵繫結關係時所要執行命令的識別碼。",
+ "vscode.extension.contributes.keybindings.args": "要傳遞至命令加以執行的引數。",
+ "vscode.extension.contributes.keybindings.key": "按鍵或按鍵順序 (以加號分隔按鍵,並以空格進行排序,例如: CTRL + O 和 CTRL + L,L 代表同步選取)。",
+ "vscode.extension.contributes.keybindings.mac": "Mac 特定按鍵或按鍵順序。",
+ "vscode.extension.contributes.keybindings.linux": "Linux 特定按鍵或按鍵順序。",
+ "vscode.extension.contributes.keybindings.win": "Windows 特定按鍵或按鍵順序。",
+ "vscode.extension.contributes.keybindings.when": "按鍵為使用中時的條件。",
+ "vscode.extension.contributes.keybindings": "提供按鍵繫結關係。",
+ "invalid.keybindings": "`contributes.{0}` 無效: {1}",
+ "unboundCommands": "其他可用命令如下: ",
+ "keybindings.json.title": "按鍵繫結關係組態",
+ "keybindings.json.key": "按鍵或按鍵順序 (以空格分隔)",
+ "keybindings.json.command": "所要執行命令的名稱",
+ "keybindings.json.when": "按鍵為使用中時的條件。",
+ "keybindings.json.args": "要傳遞至命令加以執行的引數。",
+ "keyboardConfigurationTitle": "鍵盤",
+ "dispatch": "控制按下按鍵時的分派邏輯 (使用 'code' (建議使用) 或 'keyCode')。"
+ },
+ "vs/workbench/services/label/common/labelService": {
+ "vscode.extension.contributes.resourceLabelFormatters": "提供資源標籤格式化規則。",
+ "vscode.extension.contributes.resourceLabelFormatters.scheme": "要對其比對格式器的 URI 配置。例如 \"file\"。支援簡易的 Glob 模式。",
+ "vscode.extension.contributes.resourceLabelFormatters.authority": "要比對格式器的所在 URI 授權單位。支援簡易的 Glob 模式。",
+ "vscode.extension.contributes.resourceLabelFormatters.formatting": "用於將 URI 資源標籤格式化的規則。",
+ "vscode.extension.contributes.resourceLabelFormatters.label": "要顯示的標籤規則。例如: myLabel:/${path}。支援 ${path}、${scheme} 和 ${authority} 作為變數。",
+ "vscode.extension.contributes.resourceLabelFormatters.separator": "要在 URI 標籤顯示中使用的分隔符號。例如 '/' 或 '’。",
+ "vscode.extension.contributes.resourceLabelFormatters.stripPathStartingSeparator": "控制 `${path}` 的替代是否應去掉開頭的分隔符號字元。",
+ "vscode.extension.contributes.resourceLabelFormatters.tildify": "控制 URI 標籤的開頭是否應盡可能變成波狀符號。",
+ "vscode.extension.contributes.resourceLabelFormatters.formatting.workspaceSuffix": "附加到工作區標籤的後置詞。",
+ "untitledWorkspace": "未命名 (工作區)",
+ "workspaceNameVerbose": "{0} (工作區)",
+ "workspaceName": "{0} (工作區)"
+ },
+ "vs/workbench/services/lifecycle/electron-sandbox/lifecycleService": {
+ "errorClose": "嘗試關閉視窗 ({0}) 時,擲回未預期的錯誤。",
+ "errorQuit": "嘗試結束應用程式 ({0}) 時,擲回未預期的錯誤。",
+ "errorReload": "嘗試重新載入視窗 ({0}) 時,擲回未預期的錯誤。",
+ "errorLoad": "嘗試變更視窗 ({0}) 的工作區時,擲回未預期的錯誤。"
+ },
+ "vs/workbench/services/mode/common/workbenchModeService": {
+ "vscode.extension.contributes.languages": "提供語言宣告。",
+ "vscode.extension.contributes.languages.id": "語言的識別碼。",
+ "vscode.extension.contributes.languages.aliases": "語言的別名名稱。",
+ "vscode.extension.contributes.languages.extensions": "與語言相關聯的副檔名。",
+ "vscode.extension.contributes.languages.filenames": "與語言相關聯的檔案名稱。",
+ "vscode.extension.contributes.languages.filenamePatterns": "與語言相關聯的檔案名稱 Glob 模式。",
+ "vscode.extension.contributes.languages.mimetypes": "與語言相關聯的 MIME 類型。",
+ "vscode.extension.contributes.languages.firstLine": "規則運算式,符合語言檔案的第一行。",
+ "vscode.extension.contributes.languages.configuration": "檔案的相對路徑,其中該檔案包含語言組態選項。",
+ "invalid": "`contributes.{0}` 無效。必須是陣列。",
+ "invalid.empty": "`contributes.{0}` 值為空值",
+ "require.id": "屬性 '{0}' 為強制項目且必須屬於 `string` 類型",
+ "opt.extensions": "屬性 '{0}' 可以省略且必須屬於 `string[]` 類型",
+ "opt.filenames": "屬性 '{0}' 可以省略且必須屬於 `string[]` 類型",
+ "opt.firstLine": "屬性 '{0}' 可以省略且必須屬於 `string` 類型",
+ "opt.configuration": "屬性 '{0}' 可以省略且必須屬於 `string` 類型",
+ "opt.aliases": "屬性 '{0}' 可以省略且必須屬於 `string[]` 類型",
+ "opt.mimetypes": "屬性 '{0}' 可以省略且必須屬於 `string[]` 類型"
+ },
+ "vs/workbench/services/notification/common/notificationService": {
+ "neverShowAgain": "不要再顯示"
+ },
+ "vs/workbench/services/preferences/common/preferences": {
+ "userSettingsTarget": "使用者設定",
+ "workspaceSettingsTarget": "工作區設定"
+ },
+ "vs/workbench/services/preferences/browser/preferencesService": {
+ "openFolderFirst": "先開啟資料夾以建立工作區設定",
+ "emptyKeybindingsHeader": "將按鍵繫結關係放在此檔案中以覆寫預設",
+ "defaultKeybindings": "預設按鍵繫結關係",
+ "defaultSettings": "預設設定",
+ "folderSettingsName": "{0} (資料夾設定)",
+ "fail.createSettings": "無法建立 '{0}' ({1})。"
+ },
+ "vs/workbench/services/preferences/common/preferencesEditorInput": {
+ "settingsEditorName": "預設設定",
+ "keybindingsInputName": "鍵盤快速鍵",
+ "settingsEditor2InputName": "設定"
+ },
+ "vs/workbench/services/preferences/common/preferencesModels": {
+ "commonlyUsed": "經常使用的",
+ "defaultKeybindingsHeader": "將按鍵繫結關係放入您的按鍵繫結關係檔案,以覆寫該按鍵繫結關係。"
+ },
+ "vs/workbench/services/preferences/common/keybindingsEditorModel": {
+ "default": "預設",
+ "extension": "延伸模組",
+ "user": "使用者",
+ "cat.title": "{0}: {1}",
+ "option": "選項",
+ "meta": "中繼"
+ },
+ "vs/workbench/services/preferences/common/preferencesValidation": {
+ "validations.expectedNumeric": "值必須是數字。",
+ "invalidTypeError": "設定的類型無效,應為 {0}。請在 JSON 中修正。",
+ "validations.maxLength": "值的長度必須為 {0} 個字元以下。",
+ "validations.minLength": "值的長度必須為 {0} 個字元以上。",
+ "validations.regex": "值必須符合 RegEx `{0}`。",
+ "validations.colorFormat": "色彩格式無效。請使用 #RGB、#RGBA、#RRGGBB 或 #RRGGBBAA。",
+ "validations.uriEmpty": "必須是 URI。",
+ "validations.uriMissing": "必須是 URI。",
+ "validations.uriSchemeMissing": "必須是具有配置的 URI。",
+ "validations.exclusiveMax": "值必須小於且不等於 {0}。",
+ "validations.exclusiveMin": "值必須大於且不等於 {0}。",
+ "validations.max": "值必須小於或等於 {0}。",
+ "validations.min": "值必須大於或等於 {0}。",
+ "validations.multipleOf": "值必須為 {0} 的倍數。",
+ "validations.expectedInteger": "值必須是整數。",
+ "validations.stringArrayUniqueItems": "陣列有重複的項目",
+ "validations.stringArrayMinItem": "陣列至少要有 {0} 個項目",
+ "validations.stringArrayMaxItem": "陣列最多只能有 {0} 個項目",
+ "validations.stringArrayItemPattern": "值 {0} 必須符合 RegEx {1}。",
+ "validations.stringArrayItemEnum": "值 {0} 不是 {1} 其中之一"
+ },
+ "vs/workbench/services/progress/browser/progressService": {
+ "progress.text2": "{0}: {1}",
+ "progress.title3": "[{0}] {1}: {2}",
+ "progress.title2": "[{0}]: {1}",
+ "status.progress": "進度訊息",
+ "cancel": "取消",
+ "dismiss": "關閉"
+ },
+ "vs/workbench/services/remote/common/abstractRemoteAgentService": {
+ "connectionError": "無法連線到遠端延伸模組主機伺服器 (錯誤: {0})"
+ },
+ "vs/workbench/services/textfile/electron-browser/nativeTextFileService": {
+ "fileReadOnlyError": "檔案為唯讀"
+ },
+ "vs/workbench/services/textfile/browser/textFileService": {
+ "fileBinaryError": "檔案似乎是二進位檔,因此無法以文字檔格式開啟",
+ "confirmOverwrite": "'{0}' 已存在。您要取代它嗎?",
+ "irreversible": "資料夾 '{1}' 中已經存在名稱 '{0}' 的檔案或資料夾。取代將會覆寫其目前內容。",
+ "replaceButtonLabel": "取代(&&R)"
+ },
+ "vs/workbench/services/textfile/common/textFileEditorModelManager": {
+ "genericSaveError": "無法儲存 '{0}': {1}"
+ },
+ "vs/workbench/services/textfile/common/textFileEditorModel": {
+ "saveFileFirst": "檔案已變更。請先儲存,再以其他編碼重新開啟。"
+ },
+ "vs/workbench/services/textfile/common/textFileSaveParticipant": {
+ "saveParticipants": "正在儲存 '{0}'"
+ },
+ "vs/workbench/services/textMate/browser/abstractTextMateService": {
+ "alreadyDebugging": "已記錄。",
+ "stop": "停止",
+ "progress1": "正在準備記錄 TM 語法剖析。完成後,請按 [停止]。",
+ "progress2": "目前正在記錄 TM 文法剖析。完成後,請按 [停止]。",
+ "invalid.language": "`contributes.{0}.language` 中的不明語言。提供的值: {1}",
+ "invalid.scopeName": "`contributes.{0}.scopeName` 中的預期字串。提供的值: {1}",
+ "invalid.path.0": "`contributes.{0}.path` 中的預期字串。提供的值: {1}",
+ "invalid.injectTo": "`contributes.{0}.injectTo` 中的值無效。必須是語言範圍名稱的陣列。提供的值: {1}",
+ "invalid.embeddedLanguages": "`contributes.{0}.embeddedLanguages` 中的值無效。必須是從範圍名稱到語言的物件對應。提供的值: {1}",
+ "invalid.tokenTypes": "`contributes.{0}.tokenTypes` 的值無效。必須是從範圍名稱到象徵類型的物件對應。提供的值: {1} ",
+ "invalid.path.1": "延伸模組資料夾 ({2}) 應包含 'contributes.{0}.path' ({1})。這可能會導致延伸模組無法移植。",
+ "too many characters": "因效能的緣故,已跳過將長的行 Token 化。您可透過 `editor.maxTokenizationLineLength` 設定長行的長度。",
+ "neverAgain": "不要再顯示"
+ },
+ "vs/workbench/services/textMate/common/TMGrammars": {
+ "vscode.extension.contributes.grammars": "提供 textmate 權杖化工具。",
+ "vscode.extension.contributes.grammars.language": "要提供此語法的目標語言識別碼。",
+ "vscode.extension.contributes.grammars.scopeName": "tmLanguage 檔案所使用的 textmate 範圍名稱。",
+ "vscode.extension.contributes.grammars.path": "tmLanguage 檔案的路徑。此路徑是延伸模組資料夾的相對路徑,而且一般會以 './syntaxes/' 開頭。",
+ "vscode.extension.contributes.grammars.embeddedLanguages": "如果此文法包含內嵌語言,即為範圍名稱到語言識別碼的對應。",
+ "vscode.extension.contributes.grammars.tokenTypes": "範圍名稱到象徵類型的對應。",
+ "vscode.extension.contributes.grammars.injectTo": "要插入此文法的語言範圍名稱清單。"
+ },
+ "vs/workbench/services/textMate/common/TMGrammarFactory": {
+ "no-tm-grammar": "此語言未註冊任何 TM 文法。"
+ },
+ "vs/workbench/services/themes/browser/workbenchThemeService": {
+ "error.cannotloadtheme": "無法載入 {0}: {1}"
+ },
+ "vs/workbench/services/themes/common/colorExtensionPoint": {
+ "contributes.color": "提供延伸模組定義的可設定佈景主題色彩",
+ "contributes.color.id": "可設定佈景主題色彩的識別碼 ",
+ "contributes.color.id.format": "識別碼只能包含字母、數字以及點號,而且不能以點號開頭",
+ "contributes.color.description": "佈景主題色彩的描述",
+ "contributes.defaults.light": "淺色佈景主題的預設色彩。應為十六進位 (#RRGGBB[AA]) 的色彩值,或提供預設的可設定佈景主題色彩。",
+ "contributes.defaults.dark": "深色佈景主題的預設色彩。應為十六進位 (#RRGGBB[AA]) 的色彩值,或提供預設的可設定佈景主題色彩。 ",
+ "contributes.defaults.highContrast": "高對比佈景主題的預設色彩。應為十六進位 (#RRGGBB[AA]) 的色彩值,或提供預設的可設定佈景主題色彩。",
+ "invalid.colorConfiguration": "'configuration.colors' 必須是陣列",
+ "invalid.default.colorType": "{0} 必須是十六進位 (#RRGGBB[AA] or #RGB[A]) 的色彩值,或是提供預設的可設定佈景主題色彩之識別碼。",
+ "invalid.id": "必須定義 'configuration.colors.id' 且不得為空白",
+ "invalid.id.format": "'configuration.colors.id' 只能包含字母、數字以及點號,而且不能以點號開頭",
+ "invalid.description": "必須定義 'configuration.colors.description' 且不得為空白",
+ "invalid.defaults": "'configuration.colors.defaults' 必須定義,且必須包含 'light'、'dark' 及 'highContrast'"
+ },
+ "vs/workbench/services/themes/common/tokenClassificationExtensionPoint": {
+ "contributes.semanticTokenTypes": "提供語意語彙基元類型。",
+ "contributes.semanticTokenTypes.id": "語意式權杖類型的識別碼",
+ "contributes.semanticTokenTypes.id.format": "識別碼的格式應為 letterOrDigit[_-letterOrDigit]*",
+ "contributes.semanticTokenTypes.superType": "語義權杖類型的超級類型",
+ "contributes.semanticTokenTypes.superType.format": "超級類型的格式應為 letterOrDigit[_-letterOrDigit]*",
+ "contributes.color.description": "語意權杖類型的描述",
+ "contributes.semanticTokenModifiers": "提供語意語彙基元修飾詞。",
+ "contributes.semanticTokenModifiers.id": "語意式權杖修飾詞的識別碼",
+ "contributes.semanticTokenModifiers.id.format": "識別碼的格式應為 letterOrDigit[_-letterOrDigit]*",
+ "contributes.semanticTokenModifiers.description": "語意式權杖修飾詞的描述",
+ "contributes.semanticTokenScopes": "提供語意權杖範圍對應。",
+ "contributes.semanticTokenScopes.languages": "列出預設語言。",
+ "contributes.semanticTokenScopes.scopes": "將語義權杖 (由語義權杖選取器描述) 對應到用於代表該權杖的一或多個 textMate 範圍。",
+ "invalid.id": "必須定義 'configuration.{0}.id' 且不得為空白",
+ "invalid.id.format": "'configuration.{0}.id' 必須遵循模式 letterOrDigit[-_letterOrDigit]*",
+ "invalid.superType.format": "'configuration.{0}.superType' 必須遵循 letterOrDigit[-_letterOrDigit]* 模式",
+ "invalid.description": "必須定義 'configuration.{0}.description' 且不得為空白",
+ "invalid.semanticTokenTypeConfiguration": "'configuration.semanticTokenType' 必須是陣列",
+ "invalid.semanticTokenModifierConfiguration": "'configuration.semanticTokenModifier' 必須是陣列",
+ "invalid.semanticTokenScopes.configuration": "'configuration.semanticTokenScopes' 必須是陣列",
+ "invalid.semanticTokenScopes.language": "'configuration.semanticTokenScopes.language' 必須為字串",
+ "invalid.semanticTokenScopes.scopes": "'configuration.semanticTokenScopes.scopes' 必須定義為物件",
+ "invalid.semanticTokenScopes.scopes.value": "'configuration.semanticTokenScopes.scopes' 值必須為字串陣列",
+ "invalid.semanticTokenScopes.scopes.selector": "configuration.semanticTokenScopes.scopes': 剖析選取器 {0} 時發生問題。"
+ },
+ "vs/workbench/services/themes/common/colorThemeData": {
+ "error.cannotparsejson": "剖析 JSON 佈景主題檔案時發生問題: {0}",
+ "error.invalidformat": "JSON 佈景主題檔案的格式無效: 需要物件。",
+ "error.invalidformat.colors": "剖析彩色佈景主題檔案 {0} 時出現問題。屬性 'settings' 不是 'object' 類型。",
+ "error.invalidformat.tokenColors": "剖析色彩佈景主題檔案 {0} 時發生問題。屬性 'tokenColors' 應是指定色彩的陣列或是 TextMate 佈景主題檔案的路徑。",
+ "error.invalidformat.semanticTokenColors": "剖析色彩佈景主題檔案時發生問題: {0}。屬性 'semanticTokenColors' 包含的選取器無效",
+ "error.plist.invalidformat": "剖析 tmTheme 檔案 {0} 時出現問題。'settings' 不是陣列。",
+ "error.cannotparse": "剖析 tmTheme 檔案 {0} 時發生問題",
+ "error.cannotload": "載入 tmTheme 檔案 {0} 時發生問題: {1}"
+ },
+ "vs/workbench/services/themes/common/fileIconThemeSchema": {
+ "schema.folderExpanded": "展開資料夾的資料夾圖示。展開資料夾圖示是選擇性的。如果未設定,即顯示為資料夾定義的圖示。",
+ "schema.folder": "摺疊資料夾的資料夾圖示,如果未設定 folderExpanded,就也是展開資料夾的圖示。",
+ "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": "字型的位置。",
+ "schema.font-path": "相對於目前檔案圖示佈景主題檔案的字型路徑。",
+ "schema.font-format": "字型的格式。",
+ "schema.font-weight": "字型的粗細。若要了解有效的值,請參閱 https://developer.mozilla.org/en-US/docs/Web/CSS/font-weight。",
+ "schema.font-style": "字型的樣式。若要了解有效的值,請參閱 https://developer.mozilla.org/en-US/docs/Web/CSS/font-style。",
+ "schema.font-size": "預設的字型大小。如需了解有效的值,請參閱 https://developer.mozilla.org/en-US/docs/Web/CSS/font-size。",
+ "schema.iconDefinitions": "建立檔案到圖示的關聯時,所有可用圖示的描述。",
+ "schema.iconDefinition": "圖示定義。物件索引鍵為定義識別碼。",
+ "schema.iconPath": "使用 SVG 或 PNG 時: 影像路徑。路徑相對於圖示集檔案。",
+ "schema.fontCharacter": "使用字符字型時: 字型中要使用的字元。",
+ "schema.fontColor": "使用字符字型時: 要使用的色彩。",
+ "schema.fontSize": "使用字型時: 文字字型的字型大小 (百分比)。如果未設定,預設為字型定義中的大小。",
+ "schema.fontId": "使用字型時: 字型識別碼。如果未設定,預設為第一個字型定義。",
+ "schema.light": "以淺色色彩佈景主題顯示檔案圖示的選擇性關聯。",
+ "schema.highContrast": "以高對比色彩佈景主題顯示檔案圖示的選擇性關聯。",
+ "schema.hidesExplorerArrows": "設定當此佈景主題在使用中時,是否該隱藏檔案總管的箭號。"
+ },
+ "vs/workbench/services/themes/browser/fileIconThemeData": {
+ "error.cannotparseicontheme": "剖析檔案圖示檔時發生問題: {0}",
+ "error.invalidformat": "檔案圖示佈景主題檔案的格式無效: 需要物件。"
+ },
+ "vs/workbench/services/themes/common/colorThemeSchema": {
+ "schema.token.settings": "權杖的色彩與樣式。",
+ "schema.token.foreground": "權杖的前景色彩。",
+ "schema.token.background.warning": "目前不支援權杖背景色彩。",
+ "schema.token.fontStyle": "字體格式規則: 'italic', 'bold' 或 'underline' 或是組合。空白字串取消繼承設定。",
+ "schema.fontStyle.error": "字體格式必需是 'italic', 'bold' 或 'underline' 或是組合,或是空白字串。",
+ "schema.token.fontStyle.none": "None (清除繼承格式)",
+ "schema.properties.name": "規則的描述。",
+ "schema.properties.scope": "針對此規則符合的範圍選取器。",
+ "schema.workbenchColors": "Workbench 中的色彩",
+ "schema.tokenColors.path": "tmTheme 檔案的路徑 (相對於目前檔案)。",
+ "schema.colors": "反白顯示語法時的色彩",
+ "schema.supportsSemanticHighlighting": "是否應為此主題啟用語意醒目提示。",
+ "schema.semanticTokenColors": "語意權杖的色彩"
+ },
+ "vs/workbench/services/themes/common/themeExtensionPoints": {
+ "vscode.extension.contributes.themes": "提供 Textmate 彩色佈景主題。",
+ "vscode.extension.contributes.themes.id": "使用者設定中所使用的色彩主題識別碼。",
+ "vscode.extension.contributes.themes.label": "如 UI 中所示的彩色佈景主題標籤。",
+ "vscode.extension.contributes.themes.uiTheme": "基底佈景主題定義編輯器的色彩: 'vs' 是淺色佈景主題,'vs-dark' 是深色佈景主題。'hc-black' 是深色高對比佈景主題。",
+ "vscode.extension.contributes.themes.path": "tmTheme 檔案的路徑。此為延伸模組資料夾的相對路徑,一般為 './colorthemes/awesome-color-theme.json'。",
+ "vscode.extension.contributes.iconThemes": "提供檔案圖示佈景主題。",
+ "vscode.extension.contributes.iconThemes.id": "使用者設定中所使用的檔案圖示主題識別碼。",
+ "vscode.extension.contributes.iconThemes.label": "檔案圖示主題的標籤,如 UI 所示。",
+ "vscode.extension.contributes.iconThemes.path": "檔案圖示主題定義檔的路徑。此為延伸模組資料夾的相對路徑,一般為 './fileicons/awesome-icon-theme.json'。",
+ "vscode.extension.contributes.productIconThemes": "提供產品圖示主題。",
+ "vscode.extension.contributes.productIconThemes.id": "使用者設定中所使用的產品圖示主題識別碼。",
+ "vscode.extension.contributes.productIconThemes.label": "顯示在 UI 中的產品圖示主題標籤。",
+ "vscode.extension.contributes.productIconThemes.path": "產品圖示主題定義檔的路徑。該路徑為此延伸模組資料夾的相對路徑,一般為 './producticons/awesome-product-icon-theme.json'。",
+ "reqarray": "擴充點 `{0}` 必須為陣列。",
+ "reqpath": "`contributes.{0}.path` 中的預期字串。提供的值: {1}",
+ "reqid": "`contributes.{0}.id` 中的預期字串。提供的值: {1}",
+ "invalid.path.1": "擴充功能資料夾 ({2}) 應包含 'contributes.{0}.path' ({1})。這可能會導致擴充功能無法移植。"
+ },
+ "vs/workbench/services/themes/common/themeConfiguration": {
+ "colorTheme": "指定要在工作台中使用的色彩佈景主題。",
+ "colorThemeError": "佈景主題未知或未安裝。",
+ "preferredDarkColorTheme": "指定 `#{0}#` 啟用時,深色 OS 外觀的偏好色彩佈景主題。",
+ "preferredLightColorTheme": "指定 `#{0}#` 啟用時,淺色 OS 外觀的偏好色彩佈景主題。",
+ "preferredHCColorTheme": "指定 `#{0}#` 啟用時,要在高對比模式使用的偏好色彩佈景主題。",
+ "detectColorScheme": "如果設定,會根據 OS 外觀切換至偏好的色彩佈景主題。",
+ "workbenchColors": "依目前選擇的彩色佈景主題覆寫顏色",
+ "iconTheme": "請指定工作台中所使用的檔案圖示主題,或指定 'null' 而不顯示任何檔案圖示。",
+ "noIconThemeLabel": "無",
+ "noIconThemeDesc": "沒有檔案圖示",
+ "iconThemeError": "檔案圖示佈景主題未知或未安裝。",
+ "productIconTheme": "指定使用的產品圖示佈景主題。",
+ "defaultProductIconThemeLabel": "預設",
+ "defaultProductIconThemeDesc": "預設",
+ "productIconThemeError": "產品圖示佈景主題未知或未安裝。",
+ "autoDetectHighContrast": "若啟用,就會在 OS 使用高對比佈景主題時,自動變更為高對比佈景主題。",
+ "editorColors.comments": "設定註解的色彩與樣式",
+ "editorColors.strings": "設定字串常值的色彩與樣式。",
+ "editorColors.keywords": "設定關鍵字的色彩與樣式。",
+ "editorColors.numbers": "設定數字常值的色彩與樣式。",
+ "editorColors.types": "設定型別宣告與參考的色彩與樣式。",
+ "editorColors.functions": "設定函式宣告與參考的色彩與樣式。",
+ "editorColors.variables": "設定變數宣告與參考的色彩與樣式。",
+ "editorColors.textMateRules": "使用 TextMate 佈景主題規則設定色彩與樣式 (進階)。",
+ "editorColors.semanticHighlighting": "是否應為此主題啟用語意醒目提示。",
+ "editorColors.semanticHighlighting.deprecationMessage": "在 `editor.semanticTokenColorCustomizations` 設定中改用 `enabled`。",
+ "editorColors.semanticHighlighting.deprecationMessageMarkdown": "在 `#editor.semanticTokenColorCustomizations#` 設定中改用 `enabled`。",
+ "editorColors": "覆寫目前所選色彩佈景主題的編輯器語法色彩與字型樣式。",
+ "editorColors.semanticHighlighting.enabled": "啟用或停用此佈景主題的語意醒目提示",
+ "editorColors.semanticHighlighting.rules": "此佈景主題的語意權杖樣式規則。",
+ "semanticTokenColors": "覆寫目前所選色彩佈景主題中的編輯器語意權杖色彩與樣式。",
+ "editorColors.experimentalTokenStyling.deprecationMessage": "請改用 `editor.semanticTokenColorCustomizations`。",
+ "editorColors.experimentalTokenStyling.deprecationMessageMarkdown": "請改用 `#editor.semanticTokenColorCustomizations#`。"
+ },
+ "vs/workbench/services/themes/browser/productIconThemeData": {
+ "error.parseicondefs": "處理 {0} 中的產品圖示定義時發生問題:\r\n{1}",
+ "defaultTheme": "預設",
+ "error.cannotparseicontheme": "剖析產品圖示檔時發生問題: {0}",
+ "error.invalidformat": "產品圖示佈景主題檔案的格式無效: 需要物件。",
+ "error.missingProperties": "產品圖示主題檔案的格式無效: 必須包含 iconDefinitions 與字型。",
+ "error.fontWeight": "字型 '{0}' 中的字型粗細無效。忽略設定。",
+ "error.fontStyle": "字型 '{0}' 中的字型樣式無效。忽略設定。",
+ "error.fontId": "缺少字型識別碼 '{0}' 或其無效。略過字型定義。",
+ "error.icon.fontId": "略過圖示定義 '{0}'。字型不明。",
+ "error.icon.fontCharacter": "略過圖示定義 '{0}'。fontCharacter 不明。"
+ },
+ "vs/workbench/services/themes/common/productIconThemeSchema": {
+ "schema.id": "字型的識別碼。",
+ "schema.id.formatError": "識別碼只能包含字母、數字、底線及減號。",
+ "schema.src": "字型的位置。",
+ "schema.font-path": "相對於目前產品圖示佈景主題檔案的字型路徑。",
+ "schema.font-format": "字型的格式。",
+ "schema.font-weight": "字型的粗細。若要了解有效的值,請參閱 https://developer.mozilla.org/en-US/docs/Web/CSS/font-weight。",
+ "schema.font-style": "字型的樣式。若要了解有效的值,請參閱 https://developer.mozilla.org/en-US/docs/Web/CSS/font-style。",
+ "schema.iconDefinitions": "圖示名稱與字型字元的關聯。"
+ },
+ "vs/workbench/services/userDataSync/common/userDataSync": {
+ "settings": "設定",
+ "keybindings": "鍵盤快速鍵",
+ "snippets": "使用者程式碼片段",
+ "extensions": "延伸模組",
+ "ui state label": "UI 狀態",
+ "sync category": "設定同步",
+ "syncViewIcon": "[設定同步] 檢視的檢視圖示。"
+ },
+ "vs/workbench/services/userDataSync/browser/userDataSyncWorkbenchService": {
+ "no authentication providers": "Settings sync cannot be turned on because there are no authentication providers available.",
+ "no account": "沒有可用的帳戶",
+ "show log": "顯示記錄",
+ "sync turned on": "已開啟 {0}",
+ "sync in progress": "正在開啟設定同步。要取消嗎?",
+ "settings sync": "設定同步",
+ "yes": "是(&&Y)",
+ "no": "否(&&N)",
+ "turning on": "正在開啟...",
+ "syncing resource": "正在同步 {0}...",
+ "conflicts detected": "偵測到衝突",
+ "merge Manually": "手動合併...",
+ "resolve": "因為發生衝突而無法合併。請手動合併以繼續進行...",
+ "merge or replace": "合併或取代",
+ "merge": "合併",
+ "replace local": "取代本機",
+ "cancel": "取消",
+ "first time sync detail": "您上次似乎是從另一部電腦同步。\r\n要以雲端中的資料合併或取代嗎?",
+ "reset": "這樣做會清除雲端中的資料,並在您所有的裝置上停止同步。",
+ "reset title": "清除",
+ "resetButton": "重設(&&R)",
+ "choose account placeholder": "選取要用於登入的帳戶",
+ "signed in": "已登入",
+ "last used": "上次使用同步的時間",
+ "others": "其他",
+ "sign in using account": "利用 {0} 登入",
+ "successive auth failures": "因為發生連續的授權失敗,所以已暫止設定同步。請重新登入以繼續同步",
+ "sign in": "登入"
+ },
+ "vs/workbench/services/views/browser/viewDescriptorService": {
+ "resetViewLocation": "重設位置"
+ },
+ "vs/workbench/services/workingCopy/common/workingCopyFileOperationParticipant": {
+ "msg-create": "正在執行 'File Create' 參與者...",
+ "msg-rename": "正在執行 'File Rename' 參與者...",
+ "msg-copy": "正在執行 'File Copy' 參與者...",
+ "msg-delete": "正在執行 'File Delete' 參與者..."
+ },
+ "vs/workbench/services/workspaces/electron-sandbox/workspaceEditingService": {
+ "save": "儲存",
+ "doNotSave": "不要儲存",
+ "cancel": "取消",
+ "saveWorkspaceMessage": "要將工作區組態儲存為檔案嗎?",
+ "saveWorkspaceDetail": "如果您預計再次開啟工作區,請儲存工作區。",
+ "workspaceOpenedMessage": "無法儲存工作區 '{0}'",
+ "ok": "確定",
+ "workspaceOpenedDetail": "此工作區已在其他視窗中開啟。請先關閉該視窗再重試一次。"
+ },
+ "vs/workbench/services/workspaces/browser/abstractWorkspaceEditingService": {
+ "save": "儲存",
+ "saveWorkspace": "儲存工作區",
+ "errorInvalidTaskConfiguration": "無法寫入工作區組態檔。請開啟檔案更正其中的錯誤/警告,然後再試一次。 ",
+ "errorWorkspaceConfigurationFileDirty": "因為檔案已變更,所以無法寫入工作區組態檔。請將其儲存,然後再試一次。",
+ "openWorkspaceConfigurationFile": "開啟工作區組態設定"
+ },
+ "win32/i18n/Default": {
+ "SetupAppTitle": "安裝程式",
+ "SetupWindowTitle": "安裝程式 - %1",
+ "UninstallAppTitle": "解除安裝",
+ "UninstallAppFullTitle": "%1 解除安裝",
+ "InformationTitle": "資訊",
+ "ConfirmTitle": "確認",
+ "ErrorTitle": "錯誤",
+ "SetupLdrStartupMessage": "這會安裝 %1。要繼續嗎?",
+ "LdrCannotCreateTemp": "無法建立暫存檔。安裝已中止",
+ "LdrCannotExecTemp": "無法執行暫存目錄中的檔案。安裝已中止",
+ "LastErrorMessage": "%1。%n%n錯誤 %2: %3",
+ "SetupFileMissing": "安裝目錄中缺少檔案 %1。請修正問題,或重新取得程式的新複本。",
+ "SetupFileCorrupt": "安裝程式檔案已損毀。請重新取得該程式的複本。",
+ "SetupFileCorruptOrWrongVer": "安裝程式檔案已損毀,或不相容於與此版的安裝程式。請修正問題,或重新取得程式的新複本。",
+ "InvalidParameter": "在命令列上傳遞了無效的參數:%n%n%1",
+ "SetupAlreadyRunning": "安裝程式已在執行中。",
+ "WindowsVersionNotSupported": "此程式不支援電腦所執行的 Windows 版本。",
+ "WindowsServicePackRequired": "此程式需要 %1 Service Pack %2 或更新版本。",
+ "NotOnThisPlatform": "此程式不會在 %1 上執行。",
+ "OnlyOnThisPlatform": "此程式必須在 %1 上執行。",
+ "OnlyOnTheseArchitectures": "此程式只可安裝在專為下列處理器架構設計的 Windows 版本上:%n%n%1",
+ "MissingWOW64APIs": "您執行的 Windows 版本不含安裝程式執行 64 位元安裝所需的功能。若要修正此問題,請安裝 Service Pack %1。",
+ "WinVersionTooLowError": "此程式需要 %1 版 %2 或更新版本。",
+ "WinVersionTooHighError": "此程式無法安裝在 %1 版 %2 或更新版本上。",
+ "AdminPrivilegesRequired": "安裝此程式時,必須以系統管理員身分登入。",
+ "PowerUserPrivilegesRequired": "當您安裝此程式時,必須以系統管理員或 Power Users 群組的成員身分登入。",
+ "SetupAppRunningError": "安裝時偵測到 %1 目前正在執行中。%n%n請立即關閉其所有執行個體。若要繼續,請按一下 [確定]; 若要結束,請按一下 [取消]。",
+ "UninstallAppRunningError": "解除安裝時偵測到 %1 目前正在執行中。%n%n請立即關閉其所有執行個體。若要繼續,請按一下 [確定]; 若要結束,請按一下 [取消]。",
+ "ErrorCreatingDir": "安裝程式無法建立目錄 \"%1\"",
+ "ErrorTooManyFilesInDir": "因為目錄 \"%1\" 包含太多檔案,所以無法在其中建立檔案",
+ "ExitSetupTitle": "結束安裝",
+ "ExitSetupMessage": "安裝未完成。若立即結束,將不會安裝程式。%n%n您可以稍後再執行安裝程式來完成安裝。%n%n要結束安裝嗎?",
+ "AboutSetupMenuItem": "關於安裝程式(&A)...",
+ "AboutSetupTitle": "關於安裝程式",
+ "AboutSetupMessage": "%1 版 %2%n%3%n%n%1 首頁:%n%4",
+ "ButtonBack": "< 上一步(&B)",
+ "ButtonNext": "下一步 >(&N)",
+ "ButtonInstall": "安裝(&I)",
+ "ButtonOK": "確定",
+ "ButtonCancel": "取消",
+ "ButtonYes": "是(&Y)",
+ "ButtonYesToAll": "全部皆是(&A)",
+ "ButtonNo": "否(&N)",
+ "ButtonNoToAll": "全部皆否(&O)",
+ "ButtonFinish": "完成(&F)",
+ "ButtonBrowse": "瀏覽(&B)...",
+ "ButtonWizardBrowse": "瀏覽(&R)...",
+ "ButtonNewFolder": "建立新資料夾(&M)",
+ "SelectLanguageTitle": "選取安裝程式語言",
+ "SelectLanguageLabel": "選取安裝期間所要使用的語言:",
+ "ClickNext": "若要繼續,請按一下 [下一步]; 若要結束安裝,請按一下 [取消]。",
+ "BrowseDialogTitle": "瀏覽資料夾",
+ "BrowseDialogLabel": "請從下列清單中選取資料夾,然後按一下 [確定]。",
+ "NewFolderName": "新資料夾",
+ "WelcomeLabel1": "歡迎使用 [name] 安裝精靈",
+ "WelcomeLabel2": "這會在您的電腦上安裝 [name/ver]。%n%n建議您先關閉所有其他應用程式,然後再繼續。",
+ "WizardPassword": "密碼",
+ "PasswordLabel1": "此安裝受密碼保護。",
+ "PasswordLabel3": "請提供密碼,然後按一下 [下一步] 以繼續。密碼區分大小寫。",
+ "PasswordEditLabel": "密碼(&P):",
+ "IncorrectPassword": "輸入的密碼不正確。請再試一次。",
+ "WizardLicense": "授權合約",
+ "LicenseLabel": "請先閱讀下列重要資訊再繼續。",
+ "LicenseLabel3": "請閱讀下列授權合約。您必須接受此合約條款,才能繼續安裝。",
+ "LicenseAccepted": "我接受合約(&A)",
+ "LicenseNotAccepted": "我不接受合約(&D)",
+ "WizardInfoBefore": "資訊",
+ "InfoBeforeLabel": "請先閱讀下列重要資訊再繼續。",
+ "InfoBeforeClickLabel": "當您準備好繼續安裝,請按一下 [下一步]。",
+ "WizardInfoAfter": "資訊",
+ "InfoAfterLabel": "請先閱讀下列重要資訊再繼續。",
+ "InfoAfterClickLabel": "當您準備好繼續安裝,請按一下 [下一步]。",
+ "WizardUserInfo": "使用者資訊",
+ "UserInfoDesc": "請輸入您的資訊。",
+ "UserInfoName": "使用者名稱(&U):",
+ "UserInfoOrg": "組織(&O):",
+ "UserInfoSerial": "序號(&S):",
+ "UserInfoNameRequired": "您必須輸入名稱。",
+ "WizardSelectDir": "選取目的地位置",
+ "SelectDirDesc": "應將 [name] 安裝在何處?",
+ "SelectDirLabel3": "安裝程式會將 [name] 安裝在下列資料夾中。",
+ "SelectDirBrowseLabel": "若要繼續,請按一下 [下一步]。若要選取其他資料夾,請按一下 [瀏覽]。",
+ "DiskSpaceMBLabel": "至少須有 [mb] MB 的可用磁碟空間。",
+ "CannotInstallToNetworkDrive": "安裝程式無法安裝到網路磁碟機。",
+ "CannotInstallToUNCPath": "安裝程式無法安裝到 UNC 路徑。",
+ "InvalidPath": "必須輸入包含磁碟機代號的完整路徑,例如:%n%nC:\\APP%n%n或輸入下列格式的 UNC 路徑:%n%n\\\\伺服器\\共用",
+ "InvalidDrive": "選取的磁碟機或 UNC 共用不存在或無法存取。請選取其他磁碟機或 UNC 共用。",
+ "DiskSpaceWarningTitle": "磁碟空間不足",
+ "DiskSpaceWarning": "安裝程式至少需要 %1 KB 的可用空間才能安裝,但所選磁碟機的可用空間只有 %2 KB。%n%n仍要繼續嗎?",
+ "DirNameTooLong": "資料夾名稱或路徑過長。",
+ "InvalidDirName": "此資料夾名稱無效。",
+ "BadDirName32": "資料夾名稱不得包含下列任一字元:%n%n%1",
+ "DirExistsTitle": "資料夾已存在",
+ "DirExists": "已有資料夾 %n%n%1%n%n。仍要安裝到該資料夾嗎?",
+ "DirDoesntExistTitle": "資料夾不存在",
+ "DirDoesntExist": "資料夾 %n%n%1%n%n 不存在。要建立該資料夾嗎?",
+ "WizardSelectComponents": "選取元件",
+ "SelectComponentsDesc": "應安裝哪些元件?",
+ "SelectComponentsLabel2": "選取您要安裝的元件; 清除您不要安裝的元件。當您準備好要繼續時,請按一下 [下一步]。",
+ "FullInstallation": "完整安裝",
+ "CompactInstallation": "精簡安裝",
+ "CustomInstallation": "自訂安裝",
+ "NoUninstallWarningTitle": "已有此元件",
+ "NoUninstallWarning": "安裝程式偵測到您的電腦已安裝了下列元件:%n%n%1%n%n將這些元件取消選取並不會使元件解除安裝。%n%n仍要繼續嗎?",
+ "ComponentSize1": "%1 KB",
+ "ComponentSize2": "%1 MB",
+ "ComponentsDiskSpaceMBLabel": "目前的選擇至少需要 [mb] MB 的磁碟空間。",
+ "WizardSelectTasks": "選取其他工作",
+ "SelectTasksDesc": "還須執行哪些其他工作?",
+ "SelectTasksLabel2": "請選取安裝程式在安裝 [name] 時,須額外執行的其他工作,然後按一下 [下一步]。",
+ "WizardSelectProgramGroup": "選取 [開始] 功能表資料夾",
+ "SelectStartMenuFolderDesc": "安裝程式應將程式捷徑置於何處?",
+ "SelectStartMenuFolderLabel3": "安裝程式將在下列 [開始] 功能表資料夾中建立程式捷徑。",
+ "SelectStartMenuFolderBrowseLabel": "若要繼續,請按一下 [下一步]。若要選取其他資料夾,請按一下 [瀏覽]。",
+ "MustEnterGroupName": "您必須輸入資料夾名稱。",
+ "GroupNameTooLong": "資料夾名稱或路徑過長。",
+ "InvalidGroupName": "此資料夾名稱無效。",
+ "BadGroupName": "資料夾名稱不得包含下列任一字元:%n%n%1",
+ "NoProgramGroupCheck2": "不要建立 [開始] 功能表資料夾(&D)",
+ "WizardReady": "已可開始安裝",
+ "ReadyLabel1": "安裝程式現在已可開始將 [name] 安裝到您的電腦上。",
+ "ReadyLabel2a": "若要繼續安裝,請按一下 [安裝]; 若要檢閱或變更任何設定,請按一下 [上一步]。",
+ "ReadyLabel2b": "若要繼續安裝,請按一下 [安裝]。",
+ "ReadyMemoUserInfo": "使用者資訊:",
+ "ReadyMemoDir": "目的地位置:",
+ "ReadyMemoType": "安裝類型:",
+ "ReadyMemoComponents": "選取的元件:",
+ "ReadyMemoGroup": "[開始] 功能表資料夾:",
+ "ReadyMemoTasks": "其他工作:",
+ "WizardPreparing": "正在準備安裝",
+ "PreparingDesc": "安裝程式正在準備將 [name] 安裝到您的電腦上。",
+ "PreviousInstallNotCompleted": "上一個程式的安裝/移除尚未完成。必須重新啟動電腦,才能完成該安裝。%n%n請在重新啟動電腦之後,重新執行安裝程式,以完成 [name] 的安裝。",
+ "CannotContinue": "安裝程式無法繼續。請按一下 [取消] 以結束。",
+ "ApplicationsFound": "安裝程式必須更新下列應用程式正在使用的一些檔案。建議您允許安裝程式自動關閉這些應用程式。",
+ "ApplicationsFound2": "安裝程式必須更新下列應用程式正在使用的一些檔案。建議您允許安裝程式自動關閉這些應用程式。當安裝完成之後,安裝程式將會嘗試重新啟動這些應用程式。",
+ "CloseApplications": "自動關閉應用程式(&A)",
+ "DontCloseApplications": "不要關閉應用程式(&D)",
+ "ErrorCloseApplications": "安裝程式無法自動關閉所有應用程式。建議您關閉所有正在使用安裝程式必須更新之檔案的應用程式,然後再繼續。",
+ "WizardInstalling": "正在安裝",
+ "InstallingLabel": "請稍候,安裝程式正在將 [name] 安裝到您的電腦上。",
+ "FinishedHeadingLabel": "正在完成 [name] 安裝精靈",
+ "FinishedLabelNoIcons": "安裝程式已完成您電腦上 [name] 的安裝。",
+ "FinishedLabel": "安裝程式已完成您電腦上 [名稱] 的安裝。您可選取所安裝的圖示啟動應用程式。",
+ "ClickFinish": "請按一下 [\\[]完成[\\]] 結束安裝程式。",
+ "FinishedRestartLabel": "安裝程式必須重新啟動您的電腦,才能完成 [name] 的安裝。要立即重新啟動嗎?",
+ "FinishedRestartMessage": "安裝程式必須重新啟動您的電腦,才能完成 [name] 的安裝。%n%n要立即重新啟動嗎?",
+ "ShowReadmeCheck": "是,我要檢視讀我檔案",
+ "YesRadio": "是,立即重新啟動電腦(&Y)",
+ "NoRadio": "否,稍候再重新啟動電腦(&N)",
+ "RunEntryExec": "執行 %1",
+ "RunEntryShellExec": "檢視 %1",
+ "ChangeDiskTitle": "安裝程式需要下一張磁片。",
+ "SelectDiskLabel2": "請插入磁片 %1,然後按一下 [確定]。%n%n若此磁片上的檔案可以在下列顯示之資料夾以外的資料夾中找到,請輸入正確的路徑,或按一下 [瀏覽]。",
+ "PathLabel": "路徑(&P):",
+ "FileNotInDir2": "在 \"%2\" 中找不到檔案 \"%1\"。請插入正確的磁片,或選取其他資料夾。",
+ "SelectDirectoryLabel": "請指定下一張磁片的位置。",
+ "SetupAborted": "安裝未安成。%n%n請修正問題,再重新執行安裝程式。",
+ "EntryAbortRetryIgnore": "若要再試一次,請按一下 [重試]; 若要繼續,請按一下 [忽略]; 若要取消安裝,請按一下 [中止]。",
+ "StatusClosingApplications": "正在關閉應用程式...",
+ "StatusCreateDirs": "正在建立目錄...",
+ "StatusExtractFiles": "正在解壓縮檔案...",
+ "StatusCreateIcons": "正在建立捷徑...",
+ "StatusCreateIniEntries": "正在建立 INI 項目...",
+ "StatusCreateRegistryEntries": "正在建立登錄項目...",
+ "StatusRegisterFiles": "正在登錄檔案...",
+ "StatusSavingUninstall": "正在儲存解除安裝資訊...",
+ "StatusRunProgram": "正在完成安裝...",
+ "StatusRestartingApplications": "正在重新啟動應用程式...",
+ "StatusRollback": "正在復原變更...",
+ "ErrorInternal2": "內部錯誤: %1",
+ "ErrorFunctionFailedNoCode": "%1 失敗",
+ "ErrorFunctionFailed": "%1 失敗; 代碼 %2",
+ "ErrorFunctionFailedWithMessage": "%1 失敗; 代碼 %2。%n%3",
+ "ErrorExecutingProgram": "無法執行檔案:%n%1",
+ "ErrorRegOpenKey": "開啟登錄機碼時發生錯誤:%n%1\\%2",
+ "ErrorRegCreateKey": "建立登錄機碼時發生錯誤:%n%1\\%2",
+ "ErrorRegWriteKey": "寫入登錄機碼時發生錯誤:%n%1\\%2",
+ "ErrorIniEntry": "在檔案 \"%1\" 中建立 INI 項目時發生錯誤。",
+ "FileAbortRetryIgnore": "若要再試一次,請按一下 [重試]; 若要略過此檔案,請按一下 [忽略] (不建議使用); 若要取消安裝,請按一下 [中止]。",
+ "FileAbortRetryIgnore2": "若要再試一次,請按一下 [重試]; 若要繼續,請按一下 [忽略] (不建議使用); 若要取消安裝,請按一下 [中止]。",
+ "SourceIsCorrupted": "原始程式檔已損毀",
+ "SourceDoesntExist": "原始程式檔 \"%1\" 不存在",
+ "ExistingFileReadOnly": "現有檔案已標記為唯讀。%n%n若要移除唯讀屬性,然後再試一次,請按一下 [重試]; 若要略過此檔案,請按一下 [忽略]; 若要取消安裝,請按一下 [中止]。",
+ "ErrorReadingExistingDest": "嘗試讀取現有檔案時發生錯誤:",
+ "FileExists": "已有此檔案。%n%n要由安裝程式加以覆寫嗎?",
+ "ExistingFileNewer": "現有檔案較安裝程式嘗試安裝的檔案新。建議您保留現有檔案。%n%n要保留現有的檔案嗎?",
+ "ErrorChangingAttr": "嘗試變更現有檔案的屬性時發生錯誤:",
+ "ErrorCreatingTemp": "嘗試在目的地目錄中建立檔案時發生錯誤:",
+ "ErrorReadingSource": "嘗試讀取原始程式檔時發生錯誤:",
+ "ErrorCopying": "嘗試複製檔案時發生錯誤:",
+ "ErrorReplacingExistingFile": "嘗試取代現有檔案時發生錯誤:",
+ "ErrorRestartReplace": "RestartReplace 失敗:",
+ "ErrorRenamingTemp": "嘗試重新命名目的地目錄中的檔案時發生錯誤:",
+ "ErrorRegisterServer": "無法登錄 DLL/OCX: %1",
+ "ErrorRegSvr32Failed": "RegSvr32 失敗,結束代碼為 %1",
+ "ErrorRegisterTypeLib": "無法登錄類型程式庫: %1",
+ "ErrorOpeningReadme": "嘗試開啟讀我檔案時發生錯誤。",
+ "ErrorRestartingComputer": "安裝程式無法重新啟動電腦。請手動執行此作業。",
+ "UninstallNotFound": "沒有檔案 \"%1\"。無法解除安裝。",
+ "UninstallOpenError": "無法開啟檔案 \"%1\"。無法解除安裝",
+ "UninstallUnsupportedVer": "此版解除安裝程式無法辨識解除安裝記錄檔 \"%1\" 的格式。無法解除安裝",
+ "UninstallUnknownEntry": "在解除安裝記錄中找到不明的項目 (%1)",
+ "ConfirmUninstall": "確定要完全移除 %1 嗎? 將不會移除延伸模組和設定。",
+ "UninstallOnlyOnWin64": "只可在 64 位元 Windows 上解除安裝此安裝。",
+ "OnlyAdminCanUninstall": "只有具備系統管理權限的使用者,才能解除安裝此安裝。",
+ "UninstallStatusLabel": "正在從您的電腦移除 %1,請稍候。",
+ "UninstalledAll": "已成功從您的電腦移除 %1。",
+ "UninstalledMost": "解除安裝 %1 已完成。%n%n有部分項目無法移除。您可以手動加以移除。",
+ "UninstalledAndNeedsRestart": "若要完成 %1 的解除安裝,必須重新啟動您的電腦。%n%n要立即重新啟動嗎?",
+ "UninstallDataCorrupted": "\"%1\" 檔案已損毀。無法解除安裝",
+ "ConfirmDeleteSharedFileTitle": "要移除共用檔案嗎?",
+ "ConfirmDeleteSharedFile2": "系統指出已無任何程式在使用下列共用檔案。您要解除安裝,以移除此共用檔案嗎?%n%n如有任何程式仍在使用此檔案而將該檔案移除,這些程式可能無法正常運作。若不確定,請選擇 [否]。將檔案保留在系統上並不會造成任何不良影響。",
+ "SharedFileNameLabel": "檔案名稱:",
+ "SharedFileLocationLabel": "位置:",
+ "WizardUninstalling": "解除安裝狀態",
+ "StatusUninstalling": "正在解除安裝 %1...",
+ "ShutdownBlockReasonInstallingApp": "正在安裝 %1。",
+ "ShutdownBlockReasonUninstallingApp": "正在解除安裝 %1。",
+ "NameAndVersion": "%1 版 %2",
+ "AdditionalIcons": "其他圖示:",
+ "CreateDesktopIcon": "建立桌面圖示(&D)",
+ "CreateQuickLaunchIcon": "建立快速啟動圖示(&Q)",
+ "ProgramOnTheWeb": "Web 上的 %1",
+ "UninstallProgram": "解除安裝 %1",
+ "LaunchProgram": "啟動 %1",
+ "AssocFileExtension": "關聯 %1 與 %2 副檔名(&A)",
+ "AssocingFileExtension": "正在建立 %1 與 %2 副檔名的關聯…",
+ "AutoStartProgramGroupDescription": "啟動:",
+ "AutoStartProgram": "自動啟動 %1",
+ "AddonHostProgramNotFound": "在選取的資料夾中找不到 %1。%n%n仍要繼續嗎?"
+ }
+}
diff --git a/internal/vite-plugin-monaco-editor-nls/tsconfig.json b/internal/vite-plugin-monaco-editor-nls/tsconfig.json
new file mode 100644
index 0000000..4f9a0bd
--- /dev/null
+++ b/internal/vite-plugin-monaco-editor-nls/tsconfig.json
@@ -0,0 +1,15 @@
+{
+ "compilerOptions": {
+ "declaration": true,
+ "lib": ["esnext"],
+ "moduleResolution": "node",
+ "noUnusedLocals": true,
+ "outDir": "dist",
+ "strict": true,
+ "target": "esnext",
+ "module": "UMD",
+ "esModuleInterop": true,
+ "skipLibCheck": true
+ },
+ "include": ["src"]
+}
diff --git a/internal/vscode-language-pack-zh-hans/README.md b/internal/vscode-language-pack-zh-hans/README.md
new file mode 100644
index 0000000..dacb448
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/README.md
@@ -0,0 +1,135 @@
+# 适用于 VS Code 的中文(简体)语言包
+
+此中文(简体)语言包为 VS Code 提供本地化界面。
+
+## 使用方法
+
+通过使用“Configure Display Language”命令显式设置 VS Code 显示语言,可以替代默认 UI 语言。
+按下“Ctrl+Shift+P”组合键以显示“命令面板”,然后键入“display”以筛选并显示“Configure Display Language”命令。按“Enter”,然后会按区域设置显示安装的语言列表,并突出显示当前语言设置。选择另一个“语言”以切换 UI 语言。
+请参阅[文档](https://go.microsoft.com/fwlink/?LinkId=761051)并获取更多信息。
+
+## 参与
+
+有关翻译改进的反馈,请在 [vscode-loc](https://github.com/microsoft/vscode-loc) 存储库中创建问题。
+翻译字符串在 Microsoft 本地化平台中维护。只能在 Microsoft 本地化平台中进行更改,然后才能导出到 vscode-loc 存储库。因此,vscode-loc 存储库中不接受拉取请求。
+
+## 许可证
+
+源代码和字符串使用[MIT](https://github.com/Microsoft/vscode-loc/blob/master/LICENSE.md)许可进行授权。
+
+## 感谢
+
+此中文(简体)语言包是“来自社区,奉献社区”的社区本地化工作的成果。
+
+特别感谢社区中每一位向这个项目做出贡献的朋友。
+
+**杰出贡献者:**
+
+- Joel Yang:在此项目向社区开放之后,翻译了大部分新增字符串。先后翻译了 4 万余字。
+- Daniel Ye
+- Neng Xue
+
+**贡献者:**
+
+- YF
+- 陈嘉恺
+- pluwen
+- Shawn Dai
+- Ying Feng
+- Simon Chan
+- 王子实
+- 王韦煊
+- 王旭晨
+- Zijian Zhou
+- wwj403
+- Shizeng Zhou
+- Aifen Qin
+- lychichem
+- Wang Dongcheng
+- Yurui Zhang
+- DongWei
+- Bingxing Wang
+- 林昊
+- KingofCoding
+- 潘冬冬
+- 陈仁松
+- Henry Chu
+- Zhijian Zeng
+- aimin guo
+- 刘丁明
+- hackereric
+- Zou Jian
+- Jianfeng Fang
+- Ricky Wang
+- Egg Zhang
+
+**尽情享用吧!**
+
+# Chinese (Simplified) Language Pack for VS Code
+
+Chinese (Simplified) Language Pack provides localized UI experience for VS Code.
+
+## Usage
+
+You can override the default UI language by explicitly setting the VS Code display language using the **Configure Display Language** command.
+
+Press `Ctrl+Shift+P` to bring up the **Command Palette** then start typing `display` to filter and display the **Configure Display Language** command.
+
+Press `Enter` and a list of installed languages by locale is displayed, with the current locale highlighted. Select another `locale` to switch UI language.
+
+See [Docs](https://go.microsoft.com/fwlink/?LinkId=761051) for more information.
+
+## Contributing
+
+For feedback of translation improvement, please create Issue in [vscode-loc](https://github.com/microsoft/vscode-loc) repo.
+
+The translation strings are maintained in Microsoft Localization Platform. Change can only be made in Microsoft Localization Platform then export to vscode-loc repo. So pull request won't be accepted in vscode-loc repo.
+
+## License
+
+The source code and strings are licensed under the [MIT](https://github.com/Microsoft/vscode-loc/blob/master/LICENSE.md) license.
+
+## Credits
+
+Chinese (Simplified) Language Pack had received contribution through "By the community, for the community" community localization effort.
+
+Special thanks to community contributors for making it available.
+
+**Top Contributors:**
+
+- Joel Yang: localized majority of the new translation volume since open the project to community. Total 40k words localized.
+
+**Contributors:**
+
+- YF
+- 陈嘉恺
+- pluwen
+- Shawn Dai
+- Ying Feng
+- Simon Chan
+- 王子实
+- 王韦煊
+- Zijian Zhou
+- wwj403
+- Shizeng Zhou
+- Aifen Qin
+- lychichem
+- Wang Dongcheng
+- Yurui Zhang
+- DongWei
+- Bingxing Wang
+- 林昊
+- KingofCoding
+- 潘冬冬
+- 陈仁松
+- Henry Chu
+- Zhijian Zeng
+- aimin guo
+- 刘丁明
+- hackereric
+- Zou Jian
+- Jianfeng Fang
+- Ricky Wang
+- Egg Zhang
+
+**Enjoy!**
diff --git a/internal/vscode-language-pack-zh-hans/package.json b/internal/vscode-language-pack-zh-hans/package.json
new file mode 100644
index 0000000..6f993f4
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/package.json
@@ -0,0 +1,381 @@
+{
+ "name": "@cow-low-code/vscode-language-pack-zh-hans",
+ "displayName": "Chinese (Simplified) (简体中文) Language Pack for Visual Studio Code",
+ "version": "1.70.1",
+ "description": "Language pack extension for Chinese (Simplified)",
+ "publisher": "MS-CEINTL",
+ "license": "SEE MIT LICENSE IN LICENSE.md",
+ "repository": {
+ "type": "git",
+ "url": "https://github.com/Microsoft/vscode-loc"
+ },
+ "scripts": {
+ "update": "cd ../vscode && npm run update-localization-extension zh-hans"
+ },
+ "engines": {
+ "vscode": "^1.70.0"
+ },
+ "icon": "languagepack.png",
+ "categories": [
+ "Language Packs"
+ ],
+ "contributes": {
+ "localizations": [
+ {
+ "languageId": "zh-cn",
+ "languageName": "Chinese Simplified",
+ "localizedLanguageName": "中文(简体)",
+ "translations": [
+ {
+ "id": "vscode",
+ "path": "./translations/main.i18n.json"
+ },
+ {
+ "id": "vscode.bat",
+ "path": "./translations/extensions/bat.i18n.json"
+ },
+ {
+ "id": "vscode.clojure",
+ "path": "./translations/extensions/clojure.i18n.json"
+ },
+ {
+ "id": "vscode.coffeescript",
+ "path": "./translations/extensions/coffeescript.i18n.json"
+ },
+ {
+ "id": "vscode.configuration-editing",
+ "path": "./translations/extensions/configuration-editing.i18n.json"
+ },
+ {
+ "id": "vscode.cpp",
+ "path": "./translations/extensions/cpp.i18n.json"
+ },
+ {
+ "id": "vscode.csharp",
+ "path": "./translations/extensions/csharp.i18n.json"
+ },
+ {
+ "id": "vscode.css-language-features",
+ "path": "./translations/extensions/css-language-features.i18n.json"
+ },
+ {
+ "id": "vscode.css",
+ "path": "./translations/extensions/css.i18n.json"
+ },
+ {
+ "id": "vscode.dart",
+ "path": "./translations/extensions/dart.i18n.json"
+ },
+ {
+ "id": "vscode.debug-auto-launch",
+ "path": "./translations/extensions/debug-auto-launch.i18n.json"
+ },
+ {
+ "id": "vscode.debug-server-ready",
+ "path": "./translations/extensions/debug-server-ready.i18n.json"
+ },
+ {
+ "id": "vscode.diff",
+ "path": "./translations/extensions/diff.i18n.json"
+ },
+ {
+ "id": "vscode.docker",
+ "path": "./translations/extensions/docker.i18n.json"
+ },
+ {
+ "id": "vscode.emmet",
+ "path": "./translations/extensions/emmet.i18n.json"
+ },
+ {
+ "id": "vscode.extension-editing",
+ "path": "./translations/extensions/extension-editing.i18n.json"
+ },
+ {
+ "id": "vscode.fsharp",
+ "path": "./translations/extensions/fsharp.i18n.json"
+ },
+ {
+ "id": "vscode.git-base",
+ "path": "./translations/extensions/git-base.i18n.json"
+ },
+ {
+ "id": "vscode.git",
+ "path": "./translations/extensions/git.i18n.json"
+ },
+ {
+ "id": "vscode.github-authentication",
+ "path": "./translations/extensions/github-authentication.i18n.json"
+ },
+ {
+ "id": "vscode.github",
+ "path": "./translations/extensions/github.i18n.json"
+ },
+ {
+ "id": "vscode.go",
+ "path": "./translations/extensions/go.i18n.json"
+ },
+ {
+ "id": "vscode.groovy",
+ "path": "./translations/extensions/groovy.i18n.json"
+ },
+ {
+ "id": "vscode.grunt",
+ "path": "./translations/extensions/grunt.i18n.json"
+ },
+ {
+ "id": "vscode.gulp",
+ "path": "./translations/extensions/gulp.i18n.json"
+ },
+ {
+ "id": "vscode.handlebars",
+ "path": "./translations/extensions/handlebars.i18n.json"
+ },
+ {
+ "id": "vscode.hlsl",
+ "path": "./translations/extensions/hlsl.i18n.json"
+ },
+ {
+ "id": "vscode.html-language-features",
+ "path": "./translations/extensions/html-language-features.i18n.json"
+ },
+ {
+ "id": "vscode.html",
+ "path": "./translations/extensions/html.i18n.json"
+ },
+ {
+ "id": "vscode.image-preview",
+ "path": "./translations/extensions/image-preview.i18n.json"
+ },
+ {
+ "id": "vscode.ini",
+ "path": "./translations/extensions/ini.i18n.json"
+ },
+ {
+ "id": "vscode.ipynb",
+ "path": "./translations/extensions/ipynb.i18n.json"
+ },
+ {
+ "id": "vscode.jake",
+ "path": "./translations/extensions/jake.i18n.json"
+ },
+ {
+ "id": "vscode.java",
+ "path": "./translations/extensions/java.i18n.json"
+ },
+ {
+ "id": "vscode.javascript",
+ "path": "./translations/extensions/javascript.i18n.json"
+ },
+ {
+ "id": "vscode.json-language-features",
+ "path": "./translations/extensions/json-language-features.i18n.json"
+ },
+ {
+ "id": "vscode.json",
+ "path": "./translations/extensions/json.i18n.json"
+ },
+ {
+ "id": "vscode.julia",
+ "path": "./translations/extensions/julia.i18n.json"
+ },
+ {
+ "id": "vscode.latex",
+ "path": "./translations/extensions/latex.i18n.json"
+ },
+ {
+ "id": "vscode.less",
+ "path": "./translations/extensions/less.i18n.json"
+ },
+ {
+ "id": "vscode.log",
+ "path": "./translations/extensions/log.i18n.json"
+ },
+ {
+ "id": "vscode.lua",
+ "path": "./translations/extensions/lua.i18n.json"
+ },
+ {
+ "id": "vscode.make",
+ "path": "./translations/extensions/make.i18n.json"
+ },
+ {
+ "id": "vscode.markdown-basics",
+ "path": "./translations/extensions/markdown-basics.i18n.json"
+ },
+ {
+ "id": "vscode.markdown-language-features",
+ "path": "./translations/extensions/markdown-language-features.i18n.json"
+ },
+ {
+ "id": "vscode.markdown-math",
+ "path": "./translations/extensions/markdown-math.i18n.json"
+ },
+ {
+ "id": "vscode.merge-conflict",
+ "path": "./translations/extensions/merge-conflict.i18n.json"
+ },
+ {
+ "id": "vscode.microsoft-authentication",
+ "path": "./translations/extensions/microsoft-authentication.i18n.json"
+ },
+ {
+ "id": "vscode.ms-vscode.js-debug",
+ "path": "./translations/extensions/ms-vscode.js-debug.i18n.json"
+ },
+ {
+ "id": "vscode.notebook-renderers",
+ "path": "./translations/extensions/notebook-renderers.i18n.json"
+ },
+ {
+ "id": "vscode.npm",
+ "path": "./translations/extensions/npm.i18n.json"
+ },
+ {
+ "id": "vscode.objective-c",
+ "path": "./translations/extensions/objective-c.i18n.json"
+ },
+ {
+ "id": "vscode.perl",
+ "path": "./translations/extensions/perl.i18n.json"
+ },
+ {
+ "id": "vscode.php-language-features",
+ "path": "./translations/extensions/php-language-features.i18n.json"
+ },
+ {
+ "id": "vscode.php",
+ "path": "./translations/extensions/php.i18n.json"
+ },
+ {
+ "id": "vscode.powershell",
+ "path": "./translations/extensions/powershell.i18n.json"
+ },
+ {
+ "id": "vscode.pug",
+ "path": "./translations/extensions/pug.i18n.json"
+ },
+ {
+ "id": "vscode.python",
+ "path": "./translations/extensions/python.i18n.json"
+ },
+ {
+ "id": "vscode.r",
+ "path": "./translations/extensions/r.i18n.json"
+ },
+ {
+ "id": "vscode.razor",
+ "path": "./translations/extensions/razor.i18n.json"
+ },
+ {
+ "id": "vscode.references-view",
+ "path": "./translations/extensions/references-view.i18n.json"
+ },
+ {
+ "id": "vscode.restructuredtext",
+ "path": "./translations/extensions/restructuredtext.i18n.json"
+ },
+ {
+ "id": "vscode.ruby",
+ "path": "./translations/extensions/ruby.i18n.json"
+ },
+ {
+ "id": "vscode.rust",
+ "path": "./translations/extensions/rust.i18n.json"
+ },
+ {
+ "id": "vscode.scss",
+ "path": "./translations/extensions/scss.i18n.json"
+ },
+ {
+ "id": "vscode.search-result",
+ "path": "./translations/extensions/search-result.i18n.json"
+ },
+ {
+ "id": "vscode.shaderlab",
+ "path": "./translations/extensions/shaderlab.i18n.json"
+ },
+ {
+ "id": "vscode.shellscript",
+ "path": "./translations/extensions/shellscript.i18n.json"
+ },
+ {
+ "id": "vscode.simple-browser",
+ "path": "./translations/extensions/simple-browser.i18n.json"
+ },
+ {
+ "id": "vscode.sql",
+ "path": "./translations/extensions/sql.i18n.json"
+ },
+ {
+ "id": "vscode.swift",
+ "path": "./translations/extensions/swift.i18n.json"
+ },
+ {
+ "id": "vscode.theme-abyss",
+ "path": "./translations/extensions/theme-abyss.i18n.json"
+ },
+ {
+ "id": "vscode.theme-defaults",
+ "path": "./translations/extensions/theme-defaults.i18n.json"
+ },
+ {
+ "id": "vscode.theme-kimbie-dark",
+ "path": "./translations/extensions/theme-kimbie-dark.i18n.json"
+ },
+ {
+ "id": "vscode.theme-monokai-dimmed",
+ "path": "./translations/extensions/theme-monokai-dimmed.i18n.json"
+ },
+ {
+ "id": "vscode.theme-monokai",
+ "path": "./translations/extensions/theme-monokai.i18n.json"
+ },
+ {
+ "id": "vscode.theme-quietlight",
+ "path": "./translations/extensions/theme-quietlight.i18n.json"
+ },
+ {
+ "id": "vscode.theme-red",
+ "path": "./translations/extensions/theme-red.i18n.json"
+ },
+ {
+ "id": "vscode.theme-seti",
+ "path": "./translations/extensions/theme-seti.i18n.json"
+ },
+ {
+ "id": "vscode.theme-solarized-dark",
+ "path": "./translations/extensions/theme-solarized-dark.i18n.json"
+ },
+ {
+ "id": "vscode.theme-solarized-light",
+ "path": "./translations/extensions/theme-solarized-light.i18n.json"
+ },
+ {
+ "id": "vscode.theme-tomorrow-night-blue",
+ "path": "./translations/extensions/theme-tomorrow-night-blue.i18n.json"
+ },
+ {
+ "id": "vscode.typescript-basics",
+ "path": "./translations/extensions/typescript-basics.i18n.json"
+ },
+ {
+ "id": "vscode.typescript-language-features",
+ "path": "./translations/extensions/typescript-language-features.i18n.json"
+ },
+ {
+ "id": "vscode.vb",
+ "path": "./translations/extensions/vb.i18n.json"
+ },
+ {
+ "id": "vscode.xml",
+ "path": "./translations/extensions/xml.i18n.json"
+ },
+ {
+ "id": "vscode.yaml",
+ "path": "./translations/extensions/yaml.i18n.json"
+ }
+ ]
+ }
+ ]
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/bat.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/bat.i18n.json
new file mode 100644
index 0000000..1efc834
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/bat.i18n.json
@@ -0,0 +1,16 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "package": {
+ "description": "在 Windows 批处理文件中提供代码片段、语法高亮、括号匹配和折叠功能。",
+ "displayName": "Windows 批处理语言基础功能"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/clojure.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/clojure.i18n.json
new file mode 100644
index 0000000..4826242
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/clojure.i18n.json
@@ -0,0 +1,16 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "package": {
+ "description": "在 Clojure 文件中提供语法高亮和括号匹配功能。",
+ "displayName": "Clojure 语言基础功能"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/coffeescript.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/coffeescript.i18n.json
new file mode 100644
index 0000000..aadf909
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/coffeescript.i18n.json
@@ -0,0 +1,16 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "package": {
+ "description": "在 CoffeeScript 文件中提供代码片段、语法高亮、括号匹配和折叠功能。",
+ "displayName": "CoffeeScript 语言基础功能"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/configuration-editing.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/configuration-editing.i18n.json
new file mode 100644
index 0000000..cff4f71
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/configuration-editing.i18n.json
@@ -0,0 +1,70 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "dist/configurationEditingMain": {
+ "cwd": "启动时任务运行程序的当前工作目录",
+ "defaultBuildTask": "默认生成任务的名称。如果没有单个默认生成任务,则将显示快速选取以选择生成任务。",
+ "extensionInstallFolder": "安装扩展的路径。",
+ "file": "当前打开的文件",
+ "fileBasename": "当前打开的文件的文件名",
+ "fileBasenameNoExtension": "当前打开的文件的文件名 (不包含文件扩展名)",
+ "fileDirname": "当前打开的文件的完整目录名",
+ "fileExtname": "当前打开文件的扩展名",
+ "lineNumber": "活动文件中当前选定行的行号",
+ "pathSeparator": "操作系统用于在文件路径中分隔组件的字符",
+ "relativeFile": "相对于 ${workspaceFolder},当前打开的文件路径",
+ "relativeFileDirname": "当前打开的文件与 ${workspaceFolder} 相对的目录名",
+ "selectedText": "当前在活动文件中选定的文本",
+ "workspaceFolder": "在 VS Code 中打开的文件夹的路径",
+ "workspaceFolderBasename": "在 VS Code 中打开的文件夹的名称 (不包含任何斜杠 \"/\" )"
+ },
+ "dist/extensionsProposals": {
+ "exampleExtension": "示例"
+ },
+ "dist/settingsDocumentHelper": {
+ "activeEditor": "使用当前活动的文本编辑器的语言(如果有)",
+ "activeEditorLong": "文件的完整路径(例如,/Users/Development/myFolder/myFileFolder/myFile.txt)",
+ "activeEditorMedium": "文件相对于工作区文件夹的路径(例如 myFolder/myFileFolder/myFile.txt)",
+ "activeEditorShort": "文件名 (例如 myFile.txt)",
+ "activeFolderLong": "包含文件的文件夹的完整路径(例如,/Users/Development/myFolder/myFileFolder)",
+ "activeFolderMedium": "文件所在的文件夹的路径,相对于工作区文件夹(例如 myFolder/myFileFolder)",
+ "activeFolderShort": "包含文件的文件夹的名称(例如 myFileFolder)。",
+ "appName": "例如 VS Code",
+ "assocDescriptionFile": "将所有匹配其文件名内的 glob 模式的文件映射到具有给定标识符的语言。",
+ "assocDescriptionPath": "将所有匹配其路径内绝对路径 glob 模式的文件映射到具有给定标识符的语言。",
+ "assocLabelFile": "带扩展名的文件",
+ "assocLabelPath": "带路径的文件",
+ "derivedDescription": "与具有名称相同但扩展名不同的同级文件的文件匹配。",
+ "derivedLabel": "具有同级文件的文件(按名称)",
+ "dirty": "表明活动编辑器具有未保存更改的时间的指示器",
+ "fileDescription": "与具有特定文件扩展名的所有文件匹配。",
+ "fileLabel": "按扩展名的文件",
+ "filesDescription": "与具有任意文件扩展名的所有文件匹配。",
+ "filesLabel": "具有多个扩展名的文件",
+ "folderDescription": "与任意位置具有特定名称的文件夹匹配。",
+ "folderLabel": "按名称的文件夹(任意位置)",
+ "folderName": "文件所在工作区文件夹的名称 (例如 myFolder)",
+ "folderPath": "文件所在工作区文件夹的路径 (例如 /Users/Development/myFolder)",
+ "remoteName": "例如 SSH",
+ "rootName": "工作区名称 (例如 myFolder 或 myWorkspace)",
+ "rootPath": "工作区路径 (例如 /Users/Development/myWorkspace)",
+ "separator": "一个条件分隔符(\"-\"),仅在左右是具有值的变量时才显示",
+ "siblingsDescription": "与具有名称相同但扩展名不同的同级文件的文件匹配。",
+ "topFolderDescription": "与具有特定名称的顶级文件夹匹配。",
+ "topFolderLabel": "按名称的文件夹(顶级)",
+ "topFoldersDescription": "与多个顶级文件夹匹配。",
+ "topFoldersLabel": "使用多个名称的文件夹(顶级)"
+ },
+ "package": {
+ "description": "在配置文件 (如设置、启动和扩展推荐文件) 中提供高级 IntelliSense、自动修复等功能",
+ "displayName": "配置编辑"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/cpp.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/cpp.i18n.json
new file mode 100644
index 0000000..26294e5
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/cpp.i18n.json
@@ -0,0 +1,16 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "package": {
+ "description": "在 C/C++ 文件中提供代码片段、语法高亮、括号匹配和折叠功能。",
+ "displayName": "C/C++ 语言基础功能"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/csharp.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/csharp.i18n.json
new file mode 100644
index 0000000..8013aca
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/csharp.i18n.json
@@ -0,0 +1,16 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "package": {
+ "description": "在 C# 文件中提供代码片段、语法高亮、括号匹配和折叠功能。",
+ "displayName": "C# 语言基础功能"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/css-language-features.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/css-language-features.i18n.json
new file mode 100644
index 0000000..90899bd
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/css-language-features.i18n.json
@@ -0,0 +1,128 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "client\\dist\\node/cssClient": {
+ "cssserver.name": "CSS 语言服务器",
+ "folding.end": "折叠区域结束",
+ "folding.start": "折叠区域开始"
+ },
+ "package": {
+ "css.colorDecorators.enable.deprecationMessage": "已弃用设置 \"css.colorDecorators.enable\",请改用 \"editor.colorDecorators\"。",
+ "css.completion.completePropertyWithSemicolon.desc": "补全 CSS 属性时在行尾插入分号。",
+ "css.completion.triggerPropertyValueCompletion.desc": "默认情况下,VS Code 在选择 CSS 属性后触发属性值完成。使用此设置可禁用此行为。",
+ "css.customData.desc": "一个相对文件路径列表,这些路径指向采用[自定义数据格式](https://github.com/microsoft/vscode-css-languageservice/blob/master/docs/customData.md)的 JSON 文件。\r\n\r\nVS Code 在启动时加载自定义数据,从而增强它对你在 JSON 文件中指定的自定义 CSS 属性、at 指令、伪类和伪元素的 CSS 支持。\r\n\r\n这些文件路径与工作区相对,且只考虑工作区文件夹设置。",
+ "css.format.braceStyle.desc": "将大括号放在规则的同一行(`折叠`)或将大括号放在自己所在行上(`展开`)。",
+ "css.format.enable.desc": "启用/禁用默认的 CSS 格式化程序。",
+ "css.format.maxPreserveNewLines.desc": "启用 `#css.format.preserveNewLines#` 后要在一个区块中保留的最大换行符数。",
+ "css.format.newlineBetweenRules.desc": "用空白行分隔规则集。",
+ "css.format.newlineBetweenSelectors.desc": "用新行分隔选择器。",
+ "css.format.preserveNewLines.desc": "是否应保留元素之前的现有换行符。",
+ "css.format.spaceAroundSelectorSeparator.desc": "确保选择器分隔符 '>'、'+'、'~' (例如 `a > b`)周围有空格字符。",
+ "css.hover.documentation": "在 CSS 悬停时显示标记和属性文档。",
+ "css.hover.references": "在 CSS 悬停时显示 MDN 的引用。",
+ "css.lint.argumentsInColorFunction.desc": "参数数目无效。",
+ "css.lint.boxModel.desc": "在使用 `padding` 或 `border` 时,不要使用 `width` 或 `height`。",
+ "css.lint.compatibleVendorPrefixes.desc": "使用厂商特定的前缀时,同时添加所有其他厂商特定的属性。",
+ "css.lint.duplicateProperties.desc": "不要使用重复的样式定义。",
+ "css.lint.emptyRules.desc": "不要使用空规则集。",
+ "css.lint.float.desc": "避免使用 `float`。浮动会使 CSS 变得脆弱。即使只更改了一部分布局,也很容易造成破坏。",
+ "css.lint.fontFaceProperties.desc": "`@font-face` 规则必须定义 `src` 和 `font-family` 属性。",
+ "css.lint.hexColorLength.desc": "十六进制颜色必须由三个或六个十六进制数字组成。",
+ "css.lint.idSelector.desc": "选择器不应包含 ID,因为这些规则与 HTML 的耦合过于紧密。",
+ "css.lint.ieHack.desc": "仅在需要支持 IE7 及更低版本时,才需要 IE hack。",
+ "css.lint.importStatement.desc": "import 语句没有并行加载。",
+ "css.lint.important.desc": "避免使用 `!important`。它表明整个 CSS 的优先级已经失去控制且需要进行重构。",
+ "css.lint.propertyIgnoredDueToDisplay.desc": "由于 `display` 属性值,属性被忽略。例如,使用 `display: inline` 时,`width`、`height`、`margin-top`、`margin-bottom` 和 `float` 属性将不起作用。",
+ "css.lint.universalSelector.desc": "通配选择符 (`*`) 的运行效率低。",
+ "css.lint.unknownAtRules.desc": "未知的 @ 规则。",
+ "css.lint.unknownProperties.desc": "未知的属性。",
+ "css.lint.unknownVendorSpecificProperties.desc": "未知的供应商特定属性。",
+ "css.lint.validProperties.desc": "不根据 \"unknownProperties\" 规则进行验证的属性列表。",
+ "css.lint.vendorPrefix.desc": "使用厂商特定的前缀时,同时添加标准属性。",
+ "css.lint.zeroUnits.desc": "零不需要单位。",
+ "css.title": "CSS",
+ "css.trace.server.desc": "跟踪 VS Code 与 CSS 语言服务器之间的通信。",
+ "css.validate.desc": "启用或禁用所有验证。",
+ "css.validate.title": "控制 CSS 验证和问题严重性。",
+ "description": "为 CSS、LESS 和 SCSS 文件提供丰富的语言支持。",
+ "displayName": "CSS 语言功能",
+ "less.colorDecorators.enable.deprecationMessage": "已弃用设置 \"less.colorDecorators.enable\",请改用 \"editor.colorDecorators\"。",
+ "less.completion.completePropertyWithSemicolon.desc": "补全 CSS 属性时在行尾插入分号。",
+ "less.completion.triggerPropertyValueCompletion.desc": "默认情况下,VS Code 在选择 CSS 属性后触发属性值完成。使用此设置可禁用此行为。",
+ "less.format.braceStyle.desc": "将大括号放在规则的同一行(`折叠`)或将大括号放在自己所在行上(`展开`)。",
+ "less.format.enable.desc": "启用/禁用默认的 LESS 格式化程序。",
+ "less.format.maxPreserveNewLines.desc": "启用 `#less.format.preserveNewLines#` 后要在一个区块中保留的最大换行符数。",
+ "less.format.newlineBetweenRules.desc": "用空白行分隔规则集。",
+ "less.format.newlineBetweenSelectors.desc": "用新行分隔选择器。",
+ "less.format.preserveNewLines.desc": "是否应保留元素之前的现有换行符。",
+ "less.format.spaceAroundSelectorSeparator.desc": "确保选择器分隔符 '>'、'+'、'~' (例如 `a > b`)周围有空格字符。",
+ "less.hover.documentation": "在 LESS 悬停时显示标记和属性文档。",
+ "less.hover.references": "在 LESS 悬停时显示 MDN 的引用。",
+ "less.lint.argumentsInColorFunction.desc": "参数数目无效。",
+ "less.lint.boxModel.desc": "在使用 `padding` 或 `border` 时,不要使用 `width` 或 `height`。",
+ "less.lint.compatibleVendorPrefixes.desc": "使用厂商特定的前缀时,同时添加所有其他厂商特定的属性。",
+ "less.lint.duplicateProperties.desc": "不要使用重复的样式定义。",
+ "less.lint.emptyRules.desc": "不要使用空规则集。",
+ "less.lint.float.desc": "避免使用 `float`。浮动会使 CSS 变得脆弱。即使只更改了一部分布局,也很容易造成破坏。",
+ "less.lint.fontFaceProperties.desc": "`@font-face` 规则必须定义 `src` 和 `font-family` 属性。",
+ "less.lint.hexColorLength.desc": "十六进制颜色必须由三个或六个十六进制数字组成。",
+ "less.lint.idSelector.desc": "选择器不应包含 ID,因为这些规则与 HTML 的耦合过于紧密。",
+ "less.lint.ieHack.desc": "仅在需要支持 IE7 及更低版本时,才需要 IE hack。",
+ "less.lint.importStatement.desc": "import 语句没有并行加载。",
+ "less.lint.important.desc": "避免使用 `!important`。它表明整个 CSS 的优先级已经失去控制且需要进行重构。",
+ "less.lint.propertyIgnoredDueToDisplay.desc": "由于 `display` 属性值,属性被忽略。例如,使用 `display: inline` 时,`width`、`height`、`margin-top`、`margin-bottom` 和 `float` 属性将不起作用。",
+ "less.lint.universalSelector.desc": "通配选择符 (`*`) 的运行效率低。",
+ "less.lint.unknownAtRules.desc": "未知的 @ 规则。",
+ "less.lint.unknownProperties.desc": "未知的属性。",
+ "less.lint.unknownVendorSpecificProperties.desc": "未知的供应商特定属性。",
+ "less.lint.validProperties.desc": "不根据 \"unknownProperties\" 规则进行验证的属性列表。",
+ "less.lint.vendorPrefix.desc": "使用厂商特定的前缀时,同时添加标准属性。",
+ "less.lint.zeroUnits.desc": "零不需要单位。",
+ "less.title": "LESS",
+ "less.validate.desc": "启用或禁用所有验证。",
+ "less.validate.title": "控制 LESS 验证和问题严重性。",
+ "scss.colorDecorators.enable.deprecationMessage": "已弃用设置 \"scss.colorDecorators.enable\",请改用 \"editor.colorDecorators\"。",
+ "scss.completion.completePropertyWithSemicolon.desc": "补全 CSS 属性时在行尾插入分号。",
+ "scss.completion.triggerPropertyValueCompletion.desc": "默认情况下,VS Code 在选择 CSS 属性后触发属性值完成。使用此设置可禁用此行为。",
+ "scss.format.braceStyle.desc": "将大括号放在规则的同一行(`折叠`)或将大括号放在自己所在行上(`展开`)。",
+ "scss.format.enable.desc": "启用/禁用默认的 SCSS 格式化程序。",
+ "scss.format.maxPreserveNewLines.desc": "启用 `#scss.format.preserveNewLines#` 后要在一个区块中保留的最大换行符数。",
+ "scss.format.newlineBetweenRules.desc": "用空白行分隔规则集。",
+ "scss.format.newlineBetweenSelectors.desc": "用新行分隔选择器。",
+ "scss.format.preserveNewLines.desc": "是否应保留元素之前的现有换行符。",
+ "scss.format.spaceAroundSelectorSeparator.desc": "确保选择器分隔符 '>'、'+'、'~' (例如 `a > b`)周围有空格字符。",
+ "scss.hover.documentation": "在 SCSS 悬停时显示标记和属性文档。",
+ "scss.hover.references": "在 SCSS 悬停时显示 MDN 的引用。",
+ "scss.lint.argumentsInColorFunction.desc": "参数数目无效。",
+ "scss.lint.boxModel.desc": "在使用 `padding` 或 `border` 时,不要使用 `width` 或 `height`。",
+ "scss.lint.compatibleVendorPrefixes.desc": "使用厂商特定的前缀时,同时添加所有其他厂商特定的属性。",
+ "scss.lint.duplicateProperties.desc": "不要使用重复的样式定义。",
+ "scss.lint.emptyRules.desc": "不要使用空规则集。",
+ "scss.lint.float.desc": "避免使用 `float`。浮动会使 CSS 变得脆弱。即使只更改了一部分布局,也很容易造成破坏。",
+ "scss.lint.fontFaceProperties.desc": "`@font-face` 规则必须定义 `src` 和 `font-family` 属性。",
+ "scss.lint.hexColorLength.desc": "十六进制颜色必须由三个或六个十六进制数字组成。",
+ "scss.lint.idSelector.desc": "选择器不应包含 ID,因为这些规则与 HTML 的耦合过于紧密。",
+ "scss.lint.ieHack.desc": "仅在需要支持 IE7 及更低版本时,才需要 IE hack。",
+ "scss.lint.importStatement.desc": "import 语句没有并行加载。",
+ "scss.lint.important.desc": "避免使用 `!important`。它表明整个 CSS 的优先级已经失去控制且需要进行重构。",
+ "scss.lint.propertyIgnoredDueToDisplay.desc": "由于 `display` 属性值,属性被忽略。例如,使用 `display: inline` 时,`width`、`height`、`margin-top`、`margin-bottom` 和 `float` 属性将不起作用。",
+ "scss.lint.universalSelector.desc": "通配选择符 (`*`) 的运行效率低。",
+ "scss.lint.unknownAtRules.desc": "未知的 @ 规则。",
+ "scss.lint.unknownProperties.desc": "未知的属性。",
+ "scss.lint.unknownVendorSpecificProperties.desc": "未知的供应商特定属性。",
+ "scss.lint.validProperties.desc": "不根据 \"unknownProperties\" 规则进行验证的属性列表。",
+ "scss.lint.vendorPrefix.desc": "使用厂商特定的前缀时,同时添加标准属性。",
+ "scss.lint.zeroUnits.desc": "零不需要单位。",
+ "scss.title": "SCSS (Sass)",
+ "scss.validate.desc": "启用或禁用所有验证。",
+ "scss.validate.title": "控制 SCSS 验证和问题严重性。"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/css.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/css.i18n.json
new file mode 100644
index 0000000..4858648
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/css.i18n.json
@@ -0,0 +1,16 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "package": {
+ "description": "为 CSS、LESS 和 SCSS 文件中提供语法高亮和括号匹配功能。",
+ "displayName": "CSS 语言基础功能"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/dart.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/dart.i18n.json
new file mode 100644
index 0000000..d5b95d1
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/dart.i18n.json
@@ -0,0 +1,16 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "package": {
+ "description": "在 Dart 文件中提供语法突出显示和括号匹配功能。",
+ "displayName": "Dart 语言基本信息"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/debug-auto-launch.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/debug-auto-launch.i18n.json
new file mode 100644
index 0000000..1597e52
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/debug-auto-launch.i18n.json
@@ -0,0 +1,38 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "dist/extension": {
+ "debug.javascript.autoAttach.always.description": "自动附加到终端中启动的每个 Node.js 进程",
+ "debug.javascript.autoAttach.always.label": "始终",
+ "debug.javascript.autoAttach.disabled.description": "自动附加被禁用,且不在状态栏中显示",
+ "debug.javascript.autoAttach.disabled.label": "已禁用",
+ "debug.javascript.autoAttach.onlyWithFlag.description": "仅在给定 \"--inspect\" 标志时自动附加",
+ "debug.javascript.autoAttach.onlyWithFlag.label": "仅带标志",
+ "debug.javascript.autoAttach.smart.description": "运行 node_modules 文件夹中未包含的脚本时自动附加",
+ "debug.javascript.autoAttach.smart.label": "智能",
+ "scope.global": "在此计算机上切换自动附加",
+ "scope.workspace": "在此工作区中切换自动附加",
+ "status.name.auto.attach": "调试自动附加",
+ "status.text.auto.attach.always": "自动附加: 始终",
+ "status.text.auto.attach.disabled": "自动附加: 已禁用",
+ "status.text.auto.attach.smart": "自动附加: 智能",
+ "status.text.auto.attach.withFlag": "自动附加: 带标志",
+ "status.tooltip.auto.attach": "在调试模式下自动附加到 Node.js 进程",
+ "tempDisable.disable": "在此会话中暂时禁用自动附加",
+ "tempDisable.enable": "重新启用自动附加",
+ "tempDisable.suffix": "自动附加: 已禁用"
+ },
+ "package": {
+ "description": "当 node-debug 扩展未启用时提供自动附加的辅助程序。",
+ "displayName": "Node 调试自动附加",
+ "toggle.auto.attach": "切换开关自动附加"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/debug-server-ready.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/debug-server-ready.i18n.json
new file mode 100644
index 0000000..607d5bb
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/debug-server-ready.i18n.json
@@ -0,0 +1,29 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "dist/extension": {
+ "server.ready.nocapture.error": "格式 uri (\"{0}\") 使用替换占位符, 但模式没有捕获任何内容。",
+ "server.ready.placeholder.error": "格式 uri (\"{0}\") 只能包含一个替换占位符。"
+ },
+ "package": {
+ "debug.server.ready.action.debugWithChrome.description": "开始使用 \"Debugger for Chrome\" 进行调试。",
+ "debug.server.ready.action.description": "当服务器准备就绪时,如何处理 URI。",
+ "debug.server.ready.action.openExternally.description": "使用默认应用程序在外部打开 URI。",
+ "debug.server.ready.action.startDebugging.description": "运行另一启动配置。",
+ "debug.server.ready.debugConfigName.description": "要运行的启动配置的名称。",
+ "debug.server.ready.pattern.description": "此模式出现在调试控制台上表示服务器已准备就绪。首个捕获组必须包含一个 URI 或端口号。",
+ "debug.server.ready.serverReadyAction.description": "当正在调试的服务器程序准备就绪时,执行URI (通过 \"listening on port 3000\" 或 \"Now listening on: https://localhost:5001\" 的形式发送至调试控制台 )。",
+ "debug.server.ready.uriFormat.description": "从端口号构造 URI 时使用的格式字符串。第一个 \"%s\" 将替换为端口号。",
+ "debug.server.ready.webRoot.description": "传递给 \"Debugger for Chrome\" 调试配置的值。",
+ "description": "如果正在调试的服务器已准备就绪,在浏览器中打开 URI。",
+ "displayName": "服务器就绪操作"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/diff.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/diff.i18n.json
new file mode 100644
index 0000000..6136a80
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/diff.i18n.json
@@ -0,0 +1,16 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "package": {
+ "description": "在差异文件中提供语法突出显示和括号匹配。",
+ "displayName": "差异语言基础知识"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/docker.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/docker.i18n.json
new file mode 100644
index 0000000..467c340
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/docker.i18n.json
@@ -0,0 +1,16 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "package": {
+ "description": "在 Docker 文件中提供语法高亮和括号匹配功能。",
+ "displayName": "Docker 语言基础功能"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/emmet.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/emmet.i18n.json
new file mode 100644
index 0000000..7a00a21
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/emmet.i18n.json
@@ -0,0 +1,79 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "dist\\node/abbreviationActions": {
+ "wrapWithAbbreviationPrompt": "输入缩写"
+ },
+ "package": {
+ "command.balanceIn": "平衡(向内)",
+ "command.balanceOut": "平衡(向外)",
+ "command.decrementNumberByOne": "减少 1",
+ "command.decrementNumberByOneTenth": "减少 0.1",
+ "command.decrementNumberByTen": "减少 10",
+ "command.evaluateMathExpression": "求数学表达式的值",
+ "command.incrementNumberByOne": "增加 1",
+ "command.incrementNumberByOneTenth": "增加 0.1",
+ "command.incrementNumberByTen": "增加 10",
+ "command.matchTag": "转至匹配对",
+ "command.mergeLines": "合并行",
+ "command.nextEditPoint": "转到下一编辑点",
+ "command.prevEditPoint": "转到上一编辑点",
+ "command.reflectCSSValue": "映射 CSS 值",
+ "command.removeTag": "删除标记",
+ "command.selectNextItem": "选择下一项",
+ "command.selectPrevItem": "选择上一项",
+ "command.showEmmetCommands": "显示 Emmet 命令",
+ "command.splitJoinTag": "分离/联接标记",
+ "command.toggleComment": "切换注释",
+ "command.updateImageSize": "更新图像大小",
+ "command.updateTag": "更新标记",
+ "command.wrapWithAbbreviation": "使用缩写包围",
+ "description": "适用于 VS Code 的 Emmet 支持",
+ "emmetExclude": "不应展开 Emmet 缩写的语言数组。",
+ "emmetExtensionsPath": "一组路径,其中每个路径都可以包含 Emmet syntaxProfiles 和/或代码片段。\r\n发生冲突时,后面路径的配置文件/代码段将重写以前的路径。\r\n有关详细信息和示例片段文件,请参见 https://code.visualstudio.com/docs/editor/emmet。",
+ "emmetExtensionsPathItem": "包含 Emmet syntaxProfiles 和/或片段的路径。",
+ "emmetIncludeLanguages": "在默认不受支持的语言中启用 Emmet 缩写。在此语言和 Emmet 支持的语言之间添加映射。\r\n 例如: `{\"vue-html\": \"html\", \"javascript\": \"javascriptreact\"}`",
+ "emmetOptimizeStylesheetParsing": "当设置为 `false` 时,将分析整个文件并确定当前位置能否展开 Emmet 缩写。当设置为 `true` 时,将仅在 CSS/SCSS/LESS 文件中分析当前位置周围的内容。",
+ "emmetPreferences": "用于修改 Emmet 某些操作和解析程序的行为的首选项。",
+ "emmetPreferencesAllowCompactBoolean": "若为“true”,将生成紧凑型布尔属性。",
+ "emmetPreferencesBemElementSeparator": "在使用 BEM 过滤器时,类名使用的元素分隔符。",
+ "emmetPreferencesBemModifierSeparator": "在使用 BEM 过滤器时,类名使用的修饰符分隔符。",
+ "emmetPreferencesCssAfter": "展开 CSS 缩写时在 CSS 属性末尾放置的符号。",
+ "emmetPreferencesCssBetween": "展开 CSS 缩写时在 CSS 属性之间放置的符号。",
+ "emmetPreferencesCssColorShort": "如果为 \"true\",则 `#f` 之类的颜色值将扩展为 `#fff` 而不是 `#ffffff`。",
+ "emmetPreferencesCssFuzzySearchMinScore": "显示的缩写模糊匹配应达到的最低分数 (0 到 1 之间)。较低的值可能使匹配错误变多,较高的值可能将不会显示应有的匹配项。",
+ "emmetPreferencesCssMozProperties": "Emmet 缩写中使用的由 \"-\" 打头有 \"moz\" 前缀的 CSS 属性,使用半角逗号 (\",\") 进行分隔。若要始终避免 \"moz\" 前缀,请设为空字符串。",
+ "emmetPreferencesCssMsProperties": "Emmet 缩写中使用的由 \"-\" 打头有 \"ms\" 前缀的 CSS 属性,使用半角逗号 (\",\") 进行分隔。若要始终避免 \"ms\" 前缀,请设为空字符串。",
+ "emmetPreferencesCssOProperties": "Emmet 缩写中使用的由 \"-\" 打头有 \"o\" 前缀的 CSS 属性,使用半角逗号 (\",\") 进行分隔。若要始终避免 \"o\" 前缀,请设为空字符串。",
+ "emmetPreferencesCssWebkitProperties": "Emmet 缩写中使用的由 \"-\" 打头有 \"webkit\" 前缀的 CSS 属性,使用半角逗号 (\",\") 进行分隔。若要始终避免 \"webkit\" 前缀,请设为空字符串。",
+ "emmetPreferencesFilterCommentAfter": "使用注释过滤器时,应置于匹配元素后注释的定义。",
+ "emmetPreferencesFilterCommentBefore": "使用注释过滤器时,应置于匹配元素前注释的定义。",
+ "emmetPreferencesFilterCommentTrigger": "用半角逗号(“,”)隔开的属性名缩写的数组,将由注释筛选器应用。",
+ "emmetPreferencesFloatUnit": "浮点数值的默认单位。",
+ "emmetPreferencesFormatForceIndentTags": "表示应始终向内缩进的标记名称数组。",
+ "emmetPreferencesFormatNoIndentTags": "从不应向内缩进的标记名称数组。",
+ "emmetPreferencesIntUnit": "整数值的默认单位。",
+ "emmetPreferencesOutputInlineBreak": "要在这些元素之间放置换行符时所需的同级内联元素的数量。如果为 \"0\",则内联元素始终扩展到一行。",
+ "emmetPreferencesOutputReverseAttributes": "如果为 \"true\",则在解析代码片段时反转属性合并方向。",
+ "emmetPreferencesOutputSelfClosingStyle": "自结束标记的样式: html (` `)、xml (` `) 或 xhtml (` `)。",
+ "emmetPreferencesSassAfter": "在 Sass 文件中展开 CSS 缩写时在 CSS 属性末尾放置的符号。",
+ "emmetPreferencesSassBetween": "在 Sass 文件中展开 CSS 缩写时在 CSS 属性之间放置的符号。",
+ "emmetPreferencesStylusAfter": "在 Stylus 文件中展开 CSS 缩写时在 CSS 属性末尾放置的符号。",
+ "emmetPreferencesStylusBetween": "在 Stylus 文件中展开 CSS 缩写时在 CSS 属性之间放置的符号。",
+ "emmetShowAbbreviationSuggestions": "将可能的 Emmet 缩写作为建议进行显示。当在样式表中或 emmet.showExpandedAbbreviation 设置为 `\"never\"` 时不适用。",
+ "emmetShowExpandedAbbreviation": "以建议的形式显示展开的 Emmet 缩写。\r\n选项 `\"inMarkupAndStylesheetFilesOnly\"` 适用于 html、haml、jade、slim、xml、xsl、css、scss、sass、less 和 stylus。\r\n无论 markup/css 如何,选项 `\"always\"` 都适用于文件的各个部分。",
+ "emmetShowSuggestionsAsSnippets": "若为 `true`,Emmet 建议将显示为代码片段。可以在 `#editor.snippetSuggestions#` 设置中排列其顺序。",
+ "emmetSyntaxProfiles": "为指定的语法定义配置文件或使用带有特定规则的配置文件。",
+ "emmetTriggerExpansionOnTab": "启用后,按下 TAB 键,将展开 Emmet 缩写。",
+ "emmetUseInlineCompletions": "如果为 `true`,Emmet 将使用内联完成来建议扩展。如果要防止非内联完成项提供程序在此设置为 `true` 时频繁显示,请将 `other` 项的 `#editor.quickSuggestions#` 转换为 `inline` 或 `off`。",
+ "emmetVariables": "用于 Emmet 代码片段的变量。"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/extension-editing.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/extension-editing.i18n.json
new file mode 100644
index 0000000..d2b0d3f
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/extension-editing.i18n.json
@@ -0,0 +1,30 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "dist/extensionLinter": {
+ "apiProposalNotListed": "无法使用此建议,因为对于此扩展,产品定义了一组固定的 API 建议。你可以测试扩展,但在发布之前,必须联系 VS Code 团队。",
+ "dataUrlsNotValid": "数据 URL 不是有效的图像源。",
+ "embeddedSvgsNotValid": "嵌入的 SVG 不是有效的图像源。",
+ "httpsRequired": "图像必须使用 HTTPS 协议。",
+ "relativeBadgeUrlRequiresHttpsRepository": "相对徽章 URL 要求在 package.json 中指定使用 HTTPS 协议的仓库。",
+ "relativeIconUrlRequiresHttpsRepository": "图标要求在此 package.json 中指定使用 HTTPS 协议的仓库。",
+ "relativeUrlRequiresHttpsRepository": "相对映像 URL 要求在 package.json 中指定使用 HTTPS 协议的仓库。",
+ "svgsNotValid": "SVG 不是有效的图像源。"
+ },
+ "dist/packageDocumentHelper": {
+ "languageSpecificEditorSettings": "特定语言编辑器设置",
+ "languageSpecificEditorSettingsDescription": "替代语言编辑器设置"
+ },
+ "package": {
+ "description": "在创建扩展时提供 linting 功能。",
+ "displayName": "扩展创建"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/fsharp.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/fsharp.i18n.json
new file mode 100644
index 0000000..72bbc8d
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/fsharp.i18n.json
@@ -0,0 +1,16 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "package": {
+ "description": "在 F# 文件中提供代码片段、语法高亮、括号匹配和折叠功能。",
+ "displayName": "F# 语言基础功能"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/git-base.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/git-base.i18n.json
new file mode 100644
index 0000000..26849f4
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/git-base.i18n.json
@@ -0,0 +1,30 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "dist/remoteSource": {
+ "branch name": "分支名称",
+ "error": "{0} 错误: {1}",
+ "none found": "未找到远程存储库。",
+ "pick url": "选择要从中进行克隆的 URL。",
+ "provide url": "提供仓库 URL",
+ "provide url or pick": "提供仓库 URL 或选择仓库源。",
+ "recently opened": "最近打开",
+ "remote sources": "远程源",
+ "type to filter": "仓库名称",
+ "type to search": "仓库名称(键入内容进行搜索)",
+ "url": "URL"
+ },
+ "package": {
+ "command.api.getRemoteSources": "获取远程源",
+ "description": "Git 静态贡献和选取器。",
+ "displayName": "Git 基础"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/git.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/git.i18n.json
new file mode 100644
index 0000000..f540d94
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/git.i18n.json
@@ -0,0 +1,577 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "dist/actionButton": {
+ "scm button commit and push title": "{0} 提交和推送",
+ "scm button commit and push tooltip": "提交和推送更改",
+ "scm button commit and sync title": "{0} 提交和同步",
+ "scm button commit and sync tooltip": "提交和同步更改",
+ "scm button commit title": "{0} 提交",
+ "scm button commit to new branch and push tooltip": "提交到新分支并推送更改",
+ "scm button commit to new branch and sync tooltip": "提交到新分支并同步更改",
+ "scm button commit to new branch tooltip": "将更改提交到新分支",
+ "scm button commit tooltip": "提交更改",
+ "scm button committing and pushing tooltip": "正在提交和推送更改...",
+ "scm button committing and synching tooltip": "正在提交和同步更改...",
+ "scm button committing to new branch and pushing tooltip": "正在提交到新分支并推送更改...",
+ "scm button committing to new branch and synching tooltip": "正在提交到新分支并同步更改...",
+ "scm button committing to new branch tooltip": "正在将更改提交到新分支...",
+ "scm button committing tooltip": "正在提交更改...",
+ "scm button continue title": "{0} 继续",
+ "scm button continue tooltip": "继续变基",
+ "scm button continuing tooltip": "正在继续变基...",
+ "scm button publish branch": "发布 Branch",
+ "scm button publish branch running": "正在发布 Branch...",
+ "scm button sync description": "{0} 同步更改 {1}{2}",
+ "scm publish branch action button title": "{0} 发布 Branch",
+ "scm secondary button commit": "提交",
+ "syncing changes": "正在同步更改..."
+ },
+ "dist/askpass-main": {
+ "missOrInvalid": "凭据丢失或无效。"
+ },
+ "dist/autofetch": {
+ "no": "否",
+ "not now": "稍后询问",
+ "suggest auto fetch": "您希望 Code [定期运行 \"git fetch\"]({0}) 吗?",
+ "yes": "是"
+ },
+ "dist/commands": {
+ "HEAD not available": "“{0}”的 HEAD 版本不可用。",
+ "Theirs": "他们的",
+ "Yours": "您的",
+ "add": "添加到工作区",
+ "add remote": "添加一个新远程...",
+ "addFrom": "从 URL 添加远程存储库",
+ "addfrom": "从 {0} 添加远程存储库",
+ "addremote": "添加远程存储库",
+ "always": "总是",
+ "are you sure": "将在“{0}”中创建 Git 仓库。确定要继续吗?",
+ "auth failed": "未能对 git remote 进行身份验证。",
+ "auth failed specific": "未能对 git remote 进行身份验证:\r\n\r\n{0}",
+ "branch already exists": "已存在名为“{0}”的分支",
+ "branch name": "分支名称",
+ "branch name does not match sanitized": "新分支将为“{0}”",
+ "branch name format invalid": "分支名称必须匹配正则表达式: {0}",
+ "cant push": "无法推送 refs 到远端。您可以试着运行“拉取”功能,整合您的更改。",
+ "checkout detached": "签出已分离…",
+ "choose": "选择文件夹...",
+ "clean repo": "在签出前,请清理仓库工作树。",
+ "clonefrom": "从 {0} 克隆",
+ "cloning": "正在克隆 Git 仓库“{0}”...",
+ "commit": "提交暂存更改",
+ "commit anyway": "创建空提交",
+ "commit changes": "仍要提交",
+ "commit hash": "提交哈希",
+ "commit message": "提交消息",
+ "commit to branch": "提交到新分支",
+ "commitMessageWithHeadLabel2": "消息(在\"{0}\"上提交)",
+ "confirm branch protection commit": "你正在尝试提交到受保护的分支,并且你可能无权将提交推送到远程库。\r\n\r\n你希望如何继续?",
+ "confirm delete": "确定要删除 {0} 吗?\r\n此操作不可撤消!\r\n如果继续操作,此文件将永久丢失。",
+ "confirm delete multiple": "确定要删除 {0} 个文件吗?\r\n此操作不可撤消!\r\n如果继续操作,这些文件将永久丢失。",
+ "confirm discard": "确定要放弃 {0} 中更改吗?",
+ "confirm discard all": "确定要放弃在 {0} 个文件中所作的全部更改吗?\r\n此操作不可撤消!\r\n如果继续操作,你当前的工作集将永久丢失。",
+ "confirm discard all 2": "{0}\r\n\r\n此操作不可撤销,你当前的工作集将会永远丢失。",
+ "confirm discard all single": "确定要放弃 {0} 中更改吗?",
+ "confirm discard multiple": "是否确实要放弃 {0} 文件中的更改?",
+ "confirm empty commit": "是否确定要创建空提交?",
+ "confirm force delete branch": "“{0}”分支未被完全合并。是否仍要删除?",
+ "confirm force push": "即将强制推送更改,此操作可能具有破坏性并可能在无意中覆盖其他人的更改。\r\n\r\n确定要继续吗?",
+ "confirm no verify commit": "你即将在未验证的情况下提交更改,这会跳过 pre-commit 挂钩,可能导致不理想的结果。\r\n\r\n确定要继续吗?",
+ "confirm publish branch": "分支“{0}”没有远程分支。是否要发布此分支?",
+ "confirm restore": "是否确实要还原 {0}?",
+ "confirm restore multiple": "是否确定要还原 {0} 个文件?",
+ "confirm stage file with merge conflicts": "确定要暂存含有合并冲突的 {0} 吗?",
+ "confirm stage files with merge conflicts": "确定要暂存含有合并冲突的 {0} 个文件吗?",
+ "create branch": "正在创建新分支...",
+ "create branch from": "从...创建分支",
+ "create repo": "初始化仓库",
+ "current": "当前",
+ "default": "默认值",
+ "delete": "删除文件",
+ "delete branch": "删除分支",
+ "delete file": "删除文件",
+ "delete files": "删除文件",
+ "deleted by them": "文件“{0}”已被他们删除且已被我们修改。\r\n\r\n你想要执行什么操作?",
+ "deleted by us": "文件“{0}”已被我们删除且已被他们修改。\r\n\r\n你想要执行什么操作?",
+ "discard": "放弃更改",
+ "discardAll": "放弃所有 {0} 个文件",
+ "discardAll multiple": "放弃 1 个文件",
+ "drop all stashes": "是否确实要删除所有储藏? 其中有 {0} 个储藏将会受到修剪,并且可能无法恢复。",
+ "drop one stash": "是否确实要删除所有储藏? 其中有 1 个储藏将会受到修剪,并且可能无法恢复。",
+ "empty commit": "由于提交消息为空,已取消提交操作。",
+ "force": "强制签出",
+ "force push not allowed": "不允许强制推送,请启用 \"git. allowForcePush\" 设置。",
+ "git error": "Git 错误",
+ "git error details": "Git: {0}",
+ "git.timeline.openDiffCommand": "打开比较",
+ "git.title.diff": "{0} ↔ {1}",
+ "git.title.diffRefs": "{0} ({1}) ↔ {0} ({2})",
+ "git.title.index": "{0} (索引)",
+ "git.title.ref": "{0} ({1})",
+ "git.title.workingTree": "{0} (工作树)",
+ "init": "选择用于初始化 Git 储存库的工作区文件夹",
+ "init repo": "初始化仓库",
+ "invalid branch name": "分支名称无效",
+ "keep ours": "保留“我们”的版本",
+ "keep theirs": "保留“他们”的版本",
+ "learn more": "了解详细信息",
+ "local changes": "签出会覆盖本地更改。",
+ "merge commit": "最后一个提交是合并提交。是否确实要撤消它?",
+ "merge conflicts": "存在合并冲突。请在提交之前解决这些冲突。",
+ "missing user info": "请确保已在 Git 中配置您的 \"user.name\" 和 \"user.email\"。",
+ "never": "从不",
+ "never again": "确定,且不再显示",
+ "never ask again": "确定,且不再询问",
+ "no changes": "没有要提交的更改。",
+ "no changes stash": "没有要储藏的更改。",
+ "no more": "无法撤消,因为 HEAD 不指向任何提交。",
+ "no rebase": "没有正在进行的变基。",
+ "no remotes added": "您的仓库没有远程仓库。",
+ "no remotes to fetch": "此仓库未配置可以从中抓取的远程仓库。",
+ "no remotes to publish": "仓库未配置任何要发布到的远程仓库。",
+ "no remotes to pull": "仓库未配置任何从其中进行拉取的远程仓库。",
+ "no remotes to push": "仓库未配置任何要推送到的远程仓库。",
+ "no staged changes": "没有可提交的暂存更改。\r\n\r\n是否要暂存所有更改并直接提交?",
+ "no stashes": "此仓库中没有储藏。",
+ "no tags": "此仓库没有标记。",
+ "no verify commit not allowed": "不允许在未验证的情况下提交,请使用 \"git.allowNoVerifyCommit\" 设置启用这些提交。",
+ "nobranch": "请签出一个分支以推送到远程。",
+ "ok": "确定",
+ "open git log": "打开 GIT 日志",
+ "open repo": "打开仓库",
+ "openrepo": "打开",
+ "openreponew": "在新窗口中打开",
+ "pick branch pull": "选择拉取的来源分支",
+ "pick provider": "选择一个提供程序以将分支“{0}”发布到:",
+ "pick remote": "选取要将分支“{0}”发布到的远程:",
+ "pick remote pull repo": "选择要从其拉取分支的远程位置",
+ "pick stash to apply": "选择要应用的储藏",
+ "pick stash to drop": "选择要删除的储藏",
+ "pick stash to pop": "选择要弹出的储藏",
+ "proposeopen": "是否要打开已克隆仓库?",
+ "proposeopen init": "是否打开初始化的仓库?",
+ "proposeopen2": "您是希望打开克隆的仓库,还是将其添加到当前工作区?",
+ "proposeopen2 init": "您是希望打开初始化的仓库,还是将其添加到当前工作区?",
+ "provide branch name": "请提供新的分支名称",
+ "provide commit hash": "请提供提交哈希",
+ "provide commit message": "请提供提交消息",
+ "provide remote name": "请提供远程存储库名称",
+ "provide stash message": "提供储藏消息(可选)",
+ "provide tag message": "请提供消息以对标记进行注释",
+ "provide tag name": "已成功带标记进行推送。",
+ "publish to": "发布到 {0}",
+ "remote already exists": "远程存储库“{0}”已存在。",
+ "remote branch at": "{0} 处的远程分支",
+ "remote name": "远程存储库名称",
+ "remote name format invalid": "远程仓库名称格式无效",
+ "remove remote": "选择要删除的远程库",
+ "repourl": "存储库 URL",
+ "restore file": "恢复文件",
+ "restore files": "恢复文件",
+ "save and commit": "全部保存并提交",
+ "save and stash": "全部保存并储藏",
+ "select a branch to merge from": "选择要从其合并的分支",
+ "select a branch to rebase onto": "选择要变基到的分支",
+ "select a ref to checkout": "选择要签出的 ref",
+ "select a ref to checkout detached": "选择要在分离模式下签出的引用",
+ "select a ref to create a new branch from": "选择一个 ref 创建 \"{0}\" 分支",
+ "select a tag to delete": "选择要删除的标记",
+ "select branch to delete": "选择要删除的分支",
+ "select log level": "选择日志级别",
+ "selectFolder": "选择仓库位置",
+ "show command output": "显示命令输出",
+ "stash": "仍要储藏",
+ "stash merge conflicts": "在应用储藏时存在合并冲突。",
+ "stash message": "储藏消息",
+ "stashcheckout": "储藏并签出",
+ "sure drop": "确定要删除储藏 {0} 吗?",
+ "sync is unpredictable": "此操作将从“{0}/{1}”中拉取并向其推送提交。",
+ "tag at": "{0} 处的标记",
+ "tag message": "消息",
+ "tag name": "标记名称",
+ "there are untracked files": "若放弃 {0} 个未跟踪的文件,其将被从硬盘上删除。",
+ "there are untracked files single": "若放弃下面未跟踪的文件,其将被从硬盘上删除: {0}。",
+ "undo commit": "撤消合并提交",
+ "unsaved files": "当前有 {0} 个文件尚未保存。\r\n\r\n您要在提交之前保存吗?",
+ "unsaved files single": "以下文件具有未保存的更改;如果继续,则提交内容将不包含这些更改: {0}。\r\n\r\n你想在提交之前保存它吗?",
+ "unsaved stash files": "有 {0} 个文件尚未保存。\r\n\r\n要在储藏之前保存吗?",
+ "unsaved stash files single": "以下文件具有未保存的更改;如果继续,则储藏时不会包含这些更改: {0}。\r\n\r\n要在储藏之前保存吗?",
+ "warn untracked": "这将删除 {0} 个未跟踪的文件!\r\n此操作不可撤消!\r\n这些文件将被永久删除。",
+ "yes": "是",
+ "yes discard tracked": "放弃 1 个已跟踪的文件",
+ "yes discard tracked multiple": "放弃 {0} 个已跟踪的文件",
+ "yes never again": "确定,且不再显示"
+ },
+ "dist/log": {
+ "gitLogLevel": "日志级别: {0}"
+ },
+ "dist/main": {
+ "downloadgit": "下载 Git",
+ "git20": "似乎已安装 GIT {0}。Code 非常适合 GIT >= 2",
+ "git2526": "安装的 Git {0} 存在已知问题。要使 Git 功能正常工作,请至少将 Git 更新到 2.27 版本。",
+ "neverShowAgain": "不再显示",
+ "notfound": "未找到 Git。请安装 Git,或在 \"git.path\" 设置中配置。",
+ "skipped": "已跳过在以下位置中找到的 git: {0}",
+ "updateGit": "更新 GIT",
+ "using git": "将使用位于 {1} 的 Git {0}",
+ "validating": "正在验证在以下位置中找到的 git: {0}"
+ },
+ "dist/model": {
+ "no repositories": "没有可用存储库",
+ "not supported": "\"git.scanRepositories\" 设置中不支持绝对路径。",
+ "pick repo": "选择仓库",
+ "repoOnHomeDriveRootWarning": "无法在“{0}”处自动打开 git 仓库。若要打开该 git 仓库,请在 VS Code 中直接将其作为文件夹打开。",
+ "too many submodules": "“{0}”仓库中的 {1} 个子模块将不会自动打开。您仍可以通过打开其中的文件来单独打开每个子模块。"
+ },
+ "dist/postCommitCommands": {
+ "scm secondary button commit and push": "提交和推送",
+ "scm secondary button commit and sync": "提交和同步"
+ },
+ "dist/repository": {
+ "add known": "是否要将“{0}”添加到 .gitignore?",
+ "added by them": "冲突: 已由他们添加",
+ "added by us": "冲突: 已由我们添加",
+ "always pull": "始终拉取",
+ "both added": "冲突: 两个都已添加",
+ "both deleted": "冲突: 两个都已删除",
+ "both modified": "冲突: 两个都已修改",
+ "changes": "更改",
+ "commit": "提交",
+ "commit in rebase": "无法在变基过程中修改提交消息。请完成变基操作,并改用交互式变基。",
+ "commitMessage": "消息({0} 待提交)",
+ "commitMessageCountdown": "当前行剩余 {0} 个字符",
+ "commitMessageWarning": "当前行比 {1} 超出 {0} 个字符",
+ "commitMessageWhitespacesOnlyWarning": "当前提交消息仅包含空白字符",
+ "commitMessageWithHeadLabel": "消息({0} 在“{1}”提交)",
+ "deleted": "已删除",
+ "deleted by them": "冲突: 已由他们删除",
+ "deleted by us": "冲突: 已由我们删除",
+ "dont pull": "不拉取",
+ "git.title.deleted": "{0} (已删除)",
+ "git.title.index": "{0} (索引)",
+ "git.title.ours": "{0} (我们的)",
+ "git.title.theirs": "{0} (他们的)",
+ "git.title.untracked": "{0} (未跟踪)",
+ "git.title.workingTree": "{0} (工作树)",
+ "huge": "Git 仓库“{0}”中存在大量活动更改,将仅启用部分 Git 功能。",
+ "ignored": "已忽略",
+ "index added": "已添加索引",
+ "index copied": "已复制索引",
+ "index deleted": "已删除索引",
+ "index modified": "已修改索引",
+ "index renamed": "已重命名索引",
+ "intent to add": "打算添加",
+ "merge changes": "合并更改",
+ "modified": "已修改",
+ "neveragain": "不再显示",
+ "no": "否",
+ "ok": "确定",
+ "open": "打开",
+ "open.merge": "打开合并",
+ "pull": "拉取",
+ "pull branch maybe rebased": "当前分支“{0}”似乎已变基。确定仍要拉取到其中吗?",
+ "pull maybe rebased": "当前分支似乎已变基。确定仍要拉取到其中吗?",
+ "pull n": "从 {1}/{2} 拉取 {0} 个提交",
+ "pull push n": "在 {2}/{3} 之间拉取 {0} 个提交并推送 {1} 个提交",
+ "push n": "将 {0} 个提交推送到 {1}/{2}",
+ "push success": "已成功推送。",
+ "staged changes": "暂存的更改",
+ "sync changes": "同步更改",
+ "sync is unpredictable": "正在同步。取消可能会导致仓库出现严重损坏",
+ "tooManyChangesWarning": "检测到过多更改。下面将仅显示第一个 {0} 更改。",
+ "untracked": "未跟踪的",
+ "untracked changes": "未跟踪的更改",
+ "yes": "是"
+ },
+ "dist/statusbar": {
+ "checkout": "签出分支/标记...",
+ "publish branch": "发布分支",
+ "publish to": "发布到 {0}",
+ "publish to...": "发布到...",
+ "rebasing": "正在变基",
+ "syncing changes": "正在同步更改..."
+ },
+ "dist/timelineProvider": {
+ "git.timeline.email": "电子邮件",
+ "git.timeline.openComparison": "打开比较",
+ "git.timeline.source": "Git 历史记录",
+ "git.timeline.stagedChanges": "暂存的更改",
+ "git.timeline.uncommitedChanges": "未提交的更改",
+ "git.timeline.you": "你"
+ },
+ "package": {
+ "colors.added": "已添加资源的颜色。",
+ "colors.conflict": "存在冲突的资源的颜色。",
+ "colors.deleted": "已删除资源的颜色。",
+ "colors.ignored": "已忽略资源的颜色。",
+ "colors.modified": "已修改资源的颜色。",
+ "colors.renamed": "重命名或复制的资源的颜色。",
+ "colors.stageDeleted": "已暂存的已删除资源的颜色。",
+ "colors.stageModified": "已暂存的已修改资源的颜色。",
+ "colors.submodule": "子模块资源的颜色。",
+ "colors.untracked": "未跟踪资源的颜色。",
+ "command.addRemote": "添加远程存储库…",
+ "command.api.getRemoteSources": "获取远程源",
+ "command.api.getRepositories": "获取存储库",
+ "command.api.getRepositoryState": "获取仓库状态",
+ "command.branch": "创建分支...",
+ "command.branchFrom": "从现有来源创建新的分支...",
+ "command.checkout": "签出到...",
+ "command.checkoutDetached": "签出到(已分离)…",
+ "command.cherryPick": "挑拣…",
+ "command.clean": "放弃更改",
+ "command.cleanAll": "放弃所有更改",
+ "command.cleanAllTracked": "放弃所有跟踪的更改",
+ "command.cleanAllUntracked": "放弃所有未跟踪的更改",
+ "command.clone": "克隆",
+ "command.cloneRecursive": "克隆(递归)",
+ "command.close": "关闭仓库",
+ "command.closeAllDiffEditors": "关闭所有差异编辑器",
+ "command.commit": "提交",
+ "command.commitAll": "全部提交",
+ "command.commitAllAmend": "全部提交(修改)",
+ "command.commitAllAmendNoVerify": "全部提交(修正,不验证)",
+ "command.commitAllNoVerify": "全部提交(不验证)",
+ "command.commitAllSigned": "全部提交(已署名)",
+ "command.commitAllSignedNoVerify": "全部提交(已签收,不验证)",
+ "command.commitEmpty": "创建空提交",
+ "command.commitEmptyNoVerify": "空提交(不验证)",
+ "command.commitMessageAccept": "接受提交消息",
+ "command.commitMessageDiscard": "放弃提交消息",
+ "command.commitNoVerify": "提交(不验证)",
+ "command.commitStaged": "提交已暂存文件",
+ "command.commitStagedAmend": "提交已暂存文件(修改)",
+ "command.commitStagedAmendNoVerify": "提交已暂存内容(修正,不验证)",
+ "command.commitStagedNoVerify": "提交已暂存内容(不验证)",
+ "command.commitStagedSigned": "提交已暂存文件(已署名)",
+ "command.commitStagedSignedNoVerify": "提交已暂存内容(已签收,不验证)",
+ "command.createTag": "创建标记",
+ "command.deleteBranch": "删除分支...",
+ "command.deleteTag": "删除标签",
+ "command.fetch": "抓取",
+ "command.fetchAll": "从所有远程存储库中拉取",
+ "command.fetchPrune": "获取 (删除)",
+ "command.git.acceptMerge": "接受合并",
+ "command.ignore": "添加到 .gitignore",
+ "command.init": "初始化仓库",
+ "command.merge": "合并分支...",
+ "command.openAllChanges": "打开所有更改",
+ "command.openChange": "打开更改",
+ "command.openFile": "打开文件",
+ "command.openHEADFile": "打开文件 (HEAD)",
+ "command.openRepository": "打开仓库",
+ "command.publish": "发布分支...",
+ "command.pull": "拉取",
+ "command.pullFrom": "拉取自...",
+ "command.pullRebase": "拉取(变基)",
+ "command.push": "推送",
+ "command.pushFollowTags": "推送(“关注”标记)",
+ "command.pushFollowTagsForce": "推送(“关注”标记,强制)",
+ "command.pushForce": "推送(强制)",
+ "command.pushTags": "推送标记",
+ "command.pushTo": "推送到...",
+ "command.pushToForce": "推送到...(强制)",
+ "command.rebase": "变基分支…",
+ "command.rebaseAbort": "中止变基",
+ "command.refresh": "刷新",
+ "command.removeRemote": "删除远程存储库",
+ "command.rename": "重命名",
+ "command.renameBranch": "重命名分支...",
+ "command.restoreCommitTemplate": "还原提交模板",
+ "command.revealFileInOS.linux": "打开包含的文件夹",
+ "command.revealFileInOS.mac": "在查找器中显示",
+ "command.revealFileInOS.windows": "在文件资源管理器中显示",
+ "command.revealInExplorer": "在资源管理器视图中显示",
+ "command.revertChange": "还原更改",
+ "command.revertSelectedRanges": "还原所选更改",
+ "command.setLogLevel": "设置日志级别...",
+ "command.showOutput": "显示 GIT 输出",
+ "command.stage": "暂存更改",
+ "command.stageAll": "暂存所有更改",
+ "command.stageAllMerge": "暂存所有合并更改",
+ "command.stageAllTracked": "暂存所有跟踪的更改",
+ "command.stageAllUntracked": "暂存所有未跟踪的更改",
+ "command.stageChange": "暂存更改",
+ "command.stageSelectedRanges": "暂存所选范围",
+ "command.stash": "储藏",
+ "command.stashApply": "应用储藏...",
+ "command.stashApplyLatest": "应用最新储藏",
+ "command.stashDrop": "删除储藏...",
+ "command.stashDropAll": "删除所有储藏...",
+ "command.stashIncludeUntracked": "储藏(包含未跟踪)",
+ "command.stashPop": "弹出储藏...",
+ "command.stashPopLatest": "弹出最新储藏",
+ "command.sync": "同步",
+ "command.syncRebase": "同步(变基)",
+ "command.timelineCompareWithSelected": "与已选项目进行比较",
+ "command.timelineCopyCommitId": "复制提交 ID",
+ "command.timelineCopyCommitMessage": "复制提交消息",
+ "command.timelineOpenDiff": "打开更改",
+ "command.timelineSelectForCompare": "选择以进行比较",
+ "command.undoCommit": "撤消上次提交",
+ "command.unstage": "取消暂存更改",
+ "command.unstageAll": "取消暂存所有更改",
+ "command.unstageSelectedRanges": "取消暂存所选范围",
+ "config.allowForcePush": "控制是否启用强制推送 (不论 force 还是 force-with-lease)。",
+ "config.allowNoVerifyCommit": "控制是否允许没有运行 pre-commit 和 commit-msg 挂钩的提交。",
+ "config.alwaysShowStagedChangesResourceGroup": "始终显示“暂存的更改”资源组。",
+ "config.alwaysSignOff": "控制所有提交的 signoff 标志。",
+ "config.autoRepositoryDetection": "配置何时自动检测存储库。",
+ "config.autoRepositoryDetection.false": "禁止自动扫描仓库。",
+ "config.autoRepositoryDetection.openEditors": "扫描当前打开文件的父文件夹。",
+ "config.autoRepositoryDetection.subFolders": "扫描当前打开文件夹的子文件夹。",
+ "config.autoRepositoryDetection.true": "扫描当前打开文件夹与当前打开文件所在文件夹的子文件夹。",
+ "config.autoStash": "在拉取前暂存所有更改,在成功拉取后还原这些更改。",
+ "config.autofetch": "若设置为 true,则自动从当前 Git 仓库的默认远程仓库提取提交。若设置为“全部”,则从所有远程仓库进行提取。",
+ "config.autofetchPeriod": "在启用“#git.autofetch#”情况下每次自动 git fetch 之间的间隔时间(以秒为单位)。",
+ "config.autorefresh": "是否启用自动刷新。",
+ "config.branchPrefix": "创建新分支时使用的前缀。",
+ "config.branchProtection": "受保护分支的列表。默认情况下,在将更改提交到受保护分支之前会显示提示。可以使用 `#git.branchProtectionPrompt#` 设置控制提示。",
+ "config.branchProtectionPrompt": "控制是否在将更改提交到受保护分支之前进行提示。",
+ "config.branchProtectionPrompt.alwaysCommit": "始终将更改提交到受保护分支。",
+ "config.branchProtectionPrompt.alwaysCommitToNewBranch": "始终将更改提交到新的分支。",
+ "config.branchProtectionPrompt.alwaysPrompt": "始终在将更改提交到受保护分支之前进行提示。",
+ "config.branchRandomNameDictionary": "用于随机生成的分支名称的字典列表。每个值都表示用于生成分支名称段的字典。支持的词典:“形容词”、“动物”、“颜色”和“数字”。",
+ "config.branchRandomNameDictionary.adjectives": "随机形容词",
+ "config.branchRandomNameDictionary.animals": "随机动物名称",
+ "config.branchRandomNameDictionary.colors": "随机颜色名称",
+ "config.branchRandomNameDictionary.numbers": "100 和 999 之间的一个随机数",
+ "config.branchRandomNameEnable": "控制在创建新分支时是否生成随机名称。",
+ "config.branchSortOrder": "控制分支的排列顺序。",
+ "config.branchValidationRegex": "用于验证新分支名称的正则表达式。",
+ "config.branchWhitespaceChar": "用于替换新分支名称中的空格,以及用于分隔随机生成的分支名称区段的字符。",
+ "config.checkoutType": "控制在运行“签出到…”时列出的 git 参考类型。",
+ "config.checkoutType.local": "本地分支",
+ "config.checkoutType.remote": "远程分支",
+ "config.checkoutType.tags": "标记",
+ "config.closeDiffOnOperation": "控制在储藏、提交、放弃、暂存或取消暂存更改时,是否应自动关闭差异编辑器。",
+ "config.commandsToLog": "GIT 命令列表 (例如: commit、push),这些命令的 `stdout` 将被记录到 [git 输出](command:git.showOutput)。如果 GIT 命令配置了客户端挂钩,那么客户端挂钩的 `stdout` 也将被记录到 [git 输出](command:git.showOutput)。",
+ "config.confirmEmptyCommits": "始终确认为 \"Git: Commit Empty\" 命令创建空提交。",
+ "config.confirmForcePush": "控制在强制推送前是否进行确认。",
+ "config.confirmNoVerifyCommit": "控制是否在提交前要求确认而不进行验证。",
+ "config.confirmSync": "同步 Git 存储库前请先进行确认。",
+ "config.countBadge": "控制 Git 计数徽章。",
+ "config.countBadge.all": "对所有更改计数。",
+ "config.countBadge.off": "关闭计数器。",
+ "config.countBadge.tracked": "仅对跟踪的更改计数。",
+ "config.decorations.enabled": "控制 Git 是否在资源管理器和“打开编辑器”视图中添加颜色和小标。",
+ "config.defaultCloneDirectory": "克隆 Git 仓库的默认位置。",
+ "config.detectSubmodules": "控制是否自动检测 Git 子模块。",
+ "config.detectSubmodulesLimit": "控制可检测到的 Git 子模块的限制。",
+ "config.discardAllScope": "控制运行“放弃所有更改”命令时放弃的更改类型。\"all\" 放弃所有更改。\"tracked\" 只放弃跟踪的文件。\"prompt\" 表示在每次运行此操作时显示提示对话框。",
+ "config.enableCommitSigning": "使用 GPG 或 x.509 启用提交签名。",
+ "config.enableSmartCommit": "在没有暂存的更改时提交所有更改。",
+ "config.enableStatusBarSync": "控制Git Sync命令是否出现在状态栏中。",
+ "config.enabled": "是否启用 Git。",
+ "config.experimental.installGuide": "Git 安装流程的实验性改进。",
+ "config.fetchOnPull": "启用后,在拉取时获取所有分支。否则,仅获取当前。",
+ "config.followTagsWhenSync": "遵循“运行同步命令时推送所有标记”。",
+ "config.ignoreLegacyWarning": "忽略“旧版 Git”警告。",
+ "config.ignoreLimitWarning": "忽略“仓库中存在大量更改”的警告。",
+ "config.ignoreMissingGitWarning": "忽略“缺失 Git”的警告。",
+ "config.ignoreRebaseWarning": "忽略拉取时发出的分支似乎已变基的警告。",
+ "config.ignoreSubmodules": "忽略对文件树中子模块的修改。",
+ "config.ignoreWindowsGit27Warning": "如果 Windows 上安装了 Git 2.25 - 2.26,则忽略警告。",
+ "config.ignoredRepositories": "要忽略的 Git 存储库列表。",
+ "config.inputValidation": "控制何时显示提交消息输入验证。",
+ "config.inputValidationLength": "控制显示提交消息长度警告的长度阈值。",
+ "config.inputValidationSubjectLength": "控制显示警告的提交消息主题长度阈值。请取消设置它以继承 \"config.inputValidationLength\" 的值。",
+ "config.logLevel": "指定要记录到 [git 输出](command:git.showOutput)的信息量(如果有)。",
+ "config.logLevel.critical": "仅记录关键信息",
+ "config.logLevel.debug": "仅记录调试、信息、警告、错误和关键信息",
+ "config.logLevel.error": "仅记录错误和关键信息",
+ "config.logLevel.info": "仅记录信息、警告、错误和关键信息",
+ "config.logLevel.off": "不记录任何内容",
+ "config.logLevel.trace": "记录所有信息",
+ "config.logLevel.warn": "仅记录警告、错误和关键信息",
+ "config.mergeEditor": "打开当前处于冲突状态的文件的合并编辑器。",
+ "config.openAfterClone": "控制是否在克隆后自动打开仓库。",
+ "config.openAfterClone.always": "始终在当前窗口中打开。",
+ "config.openAfterClone.alwaysNewWindow": "始终在新窗口中打开。",
+ "config.openAfterClone.prompt": "始终提示操作。",
+ "config.openAfterClone.whenNoFolderOpen": "只有在没有打开任何文件夹时,才在当前窗口中打开。",
+ "config.openDiffOnClick": "控制单击更改时是否应打开差异编辑器。否则将打开常规编辑器。",
+ "config.path": "Git 可执行文件的路径和文件名,例如 \"C:\\Program Files\\Git\\bin\\git.exe\" (Windows)。这也可以是一个包含多个要查找的路径的字符串值数组。",
+ "config.postCommitCommand": "成功提交后运行 git 命令。",
+ "config.postCommitCommand.none": "提交后不要运行任何命令。",
+ "config.postCommitCommand.push": "成功提交后运行'Git Push'。",
+ "config.postCommitCommand.sync": "成功提交后运行'Git Sync'。",
+ "config.promptToSaveFilesBeforeCommit": "控制 Git 是否在提交之前检查未保存的文件。",
+ "config.promptToSaveFilesBeforeCommit.always": "检查是否有任何未保存的文件。",
+ "config.promptToSaveFilesBeforeCommit.never": "禁用此检查。",
+ "config.promptToSaveFilesBeforeCommit.staged": "只检查未保存的已暂存文件。",
+ "config.promptToSaveFilesBeforeStash": "控制 Git 是否在储藏更改之前检查未保存的文件。",
+ "config.promptToSaveFilesBeforeStash.always": "检查是否有任何未保存的文件。",
+ "config.promptToSaveFilesBeforeStash.never": "禁用此检查。",
+ "config.promptToSaveFilesBeforeStash.staged": "只检查未保存的已暂存文件。",
+ "config.pruneOnFetch": "提取时修剪。",
+ "config.pullTags": "拉取时提取所有标签。",
+ "config.rebaseWhenSync": "在运行“同步”命令时,强制 Git 使用“变基”。",
+ "config.repositoryScanIgnoredFolders": "当 `#git.autoRepositoryDetection#` 设置为 `true` 或 `subFolders` 时扫描 Git 仓库时忽略的文件夹列表。",
+ "config.repositoryScanMaxDepth": "在将 `#git.autoRepositoryDetection#` 设置为 `true` 或 `subFolders` 时,控制扫描工作区文件夹以查找 Git 仓库时使用的深度。如果不进行限制,可以设置为 `-1`。",
+ "config.requireGitUserConfig": "控制在是要求进行显式 Git 用户配置,还是允许 Git 在缺少配置时进行猜测。",
+ "config.scanRepositories": "在其中搜索 Git 存储库的路径的列表。",
+ "config.showActionButton": "控制操作按钮是否显示在“源代码管理”视图中。",
+ "config.showActionButton.commit": "显示一个操作按钮,以便在本地分支已修改文件可供提交时提交更改。",
+ "config.showActionButton.publish": "显示一个操作按钮,以便在本地分支没有跟踪远程分支时发布该分支。",
+ "config.showActionButton.sync": "显示一个操作按钮,以便在本地分支位于远程分支前面或后面时同步更改。",
+ "config.showCommitInput": "控制是否在 Git 源控制面板中显示提交输入。",
+ "config.showInlineOpenFileAction": "控制是否在 Git 更改视图中显示内联“打开文件”操作。",
+ "config.showProgress": "控制 Git 操作是否显示进度提示。",
+ "config.showPushSuccessNotification": "控制在推送成功时是否显示通知。",
+ "config.smartCommitChanges": "控制哪些更改由Smart Commit自动暂存。",
+ "config.smartCommitChanges.all": "自动暂存所有更改。",
+ "config.smartCommitChanges.tracked": "仅自动暂存跟踪的更改。",
+ "config.statusLimit": "控制如何限制可从 Git 状态命令分析的更改数。可以设置为 0 表示无限制。",
+ "config.suggestSmartCommit": "建议启用智能提交(在无暂存更改时提交所有更改)。",
+ "config.supportCancellation": "控制在运行同步操作时是否出现通知,允许用户取消操作。",
+ "config.terminalAuthentication": "控制是否使 VS Code 成为集成终端中产生的 git 进程的身份验证处理程序。请注意: 需要重启终端才能选择此设置中的更改。",
+ "config.terminalGitEditor": "控制是否使 VS Code 成为集成终端中产生的 git 进程的 git 编辑器。请注意: 需要重启终端才能选择此设置中的更改。",
+ "config.timeline.date": "控制在日程表视图中项目使用的日期。",
+ "config.timeline.date.authored": "使用创作日期",
+ "config.timeline.date.committed": "使用提交日期",
+ "config.timeline.showAuthor": "控制是否在日程表视图中显示提交作者。",
+ "config.timeline.showUncommitted": "控制是否在时间线视图中显示未提交的更改。",
+ "config.untrackedChanges": "控制未跟踪的更改的行为。",
+ "config.untrackedChanges.hidden": "未跟踪的更改被隐藏,并从多个操作中排除。",
+ "config.untrackedChanges.mixed": "所有更改,无论是跟踪的还是未跟踪的,都会一起出现并表现出相同的行为。",
+ "config.untrackedChanges.separate": "未跟踪的更改单独显示在“源代码管理”视图中。它们也被排除在几个操作之外。",
+ "config.useCommitInputAsStashMessage": "控制是否将提交输入框中的消息用作默认储藏消息。",
+ "config.useEditorAsCommitInput": "控制当提交输入框中未提供消息时,是否将使用全文编辑器来创作提交消息。",
+ "config.useForcePushWithLease": "控制是否使用更安全的 force-with-lease 进行强制推送。",
+ "config.useIntegratedAskPass": "控制是否应覆盖 GIT_ASKPASS 以使用集成版本。",
+ "config.verboseCommit": "启用`#git.useEditorAsCommitInput#`时启用详细输出。",
+ "description": "Git 源代码管理集成",
+ "displayName": "Git",
+ "submenu.branch": "分支",
+ "submenu.changes": "更改",
+ "submenu.commit": "提交",
+ "submenu.commit.amend": "修改",
+ "submenu.commit.signoff": "注销",
+ "submenu.explorer": "Git",
+ "submenu.pullpush": "拉取,推送",
+ "submenu.remotes": "远程",
+ "submenu.stash": "存储",
+ "submenu.tags": "标记",
+ "view.workbench.cloneRepository": "可以在本地克隆仓库。\r\n[克隆仓库](command:git.clone '启用 git 扩展后立即克隆仓库')",
+ "view.workbench.learnMore": "要详细了解如何在 VS Code 中使用 Git 和源代码管理,[请阅读我们的文档](https://aka.ms/vscode-scm)。",
+ "view.workbench.scm.disabled": "如果要使用 git 功能,请在[设置](command:workbench.action.openSettings?%5B%22git.enabled%22%5D)中启用 git。\r\n要了解有关如何在 VS Code 中使用 Git 和源代码管理的更多信息,[请阅读我们的文档](https://aka.ms/vscode-scm)。",
+ "view.workbench.scm.empty": "为了使用 git 功能,可打开包含 git 仓库的文件夹或从 URL 克隆。\r\n[打开文件夹](command:vscode.openFolder)\r\n[克隆仓库](command:git.clone)\r\n要详细了解如何在 VS Code 中使用 Git 和源代码管理,请[阅读我们的文档](https://aka.ms/vscode-scm)。",
+ "view.workbench.scm.emptyWorkspace": "当前打开的工作区没有任何包含 git 存储库的文件夹。\r\n[将文件夹添加到工作区](command:workbench.action.addRootFolder)\r\n要详细了解如何在 VS Code 中使用 Git 和源代码管理,[请阅读我们的文档](https://aka.ms/vscode-scm)。",
+ "view.workbench.scm.folder": "当前打开的文件夹中没有 Git 仓库。可初始化一个仓库,它将实现 Git 提供支持的源代码管理功能。\r\n[初始化仓库](command:git.init?%5Btrue%5D)\r\n要详细了解如何在 VS Code 中使用 Git 和源代码管理,请[阅读我们的文档](https://aka.ms/vscode-scm)。",
+ "view.workbench.scm.missing": "安装 Git (一种流行的源代码管理系统),以跟踪代码更改并与他人协作。在我们的 [Git 指南](https://aka.ms/vscode-scm)中了解详细信息。",
+ "view.workbench.scm.missing.linux": "源代码管理取决于将安装的 Git。\r\n[下载适用于 Linux 的 Git](https://git-scm.com/download/linux)\r\n安装后,请 [重新加载](command:workbench.action.reloadWindow) (或 [执行故障排除](command:git.showOutput))。可以 [从市场] 安装其他源代码管理提供程序(command:workbench.extensions.search?%22%40category%3A%5C%22scm%20providers%5C%22%22)。",
+ "view.workbench.scm.missing.mac": "[下载适用于 macOS 的 Git](https://git-scm.com/download/mac)\r\n安装后,请[重新加载](command:workbench.action.reloadWindow) (或[执行故障排除](command:git.showOutput))。可以[从商城]安装其他源代码管理提供程序(command:workbench.extensions.search?%22%40category%3A%5C%22scm%20providers%5C%22%22)。",
+ "view.workbench.scm.missing.windows": "[下载适用于 Windows 的 Git](https://git-scm.com/download/win)\r\n安装后,请[重新加载](command:workbench.action.reloadWindow) (或[执行故障排除](command:git.showOutput))。可以[从商城]安装其他源代码管理提供程序(command:workbench.extensions.search?%22%40category%3A%5C%22scm%20providers%5C%22%22)。",
+ "view.workbench.scm.workspace": "当前打开的工作区中没有任何包含 Git 仓库的文件夹。可初始化某文件夹上的一个仓库,该仓库将实现 Git 提供支持的源代码管理功能。\r\n[初始化仓库](command:git.init)\r\n要详细了解如何在 VS Code 中使用 Git 和源代码管理,[请阅读我们的文档](https://aka.ms/vscode-scm)。"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/github-authentication.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/github-authentication.i18n.json
new file mode 100644
index 0000000..31f1e2b
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/github-authentication.i18n.json
@@ -0,0 +1,27 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "dist/githubServer": {
+ "code.detail": "要完成身份验证,请导航到 GitHub 并粘贴以上一次性代码。",
+ "code.title": "代码: {0}",
+ "no": "否",
+ "otherReasonMessage": "尚未完成授权此扩展使用 GitHub 的操作。是否要继续尝试",
+ "progress": "在新选项卡中打开 [{0}]({0}),并粘贴一次性代码: {1}",
+ "signingIn": "正在登录到 github.com...",
+ "signingInAnotherWay": "正在登录到 github.com...",
+ "userCancelledMessage": "登录时遇到问题? 是否要尝试其他方式?",
+ "yes": "是"
+ },
+ "package": {
+ "description": "GitHub 身份验证提供程序",
+ "displayName": "GitHub 身份验证"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/github.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/github.i18n.json
new file mode 100644
index 0000000..3691572
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/github.i18n.json
@@ -0,0 +1,46 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "dist/publish": {
+ "ignore": "选择应包含在仓库中的文件。",
+ "openingithub": "在 GitHub 上打开",
+ "pick folder": "选择一个要发布到 GitHub 的文件夹",
+ "publishing_done": "已将“{0}”仓库成功发布到 GitHub。",
+ "publishing_firstcommit": "正在创建第一个提交",
+ "publishing_private": "正在发布到专用 GitHub 仓库",
+ "publishing_public": "正在发布到公共 GitHub 仓库",
+ "publishing_uploading": "正在上传文件"
+ },
+ "dist/pushErrorHandler": {
+ "create a fork": "创建分支",
+ "create fork": "创建 GitHub 分支",
+ "createghpr": "正在创建 GitHub 拉取请求…",
+ "createpr": "创建 PR",
+ "donepr": "已在 GitHub 上成功创建 PR“{0}/{1}#{2}”。",
+ "fork": "你没有在 GitHub 上推送到“{0}/{1}”的权限。是否要创建一个分支并改为推送到该分支?",
+ "forking": "正在创建“{0}/{1}”的分支…",
+ "forking_done": "已在 GitHub 上成功创建分支“{0}”。",
+ "forking_pushing": "正在推送更改…",
+ "no": "否",
+ "no pr template": "无模板",
+ "openingithub": "在 GitHub 上打开",
+ "openpr": "打开 PR",
+ "select pr template": "选择拉取请求模板"
+ },
+ "package": {
+ "config.gitAuthentication": "控制是否在 VS Code 中为 git 命令启用自动 GitHub 身份验证。",
+ "config.gitProtocol": "控制用于克隆 GitHub 仓库的协议",
+ "description": "适用于 VS Code 的 GitHub 功能",
+ "displayName": "GitHub",
+ "welcome.publishFolder": "你还可直接将此文件夹发布到 GitHub 仓库。发布后,你将有权访问由 Git 和 GitHub 提供支持的源代码管理功能。\r\n[$(github) 发布到 GitHub](command:github.publish)",
+ "welcome.publishWorkspaceFolder": "你还可直接将工作区文件夹发布到 GitHub 仓库。发布后,你将有权访问由 Git 和 GitHub 提供支持的源代码管理功能。\r\n[$(github) 发布到 GitHub](command:github.publish)"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/go.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/go.i18n.json
new file mode 100644
index 0000000..4bf4ff4
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/go.i18n.json
@@ -0,0 +1,16 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "package": {
+ "description": "在 Go 文件中提供语法高亮和括号匹配功能。",
+ "displayName": "Go 语言基础功能"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/groovy.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/groovy.i18n.json
new file mode 100644
index 0000000..1ff72f6
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/groovy.i18n.json
@@ -0,0 +1,16 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "package": {
+ "description": "在 Groovy 文件中提供代码片段、语法高亮和括号匹配功能。",
+ "displayName": "Groovy 语言基础功能"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/grunt.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/grunt.i18n.json
new file mode 100644
index 0000000..6913e20
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/grunt.i18n.json
@@ -0,0 +1,25 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "dist/main": {
+ "execFailed": "在文件夹 {0} 中自动检测 Grunt 失败,错误: {1}",
+ "gruntShowOutput": "转到输出",
+ "gruntTaskDetectError": "查找咕咕任务的问题。有关详细信息,请参阅输出。"
+ },
+ "package": {
+ "config.grunt.autoDetect": "Grunt 任务检测的控制启用。Grunt 任务检测可能会导致执行任何打开的工作区中的文件。",
+ "description": "向 VS Code 提供 Grunt 功能的扩展。",
+ "displayName": "适用于 VS Code 的 Grunt 支持",
+ "grunt.taskDefinition.args.description": "要传递给 grunt 任务的命令行参数",
+ "grunt.taskDefinition.file.description": "提供任务的 Grunt 文件。可以省略。",
+ "grunt.taskDefinition.type.description": "要自定义的 Grunt 任务。"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/gulp.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/gulp.i18n.json
new file mode 100644
index 0000000..3245488
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/gulp.i18n.json
@@ -0,0 +1,24 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "dist/main": {
+ "execFailed": "在文件夹 {0} 中自动检测 gulp 失败,错误: {1}",
+ "gulpShowOutput": "转到输出",
+ "gulpTaskDetectError": "查找 gulp 任务时出现问题。有关详细信息,请查看输出。"
+ },
+ "package": {
+ "config.gulp.autoDetect": "Gulp 任务检测的控制启用。Gulp 任务检测可能会导致执行任何打开的工作区中的文件。",
+ "description": "向 VSCode 提供 Gulp 功能的扩展。",
+ "displayName": "适用于 VSCode 的 Gulp 支持",
+ "gulp.taskDefinition.file.description": "提供任务的 Gulp 文件。可以省略。",
+ "gulp.taskDefinition.type.description": "要自定义的 Gulp 任务。"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/handlebars.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/handlebars.i18n.json
new file mode 100644
index 0000000..488f080
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/handlebars.i18n.json
@@ -0,0 +1,16 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "package": {
+ "description": "在 Handlebars 文件中提供语法高亮和括号匹配功能。",
+ "displayName": "Handlebars 语言基础功能"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/hlsl.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/hlsl.i18n.json
new file mode 100644
index 0000000..40d45d5
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/hlsl.i18n.json
@@ -0,0 +1,16 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "package": {
+ "description": "在 HLSL 文件中提供语法高亮和括号匹配功能。",
+ "displayName": "HLSL 语言基础功能"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/html-language-features.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/html-language-features.i18n.json
new file mode 100644
index 0000000..e1975ec
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/html-language-features.i18n.json
@@ -0,0 +1,59 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "client\\dist\\node/htmlClient": {
+ "configureButton": "配置",
+ "folding.end": "折叠区域结束",
+ "folding.html": "简单的 HTML5 起点",
+ "folding.start": "折叠区域开始",
+ "htmlserver.name": "HTML 语言服务器",
+ "linkedEditingQuestion": "VS Code 现在内置了对自动重命名标签的支持。是否启用?"
+ },
+ "package": {
+ "description": "为 HTML 和 Handlebar 文件提供丰富的语言支持",
+ "displayName": "HTML 语言功能",
+ "html.autoClosingTags": "启用/禁用 HTML 标记的自动关闭。",
+ "html.autoCreateQuotes": "启用/禁用自动创建 HTML 属性分配的引号。可通过 #html.completion.attributeDefaultValue#”配置引号类型。",
+ "html.completion.attributeDefaultValue": "控制接受完成时属性的默认值。",
+ "html.completion.attributeDefaultValue.doublequotes": "属性值设置为 \"\"。",
+ "html.completion.attributeDefaultValue.empty": "未设置属性值。",
+ "html.completion.attributeDefaultValue.singlequotes": "属性值设置为 ''。",
+ "html.customData.desc": "一个相对文件路径列表,这些路径指向采用[自定义数据格式](https://github.com/microsoft/vscode-html-languageservice/blob/master/docs/customData.md)的 JSON 文件。\r\n\r\nVS Code 在启动时加载自定义数据,从而增强它对你在 JSON 文件中指定的自定义 HTML 标记、属性和属性值的 HTML 支持。\r\n\r\n文件路径与工作区相对,且仅考虑工作区文件夹设置。",
+ "html.format.contentUnformatted.desc": "标记列表(用逗号隔开),其中内容不应重新格式化。\"null\" 默认为 \"pre\" 标记。",
+ "html.format.enable.desc": "启用或禁用默认 HTML 格式化程序。",
+ "html.format.extraLiners.desc": "以逗号分隔的标记列表,其中的标记之前将有额外新行。若为 `null`,默认包含 `\"head, body, /html\"`。",
+ "html.format.indentHandlebars.desc": "对 `{{#foo}}` 和 `{{/foo}}` 进行格式化与缩进。",
+ "html.format.indentInnerHtml.desc": "缩进 \"\" 和 \"\" 部分。",
+ "html.format.maxPreserveNewLines.desc": "保留在一个区块中的换行符的最大数量。若为 `null`,则没有限制。",
+ "html.format.preserveNewLines.desc": "控制是否保留元素前已有的换行符。仅适用于元素前,不适用于标记内或文本。",
+ "html.format.templating.desc": "接受 django、erb、handlebars 和 php 模板化语言标记。",
+ "html.format.unformatted.desc": "以逗号分隔的标记列表,其中的内容不会被重新格式化。若为 `null`,默认包含所有列于 https://www.w3.org/TR/html5/dom.html#phrasing-content 的标记。",
+ "html.format.unformattedContentDelimiter.desc": "在此字符串之间保留文本内容。",
+ "html.format.wrapAttributes.alignedmultiple": "当超出折行长度时,将属性进行垂直对齐。",
+ "html.format.wrapAttributes.auto": "仅在超出行长度时才对属性进行换行。",
+ "html.format.wrapAttributes.desc": "对属性进行换行。",
+ "html.format.wrapAttributes.force": "对除第一个属性外的其他每个属性进行换行。",
+ "html.format.wrapAttributes.forcealign": "对除第一个属性外的其他每个属性进行换行,并保持对齐。",
+ "html.format.wrapAttributes.forcemultiline": "对每个属性进行换行。",
+ "html.format.wrapAttributes.preserve": "保留属性的包装。",
+ "html.format.wrapAttributes.preservealigned": "保留属性的包装,但对齐。",
+ "html.format.wrapAttributesIndentSize.desc": "将包装的属性缩进到 N 个字符之后。使用 `null` 来使用默认缩进大小。如果将 `#html.format.wrapAttributes#` 设置为 “aligned”,则忽略此项。",
+ "html.format.wrapLineLength.desc": "每行最大字符数(0 = 禁用)。",
+ "html.hover.documentation": "在悬停时显示标记和属性文档。",
+ "html.hover.references": "在悬停时显示 MDN 的引用。",
+ "html.mirrorCursorOnMatchingTag": "在匹配的 HTML 标记上启用/禁用镜像光标。",
+ "html.mirrorCursorOnMatchingTagDeprecationMessage": "已弃用,请改用 \"editor.linkedEditing\"",
+ "html.suggest.html5.desc": "配置内置 HTML 语言支持是否建议 HTML5 标记、属性和值。",
+ "html.trace.server.desc": "跟踪 VS Code 与 HTML 语言服务器之间的通信。",
+ "html.validate.scripts": "配置内置的 HTML 语言支持是否对嵌入的脚本进行验证。",
+ "html.validate.styles": "配置内置 HTML 语言支持是否对嵌入的样式进行验证。"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/html.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/html.i18n.json
new file mode 100644
index 0000000..c8f2d30
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/html.i18n.json
@@ -0,0 +1,16 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "package": {
+ "description": "在 HTML 文件中提供语法突出显示、括号匹配和片段。",
+ "displayName": "HTML 语言基础功能"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/image-preview.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/image-preview.i18n.json
new file mode 100644
index 0000000..5b7a8bd
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/image-preview.i18n.json
@@ -0,0 +1,39 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "dist/binarySizeStatusBarEntry": {
+ "sizeB": "{0} B",
+ "sizeGB": "{0} GB",
+ "sizeKB": "{0} KB",
+ "sizeMB": "{0} MB",
+ "sizeStatusBar.name": "图像二进制文件大小",
+ "sizeTB": "{0} TB"
+ },
+ "dist/preview": {
+ "preview.imageLoadError": "加载图片出错。",
+ "preview.imageLoadErrorLink": "使用 VS Code 的标准文本/二进制编辑器打开文件?"
+ },
+ "dist/sizeStatusBarEntry": {
+ "sizeStatusBar.name": "图像大小"
+ },
+ "dist/zoomStatusBarEntry": {
+ "zoomStatusBar.name": "图像缩放",
+ "zoomStatusBar.placeholder": "选择缩放级别",
+ "zoomStatusBar.wholeImageLabel": "整张图片"
+ },
+ "package": {
+ "command.zoomIn": "放大",
+ "command.zoomOut": "缩小",
+ "customEditors.displayName": "图像预览",
+ "description": "提供 VS Code的内置图像预览",
+ "displayName": "图像预览"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/ini.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/ini.i18n.json
new file mode 100644
index 0000000..4e48566
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/ini.i18n.json
@@ -0,0 +1,16 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "package": {
+ "description": "在 Ini 文件中提供语法高亮和括号匹配功能。",
+ "displayName": "Ini 语言基础功能"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/ipynb.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/ipynb.i18n.json
new file mode 100644
index 0000000..108b51e
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/ipynb.i18n.json
@@ -0,0 +1,16 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "package": {
+ "description": "为打开和读取 Jupyter 的 .ipynb 笔记本文件提供基本支持",
+ "displayName": ".ipynb 支持"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/jake.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/jake.i18n.json
new file mode 100644
index 0000000..4c956d1
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/jake.i18n.json
@@ -0,0 +1,24 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "dist/main": {
+ "execFailed": "在文件夹 {0} 中自动检测 Jake 失败,错误: {1}",
+ "jakeShowOutput": "转到输出",
+ "jakeTaskDetectError": "查找 jake 任务时出现问题。有关详细信息,请查看输出。"
+ },
+ "package": {
+ "config.jake.autoDetect": "Jake 任务检测的控制启用。Jake 任务检测可能会导致执行任何打开的工作区中的文件。",
+ "description": "向 VS Code 提供 Jake 功能的扩展。",
+ "displayName": "适用于 VS Code 的 Jake 支持",
+ "jake.taskDefinition.file.description": "提供任务的 Jake 文件。可以省略。",
+ "jake.taskDefinition.type.description": "要自定义的 Jake 任务。"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/java.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/java.i18n.json
new file mode 100644
index 0000000..aabe01a
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/java.i18n.json
@@ -0,0 +1,16 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "package": {
+ "description": "在 Java 文件中提供代码片段、语法高亮、括号匹配和折叠功能。",
+ "displayName": "Java 语言基础功能"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/javascript.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/javascript.i18n.json
new file mode 100644
index 0000000..e167f58
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/javascript.i18n.json
@@ -0,0 +1,16 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "package": {
+ "description": "在 JavaScript 文件中提供代码片段、语法高亮、括号匹配和折叠功能。",
+ "displayName": "JavaScript 语言基础功能"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/json-language-features.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/json-language-features.i18n.json
new file mode 100644
index 0000000..77d4ce0
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/json-language-features.i18n.json
@@ -0,0 +1,73 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "client\\dist\\node/jsonClient": {
+ "json.clearCache.completed": "已清除 JSON 架构缓存。",
+ "json.resolveError": "JSON: 架构解析错误",
+ "json.schemaResolutionDisabledMessage": "已禁用下载架构。单击以进行配置。",
+ "json.schemaResolutionErrorMessage": "无法解析架构。单击以重试。",
+ "jsonserver.name": "JSON 语言服务器",
+ "schemaDownloadDisabled": "已通过设置“{0}”禁用下载架构",
+ "untitled.schema": "无法加载 {0}"
+ },
+ "client\\dist\\node/languageStatus": {
+ "documentColorsStatusItem.name": "JSON 颜色符号状态",
+ "documentSymbolsStatusItem.name": "JSON 大纲状态",
+ "foldingRangesStatusItem.name": "JSON 折叠状态",
+ "openExtension": "打开扩展",
+ "openSettings": "打开设置",
+ "pending.detail": "正在加载 JSON 信息",
+ "schema.noSchema": "未配置此文件的架构",
+ "schema.showdocs": "详细了解 JSON 架构配置...",
+ "schemaFromFolderSettings": "已在工作区设置中配置",
+ "schemaFromUserSettings": "已在用户设置中配置",
+ "schemaFromextension": "已由扩展配置: {0}",
+ "schemaPicker.title": "用于{0}的 JSON 架构",
+ "status.button.configure": "配置",
+ "status.error": "无法计算使用的架构",
+ "status.limitedDocumentColors.details": "仅显示 {0} 颜色修饰器",
+ "status.limitedDocumentColors.short": "颜色符号受限",
+ "status.limitedDocumentSymbols.details": "仅显示 {0} 文档符号",
+ "status.limitedDocumentSymbols.short": "大纲受限",
+ "status.limitedFoldingRanges.details": "仅显示 {0} 折叠范围",
+ "status.limitedFoldingRanges.short": "折叠范围受限",
+ "status.multipleSchema": "已配置多个 JSON 架构",
+ "status.noSchema": "未配置任何 JSON 架构",
+ "status.noSchema.short": "无架构验证",
+ "status.notJSON": "不是 JSON 编辑器",
+ "status.openSchemasLink": "显示架构",
+ "status.singleSchema": "已配置 JSON 架构",
+ "status.withSchema.short": "已验证架构",
+ "status.withSchemas.short": "已验证架构",
+ "statusItem.name": "JSON 验证状态"
+ },
+ "package": {
+ "description": "为 JSON 文件提供丰富的语言支持",
+ "displayName": "JSON 语言功能",
+ "json.clickToRetry": "单击以重试。",
+ "json.colorDecorators.enable.deprecationMessage": "已弃用设置 \"json.colorDecorators.enable\",请改用 \"editor.colorDecorators\"。",
+ "json.colorDecorators.enable.desc": "启用或禁用颜色修饰器",
+ "json.command.clearCache": "清除架构缓存",
+ "json.enableSchemaDownload.desc": "启用后,可以从 http 和 https 位置提取 JSON 架构。",
+ "json.format.enable.desc": "启用或禁用默认 JSON 格式化程序。",
+ "json.format.keepLines.desc": "设置格式时保留所有现有新行。",
+ "json.maxItemsComputed.desc": "计算的大纲符号和折叠区域的最大数量(因性能原因而受限)。",
+ "json.maxItemsExceededInformation.desc": "当超出分级显示符号和折叠区域的最大数目时显示通知。",
+ "json.schemaResolutionErrorMessage": "无法解析架构。",
+ "json.schemas.desc": "将架构关联到当前项目中的 JSON 文件。",
+ "json.schemas.fileMatch.desc": "将 JSON 文件解析为架构时要与之匹配的文件模式数组。\"*\" 可用作通配符。也可定义排除模式,并以 \"!\" 开头。当至少有一个匹配模式,且最后一个匹配模式不是排除模式时,文件匹配。",
+ "json.schemas.fileMatch.item.desc": "将 JSON 文件解析到架构时用于匹配的可以包含 \"*\" 的文件模式。",
+ "json.schemas.schema.desc": "给定 URL 的架构定义。仅当要避免访问架构 URL 时需要提供架构。",
+ "json.schemas.url.desc": "架构的 URL 或当前目录中架构的相对路径",
+ "json.tracing.desc": "跟踪 VS Code 和 JSON 语言服务器之间的通信。",
+ "json.validate.enable.desc": "启用/禁用 JSON 验证。"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/json.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/json.i18n.json
new file mode 100644
index 0000000..7cb03cd
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/json.i18n.json
@@ -0,0 +1,16 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "package": {
+ "description": "在 JSON 文件中提供语法突出显示和括号匹配功能。",
+ "displayName": "JSON 语言基础功能"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/julia.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/julia.i18n.json
new file mode 100644
index 0000000..d502187
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/julia.i18n.json
@@ -0,0 +1,16 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "package": {
+ "description": "在 Julia 文件中提供语法高亮和括号匹配功能。",
+ "displayName": "Julia 语言基础知识"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/latex.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/latex.i18n.json
new file mode 100644
index 0000000..8a670e6
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/latex.i18n.json
@@ -0,0 +1,16 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "package": {
+ "description": "为 TeX、LaTeX 和 BibTeX 提供语法突出显示和括号匹配。",
+ "displayName": "LaTeX 语言基本信息"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/less.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/less.i18n.json
new file mode 100644
index 0000000..5770fd6
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/less.i18n.json
@@ -0,0 +1,16 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "package": {
+ "description": "在 Less 文件中提供语法高亮、括号匹配和折叠功能。",
+ "displayName": "Less 语言基础功能"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/log.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/log.i18n.json
new file mode 100644
index 0000000..081dec3
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/log.i18n.json
@@ -0,0 +1,16 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "package": {
+ "description": "为扩展名为 .log 的文件提供语法高亮功能。",
+ "displayName": "日志"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/lua.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/lua.i18n.json
new file mode 100644
index 0000000..f91036d
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/lua.i18n.json
@@ -0,0 +1,16 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "package": {
+ "description": "在 Lua 文件中提供语法高亮和括号匹配功能。",
+ "displayName": "Lua 语言基础功能"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/make.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/make.i18n.json
new file mode 100644
index 0000000..b799332
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/make.i18n.json
@@ -0,0 +1,16 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "package": {
+ "description": "在 Make 文件中提供语法高亮和括号匹配功能。",
+ "displayName": "Make 语言基础功能"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/markdown-basics.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/markdown-basics.i18n.json
new file mode 100644
index 0000000..3ab626e
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/markdown-basics.i18n.json
@@ -0,0 +1,16 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "package": {
+ "description": "在 Markdown 文件中提供代码片段和语法高亮功能。",
+ "displayName": "Markdown 语言基础功能"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/markdown-language-features.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/markdown-language-features.i18n.json
new file mode 100644
index 0000000..3c30411
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/markdown-language-features.i18n.json
@@ -0,0 +1,90 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "dist/client": {
+ "markdownServer.name": "Markdown 语言服务器"
+ },
+ "dist/languageFeatures/diagnostics": {
+ "ignoreLinksQuickFix.title": "从链接验证中排除 \"{0}\"。"
+ },
+ "dist/languageFeatures/fileReferences": {
+ "error.noResource": "查找文件引用失败。未提供资源。",
+ "progress.title": "正在查找文件引用"
+ },
+ "dist/preview/documentRenderer": {
+ "preview.notFound": "找不到 {0}",
+ "preview.securityMessage.label": "已禁用内容安全警告",
+ "preview.securityMessage.text": "已禁用此文档中的部分内容",
+ "preview.securityMessage.title": "已禁用此 Markdown 预览中的可能不安全的内容。更改 Markdown 预览安全设置以允许不安全内容或启用脚本"
+ },
+ "dist/preview/preview": {
+ "lockedPreviewTitle": "[预览] {0}",
+ "onPreviewStyleLoadError": "无法加载 'markdown.styles': {0}",
+ "preview.clickOpenFailed": "无法打开 {0}",
+ "previewTitle": "预览 {0}"
+ },
+ "dist/preview/security": {
+ "disable.description": "允许所有内容,执行所有脚本。不推荐",
+ "disable.title": "禁用",
+ "disableSecurityWarning.title": "在此工作区中取消预览安全警告",
+ "enableSecurityWarning.title": "在此工作区中启用预览安全警告",
+ "insecureContent.description": "允许通过 http 载入内容",
+ "insecureContent.title": "允许不安全内容",
+ "insecureLocalContent.description": "允许通过 http 载入来自 localhost 的内容",
+ "insecureLocalContent.title": "允许不安全的本地内容",
+ "moreInfo.title": "更多信息",
+ "preview.showPreviewSecuritySelector.title": "选择此工作区中 Markdown 预览的安全设置",
+ "strict.description": "仅载入安全内容",
+ "strict.title": "严格",
+ "toggleSecurityWarning.description": "不影响内容安全级别"
+ },
+ "package": {
+ "configuration.markdown.editor.drop.enabled": "启用/禁用放置到 Markdown 编辑器以插入排班。需要启用 `#editor.dropIntoEditor.enabled#`。",
+ "configuration.markdown.editor.pasteLinks.enabled": "启用/禁用将文件粘贴到 Markdown 编辑器会插入 Markdown 链接。需要启用 `#editor.experimental.pasteActions.enabled#`。",
+ "configuration.markdown.experimental.validate.enabled.description": "启用/禁用 Markdown 文件中的所有错误报告。",
+ "configuration.markdown.experimental.validate.fileLinks.enabled.description": "验证指向 Markdown 文件中其他文件的链接,例如 `[link](/path/to/file.md)`。此操作将检查目标文件是否存在。需要启用 ·#markdown.experimental.validate.enabled#·。",
+ "configuration.markdown.experimental.validate.fileLinks.markdownFragmentLinks.description": "验证 Markdown 文件中其他文件中标头的链接片段部分,例如“[link](/path/to/file.md#header)”。默认情况下从“#markdown.experimental.validate.fragmentLinks.enabled#”继承设置值。",
+ "configuration.markdown.experimental.validate.fragmentLinks.enabled.description": "验证当前 Markdown 文件中标头的片段链接,例如“[link](#header)”。需要启用“#markdown.experimental.validate.enabled#”。",
+ "configuration.markdown.experimental.validate.ignoreLinks.description": "配置不应被验证的链接。例如,`/about` 不会验证链接 `[about](/about)`,而 `/assets/**/*.svg` 会允许你跳过对 `assets` 目录下 `.svg` 文件的任何链接的验证。",
+ "configuration.markdown.experimental.validate.referenceLinks.enabled.description": "验证 Markdown 文件中的引用链接,例如 `[link][ref]`。 需要启用 `#markdown.experimental.validate.enabled#`。",
+ "configuration.markdown.links.openLocation.beside": "打开活动编辑器旁边的链接。",
+ "configuration.markdown.links.openLocation.currentGroup": "打开活动编辑器组中的链接。",
+ "configuration.markdown.links.openLocation.description": "控制应在哪里打开 Markdown 文件中的链接。",
+ "configuration.markdown.preview.openMarkdownLinks.description": "控制如何打开 Markdown 预览中其他 Markdown 文件的链接。",
+ "configuration.markdown.preview.openMarkdownLinks.inEditor": "尝试在编辑器中打开链接。",
+ "configuration.markdown.preview.openMarkdownLinks.inPreview": "尝试在 Markdown 预览中打开链接。",
+ "configuration.markdown.suggest.paths.enabled.description": "启用/禁用 Markdown 链接的路径建议",
+ "description": "为 Markdown 提供丰富的语言支持。",
+ "displayName": "Markdown 语言功能",
+ "markdown.findAllFileReferences": "查找文件引用",
+ "markdown.preview.breaks.desc": "设置换行符在 Markdown 预览中的呈现方式。如果将其设置为 \"true\",则将为段落内的新行创建一个 。",
+ "markdown.preview.doubleClickToSwitchToEditor.desc": "在 Markdown 预览中双击切换到编辑器。",
+ "markdown.preview.fontFamily.desc": "控制 Markdown 预览中使用的字体系列。",
+ "markdown.preview.fontSize.desc": "控制 Markdown 预览中使用的字号(以像素为单位)。",
+ "markdown.preview.lineHeight.desc": "控制 Markdown 预览中使用的行高。此数值与字号相关。",
+ "markdown.preview.linkify": "在 Markdown 预览中启用或禁用将类似 URL 的文本转换为链接的操作。",
+ "markdown.preview.markEditorSelection.desc": "在 Markdown 预览中标记当前的编辑器选定内容。",
+ "markdown.preview.refresh.title": "刷新预览",
+ "markdown.preview.scrollEditorWithPreview.desc": "滚动 Markdown 预览时,更新其编辑器视图。",
+ "markdown.preview.scrollPreviewWithEditor.desc": "滚动 Markdown 编辑器时,更新其预览视图。",
+ "markdown.preview.title": "打开预览",
+ "markdown.preview.toggleLock.title": "切换开关锁定预览",
+ "markdown.preview.typographer": "在 Markdown 预览中启用或禁用一些与语言无关的替换和引文美化。",
+ "markdown.previewSide.title": "打开侧边预览",
+ "markdown.showLockedPreviewToSide.title": "在侧边打开锁定的预览",
+ "markdown.showPreviewSecuritySelector.title": "更改预览安全设置",
+ "markdown.showSource.title": "显示源",
+ "markdown.styles.dec": "要从 Markdown 预览使用的 CSS 样式表的 URL 或本地路径的列表。相对路径解释为相对于资源管理器中打开的文件夹。如果没有打开的文件夹,则解释为相对于 Markdown 文件的位置。所有 '\\' 都需写为 '\\\\'。",
+ "markdown.trace.extension.desc": "对 Markdown 扩展启用调试日志记录。",
+ "markdown.trace.server.desc": "跟踪 VS Code 和 Markdown 语言服务器之间的通信。",
+ "workspaceTrust": "加载在工作区中配置的样式时需要。"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/markdown-math.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/markdown-math.i18n.json
new file mode 100644
index 0000000..1bdb7ae
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/markdown-math.i18n.json
@@ -0,0 +1,17 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "package": {
+ "config.markdown.math.enabled": "在内置 Markdown 预览中启用/禁用呈现数学。",
+ "description": "在笔记本中向 Markdown 添加数学支持。",
+ "displayName": "Markdown 数学"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/merge-conflict.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/merge-conflict.i18n.json
new file mode 100644
index 0000000..d23bc02
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/merge-conflict.i18n.json
@@ -0,0 +1,35 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "package": {
+ "command.accept.all-both": "全部保留两者",
+ "command.accept.all-current": "全部采用当前内容",
+ "command.accept.all-incoming": "全部采用传入版本",
+ "command.accept.both": "保留两者",
+ "command.accept.current": "采用当前内容",
+ "command.accept.incoming": "采用传入内容",
+ "command.accept.selection": "采用选中版本",
+ "command.category": "合并冲突",
+ "command.compare": "比较当前冲突",
+ "command.next": "下一个冲突",
+ "command.previous": "上一个冲突",
+ "config.autoNavigateNextConflictEnabled": "是否在解决合并冲突后自动转到下一个合并冲突。",
+ "config.codeLensEnabled": "为编辑器中的合并冲突区域创建 CodeLens。",
+ "config.decoratorsEnabled": "为编辑器中的合并冲突区域创建提示小标。",
+ "config.diffViewPosition": "控件在比较合并冲突中的更改时应在何处打开差异视图。",
+ "config.diffViewPosition.below": "在当前编辑器组下方打开差异视图。",
+ "config.diffViewPosition.beside": "在当前编辑器组旁边打开差异视图。",
+ "config.diffViewPosition.current": "在当前的编辑器组中打开差异视图。",
+ "config.title": "合并冲突",
+ "description": "为内联合并冲突提供高亮和命令。",
+ "displayName": "合并冲突"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/microsoft-authentication.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/microsoft-authentication.i18n.json
new file mode 100644
index 0000000..e496a08
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/microsoft-authentication.i18n.json
@@ -0,0 +1,24 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "dist/AADHelper": {
+ "pasteCodePlaceholder": "在此处粘贴授权代码...",
+ "pasteCodePrompt": "提供授权代码以完成登录流。",
+ "pasteCodeTitle": "Microsoft 身份验证",
+ "signOut": "你已被注销,因为未能读取存储的身份验证信息。"
+ },
+ "package": {
+ "description": "Microsoft 身份验证提供程序",
+ "displayName": "Microsoft 帐户",
+ "signIn": "登录",
+ "signOut": "注销"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/ms-vscode.js-debug.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/ms-vscode.js-debug.i18n.json
new file mode 100644
index 0000000..f44e24e
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/ms-vscode.js-debug.i18n.json
@@ -0,0 +1,486 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "/src/adapter/breakpoints/userDefinedBreakpoint": {
+ "breakpoint.provisionalBreakpoint": "未绑定断点"
+ },
+ "/src/adapter/console/queryObjectsMessage": {
+ "queryObject.couldNotQuery": "无法查询提供的对象",
+ "queryObject.errorPreview": "可以生成预览: {0}",
+ "queryObject.invalidObject": "只能查询对象"
+ },
+ "/src/adapter/console/textualMessage": {
+ "console.assert": "断言失败"
+ },
+ "/src/adapter/customBreakpoints": {
+ "breakpoint.animationFrameFired": "已触发动画帧",
+ "breakpoint.cancelAnimationFrame": "取消动画帧",
+ "breakpoint.closeAudioContext": "关闭 AudioContext",
+ "breakpoint.createAudioContext": "创建 AudioContext",
+ "breakpoint.createCanvasContext": "创建画布上下文",
+ "breakpoint.cspViolation": "脚本受到内容安全策略阻止",
+ "breakpoint.cspViolationNamed": "CSP 违反“{0}”",
+ "breakpoint.cspViolationNamedDetails": "因内容安全策略违规检测断点而暂停,指令“{0}”",
+ "breakpoint.eventListenerNamed": "因事件侦听器断点“{0}”而暂停,于“{1}”触发",
+ "breakpoint.instrumentationNamed": "因检测断点“{0}”而暂停",
+ "breakpoint.requestAnimationFrame": "请求动画帧",
+ "breakpoint.resumeAudioContext": "恢复 AudioContext",
+ "breakpoint.scriptFirstStatement": "编写第一条语句的脚本",
+ "breakpoint.setInnerHtml": "设置 innerHTML",
+ "breakpoint.setIntervalFired": "已触发 setInterval",
+ "breakpoint.setTimeoutFired": "已触发 setTimeout",
+ "breakpoint.suspendAudioContext": "暂停 AudioContext",
+ "breakpoint.webglErrorFired": "已触发 WebGL 错误",
+ "breakpoint.webglErrorNamed": "WebGL 错误“{0}”",
+ "breakpoint.webglErrorNamedDetails": "因 WebGL 错误检测断点而暂停,错误为“{0}”",
+ "breakpoint.webglWarningFired": "已触发 WebGL 警告"
+ },
+ "/src/adapter/debugAdapter": {
+ "breakpoint.caughtExceptions": "捕获的异常",
+ "breakpoint.caughtExceptions.description": "出现任何引发错误时中断,即使这些错误稍后才被捕获也是如此。",
+ "breakpoint.uncaughtExceptions": "未捕获的异常",
+ "error.cannotPrettyPrint": "无法优质打印",
+ "error.sourceContentDidFail": "无法检索源内容",
+ "error.sourceNotFound": "未找到源",
+ "error.variableNotFound": "找不到变量"
+ },
+ "/src/adapter/profiling/basicCpuProfiler": {
+ "profile.cpu.description": "生成可在 Chrome 开发工具中打开的 .cpuprofile 文件",
+ "profile.cpu.label": "CPU 配置文件"
+ },
+ "/src/adapter/profiling/basicHeapProfiler": {
+ "profile.heap.description": "生成可在 Chrome 开发工具中打开的 .heapprofile 文件",
+ "profile.heap.label": "堆配置文件"
+ },
+ "/src/adapter/profiling/heapDumpProfiler": {
+ "profile.heap.description": "生成可在 Chrome 开发工具中打开的 .heapsnapshot 文件",
+ "profile.heap.label": "堆快照"
+ },
+ "/src/adapter/sources": {
+ "source.skipFiles": "已由 skipFiles 跳过"
+ },
+ "/src/adapter/stackTrace": {
+ "scope.block": "块",
+ "scope.catch": "Catch 块",
+ "scope.closure": "闭包",
+ "scope.closureNamed": "闭包({0})",
+ "scope.eval": "Eval",
+ "scope.global": "全局",
+ "scope.local": "本地",
+ "scope.module": "模块",
+ "scope.returnValue": "返回值",
+ "scope.script": "脚本",
+ "scope.with": "With 块",
+ "smartStepSkipLabel": "已由 smartStep 跳过",
+ "source.skipFiles": "已由 skipFiles 跳过"
+ },
+ "/src/adapter/threads": {
+ "error.evaluateDidFail": "无法计算",
+ "error.evaluateOnAsyncStackFrame": "无法计算异步堆栈帧",
+ "error.pauseDidFail": "无法暂停",
+ "error.restartFrameAsync": "无法重启异步帧",
+ "error.resumeDidFail": "无法恢复",
+ "error.stackFrameNotFound": "未找到堆栈帧",
+ "error.stepInDidFail": "无法进入子函数",
+ "error.stepOutDidFail": "无法跳出子函数",
+ "error.stepOverDidFail": "无法越过子函数",
+ "error.threadNotPaused": "线程未暂停",
+ "error.threadNotPausedOnException": "出现异常时线程未暂停",
+ "error.unknownRestartError": "无法重启框架",
+ "pause.DomBreakpoint": "因 DOM 断点暂停",
+ "pause.assert": "因断言暂停",
+ "pause.breakpoint": "因断点暂停",
+ "pause.debugCommand": "在 debug() 调用时暂停",
+ "pause.default": "已暂停",
+ "pause.eventListener": "因事件侦听器暂停",
+ "pause.exception": "因异常暂停",
+ "pause.instrumentation": "因检测断点暂停",
+ "pause.oom": "在出现内存不足异常之前暂停",
+ "pause.promiseRejection": "暂停于拒绝承诺",
+ "pause.xhr": "在 XMLHttpRequest 或提取时暂停",
+ "reason.description.restart": "暂停于框架条目",
+ "warnings.handleSourceMapPause.didNotWait": "警告: 处理 {0} 的源映射耗时超过 {1} 毫秒,因此我们继续执行,而不是等到脚本的所有断点都设置好。"
+ },
+ "/src/adapter/variableStore": {
+ "error.customValueDescriptionGeneratorFailed": "{0} (无法描述: {1})",
+ "error.emptyExpression": "无法设置空值",
+ "error.invalidExpression": "表达式无效",
+ "error.setVariableDidFail": "无法设置变量值",
+ "error.unknown": "未知错误",
+ "error.variableNotFound": "找不到变量"
+ },
+ "/src/binder": {
+ "breakpoint.provisionalBreakpoint": "未绑定断点"
+ },
+ "/src/dap/errors": {
+ "NVM_HOME.not.found.message": "属性 \"runtimeVersion\" 需要 Node.js 版本管理器 \"nvm-windows\" 或 \"nvs\"。",
+ "NVS_HOME.not.found.message": "属性 \"runtimeVersion\" 需要安装 Node.js 版本管理器 \"nvs\" 或 \"nvm\"。",
+ "VSND2011": "无法在终端启动调试目标({0})。",
+ "VSND2029": "无法从文件加载环境变量({0})。",
+ "asyncScopesNotAvailable": "变量在异步堆栈中不可用",
+ "breakpointSyntaxError": "在第 {1} 行上设置带条件 {0} 的断点时出现语法错误: {2}",
+ "browserVersionNotFound": "找不到 {0} 版本 {1}。可用的自动发现的版本包括: {2}。你可将 launch.json 中的 \"runtimeExecutable\" 设置为其中一个,或者提供浏览器可执行文件的绝对路径。",
+ "error.browserAttachError": "无法附加到浏览器",
+ "error.browserLaunchError": "无法启动浏览器:“{0}”",
+ "error.threadNotFound": "找不到目标页。若要匹配想要调试的页面,可能需要更新 \"urlFilter\"。",
+ "invalidHitCondition": "命中条件“{0}”无效。应输入表达式,如 \"> 42\" 或 \"== 2\"。",
+ "noBrowserInstallFound": "在你的系统上找不到浏览器的安装。请尝试安装它,或者在 launch.json 的 “runtimeExecutable” 中提供浏览器的绝对路径。",
+ "noUwpPipeFound": "无法连接到任何 UWP Webview 管道。确保在调试模式下托管 Web 视图,并且 `launch.json` 中的 `pipeName` 正确无误。",
+ "profile.error.concurrent": "请在启动新的配置文件之前停止正在运行的配置文件。",
+ "profile.error.generic": "从目标获取配置文件时出错。",
+ "runtime.node.notfound": "找不到 Node.js 二进制文件“{0}”: {1}。请确保 Node.js 已安装且位于你的路径中,或者在 launch.json 中设置 \"runtimeExecutable\"",
+ "runtime.node.outdated": "“{0}”中的 Node 版本已过时(版本 {1}),我们至少需要 Node 8.x。",
+ "runtime.version.not.found.message": "未使用版本管理器 {1} 安装 Node.js 版本“{0}”。",
+ "sourcemapParseError": "无法读取 {0} 的源映射: {1}",
+ "uwpPipeNotAvailable": "UWP Webview 调试在平台上不可用。"
+ },
+ "/src/debugServer": {
+ "breakpoint.provisionalBreakpoint": "未绑定断点"
+ },
+ "/src/targets/browser/browserAttacher": {
+ "attach.cannotConnect": "无法连接到 {0} 处的目标: {1}",
+ "chrome.targets.placeholder": "选择一个选项卡"
+ },
+ "/src/targets/node/nodeAttacher": {
+ "node.attach.restart.message": "已断开与调试对象的连接,将在 {0} 毫秒后重新连接\r\n"
+ },
+ "/src/targets/node/nodeBinaryProvider": {
+ "outOfDate": "{0} 仍要尝试调试吗?",
+ "runtime.node.notfound.enoent": "路径不存在",
+ "runtime.node.notfound.spawnErr": "获取版本时出错: {0}",
+ "warning.16bpIssue": "在你的 Node.js 版本中,某些断点可能不起作用。我们建议升级以获取最新的 bug、性能和安全修复。详细信息: https://aka.ms/AAcsvqm",
+ "warning.8outdated": "你正在运行的 Node.js 版本已过期。我们建议升级以获取最新的针对 bug、性能和安全的修复。",
+ "yes": "是"
+ },
+ "/src/ui/autoAttach": {
+ "details": "详细信息"
+ },
+ "/src/ui/companionBrowserLaunch": {
+ "cannotDebugInBrowser": "无法从此处启动调试模式下的浏览器。要启用调试,请在桌面上的 VS Code 中打开此工作区。"
+ },
+ "/src/ui/configuration/chromiumDebugConfigurationProvider": {
+ "chrome.launch.name": "针对 localhost 启动 Chrome",
+ "existingBrowser.alert": "似乎已从 {0} 运行了浏览器。请在尝试调试前关闭它,否则 VS Code 可能无法连接它。",
+ "existingBrowser.debugAnyway": "仍要调试",
+ "existingBrowser.location.default": "旧调试会话",
+ "existingBrowser.location.userDataDir": "已配置的 userDataDir"
+ },
+ "/src/ui/configuration/edgeDebugConfigurationProvider": {
+ "chrome.launch.name": "针对 localhost 启动 Edge"
+ },
+ "/src/ui/configuration/nodeDebugConfigurationProvider": {
+ "debug.terminal.label": "JavaScript 调试终端",
+ "node.launch.currentFile": "运行当前文件",
+ "node.launch.script": "运行脚本: {0}"
+ },
+ "/src/ui/configuration/nodeDebugConfigurationResolver": {
+ "cwd.notFound": "配置的 “cwd” {0} 不存在。",
+ "mern.starter.explanation": "已创建“{0}”项目的启动配置。",
+ "node.launch.config.name": "启动程序",
+ "outFiles.explanation": "在“outFiles”属性中调整glob模式,以包含生成的JavaScript。",
+ "program.guessed.from.package.json.explanation": "已根据 \"package.json\" 生成启动配置。",
+ "program.not.found.message": "找不到要调试的程序"
+ },
+ "/src/ui/debugLinkUI": {
+ "debugLink.invalidUrl": "提供的 URL 无效",
+ "debugLink.savePrompt": "是否要将配置保存在 launch.json 中以便日后访问?",
+ "never": "从不",
+ "no": "否",
+ "yes": "是"
+ },
+ "/src/ui/debugNpmScript": {
+ "debug.npm.noScripts": "在 package.json 中找不到 npm 脚本",
+ "debug.npm.noWorkspaceFolder": "需要打开工作区文件夹来调试 npm 脚本。",
+ "debug.npm.notFound.open": "编辑 package.json",
+ "debug.npm.parseError": "无法读取 {0}: {1}"
+ },
+ "/src/ui/debugTerminalUI": {
+ "terminal.cwdpick": "选择当前工作目录新建终端"
+ },
+ "/src/ui/diagnosticsUI": {
+ "inspectSessionEnded": "你的调试会话似乎已结束。请尝试重新调试,然后运行“调试: 诊断断点问题”命令。",
+ "never": "从不",
+ "notNow": "以后再说",
+ "selectInspectSession": "选择要检查的会话:",
+ "yes": "是"
+ },
+ "/src/ui/disableSourceMapUI": {
+ "always": "始终",
+ "disableSourceMapUi.msg": "这是由源映射引用的缺失的文件路径。是否要改为调试编译版本?",
+ "no": "否",
+ "yes": "是"
+ },
+ "/src/ui/edgeDevToolOpener": {
+ "selectEdgeToolSession": "选择要在其中打开开发工具的页面"
+ },
+ "/src/ui/linkedBreakpointLocationUI": {
+ "ignore": "忽略",
+ "readMore": "了解详细信息"
+ },
+ "/src/ui/longPredictionUI": {
+ "longPredictionWarning.disable": "不再显示",
+ "longPredictionWarning.message": "配置断点需要一段时间。你可通过更新 launch.json 中的 \"outFiles\" 来加快速度。",
+ "longPredictionWarning.noFolder": "未打开工作区文件夹。",
+ "longPredictionWarning.open": "打开 launch.json"
+ },
+ "/src/ui/processPicker": {
+ "cannot.enable.debug.mode.error": "附加到进程: 无法对进程 \"{0}\" 启用调试模式 ({1})。",
+ "pickNodeProcess": "选择要附加到的 Node.js 进程",
+ "process.id.error": "附加到进程:“{0}”不像是进程 ID。",
+ "process.id.port.signal": "进程 ID: {0},调试端口: {1} ({2})",
+ "process.id.signal": "进程 ID: {0} ({1})",
+ "process.picker.error": "进程选取器失败 ({0})"
+ },
+ "/src/ui/profiling/breakpointTerminationCondition": {
+ "breakpointTerminationWarnConfirm": "知道了!",
+ "breakpointTerminationWarnSlow": "在启用断点的情况下分析可能会更改代码的性能。使用“持续时间”或“手动”终止条件验证发现的结果可能很有用。",
+ "profile.termination.breakpoint.description": "运行直到命中特定断点为止",
+ "profile.termination.breakpoint.label": "选取断点"
+ },
+ "/src/ui/profiling/durationTerminationCondition": {
+ "profile.termination.duration.description": "运行特定时间",
+ "profile.termination.duration.inputTitle": "配置文件的持续时间",
+ "profile.termination.duration.invalidFormat": "请输入数字",
+ "profile.termination.duration.invalidLength": "请输入一个大于 1 的数字",
+ "profile.termination.duration.label": "持续时间",
+ "profile.termination.duration.placeholder": "配置文件持续时间(以秒为单位),例如 \"5\""
+ },
+ "/src/ui/profiling/manualTerminationCondition": {
+ "profile.termination.duration.description": "运行直到手动停止为止",
+ "profile.termination.duration.label": "手动"
+ },
+ "/src/ui/profiling/uiProfileManager": {
+ "no": "否",
+ "profile.alreadyRunning": "分析会话已在运行,是否要停止它并开始新会话?",
+ "profile.sessionState": "分析",
+ "profile.status.default": "$(loading~spin)单击以停止分析",
+ "profile.status.multiSession": "$(loading~spin)单击以停止分析({0} 个会话)",
+ "profile.status.single": "$(loading~spin)单击以停止分析({0})",
+ "profile.termination.title": "配置文件的运行时长:",
+ "profile.type.title": "配置文件的类型:",
+ "yes": "是"
+ },
+ "/src/ui/profiling/uiProfileSession": {
+ "profile.saving": "正在保存",
+ "progress.profile.start": "正在启动配置文件...",
+ "progress.profile.stop": "正在停止配置文件..."
+ },
+ "/src/ui/terminalLinkHandler": {
+ "cantOpenChromeOnWeb": "无法从此处启动调试模式下的浏览器。若要调试此网页,请从桌面上的 VS Code 打开此工作区。",
+ "terminalLinkHover.debug": "调试 URL"
+ },
+ "/src/vsDebugServer": {
+ "session.rootSessionName": "JavaScript 调试适配器"
+ },
+ "package": {
+ "add.browser.breakpoint": "添加浏览器断点",
+ "attach.node.process": "附加到 Node 进程",
+ "base.cascadeTerminateToConfigurations.label": "当终止此调试会话时,也将停止的调试会话的列表。",
+ "browser.address.description": "调试的浏览器正在侦听的 IP 地址或主机名。",
+ "browser.attach.port.description": "用于远程调试浏览器的端口,在启动浏览器时通过 `--remote-debugging-port` 指定。",
+ "browser.baseUrl.description": "用于解析路径 baseUrl 的基本 URL。 将 URL 映射到磁盘上的文件时,将修剪 baseURL。 默认为启动 URL 域。",
+ "browser.browserAttachLocation.description": "强制在一个位置连接浏览器。在远程工作区中(例如通过 ssh 或 WSL),这可用于在远程计算机上而不是在本地连接浏览器。",
+ "browser.browserLaunchLocation.description": "强制在一个位置启动浏览器。在远程工作区中(例如通过 ssh 或 WSL),这可用于在远程计算机上而不是在本地打开浏览器。",
+ "browser.cleanUp.description": "调试会话完成后的清理操作:“仅关闭正在调试的选项卡”和“关闭整个浏览器”。",
+ "browser.cwd.description": "运行时可执行文件的可选工作目录。",
+ "browser.disableNetworkCache.description": "控制是否跳过每个请求的网络缓存",
+ "browser.env.description": "浏览器的环境键/值对的可选字典。",
+ "browser.file.description": "要在浏览器中打开的本地 HTML 文件",
+ "browser.includeDefaultArgs.description": "启动中是否包括默认浏览器启动参数(以禁用可能使调试更加困难的功能)。",
+ "browser.inspectUri.description": "用于重写 inspectUri 的格式: 这是一个模板字符串,可插入 \"{curlyBraces}\" 中的键。可用的键包括:\r\n - \"url.*\" 是正在运行的应用程序的解析地址,例如 \"{url.port}\" 和 \"{url.hostname}\"\r\n - \"port\" 是 Chrome 正在侦听的调试端口。\r\n - \"browserInspectUri\" 是启动的浏览器上的检查器 URI\r\n - \"browserInspectUriPath\" 是启动的浏览器上的检查器 URI 的路径部分(例如 \"/devtools/browser/e9ec0098-306e-472a-8133-5e42488929c2\")。\r\n - \"wsProtocol\" 是提示的 websocket 协议。如果原始 URL 为 \"https\",则设置为 \"wss\",否则为 \"ws\"。\r\n",
+ "browser.launch.port.description": "浏览器侦听的端口。默认值为“0”,这将导致浏览器通过管道进行调试,这通常更安全,除非需要从其他工具连接到浏览器,否则应选择该值。",
+ "browser.pathMapping.description": "将 URL/路径映射到本地文件夹,以将浏览器中的脚本解析为磁盘上的脚本",
+ "browser.perScriptSourcemaps.description": "是否使用包含源文件基本名称的唯一源映射单独加载脚本。处理大量小型脚本时,可以设置此项来优化源映射处理。如果设置为“自动”,将在可以检测已知用例时进行检测。",
+ "browser.profileStartup.description": "如果为 true,则将在进程启动后立即开始分析",
+ "browser.restart": "是否在浏览器连接关闭时重新连接",
+ "browser.revealPage": "焦点选项卡",
+ "browser.runtimeArgs.description": "传递给运行时可执行文件的可选参数。",
+ "browser.runtimeExecutable.description": "\"canary\"、\"stable\"、\"custom\" 或浏览器可执行文件的路径。 Custom 表示自定义包装器、自定义生成或 CHROME_PATH 环境变量。",
+ "browser.runtimeExecutable.edge.description": "\"canary\"、\"stable\"、\"dev'\"、\"custom\" 或浏览器可执行文件的路径。custom 表示自定义包装器、自定义生成或 EDGE_PATH 环境变量。",
+ "browser.server.description": "配置要启动的 Web 服务器。采用与 \"node\" 启动任务相同的配置。",
+ "browser.skipFiles.description": "文件或文件夹名称,或者路径 glob 的数组,在调试时跳过。",
+ "browser.smartStep.description": "自动单步运行源映射文件中未映射的行。例如,向下编译异步/等待或其他功能时,TypeScript 自动生成的代码。",
+ "browser.sourceMapPathOverrides.description": "一组用于重写源映射中所述的源文件位置的映射,映射到磁盘上的相应位置。有关详细信息,请参见自述文件。",
+ "browser.sourceMapRenames.description": "是否在 sourcemap 使用“名称”映射。这需要请求源内容,后者在使用某些调试程序时,速度会很慢。",
+ "browser.sourceMaps.description": "使用 JavaScript 源映射(如存在)。",
+ "browser.targetSelection": "是附加到与 URL 筛选器匹配的所有目标(“自动”)还是要求选择一个(“选择”)。",
+ "browser.timeout.description": "重试此毫秒数以连接到浏览器。默认值为 10000 毫秒。",
+ "browser.url.description": "将搜索具有此确切网址的标签并附加到该标签(若找到)",
+ "browser.urlFilter.description": "将使用此 URL 搜索页面,找到后将连接到该页面。可使用 * 通配符。",
+ "browser.userDataDir.description": "默认情况下,在临时文件夹中使用单独的用户配置文件启动浏览器。使用此选项可进行替代。设置为 false 以使用默认用户配置文件启动。如果实例已从 `userDataDir` 运行,则无法启动新的浏览器。",
+ "browser.vueComponentPaths": "用于查找 \"*.vue\" 组件的文件 glob 模式的列表。默认搜索整个工作区。需要指定此项,因为 Vue 的源映射需要在 Vue CLI 4 中进行额外查找。可通过将此项设置为空数组来禁用此特殊处理。",
+ "browser.webRoot.description": "此设置指定 Web 服务器根的工作区绝对路径。用于将 `/app.js` 等路径解析为磁盘上的文件。pathMapping 的速记方式为 \"/\"",
+ "chrome.attach.description": "附加到已处于调试模式的 Chrome 实例",
+ "chrome.attach.label": "Chrome: 附加",
+ "chrome.label": "Web 应用(Chrome)",
+ "chrome.launch.description": "启动 Chrome 以调试 URL",
+ "chrome.launch.label": "Chrome: 启动",
+ "commands.callersAdd.label": "排除调用方",
+ "commands.callersAdd.paletteLabel": "排除调用方在当前位置中暂停",
+ "commands.callersGoToCaller.label": "转到调用方位置",
+ "commands.callersGoToTarget.label": "转到目标位置",
+ "commands.callersRemove.label": "删除排除的调用方",
+ "commands.callersRemoveAll.label": "删除所有排除的调用方",
+ "commands.disableSourceMapStepping.label": "禁用源映射单步执行",
+ "commands.enableSourceMapStepping.label": "启用源映射单步执行",
+ "configuration.autoAttachMode": "配置在 \"#debug.node.autoAttach#\" 处于启用状态时自动附加和调试的进程。无论此设置如何,都始终附加到启动的带有 \"--inspect\" 标志的节点进程。",
+ "configuration.autoAttachMode.always": "自动附加到终端中启动的每个 Node.js 进程。",
+ "configuration.autoAttachMode.disabled": "自动附加被禁用,且不在状态栏中显示。",
+ "configuration.autoAttachMode.explicit": "仅在给定 \"--inspect\" 时自动附加。",
+ "configuration.autoAttachMode.smart": "运行不在 node_modules 文件夹中的脚本时自动附加。",
+ "configuration.autoAttachSmartPatterns": "配置 glob 模式,以确定何时附加智能 `#debug.javascript.autoAttachFilter#` 模式。`$KNOWN_TOOLS$` 被替换为常见测试和代码运行器的名称的列表。[在 VS Code 文档中阅读更多内容](https://code.visualstudio.com/docs/nodejs/nodejs-debugging#_auto-attach-smart-patterns)。",
+ "configuration.automaticallyTunnelRemoteServer": "调试远程 Web 应用时,配置是否自动将远程服务器通过隧道传输到本地计算机。",
+ "configuration.breakOnConditionalError": "在条件断点引发错误时是否停止。",
+ "configuration.debugByLinkOptions": "调试时从调试终端内部单击链接使用的选项。可设置为\"false\"以禁用此行为。",
+ "configuration.defaultRuntimeExecutables": "用于启动配置的默认 \"runtimeExecutable\" (如果未指定)。这可用于配置 Node.js 或浏览器安装项的自定义路径。",
+ "configuration.npmScriptLensLocation": "在 npm 脚本中应显示“运行”和“调试”代码的位置。 它可以在脚本部分的“全部”、脚本、脚本部分的“顶部”或“从不”上面。",
+ "configuration.pickAndAttachOptions": "通过 `Debug: Attach to Node.js Process` 命令调试进程时使用的默认选项",
+ "configuration.resourceRequestOptions": "在调试器中加载资源(如源映射)时可使用的请求选项。例如,如果你的源映射需要身份验证或使用自签名证书,则可能需要配置此设置。选项用于创建使用 [`got`](https://github.com/sindresorhus/got) 库的请求。\r\n\r\n可通过传递 `{ \"https\": { \"rejectUnauthorized\": false } }` 来实现禁用证书验证的常见情况。",
+ "configuration.terminalOptions": "JavaScript 调试终端和 npm 脚本的默认启动选项。",
+ "configuration.unmapMissingSources": "配置是否会自动取消映射无法读取源文件的源映射文件。如果这是 false (默认),系统会显示提示。",
+ "createDiagnostics.label": "诊断断点问题",
+ "customDescriptionGenerator.description": "自定义调试程序为对象(本地变量等)显示的文本说明。示例:\r\n 1. this.toString() // 将调用 toString 来打印所有对象\r\n 2. this.customDescription ? this.customDescription() : defaultValue // 如果未返回 defaultValue,则使用 customDescription 方法(若可用)\r\n 3. function (def) { return this.customDescription ? this.customDescription() : def } // 如果未返回 defaultValue,则使用 customDescription 方法(若可用)\r\n ",
+ "customPropertiesGenerator.description": "自定义为调试程序中的对象显示的属性(本地变量等)。示例:\r\n 1. { ...this, extraProperty: '12345' } // 向所有对象添加 extraProperty 12345\r\n 2. this.customProperties ? this.customProperties() : this // 如果不使用此(默认属性)中的属性,请使用 customProperties 方法(若可用)\r\n 3. function () { return this.customProperties ? this.customProperties() : this } // 如果不返回默认属性,请使用 customDescription 方法(若可用)\r\n\r\n 已弃用: 这是此功能的临时实现,直到我们有时间按此处所示方法实现它为止: https://github.com/microsoft/vscode/issues/102181",
+ "debug.npm.edit": "编辑 package.json",
+ "debug.npm.noScripts": "在 package.json 中找不到 npm 脚本",
+ "debug.npm.noWorkspaceFolder": "需要打开工作区文件夹来调试 npm 脚本。",
+ "debug.npm.parseError": "无法读取 {0}: {1}",
+ "debug.npm.script": "调试 npm 脚本",
+ "debug.terminal.attach": "附加到 Node.js 终端进程",
+ "debug.terminal.label": "JavaScript 调试终端",
+ "debug.terminal.program.description": "在启动的终端中运行命令。如果未提供命令,终端将在不启动程序的情况下打开。",
+ "debug.terminal.snippet.label": "在调试终端中运行 \"npm start\"",
+ "debug.terminal.toggleAuto": "切换终端 Node.js 自动附加",
+ "debug.terminal.welcome": "[JavaScript 调试终端](command:extension.js-debug.createDebuggerTerminal)\r\n\r\n可使用 JavaScript 调试终端调试在命令行上运行的 Node.js 进程。",
+ "debug.terminal.welcomeWithLink": "[JavaScript 调试终端](command:extension.js-debug.createDebuggerTerminal)\r\n\r\n可使用 JavaScript 调试终端调试在命令行上运行的 Node.js 进程。\r\n\r\n[调试 URL](command:extension.js-debug.debugLink)",
+ "debug.unverifiedBreakpoints": "无法设置某些断点。如果遇到问题,可以 [对启动配置进行故障排除](command:extension.js-debug.createDiagnostics)。",
+ "debugLink.label": "打开链接",
+ "edge.address.description": "调试 Web 视图时,Web 视图正在侦听的 IP 地址或主机名。如果未设置,则自动发现。",
+ "edge.attach.description": "附加到已在调试模式下的 Edge 实例",
+ "edge.attach.label": "Microsoft Edge: 附加",
+ "edge.label": "Web 应用(Edge)",
+ "edge.launch.description": "启动 Microsoft Edge 以调试 URL",
+ "edge.launch.label": "Microsoft Edge: 启动",
+ "edge.port.description": "调试 Web 视图时,Web 视图调试程序正在侦听的端口。如果未设置,则自动发现。",
+ "edge.useWebView.attach.description": "包含 UWP 托管 Webview2 的调试管道“pipeName”的对象。这是创建管道“\\\\.\\pipe\\LOCAL\\MyTestSharedMemory”时的“MyTestSharedMemory”",
+ "edge.useWebView.launch.description": "如果设置为“true”,则调试器会将运行时可执行文件视为包含 WebView 的主机应用程序,以允许你调试 WebView 脚本内容。",
+ "enableContentValidation.description": "切换是否要验证确定磁盘上的文件内容与运行时中加载的内容相匹配。这在各种情况下都很有用,在一些情况下还是必需操作,但是如果你具有脚本的服务器端转换,则可能会导致出现问题。",
+ "errors.timeout": "{0}: {1} 毫秒后超时",
+ "extension.description": "用于调试 Node.js 程序和 Chrome 的扩展。",
+ "extensionHost.label": "VS Code 扩展开发",
+ "extensionHost.launch.config.name": "启动扩展",
+ "extensionHost.launch.debugWebWorkerHost": "配置是否应尝试附加到 Web 辅助进程扩展主机。",
+ "extensionHost.launch.debugWebviews": "配置是否应尝试附加到已启动 VS Code 实例中的 Web 视图。此操作仅适用于桌面 VS Code。",
+ "extensionHost.launch.env.description": "传递给扩展主机的环境变量。",
+ "extensionHost.launch.rendererDebugOptions": "附加到呈现器进程时使用的 Chrome 启动选项,具有 \"debugWebviews\" 或 \"debugWebWorkerHost\"。",
+ "extensionHost.launch.runtimeExecutable.description": "VS Code 的绝对路径。",
+ "extensionHost.launch.stopOnEntry.description": "启动后自动停止扩展主机。",
+ "extensionHost.snippet.launch.description": "在调试模式下启动 VS Code 扩展",
+ "extensionHost.snippet.launch.label": "VS Code 扩展开发",
+ "getDiagnosticLogs.label": "保存诊断 JS 调试日志",
+ "longPredictionWarning.disable": "不再显示",
+ "longPredictionWarning.message": "配置断点需要一段时间。你可通过更新 launch.json 中的 \"outFiles\" 来加快速度。",
+ "longPredictionWarning.noFolder": "未打开工作区文件夹。",
+ "longPredictionWarning.open": "打开 launch.json",
+ "node.address.description": "要调试的进程的 TCP/IP 地址。默认值为 \"localhost\"。",
+ "node.attach.attachExistingChildren.description": "是否尝试附加到已生成的子进程。",
+ "node.attach.attachSpawnedProcesses.description": "是否在附加过程中设置环境变量以跟踪生成的子级。",
+ "node.attach.config.name": "附加",
+ "node.attach.continueOnAttach": "如果为 true,我们将自动恢复启动的程序并等待 \"--inspect-brk\"",
+ "node.attach.processId.description": "要附加到的进程 ID。",
+ "node.attach.restart.description": "如果连接断开,请尝试重新连接到该程序。如果设置为 \"true\",将始终每秒重试一次。可通过在对象中指定 \"delay\" 和 \"maxAttempts\" 来自定义时间间隔和最大尝试次数。",
+ "node.attachSimplePort.description": "如果设置,则通过给定端口附加到进程。Node.js 程序通常不再需要该设置,而且它没法再调试子进程,但在使用 Deno 和 Docker 启动等更复杂的场景中,它可能很有用。如果设置为 0,则将选择随机端口,并自动向启动参数添加 --inspect-brk。",
+ "node.console.title": "Node 调试控制台",
+ "node.disableOptimisticBPs.description": "请勿在任何文件中设置断点,除非该文件已加载源映射。",
+ "node.killBehavior.description": "配置在停止会话时如何终止调试进程。可以是:\r\n\r\n- forceful (default): 强制关闭进程树。在 posix 上发送 SIGKILL,在 Windows 上发送 \"taskkill.exe /F\"。\r\n- polite: 正常关闭进程树。可能出现按此方式关闭后继续运行行为出错的进程的情况。在 posix 上发送 SIGTERM,在 Windows 上发送 \"taskkill.exe\" 但不带 \"/F\" (强制)标志。\r\n- 无: 将不终止。",
+ "node.label": "Node.js",
+ "node.launch.args.description": "传递给程序的命令行参数。\r\n\r\n可以是字符串数组或单个字符串。在终端中启动程序时,将此属性设置为单个字符串将导致 shell 的参数无法转义。",
+ "node.launch.autoAttachChildProcesses.description": "自动将调试器附加到新的子进程。",
+ "node.launch.config.name": "启动",
+ "node.launch.console.description": "启动调试目标的位置。",
+ "node.launch.console.externalTerminal.description": "可通过用户设置来配置的外部终端",
+ "node.launch.console.integratedTerminal.description": "VS Code 的集成终端",
+ "node.launch.console.internalConsole.description": "VS Code 调试控制台(不支持从程序读取输入)",
+ "node.launch.cwd.description": "正在调试程序工作目录的绝对路径。如果已设置 localRoot,则 cwd 将与该值匹配,否则它将回退到 workspaceFolder",
+ "node.launch.env.description": "传递到程序的环境变量。`null` 值从环境中删除该变量。",
+ "node.launch.envFile.description": "包含环境变量定义的文件的绝对路径。",
+ "node.launch.logging": "日志记录配置",
+ "node.launch.logging.cdp": "Chrome DevTools 协议消息的日志文件路径",
+ "node.launch.logging.dap": "调试适配器协议消息的日志文件的路径",
+ "node.launch.outputCapture.description": "捕获输出消息的位置: 如果设置为 `console`,则为默认调试 API,如果设置为 `std`,则为 stdout/stderr 流。",
+ "node.launch.program.description": "程序的绝对路径。通过查看 package.json 和打开的文件猜测所生成的值。编辑此属性。",
+ "node.launch.restart.description": "如果程序退出时带有非零的退出码,则尝试重启该程序。",
+ "node.launch.runtimeArgs.description": "传递给运行时可执行文件的可选参数。",
+ "node.launch.runtimeExecutable.description": "要使用的运行时。应为绝对路径或在 PATH 上可用的运行时名称。默认值为 \"node\"。",
+ "node.launch.runtimeSourcemapPausePatterns": "手动插入入口点断点的模式列表。在使用不存在或启动前无法检测到的源映射时,这有助于让调试程序设置断点,例如[使用无服务器框架](https://github.com/microsoft/vscode-js-debug/issues/492)。",
+ "node.launch.runtimeVersion.description": "要使用的 \"node\" 运行时版本。需要 \"nvm\"。",
+ "node.launch.useWSL.deprecation": "已弃用 \"useWSL\" 并将停止对它的支持。请改用 \"Remote - WSL\" 扩展。",
+ "node.launch.useWSL.description": "使用适用于 Linux 的 Windows 子系统。",
+ "node.localRoot.description": "包含该程序的本地目录的路径。",
+ "node.pauseForSourceMap.description": "是否等待每个传入脚本的源映射加载。 这会产生性能开销,只要没有禁用 rootPath,就可在磁盘空间不足时安全地禁用它。",
+ "node.port.description": "要附加到的调试端口。默认值为 9229。",
+ "node.processattach.config.name": "附加到进程",
+ "node.profileStartup.description": "如果为 true,则将在进程启动后立即开始分析",
+ "node.remoteRoot.description": "包含该程序的远程目录的绝对路径。",
+ "node.resolveSourceMapLocations.description": "可用源映射来解析本地文件的位置(文件夹和 URL)的小型匹配模式列表。这可用于避免造成外部源映射代码中错误地出现中断。使用前缀为 \"!\" 的模式可将这些中断排除。也可将其设置为空数组或 null 以避免限制。",
+ "node.showAsyncStacks.description": "显示导致当前调用堆栈的异步调用。",
+ "node.snippet.attach.description": "附加到正在运行的 node 程序",
+ "node.snippet.attach.label": "Node.js: 附加",
+ "node.snippet.attachProcess.description": "打开进程选取器并选择附加到的 node 进程",
+ "node.snippet.attachProcess.label": "Node.js: 附加到进程",
+ "node.snippet.electron.description": "调试 Electron 主进程",
+ "node.snippet.electron.label": "Node.js: Electron 主进程",
+ "node.snippet.gulp.description": "调试 Gulp 任务(确保项目中已安装本地 Gulp)",
+ "node.snippet.gulp.label": "Node.js: Gulp 任务",
+ "node.snippet.launch.description": "在调试模式下启动节点计划",
+ "node.snippet.launch.label": "Node.js: 启动程序",
+ "node.snippet.mocha.description": "调试 mocha 测试",
+ "node.snippet.mocha.label": "Node.js: Mocha 测试",
+ "node.snippet.nodemon.description": "使用 nodemon 以在源更改时重新启动调试会话",
+ "node.snippet.nodemon.label": "Node.js: Nodemon 安装程序",
+ "node.snippet.npm.description": "通过 npm \"debug\" 脚本启动 node 程序",
+ "node.snippet.npm.label": "Node.js: 通过 npm 启动",
+ "node.snippet.remoteattach.description": "附加到远程节点计划的调试端口",
+ "node.snippet.remoteattach.label": "Node.js: 附加到远程程序",
+ "node.snippet.yo.description": "调试 yeoman 生成器 (通过在项目文件夹中运行 \"npm link\" 进行安装)",
+ "node.snippet.yo.label": "Node.js: Yeoman 生成器",
+ "node.sourceMapPathOverrides.description": "一组重写源映射中源文件的位置为磁盘上所处位置的映射。",
+ "node.sourceMaps.description": "使用 JavaScript 源映射(如存在)。",
+ "node.stopOnEntry.description": "启动后自动停止程序。",
+ "node.timeout.description": "重试此毫秒数以连接到 Node.js。默认值为 10000 毫秒。",
+ "node.versionHint.description": "允许显式指定正在运行的节点版本,这可用于在自动版本检测不可用的情况下禁用或启用某些行为。",
+ "node.websocket.address.description": "要附加到的确切 websocket 地址。如果未指定,将从地址和端口中发现它。",
+ "openEdgeDevTools.label": "打开浏览器开发工具",
+ "outFiles.description": "如果启用了源映射,这些 glob 模式会指定生成的 JavaScript 文件。如果模式以 `!` 开头,则会排除这些文件。如果未指定,生成的代码应位于与其源相同的目录。",
+ "pretty.print.script": "用于调试的美观格式打印",
+ "profile.start": "获取性能配置文件",
+ "profile.stop": "停止性能配置文件",
+ "remove.browser.breakpoint": "删除浏览器断点",
+ "remove.browser.breakpoint.all": "删除所有浏览器断点",
+ "requestCDPProxy.label": "为调试会话请求 CDP 代理",
+ "skipFiles.description": "调试时要跳过的文件的 glob 模式数组。模式 \"/**\" 与所有内部 Node.js 模块相匹配。",
+ "smartStep.description": "通过单步执行自动生成的代码不能映射回原始源。",
+ "start.with.stop.on.entry": "开始调试并在输入时停止",
+ "startWithStopOnEntry.label": "开始调试并在输入时停止",
+ "timeouts.generalDescription": "多个调试程序操作的超时。",
+ "timeouts.generalDescription.markdown": "多个调试程序操作的超时。",
+ "timeouts.hoverEvaluation.description": "悬停符号的值计算中止之前的时间。如果设置为 0,则悬停计算永远不会超时。",
+ "timeouts.sourceMaps.description": "与源映射操作相关的超时。",
+ "timeouts.sourceMaps.sourceMapCumulativePause.description": "在最小时间(sourceMapMinPause)耗尽后,每个会话等待源映射被处理的额外时间(以毫秒为单位)",
+ "timeouts.sourceMaps.sourceMapMinPause.description": "分析脚本时等待每个源映射被处理的最小时间(以毫秒为单位)",
+ "toggle.skipping.this.file": "跳过此文件的开关",
+ "trace.boolean.description": "跟踪可设置为 \"true\",以将诊断日志写入磁盘。",
+ "trace.description": "配置生成哪些诊断输出。",
+ "trace.logFile.description": "配置磁盘日志的写入位置。",
+ "trace.stdio.description": "是否从启动的应用程序或浏览器返回跟踪数据。",
+ "workspaceTrust.description": "必须有信任才能在此工作区中调试代码。"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/notebook-renderers.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/notebook-renderers.i18n.json
new file mode 100644
index 0000000..c687019
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/notebook-renderers.i18n.json
@@ -0,0 +1,16 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "package": {
+ "description": "为笔记本提供基本输出呈现器",
+ "displayName": "内置笔记本输出呈现器"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/npm.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/npm.i18n.json
new file mode 100644
index 0000000..f458952
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/npm.i18n.json
@@ -0,0 +1,77 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "dist/commands": {
+ "noScriptFound": "在所选内容中找不到有效的 npm 脚本。"
+ },
+ "dist/features/bowerJSONContribution": {
+ "json.bower.default": "默认 bower.json",
+ "json.bower.error.repoaccess": "对 Bower 仓库发出的请求失败: {0}",
+ "json.bower.latest.version": "最新"
+ },
+ "dist/features/packageJSONContribution": {
+ "json.npm.error.repoaccess": "对 NPM 仓库发出的请求失败: {0}",
+ "json.npm.latestversion": "当前最新版本的包",
+ "json.npm.majorversion": "与最新主要版本(1.x.x)匹配",
+ "json.npm.minorversion": "与最新次要版本(1.2.x)匹配",
+ "json.npm.version.hover": "最新版本: {0}",
+ "json.package.default": "默认 package.json"
+ },
+ "dist/npmScriptLens": {
+ "codelens.debug": "调试"
+ },
+ "dist/npmView": {
+ "autoDetectIsOff": "\"npm.autoDetect\" 设置已设为“关”。",
+ "noScripts": "未找到脚本。"
+ },
+ "dist/scriptHover": {
+ "debugScript": "调试脚本",
+ "debugScript.tooltip": "在调试器下运行脚本",
+ "runScript": "运行脚本",
+ "runScript.tooltip": "将脚本作为任务运行"
+ },
+ "dist/tasks": {
+ "npm.multiplePMWarning": "将 {0} 用作首选包管理器。为 {1} 找到多个锁文件。 要解决此问题,请删除与首选包管理器不匹配的锁文件,或将设置 \"npm.packageManager\" 更改为 \"auto\" 以外的值。",
+ "npm.multiplePMWarning.doNotShow": "不再显示",
+ "npm.multiplePMWarning.learnMore": "了解详细信息",
+ "npm.parseError": "npm 任务检测: 无法分析文件 {0}"
+ },
+ "package": {
+ "command.debug": "调试",
+ "command.openScript": "打开",
+ "command.packageManager": "获取已配置的包管理器",
+ "command.refresh": "刷新",
+ "command.run": "运行",
+ "command.runInstall": "运行 install",
+ "command.runScriptFromFolder": "运行文件夹中的NPM脚本...",
+ "command.runSelectedScript": "运行脚本",
+ "config.npm.autoDetect": "控制是否自动检测 npm 脚本。",
+ "config.npm.enableRunFromFolder": "从资源管理器上下文菜单中启用运行文件夹中包含的 NPM 脚本。",
+ "config.npm.enableScriptExplorer": "在没有顶级 \"package.json\" 文件时,为 npm 脚本启用资源管理器视图。",
+ "config.npm.exclude": "配置应从自动脚本检测中排除的文件夹的 glob 模式。",
+ "config.npm.fetchOnlinePackageInfo": "从 https://registry.npmjs.org 和 https://registry.bower.io 获取数据,以提供自动补全和 npm 依赖项上的悬停功能信息。",
+ "config.npm.packageManager": "用于运行脚本的程序包管理器。",
+ "config.npm.packageManager.auto": "根据锁定文件和已安装的包管理器,自动检测用于运行脚本的包管理器。",
+ "config.npm.packageManager.npm": "使用 npm 作为运行脚本的包管理器。",
+ "config.npm.packageManager.pnpm": "使用 pnpm 作为运行脚本的包管理器。",
+ "config.npm.packageManager.yarn": "使用 yarn 作为运行脚本的包管理器。",
+ "config.npm.runSilent": "使用 `--silent` 选项运行 npm 命令。",
+ "config.npm.scriptExplorerAction": "npm 脚本资源管理器中使用的默认单击操作: \"打开\"或\"运行\",默认值为\"打开\"。",
+ "config.npm.scriptExplorerExclude": "正则表达式的数组,指示应从 NPM 脚本视图中排除哪些脚本。",
+ "description": "为 npm 脚本提供任务支持的扩展。",
+ "displayName": "适用于 VS Code 的 npm 支持",
+ "npm.parseError": "npm 任务检测: 无法分析文件 {0}",
+ "taskdef.path": "包含 package.json 文件的文件夹路径,其中 package.json 文件提供脚本。可以省略。",
+ "taskdef.script": "要自定义的 npm 脚本。",
+ "view.name": "npm 脚本",
+ "workspaceTrust": "此扩展可以执行任务,需要信任才能运行。"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/objective-c.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/objective-c.i18n.json
new file mode 100644
index 0000000..a5cc71c
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/objective-c.i18n.json
@@ -0,0 +1,16 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "package": {
+ "description": "在 Objective-C 文件中提供语法高亮和括号匹配功能。",
+ "displayName": "Objective-C 语言基础功能"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/perl.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/perl.i18n.json
new file mode 100644
index 0000000..ab8c4df
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/perl.i18n.json
@@ -0,0 +1,16 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "package": {
+ "description": "在 Perl 文件中提供语法高亮和括号匹配功能。",
+ "displayName": "Perl 语言基础功能"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/php-language-features.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/php-language-features.i18n.json
new file mode 100644
index 0000000..c85cfe5
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/php-language-features.i18n.json
@@ -0,0 +1,31 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "dist/features/validationProvider": {
+ "goToSetting": "打开设置",
+ "noExecutable": "无法验证,因为未设置任何 PHP 可执行文件。请使用设置 \"php.validate.executablePath\" 配置 PHP 可执行文件。",
+ "noPhp": "无法验证,因为找不到 PHP 安装。使用设置 \"php.validate.executablePath\" 来配置 PHP 可执行文件。",
+ "unknownReason": "使用路径运行 php 失败: {0}。原因未知。",
+ "wrongExecutable": "无法验证,因为 {0} 不是有效的 PHP 可执行文件。请使用设置 \"php.validate.executablePath\" 配置 PHP 可执行文件。"
+ },
+ "package": {
+ "command.untrustValidationExecutable": "禁止 PHP 验证程序(定义为工作区设置)",
+ "commands.categroy.php": "PHP",
+ "configuration.suggest.basic": "控制是否启用内置 PHP 语言建议。支持对 PHP 全局变量和变量进行建议。",
+ "configuration.title": "PHP",
+ "configuration.validate.enable": "启用/禁用内置的 PHP 验证。",
+ "configuration.validate.executablePath": "指向 PHP 可执行文件。",
+ "configuration.validate.run": "不管 linter 是在 save 还是在 type 上运行。",
+ "description": "为 PHP 文件提供丰富的语言支持。",
+ "displayName": "php 语言功能",
+ "workspaceTrust": "当 \"php.validate.executablePath\" 设置将在工作区中加载 PHP 版本时,扩展需要工作区信任。"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/php.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/php.i18n.json
new file mode 100644
index 0000000..d047e73
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/php.i18n.json
@@ -0,0 +1,16 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "package": {
+ "description": "为 PHP 文件提供语法高亮和括号匹配功能。",
+ "displayName": "PHP 语言基础功能"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/powershell.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/powershell.i18n.json
new file mode 100644
index 0000000..a64dd32
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/powershell.i18n.json
@@ -0,0 +1,16 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "package": {
+ "description": "在 Powershell 文件中提供代码片段、语法高亮、括号匹配和折叠功能。",
+ "displayName": "Powershell 语言基础功能"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/pug.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/pug.i18n.json
new file mode 100644
index 0000000..c090908
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/pug.i18n.json
@@ -0,0 +1,16 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "package": {
+ "description": "在 Pug 文件中提供语法高亮和括号匹配功能。",
+ "displayName": "Pug 语言基础功能"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/python.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/python.i18n.json
new file mode 100644
index 0000000..668b83d
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/python.i18n.json
@@ -0,0 +1,16 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "package": {
+ "description": "在 Python 文件中提供语法高亮、括号匹配和折叠功能。",
+ "displayName": "Python 语言基础功能"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/r.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/r.i18n.json
new file mode 100644
index 0000000..a0c567e
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/r.i18n.json
@@ -0,0 +1,16 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "package": {
+ "description": "在 R 文件中提供语法高亮和括号匹配功能。",
+ "displayName": "R 语言基础功能"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/razor.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/razor.i18n.json
new file mode 100644
index 0000000..1c261b1
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/razor.i18n.json
@@ -0,0 +1,16 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "package": {
+ "description": "在 Razor 文件中提供语法高亮、括号匹配和折叠功能。",
+ "displayName": "Razor 语言基础功能"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/references-view.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/references-view.i18n.json
new file mode 100644
index 0000000..cab8f14
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/references-view.i18n.json
@@ -0,0 +1,73 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "dist/calls/model": {
+ "noresult": "无结果。",
+ "open": "打开调用",
+ "title.callers": "以下项调用方",
+ "title.calls": "调用来自"
+ },
+ "dist/references/index": {
+ "title": "引用"
+ },
+ "dist/references/model": {
+ "noresult": "无结果。",
+ "open": "打开引用",
+ "result.1": "{0} 个结果,包含于 {1} 个文件中",
+ "result.1n": "{1} 文件中有 {0} 个结果",
+ "result.n1": "{1} 文件中有 {0} 个结果",
+ "result.nm": "{1} 文件中有 {0} 个结果"
+ },
+ "dist/tree": {
+ "noresult": "无结果。",
+ "noresult2": "无结果。再次尝试运行上一个搜索:",
+ "placeholder": "选择以前的引用搜索",
+ "title": "引用",
+ "title.rerun": "重新运行"
+ },
+ "dist/types/model": {
+ "noresult": "无结果。",
+ "title.openType": "打开类型",
+ "title.sub": "以下项的子类型",
+ "title.sup": "以下项的超类型"
+ },
+ "package": {
+ "cmd.category.references": "引用",
+ "cmd.references-view.clear": "清除",
+ "cmd.references-view.clearHistory": "清除历史记录",
+ "cmd.references-view.copy": "复制",
+ "cmd.references-view.copyAll": "全部复制",
+ "cmd.references-view.copyPath": "复制路径",
+ "cmd.references-view.findImplementations": "查找所有实现",
+ "cmd.references-view.findReferences": "查找所有引用",
+ "cmd.references-view.next": "转到下一个引用",
+ "cmd.references-view.pickFromHistory": "显示历史记录",
+ "cmd.references-view.prev": "转到上一个参考",
+ "cmd.references-view.refind": "重新运行",
+ "cmd.references-view.refresh": "刷新",
+ "cmd.references-view.removeCallItem": "关闭",
+ "cmd.references-view.removeReferenceItem": "关闭",
+ "cmd.references-view.removeTypeItem": "关闭",
+ "cmd.references-view.showCallHierarchy": "显示调用层次结构",
+ "cmd.references-view.showIncomingCalls": "显示传入调用",
+ "cmd.references-view.showOutgoingCalls": "显示传出调用",
+ "cmd.references-view.showSubtypes": "显示子类型",
+ "cmd.references-view.showSupertypes": "显示超类型",
+ "cmd.references-view.showTypeHierarchy": "显示类型层次结构",
+ "config.references.preferredLocation": "控制在选择代码信息指示器引用时是否调用“速览引用”或“查找引用”",
+ "config.references.preferredLocation.peek": "在速览编辑器中显示引用。",
+ "config.references.preferredLocation.view": "在单独的视图中显示引用。",
+ "container.title": "引用",
+ "description": "在边栏中以独立稳定的视图引用搜索结果",
+ "displayName": "引用搜索视图",
+ "view.title": "结果"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/restructuredtext.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/restructuredtext.i18n.json
new file mode 100644
index 0000000..2b6a52a
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/restructuredtext.i18n.json
@@ -0,0 +1,16 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "package": {
+ "description": "在 reStructuredText 文件中提供语法突出显示。",
+ "displayName": "reStructuredText 语言基础知识"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/ruby.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/ruby.i18n.json
new file mode 100644
index 0000000..84b6993
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/ruby.i18n.json
@@ -0,0 +1,16 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "package": {
+ "description": "在 Ruby 文件中提供语法高亮和括号匹配功能。",
+ "displayName": "Ruby 语言基础功能"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/rust.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/rust.i18n.json
new file mode 100644
index 0000000..15b4003
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/rust.i18n.json
@@ -0,0 +1,16 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "package": {
+ "description": "在 Rust 文件中提供语法高亮和括号匹配功能。",
+ "displayName": "Rust 语言基础功能"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/scss.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/scss.i18n.json
new file mode 100644
index 0000000..999f389
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/scss.i18n.json
@@ -0,0 +1,16 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "package": {
+ "description": "在 SCSS 文件中提供语法高亮、括号匹配和折叠功能。",
+ "displayName": "SCSS 语言基础功能"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/search-result.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/search-result.i18n.json
new file mode 100644
index 0000000..7002200
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/search-result.i18n.json
@@ -0,0 +1,16 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "package": {
+ "description": "为选项卡搜索结果中提供语法突出显示和语言功能。",
+ "displayName": "搜索结果"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/shaderlab.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/shaderlab.i18n.json
new file mode 100644
index 0000000..94fae7a
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/shaderlab.i18n.json
@@ -0,0 +1,16 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "package": {
+ "description": "在 Shaderlab 文件中提供语法高亮和括号匹配功能。",
+ "displayName": "Shaderlab 语言基础功能"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/shellscript.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/shellscript.i18n.json
new file mode 100644
index 0000000..5ae5cd3
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/shellscript.i18n.json
@@ -0,0 +1,16 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "package": {
+ "description": "在 Shell 脚本文件中提供语法高亮和括号匹配功能。",
+ "displayName": "Shell 脚本语言基础功能"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/simple-browser.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/simple-browser.i18n.json
new file mode 100644
index 0000000..841f375
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/simple-browser.i18n.json
@@ -0,0 +1,30 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "dist/extension": {
+ "openTitle": "在简易浏览器中打开",
+ "simpleBrowser.show.placeholder": "https://example.com",
+ "simpleBrowser.show.prompt": "输入要访问的 URL"
+ },
+ "dist/simpleBrowserView": {
+ "control.back.title": "后退",
+ "control.forward.title": "前进",
+ "control.openExternal.title": "在浏览器中打开",
+ "control.reload.title": "重新加载",
+ "view.iframe-focused": "焦点锁",
+ "view.title": "简易浏览器"
+ },
+ "package": {
+ "configuration.focusLockIndicator.enabled.description": "启用/禁用在简单浏览器中聚焦时显示的浮动指示器。",
+ "description": "一个非常基本的内置 Web 视图,用于显示 Web 内容。",
+ "displayName": "简单浏览器"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/sql.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/sql.i18n.json
new file mode 100644
index 0000000..c40b9b3
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/sql.i18n.json
@@ -0,0 +1,16 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "package": {
+ "description": "在 SQL 文件中提供语法高亮和括号匹配功能。",
+ "displayName": "SQL 语言基础功能"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/swift.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/swift.i18n.json
new file mode 100644
index 0000000..3f688d9
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/swift.i18n.json
@@ -0,0 +1,16 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "package": {
+ "description": "在 Swift 文件中提供代码片段、语法高亮和括号匹配功能。",
+ "displayName": "Swift 语言基础功能"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/theme-abyss.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/theme-abyss.i18n.json
new file mode 100644
index 0000000..65167e9
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/theme-abyss.i18n.json
@@ -0,0 +1,17 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "package": {
+ "description": "适用于 Visual Studio Code 的 Abyss 主题",
+ "displayName": "Abyss 主题",
+ "themeLabel": "Abyss"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/theme-defaults.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/theme-defaults.i18n.json
new file mode 100644
index 0000000..d42d4da
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/theme-defaults.i18n.json
@@ -0,0 +1,23 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "package": {
+ "darkColorThemeLabel": "深色(Visual Studio)",
+ "darkPlusColorThemeLabel": "深色+ (默认深色)",
+ "description": "默认 Visual Studio 浅色和深色主题",
+ "displayName": "默认主题",
+ "hcColorThemeLabel": "深色高对比度",
+ "lightColorThemeLabel": "浅色(Visual Studio)",
+ "lightHcColorThemeLabel": "浅色高对比度",
+ "lightPlusColorThemeLabel": "浅色+ (默认浅色)",
+ "minimalIconThemeLabel": "最小(Visual Studio Code)"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/theme-kimbie-dark.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/theme-kimbie-dark.i18n.json
new file mode 100644
index 0000000..cb83aa2
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/theme-kimbie-dark.i18n.json
@@ -0,0 +1,17 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "package": {
+ "description": "适用于 Visual Studio Code 的 Kimbie dark 主题",
+ "displayName": "Kimbie Dark 主题",
+ "themeLabel": "Kimbie Dark"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/theme-monokai-dimmed.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/theme-monokai-dimmed.i18n.json
new file mode 100644
index 0000000..5f42a66
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/theme-monokai-dimmed.i18n.json
@@ -0,0 +1,17 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "package": {
+ "description": "适用于 Visual Studio Code 的 Monokai dimmed 主题",
+ "displayName": "Monokai Dimmed 主题",
+ "themeLabel": "Monokai Dimmed"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/theme-monokai.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/theme-monokai.i18n.json
new file mode 100644
index 0000000..f57dace
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/theme-monokai.i18n.json
@@ -0,0 +1,17 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "package": {
+ "description": "适用于 Visual Studio Code 的 Monokai 主题",
+ "displayName": "Monokai 主题",
+ "themeLabel": "Monokai"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/theme-quietlight.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/theme-quietlight.i18n.json
new file mode 100644
index 0000000..5b01adb
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/theme-quietlight.i18n.json
@@ -0,0 +1,17 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "package": {
+ "description": "适用于 Visual Studio Code 的 Quiet light 主题",
+ "displayName": "Quiet Light 主题",
+ "themeLabel": "Quiet Light"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/theme-red.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/theme-red.i18n.json
new file mode 100644
index 0000000..615205c
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/theme-red.i18n.json
@@ -0,0 +1,17 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "package": {
+ "description": "适用于 Visual Studio Code 的 Red 主题",
+ "displayName": "Red 主题",
+ "themeLabel": "红色"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/theme-seti.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/theme-seti.i18n.json
new file mode 100644
index 0000000..c5c6cf4
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/theme-seti.i18n.json
@@ -0,0 +1,17 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "package": {
+ "description": "由 Seti UI 文件图标构成的文件图标主题",
+ "displayName": "Seti 文件图标主题",
+ "themeLabel": "Seti (Visual Studio Code)"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/theme-solarized-dark.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/theme-solarized-dark.i18n.json
new file mode 100644
index 0000000..8c2f4d6
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/theme-solarized-dark.i18n.json
@@ -0,0 +1,17 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "package": {
+ "description": "适用于 Visual Studio Code 的 Solarized dark 主题",
+ "displayName": "Solarized Dark 主题",
+ "themeLabel": "Solarized Dark"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/theme-solarized-light.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/theme-solarized-light.i18n.json
new file mode 100644
index 0000000..218eb20
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/theme-solarized-light.i18n.json
@@ -0,0 +1,17 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "package": {
+ "description": "适用于 Visual Studio Code 的 Solarized light 主题",
+ "displayName": "Solarized Light 主题",
+ "themeLabel": "Solarized Light"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/theme-tomorrow-night-blue.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/theme-tomorrow-night-blue.i18n.json
new file mode 100644
index 0000000..5920c04
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/theme-tomorrow-night-blue.i18n.json
@@ -0,0 +1,17 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "package": {
+ "description": "适用于 Visual Studio Code 的 Tomorrow night blue 主题",
+ "displayName": "Tomorrow Night Blue 主题",
+ "themeLabel": "Tomorrow Night Blue"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/typescript-basics.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/typescript-basics.i18n.json
new file mode 100644
index 0000000..f3b4864
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/typescript-basics.i18n.json
@@ -0,0 +1,16 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "package": {
+ "description": "在 TypeScript 文件中提供代码片段、语法高亮、括号匹配和折叠功能。",
+ "displayName": "TypeScript 语言基础功能"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/typescript-language-features.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/typescript-language-features.i18n.json
new file mode 100644
index 0000000..520084f
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/typescript-language-features.i18n.json
@@ -0,0 +1,328 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "dist/languageFeatures/codeLens/baseCodeLensProvider": {
+ "referenceErrorLabel": "无法确定引用"
+ },
+ "dist/languageFeatures/codeLens/implementationsCodeLens": {
+ "manyImplementationLabel": "{0} 个实现",
+ "oneImplementationLabel": "1 个实现"
+ },
+ "dist/languageFeatures/codeLens/referencesCodeLens": {
+ "manyReferenceLabel": "{0} 个引用",
+ "oneReferenceLabel": "1 个引用"
+ },
+ "dist/languageFeatures/completions": {
+ "acquiringTypingsDetail": "获取 IntelliSense 的 typings 定义。",
+ "acquiringTypingsLabel": "正在获取 typings…",
+ "selectCodeAction": "选择要应用的代码操作"
+ },
+ "dist/languageFeatures/directiveCommentCompletions": {
+ "ts-check": "在 JavaScript 文件中启用语义检查。必须在文件顶部。",
+ "ts-expect-error": "禁止在文件的下一行显示 @ts-check 错误,预计至少存在一个错误。",
+ "ts-ignore": "取消文件下一行的 @ts-check 错误提示。",
+ "ts-nocheck": "在 JavaScript 文件中禁用语义检查。必须在文件顶部。"
+ },
+ "dist/languageFeatures/fileReferences": {
+ "error.noResource": "查找文件引用失败。未提供资源。",
+ "error.unknownFile": "查找文件引用失败。未知的文件类型。",
+ "error.unsupportedLanguage": "查找文件引用失败。不支持的文件类型。",
+ "error.unsupportedVersion": "查找文件引用失败。需要 TypeScript 4.2+。",
+ "progress.title": "查找文件引用"
+ },
+ "dist/languageFeatures/fixAll": {
+ "autoFix.label": "修复所有可修复的 JS/TS 问题",
+ "autoFix.missingImports.label": "添加所有缺少的导入",
+ "autoFix.unused.label": "删除所有未使用的代码"
+ },
+ "dist/languageFeatures/jsDocCompletions": {
+ "typescript.jsDocCompletionItem.documentation": "JSDoc 注释"
+ },
+ "dist/languageFeatures/organizeImports": {
+ "organizeImportsAction.title": "整理 import 语句",
+ "sortImportsAction.title": "对导入进行排序"
+ },
+ "dist/languageFeatures/quickFix": {
+ "fixAllInFileLabel": "{0} (修复文件中所有)"
+ },
+ "dist/languageFeatures/refactor": {
+ "extractConstant.disabled.reason": "无法提取当前所选内容",
+ "extractConstant.disabled.title": "提取到常量",
+ "extractFunction.disabled.reason": "无法提取当前所选内容",
+ "extractFunction.disabled.title": "提取到函数",
+ "refactor.documentation.title": "了解有关 JS/TS 重构功能的更多详细信息",
+ "refactoringFailed": "无法应用重构"
+ },
+ "dist/languageFeatures/rename": {
+ "fileRenameFail": "重命名文件时出错"
+ },
+ "dist/languageFeatures/sourceDefinition": {
+ "error.noReferences": "未找到定义。",
+ "error.noResource": "转到源定义失败。未提供资源。",
+ "error.unknownFile": "转到源定义失败。未知文件类型。",
+ "error.unsupportedLanguage": "转到源定义失败。不支持的文件类型。",
+ "error.unsupportedVersion": "转到源定义失败。需要 TypeScript 4.7 以上版本。",
+ "progress.title": "正在查找源定义"
+ },
+ "dist/languageFeatures/tsconfig": {
+ "documentLink.tooltip": "跟踪链接",
+ "openTsconfigExtendsModuleFail": "无法将 {0} 解析为模块"
+ },
+ "dist/languageFeatures/updatePathsOnRename": {
+ "accept.title": "是",
+ "always.title": "始终自动更新 import 语句",
+ "moreFile": "...1 个其他文件未显示",
+ "moreFiles": "...{0} 个其他文件未显示",
+ "never.title": "一律不更新 import 语句",
+ "prompt": "是否更新“{0}”的导入?",
+ "promptMoreThanOne": "是否更新以下 {0} 个文件的导入?",
+ "reject.title": "否",
+ "renameProgress.title": "正在检查 JS/TS import 语句的更新"
+ },
+ "dist/task/taskProvider": {
+ "badTsConfig": "tasks.json 中的 TypeScript 任务包含 \"\\\\\"。TypeScript 任务的 tsconfig 必须使用 \"/\"",
+ "buildAndWatchTscLabel": "监视 - {0}",
+ "buildTscLabel": "构建 - {0}"
+ },
+ "dist/tsServer/serverProcess.electron": {
+ "noServerFound": "路径 {0} 未指向有效的 tsserver 安装。请回退到捆绑的 TypeScript 版本。"
+ },
+ "dist/tsServer/versionManager": {
+ "allow": "允许",
+ "dismiss": "取消",
+ "learnMore": "了解有关管理 TypeScript 版本的更多信息",
+ "promptUseWorkspaceTsdk": "此工作区包含一个 TypeScript 版本。是否要对 TypeScript 和 JavaScript 语言功能使用工作区 TypeScript 版本?",
+ "selectTsVersion": "选择用于 JavaScript 和 TypeScript 语言功能的 TypeScript 版本",
+ "suppress prompt": "绝不在此工作区中",
+ "useVSCodeVersionOption": "使用 VS Code 的版本",
+ "useWorkspaceVersionOption": "使用工作区版本"
+ },
+ "dist/typescriptServiceClient": {
+ "noServerFound": "路径 {0} 未指向有效的 tsserver 安装。请回退到捆绑的 TypeScript 版本。",
+ "openTsServerLog.openFileFailedFailed": "无法打开 TS 服务器日志文件",
+ "serverDied": "在过去 5 分钟内,TypeScript 语言服务意外中止了 5 次。",
+ "serverDiedAfterStart": "TypeScript 语言服务在其启动后已中止 5 次。将不会重启该服务。",
+ "serverDiedOnce": "TypeScript 语言服务意外终止。",
+ "serverDiedReportIssue": "报告问题",
+ "serverExitedWithError": "TypeScript 语言服务器因错误而退出。错误消息: {0}",
+ "serverLoading.progress": "正在初始化 JS/TS 语言功能",
+ "typescript.openTsServerLog.enableAndReloadOption": "启用日志记录并重启 TS 服务器",
+ "typescript.openTsServerLog.loggingNotEnabled": "TS 服务器日志已关闭。请设置 \"typescript.tsserver.log\" 并重启 TS 服务器以启用日志",
+ "typescript.openTsServerLog.noLogFile": "TS 服务器尚未启动日志记录。",
+ "usingOldTsVersion.detail": "工作区正在使用旧版本的 TypeScript ({0})。\r\n\r\n 报告问题之前,请更新工作区以使用最新的稳定 TypeScript 版本,以确保 bug 尚未修复。",
+ "usingOldTsVersion.title": "请更新 TypeScript 版本"
+ },
+ "dist/ui/intellisenseStatus": {
+ "pending.detail": "正在加载 IntelliSense 状态",
+ "resolved.command.title.createJsconfig": "创建 jsconfig",
+ "resolved.command.title.createTsconfig": "创建 tsconfig",
+ "resolved.command.title.open": "打开配置文件",
+ "resolved.detail.noJsConfig": "无 jsconfig",
+ "resolved.detail.noOpenedFolders": "没有打开的文件夹",
+ "resolved.detail.noTsConfig": "无 tsconfig",
+ "resolved.detail.notInOpenedFolder": "文件不是已打开文件夹的一部分",
+ "statusItem.name": "JS/TS IntelliSense 状态",
+ "syntaxOnly.command.title.learnMore": "了解详细信息",
+ "syntaxOnly.detail": "Project Wide IntelliSense 不可用",
+ "syntaxOnly.text": "部分模式"
+ },
+ "dist/ui/versionStatus": {
+ "versionStatus.command": "选择版本",
+ "versionStatus.detail": "TypeScript 版本",
+ "versionStatus.name": "TypeScript 版本"
+ },
+ "dist/utils/api": {
+ "invalidVersion": "无效版本"
+ },
+ "dist/utils/logger": {
+ "channelName": "TypeScript"
+ },
+ "dist/utils/tsconfig": {
+ "typescript.configureJsconfigQuickPick": "配置 jsconfig.json",
+ "typescript.configureTsconfigQuickPick": "配置 tsconfig.json",
+ "typescript.noJavaScriptProjectConfig": "文件不是 JavaScript 项目的一部分。请查看 [jsconfig.json 文档]({0})以了解详细信息。",
+ "typescript.noTypeScriptProjectConfig": "文件不是 TypeScript 项目的一部分。请查看 [tsconfig.json 文档]({0})以了解详细信息。",
+ "typescript.projectConfigCouldNotGetInfo": "无法确定 TypeScript 或 JavaScript 项目",
+ "typescript.projectConfigNoWorkspace": "请在 VS Code 中打开一个文件夹,以使用 TypeScript 或 JavaScript 项目",
+ "typescript.projectConfigUnsupportedFile": "无法确定 TypeScript 或 JavaScript 项目。不受支持的文件类型"
+ },
+ "package": {
+ "codeActions.refactor.extract.constant.description": "将表达式提取为常量。",
+ "codeActions.refactor.extract.constant.title": "分离常量",
+ "codeActions.refactor.extract.function.description": "将表达式提取到方法或函数。",
+ "codeActions.refactor.extract.function.title": "提取函数",
+ "codeActions.refactor.extract.interface.description": "将类型提取到接口。",
+ "codeActions.refactor.extract.interface.title": "提取接口",
+ "codeActions.refactor.extract.type.description": "将类型提取为类型别名。",
+ "codeActions.refactor.extract.type.title": "提取类型",
+ "codeActions.refactor.move.newFile.description": "将表达式移动到新文件。",
+ "codeActions.refactor.move.newFile.title": "移动到新的文件",
+ "codeActions.refactor.rewrite.arrow.braces.description": "在箭头函数中添加或删除大括号。",
+ "codeActions.refactor.rewrite.arrow.braces.title": "重写箭头大括号",
+ "codeActions.refactor.rewrite.export.description": "在默认导出和命名导出之间进行转换。",
+ "codeActions.refactor.rewrite.export.title": "转换导出",
+ "codeActions.refactor.rewrite.import.description": "在命名导入和命名空间导入之间进行转换。",
+ "codeActions.refactor.rewrite.import.title": "转换导入",
+ "codeActions.refactor.rewrite.parameters.toDestructured.title": "将参数转换为析构对象",
+ "codeActions.refactor.rewrite.property.generateAccessors.description": "生成 \"get\" 和 \"set\" 访问器",
+ "codeActions.refactor.rewrite.property.generateAccessors.title": "生成访问器",
+ "codeActions.source.organizeImports.title": "整理 import 语句",
+ "configuration.implicitProjectConfig.checkJs": "启用或禁用 JavaScript 文件的语义检查。现有 `jsconfig.json` 或 `tsconfig.json` 文件将覆盖此设置。",
+ "configuration.implicitProjectConfig.experimentalDecorators": "在不属于任何工程的 JavaScript 文件中启用或禁用 `experimentalDecorators`。现有 `jsconfig.json` 或 `tsconfig.json` 文件将覆盖此设置。",
+ "configuration.implicitProjectConfig.module": "设置程序的模块系统。查看详细信息: https://www.typescriptlang.org/tsconfig#module。",
+ "configuration.implicitProjectConfig.strictFunctionTypes": "在不属于项目的 JavaScript 和 TypeScript 文件中启用/禁用[严格函数类型](https://www.typescriptlang.org/tsconfig#strictFunctionTypes)。现有 `jsconfig.json` 或 `tsconfig.json` 文件将替代此设置。",
+ "configuration.implicitProjectConfig.strictNullChecks": "在不属于项目的 JavaScript 和 TypeScript 文件中启用/禁用[严格 null 检查](https://www.typescriptlang.org/tsconfig#strictNullChecks)。现有 `jsconfig.json` 或 `tsconfig.json` 文件将替代此设置。",
+ "configuration.implicitProjectConfig.target": "为发出的 JavaScript 设置目标 JavaScript 语言版本并包含库声明。查看详细信息: https://www.typescriptlang.org/tsconfig#target。",
+ "configuration.inlayHints.parameterNames.suppressWhenArgumentMatchesName": "对于文本与参数名称完全相同的参数,抑制其参数名称提示。",
+ "configuration.inlayHints.variableTypes.suppressWhenTypeMatchesName": "抑制关于名称与类型名称相同的变量的类型提示。需要在工作区中使用 TypeScript 4.8+。",
+ "configuration.javascript.checkJs.checkJs.deprecation": "为支持 `js/ts.implicitProjectConfig.checkJs`,已弃用此设置。",
+ "configuration.javascript.checkJs.experimentalDecorators.deprecation": "为支持 `js/ts.implicitProjectConfig.experimentalDecorators`,已弃用此设置。",
+ "configuration.suggest.autoImports": "启用/禁用自动导入建议。",
+ "configuration.suggest.classMemberSnippets.enabled": "启用/禁用类成员的代码段完成。需要在工作区中使用 TypeScript 4.5+",
+ "configuration.suggest.completeFunctionCalls": "完成函数的参数签名。",
+ "configuration.suggest.completeJSDocs": "启用/禁用对完成 JSDoc 注释的建议。",
+ "configuration.suggest.includeAutomaticOptionalChainCompletions": "启用/禁用显示可能未定义的值的完成情况,这些值会插入可选的链式调用。需要启用 TS 3.7+ 和严格的空检查。",
+ "configuration.suggest.includeCompletionsForImportStatements": "在部分键入的导入语句上启用/禁用自动导入样式的补全。需要在工作区中使用 TypeScript 4.3+。",
+ "configuration.suggest.includeCompletionsWithSnippetText": "从 TS 服务器启用/禁用片段补全。需要在工作区中使用 TypeScript 4.3+。",
+ "configuration.suggest.jsdoc.generateReturns": "启用/禁用生成 JSDoc 模板的 `@returns` 批注。需要在工作区中使用 TypeScript 4.2+。",
+ "configuration.suggest.names": "启用/禁用在 JavaScript 建议中包含文件中的唯一名称。请注意,在使用`@ts-check`或`checkJs`进行语义检查的 JavaScript 代码中,名称建议始终处于禁用状态。",
+ "configuration.suggest.objectLiteralMethodSnippets.enabled": "启用/禁用对象文本中的方法的代码片段完成。需要在工作区中使用 TypeScript 4.7+",
+ "configuration.suggest.paths": "在 import 语句和 require 调用中,启用或禁用路径建议。",
+ "configuration.surveys.enabled": "启用或禁用偶尔出现的有关 JavaScript 和 TypeScript 的调查,帮助我们改善 VS Code 对两者的支持。",
+ "configuration.tsserver.experimental.enableProjectDiagnostics": "(实验性)启用项目范围的错误报告。",
+ "configuration.tsserver.maxTsServerMemory": "要分配给 TypeScript 服务器进程的最大内存量(MB)。",
+ "configuration.tsserver.useSeparateSyntaxServer": "允许/禁止生成单独的 TypeScript 服务器,该服务器可更快地响应与语法相关的操作,例如计算折叠或计算文档符号。需要在工作区中使用 TypeScript 3.4.0 或更高版本。",
+ "configuration.tsserver.useSeparateSyntaxServer.deprecation": "此设置已弃用,取而代之的是“typescript.tsserver.useSyntaxServer”。",
+ "configuration.tsserver.useSyntaxServer": "控制 TypeScript 是否启动专用服务器,以便更快地处理与语法相关的运算,如计算代码折叠。",
+ "configuration.tsserver.useSyntaxServer.always": "使用更加轻量级的语法服务器来处理所有 IntelliSense 运算。此语法服务器只能为打开的文件提供 IntelliSense。",
+ "configuration.tsserver.useSyntaxServer.auto": "生成一个完整的服务器和一个专用于语法运算的轻量级服务器。语法服务器用于加快语法运算并在加载项目时提供 IntelliSense。",
+ "configuration.tsserver.useSyntaxServer.never": "请不要使用专用的语法服务器。使用单个服务器来处理所有 IntelliSense 运算。",
+ "configuration.tsserver.watchOptions": "配置应使用哪些监视策略来跟踪文件和目录。需要在工作区中使用 TypeScript 3.8+。",
+ "configuration.tsserver.watchOptions.fallbackPolling": "使用文件系统事件时,此选项指定当系统用完本机文件观察程序和/或不支持本机文件观察程序时使用的轮询策略。",
+ "configuration.tsserver.watchOptions.fallbackPolling.dynamicPriorityPolling ": "使用动态队列,在该队列中,较少检查不经常修改的文件。",
+ "configuration.tsserver.watchOptions.fallbackPolling.fixedPollingInterval": "以固定间隔每秒多次检查每个文件的更改。",
+ "configuration.tsserver.watchOptions.fallbackPolling.priorityPollingInterval": "每秒检查每个文件有无多次更改,但使用启发式方法检查某些类型的文件的频率低于其他文件类型。",
+ "configuration.tsserver.watchOptions.synchronousWatchDirectory": "禁用目录上的延迟监视。当可能同时发生大量文件更改(例如,运行 npm install 导致的 node_modules 更改)时,延迟监视非常有用,但是对于一些不太常见的设置,可能需要使用此标志将其禁用。",
+ "configuration.tsserver.watchOptions.watchDirectory": "在缺乏递归文件监视功能的系统中监视整个目录树的策略。",
+ "configuration.tsserver.watchOptions.watchDirectory.dynamicPriorityPolling": "使用动态队列,其中较少修改的目录将较少检查。",
+ "configuration.tsserver.watchOptions.watchDirectory.fixedChunkSizePolling": "按固定间隔时间成块轮询目录。需要在工作区中使用 TypeScript 4.3+。",
+ "configuration.tsserver.watchOptions.watchDirectory.fixedPollingInterval": "以固定间隔每秒多次检查每个目录的更改。",
+ "configuration.tsserver.watchOptions.watchDirectory.useFsEvents": "尝试使用操作系统/文件系统的本机事件进行目录更改。",
+ "configuration.tsserver.watchOptions.watchFile": "如何监视单个文件的策略。",
+ "configuration.tsserver.watchOptions.watchFile.dynamicPriorityPolling": "使用动态队列,在该队列中,较少检查不经常修改的文件。",
+ "configuration.tsserver.watchOptions.watchFile.fixedChunkSizePolling": "按固定间隔时间成块轮询文件。需要在工作区中使用 TypeScript 4.3+。",
+ "configuration.tsserver.watchOptions.watchFile.fixedPollingInterval": "以固定间隔每秒多次检查每个文件的更改。",
+ "configuration.tsserver.watchOptions.watchFile.priorityPollingInterval": "每秒多次检查每个文件的更改,但使用启发方法按不同频率检查不同类型的文件。",
+ "configuration.tsserver.watchOptions.watchFile.useFsEvents": "尝试使用操作系统/文件系统的本机事件进行文件更改。",
+ "configuration.tsserver.watchOptions.watchFile.useFsEventsOnParentDirectory": "尝试使用操作系统/文件系统的本机事件来侦听文件包含目录的更改。此操作可减少使用的文件观察程序数量,但准确度可能较低。",
+ "configuration.typescript": "TypeScript",
+ "description": "为 JavaScript 和 TypeScript 提供丰富的语言支持。",
+ "displayName": "JavaScript 和 TypeScript 的语言功能",
+ "format.insertSpaceAfterCommaDelimiter": "定义逗号分隔符后面的空格处理。",
+ "format.insertSpaceAfterConstructor": "定义构造函数关键字后面的空格处理方式。",
+ "format.insertSpaceAfterFunctionKeywordForAnonymousFunctions": "定义匿名函数的函数关键字后面的空格处理。",
+ "format.insertSpaceAfterKeywordsInControlFlowStatements": "定义控制流语句中关键字后面的空格处理。",
+ "format.insertSpaceAfterOpeningAndBeforeClosingEmptyBraces": "定义空大括号中左括号后和右括号前的空格处理方式。",
+ "format.insertSpaceAfterOpeningAndBeforeClosingJsxExpressionBraces": "定义 JSX 表达式括号中左括号后和右括号前的空格处理方式。",
+ "format.insertSpaceAfterOpeningAndBeforeClosingNonemptyBraces": "定义非空大括号中左括号后和右括号前的空格处理方式。",
+ "format.insertSpaceAfterOpeningAndBeforeClosingNonemptyBrackets": "定义非空中括号的左括号后和右括号前的空格处理方式。",
+ "format.insertSpaceAfterOpeningAndBeforeClosingNonemptyParenthesis": "定义非空小括号的左括号后和右括号前的空格处理方式。",
+ "format.insertSpaceAfterOpeningAndBeforeClosingTemplateStringBraces": "定义模板字符串括号中左括号后和右括号前的空格处理方式。",
+ "format.insertSpaceAfterSemicolonInForStatements": "定义 for 语句中分号之后的空格处理方式。",
+ "format.insertSpaceAfterTypeAssertion": "定义 TypeScript 中类型断言后的空格处理方式。",
+ "format.insertSpaceBeforeAndAfterBinaryOperators": "定义二进制运算符后面的空格处理",
+ "format.insertSpaceBeforeFunctionParenthesis": "定义函数参数括号前的空格处理方式。",
+ "format.placeOpenBraceOnNewLineForControlBlocks": "定义控制块的左括号是否放置在新的一行。",
+ "format.placeOpenBraceOnNewLineForFunctions": "定义函数的左大括号是否放置在新的一行。",
+ "format.semicolons": "定义非必要分号的处理方式。要求在工作区内使用 TypeScript 3.7 或更高版本。",
+ "format.semicolons.ignore": "不要插入或删除任何分号。",
+ "format.semicolons.insert": "在语句末尾插入分号。",
+ "format.semicolons.remove": "删除不必要的分号。",
+ "goToProjectConfig.title": "转到项目配置",
+ "inlayHints.parameterNames.all": "启用文本和非文本参数的参数名称提示。",
+ "inlayHints.parameterNames.literals": "仅启用文本参数的参数名称提示。",
+ "inlayHints.parameterNames.none": "禁用参数名称提示。",
+ "javascript.format.enable": "启用/禁用 JavaScript 格式化程序。",
+ "javascript.preferences.jsxAttributeCompletionStyle.auto": "根据属性类型,在属性名称后插入 `={}` or `=\"\"`。请参见 `javascript.preferences.quoteStyle`,控制用于字符串属性的引号样式。",
+ "javascript.referencesCodeLens.enabled": "启用/禁用在 JavaScript 文件中引用 CodeLens。",
+ "javascript.referencesCodeLens.showOnAllFunctions": "启用/禁用在 JavaScript 文件中对所有函数的 CodeLens 引用。",
+ "javascript.suggestionActions.enabled": "启用或禁用编辑器中 JavaScript 文件的建议诊断。",
+ "javascript.validate.enable": "启用/禁用 JavaScript 验证。",
+ "reloadProjects.title": "重载项目",
+ "taskDefinition.tsconfig.description": "定义 ts 生成的 tsconfig 文件。",
+ "typescript.autoClosingTags": "启用/禁用 JSX 标记的自动关闭。",
+ "typescript.check.npmIsInstalled": "检查是否为 [自动类型获取](https://code.visualstudio.com/docs/nodejs/working-with-javascript#_typings-and-automatic-type-acquisition) 安装了 npm 。",
+ "typescript.disableAutomaticTypeAcquisition": "禁用 [自动类型获取](https://code.visualstudio.com/docs/nodejs/working-with-javascript#_typings-and-automatic-type-acquisition) 。自动类型获取可以从 npm 提取 `@types` 包来改进外部库的 IntelliSense。",
+ "typescript.enablePromptUseWorkspaceTsdk": "允许提示用户对 Intellisense 使用在工作区中配置的 TypeScript 版本。",
+ "typescript.findAllFileReferences": "查找文件引用",
+ "typescript.format.enable": "启用/禁用默认 TypeScript 格式化程序。",
+ "typescript.goToSourceDefinition": "转到源定义",
+ "typescript.implementationsCodeLens.enabled": "启用或禁用实现 CodeLens。此 CodeLens 显示接口的实现。",
+ "typescript.locale": "设置在报告 JavaScript 和 TypeScript 错误时使用的区域设置。默认使用 VS Code 的区域设置。",
+ "typescript.npm": "Specifies the path to the npm executable used for [Automatic Type Acquisition](https://code.visualstudio.com/docs/nodejs/working-with-javascript#_typings-and-automatic-type-acquisition).",
+ "typescript.openTsServerLog.title": "打开 TS 服务器日志",
+ "typescript.preferences.autoImportFileExcludePatterns": "指定要从自动导入中排除的文件的 glob 模式。需要在工作区中使用 TypeScript 4.8 或更高版本。",
+ "typescript.preferences.importModuleSpecifier": "自动 import 语句中路径的首选样式。",
+ "typescript.preferences.importModuleSpecifier.nonRelative": "根据在 `jsconfig.json` / `tsconfig.json` 中配置的 `baseUrl` 或 `paths` 首选不相关导入。",
+ "typescript.preferences.importModuleSpecifier.projectRelative": "仅当相关导入路径将离开包或项目目录时,才首选不相关导入。需要在工作区中使用 TypeScript 4.2+。",
+ "typescript.preferences.importModuleSpecifier.relative": "首选导入文件位置的相对路径。",
+ "typescript.preferences.importModuleSpecifier.shortest": "仅当有路径段少于相关导入路径段的不相关导入时,才首选不相关导入。",
+ "typescript.preferences.importModuleSpecifierEnding": "自动导入的首选路径结尾。需要在工作区中使用 TypeScript 4.5+。",
+ "typescript.preferences.importModuleSpecifierEnding.auto": "使用项目设置选择默认值。",
+ "typescript.preferences.importModuleSpecifierEnding.index": "将 \"./component/index.js\" 缩短为 \"./component/index\"。",
+ "typescript.preferences.importModuleSpecifierEnding.js": "不要缩短路径结尾;包括\".js\"扩展名。",
+ "typescript.preferences.importModuleSpecifierEnding.minimal": "将 \"./component/index.js\" 缩短为 \"./component\"。",
+ "typescript.preferences.includePackageJsonAutoImports": "允许/禁止在 \"package.json\" 依赖项中搜索可用的自动导入。",
+ "typescript.preferences.includePackageJsonAutoImports.auto": "根据预估的性能影响搜索依赖项。",
+ "typescript.preferences.includePackageJsonAutoImports.off": "从不搜索依赖项。",
+ "typescript.preferences.includePackageJsonAutoImports.on": "始终搜索依赖项。",
+ "typescript.preferences.jsxAttributeCompletionStyle": "JSX 属性完成的首选样式。",
+ "typescript.preferences.jsxAttributeCompletionStyle.auto": "根据属性类型,在属性名称后插入 `={}` or `=\"\"`。请参见 `typescript.preferences.quoteStyle`,控制用于字符串属性的引号样式。",
+ "typescript.preferences.jsxAttributeCompletionStyle.braces": "在属性名称后插入 `={}`。",
+ "typescript.preferences.jsxAttributeCompletionStyle.none": "仅插入属性名称。",
+ "typescript.preferences.quoteStyle": "用于快速修复的首选引号样式。",
+ "typescript.preferences.quoteStyle.auto": "从现有代码推断引号类型",
+ "typescript.preferences.quoteStyle.double": "始终使用双引号: `\"`",
+ "typescript.preferences.quoteStyle.single": "始终使用单引号: `'`",
+ "typescript.preferences.renameShorthandProperties.deprecationMessage": "设置 \"typescript.preferences.renameShorthandProperties\" 已被弃用,取而代之的是 \"typescript.preferences.useAliasesForRenames\"",
+ "typescript.preferences.useAliasesForRenames": "允许/禁止在重命名期间向对象速记属性引入别名。需要在工作区中使用 TypeScript 3.4 或更高版本。",
+ "typescript.problemMatchers.tsc.label": "TypeScript 问题",
+ "typescript.problemMatchers.tscWatch.label": "TypeScript 问题(观看模式)",
+ "typescript.referencesCodeLens.enabled": "在 TypeScript 文件中启用或禁用引用 CodeLens。",
+ "typescript.referencesCodeLens.showOnAllFunctions": "启用/禁用在 TypeScript 文件中的所有函数上引用 CodeLens。",
+ "typescript.reportStyleChecksAsWarnings": "将风格检查的问题报告为警告。",
+ "typescript.restartTsServer": "重启 TS 服务器",
+ "typescript.selectTypeScriptVersion.title": "选择 TypeScript 版本...",
+ "typescript.suggest.enabled": "启用或禁用自动完成建议。",
+ "typescript.suggestionActions.enabled": "启用或禁用编辑器中 TypeScript 文件的建议诊断。",
+ "typescript.tsc.autoDetect": "控制对 tsc 任务的自动检测。",
+ "typescript.tsc.autoDetect.build": "仅创建单次运行编译任务。",
+ "typescript.tsc.autoDetect.off": "禁用此功能。",
+ "typescript.tsc.autoDetect.on": "同时创建生成和监视任务。",
+ "typescript.tsc.autoDetect.watch": "仅创建编译和监视任务。",
+ "typescript.tsdk.desc": "指定 TypeScript 安装下用于 IntelliSense 的 tsserver 和 `lib*.d.ts` 文件的文件夹路径,例如: `./node_modules/typescript/lib`。\r\n\r\n- 当指定为用户设置时,`typescript.tsdk` 中的 TypeScript 版本会自动替换内置的 TypeScript 版本。\r\n- 当指定为工作区设置时,`typescript.tsdk` 允许通过 `TypeScript: Select TypeScript version` 命令切换为对 IntelliSense 使用 TypeScript 的该工作区版本。\r\n\r\n有关管理 TypeScript 版本的更多详细信息,请参阅 [TypeScript文档](https://code.visualstudio.com/docs/typescript/typescript-compiling#_using-newer-typescript-versions)。",
+ "typescript.tsserver.enableTracing": "允许将 TS 服务器性能跟踪保持到目录。这些跟踪文件可用于诊断 TS 服务器性能问题。日志可能包含你的项目中的文件路径、源代码和其他可能敏感的信息。",
+ "typescript.tsserver.log": "将 TS 服务器的日志保存到一个文件。此日志可用于诊断 TS 服务器问题。日志可能包含你的项目中的文件路径、源代码和其他可能敏感的信息。",
+ "typescript.tsserver.pluginPaths": "其他用于搜索 TypeScript 语言服务插件的路径。",
+ "typescript.tsserver.pluginPaths.item": "相对或绝对路径。相对路径将根据工作区文件夹进行解析。",
+ "typescript.tsserver.trace": "对发送到 TS 服务器的消息启用跟踪。此跟踪信息可用于诊断 TS 服务器问题。 跟踪信息可能包含你的项目中的文件路径、源代码和其他可能敏感的信息。",
+ "typescript.updateImportsOnFileMove.enabled": "启用或禁用在 VS Code 中重命名或移动文件时自动更新导入路径的功能。",
+ "typescript.updateImportsOnFileMove.enabled.always": "始终自动更新路径。",
+ "typescript.updateImportsOnFileMove.enabled.never": "一律不要重命名路径,也不要提示。",
+ "typescript.updateImportsOnFileMove.enabled.prompt": "在每次重命名时进行提示。",
+ "typescript.validate.enable": "启用/禁用 TypeScript 验证。",
+ "typescript.workspaceSymbols.scope": "通过[转到工作区中的符号](https://code.visualstudio.com/docs/editor/editingevolved#_open-symbol-by-name)来控制搜索的具体文件。",
+ "typescript.workspaceSymbols.scope.allOpenProjects": "在所有打开的 JavaScript 或 TypeScript 项目中搜索符号。需要在工作区中使用 TypeScript 3.9 或更高版本。",
+ "typescript.workspaceSymbols.scope.currentProject": "仅在当前 JavaScript 或 TypeScript 项目中搜索符号。",
+ "virtualWorkspaces": "在虚拟工作区中,不支持解析和查找跨文件的引用。",
+ "workspaceTrust": "使用工作区版本时,扩展需要工作区信任,因为它会执行工作区指定的代码。"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/vb.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/vb.i18n.json
new file mode 100644
index 0000000..0ded182
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/vb.i18n.json
@@ -0,0 +1,16 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "package": {
+ "description": "在 Visual Basic 文件中提供代码片段、语法高亮、括号匹配和折叠功能。",
+ "displayName": "Visual Basic 语言基础功能"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/xml.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/xml.i18n.json
new file mode 100644
index 0000000..b1ee146
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/xml.i18n.json
@@ -0,0 +1,16 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "package": {
+ "description": "在 XML 文件中提供语法高亮和括号匹配功能。",
+ "displayName": "XML 语言基础功能"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/extensions/yaml.i18n.json b/internal/vscode-language-pack-zh-hans/translations/extensions/yaml.i18n.json
new file mode 100644
index 0000000..cda33bb
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/extensions/yaml.i18n.json
@@ -0,0 +1,16 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "package": {
+ "description": "在 YAML 文件中提供语法高亮和括号匹配功能。",
+ "displayName": "YAML 语言基础功能"
+ }
+ }
+}
diff --git a/internal/vscode-language-pack-zh-hans/translations/main.i18n.json b/internal/vscode-language-pack-zh-hans/translations/main.i18n.json
new file mode 100644
index 0000000..1263dd3
--- /dev/null
+++ b/internal/vscode-language-pack-zh-hans/translations/main.i18n.json
@@ -0,0 +1,11020 @@
+{
+ "": [
+ "--------------------------------------------------------------------------------------------",
+ "Copyright (c) Microsoft Corporation. All rights reserved.",
+ "Licensed under the MIT License. See License.txt in the project root for license information.",
+ "--------------------------------------------------------------------------------------------",
+ "Do not edit this file. It is machine generated."
+ ],
+ "version": "1.0.0",
+ "contents": {
+ "vs/base/browser/ui/actionbar/actionViewItems": {
+ "titleLabel": "{0} ({1})"
+ },
+ "vs/base/browser/ui/button/button": {
+ "button dropdown more actions": "更多操作..."
+ },
+ "vs/base/browser/ui/dialog/dialog": {
+ "dialogClose": "关闭对话框",
+ "dialogErrorMessage": "错误",
+ "dialogInfoMessage": "信息",
+ "dialogPendingMessage": "正在进行",
+ "dialogWarningMessage": "警告",
+ "ok": "确定"
+ },
+ "vs/base/browser/ui/findinput/findInput": {
+ "defaultLabel": "输入"
+ },
+ "vs/base/browser/ui/findinput/findInputToggles": {
+ "caseDescription": "区分大小写",
+ "regexDescription": "使用正则表达式",
+ "wordsDescription": "全字匹配"
+ },
+ "vs/base/browser/ui/findinput/replaceInput": {
+ "defaultLabel": "输入",
+ "label.preserveCaseToggle": "保留大小写"
+ },
+ "vs/base/browser/ui/iconLabel/iconLabelHover": {
+ "iconLabel.loading": "正在加载…"
+ },
+ "vs/base/browser/ui/inputbox/inputBox": {
+ "alertErrorMessage": "错误: {0}",
+ "alertInfoMessage": "信息: {0}",
+ "alertWarningMessage": "警告: {0}",
+ "history.inputbox.hint": "对于历史记录"
+ },
+ "vs/base/browser/ui/keybindingLabel/keybindingLabel": {
+ "unbound": "未绑定"
+ },
+ "vs/base/browser/ui/menu/menubar": {
+ "mAppMenu": "应用程序菜单",
+ "mMore": "更多"
+ },
+ "vs/base/browser/ui/selectBox/selectBoxCustom": {
+ "selectBox": "选择框"
+ },
+ "vs/base/browser/ui/splitview/paneview": {
+ "viewSection": "{0}部分"
+ },
+ "vs/base/browser/ui/toolbar/toolbar": {
+ "moreActions": "更多操作..."
+ },
+ "vs/base/browser/ui/tree/abstractTree": {
+ "close": "关闭",
+ "filter": "筛选器",
+ "not found": "未找到元素。",
+ "type to filter": "要筛选的类型",
+ "type to search": "要搜索的类型"
+ },
+ "vs/base/browser/ui/tree/treeDefaults": {
+ "collapse all": "全部折叠"
+ },
+ "vs/base/common/actions": {
+ "submenu.empty": "(空)"
+ },
+ "vs/base/common/date": {
+ "date.fromNow.days.plural": "{0} 天",
+ "date.fromNow.days.plural.ago": "{0} 天前",
+ "date.fromNow.days.singular": "{0} 天",
+ "date.fromNow.days.singular.ago": "{0} 天前",
+ "date.fromNow.hours.plural": "{0} 小时",
+ "date.fromNow.hours.plural.ago": "{0} 小时前",
+ "date.fromNow.hours.plural.ago.fullWord": "{0} 小时前",
+ "date.fromNow.hours.plural.fullWord": "{0} 小时",
+ "date.fromNow.hours.singular": "{0} 小时",
+ "date.fromNow.hours.singular.ago": "{0} 小时前",
+ "date.fromNow.hours.singular.ago.fullWord": "{0} 小时前",
+ "date.fromNow.hours.singular.fullWord": "{0} 小时",
+ "date.fromNow.in": "{0} 后",
+ "date.fromNow.minutes.plural": "{0} 分钟",
+ "date.fromNow.minutes.plural.ago": "{0} 分钟前",
+ "date.fromNow.minutes.plural.ago.fullWord": "{0} 分钟前",
+ "date.fromNow.minutes.plural.fullWord": "{0} 分钟",
+ "date.fromNow.minutes.singular": "{0} 分钟",
+ "date.fromNow.minutes.singular.ago": "{0} 分钟前",
+ "date.fromNow.minutes.singular.ago.fullWord": "{0} 分钟前",
+ "date.fromNow.minutes.singular.fullWord": "{0} 分钟",
+ "date.fromNow.months.plural": "{0} 个月",
+ "date.fromNow.months.plural.ago": "{0} 个月前",
+ "date.fromNow.months.plural.ago.fullWord": "{0} 个月前",
+ "date.fromNow.months.plural.fullWord": "{0} 个月",
+ "date.fromNow.months.singular": "{0} 个月",
+ "date.fromNow.months.singular.ago": "{0} 个月前",
+ "date.fromNow.months.singular.ago.fullWord": "{0} 个月前",
+ "date.fromNow.months.singular.fullWord": "{0} 月",
+ "date.fromNow.now": "现在",
+ "date.fromNow.seconds.plural": "{0} 秒",
+ "date.fromNow.seconds.plural.ago": "{0} 秒前",
+ "date.fromNow.seconds.plural.ago.fullWord": "{0} 秒前",
+ "date.fromNow.seconds.plural.fullWord": "{0} 秒",
+ "date.fromNow.seconds.singular": "{0} 秒",
+ "date.fromNow.seconds.singular.ago": "{0} 秒前",
+ "date.fromNow.seconds.singular.ago.fullWord": "{0} 秒前",
+ "date.fromNow.seconds.singular.fullWord": "{0} 秒",
+ "date.fromNow.weeks.plural": "{0} 周",
+ "date.fromNow.weeks.plural.ago": "{0} 周前",
+ "date.fromNow.weeks.plural.ago.fullWord": "{0} 周前",
+ "date.fromNow.weeks.plural.fullWord": "{0} 周",
+ "date.fromNow.weeks.singular": "{0} 周",
+ "date.fromNow.weeks.singular.ago": "{0} 周前",
+ "date.fromNow.weeks.singular.ago.fullWord": "{0} 周前",
+ "date.fromNow.weeks.singular.fullWord": "{0} 周",
+ "date.fromNow.years.plural": "{0} 年",
+ "date.fromNow.years.plural.ago": "{0} 年前",
+ "date.fromNow.years.plural.ago.fullWord": "{0} 年前",
+ "date.fromNow.years.plural.fullWord": "{0} 年",
+ "date.fromNow.years.singular": "{0} 年",
+ "date.fromNow.years.singular.ago": "{0} 年前",
+ "date.fromNow.years.singular.ago.fullWord": "{0} 年前",
+ "date.fromNow.years.singular.fullWord": "{0} 年"
+ },
+ "vs/base/common/errorMessage": {
+ "error.defaultMessage": "出现未知错误。有关详细信息,请参阅日志。",
+ "error.moreErrors": "{0} 个(共 {1} 个错误)",
+ "nodeExceptionMessage": "发生了系统错误 ({0})",
+ "stackTrace.format": "{0}: {1}"
+ },
+ "vs/base/common/jsonErrorMessages": {
+ "error.closeBraceExpected": "需要右大括号",
+ "error.closeBracketExpected": "需要右括号",
+ "error.colonExpected": "需要冒号",
+ "error.commaExpected": "需要逗号",
+ "error.endOfFileExpected": "文件应结束",
+ "error.invalidNumberFormat": "数字格式无效",
+ "error.invalidSymbol": "无效符号",
+ "error.propertyNameExpected": "需要属性名",
+ "error.valueExpected": "需要值"
+ },
+ "vs/base/common/keybindingLabels": {
+ "altKey": "Alt",
+ "altKey.long": "Alt",
+ "cmdKey.long": "Command",
+ "ctrlKey": "Ctrl",
+ "ctrlKey.long": "Control",
+ "optKey.long": "选项",
+ "shiftKey": "Shift",
+ "shiftKey.long": "Shift",
+ "superKey": "超键",
+ "superKey.long": "超键",
+ "windowsKey": "Windows",
+ "windowsKey.long": "Windows"
+ },
+ "vs/base/common/platform": {
+ "ensureLoaderPluginIsLoaded": "_"
+ },
+ "vs/base/node/processes": {
+ "TaskRunner.UNC": "无法在 UNC 驱动器上执行 Shell 命令。"
+ },
+ "vs/base/node/zip": {
+ "incompleteExtract": "解压不完整。找到了 {0} / {1} 个项目",
+ "invalid file": "提取 {0} 时出错。文件无效。",
+ "notFound": "在 Zip 中找不到 {0}。"
+ },
+ "vs/base/parts/quickinput/browser/quickInput": {
+ "custom": "自定义",
+ "inputModeEntry": "按 \"Enter\" 以确认或按 \"Esc\" 以取消",
+ "inputModeEntryDescription": "{0} (按 \"Enter\" 以确认或按 \"Esc\" 以取消)",
+ "ok": "确定",
+ "quickInput.back": "上一步",
+ "quickInput.backWithKeybinding": "后退 ({0})",
+ "quickInput.checkAll": "切换所有复选框",
+ "quickInput.countSelected": "已选 {0} 项",
+ "quickInput.steps": "{0}/{1}",
+ "quickInput.visibleCount": "{0} 个结果",
+ "quickInputBox.ariaLabel": "在此输入可缩小结果范围。"
+ },
+ "vs/base/parts/quickinput/browser/quickInputList": {
+ "quickInput": "快速输入"
+ },
+ "vs/editor/browser/controller/textAreaHandler": {
+ "accessibilityOffAriaLabel": "现在无法访问编辑器。按 {0} 获取选项。",
+ "editor": "编辑器"
+ },
+ "vs/editor/browser/coreCommands": {
+ "removedCursor": "已删除辅助游标",
+ "stickydesc": "即使转到较长的行,也一直到末尾"
+ },
+ "vs/editor/browser/editorExtensions": {
+ "miRedo": "恢复(&&R)",
+ "miSelectAll": "全选(&&S)",
+ "miUndo": "撤消(&&U)",
+ "redo": "恢复",
+ "selectAll": "选择全部",
+ "undo": "撤消"
+ },
+ "vs/editor/browser/widget/codeEditorWidget": {
+ "cursors.maximum": "光标数量被限制为 {0}。"
+ },
+ "vs/editor/browser/widget/diffEditorWidget": {
+ "diff.tooLarge": "文件过大,无法比较。",
+ "diffInsertIcon": "差异编辑器中插入项的线条修饰。",
+ "diffRemoveIcon": "差异编辑器中删除项的线条修饰。"
+ },
+ "vs/editor/browser/widget/diffReview": {
+ "blankLine": "空白",
+ "deleteLine": "- {0}原始行{1}",
+ "diffReviewCloseIcon": "差异评审中的“关闭”图标。",
+ "diffReviewInsertIcon": "差异评审中的“插入”图标。",
+ "diffReviewRemoveIcon": "差异评审中的“删除”图标。",
+ "editor.action.diffReview.next": "转至下一个差异",
+ "editor.action.diffReview.prev": "转至上一个差异",
+ "equalLine": "{0}原始行{1}修改的行{2}",
+ "header": "差异 {0}/ {1}: 原始行 {2},{3},修改后的行 {4},{5}",
+ "insertLine": "+ {0}修改的行{1}",
+ "label.close": "关闭",
+ "more_lines_changed": "更改了 {0} 行",
+ "no_lines_changed": "未更改行",
+ "one_line_changed": "更改了 1 行",
+ "unchangedLine": "{0} 未更改的行 {1}"
+ },
+ "vs/editor/browser/widget/inlineDiffMargin": {
+ "diff.clipboard.copyChangedLineContent.label": "复制更改的行({0})",
+ "diff.clipboard.copyChangedLinesContent.label": "复制更改的行",
+ "diff.clipboard.copyChangedLinesContent.single.label": "复制更改的行",
+ "diff.clipboard.copyDeletedLineContent.label": "复制已删除的行({0})",
+ "diff.clipboard.copyDeletedLinesContent.label": "复制已删除的行",
+ "diff.clipboard.copyDeletedLinesContent.single.label": "复制已删除的行",
+ "diff.inline.revertChange.label": "还原此更改"
+ },
+ "vs/editor/common/config/editorConfigurationSchema": {
+ "codeLens": "控制是否在编辑器中显示 CodeLens。",
+ "detectIndentation": "控制是否在打开文件时,基于文件内容自动检测 `#editor.tabSize#` 和 `#editor.insertSpaces#`。",
+ "editorConfigurationTitle": "编辑器",
+ "ignoreTrimWhitespace": "启用后,差异编辑器将忽略前导空格或尾随空格中的更改。",
+ "insertSpaces": "按 `Tab` 键时插入空格。该设置在 `#editor.detectIndentation#` 启用时根据文件内容可能会被覆盖。",
+ "largeFileOptimizations": "对大型文件进行特殊处理,禁用某些内存密集型功能。",
+ "maxComputationTime": "超时(以毫秒为单位),之后将取消差异计算。使用0表示没有超时。",
+ "maxFileSize": "要为其计算差异的最大文件大小(MB)。使用 0 表示无限制。",
+ "maxTokenizationLineLength": "由于性能原因,超过这个长度的行将不会被标记",
+ "renderIndicators": "控制差异编辑器是否为添加/删除的更改显示 +/- 指示符号。",
+ "renderMarginRevertIcon": "启用后,差异编辑器会在其字形边距中显示箭头以还原更改。",
+ "schema.brackets": "定义增加和减少缩进的括号。",
+ "schema.closeBracket": "右方括号字符或字符串序列。",
+ "schema.colorizedBracketPairs": "如果启用方括号对着色,则按照其嵌套级别定义已着色的方括号对。",
+ "schema.openBracket": "左方括号字符或字符串序列。",
+ "semanticHighlighting.configuredByTheme": "语义突出显示是由当前颜色主题的 \"semanticHighlighting\" 设置配置的。",
+ "semanticHighlighting.enabled": "控制是否为支持它的语言显示语义突出显示。",
+ "semanticHighlighting.false": "对所有颜色主题禁用语义突出显示。",
+ "semanticHighlighting.true": "对所有颜色主题启用语义突出显示。",
+ "sideBySide": "控制差异编辑器的显示方式是并排还是内联。",
+ "stablePeek": "在速览编辑器中,即使双击其中的内容或者按 `Esc` 键,也保持其打开状态。",
+ "tabSize": "一个制表符等于的空格数。在 `#editor.detectIndentation#` 启用时,根据文件内容,该设置可能会被覆盖。",
+ "trimAutoWhitespace": "删除自动插入的尾随空白符号。",
+ "wordBasedSuggestions": "控制是否根据文档中的文字计算自动完成列表。",
+ "wordBasedSuggestionsMode": "控制通过哪些文档计算基于字词的补全。",
+ "wordBasedSuggestionsMode.allDocuments": "建议所有打开的文档中的字词。",
+ "wordBasedSuggestionsMode.currentDocument": "仅建议活动文档中的字词。",
+ "wordBasedSuggestionsMode.matchingDocuments": "建议使用同一语言的所有打开的文档中的字词。",
+ "wordWrap.inherit": "将根据 `#editor.wordWrap#` 设置换行。",
+ "wordWrap.off": "永不换行。",
+ "wordWrap.on": "将在视区宽度处换行。"
+ },
+ "vs/editor/common/config/editorOptions": {
+ "acceptSuggestionOnCommitCharacter": "控制是否应在提交字符时接受建议。例如,在 JavaScript 中,半角分号(`;`)可以为提交字符,能够接受建议并键入该字符。",
+ "acceptSuggestionOnEnter": "控制除了 `Tab` 键以外, `Enter` 键是否同样可以接受建议。这能减少“插入新行”和“接受建议”命令之间的歧义。",
+ "acceptSuggestionOnEnterSmart": "仅当建议包含文本改动时才可使用 `Enter` 键进行接受。",
+ "accessibilityPageSize": "控制编辑器中可由屏幕阅读器一次读出的行数。我们检测到屏幕阅读器时,会自动将默认值设置为 500。警告: 如果行数大于默认值,可能会影响性能。",
+ "accessibilitySupport": "控制编辑器是否应在对屏幕阅读器进行了优化的模式下运行。设置为“开”将禁用自动换行。",
+ "accessibilitySupport.auto": "编辑器将使用平台 API 以检测是否附加了屏幕阅读器。",
+ "accessibilitySupport.off": "编辑器将不再对屏幕阅读器的使用进行优化。",
+ "accessibilitySupport.on": "编辑器将针对与屏幕阅读器搭配使用进行永久优化。将禁用自动换行。",
+ "alternativeDeclarationCommand": "当\"转到声明\"的结果为当前位置时将要执行的替代命令的 ID。",
+ "alternativeDefinitionCommand": "当\"转到定义\"的结果为当前位置时将要执行的替代命令的 ID。",
+ "alternativeImplementationCommand": "当\"转到实现\"的结果为当前位置时将要执行的替代命令的 ID。",
+ "alternativeReferenceCommand": "当\"转到引用\"的结果是当前位置时正在执行的替代命令 ID。",
+ "alternativeTypeDefinitionCommand": "当\"转到类型定义\"的结果是当前位置时正在执行的备用命令 ID。",
+ "autoClosingBrackets": "控制编辑器是否在左括号后自动插入右括号。",
+ "autoClosingDelete": "控制在删除时编辑器是否应删除相邻的右引号或右方括号。",
+ "autoClosingOvertype": "控制编辑器是否应改写右引号或右括号。",
+ "autoClosingQuotes": "控制编辑器是否在左引号后自动插入右引号。",
+ "autoIndent": "控制编辑器是否应在用户键入、粘贴、移动或缩进行时自动调整缩进。",
+ "autoSurround": "控制在键入引号或方括号时,编辑器是否应自动将所选内容括起来。",
+ "bracketPairColorization.enabled": "控制是否启用括号对着色。请使用 {0} 重写括号突出显示颜色。",
+ "bracketPairColorization.independentColorPoolPerBracketType": "控制每个方括号类型是否具有自己的独立颜色池。",
+ "codeActions": "在编辑器中启用代码操作小灯泡提示。",
+ "codeLens": "控制是否在编辑器中显示 CodeLens。",
+ "codeLensFontFamily": "控制 CodeLens 的字体系列。",
+ "codeLensFontSize": "控制 CodeLens 的字号(以像素为单位)。设置为 `0` 时,将使用 90% 的 `#editor.fontSize#`。",
+ "colorDecorators": "控制编辑器是否显示内联颜色修饰器和颜色选取器。",
+ "columnSelection": "启用使用鼠标和键进行列选择。",
+ "comments.ignoreEmptyLines": "控制在对行注释执行切换、添加或删除操作时,是否应忽略空行。",
+ "comments.insertSpace": "控制在注释时是否插入空格字符。",
+ "copyWithSyntaxHighlighting": "控制在复制时是否同时复制语法高亮。",
+ "cursorBlinking": "控制光标的动画样式。",
+ "cursorSmoothCaretAnimation": "控制是否启用平滑插入动画。",
+ "cursorStyle": "控制光标样式。",
+ "cursorSurroundingLines": "控制光标周围可见的前置行和尾随行的最小数目。在其他一些编辑器中称为 \"scrollOff\" 或 \"scrollOffset\"。",
+ "cursorSurroundingLinesStyle": "控制何时应强制执行\"光标环绕行\"。",
+ "cursorSurroundingLinesStyle.all": "始终强制执行 \"cursorSurroundingLines\"",
+ "cursorSurroundingLinesStyle.default": "仅当通过键盘或 API 触发时,才会强制执行\"光标环绕行\"。",
+ "cursorWidth": "当 `#editor.cursorStyle#` 设置为 `line` 时,控制光标的宽度。",
+ "definitionLinkOpensInPeek": "控制\"转到定义\"鼠标手势是否始终打开预览小部件。",
+ "deprecated": "此设置已弃用,请改用单独的设置,如\"editor.suggest.showKeywords\"或\"editor.suggest.showSnippets\"。",
+ "dragAndDrop": "控制在编辑器中是否允许通过拖放来移动选中内容。",
+ "dropIntoEditor.enabled": "控制是否可以通过按住 `Shift` (而不是在编辑器中打开文件)将文件拖放到编辑器中。",
+ "editor.autoClosingBrackets.beforeWhitespace": "仅当光标位于空白字符左侧时,才自动闭合括号。",
+ "editor.autoClosingBrackets.languageDefined": "使用语言配置确定何时自动闭合括号。",
+ "editor.autoClosingDelete.auto": "仅在自动插入时才删除相邻的右引号或右括号。",
+ "editor.autoClosingOvertype.auto": "仅在自动插入时才改写右引号或右括号。",
+ "editor.autoClosingQuotes.beforeWhitespace": "仅当光标位于空白字符左侧时,才自动闭合引号。",
+ "editor.autoClosingQuotes.languageDefined": "使用语言配置确定何时自动闭合引号。",
+ "editor.autoIndent.advanced": "编辑器将保留当前行的缩进、使用语言定义的括号并调用语言定义的特定 onEnterRules。",
+ "editor.autoIndent.brackets": "编辑器将保留当前行的缩进并遵循语言定义的括号。",
+ "editor.autoIndent.full": "编辑器将保留当前行的缩进,使用语言定义的括号,调用由语言定义的特殊输入规则,并遵循由语言定义的缩进规则。",
+ "editor.autoIndent.keep": "编辑器将保留当前行的缩进。",
+ "editor.autoIndent.none": "编辑器不会自动插入缩进。",
+ "editor.autoSurround.brackets": "使用括号而非引号来包住所选内容。",
+ "editor.autoSurround.languageDefined": "使用语言配置确定何时自动包住所选内容。",
+ "editor.autoSurround.quotes": "使用引号而非括号来包住所选内容。",
+ "editor.editor.gotoLocation.multipleDeclarations": "控制存在多个目标位置时\"转到声明\"命令的行为。",
+ "editor.editor.gotoLocation.multipleDefinitions": "控制存在多个目标位置时\"转到定义\"命令的行为。",
+ "editor.editor.gotoLocation.multipleImplemenattions": "控制存在多个目标位置时\"转到实现\"命令的行为。",
+ "editor.editor.gotoLocation.multipleReferences": "控制存在多个目标位置时\"转到引用\"命令的行为。",
+ "editor.editor.gotoLocation.multipleTypeDefinitions": "控制存在多个目标位置时\"转到类型定义\"命令的行为。",
+ "editor.experimental.stickyScroll": "在编辑器顶部的滚动过程中显示嵌套的当前作用域。",
+ "editor.find.autoFindInSelection.always": "始终自动打开“在选定内容中查找”。",
+ "editor.find.autoFindInSelection.multiline": "选择多行内容时,自动打开“在选定内容中查找”。",
+ "editor.find.autoFindInSelection.never": "从不自动打开“在选定内容中查找”(默认)。",
+ "editor.find.seedSearchStringFromSelection.always": "始终为编辑器选择中的搜索字符串设定种子,包括光标位置的字词。",
+ "editor.find.seedSearchStringFromSelection.never": "切勿为编辑器选择中的搜索字符串设定种子。",
+ "editor.find.seedSearchStringFromSelection.selection": "仅为编辑器选择中的搜索字符串设定种子。",
+ "editor.gotoLocation.multiple.deprecated": "此设置已弃用,请改用单独的设置,如\"editor.editor.gotoLocation.multipleDefinitions\"或\"editor.editor.gotoLocation.multipleImplementations\"。",
+ "editor.gotoLocation.multiple.goto": "转到主结果,并对其他人启用防偷窥导航",
+ "editor.gotoLocation.multiple.gotoAndPeek": "转到主结果并显示预览视图",
+ "editor.gotoLocation.multiple.peek": "显示结果的预览视图 (默认值)",
+ "editor.guides.bracketPairs": "控制是否启用括号对指南。",
+ "editor.guides.bracketPairs.active": "仅为活动括号对启用括号对参考线。",
+ "editor.guides.bracketPairs.false": "禁用括号对参考线。",
+ "editor.guides.bracketPairs.true": "启用括号对参考线。",
+ "editor.guides.bracketPairsHorizontal": "控制是否启用水平括号对指南。",
+ "editor.guides.bracketPairsHorizontal.active": "仅为活动括号对启用水平参考线。",
+ "editor.guides.bracketPairsHorizontal.false": "禁用水平括号对参考线。",
+ "editor.guides.bracketPairsHorizontal.true": "启用水平参考线作为垂直括号对参考线的添加项。",
+ "editor.guides.highlightActiveBracketPair": "控制编辑器是否应突出显示活动的括号对。",
+ "editor.guides.highlightActiveIndentation": "控制是否突出显示编辑器中活动的缩进参考线。",
+ "editor.guides.highlightActiveIndentation.always": "突出显示活动缩进参考线,即使突出显示了括号参考线。",
+ "editor.guides.highlightActiveIndentation.false": "不要突出显示活动缩进参考线。",
+ "editor.guides.highlightActiveIndentation.true": "突出显示活动缩进参考线。",
+ "editor.guides.indentation": "控制编辑器是否显示缩进参考线。",
+ "editor.inlayHints.off": "已禁用内嵌提示",
+ "editor.inlayHints.offUnlessPressed": "默认情况下隐藏内嵌提示,并在按住 `Ctrl+Alt` 时显示",
+ "editor.inlayHints.on": "已启用内嵌提示",
+ "editor.inlayHints.onUnlessPressed": "默认情况下显示内嵌提示,并在按住 `Ctrl+Alt` 时隐藏",
+ "editor.suggest.showClasss": "启用后,IntelliSense 将显示“类”建议。",
+ "editor.suggest.showColors": "启用后,IntelliSense 将显示“颜色”建议。",
+ "editor.suggest.showConstants": "启用后,IntelliSense 将显示“常量”建议。",
+ "editor.suggest.showConstructors": "启用后,IntelliSense 将显示“构造函数”建议。",
+ "editor.suggest.showCustomcolors": "启用后,IntelliSense 将显示“自定义颜色”建议。",
+ "editor.suggest.showDeprecated": "启用后,IntelliSense 将显示`已弃用`建议。",
+ "editor.suggest.showEnumMembers": "启用后,IntelliSense 将显示 \"enumMember\" 建议。",
+ "editor.suggest.showEnums": "启用后,IntelliSense 将显示“枚举”建议。",
+ "editor.suggest.showEvents": "启用后,IntelliSense 将显示“事件”建议。",
+ "editor.suggest.showFields": "启用后,IntelliSense 将显示“字段”建议。",
+ "editor.suggest.showFiles": "启用后,IntelliSense 将显示“文件”建议。",
+ "editor.suggest.showFolders": "启用后,IntelliSense 将显示“文件夹”建议。",
+ "editor.suggest.showFunctions": "启用后,IntelliSense 将显示“函数”建议。",
+ "editor.suggest.showInterfaces": "启用后,IntelliSense 将显示“接口”建议。",
+ "editor.suggest.showIssues": "启用后,IntelliSense 将显示\"问题\"建议。",
+ "editor.suggest.showKeywords": "启用后,IntelliSense 将显示“关键字”建议。",
+ "editor.suggest.showMethods": "启用后,IntelliSense 将显示“方法”建议。",
+ "editor.suggest.showModules": "启用后,IntelliSense 将显示“模块”建议。",
+ "editor.suggest.showOperators": "启用后,IntelliSense 将显示“操作符”建议。",
+ "editor.suggest.showPropertys": "启用后,IntelliSense 将显示“属性”建议。",
+ "editor.suggest.showReferences": "启用后,IntelliSense 将显示“参考”建议。",
+ "editor.suggest.showSnippets": "启用后,IntelliSense 将显示“片段”建议。",
+ "editor.suggest.showStructs": "启用后,IntelliSense 将显示“结构”建议。",
+ "editor.suggest.showTexts": "启用后,IntelliSense 将显示“文本”建议。",
+ "editor.suggest.showTypeParameters": "启用后,IntelliSense 将显示 \"typeParameter\" 建议。",
+ "editor.suggest.showUnits": "启用后,IntelliSense 将显示“单位”建议。",
+ "editor.suggest.showUsers": "启用后,IntelliSense 将显示\"用户\"建议。",
+ "editor.suggest.showValues": "启用后,IntelliSense 将显示“值”建议。",
+ "editor.suggest.showVariables": "启用后,IntelliSense 将显示“变量”建议。",
+ "editorViewAccessibleLabel": "编辑器内容",
+ "emptySelectionClipboard": "控制在没有选择内容时进行复制是否复制当前行。",
+ "fastScrollSensitivity": "按下\"Alt\"时滚动速度倍增。",
+ "find.addExtraSpaceOnTop": "控制 \"查找小部件\" 是否应在编辑器顶部添加额外的行。如果为 true, 则可以在 \"查找小工具\" 可见时滚动到第一行之外。",
+ "find.autoFindInSelection": "控制自动打开“在选定内容中查找”的条件。",
+ "find.cursorMoveOnType": "控制在键入时光标是否应跳转以查找匹配项。",
+ "find.globalFindClipboard": "控制“查找”小组件是否读取或修改 macOS 的共享查找剪贴板。",
+ "find.loop": "控制在找不到其他匹配项时,是否自动从开头(或结尾)重新开始搜索。",
+ "find.seedSearchStringFromSelection": "控制是否将编辑器选中内容作为搜索词填入到查找小组件中。",
+ "folding": "控制编辑器是否启用了代码折叠。",
+ "foldingHighlight": "控制编辑器是否应突出显示折叠范围。",
+ "foldingImportsByDefault": "控制编辑器是否自动折叠导入范围。",
+ "foldingMaximumRegions": "可折叠区域的最大数量。如果当前源具有大量可折叠区域,那么增加此值可能会导致编辑器的响应速度变慢。",
+ "foldingStrategy": "控制计算折叠范围的策略。",
+ "foldingStrategy.auto": "使用特定于语言的折叠策略(如果可用),否则使用基于缩进的策略。",
+ "foldingStrategy.indentation": "使用基于缩进的折叠策略。",
+ "fontFamily": "控制字体系列。",
+ "fontFeatureSettings": "显式 \"font-feature-settings\" CSS 属性。如果只需打开/关闭连字,可以改为传递布尔值。",
+ "fontLigatures": "启用/禁用字体连字(\"calt\" 和 \"liga\" 字体特性)。将此更改为字符串,可对 \"font-feature-settings\" CSS 属性进行精细控制。",
+ "fontLigaturesGeneral": "配置字体连字或字体特性。可以是用于启用/禁用连字的布尔值,或用于设置 CSS \"font-feature-settings\" 属性值的字符串。",
+ "fontSize": "控制字体大小(像素)。",
+ "fontWeight": "控制字体粗细。接受关键字“正常”和“加粗”,或者接受介于 1 至 1000 之间的数字。",
+ "fontWeightErrorMessage": "仅允许使用关键字“正常”和“加粗”,或使用介于 1 至 1000 之间的数字。",
+ "formatOnPaste": "控制编辑器是否自动格式化粘贴的内容。格式化程序必须可用,并且能针对文档中的某一范围进行格式化。",
+ "formatOnType": "控制编辑器在键入一行后是否自动格式化该行。",
+ "glyphMargin": "控制编辑器是否应呈现垂直字形边距。字形边距最常用于调试。",
+ "hideCursorInOverviewRuler": "控制是否在概览标尺中隐藏光标。",
+ "hover.above": "如果有空间,首选在线条上方显示悬停。",
+ "hover.delay": "控制显示悬停提示前的等待时间 (毫秒)。",
+ "hover.enabled": "控制是否显示悬停提示。",
+ "hover.sticky": "控制当鼠标移动到悬停提示上时,其是否保持可见。",
+ "inlayHints.enable": "在编辑器中启用内联提示。",
+ "inlayHints.fontFamily": "控制编辑器中嵌入提示的字体系列。设置为空时,将使用 {0}。",
+ "inlayHints.fontSize": "控制编辑器中嵌入提示的字号。默认情况下,当配置的值小于 {1} 或大于编辑器字号时,将使用 {0}。",
+ "inlayHints.padding": "在编辑器中启用叠加提示周围的填充。",
+ "inline": "快速建议显示为虚影文本",
+ "inlineSuggest.enabled": "控制是否在编辑器中自动显示内联建议。",
+ "letterSpacing": "控制字母间距(像素)。",
+ "lineHeight": "控制行高。\r\n - 使用 0 根据字号自动计算行高。\r\n - 介于 0 和 8 之间的值将用作字号的乘数。\r\n - 大于或等于 8 的值将用作有效值。",
+ "lineNumbers": "控制行号的显示。",
+ "lineNumbers.interval": "每 10 行显示一次行号。",
+ "lineNumbers.off": "不显示行号。",
+ "lineNumbers.on": "将行号显示为绝对行数。",
+ "lineNumbers.relative": "将行号显示为与光标相隔的行数。",
+ "linkedEditing": "控制编辑器是否已启用链接编辑。相关符号(如 HTML 标记)在编辑时进行更新,具体由语言而定。",
+ "links": "控制是否在编辑器中检测链接并使其可被点击。",
+ "matchBrackets": "突出显示匹配的括号。",
+ "minimap.autohide": "控制是否自动隐藏缩略图。",
+ "minimap.enabled": "控制是否显示缩略图。",
+ "minimap.maxColumn": "限制缩略图的宽度,控制其最多显示的列数。",
+ "minimap.renderCharacters": "渲染每行的实际字符,而不是色块。",
+ "minimap.scale": "在迷你地图中绘制的内容比例: 1、2 或 3。",
+ "minimap.showSlider": "控制何时显示迷你地图滑块。",
+ "minimap.side": "控制在哪一侧显示缩略图。",
+ "minimap.size": "控制迷你地图的大小。",
+ "minimap.size.fill": "迷你地图将根据需要拉伸或缩小以填充编辑器的高度(不滚动)。",
+ "minimap.size.fit": "迷你地图将根据需要缩小,永远不会大于编辑器(不滚动)。",
+ "minimap.size.proportional": "迷你地图的大小与编辑器内容相同(并且可能滚动)。",
+ "mouseWheelScrollSensitivity": "对鼠标滚轮滚动事件的 `deltaX` 和 `deltaY` 乘上的系数。",
+ "mouseWheelZoom": "按住 `Ctrl` 键并滚动鼠标滚轮时对编辑器字体大小进行缩放。",
+ "multiCursorMergeOverlapping": "当多个光标重叠时进行合并。",
+ "multiCursorModifier": "用于使用鼠标添加多个游标的修饰符。“转到定义”和“打开链接”鼠标手势将进行调整,使其不与 [多光标修饰符](https://code.visualstudio.com/docs/editor/codebasics#_multicursor-modifier)冲突。",
+ "multiCursorModifier.alt": "映射为 `Alt` (Windows 和 Linux) 或 `Option` (macOS)。",
+ "multiCursorModifier.ctrlCmd": "映射为 `Ctrl` (Windows 和 Linux) 或 `Command` (macOS)。",
+ "multiCursorPaste": "控制粘贴时粘贴文本的行计数与光标计数相匹配。",
+ "multiCursorPaste.full": "每个光标粘贴全文。",
+ "multiCursorPaste.spread": "每个光标粘贴一行文本。",
+ "occurrencesHighlight": "控制编辑器是否突出显示语义符号的匹配项。",
+ "off": "已禁用快速建议",
+ "on": "快速建议显示在建议小组件内",
+ "overviewRulerBorder": "控制是否在概览标尺周围绘制边框。",
+ "padding.bottom": "控制编辑器的底边和最后一行之间的间距量。",
+ "padding.top": "控制编辑器的顶边和第一行之间的间距量。",
+ "parameterHints.cycle": "控制参数提示菜单在到达列表末尾时进行循环还是关闭。",
+ "parameterHints.enabled": "在输入时显示含有参数文档和类型信息的小面板。",
+ "peekWidgetDefaultFocus": "控制是将焦点放在内联编辑器上还是放在预览小部件中的树上。",
+ "peekWidgetDefaultFocus.editor": "打开预览时将焦点放在编辑器上",
+ "peekWidgetDefaultFocus.tree": "打开速览时聚焦树",
+ "quickSuggestions": "控制键入时是否应自动显示建议。这可以用于在注释、字符串和其他代码中键入时进行控制。可配置快速建议以显示为虚影文本或建议小组件。另请注意控制建议是否由特殊字符触发的“{0}”设置。",
+ "quickSuggestions.comments": "在注释内启用快速建议。",
+ "quickSuggestions.other": "在字符串和注释外启用快速建议。",
+ "quickSuggestions.strings": "在字符串内启用快速建议。",
+ "quickSuggestionsDelay": "控制显示快速建议前的等待时间 (毫秒)。",
+ "renameOnType": "控制是否在编辑器中输入时自动重命名。",
+ "renameOnTypeDeprecate": "已弃用,请改用 \"editor.linkedEditing\"。",
+ "renderControlCharacters": "控制编辑器是否显示控制字符。",
+ "renderFinalNewline": "当文件以换行符结束时, 呈现最后一行的行号。",
+ "renderLineHighlight": "控制编辑器的当前行进行高亮显示的方式。",
+ "renderLineHighlight.all": "同时突出显示导航线和当前行。",
+ "renderLineHighlightOnlyWhenFocus": "控制编辑器是否仅在焦点在编辑器时突出显示当前行。",
+ "renderWhitespace": "控制编辑器在空白字符上显示符号的方式。",
+ "renderWhitespace.boundary": "呈现空格字符(字词之间的单个空格除外)。",
+ "renderWhitespace.selection": "仅在选定文本上呈现空白字符。",
+ "renderWhitespace.trailing": "仅呈现尾随空格字符。",
+ "roundedSelection": "控制选区是否有圆角。",
+ "rulers": "在一定数量的等宽字符后显示垂直标尺。输入多个值,显示多个标尺。若数组为空,则不绘制标尺。",
+ "rulers.color": "此编辑器标尺的颜色。",
+ "rulers.size": "此编辑器标尺将渲染的等宽字符数。",
+ "scrollBeyondLastColumn": "控制编辑器水平滚动时可以超过范围的字符数。",
+ "scrollBeyondLastLine": "控制编辑器是否可以滚动到最后一行之后。",
+ "scrollPredominantAxis": "同时垂直和水平滚动时,仅沿主轴滚动。在触控板上垂直滚动时,可防止水平漂移。",
+ "scrollbar.horizontal": "控制水平滚动条的可见性。",
+ "scrollbar.horizontal.auto": "水平滚动条仅在必要时可见。",
+ "scrollbar.horizontal.fit": "水平滚动条将始终隐藏。",
+ "scrollbar.horizontal.visible": "水平滚动条将始终可见。",
+ "scrollbar.horizontalScrollbarSize": "水平滚动条的高度。",
+ "scrollbar.scrollByPage": "控制单击按页滚动还是跳转到单击位置。",
+ "scrollbar.vertical": "控制垂直滚动条的可见性。",
+ "scrollbar.vertical.auto": "垂直滚动条仅在必要时可见。",
+ "scrollbar.vertical.fit": "垂直滚动条将始终隐藏。",
+ "scrollbar.vertical.visible": "垂直滚动条将始终可见。",
+ "scrollbar.verticalScrollbarSize": "垂直滚动条的宽度。",
+ "selectLeadingAndTrailingWhitespace": "是否应始终选择前导和尾随空格。",
+ "selectionClipboard": "控制是否支持 Linux 主剪贴板。",
+ "selectionHighlight": "控制编辑器是否应突出显示与所选内容类似的匹配项。",
+ "showDeprecated": "控制加删除线被弃用的变量。",
+ "showFoldingControls": "控制何时显示行号槽上的折叠控件。",
+ "showFoldingControls.always": "始终显示折叠控件。",
+ "showFoldingControls.mouseover": "仅在鼠标位于装订线上方时显示折叠控件。",
+ "showFoldingControls.never": "切勿显示折叠控件并减小装订线大小。",
+ "showUnused": "控制是否淡化未使用的代码。",
+ "smoothScrolling": "控制编辑器是否使用动画滚动。",
+ "snippetSuggestions": "控制代码片段是否与其他建议一起显示及其排列的位置。",
+ "snippetSuggestions.bottom": "在其他建议下方显示代码片段建议。",
+ "snippetSuggestions.inline": "在其他建议中穿插显示代码片段建议。",
+ "snippetSuggestions.none": "不显示代码片段建议。",
+ "snippetSuggestions.top": "在其他建议上方显示代码片段建议。",
+ "stickyTabStops": "在使用空格进行缩进时模拟制表符的选择行为。所选内容将始终使用制表符停止位。",
+ "suggest.filterGraceful": "控制对建议的筛选和排序是否考虑小的拼写错误。",
+ "suggest.insertMode": "控制接受补全时是否覆盖单词。请注意,这取决于扩展选择使用此功能。",
+ "suggest.insertMode.insert": "插入建议而不覆盖光标右侧的文本。",
+ "suggest.insertMode.replace": "插入建议并覆盖光标右侧的文本。",
+ "suggest.localityBonus": "控制排序时是否首选光标附近的字词。",
+ "suggest.maxVisibleSuggestions.dep": "此设置已弃用。现在可以调整建议小组件的大小。",
+ "suggest.preview": "控制是否在编辑器中预览建议结果。",
+ "suggest.shareSuggestSelections": "控制是否在多个工作区和窗口间共享记忆的建议选项(需要 `#editor.suggestSelection#`)。",
+ "suggest.showIcons": "控制是否在建议中显示或隐藏图标。",
+ "suggest.showInlineDetails": "控制建议详细信息是随标签一起显示还是仅显示在详细信息小组件中",
+ "suggest.showStatusBar": "控制建议小部件底部的状态栏的可见性。",
+ "suggest.snippetsPreventQuickSuggestions": "控制活动代码段是否阻止快速建议。",
+ "suggestFontSize": "建议小组件的字号。设置为 {0} 时,将使用 {1} 的值。",
+ "suggestLineHeight": "建议小组件的行高。设置为 {0} 时,将使用 {1} 的值。最小值为 8。",
+ "suggestOnTriggerCharacters": "控制在键入触发字符后是否自动显示建议。",
+ "suggestSelection": "控制在建议列表中如何预先选择建议。",
+ "suggestSelection.first": "始终选择第一个建议。",
+ "suggestSelection.recentlyUsed": "选择最近的建议,除非进一步键入选择其他项。例如 `console. -> console.log`,因为最近补全过 `log`。",
+ "suggestSelection.recentlyUsedByPrefix": "根据之前补全过的建议的前缀来进行选择。例如,`co -> console`、`con -> const`。",
+ "tabCompletion": "启用 Tab 补全。",
+ "tabCompletion.off": "禁用 Tab 补全。",
+ "tabCompletion.on": "在按下 Tab 键时进行 Tab 补全,将插入最佳匹配建议。",
+ "tabCompletion.onlySnippets": "在前缀匹配时进行 Tab 补全。在 \"quickSuggestions\" 未启用时体验最好。",
+ "unfoldOnClickAfterEndOfLine": "控制单击已折叠的行后面的空内容是否会展开该行。",
+ "unicodeHighlight.allowedCharacters": "定义未突出显示的允许字符。",
+ "unicodeHighlight.allowedLocales": "未突出显示在允许区域设置中常见的 Unicode 字符。",
+ "unicodeHighlight.ambiguousCharacters": "控制是否突出显示可能与基本 ASCII 字符混淆的字符,但当前用户区域设置中常见的字符除外。",
+ "unicodeHighlight.includeComments": "控制注释中的字符是否也应进行 Unicode 突出显示。",
+ "unicodeHighlight.includeStrings": "控制字符串中的字符是否也应进行 unicode 突出显示。",
+ "unicodeHighlight.invisibleCharacters": "控制是否突出显示仅保留空格或完全没有宽度的字符。",
+ "unicodeHighlight.nonBasicASCII": "控制是否突出显示所有非基本 ASCII 字符。只有介于 U+0020 到 U+007E 之间的字符、制表符、换行符和回车符才被视为基本 ASCII。",
+ "unusualLineTerminators": "删除可能导致问题的异常行终止符。",
+ "unusualLineTerminators.auto": "自动删除异常的行终止符。",
+ "unusualLineTerminators.off": "忽略异常的行终止符。",
+ "unusualLineTerminators.prompt": "提示删除异常的行终止符。",
+ "useTabStops": "根据制表位插入和删除空格。",
+ "wordSeparators": "执行单词相关的导航或操作时作为单词分隔符的字符。",
+ "wordWrap": "控制折行的方式。",
+ "wordWrap.bounded": "在视区宽度和 `#editor.wordWrapColumn#` 中的较小值处折行。",
+ "wordWrap.off": "永不换行。",
+ "wordWrap.on": "将在视区宽度处换行。",
+ "wordWrap.wordWrapColumn": "在 `#editor.wordWrapColumn#` 处折行。",
+ "wordWrapColumn": "在 `#editor.wordWrap#` 为 `wordWrapColumn` 或 `bounded` 时,控制编辑器的折行列。",
+ "wrappingIndent": "控制折行的缩进。",
+ "wrappingIndent.deepIndent": "折行的缩进量比其父级多 2。",
+ "wrappingIndent.indent": "折行的缩进量比其父级多 1。",
+ "wrappingIndent.none": "没有缩进。折行从第 1 列开始。",
+ "wrappingIndent.same": "折行的缩进量与其父级相同。",
+ "wrappingStrategy": "控制计算包裹点的算法。",
+ "wrappingStrategy.advanced": "将包装点计算委托给浏览器。这是一个缓慢算法,可能会导致大型文件被冻结,但它在所有情况下都正常工作。",
+ "wrappingStrategy.simple": "假定所有字符的宽度相同。这是一种快速算法,适用于等宽字体和某些字形宽度相等的文字(如拉丁字符)。"
+ },
+ "vs/editor/common/core/editorColorRegistry": {
+ "caret": "编辑器光标颜色。",
+ "deprecatedEditorActiveLineNumber": "\"Id\" 已被弃用,请改用 \"editorLineNumber.activeForeground\"。",
+ "editorActiveIndentGuide": "编辑器活动缩进参考线的颜色。",
+ "editorActiveLineNumber": "编辑器活动行号的颜色",
+ "editorBracketHighlightForeground1": "括号的前景色(1)。需要启用括号对着色。",
+ "editorBracketHighlightForeground2": "括号的前景色(2)。需要启用括号对着色。",
+ "editorBracketHighlightForeground3": "括号的前景色(3)。需要启用括号对着色。",
+ "editorBracketHighlightForeground4": "括号的前景色(4)。需要启用括号对着色。",
+ "editorBracketHighlightForeground5": "括号的前景色(5)。需要启用括号对着色。",
+ "editorBracketHighlightForeground6": "括号的前景色(6)。需要启用括号对着色。",
+ "editorBracketHighlightUnexpectedBracketForeground": "方括号出现意外的前景色。",
+ "editorBracketMatchBackground": "匹配括号的背景色",
+ "editorBracketMatchBorder": "匹配括号外框的颜色",
+ "editorBracketPairGuide.activeBackground1": "活动括号对指南的背景色(1)。需要启用括号对指南。",
+ "editorBracketPairGuide.activeBackground2": "活动括号对指南的背景色(2)。需要启用括号对指南。",
+ "editorBracketPairGuide.activeBackground3": "活动括号对指南的背景色(3)。需要启用括号对指南。",
+ "editorBracketPairGuide.activeBackground4": "活动括号对指南的背景色(4)。需要启用括号对指南。",
+ "editorBracketPairGuide.activeBackground5": "活动括号对指南的背景色(5)。需要启用括号对指南。",
+ "editorBracketPairGuide.activeBackground6": "活动括号对指南的背景色(6)。需要启用括号对指南。",
+ "editorBracketPairGuide.background1": "非活动括号对指南的背景色(1)。需要启用括号对指南。",
+ "editorBracketPairGuide.background2": "非活动括号对指南的背景色(2)。需要启用括号对指南。",
+ "editorBracketPairGuide.background3": "非活动括号对指南的背景色(3)。需要启用括号对指南。",
+ "editorBracketPairGuide.background4": "非活动括号对指南的背景色(4)。需要启用括号对指南。",
+ "editorBracketPairGuide.background5": "非活动括号对指南的背景色(5)。需要启用括号对指南。",
+ "editorBracketPairGuide.background6": "非活动括号对指南的背景色(6)。需要启用括号对指南。",
+ "editorCodeLensForeground": "编辑器 CodeLens 的前景色",
+ "editorCursorBackground": "编辑器光标的背景色。可以自定义块型光标覆盖字符的颜色。",
+ "editorGhostTextBackground": "编辑器中虚影文本的背景色。",
+ "editorGhostTextBorder": "编辑器中虚影文本的边框颜色。",
+ "editorGhostTextForeground": "编辑器中虚影文本的前景色。",
+ "editorGutter": "编辑器导航线的背景色。导航线包括边缘符号和行号。",
+ "editorIndentGuides": "编辑器缩进参考线的颜色。",
+ "editorLineNumbers": "编辑器行号的颜色。",
+ "editorOverviewRulerBackground": "编辑器概述标尺的背景色。仅当缩略图已启用且置于编辑器右侧时才使用。",
+ "editorOverviewRulerBorder": "概览标尺边框的颜色。",
+ "editorRuler": "编辑器标尺的颜色。",
+ "editorUnicodeHighlight.background": "用于突出显示 Unicode 字符的背景颜色。",
+ "editorUnicodeHighlight.border": "用于突出显示 Unicode 字符的边框颜色。",
+ "editorWhitespaces": "编辑器中空白字符的颜色。",
+ "lineHighlight": "光标所在行高亮内容的背景颜色。",
+ "lineHighlightBorderBox": "光标所在行四周边框的背景颜色。",
+ "overviewRuleError": "概览标尺中错误标记的颜色。",
+ "overviewRuleInfo": "概览标尺中信息标记的颜色。",
+ "overviewRuleWarning": "概览标尺中警告标记的颜色。",
+ "overviewRulerRangeHighlight": "用于突出显示范围的概述标尺标记颜色。颜色必须透明,以免隐藏下面的修饰效果。",
+ "rangeHighlight": "背景颜色的高亮范围,喜欢通过快速打开和查找功能。颜色不能不透明,以免隐藏底层装饰。",
+ "rangeHighlightBorder": "高亮区域边框的背景颜色。",
+ "symbolHighlight": "高亮显示符号的背景颜色,例如转到定义或转到下一个/上一个符号。颜色不能是不透明的,以免隐藏底层装饰。",
+ "symbolHighlightBorder": "高亮显示符号周围的边框的背景颜色。",
+ "unnecessaryCodeBorder": "编辑器中不必要(未使用)的源代码的边框颜色。",
+ "unnecessaryCodeOpacity": "非必须(未使用)代码的在编辑器中显示的不透明度。例如,\"#000000c0\" 将以 75% 的不透明度显示代码。对于高对比度主题,请使用 ”editorUnnecessaryCode.border“ 主题来为非必须代码添加下划线,以避免颜色淡化。"
+ },
+ "vs/editor/common/editorContextKeys": {
+ "editorColumnSelection": "是否已启用 \"editor.columnSelection\"",
+ "editorFocus": "编辑器或编辑器小组件是否具有焦点(例如焦点在“查找”小组件中)",
+ "editorHasCodeActionsProvider": "编辑器是否具有代码操作提供程序",
+ "editorHasCodeLensProvider": "编辑器是否具有 CodeLens 提供程序",
+ "editorHasCompletionItemProvider": "编辑器是否具有补全项提供程序",
+ "editorHasDeclarationProvider": "编辑器是否具有声明提供程序",
+ "editorHasDefinitionProvider": "编辑器是否具有定义提供程序",
+ "editorHasDocumentFormattingProvider": "编辑器是否具有文档格式设置提供程序",
+ "editorHasDocumentHighlightProvider": "编辑器是否具有文档突出显示提供程序",
+ "editorHasDocumentSelectionFormattingProvider": "编辑器是否具有文档选择格式设置提供程序",
+ "editorHasDocumentSymbolProvider": "编辑器是否具有文档符号提供程序",
+ "editorHasHoverProvider": "编辑器是否具有悬停提供程序",
+ "editorHasImplementationProvider": "编辑器是否具有实现提供程序",
+ "editorHasInlayHintsProvider": "编辑器是否具有内联提示提供程序",
+ "editorHasMultipleDocumentFormattingProvider": "编辑器是否具有多个文档格式设置提供程序",
+ "editorHasMultipleDocumentSelectionFormattingProvider": "编辑器是否有多个文档选择格式设置提供程序",
+ "editorHasMultipleSelections": "编辑器是否有多个选择",
+ "editorHasReferenceProvider": "编辑器是否具有引用提供程序",
+ "editorHasRenameProvider": "编辑器是否具有重命名提供程序",
+ "editorHasSelection": "编辑器是否已选定文本",
+ "editorHasSignatureHelpProvider": "编辑器是否具有签名帮助提供程序",
+ "editorHasTypeDefinitionProvider": "编辑器是否具有类型定义提供程序",
+ "editorHoverVisible": "编辑器软键盘是否可见",
+ "editorLangId": "编辑器的语言标识符",
+ "editorReadonly": "编辑器是否为只读",
+ "editorTabMovesFocus": "\"Tab\" 是否将焦点移出编辑器",
+ "editorTextFocus": "编辑器文本是否具有焦点(光标是否闪烁)",
+ "inCompositeEditor": "该编辑器是否是更大的编辑器(例如笔记本)的一部分",
+ "inDiffEditor": "上下文是否为差异编辑器",
+ "textInputFocus": "编辑器或 RTF 输入是否有焦点(光标是否闪烁)"
+ },
+ "vs/editor/common/languages/modesRegistry": {
+ "plainText.alias": "纯文本"
+ },
+ "vs/editor/common/model/editStack": {
+ "edit": "输入"
+ },
+ "vs/editor/common/standaloneStrings": {
+ "accessibilityHelpMessage": "按 Alt+F1 可打开辅助功能选项。",
+ "auto_off": "编辑器被配置为永远不进行优化以配合屏幕读取器的使用, 而当前不是这种情况。",
+ "auto_on": "配置编辑器,将其进行优化以最好地配合屏幕读取器的使用。",
+ "bulkEditServiceSummary": "在 {1} 个文件中进行了 {0} 次编辑",
+ "changeConfigToOnMac": "若要配置编辑器,将其进行优化以最好地配合屏幕阅读器的使用,请立即按 Command+E。",
+ "changeConfigToOnWinLinux": "若要配置编辑器,将其进行优化以最高效地配合屏幕阅读器的使用,按下 Ctrl+E。",
+ "editableDiffEditor": "在一个差异编辑器的窗格中。",
+ "editableEditor": "在代码编辑器中",
+ "editorViewAccessibleLabel": "编辑器内容",
+ "emergencyConfOn": "现在将 \"辅助功能支持\" 设置更改为 \"打开\"。",
+ "gotoLineActionLabel": "转到行/列...",
+ "helpQuickAccess": "显示所有快速访问提供程序",
+ "inspectTokens": "开发人员: 检查令牌",
+ "multiSelection": "{0} 选择",
+ "multiSelectionRange": "{0} 选择(已选择 {1} 个字符)",
+ "noSelection": "无选择",
+ "openDocMac": "现在按 Command+H 打开一个浏览器窗口, 其中包含有关编辑器辅助功能的详细信息。",
+ "openDocWinLinux": "现在按 Ctrl+H 打开一个浏览器窗口, 其中包含有关编辑器辅助功能的更多信息。",
+ "openingDocs": "现在正在打开“编辑器辅助功能”文档页。",
+ "outroMsg": "你可以按 Esc 或 Shift+Esc 消除此工具提示并返回到编辑器。",
+ "quickCommandActionHelp": "显示并运行命令",
+ "quickCommandActionLabel": "命令面板",
+ "quickOutlineActionLabel": "转到符号...",
+ "quickOutlineByCategoryActionLabel": "按类别转到符号...",
+ "readonlyDiffEditor": "在差异编辑器的只读窗格中。",
+ "readonlyEditor": "在只读代码编辑器中",
+ "showAccessibilityHelpAction": "显示辅助功能帮助",
+ "singleSelection": "行 {0}, 列 {1}",
+ "singleSelectionRange": "行 {0}, 列 {1} (选中 {2})",
+ "tabFocusModeOffMsg": "在当前编辑器中按 Tab 将插入制表符。通过按 {0} 切换此行为。",
+ "tabFocusModeOffMsgNoKb": "在当前编辑器中按 Tab 会插入制表符。当前无法通过键绑定触发命令 {0}。",
+ "tabFocusModeOnMsg": "在当前编辑器中按 Tab 会将焦点移动到下一个可聚焦的元素。通过按 {0} 切换此行为。",
+ "tabFocusModeOnMsgNoKb": "在当前编辑器中按 Tab 会将焦点移动到下一个可聚焦的元素。当前无法通过按键绑定触发命令 {0}。",
+ "toggleHighContrast": "切换高对比度主题"
+ },
+ "vs/editor/contrib/anchorSelect/browser/anchorSelect": {
+ "anchorSet": "定位点设置为 {0}:{1}",
+ "cancelSelectionAnchor": "取消选择定位点",
+ "goToSelectionAnchor": "转到选择定位点",
+ "selectFromAnchorToCursor": "选择从定位点到光标",
+ "selectionAnchor": "选择定位点",
+ "setSelectionAnchor": "设置选择定位点"
+ },
+ "vs/editor/contrib/bracketMatching/browser/bracketMatching": {
+ "miGoToBracket": "转到括号(&&B)",
+ "overviewRulerBracketMatchForeground": "概览标尺上表示匹配括号的标记颜色。",
+ "smartSelect.jumpBracket": "转到括号",
+ "smartSelect.selectToBracket": "选择括号所有内容"
+ },
+ "vs/editor/contrib/caretOperations/browser/caretOperations": {
+ "caret.moveLeft": "向左移动所选文本",
+ "caret.moveRight": "向右移动所选文本"
+ },
+ "vs/editor/contrib/caretOperations/browser/transpose": {
+ "transposeLetters.label": "转置字母"
+ },
+ "vs/editor/contrib/clipboard/browser/clipboard": {
+ "actions.clipboard.copyLabel": "复制",
+ "actions.clipboard.copyWithSyntaxHighlightingLabel": "复制并突出显示语法",
+ "actions.clipboard.cutLabel": "剪切",
+ "actions.clipboard.pasteLabel": "粘贴",
+ "copy as": "复制为",
+ "miCopy": "复制(&&C)",
+ "miCut": "剪切(&&T)",
+ "miPaste": "粘贴(&&P)",
+ "share": "共享"
+ },
+ "vs/editor/contrib/codeAction/browser/codeActionCommands": {
+ "applyCodeActionFailed": "应用代码操作时发生未知错误",
+ "args.schema.apply": "控制何时应用返回的操作。",
+ "args.schema.apply.first": "始终应用第一个返回的代码操作。",
+ "args.schema.apply.ifSingle": "如果仅返回的第一个代码操作,则应用该操作。",
+ "args.schema.apply.never": "不要应用返回的代码操作。",
+ "args.schema.kind": "要运行的代码操作的种类。",
+ "args.schema.preferred": "如果只应返回首选代码操作,则应返回控件。",
+ "autoFix.label": "自动修复...",
+ "editor.action.autoFix.noneMessage": "没有可用的自动修复程序",
+ "editor.action.codeAction.noneMessage": "没有可用的代码操作",
+ "editor.action.codeAction.noneMessage.kind": "没有适用于\"{0}\"的代码操作",
+ "editor.action.codeAction.noneMessage.preferred": "没有可用的首选代码操作",
+ "editor.action.codeAction.noneMessage.preferred.kind": "没有适用于\"{0}\"的首选代码操作",
+ "editor.action.organize.noneMessage": "没有可用的整理 import 语句操作",
+ "editor.action.quickFix.noneMessage": "没有可用的代码操作",
+ "editor.action.refactor.noneMessage": "没有可用的重构操作",
+ "editor.action.refactor.noneMessage.kind": "没有可用的\"{0}\"重构",
+ "editor.action.refactor.noneMessage.preferred": "没有可用的首选重构",
+ "editor.action.refactor.noneMessage.preferred.kind": "没有适用于\"{0}\"的首选重构",
+ "editor.action.source.noneMessage": "没有可用的源代码操作",
+ "editor.action.source.noneMessage.kind": "没有适用于“ {0}”的源操作",
+ "editor.action.source.noneMessage.preferred": "没有可用的首选源操作",
+ "editor.action.source.noneMessage.preferred.kind": "没有适用于\"{0}\"的首选源操作",
+ "fixAll.label": "全部修复",
+ "fixAll.noneMessage": "没有可用的“全部修复”操作",
+ "organizeImports.label": "整理 import 语句",
+ "quickfix.trigger.label": "快速修复...",
+ "refactor.label": "重构...",
+ "refactor.preview.label": "使用预览重构...",
+ "source.label": "源代码操作..."
+ },
+ "vs/editor/contrib/codeAction/browser/codeActionMenu": {
+ "CodeActionMenuVisible": "代码操作列表小组件是否可见",
+ "label": "按 {0} 以重构,按 {1} 以预览"
+ },
+ "vs/editor/contrib/codeAction/browser/codeActionWidgetContribution": {
+ "codeActionWidget": "启用此选项可调整代码操作菜单的呈现方式。"
+ },
+ "vs/editor/contrib/codeAction/browser/lightBulbWidget": {
+ "codeAction": "显示代码操作",
+ "codeActionWithKb": "显示代码操作({0})",
+ "preferredcodeActionWithKb": "显示代码操作。首选可用的快速修复({0})"
+ },
+ "vs/editor/contrib/codelens/browser/codelensController": {
+ "showLensOnLine": "显示当前行的 Code Lens 命令"
+ },
+ "vs/editor/contrib/colorPicker/browser/colorPickerWidget": {
+ "clickToToggleColorOptions": "单击以切换颜色选项 (rgb/hsl/hex)"
+ },
+ "vs/editor/contrib/comment/browser/comment": {
+ "comment.block": "切换块注释",
+ "comment.line": "切换行注释",
+ "comment.line.add": "添加行注释",
+ "comment.line.remove": "删除行注释",
+ "miToggleBlockComment": "切换块注释(&&B)",
+ "miToggleLineComment": "切换行注释(&&T)"
+ },
+ "vs/editor/contrib/contextmenu/browser/contextmenu": {
+ "action.showContextMenu.label": "显示编辑器上下文菜单",
+ "context.minimap.minimap": "缩略图",
+ "context.minimap.renderCharacters": "呈现字符",
+ "context.minimap.size": "垂直大小",
+ "context.minimap.size.fill": "填充",
+ "context.minimap.size.fit": "适应",
+ "context.minimap.size.proportional": "成比例",
+ "context.minimap.slider": "滑块",
+ "context.minimap.slider.always": "始终",
+ "context.minimap.slider.mouseover": "鼠标悬停"
+ },
+ "vs/editor/contrib/copyPaste/browser/copyPasteContribution": {
+ "pasteActions": "启用/禁用粘贴时从扩展运行编辑。"
+ },
+ "vs/editor/contrib/cursorUndo/browser/cursorUndo": {
+ "cursor.redo": "光标重做",
+ "cursor.undo": "光标撤消"
+ },
+ "vs/editor/contrib/dropIntoEditor/browser/dropIntoEditorContribution": {
+ "dropProgressTitle": "正在运行放置处理程序..."
+ },
+ "vs/editor/contrib/editorState/browser/keybindingCancellation": {
+ "cancellableOperation": "编辑器是否运行可取消的操作,例如“预览引用”"
+ },
+ "vs/editor/contrib/find/browser/findController": {
+ "actions.find.isRegexOverride": "重写“使用正则表达式”标记。\r\n将不会保留该标记供将来使用。\r\n0: 不执行任何操作\r\n1: True\r\n2: False",
+ "actions.find.matchCaseOverride": "重写“数学案例”标记。\r\n将不会保留该标记供将来使用。\r\n0: 不执行任何操作\r\n1: True\r\n2: False",
+ "actions.find.preserveCaseOverride": "重写“保留服务案例”标记。\r\n将不会保留该标记供将来使用。\r\n0: 不执行任何操作\r\n1: True\r\n2: False",
+ "actions.find.wholeWordOverride": "重写“匹配整个字词”标记。\r\n将不会保留该标记供将来使用。\r\n0: 不执行任何操作\r\n1: True\r\n2: False",
+ "findNextMatchAction": "查找下一个",
+ "findPreviousMatchAction": "查找上一个",
+ "miFind": "查找(&&F)",
+ "miReplace": "替换(&&R)",
+ "nextSelectionMatchFindAction": "查找下一个选择",
+ "previousSelectionMatchFindAction": "查找上一个选择",
+ "startFindAction": "查找",
+ "startFindWithArgsAction": "使用参数查找",
+ "startFindWithSelectionAction": "查找选定内容",
+ "startReplace": "替换"
+ },
+ "vs/editor/contrib/find/browser/findWidget": {
+ "ariaSearchNoResult": "为“{1}”找到 {0}",
+ "ariaSearchNoResultEmpty": "找到 {0}",
+ "ariaSearchNoResultWithLineNum": "在 {2} 处找到“{1}”的 {0}",
+ "ariaSearchNoResultWithLineNumNoCurrentMatch": "为“{1}”找到 {0}",
+ "ctrlEnter.keybindingChanged": "Ctrl+Enter 现在由全部替换改为插入换行。你可以修改editor.action.replaceAll 的按键绑定以覆盖此行为。",
+ "findCollapsedIcon": "用于指示编辑器查找小组件已折叠的图标。",
+ "findExpandedIcon": "用于指示编辑器查找小组件已展开的图标。",
+ "findNextMatchIcon": "编辑器查找小组件中的“查找下一个”图标。",
+ "findPreviousMatchIcon": "编辑器查找小组件中的“查找上一个”图标。",
+ "findReplaceAllIcon": "编辑器查找小组件中的“全部替换”图标。",
+ "findReplaceIcon": "编辑器查找小组件中的“替换”图标。",
+ "findSelectionIcon": "编辑器查找小组件中的“在选定内容中查找”图标。",
+ "label.closeButton": "关闭",
+ "label.find": "查找",
+ "label.matchesLocation": "第 {0} 项,共 {1} 项",
+ "label.nextMatchButton": "下一个匹配项",
+ "label.noResults": "无结果",
+ "label.previousMatchButton": "上一个匹配项",
+ "label.replace": "替换",
+ "label.replaceAllButton": "全部替换",
+ "label.replaceButton": "替换",
+ "label.toggleReplaceButton": "切换替换",
+ "label.toggleSelectionFind": "在选定内容中查找",
+ "placeholder.find": "查找",
+ "placeholder.replace": "替换",
+ "title.matchesCountLimit": "仅高亮了前 {0} 个结果,但所有查找操作均针对全文。"
+ },
+ "vs/editor/contrib/folding/browser/folding": {
+ "createManualFoldRange.label": "根据所选内容创建手动折叠范围",
+ "editorGutter.foldingControlForeground": "编辑器装订线中折叠控件的颜色。",
+ "foldAction.label": "折叠",
+ "foldAllAction.label": "全部折叠",
+ "foldAllBlockComments.label": "折叠所有块注释",
+ "foldAllExcept.label": "折叠除所选区域之外的所有区域",
+ "foldAllMarkerRegions.label": "折叠所有区域",
+ "foldBackgroundBackground": "折叠范围后面的背景颜色。颜色必须设为透明,以免隐藏底层装饰。",
+ "foldLevelAction.label": "折叠级别 {0}",
+ "foldRecursivelyAction.label": "以递归方式折叠",
+ "gotoNextFold.label": "转到下一个折叠范围",
+ "gotoParentFold.label": "跳转到父级折叠",
+ "gotoPreviousFold.label": "转到上一个折叠范围",
+ "maximum fold ranges": "可折叠区域的数量限制为最多 {0} 个。增加配置选项[“最大折叠区域数”](command:workbench.action.openSettings?[\"editor.foldingMaximumRegions\"])以启用更多功能。",
+ "removeManualFoldingRanges.label": "删除手动折叠范围",
+ "toggleFoldAction.label": "切换折叠",
+ "unFoldRecursivelyAction.label": "以递归方式展开",
+ "unfoldAction.label": "展开",
+ "unfoldAllAction.label": "全部展开",
+ "unfoldAllExcept.label": "展开除所选区域之外的所有区域",
+ "unfoldAllMarkerRegions.label": "展开所有区域"
+ },
+ "vs/editor/contrib/folding/browser/foldingDecorations": {
+ "foldingCollapsedIcon": "编辑器字形边距中已折叠的范围的图标。",
+ "foldingExpandedIcon": "编辑器字形边距中已展开的范围的图标。",
+ "foldingManualCollapedIcon": "编辑器字形边距中手动折叠的范围的图标。",
+ "foldingManualExpandedIcon": "编辑器字形边距中手动展开的范围的图标。"
+ },
+ "vs/editor/contrib/fontZoom/browser/fontZoom": {
+ "EditorFontZoomIn.label": "放大编辑器字体",
+ "EditorFontZoomOut.label": "缩小编辑器字体",
+ "EditorFontZoomReset.label": "重置编辑器字体大小"
+ },
+ "vs/editor/contrib/format/browser/format": {
+ "hint11": "在第 {0} 行进行了 1 次格式编辑",
+ "hint1n": "第 {0} 行到第 {1} 行间进行了 1 次格式编辑",
+ "hintn1": "在第 {1} 行进行了 {0} 次格式编辑",
+ "hintnn": "第 {1} 行到第 {2} 行间进行了 {0} 次格式编辑"
+ },
+ "vs/editor/contrib/format/browser/formatActions": {
+ "formatDocument.label": "格式化文档",
+ "formatSelection.label": "格式化选定内容"
+ },
+ "vs/editor/contrib/gotoError/browser/gotoError": {
+ "markerAction.next.label": "转到下一个问题 (错误、警告、信息)",
+ "markerAction.nextInFiles.label": "转到文件中的下一个问题 (错误、警告、信息)",
+ "markerAction.previous.label": "转到上一个问题 (错误、警告、信息)",
+ "markerAction.previousInFiles.label": "转到文件中的上一个问题 (错误、警告、信息)",
+ "miGotoNextProblem": "下一个问题(&&P)",
+ "miGotoPreviousProblem": "上一个问题(&&P)",
+ "nextMarkerIcon": "“转到下一个”标记的图标。",
+ "previousMarkerIcon": "“转到上一个”标记的图标。"
+ },
+ "vs/editor/contrib/gotoError/browser/gotoErrorWidget": {
+ "Error": "错误",
+ "Hint": "提示",
+ "Info": "信息",
+ "Warning": "警告",
+ "change": "{0} 个问题(共 {1} 个)",
+ "editorMarkerNavigationBackground": "编辑器标记导航小组件背景色。",
+ "editorMarkerNavigationError": "编辑器标记导航小组件错误颜色。",
+ "editorMarkerNavigationErrorHeaderBackground": "编辑器标记导航小组件错误标题背景色。",
+ "editorMarkerNavigationInfo": "编辑器标记导航小组件信息颜色。",
+ "editorMarkerNavigationInfoHeaderBackground": "编辑器标记导航小组件信息标题背景色。",
+ "editorMarkerNavigationWarning": "编辑器标记导航小组件警告颜色。",
+ "editorMarkerNavigationWarningBackground": "编辑器标记导航小组件警告标题背景色。",
+ "marker aria": "{1} 中的 {0}",
+ "problems": "{0} 个问题(共 {1} 个)"
+ },
+ "vs/editor/contrib/gotoSymbol/browser/goToCommands": {
+ "actions.goToDecl.label": "转到定义",
+ "actions.goToDeclToSide.label": "打开侧边的定义",
+ "actions.goToDeclaration.label": "转到声明",
+ "actions.goToImplementation.label": "转到实现",
+ "actions.goToTypeDefinition.label": "转到类型定义",
+ "actions.peekDecl.label": "查看声明",
+ "actions.peekImplementation.label": "查看实现",
+ "actions.peekTypeDefinition.label": "快速查看类型定义",
+ "actions.previewDecl.label": "速览定义",
+ "decl.generic.noResults": "未找到声明",
+ "decl.noResultWord": "未找到“{0}”的声明",
+ "decl.title": "声明",
+ "def.title": "定义",
+ "generic.noResult": "无“{0}”的结果",
+ "generic.noResults": "找不到定义",
+ "generic.title": "位置",
+ "goToImplementation.generic.noResults": "未找到实现",
+ "goToImplementation.noResultWord": "未找到“{0}”的实现",
+ "goToReferences.label": "转到引用",
+ "goToTypeDefinition.generic.noResults": "未找到类型定义",
+ "goToTypeDefinition.noResultWord": "未找到“{0}”的类型定义",
+ "impl.title": "实现",
+ "label.generic": "转到任何符号",
+ "miGotoDeclaration": "转到声明(&&D)",
+ "miGotoDefinition": "转到定义(&&D)",
+ "miGotoImplementation": "转到实现(&&I)",
+ "miGotoReference": "转到引用(&&R)",
+ "miGotoTypeDefinition": "转到类型定义(&&T)",
+ "noResultWord": "未找到“{0}”的任何定义",
+ "peek.submenu": "快速查看",
+ "ref.title": "引用",
+ "references.action.label": "查看引用",
+ "references.no": "未找到\"{0}\"的引用",
+ "references.noGeneric": "未找到引用",
+ "typedef.title": "类型定义"
+ },
+ "vs/editor/contrib/gotoSymbol/browser/link/goToDefinitionAtPosition": {
+ "multipleResults": "单击显示 {0} 个定义。"
+ },
+ "vs/editor/contrib/gotoSymbol/browser/peek/referencesController": {
+ "labelLoading": "正在加载...",
+ "metaTitle.N": "{0} ({1})",
+ "referenceSearchVisible": "引用速览是否可见,例如“速览引用”或“速览定义”"
+ },
+ "vs/editor/contrib/gotoSymbol/browser/peek/referencesTree": {
+ "referenceCount": "{0} 个引用",
+ "referencesCount": "{0} 个引用",
+ "treeAriaLabel": "引用"
+ },
+ "vs/editor/contrib/gotoSymbol/browser/peek/referencesWidget": {
+ "missingPreviewMessage": "无可用预览",
+ "noResults": "无结果",
+ "peekView.alternateTitle": "引用"
+ },
+ "vs/editor/contrib/gotoSymbol/browser/referencesModel": {
+ "aria.fileReferences.1": "{0} 中有 1 个符号,完整路径: {1}",
+ "aria.fileReferences.N": "{1} 中有 {0} 个符号,完整路径: {2}",
+ "aria.oneReference": "在文件 {0} 的 {1} 行 {2} 列的符号",
+ "aria.oneReference.preview": "{0} 中 {1} 行 {2} 列的符号,{3}",
+ "aria.result.0": "未找到结果",
+ "aria.result.1": "在 {0} 中找到 1 个符号",
+ "aria.result.n1": "在 {1} 中找到 {0} 个符号",
+ "aria.result.nm": "在 {1} 个文件中找到 {0} 个符号"
+ },
+ "vs/editor/contrib/gotoSymbol/browser/symbolNavigation": {
+ "hasSymbols": "是否存在只能通过键盘导航的符号位置。",
+ "location": "{1} 的符号 {0}",
+ "location.kb": "{1} 的符号 {0},下一个使用 {2}"
+ },
+ "vs/editor/contrib/hover/browser/hover": {
+ "showDefinitionPreviewHover": "显示定义预览悬停",
+ "showHover": "显示悬停"
+ },
+ "vs/editor/contrib/hover/browser/markdownHoverParticipant": {
+ "modesContentHover.loading": "正在加载...",
+ "too many characters": "出于性能原因,未对长行进行解析。解析长度阈值可通过“editor.maxTokenizationLineLength”进行配置。"
+ },
+ "vs/editor/contrib/hover/browser/markerHoverParticipant": {
+ "checkingForQuickFixes": "正在检查快速修复...",
+ "noQuickFixes": "没有可用的快速修复",
+ "quick fixes": "快速修复...",
+ "view problem": "查看问题"
+ },
+ "vs/editor/contrib/inPlaceReplace/browser/inPlaceReplace": {
+ "InPlaceReplaceAction.next.label": "替换为下一个值",
+ "InPlaceReplaceAction.previous.label": "替换为上一个值"
+ },
+ "vs/editor/contrib/indentation/browser/indentation": {
+ "configuredTabSize": "已配置制表符大小",
+ "detectIndentation": "从内容中检测缩进方式",
+ "editor.reindentlines": "重新缩进行",
+ "editor.reindentselectedlines": "重新缩进所选行",
+ "indentUsingSpaces": "使用空格缩进",
+ "indentUsingTabs": "使用 \"Tab\" 缩进",
+ "indentationToSpaces": "将缩进转换为空格",
+ "indentationToTabs": "将缩进转换为制表符",
+ "selectTabWidth": "选择当前文件的制表符大小"
+ },
+ "vs/editor/contrib/inlayHints/browser/inlayHintsHover": {
+ "hint.cmd": "执行命令",
+ "hint.dbl": "双击以插入",
+ "hint.def": "转到定义({0})",
+ "hint.defAndCommand": "转到定义 ({0}),点击右键以查看详细信息",
+ "links.navigate.kb.alt": "alt + 点击",
+ "links.navigate.kb.alt.mac": "option + 点击",
+ "links.navigate.kb.meta": "ctrl + 点击",
+ "links.navigate.kb.meta.mac": "cmd + 点击"
+ },
+ "vs/editor/contrib/inlineCompletions/browser/ghostTextController": {
+ "action.inlineSuggest.showNext": "显示下一个内联建议",
+ "action.inlineSuggest.showPrevious": "显示上一个内联建议",
+ "action.inlineSuggest.trigger": "触发内联建议",
+ "inlineSuggestionHasIndentation": "内联建议是否以空白开头",
+ "inlineSuggestionHasIndentationLessThanTabSize": "内联建议是否以小于选项卡插入内容的空格开头",
+ "inlineSuggestionVisible": "内联建议是否可见"
+ },
+ "vs/editor/contrib/inlineCompletions/browser/ghostTextHoverParticipant": {
+ "acceptInlineSuggestion": "接受",
+ "inlineSuggestionFollows": "建议:",
+ "showNextInlineSuggestion": "下一个",
+ "showPreviousInlineSuggestion": "上一个"
+ },
+ "vs/editor/contrib/lineSelection/browser/lineSelection": {
+ "expandLineSelection": "展开行选择"
+ },
+ "vs/editor/contrib/linesOperations/browser/linesOperations": {
+ "duplicateSelection": "重复选择",
+ "editor.transformToKebabcase": "转换为 Kebab 案例",
+ "editor.transformToLowercase": "转换为小写",
+ "editor.transformToSnakecase": "转换为蛇形命名法",
+ "editor.transformToTitlecase": "转换为词首字母大写",
+ "editor.transformToUppercase": "转换为大写",
+ "editor.transpose": "转置光标处的字符",
+ "lines.copyDown": "向下复制行",
+ "lines.copyUp": "向上复制行",
+ "lines.delete": "删除行",
+ "lines.deleteAllLeft": "删除左侧所有内容",
+ "lines.deleteAllRight": "删除右侧所有内容",
+ "lines.deleteDuplicates": "删除重复行",
+ "lines.indent": "行缩进",
+ "lines.insertAfter": "在下面插入行",
+ "lines.insertBefore": "在上面插入行",
+ "lines.joinLines": "合并行",
+ "lines.moveDown": "向下移动行",
+ "lines.moveUp": "向上移动行",
+ "lines.outdent": "行减少缩进",
+ "lines.sortAscending": "按升序排列行",
+ "lines.sortDescending": "按降序排列行",
+ "lines.trimTrailingWhitespace": "裁剪尾随空格",
+ "miCopyLinesDown": "向下复制一行(&&P)",
+ "miCopyLinesUp": "向上复制一行(&&C)",
+ "miDuplicateSelection": "重复选择(&&D)",
+ "miMoveLinesDown": "向下移动一行(&&L)",
+ "miMoveLinesUp": "向上移动一行(&&V)"
+ },
+ "vs/editor/contrib/linkedEditing/browser/linkedEditing": {
+ "editorLinkedEditingBackground": "编辑器根据类型自动重命名时的背景色。",
+ "linkedEditing.label": "启动链接编辑"
+ },
+ "vs/editor/contrib/links/browser/links": {
+ "invalid.url": "此链接格式不正确,无法打开: {0}",
+ "label": "打开链接",
+ "links.navigate.executeCmd": "执行命令",
+ "links.navigate.follow": "打开链接",
+ "links.navigate.kb.alt": "alt + 单击",
+ "links.navigate.kb.alt.mac": "option + 单击",
+ "links.navigate.kb.meta": "ctrl + 单击",
+ "links.navigate.kb.meta.mac": "cmd + 单击",
+ "missing.url": "此链接目标已丢失,无法打开。",
+ "tooltip.explanation": "执行命令 {0}"
+ },
+ "vs/editor/contrib/message/browser/messageController": {
+ "messageVisible": "编辑器当前是否正在显示内联消息"
+ },
+ "vs/editor/contrib/multicursor/browser/multicursor": {
+ "addSelectionToNextFindMatch": "将下一个查找匹配项添加到选择",
+ "addSelectionToPreviousFindMatch": "将选择内容添加到上一查找匹配项",
+ "changeAll.label": "更改所有匹配项",
+ "cursorAdded": "添加的光标: {0}",
+ "cursorsAdded": "添加的游标: {0}",
+ "miAddSelectionToNextFindMatch": "添加下一个匹配项(&&N)",
+ "miAddSelectionToPreviousFindMatch": "添加上一个匹配项(&&R)",
+ "miInsertCursorAbove": "在上面添加光标(&&A)",
+ "miInsertCursorAtEndOfEachLineSelected": "在行尾添加光标(&&U)",
+ "miInsertCursorBelow": "在下面添加光标(&&D)",
+ "miSelectHighlights": "选择所有匹配项(&&O)",
+ "moveSelectionToNextFindMatch": "将上次选择移动到下一个查找匹配项",
+ "moveSelectionToPreviousFindMatch": "将上个选择内容移动到上一查找匹配项",
+ "mutlicursor.addCursorsToBottom": "在底部添加光标",
+ "mutlicursor.addCursorsToTop": "在顶部添加光标",
+ "mutlicursor.focusNextCursor": "聚焦下一个光标",
+ "mutlicursor.focusNextCursor.description": "聚焦下一个光标",
+ "mutlicursor.focusPreviousCursor": "聚焦上一个光标",
+ "mutlicursor.focusPreviousCursor.description": "聚焦上一个光标",
+ "mutlicursor.insertAbove": "在上面添加光标",
+ "mutlicursor.insertAtEndOfEachLineSelected": "在行尾添加光标",
+ "mutlicursor.insertBelow": "在下面添加光标",
+ "selectAllOccurrencesOfFindMatch": "选择所有找到的查找匹配项"
+ },
+ "vs/editor/contrib/parameterHints/browser/parameterHints": {
+ "parameterHints.trigger.label": "触发参数提示"
+ },
+ "vs/editor/contrib/parameterHints/browser/parameterHintsWidget": {
+ "editorHoverWidgetHighlightForeground": "参数提示中活动项的前景色。",
+ "hint": "{0},提示",
+ "parameterHintsNextIcon": "“显示下一个参数”提示的图标。",
+ "parameterHintsPreviousIcon": "“显示上一个参数”提示的图标。"
+ },
+ "vs/editor/contrib/peekView/browser/peekView": {
+ "inReferenceSearchEditor": "速览中是否嵌入了当前代码编辑器",
+ "label.close": "关闭",
+ "peekViewBorder": "速览视图边框和箭头颜色。",
+ "peekViewEditorBackground": "速览视图编辑器背景色。",
+ "peekViewEditorGutterBackground": "速览视图编辑器中装订线的背景色。",
+ "peekViewEditorMatchHighlight": "在速览视图编辑器中匹配突出显示颜色。",
+ "peekViewEditorMatchHighlightBorder": "在速览视图编辑器中匹配项的突出显示边框。",
+ "peekViewResultsBackground": "速览视图结果列表背景色。",
+ "peekViewResultsFileForeground": "速览视图结果列表中文件节点的前景色。",
+ "peekViewResultsMatchForeground": "速览视图结果列表中行节点的前景色。",
+ "peekViewResultsMatchHighlight": "在速览视图结果列表中匹配突出显示颜色。",
+ "peekViewResultsSelectionBackground": "速览视图结果列表中所选条目的背景色。",
+ "peekViewResultsSelectionForeground": "速览视图结果列表中所选条目的前景色。",
+ "peekViewTitleBackground": "速览视图标题区域背景颜色。",
+ "peekViewTitleForeground": "速览视图标题颜色。",
+ "peekViewTitleInfoForeground": "速览视图标题信息颜色。"
+ },
+ "vs/editor/contrib/quickAccess/browser/gotoLineQuickAccess": {
+ "cannotRunGotoLine": "先打开文本编辑器然后跳转到行。",
+ "gotoLineColumnLabel": "转到第 {0} 行第 {1} 个字符。",
+ "gotoLineLabel": "转到行 {0}。",
+ "gotoLineLabelEmpty": "当前行: {0},字符: {1}。 键入要导航到的行号。",
+ "gotoLineLabelEmptyWithLimit": "当前行: {0},字符: {1}。键入要导航到的行号(介于 1 至 {2} 之间)。"
+ },
+ "vs/editor/contrib/quickAccess/browser/gotoSymbolQuickAccess": {
+ "_constructor": "构造函数 ({0})",
+ "array": "数组({0})",
+ "boolean": "布尔值({0})",
+ "cannotRunGotoSymbolWithoutEditor": "要转到符号,首先打开具有符号信息的文本编辑器。",
+ "cannotRunGotoSymbolWithoutSymbolProvider": "活动文本编辑器不提供符号信息。",
+ "class": "类({0})",
+ "constant": "常量({0})",
+ "enum": "枚举({0})",
+ "enumMember": "枚举成员({0})",
+ "event": "事件({0})",
+ "field": "字段({0})",
+ "file": "文件({0})",
+ "function": "函数({0})",
+ "interface": "接口({0})",
+ "key": "键({0})",
+ "method": "方法({0})",
+ "modules": "模块({0})",
+ "namespace": "命名空间({0})",
+ "noMatchingSymbolResults": "没有匹配的编辑器符号",
+ "noSymbolResults": "没有编辑器符号",
+ "number": "数字({0})",
+ "object": "对象({0})",
+ "openToBottom": "在底部打开",
+ "openToSide": "在侧边打开",
+ "operator": "运算符({0})",
+ "package": "包({0})",
+ "property": "属性({0})",
+ "string": "字符串({0})",
+ "struct": "结构({0})",
+ "symbols": "符号({0})",
+ "typeParameter": "类型参数({0})",
+ "variable": "变量({0})"
+ },
+ "vs/editor/contrib/readOnlyMessage/browser/contribution": {
+ "editor.readonly": "无法在只读编辑器中编辑",
+ "editor.simple.readonly": "无法在只读输入中编辑"
+ },
+ "vs/editor/contrib/rename/browser/rename": {
+ "aria": "成功将“{0}”重命名为“{1}”。摘要: {2}",
+ "enablePreview": "启用/禁用重命名之前预览更改的功能",
+ "label": "正在将“{0}”重命名为“{1}”",
+ "no result": "无结果。",
+ "quotableLabel": "将 {0} 重命名为 {1}",
+ "rename.failed": "重命名无法计算修改",
+ "rename.failedApply": "重命名无法应用修改",
+ "rename.label": "重命名符号",
+ "resolveRenameLocationFailed": "解析重命名位置时发生未知错误"
+ },
+ "vs/editor/contrib/rename/browser/renameInputField": {
+ "label": "按 {0} 进行重命名,按 {1} 进行预览",
+ "renameAriaLabel": "重命名输入。键入新名称并按 \"Enter\" 提交。",
+ "renameInputVisible": "重命名输入小组件是否可见"
+ },
+ "vs/editor/contrib/smartSelect/browser/smartSelect": {
+ "miSmartSelectGrow": "扩大选区(&&E)",
+ "miSmartSelectShrink": "缩小选区(&&S)",
+ "smartSelect.expand": "展开选择",
+ "smartSelect.shrink": "收起选择"
+ },
+ "vs/editor/contrib/snippet/browser/snippetController2": {
+ "hasNextTabstop": "在代码片段模式下时是否存在下一制表位",
+ "hasPrevTabstop": "在代码片段模式下时是否存在上一制表位",
+ "inSnippetMode": "编辑器目前是否在代码片段模式下",
+ "next": "转到下一个占位符..."
+ },
+ "vs/editor/contrib/snippet/browser/snippetVariables": {
+ "April": "四月",
+ "AprilShort": "4月",
+ "August": "八月",
+ "AugustShort": "8月",
+ "December": "十二月",
+ "DecemberShort": "12月",
+ "February": "二月",
+ "FebruaryShort": "2月",
+ "Friday": "星期五",
+ "FridayShort": "周五",
+ "January": "一月",
+ "JanuaryShort": "1月",
+ "July": "七月",
+ "JulyShort": "7月",
+ "June": "六月",
+ "JuneShort": "6月",
+ "March": "三月",
+ "MarchShort": "3月",
+ "May": "5月",
+ "MayShort": "5月",
+ "Monday": "星期一",
+ "MondayShort": "周一",
+ "November": "十一月",
+ "NovemberShort": "11 月",
+ "October": "十月",
+ "OctoberShort": "10月",
+ "Saturday": "星期六",
+ "SaturdayShort": "周六",
+ "September": "九月",
+ "SeptemberShort": "9月",
+ "Sunday": "星期天",
+ "SundayShort": "周日",
+ "Thursday": "星期四",
+ "ThursdayShort": "周四",
+ "Tuesday": "星期二",
+ "TuesdayShort": "周二",
+ "Wednesday": "星期三",
+ "WednesdayShort": "周三"
+ },
+ "vs/editor/contrib/suggest/browser/suggest": {
+ "acceptSuggestionOnEnter": "按 Enter 时是否会插入建议",
+ "suggestWidgetDetailsVisible": "建议详细信息是否可见",
+ "suggestWidgetHasSelection": "是否以任何建议为中心",
+ "suggestWidgetMultipleSuggestions": "是否存在多条建议可供选择",
+ "suggestionCanResolve": "当前建议是否支持解析更多详细信息",
+ "suggestionHasInsertAndReplaceRange": "当前建议是否具有插入和替换行为",
+ "suggestionInsertMode": "默认行为是否是插入或替换",
+ "suggestionMakesTextEdit": "插入当前建议是否会导致更改或导致已键入所有内容"
+ },
+ "vs/editor/contrib/suggest/browser/suggestController": {
+ "accept.insert": "插入",
+ "accept.replace": "替换",
+ "aria.alert.snippet": "选择“{0}”后进行了其他 {1} 次编辑",
+ "detail.less": "显示更多",
+ "detail.more": "显示更少",
+ "suggest.reset.label": "重置建议小组件大小",
+ "suggest.trigger.label": "触发建议"
+ },
+ "vs/editor/contrib/suggest/browser/suggestWidget": {
+ "ariaCurrenttSuggestionReadDetails": "{0},文档: {1}",
+ "editorSuggestWidgetBackground": "建议小组件的背景色。",
+ "editorSuggestWidgetBorder": "建议小组件的边框颜色。",
+ "editorSuggestWidgetFocusHighlightForeground": "当某项获得焦点时,在建议小组件中突出显示的匹配项的颜色。",
+ "editorSuggestWidgetForeground": "建议小组件的前景色。",
+ "editorSuggestWidgetHighlightForeground": "建议小组件中匹配内容的高亮颜色。",
+ "editorSuggestWidgetSelectedBackground": "建议小组件中所选条目的背景色。",
+ "editorSuggestWidgetSelectedForeground": "建议小组件中所选条目的前景色。",
+ "editorSuggestWidgetSelectedIconForeground": "建议小组件中所选条目的图标前景色。",
+ "editorSuggestWidgetStatusForeground": "建议小组件状态的前景色。",
+ "label.desc": "{0},{1}",
+ "label.detail": "{0}{1}",
+ "label.full": "{0}{1},{2}",
+ "suggest": "建议",
+ "suggestWidget.loading": "正在加载...",
+ "suggestWidget.noSuggestions": "无建议。"
+ },
+ "vs/editor/contrib/suggest/browser/suggestWidgetDetails": {
+ "details.close": "关闭",
+ "loading": "正在加载…"
+ },
+ "vs/editor/contrib/suggest/browser/suggestWidgetRenderer": {
+ "readMore": "了解详细信息",
+ "suggestMoreInfoIcon": "建议小组件中的详细信息的图标。"
+ },
+ "vs/editor/contrib/suggest/browser/suggestWidgetStatus": {
+ "ddd": "{0} ({1})"
+ },
+ "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/editor/contrib/toggleTabFocusMode/browser/toggleTabFocusMode": {
+ "toggle.tabMovesFocus": "切换 Tab 键移动焦点",
+ "toggle.tabMovesFocus.off": "Tab 键将插入制表符",
+ "toggle.tabMovesFocus.on": "Tab 键将移动到下一可聚焦的元素"
+ },
+ "vs/editor/contrib/tokenization/browser/tokenization": {
+ "forceRetokenize": "开发人员: 强制重新进行标记"
+ },
+ "vs/editor/contrib/unicodeHighlighter/browser/unicodeHighlighter": {
+ "action.unicodeHighlight.disableHighlightingInComments": "禁用批注中字符的突出显示",
+ "action.unicodeHighlight.disableHighlightingInStrings": "禁用字符串中字符的突出显示",
+ "action.unicodeHighlight.disableHighlightingOfAmbiguousCharacters": "禁止突出显示歧义字符",
+ "action.unicodeHighlight.disableHighlightingOfInvisibleCharacters": "禁止突出显示不可见字符",
+ "action.unicodeHighlight.disableHighlightingOfNonBasicAsciiCharacters": "禁止突出显示非基本 ASCII 字符",
+ "action.unicodeHighlight.showExcludeOptions": "显示排除选项",
+ "unicodeHighlight.adjustSettings": "调整设置",
+ "unicodeHighlight.allowCommonCharactersInLanguage": "允许语言“{0}”中更常见的 unicode 字符。",
+ "unicodeHighlight.characterIsAmbiguous": "字符 {0} 可能会与字符 {1} 混淆,后者在源代码中更为常见。",
+ "unicodeHighlight.characterIsInvisible": "字符 {0} 不可见。",
+ "unicodeHighlight.characterIsNonBasicAscii": "字符 {0} 不是基本 ASCII 字符。",
+ "unicodeHighlight.configureUnicodeHighlightOptions": "配置 Unicode 突出显示选项",
+ "unicodeHighlight.disableHighlightingInComments.shortLabel": "禁用批注中的突出显示",
+ "unicodeHighlight.disableHighlightingInStrings.shortLabel": "禁用字符串中的突出显示",
+ "unicodeHighlight.disableHighlightingOfAmbiguousCharacters.shortLabel": "禁用不明确的突出显示",
+ "unicodeHighlight.disableHighlightingOfInvisibleCharacters.shortLabel": "禁用不可见突出显示",
+ "unicodeHighlight.disableHighlightingOfNonBasicAsciiCharacters.shortLabel": "禁用非 ASCII 突出显示",
+ "unicodeHighlight.excludeCharFromBeingHighlighted": "在突出显示内容中排除{0}",
+ "unicodeHighlight.excludeInvisibleCharFromBeingHighlighted": "不突出显示 {0} (不可见字符)",
+ "unicodeHighlighting.thisDocumentHasManyAmbiguousUnicodeCharacters": "本文档包含许多不明确的 unicode 字符",
+ "unicodeHighlighting.thisDocumentHasManyInvisibleUnicodeCharacters": "本文档包含许多不可见的 unicode 字符",
+ "unicodeHighlighting.thisDocumentHasManyNonBasicAsciiUnicodeCharacters": "本文档包含许多非基本 ASCII unicode 字符",
+ "warningIcon": "扩展编辑器中随警告消息一同显示的图标。"
+ },
+ "vs/editor/contrib/unusualLineTerminators/browser/unusualLineTerminators": {
+ "unusualLineTerminators.detail": "文件“{0}”包含一个或多个异常的行终止符,例如行分隔符(LS)或段落分隔符(PS)。\r\n\r\n建议从文件中删除它们。可通过“editor.unusualLineTerminators”进行配置。",
+ "unusualLineTerminators.fix": "删除异常行终止符",
+ "unusualLineTerminators.ignore": "忽略",
+ "unusualLineTerminators.message": "检测到异常行终止符",
+ "unusualLineTerminators.title": "异常行终止符"
+ },
+ "vs/editor/contrib/wordHighlighter/browser/wordHighlighter": {
+ "overviewRulerWordHighlightForeground": "用于突出显示符号的概述标尺标记颜色。颜色必须透明,以免隐藏下面的修饰效果。",
+ "overviewRulerWordHighlightStrongForeground": "用于突出显示写权限符号的概述标尺标记颜色。颜色必须透明,以免隐藏下面的修饰效果。",
+ "wordHighlight": "读取访问期间符号的背景色,例如读取变量时。颜色必须透明,以免隐藏下面的修饰效果。",
+ "wordHighlight.next.label": "转到下一个突出显示的符号",
+ "wordHighlight.previous.label": "转到上一个突出显示的符号",
+ "wordHighlight.trigger.label": "触发符号高亮",
+ "wordHighlightBorder": "符号在进行读取访问操作时的边框颜色,例如读取变量。",
+ "wordHighlightStrong": "写入访问过程中符号的背景色,例如写入变量时。颜色必须透明,以免隐藏下面的修饰效果。",
+ "wordHighlightStrongBorder": "符号在进行写入访问操作时的边框颜色,例如写入变量。"
+ },
+ "vs/editor/contrib/wordOperations/browser/wordOperations": {
+ "deleteInsideWord": "删除 Word"
+ },
+ "vs/platform/actions/browser/menuEntryActionViewItem": {
+ "titleAndKb": "{0} ({1})",
+ "titleAndKbAndAlt": "{0}\r\n[{1}] {2}"
+ },
+ "vs/platform/actions/common/menuResetAction": {
+ "cat": "查看",
+ "title": "重置隐藏的菜单"
+ },
+ "vs/platform/actions/common/menuService": {
+ "hide.label": "隐藏“{0}”"
+ },
+ "vs/platform/configuration/common/configurationRegistry": {
+ "config.policy.duplicate": "无法注册 \"{0}\"。关联的策略 {1} 已向 {2} 注册。",
+ "config.property.duplicate": "无法注册“{0}”。此属性已注册。",
+ "config.property.empty": "无法注册空属性",
+ "config.property.languageDefault": "无法注册“{0}”。其符合描述特定语言编辑器设置的表达式 \"\\\\[.*\\\\]$\"。请使用 \"configurationDefaults\"。",
+ "defaultLanguageConfiguration.description": "配置要为 {0} 语言替代的设置。",
+ "defaultLanguageConfigurationOverrides.title": "默认语言配置替代",
+ "overrideSettings.defaultDescription": "针对某种语言,配置替代编辑器设置。",
+ "overrideSettings.errorMessage": "此设置不支持按语言配置。"
+ },
+ "vs/platform/contextkey/browser/contextKeyService": {
+ "getContextKeyInfo": "用于返回上下文键的相关信息的命令"
+ },
+ "vs/platform/contextkey/common/contextkeys": {
+ "inputFocus": "键盘焦点是否在输入框中",
+ "isIOS": "操作系统是否为 iOS",
+ "isLinux": "操作系统是否为 Linux",
+ "isMac": "操作系统是否 macOS",
+ "isMacNative": "操作系统是否是非浏览器平台上的 macOS",
+ "isWeb": "平台是否为 Web 浏览器",
+ "isWindows": "操作系统是否为 Windows",
+ "productQualityType": "VS Code 的质量类型"
+ },
+ "vs/platform/dialogs/common/dialogs": {
+ "moreFile": "...1 个其他文件未显示",
+ "moreFiles": "...{0} 个其他文件未显示"
+ },
+ "vs/platform/dialogs/electron-main/dialogMainService": {
+ "open": "打开",
+ "openFile": "打开文件",
+ "openFolder": "打开文件夹",
+ "openWorkspace": "打开(&&O)",
+ "openWorkspaceTitle": "从文件打开工作区"
+ },
+ "vs/platform/dnd/browser/dnd": {
+ "fileTooLarge": "文件太大,无法以无标题的编辑器形式打开。请先将其上传到文件资源管理器,然后重试。"
+ },
+ "vs/platform/environment/node/argv": {
+ "add": "将文件夹添加到上一个活动窗口。",
+ "category": "使用 --list-extensions 时,按提供的类别筛选已安装的扩展。",
+ "deprecated.useInstead": "请改用 {0}。",
+ "diff": "将两个文件相互比较。",
+ "disableExtension": "禁用一个扩展。",
+ "disableExtensions": "禁用所有已安装的扩展。",
+ "disableGPU": "禁用 GPU 硬件加速。",
+ "experimentalApis": "为扩展启用实验性 API 功能。可以输入一个或多个扩展的 ID 来进行单独启用。",
+ "extensionHomePath": "设置扩展的根路径。",
+ "extensionsManagement": "扩展管理",
+ "goto": "打开路径下的文件并定位到特定行和特定列。",
+ "help": "打印使用情况。",
+ "inspect-brk-extensions": "允许扩展宿主在启动后暂停时进行扩展的调试和分析。您可以在开发人员工具中找到连接 URI。",
+ "inspect-extensions": "允许调试和分析扩展。您可以在开发人员工具中找到连接 URI。",
+ "install prerelease": "使用 --install-extension 时安装扩展的预发行版本",
+ "installExtension": "安装或更新扩展。参数是 VSIX 的扩展 ID 或路径。扩展的标识符为 '${publisher}.${name}'。使用 '--force' 参数更新到最新版本。若要安装特定版本,请提供 '@${version}'。例如:'vscode.csharp@1.2.3'。",
+ "listExtensions": "列出已安装的扩展。",
+ "locale": "要使用的区域设置(例如 en-US 或 zh-TW)。",
+ "log": "使用的日志级别。默认值为 \"info\"。允许的值为 \"critical\" (关键)、\"error\" (错误)、\"warn\" (警告)、\"info\" (信息)、\"debug\" (调试)、\"trace\" (跟踪) 和 \"off\" (关闭)。",
+ "maxMemory": "单个窗口最大内存大小 (单位为 MB)。",
+ "merge": "通过提供文件的两个修改版本的路径、两个修改版本的共同来源,以及保存合并结果的输出文件来执行三向合并。",
+ "newWindow": "强制打开新窗口。",
+ "options": "选项",
+ "optionsUpperCase": "选项",
+ "paths": "路径",
+ "prof-startup": "启动期间运行 CPU 探查器。",
+ "reuseWindow": "强制在已打开的窗口中打开文件或文件夹。",
+ "showVersions": "使用 --list-extensions 时,显示已安装扩展的版本。",
+ "status": "打印进程使用情况和诊断信息。",
+ "stdinUnix": "要从 stdin 中读取,请追加 \"-\" (例如 \"ps aux | grep code | {0} -')",
+ "stdinWindows": "要读取其他程序的输出,请追加 \"-\" (例如 \"echo Hello World | {0} -')",
+ "telemetry": "显示 VS Code 收集的所有遥测事件。",
+ "troubleshooting": "故障排查",
+ "turn sync": "打开或关闭同步。",
+ "uninstallExtension": "卸载扩展。",
+ "unknownCommit": "未知提交",
+ "unknownVersion": "未知版本",
+ "usage": "使用情况",
+ "userDataDir": "指定保存用户数据的目录。可用于打开多个不同的 Code 实例。",
+ "verbose": "打印详细输出(表示 - 等待)。",
+ "version": "打印版本。",
+ "wait": "等文件关闭后再返回。"
+ },
+ "vs/platform/environment/node/argvHelper": {
+ "deprecatedArgument": "已弃用选项“{0}”: {1}",
+ "emptyValue": "选项“{0}”需要非空值。忽略该选项。",
+ "gotoValidation": "\"--goto\" 模式中的参数格式应为 \"FILE(:LINE(:CHARACTER))\"。",
+ "multipleValues": "对选项“{0}”进行了多次定义。使用值“{1}”。",
+ "unknownOption": "警告: \"{0}\"不在已知选项列表中,但仍传递给 Electron/Chromium。"
+ },
+ "vs/platform/extensionManagement/common/abstractExtensionManagementService": {
+ "MarketPlaceDisabled": "市场未启用",
+ "Not a Marketplace extension": "只能重新安装商店中的扩展",
+ "incompatible platform": "'{0}' 扩展在 {1} 中对于 {2} 不可用。",
+ "malicious extension": "无法安装 '{0}' 扩展,因为其被报告为存在问题。",
+ "multipleDependentsError": "无法卸载扩展“{0}”。“{1}”、“{2}”以及其他扩展都依赖于它。",
+ "multipleIndirectDependentsError": "无法卸载扩展“{0}”。该操作会一并卸载依赖于它的扩展“{1}”、“{2}”、“{3}”和其他扩展。",
+ "notFoundCompatibleDependency": "无法安装“{0}”扩展,因为它与当前 {1} 版本不兼容(版本 {2})。",
+ "notFoundCompatiblePrereleaseDependency": "无法安装“{0}”扩展的预发布版本,因为它与当前 {1} 版本(版本 {2})不兼容。",
+ "notFoundReleaseExtension": "由于 '{0}' 扩展没有发布版本,因此无法安装。",
+ "singleDependentError": "无法卸载扩展“{0}”。扩展“{1}”依赖于它。",
+ "singleIndirectDependentError": "无法卸载扩展“{0}”。该操作会一并卸载依赖于它的扩展“{1}”和“{2}”。",
+ "twoDependentsError": "无法卸载扩展“{0}”。扩展“{1}”和“{2}”依赖于它。",
+ "twoIndirectDependentsError": "无法卸载扩展“{0}”。该操作会一并卸载依赖于它的扩展“{1}”、“{2}”和“{3}”。"
+ },
+ "vs/platform/extensionManagement/common/extensionManagement": {
+ "extensions": "扩展",
+ "preferences": "首选项"
+ },
+ "vs/platform/extensionManagement/common/extensionManagementCLIService": {
+ "alreadyInstalled": "已安装扩展“{0}”。",
+ "alreadyInstalled-checkAndUpdate": "已安装扩展 \"{0}\" v{1}。使用 \"--force\" 选项更新到最新版本,或提供 \"@\" 以安装特定版本,例如: \"{2}@1.2.3\"。",
+ "builtin": "扩展“{0}”是内置扩展,无法卸载",
+ "cancelInstall": "已取消安装扩展“{0}”。",
+ "cancelVsixInstall": "已取消安装扩展“{0}”。",
+ "forceDowngrade": "已安装扩展“{0}”v{1} 的较新版本。请使用 \"--force\" 选项降级到旧版本。",
+ "forceUninstall": "用户已将扩展“{0}”标记为内置扩展。请使用 \"--force\" 选项将其卸载。",
+ "installation failed": "未能安装扩展: {0}",
+ "installing": "正在安装扩展“{0}”...",
+ "installing builtin ": "正在安装内置扩展“{0}”...",
+ "installing builtin with version": "正在安装内置扩展“{0}”v{1}…",
+ "installing with version": "正在安装扩展“{0}”v{1}...",
+ "installingExtensions": "正在安装扩展…",
+ "installingExtensionsOnLocation": "正在 {0} 上安装扩展…",
+ "listFromLocation": "{0} 上安装的扩展:",
+ "notFound": "找不到扩展“{0}”。",
+ "notInstalled": "未安装扩展“{0}”。",
+ "notInstalleddOnLocation": "{1} 上未安装扩展“{0}”。",
+ "successInstall": "已成功安装扩展“{0}”v{1}。",
+ "successUninstall": "已成功卸载扩展“{0}”!",
+ "successUninstallFromLocation": "已成功从 {1} 卸载扩展“{0}”!",
+ "successVsixInstall": "已成功安装扩展“{0}”。",
+ "uninstalling": "正在卸载 {0}…",
+ "updateMessage": "将扩展 \"{0}\" 更新到版本 {1}",
+ "useId": "确认使用了包括发布者在内的完整扩展 ID,例如: {0}"
+ },
+ "vs/platform/extensionManagement/common/extensionsScannerService": {
+ "fileReadFail": "无法读取文件 {0}: {1}。",
+ "jsonInvalidFormat": "格式 {0} 无效: 应为 JSON 对象。",
+ "jsonParseFail": "无法解析 {0}: [{1}, {2}] {3}.",
+ "jsonParseInvalidType": "清单文件 {0} 无效: 不是 JSON 对象。",
+ "jsonsParseReportErrors": "未能分析 {0}: {1}。",
+ "missingNLSKey": "无法找到键 {0} 的消息。"
+ },
+ "vs/platform/extensionManagement/electron-sandbox/extensionTipsService": {
+ "exeRecommended": "你的系统上安装了 {0}。是否要为其安装推荐的扩展?"
+ },
+ "vs/platform/extensionManagement/node/extensionManagementService": {
+ "cannot read": "无法从 {0} 读取扩展",
+ "errorDeleting": "安装扩展“{1}”时无法删除现有文件夹“{0}”。请手动删除此文件夹,然后重试",
+ "exitCode": "无法安装扩展。请在重启 VS Code 后重新安装。",
+ "incompatible": "无法安装扩展“{0}”,因为它与 VS Code“{1}”不兼容。",
+ "notInstalled": "未安装扩展“{0}”。",
+ "quitCode": "无法安装扩展。请在重启 VS Code 后重新安装。",
+ "removeError": "删除扩展时出错: {0}。请重启 VS Code,然后重试。",
+ "renameError": "将 {0} 重命名为 {1} 时发生未知错误",
+ "restartCode": "请在重新安装{0}之前重新启动 VS Code。"
+ },
+ "vs/platform/extensionManagement/node/extensionManagementUtil": {
+ "invalidManifest": "VSIX 无效: package.json 不是 JSON 文件。"
+ },
+ "vs/platform/extensions/common/extensionValidator": {
+ "extensionDescription.activationEvents1": "属性“{0}”可以省略,否则其类型必须是 `string[]`",
+ "extensionDescription.activationEvents2": "必须同时指定或同时省略属性”{0}“和”{1}“",
+ "extensionDescription.browser1": "属性“{0}”可以省略,否则其类型必须是 `string`",
+ "extensionDescription.browser2": "应在扩展文件夹({1})中包含 `browser` ({0})。这可能会使扩展不可移植。",
+ "extensionDescription.browser3": "必须同时指定或同时省略属性”{0}“和”{1}“",
+ "extensionDescription.engines": "属性“{0}”是必要属性,其类型必须是 `object`",
+ "extensionDescription.engines.vscode": "属性“{0}”是必需的,其类型必须是 `string`",
+ "extensionDescription.extensionDependencies": "属性“{0}”可以省略,否则其类型必须是 `string[]`",
+ "extensionDescription.extensionKind": "仅当同时定义了属性“main”时,才能定义属性“{0}”。",
+ "extensionDescription.main1": "属性 `{0}` 可以省略,否则其类型必须是 `string`",
+ "extensionDescription.main2": "应在扩展文件夹({1})中包含 `main` ({0})。这可能会使扩展不可移植。",
+ "extensionDescription.main3": "必须同时指定或同时省略属性”{0}“和”{1}“",
+ "extensionDescription.name": "属性“{0}”是必需的,其类型必须是 `string`",
+ "extensionDescription.publisher": "属性 publisher 的类型必须是 `string`。",
+ "extensionDescription.version": "属性“{0}”是必需的,其类型必须是 `string`",
+ "notSemver": "扩展版本与 semver 不兼容。",
+ "versionMismatch": "扩展与 Code {0} 不兼容。扩展需要: {1}。",
+ "versionSpecificity1": "\"engines.vscode\" ({0}) 中指定的版本不够具体。对于 1.0.0 之前的 vscode 版本,请至少定义主要和次要想要的版本。例如: ^0.10.0、0.10.x、0.11.0 等。",
+ "versionSpecificity2": "\"engines.vscode\" ({0}) 中指定的版本不够具体。对于 1.0.0 之后的 vscode 版本,请至少定义主要想要的版本。例如: ^1.10.0、1.10.x、1.x.x、2.x.x 等。",
+ "versionSyntax": "无法解析 \"engines.vscode\" 的值 {0}。请改为如 ^1.22.0, ^1.22.x 等。"
+ },
+ "vs/platform/externalTerminal/node/externalTerminalService": {
+ "console.title": "VS Code 控制台",
+ "ext.term.app.not.found": "找不到终端应用程序 \"{0}\"",
+ "linux.term.failed": "“{0}”失败,退出代码为 {1}",
+ "mac.terminal.script.failed": "脚本“{0}”失败,退出代码为 {1}",
+ "mac.terminal.type.not.supported": "不支持“{0}”",
+ "press.any.key": "按任意键继续..."
+ },
+ "vs/platform/files/browser/htmlFileSystemProvider": {
+ "fileSystemNotAllowedError": "权限不足。请重试并允许该操作。",
+ "fileSystemRenameError": "仅文件支持重命名。"
+ },
+ "vs/platform/files/common/fileService": {
+ "deleteFailedNonEmptyFolder": "无法删除非空文件夹“{0}”。",
+ "deleteFailedNotFound": "无法删除不存在的文件 '{0}'",
+ "deleteFailedTrashUnsupported": "无法通过回收站删除文件\"{0}\",因为提供程序不支持它。",
+ "err.read": "无法读取文件'{0}' ({1})",
+ "err.readonly": "无法修改只读文件\"{0}\"",
+ "err.write": "无法写入文件\"{0}\"({1})",
+ "fileExists": "如果未设置覆盖标记,则无法创建文件“{0}”,因为它已存在",
+ "fileIsDirectoryReadError": "无法读取实际上是一个目录的文件\"{0}\"",
+ "fileIsDirectoryWriteError": "无法写入实际上是一个目录的文件\"{0}\"",
+ "fileModifiedError": "自以下时间已修改的文件:",
+ "fileNotFoundError": "无法解析不存在的文件 '{0}'",
+ "fileNotModifiedError": "自以下时间未修改的文件:",
+ "fileTooLargeError": "无法读取文件“{0}”,该文件太大,无法打开",
+ "invalidPath": "无法解析具有相对文件路径\"{0}\"的文件系统提供程序",
+ "mkdirExistsError": "无法创建已存在但不是目录的文件夹\"{0}\"",
+ "noProviderFound": "未找到资源\"{0}\"的文件系统提供程序",
+ "unableToMoveCopyError1": "当源\"{0}\"与目标\"{1}\"在不区分大小写的文件系统上具有不同路径大小写时,无法复制",
+ "unableToMoveCopyError2": "当源\"{0}\"是目标\"{1}\"的父级时,无法移动/复制。",
+ "unableToMoveCopyError3": "无法移动/复制\"{0}\",因为目标\"{1}\"已存在于目标位置。",
+ "unableToMoveCopyError4": "无法将\"{0}\"移动/复制到\"{1}\"中,因为文件将替换包含该文件的文件夹。",
+ "writeFailedUnlockUnsupported": "无法解锁文件“{0}”,因为提供程序不支持它。"
+ },
+ "vs/platform/files/common/files": {
+ "sizeB": "{0} B",
+ "sizeGB": "{0} GB",
+ "sizeKB": "{0} KB",
+ "sizeMB": "{0} MB",
+ "sizeTB": "{0} TB",
+ "unknownError": "未知错误"
+ },
+ "vs/platform/files/common/io": {
+ "fileTooLargeError": "文件太大,无法打开",
+ "fileTooLargeForHeapError": "要打开此大小的文件,需要重启并允许使用更多内存"
+ },
+ "vs/platform/files/electron-main/diskFileSystemProviderServer": {
+ "binFailed": "未能将“{0}”移动到回收站",
+ "trashFailed": "未能将“{0}”移动到废纸篓"
+ },
+ "vs/platform/files/node/diskFileSystemProvider": {
+ "copyError": "无法将 \"{0}\" 复制到 \"{1}\" ({2}) 中。",
+ "fileCopyErrorExists": "目标处的文件已存在",
+ "fileCopyErrorPathCase": "''文件不能复制到仅大小写不同的相同路径",
+ "fileExists": "文件已存在",
+ "fileNotExists": "文件不存在",
+ "moveError": "无法将 \"{0}\" 移动到 \"{1}\" ({2}) 中。"
+ },
+ "vs/platform/history/browser/contextScopedHistoryWidget": {
+ "suggestWidgetVisible": "建议是否可见"
+ },
+ "vs/platform/issue/electron-main/issueMainService": {
+ "cancel": "取消(&&C)",
+ "confirmCloseIssueReporter": "您的输入将不会保存。确实要关闭此窗口吗?",
+ "issueReporter": "问题报告程序",
+ "issueReporterWriteToClipboard": "数据太多,无法直接发送到 GitHub。数据将被复制到剪贴板,请将其粘贴到打开的 GitHub 问题页。",
+ "local": "本地",
+ "ok": "确定(&&O)",
+ "processExplorer": "进程管理器",
+ "yes": "是(&&Y)"
+ },
+ "vs/platform/keybinding/common/abstractKeybindingService": {
+ "first.chord": "({0})已按下。正在等待按下第二个键...",
+ "missing.chord": "组合键({0},{1})不是命令。"
+ },
+ "vs/platform/languagePacks/common/languagePacks": {
+ "currentDisplayLanguage": " (当前)"
+ },
+ "vs/platform/languagePacks/common/localizedStrings": {
+ "close": "关闭",
+ "find": "查找",
+ "open": "打开"
+ },
+ "vs/platform/list/browser/listService": {
+ "Fast Scroll Sensitivity": "按下\"Alt\"时滚动速度倍增。",
+ "Mouse Wheel Scroll Sensitivity": "对鼠标滚轮滚动事件的 `deltaX` 和 `deltaY` 乘上的系数。",
+ "defaultFindModeSettingKey": "控制工作台中列表和树的默认查找模式。",
+ "defaultFindModeSettingKey.filter": "搜索时筛选元素。",
+ "defaultFindModeSettingKey.highlight": "搜索时突出显示元素。进一步向上和向下导航将仅遍历突出显示的元素。",
+ "expand mode": "控制在单击文件夹名称时如何扩展树文件夹。请注意,如果不适用,某些树和列表可能会选择忽略此设置。",
+ "horizontalScrolling setting": "控制列表和树是否支持工作台中的水平滚动。警告: 打开此设置影响会影响性能。",
+ "keyboardNavigationSettingKey": "控制工作台中的列表和树的键盘导航样式。它可为“简单”、“突出显示”或“筛选”。",
+ "keyboardNavigationSettingKey.filter": "筛选器键盘导航将筛选出并隐藏与键盘输入不匹配的所有元素。",
+ "keyboardNavigationSettingKey.highlight": "高亮键盘导航会突出显示与键盘输入相匹配的元素。进一步向上和向下导航将仅遍历突出显示的元素。",
+ "keyboardNavigationSettingKey.simple": "简单键盘导航聚焦与键盘输入相匹配的元素。仅对前缀进行匹配。",
+ "keyboardNavigationSettingKeyDeprecated": "请改用 “workbench.list.defaultFindMode”。",
+ "list smoothScrolling setting": "控制列表和树是否具有平滑滚动效果。",
+ "multiSelectModifier": "在通过鼠标多选树和列表条目时使用的修改键 (例如“资源管理器”、“打开的编辑器”和“源代码管理”视图)。“在侧边打开”功能所需的鼠标动作 (若可用) 将会相应调整,不与多选修改键冲突。",
+ "multiSelectModifier.alt": "映射为 `Alt` (Windows 和 Linux) 或 `Option` (macOS)。",
+ "multiSelectModifier.ctrlCmd": "映射为 `Ctrl` (Windows 和 Linux) 或 `Command` (macOS)。",
+ "openModeModifier": "控制如何使用鼠标打开树和列表中的项(若支持)。请注意,如果此设置不适用,某些树和列表可能会选择忽略它。",
+ "render tree indent guides": "控制树是否应呈现缩进参考线。",
+ "tree indent setting": "控制树缩进(以像素为单位)。",
+ "workbenchConfigurationTitle": "工作台"
+ },
+ "vs/platform/markers/common/markers": {
+ "sev.error": "错误",
+ "sev.info": "信息",
+ "sev.warning": "警告"
+ },
+ "vs/platform/menubar/electron-main/menubar": {
+ "cancel": "取消(&&C)",
+ "mAbout": "关于 {0}",
+ "mBringToFront": "全部置于顶层",
+ "mEdit": "编辑(&&E)",
+ "mFile": "文件(&&F)",
+ "mGoto": "转到(&&G)",
+ "mHelp": "帮助(&&H)",
+ "mHide": "隐藏 {0}",
+ "mHideOthers": "隐藏其他",
+ "mMergeAllWindows": "合并所有窗口",
+ "mMinimize": "最小化",
+ "mMoveTabToNewWindow": "移动标签页到新窗口",
+ "mNewTab": "新建标签页",
+ "mRun": "运行(&&R)",
+ "mSelection": "选择(&&S)",
+ "mServices": "服务",
+ "mShowAll": "全部显示",
+ "mShowNextTab": "显示下一个选项卡",
+ "mShowPreviousTab": "显示上一个选项卡",
+ "mTerminal": "终端(&&T)",
+ "mView": "查看(&&V)",
+ "mWindow": "窗口",
+ "mZoom": "缩放",
+ "miCheckForUpdates": "检查更新(&&U)...",
+ "miCheckingForUpdates": "正在检查更新...",
+ "miDownloadUpdate": "下载可用更新(&&O)",
+ "miDownloadingUpdate": "正在下载更新...",
+ "miInstallUpdate": "安装更新(&&U)...",
+ "miInstallingUpdate": "正在安装更新...",
+ "miNewWindow": "新建窗口(&&W)",
+ "miPreferences": "首选项(&&P)",
+ "miQuit": "退出 {0}",
+ "miRestartToUpdate": "重新启动以更新(&&U)",
+ "miSwitchWindow": "切换窗口(&&W)...",
+ "quit": "退出(&&Q)",
+ "quitMessage": "是否确实要退出?"
+ },
+ "vs/platform/native/electron-main/nativeHostMainService": {
+ "cancel": "取消(&&C)",
+ "cantCreateBinFolder": "无法安装 Shell 命令“{0}”。",
+ "cantUninstall": "无法卸载 Shell 命令“{0}”。",
+ "ok": "确定(&&O)",
+ "sourceMissing": "在 \"{0}\" 中找不到 shell 脚本",
+ "warnEscalation": "{0}将通过 \"osascript\" 提示需要管理员权限才可安装 shell 命令。",
+ "warnEscalationUninstall": "{0} 将使用 \"osascript\" 来提示获取管理员权限,从而卸载 Shell 命令。"
+ },
+ "vs/platform/quickinput/browser/commandsQuickAccess": {
+ "canNotRun": "命令\"{0}\"导致错误 ({1})",
+ "commandPickAriaLabelWithKeybinding": "{0}, {1}",
+ "morecCommands": "其他命令",
+ "recentlyUsed": "最近使用"
+ },
+ "vs/platform/quickinput/browser/helpQuickAccess": {
+ "helpPickAriaLabel": "{0}, {1}"
+ },
+ "vs/platform/request/common/request": {
+ "httpConfigurationTitle": "HTTP",
+ "proxy": "要使用的代理设置。如果未设置,则将从 \"http_proxy\" 和 \"https_proxy\" 环境变量中继承。",
+ "proxyAuthorization": "要作为每个网络请求的 \"Proxy-Authorization\" 标头发送的值。",
+ "proxySupport": "对扩展使用代理支持。",
+ "proxySupportFallback": "在未找到代理的情况下,启用扩展的代理支持,回退到请求选项。",
+ "proxySupportOff": "禁用对扩展的代理支持。",
+ "proxySupportOn": "为扩展启用代理支持。",
+ "proxySupportOverride": "为扩展启用代理支持,覆盖请求选项。",
+ "strictSSL": "控制是否根据提供的 CA 列表验证代理服务器证书。",
+ "systemCertificates": "控制是否应从操作系统加载 CA 证书。(在 Windows 和 macOS 上, 关闭此窗口后需要重新加载窗口。)"
+ },
+ "vs/platform/shell/node/shellEnv": {
+ "resolveShellEnvError": "无法解析 shell 环境: {0}",
+ "resolveShellEnvExitError": "来自生成的 shell 的意外退出代码(代码 {0}、信号 {1})",
+ "resolveShellEnvTimeout": "无法在合理的时间内解析 shell 环境。请检查 shell 配置。"
+ },
+ "vs/platform/telemetry/common/telemetryService": {
+ "enableTelemetryDeprecated": "如果此设置为 false,则无论新设置的值如何,都不会发送遥测数据。已弃用,推荐使用 {0} 设置。",
+ "telemetry.crashReports": "崩溃报告",
+ "telemetry.docsAndPrivacyStatement": "详细了解[我们收集的数据]({0})和我们的[隐私声明]({1})。",
+ "telemetry.docsStatement": "详细了解[我们收集的数据]({0})。",
+ "telemetry.enableTelemetry": "启用要收集的诊断数据。这有助于我们更好地了解 {0} 的执行情况以及哪里需要改进。",
+ "telemetry.enableTelemetryMd": "启用要收集的诊断数据。这有助于我们更好地了解 {0} 的执行情况以及哪里需要改进。[阅读详细信息]({1})关于我们收集的内容和隐私声明。",
+ "telemetry.errors": "错误遥测",
+ "telemetry.restart": "若要使崩溃报告更改生效,必须完全重新启动应用程序。",
+ "telemetry.telemetryLevel.crash": "发送 OS 级别故障报告。",
+ "telemetry.telemetryLevel.default": "发送使用情况数据、错误、故障报告。",
+ "telemetry.telemetryLevel.deprecated": "****注意:*** 如果此设置为“关闭”,则无论其他遥测设置如何,都不会发送遥测数据。如果此设置为“关闭”以外的任何选项,并且使用弃用的设置禁用遥测,则不会发送遥测数据。*",
+ "telemetry.telemetryLevel.error": "发送常规错误遥测和故障报告。",
+ "telemetry.telemetryLevel.off": "禁用所有产品遥测。",
+ "telemetry.telemetryLevel.tableDescription": "下表概述了每个设置所发送的数据:",
+ "telemetry.telemetryLevelMd": "控制 {0} 遥测、第一方扩展遥测和参与的第三方扩展遥测。一些第三方扩展可能不遵守此设置。请查阅特定扩展的文档以确定。遥测有助于我们更好地了解 {0} 的执行情况、需要改进的地方以及功能的使用方式。",
+ "telemetry.usage": "用法数据",
+ "telemetryConfigurationTitle": "遥测"
+ },
+ "vs/platform/terminal/common/terminalPlatformConfiguration": {
+ "terminal.integrated.automationProfile.linux": "要在 Linux 上用于自动化相关终端使用(如任务和调试)的终端配置文件。如果设置了 {0},则当前将忽略此设置。",
+ "terminal.integrated.automationProfile.osx": "要在 macOS 上用于自动化相关终端使用(如任务和调试)的终端配置文件。如果设置了 {0},则当前将忽略此设置。",
+ "terminal.integrated.automationProfile.windows": "用于自动化相关终端使用(如任务和调试)的终端配置文件。如果设置了 {0},则当前将忽略此设置。",
+ "terminal.integrated.automationShell.linux": "一个路径,设置后将替代 {0},并忽略与自动化相关的终端使用情况(例如任务和调试)的 {1} 个值。",
+ "terminal.integrated.automationShell.linux.deprecation": "已弃用此方法,新的配置自动化 shell 的建议方法是使用 {0} 创建终端自动化配置文件。此方法目前优先于新的自动化配置文件设置,但将来会发生更改。",
+ "terminal.integrated.automationShell.osx": "一个路径,设置后将替代 {0},并忽略与自动化相关的终端使用情况(例如任务和调试)的 {1} 个值。",
+ "terminal.integrated.automationShell.osx.deprecation": "已弃用此方法,新的配置自动化 shell 的建议方法是使用 {0} 创建终端自动化配置文件。此方法目前优先于新的自动化配置文件设置,但将来会发生更改。",
+ "terminal.integrated.automationShell.windows": "一个路径,设置后将替代 {0},并忽略与自动化相关的终端使用情况(例如任务和调试)的 {1} 值。",
+ "terminal.integrated.automationShell.windows.deprecation": "已弃用此方法,新的配置自动化 shell 的建议方法是使用 {0} 创建终端自动化配置文件。此方法目前优先于新的自动化配置文件设置,但将来会发生更改。",
+ "terminal.integrated.confirmIgnoreProcesses": "使用 {0} 设置时要忽略的一组流程名称。",
+ "terminal.integrated.defaultProfile.linux": "在 Linux 上使用的默认配置文件。如果设置了 {0} 或 {1},则当前将忽略此设置。",
+ "terminal.integrated.defaultProfile.osx": "在 macOS 上使用的默认配置文件。如果设置了 {0} 或 {1},则当前将忽略此设置。",
+ "terminal.integrated.defaultProfile.windows": "在 Windows 上使用的默认配置文件。如果设置了 {0} 或 {1},则当前将忽略此设置。",
+ "terminal.integrated.inheritEnv": "新 shell 是否应从 VS Code 继承其环境,这可能会生成登录 shell,以确保初始化 $PATH 和其他开发变量。这不会对 Windows 造成影响。",
+ "terminal.integrated.persistentSessionScrollback": "控制重新连接到永久性终端会话时将还原的最大行数。增加此数量将以占用更多内存为代价还原更多的回滚行,并增加在启动时连接到终端所需的时间。此设置需要重启才能生效,并应设置为小于或等于 `#terminal.integrated.scrollback#` 的值。",
+ "terminal.integrated.profile.linux": "通过终端下拉列表创建新终端时要显示的 Linux 配置文件。请手动设置 {0} 属性(通过可选的 {1} 进行)。\r\n\r\n将现有配置文件设置为 {2} 以从列表中隐藏配置文件,例如: {3}。",
+ "terminal.integrated.profile.osx": "通过终端下拉列表创建新终端时要显示的 macOS 配置文件。请手动设置 {0} 属性(通过可选的 {1} 进行)。\r\n\r\n将现有配置文件设置为 {2} 以从列表中隐藏配置文件,例如: {3}。",
+ "terminal.integrated.profiles.windows": "通过终端下拉列表创建新终端时要显示的 Windows 配置文件。使用 {0} 属性自动检测 shell 的位置。或手动设置 {1} 属性(通过可选的 {2} 进行)。\r\n\r\n将现有配置文件设置为 {3} 以从列表中隐藏配置文件,例如: {4}。",
+ "terminal.integrated.shell.linux": "终端在 Linux 上使用的 shell 的路径。[阅读关于配置 shell 的详细信息](https://code.visualstudio.com/docs/editor/integrated-terminal#_terminal-profiles)。",
+ "terminal.integrated.shell.linux.deprecation": "此项已弃用,配置默认 shell 的新推荐方法是在 {0} 中创建一个终端配置文件,并将其配置文件名称设置为 {1} 中的默认值。此操作当前将优先于新的配置文件设置,但将来会发生更改。",
+ "terminal.integrated.shell.osx": "终端在 macOS 上使用的 shell 的路径。[阅读关于配置 shell 的详细信息](https://code.visualstudio.com/docs/editor/integrated-terminal#_terminal-profiles)。",
+ "terminal.integrated.shell.osx.deprecation": "此项已弃用,配置默认 shell 的新推荐方法是在 {0} 中创建一个终端配置文件,并将其配置文件名称设置为 {1} 中的默认值。此操作当前将优先于新的配置文件设置,但将来会发生更改。",
+ "terminal.integrated.shell.windows": "终端在 Windows 上使用的 shell 的路径。[阅读关于配置 shell 的详细信息](https://code.visualstudio.com/docs/editor/integrated-terminal#_terminal-profiles)。",
+ "terminal.integrated.shell.windows.deprecation": "此项已弃用,配置默认 shell 的新推荐方法是在 {0} 中创建一个终端配置文件,并将其配置文件名称设置为 {1} 中的默认值。此操作当前将优先于新的配置文件设置,但将来会发生更改。",
+ "terminal.integrated.shellArgs.linux": "在 Linux 终端上时要使用的命令行参数。[阅读关于配置 shell 的详细信息](https://code.visualstudio.com/docs/editor/integrated-terminal#_terminal-profiles)。",
+ "terminal.integrated.shellArgs.osx": "在 macOS 终端上时要使用的命令行参数。[阅读关于配置 shell 的详细信息](https://code.visualstudio.com/docs/editor/integrated-terminal#_terminal-profiles)。",
+ "terminal.integrated.shellArgs.windows": "在 Windows 终端上时要使用的命令行参数。[阅读关于配置 shell 的详细信息](https://code.visualstudio.com/docs/editor/integrated-terminal#_terminal-profiles)。",
+ "terminal.integrated.shellArgs.windows.string": "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).",
+ "terminal.integrated.showLinkHover": "是否显示终端输出中链接的悬停。",
+ "terminal.integrated.useWslProfiles": "控制是否在终端下拉列表中显示 WSL 发行版",
+ "terminalAutomationProfile.path": "shell 可执行文件的单个路径。",
+ "terminalIntegratedConfigurationTitle": "集成终端",
+ "terminalProfile.args": "用于运行 shell 可执行文件的可选参数集。",
+ "terminalProfile.color": "要与终端图标关联的主题颜色 ID。",
+ "terminalProfile.env": "具有将添加到终端配置文件进程的环境变量的对象。设置为 \"null\" 以从基本环境中删除环境变量。",
+ "terminalProfile.icon": "要与终端图标关联的 codicon ID。",
+ "terminalProfile.linuxExtensionId": "扩展终端的 ID",
+ "terminalProfile.linuxExtensionIdentifier": "提供此配置文件的扩展。",
+ "terminalProfile.linuxExtensionTitle": "扩展终端的名称",
+ "terminalProfile.osxExtensionId": "扩展终端的 ID",
+ "terminalProfile.osxExtensionIdentifier": "提供此配置文件的扩展。",
+ "terminalProfile.osxExtensionTitle": "扩展终端的名称",
+ "terminalProfile.overrideName": "控制配置文件名称是否替代自动检测到的名称。",
+ "terminalProfile.path": "指向 shell 可执行文件的单一路径或一个路径数组(当一个路径失败时,这些路径将被用作回退)。",
+ "terminalProfile.windowsExtensionId": "扩展终端的 ID",
+ "terminalProfile.windowsExtensionIdentifier": "提供此配置文件的扩展。",
+ "terminalProfile.windowsExtensionTitle": "扩展终端的名称",
+ "terminalProfile.windowsSource": "将自动检测 shell 路径的配置文件源。"
+ },
+ "vs/platform/terminal/common/terminalProfiles": {
+ "terminalAutomaticProfile": "自动检测默认值"
+ },
+ "vs/platform/terminal/node/ptyService": {
+ "terminal-history-restored": "还原的历史记录"
+ },
+ "vs/platform/terminal/node/terminalProcess": {
+ "launchFail.cwdDoesNotExist": "启动目录(cwd)“{0}”不存在",
+ "launchFail.cwdNotDirectory": "启动目录(cwd)“{0}”不是一个目录",
+ "launchFail.executableDoesNotExist": "shell 可执行文件“{0}”的路径不存在",
+ "launchFail.executableIsNotFileOrSymlink": "shell 可执行文件 \"{0}\" 的路径非文件或符号链接"
+ },
+ "vs/platform/theme/common/colorRegistry": {
+ "activeContrastBorder": "在活动元素周围额外的一层边框,用来提高对比度从而区别其他元素。",
+ "activeLinkForeground": "活动链接颜色。",
+ "badgeBackground": "Badge 背景色。Badge 是小型的信息标签,如表示搜索结果数量的标签。",
+ "badgeForeground": "Badge 前景色。Badge 是小型的信息标签,如表示搜索结果数量的标签。",
+ "breadcrumbsBackground": "导航路径项的背景色。",
+ "breadcrumbsFocusForeground": "焦点导航路径的颜色",
+ "breadcrumbsSelectedBackground": "导航路径项选择器的背景色。",
+ "breadcrumbsSelectedForeground": "已选导航路径项的颜色。",
+ "buttonBackground": "按钮背景色。",
+ "buttonBorder": "按钮边框颜色。",
+ "buttonForeground": "按钮前景色。",
+ "buttonHoverBackground": "按钮在悬停时的背景颜色。",
+ "buttonSecondaryBackground": "辅助按钮背景色。",
+ "buttonSecondaryForeground": "辅助按钮前景色。",
+ "buttonSecondaryHoverBackground": "悬停时的辅助按钮背景色。",
+ "buttonSeparator": "按钮分隔符颜色。",
+ "chartsBlue": "图表可视化效果中使用的蓝色。",
+ "chartsForeground": "图表中使用的前景颜色。",
+ "chartsGreen": "图表可视化效果中使用的绿色。",
+ "chartsLines": "用于图表中的水平线条的颜色。",
+ "chartsOrange": "图表可视化效果中使用的橙色。",
+ "chartsPurple": "图表可视化效果中使用的紫色。",
+ "chartsRed": "图表可视化效果中使用的红色。",
+ "chartsYellow": "图表可视化效果中使用的黄色。",
+ "checkbox.background": "复选框小部件的背景颜色。",
+ "checkbox.border": "复选框小部件的边框颜色。",
+ "checkbox.foreground": "复选框小部件的前景色。",
+ "contrastBorder": "在元素周围额外的一层边框,用来提高对比度从而区别其他元素。",
+ "descriptionForeground": "提供其他信息的说明文本的前景色,例如标签文本。",
+ "diffDiagonalFill": "差异编辑器的对角线填充颜色。对角线填充用于并排差异视图。",
+ "diffEditorBorder": "两个文本编辑器之间的边框颜色。",
+ "diffEditorInserted": "已插入的文本的背景色。颜色必须透明,以免隐藏下面的修饰效果。",
+ "diffEditorInsertedLineGutter": "插入行的边距的背景色。",
+ "diffEditorInsertedLines": "已插入的行的背景色。颜色必须透明,以免隐藏下面的修饰效果。",
+ "diffEditorInsertedOutline": "插入的文本的轮廓颜色。",
+ "diffEditorOverviewInserted": "插入内容的差异概述标尺前景。",
+ "diffEditorOverviewRemoved": "删除内容的差异概述标尺前景。",
+ "diffEditorRemoved": "已删除的文本的背景色。颜色必须透明,以免隐藏下面的修饰效果。",
+ "diffEditorRemovedLineGutter": "删除行的边距的背景色。",
+ "diffEditorRemovedLines": "已删除的行的背景色。颜色必须透明,以免隐藏下面的修饰效果。",
+ "diffEditorRemovedOutline": "被删除文本的轮廓颜色。",
+ "disabledForeground": "已禁用元素的整体前景色。仅在未由组件替代时才能使用此颜色。",
+ "dropdownBackground": "下拉列表背景色。",
+ "dropdownBorder": "下拉列表边框。",
+ "dropdownForeground": "下拉列表前景色。",
+ "dropdownListBackground": "下拉列表背景色。",
+ "editorBackground": "编辑器背景色。",
+ "editorError.background": "编辑器中错误文本的背景色。颜色必须透明,以免隐藏下面的修饰效果。",
+ "editorError.foreground": "编辑器中错误波浪线的前景色。",
+ "editorFindMatch": "当前搜索匹配项的颜色。",
+ "editorFindMatchBorder": "当前搜索匹配项的边框颜色。",
+ "editorForeground": "编辑器默认前景色。",
+ "editorHint.foreground": "编辑器中提示波浪线的前景色。",
+ "editorInactiveSelection": "非活动编辑器中所选内容的颜色,颜色必须透明,以免隐藏下面的装饰效果。",
+ "editorInfo.background": "编辑器中信息文本的背景色。颜色必须透明,以免隐藏下面的修饰效果。",
+ "editorInfo.foreground": "编辑器中信息波浪线的前景色。",
+ "editorInlayHintBackground": "内联提示的背景色",
+ "editorInlayHintBackgroundParameter": "参数内联提示的背景色",
+ "editorInlayHintBackgroundTypes": "类型内联提示的背景色",
+ "editorInlayHintForeground": "内联提示的前景色",
+ "editorInlayHintForegroundParameter": "参数内联提示的前景色",
+ "editorInlayHintForegroundTypes": "类型内联提示的前景色",
+ "editorLightBulbAutoFixForeground": "用于灯泡自动修复操作图标的颜色。",
+ "editorLightBulbForeground": "用于灯泡操作图标的颜色。",
+ "editorSelectionBackground": "编辑器所选内容的颜色。",
+ "editorSelectionForeground": "用以彰显高对比度的所选文本的颜色。",
+ "editorSelectionHighlight": "具有与所选项相关内容的区域的颜色。颜色必须透明,以免隐藏下面的修饰效果。",
+ "editorSelectionHighlightBorder": "与所选项内容相同的区域的边框颜色。",
+ "editorStickyScrollBackground": "编辑器的粘滞滚动背景色",
+ "editorStickyScrollHoverBackground": "编辑器悬停背景色上的粘滞滚动",
+ "editorWarning.background": "编辑器中警告文本的背景色。颜色必须透明,以免隐藏下面的修饰效果。",
+ "editorWarning.foreground": "编辑器中警告波浪线的前景色。",
+ "editorWidgetBackground": "编辑器组件(如查找/替换)背景颜色。",
+ "editorWidgetBorder": "编辑器小部件的边框颜色。此颜色仅在小部件有边框且不被小部件重写时适用。",
+ "editorWidgetForeground": "编辑器小部件的前景色,如查找/替换。",
+ "editorWidgetResizeBorder": "编辑器小部件大小调整条的边框颜色。此颜色仅在小部件有调整边框且不被小部件颜色覆盖时使用。",
+ "errorBorder": "编辑器中错误框的边框颜色。",
+ "errorForeground": "错误信息的整体前景色。此颜色仅在不被组件覆盖时适用。",
+ "findMatchHighlight": "其他搜索匹配项的颜色。颜色必须透明,以免隐藏下面的修饰效果。",
+ "findMatchHighlightBorder": "其他搜索匹配项的边框颜色。",
+ "findRangeHighlight": "限制搜索范围的颜色。颜色不能不透明,以免隐藏底层装饰。",
+ "findRangeHighlightBorder": "限制搜索的范围的边框颜色。颜色必须透明,以免隐藏下面的修饰效果。",
+ "focusBorder": "焦点元素的整体边框颜色。此颜色仅在不被其他组件覆盖时适用。",
+ "foreground": "整体前景色。此颜色仅在不被组件覆盖时适用。",
+ "highlight": "在列表或树中搜索时,其中匹配内容的高亮颜色。",
+ "hintBorder": "编辑器中提示框的边框颜色。",
+ "hoverBackground": "编辑器悬停提示的背景颜色。",
+ "hoverBorder": "光标悬停时编辑器的边框颜色。",
+ "hoverForeground": "编辑器悬停的前景颜色。",
+ "hoverHighlight": "在下面突出显示悬停的字词。颜色必须透明,以免隐藏下面的修饰效果。",
+ "iconForeground": "工作台中图标的默认颜色。",
+ "infoBorder": "编辑器中信息框的边框颜色。",
+ "inputBoxActiveOptionBorder": "输入字段中已激活选项的边框颜色。",
+ "inputBoxBackground": "输入框背景色。",
+ "inputBoxBorder": "输入框边框。",
+ "inputBoxForeground": "输入框前景色。",
+ "inputOption.activeBackground": "输入字段中选项的背景悬停颜色。",
+ "inputOption.activeForeground": "输入字段中已激活的选项的前景色。",
+ "inputOption.hoverBackground": "输入字段中激活选项的背景颜色。",
+ "inputPlaceholderForeground": "输入框中占位符的前景色。",
+ "inputValidationErrorBackground": "输入验证结果为错误级别时的背景色。",
+ "inputValidationErrorBorder": "严重性为错误时输入验证的边框颜色。",
+ "inputValidationErrorForeground": "输入验证结果为错误级别时的前景色。",
+ "inputValidationInfoBackground": "输入验证结果为信息级别时的背景色。",
+ "inputValidationInfoBorder": "严重性为信息时输入验证的边框颜色。",
+ "inputValidationInfoForeground": "输入验证结果为信息级别时的前景色。",
+ "inputValidationWarningBackground": "严重性为警告时输入验证的背景色。",
+ "inputValidationWarningBorder": "严重性为警告时输入验证的边框颜色。",
+ "inputValidationWarningForeground": "输入验证结果为警告级别时的前景色。",
+ "invalidItemForeground": "列表或树中无效项的前景色,例如资源管理器中没有解析的根目录。",
+ "keybindingLabelBackground": "键绑定标签背景色。键绑定标签用于表示键盘快捷方式。",
+ "keybindingLabelBorder": "键绑定标签边框色。键绑定标签用于表示键盘快捷方式。",
+ "keybindingLabelBottomBorder": "键绑定标签边框底部色。键绑定标签用于表示键盘快捷方式。",
+ "keybindingLabelForeground": "键绑定标签前景色。键绑定标签用于表示键盘快捷方式。",
+ "listActiveSelectionBackground": "已选项在列表或树活动时的背景颜色。活动的列表或树具有键盘焦点,非活动的没有。",
+ "listActiveSelectionForeground": "已选项在列表或树活动时的前景颜色。活动的列表或树具有键盘焦点,非活动的没有。",
+ "listActiveSelectionIconForeground": "已选项在列表/树活动时的列表/树图标前景颜色。活动的列表/树具有键盘焦点,非活动的则没有。",
+ "listDeemphasizedForeground": "取消强调的项目的列表/树前景颜色。",
+ "listDropBackground": "使用鼠标移动项目时,列表或树进行拖放的背景颜色。",
+ "listErrorForeground": "包含错误的列表项的前景颜色。",
+ "listFilterMatchHighlight": "筛选后的匹配项的背景颜色。",
+ "listFilterMatchHighlightBorder": "筛选后的匹配项的边框颜色。",
+ "listFilterWidgetBackground": "列表和树中类型筛选器小组件的背景色。",
+ "listFilterWidgetNoMatchesOutline": "当没有匹配项时,列表和树中类型筛选器小组件的轮廓颜色。",
+ "listFilterWidgetOutline": "列表和树中类型筛选器小组件的轮廓颜色。",
+ "listFilterWidgetShadow": "列表和树中类型筛选器小组件的阴影颜色。",
+ "listFocusAndSelectionOutline": "当列表/树处于活动状态且已选择时,重点项的列表/树边框颜色。活动的列表/树具有键盘焦点,但非活动的则没有。",
+ "listFocusBackground": "焦点项在列表或树活动时的背景颜色。活动的列表或树具有键盘焦点,非活动的没有。",
+ "listFocusForeground": "焦点项在列表或树活动时的前景颜色。活动的列表或树具有键盘焦点,非活动的没有。",
+ "listFocusHighlightForeground": "在列表或树中搜索时,匹配活动聚焦项的突出显示内容的列表/树前景色。",
+ "listFocusOutline": "列表/树活动时,焦点项目的列表/树边框色。活动的列表/树具有键盘焦点,非活动的没有。",
+ "listHoverBackground": "使用鼠标移动项目时,列表或树的背景颜色。",
+ "listHoverForeground": "鼠标在项目上悬停时,列表或树的前景颜色。",
+ "listInactiveFocusBackground": "非活动的列表或树控件中焦点项的背景颜色。活动的列表或树具有键盘焦点,非活动的没有。",
+ "listInactiveFocusOutline": "列表/数非活动时,焦点项目的列表/树边框色。活动的列表/树具有键盘焦点,非活动的没有。",
+ "listInactiveSelectionBackground": "已选项在列表或树非活动时的背景颜色。活动的列表或树具有键盘焦点,非活动的没有。",
+ "listInactiveSelectionForeground": "已选项在列表或树非活动时的前景颜色。活动的列表或树具有键盘焦点,非活动的没有。",
+ "listInactiveSelectionIconForeground": "已选项在列表/树非活动时的图标前景颜色。活动的列表/树具有键盘焦点,非活动的则没有。",
+ "listWarningForeground": "包含警告的列表项的前景颜色。",
+ "menuBackground": "菜单项的背景颜色。",
+ "menuBorder": "菜单的边框颜色。",
+ "menuForeground": "菜单项的前景颜色。",
+ "menuSelectionBackground": "菜单中所选菜单项的背景色。",
+ "menuSelectionBorder": "菜单中所选菜单项的边框颜色。",
+ "menuSelectionForeground": "菜单中选定菜单项的前景色。",
+ "menuSeparatorBackground": "菜单中分隔线的颜色。",
+ "mergeBorder": "内联合并冲突中标头和分割线的边框颜色。",
+ "mergeCommonContentBackground": "内联合并冲突中的常见祖先内容背景。颜色必须透明,以免隐藏下面的修饰效果。",
+ "mergeCommonHeaderBackground": "内联合并冲突中的常见祖先标头背景。颜色必须透明,以免隐藏下面的修饰效果。",
+ "mergeCurrentContentBackground": "内联合并冲突中的当前内容背景。颜色必须透明,以免隐藏下面的修饰效果。",
+ "mergeCurrentHeaderBackground": "当前标题背景的内联合并冲突。颜色不能不透明,以免隐藏底层装饰。",
+ "mergeIncomingContentBackground": "内联合并冲突中的传入内容背景。颜色必须透明,以免隐藏下面的修饰效果。",
+ "mergeIncomingHeaderBackground": "内联合并冲突中的传入标题背景。颜色必须透明,以免隐藏下面的修饰效果。",
+ "minimapBackground": "迷你地图背景颜色。",
+ "minimapError": "用于错误的迷你地图标记颜色。",
+ "minimapFindMatchHighlight": "用于查找匹配项的迷你地图标记颜色。",
+ "minimapForegroundOpacity": "在缩略图中呈现的前景元素的不透明度。例如,\"#000000c0\" 将呈现不透明度为 75% 的元素。",
+ "minimapSelectionHighlight": "编辑器选区在迷你地图中对应的标记颜色。",
+ "minimapSelectionOccurrenceHighlight": "用于重复编辑器选择的缩略图标记颜色。",
+ "minimapSliderActiveBackground": "单击时,迷你地图滑块的背景颜色。",
+ "minimapSliderBackground": "迷你地图滑块背景颜色。",
+ "minimapSliderHoverBackground": "悬停时,迷你地图滑块的背景颜色。",
+ "overviewRuleWarning": "用于警告的迷你地图标记颜色。",
+ "overviewRulerCommonContentForeground": "内联合并冲突中共同祖先区域的概览标尺前景色。",
+ "overviewRulerCurrentContentForeground": "内联合并冲突中当前版本区域的概览标尺前景色。",
+ "overviewRulerFindMatchForeground": "用于查找匹配项的概述标尺标记颜色。颜色必须透明,以免隐藏下面的修饰效果。",
+ "overviewRulerIncomingContentForeground": "内联合并冲突中传入的版本区域的概览标尺前景色。",
+ "overviewRulerSelectionHighlightForeground": "用于突出显示所选内容的概述标尺标记颜色。颜色必须透明,以免隐藏下面的修饰效果。",
+ "pickerBackground": "背景颜色快速选取器。快速选取器小部件是选取器(如命令调色板)的容器。",
+ "pickerForeground": "前景颜色快速选取器。快速选取器小部件是命令调色板等选取器的容器。",
+ "pickerGroupBorder": "快速选取器分组边框的颜色。",
+ "pickerGroupForeground": "快速选取器分组标签的颜色。",
+ "pickerTitleBackground": "标题背景颜色快速选取器。快速选取器小部件是命令调色板等选取器的容器。",
+ "problemsErrorIconForeground": "用于问题错误图标的颜色。",
+ "problemsInfoIconForeground": "用于问题信息图标的颜色。",
+ "problemsWarningIconForeground": "用于问题警告图标的颜色。",
+ "progressBarBackground": "表示长时间操作的进度条的背景色。",
+ "quickInput.list.focusBackground deprecation": "请改用 quickInputList.focusBackground",
+ "quickInput.listFocusBackground": "焦点项目的快速选择器背景色。",
+ "quickInput.listFocusForeground": "焦点项目的快速选择器前景色。",
+ "quickInput.listFocusIconForeground": "焦点项目的快速选取器图标前景色。",
+ "sashActiveBorder": "活动框格的边框颜色。",
+ "scrollbarShadow": "表示视图被滚动的滚动条阴影。",
+ "scrollbarSliderActiveBackground": "滚动条滑块在被点击时的背景色。",
+ "scrollbarSliderBackground": "滚动条滑块背景色",
+ "scrollbarSliderHoverBackground": "滚动条滑块在悬停时的背景色",
+ "searchEditor.editorFindMatchBorder": "搜索编辑器查询匹配的边框颜色。",
+ "searchEditor.queryMatch": "搜索编辑器查询匹配的颜色。",
+ "selectionBackground": "工作台所选文本的背景颜色(例如输入字段或文本区域)。注意,本设置不适用于编辑器。",
+ "snippetFinalTabstopHighlightBackground": "代码片段中最后的 Tab 位的高亮背景色。",
+ "snippetFinalTabstopHighlightBorder": "代码片段中最后的制表位的高亮边框颜色。",
+ "snippetTabstopHighlightBackground": "代码片段 Tab 位的高亮背景色。",
+ "snippetTabstopHighlightBorder": "代码片段 Tab 位的高亮边框颜色。",
+ "statusBarBackground": "编辑器悬停状态栏的背景色。",
+ "tableColumnsBorder": "列之间的表边框颜色。",
+ "tableOddRowsBackgroundColor": "奇数表行的背景色。",
+ "textBlockQuoteBackground": "文本中块引用的背景颜色。",
+ "textBlockQuoteBorder": "文本中块引用的边框颜色。",
+ "textCodeBlockBackground": "文本中代码块的背景颜色。",
+ "textLinkActiveForeground": "文本中链接在点击或鼠标悬停时的前景色 。",
+ "textLinkForeground": "文本中链接的前景色。",
+ "textPreformatForeground": "预格式化文本段的前景色。",
+ "textSeparatorForeground": "文字分隔符的颜色。",
+ "toolbarActiveBackground": "将鼠标悬停在操作上时的工具栏背景",
+ "toolbarHoverBackground": "使用鼠标悬停在操作上时显示工具栏背景",
+ "toolbarHoverOutline": "使用鼠标悬停在操作上时显示工具栏轮廓",
+ "treeIndentGuidesStroke": "缩进参考线的树描边颜色。",
+ "warningBorder": "编辑器中警告框的边框颜色。",
+ "widgetShadow": "编辑器内小组件(如查找/替换)的阴影颜色。"
+ },
+ "vs/platform/theme/common/iconRegistry": {
+ "iconDefinition.fontCharacter": "与图标定义关联的字体字符。",
+ "iconDefinition.fontId": "要使用的字体的 ID。如果未设置,则使用最先定义的字体。",
+ "nextChangeIcon": "“转到下一个编辑器位置”图标。",
+ "previousChangeIcon": "“转到上一个编辑器位置”图标。",
+ "widgetClose": "小组件中“关闭”操作的图标。"
+ },
+ "vs/platform/theme/common/tokenClassificationRegistry": {
+ "abstract": "用于抽象符号的样式。",
+ "async": "用于异步的符号的样式。",
+ "class": "类样式。",
+ "comment": "注释的样式。",
+ "declaration": "所有符号声明的样式。",
+ "decorator": "修饰器和注释的样式。",
+ "deprecated": "用于已弃用的符号的样式。",
+ "documentation": "用于文档中引用的样式。",
+ "enum": "枚举的样式。",
+ "enumMember": "枚举成员的样式。",
+ "event": "事件的样式。",
+ "function": "函数样式",
+ "interface": "接口样式。",
+ "keyword": "关键字的样式。",
+ "labels": "文本样式",
+ "macro": "宏样式。",
+ "member": "成员函数的样式",
+ "method": "成员(成员函数)的样式",
+ "modification": "用于写入访问的样式。",
+ "namespace": "命名空间的样式。",
+ "number": "数字样式。",
+ "operator": "运算符的样式。",
+ "parameter": "参数样式。",
+ "property": "属性的样式。",
+ "readonly": "用于只读符号的样式。",
+ "regexp": "表达式的样式。",
+ "schema.fontStyle.error": "字形必须为 \"italic\" (斜体)、\"bold\" (粗体)、\"underline\" (下划线)、\"strikethrough\" (删除线) 或是上述的组合。空字符串将取消设置的所有字形。",
+ "schema.token.background.warning": "暂不支持标记背景色。",
+ "schema.token.bold": "将字形设置为粗体或取消粗体设置。请注意,如果存在 \"fontStyle\",则会替代此设置。",
+ "schema.token.fontStyle": "设置规则的所有字形: \"italic\" (斜体)、\"bold\" (粗体)、\"underline\" (下划线)、\"strikethrough\" (删除线) 或是上述的组合。所有未列出的字形都将取消设置。空字符串将取消设置的所有字形。",
+ "schema.token.fontStyle.none": "无 (清除继承的设置)",
+ "schema.token.foreground": "标记的前景色。",
+ "schema.token.italic": "将字形设置为倾斜或取消倾斜设置。请注意,如果存在 \"fontStyle\",则会替代此设置。",
+ "schema.token.settings": "标记的颜色和样式。",
+ "schema.token.strikethrough": "将字形设置为下划线或取消下划线设置。请注意,如果存在 \"fontStyle\",则会替代此设置。",
+ "schema.token.underline": "将字形设置为下划线或取消下划线设置。请注意,如果存在 \"fontStyle\",则会替代此设置。",
+ "static": "用于静态符号的样式。",
+ "string": "字符串的样式。",
+ "struct": "结构样式。",
+ "type": "类型的样式。",
+ "typeParameter": "类型参数的样式。",
+ "variable": "变量的样式。"
+ },
+ "vs/platform/undoRedo/common/undoRedoService": {
+ "cancel": "取消",
+ "cannotResourceRedoDueToInProgressUndoRedo": "无法重做“{0}”,因为已有一项撤消或重做操作正在运行。",
+ "cannotResourceUndoDueToInProgressUndoRedo": "无法撤销“{0}”,因为已有一项撤消或重做操作正在运行。",
+ "cannotWorkspaceRedo": "无法在所有文件中重做“{0}”。{1}",
+ "cannotWorkspaceRedoDueToChanges": "无法对所有文件重做“{0}”,因为已更改 {1}",
+ "cannotWorkspaceRedoDueToInMeantimeUndoRedo": "无法跨所有文件重做“{0}”,因为同时发生了一项撤消或重做操作",
+ "cannotWorkspaceRedoDueToInProgressUndoRedo": "无法跨所有文件重做“{0}”,因为 {1} 上已有一项撤消或重做操作正在运行",
+ "cannotWorkspaceUndo": "无法在所有文件中撤消“{0}”。{1}",
+ "cannotWorkspaceUndoDueToChanges": "无法撤消所有文件的“{0}”,因为已更改 {1}",
+ "cannotWorkspaceUndoDueToInMeantimeUndoRedo": "无法跨所有文件撤销“{0}”,因为同时发生了一项撤消或重做操作",
+ "cannotWorkspaceUndoDueToInProgressUndoRedo": "无法跨所有文件撤销“{0}”,因为 {1} 上已有一项撤消或重做操作正在运行",
+ "confirmDifferentSource": "是否要撤消“{0}”?",
+ "confirmDifferentSource.no": "否",
+ "confirmDifferentSource.yes": "是",
+ "confirmWorkspace": "是否要在所有文件中撤消“{0}”?",
+ "externalRemoval": "以下文件已关闭并且已在磁盘上修改: {0}。",
+ "noParallelUniverses": "以下文件已以不兼容的方式修改: {0}。",
+ "nok": "撤消此文件",
+ "ok": "在 {0} 个文件中撤消"
+ },
+ "vs/platform/update/common/update.config.contribution": {
+ "default": "启用自动更新检查。代码将定期自动检查更新。",
+ "deprecated": "此设置已弃用,请改用“{0}”。",
+ "enableWindowsBackgroundUpdates": "启用在 Windows 上后台下载和安装新的 VS Code 版本。",
+ "enableWindowsBackgroundUpdatesTitle": "在 Windows 上启用后台更新",
+ "manual": "禁用自动后台更新检查。如果手动检查更新,更新将可用。",
+ "none": "禁用更新。",
+ "showReleaseNotes": "在更新后显示发行说明。发行说明将从 Microsoft 联机服务中获取。",
+ "start": "仅在启动时检查更新。禁用自动后台更新检查。",
+ "updateConfigurationTitle": "更新",
+ "updateMode": "配置是否接收自动更新。更改后需要重新启动。更新是从微软在线服务获取的。"
+ },
+ "vs/platform/userDataProfile/common/userDataProfile": {
+ "defaultProfile": "默认"
+ },
+ "vs/platform/userDataSync/common/abstractSynchronizer": {
+ "incompatible": "无法同步 {0},因为它的本地版本 {1} 与其远程版本 {2} 不兼容",
+ "incompatible sync data": "无法分析同步数据,因为它与当前版本不兼容。"
+ },
+ "vs/platform/userDataSync/common/keybindingsSync": {
+ "errorInvalidSettings": "无法同步键绑定,因为文件中的内容无效。请打开文件并进行更正。"
+ },
+ "vs/platform/userDataSync/common/settingsSync": {
+ "errorInvalidSettings": "无法同步设置,因为设置文件中存在错误/警告。"
+ },
+ "vs/platform/userDataSync/common/userDataAutoSyncService": {
+ "default service changed": "默认服务已更改,因此无法同步",
+ "service changed": "同步服务已更改,因此无法同步",
+ "session expired": "无法同步,因为当前会话已过期",
+ "turned off": "无法同步,因为同步在云中已关闭",
+ "turned off machine": "无法同步,因为已从另一台计算机上关闭了此计算机上的同步。"
+ },
+ "vs/platform/userDataSync/common/userDataSync": {
+ "app.extension.identifier.errorMessage": "预期的格式 \"${publisher}.${name}\"。例如: \"vscode.csharp\"。",
+ "settings sync": "设置同步",
+ "settingsSync.ignoredExtensions": "同步时要忽略的扩展列表。扩展的标识符始终为 \"${publisher}.${name}\"。例如: \"vscode.csharp\"。",
+ "settingsSync.ignoredSettings": "配置在同步时要忽略的设置。",
+ "settingsSync.keybindingsPerPlatform": "为每个平台同步键绑定。"
+ },
+ "vs/platform/userDataSync/common/userDataSyncMachines": {
+ "error incompatible": "无法读取计算机数据,因为当前版本不兼容。请更新 {0},然后重试。"
+ },
+ "vs/platform/windows/electron-main/window": {
+ "appCrashed": "窗口出现故障",
+ "appCrashedDetail": "我们对此不便表示抱歉! 请重启该窗口以从上次停止的位置继续。",
+ "appCrashedDetails": "窗口已崩溃(原因:“{0}”,代码:“{1}”)",
+ "appStalled": "窗口未响应",
+ "appStalledDetail": "你可以重新打开或关闭窗口,或者保持等待。",
+ "close": "关闭(&C)",
+ "doNotRestoreEditors": "不还原编辑器",
+ "hiddenMenuBar": "你仍可以通过 Alt 键访问菜单栏。",
+ "reopen": "重新打开(&&R)",
+ "wait": "继续等待(&&K)"
+ },
+ "vs/platform/windows/electron-main/windowsMainService": {
+ "ok": "确定(&&O)",
+ "pathNotExistDetail": "此计算机上不存在路径“{0}”。",
+ "pathNotExistTitle": "路径不存在",
+ "uriInvalidDetail": "URI“{0}”无效,无法打开。",
+ "uriInvalidTitle": "无法打开 uri"
+ },
+ "vs/platform/workspace/common/workspace": {
+ "codeWorkspace": "Code 工作区"
+ },
+ "vs/platform/workspace/common/workspaceTrust": {
+ "trusted": "受信任",
+ "untrusted": "受限模式"
+ },
+ "vs/platform/workspaces/electron-main/workspacesHistoryMainService": {
+ "newWindow": "新窗口",
+ "newWindowDesc": "打开新窗口",
+ "recentFolders": "最近使用的文件夹",
+ "recentFoldersAndWorkspaces": "最近使用的文件夹和工作区",
+ "untitledWorkspace": "无标题(工作区)",
+ "workspaceName": "{0} (工作区)"
+ },
+ "vs/platform/workspaces/electron-main/workspacesManagementMainService": {
+ "ok": "确定(&&O)",
+ "workspaceOpenedDetail": "已在另一个窗口打开工作区。请先关闭该窗口,然后重试。",
+ "workspaceOpenedMessage": "无法保存工作区“{0}”"
+ },
+ "win32/i18n/messages": {
+ "AddContextMenuFiles": "将“通过 %1 打开”操作添加到 Windows 资源管理器文件上下文菜单",
+ "AddContextMenuFolders": "将“通过 %1 打开”操作添加到 Windows 资源管理器目录上下文菜单",
+ "AddToPath": "添加到 PATH (需要重启 shell)",
+ "AdditionalIcons": "其他图标:",
+ "AssociateWithFiles": "将 %1 注册为受支持的文件类型的编辑器",
+ "ConfirmUninstall": "确定要完全删除 %1 及其所有组件?",
+ "CreateDesktopIcon": "创建桌面图标(&D)",
+ "CreateQuickLaunchIcon": "创建 \"快速启动\" 图标(&Q)",
+ "FinishedLabel": "安装程序已在计算机上安装好 [name]。选择安装的快捷方式即可启动该应用程序。",
+ "OpenWithCodeContextMenu": "使用 %1 打开(&I)",
+ "Other": "其他:",
+ "RunAfter": "安装后运行 %1",
+ "SourceFile": "%1 源文件"
+ },
+ "vs/code/electron-main/app": {
+ "cancel": "否(&&N)",
+ "confirmOpenDetail": "如果你未发起此请求,则可能表示有人试图攻击你的系统。除非你采取了明确操作来发起此请求,否则应按“否”",
+ "confirmOpenMessage": "外部应用程序想要在 {1} 中打开“{0}”。是否要打开此文件或文件夹?",
+ "open": "是(&Y)",
+ "trace.detail": "请创建问题并手动附加以下文件:\r\n{0}",
+ "trace.message": "已成功创建跟踪信息。",
+ "trace.ok": "确定(&&O)"
+ },
+ "vs/code/electron-main/main": {
+ "close": "关闭(&C)",
+ "secondInstanceAdmin": "{0} 的第二个实例已经以管理员身份运行。",
+ "secondInstanceAdminDetail": "请先关闭另一个实例,然后重试。",
+ "secondInstanceNoResponse": "{0} 的另一实例正在运行但没有响应",
+ "secondInstanceNoResponseDetail": "请先关闭其他所有实例,然后重试。",
+ "startupDataDirError": "无法写入程序用户数据。",
+ "startupUserDataAndExtensionsDirErrorDetail": "{0}\r\n\r\n请确保以下目录是可写的:\r\n\r\n{1}"
+ },
+ "vs/code/electron-sandbox/issue/issueReporterMain": {
+ "bugDescription": "请分享能稳定重现此问题的必要步骤,并包含实际和预期的结果。我们支持 GitHub 版的 Markdown。您将能在 GitHub 上预览时编辑这个问题并添加截图。",
+ "bugReporter": "Bug 报告",
+ "closed": "已关闭",
+ "createOnGitHub": "在 GitHub 上创建",
+ "description": "说明",
+ "disabledExtensions": "扩展已禁用",
+ "extension": "扩展",
+ "featureRequest": "功能请求",
+ "featureRequestDescription": "请描述您希望能够使用的功能。我们支持 GitHub 版的 Markdown。您将能在 GitHub 上预览时编辑问题并添加截图。",
+ "hide": "隐藏",
+ "loadingData": "正在加载数据…",
+ "marketplace": "扩展市场",
+ "noCurrentExperiments": "无当前试验。",
+ "noSimilarIssues": "没有找到类似问题",
+ "open": "打开",
+ "pasteData": "所需的数据太大,无法直接发送。我们已经将其写入剪贴板,请粘贴。",
+ "performanceIssue": "性能问题",
+ "performanceIssueDesciption": "这个性能问题是在什么时候发生的? 是在启动时,还是在一系列特定的操作之后? 我们支持 GitHub 版的 Markdown。您将能在 GitHub 上预览时编辑这个问题并添加截图。",
+ "previewOnGitHub": "在 GitHub 中预览",
+ "rateLimited": "超出 GitHub 查询限制。请稍候。",
+ "selectSource": "选择源",
+ "show": "显示",
+ "similarIssues": "类似的问题",
+ "stepsToReproduce": "重现步骤",
+ "unknown": "不知道",
+ "vscode": "Visual Studio Code"
+ },
+ "vs/code/electron-sandbox/issue/issueReporterPage": {
+ "chooseExtension": "扩展",
+ "completeInEnglish": "请使用英文进行填写。",
+ "descriptionEmptyValidation": "需要描述。",
+ "details": "请输入详细信息。",
+ "disableExtensions": "禁用所有扩展并重新加载窗口",
+ "disableExtensionsLabelText": "请试着在{0}之后重现问题。如果此问题仅在扩展运行时才能重现,那么这可能是一个扩展的问题。",
+ "extensionWithNoBugsUrl": "问题报告程序无法为此扩展创建问题,因为它没有指定用于报告问题的 URL。请查看此扩展的应用商店页面,以便查看是否有其他说明。",
+ "extensionWithNonstandardBugsUrl": "问题报告程序无法为此扩展创建问题。请访问{0}报告问题。",
+ "issueSourceEmptyValidation": "问题源是必需的。",
+ "issueSourceLabel": "提交到",
+ "issueTitleLabel": "标题",
+ "issueTitleRequired": "请输入标题。",
+ "issueTypeLabel": "这是一个",
+ "sendExperiments": "包括 A/B 试验信息",
+ "sendExtensions": "包含已启用的扩展",
+ "sendProcessInfo": "包含当前运行中的进程",
+ "sendSystemInfo": "包含系统信息",
+ "sendWorkspaceInfo": "包含工作区元数据",
+ "show": "显示",
+ "titleEmptyValidation": "标题是必需的。",
+ "titleLengthValidation": "标题太长。"
+ },
+ "vs/code/electron-sandbox/processExplorer/processExplorerMain": {
+ "copy": "复制",
+ "copyAll": "全部复制",
+ "cpu": "CPU (%)",
+ "debug": "调试",
+ "forceKillProcess": "强制结束进程",
+ "killProcess": "结束进程",
+ "memory": "内存(MB)",
+ "name": "进程名称",
+ "pid": "PID"
+ },
+ "vs/workbench/api/browser/mainThreadAuthentication": {
+ "accountLastUsedDate": "上次使用此帐户的时间: {0}",
+ "allow": "允许",
+ "cancel": "取消",
+ "confirmLogin": "扩展\"{0}\"希望使用{1}登录。",
+ "confirmRelogin": "扩展“{0}”希望你使用 {1} 重新登录。",
+ "manageExtensions": "选择可以访问此帐户的扩展",
+ "manageTrustedExtensions": "管理受信任的扩展",
+ "manageTrustedExtensions.cancel": "取消",
+ "noTrustedExtensions": "尚无任何扩展使用此帐户。",
+ "notUsed": "未使用此帐户",
+ "signOut": "注销",
+ "signOutMessage": "帐户“{0}”已由以下扩展使用: \r\n\r\n{1}\r\n\r\n 是否注销这些扩展?",
+ "signOutMessageSimple": "注销“{0}”?",
+ "signedOut": "已成功注销。"
+ },
+ "vs/workbench/api/browser/mainThreadCLICommands": {
+ "cannot be installed": "无法安装“{0}”扩展,因为它被声明为不在此安装程序中运行。"
+ },
+ "vs/workbench/api/browser/mainThreadComments": {
+ "commentsViewIcon": "查看备注视图的图标。"
+ },
+ "vs/workbench/api/browser/mainThreadCustomEditors": {
+ "defaultEditLabel": "编辑"
+ },
+ "vs/workbench/api/browser/mainThreadExtensionService": {
+ "disabledDep": "无法激活“{0}”扩展,因为它依赖于“{1}”扩展,该扩展已禁用。是否要启用扩展并重新加载窗口?",
+ "disabledDepNoAction": "无法激活“{0}”扩展,因为它依赖于被禁用的“{1}”扩展。",
+ "enable dep": "启用和重新加载",
+ "install missing dep": "安装并重新加载",
+ "manageWorkspaceTrust": "管理工作区信任",
+ "notSupportedInWorkspace": "无法激活 \"{0}\" 扩展,因为它依赖于当前工作区中不支持的 \"{1}\" 扩展",
+ "reload": "重新加载窗口",
+ "reload window": "无法激活 \"{0}\" 扩展, 因为它依赖于未加载的 \"{1}\" 扩展。是否要重新加载窗口以加载扩展名?",
+ "restrictedMode": "无法激活 \"{0}\" 扩展,因为它依赖于受限模式下不支持的 \"{1}\" 扩展",
+ "uninstalledDep": "无法激活 \"{0}\" 扩展, 因为它依赖于未安装的 \"{1}\" 扩展。是否要安装扩展并重新加载窗口?",
+ "unknownDep": "无法激活“{0}”扩展,因为它依赖未知的“{1}”扩展。"
+ },
+ "vs/workbench/api/browser/mainThreadFileSystemEventService": {
+ "again": "不再询问",
+ "ask.1.copy": "扩展 \"{0}\" 希望通过复制此文件来进行重构更改",
+ "ask.1.create": "扩展 \"{0}\" 希望通过创建此文件来进行重构更改",
+ "ask.1.delete": "扩展 \"{0}\" 希望通过删除此文件来进行重构更改",
+ "ask.1.move": "扩展 \"{0}\" 希望通过移动此文件来进行重构更改",
+ "ask.N.copy": "{0} 扩展希望通过复制此文件来进行重构更改",
+ "ask.N.create": "{0} 扩展希望通过创建此文件来进行重构更改",
+ "ask.N.delete": "{0} 扩展希望通过删除此文件来进行重构更改",
+ "ask.N.move": "{0} 扩展希望通过移动此文件来进行重构更改",
+ "cancel": "跳过更改",
+ "label": "“文件操作需要预览”的重置选项",
+ "msg-copy": "正在运行“文件复制”参与者…",
+ "msg-create": "正在运行\"文件创建\"参与者...",
+ "msg-delete": "正在运行\"文件删除\"参与者...",
+ "msg-rename": "正在运行\"文件重命名\"参与者...",
+ "msg-write": "正在运行“文件写入”参与者...",
+ "ok": "确定",
+ "preview": "显示预览"
+ },
+ "vs/workbench/api/browser/mainThreadMessageService": {
+ "cancel": "取消",
+ "defaultSource": "扩展",
+ "extensionSource": "{0} (扩展)",
+ "manageExtension": "管理扩展",
+ "ok": "确定"
+ },
+ "vs/workbench/api/browser/mainThreadProgress": {
+ "manageExtension": "管理扩展"
+ },
+ "vs/workbench/api/browser/mainThreadSaveParticipant": {
+ "timeout.onWillSave": "在 1750ms 后终止了 onWillSaveTextDocument 事件"
+ },
+ "vs/workbench/api/browser/mainThreadTask": {
+ "task.label": "{0}: {1}"
+ },
+ "vs/workbench/api/browser/mainThreadTunnelService": {
+ "remote.tunnel.openTunnel": "扩展 {0} 具有转发端口 {1}。需要以超级用户身份运行,才能在本地使用端口 {2}。",
+ "remote.tunnelsView.elevationButton": "使用端口 {0} 作为 Sudo…"
+ },
+ "vs/workbench/api/browser/mainThreadUriOpeners": {
+ "openerFailedMessage": "无法使用 \"{0}\" 打开 uri: {1}",
+ "openerFailedUseDefault": "使用默认 opener 打开"
+ },
+ "vs/workbench/api/browser/mainThreadWebviews": {
+ "errorMessage": "还原视图时出错: {0}"
+ },
+ "vs/workbench/api/browser/mainThreadWorkspace": {
+ "folderStatusChangeFolder": "扩展“{0}”更改了工作区中的文件夹",
+ "folderStatusMessageAddMultipleFolders": "扩展“{0}”添加了 {1} 个文件夹到工作区",
+ "folderStatusMessageAddSingleFolder": "扩展“{0}”添加了 1 个文件夹到工作区",
+ "folderStatusMessageRemoveMultipleFolders": "扩展“{0}”从工作区删除了 {1} 个文件夹",
+ "folderStatusMessageRemoveSingleFolder": "扩展“{0}”从工作区删除了 1 个文件夹"
+ },
+ "vs/workbench/api/browser/viewsExtensionPoint": {
+ "ViewContainerDoesnotExist": "视图容器“{0}”不存在。所有注册到其中的视图将被添加到“资源管理器”中。",
+ "ViewContainerRequiresProposedAPI": "查看容器“{0}”需要将 “enabledApiProposals: [“contribViewsRemote”]” 添加到“远程”。",
+ "duplicateView1": "无法注册具有相同 ID“{0}”的多个视图",
+ "duplicateView2": "已注册 ID 为“{0}”的视图。",
+ "optenum": "属性“{0}”可被省略或必须是 {1} 之一",
+ "optstring": "属性 \"{0}\" 可以省略,或者必须为 \"string\" 类型",
+ "requirearray": "视图必须是一个数组",
+ "requireidstring": "属性“{0}”是必需的,并且必须为具有非空值的类型 `string`。只允许使用字母数字字符、 “_” 和 “-”。",
+ "requirenonemptystring": "属性“{0}”是必需的,并且必须为具有非空值的类型 `string`",
+ "requirestring": "属性 \"{0}\" 是必需项并且必须为 \"string\" 类型",
+ "unknownViewType": "未知视图类型“{0}”。",
+ "viewcontainer requirearray": "视图容器必须为数组",
+ "views.container.activitybar": "向活动栏提供视图容器",
+ "views.container.panel": "向面板提供视图容器",
+ "views.contributed": "向“提供的视图”容器提供视图",
+ "views.debug": "向活动栏中的“调试”容器提供视图",
+ "views.explorer": "向活动栏中的“资源管理器”容器提供视图",
+ "views.remote": "在活动栏中为远程容器提供视图。要为此容器提供帮助,需要启用enableProposedApi。",
+ "views.scm": "向活动栏中的“源代码管理”容器提供视图",
+ "views.test": "向活动栏中的“测试”容器提供视图",
+ "vscode.extension.contributes.view.contextualTitle": "当视图移出其原始位置时的用户可读上下文。默认情况下,将使用视图的容器名称。",
+ "vscode.extension.contributes.view.group": "视图中的嵌套组",
+ "vscode.extension.contributes.view.icon": "视图图标的路径。无法显示视图名称时,将显示视图图标。可以接受任何图像文件类型,但建议图标采用 SVG 格式。",
+ "vscode.extension.contributes.view.id": "视图的标识符。这在所有视图中都应是唯一的。建议将扩展 ID 包含在视图 ID 中。使用此选项通过 \"vscode.window.registerTreeDataProviderForView\" API 注册数据提供程序。也可通过将 \"onView:${id}\" 事件注册为 \"activationEvents\" 来触发激活扩展。",
+ "vscode.extension.contributes.view.initialState": "首次安装扩展时视图的初始状态。用户一旦通过折叠、移动或隐藏视图更改视图状态,就不再使用初始状态。",
+ "vscode.extension.contributes.view.initialState.collapsed": "视图将在视图容器中折叠显示。",
+ "vscode.extension.contributes.view.initialState.hidden": "视图不会显示在视图容器中,但可通过视图菜单和其他视图入口点发现,而且用户可取消隐藏视图。",
+ "vscode.extension.contributes.view.initialState.visible": "视图的默认初始状态。但在大多数容器中,视图将展开,但某些内置容器(资源管理器、scm 和调试)显示所有已折叠的参与视图,无论“可见性”如何,都是如此。",
+ "vscode.extension.contributes.view.name": "用户可读的视图名称。将显示它",
+ "vscode.extension.contributes.view.remoteName": "与此视图关联的远程类型的名称",
+ "vscode.extension.contributes.view.tree": "该视图由 \"createTreeView\" 创建的 \"TreeView\" 提供支持。",
+ "vscode.extension.contributes.view.type": "视图的类型。对于基于树状视图的视图,这可以是 \"tree\",对于基于 Web 视图的视图,这可以是 \"webview\"。默认值为 \"tree\"。",
+ "vscode.extension.contributes.view.webview": "该视图由 \"registerWebviewViewProvider\" 注册的 \"WebviewView\" 提供支持。",
+ "vscode.extension.contributes.view.when": "为真时才显示此视图的条件",
+ "vscode.extension.contributes.views": "向编辑器提供视图",
+ "vscode.extension.contributes.views.containers.icon": "容器图标的路径。图标大小为 24x24,并居中放置在 50x40 的区域内,其填充颜色为 \"rgb(215, 218, 224)\" 或 \"#d7dae0\"。所有图片格式均可用,推荐使用 SVG 格式。",
+ "vscode.extension.contributes.views.containers.id": "用于标识容器的唯一 ID,视图能在容器内通过 \"view\" 参与点提供。",
+ "vscode.extension.contributes.views.containers.title": "人类可读的用于表示此容器的字符串",
+ "vscode.extension.contributes.viewsContainers": "向编辑器提供视图容器",
+ "vscode.extension.contributs.view.size": "视图的大小。使用数字的行为将类似于 css “flex” 属性,并且当首次显示视图时,大小将设置初始大小。在侧边栏中,这是视图的高度。"
+ },
+ "vs/workbench/api/common/configurationExtensionPoint": {
+ "config.property.defaultConfiguration.warning": "无法注册“{0}”的配置默认值。仅支持可重写计算机、窗口、资源和可重写语言范围设置的默认值。",
+ "config.property.duplicate": "无法注册“{0}”。此属性已注册。",
+ "invalid.allOf": "\"configuration.allOf\" 已被弃用且不应被使用。你可以将多个配置单元作为数组传递给 \"configuration\" 参与点。",
+ "invalid.properties": "configuration.properties 必须是对象",
+ "invalid.property": "配置对象属性“{0}”必须是对象",
+ "invalid.title": "configuration.title 必须是字符串",
+ "scope.application.description": "只能在用户设置中进行配置的配置。",
+ "scope.deprecationMessage": "设置后,该属性将被标记为已弃用,并将给定的消息显示为解释。",
+ "scope.description": "配置适用的作用域。可用作用域包括\"application\"、\"machine\"、\"window\"、\"resource\"和\"machine-overridable\"。",
+ "scope.editPresentation": "指定后,控制字符串设置的表示格式。",
+ "scope.enumDescriptions": "枚举值的说明",
+ "scope.language-overridable.description": "可在语言特定设置中配置的资源配置。",
+ "scope.machine-overridable.description": "也可在工作区或文件夹设置中配置的计算机配置。",
+ "scope.machine.description": "只能在用户设置或远程设置中配置的配置。",
+ "scope.markdownDeprecationMessage": "设置后,该属性将被标记为已弃用,并按 Markdown 格式显示给定的消息作为解释。",
+ "scope.markdownDescription": "Markdown 格式的说明。",
+ "scope.markdownEnumDescriptions": "Markdown 格式的枚举值说明。",
+ "scope.multilineText.description": "该值将显示在文本区域中。",
+ "scope.order": "指定后,提供此设置相对于同一类别中其他设置的顺序。在未设置此属性的设置之前,将放置具有顺序属性的设置。",
+ "scope.resource.description": "可在用户、远程、工作区或文件夹设置中对其进行配置的配置。",
+ "scope.singlelineText.description": "该值将显示在输入框中。",
+ "scope.window.description": "可在用户、远程或工作区设置中对其进行配置的配置。",
+ "unknownWorkspaceProperty": "未知的工作区配置属性",
+ "vscode.extension.contributes.configuration": "用于配置字符串。",
+ "vscode.extension.contributes.configuration.order": "指定后,提供此类别的设置相对于其他类别的顺序。",
+ "vscode.extension.contributes.configuration.properties": "配置属性的描述。",
+ "vscode.extension.contributes.configuration.properties.schema": "配置属性的架构。",
+ "vscode.extension.contributes.configuration.property.empty": "属性不应为空。",
+ "vscode.extension.contributes.configuration.title": "当前设置类别的标题。此标签将在“设置”编辑器中以副标题形式呈现。如果标题与扩展显示名称相同,则类别将分组到主扩展标题下。",
+ "workspaceConfig.extensions.description": "工作区扩展",
+ "workspaceConfig.folders.description": "将载入到工作区的文件夹列表。",
+ "workspaceConfig.launch.description": "工作区启动配置",
+ "workspaceConfig.name.description": "文件夹的可选名称。",
+ "workspaceConfig.path.description": "文件路径。例如 \"/root/folderA\" 或 \"./folderA\"。后者表示根据工作区文件位置进行解析的相对路径。",
+ "workspaceConfig.remoteAuthority": "工作区所在的远程服务器。",
+ "workspaceConfig.settings.description": "工作区设置",
+ "workspaceConfig.tasks.description": "工作区任务配置",
+ "workspaceConfig.transient": "重启或重新加载时,暂时性工作区将消失。",
+ "workspaceConfig.uri.description": "文件夹的 URI"
+ },
+ "vs/workbench/api/common/extHostDiagnostics": {
+ "limitHit": "未显示 {0} 个进一步的错误和警告。"
+ },
+ "vs/workbench/api/common/extHostExtensionService": {
+ "extensionTestError": "路径 {0} 未指向有效的扩展测试运行程序。",
+ "extensionTestError1": "无法加载测试运行程序。"
+ },
+ "vs/workbench/api/common/extHostProgress": {
+ "extensionSource": "{0} (扩展)"
+ },
+ "vs/workbench/api/common/extHostStatusBar": {
+ "extensionLabel": "{0} (扩展)",
+ "status.extensionMessage": "扩展状态"
+ },
+ "vs/workbench/api/common/extHostTerminalService": {
+ "launchFail.idMissingOnExtHost": "在扩展主机上找不到 ID 为 {0} 的终端"
+ },
+ "vs/workbench/api/common/extHostTreeViews": {
+ "treeView.duplicateElement": "ID 为 {0} 的元素已被注册",
+ "treeView.notRegistered": "未注册 ID 为 \"{0}\" 的树状视图。"
+ },
+ "vs/workbench/api/common/extHostWorkspace": {
+ "updateerror": "扩展“{0}”未能更新工作区文件夹: {1}"
+ },
+ "vs/workbench/api/common/jsonValidationExtensionPoint": {
+ "contributes.jsonValidation": "用于 json 架构配置。",
+ "contributes.jsonValidation.fileMatch": "要匹配的文件模式(或模式数组),例如\"package.json\"或\"*. launch\"。排除模式以\"!\"开头",
+ "contributes.jsonValidation.url": "到扩展文件夹('./')的架构 URL (\"http:\"、\"https:\")或相对路径。",
+ "invalid.fileMatch": "\"configuration.jsonValidation.fileMatch\"必须定义为字符串或字符串数组。",
+ "invalid.jsonValidation": "configuration.jsonValidation 必须是数组",
+ "invalid.path.1": "\"contributes.{0}.url\" ({1})应包含在扩展的文件夹({2})内。这可能会使扩展不可移植。",
+ "invalid.url": "configuration.jsonValidation.url 必须是 URL 或相对路径",
+ "invalid.url.fileschema": "configuration.jsonValidation.url 是无效的相对 URL: {0}",
+ "invalid.url.schema": "\"configuration.jsonValidation.url\" 必须是绝对 URL 或者以 \"./\" 开头,以引用扩展中的架构。"
+ },
+ "vs/workbench/api/node/extHostDebugService": {
+ "debug.terminal.title": "调试流程"
+ },
+ "vs/workbench/api/node/extHostTunnelService": {
+ "tunnelPrivacy.private": "专用",
+ "tunnelPrivacy.public": "公共"
+ },
+ "vs/workbench/browser/actions/developerActions": {
+ "inspect context keys": "检查上下文键值",
+ "keyboardShortcutsFormat.command": "命令标题。",
+ "keyboardShortcutsFormat.commandAndKeys": "命令标题和密钥。",
+ "keyboardShortcutsFormat.commandWithGroup": "以其组为前缀的命令标题。",
+ "keyboardShortcutsFormat.commandWithGroupAndKeys": "命令标题和密钥,其中命令以其组为前缀。",
+ "keyboardShortcutsFormat.keys": "密钥。",
+ "logStorage": "记录存储数据库内容",
+ "logWorkingCopies": "日志工作副本",
+ "screencastMode.fontSize": "控制截屏模式键盘的字体大小(以像素为单位)。",
+ "screencastMode.keyboardOverlayTimeout": "控制截屏模式下键盘覆盖显示的时长(以毫秒为单位)。",
+ "screencastMode.keyboardShortcutsFormat": "控制显示快捷方式时键盘覆盖中显示的内容。",
+ "screencastMode.location.verticalPosition": "控制截屏模式叠加的垂直偏移,从底部作为工作台高度的百分比。",
+ "screencastMode.mouseIndicatorColor": "控制截屏视频模式下鼠标指示器的十六进制(#RGB、#RGBA、#RRGGBB 或 #RRGGBBAA)的颜色。",
+ "screencastMode.mouseIndicatorSize": "控制截屏模式下鼠标光标的大小(以像素为单位)。",
+ "screencastMode.onlyKeyboardShortcuts": "仅在截屏模式下显示键盘快捷方式。",
+ "screencastModeConfigurationTitle": "截屏模式",
+ "toggle screencast mode": "切换屏幕模式"
+ },
+ "vs/workbench/browser/actions/helpActions": {
+ "keybindingsReference": "键盘快捷方式参考",
+ "miDocumentation": "文档(&&D)",
+ "miKeyboardShortcuts": "键盘快捷方式参考(&&K)",
+ "miLicense": "查看许可证(&&V)",
+ "miPrivacyStatement": "隐私声明(&&Y)",
+ "miTipsAndTricks": "贴士和技巧(&&C)",
+ "miTwitter": "Twitter 上和我们互动(&&J)",
+ "miUserVoice": "搜索功能请求(&&S)",
+ "miVideoTutorials": "视频教程(&&V)",
+ "newsletterSignup": "订阅 VS Code 新闻邮件",
+ "openDocumentationUrl": "文档",
+ "openLicenseUrl": "查看许可证",
+ "openPrivacyStatement": "隐私声明",
+ "openTipsAndTricksUrl": "提示与技巧",
+ "openTwitterUrl": "在 Twitter 上和我们互动",
+ "openUserVoiceUrl": "搜索功能请求",
+ "openVideoTutorialsUrl": "视频教程"
+ },
+ "vs/workbench/browser/actions/layoutActions": {
+ "active": "活动",
+ "activityBar": "活动栏",
+ "activityBarLeft": "表示活动栏在左侧位置",
+ "activityBarRight": "表示活动栏在右侧位置",
+ "centerLayoutIcon": "表示居中布局模式",
+ "centerPanel": "居中",
+ "centeredLayout": "居中布局",
+ "close": "关闭",
+ "closeSidebar": "关闭主侧栏",
+ "cofigureLayoutIcon": "图标表示工作台布局配置。",
+ "compositePart.hideSideBarLabel": "隐藏主边栏",
+ "configureLayout": "配置布局",
+ "customizeLayout": "自定义布局...",
+ "customizeLayoutQuickPickTitle": "自定义布局",
+ "decreaseEditorHeight": "降低编辑器高度",
+ "decreaseEditorWidth": "降低编辑器宽度",
+ "decreaseViewSize": "减小当前视图大小",
+ "fullScreenIcon": "表示全屏",
+ "fullscreen": "全屏",
+ "hidden": "隐藏",
+ "increaseEditorHeight": "增加编辑器高度",
+ "increaseEditorWidth": "增加编辑器宽度",
+ "increaseViewSize": "增加当前视图大小",
+ "justifyPanel": "两端对齐",
+ "layoutModes": "模式",
+ "leftPanel": "左对齐",
+ "leftSideBar": "左对齐",
+ "menuBar": "菜单栏",
+ "menuBarIcon": "表示菜单栏",
+ "miActivityBar": "活动栏(&&A)",
+ "miAppearance": "外观(&&A)",
+ "miMenuBar": "菜单栏(&&B)",
+ "miMenuBarNoMnemonic": "菜单栏",
+ "miMoveSidebarLeft": "向左移动主侧栏(&M)",
+ "miMoveSidebarRight": "向右移动主侧栏(&&M)",
+ "miShowEditorArea": "显示编辑区域(&&E)",
+ "miShowSidebar": "主侧边栏(&&P)",
+ "miSidebarNoMnnemonic": "主侧边栏",
+ "miStatusbar": "状态栏(&&T)",
+ "miToggleCenteredLayout": "居中布局(&&C)",
+ "miToggleZenMode": "禅模式",
+ "move second sidebar left": "向左移动辅助边栏",
+ "move second sidebar right": "向右移动辅助边栏",
+ "move side bar right": "向右移动主侧栏",
+ "move sidebar left": "向左移动主侧栏",
+ "move sidebar right": "向右移动主侧栏",
+ "moveFocusedView": "移动焦点视图",
+ "moveFocusedView.error.noFocusedView": "当前没有重点视图。",
+ "moveFocusedView.error.nonMovableView": "当前焦点视图不可移动。",
+ "moveFocusedView.newContainerInPanel": "新建面板条目",
+ "moveFocusedView.newContainerInSidePanel": "新建辅助侧栏条目",
+ "moveFocusedView.newContainerInSidebar": "新侧边栏条目",
+ "moveFocusedView.selectDestination": "选择视图的目标",
+ "moveFocusedView.selectView": "选择要移动的视图",
+ "moveFocusedView.title": "视图: 移动 {0}",
+ "moveSidebarLeft": "向左移动主侧栏",
+ "moveSidebarRight": "向右移动主侧栏",
+ "moveView": "移动视图",
+ "panel": "面板",
+ "panelAlignment": "面板对齐方式",
+ "panelBottom": "表示底部面板",
+ "panelBottomCenter": "表示底部面板对齐方式设为居中",
+ "panelBottomJustify": "表示设置底部面板对齐方式设为两端对齐",
+ "panelBottomLeft": "表示底部面板对齐方式设为左对齐",
+ "panelBottomRight": "表示底部面板对齐方式设为右对齐",
+ "panelContainer": "面板/{0}",
+ "panelLeft": "表示左侧位置的侧栏",
+ "panelLeftOff": "表示已关闭的左侧位置的侧栏",
+ "panelRight": "表示右侧位置的侧栏",
+ "panelRightOff": "表示已关闭的右侧位置的侧栏",
+ "resetFocusedView.error.noFocusedView": "当前没有重点视图。",
+ "resetFocusedViewLocation": "重置焦点视图位置",
+ "resetViewLocations": "重置视图位置",
+ "rightPanel": "右对齐",
+ "rightSideBar": "右对齐",
+ "secondarySideBar": "辅助侧边栏",
+ "secondarySideBarContainer": "辅助侧栏/{0}",
+ "sideBar": "主侧栏",
+ "sideBarPosition": "主侧栏位置",
+ "sidebar": "侧边栏",
+ "sidebarContainer": "侧边栏/{0}",
+ "statusBar": "状态栏",
+ "statusBarIcon": "表示状态栏",
+ "toggleActivityBar": "切换活动栏可见性",
+ "toggleCenteredLayout": "切换居中布局",
+ "toggleEditor": "切换编辑器区域可见性",
+ "toggleMenuBar": "切换菜单栏",
+ "toggleSideBar": "切换主侧栏",
+ "toggleSidebar": "切换主侧栏可见性",
+ "toggleSidebarPosition": "切换主侧栏位置",
+ "toggleStatusbar": "切换状态栏可见性",
+ "toggleTabs": "切换标签页可见性",
+ "toggleVisibility": "可见性",
+ "toggleZenMode": "切换禅模式",
+ "visible": "可见",
+ "zenMode": "禅模式",
+ "zenModeIcon": "表示禅模式"
+ },
+ "vs/workbench/browser/actions/navigationActions": {
+ "focusNextPart": "专注下一部分",
+ "focusPreviousPart": "专注上一部分",
+ "navigateDown": "导航到下方视图",
+ "navigateLeft": "导航到左侧视图",
+ "navigateRight": "导航到右侧视图",
+ "navigateUp": "导航到上方视图"
+ },
+ "vs/workbench/browser/actions/quickAccessActions": {
+ "quickNavigateNext": "在 Quick Open 中导航到下一个",
+ "quickNavigatePrevious": "在 Quick Open 中导航到上一个",
+ "quickOpen": "转到文件...",
+ "quickSelectNext": "在 Quick Open 中选择“下一步”",
+ "quickSelectPrevious": "在 Quick Open 中选择“上一步”"
+ },
+ "vs/workbench/browser/actions/textInputActions": {
+ "copy": "复制",
+ "cut": "剪切",
+ "paste": "粘贴",
+ "redo": "恢复",
+ "selectAll": "选择全部",
+ "undo": "撤消"
+ },
+ "vs/workbench/browser/actions/windowActions": {
+ "about": "关于",
+ "blur": "从具有焦点的元素中删除键盘焦点",
+ "dirtyFolder": "包含未保存的文件的文件夹",
+ "dirtyFolderConfirm": "是否要打开文件夹以查看未保存的文件?",
+ "dirtyFolderConfirmDetail": "在保存或还原所有未保存的文件之前,无法删除包含未保存的文件的文件夹。",
+ "dirtyRecentlyOpenedFolder": "包含未保存的文件的文件夹",
+ "dirtyRecentlyOpenedWorkspace": "包含未保存的文件的工作区",
+ "dirtyWorkspace": "包含未保存的文件的工作区",
+ "dirtyWorkspaceConfirm": "是否要打开工作区以查看未保存的文件?",
+ "dirtyWorkspaceConfirmDetail": "在保存或还原所有未保存的文件之前,无法删除包含未保存的文件的工作区。",
+ "file": "文件",
+ "files": "文件",
+ "folders": "文件夹",
+ "miAbout": "关于(&&A)",
+ "miConfirmClose": "关闭前确认",
+ "miMore": "更多(&&M)...",
+ "miNewWindow": "新建窗口(&&W)",
+ "miOpenRecent": "打开最近的文件(&&R)",
+ "miToggleFullScreen": "全屏(&&F)",
+ "newWindow": "新建窗口",
+ "openRecent": "打开最近的文件…",
+ "openRecentPlaceholder": "选中以打开(按 Ctrl 键强制打开新窗口,或按 Alt 键打开同一窗口)",
+ "openRecentPlaceholderMac": "选中以打开(按 Cmd 键强制打开新窗口,或按 Option 键打开同一窗口)",
+ "quickOpenRecent": "快速打开最近的文件…",
+ "recentDirtyFolderAriaLabel": "{0},包含未保存的更改的文件夹",
+ "recentDirtyWorkspaceAriaLabel": "{0},包含未保存的更改的工作区",
+ "reloadWindow": "重新加载窗口",
+ "remove": "从最近打开中删除",
+ "toggleFullScreen": "切换全屏",
+ "workspacesAndFolders": "文件夹和工作区"
+ },
+ "vs/workbench/browser/actions/workspaceActions": {
+ "closeWorkspace": "关闭工作区",
+ "duplicateWorkspace": "复制工作区",
+ "duplicateWorkspaceInNewWindow": "在新窗口中复制工作区",
+ "filesCategory": "文件",
+ "globalRemoveFolderFromWorkspace": "将文件夹从工作区删除…",
+ "miAddFolderToWorkspace": "将文件夹添加到工作区(&&D)...",
+ "miCloseFolder": "关闭文件夹(&&F)",
+ "miCloseWorkspace": "关闭工作区(&&W)",
+ "miOpen": "打开(&&O)...",
+ "miOpenFile": "打开文件(&&O)...",
+ "miOpenFolder": "打开文件夹(&&F)...",
+ "miOpenWorkspace": "从文件打开工作区(&&K)...",
+ "miSaveWorkspaceAs": "将工作区另存为...",
+ "openFile": "打开文件...",
+ "openFileFolder": "打开...",
+ "openFolder": "打开文件夹...",
+ "openWorkspaceAction": "从文件打开工作区...",
+ "openWorkspaceConfigFile": "打开工作区配置文件",
+ "saveWorkspaceAsAction": "将工作区另存为...",
+ "workspaces": "工作区"
+ },
+ "vs/workbench/browser/actions/workspaceCommands": {
+ "add": "添加(&&A)",
+ "addFolderToWorkspace": "将文件夹添加到工作区...",
+ "addFolderToWorkspaceTitle": "将文件夹添加到工作区",
+ "workspaceFolderPickerPlaceholder": "选择工作区文件夹"
+ },
+ "vs/workbench/browser/codeeditor": {
+ "openWorkspace": "打开工作区"
+ },
+ "vs/workbench/browser/editor": {
+ "pinned": "{0},已固定",
+ "preview": "{0},预览"
+ },
+ "vs/workbench/browser/parts/activitybar/activitybarActions": {
+ "authProviderUnavailable": "{0} 当前不可用",
+ "focusActivityBar": "将焦点放在活动栏上",
+ "hideAccounts": "隐藏帐户",
+ "manageTrustedExtensions": "管理受信任的扩展",
+ "nextSideBarView": "下一个主侧栏视图",
+ "noAccounts": "你未登录任何帐户",
+ "previousSideBarView": "上一个主侧栏视图",
+ "signOut": "注销"
+ },
+ "vs/workbench/browser/parts/activitybar/activitybarPart": {
+ "accounts": "帐户",
+ "accounts visibility key": "活动栏中的帐户条目可见性自定义。",
+ "accountsViewBarIcon": "视图栏中的“帐户”图标。",
+ "hideActivitBar": "隐藏活动栏",
+ "hideMenu": "隐藏菜单",
+ "manage": "管理",
+ "menu": "菜单",
+ "pinned view containers": "活动栏条目可见性自定义",
+ "resetLocation": "重置位置",
+ "settingsViewBarIcon": "视图栏中的“设置”图标。"
+ },
+ "vs/workbench/browser/parts/auxiliarybar/auxiliaryBarActions": {
+ "focusAuxiliaryBar": "将焦点置于辅助侧栏",
+ "hideAuxiliaryBar": "隐藏辅助侧栏",
+ "miAuxiliaryBar": "辅助侧边栏(&&D)",
+ "miAuxiliaryBarNoMnemonic": "辅助侧边栏",
+ "toggleAuxiliaryBar": "切换辅助边栏可见性",
+ "toggleAuxiliaryIconLeft": "用于在其左侧位置切换辅助栏的图标。",
+ "toggleAuxiliaryIconLeftOn": "用于打开其左侧位置辅助栏的图标。",
+ "toggleAuxiliaryIconRight": "用于在其右侧位置关闭辅助栏的图标。",
+ "toggleAuxiliaryIconRightOn": "用于打开其右侧位置辅助栏的图标。",
+ "toggleSecondarySideBar": "切换辅助侧栏"
+ },
+ "vs/workbench/browser/parts/auxiliarybar/auxiliaryBarPart": {
+ "hideAuxiliaryBar": "隐藏辅助侧栏",
+ "move second side bar left": "向左移动辅助边栏",
+ "move second side bar right": "向右移动辅助边栏"
+ },
+ "vs/workbench/browser/parts/banner/bannerPart": {
+ "focusBanner": "焦点横幅"
+ },
+ "vs/workbench/browser/parts/compositeBar": {
+ "activityBarAriaLabel": "活动视图切换器"
+ },
+ "vs/workbench/browser/parts/compositeBarActions": {
+ "additionalViews": "其他视图",
+ "badgeTitle": "{0} - {1}",
+ "hide": "隐藏“{0}”",
+ "keep": "保留“{0}”",
+ "manageExtension": "管理扩展",
+ "numberBadge": "{0} ({1})",
+ "titleKeybinding": "{0} ({1})",
+ "toggle": "切换已固定的视图"
+ },
+ "vs/workbench/browser/parts/compositePart": {
+ "ariaCompositeToolbarLabel": "{0}操作",
+ "titleTooltip": "{0} ({1})",
+ "viewsAndMoreActions": "视图和更多操作…"
+ },
+ "vs/workbench/browser/parts/dialogs/dialogHandler": {
+ "aboutDetail": "版本: {0}\r\n提交: {1}\r\n日期: {2}\r\n浏览器: {3}",
+ "cancelButton": "取消",
+ "copy": "复制",
+ "ok": "确定",
+ "yesButton": "是(&&Y)"
+ },
+ "vs/workbench/browser/parts/editor/binaryDiffEditor": {
+ "metadataDiff": "{0} ↔ {1}"
+ },
+ "vs/workbench/browser/parts/editor/binaryEditor": {
+ "binaryEditor": "二进制查看器",
+ "binaryError": "此文件是二进制文件或使用了不支持的文本编码,无法在编辑器中显示。",
+ "openAnyway": "仍然打开"
+ },
+ "vs/workbench/browser/parts/editor/breadcrumbs": {
+ "enabled": "启用/禁用导航路径。",
+ "filepath": "控制是否及如何在“导航路径”视图中显示文件路径。",
+ "filepath.last": "在导航路径视图中仅显示文件路径的最后一个元素。",
+ "filepath.off": "不在导航路径视图中显示文件路径。",
+ "filepath.on": "在导航路径视图中显示文件路径。",
+ "filteredTypes.array": "启用后,痕迹导航栏将显示“数组”符号。",
+ "filteredTypes.boolean": "启用后,痕迹导航栏将显示“布尔”符号。",
+ "filteredTypes.class": "启用后,痕迹导航栏显示“类”符号。",
+ "filteredTypes.constant": "启用后,痕迹导航栏将显示“常量”符号。",
+ "filteredTypes.constructor": "启用后,痕迹符将显示“构造函数”符号。",
+ "filteredTypes.enum": "启用后,痕迹导航栏将显示“枚举”符号。",
+ "filteredTypes.enumMember": "启用后,痕迹导航栏将显示 \"enumMember\" 符号。",
+ "filteredTypes.event": "启用后,痕迹导航栏将显示“事件”符号。",
+ "filteredTypes.field": "启用后,痕迹导航栏将显示“字段”符号。",
+ "filteredTypes.file": "启用后,痕迹导航栏将显示“文件”符号。",
+ "filteredTypes.function": "启用后,痕迹导航栏将显示“函数”符号。",
+ "filteredTypes.interface": "启用后,痕迹导航栏将显示“接口”符号。",
+ "filteredTypes.key": "启用后,痕迹导航栏将显示“键”符号。",
+ "filteredTypes.method": "启用后,痕迹导航栏将显示“方法”符号。",
+ "filteredTypes.module": "启用后,痕迹导航栏将显示“模块”符号。",
+ "filteredTypes.namespace": "启用后,痕迹导航栏将显示“命名空间”符号。",
+ "filteredTypes.null": "启用后,痕迹导航栏将显示 \"null\" 符号。",
+ "filteredTypes.number": "启用后,痕迹导航栏将显示“数字”符号。",
+ "filteredTypes.object": "启用后,痕迹导航栏将显示“对象”符号。",
+ "filteredTypes.operator": "启用后,痕迹导航栏将显示“运算符”符号。",
+ "filteredTypes.package": "启用后,痕迹导航栏将显示“包”符号。",
+ "filteredTypes.property": "启用后,痕迹导航栏将显示“属性”符号。",
+ "filteredTypes.string": "启用后,痕迹导航栏将显示“字符串”符号。",
+ "filteredTypes.struct": "启用后,痕迹导航栏将显示“结构”符号。",
+ "filteredTypes.typeParameter": "启用后,痕迹导航栏将显示 \"typeParameter\" 符号。",
+ "filteredTypes.variable": "启用后,痕迹导航栏将显示“变量”符号。",
+ "icons": "使用图标渲染面包屑导航项。",
+ "symbolSortOrder": "控制“导航路径”大纲视图中符号的排序方式。",
+ "symbolSortOrder.name": "以字母顺序显示符号大纲。",
+ "symbolSortOrder.position": "以文件位置顺序显示符号大纲。",
+ "symbolSortOrder.type": "以符号类型顺序显示符号大纲。",
+ "symbolpath": "控制是否及如何在“导航路径”视图中显示符号。",
+ "symbolpath.last": "在导航路径视图中仅显示当前符号。",
+ "symbolpath.off": "不在导航路径视图中显示符号。",
+ "symbolpath.on": "在“导航路径”视图中显示所有符号。",
+ "title": "导航路径"
+ },
+ "vs/workbench/browser/parts/editor/breadcrumbsControl": {
+ "breadcrumbsActive": "焦点是否在痕迹导航上",
+ "breadcrumbsPossible": "编辑器是否可显示痕迹导航",
+ "breadcrumbsVisible": "痕迹导航当前是否可见",
+ "cmd.focus": "聚焦到“导航路径”视图",
+ "cmd.toggle": "切换导航路径",
+ "empty": "无元素",
+ "miBreadcrumbs": "痕迹导航(&&B)",
+ "separatorIcon": "痕迹导航中分隔符的图标。"
+ },
+ "vs/workbench/browser/parts/editor/breadcrumbsPicker": {
+ "breadcrumbs": "痕迹导航"
+ },
+ "vs/workbench/browser/parts/editor/editor.contribution": {
+ "activeGroupEditorsByMostRecentlyUsedQuickAccess": "按最近使用显示活动组中的编辑器",
+ "allEditorsByAppearanceQuickAccess": "按外观显示所有打开的编辑器",
+ "allEditorsByMostRecentlyUsedQuickAccess": "按最近使用显示所有打开的编辑器",
+ "binaryDiffEditor": "二进制差异编辑器",
+ "close": "关闭",
+ "closeAll": "全部关闭",
+ "closeAllSaved": "关闭已保存",
+ "closeEditor": "关闭编辑器",
+ "closeEditorGroup": "关闭编辑器组",
+ "closeEditorsInGroup": "关闭组中的所有编辑器",
+ "closeGroupAction": "关闭组",
+ "closeOtherEditors": "关闭组中其他编辑器",
+ "closeOthers": "关闭其他",
+ "closePinnedEditor": "关闭固定的编辑器",
+ "closeRight": "关闭到右侧",
+ "closeRightEditors": "关闭组中右侧编辑器",
+ "closeSavedEditors": "关闭组中已保存的编辑器",
+ "editorQuickAccessPlaceholder": "键入要打开的编辑器名称。",
+ "file": "文件",
+ "ignoreTrimWhitespace.label": "忽略前导/尾随空格差异",
+ "inlineView": "内联视图",
+ "joinInGroup": "合并组",
+ "keepEditor": "保留编辑器",
+ "keepOpen": "保持打开状态",
+ "lockGroup": "锁定组",
+ "miClearRecentOpen": "清除最近打开记录(&&C)",
+ "miEditorLayout": "编辑器布局(&&L)",
+ "miFirstSideEditor": "编辑器中的第一侧(&&F)",
+ "miFocusAboveGroup": "上方组(&&A)",
+ "miFocusBelowGroup": "下方组(&&B)",
+ "miFocusFifthGroup": "第 5 组(&&5)",
+ "miFocusFirstGroup": "第 1 组(&&1)",
+ "miFocusFourthGroup": "第 4 组(&&4)",
+ "miFocusLeftGroup": "左侧组(&&L)",
+ "miFocusRightGroup": "右侧组(&&R)",
+ "miFocusSecondGroup": "第 2 组(&&2)",
+ "miFocusThirdGroup": "第 3 组(&&3)",
+ "miJoinEditorInGroup": "加入组(&&G)",
+ "miJoinEditorInGroupWithoutMnemonic": "合并组",
+ "miLastEditLocation": "上次编辑位置(&&L)",
+ "miNextEditor": "下一个编辑器(&&N)",
+ "miNextEditorInGroup": "组中的下一个编辑器(&&N)",
+ "miNextGroup": "下一个组(&&N)",
+ "miNextRecentlyUsedEditor": "下一个使用过的编辑器(&&N)",
+ "miNextUsedEditorInGroup": "组中下一个使用过的编辑器(&&N)",
+ "miPreviousEditor": "上一个编辑器(&&P)",
+ "miPreviousEditorInGroup": "组中的上一个编辑器(&&P)",
+ "miPreviousGroup": "上一个组(&&P)",
+ "miPreviousRecentlyUsedEditor": "上一个使用过的编辑器(&&P)",
+ "miPreviousUsedEditorInGroup": "组中上一个使用过的编辑器(&&P)",
+ "miReopenClosedEditor": "重新打开已关闭的编辑器(&&R)",
+ "miSecondSideEditor": "编辑器中的第二侧(&&S)",
+ "miShare": "共享",
+ "miSingleColumnEditorLayout": "单列(&&S)",
+ "miSingleColumnEditorLayoutWithoutMnemonic": "单一",
+ "miSplitEditorDown": "向下拆分(&&D)",
+ "miSplitEditorDownWithoutMnemonic": "向下拆分",
+ "miSplitEditorInGroup": "在组中拆分(&&G)",
+ "miSplitEditorInGroupWithoutMnemonic": "在组中拆分",
+ "miSplitEditorLeft": "向左拆分(&&L)",
+ "miSplitEditorLeftWithoutMnemonic": "向左拆分",
+ "miSplitEditorRight": "向右拆分(&&R)",
+ "miSplitEditorRightWithoutMnemonic": "向右拆分",
+ "miSplitEditorUp": "向上拆分(&&U)",
+ "miSplitEditorUpWithoutMnemonic": "向上拆分",
+ "miSwitchEditor": "切换编辑器(&&E)",
+ "miSwitchGroup": "切换组(&&G)",
+ "miThreeColumnsEditorLayout": "三列(&&H)",
+ "miThreeColumnsEditorLayoutWithoutMnemonic": "三列",
+ "miThreeRowsEditorLayout": "三行(&&R)",
+ "miThreeRowsEditorLayoutWithoutMnemonic": "三行",
+ "miTwoByTwoGridEditorLayout": "2x2 网格(&&G)",
+ "miTwoByTwoGridEditorLayoutWithoutMnemonic": "2x2 网格",
+ "miTwoColumnsBottomEditorLayout": "底部双列(&&C)",
+ "miTwoColumnsBottomEditorLayoutWithoutMnemonic": "底部双列",
+ "miTwoColumnsEditorLayout": "双列(&&T)",
+ "miTwoColumnsEditorLayoutWithoutMnemonic": "两列",
+ "miTwoRowsEditorLayout": "双行(&&W)",
+ "miTwoRowsEditorLayoutWithoutMnemonic": "双行",
+ "miTwoRowsRightEditorLayout": "右侧双行(&&O)",
+ "miTwoRowsRightEditorLayoutWithoutMnemonic": "右侧双行",
+ "navigate.next.label": "下一个更改",
+ "navigate.prev.label": "上一个更改",
+ "nextChangeIcon": "差异编辑器中下一个更改操作的图标",
+ "pin": "固定",
+ "pinEditor": "固定编辑器",
+ "previousChangeIcon": "差异编辑器中上一个更改操作的图标",
+ "reopenWith": "重新打开编辑器的方式…",
+ "showOpenedEditors": "显示打开的编辑器",
+ "showTrimWhitespace.label": "显示前导/尾随空格差异",
+ "sideBySideEditor": "并排编辑器",
+ "splitDown": "向下拆分",
+ "splitEditorDown": "向下拆分编辑器",
+ "splitEditorRight": "向右拆分编辑器",
+ "splitInGroup": "在组中拆分",
+ "splitLeft": "向左拆分",
+ "splitRight": "向右拆分",
+ "splitUp": "向上拆分",
+ "textDiffEditor": "文本差异编辑器",
+ "textEditor": "文本编辑器",
+ "toggleLockGroup": "锁定组",
+ "togglePreviewMode": "启用预览编辑器",
+ "toggleSplitEditorInGroupLayout": "切换布局",
+ "toggleWhitespace": "差异编辑器中“切换空白”操作的图标",
+ "unlockEditorGroup": "解锁组",
+ "unlockGroupAction": "解锁组",
+ "unpin": "取消固定",
+ "unpinEditor": "取消固定编辑器"
+ },
+ "vs/workbench/browser/parts/editor/editorActions": {
+ "clearButtonLabel": "清除(&&C)",
+ "clearEditorHistory": "清除编辑器历史记录",
+ "clearRecentFiles": "清除最近打开",
+ "closeAllEditors": "关闭所有编辑器",
+ "closeAllGroups": "关闭所有编辑器组",
+ "closeEditor": "关闭编辑器",
+ "closeEditorInAllGroups": "在所有组中关闭此编辑器",
+ "closeEditorsInOtherGroups": "关闭其他组中的编辑器",
+ "closeEditorsToTheLeft": "关闭组中左侧编辑器",
+ "closeOneEditor": "关闭",
+ "confirmClearDetail": "此操作不可逆!",
+ "confirmClearEditorHistoryMessage": "是否要清除最近打开的编辑器的历史记录?",
+ "confirmClearRecentsMessage": "是否要清除最近打开的所有文件和工作区?",
+ "duplicateActiveGroupDown": "向下复制编辑器组",
+ "duplicateActiveGroupLeft": "向左复制编辑器组",
+ "duplicateActiveGroupRight": "向右复制编辑器组",
+ "duplicateActiveGroupUp": "向上复制编辑器组",
+ "editorLayoutSingle": "单列编辑器布局",
+ "editorLayoutThreeColumns": "三列编辑器布局",
+ "editorLayoutThreeRows": "三行编辑器布局",
+ "editorLayoutTwoByTwoGrid": "2x2 网格编辑器布局",
+ "editorLayoutTwoColumns": "双列编辑器布局",
+ "editorLayoutTwoColumnsBottom": "底部双列编辑器布局",
+ "editorLayoutTwoRows": "双行编辑器布局",
+ "editorLayoutTwoRowsRight": "右侧双行编辑器布局",
+ "evenEditorGroups": "重置编辑器组大小",
+ "firstEditorInGroup": "打开组中的第一个编辑器",
+ "focusAboveGroup": "专注上述编辑器组",
+ "focusActiveEditorGroup": "聚焦到活动编辑器组",
+ "focusBelowGroup": "专注以下编辑器组",
+ "focusFirstEditorGroup": "聚焦于第一个编辑器组",
+ "focusLastEditorGroup": "聚焦到最终组编辑器",
+ "focusLeftGroup": "聚焦到左侧编辑器组",
+ "focusNextGroup": "聚焦到下一组编辑器",
+ "focusPreviousGroup": "聚焦到上一组编辑器",
+ "focusRightGroup": "聚焦到右侧编辑器组",
+ "joinAllGroups": "合并所有编辑器组",
+ "joinTwoGroups": "将编辑器组与下一组合并",
+ "lastEditorInGroup": "打开组中最后一个编辑器",
+ "maximizeEditor": "最大化编辑器组并隐藏边栏",
+ "miBack": "返回(&&B)",
+ "miForward": "前进(&&F)",
+ "minimizeOtherEditorGroups": "最大化编辑器组",
+ "moveActiveGroupDown": "向下移动编辑器组",
+ "moveActiveGroupLeft": "向左移动编辑器组",
+ "moveActiveGroupRight": "向右移动编辑器组",
+ "moveActiveGroupUp": "向上移动编辑器组",
+ "moveEditorLeft": "向左移动编辑器",
+ "moveEditorRight": "向右移动编辑器",
+ "moveEditorToAboveGroup": "将编辑器移动到上述组",
+ "moveEditorToBelowGroup": "将编辑器移动到以下组",
+ "moveEditorToFirstGroup": "将编辑器移动到第一组",
+ "moveEditorToLastGroup": "将编辑器移动到最后一组",
+ "moveEditorToLeftGroup": "将编辑器移动到左侧组",
+ "moveEditorToNextGroup": "将编辑器移动到下一组",
+ "moveEditorToPreviousGroup": "将编辑器移动到上一组",
+ "moveEditorToRightGroup": "将编辑器移动到右侧组",
+ "navigateBack": "返回",
+ "navigateBackInEdits": "编辑位置中的“返回”",
+ "navigateBackInNavigations": "导航位置中的“返回”",
+ "navigateEditorGroups": "在编辑器组间进行导航",
+ "navigateEditorHistoryByInput": "从历史记录中快速打开上一个编辑器",
+ "navigateForward": "前进",
+ "navigateForwardInEdits": "编辑位置中的“前进”",
+ "navigateForwardInNavigations": "导航位置中的“前进”",
+ "navigatePrevious": "转到上一页",
+ "navigatePreviousInEdits": "编辑位置中的“转到上一页”",
+ "navigatePreviousInNavigationLocations": "导航位置中的“转到上一页”",
+ "navigateToLastEditLocation": "转到上一编辑位置",
+ "navigateToLastNavigationLocation": "转到上一导航位置",
+ "newEditorAbove": "在上方新建编辑器组",
+ "newEditorBelow": "在下方新建编辑器组",
+ "newEditorLeft": "在左侧新建编辑器组",
+ "newEditorRight": "在右侧新建编辑器组",
+ "nextEditorInGroup": "打开组中的下一个编辑器",
+ "openNextEditor": "打开下一个编辑器",
+ "openNextRecentlyUsedEditor": "打开下一个最近使用的编辑器",
+ "openNextRecentlyUsedEditorInGroup": "打开组中下一个最近使用的编辑器",
+ "openPreviousEditor": "打开上一个编辑器",
+ "openPreviousEditorInGroup": "打开组中上一个编辑器",
+ "openPreviousRecentlyUsedEditor": "打开上一个最近使用的编辑器",
+ "openPreviousRecentlyUsedEditorInGroup": "打开组中上一个最近使用的编辑器",
+ "quickOpenLeastRecentlyUsedEditor": "快速打开最近使用频率最低的编辑器",
+ "quickOpenLeastRecentlyUsedEditorInGroup": "快速打开组中最近使用频率最低的编辑器",
+ "quickOpenPreviousRecentlyUsedEditor": "快速打开上一个最近使用过的编辑器",
+ "quickOpenPreviousRecentlyUsedEditorInGroup": "快速打开组中上一个最近使用过的编辑器",
+ "reopenClosedEditor": "重新打开已关闭的编辑器",
+ "revertAndCloseActiveEditor": "还原并关闭编辑器",
+ "showAllEditors": "按外观显示所有编辑器",
+ "showAllEditorsByMostRecentlyUsed": "按最近使用显示所有编辑器",
+ "showEditorsInActiveGroup": "按最近使用显示活动组中的编辑器",
+ "splitEditor": "拆分编辑器",
+ "splitEditorGroupDown": "向下拆分编辑器",
+ "splitEditorGroupLeft": "向左拆分编辑器",
+ "splitEditorGroupRight": "向右拆分编辑器",
+ "splitEditorGroupUp": "向上拆分编辑器",
+ "splitEditorOrthogonal": "正交拆分编辑器",
+ "splitEditorToAboveGroup": "将编辑器拆分为上述组",
+ "splitEditorToBelowGroup": "将编辑器拆分为以下组",
+ "splitEditorToFirstGroup": "将编辑器拆分为第一组",
+ "splitEditorToLastGroup": "将编辑器拆分为最后一个组",
+ "splitEditorToLeftGroup": "将编辑器拆分为左组",
+ "splitEditorToNextGroup": "将编辑器拆分为下一组",
+ "splitEditorToPreviousGroup": "将编辑器拆分为上一组",
+ "splitEditorToRightGroup": "将编辑器拆分为右组",
+ "toggleEditorWidths": "切换编辑器组大小",
+ "unpinEditor": "取消固定编辑器",
+ "workbench.action.reopenTextEditor": "使用文本编辑器重新打开编辑器",
+ "workbench.action.toggleEditorType": "切换编辑器类型"
+ },
+ "vs/workbench/browser/parts/editor/editorCommands": {
+ "compare": "比较",
+ "editorCommand.activeEditorCopy.arg.description": "参数属性\r\n\t* 'to': 提供复制位置的字符串值。\r\n\t* 'value': 提供要复制的位置数或绝对位置数的数字值。",
+ "editorCommand.activeEditorCopy.arg.name": "活动编辑器复制参数",
+ "editorCommand.activeEditorCopy.description": "按组复制活动编辑器",
+ "editorCommand.activeEditorMove.arg.description": "参数属性:\r\n\t* \"to\": 表示向何处移动的字符串值。\r\n\t* \"by\": 表示移动单位的字符串值 (按选项卡或按组)。\r\n\t* \"value\": 表示移动的位置数量或移动到的绝对位置的数字型值。",
+ "editorCommand.activeEditorMove.arg.name": "活动编辑器移动参数",
+ "editorCommand.activeEditorMove.description": "按标签或按组移动活动编辑器",
+ "focusLeftSideEditor": "在活动编辑器中专注第一侧",
+ "focusOtherSideEditor": "在活动编辑器中专注其他侧",
+ "focusRightSideEditor": "在活动编辑器中专注第二侧",
+ "joinEditorInGroup": "在组中加入编辑器",
+ "lockEditorGroup": "锁定编辑器组",
+ "splitEditorInGroup": "在组中拆分编辑器",
+ "toggleEditorGroupLock": "切换编辑器组锁定",
+ "toggleInlineView": "切换内联视图",
+ "toggleJoinEditorInGroup": "在组中切换拆分编辑器",
+ "toggleSplitEditorInGroupLayout": "切换组中拆分编辑器的布局",
+ "unlockEditorGroup": "解锁编辑器组"
+ },
+ "vs/workbench/browser/parts/editor/editorConfiguration": {
+ "editor.editorAssociations": "将 glob 模式配置到编辑器(例如 `\"*十六进制\": \"hexEditor.hexEdit\"`)。这些优先顺序高于默认行为。",
+ "markdownPreview": "Markdown 预览",
+ "workbench.editor.autoLockGroups": "如果与列出的其中一个类型匹配的编辑器作为编辑器组中的第一个编辑器打开,且打开了多个组,则该组会自动锁定。锁定的组仅用于在用户手势(例如拖放)显式选择时打开编辑器,默认情况下不使用。因此,锁定的组中的活动编辑器不太可能被意外替换为其他编辑器。",
+ "workbench.editor.defaultBinaryEditor": "检测为二进制文件的默认编辑器。如果未定义,将向用户显示选取器。"
+ },
+ "vs/workbench/browser/parts/editor/editorDropTarget": {
+ "dropIntoEditorPrompt": "按住 __{0}__ 以放入编辑器中"
+ },
+ "vs/workbench/browser/parts/editor/editorGroupView": {
+ "ariaLabelGroupActions": "空编辑器组操作",
+ "emptyEditorGroup": "{0} (空)",
+ "groupAriaLabel": "编辑器组{0}",
+ "groupLabel": "第 {0} 组"
+ },
+ "vs/workbench/browser/parts/editor/editorPanes": {
+ "cancel": "取消",
+ "editorOpenErrorDialog": "无法打开“{0}”",
+ "ok": "确定"
+ },
+ "vs/workbench/browser/parts/editor/editorPlaceholder": {
+ "errorEditor": "编辑器错误",
+ "manageTrust": "管理工作区信任",
+ "requiresFolderTrustText": "该文件未在编辑器中显示,因为尚未向该文件夹授予信任。",
+ "requiresWorkspaceTrustText": "该文件未在编辑器中显示,因为尚未向该工作区夹授予信任。",
+ "retry": "重试",
+ "trustRequiredEditor": "需要工作区信任",
+ "unavailableResourceErrorEditorText": "由于找不到该文件,因此无法打开编辑器。",
+ "unknownErrorEditorTextWithError": "由于意外错误,无法打开编辑器: {0}",
+ "unknownErrorEditorTextWithoutError": "由于意外错误,无法打开编辑器。"
+ },
+ "vs/workbench/browser/parts/editor/editorQuickAccess": {
+ "closeEditor": "关闭编辑器",
+ "entryAriaLabelDirty": "{0},个未保存的更改",
+ "entryAriaLabelWithGroup": "{0}, {1}",
+ "entryAriaLabelWithGroupDirty": "{0}, 个未保存的更改,{1}",
+ "noViewResults": "没有匹配的编辑器"
+ },
+ "vs/workbench/browser/parts/editor/editorStatus": {
+ "autoDetect": "自动检测",
+ "changeEncoding": "更改文件编码",
+ "changeEndOfLine": "更改行尾序列",
+ "changeMode": "更改语言模式",
+ "columnSelectionModeEnabled": "列选择",
+ "configureAssociationsExt": "“{0}”的配置文件关联...",
+ "configureModeSettings": "配置“{0}”语言基础设置...",
+ "currentAssociation": "当前关联",
+ "currentProblem": "当前问题",
+ "disableColumnSelectionMode": "禁用列选择模式",
+ "disableTabMode": "禁用辅助功能模式",
+ "endOfLineCarriageReturnLineFeed": "CRLF",
+ "endOfLineLineFeed": "LF",
+ "fileInfo": "文件信息",
+ "gotoLine": "转到行/列",
+ "guessedEncoding": "通过内容猜测",
+ "indentConvert": "转换文件",
+ "indentView": "更改视图",
+ "languageDescription": "({0}) - 已配置的语言",
+ "languageDescriptionConfigured": "({0})",
+ "languagesPicks": "语言(标识符)",
+ "multiSelection": "{0} 选择",
+ "multiSelectionRange": "{0} 选择(已选择 {1} 个字符)",
+ "noEditor": "当前没有活动的文本编辑器",
+ "noFileEditor": "此时无活动文件",
+ "noWritableCodeEditor": "活动代码编辑器为只读模式。",
+ "pickAction": "选择操作",
+ "pickEncodingForReopen": "选择文件编码以重新打开文件",
+ "pickEncodingForSave": "选择用于保存的文件编码",
+ "pickEndOfLine": "选择行尾序列",
+ "pickLanguage": "选择语言模式",
+ "pickLanguageToConfigure": "选择要与“{0}”关联的语言模式",
+ "reopenWithEncoding": "通过编码重新打开",
+ "saveWithEncoding": "通过编码保存",
+ "screenReaderDetected": "已为屏幕阅读器优化",
+ "screenReaderDetectedExplanation.answerNo": "否",
+ "screenReaderDetectedExplanation.answerYes": "是",
+ "screenReaderDetectedExplanation.question": "你正在使用屏幕阅读器来操作 VS Code? (使用屏幕阅读器时,会禁用自动换行功能)",
+ "selectEOL": "选择行尾序列",
+ "selectEncoding": "选择编码",
+ "selectIndentation": "选择缩进",
+ "selectLanguageMode": "选择语言模式",
+ "showLanguageExtensions": "搜索“{0}”的应用市场扩展程序...",
+ "singleSelection": "行 {0},列 {1}",
+ "singleSelectionRange": "行 {0},列 {1} (已选择{2})",
+ "spacesSize": "空格: {0}",
+ "status.editor.columnSelectionMode": "列选择模式",
+ "status.editor.encoding": "编辑器编码",
+ "status.editor.eol": "编辑器结束行",
+ "status.editor.indentation": "编辑器缩进",
+ "status.editor.info": "文件信息",
+ "status.editor.mode": "编辑器语言",
+ "status.editor.screenReaderMode": "屏幕阅读器模式",
+ "status.editor.selection": "编辑器选择",
+ "status.editor.tabFocusMode": "辅助功能模式",
+ "tabFocusModeEnabled": "按 Tab 移动焦点",
+ "tabSize": "制表符长度: {0}"
+ },
+ "vs/workbench/browser/parts/editor/sideBySideEditor": {
+ "sideBySideEditor": "并排编辑器"
+ },
+ "vs/workbench/browser/parts/editor/tabsTitleControl": {
+ "ariaLabelTabActions": "选项卡操作"
+ },
+ "vs/workbench/browser/parts/editor/textCodeEditor": {
+ "textEditor": "文本编辑器"
+ },
+ "vs/workbench/browser/parts/editor/textDiffEditor": {
+ "textDiffEditor": "文本差异编辑器"
+ },
+ "vs/workbench/browser/parts/editor/textEditor": {
+ "editor": "编辑器"
+ },
+ "vs/workbench/browser/parts/editor/titleControl": {
+ "ariaLabelEditorActions": "编辑器操作",
+ "draggedEditorGroup": "{0} (+{1})"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsActions": {
+ "clearAllIcon": "通知中“全部清除”操作的图标。",
+ "clearIcon": "通知中“清除”操作的图标。",
+ "clearNotification": "清除通知",
+ "clearNotifications": "清除所有通知",
+ "collapseIcon": "通知中“折叠”操作的图标。",
+ "collapseNotification": "折叠通知",
+ "configureIcon": "通知中“配置”操作的图标。",
+ "configureNotification": "配置通知",
+ "copyNotification": "复制文本",
+ "doNotDisturbIcon": "通知中“静音全部操作”的图标。",
+ "expandIcon": "通知中“展开”操作的图标。",
+ "expandNotification": "展开通知",
+ "hideIcon": "通知中“隐藏”操作的图标。",
+ "hideNotificationsCenter": "隐藏通知",
+ "toggleDoNotDisturbMode": "切换“请勿打扰”模式"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsAlerts": {
+ "alertErrorMessage": "错误: {0}",
+ "alertInfoMessage": "信息: {0}",
+ "alertWarningMessage": "警告: {0}"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsCenter": {
+ "notifications": "通知",
+ "notificationsCenterWidgetAriaLabel": "通知中心",
+ "notificationsEmpty": "无新通知",
+ "notificationsToolbar": "通知中心操作"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsCommands": {
+ "clearAllNotifications": "清除所有通知",
+ "focusNotificationToasts": "将焦点放在通知横幅上",
+ "hideNotifications": "隐藏通知",
+ "notifications": "通知",
+ "showNotifications": "显示通知",
+ "toggleDoNotDisturbMode": "切换“请勿打扰”模式"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsList": {
+ "notificationAriaLabel": "{0},通知",
+ "notificationWithSourceAriaLabel": "{0},源: {1},通知",
+ "notificationsList": "通知列表"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsStatus": {
+ "hideNotifications": "隐藏通知",
+ "noNotifications": "无新通知",
+ "noNotificationsWithProgress": "无新通知({0} 正在进行中)",
+ "notifications": "{0} 条新通知",
+ "notificationsWithProgress": "{0} 条新通知({1} 个正在进行中)",
+ "oneNotification": "1 条新通知",
+ "oneNotificationWithProgress": "1 条新通知({0} 条正在进行中)",
+ "status.doNotDisturb": "请勿打扰",
+ "status.doNotDisturbTooltip": "已启用“请勿打扰”模式",
+ "status.message": "状态消息",
+ "status.notifications": "通知",
+ "zeroNotifications": "没有通知"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsToasts": {
+ "notificationAriaLabel": "{0},通知",
+ "notificationWithSourceAriaLabel": "{0},源: {1},通知"
+ },
+ "vs/workbench/browser/parts/notifications/notificationsViewer": {
+ "executeCommand": "单击以执行命令 \"{0}\"",
+ "notificationActions": "通知操作",
+ "notificationSource": "来源: {0}"
+ },
+ "vs/workbench/browser/parts/panel/panelActions": {
+ "alignPanel": "对齐面板",
+ "alignPanelCenter": "将面板对齐设置为“居中”",
+ "alignPanelCenterShort": "居中",
+ "alignPanelJustify": "将面板对齐设置为“两端对齐”",
+ "alignPanelJustifyShort": "两端对齐",
+ "alignPanelLeft": "将面板对齐方式设置为“左对齐”",
+ "alignPanelLeftShort": "左",
+ "alignPanelRight": "将面板对齐方式设置为“右对齐”",
+ "alignPanelRightShort": "右",
+ "closeIcon": "用于关闭面板的图标。",
+ "closePanel": "关闭面板",
+ "closeSecondarySideBar": "关闭辅助侧栏",
+ "focusPanel": "聚焦到面板中",
+ "hidePanel": "隐藏面板",
+ "maximizeIcon": "用于最大化面板的图标。",
+ "maximizePanel": "最大化面板大小",
+ "miPanel": "面板(&&P)",
+ "miPanelNoMnemonic": "面板",
+ "minimizePanel": "恢复面板大小",
+ "movePanelToSecondarySideBar": "将面板视图移动到辅助侧栏",
+ "moveSidePanelToPanel": "将辅助侧栏视图移动到面板",
+ "nextPanelView": "下一个面板视图",
+ "panelMaxNotSupported": "仅当面板居中对齐时,才支持最大化面板。",
+ "positionPanel": "面板位置",
+ "positionPanelBottom": "将面板移至底部",
+ "positionPanelBottomShort": "底部",
+ "positionPanelLeft": "将面板移至左侧",
+ "positionPanelLeftShort": "左",
+ "positionPanelRight": "将面板移至右侧",
+ "positionPanelRightShort": "右",
+ "previousPanelView": "上一个面板视图",
+ "restoreIcon": "用于还原面板的图标。",
+ "toggleMaximizedPanel": "切换最大化面板",
+ "togglePanel": "切换面板",
+ "togglePanelOffIcon": "用于在面板打开时关闭面板的图标。",
+ "togglePanelOnIcon": "用于在面板关闭时打开面板的图标。",
+ "togglePanelVisibility": "切换面板可见性"
+ },
+ "vs/workbench/browser/parts/panel/panelPart": {
+ "hidePanel": "\"隐藏\" 面板",
+ "moreActions": "更多操作...",
+ "panel.emptyMessage": "将视图拖动到此处显示。",
+ "pinned view containers": "面板条目可见性自定义",
+ "resetLocation": "重置位置"
+ },
+ "vs/workbench/browser/parts/sidebar/sidebarActions": {
+ "focusSideBar": "将焦点置于主侧栏"
+ },
+ "vs/workbench/browser/parts/statusbar/statusbarActions": {
+ "focusStatusBar": "焦点状态栏",
+ "hide": "隐藏“{0}”"
+ },
+ "vs/workbench/browser/parts/statusbar/statusbarModel": {
+ "statusbar.hidden": "状态栏条目可见性自定义"
+ },
+ "vs/workbench/browser/parts/statusbar/statusbarPart": {
+ "hideStatusBar": "隐藏状态栏"
+ },
+ "vs/workbench/browser/parts/titlebar/commandCenterControl": {
+ "all": "显示搜索模式...",
+ "commandCenter-activeBackground": "命令中心的活动背景色",
+ "commandCenter-activeForeground": "命令中心的活动前景色",
+ "commandCenter-background": "命令中心背景色",
+ "commandCenter-border": "命令中心的边框颜色",
+ "commandCenter-foreground": "命令中心前景色",
+ "label.dfl": "搜索",
+ "label1": "{0} {1}",
+ "label2": "{0} {1}",
+ "title": "搜索 {0} ({1}) - {2}",
+ "title2": "搜索 {0} - {1}"
+ },
+ "vs/workbench/browser/parts/titlebar/menubarControl": {
+ "DownloadingUpdate": "正在下载更新...",
+ "checkForUpdates": "检查更新(&&U)...",
+ "checkingForUpdates": "正在检查更新...",
+ "download now": "下载更新(&&O)",
+ "focusMenu": "聚焦应用程序菜单",
+ "goToSetting": "打开设置",
+ "installUpdate...": "安装更新(&&U)...",
+ "installingUpdate": "正在安装更新...",
+ "mEdit": "编辑(&&E)",
+ "mFile": "文件(&&F)",
+ "mGoto": "转到(&&G)",
+ "mHelp": "帮助(&&H)",
+ "mPreferences": "首选项",
+ "mSelection": "选择(&&S)",
+ "mTerminal": "终端(&&T)",
+ "mView": "查看(&&V)",
+ "menubar.customTitlebarAccessibilityNotification": "为您启用了辅助功能支持。对于最易于访问的体验, 我们建议使用自定义标题栏样式。",
+ "restartToUpdate": "重新启动以更新(&&U)"
+ },
+ "vs/workbench/browser/parts/titlebar/titlebarPart": {
+ "focusTitleBar": "焦点标题栏",
+ "toggle.commandCenter": "命令中心",
+ "toggle.layout": "布局控件"
+ },
+ "vs/workbench/browser/parts/titlebar/windowTitle": {
+ "devExtensionWindowTitlePrefix": "[扩展开发宿主]",
+ "userIsAdmin": "[管理员]",
+ "userIsSudo": "[超级用户]"
+ },
+ "vs/workbench/browser/parts/views/treeView": {
+ "collapseAll": "全部折叠",
+ "command-error": "运行命令 {1} 错误: {0}。这可能是由提交 {1} 的扩展引起的。",
+ "no-dataprovider": "没有可提供视图数据的已注册数据提供程序。",
+ "refresh": "刷新",
+ "treeView.enableCollapseAll": "ID 为 {0} 的树状视图是否启用全部折叠。",
+ "treeView.enableRefresh": "ID 为 {0} 的树状视图是否启用刷新。",
+ "treeView.toggleCollapseAll": "ID 为 {0} 的树状视图是否切换为全部折叠。"
+ },
+ "vs/workbench/browser/parts/views/viewPane": {
+ "viewPaneContainerCollapsedIcon": "已折叠的视图窗格容器的图标。",
+ "viewPaneContainerExpandedIcon": "已展开的视图窗格容器的图标。",
+ "viewToolbarAriaLabel": "{0}操作"
+ },
+ "vs/workbench/browser/parts/views/viewPaneContainer": {
+ "viewMoveDown": "向下移动视图",
+ "viewMoveLeft": "向左移动视图",
+ "viewMoveRight": "向右移动视图",
+ "viewMoveUp": "向上移动视图",
+ "views": "视图",
+ "viewsMove": "移动视图"
+ },
+ "vs/workbench/browser/parts/views/viewsService": {
+ "focus view": "焦点在 {0} 视图上",
+ "resetViewLocation": "重置位置",
+ "show view": "显示 {0}",
+ "toggle view": "切换 {0}"
+ },
+ "vs/workbench/browser/quickaccess": {
+ "inQuickOpen": "键盘焦点是否在快速打开控件中"
+ },
+ "vs/workbench/browser/workbench": {
+ "loaderErrorNative": "未能加载所需文件。请重启应用程序重试。详细信息: {0}"
+ },
+ "vs/workbench/browser/workbench.contribution": {
+ "activeEditorLong": "\"${activeEditorLong}\": 文件的完整路径 (例如 /Users/Development/myFolder/myFileFolder/myFile.txt)。",
+ "activeEditorMedium": "\"${activeEditorMedium}\": 相对于工作区文件夹的文件路径 (例如, myFolder/myFileFolder/myFile.txt)。",
+ "activeEditorShort": "\"${activeEditorShort}\": 文件名 (例如 myFile.txt)。",
+ "activeFolderLong": "\"${activeFolderLong}\": 文件所在文件夹的完整路径 (例如 /Users/Development/myFolder/myFileFolder)。",
+ "activeFolderMedium": "\"${activeFolderMedium}\": 相对于工作区文件夹的、包含文件的文件夹的路径, (例如 myFolder/myFileFolder)。",
+ "activeFolderShort": "\"${activeFolderShort}\": 文件所在的文件夹名称 (例如, myFileFolder)。",
+ "activityBarIconClickBehavior": "控制在工作台中单击活动栏图标时出现的行为。",
+ "activityBarVisibility": "控制工作台中活动栏的可见性。",
+ "appName": "\"${appName}\": 例如 VS Code。",
+ "centeredLayoutAutoResize": "如果在居中布局中打开了超过一组编辑器,控制是否自动将宽度调整为最大宽度值。当回到只打开了一组编辑器的状态,将自动将宽度调整为原始的居中宽度值。",
+ "closeEmptyGroups": "控制编辑器组中最后一个选项卡关闭时这个空组的行为。若启用,将自动关闭空组。若禁用,空组仍将保留在网格布局中。",
+ "closeOnFileDelete": "控制在会话期间显示已打开文件的编辑器是否应在被其他进程删除或重命名时自动关闭。禁用此功能将使编辑器在此类事件中保持打开状态。请注意,从应用程序内删除将始终关闭编辑器,且永远不会关闭具有未保存更改的编辑器以保留数据。",
+ "closeOnFocusLost": "控制 Quick Open 是否在其失去焦点时自动关闭。",
+ "commandHistory": "控制命令面板中保留最近使用命令的数量。设置为 0 时禁用命令历史功能。",
+ "confirmBeforeClose": "控制是否在关闭窗口或退出应用程序之前显示确认对话框。",
+ "confirmBeforeCloseWeb": "控制在关闭浏览器选项卡或窗口之前是否显示确认对话框。请注意,即使已启用,浏览器仍可能决定在不进行确认的情况下关闭选项卡或窗口,并且此设置仅作为提示,并非在所有情况下都起作用。",
+ "customMenuBarAltFocus": "控制是否通过按 Alt 键聚焦菜单栏。此设置对使用 Alt 键切换菜单栏没有任何影响。",
+ "decorations.badges": "控制编辑器文件修饰是否应使用徽章。",
+ "decorations.colors": "控制编辑器文件修饰是否应使用颜色。",
+ "dirty": "`${dirty}`: 表明活动编辑器具有未保存更改的时间的指示器。",
+ "editorOpenPositioning": "控制编辑器打开的位置。选择 `left` 或 `right` 可分别在当前活动编辑器的左侧或右侧打开。选择 `first` (最前) 或 `last` (最后) 打开的位置与当前活动编辑器无关。",
+ "editorTabCloseButton": "控制编辑器的选项卡关闭按钮的位置,或者在设置为 \"off\" 时禁用它们。当 \"#workbench.editor.showTabs#\" 处于禁用状态时,将忽略此值。",
+ "enableMenuBarMnemonics": "控制是否可通过 Alt 键快捷键打开主菜单。如果禁用助记符,则可将这些 Alt 键快捷键绑定到编辑器命令。",
+ "enablePreview": "控制打开的编辑器是否显示为预览编辑器。预览编辑器不会保持打开状态,在将其显式设置为保持打开(例如通过双击或编辑)前将会重复使用,其文件名显示样式为斜体。",
+ "enablePreviewFromCodeNavigation": "控制当从编辑器开始进行代码导航时,编辑器是否保持为预览状态。预览编辑器不会保持打开状态,在将其显式设置为保持打开(例如通过双击或编辑)前将会重复使用。当 \"#workbench.editor.enablePreview#\" 处于禁用状态时,将忽略此值。",
+ "enablePreviewFromQuickOpen": "控制通过 Quick Open 打开的编辑器是否显示为预览编辑器。预览编辑器不会保持打开状态,在将其显式设置为保持打开(例如通过双击或编辑)前将会重复使用。当 \"#workbench.editor.enablePreview#\" 处于禁用状态时,将忽略此值。",
+ "exclude": "配置 [glob 模式](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options) 以从本地文件历史记录中排除文件。更改此设置不会影响现有本地文件历史记录条目。",
+ "focusRecentEditorAfterClose": "控制是否按最常使用的顺序或从左到右的顺序关闭选项卡。",
+ "folderName": "\"${folderName}\": 文件所在工作区文件夹的名称 (例如 myFolder)。",
+ "folderPath": "\"${folderpath}\": 文件所在工作区文件夹的路径 (例如 /Users/Development/myFolder)。",
+ "fontAliasing": "控制在工作台中字体的渲染方式。",
+ "highlightModifiedTabs": "控制是否在具有未保存更改的编辑器的选项卡上绘制顶部边框。当禁用 `#workbench.editor.showTabs#` 时,会忽略此值。",
+ "layoutControlEnabled": "控制是否通过 {0} 启用自定义标题栏中的布局控件。",
+ "layoutControlEnabledDeprecation": "已弃用此设置,以支持 {0}",
+ "layoutControlType": "控制自定义标题栏中的布局控件是显示为单个菜单按钮还是多个 UI 切换。",
+ "layoutControlTypeDeprecation": "已弃用此设置,以支持 {0}",
+ "layoutcontrol.type.both": "显示下拉列表和切换按钮。",
+ "layoutcontrol.type.menu": "显示包含布局选项下拉列表的单个按钮。",
+ "layoutcontrol.type.toggles": "显示用于切换面板和侧边栏可见性的多个按钮。",
+ "limitEditorsEnablement": "控制打开的编辑器数是否应受限制。启用后,最近使用较少的编辑器将关闭,以为新打开的编辑器腾出空间。",
+ "limitEditorsExcludeDirty": "控制打开的编辑器的最大数目是否应排除脏编辑器以计入配置的限制。",
+ "limitEditorsMaximum": "控制打开编辑器的最大数量。使用 {0} 设置控制每个编辑器组或跨所有组的限制。",
+ "localHistoryEnabled": "控制是否启用本地文件历史记录。启用后,所保存编辑器文件内容将存储到备份位置,以便稍后可以还原或查看内容。更改此设置不会影响现有本地文件历史记录条目。",
+ "localHistoryMaxFileEntries": "控制每个文件的最大本地文件历史记录条目数。当文件的本地文件历史记录条目数超过此数目时,将丢弃最早的条目。",
+ "localHistoryMaxFileSize": "控制考虑用于本地历史记录的文件最大大小(KB)。较大的文件将不会添加到本地历史记录中。更改此设置不会影响现有本地文件历史记录条目。",
+ "menuBarVisibility": "控制菜单栏的可见性。“切换”设置表示菜单栏处于隐藏状态,只需按一下 Alt 键即可显示。“精简”设置会将菜单移到边栏中。",
+ "menuBarVisibility.mac": "控制菜单栏的可见性。“切换”设置表示菜单栏处于隐藏状态,执行“聚焦应用程序菜单”将显示菜单栏。“精简”设置会将菜单移到边栏中。",
+ "mergeWindow": "配置时间间隔(以秒为单位),在此间隔期间,本地文件历史记录中的最后一个条目将替换为正在添加的条目。这有助于减少所添加的条目总数,例如启用自动保存时。此设置仅应用于具有相同源的条目。更改此设置不会影响现有本地文件历史记录条目。",
+ "mouseBackForwardToNavigate": "允许使用鼠标按钮四和五执行“返回”和“前进”命令。",
+ "navigationScope": "控制编辑器中“返回”和“前进”等命令的历史导航范围。",
+ "openDefaultKeybindings": "控制在打开按键绑定设置时是否同时打开显示所有默认按键绑定的编辑器。",
+ "openDefaultSettings": "控制在打开设置时是否同时打开显示所有默认设置的编辑器。",
+ "openFilesInNewWindow": "控制是否应在使用命令行或文件对话框时在新窗口中打开文件。\r\n请注意,此设置可能会被忽略(例如,在使用 `--new-window` 或 `--reuse-window` 命令行选项时)。",
+ "openFilesInNewWindowMac": "控制是否应在使用命令行或文件对话框时在新窗口中打开文件。\r\n请注意,此设置可能会被忽略(例如,在使用 `--new-window` 或 `--reuse-window` 命令行选项时)。",
+ "openFoldersInNewWindow": "控制打开文件夹时是在新窗口打开还是替换上一个活动窗口。\r\n注意,此设置可能会被忽略 (例如,在使用 `--new-window` 或 `--reuse-window` 命令行选项时)。",
+ "panelDefaultLocation": "控制新工作区中面板(终端、调试控制台、输出、问题)的默认位置。它可以显示在编辑器区域的底部、右侧或左侧。",
+ "panelOpensMaximized": "控制面板是否以最大化方式打开。它可以始终以最大化方式打开、永不以最大化方式打开或以关闭前的最后一个状态打开。",
+ "perEditorGroup": "控制最大打开的编辑器的限制是否应应用于每个编辑器组或所有编辑器组。",
+ "pinnedTabSizing": "控制固定的编辑器选项卡的大小。固定的选项卡排在所有打开的选项卡的开头,并且在取消固定之前,通常不会关闭。当 \"#workbench.editor.showTabs#\" 处于禁用状态时,将忽略此值。",
+ "preserveInput": "当再次打开命令面板时,控制是否恢复上一次输入的内容。",
+ "remoteName": "“${remoteName}”: 例如 SSH",
+ "restoreViewState": "关闭编辑器后,当重新打开时,还原最后的编辑器视图状态(例如滚动位置)。编辑器视图状态存储在每个编辑器组中,且会在组关闭时被放弃。使用 {0} 设置以跨所有编辑器组使用最后已知的视图状态,以防未找到编辑器组之前的视图状态。",
+ "revealIfOpen": "控制是否在打开的任何可见组中显示编辑器。如果禁用,编辑器将优先在当前活动的编辑器组中打开。如果启用,将会显示在已打开的编辑器,而不是在当前活动的编辑器组中再次打开。请注意,有些情况下会忽略此设置,例如,强制编辑器在特定组中打开或当前活动组的一侧时。",
+ "rootName": "\"${rootName}\": 打开的工作区或文件夹的名称 (例如 myFolder 或 myWorkspace)。",
+ "rootPath": "\"${rootPath}\": 打开的工作区或文件夹的文件路径 (例如 /Users/Development/myWorkspace)。",
+ "scrollToSwitchTabs": "控制在滚动到选项卡上方时是否打开这些选项卡。默认情况下,选项卡仅在鼠标滚动时呈现,但不打开。可通过在滚动时按住 Shift 键来更改滚动期间的此行为。当 \"#workbench.editor.showTabs#\" 处于禁用状态时,将忽略此值。",
+ "separator": "\"${separator}\": 一种条件分隔符 (\"-\"), 仅在被包含值或静态文本的变量包围时显示。",
+ "settings.editor.desc": "配置默认使用的设置编辑器。",
+ "settings.editor.json": "使用 json 文件编辑器。",
+ "settings.editor.ui": "使用设置 ui 编辑器。",
+ "sharedViewState": "跨所有编辑器组保留最新的编辑器视图状态(例如滚动位置),并在未找到编辑器组的特定编辑器视图状态时进行还原。",
+ "showEditorTabs": "控制打开的编辑器是否显示在选项卡中。",
+ "showIcons": "控制是否在打开的编辑器中显示图标。这要求同时启用文件图标主题。",
+ "sideBarLocation": "控制主边栏和活动栏的位置。它们可以显示在工作台的左侧或右侧。辅助边栏将显示在工作台的另一侧。",
+ "sideBySideDirection": "控制编辑器在并排打开时(例如从资源管理器)出现的默认位置。默认在当前活动编辑器右侧打开。若更改为 \"down\",则在当前活动编辑器下方打开。",
+ "splitInGroupLayout": "控制在编辑器组中垂直或水平拆分编辑器时的布局。",
+ "splitOnDragAndDrop": "通过将编辑器或文件放到编辑器区域的边缘,控制是否可以由拖放操作拆分编辑器组。",
+ "splitSizing": "拆分编辑器组时控制编辑器组大小。",
+ "statusBarVisibility": "控制工作台底部状态栏的可见性。",
+ "tabDescription": "控制编辑器标签的格式。",
+ "tabScrollbarHeight": "控制编辑器标题区域中用于选项卡和面包屑的滚动条的高度。",
+ "tabSizing": "控制编辑器选项卡的大小调整。当 \"#workbench.editor.showTabs#\" 处于禁用状态时,将忽略此值。",
+ "untitledHint": "控制编辑器中是否应显示无标题文本提示。",
+ "untitledLabelFormat": "控制无标题编辑器的标签格式。",
+ "useSplitJSON": "控制在将设置编辑为 json 时是否使用拆分 json 编辑器。",
+ "viewVisibility": "控制是否显示视图头部的操作项。视图头部操作项可以一直,或是仅当聚焦到和悬停在视图上时显示。",
+ "window.commandCenter": "将命令启动器与窗口标题一起显示。仅当 {0} 设置为 {1} 时,此设置才会生效。",
+ "window.confirmBeforeClose.always": "始终询问确认。",
+ "window.confirmBeforeClose.always.web": "始终尝试请求确认。请注意,浏览器仍可能在未经确认的情况下决定关闭标签页或窗口。",
+ "window.confirmBeforeClose.keyboardOnly": "仅在已使用键绑定时请求确认。",
+ "window.confirmBeforeClose.keyboardOnly.web": "仅在检测到使用了键绑定关闭窗口时请求确认。请注意,在某些情况下可能无法进行检测。",
+ "window.confirmBeforeClose.never": "从不显式请求确认。",
+ "window.confirmBeforeClose.never.web": "除非即将丢失数据,否则绝不明确询问确认。",
+ "window.menuBarVisibility.classic": "菜单显示在窗口顶部,并且仅在全屏模式下隐藏。",
+ "window.menuBarVisibility.compact": "菜单在边栏中显示为紧凑按钮。当 {0} 为 {1} 时,会忽略此值。",
+ "window.menuBarVisibility.hidden": "菜单始终隐藏。",
+ "window.menuBarVisibility.toggle": "菜单处于隐藏状态,但通过按 Alt 键可在窗口顶部显示。",
+ "window.menuBarVisibility.toggle.mac": "菜单处于隐藏状态,但通过执行“聚焦应用程序菜单”命令可在窗口顶部显示。",
+ "window.menuBarVisibility.visible": "即使在全屏模式下,菜单也始终显示在窗口顶部。",
+ "window.openFilesInNewWindow.default": "在新窗口中打开文件,除非文件从应用程序内进行选取 (例如,通过“文件”菜单)。",
+ "window.openFilesInNewWindow.defaultMac": "在文件所在文件夹的已有窗口中或在上一个活动窗口中打开文件,除非其通过“程序坞”(Dock) 或“访达”(Finder) 打开。",
+ "window.openFilesInNewWindow.off": "在文件所在文件夹的已有窗口中或在上一个活动窗口中打开文件。",
+ "window.openFilesInNewWindow.on": "在新窗口中打开文件。",
+ "window.openFoldersInNewWindow.default": "在新窗口中打开文件夹,除非文件夹从应用程序内进行选取 (例如,通过“文件”菜单)。",
+ "window.openFoldersInNewWindow.off": "文件夹将替换上一个活动窗口。",
+ "window.openFoldersInNewWindow.on": "在新窗口中打开文件夹。",
+ "window.titleSeparator": "{0} 使用的分隔符。",
+ "windowConfigurationTitle": "窗口",
+ "windowTitle": "根据活动编辑器控制窗口标题。变量是根据上下文替换的:",
+ "workbench.activityBar.iconClickBehavior.focus": "如果单击的项已可见,则将焦点放在边栏上。",
+ "workbench.activityBar.iconClickBehavior.toggle": "如果单击的项已可见,则隐藏边栏。",
+ "workbench.editor.historyBasedLanguageDetection": "允许在语言检测中使用编辑器历史记录。这会导致自动语言检测偏向于最近打开的语言,并允许自动语言检测使用较小的输入进行操作。",
+ "workbench.editor.labelFormat.default": "显示文件名。当启用选项卡且在同一组内有两个相同名称的文件时,将添加每个文件路径中可以用于区分的部分。在选项卡被禁用且编辑器活动时,将显示相对于工作区文件夹的路径。",
+ "workbench.editor.labelFormat.long": "在文件的绝对路径之后显示文件名。",
+ "workbench.editor.labelFormat.medium": "在文件相对当前工作区文件夹的路径之后显示文件名。",
+ "workbench.editor.labelFormat.short": "在文件的目录名之后显示文件名。",
+ "workbench.editor.languageDetection": "控制是否自动检测文本编辑器中的语言,除非该语言已由语言选择器显式设置。这也可以按语言确定范围,以便你可以指定不希望关闭的语言。这对于像 Markdown 这样的语言很有用,因为它通常包含可能会欺骗语言检测的其他语言,使其认为它是嵌入语言而不是 Markdown。",
+ "workbench.editor.navigationScopeDefault": "浏览所有打开的编辑器和编辑器组。",
+ "workbench.editor.navigationScopeEditor": "仅在活动编辑器中导航。",
+ "workbench.editor.navigationScopeEditorGroup": "仅在活动编辑器组的编辑器中导航。",
+ "workbench.editor.pinnedTabSizing.compact": "固定的选项卡将以紧凑形式显示,其中只包含图标或编辑器名称的第一个字母。",
+ "workbench.editor.pinnedTabSizing.normal": "固定的选项卡会继承未固定的选项卡的外观。",
+ "workbench.editor.pinnedTabSizing.shrink": "固定的选项卡缩小至紧凑的固定大小,显示编辑器名称的各部分。",
+ "workbench.editor.preferBasedLanguageDetection": "启用后,将编辑器历史记录考虑在内的语言检测模型将获得更高的优先级。",
+ "workbench.editor.showLanguageDetectionHints": "启用后,当编辑器语言与检测到的内容语言不匹配时,显示状态栏快速修复。",
+ "workbench.editor.showLanguageDetectionHints.editors": "在无标题文本编辑器中显示",
+ "workbench.editor.showLanguageDetectionHints.notebook": "在笔记本编辑器中显示",
+ "workbench.editor.splitInGroupLayoutHorizontal": "从左到右定位编辑器。",
+ "workbench.editor.splitInGroupLayoutVertical": "从上到下定位编辑器。",
+ "workbench.editor.splitSizingDistribute": "将所有编辑器组拆分为相等的部分。",
+ "workbench.editor.splitSizingSplit": "将活动编辑器组拆分为相等的部分。",
+ "workbench.editor.tabSizing.fit": "始终将标签页保持足够大,能够完全显示编辑器标签。",
+ "workbench.editor.tabSizing.shrink": "在不能同时显示所有选项卡时,允许选项卡缩小。",
+ "workbench.editor.titleScrollbarSizing.default": "默认大小。",
+ "workbench.editor.titleScrollbarSizing.large": "增加大小,以便更轻松地通过鼠标抓取。",
+ "workbench.editor.untitled.labelFormat.content": "无标题文件的名称派生自其第一行的内容,除非它有关联的文件路径。如果行为空或不包含单词字符,它将回退到名称。",
+ "workbench.editor.untitled.labelFormat.name": "无标题文件的名称不是从文件的内容派生的。",
+ "workbench.fontAliasing.antialiased": "进行像素而不是次像素级别的字体平滑。可能会导致字体整体显示得更细。",
+ "workbench.fontAliasing.auto": "根据显示器 DPI 自动应用 `default` 或 `antialiased` 选项。",
+ "workbench.fontAliasing.default": "次像素平滑字体。将在大多数非 retina 显示器上显示最清晰的文字。",
+ "workbench.fontAliasing.none": "禁用字体平滑。将显示边缘粗糙、有锯齿的文字。",
+ "workbench.hover.delay": "控制为工作台项显示悬停之前的延迟时间(以毫秒为单位)(例如,一些扩展提供了树状视图项)。已经可见的项可能需要刷新,然后才会反映出此设置更改。",
+ "workbench.panel.opensMaximized.always": "始终以最大化方式打开面板。",
+ "workbench.panel.opensMaximized.never": "永不以最大化方式打开面板。面板将以非最大化方式打开。",
+ "workbench.panel.opensMaximized.preserve": "以关闭面板前的状态打开面板。",
+ "workbench.quickOpen.preserveInput": "在打开 Quick Open 视图时,控制是否自动恢复上一次输入的值。",
+ "workbench.reduceMotion": "控制工作台是否应以更少的动画呈现。",
+ "workbench.reduceMotion.auto": "根据 OS 配置减少运动呈现。",
+ "workbench.reduceMotion.off": "不要减少运动呈现",
+ "workbench.reduceMotion.on": "始终减少动作呈现。",
+ "wrapTabs": "控制当超出可用空间时,选项卡是否应在多行之间换行,或者是否应显示滚动条。当 \"#workbench.editor.showTabs#\" 处于禁用状态时,将忽略此值。",
+ "zenMode.centerLayout": "控制在打开禅模式时是否启用居中布局。",
+ "zenMode.fullScreen": "控制在打开禅模式时是否将工作台切换到全屏。",
+ "zenMode.hideActivityBar": "控制在打开禅模式时是否隐藏工作台左侧或右侧的活动栏。",
+ "zenMode.hideLineNumbers": "控制在打开禅模式时是否隐藏编辑器行号。",
+ "zenMode.hideStatusBar": "控制在打开禅模式时是否隐藏工作台底部的状态栏。",
+ "zenMode.hideTabs": "控制在打开禅模式时是否隐藏工作台选项卡。",
+ "zenMode.restore": "若窗口在处于禅模式时退出,控制其在恢复时是否还原到禅模式。",
+ "zenMode.silentNotifications": "控制在禅模式下是否应启用通知“请勿打扰”模式。如果为 true,则只会弹出错误通知。",
+ "zenModeConfigurationTitle": "禅模式"
+ },
+ "vs/workbench/common/actions": {
+ "developer": "开发人员",
+ "help": "帮助",
+ "preferences": "首选项",
+ "test": "测试",
+ "view": "视图"
+ },
+ "vs/workbench/common/configuration": {
+ "workbenchConfigurationTitle": "工作台"
+ },
+ "vs/workbench/common/contextkeys": {
+ "activeAuxiliary": "活动辅助面板的标识符",
+ "activeEditor": "活动编辑器的标识符",
+ "activeEditorAvailableEditorIds": "可用于活动编辑器的可用编辑器标识符",
+ "activeEditorCanRevert": "活动编辑器是否可以还原",
+ "activeEditorGroupEmpty": "活动编辑器组是否为空",
+ "activeEditorGroupIndex": "活动编辑器组的索引",
+ "activeEditorGroupLast": "活动编辑器组是否为最后一个组",
+ "activeEditorGroupLocked": "活动编辑器组是否已锁定",
+ "activeEditorIsDirty": "活动编辑器是否具有未保存的更改",
+ "activeEditorIsFirstInGroup": "活动编辑器是否为其组中的第一个编辑器",
+ "activeEditorIsLastInGroup": "活动编辑器是否是其组中的最后一个编辑器",
+ "activeEditorIsNotPreview": "活动编辑器是否未在预览模式下",
+ "activeEditorIsPinned": "活动编辑器是否已固定",
+ "activeEditorIsReadonly": "活动编辑器是否只读",
+ "activePanel": "活动面板的标识符",
+ "activeViewlet": "活动 viewlet 的标识符",
+ "auxiliaryBarFocus": "辅助栏是否具有键盘焦点",
+ "auxiliaryBarVisible": "辅助栏是否可见",
+ "bannerFocused": "键盘焦点是否在横幅上",
+ "dirtyWorkingCopies": "是否有具有未保存更改的工作副本",
+ "editorAreaVisible": "编辑器区域是否可见",
+ "editorIsOpen": "编辑器是否打开",
+ "editorTabsVisible": "编辑器选项卡是否可见",
+ "focusedView": "具有键盘焦点的视图的标识符",
+ "groupEditorsCount": "打开的编辑器组数",
+ "inZenMode": "是否已启用 Zen 模式",
+ "isCenteredLayout": "是否已启用居中布局",
+ "isFileSystemResource": "资源是否由文件系统提供程序支持",
+ "isFullscreen": "窗口是否处于全屏模式",
+ "multipleEditorGroups": "是否打开了多个编辑器组",
+ "notificationCenterVisible": "通知中心是否可见",
+ "notificationFocus": "键盘焦点是否在通知上",
+ "notificationToastsVisible": "通知 toast 是否可见",
+ "panelAlignment": "面板的对齐方式:“居中”、“向左对齐”、“向右对齐”或“两端对齐”",
+ "panelFocus": "键盘焦点是否在面板上",
+ "panelMaximized": "面板是否已最大化",
+ "panelPosition": "面板的位置,始终为“底部”",
+ "panelVisible": "面板是否可见",
+ "remoteName": "窗口连接到的远程项的名称;如果未连接到任何远程项,则为空字符串",
+ "resource": "包含方案和路径的资源的完整值",
+ "resourceDirname": "资源所在的文件夹的名称",
+ "resourceExtname": "资源的扩展名",
+ "resourceFilename": "资源的文件名",
+ "resourceLangId": "资源的语言标识符",
+ "resourcePath": "资源的完整路径",
+ "resourceScheme": "资源的方案",
+ "resourceSet": "资源是否存在",
+ "sideBarFocus": "键盘焦点是否在侧栏上",
+ "sideBarVisible": "侧栏是否可见",
+ "sideBySideEditorActive": "并行编辑器是否处于活动状态",
+ "splitEditorsVertically": "编辑器是否垂直拆分",
+ "statusBarFocused": "键盘焦点是否在状态栏上",
+ "textCompareEditorActive": "文本比较编辑器是否处于活动状态",
+ "textCompareEditorVisible": "文本比较编辑器是否可见",
+ "virtualWorkspace": "当前工作区的方案(如果来自虚拟文件系统或空字符串)。",
+ "workbenchState": "窗口中打开的工作区类型:“空”(无工作区)、“文件夹”(单个文件夹)或“工作区”(多根工作区)",
+ "workspaceFolderCount": "工作区中根文件夹的数量"
+ },
+ "vs/workbench/common/editor": {
+ "builtinProviderDisplayName": "内置",
+ "promptOpenWith.defaultEditor.displayName": "文本编辑器"
+ },
+ "vs/workbench/common/editor/diffEditorInput": {
+ "sideBySideLabels": "{0} ↔ {1}"
+ },
+ "vs/workbench/common/editor/sideBySideEditorInput": {
+ "sideBySideLabels": "{0} - {1}"
+ },
+ "vs/workbench/common/editor/textEditorModel": {
+ "languageAutoDetected": "自动检测到语言 {0},且其设置为语言模式。"
+ },
+ "vs/workbench/common/theme": {
+ "activityBarActiveBackground": "活动项的活动栏背景颜色。活动栏显示在最左侧或右侧,并允许在侧栏视图之间切换。",
+ "activityBarActiveBorder": "活动项的活动栏边框颜色。活动栏显示在最左侧或右侧,并允许在侧栏视图之间切换。",
+ "activityBarActiveFocusBorder": "活动项的活动栏焦点边框颜色。活动栏显示在最左侧或右侧,并允许在侧栏视图之间切换。",
+ "activityBarBackground": "活动栏背景色。活动栏显示在最左侧或最右侧,并允许在侧边栏的视图间切换。",
+ "activityBarBadgeBackground": "活动通知徽章背景色。活动栏显示在最左侧或最右侧,并允许在侧边栏的视图间切换。",
+ "activityBarBadgeForeground": "活动通知徽章前景色。活动栏显示在最左侧或最右侧,并允许在侧边栏的视图间切换。",
+ "activityBarBorder": "活动栏分隔侧边栏的边框颜色。活动栏显示在最左侧或最右侧,并可以切换侧边栏的视图。",
+ "activityBarDragAndDropBorder": "拖放活动栏项的反馈颜色。活动栏显示在最左侧或最右侧,并允许在侧边栏视图之间切换。",
+ "activityBarForeground": "活动栏项在活动时的前景色。活动栏显示在最左侧或最右侧,并允许在侧边栏的视图间切换。",
+ "activityBarInActiveForeground": "活动栏项在非活动时的前景色。活动栏显示在最左侧或最右侧,并允许在侧边栏的视图间切换。",
+ "banner.background": "横幅背景颜色。横幅显示在窗口的标题栏下。",
+ "banner.foreground": "横幅前景色。横幅显示在窗口的标题栏下。",
+ "banner.iconForeground": "横幅图标颜色。横幅显示在窗口的标题栏下。",
+ "editorDragAndDropBackground": "拖动编辑器时的背景颜色。此颜色应有透明度,以便编辑器内容能透过背景。",
+ "editorDropIntoPromptBackground": "拖动文件时编辑器上显示的文本背景色。此文本通知用户可以按住 Shift 放入编辑器中。",
+ "editorDropIntoPromptBorder": "拖动文件时在编辑器上显示的文本边框颜色。此文本通知用户可以按住 Shift 来拖入编辑器中。",
+ "editorDropIntoPromptForeground": "拖动文件时编辑器上显示的文本前景色。此文本通知用户可以按住 Shift 来拖入编辑器中。",
+ "editorGroupBorder": "将多个编辑器组彼此分隔开的颜色。编辑器组是编辑器的容器。",
+ "editorGroupEmptyBackground": "空编辑器组的背景色。编辑器组是编辑器的容器。",
+ "editorGroupFocusedEmptyBorder": "空编辑器组被聚焦时的边框颜色。编辑组是编辑器的容器。",
+ "editorGroupHeaderBackground": "禁用选项卡 (\"workbench.editor.showTabs\": false) 时编辑器组标题颜色。编辑器组是编辑器的容器。",
+ "editorPaneBackground": "居中编辑器布局中左侧与右侧编辑器窗格的背景色。",
+ "editorTitleContainerBorder": "编辑器组标题标头的边框颜色。编辑器组是编辑器的容器。",
+ "extensionBadge.remoteBackground": "扩展视图中远程徽标的背景色。",
+ "extensionBadge.remoteForeground": "扩展视图中远程徽标的前景色。",
+ "lastPinnedTabBorder": "用于将固定的选项卡与其他选项卡隔开的边框。选项卡是编辑器区域中编辑器的容器。可在一个编辑器组中打开多个选项卡。可以有多个编辑器组。",
+ "menubarSelectionBackground": "菜单栏中选定菜单项的背景色。",
+ "menubarSelectionBorder": "菜单栏中所选菜单项的边框颜色。",
+ "menubarSelectionForeground": "菜单栏中选定菜单项的前景色。",
+ "notificationCenterBorder": "通知中心的边框颜色。通知从窗口右下角滑入。",
+ "notificationCenterHeaderBackground": "通知中心头部的背景色。通知从窗口右下角滑入。",
+ "notificationCenterHeaderForeground": "通知中心头部的前景色。通知从窗口右下角滑入。",
+ "notificationToastBorder": "通知横幅的边框颜色。通知从窗口右下角滑入。",
+ "notificationsBackground": "通知的背景色。通知从窗口右下角滑入。",
+ "notificationsBorder": "通知中心中分隔通知的边框的颜色。通知从窗口右下角滑入。",
+ "notificationsErrorIconForeground": "用于错误通知图标的颜色。通知从窗口右下角滑入。",
+ "notificationsForeground": "通知的前景色。通知从窗口右下角滑入。",
+ "notificationsInfoIconForeground": "用于信息通知图标的颜色。通知从窗口右下角滑入。",
+ "notificationsLink": "通知链接的前景色。通知从窗口右下角滑入。",
+ "notificationsWarningIconForeground": "用于警告通知图标的颜色。通知从窗口右下角滑入。",
+ "panelActiveTitleBorder": "活动面板标题的边框颜色。面板显示在编辑器区域下方,并包含输出和集成终端等视图。",
+ "panelActiveTitleForeground": "活动面板的标题颜色。面板显示在编辑器区域下方,并包含输出和集成终端等视图。",
+ "panelBackground": "面板的背景色。面板显示在编辑器区域下方,可包含输出和集成终端等视图。",
+ "panelBorder": "将面板与编辑器隔开的边框的颜色。面板显示在编辑区域下方,包含输出和集成终端等视图。",
+ "panelDragAndDropBorder": "拖放面板标题的反馈颜色。面板显示在编辑器区域的下方,包含输出和集成终端等视图。",
+ "panelInactiveTitleForeground": "非活动面板的标题颜色。面板显示在编辑器区域下方,并包含输出和集成终端等视图。",
+ "panelInputBorder": "用于面板中输入内容的输入框边框。",
+ "panelSectionBorder": "当多个视图在面板中水平堆叠时使用的面板区域边框颜色。面板显示在编辑器区域下方,其中包含输出和集成终端等视图。面板部分是嵌套在面板中的视图。",
+ "panelSectionDragAndDropBackground": "拖放面板区域的反馈颜色。颜色应具有透明度,以便面板区域仍可以显示出来。面板显示在编辑器区域的下方,包含输出和集成终端等视图。面板部分是嵌套在面板中的视图。",
+ "panelSectionHeaderBackground": "面板区域标题背景色。面板显示在编辑器区域的下方,包含输出和集成终端等视图。面板部分是嵌套在面板中的视图。",
+ "panelSectionHeaderBorder": "当多个视图在面板中垂直堆叠时使用的面板区域标题边框颜色。面板显示在编辑器区域下方,其中包含输出和集成终端等视图。面板部分是嵌套在面板中的视图。",
+ "panelSectionHeaderForeground": "面板区域标题前景色。面板显示在编辑器区域的下方,包含输出和集成终端等视图。面板部分是嵌套在面板中的视图。",
+ "sideBarBackground": "侧边栏背景色。侧边栏是资源管理器和搜索等视图的容器。",
+ "sideBarBorder": "侧边栏分隔编辑器的边框颜色。侧边栏包含资源管理器、搜索等视图。",
+ "sideBarDragAndDropBackground": "侧边栏中的部分在拖放时的反馈颜色。此颜色应有透明度,以便侧边栏中的部分仍能透过。侧边栏是资源管理器和搜索等视图的容器。侧边栏部分是嵌套在侧边栏中的视图。",
+ "sideBarForeground": "侧边栏前景色。侧边栏是资源管理器和搜索等视图的容器。",
+ "sideBarSectionHeaderBackground": "侧边栏部分标题背景色。此侧边栏是资源管理器和搜索等视图的容器。侧边栏部分是在侧边栏中嵌套的视图。",
+ "sideBarSectionHeaderBorder": "侧边栏部分标题边界色。侧栏是类似资源管理器和搜索等视图的容器。侧栏部分是在侧栏中嵌套的视图。",
+ "sideBarSectionHeaderForeground": "侧边栏部分标题前景色。侧栏是类似资源管理器和搜索等视图的容器。侧栏部分是在侧栏中嵌套的视图。",
+ "sideBarTitleForeground": "侧边栏标题前景色。侧边栏是资源管理器和搜索等视图的容器。",
+ "sideBySideEditor.horizontalBorder": "在编辑器组中上下并排显示时,用于分隔两个编辑器的颜色。",
+ "sideBySideEditor.verticalBorder": "在编辑器组中左右并排显示时,用于区分两个编辑器的颜色。",
+ "statusBarBackground": "工作区或文件夹打开时状态栏的背景色。状态栏显示在窗口底部。",
+ "statusBarBorder": "状态栏分隔侧边栏和编辑器的边框颜色。状态栏显示在窗口底部。",
+ "statusBarErrorItemBackground": "状态栏错误项的背景颜色。错误项比状态栏中的其他条目更醒目以显示错误条件。状态栏显示在窗口底部。",
+ "statusBarErrorItemForeground": "状态错误项的前景色。错误项比状态栏中的其他条目更醒目以显示错误条件。状态栏显示在窗口底部。",
+ "statusBarFocusBorder": "聚焦于键盘导航时状态栏的边框颜色。状态栏显示在窗口底部。",
+ "statusBarForeground": "工作区或文件夹打开时状态栏的前景色。状态栏显示在窗口底部。",
+ "statusBarItemActiveBackground": "单击时的状态栏项背景色。状态栏显示在窗口底部。",
+ "statusBarItemCompactHoverBackground": "悬停在包含两个悬停的项时的状态栏项背景色。状态栏显示在窗口底部。",
+ "statusBarItemFocusBorder": "聚焦于键盘导航时的状态栏项目边框颜色。状态栏显示在窗口底部。",
+ "statusBarItemHostBackground": "状态栏上远程指示器的背景色。",
+ "statusBarItemHostForeground": "状态栏上远程指示器的前景色。",
+ "statusBarItemHoverBackground": "悬停时的状态栏项背景色。状态栏显示在窗口底部。",
+ "statusBarNoFolderBackground": "没有打开文件夹时状态栏的背景色。状态栏显示在窗口底部。",
+ "statusBarNoFolderBorder": "当没有打开文件夹时,用来使状态栏与侧边栏、编辑器分隔的状态栏边框颜色。状态栏显示在窗口底部。",
+ "statusBarNoFolderForeground": "没有打开文件夹时状态栏的前景色。状态栏显示在窗口底部。",
+ "statusBarProminentItemBackground": "状态栏突出显示项的背景颜色。突出显示项比状态栏中的其他条目更醒目以表明其重要性。在命令面板中更改“切换 Tab 键是否移动焦点”可查看示例。状态栏显示在窗口底部。",
+ "statusBarProminentItemForeground": "状态栏突出的项目前景色。突出的项目从其他状态栏条目中脱颖而出, 以表明重要性。从命令调色板中更改 \"切换选项卡键移动焦点\" 的模式以查看示例。状态栏显示在窗口的底部。",
+ "statusBarProminentItemHoverBackground": "状态栏突出显示项在被悬停时的背景颜色。突出显示项比状态栏中的其他条目更醒目以表明其重要性。在命令面板中更改“切换 Tab 键是否移动焦点”可查看示例。状态栏显示在窗口底部。",
+ "statusBarWarningItemBackground": "状态栏警告项的背景颜色。警告项比状态栏中的其他条目更醒目以显示警告条件。状态栏显示在窗口底部。",
+ "statusBarWarningItemForeground": "状态错误项的前景色。错误项比状态栏中的其他条目更醒目以显示错误条件。状态栏显示在窗口底部。",
+ "tabActiveBackground": "活动选项卡的背景色。在编辑器区域,选项卡是编辑器的容器。可在一个编辑器组中打开多个选项卡。可以有多个编辑器组。",
+ "tabActiveBorder": "活动选项卡底部的边框。选项卡是编辑器区域中编辑器的容器。可在一个编辑器组中打开多个选项卡。可以存在多个编辑器组。",
+ "tabActiveBorderTop": "活动选项卡顶部的边框。选项卡是编辑器区域中编辑器的容器。可在一个编辑器组中打开多个选项卡。可以存在多个编辑器组。",
+ "tabActiveForeground": "活动组中活动选项卡的前景色。在编辑器区域,选项卡是编辑器的容器。可在一个编辑器组中打开多个选项卡。可以有多个编辑器组。",
+ "tabActiveModifiedBorder": "活动组中已修改的活动选项卡顶部的边框。选项卡是编辑器区域中编辑器的容器。可以在一个编辑器组中打开多个选项卡。可以有多个编辑器组。",
+ "tabActiveUnfocusedBorder": "在失去焦点的编辑器组中的活动选项卡底部的边框。选项卡是编辑器区域中编辑器的容器。可在一个编辑器组中打开多个选项卡。可以存在多个编辑器组。",
+ "tabActiveUnfocusedBorderTop": "在失去焦点的编辑器组中的活动选项卡顶部的边框。选项卡是编辑器区域中编辑器的容器。可在一个编辑器组中打开多个选项卡。可以存在多个编辑器组。",
+ "tabBorder": "用于将选项卡彼此分隔开的边框。选项卡是编辑器区域中编辑器的容器。可在一个编辑器组中打开多个选项卡。可以存在多个编辑器组。",
+ "tabHoverBackground": "选项卡被悬停时的背景色。选项卡是编辑器区域中编辑器的容器。可在一个编辑器组中打开多个选项卡。可以有多个编辑器组。",
+ "tabHoverBorder": "选项卡被悬停时用于突出显示的边框。选项卡是编辑器区域中编辑器的容器。可在一个编辑器组中打开多个选项卡。可以有多个编辑器组。",
+ "tabHoverForeground": "悬停时选项卡的前景色。选项卡是编辑器区域中的编辑器的容器。可在一个编辑器组中打开多个选项卡。可存在多个编辑器组。",
+ "tabInactiveBackground": "非活动选项卡的背景色。在编辑器区域,选项卡是编辑器的容器。可在一个编辑器组中打开多个选项卡。可以有多个编辑器组。",
+ "tabInactiveForeground": "活动组中非活动选项卡的前景色。在编辑器区域,选项卡是编辑器的容器。可在一个编辑器组中打开多个选项卡。可以有多个编辑器组。",
+ "tabInactiveModifiedBorder": "活动组中已修改的非活动选项卡顶部的边框。选项卡是编辑器区域中编辑器的容器。可以在一个编辑器组中打开多个选项卡。可以有多个编辑器组。",
+ "tabUnfocusedActiveBackground": "非焦点组中的活动选项卡背景色。选项卡是编辑器区域中编辑器的容器。可以在一个编辑器组中打开多个选项卡。可以有多个编辑器组。",
+ "tabUnfocusedActiveForeground": "一个失去焦点的编辑器组中的活动选项卡的前景色。在编辑器区域,选项卡是编辑器的容器。可在一个编辑器组中打开多个选项卡。可以有多个编辑器组。",
+ "tabUnfocusedHoverBackground": "非焦点组选项卡被悬停时的背景色。选项卡是编辑器区域中编辑器的容器。可在一个编辑器组中打开多个选项卡。可以有多个编辑器组。",
+ "tabUnfocusedHoverBorder": "非焦点组选项卡被悬停时用于突出显示的边框。选项卡是编辑器区域中编辑器的容器。可在一个编辑器组中打开多个选项卡。可以有多个编辑器组。",
+ "tabUnfocusedHoverForeground": "悬停时不带焦点的组中的选项卡前景色。选项卡是编辑器区域中的编辑器的容器。可在一个编辑器组中打开多个选项卡。可存在多个编辑器组。",
+ "tabUnfocusedInactiveBackground": "不带焦点的组中处于非活动状态的选项卡的背景色。选项卡是编辑器区域中的编辑器的容器。可在一个编辑器组中打开多个选项卡。可存在多个编辑器组。",
+ "tabUnfocusedInactiveForeground": "在一个失去焦点的组中非活动选项卡的前景色。在编辑器区域,选项卡是编辑器的容器。可在一个编辑器组中打开多个选项卡。可以有多个编辑器组。",
+ "tabsContainerBackground": "启用选项卡时编辑器组标题的背景颜色。编辑器组是编辑器的容器。",
+ "tabsContainerBorder": "选项卡启用时编辑器组标题的边框颜色。编辑器组是编辑器的容器。",
+ "titleBarActiveBackground": "窗口处于活动状态时的标题栏背景色。",
+ "titleBarActiveForeground": "窗口处于活动状态时的标题栏前景色。",
+ "titleBarBorder": "标题栏边框颜色。",
+ "titleBarInactiveBackground": "窗口处于非活动状态时的标题栏背景色。",
+ "titleBarInactiveForeground": "窗口处于非活动状态时的标题栏前景色。",
+ "unfocusedActiveModifiedBorder": "未聚焦组中已修改的活动选项卡顶部的边框。选项卡是编辑器区域中编辑器的容器。可以在一个编辑器组中打开多个选项卡。可以有多个编辑器组。",
+ "unfocusedINactiveModifiedBorder": "未聚焦组中已修改的非活动选项卡顶部的边框。选项卡是编辑器区域中编辑器的容器。可以在一个编辑器组中打开多个选项卡。可以有多个编辑器组。",
+ "windowActiveBorder": "窗口处于活动状态时用于窗口边框的颜色。仅在使用自定义标题栏时在桌面客户端中支持。",
+ "windowInactiveBorder": "窗口处于非活动状态时用于边框的颜色。仅在使用自定义标题栏时在桌面客户端中支持。"
+ },
+ "vs/workbench/common/views": {
+ "defaultViewIcon": "默认视图图标。",
+ "duplicateId": "已注册 ID 为“{0}”的视图"
+ },
+ "vs/workbench/electron-sandbox/actions/developerActions": {
+ "configureRuntimeArguments": "配置运行时参数",
+ "reloadWindowWithExtensionsDisabled": "在禁用扩展的情况下重新加载",
+ "toggleDevTools": "切换开发人员工具",
+ "toggleSharedProcess": "切换共享进程"
+ },
+ "vs/workbench/electron-sandbox/actions/installActions": {
+ "install": "在 PATH 中安装“{0}”命令",
+ "shellCommand": "Shell 命令",
+ "successFrom": "已成功从 PATH 卸载 Shell 命令“{0}”。",
+ "successIn": "已成功在 PATH 中安装了 Shell 命令“{0}”。",
+ "uninstall": "从 PATH 中卸载“{0}”命令"
+ },
+ "vs/workbench/electron-sandbox/actions/windowActions": {
+ "close": "关闭窗口",
+ "closeWindow": "关闭窗口",
+ "current": "当前窗口",
+ "miCloseWindow": "关闭窗口(&&W)",
+ "miZoomIn": "放大(&&Z)",
+ "miZoomOut": "缩小(&&Z)",
+ "miZoomReset": "重置缩放(&&R)",
+ "quickSwitchWindow": "快速切换窗口...",
+ "switchWindow": "切换窗口...",
+ "switchWindowPlaceHolder": "选择切换的窗口",
+ "windowDirtyAriaLabel": "{0},个具有未保存更改的窗口",
+ "zoomIn": "放大",
+ "zoomOut": "缩小",
+ "zoomReset": "重置缩放"
+ },
+ "vs/workbench/electron-sandbox/desktop.contribution": {
+ "argv.crashReporterId": "用于关联从此应用实例发送的崩溃报表的唯一 ID。",
+ "argv.disableHardwareAcceleration": "禁用硬件加速。仅当遇到图形问题时才更改此选项。",
+ "argv.enableCrashReporter": "允许禁用崩溃报告;如果更改了值,则应重启应用。",
+ "argv.enebleProposedApi": "为扩展 ID (如 \"vscode.git\")的列表启用建议的 API。建议的 API 不稳定,可能随时中断且不发出警告。仅应针对扩展开发和测试目的设置该项。",
+ "argv.force-renderer-accessibility": "强制渲染器可访问。仅当在 Linux 上使用屏幕阅读器时才更改此设置。在其他平台上,渲染器将自动可访问。如果已启用 editor.accessibilitySupport:,则会自动设置此标志。",
+ "argv.forceColorProfile": "允许替代要使用的颜色配置文件。如果发现颜色显示不佳,请尝试将此设置为 \"srgb\" 并重启。",
+ "argv.locale": "要使用的显示语言。选取其他语言需要安装关联的语言包。",
+ "argv.logLevel": "使用的日志级别。默认值为 \"info\"。允许的值为 \"critical\" (关键)、\"error\" (错误)、\"warn\" (警告)、\"info\" (信息)、\"debug\" (调试)、\"trace\" (跟踪) 和 \"off\" (关闭)。",
+ "closeWhenEmpty": "控制在关闭最后一个编辑器时是否关闭整个窗口。此设置仅适用于没有显示文件夹的窗口。",
+ "dialogStyle": "调整对话框窗口的外观。",
+ "enableCrashReporterDeprecated": "如果此设置为 false,则无论新设置的值如何,都不会发送遥测数据。由于合并到 {0} 设置,目前已弃用。",
+ "experimentalUseSandbox": "实验性: 启用后,窗口将通过 Electron API 启用沙盒模式。",
+ "keyboardConfigurationTitle": "键盘",
+ "mergeAllWindowTabs": "合并所有窗口",
+ "miExit": "退出(&&X)",
+ "moveWindowTabToNewWindow": "将窗口选项卡移动到新窗口",
+ "newTab": "新建窗口标签页",
+ "newWindowDimensions": "控制在已有窗口时新开窗口的尺寸。请注意,此设置对第一个打开的窗口无效。第一个窗口将始终恢复关闭前的大小和位置。",
+ "openWithoutArgumentsInNewWindow": "在另一实例无参启动时,控制是打开新的空窗口或是聚焦到最后运行的实例。\r\n注意,此设置可能会被忽略 (例如,在使用 `--new-window` 或 `--reuse-window` 命令行选项时)。",
+ "restoreFullscreen": "若窗口在处于全屏模式时退出,控制其在恢复时是否还原到全屏模式。",
+ "restoreWindows": "控制在第一次启动后窗口重新打开的方式。如果应用程序已在运行,则此设置不起任何作用。",
+ "showNextWindowTab": "显示下一个窗口选项卡",
+ "showPreviousTab": "显示上一个窗口选项卡",
+ "telemetry.enableCrashReporting": "启用要收集的崩溃报告。这有助于我们提高稳定性。\r\n此选项需重启才可生效。",
+ "telemetryConfigurationTitle": "遥测",
+ "titleBarStyle": "调整窗口标题栏的外观。在 Linux 和 Windows 上,此设置也会影响应用程序和上下文菜单的外观。更改需要完全重新启动才能应用。",
+ "toggleWindowTabsBar": "切换窗口选项卡栏",
+ "touchbar.enabled": "启用键盘上的 macOS 触控栏按钮 (若可用)。",
+ "touchbar.ignored": "触摸栏中不应显示的条目的一组标识符(例如 \"workbench.action.navigateBack\")。",
+ "window.clickThroughInactive": "启用后,点击非活动窗口后将在激活窗口的同时触发光标之下的元素 (若可点击)。禁用后,点击非活动窗口仅能激活窗口,再次点击才能触发元素。",
+ "window.doubleClickIconToClose": "如果启用, 双击标题栏中的应用程序图标将关闭窗口, 并且该窗口无法通过图标拖动。此设置仅在 \"#window.titleBarStyle#\" 设置为 \"custom\" 时生效。",
+ "window.nativeFullScreen": "控制是否在 macOS 上使用原生全屏。禁用此设置可禁止 macOS 在全屏时创建新空间。",
+ "window.nativeTabs": "启用 macOS Sierra 窗口选项卡。请注意,更改在完全重新启动程序后才能生效。同时,开启原生选项卡将禁用自定义标题栏样式。",
+ "window.newWindowDimensions.default": "在屏幕中心打开新窗口。",
+ "window.newWindowDimensions.fullscreen": "在全屏模式下打开新窗口。",
+ "window.newWindowDimensions.inherit": "以与上一个活动窗口相同的尺寸打开新窗口。",
+ "window.newWindowDimensions.maximized": "打开最大化的新窗口。",
+ "window.newWindowDimensions.offset": "打开与上次活动窗口具有相同尺寸的新窗口,并带有偏移位置。",
+ "window.openWithoutArgumentsInNewWindow.off": "聚焦到上一活动的运行实例。",
+ "window.openWithoutArgumentsInNewWindow.on": "打开一个新的空窗口。",
+ "window.reopenFolders.all": "重新打开所有窗口,除非已打开文件夹、工作区或文件(例如从命令行)。",
+ "window.reopenFolders.folders": "重新打开已打开文件夹或工作区的所有窗口,除非已打开文件夹、工作区或文件(例如从命令行)。",
+ "window.reopenFolders.none": "从不重新打开窗口。如果文件夹或工作区未打开(例如从命令行),将出现一个空窗口。",
+ "window.reopenFolders.one": "重新打开上一个活动窗口,除非已打开文件夹、工作区或文件(例如从命令行)。",
+ "window.reopenFolders.preserve": "始终重新打开所有窗口。如果打开文件夹或工作区(例如从命令行打开),它将作为新窗口打开,除非它之前已打开。如果打开文件,则这些文件将在其中一个已还原的窗口中打开。",
+ "windowConfigurationTitle": "窗口",
+ "windowControlsOverlay": "使用平台提供的窗口控件,而不是基于 HTML 的窗口控件。需要完全重启才能应用更改。",
+ "zoomLevel": "调整窗口的缩放级别。原始大小是 0,每次递增(例如 1)或递减(例如 -1)表示放大或缩小 20%。也可以输入小数以便以更精细的粒度调整缩放级别。"
+ },
+ "vs/workbench/electron-sandbox/desktop.main": {
+ "join.closeStorage": "正在保存 UI 状态"
+ },
+ "vs/workbench/electron-sandbox/parts/dialogs/dialogHandler": {
+ "aboutDetail": "版本: {0}\r\n提交: {1}\r\n日期: {2}\r\nElectron: {3}\r\nChromium: {4}\r\nNode.js: {5}\r\nV8: {6}\r\nOS: {7}",
+ "cancelButton": "取消",
+ "copy": "复制(&&C)",
+ "okButton": "确定",
+ "yesButton": "是(&&Y)"
+ },
+ "vs/workbench/electron-sandbox/window": {
+ "cancelButton": "取消(&&C)",
+ "closeWindowButtonLabel": "关闭窗口(&&C)",
+ "closeWindowMessage": "是否确实要关闭窗口?",
+ "doNotAskAgain": "不再询问",
+ "exitButtonLabel": "退出(&&E)",
+ "keychainWriteError": "将登录信息写入密钥链失败,出现错误“{0}”。",
+ "learnMore": "了解详细信息",
+ "loaderCycle": "AMD 模块中存在一个依赖项循环需要解决!",
+ "loginButton": "登录(&&L)",
+ "password": "密码",
+ "proxyAuthRequired": "需要代理身份验证",
+ "proxyDetail": "代理 {0} 需要用户名和密码。",
+ "quitButtonLabel": "退出(&&Q)",
+ "quitMessage": "是否确实要退出?",
+ "quitMessageMac": "是否确实要退出?",
+ "rememberCredentials": "记住我的凭据",
+ "runningAsRoot": "不建议以 root 用户身份运行 {0}。",
+ "shutdownErrorClose": "意外错误导致无法关闭窗口",
+ "shutdownErrorDetail": "错误: {0}",
+ "shutdownErrorLoad": "意外错误导致无法更改工作区",
+ "shutdownErrorQuit": "意外错误导致无法退出应用程序",
+ "shutdownErrorReload": "意外错误导致无法重新加载窗口",
+ "shutdownForceClose": "仍然关闭",
+ "shutdownForceLoad": "仍然更改",
+ "shutdownForceQuit": "仍然退出",
+ "shutdownForceReload": "仍然重新加载",
+ "shutdownTitleClose": "关闭窗口需要的时间较长...",
+ "shutdownTitleLoad": "更改工作区需要的时间较长...",
+ "shutdownTitleQuit": "退出应用程序需要的时间较长...",
+ "shutdownTitleReload": "重新加载窗口需要的时间较长...",
+ "troubleshooting": "故障排除指南",
+ "username": "用户名",
+ "willShutdownDetail": "以下操作仍在运行: \r\n{0}"
+ },
+ "vs/workbench/contrib/audioCues/browser/audioCueService": {
+ "audioCues.lineHasBreakpoint.name": "行上的断点",
+ "audioCues.lineHasError.name": "行上的错误",
+ "audioCues.lineHasFoldedArea.name": "行上的折叠区域",
+ "audioCues.lineHasInlineSuggestion.name": "行上的内联建议",
+ "audioCues.lineHasWarning.name": "行上的警告",
+ "audioCues.noInlayHints": "行上无嵌入提示",
+ "audioCues.onDebugBreak.name": "调试程序已在断点处停止"
+ },
+ "vs/workbench/contrib/audioCues/browser/audioCues.contribution": {
+ "audioCues.enabled.auto": "附加屏幕阅读器时,启用音频提示。",
+ "audioCues.enabled.off": "禁用音频提示。",
+ "audioCues.enabled.on": "启用音频提示。",
+ "audioCues.lineHasBreakpoint": "当有效行具有断点时播放声音。",
+ "audioCues.lineHasError": "当有效行出现错误时播放声音。",
+ "audioCues.lineHasFoldedArea": "当有效行具有可展开的折叠区域时播放声音。",
+ "audioCues.lineHasInlineSuggestion": "当有效行具有内联建议时播放声音。",
+ "audioCues.lineHasWarning": "当有效行出现警告时播放声音。",
+ "audioCues.noInlayHints": "尝试读取包含无内嵌提示的内嵌提示的行时播放声音。",
+ "audioCues.onDebugBreak": "当调试程序在断点上停止时播放声音。",
+ "audioCues.volume": "音频提示音量百分比(0-100)。"
+ },
+ "vs/workbench/contrib/audioCues/browser/commands": {
+ "audioCues.help": "帮助: 列出音频提示",
+ "audioCues.help.placeholder": "选择要播放的音频提示",
+ "audioCues.help.settings": "启用/禁用音频提示",
+ "disabled": "已禁用"
+ },
+ "vs/workbench/contrib/bulkEdit/browser/bulkEditService": {
+ "areYouSureQuiteBulkEdit": "确定要 {0} 吗? \"{1}\" 正在进行中。",
+ "changeWorkspace": "更改工作区",
+ "closeTheWindow": "关闭窗口",
+ "fileOperation": "文件操作",
+ "nothing": "未做编辑",
+ "quit": "退出",
+ "refactoring.autoSave": "控制是否自动保存作为重构一部分的文件",
+ "reloadTheWindow": "重新加载窗口",
+ "summary.0": "未做编辑",
+ "summary.n0": "在 1 个文件中进行了 {0} 次编辑",
+ "summary.nm": "在 {1} 个文件中进行了 {0} 次编辑",
+ "summary.textFiles": "已在 {1} 文件中执行 {0} 文本编辑,且已创建或删除{2} 文件",
+ "workspaceEdit": "工作区编辑"
+ },
+ "vs/workbench/contrib/bulkEdit/browser/preview/bulkEdit.contribution": {
+ "Discard": "放弃重构",
+ "apply": "应用重构",
+ "cancel": "取消",
+ "cat": "重构预览",
+ "continue": "继续",
+ "detail": "按\"继续\"放弃以前的重构,继续当前重构。",
+ "groupByFile": "按文件分组更改",
+ "groupByType": "按类型分组更改",
+ "overlap": "正在预览另一个重构。",
+ "panel": "重构预览",
+ "refactorPreviewViewIcon": "查看重构预览视图的图标。",
+ "toogleSelection": "切换更改"
+ },
+ "vs/workbench/contrib/bulkEdit/browser/preview/bulkEditPane": {
+ "cancel": "放弃",
+ "conflict.1": "无法应用重构,因为“{0}”在此期间进行了修改。",
+ "conflict.N": "无法应用重构,因为其他 {0} 个文件在此期间进行了修改。",
+ "create": "创建",
+ "edt.title.1": "{0}(重构预览)",
+ "edt.title.2": "{0}({1}、重构预览)",
+ "edt.title.del": "{0}(删除、重构预览)",
+ "empty.msg": "调用代码操作(如重命名操作),在此处查看其更改的预览。",
+ "ok": "应用",
+ "rename": "重命名"
+ },
+ "vs/workbench/contrib/bulkEdit/browser/preview/bulkEditPreview": {
+ "default": "其他"
+ },
+ "vs/workbench/contrib/bulkEdit/browser/preview/bulkEditTree": {
+ "aria.create": "创建{0}",
+ "aria.createAndEdit": "创建{0},同时进行文本编辑",
+ "aria.del": "行 {0},正在删除 {1}",
+ "aria.delete": "删除 {0}",
+ "aria.deleteAndEdit": "正在删除 {0},同时进行文本编辑",
+ "aria.editOnly": "{0},进行文本编辑",
+ "aria.insert": "行{0},插入{1}",
+ "aria.rename": "将 {0} 重命名为 {1}",
+ "aria.renameAndEdit": "将{0}重命名为{1},同时进行文本编辑",
+ "aria.replace": "行{0},用{2}替换{1}",
+ "bulkEdit": "批量编辑",
+ "detail.create": "(正在创建)",
+ "detail.del": "(删除)",
+ "detail.rename": "(重命名)",
+ "rename.label": "{0} → {1}",
+ "title": "{0} - {1}"
+ },
+ "vs/workbench/contrib/callHierarchy/browser/callHierarchy.contribution": {
+ "callHierarchyDirection": "调用层次结构是否显示传入或传出的调用",
+ "callHierarchyVisible": "当前是否正在显示调用层次结构预览",
+ "close": "关闭",
+ "editorHasCallHierarchyProvider": "调用层次结构提供程序是否可用",
+ "error": "未能显示调用层次结构",
+ "no.item": "无结果",
+ "showIncomingCallsIcons": "“调用层次结构”视图中传入调用的图标。",
+ "showOutgoingCallsIcon": "“调用层次结构”视图中传出调用的图标。",
+ "title": "速览调用层次结构",
+ "title.incoming": "显示来电",
+ "title.outgoing": "显示去电",
+ "title.refocus": "重新聚焦调用层次结构"
+ },
+ "vs/workbench/contrib/callHierarchy/browser/callHierarchyPeek": {
+ "callFrom": "来自\"{0}\"的调用",
+ "callsTo": "\"{0}\"的调用方",
+ "empt.callsFrom": "没有来自 \"{0}\" 的调用",
+ "empt.callsTo": "没有\"{0}\"的调用方",
+ "title.loading": "正在加载..."
+ },
+ "vs/workbench/contrib/callHierarchy/browser/callHierarchyTree": {
+ "from": "来自 {0} 的调用",
+ "to": "{0} 的调用方",
+ "tree.aria": "调用层次结构"
+ },
+ "vs/workbench/contrib/codeActions/browser/codeActionsContribution": {
+ "codeActionsOnSave": "在保存时运行的代码操作类型。",
+ "codeActionsOnSave.fixAll": "控制是否应在文件保存时运行自动修复操作。",
+ "codeActionsOnSave.generic": "控制是否应在文件保存时运行\"{0}\"操作。"
+ },
+ "vs/workbench/contrib/codeActions/common/codeActionsExtensionPoint": {
+ "contributes.codeActions": "配置资源要使用的编辑器。",
+ "contributes.codeActions.description": "代码操作的说明。",
+ "contributes.codeActions.kind": "贡献代码操作的\"代码操作种类\"。",
+ "contributes.codeActions.languages": "启用代码操作的语言模式。",
+ "contributes.codeActions.title": "UI 中使用的代码操作的标签。"
+ },
+ "vs/workbench/contrib/codeActions/common/documentationExtensionPoint": {
+ "contributes.documentation": "贡献的文档。",
+ "contributes.documentation.refactoring": "为重构提供了文档。",
+ "contributes.documentation.refactoring.command": "命令已执行。",
+ "contributes.documentation.refactoring.title": "UI 中使用的文档的标签。",
+ "contributes.documentation.refactoring.when": "当子句。",
+ "contributes.documentation.refactorings": "为重构提供了文档。"
+ },
+ "vs/workbench/contrib/codeEditor/browser/accessibility/accessibility": {
+ "ShowAccessibilityHelpAction": "显示辅助功能帮助",
+ "auto_off": "编辑器被配置为自动检测是否附加了屏幕阅读器,当前未检测到。",
+ "auto_on": "编辑器自动检测到已附加屏幕阅读器。",
+ "auto_unknown": "编辑器被配置为使用平台 API 以检测是否附加了屏幕阅读器,但当前运行时不支持此功能。",
+ "changeConfigToOnMac": "要配置编辑器对屏幕阅读器进行永久优化,请按 Command+E。",
+ "changeConfigToOnWinLinux": "要配置编辑器对屏幕阅读器进行永久优化,请按 Ctrl+E。",
+ "configuredOff": "编辑器被配置为不对屏幕阅读器的使用进行优化。",
+ "configuredOn": "已配置编辑器对屏幕阅读器进行永久优化 — 您可以更改 \"editor.accessibilitySupport\" 设置进行调整。",
+ "emergencyConfOn": "现在将设置 \"editor.accessibilitySupport\" 更改为 \"on\"。",
+ "introMsg": "感谢试用 VS Code 的辅助功能选项。",
+ "openDocMac": "按 Command+H 以打开浏览器窗口,其中包含更多有关 VS Code 辅助功能的信息。",
+ "openDocWinLinux": "按 Ctrl+H 以打开浏览器窗口,其中包含更多有关 VS Code 辅助功能的信息。",
+ "openingDocs": "正在打开 VS Code 辅助功能文档页面。",
+ "outroMsg": "你可以按 Esc 或 Shift+Esc 消除此工具提示并返回到编辑器。",
+ "status": "状态:",
+ "tabFocusModeOffMsg": "在当前编辑器中按 Tab 将插入制表符。通过按 {0} 切换此行为。",
+ "tabFocusModeOffMsgNoKb": "在当前编辑器中按 Tab 会插入制表符。当前无法通过键绑定触发命令 {0}。",
+ "tabFocusModeOnMsg": "在当前编辑器中按 Tab 会将焦点移动到下一个可聚焦的元素。通过按 {0} 切换此行为。",
+ "tabFocusModeOnMsgNoKb": "在当前编辑器中按 Tab 会将焦点移动到下一个可聚焦的元素。当前无法通过按键绑定触发命令 {0}。"
+ },
+ "vs/workbench/contrib/codeEditor/browser/diffEditorHelper": {
+ "hintTimeout": "差异算法已提前停止(在 {0} ms 之后)",
+ "hintWhitespace": "显示空白差异",
+ "removeTimeout": "删除限制"
+ },
+ "vs/workbench/contrib/codeEditor/browser/find/simpleFindWidget": {
+ "ariaSearchNoInput": "输入搜索输入",
+ "ariaSearchNoResult": "为“{1}”找到 {0}",
+ "ariaSearchNoResultEmpty": "已找到 {0}",
+ "ariaSearchNoResultWithLineNumNoCurrentMatch": "为“{1}”找到 {0}",
+ "label.closeButton": "关闭",
+ "label.find": "查找",
+ "label.nextMatchButton": "下一个匹配项",
+ "label.previousMatchButton": "上一个匹配项",
+ "placeholder.find": "查找(⇅ 历史记录)"
+ },
+ "vs/workbench/contrib/codeEditor/browser/inspectEditorTokens/inspectEditorTokens": {
+ "inspectEditorTokens": "开发人员: 检查编辑器标记和作用域",
+ "inspectTMScopesWidget.loading": "正在加载..."
+ },
+ "vs/workbench/contrib/codeEditor/browser/inspectKeybindings": {
+ "workbench.action.inspectKeyMap": "检查密钥映射",
+ "workbench.action.inspectKeyMapJSON": "检查按键映射(JSON)"
+ },
+ "vs/workbench/contrib/codeEditor/browser/languageConfigurationExtensionPoint": {
+ "formatError": "{0}: 格式无效,应为 JSON 对象。",
+ "parseErrors": "错误分析 {0}: {1}",
+ "schema.autoCloseBefore": "在自动闭合设置为 \"languageDefined\" 时,定义使括号或引号自动闭合的光标后面的字符。通常是不会成为表达式开头的一组字符。",
+ "schema.autoClosingPairs": "定义括号对。当输入左方括号时,将自动插入右方括号。",
+ "schema.autoClosingPairs.notIn": "定义禁用了自动配对的作用域列表。",
+ "schema.blockComment.begin": "作为块注释开头的字符序列。",
+ "schema.blockComment.end": "作为块注释结尾的字符序列。",
+ "schema.blockComments": "定义块注释的标记方式。",
+ "schema.brackets": "定义增加和减少缩进的括号。",
+ "schema.closeBracket": "右方括号字符或字符串序列。",
+ "schema.colorizedBracketPairs": "如果启用方括号对着色,则按照其嵌套级别定义已着色的方括号对。",
+ "schema.comments": "定义注释符号",
+ "schema.folding": "此语言的折叠设置。",
+ "schema.folding.markers": "语言特定的折叠标记。例如,\"#region\" 与 \"#endregion\"。开始与结束标记的正则表达式需设计得效率高,因其将对每一行的内容进行测试。",
+ "schema.folding.markers.end": "结束标记的正则表达式模式。其应以 \"^\" 开始。",
+ "schema.folding.markers.start": "开始标记的正则表达式模式。其应以 \"^\" 开始。",
+ "schema.folding.offSide": "若一种语言使用缩进表示其代码块,它将遵循越位规则 (off-side rule)。若设置此项,空白行将属于其之后的代码块。",
+ "schema.indentationRules": "语言的缩进设置。",
+ "schema.indentationRules.decreaseIndentPattern": "如果某行文本匹配此模式,则其后所有行都应被取消缩进一次 (直到匹配其他规则)。",
+ "schema.indentationRules.decreaseIndentPattern.errorMessage": "必须匹配模式“/^([gimuy]+)$/”。",
+ "schema.indentationRules.decreaseIndentPattern.flags": "decreaseIndentPattern 的正则表达式标志。",
+ "schema.indentationRules.decreaseIndentPattern.pattern": "decreaseIndentPattern 的正则表达式模式。",
+ "schema.indentationRules.increaseIndentPattern": "如果一行文本匹配此模式,则之后所有内容都应被缩进一次(直到匹配其他规则)。",
+ "schema.indentationRules.increaseIndentPattern.errorMessage": "必须匹配模式“/^([gimuy]+)$/”。",
+ "schema.indentationRules.increaseIndentPattern.flags": "increaseIndentPattern 的正则表达式标志。",
+ "schema.indentationRules.increaseIndentPattern.pattern": "increaseIndentPattern 的正则表达式模式。",
+ "schema.indentationRules.indentNextLinePattern": "如果某一行匹配此模式,那么仅此行之后的**下一行**应缩进一次。",
+ "schema.indentationRules.indentNextLinePattern.errorMessage": "必须匹配模式“/^([gimuy]+)$/”。",
+ "schema.indentationRules.indentNextLinePattern.flags": "indentNextLinePattern 的正则表达式标志。",
+ "schema.indentationRules.indentNextLinePattern.pattern": "indentNextLinePattern 的正则表达式模式。",
+ "schema.indentationRules.unIndentedLinePattern": "如果某一行匹配此模式,那么不应更改此行的缩进,且不应针对其他规则对其进行计算。",
+ "schema.indentationRules.unIndentedLinePattern.errorMessage": "必须匹配模式“/^([gimuy]+)$/”。",
+ "schema.indentationRules.unIndentedLinePattern.flags": "unIndentedLinePattern 的正则表达式标志。",
+ "schema.indentationRules.unIndentedLinePattern.pattern": "unIndentedLinePattern 的正则表达式模式。",
+ "schema.lineComment": "作为行注释开头的字符序列。",
+ "schema.onEnterRules": "按 Enter 时要评估的语言规则。",
+ "schema.onEnterRules.action": "要执行的操作。",
+ "schema.onEnterRules.action.appendText": "描述要追加到新行后和缩进后的文本。",
+ "schema.onEnterRules.action.indent": "描述如何处理缩进",
+ "schema.onEnterRules.action.indent.indent": "(相对于上一行的缩进)插入一次新行和缩进。",
+ "schema.onEnterRules.action.indent.indentOutdent": "插入两个新行: \r\n - 第一行缩进并将包含游标\r\n - 第二行在同一缩进级别",
+ "schema.onEnterRules.action.indent.none": "插入新行并复制上一行的缩进。",
+ "schema.onEnterRules.action.indent.outdent": "(相对于上一行的缩进)插入一次新行和凸排。",
+ "schema.onEnterRules.action.removeText": "描述要从新行的缩进中移除的字符数。",
+ "schema.onEnterRules.afterText": "只有游标后的文本匹配此正则表达式时才会执行此规则。",
+ "schema.onEnterRules.afterText.errorMessage": "必须匹配模式“/^([gimuy]+)$/”。",
+ "schema.onEnterRules.afterText.flags": "afterText 的正则表达式标志。",
+ "schema.onEnterRules.afterText.pattern": "afterText 的正则表达式模式。",
+ "schema.onEnterRules.beforeText": "只有游标前的文本匹配此正则表达式时才会执行此规则。",
+ "schema.onEnterRules.beforeText.errorMessage": "必须匹配模式“/^([gimuy]+)$/”。",
+ "schema.onEnterRules.beforeText.flags": "beforeText 的正则表达式标志。",
+ "schema.onEnterRules.beforeText.pattern": "beforeText 的正则表达式模式。",
+ "schema.onEnterRules.previousLineText": "只有该行上方的文本匹配此正则表达式时才会执行此规则。",
+ "schema.onEnterRules.previousLineText.errorMessage": "必须匹配模式“/^([gimuy]+)$/”。",
+ "schema.onEnterRules.previousLineText.flags": "previousLineText 的正则表达式标志。",
+ "schema.onEnterRules.previousLineText.pattern": "previousLineText 的正则表达式模式。",
+ "schema.openBracket": "左方括号字符或字符串序列。",
+ "schema.surroundingPairs": "定义可用于包围所选字符串的括号对。",
+ "schema.wordPattern": "定义一下在编程语言里什么东西会被当做是一个单词。",
+ "schema.wordPattern.flags": "用于匹配文本的正则表达式标志。",
+ "schema.wordPattern.flags.errorMessage": "必须匹配模式“/^([gimuy]+)$/”。",
+ "schema.wordPattern.pattern": "用于匹配文本的正则表达式模式。"
+ },
+ "vs/workbench/contrib/codeEditor/browser/largeFileOptimizations": {
+ "largeFile": "{0}: 为减少内存使用并避免卡顿或崩溃,我们已关闭对此大型文件内容的标记、折行和折叠。",
+ "removeOptimizations": "强制启用功能",
+ "reopenFilePrompt": "请重新打开文件以使此设置生效。"
+ },
+ "vs/workbench/contrib/codeEditor/browser/outline/documentSymbolsOutline": {
+ "document": "文档符号"
+ },
+ "vs/workbench/contrib/codeEditor/browser/outline/documentSymbolsTree": {
+ "1.problem": "此元素存在 1 个问题",
+ "Array": "数组",
+ "Boolean": "布尔值",
+ "Class": "类",
+ "Constant": "常数",
+ "Constructor": "构造函数",
+ "Enum": "枚举",
+ "EnumMember": "枚举成员",
+ "Event": "事件",
+ "Field": "字段",
+ "File": "文件",
+ "Function": "函数",
+ "Interface": "接口",
+ "Key": "键",
+ "Method": "方法",
+ "Module": "模块",
+ "N.problem": "此元素存在 {0} 个问题",
+ "Namespace": "命名空间",
+ "Null": "Null",
+ "Number": "数字",
+ "Object": "对象",
+ "Operator": "运算符",
+ "Package": "包",
+ "Property": "属性",
+ "String": "字符串",
+ "Struct": "结构",
+ "TypeParameter": "类型参数",
+ "Variable": "变量",
+ "deep.problem": "包含存在问题的元素",
+ "title.template": "{0} ({1})"
+ },
+ "vs/workbench/contrib/codeEditor/browser/quickaccess/gotoLineQuickAccess": {
+ "gotoLine": "转到行/列...",
+ "gotoLineQuickAccess": "转到行/列",
+ "gotoLineQuickAccessPlaceholder": "键入要转到的行号和可选列(例如,42:5表示第 42 行和第 5 列)。"
+ },
+ "vs/workbench/contrib/codeEditor/browser/quickaccess/gotoSymbolQuickAccess": {
+ "empty": "无匹配项",
+ "gotoSymbol": "转到编辑器中的符号...",
+ "gotoSymbolByCategoryQuickAccess": "按类别转到编辑器中的符号",
+ "gotoSymbolQuickAccess": "转到编辑器中的符号",
+ "gotoSymbolQuickAccessPlaceholder": "键入要转到的符号的名称。",
+ "miGotoSymbolInEditor": "转到编辑器中的符号(&&S)…"
+ },
+ "vs/workbench/contrib/codeEditor/browser/saveParticipants": {
+ "codeAction.apply": "正在应用代码操作“{0}”。",
+ "codeaction": "快速修复",
+ "codeaction.get2": "从 \"{0}\" ([configure]({1}))中获取代码操作。",
+ "formatting2": "正在运行 \"{0}\" 格式化程序([configure]({1}))。"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleColumnSelection": {
+ "miColumnSelection": "列选择模式(&&S)",
+ "toggleColumnSelection": "切换列选择模式"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleMinimap": {
+ "miMinimap": "缩略图(&&M)",
+ "toggleMinimap": "切换到迷你地图"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleMultiCursorModifier": {
+ "miMultiCursorAlt": "切换为“Alt+单击”进行多光标功能",
+ "miMultiCursorCmd": "切换为“Cmd+单击”进行多光标功能",
+ "miMultiCursorCtrl": "切换为“Ctrl+单击”进行多光标功能",
+ "toggleLocation": "切换多行修改键"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleRenderControlCharacter": {
+ "miToggleRenderControlCharacters": "显示控制字符(&&C)",
+ "toggleRenderControlCharacters": "切换控制字符"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleRenderWhitespace": {
+ "miToggleRenderWhitespace": "显示空格(&&R)",
+ "toggleRenderWhitespace": "切换呈现空格"
+ },
+ "vs/workbench/contrib/codeEditor/browser/toggleWordWrap": {
+ "editorWordWrap": "编辑器当前是否正在使用自动换行。",
+ "miToggleWordWrap": "自动换行(&&W)",
+ "toggle.wordwrap": "查看: 切换自动换行",
+ "unwrapMinified": "在此文件禁用折行",
+ "wrapMinified": "在此文件启用折行"
+ },
+ "vs/workbench/contrib/codeEditor/browser/untitledTextEditorHint": {
+ "message": "[[选择语言]] 或 [[打开其他编辑器]] 以开始使用。\r\n开始键入以关闭或 [[不再显示]] 此信息。"
+ },
+ "vs/workbench/contrib/codeEditor/electron-sandbox/selectionClipboard": {
+ "actions.pasteSelectionClipboard": "粘贴选择剪贴板"
+ },
+ "vs/workbench/contrib/codeEditor/electron-sandbox/startDebugTextMate": {
+ "startDebugTextMate": "启动文本配对语法语法日志记录"
+ },
+ "vs/workbench/contrib/comments/browser/commentColors": {
+ "commentThreadActiveRangeBackground": "当前选定或悬停注释范围的背景色。",
+ "commentThreadActiveRangeBorder": "当前选定或悬停注释范围的边框颜色。",
+ "commentThreadRangeBackground": "注释范围的背景色。",
+ "commentThreadRangeBorder": "注释范围的边框颜色。",
+ "resolvedCommentBorder": "已解析评论的边框和箭头颜色。",
+ "unresolvedCommentBorder": "未解析评论的边框和箭头颜色。"
+ },
+ "vs/workbench/contrib/comments/browser/commentGlyphWidget": {
+ "editorGutterCommentRangeForeground": "编辑器导航线中表示评论范围的颜色。"
+ },
+ "vs/workbench/contrib/comments/browser/commentNode": {
+ "commentAddReactionDefaultError": "未能删除评论回应",
+ "commentAddReactionError": "未能删除评论回应: {0}。",
+ "commentDeleteReactionDefaultError": "未能删除评论回应",
+ "commentDeleteReactionError": "未能删除评论回应: {0}。",
+ "commentToggleReaction": "切换反应",
+ "commentToggleReactionDefaultError": "切换注释反应失败",
+ "commentToggleReactionError": "切换注释反应失败: {0}。"
+ },
+ "vs/workbench/contrib/comments/browser/commentReply": {
+ "newComment": "键入新注释",
+ "reply": "回复..."
+ },
+ "vs/workbench/contrib/comments/browser/commentThreadBody": {
+ "commentThreadAria": "使用 {0} 评论。{1} 评论线程。",
+ "commentThreadAria.withRange": "通过 {2} 注释行 {1} 上具有 {0} 注释的线程。{3}。"
+ },
+ "vs/workbench/contrib/comments/browser/commentThreadHeader": {
+ "collapseIcon": "用于折叠审阅注释的图标。",
+ "label.collapse": "折叠",
+ "startThread": "开始讨论"
+ },
+ "vs/workbench/contrib/comments/browser/comments.contribution": {
+ "comments.openPanel.deprecated": "此设置已弃用,取而代之的是 `comments.openView`。",
+ "comments.openView": "控制评论视图应何时打开。",
+ "comments.openView.file": "批注视图将在具有注释的文件处于活动状态时打开。",
+ "comments.openView.firstFile": "如果在此会话期间尚未打开注释视图,则它将在带注释文件处于活动状态的会话期间首次打开。",
+ "comments.openView.never": "注释视图永远不会打开。",
+ "commentsConfigurationTitle": "评论",
+ "openComments": "控制评论面板应何时打开。",
+ "useRelativeTime": "确定是否在注释时间戳中使用相对时间,(例如\"1 天前\")。"
+ },
+ "vs/workbench/contrib/comments/browser/commentsEditorContribution": {
+ "comments.addCommand": "添加对当前所选内容的注释",
+ "comments.toggleCommenting": "切换编辑器注释",
+ "hasCommentingProvider": "打开的工作区是否具有注释或注释范围。",
+ "hasCommentingRange": "活动光标处的位置是否具有评论范围",
+ "nextCommentThreadAction": "转到下一条评论串",
+ "pickCommentService": "选择 \"注释提供程序\"",
+ "previousCommentThreadAction": "转到上一个评论线程"
+ },
+ "vs/workbench/contrib/comments/browser/commentsTreeViewer": {
+ "commentCount": "1 条注释",
+ "commentLine": "[Ln {0}]",
+ "commentRange": "[Ln {0}-{1}]",
+ "commentsCount": "{0} 条注释",
+ "image": "图片",
+ "imageWithLabel": "图片: {0}",
+ "lastReplyFrom": "来自 {0} 的最新回复"
+ },
+ "vs/workbench/contrib/comments/browser/commentsView": {
+ "collapseAll": "全部折叠",
+ "resourceWithCommentLabel": "{3} 中第 {1} 行第 {2} 列中来自 ${0} 的注释,源: {4}",
+ "resourceWithCommentThreadsLabel": "{0} 中的注释,完整路径: {1}",
+ "rootCommentsLabel": "当前工作区的注释"
+ },
+ "vs/workbench/contrib/comments/browser/reactionsAction": {
+ "pickReactions": "选取反应..."
+ },
+ "vs/workbench/contrib/comments/common/commentModel": {
+ "noComments": "此工作区中尚无注释。"
+ },
+ "vs/workbench/contrib/customEditor/common/contributedCustomEditors": {
+ "builtinProviderDisplayName": "内置"
+ },
+ "vs/workbench/contrib/customEditor/common/customEditor": {
+ "context.customEditor": "当前处于活动状态的自定义编辑器的 viewType。"
+ },
+ "vs/workbench/contrib/customEditor/common/extensionPoint": {
+ "contributes.customEditors": "提供的自定义编辑器。",
+ "contributes.displayName": "自定义编辑器的用户可读名称。当选择要使用的编辑器时,向用户显示此名称。",
+ "contributes.priority": "控制在用户打开文件时是否自动启用自定义编辑器。用户可能会使用 \"workbench.editorAssociations\" 设置覆盖此项。",
+ "contributes.priority.default": "在用户打开资源时自动使用此编辑器,前提是没有为该资源注册其他默认的自定义编辑器。",
+ "contributes.priority.option": "在用户打开资源时不会自动使用此编辑器,但用户可使用 `Reopen With` 命令切换到此编辑器。",
+ "contributes.selector": "为其启用了自定义编辑器的一组 glob。",
+ "contributes.selector.filenamePattern": "为其启用了自定义编辑器的 glob。",
+ "contributes.viewType": "自定义编辑器的标识符。它在所有自定义编辑器中都必须是唯一的,因此建议将扩展 ID 作为 \"viewType\" 的一部分包括在内。在使用 \"vscode.registerCustomEditorProvider\" 和在 \"onCustomEditor:${id}\" [激活事件](https://code.visualstudio.com/api/references/activation-events)中注册自定义编辑器时,使用 \"viewType\"。"
+ },
+ "vs/workbench/contrib/debug/browser/baseDebugView": {
+ "debug.lazyButton.tooltip": "单击以展开"
+ },
+ "vs/workbench/contrib/debug/browser/breakpointEditorContribution": {
+ "addBreakpoint": "添加断点",
+ "addConditionalBreakpoint": "添加条件断点...",
+ "addLogPoint": "添加记录点...",
+ "breakpoint": "断点",
+ "breakpointHasConditionDisabled": "此{0}的{1}将在删除后丢失。请考虑仅启用此{0}。",
+ "breakpointHasConditionEnabled": "此{0}的{1}将在删除后丢失。请考虑仅禁用此{0}。",
+ "cancel": "取消",
+ "condition": "条件",
+ "debugIcon.breakpointCurrentStackframeForeground": "当前断点堆栈帧的图标颜色。",
+ "debugIcon.breakpointDisabledForeground": "禁用断点的图标颜色。",
+ "debugIcon.breakpointForeground": "断点图标颜色。",
+ "debugIcon.breakpointStackframeForeground": "所有断点堆栈帧的图标颜色。",
+ "debugIcon.breakpointUnverifiedForeground": "未验证断点的图标颜色。",
+ "disable": "禁用",
+ "disableBreakpoint": "禁用{0}",
+ "disableBreakpointOnLine": "禁用行断点",
+ "disableInlineColumnBreakpoint": "禁用第 {0} 列的内联断点",
+ "disableLogPoint": "{0} {1}",
+ "editBreakpoint": "编辑 {0}…",
+ "editBreakpoints": "编辑断点",
+ "editInlineBreakpointOnColumn": "编辑第 {0} 列的内联断点",
+ "editLineBreakpoint": "编辑行断点",
+ "enable": "启用",
+ "enableBreakpoint": "启用 {0}",
+ "enableBreakpointOnLine": "启用行断点",
+ "enableBreakpoints": "启用第 {0} 列的内联断点",
+ "enableDisableBreakpoints": "启用/禁用断点",
+ "logPoint": "记录点",
+ "message": "消息",
+ "removeBreakpoint": "删除 {0}",
+ "removeBreakpoints": "删除断点",
+ "removeInlineBreakpointOnColumn": "删除第 {0} 列的内联断点",
+ "removeLineBreakpoint": "删除行断点",
+ "removeLogPoint": "删除 {0}",
+ "runToLine": "运行到行"
+ },
+ "vs/workbench/contrib/debug/browser/breakpointWidget": {
+ "breakpointType": "断点类型",
+ "breakpointWidgetExpressionPlaceholder": "在表达式结果为真时中断。按 \"Enter\" 键确认,\"Esc\" 键取消。",
+ "breakpointWidgetHitCountPlaceholder": "在命中次数条件满足时中断。按 \"Enter\" 键确认,\"Esc\" 键取消。",
+ "breakpointWidgetLogMessagePlaceholder": "断点命中时记录的消息。{} 内的表达式将被替换。按 \"Enter\" 键确认,\"Esc\" 键取消。",
+ "expression": "表达式",
+ "hitCount": "命中次数",
+ "logMessage": "日志消息"
+ },
+ "vs/workbench/contrib/debug/browser/breakpointsView": {
+ "access": "访问",
+ "activateBreakpoints": "切换激活断点",
+ "addFunctionBreakpoint": "添加函数断点",
+ "breakpoint": "断点",
+ "breakpointUnsupported": "调试器不支持此类型的断点",
+ "breakpoints": "断点",
+ "dataBreakpoint": "数据断点",
+ "dataBreakpointUnsupported": "此调试类型不支持数据断点",
+ "dataBreakpointsNotSupported": "此调试类型不支持数据断点",
+ "disableAllBreakpoints": "禁用所有断点",
+ "disabledBreakpoint": "已禁用的断点",
+ "disabledLogpoint": "已禁用的记录点",
+ "editBreakpoint": "编辑函数断点…",
+ "editCondition": "编辑条件…",
+ "editHitCount": "编辑命中次数…",
+ "enableAllBreakpoints": "启用所有断点",
+ "exceptionBreakpointAriaLabel": "类型异常断点条件",
+ "exceptionBreakpointPlaceholder": "在表达式结果为 true 时中断",
+ "expression": "表达式条件: {0}",
+ "expressionAndHitCount": "表达式: {0} | 命中次数: {1}",
+ "expressionCondition": "表达式条件: {0}",
+ "functionBreakPointExpresionAriaLabel": "类型表达式。表达式计算结果为 true 时,函数断点将中断",
+ "functionBreakPointHitCountAriaLabel": "类型命中次数。达到命中次数时,函数断点将中断。",
+ "functionBreakPointInputAriaLabel": "键入函数断点。",
+ "functionBreakpoint": "函数断点",
+ "functionBreakpointExpressionPlaceholder": "在表达式结果为 true 时中断",
+ "functionBreakpointHitCountPlaceholder": "在到达命中次数时中断",
+ "functionBreakpointPlaceholder": "要断开的函数",
+ "functionBreakpointUnsupported": "不受此调试类型支持的函数断点",
+ "functionBreakpointsNotSupported": "此调试类型不支持函数断点",
+ "hitCount": "命中次数: {0}",
+ "instructionBreakpoint": "指令断点",
+ "instructionBreakpointAtAddress": "地址 {0} 处的指令断点",
+ "instructionBreakpointUnsupported": "不受此调试类型支持的指令断点",
+ "logMessage": "日志消息: {0}",
+ "miDisableAllBreakpoints": "禁用所有断点(&&L)",
+ "miEnableAllBreakpoints": "启用所有断点(&&E)",
+ "miFunctionBreakpoint": "函数断点(&&F)...",
+ "miRemoveAllBreakpoints": "删除所有断点(&&A)",
+ "read": "读取",
+ "reapplyAllBreakpoints": "重新应用所有断点",
+ "removeAllBreakpoints": "删除所有断点",
+ "removeBreakpoint": "删除断点",
+ "unverifiedBreakpoint": "未验证的断点",
+ "unverifiedExceptionBreakpoint": "未验证的异常断点",
+ "unverifiedLogpoint": "未验证的记录点",
+ "write": "写入"
+ },
+ "vs/workbench/contrib/debug/browser/callStackEditorContribution": {
+ "focusedStackFrameLineHighlight": "堆栈帧中焦点一行的高亮背景色。",
+ "topStackFrameLineHighlight": "堆栈帧中顶部一行的高亮背景色。"
+ },
+ "vs/workbench/contrib/debug/browser/callStackView": {
+ "callStackAriaLabel": "调试调用堆栈",
+ "collapse": "全部折叠",
+ "loadAllStackFrames": "加载所有堆栈帧",
+ "paused": "已暂停",
+ "pausedOn": "因 {0} 已暂停",
+ "restartFrame": "重启框架",
+ "running": "正在运行",
+ "session": "会话",
+ "sessionLabel": "会话 {0} {1}",
+ "showMoreAndOrigin": "显示另外 {0} 个: {1}",
+ "showMoreStackFrames": "显示另外 {0} 个堆栈帧",
+ "showMoreStackFrames2": "显示更多堆栈框架",
+ "stackFrameAriaLabel": "堆栈帧 {0},行 {1},{2}",
+ "threadAriaLabel": "线程 {0} {1}"
+ },
+ "vs/workbench/contrib/debug/browser/debug.contribution": {
+ "SetNextStatement": "设置下一语句",
+ "addToWatchExpressions": "添加到监视",
+ "allowBreakpointsEverywhere": "允许在任何文件中设置断点。",
+ "always": "始终在状态栏中显示调试",
+ "breakWhenValueChanges": "值更改时中断",
+ "breakWhenValueIsAccessed": "值访问时中断",
+ "breakWhenValueIsRead": "值读取时中断",
+ "breakpoints": "断点",
+ "callStack": "调用堆栈",
+ "cancel": "取消调试。",
+ "copyAsExpression": "复制表达式",
+ "copyStackTrace": "复制调用堆栈",
+ "copyValue": "复制值",
+ "debug.autoExpandLazyVariables": "自动显示调试器延迟解析的变量的值,例如 getter。",
+ "debug.confirmOnExit": "如果存在活动调试会话,控制是否确认窗口关闭时间。",
+ "debug.confirmOnExit.always": "始终确认是否存在调试会话。",
+ "debug.confirmOnExit.never": "从不确认。",
+ "debug.console.acceptSuggestionOnEnter": "控制是否应在调试控制台中输入时接受建议。enter 还用于评估调试控制台中键入的任何内容。",
+ "debug.console.closeOnEnd": "控制调试控制台是否应在调试会话结束时自动关闭。",
+ "debug.console.collapseIdenticalLines": "控制调试控制台是否应折叠相同的行,并显示出现次数和徽章。",
+ "debug.console.fontFamily": "控制调试控制台中的字体系列。",
+ "debug.console.fontSize": "控制调试控制台中的字体大小(以像素为单位)。",
+ "debug.console.historySuggestions": "控制调试控制台是否应建议以前键入的输入。",
+ "debug.console.lineHeight": "设置调试控制台中的行高(以像素为单位)。使用 0 来计算从字体大小开始的行高。",
+ "debug.console.wordWrap": "控制是否应在调试控制台中换行。",
+ "debug.disassemblyView.showSourceCode": "在反汇编视图中显示源代码。",
+ "debug.focusEditorOnBreak": "控制调试器中断时编辑器是否应聚焦。",
+ "debug.focusWindowOnBreak": "控制当调试器中断时,工作台窗口是否应获得焦点。",
+ "debug.onTaskErrors": "控制在运行预启动任务后遇到错误时应该怎么做。",
+ "debug.saveBeforeStart": "控制在启动调试会话前要保存哪些编辑器。",
+ "debug.saveBeforeStart.allEditorsInActiveGroup": "在启动调试会话之前,保存活动组中的所有编辑器。",
+ "debug.saveBeforeStart.nonUntitledEditorsInActiveGroup": "在启动调试会话之前,保存活动组中的所有编辑器(无标题的编辑器除外)。",
+ "debug.saveBeforeStart.none": "在启动调试会话之前,不保存任何编辑器。",
+ "debug.terminal.clearBeforeReusing": "在集成或外部终端中启动新的调试会话之前,请清除终端。",
+ "debugAnyway": "忽略任务错误并开始调试。",
+ "debugCategory": "调试",
+ "debugConfigurationTitle": "调试",
+ "debugFocusConsole": "聚焦到“调试控制台”视图",
+ "debugPanel": "调试控制台",
+ "disassembly": "反汇编",
+ "editWatchExpression": "编辑表达式",
+ "inlineBreakpoint": "内联断点",
+ "inlineValues": "当处于调试过程中时,在编辑器中内联显示变量值。",
+ "inlineValues.focusNoScroll": "如果语言支持内联值位置,则在调试时在编辑器中内联显示变量值。",
+ "inlineValues.off": "在调试时,绝不在编辑器中内联显示变量值。",
+ "inlineValues.on": "在调试时,始终在编辑器中内联显示变量值。",
+ "jumpToCursor": "跳转到光标",
+ "launch": "全局调试启动配置。应当作为跨工作区共享的 'launch.json' 的替代方法。",
+ "loadedScripts": "已载入的脚本",
+ "mRun": "运行(&&R)",
+ "miAddConfiguration": "添加配置(&&D)...",
+ "miContinue": "继续(&&C)",
+ "miInlineBreakpoint": "内联断点(&&O)",
+ "miInstallAdditionalDebuggers": "安装附加调试器(&&I)...",
+ "miNewBreakpoint": "新建断点(&&N)",
+ "miRestart Debugging": "重启调试(&&R)",
+ "miRun": "以非调试模式运行(&&W)",
+ "miStartDebugging": "启动调试(&&S)",
+ "miStepInto": "单步执行(&&I)",
+ "miStepOut": "单步停止(&&U)",
+ "miStepOver": "单步跳过(&&O)",
+ "miStopDebugging": "停止调试(&&S)",
+ "miToggleDebugConsole": "调试控制台(&&B)",
+ "miViewRun": "运行(&&R)",
+ "never": "在状态栏中不再显示调试",
+ "onFirstSessionStart": "仅于第一次启动调试后在状态栏中显示调试",
+ "openDebug": "控制何时打开“调试”视图。",
+ "openExplorerOnEnd": "在调试会话结束时自动打开资源管理器视图。",
+ "prompt": "提示用户。",
+ "removeWatchExpression": "删除表达式",
+ "restartFrame": "重启框架",
+ "run": "运行或调试...",
+ "run and debug": "运行和调试",
+ "setValue": "设置值",
+ "showBreakpointsInOverviewRuler": "控制断点是否应显示在概览标尺中。",
+ "showErrors": "显示问题视图且不开始调试。",
+ "showInStatusBar": "控制何时显示调试状态栏。",
+ "showInlineBreakpointCandidates": "控制调试时是否应在编辑器中显示内联断点候选修饰。",
+ "showSubSessionsInToolBar": "控制调试子会话是否显示在调试工具栏中。当此设置为 false 时, 子会话上的 stop 命令也将停止父会话。",
+ "startDebugPlaceholder": "键入准备运行的启动配置的名称。",
+ "startDebuggingHelp": "开始调试",
+ "tasksQuickAccessHelp": "显示所有调试控制台",
+ "tasksQuickAccessPlaceholder": "键入要打开的调试控制台的名称。",
+ "terminateThread": "终止线程",
+ "toolBarLocation": "控制调试工具栏的位置。可在所有视图中“浮动”、在调试视图中“停靠”,也可“隐藏”。",
+ "variables": "变量",
+ "viewMemory": "查看二进制数据",
+ "watch": "监视"
+ },
+ "vs/workbench/contrib/debug/browser/debugActionViewItems": {
+ "addConfigTo": "添加配置({0})…",
+ "addConfiguration": "添加配置…",
+ "debugLaunchConfigurations": "调试启动配置",
+ "debugSession": "调试会话",
+ "noConfigurations": "没有配置"
+ },
+ "vs/workbench/contrib/debug/browser/debugAdapterManager": {
+ "CouldNotFindLanguage": "没有用于调试 {0} 的扩展。我们是否应在市场中找到 {0} 扩展?",
+ "cancel": "取消",
+ "debugName": "配置名称;显示在启动配置下拉菜单中。",
+ "debugNoType": "不可省略调试器的 \"type\" 属性,且其类型必须是 \"string\" 。",
+ "debugPostDebugTask": "调试会话结束后运行的任务。",
+ "debugPrelaunchTask": "调试会话开始前要运行的任务。",
+ "debugServer": "仅用于调试扩展开发: 如果已指定端口,VS 代码会尝试连接到在服务器模式中运行的调试适配器",
+ "findExtension": "查找 {0} 扩展",
+ "installExt": "安装扩展...",
+ "installLanguage": "安装 {0} 的扩展...",
+ "selectDebug": "选择调试器",
+ "suggestedDebuggers": "建议"
+ },
+ "vs/workbench/contrib/debug/browser/debugColors": {
+ "debugIcon.continueForeground": "用于继续的调试工具栏图标。",
+ "debugIcon.disconnectForeground": "用于断开连接的调试工具栏图标。",
+ "debugIcon.pauseForeground": "用于暂停的调试工具栏图标。",
+ "debugIcon.restartForeground": "用于重启的调试工具栏图标。",
+ "debugIcon.startForeground": "用于开始调试的调试工具栏图标。",
+ "debugIcon.stepBackForeground": "用于后退的调试工具栏图标。",
+ "debugIcon.stepIntoForeground": "用于单步执行的调试工具栏图标。",
+ "debugIcon.stepOutForeground": "用于单步执行的调试工具栏图标。",
+ "debugIcon.stepOverForeground": "用于跳过的调试工具栏图标。",
+ "debugIcon.stopForeground": "用于停止的调试工具栏图标。",
+ "debugToolBarBackground": "调试工具栏背景颜色。",
+ "debugToolBarBorder": "调试工具栏边框颜色。"
+ },
+ "vs/workbench/contrib/debug/browser/debugCommands": {
+ "addInlineBreakpoint": "添加内联断点",
+ "callStackBottom": "导航到调用堆栈底部",
+ "callStackDown": "向下导航调用堆栈",
+ "callStackTop": "导航到调用堆栈顶部",
+ "callStackUp": "向上导航调用堆栈",
+ "chooseLocation": "选择特定位置",
+ "continueDebug": "继续",
+ "debug": "调试",
+ "disconnect": "断开连接",
+ "disconnectSuspend": "断开连接和暂停",
+ "editor.debug.action.stepIntoTargets.none": "没有可用的步骤目标",
+ "focusSession": "聚焦到“会话”视图",
+ "jumpToCursor": "跳转到光标",
+ "nextDebugConsole": "聚焦下一个调试控制台",
+ "noExecutableCode": "当前光标位置没有关联的可执行代码。",
+ "openLaunchJson": "打开“{0}”",
+ "openLoadedScript": "打开已加载脚本...",
+ "pauseDebug": "暂停",
+ "prevDebugConsole": "聚焦上一个调试控制台",
+ "restartDebug": "重启",
+ "selectAndStartDebugging": "选择并开始调试",
+ "selectDebugConsole": "选择调试控制台",
+ "selectDebugSession": "选择调试会话",
+ "startDebug": "开始调试",
+ "startWithoutDebugging": "开始执行(不调试)",
+ "stepIntoDebug": "单步调试",
+ "stepIntoTargetDebug": "单步执行目标",
+ "stepOutDebug": "单步跳出",
+ "stepOverDebug": "单步跳过",
+ "stop": "停止"
+ },
+ "vs/workbench/contrib/debug/browser/debugConfigurationManager": {
+ "DebugConfig.failed": "无法在 \".vscode\" 文件夹({0})内创建 \"launch.json\" 文件。",
+ "editLaunchConfig": "在 launch.json 中编辑调试配置",
+ "selectConfiguration": "选择启动配置",
+ "user settings": "用户设置",
+ "workspace": "工作区"
+ },
+ "vs/workbench/contrib/debug/browser/debugConsoleQuickAccess": {
+ "workbench.action.debug.startDebug": "启动新的调试会话"
+ },
+ "vs/workbench/contrib/debug/browser/debugEditorActions": {
+ "addToWatch": "添加到监视",
+ "closeExceptionWidget": "关闭异常小组件",
+ "conditionalBreakpointEditorAction": "调试: 添加条件断点...",
+ "editor.debug.action.stepIntoTargets.notAvailable": "此处不提供步骤目标",
+ "evaluateInDebugConsole": "在调试控制台中评估",
+ "goToNextBreakpoint": "调试: 转到下一个断点",
+ "goToPreviousBreakpoint": "调试: 转到上一个断点",
+ "logPointEditorAction": "调试: 添加记录点...",
+ "miConditionalBreakpoint": "条件断点(&&C)...",
+ "miDisassemblyView": "反汇编视图(&&D)",
+ "miLogPoint": "记录点(&&L)...",
+ "miToggleBreakpoint": "切换断点(&&B)",
+ "mitogglesource": "&&ToggleSource",
+ "openDisassemblyView": "打开反汇编视图",
+ "runToCursor": "运行到光标处",
+ "showDebugHover": "调试: 显示悬停",
+ "stepIntoTargets": "单步执行目标",
+ "toggleBreakpointAction": "调试: 切换断点",
+ "toggleDisassemblyViewSourceCode": "在反汇编视图中切换源代码"
+ },
+ "vs/workbench/contrib/debug/browser/debugEditorContribution": {
+ "addConfiguration": "添加配置…",
+ "editor.inlineValuesBackground": "调试内联值背景的颜色。",
+ "editor.inlineValuesForeground": "调试内联值文本的颜色。"
+ },
+ "vs/workbench/contrib/debug/browser/debugHover": {
+ "quickTip": "按住 {0} 键可切换到编辑器语言悬停",
+ "treeAriaLabel": "调试悬停",
+ "variableAriaLabel": "{0},值 {1},变量,调试"
+ },
+ "vs/workbench/contrib/debug/browser/debugIcons": {
+ "breakpointsActivate": "“断点”视图中“激活”操作的图标。",
+ "breakpointsRemoveAll": "“断点”视图中“全部删除”操作的图标。",
+ "breakpointsViewIcon": "查看断点视图的图标。",
+ "callStackViewIcon": "查看调用堆栈视图的图标。",
+ "callstackViewSession": "“调用堆栈”视图中会话图标的图标。",
+ "debugBreakpoint": "断点的图标。",
+ "debugBreakpointConditional": "条件断点的图标。",
+ "debugBreakpointConditionalDisabled": "已禁用的条件断点的图标。",
+ "debugBreakpointConditionalUnverified": "未验证的条件断点的图标。",
+ "debugBreakpointData": "数据断点的图标。",
+ "debugBreakpointDataDisabled": "已禁用的数据断点的图标。",
+ "debugBreakpointDataUnverified": "未验证的数据断点的图标。",
+ "debugBreakpointDisabled": "已禁用的断点的图标。",
+ "debugBreakpointFunction": "函数断点的图标。",
+ "debugBreakpointFunctionDisabled": "已禁用的函数断点的图标。",
+ "debugBreakpointFunctionUnverified": "未验证的函数断点的图标。",
+ "debugBreakpointHint": "在编辑器字形边距中悬停时显示的断点提示的图标。",
+ "debugBreakpointLog": "日志断点的图标。",
+ "debugBreakpointLogDisabled": "已禁用的日志断点的图标。",
+ "debugBreakpointLogUnverified": "未验证的日志断点的图标。",
+ "debugBreakpointUnsupported": "不受支持的断点的图标。",
+ "debugBreakpointUnverified": "未验证的断点的图标。",
+ "debugCollapseAll": "调试视图中“全部折叠”操作的图标。",
+ "debugConfigure": "“调试配置”操作的图标。",
+ "debugConsole": "调试控制台的“打开”操作的图标。",
+ "debugConsoleClearAll": "调试控制台中“全部清除”操作的图标。",
+ "debugConsoleEvaluationInput": "调试评估输入标记的图标。",
+ "debugConsoleEvaluationPrompt": "调试评估提示的图标。",
+ "debugConsoleViewIcon": "查看调试控制台视图的图标。",
+ "debugContinue": "“调试继续”操作的图标。",
+ "debugDisconnect": "“调试断开”操作的图标。",
+ "debugGripper": "调试条控制手柄的图标。",
+ "debugInspectMemory": "检查内存操作的图标。",
+ "debugPause": "“调试暂停”操作的图标。",
+ "debugRemoveConfig": "用于删除调试配置的图标。",
+ "debugRestart": "“调试重启”操作的图标。",
+ "debugRestartFrame": "“调试重启帧”操作的图标。",
+ "debugReverseContinue": "“调试反向继续”操作的图标。",
+ "debugRun": "运行或调试操作的图标。",
+ "debugStackframe": "编辑器字形边距中显示的堆栈帧的图标。",
+ "debugStackframeFocused": "编辑器字形边距中显示的具有焦点的堆栈帧的图标。",
+ "debugStart": "“调试启动”操作的图标。",
+ "debugStepBack": "“调试单步后退”操作的图标。",
+ "debugStepInto": "“调试进入子函数”的图标。",
+ "debugStepOut": "“调试跳出子函数”操作的图标。",
+ "debugStepOver": "“调试越过子函数”操作的图标。",
+ "debugStop": "“调试停止”操作的图标。",
+ "loadedScriptsViewIcon": "查看已加载脚本视图的图标。",
+ "runViewIcon": "查看运行视图的图标。",
+ "variablesViewIcon": "查看变量视图的图标。",
+ "watchExpressionRemove": "监视视图中“删除”操作的图标。",
+ "watchExpressionsAdd": "监视视图中“添加”操作的图标。",
+ "watchExpressionsAddFuncBreakpoint": "监视视图中“添加函数断点”操作的图标。",
+ "watchExpressionsRemoveAll": "监视视图中“全部删除”操作的图标。",
+ "watchViewIcon": "查看监视视图的图标。"
+ },
+ "vs/workbench/contrib/debug/browser/debugQuickAccess": {
+ "addConfigTo": "添加配置({0})…",
+ "addConfiguration": "添加配置…",
+ "configure": "配置",
+ "contributed": "已提供",
+ "customizeLaunchConfig": "配置启动配置",
+ "noDebugResults": "没有匹配的启动配置",
+ "providerAriaLabel": "{0} 已提供的配置",
+ "removeLaunchConfig": "删除启动配置"
+ },
+ "vs/workbench/contrib/debug/browser/debugService": {
+ "1activeSession": "1 个活动会话",
+ "breakpointAdded": "已添加断点,行 {0},文件 {1}",
+ "breakpointRemoved": "已删除断点,行 {0},文件 {1}",
+ "cancel": "取消",
+ "compoundMustHaveConfigurations": "复合项必须拥有 \"configurations\" 属性集,才能启动多个配置。",
+ "configMissing": "\"launch.json\" 中缺少配置“{0}”。",
+ "debugAdapterCrash": "调试适配器进程意外终止 ({0})",
+ "debugRequesMissing": "所选的调试配置缺少属性“{0}”。",
+ "debugRequestNotSupported": "所选调试配置的属性“{0}”的值“{1}”不受支持。",
+ "debugTrust": "调试从你的工作区执行生成任务和程序代码。",
+ "debugTypeMissing": "所选的启动配置缺少属性 \"type\"。",
+ "debugTypeNotSupported": "配置的类型“{0}”不受支持。",
+ "debuggingPaused": "{0},调试已暂停 {1},{2}: {3}",
+ "installAdditionalDebuggers": "安装 {0} 扩展",
+ "launchJsonDoesNotExist": "传递的工作区文件夹没有 \"launch.json\"。",
+ "multipleConfigurationNamesInWorkspace": "工作区中存在多个启动配置“{0}”。请使用文件夹名称来限定配置。",
+ "multipleSession": "“{0}”已在运行。是否要启动另一个实例?",
+ "nActiveSessions": "{0}个活动会话",
+ "noConfigurationNameInWorkspace": "在工作区中找不到启动配置“{0}”。",
+ "noFolderWithName": "无法在复合项“{2}”中为配置“{1}”找到名为“{0}”的文件夹。",
+ "noFolderWorkspaceDebugError": "无法调试活动文件。请确保它已保存且你已为该文件类型安装了调试扩展。",
+ "runTrust": "运行会从你的工作区执行生成任务和程序代码。"
+ },
+ "vs/workbench/contrib/debug/browser/debugSession": {
+ "debuggingStarted": "已开始调试。",
+ "debuggingStopped": "已停止调试。",
+ "noDebugAdapter": "没有可用的调试程序,无法发送“{0}”",
+ "sessionNotReadyForBreakpoints": "会话还没有为断点做好准备"
+ },
+ "vs/workbench/contrib/debug/browser/debugSessionPicker": {
+ "moveFocusedView.selectView": "按名称搜索调试会话",
+ "workbench.action.debug.spawnFrom": "已从 {1} 生成会话 {0}",
+ "workbench.action.debug.startDebug": "启动新的调试会话"
+ },
+ "vs/workbench/contrib/debug/browser/debugStatus": {
+ "debugTarget": "调试: {0}",
+ "selectAndStartDebug": "选择并启动调试配置",
+ "status.debug": "调试"
+ },
+ "vs/workbench/contrib/debug/browser/debugTaskRunner": {
+ "DebugTaskNotFound": "找不到指定的任务。",
+ "DebugTaskNotFoundWithTaskId": "找不到任务“{0}”。",
+ "abort": "中止",
+ "cancel": "取消",
+ "debugAnyway": "仍要调试",
+ "invalidTaskReference": "无法在其他工作区文件夹的启动配置中引用任务“{0}”。",
+ "preLaunchTaskError": "运行 preLaunchTask“{0}”后存在错误。",
+ "preLaunchTaskErrors": "运行 preLaunchTask“{0}”后存在错误。",
+ "preLaunchTaskExitCode": "preLaunchTask“{0}”已终止,退出代码为 {1}。",
+ "preLaunchTaskTerminated": "启动前任务\"{0}\"终止。",
+ "remember": "记住我在用户设置中的选择",
+ "rememberTask": "记住我对此任务的选择",
+ "showErrors": "显示错误",
+ "taskNotTracked": "无法跟踪任务“{0}”。请确保已定义了问题匹配程序。",
+ "taskNotTrackedWithTaskId": "无法跟踪任务“{0}”。请确保已定义了问题匹配程序。"
+ },
+ "vs/workbench/contrib/debug/browser/debugToolBar": {
+ "notebook.moreRunActionsLabel": "更多...",
+ "reverseContinue": "反向",
+ "stepBackDebug": "后退"
+ },
+ "vs/workbench/contrib/debug/browser/debugViewlet": {
+ "debugPanel": "调试控制台",
+ "miOpenConfigurations": "打开配置(&&C)",
+ "selectWorkspaceFolder": "选择工作区文件夹以在其中创建 launch.json 文件或将其添加到工作区配置文件",
+ "startAdditionalSession": "启动其他会话"
+ },
+ "vs/workbench/contrib/debug/browser/disassemblyView": {
+ "disassemblyTableColumnLabel": "说明",
+ "disassemblyView": "反汇编视图",
+ "editorOpenedFromDisassemblyDescription": "从反汇编",
+ "instructionAddress": "地址",
+ "instructionBytes": "字节",
+ "instructionNotAvailable": "反汇编不可用。",
+ "instructionText": "指令"
+ },
+ "vs/workbench/contrib/debug/browser/exceptionWidget": {
+ "close": "关闭",
+ "debugExceptionWidgetBackground": "异常小组件背景颜色。",
+ "debugExceptionWidgetBorder": "异常小组件边框颜色。",
+ "exceptionThrown": "出现异常。",
+ "exceptionThrownWithId": "发生异常: {0}"
+ },
+ "vs/workbench/contrib/debug/browser/linkDetector": {
+ "fileLink": "按住 Ctrl 并单击以 {0}",
+ "fileLinkMac": "按住 Cmd 并单击以 {0}",
+ "followForwardedLink": "执行使用转发端口的链接",
+ "followLink": "执行链接"
+ },
+ "vs/workbench/contrib/debug/browser/loadedScriptsView": {
+ "loadedScriptsAriaLabel": "在调试中已加载的脚本",
+ "loadedScriptsFolderAriaLabel": "文件夹 {0},已加载的脚本,调试",
+ "loadedScriptsRootFolderAriaLabel": "工作区文件夹 {0},已加载的脚本,调试",
+ "loadedScriptsSession": "调试会话",
+ "loadedScriptsSessionAriaLabel": "会话 {0},已加载的脚本,调试",
+ "loadedScriptsSourceAriaLabel": "{0},已加载的脚本,调试"
+ },
+ "vs/workbench/contrib/debug/browser/rawDebugSession": {
+ "canNotStart": "调试器需要为调试对象打开新选项卡或窗口,但浏览器阻止了此选项卡或窗口。必须授予权限以继续。",
+ "cancel": "取消",
+ "continue": "继续",
+ "moreInfo": "详细信息",
+ "noDebugAdapter": "未找到任何调试程序。无法发送“{0}”。",
+ "noDebugAdapterStart": "没有调试适配器,无法启动调试会话。"
+ },
+ "vs/workbench/contrib/debug/browser/repl": {
+ "actions.repl.acceptInput": "接受 REPL 的输入",
+ "actions.repl.copyAll": "调试: 复制控制台所有内容",
+ "clearRepl": "清除控制台",
+ "collapse": "全部折叠",
+ "copy": "复制",
+ "copyAll": "全部复制",
+ "debugConsole": "调试控制台",
+ "debugConsoleCleared": "调试控制台已清除",
+ "filter": "筛选",
+ "paste": "粘贴",
+ "repl.action.filter": "REPL 将内容聚焦到筛选器",
+ "selectRepl": "选择调试控制台",
+ "startDebugFirst": "请发起调试会话来对表达式求值",
+ "workbench.debug.filter.placeholder": "筛选器(例如 text、!exclude)"
+ },
+ "vs/workbench/contrib/debug/browser/replFilter": {
+ "showing filtered repl lines": "正在显示第 {0} 页(共 {1} 页)"
+ },
+ "vs/workbench/contrib/debug/browser/replViewer": {
+ "debugConsole": "调试控制台",
+ "occurred": ",发生了 {0} 次",
+ "replGroup": "调试控制器组 {0}",
+ "replRawObjectAriaLabel": "调试控制台变量 {0},值 {1}",
+ "replVariableAriaLabel": "变量 {0},值 {1}"
+ },
+ "vs/workbench/contrib/debug/browser/statusbarColorProvider": {
+ "statusBarDebuggingBackground": "调试程序时状态栏的背景色。状态栏显示在窗口底部",
+ "statusBarDebuggingBorder": "调试程序时区别于侧边栏和编辑器的状态栏边框颜色。状态栏显示在窗口底部。",
+ "statusBarDebuggingForeground": "调试程序时状态栏的前景色。状态栏显示在窗口底部"
+ },
+ "vs/workbench/contrib/debug/browser/variablesView": {
+ "cancel": "取消",
+ "collapse": "全部折叠",
+ "install": "安装",
+ "variableAriaLabel": "{0},值 {1}",
+ "variableScopeAriaLabel": "范围 {0}",
+ "variableValueAriaLabel": "键入新的变量值",
+ "variablesAriaTreeLabel": "调试变量",
+ "viewMemory.install.progress": "正在安装十六进制编辑器...",
+ "viewMemory.prompt": "要有十六进制编辑器扩展才能检查二进制数据。是否要立即安装?"
+ },
+ "vs/workbench/contrib/debug/browser/watchExpressionsView": {
+ "addWatchExpression": "添加表达式",
+ "collapse": "全部折叠",
+ "removeAllWatchExpressions": "删除所有表达式",
+ "typeNewValue": "键入新值",
+ "watchAriaTreeLabel": "调试监视表达式",
+ "watchExpressionAriaLabel": "{0},值 {1}",
+ "watchExpressionInputAriaLabel": "键入监视表达式",
+ "watchExpressionPlaceholder": "要监视的表达式",
+ "watchVariableAriaLabel": "{0},值 {1}"
+ },
+ "vs/workbench/contrib/debug/browser/welcomeView": {
+ "allDebuggersDisabled": "禁用所有调试扩展。启用调试扩展或从市场安装新的扩展。",
+ "customizeRunAndDebug": "要自定义运行和调试[创建 launch.json 文件](command:{0})。",
+ "customizeRunAndDebugOpenFolder": "要自定义运行和调试,请[打开文件夹](command:{0}) 并创建一个启动.json 文件。",
+ "detectThenRunAndDebug": "[显示所有自动调试配置](command:{0})。",
+ "openAFileWhichCanBeDebugged": "[打开文件](command:{0}),可调试或运行。",
+ "run": "运行",
+ "runAndDebugAction": "[运行和调试{0}](command:{1})"
+ },
+ "vs/workbench/contrib/debug/common/abstractDebugAdapter": {
+ "timeout": "对于“{1}”,{0} 毫秒后超时 "
+ },
+ "vs/workbench/contrib/debug/common/debug": {
+ "breakWhenValueChangesSupported": "如果焦点会话支持在值发生更改时中断,则为 True。",
+ "breakWhenValueIsAccessedSupported": "如果焦点断点支持在值被访问时中断,则为 True。",
+ "breakWhenValueIsReadSupported": "如果焦点断点支持在值被读取时中断,则为 True。",
+ "breakpointAccessType": "表示“断点”视图中焦点数据断点的访问类型。例如: \"read\"、\"readWrite\"、\"write\"",
+ "breakpointInputFocused": "当输入框在 \"BREAKPOINTS \" 视图中具有焦点时为 True。",
+ "breakpointItemType": "表示 \"BREAKPOINTS \" 视图中具有焦点的元素的项类型。例如: \"breakpoint\"、\"exceptionBreakppint\"、\"functionBreakpoint\"、\"dataBreakpoint\"",
+ "breakpointSupportsCondition": "焦点断点支持条件时为 True。",
+ "breakpointWidgetVisibile": "如果显示断点编辑器区域小组件,则为 True;否则为 false。",
+ "breakpointsExist": "当至少存在一个断点时为 True。",
+ "breakpointsFocused": "如果 \"BREAKPOINTS\" 视图处于焦点,则为 True;否则为 false。",
+ "callStackItemStopped": "当停止调用堆栈中具有焦点的项目时为 true。在内部用于调用堆栈视图中的内联菜单。",
+ "callStackItemType": "表示“调用堆栈”视图中聚焦元素的项目类型。例如: \"session\"、\"thread\"、\"stackFrame\"",
+ "callStackSessionHasOneThread": "当调用堆栈视图中具有焦点的会话恰好具有一个线程时为 true。在内部用于调用堆栈视图中的内联菜单。",
+ "callStackSessionIsAttach": "当调用堆栈视图中的会话是“附加”状态时为 true,否则为 false。在内部用于调用堆栈视图中的内联菜单。",
+ "canViewMemory": "指示视图中的项是否具有关联的内存引用。",
+ "debugConfigurationType": "所选启动配置的调试类型。例如 \"python\"。",
+ "debugExtensionsAvailable": "如果至少安装并启用了一个调试扩展,则为 True。",
+ "debugProtocolVariableMenuContext": "表示 \"VARIABLES\" 视图中调试适配器针对焦点变量设置的上下文。",
+ "debugSetExpressionSupported": "当焦点会话支持 “setExpression” 请求时为 True。",
+ "debugSetVariableSupported": "焦点会话支持 \"setVariable\" 请求时为 True。",
+ "debugState": "焦点调试会话所处的状态。以下项之一:“非活动”、“正在初始化”、“已停止”或“正在运行”。",
+ "debugType": "活动调试会话的调试类型。例如 \"python\"。",
+ "debugUX": "调试 UX 状态。当没有调试配置时,它为“简单”,否则为“默认”。用于确定何时在调试 viewlet 中显示“欢迎”视图。",
+ "debuggerDisabled": "已安装配置的调试类型 '{0}',但其在此环境中不受支持。",
+ "debuggersAvailable": "如果至少有一个调试扩展处于活动状态,则为 True。",
+ "disassembleRequestSupported": "当重点会话支持反汇编请求时为 True。",
+ "disassemblyViewFocus": "当聚焦反汇编视图时为 True。",
+ "exceptionWidgetVisible": "当异常小组件可见时为 True。",
+ "expressionSelected": "如果在 \"WATCH\" 或 \"VARIABLES\" 视图中打开表达式输入框,则为 True,否则为 false。",
+ "focusedSessionIsAttach": "焦点会话为“附加”时为 True。",
+ "focusedStackFrameHasInstructionReference": "当焦点堆栈帧具有指令指针引用时为 true。",
+ "inBreakpointWidget": "当焦点位于断点编辑器区域小组件中时为 True,否则为 false。",
+ "inDebugMode": "调试时为 True,否则为 false。",
+ "inDebugRepl": "当焦点位于调试控制台中时为 True,否则为 false。",
+ "internalConsoleOptions": "控制何时打开内部调试控制台。",
+ "jumpToCursorSupported": "当焦点会话支持 \"jumpToCursor\" 请求时为 True。",
+ "languageSupportsDisassembleRequest": "如果当前编辑器中的语言支持反汇编请求,则为 True。",
+ "loadedScriptsItemType": "表示 \"LOADED SCRIPTS \" 视图中具有焦点的元素的项类型。",
+ "loadedScriptsSupported": "如果焦点会话支持 \"LOADED SCRIPTS \" 视图,则为 True",
+ "multiSessionDebug": "活动调试会话多于 1 个时为 True。",
+ "multiSessionRepl": "调试控制台多于 1 个时为 True。",
+ "restartFrameSupported": "焦点会话支持 \"restartFrame\" 请求时为 True。",
+ "stackFrameSupportsRestart": "焦点堆栈帧支持 \"restartFrame\" 时为 True。",
+ "stepBackSupported": "焦点会话支持 \"stepBack\" 请求时为 True。",
+ "stepIntoTargetsSupported": "焦点会话支持 \"stepIntoTargets\" 请求时为 True。",
+ "suspendDebuggeeSupported": "如果重点会话支持暂停调试对象功能,则为 True。",
+ "terminateDebuggeeSupported": "如果焦点会话支持终止调试对象功能,则为 True。",
+ "variableEvaluateNamePresent": "在焦点变量设置了 “evalauteName” 字段时为 True。",
+ "variableIsReadonly": "当焦点变量为只读时为 True。",
+ "variablesFocused": "当 \"VARIABLES\" 视图处于焦点时为 True,否则为 false",
+ "watchExpressionsExist": "至少存在一个监视表达式时为 True,否则为 false。",
+ "watchExpressionsFocused": "\"WATCH \" 视图处于焦点时为 True,否则为 false。",
+ "watchItemType": "表示“监视”视图中聚焦元素的项目类型。例如: \"expression\"、\"variable\""
+ },
+ "vs/workbench/contrib/debug/common/debugContentProvider": {
+ "canNotResolveSource": "无法加载源“{0}”。",
+ "canNotResolveSourceWithError": "无法加载源“{0}”: {1}。",
+ "unable": "无法解析无调试会话的资源"
+ },
+ "vs/workbench/contrib/debug/common/debugLifecycle": {
+ "debug.debugSessionCloseConfirmationPlural": "存在活动的调试会话,是否确定要终止它们?",
+ "debug.debugSessionCloseConfirmationSingular": "存在活动的调试会话,是否确定要终止它?",
+ "debug.stop": "停止调试"
+ },
+ "vs/workbench/contrib/debug/common/debugModel": {
+ "breakpointDirtydHover": "未验证的断点。对文件进行了修改,请重启调试会话。",
+ "invalidVariableAttributes": "无效的变量属性",
+ "notAvailable": "不可用",
+ "paused": "已暂停",
+ "pausedOn": "因 {0} 已暂停",
+ "running": "正在运行",
+ "startDebugFirst": "请发起调试会话来对表达式求值"
+ },
+ "vs/workbench/contrib/debug/common/debugSchemas": {
+ "app.launch.json.compound.folder": "复合项所在的文件夹的名称。",
+ "app.launch.json.compound.name": "复合的名称。在启动配置下拉菜单中显示。",
+ "app.launch.json.compound.stopAll": "控制手动终止一个会话是否将停止所有复合会话。",
+ "app.launch.json.compounds": "复合列表。每个复合可引用多个配置,这些配置将一起启动。",
+ "app.launch.json.compounds.configurations": "将作为此复合的一部分启动的配置名称。",
+ "app.launch.json.configurations": "配置列表。使用 IntelliSense 添加新配置或编辑现有配置。",
+ "app.launch.json.title": "启动",
+ "app.launch.json.version": "此文件格式的版本。",
+ "compoundPrelaunchTask": "要在任何复合配置开始之前运行的任务。",
+ "presentation": "有关如何在调试配置下拉列表和命令面板中显示此配置的演示选项。",
+ "presentation.group": "此配置所属的组。用于在配置下拉列表和命令面板中分组和排序。",
+ "presentation.hidden": "控制此配置是否应显示在配置下拉列表和命令面板中。",
+ "presentation.order": "此配置在组内的顺序。用于在配置下拉列表和命令面板中分组和排序。",
+ "useUniqueNames": "配置名称必须唯一。",
+ "vscode.extension.contributes.breakpoints": "添加断点。",
+ "vscode.extension.contributes.breakpoints.language": "对此语言允许断点。",
+ "vscode.extension.contributes.breakpoints.when": "必须为 true 才能启用此语言中断点的条件。如果子句适用,请考虑将其与调试器匹配。",
+ "vscode.extension.contributes.debuggers": "用于调试适配器。",
+ "vscode.extension.contributes.debuggers.args": "要传递给适配器的可选参数。",
+ "vscode.extension.contributes.debuggers.configurationAttributes": "用于验证 \"launch.json\" 的 JSON 架构配置。",
+ "vscode.extension.contributes.debuggers.configurationSnippets": "用于在 \"launch.json\" 中添加新配置的代码段。",
+ "vscode.extension.contributes.debuggers.deprecated": "将此调试类型标记为已弃用的可选消息。",
+ "vscode.extension.contributes.debuggers.initialConfigurations": "用于生成初始 \"launch.json\" 的配置。",
+ "vscode.extension.contributes.debuggers.label": "显示此调试适配器的名称。",
+ "vscode.extension.contributes.debuggers.languages": "可能被视为“默认调试程序”的调试扩展的语言列表。",
+ "vscode.extension.contributes.debuggers.linux": "Linux 特定的设置。",
+ "vscode.extension.contributes.debuggers.linux.runtime": "用于 Linux 的运行时。",
+ "vscode.extension.contributes.debuggers.osx": "macOS 特定的设置。",
+ "vscode.extension.contributes.debuggers.osx.runtime": "用于 macOS 的运行时。",
+ "vscode.extension.contributes.debuggers.program": "调试适配器程序的路径。该路径是绝对路径或相对于扩展文件夹的相对路径。",
+ "vscode.extension.contributes.debuggers.runtime": "可选运行时,以防程序属性不可执行,但需要运行时。",
+ "vscode.extension.contributes.debuggers.runtimeArgs": "可选运行时参数。",
+ "vscode.extension.contributes.debuggers.type": "此调试适配器的唯一标识符。",
+ "vscode.extension.contributes.debuggers.variables": "正在将 \"launch. json\" 中的交互式变量(例如 ${action.pickProcess})映射到命令。",
+ "vscode.extension.contributes.debuggers.when": "必须为 true 才能启用此类型调试器的条件。请考虑根据需要为此项使用 “shellExecutionSupported”、“virtualWorkspace”、“resourceScheme” 或扩展定义的上下文键。",
+ "vscode.extension.contributes.debuggers.windows": "Windows 特定的设置。",
+ "vscode.extension.contributes.debuggers.windows.runtime": "用于 Windows 的运行时。"
+ },
+ "vs/workbench/contrib/debug/common/debugSource": {
+ "unknownSource": "未知源"
+ },
+ "vs/workbench/contrib/debug/common/debugger": {
+ "cannot.find.da": "找不到类型为 \"{0}\" 的调试适配器。",
+ "debugLinuxConfiguration": "特定于 Linux 的启动配置属性。",
+ "debugOSXConfiguration": "特定于 OS X 的启动配置属性。",
+ "debugRequest": "请求配置类型。可以是“启动”或“附加”。",
+ "debugType": "配置类型。",
+ "debugTypeNotRecognised": "无法识别此调试类型。确保已经安装并启用相应的调试扩展。",
+ "debugWindowsConfiguration": "特定于 Windows 的启动配置属性。",
+ "launch.config.comment1": "使用 IntelliSense 了解相关属性。 ",
+ "launch.config.comment2": "悬停以查看现有属性的描述。",
+ "launch.config.comment3": "欲了解更多信息,请访问: {0}",
+ "node2NotSupported": "不再支持 \"node2\",改用 \"node\",并将 \"protocol\" 属性设为 \"inspector\"。"
+ },
+ "vs/workbench/contrib/debug/common/disassemblyViewInput": {
+ "disassemblyInputName": "反汇编"
+ },
+ "vs/workbench/contrib/debug/common/loadedScriptsPicker": {
+ "moveFocusedView.selectView": "按名称搜索加载的脚本"
+ },
+ "vs/workbench/contrib/debug/common/replModel": {
+ "consoleCleared": "控制台已清除"
+ },
+ "vs/workbench/contrib/debug/node/debugAdapter": {
+ "debugAdapterBinNotFound": "调试适配器可执行的“{0}”不存在。",
+ "debugAdapterCannotDetermineExecutable": "无法确定调试适配器“{0}”的可执行文件。",
+ "unableToLaunchDebugAdapter": "无法从“{0}”启动调试适配器。",
+ "unableToLaunchDebugAdapterNoArgs": "无法启动调试适配器。"
+ },
+ "vs/workbench/contrib/deprecatedExtensionMigrator/browser/deprecatedExtensionMigrator.contribution": {
+ "bracketPairColorizer.notification": "扩展“括号对着色器”已禁用,因为它已被弃用。",
+ "bracketPairColorizer.notification.action.enableNative": "启用本机括号对着色",
+ "bracketPairColorizer.notification.action.showMoreInfo": "详细信息",
+ "bracketPairColorizer.notification.action.uninstall": "卸载扩展"
+ },
+ "vs/workbench/contrib/editSessions/browser/editSessions.contribution": {
+ "client too old": "请升级到较新版本的 {0} 以恢复此编辑会话。",
+ "continue edit session": "继续编辑会话...",
+ "continue edit session in local folder": "在本地文件夹中打开",
+ "continueEditSession.openLocalFolder.title": "选择本地文件夹以在此项中继续编辑会话:",
+ "continueEditSessionExtPoint": "提供用于在其他环境中继续当前编辑会话的选项",
+ "continueEditSessionExtPoint.command": "要执行的命令的标识符。必须在 'commands'-section 中声明该命令,并返回一个 URI,表示可以继续执行当前编辑会话的其他环境。",
+ "continueEditSessionExtPoint.group": "此项所属的组。",
+ "continueEditSessionExtPoint.when": "此条件必须为 true 才能显示此项。",
+ "continueEditSessionItem.openInLocalFolder": "在本地文件夹中打开",
+ "continueEditSessionPick.placeholder": "选择继续工作的方式",
+ "continueEditSessionPick.title": "继续编辑会话...",
+ "editSessionsEnabled": "控制在 Web、桌面或设备之间切换时是否显示启用云的操作来存储和继续未提交的更改。",
+ "no edit session": "没有要恢复的编辑会话。",
+ "no edit session content for ref": "无法恢复 ID {0} 的编辑会话内容。",
+ "no edits to store": "已跳过存储编辑会话,因为没有要存储的编辑。",
+ "payload failed": "无法存储编辑会话。",
+ "payload too large": "编辑会话超出大小限制,无法存储。",
+ "resume edit session warning": "恢复编辑会话可能会覆盖现有未提交的更改。是否要继续?",
+ "resume failed": "无法恢复编辑会话。",
+ "resume latest.v2": "继续最新的编辑会话",
+ "resuming edit session": "正在恢复编辑会话...",
+ "show edit session": "显示编辑会话",
+ "store current.v2": "存储当前编辑会话",
+ "storing edit session": "正在存储编辑会话..."
+ },
+ "vs/workbench/contrib/editSessions/browser/editSessionsViews": {
+ "confirm delete": "是否确实要通过 ref {0} 永久删除编辑会话? 无法撤消此操作。",
+ "edit sessions data": "所有会话",
+ "open file": "打开文件",
+ "workbench.editSessions.actions.delete": "删除编辑会话",
+ "workbench.editSessions.actions.resume": "继续编辑会话"
+ },
+ "vs/workbench/contrib/editSessions/browser/editSessionsWorkbenchService": {
+ "account preference": "登录以使用编辑会话",
+ "choose account placeholder": "选择要登录的帐户",
+ "clear data confirm": "是",
+ "delete all edit sessions": "从云中删除所有存储的编辑会话。",
+ "others": "其他",
+ "reset auth.v2": "注销编辑会话",
+ "sign in using account": "使用 {0} 登录",
+ "sign out of edit sessions clear data prompt": "是否要注销编辑会话?",
+ "signed in": "已登录"
+ },
+ "vs/workbench/contrib/editSessions/common/editSessions": {
+ "edit sessions": "编辑会话",
+ "editSessionViewIcon": "编辑会话视图的视图图标。",
+ "session sync": "编辑会话"
+ },
+ "vs/workbench/contrib/emmet/browser/actions/expandAbbreviation": {
+ "expandAbbreviationAction": "Emmet: 展开缩写",
+ "miEmmetExpandAbbreviation": "Emmet: 展开缩写(&&X)"
+ },
+ "vs/workbench/contrib/experiments/browser/experiments.contribution": {
+ "workbench.enableExperiments": "从 Microsoft 联机服务中获取要进行的实验。"
+ },
+ "vs/workbench/contrib/extensions/browser/abstractRuntimeExtensionsEditor": {
+ "copy id": "副本 ID ({0})",
+ "disable": "禁用",
+ "disable workspace": "禁用(工作区)",
+ "errors": "{0} 个未捕获的错误",
+ "languageActivation": "因你打开 {0} 文件而被 {1} 激活",
+ "runtimeExtensions": "运行时扩展",
+ "showRuntimeExtensions": "显示正在运行的扩展",
+ "starActivation": "已在启动时由 {0} 激活",
+ "startupFinishedActivation": "启动完成后已由 {0} 激活",
+ "unresponsive.title": "扩展已导致扩展主机冻结。",
+ "workspaceContainsFileActivation": "已由 {1} 激活,因为你的工作区中存在文件 {0}",
+ "workspaceContainsGlobActivation": "已由 {1} 激活,因为你的工作区中存在与 {0} 匹配的文件",
+ "workspaceContainsTimeout": "因搜索 {0} 耗时太长而被 {1} 激活",
+ "workspaceGenericActivation": "已由 {1} 在 {0} 时激活"
+ },
+ "vs/workbench/contrib/extensions/browser/configBasedRecommendations": {
+ "exeBasedRecommendation": "根据当前工作区的配置,建议使用此扩展"
+ },
+ "vs/workbench/contrib/extensions/browser/dynamicWorkspaceRecommendations": {
+ "dynamicWorkspaceRecommendation": "你可能有兴趣了解此扩展,因为它在 {0} 仓库的用户当中备受欢迎。"
+ },
+ "vs/workbench/contrib/extensions/browser/exeBasedRecommendations": {
+ "exeBasedRecommendation": "由于你已安装 {0},建议使用此扩展。"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionEditor": {
+ "JSON Validation": "JSON 验证({0})",
+ "Marketplace": "市场",
+ "Marketplace Info": "详细信息",
+ "Notebook id": "ID",
+ "Notebook mimetypes": "Mimetypes",
+ "Notebook name": "名称",
+ "Notebook renderer name": "名称",
+ "NotebookRenderers": "笔记本呈现器({0})",
+ "Notebooks": "Notebooks({0})",
+ "activation": "激活时间",
+ "activation events": "激活事件({0})",
+ "authentication": "身份验证({0})",
+ "authentication.id": "ID",
+ "authentication.label": "标签",
+ "builtin": "内置",
+ "categories": "类别",
+ "changelog": "更改日志",
+ "changelogtooltip": "扩展的更新历史,显示扩展的 \"CHANGELOG.md\" 文件。",
+ "codeActions": "代码操作({0})",
+ "codeActions.description": "说明",
+ "codeActions.kind": "种类",
+ "codeActions.languages": "语言",
+ "codeActions.title": "标题",
+ "colorId": "ID",
+ "colorThemes": "颜色主题 ({0})",
+ "colors": "颜色 ({0})",
+ "command name": "名称",
+ "commands": "命令({0})",
+ "contributions": "功能贡献",
+ "contributionstooltip": "包含此扩展向 VS Code 编辑器提供的功能",
+ "customEditors": "自定义编辑器({0})",
+ "customEditors filenamePattern": "文件名模式",
+ "customEditors priority": "优先级",
+ "customEditors view type": "视图类型",
+ "debugger name": "名称",
+ "debugger type": "类型",
+ "debuggers": "调试程序({0})",
+ "default": "默认值",
+ "defaultDark": "深色默认",
+ "defaultHC": "高对比度默认",
+ "defaultLight": "浅色默认",
+ "dependencies": "依赖项",
+ "dependenciestooltip": "包含此扩展依赖的扩展",
+ "description": "说明",
+ "details": "细节",
+ "detailstooltip": "扩展详细信息,显示扩展的 \"README.md\" 文件。",
+ "extension pack": "扩展包({0})",
+ "extension version": "扩展版本",
+ "extensionpack": "扩展包",
+ "extensionpacktooltip": "列出将与此扩展一起安装的扩展",
+ "file extensions": "文件扩展名",
+ "fileMatch": "匹配文件",
+ "find": "查找",
+ "find next": "查找下一个",
+ "find previous": "查找前一个",
+ "grammar": "语法",
+ "iconThemes": "图标主题 ({0})",
+ "id": "标识符",
+ "install count": "安装计数",
+ "keyboard shortcuts": "键盘快捷方式",
+ "language id": "ID",
+ "language name": "名称",
+ "languages": "语言({0})",
+ "last updated": "上次更新时间",
+ "license": "许可证",
+ "localizations": "本地化 ({0})",
+ "localizations language id": "语言 ID",
+ "localizations language name": "语言名称",
+ "localizations localized language name": "语言本地名称",
+ "menuContexts": "菜单上下文",
+ "messages": "消息({0})",
+ "name": "扩展名",
+ "noChangelog": "无可用的更改日志。",
+ "noContributions": "没有发布内容",
+ "noDependencies": "没有依赖项",
+ "noReadme": "无可用自述文件。",
+ "noStatus": "无可用状态。",
+ "not yet activated": "尚未激活。",
+ "preRelease": "预发布",
+ "preview": "预览版",
+ "productThemes": "产品图标主题({0})",
+ "publisher": "发布服务器",
+ "publisher verified tooltip": "此发布者已验证 {0} 的所有权",
+ "rating": "评分",
+ "release date": "发布时间",
+ "repository": "仓库",
+ "resources": "扩展资源",
+ "runtimeStatus": "运行时状态",
+ "runtimeStatus description": "扩展运行时状态",
+ "schema": "结构",
+ "setting name": "名称",
+ "settings": "设置({0})",
+ "snippets": "片段",
+ "startup": "启动",
+ "uncaught errors": "未捕获的错误({0})",
+ "view container id": "ID",
+ "view container location": "位置",
+ "view container title": "标题",
+ "view id": "ID",
+ "view location": "位置",
+ "view name": "名称",
+ "viewContainers": "视图容器 ({0})",
+ "views": "视图 ({0})"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionRecommendationNotificationService": {
+ "ignoreAll": "是,全部忽略",
+ "ignoreExtensionRecommendations": "是否要忽略所有扩展建议?",
+ "install": "安装",
+ "install and do no sync": "安装(不同步)",
+ "neverShowAgain": "不再显示",
+ "no": "否",
+ "show recommendations": "显示建议",
+ "singleExtensionRecommended": "建议为此仓库使用“{0}”扩展。想要安装吗?",
+ "workspaceRecommended": "是否要为此仓库安装推荐的扩展?"
+ },
+ "vs/workbench/contrib/extensions/browser/extensions.contribution": {
+ "InstallFromVSIX": "从 VSIX 安装…",
+ "InstallVSIXAction.reloadNow": "立即重载",
+ "InstallVSIXAction.success": "已完成从 VSIX 安装 {0} 扩展的过程。",
+ "InstallVSIXAction.successReload": "已完成从 VSIX 安装 {0} 扩展的过程。请重新加载 Visual Studio Code 以启用它。",
+ "all": "所有扩展",
+ "builtin": "扩展“{0}”是内置扩展,无法安装",
+ "builtin filter": "内置",
+ "checkForUpdates": "检查扩展更新",
+ "clearExtensionsSearchResults": "清除扩展搜索结果",
+ "configure auto updating extensions": "自动更新扩展",
+ "configureExtensionsAutoUpdate.all": "所有扩展",
+ "configureExtensionsAutoUpdate.enabled": "仅限已启用的扩展",
+ "configureExtensionsAutoUpdate.none": "无",
+ "disableAll": "禁用所有已安装的扩展",
+ "disableAllWorkspace": "禁用此工作区的所有已安装的扩展",
+ "disableAutoUpdate": "为所有拓展禁用自动更新",
+ "disabled filter": "已禁用",
+ "enableAll": "启用所有扩展",
+ "enableAllWorkspace": "启用这个工作区的所有扩展",
+ "enableAutoUpdate": "为所有拓展启用自动更新",
+ "enabled": "仅限已启用的扩展",
+ "enabled filter": "已启用",
+ "extension": "扩展",
+ "extensionInfoDescription": "说明: {0}",
+ "extensionInfoId": "ID: {0}",
+ "extensionInfoName": "名称: {0}",
+ "extensionInfoPublisher": "发布者: {0}",
+ "extensionInfoVSMarketplaceLink": "VS Marketplace 链接: {0}",
+ "extensionInfoVersion": "版本: {0}",
+ "extensions": "扩展",
+ "extensions.affinity": "配置要在其他扩展主机进程中执行的扩展。",
+ "extensions.autoUpdate": "控制扩展的自动更新行为。更新是从 Microsoft 联机服务中获取的。",
+ "extensions.autoUpdate.enabled": "仅为已启用的扩展自动下载并安装更新。将不会自动更新已禁用的扩展。",
+ "extensions.autoUpdate.false": "扩展不会自动更新。",
+ "extensions.autoUpdate.true": "为所有扩展自动下载并安装更新。",
+ "extensions.supportUntrustedWorkspaces": "替代扩展的不受信任的工作区支持。将始终启用使用 “true” 的扩展。将始终启用使用 “limited” 的扩展,并且扩展将隐藏需要信任的功能。仅当工作区受信任时才会启用使用 “false” 的扩展。",
+ "extensions.supportUntrustedWorkspaces.false": "只有在工作区受信任时才会启用扩展。",
+ "extensions.supportUntrustedWorkspaces.limited": "将始终启用扩展,并且扩展将隐藏需要信任的功能。",
+ "extensions.supportUntrustedWorkspaces.supported": "定义扩展的不受信任的工作区支持设置。",
+ "extensions.supportUntrustedWorkspaces.true": "将始终启用扩展。",
+ "extensions.supportUntrustedWorkspaces.version": "定义应应用替代的扩展的版本。如果未指定,则将在独立于扩展版本的情况下应用替代。",
+ "extensions.supportVirtualWorkspaces": "替代扩展的虚拟工作区支持。",
+ "extensionsCheckUpdates": "启用后,将自动检查扩展更新。若扩展存在更新,将在“扩展”视图中将其标记为过时扩展。更新将从 Microsoft 联机服务中获取。",
+ "extensionsCloseExtensionDetailsOnViewChange": "启用后,将在离开“扩展”视图时,自动关闭扩展详细信息页面。",
+ "extensionsConfigurationTitle": "扩展",
+ "extensionsIgnoreRecommendations": "启用后,将不会显示扩展建议的通知。",
+ "extensionsShowRecommendationsOnlyOnDemand_Deprecated": "已弃用此设置。使用 extensions.ignoreRecommendations 设置来控制建议通知。默认使用“扩展”视图的可见性操作来隐藏“建议”视图。",
+ "extensionsUseUtilityProcess": "启用后,将使用新的 UtilityProcess Electron API 启动扩展主机。",
+ "extensionsWebWorker": "启用 Web Worker 扩展主机。",
+ "extensionsWebWorker.auto": "Web 辅助角色扩展主机将在 Web 扩展需要时启动。",
+ "extensionsWebWorker.false": "Web 辅助角色扩展主机将永远不会启动。",
+ "extensionsWebWorker.true": "Web 辅助角色扩展主机将始终启动。",
+ "featured filter": "特色",
+ "filter by category": "类别",
+ "filterExtensions": "筛选器扩展…",
+ "handleUriConfirmedExtensions": "当此处列出扩展名时,该扩展名处理URI时将不会显示确认提示。",
+ "id required": "扩展 ID 是必需的。",
+ "importKeyboardShortcutsFroms": "从 - 中迁移键盘快捷方式...",
+ "install button": "安装",
+ "installButton": "安装(&&I)",
+ "installExtensionQuickAccessHelp": "安装或搜索扩展",
+ "installExtensionQuickAccessPlaceholder": "键入要安装或搜索的扩展的名称。",
+ "installExtensions": "安装扩展",
+ "installFromLocation": "从位置安装 Web 扩展",
+ "installFromLocationPlaceHolder": "Web 扩展的位置",
+ "installFromVSIX": "从 VSIX 文件安装",
+ "installVSIX": "安装扩展 VSIX",
+ "installWebExtensionFromLocation": "安装 Web 扩展...",
+ "installWorkspaceRecommendedExtensions": "安装工作区建议的扩展",
+ "installed filter": "已安装",
+ "manageExtensionsHelp": "管理扩展",
+ "manageExtensionsQuickAccessPlaceholder": "按 Enter 以管理扩展。",
+ "miPreferencesExtensions": "扩展(&&E)",
+ "miViewExtensions": "扩展(&&X)",
+ "miimportKeyboardShortcutsFrom": "从 - 中迁移键盘快捷方式(&&M)...",
+ "most popular filter": "最热门",
+ "most popular recommended": "推荐",
+ "noUpdatesAvailable": "所有扩展都是最新的。",
+ "none": "无",
+ "notFound": "找不到扩展“{0}”。",
+ "notInstalled": "未安装扩展“{0}”。请确保你使用包括发布者的完整的扩展 ID,例如 ms-vscode.csharp。",
+ "outdated filter": "已过期",
+ "recently published filter": "最近发布",
+ "recentlyPublishedExtensions": "显示最近发布的扩展",
+ "refreshExtension": "刷新",
+ "show pre-release version": "显示预发布版本",
+ "show released version": "显示发布版本",
+ "showBuiltInExtensions": "显示内置的扩展",
+ "showDisabledExtensions": "显示已禁用的扩展",
+ "showEnabledExtensions": "显示启用的扩展",
+ "showExtensions": "扩展",
+ "showFeaturedExtensions": "显示特别推荐的扩展",
+ "showInstalledExtensions": "显示已安装扩展",
+ "showLanguageExtensionsShort": "语言扩展",
+ "showOutdatedExtensions": "显示过时的扩展",
+ "showPopularExtensions": "显示常用的扩展",
+ "showRecommendedExtensions": "显示推荐的扩展",
+ "showRecommendedKeymapExtensionsShort": "键映射",
+ "showWorkspaceUnsupportedExtensions": "显示工作区不支持的扩展",
+ "sort by date": "发布日期",
+ "sort by installs": "安装计数",
+ "sort by name": "名称",
+ "sort by rating": "评分",
+ "sorty by": "排序依据",
+ "updateAll": "更新所有扩展",
+ "workbench.extensions.action.addExtensionToWorkspaceRecommendations": "添加到工作区建议",
+ "workbench.extensions.action.addToWorkspaceFolderIgnoredRecommendations": "将扩展添加到工作区文件夹“已忽略的建议”",
+ "workbench.extensions.action.addToWorkspaceFolderRecommendations": "将扩展添加到工作区文件夹“建议”",
+ "workbench.extensions.action.addToWorkspaceIgnoredRecommendations": "将扩展添加到工作区“已忽略的建议”",
+ "workbench.extensions.action.addToWorkspaceRecommendations": "将扩展添加到工作区“建议”",
+ "workbench.extensions.action.configure": "扩展设置",
+ "workbench.extensions.action.copyExtension": "复制",
+ "workbench.extensions.action.copyExtensionId": "复制扩展 ID",
+ "workbench.extensions.action.ignoreRecommendation": "忽略建议",
+ "workbench.extensions.action.removeExtensionFromWorkspaceRecommendations": "从工作区建议中删除",
+ "workbench.extensions.action.toggleIgnoreExtension": "同步此扩展",
+ "workbench.extensions.action.undoIgnoredRecommendation": "撤消已忽略的建议",
+ "workbench.extensions.installExtension.arg.decription": "扩展 ID 或 VSIX 资源 URI",
+ "workbench.extensions.installExtension.description": "安装给定的扩展",
+ "workbench.extensions.installExtension.option.context": "安装的上下文。这是一个 JSON 对象,可用于将任何信息传递给安装处理程序。例如,“{skipWalkthrough: true}”将在安装时跳过打开演练。",
+ "workbench.extensions.installExtension.option.donotSync": "启用后,VS Code 在启用“设置同步”时不同步此扩展。",
+ "workbench.extensions.installExtension.option.installOnlyNewlyAddedFromExtensionPackVSIX": "启用后,VS Code 仅安装来自扩展包 VSIX 的新添加的扩展。仅在安装 VSIX 时才考虑此选项。",
+ "workbench.extensions.installExtension.option.installPreReleaseVersion": "启用后,VS Code 将安装扩展的预发布版本(如果可用)。",
+ "workbench.extensions.search.arg.name": "要在搜索中使用的查询",
+ "workbench.extensions.search.description": "搜索特定扩展",
+ "workbench.extensions.uninstallExtension.arg.name": "要卸载的扩展的 id",
+ "workbench.extensions.uninstallExtension.description": "卸载给定的扩展",
+ "workspace unsupported filter": "工作区不受支持"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsActions": {
+ "Cannot be enabled": "已禁用此扩展,因为它在 {0} web 版中不受支持。",
+ "Defined to run in desktop": "已禁用此扩展,因为它被定义为仅在桌面上的 {0} 中运行。",
+ "Install in local server to enable": "此扩展在此工作区中被禁用,因为其被定义为在本地扩展主机中运行。请在本地安装扩展以进行启用。",
+ "Install in remote server to enable": "此扩展在此工作区中被禁用,因为其被定义为在远程扩展主机中运行。请在 '{0}' 中安装扩展以进行启用。",
+ "Install language pack also in remote server": "在“{0}”上安装语言包扩展,使其还在此处启用。",
+ "Install language pack also locally": "在本地安装语言包扩展,使其还在此处启用。",
+ "InstallVSIXAction.reloadNow": "立即重新加载",
+ "ManageExtensionAction.uninstallingTooltip": "正在卸载",
+ "OpenExtensionsFile.failed": "无法在 \".vscode\" 文件夹({0})内创建 \"extensions.json\" 文件。",
+ "ReinstallAction.success": "扩展 {0} 重新安装完毕。",
+ "ReinstallAction.successReload": "请重新加载 Visual Studio Code 以完成扩展 {0} 的重新安装。",
+ "Show alternate extension": "打开 {0}",
+ "Uninstalling": "正在卸载",
+ "VS Code for Web": "{0} Web 版",
+ "cancel": "取消",
+ "cannot be installed": "“{0}”扩展在 {1} 中不可用。若要了解详细信息,请单击“详细信息”。",
+ "check logs": "有关更多详细信息,请查看[日志]({0})。",
+ "close": "关闭",
+ "configure in settings": "配置设置",
+ "configureWorkspaceFolderRecommendedExtensions": "配置建议的扩展(工作区文件夹)",
+ "configureWorkspaceRecommendedExtensions": "配置建议的扩展(工作区)",
+ "current": "当前",
+ "deprecated message": "此扩展已弃用,因为已不再对其进行维护。",
+ "deprecated tooltip": "此扩展已弃用,因为已不再对其进行维护。",
+ "deprecated with alternate extension message": "此扩展已弃用。请改用 {0}扩展。",
+ "deprecated with alternate extension tooltip": "此扩展已弃用。请改用 {0}扩展。",
+ "deprecated with alternate settings message": "此扩展已弃用,因为此功能现在内置于 VS Code。",
+ "deprecated with alternate settings tooltip": "此扩展已弃用,因为此功能现在内置于 VS Code。配置这些 {0} 以使用此功能。",
+ "disableAction": "禁用",
+ "disableForWorkspaceAction": "禁用(工作区)",
+ "disableForWorkspaceActionToolTip": "仅在此工作区中禁用此扩展",
+ "disableGloballyAction": "禁用",
+ "disableGloballyActionToolTip": "禁用此扩展",
+ "disabled": "已禁用",
+ "disabled because of virtual workspace": "此扩展已禁用,因为它不支持虚拟工作区。",
+ "disabled by environment": "环境已禁用此扩展。",
+ "do no sync": "不同步",
+ "do not sync": "不同步此扩展",
+ "download": "请尝试手动下载…",
+ "enable locally": "请重载 Visual Studio Code 以在本地启用此扩展。",
+ "enable remote": "请重载 Visual Studio Code 以在 {0} 中启用此扩展。",
+ "enableAction": "启用",
+ "enableForWorkspaceAction": "启用(工作区)",
+ "enableForWorkspaceActionToolTip": "仅在此工作区中启用此扩展",
+ "enableGloballyAction": "启用",
+ "enableGloballyActionToolTip": "启用此扩展",
+ "enabled": "已启用",
+ "enabled by environment": "已启用此扩展,因为在当前环境中需要此扩展。",
+ "enabled in web worker": "此扩展将在辅助角色扩展主机中弃用,因为这是其首选运行位置。",
+ "enabled locally": "此扩展在本地扩展主机中被启用,因为这是其首选运行处。",
+ "enabled remotely": "此扩展在远程扩展主机中被启用,因为这是其首选运行处。",
+ "extension disabled because of dependency": "已禁用此扩展,因为它依赖于已禁用的扩展。",
+ "extension disabled because of trust requirement": "当前工作区不受信任,因此已禁用此扩展。",
+ "extension enabled on remote": "已在“{0}”上启用扩展",
+ "extension limited because of trust requirement": "当前工作区不受信任,因此已限制此扩展的功能。",
+ "extension limited because of virtual workspace": "此拓展功能受限,因为当前工作区为虚拟。",
+ "extensionButtonProminentBackground": "扩展中突出操作的按钮背景色(比如 安装按钮)。",
+ "extensionButtonProminentForeground": "扩展中突出操作的按钮前景色(比如 安装按钮)。",
+ "extensionButtonProminentHoverBackground": "扩展中突出操作的按钮被悬停时的颜色(比如 安装按钮)。",
+ "finished installing": "已成功安装扩展。",
+ "globally disabled": "用户已全局禁用此扩展。",
+ "globally enabled": "此扩展已全局启用。",
+ "ignoreExtensionRecommendation": "不再推荐此扩展",
+ "ignored": "同步时将忽略此扩展",
+ "incompatible": "无法安装“{0}”扩展,因为它不兼容。",
+ "incompatible platform": "'{0}' 扩展在 {1} 中对于 {2} 不可用。",
+ "install": "安装",
+ "install another version": "安装另一个版本…",
+ "install anyway": "仍然安装",
+ "install browser": "在浏览器中安装",
+ "install confirmation": "是否确实要安装“{0}”?",
+ "install everywhere tooltip": "在所有同步的 {0} 实例中安装此扩展",
+ "install extension in remote": "{0}在{1}中",
+ "install extension in remote and do not sync": "{0}在{1}中({2})",
+ "install extension locally": "本地{0}",
+ "install extension locally and do not sync": "本地{0}({1})",
+ "install in remote": "在 {0} 中安装",
+ "install local extensions title": "在“{0}”中安装本地扩展",
+ "install locally": "本地安装",
+ "install operation": "安装 \"{0}\" 扩展时出错。",
+ "install pre-release": "安装预发布版本",
+ "install pre-release version": "安装预发布版本",
+ "install previous version": "安装特定版本的扩展…",
+ "install release version": "安装发布版本",
+ "install release version message": "是否要安装发布版本?",
+ "install remote extensions": "本地安装远程扩展",
+ "install vsix": "下载后,请手动安装“{0}”的 VSIX。",
+ "installExtensionComplete": "已完成安装扩展 {0}。",
+ "installExtensionCompletedAndReloadRequired": "已完成安装扩展 {0}。请重载 Visual Studio Code 以启用。",
+ "installExtensionStart": "已启动安装扩展 {0}。将打开编辑器,显示此扩展的更多详细信息。",
+ "installRecommendedExtension": "安装推荐的扩展",
+ "installVSIX": "从 VSIX 安装...",
+ "installed": "已安装",
+ "installing": "正在安装",
+ "installing extensions": "正在安装扩展...",
+ "learn more": "了解详细信息",
+ "learn why": "了解原因",
+ "malicious tooltip": "此扩展被报告存在问题。",
+ "manage": "管理",
+ "migrate": "迁移",
+ "migrate to": "迁移到 {0}",
+ "migrateExtension": "迁移",
+ "more information": "详细信息",
+ "no local extensions": "没有要安装的扩展。",
+ "no versions": "此扩展没有其他版本。",
+ "not web tooltip": "“{0}”扩展在 {1} 中不可用。",
+ "postDisableTooltip": "请重新加载 Visual Studio Code 以禁用此扩展。",
+ "postEnableTooltip": "请重新加载 Visual Studio Code 以启用此扩展。",
+ "postUninstallTooltip": "请重新加载 Visual Studio Code 以完成此扩展的卸载。",
+ "postUpdateTooltip": "请重新启动 Visual Studio Code 以完成对此扩展的更新。",
+ "pre-release": "预发布",
+ "reinstall": "重新安装扩展...",
+ "reloadAction": "重新加载",
+ "reloadRequired": "需要重新加载",
+ "search recommendations": "搜索扩展",
+ "select and install local extensions": "在“{0}”中安装本地扩展…",
+ "select and install remote extensions": "本地安装远程扩展…",
+ "select color theme": "选择颜色主题",
+ "select extensions to install": "选择要安装的扩展",
+ "select file icon theme": "选择文件图标主题",
+ "select product icon theme": "选择产品图标主题",
+ "selectExtension": "选择扩展",
+ "selectExtensionToReinstall": "选择要重新安装的扩展",
+ "selectVersion": "选择要安装的版本",
+ "settings": "设置",
+ "showRecommendedExtension": "显示推荐的扩展",
+ "switch to pre-release version": "切换到预发布版本",
+ "switch to pre-release version tooltip": "切换到此扩展的预发布版本",
+ "switch to release version": "切换为发布版本",
+ "switch to release version tooltip": "切换到此扩展的发布版本",
+ "sync": "同步此扩展",
+ "synced": "已同步此扩展",
+ "undo": "撤消",
+ "uninstallAction": "卸载",
+ "uninstallExtensionComplete": "请重新加载 Visual Studio Code 以完成对扩展 {0} 的卸载。",
+ "uninstallExtensionStart": "开始卸载扩展{0}。",
+ "uninstalled": "已卸载",
+ "update operation": "更新 \"{0}\" 扩展时出错。",
+ "updateAction": "更新",
+ "updateExtensionComplete": "已完成更新扩展 {0} 到版本 {1}。",
+ "updateExtensionStart": "已启动更新扩展 {0} 到版本 {1}。",
+ "updateToLatestVersion": "更新到 {0}",
+ "updateToTargetPlatformVersion": "更新到 {0} 版本。",
+ "updated": "已更新",
+ "workbench.extensions.action.clearLanguage": "清除显示语言",
+ "workbench.extensions.action.setColorTheme": "设置颜色主题",
+ "workbench.extensions.action.setDisplayLanguage": "设置显示语言",
+ "workbench.extensions.action.setFileIconTheme": "设置文件图标主题",
+ "workbench.extensions.action.setProductIconTheme": "设置产品图标主题",
+ "workspace disabled": "用户已为此工作区禁用此扩展。",
+ "workspace enabled": "用户已为此工作区启用此扩展。"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsActivationProgress": {
+ "activation": "正在激活扩展..."
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsCompletionItemsProvider": {
+ "exampleExtension": "示例"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsDependencyChecker": {
+ "auto install missing deps": "安装缺少的依赖项",
+ "extensions": "扩展",
+ "finished installing missing deps": "缺少的依赖项已安装完毕。请立即重新加载窗口。",
+ "no missing deps": "没有任何缺少的依赖项待安装。",
+ "reload": "重新加载窗口"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsIcons": {
+ "activationtimeIcon": "在扩展编辑器中显示带有激活时间消息的图标。",
+ "clearSearchResultsIcon": "扩展视图中“清除搜索结果”操作的图标。",
+ "configureRecommendedIcon": "扩展视图中“配置建议的扩展”操作的图标。",
+ "errorIcon": "在扩展编辑器中显示带有错误消息的图标。",
+ "extensionsViewIcon": "查看扩展视图的图标。",
+ "filterIcon": "扩展视图中“筛选器”操作的图标。",
+ "infoIcon": "扩展编辑器中随信息消息一同显示的图标。",
+ "installCountIcon": "扩展视图和编辑器中随安装计数一起显示的图标。",
+ "installLocalInRemoteIcon": "扩展视图中“在远程安装本地扩展”操作的图标。",
+ "installWorkspaceRecommendedIcon": "扩展视图中“安装工作区建议的扩展”操作的图标。",
+ "manageExtensionIcon": "扩展视图中“管理”操作的图标。",
+ "preReleaseIcon": "为具有预发布版本的扩展在扩展视图和编辑器中显示的图标。",
+ "ratingIcon": "扩展视图和编辑器中随评级一起显示的图标。",
+ "refreshIcon": "扩展视图中“刷新”操作的图标。",
+ "remoteIcon": "用于在扩展视图和编辑器中指示扩展是远程内容的图标。",
+ "sponsorIcon": "用于在扩展视图和编辑器中赞助扩展的图标。",
+ "starEmptyIcon": "扩展编辑器中用于评级的中空星形图标。",
+ "starFullIcon": "扩展编辑器中用于评级的实心星形图标。",
+ "starHalfIcon": "扩展编辑器中用于评级的半星图标。",
+ "syncEnabledIcon": "用于指示扩展已同步的图标。",
+ "syncIgnoredIcon": "用于指示在同步时忽略扩展的图标。",
+ "trustIcon": "扩展编辑器中随工作区信任消息一同显示的图标。",
+ "verifiedPublisher": "用于扩展视图和编辑器中已验证扩展发布服务器的图标。",
+ "warningIcon": "扩展编辑器中随警告消息一同显示的图标。"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsQuickAccess": {
+ "install": "按 Enter 来安装扩展“{0}”。",
+ "manage": "按 Enter 来管理扩展。",
+ "searchFor": "按 Enter 以搜索扩展\"{0}\"。",
+ "type": "键入扩展名称进行安装或搜索。"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsViewer": {
+ "Unknown Extension": "未知扩展:",
+ "error": "错误",
+ "extension.arialabel": "{0},{1},{2},{3}",
+ "extensions": "扩展"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsViewlet": {
+ "builtInThemesExtensions": "主题",
+ "builtin": "内置",
+ "builtinFeatureExtensions": "功能",
+ "builtinProgrammingLanguageExtensions": "编程语言",
+ "deprecated": "已弃用",
+ "disabled": "已禁用",
+ "disabledExtensions": "已禁用",
+ "enabled": "已启用",
+ "enabledExtensions": "已启用",
+ "extensionFound": "找到 1 个扩展。",
+ "extensionFoundInSection": "在“{0}”小节中找到 1 个扩展。",
+ "extensionsFound": "找到 {0} 个扩展。",
+ "extensionsFoundInSection": "在“{1}”小节中找到 {0} 个扩展。",
+ "install remote in local": "本地安装远程扩展…",
+ "installed": "已安装",
+ "malicious warning": "我们卸载了“{0}”,它被报告存在问题。",
+ "marketPlace": "商店",
+ "open user settings": "打开用户设置",
+ "otherRecommendedExtensions": "其他推荐",
+ "outdated": "已过期",
+ "outdatedExtensions": "{0} 个过时的扩展",
+ "popularExtensions": "热门",
+ "recommendedExtensions": "推荐",
+ "reloadNow": "立即重新加载",
+ "remote": "远程",
+ "searchExtensions": "在应用商店中搜索扩展",
+ "select and install local extensions": "在“{0}”中安装本地扩展…",
+ "suggestProxyError": "市场返回了 \"ECONNREFUSED\"。请检查 \"http.proxy\" 设置。",
+ "untrustedPartiallySupportedExtensions": "限制在受限模式下",
+ "untrustedUnsupportedExtensions": "在受限模式下禁用",
+ "virtualPartiallySupportedExtensions": "限制在虚拟工作区中",
+ "virtualUnsupportedExtensions": "在虚拟工作区中禁用",
+ "workspaceRecommendedExtensions": "工作区推荐",
+ "workspaceUnsupported": "工作区不受支持"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsViews": {
+ "error": "提取扩展时出错。{0}",
+ "extension.arialabel.deprecated": "已弃用",
+ "extension.arialabel.publihser": "发布服务器 {0}",
+ "extensions": "扩展",
+ "no extensions found": "找不到扩展。",
+ "no local extensions": "没有要安装的扩展。",
+ "offline error": "离线时无法搜索市场,请检查网络连接。",
+ "open user settings": "打开用户设置",
+ "suggestProxyError": "市场返回了 \"ECONNREFUSED\"。请检查 \"http.proxy\" 设置。"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsWidgets": {
+ "Show prerelease version": "预发布版本",
+ "activation": "激活时间",
+ "dependencies": "显示依赖关系",
+ "extensionIcon.sponsorForeground": "扩展发起人的图标颜色。",
+ "extensionIconStarForeground": "扩展分级的图标颜色。",
+ "extensionIconVerifiedForeground": "已验证扩展的发布服务器图标颜色。",
+ "extensionPreReleaseForeground": "预发布扩展的图标颜色。",
+ "has prerelease": "此扩展具有可用的 {0}",
+ "message": "1 条消息",
+ "messages": "{0} 条消息",
+ "pre-release-label": "预发布",
+ "publisher verified tooltip": "此发布者已验证 {0} 的所有权",
+ "ratedLabel": "平均评分: {0} 分(共 5 分)",
+ "recommendationHasBeenIgnored": "您已选择不接收此扩展的推荐。",
+ "remote extension title": "{0} 中的扩展",
+ "sponsor": "发起人",
+ "startup": "启动",
+ "syncingore.label": "此扩展在同步期间被忽略。",
+ "uncaught error": "1 个未捕获错误",
+ "uncaught errors": "{0} 个未捕获错误"
+ },
+ "vs/workbench/contrib/extensions/browser/extensionsWorkbenchService": {
+ "Manifest is not found": "未找到清单文件",
+ "disable all": "全部禁用",
+ "installing extension": "正在安装扩展...",
+ "installing named extension": "正在安装 \"{0}\" 扩展...",
+ "malicious": "报告称该扩展存在问题。",
+ "multipleDependentsError": "无法单独禁用 \"{0}\" 扩展。\"{1}\"、\"{2}\" 和其他扩展依赖于此扩展。要禁用所有这些扩展吗?",
+ "not found": "无法安装扩展“{0}”,因为找不到请求的版本“{1}”。",
+ "singleDependentError": "无法单独禁用 \"{0}\" 扩展。\"{1}\" 扩展依赖于此扩展。要禁用所有这些扩展吗?",
+ "twoDependentsError": "无法单独禁用 \"{0}\" 扩展。\"{1}\" 和 \"{2}\" 扩展依赖于此扩展。要禁用所有这些扩展吗?",
+ "uninstallingExtension": "正在卸载扩展..."
+ },
+ "vs/workbench/contrib/extensions/browser/fileBasedRecommendations": {
+ "dontShowAgainExtension": "不再对“.{0}”文件显示",
+ "fileBasedRecommendation": "根据你最近打开的文件,建议使用此扩展。",
+ "reallyRecommended": "是否要为 {0} 安装推荐的扩展?",
+ "searchMarketplace": "搜索商店",
+ "showLanguageExtensions": "商店中有可以对“.{0}”文件提供帮助的扩展。"
+ },
+ "vs/workbench/contrib/extensions/browser/webRecommendations": {
+ "reason": "建议将此扩展用于 {0} Web 版"
+ },
+ "vs/workbench/contrib/extensions/browser/workspaceRecommendations": {
+ "workspaceRecommendation": "当前工作区的用户建议使用此扩展。"
+ },
+ "vs/workbench/contrib/extensions/common/extensionsFileTemplate": {
+ "app.extension.identifier.errorMessage": "预期的格式 \"${publisher}.${name}\"。例如: \"vscode.csharp\"。",
+ "app.extensions.json.recommendations": "向此工作区的用户推荐的扩展列表。扩展的标识符始终为 \"${publisher}.${name}\"。例如: \"vscode.csharp\"。",
+ "app.extensions.json.title": "扩展",
+ "app.extensions.json.unwantedRecommendations": "不应向此工作区的用户推荐的扩展列表。扩展的标识符始终为 \"${publisher}.${name}\"。例如: \"vscode.csharp\"。"
+ },
+ "vs/workbench/contrib/extensions/common/extensionsInput": {
+ "extensionsInputName": "扩展: {0}"
+ },
+ "vs/workbench/contrib/extensions/common/extensionsUtils": {
+ "disableOtherKeymapsConfirmation": "是否禁用其他按键映射扩展 ({0}),从而避免按键绑定之间的冲突?",
+ "no": "否",
+ "yes": "是"
+ },
+ "vs/workbench/contrib/extensions/common/runtimeExtensionsInput": {
+ "extensionsInputName": "正在运行的扩展"
+ },
+ "vs/workbench/contrib/extensions/electron-sandbox/debugExtensionHostAction": {
+ "cancel": "取消(&&C)",
+ "debugExtensionHost": "启动调试扩展宿主",
+ "debugExtensionHost.launch.name": "附加扩展主机",
+ "restart1": "分析扩展",
+ "restart2": "需要重启,才能分析扩展。是否要立即重启“{0}”?",
+ "restart3": "重启(&&R)"
+ },
+ "vs/workbench/contrib/extensions/electron-sandbox/extensionProfileService": {
+ "cancel": "取消(&&C)",
+ "profilingExtensionHost": "分析扩展主机",
+ "profilingExtensionHostTime": "分析扩展主机({0} 秒)",
+ "restart1": "分析扩展",
+ "restart2": "需要重启,才能分析扩展。是否要立即重启“{0}”?",
+ "restart3": "重启(&&R)",
+ "selectAndStartDebug": "单击可停止分析。",
+ "status.profiler": "扩展探查器"
+ },
+ "vs/workbench/contrib/extensions/electron-sandbox/extensions.contribution": {
+ "runtimeExtension": "正在运行的扩展"
+ },
+ "vs/workbench/contrib/extensions/electron-sandbox/extensionsActions": {
+ "openExtensionsFolder": "打开扩展文件夹"
+ },
+ "vs/workbench/contrib/extensions/electron-sandbox/extensionsAutoProfiler": {
+ "show": "显示扩展程序",
+ "unresponsive-exthost": "扩展“{0}”的上一次操作花费时间较长,阻碍了其他扩展的运行。"
+ },
+ "vs/workbench/contrib/extensions/electron-sandbox/extensionsSlowActions": {
+ "attach.msg": "这是一个提醒, 以确保您没有忘记将 \"{0}\" 附加到刚刚创建的问题。",
+ "attach.msg2": "这是一个提醒, 以确保您没有忘记将 \"{0}\" 归入现有的性能问题中。",
+ "attach.title": "您是否附上了 cpu 配置文件?",
+ "cmd.report": "报告问题",
+ "cmd.reportOrShow": "性能问题",
+ "cmd.show": "显示问题"
+ },
+ "vs/workbench/contrib/extensions/electron-sandbox/reportExtensionIssueAction": {
+ "reportExtensionIssue": "报告问题"
+ },
+ "vs/workbench/contrib/extensions/electron-sandbox/runtimeExtensionsEditor": {
+ "extensionHostProfileStart": "开始分析扩展宿主",
+ "saveExtensionHostProfile": "保存扩展宿主分析文件",
+ "saveprofile.dialogTitle": "保存扩展宿主分析文件",
+ "saveprofile.saveButton": "保存",
+ "stopExtensionHostProfileStart": "停止分析扩展宿主"
+ },
+ "vs/workbench/contrib/externalTerminal/browser/externalTerminal.contribution": {
+ "scopedConsoleAction": "在终端中打开",
+ "scopedConsoleAction.external": "在外部终端中打开",
+ "scopedConsoleAction.integrated": "在集成终端中打开",
+ "scopedConsoleAction.wt": "在 Windows 终端中打开"
+ },
+ "vs/workbench/contrib/externalTerminal/electron-sandbox/externalTerminal.contribution": {
+ "explorer.openInTerminalKind": "在终端中从资源管理器打开文件时,确定将启动哪种类型的终端",
+ "globalConsoleAction": "打开新的外部终端",
+ "terminal.explorerKind.external": "使用设定的外部终端。",
+ "terminal.explorerKind.integrated": "使用 VS Code 的集成终端。",
+ "terminal.external.linuxExec": "自定义要在 Linux 上运行的终端。",
+ "terminal.external.osxExec": "定义在 macOS 上运行的终端应用程序。",
+ "terminal.external.windowsExec": "自定义要在 Windows 上运行的终端。",
+ "terminalConfigurationTitle": "外部终端"
+ },
+ "vs/workbench/contrib/externalUriOpener/common/configuration": {
+ "externalUriOpeners": "配置开启程序以用于外部 URI (即 http、https)。",
+ "externalUriOpeners.defaultId": "使用 VS Code 的标准打开器打开。",
+ "externalUriOpeners.uri": "将 URI 模式映射到开启程序 ID。\r\n示例模式: \r\n{0}"
+ },
+ "vs/workbench/contrib/externalUriOpener/common/externalUriOpenerService": {
+ "selectOpenerConfigureTitle": "配置默认开启程序…",
+ "selectOpenerDefaultLabel": "在默认浏览器中打开",
+ "selectOpenerDefaultLabel.web": "在新浏览器窗口中打开",
+ "selectOpenerPlaceHolder": "你希望以何种方式打开: {0}"
+ },
+ "vs/workbench/contrib/feedback/browser/feedback": {
+ "character left": "剩余字符",
+ "characters left": "剩余字符",
+ "close": "关闭",
+ "feedbackTextInput": "告诉我们您的反馈意见",
+ "frownCaption": "负面反馈情绪",
+ "label.sendASmile": "通过 Tweet 向我们发送反馈。",
+ "other ways to contact us": "联系我们的其他方式",
+ "patchedVersion1": "安装已损坏。",
+ "patchedVersion2": "如果提交了 bug,请指定此项。",
+ "request a missing feature": "请求缺失功能",
+ "sentiment": "您的体验如何?",
+ "showFeedback": "在状态栏中显示反馈图标",
+ "smileCaption": "正面反馈情绪",
+ "submit a bug": "提交 bug",
+ "tell us why": "告诉我们原因?",
+ "tweet": "推文",
+ "tweetFeedback": "Tweet 反馈"
+ },
+ "vs/workbench/contrib/feedback/browser/feedbackStatusbarItem": {
+ "status.feedback": "Tweet 反馈",
+ "status.feedback.name": "反馈"
+ },
+ "vs/workbench/contrib/files/browser/editors/binaryFileEditor": {
+ "binaryFileEditor": "二进制文件查看器"
+ },
+ "vs/workbench/contrib/files/browser/editors/textFileEditor": {
+ "createFile": "创建文件",
+ "fileIsDirectoryError": "文件是目录",
+ "fileNotFoundError": "找不到文件",
+ "ok": "确定",
+ "reveal": "在资源管理器视图中显示",
+ "textFileEditor": "文本文件编辑器"
+ },
+ "vs/workbench/contrib/files/browser/editors/textFileSaveErrorHandler": {
+ "compareChanges": "比较",
+ "configure": "配置",
+ "discard": "放弃",
+ "dontShowAgain": "不再显示",
+ "genericSaveError": "未能保存“{0}”: {1}",
+ "learnMore": "了解详细信息",
+ "overwrite": "覆盖",
+ "overwriteElevated": "以管理员身份覆盖...",
+ "overwriteElevatedSudo": "以超级用户身份覆盖...",
+ "permissionDeniedSaveError": "无法保存“{0}”: 权限不足。选择“以管理员身份覆盖”可作为管理员重试。",
+ "permissionDeniedSaveErrorSudo": "保存 \"{0}\"失败: 权限不足。选择 \"以超级用户身份重试\" 以超级用户身份重试。",
+ "readonlySaveError": "未能保存 \"{0}\": 文件是只读的。可选择 \"覆盖\" 以尝试使其可写。",
+ "readonlySaveErrorAdmin": "未能保存 \"{0}\": 文件是只读的。以管理员身份选择 \"以管理员身份覆盖\" 重试。",
+ "readonlySaveErrorSudo": "保存\"{0}\"失败: 文件为只读。选择“覆盖为Sudo”以用超级用户身份重试。",
+ "retry": "重试",
+ "saveConflictDiffLabel": "{0} (在文件中) ↔ {1} (在 {2} 中) - 解决保存冲突",
+ "saveElevated": "以管理员身份重试...",
+ "saveElevatedSudo": "以用户…重试。",
+ "staleSaveError": "无法保存\"{0}\": 文件的内容较新。请将您的版本与文件内容进行比较,或用您的更改覆盖文件内容。",
+ "userGuide": "通过编辑器工具栏中的操作,可撤消所做的更改,也可使用所做的更改覆盖文件的内容。"
+ },
+ "vs/workbench/contrib/files/browser/explorerViewlet": {
+ "addAFolder": "添加文件夹",
+ "explore": "资源管理器",
+ "explorerViewIcon": "查看资源管理器视图的图标。",
+ "folders": "文件夹",
+ "miViewExplorer": "资源管理器(&&E)",
+ "noFolderButEditorsHelp": "尚未打开文件夹。\r\n{0}\r\n打开文件夹将关闭所有当前打开的编辑器。要使其保持打开状态,请改为 {1}。",
+ "noFolderHelp": "尚未打开文件夹。\r\n{0}",
+ "noFolderHelpWeb": "尚未打开文件夹。\r\n{0}\r\n{1}",
+ "noWorkspaceHelp": "尚未将文件夹添加到工作区。\r\n{0}",
+ "openEditorsIcon": "查看打开编辑器视图的图标。",
+ "openFolder": "打开文件夹",
+ "openRecent": "打开最近的文件",
+ "remoteNoFolderHelp": "已连接到远程。\r\n{0}"
+ },
+ "vs/workbench/contrib/files/browser/fileActions": {
+ "binFailed": "无法删除到回收站。是否永久删除?",
+ "clipboardComparisonLabel": "剪贴板 ↔ {0}",
+ "closeGroup": "关闭组",
+ "compareWithClipboard": "比较活动文件与剪贴板",
+ "confirmDeleteMessageFile": "是否确定要永久删除“{0}”?",
+ "confirmDeleteMessageFilesAndDirectories": "是否确定要永久删除以下 {0} 个文件或文件夹 (包括其内容)?",
+ "confirmDeleteMessageFolder": "是否确定要永久删除“{0}”及其内容?",
+ "confirmDeleteMessageMultiple": "是否确定要永久删除以下 {0} 个文件?",
+ "confirmDeleteMessageMultipleDirectories": "是否确定要永久删除以下 {0} 个目录及其内容?",
+ "confirmMoveTrashMessageFile": "是否确实要删除“{0}”?",
+ "confirmMoveTrashMessageFilesAndDirectories": "是否确定要删除以下 {0} 个文件或文件夹 (包括其内容)?",
+ "confirmMoveTrashMessageFolder": "是否确实要删除“{0}”及其内容?",
+ "confirmMoveTrashMessageMultiple": "是否确定要删除以下 {0} 个文件?",
+ "confirmMoveTrashMessageMultipleDirectories": "是否确定要删除以下 {0} 个文件夹及其内容?",
+ "copyBulkEdit": "粘贴 {0} 个文件",
+ "copyFile": "复制",
+ "copyFileBulkEdit": "粘贴{0}",
+ "copyingBulkEdit": "正在复制 {0} 个文件",
+ "copyingFileBulkEdit": "正在复制 {0}",
+ "createBulkEdit": "创建 {0}",
+ "creatingBulkEdit": "正在创建 {0}",
+ "delete": "删除",
+ "deleteBulkEdit": "删除 {0} 个文件",
+ "deleteButtonLabel": "删除(&&D)",
+ "deleteButtonLabelRecycleBin": "移动到回收站(&&M)",
+ "deleteButtonLabelTrash": "移动到废纸篓(&&M)",
+ "deleteFileBulkEdit": "删除{0}",
+ "deletePermanentlyButtonLabel": "永久删除(&&D)",
+ "deletingBulkEdit": "正在删除 {0} 个文件",
+ "deletingFileBulkEdit": "正在删除 {0}",
+ "dirtyMessageFileDelete": "你正在删除具有未保存更改的 {0}。是否要继续?",
+ "dirtyMessageFilesDelete": "你删除的文件中具有未保存的更改。是否继续?",
+ "dirtyMessageFolderDelete": "你正在删除文件夹 {0},其中 {1} 个文件中有未保存的更改。是否要继续?",
+ "dirtyMessageFolderOneDelete": "你正在删除文件夹 {0},但其中 1 个文件中有未保存的更改。是否要继续?",
+ "dirtyWarning": "如果不保存,你的更改将丢失。",
+ "doNotAskAgain": "不再询问",
+ "download": "下载...",
+ "emptyFileNameError": "必须提供文件或文件夹名。",
+ "fileDeleted": "复制后要粘贴的文件已被删除或移动。{0}",
+ "fileIsAncestor": "粘贴的项目是目标文件夹的上级",
+ "fileNameExistsError": "此位置已存在文件或文件夹 **{0}**。请选择其他名称。",
+ "fileNameStartsWithSlashError": "文件或文件夹名称不能以斜杠开头。",
+ "fileNameWhitespaceWarning": "在文件或文件夹名称中检测到的前导或尾随空格。",
+ "focusFilesExplorer": "聚焦到“文件资源管理器”视图",
+ "globalCompareFile": "比较活动文件与...",
+ "invalidFileNameError": "名称 **{0}** 作为文件或文件夹名无效。请选择其他名称。",
+ "irreversible": "此操作不可逆!",
+ "moveBulkEdit": "移动 {0} 个文件",
+ "moveFileBulkEdit": "移动 {0}",
+ "movingBulkEdit": "正在移动 {0} 个文件",
+ "movingFileBulkEdit": "正在移动 {0}",
+ "newFile": "新建文件",
+ "newFolder": "新建文件夹",
+ "openFileInNewWindow": "在新窗口中打开活动文件",
+ "openFileToShowInNewWindow.unsupportedschema": "活动编辑器必须包含可打开的资源。",
+ "pasteFile": "粘贴",
+ "rename": "重命名",
+ "renameBulkEdit": "将 {0} 重命名为 {1}",
+ "renamingBulkEdit": "将 {0} 重命名为 {1}",
+ "restore": "可以使用“撤消”命令还原此文件",
+ "restorePlural": "可以使用“撤消”命令还原这些文件",
+ "retry": "重试",
+ "retryButtonLabel": "重试(&&R)",
+ "saveAllInGroup": "全部保存在组中",
+ "showInExplorer": "在资源管理器视图中显示活动文件",
+ "toggleAutoSave": "切换开关自动保存",
+ "trashFailed": "无法删除到废纸篓。是否永久删除?",
+ "undoBin": "您可以从回收站还原此文件。",
+ "undoBinFiles": "您可以从回收站还原这些文件。",
+ "undoTrash": "您可以从回收站还原此文件。",
+ "undoTrashFiles": "您可以从回收站还原这些文件。",
+ "upload": "上传..."
+ },
+ "vs/workbench/contrib/files/browser/fileActions.contribution": {
+ "acceptLocalChanges": "使用所做的更改并覆盖文件内容",
+ "close": "关闭",
+ "closeAll": "全部关闭",
+ "closeOthers": "关闭其他",
+ "closeSaved": "关闭已保存",
+ "compareActiveWithSaved": "比较活动与已保存的文件",
+ "compareSelected": "将已选项进行比较",
+ "compareSource": "选择以进行比较",
+ "compareWithSaved": "与已保存文件比较",
+ "compareWithSelected": "与已选项目进行比较",
+ "copyPath": "复制路径",
+ "copyPathOfActive": "复制活动文件的路径",
+ "copyRelativePath": "复制相对路径",
+ "copyRelativePathOfActive": "复制活动文件的相对路径",
+ "cut": "剪切",
+ "deleteFile": "永久删除",
+ "explorerOpenWith": "打开方式…",
+ "filesCategory": "文件",
+ "miAutoSave": "自动保存(&&U)",
+ "miCloseEditor": "关闭编辑器(&&C)",
+ "miGotoFile": "转到文件(&&F)...",
+ "miNewFile": "新建文本文件(&&N)",
+ "miRevert": "还原文件(&&V)",
+ "miSave": "保存(&&S)",
+ "miSaveAll": "全部保存(&&L)",
+ "miSaveAs": "另存为(&&A)...",
+ "newFile": "新建文本文件",
+ "openFile": "打开文件...",
+ "openToSide": "在侧边打开",
+ "revealInSideBar": "在资源管理器视图中显示",
+ "revert": "还原文件",
+ "revertLocalChanges": "放弃所做的更改并恢复到文件内容",
+ "saveAll": "全部保存",
+ "saveAllInGroup": "全部保存在组中",
+ "saveFiles": "保存所有文件"
+ },
+ "vs/workbench/contrib/files/browser/fileCommands": {
+ "discard": "放弃",
+ "genericRevertError": "未能还原“{0}”: {1}",
+ "genericSaveError": "未能保存“{0}”: {1}",
+ "modifiedLabel": "{0} (在文件中) ↔ {1}",
+ "newFileCommand.saveLabel": "创建文件",
+ "retry": "重试"
+ },
+ "vs/workbench/contrib/files/browser/fileConstants": {
+ "newUntitledFile": "新的无标题文件",
+ "removeFolderFromWorkspace": "将文件夹从工作区删除",
+ "save": "保存",
+ "saveAll": "全部保存",
+ "saveAs": "另存为...",
+ "saveWithoutFormatting": "保存但不格式化"
+ },
+ "vs/workbench/contrib/files/browser/fileImportExport": {
+ "addFolder": "将文件夹添加到工作区(&&A)",
+ "addFolders": "将文件夹添加到工作区(&&A)",
+ "cancel": "取消",
+ "chooseWhereToDownload": "选择下载位置",
+ "confirmManyOverwrites": "目标文件夹中已存在以下 {0} 个文件和/或文件夹。是否要替换它们?",
+ "confirmOverwrite": "目标文件夹中已存在名称为\"{0}\"的文件或文件夹。是否要替换它?",
+ "copyFolder": "复制文件夹(&&C)",
+ "copyFolders": "复制文件夹(&&C)",
+ "copyfolder": "确定要复制“{0}”吗?",
+ "copyfolders": "确定要复制文件夹吗?",
+ "copyingFile": "正在复制 {0}",
+ "copyingFiles": "正在复制...",
+ "copyingnFile": "正在复制 {0} 资源",
+ "downloadBulkEdit": "下载 {0}",
+ "downloadButton": "下载",
+ "downloadProgressLarge": "{0} ({1}/{2},{3}/秒)",
+ "downloadProgressSmallMany": "{0} 个文件,共 {1} 个({2}/秒)",
+ "downloadingBulkEdit": "正在下载 {0}",
+ "downloadingFiles": "正在下载",
+ "dropFolder": "是否要复制“{0}”或将“{0}”作为文件夹添加工作区?",
+ "dropFolders": "是否要复制文件夹或将其添加到工作区?",
+ "fileInaccessible": "无法访问已删除文件以进行导入。",
+ "filesInaccessible": "无法访问部分或所有已删除文件,以进行导入。",
+ "importFile": "导入{0}",
+ "importnFile": "导入 {0} 个资源",
+ "irreversible": "此操作不可逆!",
+ "overwrite": "覆盖 {0}",
+ "overwriting": "正在覆盖 {0}",
+ "replaceButtonLabel": "替换(&&R)",
+ "uploadProgressLarge": "{0} ({1}/{2},{3}/秒)",
+ "uploadProgressSmallMany": "{0} 个文件,共 {1} 个({2}/秒)",
+ "uploadingFiles": "正在上传"
+ },
+ "vs/workbench/contrib/files/browser/files.contribution": {
+ "askUser": "将拒绝保存并请求手动解决保存冲突。",
+ "associations": "配置语言的文件关联 (如: `\"*.extension\": \"html\"`)。这些关联的优先级高于已安装语言的默认关联。",
+ "autoGuessEncoding": "启用后,编辑器将尝试在打开文件时猜测字符集编码。还可以按语言配置此设置。请注意,文本搜索不遵守此设置。仅遵守 {0}。",
+ "autoReveal": "控制资源管理器是否在打开文件时自动显示并选择。",
+ "autoReveal.focusNoScroll": "文件不会滚动到视图中,但仍会获得焦点。",
+ "autoReveal.off": "不会显示和选择文件。",
+ "autoReveal.on": "将显示和选择文件。",
+ "autoSave": "控制具有未保存更改的编辑器的 [自动保存](https://code.visualstudio.com/docs/editor/codebasics#_save-auto-save)。",
+ "autoSaveDelay": "控制自动保存具有未保存更改的编辑器之前的延迟(以毫秒为单位)。只有当 `#files.autoSave#` 设置为 `{0}` 时才适用。",
+ "binaryFileEditor": "二进制文件编辑器",
+ "compressSingleChildFolders": "控制资源管理器是否应以紧凑形式呈现文件夹。在这种形式中,单个子文件夹将被压缩在组合的树元素中。例如,对 Java 包结构很有用。",
+ "confirmDelete": "控制资源管理器是否在把文件删除到废纸篓时进行确认。",
+ "confirmDragAndDrop": "控制在资源管理器内拖放移动文件或文件夹时是否进行确认。",
+ "confirmUndo": "控制资源管理器是否应在撤消时要求确认。",
+ "copyRelativePathSeparator": "复制相对文件路径时使用的路径分隔字符。",
+ "copyRelativePathSeparator.auto": "使用操作系统特定路径分隔字符。",
+ "copyRelativePathSeparator.backslash": "使用反斜杠作为路径分隔字符。",
+ "copyRelativePathSeparator.slash": "使用斜杠作为路径分隔字符。",
+ "defaultLanguage": "分配给新文件的默认语言标识符。如果配置为 \"${activeEditorLanguage}\",将使用当前活动文本编辑器(如果有)的语言标识符。",
+ "enableDragAndDrop": "控制浏览器是否允许通过拖放移动文件和文件夹。此设置仅影响从浏览器内部拖放。",
+ "enableUndo": "控制资源管理器是否应支持撤消文件和文件夹操作。",
+ "enableUndo.default": "资源管理器将在破坏性撤消操作之前进行提示。",
+ "enableUndo.light": "聚焦时,资源管理器将不会在撤消操作之前进行提示。",
+ "enableUndo.verbose": "资源管理器将在所有撤消操作之前进行提示。",
+ "encoding": "在读取和写入文件时使用的默认字符集编码。可以按语言对此项进行配置。",
+ "eol": "默认行尾字符。",
+ "eol.CRLF": "CRLF",
+ "eol.LF": "LF",
+ "eol.auto": "使用具体操作系统规定的行末字符。",
+ "everything": "设置整个文件的格式。",
+ "exclude": "配置 [glob 模式](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options)以排除文件和文件夹。例如,文件资源管理器根据此设置决定要显示或隐藏的文件和文件夹。请参阅 \"#search.exclude#\" 设置以定义特定于搜索的排除。",
+ "excludeGitignore": "控制是否应从资源管理器中分析和排除 .gitignore 中的条目。类似于 {0}。",
+ "expandSingleFolderWorkspaces": "控制资源管理器是否应在初始化期间展开仅包含一个文件夹的多根工作区",
+ "explorer.decorations.badges": "控制文件修饰是否应使用徽章。",
+ "explorer.decorations.colors": "控制文件修饰是否应使用颜色。",
+ "explorer.incrementalNaming": "选择在粘贴同名文件(夹)时要使用的重命名方式。",
+ "explorerConfigurationTitle": "文件资源管理器",
+ "falseDescription": "禁用该模式。",
+ "fileNesting.description": "每个键模式可能包含将与任何字符串匹配的单个 `*` 字符。",
+ "fileNestingEnabled": "控制是否已在资源管理器中启用文件嵌套。文件嵌套允许目录中的相关文件在单个父文件下以可视方式组合在一起。",
+ "fileNestingExpand": "控制是否自动扩展文件嵌套。要使此操作生效,必须设置 {0}。",
+ "fileNestingPatterns": "控制资源管理器中的文件嵌套。每个 __Item__ 都表示父模式,且可能包含匹配任意字符串的单个 `*` 字符。每个 __Value__ 都表示子模式的逗号分隔列表,这些子模式应显示嵌套在给定父级下。子模式可能包含多个特殊标记:\r\n- `${capture}`: 匹配父模式的 `*` 的解析值\r\n- `${basename}`: 匹配父文件的基名,即 `file.ts` 中的 `file`\r\n- `${extname}`: 匹配父文件的扩展名,即 `file.ts` 中的 `ts`\r\n- `${dirname}`: 匹配父文件的目录名,即 `src/file.ts` 中的 `src`\r\n- `*`: 匹配任意字符串,每个子模式只能使用一次",
+ "files.autoSave.afterDelay": "在配置的 `#files.autoSaveDelay#` 之后,会自动保存具有更改的编辑器。",
+ "files.autoSave.off": "具有更改的编辑器永远不会自动保存。",
+ "files.autoSave.onFocusChange": "当编辑器失去焦点时,会自动保存具有更改的编辑器。",
+ "files.autoSave.onWindowChange": "当窗口失去焦点时,会自动保存具有更改的编辑器。",
+ "files.exclude.boolean": "匹配文件路径所依据的 glob 模式。设置为 true 或 false 可启用或禁用该模式。",
+ "files.exclude.when": "对匹配文件同辈进行额外检查。将 $(basename) 用作匹配文件名的变量。",
+ "files.participants.timeout": "超时(以毫秒为单位)后,将取消创建、重命名和删除的文件参与者。使用 `0` 禁用参与者。",
+ "files.restoreUndoStack": "重新打开文件后,还原撤消堆栈。",
+ "files.saveConflictResolution": "当文件保存到磁盘上并被另一个程序更改时,可能会发生保存冲突。 为了防止数据丢失,要求用户将编辑器中的更改与磁盘上的版本进行比较。 仅当经常遇到保存冲突错误时,才应更改此设置;如果不谨慎使用,可能会导致数据丢失。",
+ "files.simpleDialog.enable": "启用简单文件对话框。启用时,简单文件对话框将替换系统文件对话框。",
+ "filesConfigurationTitle": "文件",
+ "formatOnSave": "在保存时格式化文件。格式化程序必须可用,延迟后文件不能保存,并且编辑器不能关闭。",
+ "formatOnSaveMode": "控制在保存时设置格式是设置整个文件格式还是仅设置修改内容的格式。仅当 \"#editor.formatOnSave#\" 处于启用状态时适用。",
+ "hotExit": "控制是否在会话间记住未保存的文件,以允许在退出编辑器时跳过保存提示。",
+ "hotExit.off": "禁用热退出。当尝试关闭具有未保存更改的编辑器的窗口时,将显示提示。",
+ "hotExit.onExit": "触发 \"workbench.action.quit\" 命令(命令面板、键绑定、菜单)或在 Windows/Linux 上关闭最后一个窗口时,将触发热退出。所有未打开文件夹的窗口都将在下次启动时恢复。可通过“文件”>“打开最近使用的文件”>“更多…”,访问之前打开的窗口(包含未保存的文件)列表",
+ "hotExit.onExitAndWindowClose": "触发 \"workbench.action.quit\" 命令(命令面板、键绑定、菜单)或在 Windows/Linux 上关闭最后一个窗口时将触发热退出,还将对已打开文件夹的所有窗口触发热退出(无论是否是最后一个窗口)。所有未打开文件夹的窗口将在下次启动时恢复。可通过“文件”>“打开最近使用的文件”>“更多…”,访问之前打开的窗口(包含未保存的文件)列表",
+ "hotExit.onExitAndWindowCloseBrowser": "当浏览器退出或窗口或选项卡关闭时,将触发热退出。",
+ "insertFinalNewline": "启用后,保存文件时在文件末尾插入一个最终新行。",
+ "maxMemoryForLargeFilesMB": "在打开大型文件时,控制 VS Code 可在重启后使用的内存。在命令行中指定 `--max-memory=新的大小` 参数可达到相同效果。",
+ "modification": "格式修改(需要源代码管理)。",
+ "modificationIfAvailable": "将尝试只对修改进行格式化(需要源代码管理)。如果无法使用源代码管理,则将格式化整个文件。",
+ "openEditorsSortOrder": "控制编辑器在“打开编辑器”窗格中的排序顺序。",
+ "openEditorsVisible": "“打开编辑器”窗格中显示的编辑器最大数量。如果设置为 0,将隐藏“打开编辑器”窗格。",
+ "openEditorsVisibleMin": "“打开编辑器”窗格中显示的最小编辑器槽数。如果设置为 0,则“打开编辑器”窗格将根据编辑器数量动态重设大小。",
+ "overwriteFileOnDisk": "将通过在编辑器中用更改覆盖磁盘上的文件来解决保存冲突。",
+ "simple": "在重复名称的末尾附加单词“copy”,后面可能跟一个数字",
+ "smart": "在重复名称的末尾添加一个数字。如果某个号码已经是名称的一部分,请尝试增加该号码",
+ "sortOrder": "控制资源管理器中文件和文件夹基于属性的排序。启用“#explorer.fileNesting.enabled#”后,还控制嵌套文件的排序。",
+ "sortOrder.alphabetical": "编辑器在每个编辑器组内按选项卡名称以字母顺序排序。",
+ "sortOrder.default": "按名称排列文件和文件夹。文件夹显示在文件前。",
+ "sortOrder.editorOrder": "编辑器按编辑器标签显示的顺序排列。",
+ "sortOrder.filesFirst": "按名称排列文件和文件夹。文件显示在文件夹前。",
+ "sortOrder.foldersNestsFiles": "文件和文件夹按其名称排序。文件夹显示在文件之前。具有嵌套子级的文件将显示在其他文件之前。",
+ "sortOrder.fullPath": "编辑器在每个编辑器组内按完整路径以字母顺序排序。",
+ "sortOrder.mixed": "按名称排列文件和文件夹。两者穿插显示。",
+ "sortOrder.modified": "按最后修改日期降序排列文件和文件夹。文件夹显示在文件前。",
+ "sortOrder.type": "按拓展类型为文件和文件夹分组,然后按名称排列它们。文件夹显示在文件前。",
+ "sortOrderLexicographicOptions": "在资源管理器中控制文件和文件夹名称的词典排序。",
+ "sortOrderLexicographicOptions.default": "将大写和小写名称混合在一起。",
+ "sortOrderLexicographicOptions.lower": "小写名称组合在一起,位于大写名称之前。",
+ "sortOrderLexicographicOptions.unicode": "名称按 unicode 顺序排序。",
+ "sortOrderLexicographicOptions.upper": "大写名称组合在一起,位于小写名称之前。",
+ "trimFinalNewlines": "启用后,保存文件时将删除在最终新行后的所有新行。",
+ "trimTrailingWhitespace": "启用后,将在保存文件时删除行尾的空格。",
+ "trueDescription": "启用该模式。",
+ "useTrash": "在删除文件或文件夹时,将它们移动到操作系统的“废纸篓”中 (Windows 为“回收站”)。禁用此设置将永久删除文件或文件夹。",
+ "watcherExclude": "配置要从文件观察中排除的路径或 glob 模式。相对的路径或基本 glob 模式(例如 `build/output` 或 `*.js`)将使用当前打开的工作区解析为绝对路径。复杂 Glob 模式必须在绝对路径(即前缀为 “**/” 或完整路径和后缀为 “/**” 以匹配路径中的文件)上匹配,才能正确匹配(例如 “**/build/output/**” 或 “/Users/name/workspaces/project/build/output/**”)。当遇到文件观察程序进程消耗大量 CPU 时,请确保排除不太相关的大型文件夹(例如生成输出文件夹)。",
+ "watcherInclude": "配置额外路径以监视工作区内的更改。默认情况下,将以递归方式监视所有工作区文件夹,但符号链接的文件夹除外。可以显式添加绝对路径或相对路径,以支持作为符号链接的监视文件夹。将使用当前打开的工作区将相对路径解析为绝对路径。"
+ },
+ "vs/workbench/contrib/files/browser/views/emptyView": {
+ "noWorkspace": "无打开的文件夹"
+ },
+ "vs/workbench/contrib/files/browser/views/explorerDecorationsProvider": {
+ "canNotResolve": "无法解析工作区文件夹",
+ "label": "资源管理器",
+ "symbolicLlink": "符号链接",
+ "unknown": "未知文件类型"
+ },
+ "vs/workbench/contrib/files/browser/views/explorerView": {
+ "collapseExplorerFolders": "在资源管理器中折叠文件夹",
+ "createNewFile": "新建文件",
+ "createNewFolder": "新建文件夹",
+ "explorerSection": "资源管理器部分: {0}",
+ "refreshExplorer": "刷新资源管理器"
+ },
+ "vs/workbench/contrib/files/browser/views/explorerViewer": {
+ "confirmMove": "是否确定要将\"{0}\"移到\"{1}\"?",
+ "confirmMultiMove": "确定要将以下文件{0}移动至{1}?",
+ "confirmRootMove": "是否确定要更改工作区中根文件夹“{0}”的顺序?",
+ "confirmRootsMove": "是否确定要更改工作区中多个根文件夹的顺序?",
+ "copy": "复制 {0}",
+ "copying": "正在复制 {0}",
+ "doNotAskAgain": "不再询问",
+ "fileInputAriaLabel": "输入文件名。按 \"Enter\" 键确认或按 \"Esc\" 键取消。",
+ "move": "移动 {0}",
+ "moveButtonLabel": "移动(&&M)",
+ "moving": "正在移动 {0}",
+ "numberOfFiles": "{0} 文件",
+ "numberOfFolders": "{0} 文件夹",
+ "treeAriaLabel": "文件资源管理器"
+ },
+ "vs/workbench/contrib/files/browser/views/openEditorsView": {
+ "dirtyCounter": "{0} 个未保存",
+ "flipLayout": "切换垂直/水平编辑器布局",
+ "miToggleEditorLayout": "翻转布局(&&L)",
+ "miToggleEditorLayoutWithoutMnemonic": "翻转布局",
+ "newUntitledFile": "新的无标题文件",
+ "openEditors": "打开的编辑器"
+ },
+ "vs/workbench/contrib/files/browser/workspaceWatcher": {
+ "enospcError": "无法在这个大型工作区文件夹中监视文件更改。请按照说明链接来解决此问题。",
+ "eshutdownError": "文件更改观察程序意外停止。重新加载窗口可能再次启用观察程序,除非无法监视工作区的文件更改。",
+ "learnMore": "说明",
+ "reload": "重新加载"
+ },
+ "vs/workbench/contrib/files/common/dirtyFilesIndicator": {
+ "dirtyFile": "1 个未保存的文件",
+ "dirtyFiles": "{0} 个未保存的文件"
+ },
+ "vs/workbench/contrib/files/common/files": {
+ "explorerResourceCut": "如果 EXPLORER 中的一个项已被剪切用于剪切和粘贴,则为 True。",
+ "explorerResourceIsFolder": "如果 EXPLORER 中的焦点项是文件夹,则为 True。",
+ "explorerResourceIsRoot": "如果 EXPLORER 中的焦点项是根文件夹,则为 True。",
+ "explorerResourceMoveableToTrash": "如果 EXPLORER 中的焦点项可移到垃圾桶,则为 True。",
+ "explorerResourceReadonly": "当 EXPLORER 中的焦点项为只读时为 True。",
+ "explorerViewletCompressedFirstFocus": "当焦点位于 EXPLORER 视图中精简项的第一个部分的内部时为 True。",
+ "explorerViewletCompressedFocus": "如果 EXPLORER 视图中的焦点项是精简项,则为 True。",
+ "explorerViewletCompressedLastFocus": "当焦点位于 EXPLORER 视图中精简项的最后一个部分的内部时为 True。",
+ "explorerViewletFocus": "当焦点位于 EXPLORER Viewlet 内时为 True。",
+ "explorerViewletVisible": "当 EXPLORER Viewlet 可见时为 True。",
+ "filesExplorerFocus": "当焦点位于 EXPLORER 视图内时为 True。",
+ "openEditorsFocus": "当焦点位于 OPEN EDITORS 视图内时为 True。",
+ "openEditorsVisible": "当显示 \"OPEN EDITORS \" 视图时为 True。",
+ "viewHasSomeCollapsibleItem": "如果资源管理器视图中的工作区具有一些可折叠的根子级,则为 true。"
+ },
+ "vs/workbench/contrib/files/electron-sandbox/fileActions.contribution": {
+ "filesCategory": "文件",
+ "openContainer": "打开所在的文件夹",
+ "revealInMac": "在 Finder 中显示",
+ "revealInWindows": "在文件资源管理器中显示"
+ },
+ "vs/workbench/contrib/files/electron-sandbox/files.contribution": {
+ "textFileEditor": "文本文件编辑器"
+ },
+ "vs/workbench/contrib/files/electron-sandbox/textFileEditor": {
+ "configureMemoryLimit": "配置内存限制",
+ "fileTooLargeForHeapError": "要打开此大小的文件,需要重新启动并允许{0}使用更多内存",
+ "relaunchWithIncreasedMemoryLimit": "以 {0}MB 重启"
+ },
+ "vs/workbench/contrib/format/browser/formatActionsMultiple": {
+ "cancel": "取消",
+ "config": "配置默认格式化程序...",
+ "config.bad": "扩展 \"{0}\" 配置为格式化程序, 但不可用。选择其他默认格式化程序以继续。",
+ "config.needed": "“{0}”文件有多个格式化程序。其中一个应配置为默认格式化程序。",
+ "def": "(默认值)",
+ "do.config": "配置...",
+ "format.placeHolder": "选择格式化程序",
+ "formatDocument.label.multiple": "使用...格式化文档",
+ "formatSelection.label.multiple": "格式化选定内容的方式...",
+ "formatter": "格式设置",
+ "formatter.default": "定义一个默认格式化程序, 该格式化程序优先于所有其他格式化程序设置。必须是提供格式化程序的扩展的标识符。",
+ "miss": "扩展 '{0}' 配置为格式化程序,但不能格式化 '{1}'-文件",
+ "miss.1": "配置默认格式化程序",
+ "null": "无",
+ "nullFormatterDescription": "没有",
+ "select": "为“{0}”文件选择默认的格式化程序",
+ "summary": "格式化程序冲突"
+ },
+ "vs/workbench/contrib/format/browser/formatActionsNone": {
+ "cancel": "取消",
+ "formatDocument.label.multiple": "格式化文档",
+ "install.formatter": "安装格式化程序...",
+ "no.provider": "没有安装用于“{0}”文件的格式化程序。",
+ "too.large": "此文件过大,无法进行格式设置"
+ },
+ "vs/workbench/contrib/format/browser/formatModified": {
+ "formatChanges": "设置修改过的行的格式"
+ },
+ "vs/workbench/contrib/inlayHints/browser/inlayHintsAccessibilty": {
+ "description": "具有内嵌提示信息的代码",
+ "isReadingLineWithInlayHints": "当前行及其内嵌提示是否是当前焦点",
+ "read.title": "使用内联提示读取行",
+ "stop.title": "停止内嵌提示读取"
+ },
+ "vs/workbench/contrib/interactive/browser/interactive.contribution": {
+ "interactive.activeCodeBorder": "当编辑器具有焦点时,当前交互式代码单元格的边框颜色。",
+ "interactive.execute": "执行代码",
+ "interactive.history.focus": "交互窗口中的焦点历史记录",
+ "interactive.history.next": "历史记录中的下一个值",
+ "interactive.history.previous": "历史记录中的上一个值",
+ "interactive.inactiveCodeBorder": "当编辑器没有焦点时,当前交互式代码单元格的边框颜色。",
+ "interactive.input.clear": "清除交互窗口输入编辑器内容",
+ "interactive.input.focus": "交互窗口中的焦点输入编辑器",
+ "interactive.open": "打开交互窗口",
+ "interactiveScrollToBottom": "滚动到底部",
+ "interactiveScrollToTop": "滚动到顶部",
+ "interactiveWindow.alwaysScrollOnNewCell": "自动滚动交互窗口以显示执行的最后一条语句的输出。如果此值为 false,仅当最后一个单元格已滚动到此单元格时,窗口才会滚动。",
+ "interactiveWindow.restore": "控制是否应跨窗口重新加载还原交互窗口会话/历史记录。交互式 Windows 中使用的控制器状态是否在窗口重新加载之间持久化由提供控制器的扩展控制。"
+ },
+ "vs/workbench/contrib/interactive/browser/interactiveEditor": {
+ "interactiveInputPlaceHolder": "在此处键入 '{0}' 代码并按 {1} 运行"
+ },
+ "vs/workbench/contrib/issue/electron-sandbox/issue.contribution": {
+ "miOpenProcessExplorerer": "打开进程管理器(&&P)",
+ "miReportIssue": "使用英文报告问题(&&I)",
+ "reportIssueInEnglish": "报告问题…"
+ },
+ "vs/workbench/contrib/issue/electron-sandbox/issueActions": {
+ "openProcessExplorer": "打开进程资源管理器",
+ "reportPerformanceIssue": "报告性能问题..."
+ },
+ "vs/workbench/contrib/keybindings/browser/keybindings.contribution": {
+ "toggleKeybindingsLog": "切换键盘快捷方式疑难解答"
+ },
+ "vs/workbench/contrib/languageDetection/browser/languageDetection.contribution": {
+ "detectlang": "检测内容中的语言",
+ "langDetection.aria": "更改为检测到的语言: {0}",
+ "langDetection.name": "语言检测",
+ "noDetection": "无法检测编辑器语言",
+ "status.autoDetectLanguage": "接受检测到的语言: {0}"
+ },
+ "vs/workbench/contrib/languageStatus/browser/languageStatus.contribution": {
+ "aria.1": "{0},{1}",
+ "aria.2": "{0}",
+ "cat": "查看",
+ "langStatus.aria": "编辑器语言状态: {0}",
+ "langStatus.name": "编辑器语言状态",
+ "name.pattern": "{0} (语言状态)",
+ "pin": "添加到状态栏",
+ "reset": "重置语言状态交互计数器",
+ "unpin": "从状态栏中删除"
+ },
+ "vs/workbench/contrib/localHistory/browser/localHistory": {
+ "localHistoryIcon": "日程表视图中本地历史记录条目的图标。",
+ "localHistoryRestore": "用于还原本地历史记录条目的内容的图标。"
+ },
+ "vs/workbench/contrib/localHistory/browser/localHistoryCommands": {
+ "confirmDeleteAllDetail": "此操作不可逆!",
+ "confirmDeleteAllMessage": "是否要删除本地历史记录中所有文件的所有条目?",
+ "confirmDeleteDetail": "此操作不可逆!",
+ "confirmDeleteMessage": "是否要从 {1} 中删除 {0} 的本地历史记录条目?",
+ "confirmRestoreDetail": "还原将放弃任何未保存的更改。",
+ "confirmRestoreMessage": "是否要还原“{0}”的内容?",
+ "createLocalHistoryEntryTitle": "创建本地历史记录条目",
+ "createLocalHistoryPlaceholder": "输入 '{0}' 的本地历史记录条目的新名称",
+ "deleteAllButtonLabel": "全部删除(&&D)",
+ "deleteButtonLabel": "删除(&&D)",
+ "localHistory.category": "本地历史记录",
+ "localHistory.compareWithFile": "与文件进行比较",
+ "localHistory.compareWithPrevious": "与上一个版本比较",
+ "localHistory.compareWithSelected": "与已选项目进行比较",
+ "localHistory.create": "创建条目",
+ "localHistory.delete": "删除",
+ "localHistory.deleteAll": "全部删除",
+ "localHistory.open": "显示内容",
+ "localHistory.rename": "重命名",
+ "localHistory.restore": "还原内容",
+ "localHistory.restoreViaPicker": "查找要还原的条目",
+ "localHistory.selectForCompare": "选择以进行比较",
+ "localHistoryCompareToFileEditorLabel": "{0} ({1} • {2}) ↔ {3}",
+ "localHistoryCompareToPreviousEditorLabel": "{0} ({1} • {2}) ↔ {3} ({4} • {5})",
+ "localHistoryEditorLabel": "{0} ({1} • {2})",
+ "localHistoryRestore.source": "已还原文件",
+ "renameLocalHistoryEntryTitle": "重命名本地历史记录条目",
+ "renameLocalHistoryPlaceholder": "输入本地历史记录条目的新名称",
+ "restoreButtonLabel": "还原(&&R)",
+ "restoreViaPicker.entryPlaceholder": "选择要打开的本地历史记录条目",
+ "restoreViaPicker.filePlaceholder": "选择要显示其本地历史记录的文件",
+ "unableToRestore": "无法还原“{0}”。"
+ },
+ "vs/workbench/contrib/localHistory/browser/localHistoryTimeline": {
+ "localHistory": "本地历史记录"
+ },
+ "vs/workbench/contrib/localHistory/electron-sandbox/localHistoryCommands": {
+ "openContainer": "打开包含文件夹",
+ "revealInMac": "在查找器中显示",
+ "revealInWindows": "在文件资源管理器中显示"
+ },
+ "vs/workbench/contrib/localization/browser/localizationsActions": {
+ "available": "可用",
+ "chooseLocale": "选择显示语言",
+ "clearDisplayLanguage": "清除显示语言首选项",
+ "configureLocale": "配置显示语言",
+ "installed": "已安装"
+ },
+ "vs/workbench/contrib/localization/electron-sandbox/localeService": {
+ "argvInvalid": "无法编写显示语言。请打开运行时设置,更正其中的错误/警告,然后重试。",
+ "installing": "正在安装{0}语言支持...",
+ "openArgv": "打开运行时设置",
+ "restart": "重启(&&R)",
+ "restartDisplayLanguageDetail": "按“重启”按钮重启 {0} 并将显示语言设置为 {1}。",
+ "restartDisplayLanguageMessage": "若要更改显示语言,{0} 需要重启"
+ },
+ "vs/workbench/contrib/localization/electron-sandbox/localization.contribution": {
+ "activateLanguagePack": "为了将 VS Code 的显示语言更换为 {0},需要重新启动 VS Code。",
+ "changeAndRestart": "更改语言并重启",
+ "doNotChangeAndRestart": "请勿更改语言",
+ "doNotRestart": "请勿重启",
+ "neverAgain": "不再显示",
+ "restart": "重启",
+ "updateLocale": "是否将 VS Code 的界面语言更换为 {0} 并重新启动?",
+ "vscode.extension.contributes.localizations": "向编辑器提供本地化内容",
+ "vscode.extension.contributes.localizations.languageId": "显示字符串翻译的目标语言 ID。",
+ "vscode.extension.contributes.localizations.languageName": "语言的英文名称。",
+ "vscode.extension.contributes.localizations.languageNameLocalized": "提供语言的名称。",
+ "vscode.extension.contributes.localizations.translations": "与语言关联的翻译的列表。",
+ "vscode.extension.contributes.localizations.translations.id": "使用此翻译的 VS Code 或扩展的 ID。VS Code 的 ID 总为 \"vscode\",扩展的 ID 的格式应为 \"publisherId.extensionName\"。",
+ "vscode.extension.contributes.localizations.translations.id.pattern": "翻译 VS Code 或者扩展,ID 分别应为 \"vscode\" 或格式为 \"publisherId.extensionName\"。",
+ "vscode.extension.contributes.localizations.translations.path": "包含语言翻译的文件的相对路径。"
+ },
+ "vs/workbench/contrib/localization/electron-sandbox/minimalTranslations": {
+ "installAndRestart": "安装并重启",
+ "installAndRestartMessage": "安装语言包并将显示语言更改为 {0}。",
+ "searchMarketplace": "搜索商店",
+ "showLanguagePackExtensions": "在商店中搜索语言包并将显示语言更改为 {0}。"
+ },
+ "vs/workbench/contrib/logs/common/logs.contribution": {
+ "editSessionsLog": "编辑会话",
+ "rendererLog": "窗口",
+ "show window log": "显示窗口日志",
+ "telemetryLog": "遥测",
+ "userDataSyncLog": "设置同步"
+ },
+ "vs/workbench/contrib/logs/common/logsActions": {
+ "critical": "严重",
+ "current": "当前",
+ "debug": "调试",
+ "default": "默认值",
+ "default and current": "默认值和当前值",
+ "err": "错误",
+ "info": "信息",
+ "log placeholder": "选择日志文件",
+ "off": "关",
+ "openSessionLogFile": "打开窗口日志文(会话)...",
+ "selectLogLevel": "选择日志级别",
+ "sessions placeholder": "选择会话",
+ "setLogLevel": "设置日志级别...",
+ "trace": "跟踪",
+ "warn": "警告"
+ },
+ "vs/workbench/contrib/logs/electron-sandbox/logs.contribution": {
+ "mainLog": "主进程",
+ "sharedLog": "共享进程"
+ },
+ "vs/workbench/contrib/logs/electron-sandbox/logsActions": {
+ "openExtensionLogsFolder": "打开扩展日志文件夹",
+ "openLogsFolder": "打开日志文件夹"
+ },
+ "vs/workbench/contrib/markers/browser/markers.contribution": {
+ "clearFiltersText": "清除过滤器文本",
+ "collapseAll": "全部折叠",
+ "copyMarker": "复制",
+ "copyMessage": "复制消息",
+ "filter": "筛选",
+ "focusProblemsFilter": "焦点问题筛选器",
+ "focusProblemsList": "聚焦到问题视图",
+ "manyProblems": "1万+",
+ "markersViewIcon": "查看标记视图的图标。",
+ "miMarker": "问题(&&P)",
+ "noProblems": "没有问题",
+ "problems": "问题",
+ "show multiline": "在多行中显示消息",
+ "show singleline": "在单行中显示消息",
+ "status.problems": "问题",
+ "totalErrors": "错误: {0} 个",
+ "totalInfos": "信息: {0} 条",
+ "totalProblems": "总计 {0} 个问题",
+ "totalWarnings": "警告: {0} 个",
+ "viewAsTable": "以表形式查看",
+ "viewAsTree": "以树形式查看"
+ },
+ "vs/workbench/contrib/markers/browser/markersFileDecorations": {
+ "label": "问题",
+ "markers.showOnFile": "在文件和文件夹上显示错误和警告。",
+ "tooltip.1": "此文件存在 1 个问题",
+ "tooltip.N": "此文件存在 {0} 个问题"
+ },
+ "vs/workbench/contrib/markers/browser/markersTable": {
+ "codeColumnLabel": "代码",
+ "fileColumnLabel": "文件",
+ "messageColumnLabel": "消息",
+ "sourceColumnLabel": "源"
+ },
+ "vs/workbench/contrib/markers/browser/markersTreeViewer": {
+ "collapsedIcon": "在标记视图中指示多个线条已折叠的图标。",
+ "expandedIcon": "在标记视图中指示多个线条已显示的图标。",
+ "multi line": "在多行中显示消息",
+ "problemsView": "问题视图",
+ "single line": "在单行中显示消息"
+ },
+ "vs/workbench/contrib/markers/browser/markersView": {
+ "No problems filtered": "显示 {0} 个问题",
+ "clearFilter": "清除筛选",
+ "problems filtered": "显示第 {0} 个 (共 {1} 个) 问题"
+ },
+ "vs/workbench/contrib/markers/browser/markersViewActions": {
+ "filterIcon": "标记视图中筛选器配置的图标。",
+ "showing filtered problems": "正在显示第 {0} 页(共 {1} 页)"
+ },
+ "vs/workbench/contrib/markers/browser/messages": {
+ "errors.warnings.show.label": "显示错误和警告",
+ "markers.panel.action.filter": "筛选器问题",
+ "markers.panel.action.moreFilters": "更多过滤器...",
+ "markers.panel.action.quickfix": "显示修复方案",
+ "markers.panel.at.ln.col.number": "[行 {0},列 {1}]",
+ "markers.panel.filter.activeFile": "只看当前活动的文件",
+ "markers.panel.filter.ariaLabel": "筛选器问题",
+ "markers.panel.filter.errors": "错误",
+ "markers.panel.filter.infos": "信息",
+ "markers.panel.filter.placeholder": "筛选器(例如 text、**/*.ts、!**/node_modules/**)",
+ "markers.panel.filter.showErrors": "显示错误",
+ "markers.panel.filter.showInfos": "显示信息",
+ "markers.panel.filter.showWarnings": "显示警告",
+ "markers.panel.filter.useFilesExclude": "隐藏排除的文件",
+ "markers.panel.filter.warnings": "警告",
+ "markers.panel.multiple.errors.label": "{0} 个错误",
+ "markers.panel.multiple.infos.label": "{0} 条信息",
+ "markers.panel.multiple.unknowns.label": "{0} 个未知",
+ "markers.panel.multiple.warnings.label": "{0} 条警告",
+ "markers.panel.no.problems.activeFile.build": "未在当前文件中检测到问题。",
+ "markers.panel.no.problems.build": "未在工作区检测到问题。",
+ "markers.panel.no.problems.filters": "在给定的筛选条件下,没有找到结果。",
+ "markers.panel.single.error.label": "1 个错误",
+ "markers.panel.single.info.label": "1 条信息",
+ "markers.panel.single.unknown.label": "1 个未知",
+ "markers.panel.single.warning.label": "1 条警告",
+ "markers.panel.title.problems": "问题",
+ "problems.panel.configuration.autoreveal": "在打开文件时,控制是否在“问题”视图中对其进行定位。",
+ "problems.panel.configuration.compareOrder": "控制问题导航的顺序。",
+ "problems.panel.configuration.compareOrder.position": "导航按位置排序的问题",
+ "problems.panel.configuration.compareOrder.severity": "导航按严重性排序的问题",
+ "problems.panel.configuration.showCurrentInStatus": "启用后,状态栏中将显示当前问题。",
+ "problems.panel.configuration.title": "问题预览",
+ "problems.panel.configuration.viewMode": "控制“问题”视图的默认视图模式。",
+ "problems.tree.aria.label.error.marker": "{0} 生成的错误: {2} 行 {3} 列,{1}。{4}",
+ "problems.tree.aria.label.error.marker.nosource": "错误: {1} 行 {2} 列,{0}。{3}",
+ "problems.tree.aria.label.info.marker": "{0} 生成的信息: {2} 行 {3} 列,{1}。{4}",
+ "problems.tree.aria.label.info.marker.nosource": "信息: {1} 行 {2} 列,{0}。{3}",
+ "problems.tree.aria.label.marker": "{0} 生成的问题: {2} 行 {3} 列,{1}。{4}",
+ "problems.tree.aria.label.marker.nosource": "问题: {1} 行 {2} 列,{0}。{3}",
+ "problems.tree.aria.label.marker.relatedInformation": "此问题包含对 {0} 个位置的引用。",
+ "problems.tree.aria.label.relatedinfo.message": "{3} 的 {1} 行 {2} 列,{0}",
+ "problems.tree.aria.label.resource": "在文件夹 {2} 的文件 {1} 中有 {0} 个问题",
+ "problems.tree.aria.label.warning.marker": "{0} 生成的警告: {2} 行 {3} 列,{1}。{4}",
+ "problems.tree.aria.label.warning.marker.nosource": "警告: {1} 行 {2} 列,{0}。{3}",
+ "problems.view.focus.label": "聚焦到问题 (错误、警告、信息)",
+ "problems.view.toggle.label": "切换问题 (错误、警告、信息) 视图"
+ },
+ "vs/workbench/contrib/mergeEditor/browser/commands/commands": {
+ "layout.column": "列布局",
+ "layout.mixed": "混合布局",
+ "merge.acceptAllInput1": "接受来自左侧的所有更改",
+ "merge.acceptAllInput2": "接受来自右侧的所有更改",
+ "merge.goToNextConflict": "转到下一个冲突",
+ "merge.goToPreviousConflict": "转到上一冲突",
+ "merge.openBaseEditor": "打开基本文件",
+ "merge.toggleCurrentConflictFromLeft": "从左侧切换当前冲突",
+ "merge.toggleCurrentConflictFromRight": "从右侧切换当前冲突",
+ "mergeEditor": "合并编辑器",
+ "mergeEditor.compareInput1WithBase": "将输入 1 与基本值进行比较",
+ "mergeEditor.compareInput2WithBase": "将输入 2 与基本值进行比较",
+ "mergeEditor.compareWithBase": "与基线进行比较",
+ "openfile": "打开文件",
+ "title": "打开合并编辑器"
+ },
+ "vs/workbench/contrib/mergeEditor/browser/commands/devCommands": {
+ "merge.dev.copyState": "将合并编辑器状态复制为 JSON",
+ "merge.dev.openState": "从 JSON 打开合并编辑器状态",
+ "mergeEditor.enterJSON": "输入 JSON",
+ "mergeEditor.name": "合并编辑器",
+ "mergeEditor.noActiveMergeEditor": "无活动合并编辑器",
+ "mergeEditor.successfullyCopiedMergeEditorContents": "已成功复制合并编辑器状态"
+ },
+ "vs/workbench/contrib/mergeEditor/browser/mergeEditor.contribution": {
+ "name": "合并编辑器"
+ },
+ "vs/workbench/contrib/mergeEditor/browser/mergeEditorInput": {
+ "name": "正在合并: {0}",
+ "unhandledConflicts.cancel": "取消",
+ "unhandledConflicts.detail1": "此编辑器中的合并冲突将保持未处理状态。",
+ "unhandledConflicts.detailN": "{0} 编辑器中的合并冲突将保持未处理状态。",
+ "unhandledConflicts.discard": "放弃合并更改",
+ "unhandledConflicts.ignore": "继续处理冲突",
+ "unhandledConflicts.msg": "是否要继续处理未经处理的冲突?",
+ "unhandledConflicts.saveAndIgnore": "保存并继续处理冲突"
+ },
+ "vs/workbench/contrib/mergeEditor/browser/view/colors": {
+ "mergeEditor.change.background": "更改的背景色。",
+ "mergeEditor.change.word.background": "字词更改的背景色。",
+ "mergeEditor.conflict.handled.minimapOverViewRuler": "输入 1 中更改的前景色。",
+ "mergeEditor.conflict.handledFocused.border": "处理的重点冲突的边框颜色。",
+ "mergeEditor.conflict.handledUnfocused.border": "已处理的非重点冲突的边框颜色。",
+ "mergeEditor.conflict.unhandled.minimapOverViewRuler": "输入 1 中更改的前景色。",
+ "mergeEditor.conflict.unhandledFocused.border": "未处理的重点冲突的边框颜色。",
+ "mergeEditor.conflict.unhandledUnfocused.border": "未处理的非重点冲突的边框颜色。"
+ },
+ "vs/workbench/contrib/mergeEditor/browser/view/editors/inputCodeEditorView": {
+ "accept": "接受",
+ "mergeEditor.accept": "接受 {0}",
+ "mergeEditor.acceptBoth": "接受两者",
+ "mergeEditor.markAsHandled": "标记为已处理",
+ "mergeEditor.swap": "交换"
+ },
+ "vs/workbench/contrib/mergeEditor/browser/view/editors/resultCodeEditorView": {
+ "mergeEditor.remainingConflict": "剩余 {0} 个冲突",
+ "mergeEditor.remainingConflicts": "剩余 {0} 个冲突"
+ },
+ "vs/workbench/contrib/mergeEditor/browser/view/mergeEditor": {
+ "editor.mergeEditor.label": "合并编辑器",
+ "input1": "输入 1",
+ "input2": "输入 2",
+ "mergeEditor": "文本合并编辑器",
+ "result": "结果"
+ },
+ "vs/workbench/contrib/mergeEditor/common/mergeEditor": {
+ "baseUri": "合并编辑器的基数的 URI",
+ "editorLayout": "合并编辑器的布局模式",
+ "is": "编辑器是合并编辑器",
+ "resultUri": "合并编辑器结果的 URI"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/cellCommands/cellCommands": {
+ "notebookActions.changeCellToCode": "将单元格更改为代码",
+ "notebookActions.changeCellToMarkdown": "将单元格更改为 Markdown",
+ "notebookActions.collapseAllCellInput": "折叠所有单元格输入",
+ "notebookActions.collapseAllCellOutput": "折叠所有单元格输出",
+ "notebookActions.collapseCellInput": "折叠单元格输入",
+ "notebookActions.collapseCellOutput": "折叠单元格输出",
+ "notebookActions.copyCellDown": "向下复制单元格",
+ "notebookActions.copyCellUp": "向上复制单元格",
+ "notebookActions.expandAllCellInput": "展开所有单元格输入",
+ "notebookActions.expandAllCellOutput": "展开所有单元格输出",
+ "notebookActions.expandCellInput": "展开单元格输入",
+ "notebookActions.expandCellOutput": "展开单元格输出",
+ "notebookActions.joinCellAbove": "加入上一个单元格",
+ "notebookActions.joinCellBelow": "加入下一个单元格",
+ "notebookActions.moveCellDown": "下移单元格",
+ "notebookActions.moveCellUp": "上移单元格",
+ "notebookActions.splitCell": "拆分单元格",
+ "notebookActions.toggleOutputs": "切换输出"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/cellStatusBar/executionStatusBarItemController": {
+ "notebook.cell.status.executing": "正在执行",
+ "notebook.cell.status.failed": "已失败",
+ "notebook.cell.status.pending": "挂起",
+ "notebook.cell.status.success": "成功"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/cellStatusBar/statusBarProviders": {
+ "notebook.cell.status.autoDetectLanguage": "接受检测到的语言: {0}",
+ "notebook.cell.status.language": "选择单元格语言模式"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/clipboard/notebookClipboard": {
+ "notebookActions.copy": "复制单元格",
+ "notebookActions.cut": "剪切单元格",
+ "notebookActions.paste": "粘贴单元格",
+ "notebookActions.pasteAbove": "在上方粘贴单元格",
+ "toggleNotebookClipboardLog": "切换笔记本剪贴板疑难解答"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/editorStatusBar/editorStatusBar": {
+ "current1": "当前所选内容",
+ "current2": "{0}–当前所选内容",
+ "installSuggestedKernel": "安装建议的扩展",
+ "kernel.select.label": "选择内核",
+ "notebook.activeCellStatusName": "笔记本编辑器选择",
+ "notebook.info": "笔记本内核信息",
+ "notebook.multiActiveCellIndicator": "单元格 {0} (已选择 {1} 个)",
+ "notebook.select": "笔记本内核选择",
+ "notebook.singleActiveCellIndicator": "单元格 {0}/{1}",
+ "notebookActions.selectKernel": "选择笔记本内核",
+ "notebookActions.selectKernel.args": "笔记本内核参数",
+ "otherKernelKinds": "其他",
+ "prompt.placeholder.change": "更改 \"{0}\" 的内核",
+ "prompt.placeholder.select": "选择“{0}”的内核",
+ "searchForKernels": "浏览市场以获取内核扩展",
+ "suggestedKernels": "建议的",
+ "tooltop": "{0} (建议)"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/find/notebookFind": {
+ "notebookActions.findInNotebook": "在笔记本中查找",
+ "notebookActions.hideFind": "隐藏“在笔记本中查找”"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/find/notebookFindReplaceWidget": {
+ "findFilterIcon": "查找小组件中的“查找筛选器”图标。",
+ "label.closeButton": "关闭",
+ "label.find": "查找",
+ "label.nextMatchButton": "下一个匹配项",
+ "label.previousMatchButton": "上一个匹配项",
+ "label.replace": "替换",
+ "label.replaceAllButton": "全部替换",
+ "label.replaceButton": "替换",
+ "label.toggleReplaceButton": "切换替换",
+ "notebook.find.filter.filterAction": "查找筛选器",
+ "notebook.find.filter.findInCodeInput": "代码单元格源",
+ "notebook.find.filter.findInCodeOutput": "单元格输出",
+ "notebook.find.filter.findInMarkupInput": "Markdown 源",
+ "notebook.find.filter.findInMarkupPreview": "呈现的 Markdown",
+ "placeholder.find": "查找",
+ "placeholder.replace": "替换"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/find/notebookFindWidget": {
+ "ariaSearchNoResult": "为“{1}”找到 {0}",
+ "ariaSearchNoResultEmpty": "已找到 {0}",
+ "ariaSearchNoResultWithLineNumNoCurrentMatch": "为“{1}”找到 {0}"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/format/formatting": {
+ "format.title": "设置笔记本的格式",
+ "formatCell.label": "设置单元格格式",
+ "label": "设置笔记本的格式"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/gettingStarted/notebookGettingStarted": {
+ "workbench.notebook.layout.gettingStarted.label": "重置笔记本入门"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/layout/layoutActions": {
+ "notebook.toggleCellToolbarPosition": "切换单元格工具栏位置"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/navigation/arrow": {
+ "cursorMoveDown": "聚焦下一个单元格编辑器",
+ "cursorMoveUp": "聚焦上一个单元格编辑器",
+ "cursorPageDown": "单元格光标 Page Down",
+ "cursorPageDownSelect": "单元格光标 Page Down 选择",
+ "cursorPageUp": "单元格光标 Page Up",
+ "cursorPageUpSelect": "单元格光标 Page Up 选择",
+ "focusFirstCell": "聚焦第一个单元格",
+ "focusLastCell": "聚焦最后一个单元格",
+ "focusOutput": "聚焦活动单元格输出",
+ "focusOutputOut": "解除活动单元格输出聚焦",
+ "notebook.navigation.allowNavigateToSurroundingCells": "启用后,当单元格编辑器中的当前光标位于第/最后一行时,光标可以导航到下/上一个单元格。",
+ "notebookActions.centerActiveCell": "中心活动单元格"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/outline/notebookOutline": {
+ "breadcrumbs.showCodeCells": "启用的笔记本痕迹包含代码单元格时。",
+ "empty": "空单元格",
+ "outline.showCodeCells": "启用笔记本大纲时,显示代码单元格。"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/profile/notebookProfile": {
+ "setProfileTitle": "设置配置文件"
+ },
+ "vs/workbench/contrib/notebook/browser/contrib/troubleshoot/layout": {
+ "workbench.notebook.clearNotebookEdtitorTypeCache": "清除笔记本编辑器类型缓存",
+ "workbench.notebook.inspectLayout": "检查笔记本布局",
+ "workbench.notebook.toggleLayoutTroubleshoot": "切换布局疑难解答"
+ },
+ "vs/workbench/contrib/notebook/browser/controller/coreActions": {
+ "miShare": "共享",
+ "notebookActions.category": "笔记本",
+ "notebookMenu.cellTitle": "笔记本单元格",
+ "notebookMenu.insertCell": "插入单元格"
+ },
+ "vs/workbench/contrib/notebook/browser/controller/editActions": {
+ "autoDetect": "自动检测",
+ "changeLanguage": "更改单元格语言",
+ "clearAllCellsOutputs": "清除所有单元格输出",
+ "clearCellOutputs": "清除单元格输出",
+ "detectLanguage": "接受单元格检测到的语言",
+ "languageDescription": "({0}) - 当前语言",
+ "languageDescriptionConfigured": "({0})",
+ "languagesPicks": "语言(标识符)",
+ "noDetection": "无法检测单元格语言",
+ "notebookActions.deleteCell": "删除单元格",
+ "notebookActions.editCell": "编辑单元格",
+ "notebookActions.quitEdit": "停止编辑单元格",
+ "pickLanguageToConfigure": "选择语言模式"
+ },
+ "vs/workbench/contrib/notebook/browser/controller/executeActions": {
+ "notebookActions.cancel": "停止单元格执行",
+ "notebookActions.cancelNotebook": "停止执行",
+ "notebookActions.execute": "执行单元格",
+ "notebookActions.executeAbove": "执行上方所有的单元格",
+ "notebookActions.executeAndFocusContainer": "执行单元格和焦点容器",
+ "notebookActions.executeAndInsertBelow": "执行笔记本单元格并在下方插入",
+ "notebookActions.executeAndSelectBelow": "执行笔记本单元格并在下方选择",
+ "notebookActions.executeBelow": "执行单元格及以下",
+ "notebookActions.executeNotebook": "全部运行",
+ "notebookActions.renderMarkdown": "呈现所有 Markdown 单元格",
+ "revealLastFailedCell": "转到最近失败的单元格",
+ "revealLastFailedCellShort": "转到",
+ "revealRunningCell": "转到正在运行的单元格",
+ "revealRunningCellShort": "转到"
+ },
+ "vs/workbench/contrib/notebook/browser/controller/foldingController": {
+ "fold.cell": "折叠单元格",
+ "unfold.cell": "展开单元格"
+ },
+ "vs/workbench/contrib/notebook/browser/controller/insertCellActions": {
+ "notebookActions.insertCodeCellAbove": "在上方插入代码单元格",
+ "notebookActions.insertCodeCellAboveAndFocusContainer": "在上方插入代码单元格和焦点容器",
+ "notebookActions.insertCodeCellAtTop": "在顶部添加代码单元格",
+ "notebookActions.insertCodeCellBelow": "在下方插入代码单元格",
+ "notebookActions.insertCodeCellBelowAndFocusContainer": "在下方插入代码单元格和焦点容器",
+ "notebookActions.insertMarkdownCellAbove": "在上方插入 Markdown 单元格",
+ "notebookActions.insertMarkdownCellAtTop": "在顶部添加 Markdown 单元格",
+ "notebookActions.insertMarkdownCellBelow": "在下方插入 Markdown 单元格",
+ "notebookActions.menu.insertCode": "代码",
+ "notebookActions.menu.insertCode.minimalToolbar": "添加代码",
+ "notebookActions.menu.insertCode.minimaltoolbar": "添加代码",
+ "notebookActions.menu.insertCode.ontoolbar": "代码",
+ "notebookActions.menu.insertCode.tooltip": "添加代码单元格",
+ "notebookActions.menu.insertMarkdown": "Markdown",
+ "notebookActions.menu.insertMarkdown.ontoolbar": "Markdown",
+ "notebookActions.menu.insertMarkdown.tooltip": "添加 Markdown 单元格"
+ },
+ "vs/workbench/contrib/notebook/browser/controller/layoutActions": {
+ "customizeNotebook": "自定义笔记本...",
+ "notebook.placeholder": "要保存到的设置文件",
+ "notebook.saveMimeTypeOrder": "保存 Mimetype 显示顺序",
+ "notebook.showLineNumbers": "显示笔记本行号",
+ "notebook.toggleBreadcrumb": "切换痕迹导航",
+ "notebook.toggleCellToolbarPosition": "切换单元格工具栏位置",
+ "notebook.toggleLineNumbers": "切换笔记本行号",
+ "saveTarget.machine": "用户设置",
+ "saveTarget.workspace": "工作区设置",
+ "workbench.notebook.layout.configure.label": "自定义笔记本布局",
+ "workbench.notebook.layout.select.label": "在笔记本布局之间选择"
+ },
+ "vs/workbench/contrib/notebook/browser/diff/diffElementOutputs": {
+ "builtinRenderInfo": "内置",
+ "curruentActiveMimeType": "当前处于活动状态",
+ "empty": "单元格没有输出",
+ "mimeTypePicker": "选择其他输出 MIME 类型,可用的 MIME 类型: {0}",
+ "noRenderer.2": "找不到输出的呈现器。其具有以下 mimetype: {0}",
+ "promptChooseMimeType.placeHolder": "为当前项选择要渲染的 mime 类型",
+ "promptChooseMimeTypeInSecure.placeHolder": "选择要为当前输出呈现的 mimetype。仅当笔记本受信任时,丰富 mimetype 才可用"
+ },
+ "vs/workbench/contrib/notebook/browser/diff/notebookDiffActions": {
+ "notebook.diff.cell.revertInput": "还原输入",
+ "notebook.diff.cell.revertMetadata": "还原元数据",
+ "notebook.diff.cell.revertOutputs": "还原输出",
+ "notebook.diff.cell.switchOutputRenderingStyleToText": "切换输出呈现",
+ "notebook.diff.ignoreMetadata": "隐藏元数据差异",
+ "notebook.diff.ignoreOutputs": "隐藏输出差异",
+ "notebook.diff.showMetadata": "显示元数据差异",
+ "notebook.diff.showOutputs": "显示输出差异",
+ "notebook.diff.switchToText": "打开文本差异编辑器"
+ },
+ "vs/workbench/contrib/notebook/browser/diff/notebookTextDiffEditor": {
+ "notebookTreeAriaLabel": "笔记本文本差异"
+ },
+ "vs/workbench/contrib/notebook/browser/extensionPoint": {
+ "contributes.notebook.provider": "提供笔记本文档处理程序。",
+ "contributes.notebook.provider.displayName": "笔记本的可读名称。",
+ "contributes.notebook.provider.selector": "适用于笔记本的一组 glob 模式。",
+ "contributes.notebook.provider.selector.filenamePattern": "启用笔记本的 glob 模式。",
+ "contributes.notebook.provider.viewType": "笔记本类型。",
+ "contributes.notebook.renderer": "提供笔记本输出渲染器。",
+ "contributes.notebook.renderer.displayName": "笔记本输出渲染器的可读名称。",
+ "contributes.notebook.renderer.entrypoint": "要在 Web 视图中加载用于呈现扩展的文件。",
+ "contributes.notebook.renderer.entrypoint.extends": "此呈现器扩展的现有呈现器。",
+ "contributes.notebook.renderer.hardDependencies": "呈现器所需的内核依赖项的列表。如果 \"NotebookKernel\" 中存在任何依赖关系,则可以使用呈现器。",
+ "contributes.notebook.renderer.optionalDependencies": "呈现器可利用的软内核依赖项的列表。如果 \"NotebookKernel\" 中存在任何依赖关系,则呈现器将优先于不与内核交互的呈现器。",
+ "contributes.notebook.renderer.requiresMessaging": "定义呈现器是否需要通过 \"createRendererMessaging\" 与扩展主机通信。具有较强消息传递要求的呈现器可能在所有环境中都不起作用。",
+ "contributes.notebook.renderer.requiresMessaging.always": "消息传递是必需的。仅当它是可在扩展主机中运行的扩展的一部分时,才会使用该呈现器。",
+ "contributes.notebook.renderer.requiresMessaging.never": "呈现器不需要消息传递。",
+ "contributes.notebook.renderer.requiresMessaging.optional": "有可用的消息传递时,呈现器效果更好,但不强制要求。",
+ "contributes.notebook.renderer.viewType": "笔记本输出渲染器的唯一标识符。",
+ "contributes.notebook.selector": "适用于笔记本的一组 glob 模式。",
+ "contributes.notebook.selector.provider.excludeFileNamePattern": "禁用笔记本的 glob 模式。",
+ "contributes.priority": "控制在用户打开文件时是否自动启用自定义编辑器。用户可能会使用 \"workbench.editorAssociations\" 设置覆盖此项。",
+ "contributes.priority.default": "在用户打开资源时自动使用此编辑器,前提是没有为该资源注册其他默认的自定义编辑器。",
+ "contributes.priority.option": "在用户打开资源时不会自动使用此编辑器,但用户可使用 `Reopen With` 命令切换到此编辑器。"
+ },
+ "vs/workbench/contrib/notebook/browser/notebook.contribution": {
+ "insertToolbarLocation.betweenCells": "在单元格之间悬停时显示的工具栏。",
+ "insertToolbarLocation.both": "两个工具栏。",
+ "insertToolbarLocation.hidden": "插入操作不会出现在任何位置。",
+ "insertToolbarLocation.notebookToolbar": "位于笔记本编辑器顶部的工具栏。",
+ "notebook.cellToolbarLocation.description": "应在何处显示单元格工具栏,或是否隐藏它。",
+ "notebook.cellToolbarLocation.viewType": "为特定文件类型配置单元格工具栏位置",
+ "notebook.cellToolbarVisibility.description": "是否应在悬停或单击时显示单元格工具栏。",
+ "notebook.compactView.description": "控制是否应以紧凑形式呈现笔记本编辑器。例如在打开时,它将减小左边距宽度。",
+ "notebook.consolidatedOutputButton.description": "控制是否应在输出工具栏中呈现输出操作。",
+ "notebook.consolidatedRunButton.description": "控制是否在“运行”按钮旁边的下拉列表中显示额外操作。",
+ "notebook.diff.enablePreview.description": "是否对笔记本使用增强的文本差异编辑器。",
+ "notebook.displayOrder.description": "输出项 mime 类型的优先级列表",
+ "notebook.dragAndDrop.description": "控制笔记本编辑器是否应允许通过拖放移动单元格。",
+ "notebook.editorOptions.experimentalCustomization": "用于笔记本中使用的代码编辑器的设置。这可用于自定义大多数编辑器*设置。",
+ "notebook.focusIndicator.description": "控制焦点指示器呈现位置(沿单元格边框或左侧装订线)",
+ "notebook.globalToolbar.description": "控制是否在笔记本编辑器中呈现全局工具栏。",
+ "notebook.globalToolbarShowLabel": "控制笔记本工具栏上的操作是否应呈现标签。",
+ "notebook.insertToolbarPosition.description": "控制插入单元格操作应出现的位置。",
+ "notebook.interactiveWindow.collapseCodeCells": "控制默认情况下是否折叠交互窗口中的代码单元格。",
+ "notebook.markup.fontSize": "控制笔记本中呈现的标记的字号(以像素为单位)。设置为 {0} 时,将使用 120% 的 {1}。",
+ "notebook.outputFontFamily": "笔记本单元格输出文本的字体系列。设置为空时,将使用 {0}。",
+ "notebook.outputFontSize": "笔记本单元格输出文本的字号。如果设置为 {0},则使用 {1}。",
+ "notebook.outputLineHeight": "笔记本单元格输出文本的行高。\r\n - 将使用介于 0 和 8 之间的值作为字号的乘数。\r\n - 将使用大于或等于 8 的值作为有效值。",
+ "notebook.showCellStatusbar.description": "是否应显示单元格状态栏。",
+ "notebook.showCellStatusbar.hidden.description": "单元格状态栏始终隐藏。",
+ "notebook.showCellStatusbar.visible.description": "单元格状态栏始终可见。",
+ "notebook.showCellStatusbar.visibleAfterExecute.description": "在执行单元格之前,单元格状态栏处于隐藏状态。之后,其会变为可见以显示执行状态。",
+ "notebook.showFoldingControls.description": "控制显示 Markdown 标头文件箭头的时间。",
+ "notebook.textOutputLineLimit": "控制文本输出中呈现的文本行数。",
+ "notebook.undoRedoPerCell.description": "是否为每个单元格使用单独的撤消/重做堆叠。",
+ "notebookConfigurationTitle": "笔记本",
+ "showFoldingControls.always": "折叠控件始终可见。",
+ "showFoldingControls.mouseover": "折叠控件仅在鼠标悬停时可见。",
+ "showFoldingControls.never": "切勿显示折叠控件并减小装订线大小。"
+ },
+ "vs/workbench/contrib/notebook/browser/notebookEditor": {
+ "fail.noEditor": "无法打开笔记本编辑器类型为“{0}”的资源,请检查是否已安装并启用正确的扩展。",
+ "notebookOpenInTextEditor": "在文本编辑器中打开"
+ },
+ "vs/workbench/contrib/notebook/browser/notebookEditorWidget": {
+ "focusedCellBackground": "将焦点放在单元格上时单元格的背景色。",
+ "notebook.cellBorderColor": "笔记本单元格的边框颜色。",
+ "notebook.cellEditorBackground": "单元格编辑器背景色。",
+ "notebook.cellHoverBackground": "将鼠标悬停在单元格上时单元格的背景色。",
+ "notebook.cellInsertionIndicator": "笔记本单元格插入指示符的颜色。",
+ "notebook.cellStatusBarItemHoverBackground": "笔记本单元格状态栏项的背景色。",
+ "notebook.cellToolbarSeparator": "单元格底部工具栏中分隔符的颜色",
+ "notebook.editorBackground": "笔记本背景色。",
+ "notebook.focusedCellBorder": "将焦点放在单元格上时单元格焦点指示器边框的颜色。",
+ "notebook.focusedEditorBorder": "笔记本单元格编辑器边框的颜色。",
+ "notebook.inactiveFocusedCellBorder": "当主要焦点在编辑器外时,聚焦单元格时单元格的上下边框的颜色。",
+ "notebook.inactiveSelectedCellBorder": "选定多个单元格时单元格边框的颜色。",
+ "notebook.outputContainerBackgroundColor": "笔记本输出容器背景的颜色。",
+ "notebook.outputContainerBorderColor": "笔记本输出容器的边框颜色。",
+ "notebook.selectedCellBorder": "选中单元格但未将焦点放在其上时单元格上边框和下边框的颜色。",
+ "notebook.symbolHighlightBackground": "突出显示的单元格的背景色",
+ "notebookScrollbarSliderActiveBackground": "单击时笔记本滚动条滑块的背景色。",
+ "notebookScrollbarSliderBackground": "笔记本滚动条滑块的背景色。",
+ "notebookScrollbarSliderHoverBackground": "悬停时笔记本滚动条滑块的背景色。",
+ "notebookStatusErrorIcon.foreground": "单元格状态栏中笔记本单元格的错误图标颜色。",
+ "notebookStatusRunningIcon.foreground": "单元格状态栏中笔记本单元格的“正在运行”图标颜色。",
+ "notebookStatusSuccessIcon.foreground": "单元格状态栏中笔记本单元格的错误图标颜色。",
+ "notebookTreeAriaLabel": "笔记本",
+ "selectedCellBackground": "选中某个单元格时该单元格的背景色。"
+ },
+ "vs/workbench/contrib/notebook/browser/notebookExecutionServiceImpl": {
+ "notebookRunTrust": "执行笔记本单元将从此工作区运行代码。"
+ },
+ "vs/workbench/contrib/notebook/browser/notebookIcons": {
+ "clearIcon": "用于在笔记本编辑器中清除单元格输出的图标。",
+ "collapsedIcon": "用于在笔记本编辑器中批注已折叠部分的图标。",
+ "configureKernel": "笔记本编辑器的内核配置小组件中的配置图标。",
+ "deleteCellIcon": "用于在笔记本编辑器中删除单元格的图标。",
+ "editIcon": "用于在笔记本编辑器中编辑单元格的图标。",
+ "errorStateIcon": "用于在笔记本编辑器中指示错误状态的图标。",
+ "executeAboveIcon": "用于在笔记本编辑器中在单元格上方进行执行的图标。",
+ "executeAllIcon": "用于在笔记本编辑器中执行所有单元格的图标。",
+ "executeBelowIcon": "用于在笔记本编辑器中在单元格下方进行执行的图标。",
+ "executeIcon": "笔记本编辑器中的执行图标。",
+ "executingStateIcon": "用于在笔记本编辑器中指示执行状态的图标。",
+ "expandedIcon": "用于在笔记本编辑器中批注已展开部分的图标。",
+ "mimetypeIcon": "MIME 类型笔记本编辑器的图标。",
+ "moveDownIcon": "用于在笔记本编辑器中下移单元格的图标。",
+ "moveUpIcon": "用于在笔记本编辑器中上移单元格的图标。",
+ "openAsTextIcon": "用于在文本编辑器中打开笔记本的图标。",
+ "pendingStateIcon": "用于在笔记本编辑器中指示挂起状态的图标。",
+ "renderOutputIcon": "用于在差异编辑器中呈现输出的图标。",
+ "revertIcon": "笔记本编辑器中的还原图标。",
+ "selectKernelIcon": "配置用于在笔记本编辑器中选择内核的图标。",
+ "splitCellIcon": "用于在笔记本编辑器中拆分单元格的图标。",
+ "stopEditIcon": "用于在笔记本编辑器中停止编辑单元格的图标。",
+ "stopIcon": "用于在笔记本编辑器中停止执行的图标。",
+ "successStateIcon": "用于在笔记本编辑器中指示成功状态的图标。",
+ "unfoldIcon": "用于在笔记本编辑器中展开单元格的图标。"
+ },
+ "vs/workbench/contrib/notebook/browser/services/notebookKeymapServiceImpl": {
+ "disableOtherKeymapsConfirmation": "是否禁用其他按键映射扩展 ({0}),从而避免按键绑定之间的冲突?",
+ "no": "否",
+ "yes": "是"
+ },
+ "vs/workbench/contrib/notebook/browser/view/cellParts/cellEditorOptions": {
+ "notebook.cell.toggleLineNumbers.title": "显示单元格行号",
+ "notebook.lineNumbers": "控制单元格编辑器中行号的显示。",
+ "notebook.showLineNumbers": "显示笔记本行号",
+ "notebook.toggleLineNumbers": "切换笔记本行号"
+ },
+ "vs/workbench/contrib/notebook/browser/view/cellParts/cellOutput": {
+ "curruentActiveMimeType": "当前处于活动状态",
+ "empty": "单元格没有输出",
+ "installJupyterPrompt": "从市场安装其他呈现器",
+ "noRenderer.2": "找不到输出的呈现器。其具有以下 mimetype: {0}",
+ "pickMimeType": "更改演示文稿",
+ "promptChooseMimeType.placeHolder": "为当前项选择要渲染的 mime 类型",
+ "promptChooseMimeTypeInSecure.placeHolder": "为当前项选择要渲染的 mime 类型",
+ "unavailableRenderInfo": "呈现器不可用"
+ },
+ "vs/workbench/contrib/notebook/browser/view/cellParts/codeCell": {
+ "cellExpandInputButtonLabel": "展开单元格输入({0})",
+ "cellExpandInputButtonLabelWithDoubleClick": "双击以展开单元格输入({0})"
+ },
+ "vs/workbench/contrib/notebook/browser/view/cellParts/codeCellExecutionIcon": {
+ "notebook.cell.status.executing": "正在执行",
+ "notebook.cell.status.failed": "失败",
+ "notebook.cell.status.pending": "挂起",
+ "notebook.cell.status.success": "成功"
+ },
+ "vs/workbench/contrib/notebook/browser/view/cellParts/codeCellRunToolbar": {
+ "notebook.moreRunActionsLabel": "更多..."
+ },
+ "vs/workbench/contrib/notebook/browser/view/cellParts/collapsedCellOutput": {
+ "cellExpandOutputButtonLabel": "展开单元格输出(${0})",
+ "cellExpandOutputButtonLabelWithDoubleClick": "双击以展开单元格输出({0})",
+ "cellOutputsCollapsedMsg": "输出已折叠"
+ },
+ "vs/workbench/contrib/notebook/browser/view/cellParts/foldedCellHint": {
+ "hiddenCellsLabel": "已隐藏 1 个单元格",
+ "hiddenCellsLabelPlural": "已隐藏 {0} 个单元格"
+ },
+ "vs/workbench/contrib/notebook/browser/view/cellParts/markdownCell": {
+ "cellExpandInputButtonLabel": "展开单元格输入({0})",
+ "cellExpandInputButtonLabelWithDoubleClick": "双击以展开单元格输入({0})"
+ },
+ "vs/workbench/contrib/notebook/browser/view/renderers/backLayerWebView": {
+ "notebook.emptyMarkdownPlaceholder": "空白 Markdown 单元格,请双击或按 Enter 进行编辑。",
+ "notebook.error.rendererNotFound": "找不到“$0”的呈现器"
+ },
+ "vs/workbench/contrib/notebook/browser/view/renderers/cellRenderer": {
+ "cellExecutionOrderCountLabel": "执行顺序"
+ },
+ "vs/workbench/contrib/notebook/browser/viewParts/notebookKernelActionViewItem": {
+ "select": "选择内核"
+ },
+ "vs/workbench/contrib/notebook/common/notebookEditorModel": {
+ "notebook.staleSaveError": "文件内容在磁盘上已更改。是要打开更新的版本还是使用所作更改覆盖该文件?",
+ "notebook.staleSaveError.overwrite.": "覆盖",
+ "notebook.staleSaveError.revert": "还原"
+ },
+ "vs/workbench/contrib/outline/browser/outline.contribution": {
+ "filteredTypes.array": "启用后,大纲将显示“数组”符号。",
+ "filteredTypes.boolean": "启用后,大纲将显示“布尔”符号。",
+ "filteredTypes.class": "启用后,大纲将显示“类”符号。",
+ "filteredTypes.constant": "启用后,大纲将显示“常量”符号。",
+ "filteredTypes.constructor": "启用大纲时,大纲将显示“构造函数”符号。",
+ "filteredTypes.enum": "启用后,大纲将显示“枚举”符号。",
+ "filteredTypes.enumMember": "启用后,大纲将显示“枚举成员”符号。",
+ "filteredTypes.event": "启用后,大纲将显示“事件”符号。",
+ "filteredTypes.field": "启用时,大纲将显示“字段”符号。",
+ "filteredTypes.file": "启用后,大纲将显示“文件”符号。",
+ "filteredTypes.function": "启用时,大纲将显示“函数”符号。",
+ "filteredTypes.interface": "启用后,大纲将显示“接口”符号。",
+ "filteredTypes.key": "启用后,大纲将显示“键”符号。",
+ "filteredTypes.method": "启用后,大纲将显示“方法”符号。",
+ "filteredTypes.module": "启用后,大纲将显示“模块”符号。",
+ "filteredTypes.namespace": "启用后,大纲将显示“命名空间”符号。",
+ "filteredTypes.null": "启用后,大纲将显示 \"null\" 符号。",
+ "filteredTypes.number": "启用后,大纲将显示“数字”符号。",
+ "filteredTypes.object": "启用后,大纲将显示“对象”符号。",
+ "filteredTypes.operator": "启用时,大纲显示“运算符”符号。",
+ "filteredTypes.package": "启用后,大纲将显示“包”符号。",
+ "filteredTypes.property": "启用后,大纲将显示“属性”符号。",
+ "filteredTypes.string": "启用后,大纲将显示“字符串”符号。",
+ "filteredTypes.struct": "启用后,大纲将显示“结构”符号。",
+ "filteredTypes.typeParameter": "启用后,大纲将显示 \"typeParameter\" 符号。",
+ "filteredTypes.variable": "启用后,大纲将显示“变量”符号。",
+ "name": "大纲",
+ "outline.problem.colors": "对错误和警告添加颜色。",
+ "outline.problems.badges": "对错误和警告使用徽章。",
+ "outline.showIcons": "显示大纲元素的图标。",
+ "outline.showProblem": "显示大纲元素上的错误和警告。",
+ "outlineConfigurationTitle": "大纲",
+ "outlineViewIcon": "查看大纲视图的图标。"
+ },
+ "vs/workbench/contrib/outline/browser/outlinePane": {
+ "collapse": "全部折叠",
+ "filterOnType": "在输入时筛选",
+ "followCur": "跟随光标",
+ "loading": "正在加载“{0}”的文档符号...",
+ "no-editor": "活动编辑器无法提供大纲信息。",
+ "no-symbols": "在文档“{0}”中找不到符号",
+ "sortByKind": "排序方式 : 类别",
+ "sortByName": "排序依据 : 名称",
+ "sortByPosition": "排序依据 : 位置"
+ },
+ "vs/workbench/contrib/output/browser/logViewer": {
+ "logViewerAriaLabel": "日志查看器"
+ },
+ "vs/workbench/contrib/output/browser/output.contribution": {
+ "clearOutput.label": "清除输出",
+ "logViewer": "日志查看器",
+ "miToggleOutput": "输出(&&O)",
+ "openActiveLogOutputFile": "打开日志输出文件",
+ "openLogFile": "打开日志文件...",
+ "output": "输出",
+ "output.smartScroll.enabled": "在输出视图中启用或禁用「智能滚动」。「智能滚动」会自动在你点击输出视图时锁定滚动,并在你点击最后一行时解锁滚动。",
+ "outputCleared": "输出被清除",
+ "outputScrollOff": "关闭自动滚动",
+ "outputScrollOn": "打开自动滚动",
+ "outputViewIcon": "查看输出视图的图标。",
+ "selectlog": "选择日志",
+ "selectlogFile": "选择日志文件",
+ "showLogs": "显示日志...",
+ "switchToOutput.label": "切换到输出",
+ "toggleAutoScroll": "切换自动滚动"
+ },
+ "vs/workbench/contrib/output/browser/outputView": {
+ "channel": "“{0}”的输出通道",
+ "logChannel": "日志 ({0})",
+ "output": "输出",
+ "output model title": "{0} - 输出",
+ "outputChannels": "输出通道",
+ "outputViewAriaLabel": "输出面板",
+ "outputViewWithInputAriaLabel": "{0},输出面板"
+ },
+ "vs/workbench/contrib/performance/browser/performance.contribution": {
+ "show.label": "启动性能"
+ },
+ "vs/workbench/contrib/performance/browser/perfviewEditor": {
+ "name": "启动性能"
+ },
+ "vs/workbench/contrib/performance/electron-sandbox/startupProfiler": {
+ "prof.detail": "请创建问题并手动附加以下文件:\r\n{0}",
+ "prof.detail.restart": "需要重新启动才能继续使用“{0}”。再次感谢您的贡献。",
+ "prof.message": "成功创建的配置文件。",
+ "prof.restart": "重启(&&R)",
+ "prof.restart.button": "重启(&&R)",
+ "prof.restartAndFileIssue": "创建问题并重启(&&C)",
+ "prof.thanks": "感谢您的帮助。"
+ },
+ "vs/workbench/contrib/preferences/browser/keybindingWidgets": {
+ "defineKeybinding.chordsTo": "加上",
+ "defineKeybinding.existing": "已有 {0} 条命令的按键绑定与此相同",
+ "defineKeybinding.initial": "先按所需的组合键,再按 Enter 键。",
+ "defineKeybinding.oneExists": "已有 1 条命令的按键绑定与此相同"
+ },
+ "vs/workbench/contrib/preferences/browser/keybindingsEditor": {
+ "SearchKeybindings.FullTextSearchPlaceholder": "在此键入搜索按键绑定",
+ "SearchKeybindings.KeybindingsSearchPlaceholder": "正在录制按键。按 Esc 键退出",
+ "addKeybindingLabel": "添加键绑定",
+ "addKeybindingLabelWithKey": "添加按键绑定 {0}",
+ "addLabel": "添加键绑定…",
+ "changeLabel": "更改键绑定…",
+ "clearInput": "清除键绑定搜索输入",
+ "command": "命令",
+ "copyCommandLabel": "复制命令 ID",
+ "copyCommandTitleLabel": "复制命令标题",
+ "copyLabel": "复制",
+ "editKeybindingLabel": "更改键绑定",
+ "editKeybindingLabelWithKey": "更改键绑定 {0}",
+ "editWhen": "更改 When 表达式",
+ "error": "编辑按键绑定时发生错误“{0}”。请打开 \"keybindings.json\" 文件并检查错误。",
+ "keybinding": "键绑定",
+ "keybindingsLabel": "键绑定",
+ "noKeybinding": "未分配键绑定。",
+ "noWhen": "没有时间上下文。",
+ "recordKeysLabel": "录制按键",
+ "recording": "正在录制按键",
+ "removeLabel": "删除键绑定",
+ "resetLabel": "重置按键绑定",
+ "show keybindings": "按字母顺序显示 {0} 个按键绑定",
+ "show sorted keybindings": "按优先级顺序显示 {0} 个按键绑定",
+ "showSameKeybindings": "显示相同的按键绑定",
+ "sortByPrecedeneLabel": "按优先级排序(最高优先)",
+ "source": "源",
+ "title": "{0} ({1})",
+ "when": "当",
+ "whenContextInputAriaLabel": "请键入 when 上下文。按 Enter 进行确认,按 Esc 取消。"
+ },
+ "vs/workbench/contrib/preferences/browser/keybindingsEditorContribution": {
+ "defineKeybinding.kbLayoutErrorMessage": "在当前键盘布局下无法生成此组合键。",
+ "defineKeybinding.kbLayoutLocalAndUSMessage": "在你的键盘布局上为 **{0}**(美国标准布局上为 **{1}**)。",
+ "defineKeybinding.kbLayoutLocalMessage": "在你的键盘布局上为 **{0}**。",
+ "defineKeybinding.start": "定义键绑定"
+ },
+ "vs/workbench/contrib/preferences/browser/preferences.contribution": {
+ "Keyboard Shortcuts": "键盘快捷方式",
+ "clear": "清除搜索结果",
+ "clearHistory": "清除键盘快捷方式搜索历史记录",
+ "filterUntrusted": "显示不受信任的工作区设置",
+ "keybindingsEditor": "键绑定编辑器",
+ "miOpenOnlineSettings": "联机服务设置(&&O)",
+ "miOpenSettings": "设置(&&S)",
+ "miPreferences": "首选项(&&P)",
+ "openCurrentProfileSettingsJson": "打开 当前配置文件设置(JSON)",
+ "openDefaultKeybindingsFile": "打开默认键盘快捷键(JSON)",
+ "openFolderSettings": "打开文件夹设置",
+ "openFolderSettingsFile": "打开文件夹设置(JSON)",
+ "openGlobalKeybindings": "打开键盘快捷方式",
+ "openGlobalKeybindingsFile": "打开键盘快捷方式(JSON)",
+ "openGlobalSettings": "打开用户设置",
+ "openRawDefaultSettings": "打开默认设置(JSON)",
+ "openRemoteSettings": "打开远程设置({0})",
+ "openRemoteSettingsJSON": "打开远程设置(JSON) ({0})",
+ "openSettings2": "打开设置 (ui)",
+ "openSettingsJson": "打开设置 (json)",
+ "openUserSettingsJson": "打开用户设置(JSON)",
+ "openWorkspaceSettings": "打开工作区设置",
+ "openWorkspaceSettingsFile": "打开工作区设置(JSON)",
+ "preferences": "首选项",
+ "settings": "设置",
+ "settings.clearResults": "清除设置搜索结果",
+ "settings.focusFile": "聚焦到设置文件",
+ "settings.focusLevelUp": "将焦点上移一级",
+ "settings.focusSearch": "聚焦到设置搜索",
+ "settings.focusSettingControl": "焦点设置控制",
+ "settings.focusSettingsList": "聚焦设置列表",
+ "settings.focusSettingsTOC": "聚焦到设置目录",
+ "settings.showContextMenu": "显示设置上下文菜单",
+ "settingsEditor2": "设置编辑器 2",
+ "showDefaultKeybindings": "显示默认按键绑定",
+ "showExtensionKeybindings": "显示扩展键绑定",
+ "showTelemtrySettings": "遥测设置",
+ "showUserKeybindings": "显示用户按键绑定"
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesActions": {
+ "configureLanguageBasedSettings": "配置语言特定的设置...",
+ "languageDescriptionConfigured": "({0})",
+ "pickLanguage": "选择语言"
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesIcons": {
+ "keybindingsAddIcon": "键绑定 UI 中“添加”操作的图标。",
+ "keybindingsEditIcon": "键绑定 UI 中“编辑”操作的图标。",
+ "keybindingsRecordKeysIcon": "键绑定 UI 中“记录密钥”操作的图标。",
+ "keybindingsSortIcon": "键绑定 UI 中“按优先级排序”切换开关的图标。",
+ "preferencesClearInput": "设置和键绑定 UI 中的“清除输入”图标。",
+ "preferencesDiscardIcon": "设置 UI 中“放弃”操作的图标。",
+ "preferencesOpenSettings": "“打开设置”命令的图标。",
+ "settingsAddIcon": "设置 UI 中“添加”操作的图标。",
+ "settingsEditIcon": "设置 UI 中“编辑”操作的图标。",
+ "settingsFilter": "为设置 UI 建议筛选器的按钮的图标。",
+ "settingsGroupCollapsedIcon": "“拆分 JSON 设置”编辑器中已折叠部分的图标。",
+ "settingsGroupExpandedIcon": "“拆分 JSON 设置”编辑器中已展开部分的图标。",
+ "settingsMoreActionIcon": "设置 UI 中“更多操作”操作的图标。",
+ "settingsRemoveIcon": "设置 UI 中“删除”操作的图标。",
+ "settingsScopeDropDownIcon": "“拆分 JSON 设置”编辑器中“文件夹”下拉按钮的图标。"
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesRenderers": {
+ "copyDefaultValue": "复制到设置",
+ "defaultProfileSettingWhileNonDefaultActive": "非默认配置文件处于活动状态时无法应用此设置。将在默认配置文件处于活动状态时应用。",
+ "editTtile": "编辑",
+ "manage workspace trust": "管理工作区信任",
+ "replaceDefaultValue": "在设置中替换",
+ "unknown configuration setting": "未知的配置设置",
+ "unsupportedApplicationSetting": "此设置具有应用程序范围,只能在用户设置文件中设置。",
+ "unsupportedMachineSetting": "只能在本地窗口的用户设置中或者远程窗口的远程设置中应用此设置。",
+ "unsupportedPolicySetting": "无法应用此设置,因为它是在系统策略中配置的。",
+ "unsupportedProperty": "不支持的属性",
+ "unsupportedRemoteMachineSetting": "此设置无法在此窗口中应用。在你打开本地窗口时将应用它。",
+ "unsupportedWindowSetting": "此设置无法应用于此工作区。它将在您直接打开包含的工作区文件夹时应用。",
+ "untrustedSetting": "此设置仅可应用于受信任的工作区。"
+ },
+ "vs/workbench/contrib/preferences/browser/preferencesWidgets": {
+ "folderSettings": "文件夹",
+ "settingsSwitcherBarAriaLabel": "设置转换器",
+ "userSettings": "用户",
+ "userSettingsRemote": "远程",
+ "workspaceSettings": "工作区"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsEditor2": {
+ "SearchSettings.AriaLabel": "搜索设置",
+ "clearInput": "清除设置搜索输入",
+ "clearSearchFilters": "清除筛选",
+ "filterInput": "筛选器设置",
+ "lastSyncedLabel": "上次同步时间: {0}",
+ "moreThanOneResult": "找到 {0} 个设置",
+ "noResults": "未找到设置",
+ "oneResult": "找到 1 个设置",
+ "settings": "设置",
+ "settings require trust": "工作区信任",
+ "turnOnSyncButton": "打开设置同步"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsEditorSettingIndicators": {
+ "alsoConfiguredElsewhere": "也已在其他位置修改",
+ "alsoConfiguredIn": "同时修改于",
+ "alsoModifiedInScopes": "在以下范围中也修改了该设置:",
+ "applicationSetting": "适用所有配置文件",
+ "applicationSettingDescription": "该设置不特定于当前配置文件,并将在切换配置文件时保留其值。",
+ "applicationSettingDescriptionAccessible": "切换配置文件时保留设置值",
+ "configuredElsewhere": "已在其他位置修改",
+ "configuredIn": "修改于",
+ "defaultOverriddenDetails": "默认设置值由 {0} 重写",
+ "defaultOverriddenDetailsAriaLabel": "{0} 替代了默认值",
+ "defaultOverriddenLabel": "默认值已更改",
+ "defaultOverriddenLanguagesList": "存在适用于 {0} 的特定于语言的默认值",
+ "extensionSyncIgnoredLabel": "未同步",
+ "hasDefaultOverridesForLanguages": "以下语言具有默认替代:",
+ "modifiedInScopeForLanguage": "{1} 的 {0} 范围",
+ "modifiedInScopeForLanguageMidSentence": "{1} 的 {0} 范围",
+ "modifiedInScopes": "已在以下作用域中修改该设置:",
+ "remote": "远程",
+ "syncIgnoredAriaLabel": "同步期间忽略的设置",
+ "syncIgnoredTitle": "同步期间忽略此设置",
+ "user": "用户",
+ "workspace": "工作区"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsLayout": {
+ "appearance": "外观",
+ "application": "应用程序",
+ "audioCues": "音频提示",
+ "breadcrumbs": "导航路径",
+ "comments": "评论",
+ "commonlyUsed": "常用设置",
+ "cursor": "光标",
+ "debug": "调试",
+ "diffEditor": "差异编辑器",
+ "editorManagement": "编辑管理",
+ "extensions": "扩展",
+ "features": "功能",
+ "fileExplorer": "资源管理器",
+ "files": "文件",
+ "find": "查找",
+ "font": "字体",
+ "formatting": "格式化",
+ "keyboard": "键盘",
+ "minimap": "缩略图",
+ "newWindow": "新建窗口",
+ "notebook": "笔记本",
+ "output": "输出",
+ "problems": "问题",
+ "proxy": "代理服务器",
+ "remote": "远程",
+ "scm": "源代码管理",
+ "screencastMode": "截屏模式",
+ "search": "搜索",
+ "security": "安全性",
+ "settings": "设置编辑器",
+ "settingsSync": "设置同步",
+ "suggestions": "建议",
+ "task": "任务",
+ "telemetry": "遥测",
+ "terminal": "终端",
+ "testing": "测试",
+ "textEditor": "文本编辑器",
+ "timeline": "时间线",
+ "update": "更新",
+ "window": "窗口",
+ "workbench": "工作台",
+ "workspace": "工作区",
+ "zenMode": "禅模式"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsSearchMenu": {
+ "extSettingsSearch": "扩展 ID...",
+ "extSettingsSearchTooltip": "添加扩展 ID 筛选器",
+ "featureSettingsSearch": "功能...",
+ "featureSettingsSearchTooltip": "添加功能筛选器",
+ "langSettingsSearch": "语言...",
+ "langSettingsSearchTooltip": "添加语言 ID 筛选器",
+ "modifiedSettingsSearch": "已更改",
+ "modifiedSettingsSearchTooltip": "添加或删除已修改的设置筛选器",
+ "onlineSettingsSearch": "联机服务",
+ "onlineSettingsSearchTooltip": "显示联机服务设置",
+ "policySettingsSearch": "策略服务",
+ "policySettingsSearchTooltip": "显示策略服务的设置",
+ "tagSettingsSearch": "标记...",
+ "tagSettingsSearchTooltip": "添加标记筛选器"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsTree": {
+ "copySettingAsJSONLabel": "将设置复制为 JSON 文本",
+ "copySettingIdLabel": "复制设置 id",
+ "editInSettingsJson": "在 settings.json 中编辑",
+ "editLanguageSettingLabel": "编辑 {0} 的设置",
+ "extensions": "扩展",
+ "manageWorkspaceTrust": "管理工作区信任",
+ "modified": "该设置已在当前作用域中配置。",
+ "newExtensionsButtonLabel": "显示匹配的扩展",
+ "policyLabel": "此设置由组织管理。",
+ "resetSettingLabel": "重置此设置",
+ "settings": "设置",
+ "settings.Default": "默认",
+ "settings.Modified": "已修改。",
+ "settingsContextMenuTitle": "更多操作...",
+ "stopSyncingSetting": "同步此设置",
+ "trustLabel": "此设置仅可应用于受信任的工作区",
+ "validationError": "验证错误。",
+ "viewPolicySettings": "查看策略设置"
+ },
+ "vs/workbench/contrib/preferences/browser/settingsWidgets": {
+ "addItem": "添加项",
+ "addPattern": "添加模式",
+ "cancelButton": "取消",
+ "editExcludeItem": "编辑排除项目",
+ "editItem": "编辑项",
+ "excludePatternHintLabel": "排除与“{0}”匹配的文件",
+ "excludePatternInputPlaceholder": "排除项的模式...",
+ "excludeSiblingHintLabel": "仅当存在匹配“{1}”的文件时,才排除匹配“{0}”的文件",
+ "excludeSiblingInputPlaceholder": "当符合此模式的项目存在时...",
+ "itemInputPlaceholder": "项...",
+ "listSiblingHintLabel": "列出与\"${1}\"同级的项目\"{0}\"",
+ "listSiblingInputPlaceholder": "同级...",
+ "listValueHintLabel": "列出项目\"{0}\"",
+ "objectKeyHeader": "项",
+ "objectKeyInputPlaceholder": "键",
+ "objectPairHintLabel": "属性“{0}”设置为“{1}”。",
+ "objectValueHeader": "值",
+ "objectValueInputPlaceholder": "值",
+ "okButton": "确定",
+ "removeExcludeItem": "删除排除项",
+ "removeItem": "删除项",
+ "resetItem": "重置项"
+ },
+ "vs/workbench/contrib/preferences/browser/tocTree": {
+ "groupRowAriaLabel": "{0},组",
+ "settingsTOC": "设置目录"
+ },
+ "vs/workbench/contrib/preferences/common/preferencesContribution": {
+ "enableNaturalLanguageSettingsSearch": "控制是否在设置中启用自然语言搜索。自然语言搜索由 Microsoft 联机服务提供。",
+ "settingsSearchTocBehavior": "控制设置编辑器的目录在搜索时的行为。",
+ "settingsSearchTocBehavior.filter": "筛选目录为仅显示含有匹配设置的类别。单击一个类别将仅显示该类别的结果。",
+ "settingsSearchTocBehavior.hide": "在搜索时隐藏目录。",
+ "splitSettingsEditorLabel": "拆分设置编辑器"
+ },
+ "vs/workbench/contrib/preferences/common/settingsEditorColorRegistry": {
+ "focusedRowBackground": "聚焦时设置行的背景色。",
+ "headerForeground": "节标题或活动标题的前景颜色。",
+ "modifiedItemForeground": "修改后的设置指示器的颜色。",
+ "numberInputBoxBackground": "设置编辑器编号输入框背景。",
+ "numberInputBoxBorder": "设置编辑器编号输入框边框。",
+ "numberInputBoxForeground": "设置编辑器编号输入框前景。",
+ "settings.focusedRowBorder": "将焦点放在行上时行的上边框和下边框的颜色。",
+ "settings.rowHoverBackground": "悬停时设置行的背景色。",
+ "settingsCheckboxBackground": "设置编辑器复选框背景。",
+ "settingsCheckboxBorder": "设置编辑器复选框边框。",
+ "settingsCheckboxForeground": "设置编辑器复选框前景。",
+ "settingsDropdownBackground": "设置编辑器下拉列表背景色。",
+ "settingsDropdownBorder": "设置编辑器下拉列表边框。",
+ "settingsDropdownForeground": "设置编辑器下拉列表前景色。",
+ "settingsDropdownListBorder": "设置编辑器下拉列表边框。这会将选项包围起来,并将选项与描述分开。",
+ "settingsHeaderBorder": "标头容器边框的颜色。",
+ "settingsSashBorder": "设置编辑器分割檢視窗扇边框的颜色。",
+ "textInputBoxBackground": "设置编辑器文本输入框背景。",
+ "textInputBoxBorder": "设置编辑器文本输入框边框。",
+ "textInputBoxForeground": "设置编辑器文本输入框前景。"
+ },
+ "vs/workbench/contrib/quickaccess/browser/commandsQuickAccess": {
+ "clearButtonLabel": "清除(&&C)",
+ "clearCommandHistory": "清除命令历史记录",
+ "commandWithCategory": "{0}: {1}",
+ "configure keybinding": "配置键绑定",
+ "confirmClearDetail": "此操作不可逆!",
+ "confirmClearMessage": "是否要清除最近使用的命令的历史记录?",
+ "noCommandResults": "没有匹配的命令",
+ "showTriggerActions": "显示所有命令"
+ },
+ "vs/workbench/contrib/quickaccess/browser/quickAccess.contribution": {
+ "commandPalette": "命令面板...",
+ "commandsQuickAccess": "显示并运行命令",
+ "commandsQuickAccessPlaceholder": "键入要运行的命令的名称。",
+ "helpQuickAccess": "显示所有快速访问提供程序",
+ "helpQuickAccessPlaceholder": "键入\"{0}\"以获取有关可在此处执行的操作的帮助。",
+ "miCommandPalette": "命令面板(&&C)…",
+ "miGotoLine": "转到行/列(&&L)…",
+ "miOpenView": "打开视图(&&O)…",
+ "miShowAllCommands": "显示所有命令",
+ "viewQuickAccess": "打开视图",
+ "viewQuickAccessPlaceholder": "键入要打开的视图、输出通道或终端的名称。"
+ },
+ "vs/workbench/contrib/quickaccess/browser/viewQuickAccess": {
+ "channels": "输出",
+ "debugConsoles": "调试控制台",
+ "logChannel": "日志 ({0})",
+ "noViewResults": "没有匹配的视图",
+ "openView": "打开视图",
+ "panels": "面板",
+ "quickOpenView": "Quick Open 视图",
+ "secondary side bar": "辅助侧边栏",
+ "terminalTitle": "{0}: {1}",
+ "terminals": "终端",
+ "views": "侧边栏"
+ },
+ "vs/workbench/contrib/relauncher/browser/relauncher.contribution": {
+ "relaunchSettingDetail": "按下“重启”按钮以重新启动 {0} 并启用该设置。",
+ "relaunchSettingDetailWeb": "按重新加载按钮重新加载{0}并启用该设置。",
+ "relaunchSettingMessage": "设置已更改,需要重启才能生效。",
+ "relaunchSettingMessageWeb": "设置已更改,需要重新加载才能生效。",
+ "restart": "重启(&&R)",
+ "restartWeb": "重载(&&R)"
+ },
+ "vs/workbench/contrib/remote/browser/explorerViewItems": {
+ "remote.explorer.switch": "切换远程",
+ "remotes": "切换远程"
+ },
+ "vs/workbench/contrib/remote/browser/remote": {
+ "RemoteHelpInformationExtPoint": "为远程提供帮助信息",
+ "RemoteHelpInformationExtPoint.documentation": "项目文档页面的 URL 或返回此 URL 的命令",
+ "RemoteHelpInformationExtPoint.feedback": "项目反馈报告器的 URL 或返回 URL 的命令",
+ "RemoteHelpInformationExtPoint.getStarted": "项目入门页面的 URL 或返回此 URL 的命令",
+ "RemoteHelpInformationExtPoint.issues": "项目问题列表的 URL 或返回 URL 的命令",
+ "cancel": "取消",
+ "connectionLost": "连接中断",
+ "pickRemoteExtension": "选择要打开的 URL",
+ "reconnectNow": "立即重新连接",
+ "reconnectionPermanentFailure": "无法重新连接。请重新加载窗口。",
+ "reconnectionRunning": "已断开连接。正在尝试重新连接…",
+ "reconnectionWaitMany": "正在尝试在 {0} 秒内重新连接...",
+ "reconnectionWaitOne": "正在尝试在 {0} 秒内重新连接...",
+ "reloadWindow": "重新加载窗口",
+ "remote.explorer": "远程资源管理器",
+ "remote.help": "帮助和反馈",
+ "remote.help.documentation": "阅读文档",
+ "remote.help.feedback": "提供反馈",
+ "remote.help.getStarted": "入门",
+ "remote.help.issues": "审查问题",
+ "remote.help.report": "报告问题",
+ "remotehelp": "远程帮助"
+ },
+ "vs/workbench/contrib/remote/browser/remoteExplorer": {
+ "1forwardedPort": "1 个转发的端口",
+ "nForwardedPorts": "{0} 个转发的端口",
+ "ports": "端口",
+ "remote.forwardedPorts.statusbarTextNone": "未转发端口",
+ "remote.forwardedPorts.statusbarTooltip": "转发的端口: {0}",
+ "remote.tunnelsView.automaticForward": "在端口 {0} 上运行的应用程序可用。",
+ "remote.tunnelsView.elevationButton": "使用端口 {0} 作为 Sudo…",
+ "remote.tunnelsView.elevationMessage": "你需要以超级用户身份运行,才能在本地使用端口 {0}。",
+ "remote.tunnelsView.notificationLink2": "[查看所有转发端口]({0})",
+ "status.forwardedPorts": "转发的端口"
+ },
+ "vs/workbench/contrib/remote/browser/remoteIcons": {
+ "copyAddressIcon": "“复制本地地址”操作的图标。",
+ "documentationIcon": "远程资源管理器视图中的文档图标。",
+ "feedbackIcon": "远程资源管理器视图中的反馈图标。",
+ "forwardPortIcon": "“前进”操作的图标。",
+ "forwardedPortWithProcessIcon": "具有正在运行的进程的转发端口图标。",
+ "forwardedPortWithoutProcessIcon": "没有正在运行的进程的转发端口图标。",
+ "getStartedIcon": "远程资源管理器视图中的入门图标。",
+ "labelPortIcon": "“标记端口”操作的图标。",
+ "openBrowserIcon": "“打开浏览器”操作的图标。",
+ "openPreviewIcon": "“打开预览”操作的图标。",
+ "portIcon": "表示一个远程端口的图标。",
+ "portsViewIcon": "查看远程端口视图的图标。",
+ "privatePortIcon": "表示一个私有远程端口的图标。",
+ "remoteExplorerViewIcon": "查看远程资源管理器视图的图标。",
+ "reportIssuesIcon": "远程资源管理器视图中的“报告问题”图标。",
+ "reviewIssuesIcon": "远程资源管理器视图中的“审阅问题”图标。",
+ "stopForwardIcon": "“停止转发”操作的图标。"
+ },
+ "vs/workbench/contrib/remote/browser/remoteIndicator": {
+ "closeRemoteConnection.title": "关闭远程连接",
+ "closeVirtualWorkspace.title": "关闭远程工作区",
+ "disconnectedFrom": "已与 {0} 断开连接",
+ "host.open": "正在打开远程...",
+ "host.reconnecting": "正在重新连接到 {0}…",
+ "host.tooltip": "正在 {0} 上编辑",
+ "installRemotes": "安装额外远程拓展...",
+ "miCloseRemote": "关闭远程连接(&&M)",
+ "noHost.tooltip": "打开远程窗口",
+ "reloadWindow": "重新加载窗口",
+ "remote.category": "远程",
+ "remote.close": "关闭远程连接",
+ "remote.install": "安装远程开发拓展",
+ "remote.showMenu": "显示远程菜单",
+ "remoteHost": "远程主机",
+ "workspace.tooltip": "正在 {0} 上编辑",
+ "workspace.tooltip2": "对于位于虚拟文件系统上的资源,某些[功能不可用] ({0})。"
+ },
+ "vs/workbench/contrib/remote/browser/tunnelFactory": {
+ "tunnelPrivacy.private": "专用",
+ "tunnelPrivacy.public": "公用"
+ },
+ "vs/workbench/contrib/remote/browser/tunnelView": {
+ "portWithRunningProcess.foreground": "具有关联的正在运行的进程的端口图标颜色。",
+ "portsLink.followLinkAlt": "Alt + 单击",
+ "portsLink.followLinkAlt.mac": "Option + 单击",
+ "portsLink.followLinkCmd": "Cmd + 单击",
+ "portsLink.followLinkCtrl": "Ctrl + 单击",
+ "remote.tunnel": "端口",
+ "remote.tunnel.changeLocalPort": "更改本地地址端口",
+ "remote.tunnel.changeLocalPortNumber": "本地端口 {0} 不可用。已改用端口号 {1}",
+ "remote.tunnel.close": "停止转发端口",
+ "remote.tunnel.closeNoPorts": "当前未转发端口。尝试运行{0}命令",
+ "remote.tunnel.closePlaceholder": "选择停止转发的端口",
+ "remote.tunnel.copyAddressCommandPalette": "复制转发的端口地址",
+ "remote.tunnel.copyAddressInline": "复制本地地址",
+ "remote.tunnel.copyAddressPlaceholdter": "选择转发的端口",
+ "remote.tunnel.forward": "转发端口",
+ "remote.tunnel.forwardError": "无法转发{0}: {1}。主机可能不可用,或者远程端口可能已被转发",
+ "remote.tunnel.forwardItem": "转发端口",
+ "remote.tunnel.forwardPrompt": "端口号或地址(例如 3000 或 10.10.10.10:2000)。",
+ "remote.tunnel.label": "设置端口标签",
+ "remote.tunnel.open": "在浏览器中打开",
+ "remote.tunnel.openCommandPalette": "在浏览器中打开端口",
+ "remote.tunnel.openCommandPaletteNone": "当前没有转发端口。若要开始,请打开端口视图。",
+ "remote.tunnel.openCommandPalettePick": "选择要打开的端口",
+ "remote.tunnel.openCommandPaletteView": "打开端口视图…",
+ "remote.tunnel.openPreview": "在编辑器中预览",
+ "remote.tunnel.protocolHttp": "HTTP",
+ "remote.tunnel.protocolHttps": "HTTPS",
+ "remote.tunnel.tooltipCandidate": "远程端口 {0}:{1} 未转发。",
+ "remote.tunnel.tooltipForwarded": "远程端口 {0}:{1} 已转发到本地地址 {2}。",
+ "remote.tunnel.tooltipName": "标记为 {0} 的端口。",
+ "remote.tunnelView.alreadyForwarded": "端口已被转发",
+ "remote.tunnelView.inlineElevationMessage": "可能需要 sudo",
+ "remote.tunnelsView.addPort": "添加端口",
+ "remote.tunnelsView.changePort": "新的本地端口",
+ "remote.tunnelsView.input": "按 Enter 键确认,或按 Esc 键取消。",
+ "remote.tunnelsView.labelPlaceholder": "端口标签",
+ "remote.tunnelsView.portNumberToHigh": "端口号必须大于等于 0 且小于 {0}。",
+ "remote.tunnelsView.portNumberValid": "转发的端口应为数字或主机:端口。",
+ "tunnel.addressColumn.label": "本地地址",
+ "tunnel.addressColumn.tooltip": "转发端口在本地可用的地址。",
+ "tunnel.focusContext": "“端口”视图是否具有焦点。",
+ "tunnel.forwardedPortsViewEnabled": "“端口”视图是否已启用。",
+ "tunnel.iconColumn.notRunning": "没有正在运行的进程。",
+ "tunnel.iconColumn.running": "端口有正在运行的进程。",
+ "tunnel.originColumn.label": "源",
+ "tunnel.originColumn.tooltip": "转发端口的来源。可以是扩展、用户转发、静态转发或自动转发。",
+ "tunnel.portColumn.label": "端口",
+ "tunnel.portColumn.tooltip": "转发端口的标签和远程端口号。",
+ "tunnel.privacyColumn.label": "可见性",
+ "tunnel.privacyColumn.tooltip": "转发端口的可用性。",
+ "tunnel.processColumn.label": "正在运行的进程",
+ "tunnel.processColumn.tooltip": "正在使用该端口的进程的命令行。",
+ "tunnelContext.privacyMenu": "端口可见性",
+ "tunnelContext.protocolMenu": "更改端口协议",
+ "tunnelPrivacy.private": "专用",
+ "tunnelPrivacy.unknown": "未知",
+ "tunnelView": "隧道视图",
+ "tunnelView.runningProcess.inacessable": "流程信息不可用"
+ },
+ "vs/workbench/contrib/remote/common/remote.contribution": {
+ "invalidWorkspaceCancel": "取消(&&C)",
+ "invalidWorkspaceDetail": "工作区不存在。请选择另一个工作区以打开。",
+ "invalidWorkspaceMessage": "工作区不存在",
+ "invalidWorkspacePrimary": "打开工作区(&&O)...",
+ "pauseSocketWriting": "连接: 暂停套接字写入",
+ "remote": "远程",
+ "remote.autoForwardPorts": "启用后,将检测到新的正在运行的进程,并自动转发其侦听的端口。禁用此设置将不会阻止转发所有端口。即使禁用,扩展将仍然能够导致端口被转发,并且打开某些 URL 仍将导致端口被转发。",
+ "remote.autoForwardPortsSource": "设置当 {0} 为 true 时自动从其转发端口的源。在 Windows 和 Mac 远程设备上,“process”选项不起作用,系统将使用“output”。需要重新加载才能生效。",
+ "remote.autoForwardPortsSource.output": "通过读取终端和调试输出发现端口时,将自动转发该端口。并非所有使用端口的进程都将打印到集成终端或调试控制台,因此某些端口将丢失。根据输出转发的端口将不会被“取消转发”,除非重载或用户在“端口”视图中关闭该端口。",
+ "remote.autoForwardPortsSource.process": "通过监视包含端口的已启动进程发现端口时,将自动转发该端口。",
+ "remote.extensionKind": "覆盖扩展的类型。\"ui\" 扩展在本地计算机上安装和运行,而 \"workspace\" 扩展则在远程计算机上运行。通过使用此设置重写扩展的默认类型,可指定是否应在本地或远程安装和启用该扩展。",
+ "remote.localPortHost": "指定将用于端口转发的本地主机名。",
+ "remote.portsAttributes": "设置在转发特定端口号时应用的属性。例如:\r\n\r\n```\r\n\"3000\": {\r\n \"label\": \"Application\"\r\n},\r\n\"40000-55000\": {\r\n \"onAutoForward\": \"ignore\"\r\n},\r\n\".+\\\\/server.js\": {\r\n \"onAutoForward\": \"openPreview\"\r\n}\r\n```",
+ "remote.portsAttributes.defaults": "对于未从设置 {0} 中获得属性的所有端口,设置其上应用的默认属性。例如: \r\n\r\n```\r\n{\r\n \"onAutoForward\": \"ignore\"\r\n}\r\n```",
+ "remote.portsAttributes.elevateIfNeeded": "在转发此端口时,自动提示提升(如果需要)。如果本地端口是特权端口,则需要提升。",
+ "remote.portsAttributes.ignore": "此端口不会自动转发。",
+ "remote.portsAttributes.label": "将在此端口的 UI 中显示的标签。",
+ "remote.portsAttributes.labelDefault": "应用程序",
+ "remote.portsAttributes.notify": "在自动转发端口时显示通知。",
+ "remote.portsAttributes.onForward": "定义在为自动转发发现端口时发生的操作",
+ "remote.portsAttributes.openBrowser": "在自动转发端口时打开浏览器。根据你的设置,可能会打开嵌入式浏览器。",
+ "remote.portsAttributes.openBrowserOnce": "自动转发端口时打开浏览器,但仅在会话期间第一次转发端口时打开。这可能会打开嵌入式浏览器,具体取决于你的设置。",
+ "remote.portsAttributes.openPreview": "自动转发端口时,在同一窗口中打开预览。",
+ "remote.portsAttributes.patternError": "必须是一个端口号、端口号范围或正则表达式。",
+ "remote.portsAttributes.port": "端口、端口范围(例如 \"40000-55000\")、主机和端口(例如 \"db:1234\")或正则表达式(例如 \".+\\\\/server.js\")。对于端口号或端口范围,属性将应用于该端口号或端口号范围。使用正则表达式的属性将应用于其关联流程命令行与表达式匹配的端口。",
+ "remote.portsAttributes.protocol": "转发此端口时要使用的协议。",
+ "remote.portsAttributes.requireLocalPort": "如果为 true,则将显示一个模式对话框,指示所选的本地端口是否不用于转发。",
+ "remote.portsAttributes.silent": "在自动转发此端口时,不显示任何通知,也不执行任何操作。",
+ "remote.restoreForwardedPorts": "还原您在工作区中转发的端口。",
+ "remoteExtensionLog": "远程服务器",
+ "remotePtyHostLog": "远程 Pty 主机",
+ "triggerReconnect": "连接: 触发器重新连接",
+ "ui": "UI 扩展类型。在远程窗口中,只有在本地计算机上可用时,才会启用此类扩展。",
+ "workspace": "工作区扩展类型。在远程窗口中,仅在远程上可用时启用此类扩展。"
+ },
+ "vs/workbench/contrib/remote/electron-sandbox/remote.contribution": {
+ "remote": "远程",
+ "remote.downloadExtensionsLocally": "启用后,扩展将本地下载并安装在远程上。"
+ },
+ "vs/workbench/contrib/sash/browser/sash.contribution": {
+ "sashHoverDelay": "控制视图/编辑器之间拖动区域的悬停反馈延迟(以毫秒为单位)。",
+ "sashSize": "控制视图/编辑器之间拖动区域的反馈区域大小(以像素为单位)。如果你认为很难使用鼠标调整视图的大小,请将该值调大。"
+ },
+ "vs/workbench/contrib/scm/browser/activity": {
+ "scmPendingChangesBadge": "{0} 个挂起的更改",
+ "status.scm": "源代码管理"
+ },
+ "vs/workbench/contrib/scm/browser/dirtydiffDecorator": {
+ "change": "第 {0} 个更改 (共 {1} 个)",
+ "changes": "第 {0} 个更改 (共 {1} 个)",
+ "editorGutterAddedBackground": "编辑器导航线中已插入行的背景颜色。",
+ "editorGutterDeletedBackground": "编辑器导航线中被删除行的背景颜色。",
+ "editorGutterModifiedBackground": "编辑器导航线中被修改行的背景颜色。",
+ "label.close": "关闭",
+ "miGotoNextChange": "下一个更改(&&C)",
+ "miGotoPreviousChange": "上一个更改(&&C)",
+ "minimapGutterAddedBackground": "添加的线的迷你地图装订线背景颜色。",
+ "minimapGutterDeletedBackground": "删除的线的迷你地图装订线背景颜色。",
+ "minimapGutterModifiedBackground": "修改的线的迷你地图装订线背景颜色。",
+ "move to next change": "转到下一个更改",
+ "move to previous change": "转到上一个更改",
+ "overviewRulerAddedForeground": "概览标尺中已增加内容的颜色。",
+ "overviewRulerDeletedForeground": "概览标尺中已删除内容的颜色。",
+ "overviewRulerModifiedForeground": "概览标尺中已修改内容的颜色。",
+ "show next change": "显示下一个更改",
+ "show previous change": "显示上一个更改"
+ },
+ "vs/workbench/contrib/scm/browser/scm.contribution": {
+ "alwaysShowActions": "控制是否在“源代码管理”视图中始终显示内联操作。",
+ "alwaysShowRepository": "控制存储库是否应在源代码管理视图中始终可见。",
+ "autoReveal": "控制源代码管理视图在打开文件时是否应自动显示和选择文件。",
+ "diffDecorations": "控制编辑器中差异的显示效果。",
+ "diffDecorationsIgnoreTrimWhitespace": "控制在源代码管理差异装订线修饰中是否忽略前导空格和尾随空格。",
+ "diffGutterPattern": "控制是否将模式用于装订线中的差异修饰。",
+ "diffGutterPatternAdded": "对添加的线条使用装订线中的差异装饰模式。",
+ "diffGutterPatternModifed": "对修改后的线条使用装订线中的差异修饰模式。",
+ "diffGutterWidth": "控制装订线中差异修饰的宽度(px)(已添加或已修改)。",
+ "inputFontFamily": "控制输入消息的字体。将 `default` 用于工作台用户界面字体系列,将 `editor` 用于 `#editor.fontFamily#` 的值,或者使用自定义字体系列。",
+ "inputFontSize": "控制输入消息的字号(以像素为单位)。",
+ "manageWorkspaceTrustAction": "管理工作区信任",
+ "miViewSCM": "源代码管理(&&C)",
+ "no open repo": "当前没有源代码管理提供程序进行注册。",
+ "no open repo in an untrusted workspace": "所有已注册的源代码管理提供程序都无法在“受限模式”下工作。",
+ "open in terminal": "在终端打开",
+ "providersVisible": "控制在“源代码管理存储库”部分中可见的存储库数。设置为 \"0\", 以便能够手动调整视图的大小。",
+ "repositoriesSortOrder": "控制源代码管理存储库视图中存储库的排序顺序。",
+ "scm accept": "源代码管理: 接受输入",
+ "scm view next commit": "源代码管理: 查看下一个提交",
+ "scm view previous commit": "源代码管理: 查看上一个提交",
+ "scm.countBadge": "控制活动栏上源代码管理图标上的计数锁屏提醒。",
+ "scm.countBadge.all": "显示所有源代码管理提供程序计数锁屏提醒的总和。",
+ "scm.countBadge.focused": "显示焦点源控制提供程序的计数标记。",
+ "scm.countBadge.off": "禁用源代码管理计数徽章。",
+ "scm.defaultViewMode": "控制默认的源代码管理仓库视图模式。",
+ "scm.defaultViewMode.list": "将仓库更改显示为列表。",
+ "scm.defaultViewMode.tree": "将仓库更改显示为树。",
+ "scm.defaultViewSortKey": "控制默认的源代码管理仓库在被视为列表时的更改排序顺序。",
+ "scm.defaultViewSortKey.name": "按文件名对仓库更改进行排序。",
+ "scm.defaultViewSortKey.path": "按路径对仓库更改进行排序。",
+ "scm.defaultViewSortKey.status": "按源代码管理状态对仓库更改进行排序。",
+ "scm.diffDecorations.all": "显示所有可用位置中的差异装饰。",
+ "scm.diffDecorations.gutter": "仅在编辑器行号槽中显示差异装饰。",
+ "scm.diffDecorations.minimap": "仅在缩略图中显示差异装饰。",
+ "scm.diffDecorations.none": "不要显示差异装饰。",
+ "scm.diffDecorations.overviewRuler": "仅在概览标尺中显示差异装饰。",
+ "scm.diffDecorationsGutterAction": "控制源代码管理差异装订线修饰的行为。",
+ "scm.diffDecorationsGutterAction.diff": "单击时显示内联差异一览视图。",
+ "scm.diffDecorationsGutterAction.none": "不执行任何操作。",
+ "scm.diffDecorationsGutterVisibility": "控制行号槽中源代码管理差异装饰器的可见性。",
+ "scm.diffDecorationsGutterVisibility.always": "始终显示行号槽中的差异装饰器。",
+ "scm.diffDecorationsGutterVisibility.hover": "仅在悬停时显示行号槽中的差异装饰器。",
+ "scm.diffDecorationsIgnoreTrimWhitespace.false": "不要忽略前导空格和尾随空格。",
+ "scm.diffDecorationsIgnoreTrimWhitespace.inherit": "继承自 `diffEditor.ignoreTrimWhitespace`。",
+ "scm.diffDecorationsIgnoreTrimWhitespace.true": "忽略前导空格和尾随空格。",
+ "scm.providerCountBadge": "控制源代码管理提供程序标头的计数锁屏提醒。仅在有多个提供程序时才显示这些标头。",
+ "scm.providerCountBadge.auto": "仅显示非零时源代码管理提供程序的计数锁屏提醒。",
+ "scm.providerCountBadge.hidden": "隐藏源代码管理提供程序计数锁屏提醒。",
+ "scm.providerCountBadge.visible": "显示源代码管理提供程序计数锁屏提醒。",
+ "scm.repositoriesSortOrder.discoveryTime": "按发现时间对源代码管理存储库视图中的存储库排序。按所选顺序对源代码管理视图中的存储库排序。",
+ "scm.repositoriesSortOrder.name": "按仓库名称对源代码管理仓库和源代码管理视图中的仓库排序。",
+ "scm.repositoriesSortOrder.path": "按仓库路径对源代码管理仓库和源代码管理视图中的仓库排序。",
+ "scmConfigurationTitle": "源代码管理",
+ "showActionButton": "控制是否可以在源代码管理视图中显示操作按钮。",
+ "source control": "源代码管理",
+ "source control repositories": "源代码管理存储库",
+ "sourceControlViewIcon": "查看“源代码管理”视图的图标。"
+ },
+ "vs/workbench/contrib/scm/browser/scmRepositoriesViewPane": {
+ "scm": "源代码管理存储库"
+ },
+ "vs/workbench/contrib/scm/browser/scmViewPane": {
+ "collapse all": "折叠所有存储库",
+ "expand all": "展开所有存储库",
+ "input": "源代码管理输入",
+ "repositories": "存储库",
+ "repositorySortByDiscoveryTime": "按发现时间排序",
+ "repositorySortByName": "按名称排序",
+ "repositorySortByPath": "按路径排序",
+ "scm": "源代码管理",
+ "scm.providerBorder": "SCM 提供程序分隔符边框。",
+ "setListViewMode": "以列表形式查看",
+ "setTreeViewMode": "以树形式查看",
+ "sortAction": "查看和排序",
+ "sortChangesByName": "按名称对更改进行排序",
+ "sortChangesByPath": "按路径对更改进行排序",
+ "sortChangesByStatus": "按状态对更改进行排序"
+ },
+ "vs/workbench/contrib/scm/browser/scmViewPaneContainer": {
+ "source control": "源代码管理"
+ },
+ "vs/workbench/contrib/search/browser/anythingQuickAccess": {
+ "closeEditor": "从最近打开中删除",
+ "fileAndSymbolResultsSeparator": "文件和符号结果",
+ "filePickAriaLabelDirty": "{0} 个未保存的更改",
+ "fileResultsSeparator": "文件结果",
+ "noAnythingResults": "没有匹配的结果",
+ "openToBottom": "打开转到底部",
+ "openToSide": "打开转到侧边",
+ "recentlyOpenedSeparator": "最近打开"
+ },
+ "vs/workbench/contrib/search/browser/patternInputWidget": {
+ "defaultLabel": "输入",
+ "onlySearchInOpenEditors": "仅在打开的编辑器中搜索",
+ "useExcludesAndIgnoreFilesDescription": "使用“排除设置”与“忽略文件”"
+ },
+ "vs/workbench/contrib/search/browser/replaceService": {
+ "fileReplaceChanges": "{0} ↔ {1} (Replace Preview)",
+ "searchReplace.source": "搜索和替换"
+ },
+ "vs/workbench/contrib/search/browser/search.contribution": {
+ "CancelSearchAction.label": "取消搜索",
+ "ClearSearchResultsAction.label": "清除搜索结果",
+ "CollapseDeepestExpandedLevelAction.label": "全部折叠",
+ "ExpandAllAction.label": "全部展开",
+ "RefreshAction.label": "刷新",
+ "anythingQuickAccess": "转到文件",
+ "anythingQuickAccessPlaceholder": "按名称搜索文件(追加 {0} 转到行,追加 {1} 转到符号)",
+ "clearSearchHistoryLabel": "清除搜索历史记录",
+ "copyAllLabel": "全部复制",
+ "copyMatchLabel": "复制",
+ "copyPathLabel": "复制路径",
+ "exclude": "配置 [glob 模式](https://code.visualstudio.com/docs/editor/codebasics#_advanced-search-options)以在全文搜索和快速打开中排除文件和文件夹。从 \"#files.exclude#\" 设置继承所有 glob 模式。",
+ "exclude.boolean": "匹配文件路径所依据的 glob 模式。设置为 true 或 false 可启用或禁用该模式。",
+ "exclude.when": "对匹配文件同辈进行额外检查。将 $(basename) 用作匹配文件名的变量。",
+ "filterSortOrder": "控制在快速打开中筛选时编辑器历史记录的排序顺序。",
+ "filterSortOrder.default": "历史记录条目按与筛选值的相关性排序。首先显示更相关的条目。",
+ "filterSortOrder.recency": "历史记录条目按最近时间排序。首先显示最近打开的条目。",
+ "findInFiles": "在文件中查找",
+ "findInFiles.args": "搜索的一组选项",
+ "findInFiles.description": "打开工作区搜索",
+ "findInFolder": "在文件夹中查找...",
+ "findInWorkspace": "在工作区中查找...",
+ "focusSearchListCommandLabel": "聚焦到列表",
+ "maintainFileSearchCacheDeprecated": "搜索缓存保留在从不关闭的扩展主机中,因此不再需要此设置。",
+ "miFindInFiles": "在文件中查找(&&I)",
+ "miGotoSymbolInWorkspace": "转到工作区中的符号(&&W)…",
+ "miReplaceInFiles": "在文件中替换(&&I)",
+ "miViewSearch": "搜索(&&S)",
+ "name": "搜索",
+ "revealInSideBar": "在资源管理器视图中显示",
+ "search": "搜索",
+ "search.actionsPosition": "在搜索视图中控制操作栏的位置。",
+ "search.actionsPositionAuto": "当搜索视图较窄时将操作栏置于右侧,当搜索视图较宽时,将它紧接在内容之后。",
+ "search.actionsPositionRight": "始终将操作栏放置在右侧。",
+ "search.collapseAllResults": "控制是折叠还是展开搜索结果。",
+ "search.collapseResults.auto": "结果少于10个的文件将被展开。其他的则被折叠。",
+ "search.followSymlinks": "控制是否在搜索中跟踪符号链接。",
+ "search.globalFindClipboard": "控制“搜索”视图是否读取或修改 macOS 的共享查找剪贴板。",
+ "search.location": "控制搜索功能是显示在侧边栏,还是显示在水平空间更大的面板区域。",
+ "search.location.deprecationMessage": "此设置已弃用。可以改为将搜索图标拖到新位置。",
+ "search.maintainFileSearchCache": "启用后,搜索服务进程将保持活动状态,而不是在一个小时不活动后关闭。这将使文件搜索缓存保留在内存中。",
+ "search.maxResults": "控制搜索结果的最大数目,可将其设置为 “null”(空),以返回无限结果。",
+ "search.mode": "控制新的“搜索: 在文件中查找”和“在文件夹中查找”操作发生的位置: 在搜索视图中或在搜索编辑器中",
+ "search.mode.newEditor": "在新的搜索编辑器中搜索。",
+ "search.mode.reuseEditor": "在现有搜索编辑器(若有)中搜索,否则在新的搜索编辑器中进行搜索。",
+ "search.mode.view": "在面板或边栏的搜索视图中进行搜索。",
+ "search.quickOpen.includeHistory": "是否在 Quick Open 的文件结果中包含最近打开的文件。",
+ "search.quickOpen.includeSymbols": "控制 Quick Open 文件结果中是否包括全局符号搜索的结果。",
+ "search.searchEditor.defaultNumberOfContextLines": "创建新的搜索编辑器时要使用的周围上下文行的默认数目。如果使用 \"#search.searchEditor.reusePriorSearchConfiguration#\",则可将它设置为 \"null\" (空),以使用搜索编辑器之前的配置。",
+ "search.searchEditor.doubleClickBehaviour": "配置在搜索编辑器中双击结果的效果。",
+ "search.searchEditor.doubleClickBehaviour.goToLocation": "双击将在活动编辑器组中打开结果。",
+ "search.searchEditor.doubleClickBehaviour.openLocationToSide": "双击将在编辑器组中的结果打开到一边,如果尚不存在,则创建一个结果。",
+ "search.searchEditor.doubleClickBehaviour.selectWord": "双击选择光标下的单词。",
+ "search.searchEditor.reusePriorSearchConfiguration": "启用后,新的搜索编辑器将重用之前打开的搜索编辑器的包含、排除和标志。",
+ "search.searchOnType": "在键入时搜索所有文件。",
+ "search.searchOnTypeDebouncePeriod": "启用 {0} 时,控制键入的字符与开始搜索之间的超时(以毫秒为单位)。禁用 {0} 时不起作用。",
+ "search.seedOnFocus": "聚焦搜索视图时,将搜索查询更新为编辑器的所选文本。单击时或触发 \"workbench.views.search.focus\" 命令时会发生此情况。",
+ "search.seedWithNearestWord": "当活动编辑器没有选定内容时,从离光标最近的字词开始进行种子设定搜索。",
+ "search.showLineNumbers": "控制是否显示搜索结果所在的行号。",
+ "search.smartCase": "若搜索词全为小写,则不区分大小写进行搜索,否则区分大小写进行搜索。",
+ "search.sortOrder": "控制搜索结果的排序顺序。",
+ "search.usePCRE2": "是否在文本搜索中使用 pcre2 正则表达式引擎。这允许使用一些高级正则表达式功能, 如前瞻和反向引用。但是, 并非所有 pcre2 功能都受支持-仅支持 javascript 也支持的功能。",
+ "search.useReplacePreview": "控制在选择或替换匹配项时是否打开“替换预览”视图。",
+ "searchConfigurationTitle": "搜索",
+ "searchSortOrder.countAscending": "结果按每个文件的计数以升序排序。",
+ "searchSortOrder.countDescending": "结果按每个文件的计数降序排序。",
+ "searchSortOrder.default": "结果按文件夹和文件名按字母顺序排序。",
+ "searchSortOrder.filesOnly": "结果按文件名排序,忽略文件夹顺序,按字母顺序排列。",
+ "searchSortOrder.modified": "结果按文件的最后修改日期按降序排序。",
+ "searchSortOrder.type": "结果按文件扩展名的字母顺序排序。",
+ "showTriggerActions": "转到工作区中的符号...",
+ "symbolsQuickAccess": "转到工作区中的符号",
+ "symbolsQuickAccessPlaceholder": "键入要打开的符号的名称。",
+ "useGlobalIgnoreFiles": "控制在搜索文件时是否使用全局 “.gitignore” 和 “.ignore” 文件。需要启用 “#search.useIgnoreFiles#”。",
+ "useIgnoreFiles": "控制在搜索文件时是否使用 `.gitignore` 和 `.ignore` 文件。",
+ "usePCRE2Deprecated": "弃用。当使用仅 PCRE2 支持的正则表达式功能时,将自动使用 PCRE2。",
+ "useParentIgnoreFiles": "控制在搜索文件时是否在父目录中使用 \".gitignore\" 和 \".ignore\" 文件。需要启用 \"#search.useIgnoreFiles#\"。",
+ "useRipgrep": "此设置已被弃用,将回退到 \"search.usePCRE2\"。",
+ "useRipgrepDeprecated": "已弃用。请考虑使用 \"search.usePCRE2\" 获取对高级正则表达式功能的支持。"
+ },
+ "vs/workbench/contrib/search/browser/searchActions": {
+ "FocusNextSearchResult.label": "聚焦下一搜索结果",
+ "FocusPreviousSearchResult.label": "聚焦到上一搜索结果",
+ "RemoveAction.label": "消除",
+ "file.replaceAll.label": "全部替换",
+ "match.replace.label": "替换",
+ "replaceInFiles": "在文件中替换",
+ "toggleTabs": "切换类型搜索"
+ },
+ "vs/workbench/contrib/search/browser/searchIcons": {
+ "searchClearIcon": "搜索视图中的“清除结果”图标。",
+ "searchCollapseAllIcon": "搜索视图中的“折叠结果”图标。",
+ "searchDetailsIcon": "用于使搜索详细信息可见的图标。",
+ "searchExpandAllIcon": "搜索视图中的“展开结果”图标。",
+ "searchHideReplaceIcon": "用于折叠搜索视图中的替换部分的图标。",
+ "searchNewEditorIcon": "用于打开新搜索编辑器的操作的图标。",
+ "searchRefreshIcon": "搜索视图中的“刷新”图标。",
+ "searchRemoveIcon": "用于删除搜索结果的图标。",
+ "searchReplaceAllIcon": "搜索视图中的“全部替换”图标。",
+ "searchReplaceIcon": "搜索视图中的“替换”图标。",
+ "searchShowContextIcon": "搜索编辑器中的“切换上下文”图标。",
+ "searchShowReplaceIcon": "用于在搜索视图中展开“替换”部分的图标。",
+ "searchStopIcon": "搜索视图中的“停止”图标。",
+ "searchViewIcon": "查看搜索视图的图标。"
+ },
+ "vs/workbench/contrib/search/browser/searchMessage": {
+ "unable to open": "无法打开未知链接: {0}",
+ "unable to open trust": "无法从不受信任的源打开命令链接: {0}"
+ },
+ "vs/workbench/contrib/search/browser/searchResultsView": {
+ "fileMatchAriaLabel": "文件夹 {2} 的文件 {1} 中有 {0} 个匹配项,搜索结果",
+ "folderMatchAriaLabel": "根目录 {1} 中找到 {0} 个匹配,搜索结果",
+ "lineNumStr": "位于第 {0} 行",
+ "numLinesStr": "其他 {0} 行",
+ "otherFilesAriaLabel": "在工作区外存在 {0} 个匹配,搜索结果",
+ "replacePreviewResultAria": "在第 {2} 列替换词组 {0} 为 {1},同行文本为 {3}",
+ "search": "搜索",
+ "searchFileMatch": "已找到 {0} 个文件",
+ "searchFileMatches": "已找到 {0} 个文件",
+ "searchFolderMatch.other.label": "其他文件",
+ "searchMatch": "已找到 {0} 个匹配项",
+ "searchMatches": "已找到 {0} 个匹配项",
+ "searchResultAria": "在第 {1} 列找到词组 {0},同行文本为 {2}"
+ },
+ "vs/workbench/contrib/search/browser/searchView": {
+ "ariaSearchResultsClearStatus": "搜索结果已清除",
+ "ariaSearchResultsStatus": "搜索 {1} 文件中返回的 {0} 个结果",
+ "disableOpenEditors": "在整个工作区中搜索",
+ "emptySearch": "空搜索",
+ "excludes.enable": "启用",
+ "forTerm": " - 搜索: {0}",
+ "moreSearch": "切换搜索详细信息",
+ "noOpenEditorResultsExcludes": "未在打开的编辑器中找到结果(“{0}”除外) - ",
+ "noOpenEditorResultsFound": "未在打开的编辑器中找到结果。请查看设置中已配置的例外, 并检查 gitignore 文件 - ",
+ "noOpenEditorResultsIncludes": "未在打开的编辑器中找到与“{0}”匹配的结果 - ",
+ "noOpenEditorResultsIncludesExcludes": "未在打开的编辑器中找到与“{0}”匹配的结果(“{1}”除外) - ",
+ "noResultsExcludes": "除“{0}”外,未找到任何结果 - ",
+ "noResultsFound": "未找到结果。查看您的设置配置排除, 并检查您的 gitignore 文件-",
+ "noResultsIncludes": "“{0}”中未找到任何结果 - ",
+ "noResultsIncludesExcludes": "在“{0}”中找不到结果(“{1}”除外) - ",
+ "onlyOpenEditors": "仅在打开的文件中搜索",
+ "openEditors.disable": "禁用",
+ "openFolder": "打开文件夹",
+ "openInEditor.message": "在编辑器中打开",
+ "openInEditor.tooltip": "将当前搜索结果复制到编辑器",
+ "openSettings.learnMore": "了解详细信息",
+ "openSettings.message": "打开设置",
+ "placeholder.excludes": "例如 *.ts、src/**/exclude",
+ "placeholder.includes": "例如 *.ts、src/**/include",
+ "removeAll.occurrence.file.confirmation.message": "是否将 {1} 文件中出现的 {0} 替换为“{2}”?",
+ "removeAll.occurrence.file.message": "已替换 {1} 文件中的 {0} 个匹配项。",
+ "removeAll.occurrence.files.confirmation.message": "是否将 {1} 文件中出现的 {0} 替换为“{2}”?",
+ "removeAll.occurrence.files.message": "已替换 {1} 文件中出现的 {0}。",
+ "removeAll.occurrences.file.confirmation.message": "是否将 {1} 文件中出现的 {0} 替换为“{2}”?",
+ "removeAll.occurrences.file.message": "已替换 {1} 文件中的 {0} 个匹配项。",
+ "removeAll.occurrences.files.confirmation.message": "是否将 {1} 个文件中的 {0} 次匹配替换为“{2}”?",
+ "removeAll.occurrences.files.message": "已替换 {1} 文件中出现的 {0}。",
+ "replaceAll.confirm.button": "替换(&&R)",
+ "replaceAll.confirmation.title": "全部替换",
+ "replaceAll.occurrence.file.confirmation.message": "是否替换 {1} 文件中的 {0} 个匹配项?",
+ "replaceAll.occurrence.file.message": "已将 {1} 文件中出现的 {0} 替换为“{2}”。",
+ "replaceAll.occurrence.files.confirmation.message": "是否替换 {1} 文件中出现的 {0}?",
+ "replaceAll.occurrence.files.message": "已将 {1} 文件中出现的 {0} 替换为“{2}”。",
+ "replaceAll.occurrences.file.confirmation.message": "是否替换 {1} 文件中的 {0} 个匹配项?",
+ "replaceAll.occurrences.file.message": "已将 {1} 文件中出现的 {0} 替换为“{2}”。",
+ "replaceAll.occurrences.files.confirmation.message": "是否替换 {1} 文件中出现的 {0}?",
+ "replaceAll.occurrences.files.message": "已将 {1} 个文件中出现的 {0} 处替换为“{2}”。 ",
+ "rerunSearch.message": "再次搜索",
+ "rerunSearchInAll.message": "在所有文件中再次搜索",
+ "search.file.result": "{0} 个结果,包含于 {1} 个文件中",
+ "search.file.results": "{1} 文件中有 {0} 个结果",
+ "search.files.result": "{1} 文件中有 {0} 个结果",
+ "search.files.results": "{1} 文件中有 {0} 个结果",
+ "searchCanceled": "在找到结果前取消了搜索 - ",
+ "searchMaxResultsWarning": "结果集仅包含所有匹配项的子集。请使你的搜索更加具体以减少结果。",
+ "searchPathNotFoundError": "找不到搜索路径: {0}",
+ "searchScope.excludes": "排除的文件",
+ "searchScope.includes": "包含的文件",
+ "searchWithoutFolder": "尚未打开或指定文件夹。当前仅搜索打开的文件 - ",
+ "useExcludesAndIgnoreFilesDescription": "使用“排除设置”与“忽略文件”",
+ "useIgnoresAndExcludesDisabled": "已禁止排除设置和忽略文件"
+ },
+ "vs/workbench/contrib/search/browser/searchWidget": {
+ "label.Replace": "替换: 键入待替换词,然后按 Enter 进行预览",
+ "label.Search": "搜索: 键入搜索词,然后按 Enter 进行搜索",
+ "search.action.replaceAll.disabled.label": "全部替换(提交搜索以启用)",
+ "search.action.replaceAll.enabled.label": "全部替换",
+ "search.placeHolder": "搜索",
+ "search.replace.placeHolder": "替换",
+ "search.replace.toggle.button.title": "切换替换",
+ "showContext": "切换上下文行"
+ },
+ "vs/workbench/contrib/search/browser/symbolsQuickAccess": {
+ "noSymbolResults": "没有匹配的工作区符号",
+ "openToBottom": "打开转到底部",
+ "openToSide": "打开转到侧边"
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditor": {
+ "label.excludes": "搜索排除模式",
+ "label.includes": "搜索包含模式",
+ "moreSearch": "切换搜索详细信息",
+ "runSearch": "运行搜索",
+ "searchEditor": "搜索",
+ "searchResultItem": "在文件 {2} 的 {1} 中匹配到 {0}",
+ "searchScope.excludes": "排除的文件",
+ "searchScope.includes": "包含的文件",
+ "textInputBoxBorder": "搜索编辑器文本输入框的边框。"
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditor.contribution": {
+ "promptOpenWith.searchEditor.displayName": "搜索编辑器",
+ "search": "搜索编辑器",
+ "search.action.focusFilesToExclude": "要排除的焦点搜索编辑器文件",
+ "search.action.focusFilesToInclude": "要包括的焦点搜索编辑器文件",
+ "search.action.focusQueryEditorWidget": "聚焦搜索编辑器输入",
+ "search.openNewEditor": "打开新的搜索编辑器",
+ "search.openNewEditorToSide": "打开侧边的新搜索编辑器",
+ "search.openNewSearchEditor": "新的搜索编辑器",
+ "search.openResultsInEditor": "在编辑器中打开结果",
+ "search.openSearchEditor": "打开搜索编辑器",
+ "search.rerunSearchInEditor": "再次搜索",
+ "searchEditor": "搜索编辑器",
+ "searchEditor.action.decreaseSearchEditorContextLines": "减少上下文行",
+ "searchEditor.action.increaseSearchEditorContextLines": "增加上下文行",
+ "searchEditor.action.selectAllSearchEditorMatches": "选择所有匹配项",
+ "searchEditor.action.toggleSearchEditorCaseSensitive": "切换匹配大小写",
+ "searchEditor.action.toggleSearchEditorContextLines": "切换上下文行",
+ "searchEditor.action.toggleSearchEditorRegex": "切换使用正则表达式",
+ "searchEditor.action.toggleSearchEditorWholeWord": "切换全字匹配",
+ "searchEditor.deleteResultBlock": "删除文件结果"
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditorInput": {
+ "searchTitle": "搜索",
+ "searchTitle.withQuery": "搜索: {0}"
+ },
+ "vs/workbench/contrib/searchEditor/browser/searchEditorSerialization": {
+ "invalidQueryStringError": "查询字符串中的所有反斜杠都必须转义(\\\\)",
+ "noResults": "无结果",
+ "numFiles": "{0} 文件",
+ "numResults": "{0} 个结果",
+ "oneFile": "1 个文件",
+ "oneResult": "1 个结果",
+ "searchMaxResultsWarning": "结果集仅包含所有匹配项的子集。请使你的搜索更加具体以减少结果。"
+ },
+ "vs/workbench/contrib/snippets/browser/commands/abstractSnippetsActions": {
+ "snippets": "代码片段"
+ },
+ "vs/workbench/contrib/snippets/browser/commands/configureSnippets": {
+ "bad_name1": "无效的文件名",
+ "bad_name2": "“{0}”不是有效的文件名",
+ "bad_name3": "“{0}”已存在",
+ "global.1": "({0})",
+ "global.scope": "(全局)",
+ "group.global": "现有代码片段",
+ "miOpenSnippets": "用户片段(&&S)",
+ "name": "键入代码段文件名",
+ "new.folder": "新建“{0}”文件夹的代码片段文件...",
+ "new.global": "新建全局代码片段文件...",
+ "new.global.sep": "新代码片段",
+ "new.global_scope": "全局",
+ "new.workspace_scope": "{0} 工作区",
+ "openSnippet.label": "配置用户代码片段",
+ "openSnippet.pickLanguage": "选择代码片段文件或创建代码片段",
+ "userSnippets": "用户代码片段"
+ },
+ "vs/workbench/contrib/snippets/browser/commands/fileTemplateSnippets": {
+ "label": "从代码片段填充文件",
+ "placeholder": "选择代码片段"
+ },
+ "vs/workbench/contrib/snippets/browser/commands/insertSnippet": {
+ "snippet.suggestions.label": "插入片段"
+ },
+ "vs/workbench/contrib/snippets/browser/commands/surroundWithSnippet": {
+ "label": "由代码片段包围..."
+ },
+ "vs/workbench/contrib/snippets/browser/snippetCodeActionProvider": {
+ "codeAction": "环绕方式: {0}",
+ "overflow.start.title": "从代码片段开始",
+ "title": "开头为: {0}"
+ },
+ "vs/workbench/contrib/snippets/browser/snippetCompletionProvider": {
+ "detail.snippet": "{0} ({1})",
+ "snippetSuggest.longLabel": "{0}, {1}"
+ },
+ "vs/workbench/contrib/snippets/browser/snippetPicker": {
+ "disableSnippet": "从 IntelliSense 中隐藏",
+ "enable.snippet": "在 IntelliSense 中显示",
+ "isDisabled": "(从 IntelliSense 中隐藏)",
+ "pick.noSnippetAvailable": "没有可用的代码片段",
+ "pick.placeholder": "选择代码段",
+ "sep.userSnippet": "用户代码片段",
+ "sep.workspaceSnippet": "工作区代码片段"
+ },
+ "vs/workbench/contrib/snippets/browser/snippets.contribution": {
+ "editor.snippets.codeActions.enabled": "控制外围代码段或文件模板片段是否显示为代码操作。",
+ "snippetSchema.json": "用户代码片段配置",
+ "snippetSchema.json.body": "片段内容。请使用 '$1', '${1:defaultText}' 来定义光标位置,使用“$0”表示最终光标位置。请插入带有“${varName}”和“${varName:defaultText}”的变量值,例如 \"这是文件: $TM_FILENAME\"。",
+ "snippetSchema.json.default": "空代码片段",
+ "snippetSchema.json.description": "代码片段描述。",
+ "snippetSchema.json.isFileTemplate": "代码片段用于填充或替换整个文件",
+ "snippetSchema.json.prefix": "在 Intellisense 中选择代码片段时要使用的前缀",
+ "snippetSchema.json.scope": "此代码段使用的语言名称列表,例如 \"typescript,javascript\"。"
+ },
+ "vs/workbench/contrib/snippets/browser/snippetsFile": {
+ "source.userSnippet": "用户代码片段",
+ "source.userSnippetGlobal": "全局用户代码片段",
+ "source.workspaceSnippetGlobal": "工作区代码片段"
+ },
+ "vs/workbench/contrib/snippets/browser/snippetsService": {
+ "badFile": "无法读取代码片段文件“{0}”。",
+ "badVariableUse": "扩展“{0}”中的一个或多个代码片段很可能混淆了片段变量和片段占位符 (有关详细信息,请访问 https://code.visualstudio.com/docs/editor/userdefinedsnippets#_snippet-syntax )",
+ "invalid.language": "\"contributes.{0}.language\" 中包含未知语言。提供的值: {1}",
+ "invalid.language.0": "省略语言时,\"contributes.{0}.path\" 的值必须为一个 \".code-snippets\" 文件。提供的值: {1}",
+ "invalid.path.0": "“contributes.{0}.path”中应为字符串。提供的值: {1}",
+ "invalid.path.1": "“contributes.{0}.path”({1})应包含在扩展的文件夹({2})内。这可能会使扩展不可移植。",
+ "vscode.extension.contributes.snippets": "贡献代码段。",
+ "vscode.extension.contributes.snippets-language": "此代码片段参与的语言标识符。",
+ "vscode.extension.contributes.snippets-path": "代码片段文件的路径。该路径相对于扩展文件夹,通常以 \"./snippets/\" 开头。"
+ },
+ "vs/workbench/contrib/surveys/browser/ces.contribution": {
+ "cesSurveyQuestion": "你有时间帮助 VS Code 团队吗? 请告诉我们你截至目前的 VS Code 体验情况。",
+ "giveFeedback": "提供反馈",
+ "remindLater": "以后提醒我"
+ },
+ "vs/workbench/contrib/surveys/browser/languageSurveys.contribution": {
+ "helpUs": "帮助我们改善对 {0} 的支持",
+ "neverAgain": "不再显示",
+ "remindLater": "以后提醒我",
+ "takeShortSurvey": "参与小调查"
+ },
+ "vs/workbench/contrib/surveys/browser/nps.contribution": {
+ "neverAgain": "不再显示",
+ "remindLater": "以后提醒我",
+ "surveyQuestion": "是否介意参加快速反馈调查?",
+ "takeSurvey": "参加调查"
+ },
+ "vs/workbench/contrib/tasks/browser/abstractTaskService": {
+ "ConfigureTaskRunnerAction.label": "配置任务",
+ "TaskServer.folderIgnored": "由于使用任务版本 0.1.0,文件夹 {0} 将被忽略",
+ "TaskServer.noTask": "未定义要执行的任务",
+ "TaskService.associate": "关联",
+ "TaskService.attachProblemMatcher.continueWithout": "继续而不扫描任务输出",
+ "TaskService.attachProblemMatcher.learnMoreAbout": "了解有关扫描任务输出的详细信息",
+ "TaskService.attachProblemMatcher.never": "从不扫描此任务的任务输出",
+ "TaskService.attachProblemMatcher.neverType": "从不扫描 {0} 个任务的任务输出",
+ "TaskService.createJsonFile": "使用模板创建 tasks.json 文件",
+ "TaskService.defaultBuildTaskExists": "{0} 已被标记为默认生成任务",
+ "TaskService.defaultTestTaskExists": "{0} 已被标记为默认测试任务。",
+ "TaskService.fetchingBuildTasks": "正在获取生成任务...",
+ "TaskService.fetchingTestTasks": "正在获取测试任务...",
+ "TaskService.ignoredFolder": "由于使用任务版本 0.1.0,以下工作区文件夹将被忽略: {0}",
+ "TaskService.noBuildTask": "没有找到要运行的生成任务。配置生成任务...",
+ "TaskService.noBuildTask1": "未定义任何生成任务。使用 \"isBuildCommand\" 在 tasks.json 文件中标记任务。",
+ "TaskService.noBuildTask2": "未定义任何生成任务。在 tasks.json 文件中将任务标记为 \"build\" 组。",
+ "TaskService.noConfiguration": "错误: {0} 任务检测未针对以下配置提供任务:\r\n{1}\r\n将忽略此任务。\r\n",
+ "TaskService.noEntryToRun": "配置任务",
+ "TaskService.noTaskIsRunning": "没有运行中的任务",
+ "TaskService.noTaskRunning": "当前没有运行中的任务",
+ "TaskService.noTaskToRestart": "没有要重启的任务",
+ "TaskService.noTestTask1": "未定义任何测试任务。使用 \"isTestCommand\" 在 tasks.json 文件中标记任务。",
+ "TaskService.noTestTask2": "未定义任何测试任务。在 tasks.json 文件中将任务标记为 \"test\" 组。",
+ "TaskService.noTestTaskTerminal": "没有找到要运行的测试任务。配置任务...",
+ "TaskService.notAgain": "不再显示",
+ "TaskService.openJsonFile": "打开 tasks.json 文件",
+ "TaskService.pickBuildTask": "选择要运行的生成任务",
+ "TaskService.pickBuildTaskForLabel": "选择生成任务(未定义默认生成任务)",
+ "TaskService.pickDefaultBuildTask": "选择要用作默认生成任务的任务",
+ "TaskService.pickDefaultTestTask": "选择要用作默认测试任务的任务",
+ "TaskService.pickRunTask": "选择要运行的任务",
+ "TaskService.pickShowTask": "选择要显示输出的任务",
+ "TaskService.pickTask": "选择要配置的任务",
+ "TaskService.pickTestTask": "选择要运行的测试任务",
+ "TaskService.providerUnavailable": "警告: {0} 个任务在当前环境中不可用。\r\n",
+ "TaskService.requestTrust": "列出和运行任务要求此工作区中的某些文件作为代码执行。",
+ "TaskService.taskToRestart": "选择要重启的任务",
+ "TaskService.taskToTerminate": "选择要终止的任务",
+ "TaskService.template": "选择任务模板",
+ "TaskService.terminateAllRunningTasks": "所有正在运行的任务",
+ "TaskSystem.active": "当前已有任务正在运行。请先终止它,然后再执行另一项任务。",
+ "TaskSystem.activeSame.noBackground": "任务“{0}”已处于活动状态。",
+ "TaskSystem.configurationErrors": "错误: 提供的任务配置具有验证错误,无法使用。请首先改正错误。",
+ "TaskSystem.invalidTaskJson": "错误: tasks.json 文件的内容存在语法错误。请先纠正它们,然后再执行任务。\r\n",
+ "TaskSystem.invalidTaskJsonOther": "错误: {0} 中 tasks json 的内容存在语法错误。请先纠正它们,然后再执行任务。\r\n",
+ "TaskSystem.restartFailed": "未能终止并重启任务 {0}",
+ "TaskSystem.saveBeforeRun.prompt.title": "是否保存所有编辑器?",
+ "TaskSystem.unknownError": "运行任务时发生了错误。请参见任务日志了解详细信息。",
+ "TaskSystem.versionSettings": "用户设置中只允许版本为 2.0.0 的任务。",
+ "TaskSystem.versionWorkspaceFile": "工作区配置文件中只允许 2.0.0 版本的任务。",
+ "TasksSystem.locationUserConfig": "用户设置",
+ "TasksSystem.locationWorkspaceConfig": "工作区文件",
+ "TerminateAction.failed": "未能终止运行中的任务",
+ "TerminateAction.label": "终止任务",
+ "TerminateAction.noProcess": "启动的进程不再存在。如果任务生成的后台任务退出 VS Code,则可能会导致出现孤立的进程。",
+ "configureTask": "配置任务",
+ "configured": "配置的任务",
+ "customizeParseErrors": "当前任务配置存在错误。请先更正错误,再自定义任务。",
+ "detail": "是否要在运行任务前保存所有编辑器?",
+ "detected": "检测到的任务",
+ "moreThanOneBuildTask": "tasks.json 中定义了很多生成任务。正在执行第一个任务。\r\n",
+ "recentlyUsed": "最近使用的任务",
+ "restartTask": "重启任务",
+ "runTask.arg": "筛选快速入门中显示的任务",
+ "runTask.label": "任务的标签或要作为筛选依据的术语",
+ "runTask.task": "任务的标签或要作为筛选依据的术语",
+ "runTask.type": "参与的任务类型",
+ "saveBeforeRun.dontSave": "不保存",
+ "saveBeforeRun.save": "保存",
+ "selectProblemMatcher": "选择针对何种错误和警告扫描任务输出",
+ "showOutput": "显示输出",
+ "taskQuickPick.userSettings": "用户",
+ "taskService.ignoreingFolder": "忽略工作区文件夹 {0} 的任务配置。多文件夹工作区任务支持要求所有文件夹都使用任务版本 2.0.0\r\n",
+ "taskService.openDiff": "打开差异",
+ "taskService.openDiffs": "打开差异",
+ "taskService.upgradeVersion": "已删除弃用的任务版本 0.1.0。你的任务已升级到 2.0.0 版本。打开差异以查看升级内容。",
+ "taskService.upgradeVersionPlural": "已删除弃用的任务版本 0.1.0。你的任务已升级到 2.0.0 版本。打开差异以查看升级内容。",
+ "taskServiceOutputPrompt": "任务出现错误。请查看输出结果,了解更多详细信息",
+ "tasks": "任务",
+ "tasksJsonComment": "\t// 请参阅 https://go.microsoft.com/fwlink/?LinkId=733558 \r\n\t//查看有关 tasks.json 格式的文档",
+ "terminateTask": "终止任务",
+ "unexpectedTaskType": "“{0}”任务的任务提供程序意外提供了“{1}”类型的任务。\r\n"
+ },
+ "vs/workbench/contrib/tasks/browser/runAutomaticTasks": {
+ "allow": "允许并运行",
+ "disallow": "禁止",
+ "openTask": "打开文件",
+ "openTasks": "打开文件",
+ "tasks.run.allowAutomatic": "此工作区已在({1})定义任务({0});打开此工作区时,这些任务将自动运行。是否允许自动任务在你打开此工作区时运行?",
+ "workbench.action.tasks.allowAutomaticTasks": "允许文件夹中的自动任务",
+ "workbench.action.tasks.disallowAutomaticTasks": "禁止文件夹中的自动任务",
+ "workbench.action.tasks.manageAutomaticRunning": "管理文件夹中的自动任务"
+ },
+ "vs/workbench/contrib/tasks/browser/task.contribution": {
+ "BuildAction.label": "运行生成任务",
+ "ConfigureDefaultBuildTask.label": "配置默认生成任务",
+ "ConfigureDefaultTestTask.label": "配置默认测试任务",
+ "ReRunTaskAction.label": "重新运行上一个任务",
+ "RestartTaskAction.label": "重启正在运行的任务",
+ "RunTaskAction.label": "运行任务",
+ "ShowLogAction.label": "显示任务日志",
+ "ShowTasksAction.label": "显示运行中的任务",
+ "TerminateAction.label": "终止任务",
+ "TestAction.label": "运行测试任务",
+ "building": "正在生成...",
+ "miBuildTask": "运行生成任务(&&B)…",
+ "miConfigureBuildTask": "配置默认生成任务(&&F)…",
+ "miConfigureTask": "配置任务(&&C)…",
+ "miRestartTask": "重启正在运行的任务(&&E)…",
+ "miRunTask": "运行任务(&&R)…",
+ "miRunningTask": "显示正在运行的任务(&&G)…",
+ "miTerminateTask": "终止任务(&&T)…",
+ "numberOfRunningTasks": "{0} 个正在运行的任务",
+ "runningTasks": "显示运行中的任务",
+ "status.runningTasks": "运行任务",
+ "task.SaveBeforeRun.prompt": "提示在运行前是否保存编辑器。",
+ "task.allowAutomaticTasks": "在文件夹中启用自动任务。",
+ "task.allowAutomaticTasks.auto": "每个文件夹的权限提示",
+ "task.allowAutomaticTasks.off": "从不",
+ "task.autoDetect": "控制为所有任务提供程序扩展启用\"提供任务\"。如果\"任务: 运行任务\"命令速度较慢,则禁用任务提供程序的自动检测可能会提供帮助。单个扩展还可以提供禁用自动检测的设置。",
+ "task.experimental.reconnection": "在窗口重新加载时,重新连接到正在运行的监视/后台任务。请注意,这是实验性的,因此可能会遇到问题。",
+ "task.problemMatchers.neverPrompt": "配置在运行任务时是否显示问题匹配器提示。设置为\"true\"从不提示,或使用任务类型的字典仅关闭特定任务类型的提示。",
+ "task.problemMatchers.neverPrompt.array": "包含任务类型布尔对的对象,从不提示有问题的匹配者。",
+ "task.problemMatchers.neverPrompt.boolean": "为所有任务设置问题匹配器提示行为。",
+ "task.quickOpen.detail": "控制是否显示在“运行任务”等任务快速选取中具有详细信息的任务的详细信息。",
+ "task.quickOpen.history": "控制任务快速打开对话框中跟踪的最近项目数。",
+ "task.quickOpen.showAll": "使 Tasks: Run Task 命令使用速度较慢的“全部显示”行为,而不是使用任务按提供程序进行分组的速度更快的双层选取器。",
+ "task.quickOpen.skip": "控制当只有一个任务要选取时是否跳过任务快速选取。",
+ "task.saveBeforeRun": "在运行任务前保存所有未保存的编辑器。",
+ "task.saveBeforeRun.always": "运行前始终保存所有编辑器。",
+ "task.saveBeforeRun.never": "运行前绝不保存编辑器。",
+ "task.showDecorations": "显示终端缓冲区中兴趣点的修饰,例如通过监视任务发现的第一个问题。请注意,这只会对将来的任务生效。",
+ "task.slowProviderWarning": "配置当提供程序速度较慢时是否显示警告",
+ "task.slowProviderWarning.array": "从不显示慢速提供程序警告的任务类型的数组。",
+ "task.slowProviderWarning.boolean": "为所有任务设置慢速提供程序警告。",
+ "tasksConfigurationTitle": "任务",
+ "tasksQuickAccessHelp": "运行任务",
+ "tasksQuickAccessPlaceholder": "键入要运行的任务的名称。",
+ "ttask.allowAutomaticTasks.on": "始终",
+ "workbench.action.tasks.openUserTasks": "打开用户任务",
+ "workbench.action.tasks.openWorkspaceFileTasks": "打开工作区任务"
+ },
+ "vs/workbench/contrib/tasks/browser/taskQuickPick": {
+ "TaskQuickPick.changeSettingDetails": "{0} 任务的任务检测会导致打开的任何工作区中的文件作为代码运行。启用 {0} 任务检测是用户设置,并将应用于打开的任何工作区。是否要为所有工作区启用 {0} 任务检测?",
+ "TaskQuickPick.changeSettingNo": "否",
+ "TaskQuickPick.changeSettingYes": "是",
+ "TaskQuickPick.changeSettingsOptions": "$(gear) {0} 任务检测处于关闭状态。启用 {1} 任务检测...",
+ "TaskQuickPick.goBack": "返回",
+ "TaskQuickPick.noTasksForType": "未找到任务 {0}。返回↩",
+ "TaskService.pickRunTask": "选择要运行的任务",
+ "configureTask": "配置任务",
+ "configureTaskIcon": "任务选择列表中的“配置”图标。",
+ "configured": "已配置",
+ "contributedTasks": "已提供",
+ "noProviderForTask": "没有为“{0}”类型的任务注册任务提供程序。",
+ "recentlyUsed": "最近使用过",
+ "removeRecent": "删除最近使用的任务",
+ "removeTaskIcon": "任务选择列表中的“删除”图标。",
+ "taskQuickPick.showAll": "显示所有任务...",
+ "taskType": "全部 {0} 个任务"
+ },
+ "vs/workbench/contrib/tasks/browser/taskTerminalStatus": {
+ "task.watchFirstError": "此运行检测到错误的开始",
+ "taskTerminalStatus.active": "任务正在运行",
+ "taskTerminalStatus.errors": "页面中有错误",
+ "taskTerminalStatus.errorsInactive": "任务有错误,正在等待...",
+ "taskTerminalStatus.infos": "任务有信息",
+ "taskTerminalStatus.infosInactive": "任务有信息,正在等待...",
+ "taskTerminalStatus.succeeded": "成功的任务",
+ "taskTerminalStatus.succeededInactive": "已成功完成任务并在等待...",
+ "taskTerminalStatus.warnings": "任务有警告",
+ "taskTerminalStatus.warningsInactive": "任务有警告,正在等待..."
+ },
+ "vs/workbench/contrib/tasks/browser/tasksQuickAccess": {
+ "TaskService.pickRunTask": "选择要运行的任务",
+ "noTaskResults": "没有匹配的任务"
+ },
+ "vs/workbench/contrib/tasks/browser/terminalTaskSystem": {
+ "TerminalTaskSystem": "无法使用 cmd.exe 在 UNC 驱动器上执行 Shell 命令。",
+ "TerminalTaskSystem.nonWatchingMatcher": "任务 {0} 是后台任务,但使用的问题匹配器没有后台模式",
+ "TerminalTaskSystem.taskLoadReporting": "任务“{0}”存在问题。有关更多详细信息,请参见输出。",
+ "TerminalTaskSystem.unknownError": "在执行任务时发生未知错误。请参见任务输出日志了解详细信息。",
+ "closeTerminal": "按任意键关闭终端。",
+ "dependencyCycle": "存在依赖项循环。请参阅任务“{0}”。",
+ "dependencyFailed": "无法解析在工作区文件夹“{1}”中的依赖任务“{0}”",
+ "reuseTerminal": "终端将被任务重用,按任意键关闭。",
+ "task.executing": "正在执行任务: {0}",
+ "task.executingInFolder": "正在文件夹 {0} 中执行任务: {1}",
+ "unknownProblemMatcher": "无法解析问题匹配器 {0}。将忽略此匹配程序"
+ },
+ "vs/workbench/contrib/tasks/common/jsonSchemaCommon": {
+ "JsonSchema.args": "传递到命令的其他参数。",
+ "JsonSchema.background": "已执行的任务是否保持活动状态并在后台运行。",
+ "JsonSchema.command": "要执行的命令。可以是外部程序或 shell 命令。",
+ "JsonSchema.echoCommand": "控制是否将已执行的命令回显到输出。默认值为 false。",
+ "JsonSchema.matchers": "要使用的问题匹配程序。可以是字符串或问题匹配程序定义,或字符串和问题匹配程序数组。",
+ "JsonSchema.options": "其他命令选项",
+ "JsonSchema.options.cwd": "已执行程序或脚本的当前工作目录。如果省略,则使用代码的当前工作区根。",
+ "JsonSchema.options.env": "已执行程序或 shell 的环境。如果省略,则使用父进程的环境。",
+ "JsonSchema.promptOnClose": "在具有正在运行的后台任务的情况下关闭 VS 代码时是否提示用户。",
+ "JsonSchema.shell.args": "shell 参数。",
+ "JsonSchema.shell.executable": "待使用的 shell。",
+ "JsonSchema.shellConfiguration": "配置使用的 shell。",
+ "JsonSchema.showOutput": "控制是否显示运行任务的输出。如果省略,则使用“始终”。",
+ "JsonSchema.suppressTaskName": "控制是否将任务名作为参数添加到命令。默认值是 false。",
+ "JsonSchema.taskSelector": "指示参数是任务的前缀。",
+ "JsonSchema.tasks": "任务配置。通常是外部任务运行程序中已定义任务的扩充。",
+ "JsonSchema.tasks.args": "调用此任务时要传递给命令的参数。",
+ "JsonSchema.tasks.background": "执行的任务是否保持活动状态并在后台运行。",
+ "JsonSchema.tasks.build": "将此任务映射到代码的默认生成命令。",
+ "JsonSchema.tasks.linux": "Linux 特定的命令配置",
+ "JsonSchema.tasks.mac": "Mac 特定的命令配置",
+ "JsonSchema.tasks.matcherError": "无法识别的问题匹配程序。是否已安装支持此问题匹配程序的扩展?",
+ "JsonSchema.tasks.matchers": "要使用的问题匹配程序。可以是一个字符串或一个问题匹配程序定义,也可以是一个字符串数组和多个问题匹配程序。",
+ "JsonSchema.tasks.promptOnClose": "若 VS Code 关闭时有一个任务正在运行,是否提示用户。",
+ "JsonSchema.tasks.showOutput": "控制是否显示正在运行的任务的输出。如果省略,则使用全局定义的值。",
+ "JsonSchema.tasks.suppressTaskName": "控制是否将任务名作为参数添加到命令。如果省略,则使用全局定义的值。",
+ "JsonSchema.tasks.taskName": "任务名称",
+ "JsonSchema.tasks.test": "将此任务映射到代码的默认测试命令。",
+ "JsonSchema.tasks.watching": "已执行的任务是否保持活动状态,并且是否在监视文件系统。",
+ "JsonSchema.tasks.watching.deprecation": "已弃用。改用 isBackground。",
+ "JsonSchema.tasks.windows": "Windows 特定的命令配置",
+ "JsonSchema.watching": "已执行的任务是否保持活动状态,并且是否在监视文件系统。",
+ "JsonSchema.watching.deprecation": "已弃用。改用 isBackground。"
+ },
+ "vs/workbench/contrib/tasks/common/jsonSchema_v1": {
+ "JsonSchema._runner": "此 runner 已完成使命。请使用官方 runner 属性",
+ "JsonSchema.linux": "Linux 特定的命令配置",
+ "JsonSchema.mac": "Mac 特定的命令配置",
+ "JsonSchema.runner": "定义任务是否作为进程执行,输出显示在输出窗口还是在终端内。",
+ "JsonSchema.shell": "指定命令是 shell 命令还是外部程序。如果省略,则默认为 false。",
+ "JsonSchema.version": "配置的版本号",
+ "JsonSchema.version.deprecated": "任务版本 0.1.0 已被弃用。请使用 2.0.0",
+ "JsonSchema.windows": "Windows 特定的命令配置"
+ },
+ "vs/workbench/contrib/tasks/common/jsonSchema_v2": {
+ "JsonSchema.args.quotedString.value": "实际参数值",
+ "JsonSchema.args.quotesString.quote": "参数值应该如何引用。",
+ "JsonSchema.command": "要执行的命令。可以是外部程序或 shell 命令。",
+ "JsonSchema.command.quotedString.value": "实际命令值",
+ "JsonSchema.command.quotesString.quote": "如何引用命令值。",
+ "JsonSchema.commandArray": "执行的 Shell 命令。数组项将使用空格连接",
+ "JsonSchema.customizations.customizes.type": "要自定义的任务类型",
+ "JsonSchema.hide": "从运行任务快速选择菜单中隐藏此任务",
+ "JsonSchema.linux": "Linux 特定的命令配置",
+ "JsonSchema.mac": "Mac 特定的命令配置",
+ "JsonSchema.shell": "指定命令是 shell 命令还是外部程序。如果省略,则默认为 false。",
+ "JsonSchema.tasks.args": "调用此任务时要传递给命令的参数。",
+ "JsonSchema.tasks.background": "执行的任务是否保持活动状态并在后台运行。",
+ "JsonSchema.tasks.customize.deprecated": "customize 属性已被弃用。请参阅 1.14 发行说明了解如何迁移到新的任务自定义方法",
+ "JsonSchema.tasks.dependsOn": "表示另一个任务的字符串或此任务所依赖的其他任务的数组。",
+ "JsonSchema.tasks.dependsOn.array": "此任务依赖的其他任务。",
+ "JsonSchema.tasks.dependsOn.identifier": "任务标识符。",
+ "JsonSchema.tasks.dependsOn.string": "此任务依赖的另一任务。",
+ "JsonSchema.tasks.dependsOrder": "确定此任务的依赖任务的顺序。请注意,此属性不是递归的。",
+ "JsonSchema.tasks.dependsOrder.parallel": "并行运行所有 dependsOn 任务。",
+ "JsonSchema.tasks.dependsOrder.sequence": "按顺序运行所有 dependsOn 任务。",
+ "JsonSchema.tasks.detail": "任务的可选说明,在“运行任务”快速选取中作为详细信息显示。",
+ "JsonSchema.tasks.echoCommand.deprecated": "isBuildCommand 属性已被弃用。请改为使用 presentation 属性内的 echo 属性。另请参阅 1.14 发行说明。",
+ "JsonSchema.tasks.group": "定义此任务属于的执行组。它支持 \"build\" 以将其添加到生成组,也支持 \"test\" 以将其添加到测试组。",
+ "JsonSchema.tasks.group.build": "将任务标记为可通过 \"运行生成任务\" 命令访问的生成任务。",
+ "JsonSchema.tasks.group.defaultBuild": "将此任务标记为默认生成任务。",
+ "JsonSchema.tasks.group.defaultTest": "将此任务标记为默认测试任务。",
+ "JsonSchema.tasks.group.isDefault": "定义此任务是组中的默认任务,还是与应触发此任务的文件匹配的 glob。",
+ "JsonSchema.tasks.group.kind": "任务的执行组。",
+ "JsonSchema.tasks.group.none": "将任务分配为没有组",
+ "JsonSchema.tasks.group.test": "将任务标记为可通过 \"Run Test Task\" 命令访问的测试任务。",
+ "JsonSchema.tasks.icon": "任务的可选图标",
+ "JsonSchema.tasks.icon.color": "图标的可选颜色",
+ "JsonSchema.tasks.icon.id": "要使用的可选 codicon ID",
+ "JsonSchema.tasks.identifier": "用于在 launch.json 或 dependsOn 子句中引用任务的用户定义标识符。",
+ "JsonSchema.tasks.identifier.deprecated": "已弃用用户定义的标识符。对于自定义任务,请使用名称进行引用;对于由扩展提供的任务,请使用其中定义的任务标识符。",
+ "JsonSchema.tasks.instanceLimit": "允许同时运行的任务的实例数。",
+ "JsonSchema.tasks.isBuildCommand.deprecated": "isBuildCommand 属性已被弃用。请改为使用 group 属性。另请参阅 1.14 发行说明。",
+ "JsonSchema.tasks.isShellCommand.deprecated": "isShellCommand 属性已被弃用。请改为使用任务的 type 属性和选项中的 shell 属性。另请参阅 1.14 发行说明。",
+ "JsonSchema.tasks.isTestCommand.deprecated": "isTestCommand 属性已被弃用。请改为使用 group 属性。另请参阅 1.14 发行说明。",
+ "JsonSchema.tasks.label": "任务的用户界面标签",
+ "JsonSchema.tasks.matchers": "要使用的问题匹配程序。可以是一个字符串或一个问题匹配程序定义,也可以是一个字符串数组和多个问题匹配程序。",
+ "JsonSchema.tasks.presentation": "配置用于显示任务输出并读取其输入的面板。",
+ "JsonSchema.tasks.presentation.clear": "控制是否在执行任务之前清除终端。",
+ "JsonSchema.tasks.presentation.close": "控制任务退出时是否关闭运行任务的终端。",
+ "JsonSchema.tasks.presentation.echo": "控制是否将执行的命令显示到面板中。默认值为“true”。",
+ "JsonSchema.tasks.presentation.focus": "控制面板是否获取焦点。默认值为“false”。如果设置为“true”,面板也会显示。",
+ "JsonSchema.tasks.presentation.group": "控制是否使用拆分窗格在特定终端组中执行任务。",
+ "JsonSchema.tasks.presentation.instance": "控制是否在任务间共享面板。同一个任务使用相同面板还是每次运行时新创建一个面板。",
+ "JsonSchema.tasks.presentation.reveal": "控制运行任务的终端是否显示。可按选项 \"revealProblems\" 进行替代。默认设置为“始终”。",
+ "JsonSchema.tasks.presentation.reveal.always": "总是在此任务执行时显示终端。",
+ "JsonSchema.tasks.presentation.reveal.never": "不要在此任务执行时显示终端。",
+ "JsonSchema.tasks.presentation.reveal.silent": "只有当任务因错误而退出或者问题匹配器发现错误时,才会显示终端。",
+ "JsonSchema.tasks.presentation.revealProblems": "控制在运行此任务时是否显示问题面板。优先于 \"显示\" 选项。默认值为 \"从不\"。",
+ "JsonSchema.tasks.presentation.revealProblems.always": "执行此任务时, 始终显示问题面板。",
+ "JsonSchema.tasks.presentation.revealProblems.never": "执行此任务时, 永远不会显示问题面板。",
+ "JsonSchema.tasks.presentation.revealProblems.onProblem": "只有在发现问题时, 才会显示问题面板。",
+ "JsonSchema.tasks.presentation.showReuseMessage": "控制是否显示“终端将被任务重用,按任意键关闭”提示。",
+ "JsonSchema.tasks.promptOnClose": "若 VS Code 关闭时有一个任务正在运行,是否提示用户。",
+ "JsonSchema.tasks.quoting.escape": "使用 Shell 的转义字符来转义文本 (如,PowerShell 下的 ` 和 bash 下的 \\ )",
+ "JsonSchema.tasks.quoting.strong": "使用 Shell 的强引用字符来引用参数 (例如在 PowerShell 和 bash 下的 ')。",
+ "JsonSchema.tasks.quoting.weak": "使用 Shell 的弱引用字符来引用参数 (例如在 PowerShell 和 bash 下的 \")。",
+ "JsonSchema.tasks.reevaluateOnRerun": "是否在重新运行时重新评估任务变量。",
+ "JsonSchema.tasks.runOn": "对该任务何时运行进行配置。如果设置为 folderOpen,那么该任务将在文件夹打开时自动运行。",
+ "JsonSchema.tasks.runOptions": "任务的运行相关选项",
+ "JsonSchema.tasks.showOutput.deprecated": "showOutput 属性已被弃用。请改为使用 presentation 属性内的 reveal 属性。另请参阅 1.14 发行说明。",
+ "JsonSchema.tasks.suppressTaskName.deprecated": "suppressTaskName 属性已被弃用。请改为在任务中内嵌命令及其参数。另请参阅 1.14 发行说明。",
+ "JsonSchema.tasks.taskLabel": "任务标签",
+ "JsonSchema.tasks.taskName": "任务名称",
+ "JsonSchema.tasks.taskName.deprecated": "任务的 name 属性已被弃用。请改为使用 label 属性。",
+ "JsonSchema.tasks.taskSelector.deprecated": "taskSelector 属性已被弃用。请改为在任务中内嵌命令及其参数。另请参阅 1.14 发行说明。",
+ "JsonSchema.tasks.terminal": "terminal 属性已被弃用。请改为使用 presentation",
+ "JsonSchema.tasks.type": "定义任务是被作为进程运行还是在 shell 中作为命令运行。",
+ "JsonSchema.version": "配置的版本号。",
+ "JsonSchema.windows": "Windows 特定的命令配置"
+ },
+ "vs/workbench/contrib/tasks/common/problemMatcher": {
+ "LegacyProblemMatcherSchema.watchedBegin": "一个正则表达式,发出受监视任务开始执行(通过文件监视触发)的信号。",
+ "LegacyProblemMatcherSchema.watchedBegin.deprecated": "此属性已弃用。请改用观看属性。",
+ "LegacyProblemMatcherSchema.watchedEnd": "一个正则表达式,发出受监视任务结束执行的信号。",
+ "LegacyProblemMatcherSchema.watchedEnd.deprecated": "此属性已弃用。请改用观看属性。",
+ "NamedMultiLineProblemPatternSchema.name": "问题多行问题模式的名称。",
+ "NamedMultiLineProblemPatternSchema.patterns": "实际模式。",
+ "NamedProblemMatcherSchema.label": "问题匹配程序的人类可读标签。",
+ "NamedProblemMatcherSchema.name": "要引用的问题匹配程序的名称。",
+ "NamedProblemPatternSchema.name": "问题模式的名称。",
+ "PatternTypeSchema.description": "问题模式或者所提供或预定义问题模式的名称。如果已指定基准,则可以省略。",
+ "PatternTypeSchema.name": "所提供或预定义模式的名称",
+ "ProblemMatcherExtPoint": "提供问题匹配程序",
+ "ProblemMatcherParser.invalidRegexp": "错误: 字符串 {0} 不是有效的正则表达式。\r\n",
+ "ProblemMatcherParser.noDefinedPatter": "错误: 标识符为 {0} 的模式不存在。",
+ "ProblemMatcherParser.noFileLocation": "错误: 说明未定义文件位置:\r\n{0}\r\n",
+ "ProblemMatcherParser.noIdentifier": "错误: 模式属性引用空标识符。",
+ "ProblemMatcherParser.noOwner": "错误: 说明未定义所有者:\r\n{0}\r\n",
+ "ProblemMatcherParser.noProblemMatcher": "错误: 说明无法转换为问题匹配器:\r\n{0}\r\n",
+ "ProblemMatcherParser.noProblemPattern": "错误: 说明未定义有效的问题模式:\r\n{0}\r\n",
+ "ProblemMatcherParser.noValidIdentifier": "错误: 模式属性 {0} 是无效的模式变量名。",
+ "ProblemMatcherParser.problemPattern.watchingMatcher": "问题匹配程序必须定义监视的开始模式和结束模式。",
+ "ProblemMatcherParser.unknownSeverity": "信息: 未知的严重性 {0}。有效值为“错误”、“警告”和“信息”。\r\n",
+ "ProblemMatcherSchema.applyTo": "控制文本文档上报告的问题是否仅应用于打开、关闭或所有文档。",
+ "ProblemMatcherSchema.background": "用于跟踪在后台任务上激活的匹配程序的开始和结束的模式。",
+ "ProblemMatcherSchema.background.activeOnStart": "如果设置为 true,则任务启动时后台监视器处于活动模式。这相当于发出与 beginsPattern 匹配的行",
+ "ProblemMatcherSchema.background.beginsPattern": "如果在输出内匹配,则会发出后台任务开始的信号。",
+ "ProblemMatcherSchema.background.endsPattern": "如果在输出内匹配,则会发出后台任务结束的信号。",
+ "ProblemMatcherSchema.base": "要使用的基问题匹配程序的名称。",
+ "ProblemMatcherSchema.fileLocation": "定义应如何解释问题模式中报告的文件名。相对文件位置可能是一个数组,其中数组的第二个元素是相对文件位置的路径。",
+ "ProblemMatcherSchema.owner": "代码内问题的所有者。如果指定了基准,则可省略。如果省略,并且未指定基准,则默认值为“外部”。",
+ "ProblemMatcherSchema.severity": "捕获问题的默认严重性。如果模式未定义严重性的匹配组,则使用。",
+ "ProblemMatcherSchema.source": "描述此诊断信息来源的人类可读字符串。如,\"typescript\" 或 \"super lint\"。",
+ "ProblemMatcherSchema.watching": "用于跟踪监视匹配程序开始和结束的模式。",
+ "ProblemMatcherSchema.watching.activeOnStart": "如果设置为 true,则当任务开始时观察程序处于活动模式。这相当于发出与 beginPattern 匹配的行。",
+ "ProblemMatcherSchema.watching.beginsPattern": "如果在输出内匹配,则在监视任务开始时会发出信号。",
+ "ProblemMatcherSchema.watching.deprecated": "\"watching\" 属性已被弃用,请改用 \"background\"。",
+ "ProblemMatcherSchema.watching.endsPattern": "如果在输出内匹配,则在监视任务结束时会发出信号。",
+ "ProblemPatternExtPoint": "提供问题模式",
+ "ProblemPatternParser.invalidRegexp": "错误: 字符串 {0} 不是有效的正则表达式。\r\n",
+ "ProblemPatternParser.loopProperty.notLast": "循环属性仅在最一个行匹配程序上受支持。",
+ "ProblemPatternParser.problemPattern.kindProperty.notFirst": "问题模式无效。\"kind\" 属性必须提供,且仅能为第一个元素",
+ "ProblemPatternParser.problemPattern.missingLocation": "问题模式无效。它必须为“file”,代码行或消息匹配组其中的一项。",
+ "ProblemPatternParser.problemPattern.missingProperty": "问题模式无效。必须至少包含一个文件和一条消息。",
+ "ProblemPatternParser.problemPattern.missingRegExp": "问题模式缺少正则表达式。",
+ "ProblemPatternRegistry.error": "无效问题模式。此模式将被忽略。",
+ "ProblemPatternSchema.code": "问题代码的匹配组索引。默认为 undefined",
+ "ProblemPatternSchema.column": "问题行字符的匹配组索引。默认值为 3",
+ "ProblemPatternSchema.endColumn": "问题结束行字符的匹配组索引。默认为 undefined",
+ "ProblemPatternSchema.endLine": "问题结束行的匹配组索引。默认为 undefined",
+ "ProblemPatternSchema.file": "文件名的匹配组索引。如果省略,则使用 1。",
+ "ProblemPatternSchema.kind": "模式匹配的是一个位置 (文件、一行) 还是仅为一个文件。",
+ "ProblemPatternSchema.line": "问题行的匹配组索引。默认值为 2",
+ "ProblemPatternSchema.location": "问题位置的匹配组索引。有效的位置模式为(line)、(line,column)和(startLine,startColumn,endLine,endColumn)。如果省略了,将假定(line,column)。",
+ "ProblemPatternSchema.loop": "在多行中,匹配程序循环指示是否只要匹配就在循环中执行此模式。只能在多行模式的最后一个模式上指定。",
+ "ProblemPatternSchema.message": "消息的匹配组索引。如果省略,则在指定了位置时默认值为 4,在其他情况下默认值为 5。",
+ "ProblemPatternSchema.regexp": "用于在输出中查找错误、警告或信息的正则表达式。",
+ "ProblemPatternSchema.severity": "问题严重性的匹配组索引。默认为 undefined",
+ "WatchingPatternSchema.file": "文件名的匹配组索引。可以省略。",
+ "WatchingPatternSchema.regexp": "用于检测后台任务开始或结束的正则表达式。",
+ "eslint-compact": "ESLint compact 问题",
+ "eslint-stylish": "ESLint stylish 问题",
+ "go": "Go 问题",
+ "gulp-tsc": "Gulp TSC 问题",
+ "jshint": "JSHint 问题",
+ "jshint-stylish": "JSHint stylish 问题",
+ "lessCompile": "Less 问题",
+ "msCompile": "微软编译器问题"
+ },
+ "vs/workbench/contrib/tasks/common/taskConfiguration": {
+ "ConfigurationParser.inValidArg": "错误: 命令参数必须是字符串或带引号的字符串。提供的值为:\r\n{0}",
+ "ConfigurationParser.incorrectType": "错误: 任务配置“{0}”使用了未知类型。将忽略该配置。",
+ "ConfigurationParser.invalidCWD": "警告: options.cwd 的类型必须是字符串。正在忽略值 {0}\r\n",
+ "ConfigurationParser.invalidVariableReference": "错误: problemMatcher 引用无效: {0}\r\n",
+ "ConfigurationParser.missingType": "错误: 任务配置“{0}”缺失必要属性 \"type\"。将忽略该配置。",
+ "ConfigurationParser.noName": "错误: 声明范围中的问题匹配器必须具有名称:\r\n{0}\r\n",
+ "ConfigurationParser.noShell": "警告: 仅当在终端中执行任务时支持 shell 配置。",
+ "ConfigurationParser.noTaskName": "错误: 任务必须提供 label 属性。将忽略该任务。\r\n{0}\r\n",
+ "ConfigurationParser.noTaskType": "错误: 任务配置必须具有 type 属性。将忽略此配置。\r\n{0}\r\n",
+ "ConfigurationParser.noTypeDefinition": "错误: 不存在已注册的任务类型“{0}”。是否已错过安装提供相应任务提供程序的扩展?",
+ "ConfigurationParser.notCustom": "错误: 任务未声明为自定义任务。将忽略此配置。\r\n{0}\r\n",
+ "ConfigurationParser.unknownMatcherKind": "警告: 定义的问题匹配器未知。支持的类型为 string | ProblemMatcher | Array。\r\n{0}\r\n",
+ "TaskParse.noOsSpecificGlobalTasks": "任务版本 2.0.0 不支持全局操作系统专属任务。请将其转换为具有操作系统特定命令的任务。受影响的任务有:\r\n{0}",
+ "taskConfiguration.noCommand": "错误: 任务“{0}”未定义命令。将忽略该任务。其定义是:\r\n{1}",
+ "taskConfiguration.noCommandOrDependsOn": "错误: 任务“{0}”既不指定命令,也不指定 dependsOn 属性。将忽略该任务。其定义是:\r\n{1}",
+ "taskConfiguration.providerUnavailable": "警告: {0} 个任务在当前环境中不可用。\r\n"
+ },
+ "vs/workbench/contrib/tasks/common/taskDefinitionRegistry": {
+ "TaskDefinition.description": "实际任务类型。请注意,以 \"$\" 开头的类型仅保留内部使用。",
+ "TaskDefinition.properties": "任务类型的其他属性",
+ "TaskDefinition.when": "启用此类型任务是必需为 true 的条件。请考虑根据此任务定义使用 `shellExecutionSupported`、`processExecutionSupported` 和 `customExecutionSupported`。有关详细信息,请参阅 [API 文档](https://code.visualstudio.com/api/extension-guides/task-provider#when-clause)。",
+ "TaskDefinitionExtPoint": "配置任务种类",
+ "TaskTypeConfiguration.noType": "任务类型配置缺少必需的 \"taskType\" 属性"
+ },
+ "vs/workbench/contrib/tasks/common/taskService": {
+ "tasks.customExecutionSupported": "是否支持 CustomExecution 任务。请考虑在 \"taskDefinition\" 贡献的 when 子句中使用。",
+ "tasks.processExecutionSupported": "是否支持 ProcessExecution 任务。请考虑在 \"taskDefinition\" 贡献的 when 子句中使用。",
+ "tasks.shellExecutionSupported": "是否支持 ShellExecution 任务。请考虑在 \"taskDefinition\" 贡献的 when 子句中使用。",
+ "tasks.taskCommandsRegistered": "是否已注册任务命令"
+ },
+ "vs/workbench/contrib/tasks/common/taskTemplates": {
+ "Maven": "执行常见的 maven 命令",
+ "dotnetCore": "执行 .NET Core 生成命令",
+ "externalCommand": "运行任意外部命令的示例",
+ "msbuild": "执行生成目标"
+ },
+ "vs/workbench/contrib/tasks/common/tasks": {
+ "TaskDefinition.missingRequiredProperty": "错误: 任务标识符“{0}”缺失必要属性“{1}”。将忽略该标识符。",
+ "tasks.taskRunningContext": "任务当前是否正在运行。",
+ "tasksCategory": "任务"
+ },
+ "vs/workbench/contrib/tasks/electron-sandbox/taskService": {
+ "TaskSystem.exitAnyways": "仍要退出(&&E)",
+ "TaskSystem.noProcess": "启动的任务不再存在。如果任务已生成出后台进程,则退出 VS Code 可能会导致出现孤立的进程。若要避免此情况,请使用等待标记启动最后一个后台进程。",
+ "TaskSystem.runningTask": "存在运行中的任务。要终止它吗?",
+ "TaskSystem.terminateTask": "终止任务(&&T)"
+ },
+ "vs/workbench/contrib/terminal/browser/baseTerminalBackend": {
+ "nonResponsivePtyHost": "与终端 pty 主机进程的连接没有响应,终端可能停止工作。",
+ "restartPtyHost": "重启 pty 主机"
+ },
+ "vs/workbench/contrib/terminal/browser/environmentVariableInfo": {
+ "extensionEnvironmentContributionChanges": "扩展要对终端环境进行以下更改:",
+ "extensionEnvironmentContributionInfo": "扩展已对此终端的环境进行更改",
+ "extensionEnvironmentContributionRemoval": "扩展要从终端环境中删除以下现有更改:",
+ "relaunchTerminalLabel": "重新启动终端"
+ },
+ "vs/workbench/contrib/terminal/browser/links/terminalLink": {
+ "focusFolder": "聚焦资源管理器中的文件夹",
+ "openFile": "在编辑器中打开文件",
+ "openFolder": "在新窗口中打开文件夹"
+ },
+ "vs/workbench/contrib/terminal/browser/links/terminalLinkDetectorAdapter": {
+ "focusFolder": "聚焦资源管理器中的文件夹",
+ "followLink": "跟踪链接",
+ "openFile": "在编辑器中打开文件",
+ "openFolder": "在新窗口中打开文件夹",
+ "searchWorkspace": "搜索工作区"
+ },
+ "vs/workbench/contrib/terminal/browser/links/terminalLinkManager": {
+ "followForwardedLink": "执行使用转发端口的链接",
+ "followLink": "打开链接",
+ "followLinkUrl": "链接",
+ "terminalLinkHandler.followLinkAlt": "Alt + 单击",
+ "terminalLinkHandler.followLinkAlt.mac": "Option + 单击",
+ "terminalLinkHandler.followLinkCmd": "Cmd + 单击",
+ "terminalLinkHandler.followLinkCtrl": "Ctrl + 单击"
+ },
+ "vs/workbench/contrib/terminal/browser/links/terminalLinkQuickpick": {
+ "terminal.integrated.localFileLinks": "本地文件",
+ "terminal.integrated.openDetectedLink": "选择要打开的链接",
+ "terminal.integrated.searchLinks": "工作区搜索",
+ "terminal.integrated.showMoreLinks": "显示更多链接",
+ "terminal.integrated.urlLinks": "URL"
+ },
+ "vs/workbench/contrib/terminal/browser/terminal.contribution": {
+ "miToggleIntegratedTerminal": "终端(&&T)",
+ "tasksQuickAccessHelp": "显示所有已打开的终端",
+ "tasksQuickAccessPlaceholder": "键入要打开的终端的名称。",
+ "terminal": "终端"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalActions": {
+ "emptyTerminalNameInfo": "不提供名称会将其重置为默认值",
+ "noUnattachedTerminals": "没有未附加但要附加到的终端",
+ "quickAccessTerminal": "切换活动终端",
+ "showTerminalTabs": "显示选项卡",
+ "terminalLaunchHelp": "打开帮助",
+ "workbench.action.terminal.attachToSession": "附加到会话",
+ "workbench.action.terminal.clear": "清除",
+ "workbench.action.terminal.clearCommandHistory": "清除命令历史记录",
+ "workbench.action.terminal.clearSelection": "取消选择",
+ "workbench.action.terminal.copyLastCommand": "复制最后一个命令",
+ "workbench.action.terminal.copySelection": "复制所选内容",
+ "workbench.action.terminal.copySelectionAsHtml": "将所选内容复制为 HTML",
+ "workbench.action.terminal.createTerminalEditor": "在编辑器区域内创建新终端",
+ "workbench.action.terminal.createTerminalEditorSide": "在一侧的编辑器区域内创建新终端",
+ "workbench.action.terminal.detachSession": "拆离会话",
+ "workbench.action.terminal.findNext": "查找下一个",
+ "workbench.action.terminal.findPrevious": "查找上一个",
+ "workbench.action.terminal.focus.tabsView": "焦点终端选项卡视图",
+ "workbench.action.terminal.focusFind": "聚焦查找",
+ "workbench.action.terminal.focusNext": "聚焦下一终端组",
+ "workbench.action.terminal.focusNextPane": "在终端组中聚焦下一终端",
+ "workbench.action.terminal.focusPrevious": "聚焦上一终端组",
+ "workbench.action.terminal.focusPreviousPane": "在终端组中聚焦上一终端",
+ "workbench.action.terminal.goToRecentDirectory": "转到“最近使用的目录”...",
+ "workbench.action.terminal.hideFind": "隐藏查找",
+ "workbench.action.terminal.join": "联接终端",
+ "workbench.action.terminal.join.insufficientTerminals": "终端不足,无法执行联接操作",
+ "workbench.action.terminal.join.onlySplits": "所有终端已联接",
+ "workbench.action.terminal.joinInstance": "联接终端",
+ "workbench.action.terminal.kill": "终止活动终端实例",
+ "workbench.action.terminal.killAll": "终止所有终端",
+ "workbench.action.terminal.killEditor": "终止编辑器区域中的活动终端",
+ "workbench.action.terminal.navigationModeExit": "退出导航模式",
+ "workbench.action.terminal.navigationModeFocusNext": "聚焦下一行(导航模式)",
+ "workbench.action.terminal.navigationModeFocusNextPage": "聚焦下一页(导航模式)",
+ "workbench.action.terminal.navigationModeFocusPrevious": "聚焦上一行(导航模式)",
+ "workbench.action.terminal.navigationModeFocusPreviousPage": "聚焦上一页(导航模式)",
+ "workbench.action.terminal.new": "创建新的终端",
+ "workbench.action.terminal.newInActiveWorkspace": "创建新终端(在活动工作区中)",
+ "workbench.action.terminal.newWithCwd": "从自定义工作目录开始创建新终端",
+ "workbench.action.terminal.newWithCwd.cwd": "启动终端的目录",
+ "workbench.action.terminal.newWithProfile": "创建新终端(具有个人资料)",
+ "workbench.action.terminal.newWithProfile.profileName": "要创建的配置文件的名称",
+ "workbench.action.terminal.newWorkspacePlaceholder": "选择当前工作目录新建终端",
+ "workbench.action.terminal.openDetectedLink": "打开检测到的链接...",
+ "workbench.action.terminal.openLastLocalFileLink": "打开最后一个本地文件链接",
+ "workbench.action.terminal.openLastUrlLink": "打开最后一个 Url 链接",
+ "workbench.action.terminal.openSettings": "配置终端设置",
+ "workbench.action.terminal.paste": "粘贴到活动终端中",
+ "workbench.action.terminal.pasteSelection": "将所选内容粘贴到活动终端",
+ "workbench.action.terminal.relaunch": "重新启动活动终端",
+ "workbench.action.terminal.renameWithArg": "重命名当前活动终端",
+ "workbench.action.terminal.renameWithArg.name": "终端的新名称",
+ "workbench.action.terminal.renameWithArg.noName": "未提供名称参数",
+ "workbench.action.terminal.resizePaneDown": "向下重设终端大小",
+ "workbench.action.terminal.resizePaneLeft": "向左重设终端大小",
+ "workbench.action.terminal.resizePaneRight": "向右重设终端大小",
+ "workbench.action.terminal.resizePaneUp": "向上重设终端大小",
+ "workbench.action.terminal.runActiveFile": "在活动终端中运行活动文件",
+ "workbench.action.terminal.runActiveFile.noFile": "只有磁盘上的文件可在终端上运行",
+ "workbench.action.terminal.runRecentCommand": "运行最近使用的命令...",
+ "workbench.action.terminal.runSelectedText": "在活动终端运行所选文本",
+ "workbench.action.terminal.scrollDown": "向下滚动(行)",
+ "workbench.action.terminal.scrollDownPage": "向下滚动(页)",
+ "workbench.action.terminal.scrollToBottom": "滚动到底部",
+ "workbench.action.terminal.scrollToNextCommand": "滚动到下一条命令",
+ "workbench.action.terminal.scrollToPreviousCommand": "滚动到上一条命令",
+ "workbench.action.terminal.scrollToTop": "滚动到顶部",
+ "workbench.action.terminal.scrollUp": "向上滚动(行)",
+ "workbench.action.terminal.scrollUpPage": "向上滚动(页)",
+ "workbench.action.terminal.searchWorkspace": "搜索工作区",
+ "workbench.action.terminal.selectAll": "选择全部",
+ "workbench.action.terminal.selectDefaultShell": "选择默认配置文件",
+ "workbench.action.terminal.selectToNextCommand": "选择下一条命令所有内容",
+ "workbench.action.terminal.selectToNextLine": "选择下一行的所有内容",
+ "workbench.action.terminal.selectToPreviousCommand": "选择上一条命令所有内容",
+ "workbench.action.terminal.selectToPreviousLine": "选择上一行的所有内容",
+ "workbench.action.terminal.sendSequence": "发送自定义序列到终端",
+ "workbench.action.terminal.setFixedDimensions": "设置固定维度",
+ "workbench.action.terminal.showEnvironmentInformation": "显示环境信息",
+ "workbench.action.terminal.showTabs": "显示选项卡",
+ "workbench.action.terminal.sizeToContentWidth": "将大小切换为内容宽度",
+ "workbench.action.terminal.splitInActiveWorkspace": "拆分终端 (活动工作区)",
+ "workbench.action.terminal.switchTerminal": "切换终端",
+ "workbench.action.terminal.toggleEscapeSequenceLogging": "切换是否记录转义序列日志",
+ "workbench.action.terminal.toggleFindCaseSensitive": "切换使用区分大小写进行查找",
+ "workbench.action.terminal.toggleFindRegex": "切换使用正则表达式进行查找",
+ "workbench.action.terminal.toggleFindWholeWord": "切换使用全字匹配进行查找",
+ "workbench.action.terminal.writeDataToTerminal": "将数据写入终端",
+ "workbench.action.terminal.writeDataToTerminal.prompt": "输入数据以直接写入终端,从而绕过 pty"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalConfigHelper": {
+ "install": "安装",
+ "useWslExtension.title": "建议使用“{0}”扩展在 WSL 中打开终端。"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalDecorationsProvider": {
+ "label": "终端"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalEditorInput": {
+ "cancel": "取消",
+ "confirmDirtyTerminal.button": "&&终止",
+ "confirmDirtyTerminal.detail": "关闭将终止此终端中正在运行的进程。",
+ "confirmDirtyTerminal.message": "是否要终止正在运行的进程?",
+ "confirmDirtyTerminals.detail": "关闭将终止此终端中正在运行的进程。"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalIcons": {
+ "configureTerminalProfileIcon": "用于创建新的终端配置文件的图标。",
+ "killTerminalIcon": "用于终止终端实例的图标。",
+ "newTerminalIcon": "用于创建新的终端实例的图标。",
+ "renameTerminalIcon": "用于在终端快速菜单中进行重命名的图标。",
+ "terminalViewIcon": "查看终端视图的图标。"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalInstance": {
+ "bellStatus": "铃",
+ "configureTerminalSettings": "配置终端设置",
+ "confirmMoveTrashMessageFilesAndDirectories": "是否确实要将 {0} 行文本粘贴到终端?",
+ "disconnectStatus": "与进程的连接中断",
+ "doNotAskAgain": "不再询问",
+ "keybindingHandling": "某些键绑定在默认情况下不会转到终端,而是由 {0} 进行处理。",
+ "launchFailed.errorMessage": "终端进程启动失败: {0}。",
+ "launchFailed.exitCodeAndCommandLine": "终端进程“{0}”启动失败(退出代码: {1})。",
+ "launchFailed.exitCodeOnly": "终端进程启动失败(退出代码: {0})。",
+ "launchFailed.exitCodeOnlyShellIntegration": "在用户设置中禁用 shell 集成可能会有所帮助。",
+ "multiLinePasteButton": "粘贴(&&P)",
+ "preview": "预览:",
+ "removeCommand": "从命令历史记录中删除",
+ "selectRecentCommand": "选择要运行的命令(按 Alt-key 编辑命令)",
+ "selectRecentCommandMac": "选择要运行的命令(按 Option-key 编辑命令)",
+ "selectRecentDirectory": "选择要转到的目录(按 Alt-key 编辑命令)",
+ "selectRecentDirectoryMac": "选择要转到的目录(按 Option-key 编辑命令)",
+ "setTerminalDimensionsColumn": "设置固定维度: 列",
+ "setTerminalDimensionsRow": "设置固定维度: 行",
+ "shellFileHistoryCategory": "{0} 历史记录",
+ "shellIntegration.learnMore": "了解有关 shell 集成的详细信息",
+ "shellIntegration.openSettings": "打开用户设置",
+ "terminal.contiguousSearch": "使用连续搜索",
+ "terminal.fuzzySearch": "使用模糊搜索",
+ "terminal.integrated.a11yPromptLabel": "终端输入",
+ "terminal.integrated.a11yTooMuchOutput": "输出太多,无法朗读。请手动转到行内进行阅读",
+ "terminal.integrated.copySelection.noSelection": "没有在终端中选择要复制的内容",
+ "terminal.requestTrust": "创建终端流程需要执行代码",
+ "terminalNavigationMode": "使用 {0} 和 {1} 导航终端缓冲区",
+ "terminalStaleTextBoxAriaLabel": "终端 {0} 环境已过时,请运行“显示环境信息”命令以获取详细信息",
+ "terminalTextBoxAriaLabel": "终端 {0}",
+ "terminalTextBoxAriaLabelNumberAndTitle": "终端 {0},{1}",
+ "terminalTypeLocal": "本地",
+ "terminalTypeTask": "任务",
+ "terminated.exitCodeAndCommandLine": "终端进程“{0}”已终止,退出代码: {1}。",
+ "terminated.exitCodeOnly": "终端进程已终止,退出代码: {0}。",
+ "viewCommandOutput": "查看命令输出",
+ "workbench.action.terminal.rename.prompt": "输入终端名称",
+ "workspaceNotTrustedCreateTerminal": "无法在不受信任的工作区中启动终端流程",
+ "workspaceNotTrustedCreateTerminalCwd": "无法使用 cwd {0} 和 userHome {1} 在不受信任的工作区中启动终端进程"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalMainContribution": {
+ "ptyHost": "Pty 主机"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalMenus": {
+ "defaultTerminalProfile": "{0} (默认)",
+ "miNewTerminal": "新建终端(&&N)",
+ "miRunActiveFile": "运行活动文件(&&A)",
+ "miRunSelectedText": "运行所选文本(&&S)",
+ "miSplitTerminal": "拆分终端(&&S)",
+ "splitTerminal": "拆分终端",
+ "terminal.new": "新建终端",
+ "workbench.action.terminal.changeColor": "更改颜色...",
+ "workbench.action.terminal.changeIcon": "更改图标...",
+ "workbench.action.terminal.clear": "清除",
+ "workbench.action.terminal.copySelection.short": "复制",
+ "workbench.action.terminal.copySelectionAsHtml": "以 HTML 格式复制",
+ "workbench.action.terminal.joinInstance": "联接终端",
+ "workbench.action.terminal.new.short": "新建终端",
+ "workbench.action.terminal.newWithProfile.short": "具有配置文件的新终端",
+ "workbench.action.terminal.openSettings": "配置终端设置",
+ "workbench.action.terminal.paste.short": "粘贴",
+ "workbench.action.terminal.renameInstance": "重命名...",
+ "workbench.action.terminal.selectAll": "选择全部",
+ "workbench.action.terminal.selectDefaultProfile": "选择默认配置文件",
+ "workbench.action.terminal.showsTabs": "显示选项卡",
+ "workbench.action.terminal.sizeToContentWidthInstance": "将大小切换为内容宽度",
+ "workbench.action.terminal.switchTerminal": "切换终端"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalProcessManager": {
+ "ptyHostRelaunch": "到 shell 进程的连接丢失,正在重启终端…"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalProfileQuickpick": {
+ "ICreateContributedTerminalProfileOptions": "已贡献",
+ "createQuickLaunchProfile": "配置终端配置文件",
+ "enterTerminalProfileName": "输入终端配置文件名称",
+ "terminal.integrated.chooseDefaultProfile": "选择默认的终端配置文件",
+ "terminal.integrated.selectProfileToCreate": "选择要创建的终端配置文件",
+ "terminalProfileAlreadyExists": "有终端配置文件已具有此名称",
+ "terminalProfiles": "配置文件",
+ "terminalProfiles.detected": "已检测"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalProfileResolverService": {
+ "migrateToProfile": "迁移",
+ "terminalProfileMigration": "终端正在使用已弃用的 shell/shellArgs 设置,是否要将其迁移到配置文件?"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalQuickAccess": {
+ "renameTerminal": "重命名终端",
+ "workbench.action.terminal.newWithProfilePlus": "新建具有配置文件的终端",
+ "workbench.action.terminal.newplus": "创建新的终端"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalService": {
+ "localTerminalRemote": "此 shell 正在{0}本地{1}计算机上运行,而不是在连接的远程计算机上运行",
+ "localTerminalVirtualWorkspace": "此 shell 对{0}本地{1}文件夹开放,而不是虚拟文件夹",
+ "terminalService.terminalCloseConfirmationPlural": "是否要终止{0}活动终端会话?",
+ "terminalService.terminalCloseConfirmationSingular": "是否要终止活动终端会话?",
+ "terminate": "终止"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalTabbedView": {
+ "hideTabs": "隐藏选项卡",
+ "moveTabsLeft": "向左移动选项卡",
+ "moveTabsRight": "向右移动选项卡"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalTabsList": {
+ "splitTerminalAriaLabel": "终端 {0} {1},拆分 {2}/{3}",
+ "terminal.tabs": "终端选项卡",
+ "terminalAriaLabel": "终端{0} {1}",
+ "terminalInputAriaLabel": "输入终端名。按 \"Enter\" 键确认或按 \"Esc\" 键取消。"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalTooltip": {
+ "launchFailed.exitCodeOnlyShellIntegration": "终端进程无法启动。禁用与 “terminal.integrated.shellIntegration.enabled” 的 shell 集成可能会有所帮助。",
+ "shellIntegration.activationFailed": "Shell 集成无法激活",
+ "shellIntegration.enabled": "已激活 Shell 集成"
+ },
+ "vs/workbench/contrib/terminal/browser/terminalView": {
+ "terminal.monospaceOnly": "终端仅支持等宽字体。如果这是新安装的字体,请确保重新启动 VS Code。",
+ "terminal.useMonospace": "使用 \"monospace\"",
+ "terminalConnectingLabel": "正在启动...",
+ "terminals": "打开终端。"
+ },
+ "vs/workbench/contrib/terminal/browser/xterm/decorationAddon": {
+ "changeDefaultIcon": "更改默认图标",
+ "changeErrorIcon": "更改错误图标",
+ "changeSuccessIcon": "更改成功图标",
+ "gutter": "装订线命令修饰",
+ "overviewRuler": "概述标尺命令修饰",
+ "terminal.configureCommandDecorations": "配置命令修饰",
+ "terminal.copyCommand": "复制命令",
+ "terminal.copyOutput": "复制输出",
+ "terminal.copyOutputAsHtml": "将输出复制为 HTML",
+ "terminal.learnShellIntegration": "了解 Shell 集成",
+ "terminal.rerunCommand": "重新运行命令",
+ "terminalPromptCommandFailed": "命令已执行 {0} 并失败",
+ "terminalPromptCommandFailedWithExitCode": "命令已执行 {0} 并失败(退出代码 {1})",
+ "terminalPromptCommandSuccess": "命令已执行 {0}",
+ "terminalPromptContextMenu": "显示命令操作",
+ "toggleVisibility": "切换可见性"
+ },
+ "vs/workbench/contrib/terminal/browser/xterm/xtermTerminal": {
+ "dontShowAgain": "不再显示",
+ "no": "否",
+ "terminal.slowRendering": "终端 GPU 加速在你的计算机上似乎速度很慢。禁用它可提高性能,是否要切换到禁用? [阅读有关终端设置的更多信息](https://code.visualstudio.com/docs/editor/integrated-terminal#_changing-how-the-terminal-is-rendered)。",
+ "yes": "是"
+ },
+ "vs/workbench/contrib/terminal/common/terminal": {
+ "terminalCategory": "终端",
+ "vscode.extension.contributes.terminal": "参与终端功能。",
+ "vscode.extension.contributes.terminal.profiles": "定义用户可创建的其他终端配置文件。",
+ "vscode.extension.contributes.terminal.profiles.id": "终端配置文件提供程序的 ID。",
+ "vscode.extension.contributes.terminal.profiles.title": "此终端配置文件的标题。",
+ "vscode.extension.contributes.terminal.types": "定义用户可创建的其他终端类型。",
+ "vscode.extension.contributes.terminal.types.command": "在用户创建此类型的终端时执行的命令。",
+ "vscode.extension.contributes.terminal.types.icon": "要与此终端类型关联的 codicon、URI 或浅色和深色 URI。",
+ "vscode.extension.contributes.terminal.types.icon.dark": "使用深色主题时的图标路径",
+ "vscode.extension.contributes.terminal.types.icon.light": "使用浅色主题时的图标路径",
+ "vscode.extension.contributes.terminal.types.title": "此类型终端的标题。"
+ },
+ "vs/workbench/contrib/terminal/common/terminalColorRegistry": {
+ "terminal.ansiColor": "终端中的 ANSI 颜色“{0}”。",
+ "terminal.background": "终端的背景颜色,允许终端的颜色与面板不同。",
+ "terminal.border": "分隔终端中拆分窗格的边框的颜色。默认值为 panel.border 的颜色",
+ "terminal.dragAndDropBackground": "在终端上拖动时的背景颜色。此颜色应有透明度,以便让终端内容透过背景。",
+ "terminal.findMatchBackground": "终端中当前搜索匹配项的颜色。颜色必须透明,以免隐藏基础终端内容。",
+ "terminal.findMatchBorder": "终端中当前搜索匹配项的边框颜色。",
+ "terminal.findMatchHighlightBackground": "终端中其他搜索匹配项的颜色。颜色必须透明,以免隐藏基础终端内容。",
+ "terminal.findMatchHighlightBorder": "终端中其他搜索匹配项的边框颜色。",
+ "terminal.foreground": "终端的前景颜色。",
+ "terminal.selectionBackground": "终端选中内容的背景颜色。",
+ "terminal.selectionForeground": "终端的选择前景色。如果此值为 null,则将保留所选前景并应用最小对比度功能。",
+ "terminal.tab.activeBorder": "面板中终端选项卡侧边的边框。此默认为 tab.activeBorder。",
+ "terminalCommandDecoration.defaultBackground": "默认终端命令修饰背景色。",
+ "terminalCommandDecoration.errorBackground": "错误命令的终端命令修饰背景色。",
+ "terminalCommandDecoration.successBackground": "成功命令的终端命令修饰背景色。",
+ "terminalCursor.background": "终端光标的背景色。允许自定义被 block 光标遮住的字符的颜色。",
+ "terminalCursor.foreground": "终端光标的前景色。",
+ "terminalOverviewRuler.cursorForeground": "概述标尺光标颜色。",
+ "terminalOverviewRuler.findMatchHighlightForeground": "用于在终端中查找匹配项的概述标尺标记颜色。"
+ },
+ "vs/workbench/contrib/terminal/common/terminalConfiguration": {
+ "cwd": "终端的当前工作目录",
+ "cwdFolder": "终端的当前工作目录,当值与初始工作目录不同时,显示在多根工作区或单个根工作区中。在 Windows 上,仅当启用 shell 集成时才会显示此内容。",
+ "local": "指示远程工作区中的本地终端",
+ "openDefaultSettingsJson": "打开默认设置 JSON",
+ "openDefaultSettingsJson.capitalized": "打开默认设置(JSON)",
+ "process": "终端流程的名称",
+ "separator": "仅在由带有值或静态文本的变量括住时才显示的条件分隔符(\" - \")。",
+ "sequence": "进程提供给终端的名称",
+ "task": "指示此终端与任务关联",
+ "terminal.integrated.allowChords": "是否允许终端中的组合键绑定。请注意,如果此值为 true,并且击键导致一个组合,则它将绕过 {0},当你希望 ctrl+k 转到 shell (而不是 VS Code)时,将此设置为 false 特别有用。",
+ "terminal.integrated.allowMnemonics": "是否允许使用菜单栏助记符(如 Alt+F)来触发“打开菜单栏”。请注意,这将导致在设为 true 时,所有 Alt 击键都跳过 shell。此设置在 macOS 不起作用。",
+ "terminal.integrated.altClickMovesCursor": "如果启用,则当 {0} 设置为 {1} (默认值)时,alt/option+单击会将提示光标重置于鼠标下方。此功能的有效性取决于 shell。",
+ "terminal.integrated.autoReplies": "在终端中遇到一组消息时,将自动响应这组消息。如果消息足够具体,可能有助于自动执行常见响应。\r\n\r\n备注:\r\n\r\n- 使用 {0} 自动响应 Windows 上的终止批处理作业提示。\r\n- 消息包括转义序列,因此可能无法使用带样式的文本进行回复。\r\n- 每秒只能进行一次回复。\r\n- 在回复中使用 {1} 表示输入键。\r\n- 要取消设置默认键,请将该值设置为 null。\r\n- 如果新的不适用,请重新启动 VS Code。",
+ "terminal.integrated.autoReplies.reply": "要发送到流程的回复。",
+ "terminal.integrated.bellDuration": "触发时在终端选项卡中显示响铃的毫秒数。",
+ "terminal.integrated.commandsToSkipShell": "一组命令 ID,其键绑定将不发送至 shell,而是始终由 VS Code 进行处理。这样的话,通常由 shell 使用的键绑定的行为可如同焦点未在终端上时的行为一样,例如按 “Ctrl+P” 来启动“快速打开”。\r\n\r\n \r\n\r\n默认跳过多项命令。要替代默认值并转而将相关命令的键绑定传递给 shell,请添加以 “-” 字符为前缀的命令。例如,添加“-workbench.action.quickOpen” 可使 “Ctrl+P”到达 shell。\r\n\r\n \r\n\r\n在设置编辑器中查看时,下面的默认跳过命令列表会被截断。要查看完整列表,请执行 {1},然后从下面的列表中搜索第一个命令。\r\n\r\n \r\n\r\n默认跳过的命令:\r\n\r\n{0}",
+ "terminal.integrated.confirmOnExit": "如果存在活动终端会话,控制是否确认窗口关闭的时间。",
+ "terminal.integrated.confirmOnExit.always": "始终确认是否存在终端。",
+ "terminal.integrated.confirmOnExit.hasChildProcesses": "确认是否存在具有子进程的终端。",
+ "terminal.integrated.confirmOnExit.never": "从不确认。",
+ "terminal.integrated.confirmOnKill": "控制是否在终端具有子进程时确认终止终端。当设置为编辑器时,如果编辑器区域中的终端具有子进程,则将标记为已更改。请注意,子进程检测可能不适用于 Git Bash 等 shell,后者不会将其进程作为 shell 的子进程运行。",
+ "terminal.integrated.confirmOnKill.always": "确认终端是在编辑器中还是在面板中。",
+ "terminal.integrated.confirmOnKill.editor": "确认终端是否在编辑器中。",
+ "terminal.integrated.confirmOnKill.never": "从不确认。",
+ "terminal.integrated.confirmOnKill.panel": "确认终端是否在面板中。",
+ "terminal.integrated.copyOnSelection": "控制是否将在终端中选定的文本复制到剪贴板。",
+ "terminal.integrated.cursorBlinking": "控制终端光标是否闪烁。",
+ "terminal.integrated.cursorStyle": "控制终端光标的样式。",
+ "terminal.integrated.cursorWidth": "控制当 {0} 设置为 {1} 时光标的宽度。",
+ "terminal.integrated.customGlyphs": "是否为块元素和框绘图字符绘制自定义字形,而不是使用字体,这通常会产生更好的连续线条呈现效果。请注意,这不适用于 DOM 呈现器",
+ "terminal.integrated.cwd": "将在其中启动终端的显式起始路径,它用作 shell 进程的当前工作目录(cwd)。如果根目录不是方便的 cwd,此路径在工作区设置中可能十分有用。",
+ "terminal.integrated.defaultLocation": "控制新建终端的显示位置。",
+ "terminal.integrated.defaultLocation.editor": "在编辑器中创建终端",
+ "terminal.integrated.defaultLocation.view": "在终端视图中创建终端",
+ "terminal.integrated.detectLocale": "控制是否检测 \"$LANG\" 环境变量并将其设置为符合 UTF-8 的选项,因为 VS Code 的终端仅支持来自 shell 的 UTF-8 编码数据。",
+ "terminal.integrated.detectLocale.auto": "如果现有变量不存在或不以 \"'.UTF-8'\" 结尾,则设置 \"$LANG\" 环境变量。",
+ "terminal.integrated.detectLocale.off": "请勿设置 \"$LANG\" 环境变量。",
+ "terminal.integrated.detectLocale.on": "始终设置 \"$LANG\" 环境变量。",
+ "terminal.integrated.drawBoldTextInBrightColors": "控制终端中的加粗文本是否始终使用 \"bright\" ANSI 颜色变量。",
+ "terminal.integrated.enableBell": "控制是否启用终端铃声,这在终端名称旁边显示为视觉上的铃铛。",
+ "terminal.integrated.enableFileLinks": "是否在终端中启用文件链接。尤其是在处理网络驱动器时,链接会变慢,因为每个文件链接都会根据文件系统进行验证。更改此项将仅在新的终端中生效。",
+ "terminal.integrated.enableMultiLinePasteWarning": "将多行粘贴到终端时显示警告对话框。在以下情况中,该对话框不显示:\r\n\r\n- 已启用带括号的粘贴模式(shell 支持本机多行粘贴)\r\n- 粘贴由 shell 的读取一行数据处理(在 pwsh 的情况下)",
+ "terminal.integrated.enablePersistentSessions": "跨窗口重新加载保持工作区的终端会话/历史记录。",
+ "terminal.integrated.env.linux": "具有环境变量的对象,这些变量将添加到 Linux 上的终端要使用的 VS Code 进程。如果设置为 \"null\",则删除环境变量。",
+ "terminal.integrated.env.osx": "具有环境变量的对象,这些变量将添加到 macOS 中的终端要使用的 VS Code 进程。如果设置为 \"null\",则删除环境变量。",
+ "terminal.integrated.env.windows": "具有环境变量的对象,这些变量将添加到将由 Windows 上的终端使用的 VS Code 进程。设置为 \"null\" 以删除环境变量。",
+ "terminal.integrated.environmentChangesIndicator": "是否在每个终端上显示环境更改指示器,该指示器解释了使是否已进行扩展或想要对终端环境进行更改。",
+ "terminal.integrated.environmentChangesIndicator.off": "禁用指示器。",
+ "terminal.integrated.environmentChangesIndicator.on": "启用指示器。",
+ "terminal.integrated.environmentChangesIndicator.warnonly": "仅当终端环境为“已过时”时,仅显示警告指示器,而不是显示指出终端环境已由扩展修改的信息指示器。",
+ "terminal.integrated.environmentChangesRelaunch": "在扩展想要向终端的环境贡献内容但尚未与之交互时是否自动重启终端。",
+ "terminal.integrated.fastScrollSensitivity": "按 \"Alt\" 时的滚动速度加倍。",
+ "terminal.integrated.fontFamily": "控制终端的字体系列,它默认为 {0} 的值。",
+ "terminal.integrated.fontSize": "控制终端的字号(以像素为单位)。",
+ "terminal.integrated.fontWeight": "要在终端中用于非粗体文本的字体粗细。接受“正常”和“加粗”这两个关键字,或接受 1-1000 之间的数字。",
+ "terminal.integrated.fontWeightBold": "要在终端中用于粗体文本的字体粗细。接受“正常”和“加粗”这两个关键字,或接受 1-1000 之间的数字。",
+ "terminal.integrated.fontWeightError": "仅允许使用关键字“正常”和“加粗”,或使用介于 1 至 1000 之间的数字。",
+ "terminal.integrated.gpuAcceleration": "控制终端是否将使用 GPU 来进行呈现。",
+ "terminal.integrated.gpuAcceleration.auto": "让 VS Code 检测哪些呈现器将提供最佳体验。",
+ "terminal.integrated.gpuAcceleration.canvas": "使用终端的回退画布呈现器,它使用 2d 上下文而不是在某些系统上性能更好地 Webgl。请注意,画布呈现器中的某些功能受到限制,如不透明选择。",
+ "terminal.integrated.gpuAcceleration.off": "禁用终端中的 GPU 加速。当 GPU 加速关闭时,终端的呈现速度会慢得多,但它应该能够在所有系统上可靠地工作。",
+ "terminal.integrated.gpuAcceleration.on": "在终端内启用 GPU 加速。",
+ "terminal.integrated.letterSpacing": "控制终端的字母间距,这是一个整数值,表示要在字符之间增加的额外像素量。",
+ "terminal.integrated.lineHeight": "控制终端的行高,此数字乘以终端字号等于实际行高(以像素为单位)。",
+ "terminal.integrated.localEchoEnabled": "何时应启用本地回显。这将替代 {0}",
+ "terminal.integrated.localEchoEnabled.auto": "仅对远程工作区启用",
+ "terminal.integrated.localEchoEnabled.off": "始终禁用",
+ "terminal.integrated.localEchoEnabled.on": "始终启用",
+ "terminal.integrated.localEchoExcludePrograms": "当在终端标题中找到其中一个程序名称时,将禁用本地回显。",
+ "terminal.integrated.localEchoLatencyThreshold": "网络延迟的长度(以毫秒为单位),其中本地编辑将在终端上回显,无需等待服务器承认。如果为 '0',则本地回显将始终开启,如果为 '-1',则将禁用。",
+ "terminal.integrated.localEchoStyle": "本地回显文本的终端样式;字体样式或 RGB 颜色。",
+ "terminal.integrated.macOptionClickForcesSelection": "控制在 macOS 上使用 Option+单击时是否强制选择内容。这将强制进行常规(行)选择并禁止使用列选择模式。这样,可使用常规终端选择进行复制粘贴,例如在 tmux 中启用鼠标模式时。",
+ "terminal.integrated.macOptionIsMeta": "控制是否将选项键视为 macOS 中的终端上的元键。",
+ "terminal.integrated.minimumContrastRatio": "设置每个单元格的前景色时,将改为尝试符合指定的对比度比率。示例值:\r\n\r\n- 1: 不执行任何操作,使用标准主题颜色。\r\n- 4.5: [符合 WCAG AA 标准(最低)](https://www.w3.org/TR/UNDERSTANDING-WCAG20/visual-audio-contrast-contrast.html)(默认)。\r\n- 7: [符合 WCAG AAA 标准(增强)](https://www.w3.org/TR/UNDERSTANDING-WCAG20/visual-audio-contrast7.html)。\r\n- 21: 黑底白字或白底黑字。",
+ "terminal.integrated.mouseWheelScrollSensitivity": "要在鼠标滚轮滚动事件的 \"deltaY\" 上使用的乘数。",
+ "terminal.integrated.persistentSessionReviveProcess": "当必须关闭终端进程(例如当窗口或应用程序关闭时)时,这将确定何时应还原以前的终端会话内容/历史记录,以及在下次打开工作区时重新创建的进程。\r\n\r\n注意事项:\r\n\r\n- 进程当前工作目录的还原取决于是否受 shell 支持。\r\n- 在关闭期间保留会话的时间有限,因此在使用高延迟远程连接时可能会中止相应会话。",
+ "terminal.integrated.persistentSessionReviveProcess.never": "永远不要还原终端缓冲区或重新创建流程。",
+ "terminal.integrated.persistentSessionReviveProcess.onExit": "在 Windows/Linux 上关闭最后窗口后或当触发 `workbench.action.quit` 命令(命令面板、键绑定、菜单)时,恢复流程。",
+ "terminal.integrated.persistentSessionReviveProcess.onExitAndWindowClose": "在 Windows/Linux 上关闭最后窗口后或当触发 `workbench.action.quit` 命令(命令面板、键绑定、菜单)或关闭窗口时,恢复流程。",
+ "terminal.integrated.rightClickBehavior": "控制终端如何回应右键单击操作。",
+ "terminal.integrated.rightClickBehavior.copyPaste": "当有选定内容时复制,否则粘贴。",
+ "terminal.integrated.rightClickBehavior.default": "显示上下文菜单。",
+ "terminal.integrated.rightClickBehavior.nothing": "不执行任何操作并将事件传递到终端。",
+ "terminal.integrated.rightClickBehavior.paste": "右键单击时粘贴。",
+ "terminal.integrated.rightClickBehavior.selectWord": "选择光标下方的字词并显示上下文菜单。",
+ "terminal.integrated.scrollback": "控制终端在其缓冲区中保留的最大行数。",
+ "terminal.integrated.sendKeybindingsToShell": "将大多数键绑定调度到终端而不是工作台,重写 {0},也可以用于微调。",
+ "terminal.integrated.shellIntegration.decorationIcon": "控制将用于已跳过/空命令的图标。设置为 {0} 以隐藏图标或禁用带有 {1} 的修饰。",
+ "terminal.integrated.shellIntegration.decorationIconError": "控制将用于已启用 shell 集成且具有关联退出代码的终端中每个命令的图标。设置为 {0} 以隐藏图标或禁用带有 {1} 的修饰。",
+ "terminal.integrated.shellIntegration.decorationIconSuccess": "控制将用于已启用 shell 集成且不具有关联退出代码的终端中每个命令的图标。设置为 {0} 以隐藏图标或禁用带有 {1} 的修饰。",
+ "terminal.integrated.shellIntegration.decorationsEnabled": "启用 shell 集成后,为每个命令添加修饰。",
+ "terminal.integrated.shellIntegration.decorationsEnabled.both": "在装订线(左侧)和概述标尺(右侧)中显示修饰",
+ "terminal.integrated.shellIntegration.decorationsEnabled.gutter": "在终端左侧显示装订线修饰",
+ "terminal.integrated.shellIntegration.decorationsEnabled.never": "不显示修饰",
+ "terminal.integrated.shellIntegration.decorationsEnabled.overviewRuler": "在终端右侧显示概述标尺修饰",
+ "terminal.integrated.shellIntegration.enabled": "确定是否自动注入 shell 集成以支持增强型命令跟踪和当前工作目录检测等功能。\r\n\r\nShell 集成的工作原理是使用启动脚本注入 shell。通过该脚本,VS Code 可深入了解终端内正在发生的情况。\r\n\r\n受支持的 shell:\r\n\r\n- Linux/macOS: bash、pwsh、zsh\r\n - Windows: pwsh\r\n\r\n此设置仅在创建终端时适用,因此需要重启终端才能生效。\r\n\r\n请注意,如果在终端配置文件、[复杂 bash `PROMPT_COMMAND`](https://code.visualstudio.com/docs/editor/integrated-terminal#_complex-bash-promptcommand)或其他不受支持的设置中定义了自定义参数,则脚本注入可能不起作用。{0}",
+ "terminal.integrated.shellIntegration.history": "控制要保留在终端命令历史记录中的最近使用的命令数。设置为 0 可禁用终端命令历史记录。",
+ "terminal.integrated.showExitAlert": "控制在退出代码为非零时是否显示“终端进程已终止且显示退出代码”警报。",
+ "terminal.integrated.splitCwd": "控制拆分终端开始时使用的工作目录。",
+ "terminal.integrated.splitCwd.inherited": "在 macOS 和 Linux 上,新的拆分终端将使用父终端的工作目录。在 Windows 上,这与初始行为相同。",
+ "terminal.integrated.splitCwd.initial": "新的拆分终端将使用父终端开始时使用的工作目录。",
+ "terminal.integrated.splitCwd.workspaceRoot": "新的拆分终端将使用工作区根作为工作目录。在多根工作区中,提供了要使用根文件夹的选项。",
+ "terminal.integrated.tabs.defaultColor": "默认情况下要与终端图标关联的主题颜色 ID。",
+ "terminal.integrated.tabs.defaultIcon": "默认情况下要与终端图标关联的 codicon ID。",
+ "terminal.integrated.tabs.enableAnimation": "控制终端选项卡状态是否支持动画(例如正在进行的任务)。",
+ "terminal.integrated.tabs.enabled": "控制终端选项卡是否以列表的形式显示在终端的一侧。如果禁用此功能,将改为显示下拉列表。",
+ "terminal.integrated.tabs.focusMode": "控制是在双击时将焦点放在某个选项卡上还是单击。",
+ "terminal.integrated.tabs.focusMode.doubleClick": "双击终端选项卡时聚焦终端",
+ "terminal.integrated.tabs.focusMode.singleClick": "双击终端选项卡时聚焦终端",
+ "terminal.integrated.tabs.hideCondition": "控制在特定条件下是否将隐藏终端选项卡视图。",
+ "terminal.integrated.tabs.hideCondition.never": "从不隐藏终端选项卡视图",
+ "terminal.integrated.tabs.hideCondition.singleGroup": "仅打开一个终端组时隐藏终端选项卡视图",
+ "terminal.integrated.tabs.hideCondition.singleTerminal": "仅打开一个终端时隐藏终端选项卡视图",
+ "terminal.integrated.tabs.location": "控制终端选项卡的位置,该位置位于实际终端的左侧或右侧。",
+ "terminal.integrated.tabs.location.left": "在终端的左侧显示终端选项卡视图",
+ "terminal.integrated.tabs.location.right": "在终端的右侧显示终端选项卡视图",
+ "terminal.integrated.tabs.separator": "{0} 和 {0} 使用的分隔符。",
+ "terminal.integrated.tabs.showActions": "控制是否在“新建终端”按钮旁边显示“终端拆分”和“终止”按钮。",
+ "terminal.integrated.tabs.showActions.always": "始终显示操作",
+ "terminal.integrated.tabs.showActions.never": "从不显示操作",
+ "terminal.integrated.tabs.showActions.singleTerminal": "当终端是唯一打开的终端时显示操作",
+ "terminal.integrated.tabs.showActions.singleTerminalOrNarrow": "在终端是唯一打开的终端或选项卡视图处于窄而无文本状态时显示活动终端",
+ "terminal.integrated.tabs.showActiveTerminal": "在视图中显示活动的终端信息,当选项卡中的标题不可见时,此功能尤其有用。",
+ "terminal.integrated.tabs.showActiveTerminal.always": "始终显示活动终端",
+ "terminal.integrated.tabs.showActiveTerminal.never": "从不显示活动终端",
+ "terminal.integrated.tabs.showActiveTerminal.singleTerminal": "当仅有一个终端打开时显示活动终端",
+ "terminal.integrated.tabs.showActiveTerminal.singleTerminalOrNarrow": "仅当终端已打开或选项卡视图处于窄而无文本状态时显示活动终端",
+ "terminal.integrated.unicodeVersion": "控制在计算终端中字符的宽度时要使用的 unicode 版本。如果你遇到表情符号或其他宽字符,而这些宽字符占用的空格或退格量不正确或删除的空间太多或太少,则你可能需要尝试调整此设置。",
+ "terminal.integrated.unicodeVersion.eleven": "unicode 的版本 11,版本可在使用新式版本 unicode 的新式系统上提供更好的支持。",
+ "terminal.integrated.unicodeVersion.six": "unicode 的版本 6,该版本较旧,在较旧的系统中效果更好。",
+ "terminal.integrated.windowsEnableConpty": "是否使用 ConPTY 进行 Windows 终端进程通信(需要 Windows 10 内部版本号 18309+)。如果此设置为 false,将使用 Winpty。",
+ "terminal.integrated.wordSeparators": "一个字符串,其中包含双击选择 Word 功能而被视为单词分隔符的所有字符。",
+ "terminalDescription": "控制显示在标题右侧的终端说明。根据上下文替换变量:",
+ "terminalIntegratedConfigurationTitle": "集成终端",
+ "terminalTitle": "控制终端标题。根据上下文替换变量:",
+ "workspaceFolder": "在其中启动终端的工作区"
+ },
+ "vs/workbench/contrib/terminal/common/terminalContextKey": {
+ "inTerminalRunCommandPickerContextKey": "终端运行命令选取器当前是否处于打开状态。",
+ "isSplitTerminalContextKey": "重点选项卡的终端是否为拆分终端。",
+ "terminalAltBufferActive": "终端的可选缓冲区是否处于活动状态。",
+ "terminalCountContextKey": "当前终端数。",
+ "terminalEditorFocusContextKey": "是否聚焦编辑器区域中的终端。",
+ "terminalFocusContextKey": "是否聚焦终端。",
+ "terminalProcessSupportedContextKey": "是否可以在当前工作区中启动终端流程。",
+ "terminalShellIntegrationEnabled": "是否在活动终端中启用 shell 集成",
+ "terminalShellTypeContextKey": "活动终端的 shell 类型,当不存在终端时,此值设置为最后已知值。",
+ "terminalTabsFocusContextKey": "是否聚焦终端选项卡小组件。",
+ "terminalTabsSingularSelectedContextKey": "是否在终端选项卡列表中选择终端。",
+ "terminalTextSelectedContextKey": "是否在活动终端中选择文本。",
+ "terminalViewShowing": "终端视图是否显示"
+ },
+ "vs/workbench/contrib/terminal/common/terminalStrings": {
+ "currentSessionCategory": "当前会话",
+ "doNotShowAgain": "不再显示",
+ "killTerminal": "终止终端",
+ "killTerminal.short": "终止",
+ "moveToEditor": "将终端移动到编辑器区域中",
+ "previousSessionCategory": "上一个会话",
+ "splitTerminal": "拆分终端",
+ "splitTerminal.short": "拆分",
+ "terminal": "终端",
+ "unsplitTerminal": "取消拆分终端",
+ "workbench.action.terminal.changeColor": "更改颜色...",
+ "workbench.action.terminal.changeIcon": "更改图标...",
+ "workbench.action.terminal.focus": "聚焦到终端",
+ "workbench.action.terminal.moveToTerminalPanel": "将终端移到面板中",
+ "workbench.action.terminal.rename": "重命名...",
+ "workbench.action.terminal.sizeToContentWidthInstance": "将大小切换为内容宽度"
+ },
+ "vs/workbench/contrib/terminal/electron-sandbox/terminalRemote": {
+ "workbench.action.terminal.newLocal": "新建集成终端(本地)"
+ },
+ "vs/workbench/contrib/testing/browser/icons": {
+ "filterIcon": "“测试”视图中“筛选器”操作的图标。",
+ "hiddenIcon": "在隐藏的测试显示时其旁边出现的图标。",
+ "testViewIcon": "查看测试视图的图标。",
+ "testingCancelIcon": "用于取消正在进行的测试运行的图标。",
+ "testingCancelRefreshTests": "用于取消刷新测试的按钮上的图标。",
+ "testingDebugAllIcon": "“调试所有测试”操作的图标。",
+ "testingDebugIcon": "“调试测试”操作的图标。",
+ "testingErrorIcon": "针对有错误的测试显示的图标。",
+ "testingFailedIcon": "针对失败的测试显示的图标。",
+ "testingPassedIcon": "针对通过的测试显示的图标。",
+ "testingQueuedIcon": "针对排队的测试显示的图标。",
+ "testingRefreshTests": "用于刷新测试的按钮上的图标。",
+ "testingRunAllIcon": "“运行所有测试”操作的图标。",
+ "testingRunIcon": "“运行测试”操作的图标。",
+ "testingShowAsList": "当测试资源管理器(树形式)被禁用时显示的图标。",
+ "testingShowAsTree": "当测试资源管理器(列表形式)被禁用时显示的图标。",
+ "testingSkippedIcon": "针对跳过的测试显示的图标。",
+ "testingUnsetIcon": "针对处于未设置状态的测试显示的图标。",
+ "testingUpdateProfiles": "显示的用于更新测试配置文件的图标。"
+ },
+ "vs/workbench/contrib/testing/browser/testExplorerActions": {
+ "configureProfile": "选择要更新的配置文件",
+ "debug test": "调试测试",
+ "debugAllTests": "调试所有测试",
+ "debugSelectedTests": "调试测试",
+ "discoveringTests": "正在发现测试",
+ "hideTest": "隐藏测试",
+ "noDebugTestProvider": "未在此工作区中找到可调试测试。可能需要安装测试提供程序扩展",
+ "noTestProvider": "未在此工作区中找到测试。可能需要安装测试提供程序扩展",
+ "run test": "运行测试",
+ "runAllTests": "运行所有测试",
+ "runSelectedTests": "运行测试",
+ "testing.cancelRun": "取消测试运行",
+ "testing.cancelTestRefresh": "取消测试刷新",
+ "testing.clearResults": "清除所有结果",
+ "testing.collapseAll": "折叠所有测试",
+ "testing.configureProfile": "配置测试配置文件",
+ "testing.debugAtCursor": "在光标处调试测试",
+ "testing.debugCurrentFile": "在当前文件中调试测试",
+ "testing.debugFailTests": "调试失败的测试",
+ "testing.debugLastRun": "调试上次运行",
+ "testing.editFocusedTest": "转到测试",
+ "testing.openOutputPeek": "快速查看输出",
+ "testing.reRunFailTests": "重新运行失败的测试",
+ "testing.reRunLastRun": "重新运行上次运行",
+ "testing.refreshTests": "刷新测试",
+ "testing.runAtCursor": "在光标处运行测试",
+ "testing.runCurrentFile": "在当前文件中运行测试",
+ "testing.runUsing": "使用配置文件执行...",
+ "testing.searchForTestExtension": "搜索测试扩展",
+ "testing.selectDefaultTestProfiles": "选择默认配置文件",
+ "testing.showMostRecentOutput": "显示输出",
+ "testing.sortByDuration": "按持续时间排序",
+ "testing.sortByLocation": "按位置排序",
+ "testing.sortByStatus": "按状态排序",
+ "testing.toggleInlineTestOutput": "切换内联测试输出",
+ "testing.viewAsList": "以列表形式查看",
+ "testing.viewAsTree": "以树形式查看",
+ "unhideAllTests": "取消隐藏所有测试",
+ "unhideTest": "取消隐藏测试"
+ },
+ "vs/workbench/contrib/testing/browser/testing.contribution": {
+ "miViewTesting": "测试(&E)",
+ "noTestProvidersRegistered": "尚未在此工作区中找到任何测试。",
+ "searchForAdditionalTestExtensions": "安装其他测试扩展...",
+ "test": "测试",
+ "testExplorer": "测试资源管理器"
+ },
+ "vs/workbench/contrib/testing/browser/testingConfigurationUi": {
+ "testConfigurationUi.pick": "选择要使用的测试配置文件",
+ "updateTestConfiguration": "更新测试配置"
+ },
+ "vs/workbench/contrib/testing/browser/testingDecorations": {
+ "actual.title": "实际",
+ "debug all test": "调试所有测试",
+ "debug test": "调试测试",
+ "expected.title": "预期",
+ "peek failure": "速览错误",
+ "peekTestOutout": "速览测试输出",
+ "reveal test": "在测试资源管理器中显示",
+ "run all test": "运行所有测试",
+ "run test": "运行测试",
+ "testing.gutterMsg.contextMenu": "单击以获取测试选项",
+ "testing.gutterMsg.debug": "单击以调试测试,右键单击以查看更多选项",
+ "testing.gutterMsg.run": "单击以运行测试,右键单击以查看更多选项",
+ "testing.runUsing": "使用配置文件执行..."
+ },
+ "vs/workbench/contrib/testing/browser/testingExplorerFilter": {
+ "filter": "筛选",
+ "testExplorerFilter": "筛选器(例如 text、!exclude、@tag)",
+ "testExplorerFilterLabel": "在资源管理器中筛选测试的文本",
+ "testing.filters.currentFile": "仅在活动文件中显示",
+ "testing.filters.fuzzyMatch": "模糊匹配",
+ "testing.filters.menu": "更多筛选器...",
+ "testing.filters.removeTestExclusions": "取消隐藏所有测试",
+ "testing.filters.showExcludedTests": "显示隐藏的测试",
+ "testing.filters.showOnlyExecuted": "仅显示已执行的测试",
+ "testing.filters.showOnlyFailed": "仅显示失败的测试"
+ },
+ "vs/workbench/contrib/testing/browser/testingExplorerView": {
+ "configureTestProfiles": "配置测试配置文件",
+ "defaultTestProfile": "{0} (默认)",
+ "selectDefaultConfigs": "选择默认配置文件",
+ "testExplorer": "测试资源管理器",
+ "testing.treeElementLabelDuration": "{1} 中的 {0}",
+ "testingFindExtension": "显示工作区测试",
+ "testingNoTest": "此文件中未发现任何测试。"
+ },
+ "vs/workbench/contrib/testing/browser/testingOutputPeek": {
+ "close": "关闭",
+ "debug test": "调试测试",
+ "messageMoreLines1": "再 + 1 行",
+ "messageMoreLinesN": "再 + {0} 行",
+ "run test": "运行测试",
+ "testUnnamedTask": "未命名任务",
+ "testing.debugLastRun": "调试测试运行",
+ "testing.goToFile": "转到“文件”",
+ "testing.goToNextMessage": "转到“下一个测试失败”",
+ "testing.goToPreviousMessage": "转到“上一个测试失败”",
+ "testing.openMessageInEditor": "在编辑器中打开",
+ "testing.reRunLastRun": "重新运行测试",
+ "testing.revealInExplorer": "在测试资源管理器中显示",
+ "testing.showResultOutput": "显示结果输出",
+ "testing.toggleTestingPeekHistory": "在速览中切换测试历史记录",
+ "testingOutputActual": "实际结果",
+ "testingOutputExpected": "预期结果",
+ "testingPeekLabel": "测试结果消息"
+ },
+ "vs/workbench/contrib/testing/browser/testingOutputTerminalService": {
+ "runFinished": "测试运行完成时间: {0}",
+ "runNoOutout": "测试运行未记录任何输出。",
+ "testNoRunYet": "\r\n尚未运行任何测试。\r\n",
+ "testOutputTerminalTitle": "测试输出",
+ "testOutputTerminalTitleWithDate": "测试输出位于 {0}"
+ },
+ "vs/workbench/contrib/testing/browser/testingProgressUiService": {
+ "testProgress.completed": "{0}/{1} 个测试已通过({2}%)",
+ "testProgress.running": "正在运行测试,通过 {0}/{1} ({2}%)",
+ "testProgress.runningInitial": "正在运行测试…",
+ "testProgressWithSkip.completed": "{0}/{1} 个测试已通过({2}%,{3} 个已跳过)",
+ "testProgressWithSkip.running": "正在运行测试,通过 {0}/{1} ({2}%, {3} 个已跳过)"
+ },
+ "vs/workbench/contrib/testing/browser/testingViewPaneContainer": {
+ "testing": "测试"
+ },
+ "vs/workbench/contrib/testing/browser/theme": {
+ "testing.iconErrored": "测试资源管理器中“出错”图标的颜色。",
+ "testing.iconFailed": "测试资源管理器中“失败”图标的颜色。",
+ "testing.iconPassed": "测试资源管理器中“已通过”图标的颜色。",
+ "testing.iconQueued": "测试资源管理器中“已排队”图标的颜色。",
+ "testing.iconSkipped": "测试资源管理器中“已跳过”图标的颜色。",
+ "testing.iconUnset": "测试资源管理器中“未设置”图标的颜色。",
+ "testing.message.error.decorationForeground": "在编辑器中内联显示的测试错误消息的文本颜色。",
+ "testing.message.error.marginBackground": "在编辑器中内联显示的错误消息旁边的边距颜色。",
+ "testing.message.info.decorationForeground": "在编辑器中内联显示的测试信息消息的文本颜色。",
+ "testing.message.info.marginBackground": "在编辑器中内联显示的信息消息旁边的边距颜色。",
+ "testing.peekBorder": "速览视图边框和箭头颜色。",
+ "testing.runAction": "编辑器中“运行”图标的颜色。"
+ },
+ "vs/workbench/contrib/testing/common/configuration": {
+ "testConfigurationTitle": "测试",
+ "testing.alwaysRevealTestOnStateChange": "打开“#testing.followRunningTest#”时,始终显示已执行的测试。如果关闭此设置,则只会显示失败的测试。",
+ "testing.autoRun.delay": "将测试标记为过时并启动新运行后等待的时间(以毫秒为单位)。",
+ "testing.autoRun.mode": "控制自动运行哪些测试。",
+ "testing.autoRun.mode.allInWorkspace": "自动运行切换时,自动运行已发现的所有测试。在各个测试发生更改时重新运行它们。",
+ "testing.autoRun.mode.onlyPreviouslyRun": "在各个测试发生更改时重新运行它们。不会自动运行尚未执行的任何测试。",
+ "testing.automaticallyOpenPeekView": "配置何时自动打开“错误速览”视图。",
+ "testing.automaticallyOpenPeekView.failureAnywhere": "无论故障在何处,都自动打开。",
+ "testing.automaticallyOpenPeekView.failureInVisibleDocument": "在可见文档中测试失败时自动打开。",
+ "testing.automaticallyOpenPeekView.never": "从不自动打开。",
+ "testing.automaticallyOpenPeekViewDuringAutoRun": "控制是否在自动运行模式期间自动打开“速览”视图。",
+ "testing.defaultGutterClickAction": "控制在装订线中左键单击测试修饰时要执行的操作。",
+ "testing.defaultGutterClickAction.contextMenu": "打开上下文菜单以获取更多选项。",
+ "testing.defaultGutterClickAction.debug": "调试测试。",
+ "testing.defaultGutterClickAction.run": "运行测试。",
+ "testing.followRunningTest": "控制在测试资源管理器视图中是否应遵循正在运行的测试",
+ "testing.gutterEnabled": "控制是否在编辑器装订线中显示测试修饰。",
+ "testing.openTesting": "控制何时打开测试视图。",
+ "testing.openTesting.neverOpen": "从不自动打开测试视图",
+ "testing.openTesting.openOnTestFailure": "任何测试失败时打开测试视图",
+ "testing.openTesting.openOnTestStart": "在测试启动时打开测试视图",
+ "testing.saveBeforeTest": "控制是否在运行测试之前保存所有脏编辑器。"
+ },
+ "vs/workbench/contrib/testing/common/constants": {
+ "testGroup.coverage": "覆盖率",
+ "testGroup.debug": "调试",
+ "testGroup.run": "运行",
+ "testState.errored": "出错",
+ "testState.failed": "失败",
+ "testState.passed": "通过",
+ "testState.queued": "已排队",
+ "testState.running": "正在运行",
+ "testState.skipped": "已跳过",
+ "testState.unset": "尚未运行",
+ "testing.treeElementLabel": "{0} ({1})"
+ },
+ "vs/workbench/contrib/testing/common/testResult": {
+ "runFinished": "测试运行时间: {0}"
+ },
+ "vs/workbench/contrib/testing/common/testServiceImpl": {
+ "testError": "尝试运行测试时出错: {0}",
+ "testTrust": "运行测试可能会执行工作区中的代码。"
+ },
+ "vs/workbench/contrib/testing/common/testingContextKeys": {
+ "testing.canRefresh": "指示任何测试控制器是否具有附加的刷新处理程序。",
+ "testing.controllerId": "当前测试项的控制器 ID",
+ "testing.hasConfigurableConfig": "指示是否可以配置测试配置",
+ "testing.hasCoverableTests": "指示是否有测试控制器注册了覆盖率配置",
+ "testing.hasDebuggableTests": "指示是否有测试控制器注册了调试配置",
+ "testing.hasNonDefaultConfig": "指示是否有测试控制器注册了非默认配置",
+ "testing.hasRunnableTests": "指示是否有测试控制器注册了运行配置",
+ "testing.isRefreshing": "指示当前是否有任何测试控制器正在刷新测试。",
+ "testing.peekItemType": "输出速览视图中项的类型。类型为“测试”、“消息”、“任务”或“结果”。",
+ "testing.testId": "当前测试项的 ID,在创建或打开测试项的菜单时设置",
+ "testing.testItemHasUri": "指示测试项是否已定义 URI 的布尔值",
+ "testing.testItemIsHidden": "指示测试项是否处于隐藏状态的布尔值"
+ },
+ "vs/workbench/contrib/themes/browser/themes.contribution": {
+ "browseColorThemes": "浏览其他颜色主题...",
+ "browseProductIconThemes": "浏览其他产品图标主题...",
+ "defaultProductIconThemeLabel": "默认值",
+ "fileIconThemeCategory": "图标主题",
+ "generateColorTheme.label": "使用当前设置生成颜色主题",
+ "installColorThemes": "安装其他颜色主题...",
+ "installIconThemes": "安装其他文件图标主题...",
+ "installProductIconThemes": "安装其他产品图标主题...",
+ "installing extensions": "正在安装扩展 {0}...",
+ "manage extension": "管理扩展",
+ "manageExtensionIcon": "主题选择快速选取中“管理”操作的图标。",
+ "miSelectColorTheme": "颜色主题(&&C)",
+ "miSelectIconTheme": "文件图标主题(&&I)",
+ "miSelectProductIconTheme": "产品图标主题(&&P)",
+ "noIconThemeDesc": "禁用文件图标",
+ "noIconThemeLabel": "无",
+ "productIconThemeCategory": "产品图标主题",
+ "selectIconTheme.label": "文件图标主题",
+ "selectProductIconTheme.label": "产品图标主题",
+ "selectTheme.label": "颜色主题",
+ "themes.category.dark": "深色主题",
+ "themes.category.hc": "高对比度主题",
+ "themes.category.light": "浅色主题",
+ "themes.selectIconTheme": "选择文件图标主题(向上/向下键以预览)",
+ "themes.selectIconTheme.label": "文件图标主题",
+ "themes.selectMarketplaceTheme": "键入以搜索更多内容。选择以安装。按向上/向下键进行预览",
+ "themes.selectProductIconTheme": "选择产品图标主题(向上/向下键以预览)",
+ "themes.selectProductIconTheme.label": "产品图标主题",
+ "themes.selectTheme": "选择颜色主题 (按上下箭头键预览)",
+ "toggleLightDarkThemes.label": "在浅色/深色主题之间切换"
+ },
+ "vs/workbench/contrib/timeline/browser/timeline.contribution": {
+ "files.openTimeline": "打开时间线",
+ "filterTimeline": "筛选器时间线",
+ "timeline.excludeSources": "应从时间线视图中排除的时间线源数组。",
+ "timeline.pageOnScroll": "实验性。控制在滚动到列表结尾时,时间线视图是否将加载下一页的项目。",
+ "timeline.pageSize": "默认情况下以及在加载更多项目时在时间线视图中显示的项目数。如果设置为 \"null\" (默认值),则将根据时间线视图的可见区域自动选择一个页面大小。",
+ "timelineConfigurationTitle": "时间线",
+ "timelineFilter": "筛选器时间线操作的图标。",
+ "timelineOpenIcon": "“打开时间线”操作的图标。",
+ "timelineViewIcon": "查看时间线视图的图标。"
+ },
+ "vs/workbench/contrib/timeline/browser/timelinePane": {
+ "refresh": "刷新",
+ "timeline": "时间线",
+ "timeline.aria.item": "{0}: {1}",
+ "timeline.editorCannotProvideTimeline": "活动编辑器无法提供时间线信息。",
+ "timeline.loadMore": "加载更多",
+ "timeline.loading": "正在加载 {0} 的时间线 ...",
+ "timeline.loadingMore": "正在加载…",
+ "timeline.noTimelineInfo": "未提供时间表信息。",
+ "timeline.toggleFollowActiveEditorCommand.follow": "固定当前时间线",
+ "timeline.toggleFollowActiveEditorCommand.unfollow": "取消固定当前时间线",
+ "timelinePin": "“固定时间线”操作的图标。",
+ "timelineRefresh": "“刷新时间线”操作的图标。",
+ "timelineUnpin": "“取消固定时间线”操作的图标。"
+ },
+ "vs/workbench/contrib/typeHierarchy/browser/typeHierarchy.contribution": {
+ "close": "关闭",
+ "editorHasTypeHierarchyProvider": "类型层次结构提供程序是否可用",
+ "error": "未能显示类型层次结构",
+ "no.item": "无结果",
+ "title": "速览类型层次结构",
+ "title.refocusTypeHierarchy": "重新专注类型层次结构",
+ "title.subtypes": "显示子类型",
+ "title.supertypes": "显示父类型",
+ "typeHierarchyDirection": "类型层次结构是否显示父类型或子类型",
+ "typeHierarchyVisible": "当前是否正在显示类型层次结构预览"
+ },
+ "vs/workbench/contrib/typeHierarchy/browser/typeHierarchyPeek": {
+ "empt.subtypes": "没有“{0}”的子类型",
+ "empt.supertypes": "没有“{0}”的父类型",
+ "subtypes": "“{0}”的子类型",
+ "supertypes": "“{0}”的父类型",
+ "title.loading": "正在加载..."
+ },
+ "vs/workbench/contrib/typeHierarchy/browser/typeHierarchyTree": {
+ "subtypes": "{0} 的子类型",
+ "supertypes": "“{0}”的父类型",
+ "tree.aria": "类型层次结构"
+ },
+ "vs/workbench/contrib/update/browser/releaseNotesEditor": {
+ "releaseNotesInputName": "发行说明: {0}",
+ "unassigned": "未分配"
+ },
+ "vs/workbench/contrib/update/browser/update": {
+ "DownloadingUpdate": "正在下载更新...",
+ "cancel": "取消",
+ "checkForUpdates": "检查更新...",
+ "checkingForUpdates": "正在检查更新...",
+ "download update": "下载更新",
+ "download update_1": "下载更新(1) ",
+ "downloading": "正在下载...",
+ "installUpdate": "安装更新",
+ "installUpdate...": "安装更新... (1)",
+ "installingUpdate": "正在安装更新...",
+ "later": "稍后",
+ "noUpdatesAvailable": "当前没有可用的更新。",
+ "read the release notes": "欢迎使用 {0} v{1}! 是否要阅读发布说明?",
+ "relaunchDetailInsiders": "按“重新加载”按钮切换到预览体验成员版本的 VS Code。",
+ "relaunchDetailStable": "按“重新加载”按钮切换到稳定版的 VS Code。",
+ "relaunchMessage": "需要重载,然后对版本的更改才会生效",
+ "releaseNotes": "发行说明",
+ "reload": "重载(&&R)",
+ "restartToUpdate": "重新启动以更新 (1)",
+ "selectSyncService.detail": "默认情况下,预览体验成员版 VS Code 将使用单独的预览体验成员设置同步服务来同步你的设置、键绑定、扩展、片段、UI 状态。",
+ "selectSyncService.message": "选择在更改版本后要使用的设置同步服务",
+ "showReleaseNotes": "显示发行说明",
+ "switchToInsiders": "切换到内部预览计划版本…",
+ "switchToStable": "切换到稳定版本…",
+ "thereIsUpdateAvailable": "存在可用更新。",
+ "update service": "更新服务",
+ "update.noReleaseNotesOnline": "此版本的 {0} 没有联机发行说明",
+ "updateAvailable": "现有更新可用: {0} {1}",
+ "updateAvailableAfterRestart": "重新启动 {0} 即可应用最新更新。",
+ "updateIsReady": "有新的 {0} 的更新可用。",
+ "updateNow": "立即更新",
+ "updating": "正在更新...",
+ "use insiders": "预览体验成员",
+ "use stable": "稳定(当前) "
+ },
+ "vs/workbench/contrib/update/browser/update.contribution": {
+ "applyUpdate": "应用更新...",
+ "downloadUpdate": "下载更新",
+ "installUpdate": "安装更新",
+ "miReleaseNotes": "发行说明(&&R)",
+ "pickUpdate": "应用更新",
+ "restartToUpdate": "重启以更新",
+ "updateButton": "更新(&&U)"
+ },
+ "vs/workbench/contrib/url/browser/trustedDomains": {
+ "trustedDomain.manageTrustedDomain": "管理受信任的域",
+ "trustedDomain.manageTrustedDomains": "管理受信任的域",
+ "trustedDomain.trustAllDomains": "信任所有域(禁用链接保护)",
+ "trustedDomain.trustAllPorts": "信任所有端口上的 {0}",
+ "trustedDomain.trustDomain": "信任 {0}",
+ "trustedDomain.trustSubDomain": "信任 {0} 及其所有子域"
+ },
+ "vs/workbench/contrib/url/browser/trustedDomainsValidator": {
+ "cancel": "取消",
+ "configureTrustedDomains": "配置受信任的域",
+ "copy": "复制",
+ "open": "打开",
+ "openExternalLinkAt": "是否要 {0} 打开外部网站?"
+ },
+ "vs/workbench/contrib/url/browser/url.contribution": {
+ "openUrl": "打开 URL",
+ "urlToOpen": "要打开的 URL",
+ "workbench.trustedDomains.promptInTrustedWorkspace": "启用后,在受信任的工作区中打开链接时,将显示受信任的域提示。"
+ },
+ "vs/workbench/contrib/userDataProfile/browser/userDataProfile": {
+ "currentProfile": "当前设置配置文件是 {0}",
+ "manageProfiles": "{0} ({1})",
+ "profileTooltip": "{0}: {1}",
+ "settingsProfilesIcon": "设置配置文件的图标。",
+ "statusBarItemSettingsProfileBackground": "状态栏上设置配置文件条目的背景色。",
+ "statusBarItemSettingsProfileForeground": "状态栏上设置配置文件条目的前景色。",
+ "workbench.experimental.settingsProfiles.enabled": "控制是否启用“设置配置文件”预览功能。"
+ },
+ "vs/workbench/contrib/userDataProfile/common/userDataProfileActions": {
+ "cleanup profile": "清理设置配置文件",
+ "confiirmation message": "这将替换当前设置。是否确实要继续?",
+ "create and enter empty profile": "创建空配置文件...",
+ "create empty profile": "创建空设置配置文件...",
+ "create profile": "创建...",
+ "create settings profile": "{0}: 创建...",
+ "current": "当前",
+ "delete profile": "删除...",
+ "edit settings profile": "重命名设置配置文件...",
+ "export profile": "导出...",
+ "export profile dialog": "保存配置文件",
+ "export success": "{0}: 已成功导出。",
+ "import profile": "导入...",
+ "import profile dialog": "导入配置文件",
+ "import profile placeholder": "提供配置文件 URL 或选择要导入的配置文件",
+ "import profile quick pick title": "从配置文件导入设置",
+ "import profile title": "从配置文件导入设置",
+ "name": "配置文件名称",
+ "pick profile": "选择设置配置文件",
+ "pick profile to delete": "选择要删除的设置配置文件",
+ "pick profile to rename": "选择要重命名的设置配置文件",
+ "rename profile": "重命名...",
+ "save profile as": "从当前设置配置文件创建...",
+ "select from file": "从配置文件导入",
+ "select from url": "从 URL 导入",
+ "switch profile": "切换..."
+ },
+ "vs/workbench/contrib/userDataSync/browser/userDataSync": {
+ "Theirs": "他们的",
+ "Yours": "你的",
+ "accept failed": "接受更改时出错。有关更多详细信息,请查看[日志]({0})。",
+ "accept merges title": "接受合并",
+ "ask to turn on in global": "设置同步已关闭(1)",
+ "auth failed": "启用设置同步时出错: 身份验证失败。",
+ "cancel": "取消",
+ "change later": "以后始终可以更改此项。",
+ "configure": "配置...",
+ "configure and turn on sync detail": "请进行登录,跨设备同步你的数据。",
+ "configure sync": "{0}: 配置…",
+ "configure sync placeholder": "选择要同步的内容",
+ "conflicts detected": "由于 {0} 中的冲突,无法同步。请解决它们以继续。",
+ "default": "默认值",
+ "error reset required": "云中的数据早于客户端的数据,因此已禁用设置同步。请先清除云中的数据,然后再启用同步。",
+ "error reset required while starting sync": "云中的数据早于客户端的数据,因此无法启用设置同步。请先清除云中的数据,然后再启用同步。",
+ "error upgrade required": "当前版本({0}, {1})与同步服务不兼容,因此已禁用设置同步。请先进行更新,然后再打开同步。",
+ "error upgrade required while starting sync": "当前版本({0}, {1})与同步服务不兼容,因此无法启用设置同步。请先进行更新,然后再打开同步。",
+ "errorInvalidConfiguration": "无法同步 {0},因为文件中的内容无效。请打开文件并进行更正。",
+ "global activity turn on sync": "打开设置同步…",
+ "has conflicts": "{0}: 检测到冲突",
+ "insiders": "预览体验人员",
+ "learn more": "了解详细信息",
+ "localResourceName": "{0}(本地)",
+ "no authentication providers": "没有可用的身份验证提供程序。",
+ "open file": "打开 {0} 文件",
+ "operationId": "操作 ID: {0}",
+ "per platform": "为每个平台",
+ "remoteResourceName": "{0}(远程)",
+ "replace local": "替换本地",
+ "replace remote": "替换远程",
+ "reset": "清除云中的数据…",
+ "resolveConflicts_global": "{0}: 显示设置冲突(1)",
+ "resolveKeybindingsConflicts_global": "{0}: 显示按键绑定冲突(1)",
+ "resolveSnippetsConflicts_global": "{0}: 显示用户代码片段冲突({1})",
+ "resolveTasksConflicts_global": "{0}: 显示用户任务冲突 (1)",
+ "service changed and turned off": "设置同步已禁用,因为 {0} 现使用一个单独的服务。请再次启用同步。",
+ "service switched to insiders": "设置同步已切换为预览体验成员服务",
+ "service switched to stable": "设置同步已切换为稳定的服务",
+ "session expired": "当前会话已过期,因此已关闭设置同步。若要启用同步,请重新登录。",
+ "settings sync is off": "设置同步已关闭",
+ "show conflicts": "显示冲突",
+ "show sync log title": "{0}: 显示日志",
+ "show sync log toolrip": "显示日志",
+ "show synced data": "{0}: 显示已同步的数据",
+ "show synced data action": "显示已同步的数据",
+ "showConflicts": "{0}: 显示设置冲突",
+ "showKeybindingsConflicts": "{0}: 显示键绑定冲突",
+ "showSnippetsConflicts": "{0}: 显示用户代码片段冲突",
+ "showTasksConflicts": "{0}: 显示用户任务冲突",
+ "sign in accounts": "登录以同步设置(1)",
+ "sign in and turn on": "登录并打开",
+ "sign in global": "登录以同步设置",
+ "sign in to sync": "登录以同步设置",
+ "stable": "稳定",
+ "stop sync": "{0}: 关闭",
+ "switchSyncService.description": "在与多个环境同步时,请确保你使用的设置同步服务相同",
+ "switchSyncService.title": "{0}: 选择服务",
+ "sync is on": "设置同步已打开",
+ "sync now": "{0}: 立即同步",
+ "sync settings": "{0}: 显示设置",
+ "synced with time": "同步时间: {0}",
+ "syncing": "正在同步",
+ "too large": "已禁止同步 {0},因为要同步的 {1} 文件的大小大于 {2}。请打开文件减小大小,然后再启用同步",
+ "too large while starting sync": "要同步的 {0} 文件的大小大于 {1},因此无法启用设置同步。请打开文件并减小大小,然后打开同步",
+ "turn off": "关闭(&&T)",
+ "turn off failed": "禁用设置同步时出错。有关更多详细信息,请查看[日志]({0})。",
+ "turn off sync confirmation": "是否要关闭同步?",
+ "turn off sync detail": "将不再同步你的设置、键绑定、扩展、代码片段和 UI 状态。",
+ "turn off sync everywhere": "关闭所有设备上的同步设置,并从云中清除数据。",
+ "turn on failed": "打开设置同步时出错。{0}",
+ "turn on failed with user data sync error": "启用设置同步时出错。请查看[日志]({0})以了解详细信息。",
+ "turn on settings sync": "打开设置同步",
+ "turn on sync": "打开设置同步…",
+ "turn on sync with category": "{0}: 打开…",
+ "turned off": "已从另一设备禁用设置同步,请再次启用同步。",
+ "turnin on sync": "正在打开设置同步…",
+ "turning on syncing": "正在打开设置同步…",
+ "turnon sync after initialization message": "已初始化你的设置、键绑定、扩展、代码片段和 UI 状态,但还未同步。是否要启用设置同步?",
+ "using separate service": "设置同步现使用一个单独的服务;有关详细信息,请参阅[设置同步文档](https://aka.ms/vscode-settings-sync-help#_syncing-stable-versus-insiders)。",
+ "workbench.action.showSyncRemoteBackup": "显示已同步的数据",
+ "workbench.actions.syncData.reset": "清除云中的数据…"
+ },
+ "vs/workbench/contrib/userDataSync/browser/userDataSync.contribution": {
+ "local too many requests - reload": "由于当前设备发出的请求过多,设置同步将暂时暂停。请重新加载 {0} 以恢复。",
+ "local too many requests - restart": "由于当前设备发出的请求过多,设置同步将暂时暂停。请重启 {0} 以恢复。",
+ "operationId": "操作 ID: {0}",
+ "reload": "重新加载",
+ "restart": "重启",
+ "server too many requests": "由于当前设备发出的请求过多,已禁用设置同步。请等待 10 分钟,然后打开同步。",
+ "settings sync": "设置同步。操作 ID: {0}",
+ "show sync logs": "显示日志"
+ },
+ "vs/workbench/contrib/userDataSync/browser/userDataSyncMergesView": {
+ "accept local": "接受本地",
+ "accept merges": "接受合并",
+ "accept remote": "接受远程",
+ "accepted": "已接受",
+ "cancel": "取消",
+ "conflict": "检测到冲突",
+ "conflicts detected": "检测到冲突",
+ "explanation": "若要启用同步,请仔细查看每个条目和合并项。",
+ "label": "UserDataSyncResources",
+ "leftResourceName": "{0} (远程)",
+ "merges": "{0} (合并)",
+ "preview": "{0} (预览)",
+ "resolve": "因冲突而无法同步。请解决它们以继续。",
+ "rightResourceName": "{0} (本地)",
+ "sideBySideDescription": "设置同步",
+ "sideBySideLabels": "{0} ↔ {1}",
+ "turn on sync": "打开设置同步",
+ "turning on": "正在打开…",
+ "workbench.actions.sync.acceptLocal": "接受本地",
+ "workbench.actions.sync.acceptRemote": "接受远程",
+ "workbench.actions.sync.discard": "放弃",
+ "workbench.actions.sync.merge": "合并",
+ "workbench.actions.sync.showChanges": "打开更改"
+ },
+ "vs/workbench/contrib/userDataSync/browser/userDataSyncViews": {
+ "confirm replace": "是否要用选定的内容替换当前的 {0}?",
+ "current": "当前",
+ "last sync states": "上次同步的远程",
+ "leftResourceName": "{0} (远程)",
+ "local sync activity title": "同步活动(本地)",
+ "merges": "合并",
+ "no machines": "无计算机",
+ "not found": "找不到 ID 为 {0} 的计算机",
+ "placeholder": "输入计算机名称",
+ "remote sync activity title": "同步活动(远程)",
+ "remoteToLocalDiff": "{0} ↔ {1}",
+ "reset": "重置同步的数据",
+ "rightResourceName": "{0} (本地)",
+ "sideBySideLabels": "{0} ↔ {1}",
+ "sync logs": "日志",
+ "synced machines": "已同步的计算机",
+ "troubleshoot": "疑难解答",
+ "turn off": "关闭(&&T)",
+ "turn off sync on machine": "确定要对 {0} 关闭同步吗?",
+ "turn off sync on multiple machines": "是否确实要在所选计算机上禁用同步?",
+ "valid message": "计算机名称必须是唯一的且不为空",
+ "workbench.actions.sync.compareWithLocal": "与本地比较",
+ "workbench.actions.sync.editMachineName": "编辑名称",
+ "workbench.actions.sync.replaceCurrent": "还原",
+ "workbench.actions.sync.resolveResourceRef": "显示原始 JSON 同步数据",
+ "workbench.actions.sync.turnOffSyncOnMachine": "关闭设置同步"
+ },
+ "vs/workbench/contrib/userDataSync/electron-sandbox/userDataSync.contribution": {
+ "Open Backup folder": "打开本地备份文件夹",
+ "no backups": "本地备份文件夹不存在"
+ },
+ "vs/workbench/contrib/watermark/browser/watermark": {
+ "tips.enabled": "启用后,当没有打开编辑器时将显示水印提示。",
+ "watermark.findInFiles": "在文件中查找",
+ "watermark.newUntitledFile": "新的无标题文件",
+ "watermark.openFile": "打开文件",
+ "watermark.openFileFolder": "打开文件或文件夹",
+ "watermark.openFolder": "打开文件夹",
+ "watermark.openRecent": "打开最近的文件",
+ "watermark.quickAccess": "转到文件",
+ "watermark.showCommands": "显示所有命令",
+ "watermark.showSettings": "显示设置",
+ "watermark.startDebugging": "开始调试",
+ "watermark.toggleFullscreen": "切换全屏",
+ "watermark.toggleTerminal": "切换终端"
+ },
+ "vs/workbench/contrib/webview/browser/webview.contribution": {
+ "copy": "复制",
+ "cut": "剪切",
+ "paste": "粘贴"
+ },
+ "vs/workbench/contrib/webview/browser/webviewElement": {
+ "fatalErrorMessage": "加载 Web 视图时出错: {0}"
+ },
+ "vs/workbench/contrib/webview/electron-sandbox/webviewCommands": {
+ "iframeWebviewAlert": "使用标准开发工具调试基于 iFrame 的 Web 视图",
+ "openToolsLabel": "打开 Webview 开发人员工具"
+ },
+ "vs/workbench/contrib/webviewPanel/browser/webviewCommands": {
+ "editor.action.webvieweditor.findNext": "查找下一个",
+ "editor.action.webvieweditor.findPrevious": "查找上一个",
+ "editor.action.webvieweditor.hideFind": "停止查找",
+ "editor.action.webvieweditor.showFind": "显示查找",
+ "refreshWebviewLabel": "重新加载 Web 视图"
+ },
+ "vs/workbench/contrib/webviewPanel/browser/webviewPanel.contribution": {
+ "webview.editor.label": "Web 视图编辑器"
+ },
+ "vs/workbench/contrib/welcomeGettingStarted/browser/gettingStarted": {
+ "allDone": "标记为完成",
+ "checkboxTitle": "选中后,此页面将在启动时显示。",
+ "close": "隐藏",
+ "footer": "{0} 收集使用情况数据。阅读我们的 {1} 并了解如何 {2}。",
+ "getStarted": "开始",
+ "gettingStarted.allStepsComplete": "所有 {0} 个步骤均已完成!",
+ "gettingStarted.editingEvolved": "编辑进化",
+ "gettingStarted.keyboardTip": "提示: 使用键盘快捷方式 ",
+ "gettingStarted.someStepsComplete": "已完成 {0} 个步骤,共 {1} 个步骤",
+ "imageShowing": "显示 {0} 的图像",
+ "new": "新建",
+ "newItems": "已更新",
+ "nextOne": "下一节",
+ "noRecents": "你没有最近使用的文件夹,",
+ "openFolder": "打开文件夹",
+ "optOut": "选择退出",
+ "pickWalkthroughs": "打开演练...",
+ "privacy statement": "隐私声明",
+ "recent": "最近",
+ "show more recents": "显示所有最近使用的文件夹 {0}",
+ "showAll": "更多...",
+ "start": "启动",
+ "toStart": "以开始。",
+ "walkthroughs": "演练",
+ "welcomeAriaLabel": "关于编辑器快速入门的概述。",
+ "welcomePage.openFolderWithPath": "打开路径为 {1} 的文件夹 {0}",
+ "welcomePage.showOnStartup": "启动时显示欢迎页"
+ },
+ "vs/workbench/contrib/welcomeGettingStarted/browser/gettingStarted.contribution": {
+ "deprecationMessage": "已弃用,请使用全局 `workbench.reduceMotion`。",
+ "getStarted": "开始",
+ "help": "帮助",
+ "miGetStarted": "开始",
+ "pickWalkthroughs": "打开演练...",
+ "welcome.goBack": "后退",
+ "welcome.markStepComplete": "标记步骤完成",
+ "welcome.markStepInomplete": "标记步骤未完成",
+ "welcome.showAllWalkthroughs": "打开演练...",
+ "workbench.startupEditor": "在没有从上一会话中恢复出信息的情况下,控制启动时显示的编辑器。",
+ "workbench.startupEditor.newUntitledFile": "打开一个新的无标题文件(仅在打开一个空窗口时适用)。",
+ "workbench.startupEditor.none": "在启动时不打开编辑器。",
+ "workbench.startupEditor.readme": "当打开包含自述文件的文件夹时,请打开自述文件,否则会回退到 'welcomePage'。请注意: 仅在作为全局 配置时才遵守此操作,如果在工作区或文件夹配置中进行设置,则此将被忽略。",
+ "workbench.startupEditor.welcomePage": "打开包含帮助开始使用 VS Code 和扩展内容的欢迎页面。",
+ "workbench.startupEditor.welcomePageInEmptyWorkbench": "在打开空工作区时打开欢迎页面。",
+ "workbench.welcomePage.preferReducedMotion": "启用后,减少欢迎页中的移动。",
+ "workbench.welcomePage.videoTutorials": "启用后,入门页面将包含指向视频教程的其他链接。",
+ "workbench.welcomePage.walkthroughs.openOnInstall": "启用后,扩展的演练将在安装扩展时打开。",
+ "workspacePlatform": "当前工作区的平台,在远程或无服务器上下文中可能不同于 UI 的平台"
+ },
+ "vs/workbench/contrib/welcomeGettingStarted/browser/gettingStartedColors": {
+ "welcomePage.background": "欢迎页面的背景色。",
+ "welcomePage.progress.background": "欢迎页面进度栏的前景色。",
+ "welcomePage.progress.foreground": "欢迎页面进度栏的背景色。",
+ "welcomePage.tileBackground": "“入门”页上磁贴的背景颜色。",
+ "welcomePage.tileHoverBackground": "“入门”页上磁贴的悬停背景颜色。",
+ "welcomePage.tileShadow": "欢迎页演练类别按钮的阴影颜色。"
+ },
+ "vs/workbench/contrib/welcomeGettingStarted/browser/gettingStartedExtensionPoint": {
+ "pathDeprecated": "已弃用。请改用“图像”或“Markdown”",
+ "title": "标题",
+ "walkthroughs": "提供演练以帮助用户入门扩展。",
+ "walkthroughs.description": "演练的说明。",
+ "walkthroughs.featuredFor": "与这些 glob 模式之一匹配的演练在具有指定文件的工作区中显示为“特色”。例如,针对 TypeScript 项目的演练可能在此处指定“tsconfig.json”。",
+ "walkthroughs.id": "此演练的唯一标识符。",
+ "walkthroughs.steps": "要在此演练期间完成的步骤。",
+ "walkthroughs.steps.button.deprecated.interpolated": "已弃用。请改用说明中的 markdown 链接,例如 {0}、{1}、或 {2}",
+ "walkthroughs.steps.completionEvents": "应触发此步骤变为已勾选的事件。如果为空或未定义,则在单击任何步骤的按钮或链接时,步骤将撤销复选; 如果该步骤没有按钮或链接,则选中它时会选中。",
+ "walkthroughs.steps.completionEvents.extensionInstalled": "安装具有给定 id 的扩展时,请关闭步骤。如果已安装扩展,则步骤将以勾选状态开始。",
+ "walkthroughs.steps.completionEvents.onCommand": "在 VS Code 中的任何位置执行给定命令时,勾选步骤。",
+ "walkthroughs.steps.completionEvents.onContext": "当上下文键表达式为 true 时,勾选步骤。",
+ "walkthroughs.steps.completionEvents.onLink": "通过演练步骤打开给定链接时的签出步骤。",
+ "walkthroughs.steps.completionEvents.onSettingChanged": "在给定设置发生更改时勾选步骤",
+ "walkthroughs.steps.completionEvents.onView": "打开给定视图时选中步骤",
+ "walkthroughs.steps.completionEvents.stepSelected": "选中后立即勾选步骤。",
+ "walkthroughs.steps.description.interpolated": "步骤说明。支持 “preformatted”、__italic__和 **bold** 文本。对命令或外部链接使用 markdown 样式链接: {0}、{1} 或 {2}。在其自身行上的链接将呈现为按钮。",
+ "walkthroughs.steps.doneOn": "指示将步骤标记为已完成的信号。",
+ "walkthroughs.steps.doneOn.deprecation": "doneOn 已弃用。默认情况下,单击用户按钮时将勾选步骤,以进一步配置使用 completionEvents",
+ "walkthroughs.steps.id": "此步骤的唯一标识符。用于跟踪已完成的步骤。",
+ "walkthroughs.steps.media": "要与此步骤一起显示的媒体(图像或 Markdown 内容)。",
+ "walkthroughs.steps.media.altText": "无法加载图像时或在屏幕读取器中显示的替换文字。",
+ "walkthroughs.steps.media.image.path.dark.string": "深色主题相对于扩展目录的图像的路径。",
+ "walkthroughs.steps.media.image.path.hc.string": "hc 主题相对于扩展目录的图像的路径。",
+ "walkthroughs.steps.media.image.path.hcLight.string": "hc 浅色主题相对于扩展目录的图像的路径。",
+ "walkthroughs.steps.media.image.path.light.string": "浅色主题相对于扩展目录的图像的路径。",
+ "walkthroughs.steps.media.image.path.string": "一个图像或对象的路径,由指向光源、暗和 hc 图像的路径(相对于扩展目录)组成。根据上下文,图像将显示从 400px 到800px 宽,具有相似的高度边界。为了支持 HIDPI 显示,图像将以 1.5 倍缩放比例呈现。例如,900 物理像素宽图像将显示为 600 逻辑像素宽。",
+ "walkthroughs.steps.media.image.path.svg": "变量中支持颜色标记、svg 路径以支持与工作台匹配的主题设置。",
+ "walkthroughs.steps.media.markdown.path": "Markdown 文档的路径(相对于扩展目录)。",
+ "walkthroughs.steps.oneOn.command": "执行指定命令时将步骤标记为已完成。",
+ "walkthroughs.steps.title": "步骤标题。",
+ "walkthroughs.steps.when": "用于控制此步骤可见性的上下文键表达式。",
+ "walkthroughs.title": "演练的标题。",
+ "walkthroughs.when": "用于控制此演练的可见性的上下文键表达式。"
+ },
+ "vs/workbench/contrib/welcomeGettingStarted/browser/gettingStartedIcons": {
+ "gettingStartedChecked": "用于表示已完成的演练步骤",
+ "gettingStartedUnchecked": "用于表示尚未完成的演练步骤"
+ },
+ "vs/workbench/contrib/welcomeGettingStarted/browser/gettingStartedInput": {
+ "getStarted": "开始"
+ },
+ "vs/workbench/contrib/welcomeGettingStarted/browser/gettingStartedService": {
+ "builtin": "内置",
+ "developer": "开发人员",
+ "resetWelcomePageWalkthroughProgress": "重置欢迎页面演练进度"
+ },
+ "vs/workbench/contrib/welcomeGettingStarted/common/gettingStartedContent": {
+ "browseLangExts": "浏览语言扩展",
+ "browsePopular": "浏览热门 Web 扩展",
+ "browseRecommended": "浏览推荐的扩展",
+ "cloneRepo": "克隆仓库",
+ "commandPalette": "打开命令面板",
+ "enableSync": "启用设置同步",
+ "enableTrust": "启用信任",
+ "getting-started-beginner-icon": "用于欢迎页面初学者类别的图标",
+ "getting-started-intermediate-icon": "用于欢迎页面中级类别的图标",
+ "getting-started-setup-icon": "用于欢迎页面的设置类别的图标",
+ "gettingStarted.beginner.description": "直接跳转到 VS Code 并概要了解必备功能。",
+ "gettingStarted.beginner.title": "了解基础知识",
+ "gettingStarted.commandPalette.description.interpolated": "命令是在 VS Code 中完成任务的键盘方式。查找常用命令以进行 **练习**,从而节省时间。\r\n{0}\r\n__尝试搜索‘视图切换’。__",
+ "gettingStarted.commandPalette.title": "访问所有内容只需一个快捷方式",
+ "gettingStarted.debug.description.interpolated": "通过设置启动配置来加速编辑、生成、测试和调试循环。\r\n{0}",
+ "gettingStarted.debug.title": "在操作中查看代码",
+ "gettingStarted.extensions.description.interpolated": "扩展是 VS Code 的精华。扩展范围包括方便地提升生产力、扩展现成的功能以及添加全新的功能。\r\n{0}",
+ "gettingStarted.extensions.title": "无限扩展性",
+ "gettingStarted.extensionsWeb.description.interpolated": "扩展是 VS Code 的增强功能。越来越多的扩展可在 Web 上使用。\r\n{0}",
+ "gettingStarted.findLanguageExts.description.interpolated": "语法突出显示、代码完成、lint 分析和调试让代码更加智能。虽然已内置多种语言,但可将更多语言添加为扩展。\r\n{0}",
+ "gettingStarted.findLanguageExts.title": "对所有语言的丰富支持",
+ "gettingStarted.installGit.description.interpolated": "安装 Git 以跟踪项目中的更改。\r\n{0}",
+ "gettingStarted.installGit.title": "安装 Git",
+ "gettingStarted.intermediate.description": "使用这些提示和技巧优化开发工作流。",
+ "gettingStarted.intermediate.title": "提高工作效率",
+ "gettingStarted.menuBar.description.interpolated": "下拉菜单中提供了完整的菜单栏,可为代码腾出空间。切换其外观以加快访问速度。\r\n{0}",
+ "gettingStarted.menuBar.title": "恰好数量的 UI",
+ "gettingStarted.newFile.description": "打开新的无标题文件、笔记本或自定义编辑器。",
+ "gettingStarted.newFile.title": "新建文件...",
+ "gettingStarted.notebook.title": "自定义笔记",
+ "gettingStarted.notebookProfile.description": "获取笔记,以你喜欢的方式体验",
+ "gettingStarted.notebookProfile.title": "选择笔记的布局",
+ "gettingStarted.openFile.description": "打开文件以开始工作",
+ "gettingStarted.openFile.title": "打开文件...",
+ "gettingStarted.openFolder.description": "打开文件夹开始工作",
+ "gettingStarted.openFolder.title": "打开文件夹...",
+ "gettingStarted.openMac.description": "打开文件或文件夹以开始工作",
+ "gettingStarted.openMac.title": "打开...",
+ "gettingStarted.pickColor.description.interpolated": "正确的调色板可帮助你专注于代码、更易于识别,并且使用起来更具趣味性。\r\n{0}",
+ "gettingStarted.pickColor.title": "选择想要的外观",
+ "gettingStarted.playground.description.interpolated": "想要更快、更智能地编写代码? 请在交互式操场中练习功能强大的代码编辑功能。\r\n{0}",
+ "gettingStarted.playground.title": "重新定义编辑技能",
+ "gettingStarted.quickOpen.description.interpolated": "击键一下即可迅速在文件之间导航。提示: 通过按右箭头键打开多个文件。\r\n{0}",
+ "gettingStarted.quickOpen.title": "在文件之间快速导航",
+ "gettingStarted.scm.description.interpolated": "不再查找 Git 命令! Git 和 GitHub 工作流已无缝集成。\r\n{0}",
+ "gettingStarted.scm.title": "使用 Git 跟踪代码",
+ "gettingStarted.scmClone.description.interpolated": "为项目设置内置版本控制,以跟踪更改并与他人协作。\r\n{0}",
+ "gettingStarted.scmSetup.description.interpolated": "为项目设置内置版本控制,以跟踪更改并与他人协作。\r\n{0}",
+ "gettingStarted.settings.description.interpolated": "根据你的喜好调整 VS Code 和扩展的各个方面。首先会列出常用设置便于你开始使用。\r\n{0}",
+ "gettingStarted.settings.title": "优化设置",
+ "gettingStarted.settingsSync.description.interpolated": "保持跨所有设备备份和更新基本的 VS Code 自定义。\r\n{0}",
+ "gettingStarted.settingsSync.title": "同步到其他设备或从其他设备同步",
+ "gettingStarted.setup.OpenFolder.description.interpolated": "你已准备好开始编码。请打开项目文件夹,将文件放入VS Code。\r\n{0}",
+ "gettingStarted.setup.OpenFolder.title": "打开你的代码",
+ "gettingStarted.setup.OpenFolderWeb.description.interpolated": "你已准备好开始编码。可以打开本地项目或远程仓库,以将文件置于 VS Code。\r\n{0}\r\n{1}",
+ "gettingStarted.setup.description": "发现最佳的自定义方法,使用你的专属 VS Code。",
+ "gettingStarted.setup.title": "开始使用 VS Code",
+ "gettingStarted.setupWeb.description": "发现最佳的自定义方法,以使 Web 中的 VS Code 成为你的专属。",
+ "gettingStarted.setupWeb.title": "Web 中 VS Code 入门",
+ "gettingStarted.shortcuts.description.interpolated": "发现喜欢的命令后,创建自定义键盘快捷方式以进行即时访问。\r\n{0}",
+ "gettingStarted.shortcuts.title": "自定义快捷方式",
+ "gettingStarted.splitview.description.interpolated": "通过以并排、垂直和水平方式打开文件,充分利用屏幕空间。\r\n{0}",
+ "gettingStarted.splitview.title": "并行编辑",
+ "gettingStarted.tasks.description.interpolated": "为常见工作流创建任务,并享受运行脚本和自动检查结果的集成体验。\r\n{0}",
+ "gettingStarted.tasks.title": "自动执行项目任务",
+ "gettingStarted.terminal.description.interpolated": "在代码近旁快速运行 shell 命令并监视生成输出。\r\n{0}",
+ "gettingStarted.terminal.title": "便利的内置终端",
+ "gettingStarted.topLevelGitClone.description": "将远程仓库克隆到本地文件夹",
+ "gettingStarted.topLevelGitClone.title": "克隆 Git 仓库...",
+ "gettingStarted.topLevelGitOpen.description": "连接到远程仓库或拉取请求,以进行浏览、搜索、编辑和提交",
+ "gettingStarted.topLevelGitOpen.title": "打开仓库...",
+ "gettingStarted.topLevelShowWalkthroughs.description": "查看编辑器或扩展的演练",
+ "gettingStarted.topLevelShowWalkthroughs.title": "打开演练...",
+ "gettingStarted.topLevelVideoTutorials.description": "观看我们关于 VS Code 主要功能的系列简短实用视频教程。",
+ "gettingStarted.topLevelVideoTutorials.title": "观看视频教程",
+ "gettingStarted.videoTutorial.description.interpolated": "请观看系列简短实用视频教程中的第一课,了解 VS Code 的主要功能。\r\n{0}",
+ "gettingStarted.videoTutorial.title": "充电学习",
+ "gettingStarted.workspaceTrust.description.interpolated": "通过 {0},可以确定项目文件夹是否应 **允许或限制** 自动代码执行 __(扩展、调试等所必需)__。\r\n 打开文件/文件夹将提示授予信任。以后始终可以 {1}。",
+ "gettingStarted.workspaceTrust.title": "安全浏览和编辑代码",
+ "initRepo": "初始化 Git 仓库",
+ "installGit": "安装 Git",
+ "keyboardShortcuts": "键盘快捷方式",
+ "openEditorPlayground": "打开编辑器操场",
+ "openFolder": "打开文件夹",
+ "openRepository": "打开仓库",
+ "openSCM": "开放源代码管理",
+ "pickFolder": "选取文件夹",
+ "quickOpen": "快速打开一个文件",
+ "runProject": "运行项目",
+ "runTasks": "运行自动检测到的任务",
+ "showTerminal": "显示终端面板",
+ "splitEditor": "拆分编辑器",
+ "titleID": "浏览颜色主题",
+ "toggleMenuBar": "切换菜单栏",
+ "tweakSettings": "调整我的设置",
+ "watch": "观看教程",
+ "workspaceTrust": "工作区信任"
+ },
+ "vs/workbench/contrib/welcomeGettingStarted/common/media/notebookProfile": {
+ "colab": "Colab",
+ "default": "默认",
+ "jupyter": "Jupyter"
+ },
+ "vs/workbench/contrib/welcomeGettingStarted/common/media/theme_picker": {
+ "HighContrast": "深色高对比度",
+ "HighContrastLight": "浅色高对比度",
+ "dark": "深色",
+ "light": "浅色",
+ "seeMore": "查看更多主题..."
+ },
+ "vs/workbench/contrib/welcomeOverlay/browser/welcomeOverlay": {
+ "hideWelcomeOverlay": "隐藏界面概述",
+ "welcomeOverlay": "用户界面概览",
+ "welcomeOverlay.commandPalette": "查找并运行所有命令",
+ "welcomeOverlay.debug": "启动和调试",
+ "welcomeOverlay.explorer": "文件资源管理器",
+ "welcomeOverlay.extensions": "管理扩展",
+ "welcomeOverlay.git": "源代码管理",
+ "welcomeOverlay.notifications": "显示通知",
+ "welcomeOverlay.problems": "查看错误和警告",
+ "welcomeOverlay.search": "跨文件搜索",
+ "welcomeOverlay.terminal": "切换集成终端"
+ },
+ "vs/workbench/contrib/welcomeViews/common/newFile.contribution": {
+ "Built-In": "内置",
+ "Create": "创建",
+ "change keybinding": "配置键绑定",
+ "file": "文件",
+ "miNewFile2": "文本文件",
+ "miNewFileWithName": "新文件({0})",
+ "notebook": "笔记本",
+ "selectFileType": "选择文件类型...",
+ "welcome.newFile": "新建文件..."
+ },
+ "vs/workbench/contrib/welcomeViews/common/viewsWelcomeContribution": {
+ "ViewsWelcomeExtensionPoint.proposedAPI": "“{0}”中的 viewsWelcome 贡献需要 “enabledApiProposals: [“contribViewsWelcome”]”才能使用“组”建议的属性。"
+ },
+ "vs/workbench/contrib/welcomeViews/common/viewsWelcomeExtensionPoint": {
+ "contributes.viewsWelcome": "提供视图欢迎内容。只要没有有意义的内容可显示,就会在基于树的视图中呈现欢迎内容,例如未打开文件夹时的文件资源管理器。此类内容作为产品内文档非常有用,可促使用户在某些功能可用之前使用它们。文件资源管理器欢迎视图中的“克隆仓库”按钮就是一个很好的示例。",
+ "contributes.viewsWelcome.view": "为特定视图提供的欢迎页面内容。",
+ "contributes.viewsWelcome.view.contents": "要显示的欢迎内容。内容的格式是 Markdown 的子集,仅支持链接。",
+ "contributes.viewsWelcome.view.enablement": "启用欢迎内容按钮和命令链接的条件。",
+ "contributes.viewsWelcome.view.group": "此欢迎内容所属的组。建议的 API。",
+ "contributes.viewsWelcome.view.view": "此欢迎内容的目标视图标识符。仅支持基于树的视图。",
+ "contributes.viewsWelcome.view.when": "显示欢迎内容的条件。"
+ },
+ "vs/workbench/contrib/welcomeWalkthrough/browser/editor/editorWalkThrough": {
+ "editorWalkThrough": "交互式编辑器操场",
+ "editorWalkThrough.title": "编辑器操场"
+ },
+ "vs/workbench/contrib/welcomeWalkthrough/browser/walkThrough.contribution": {
+ "miPlayground": "编辑器操场(&&N)",
+ "walkThrough.editor.label": "操场"
+ },
+ "vs/workbench/contrib/welcomeWalkthrough/browser/walkThroughPart": {
+ "walkThrough.embeddedEditorBackground": "嵌入于交互式演练场中的编辑器的背景颜色。",
+ "walkThrough.gitNotFound": "你的系统上似乎未安装 Git。",
+ "walkThrough.unboundCommand": "未绑定"
+ },
+ "vs/workbench/contrib/workspace/browser/workspace.contribution": {
+ "addWorkspaceFolderDetail": "你正在将文件添加到受信任的工作区,该工作区当前不受信任。是否信任这些新文件的作者?",
+ "addWorkspaceFolderMessage": "是否信任此文件夹中的文件的作者?",
+ "cancel": "取消",
+ "cancelWorkspaceTrustButton": "取消",
+ "checkboxString": "信任父文件夹“{0}”中所有文件的作者",
+ "configureWorkspaceTrust": "配置工作区信任",
+ "dontTrustFolderOptionDescription": "在受限模式下浏览文件夹",
+ "dontTrustOption": "否,我不信任此作者",
+ "dontTrustWorkspaceOptionDescription": "在受限模式下浏览工作区",
+ "folderStartupTrustDetails": "{0} 提供可以自动在此文件夹中执行文件的功能。",
+ "folderTrust": "是否信任此文件夹中的文件的作者?",
+ "grantFolderTrustButton": "信任文件夹并继续",
+ "grantWorkspaceTrustButton": "信任工作区并继续",
+ "immediateTrustRequestLearnMore": "如果不信任这些文件的作者,则建议不要继续,因为这些文件可能是恶意文件。请参阅[我们的文档](https://aka.ms/vscode-workspace-trust),了解详细信息。",
+ "immediateTrustRequestMessage": "如果不信任当前打开的文件或文件夹的源,则尝试使用的功能可能会带来安全风险。",
+ "manageWorkspaceTrust": "管理工作区信任",
+ "manageWorkspaceTrustButton": "管理",
+ "newWindow": "在受限模式中打开",
+ "no": "否",
+ "open": "打开",
+ "openLooseFileLearnMore": "如果不信任这些文件的作者,则建议在新窗口中通过受限模式打开它们,因为这些文件可能是恶意文件。请参阅[我们的文档](https://aka.ms/vscode-workspace-trust),了解详细信息。",
+ "openLooseFileMesssage": "是否信任这些文件的作者?",
+ "openLooseFileWindowDetails": "你尝试在受信任的窗口中打开不受信任的文件。",
+ "openLooseFileWorkspaceCheckbox": "记住我对所有工作区的决定",
+ "openLooseFileWorkspaceDetails": "你尝试在受信任的工作区中打开不受信任的文件。",
+ "restrictedModeBannerAriaLabelFolder": "受限模式旨在实现安全地浏览代码。信任此文件夹以启用所有功能。使用导航键访问横幅操作。",
+ "restrictedModeBannerAriaLabelWindow": "受限模式旨在实现安全地浏览代码。信任此窗口以启用所有功能。使用导航键访问横幅操作。",
+ "restrictedModeBannerAriaLabelWorkspace": "受限模式旨在实现安全地浏览代码。信任此工作区以启用所有功能。使用导航键访问横幅操作。",
+ "restrictedModeBannerLearnMore": "了解详细信息",
+ "restrictedModeBannerManage": "管理",
+ "restrictedModeBannerMessageFolder": "受限模式旨在实现安全地浏览代码。信任此文件夹以启用所有功能。",
+ "restrictedModeBannerMessageWindow": "受限模式旨在实现安全地浏览代码。信任此窗口以启用所有功能。",
+ "restrictedModeBannerMessageWorkspace": "受限模式旨在实现安全地浏览代码。信任此工作区以启用所有功能。",
+ "securityConfigurationTitle": "安全性",
+ "startupTrustRequestLearnMore": "如果不信任这些文件的作者,则建议继续使用限制模式,因为这些文件可能是恶意文件。请参阅[我们的文档](https://aka.ms/vscode-workspace-trust),了解详细信息。",
+ "status.WorkspaceTrust": "工作区信任",
+ "status.ariaTrustedFolder": "此文件夹受信任。",
+ "status.ariaTrustedWindow": "此窗口受信任。",
+ "status.ariaTrustedWorkspace": "此工作区受信任。",
+ "status.ariaUntrustedFolder": "限制模式: 某些功能已禁用,因为此文件夹不受信任。",
+ "status.ariaUntrustedWindow": "限制模式: 某些功能已禁用,因为此窗口不受信任。",
+ "status.ariaUntrustedWorkspace": "限制模式: 某些功能已禁用,因为此工作区不受信任。",
+ "status.tooltipUntrustedFolder2": "在受限模式下运行\r\n\r\n某些[功能被禁用]({0}),因为此[文件夹不受信任]({1})。",
+ "status.tooltipUntrustedWindow2": "在受限模式下运行\r\n\r\n某些[功能被禁用]({0}),因为此[窗口不受信任]({1})。",
+ "status.tooltipUntrustedWorkspace2": "在受限模式下运行\r\n\r\n某些[功能被禁用]({0}),因为此[工作区不受信任]({1})。",
+ "trustFolderOptionDescription": "信任文件夹并启用所有功能",
+ "trustOption": "是,我信任此作者",
+ "trustWorkspaceOptionDescription": "信任工作区并启用所有功能",
+ "workspace.trust.banner.always": "每次打开不受信任的工作区时显示横幅。",
+ "workspace.trust.banner.description": "控制何时显示受限模式横幅。",
+ "workspace.trust.banner.never": "打开不受信任的工作区时,不要显示横幅。",
+ "workspace.trust.banner.untilDismissed": "打开不受信任的工作区时显示横幅,直到关闭为止。",
+ "workspace.trust.description": "控制是否在 VS Code 内启用工作区信任。",
+ "workspace.trust.emptyWindow.description": "控制空窗口在 VS Code 中是否默认受信任。当与 `#{0}#` 一起使用时,可以启用 VS Code 的完整功能,而无需在空窗口中进行提示。",
+ "workspace.trust.startupPrompt.always": "每次打开不受信任的工作区时请求信任。",
+ "workspace.trust.startupPrompt.description": "控制何时显示信任工作区的启动提示。",
+ "workspace.trust.startupPrompt.never": "每次打开不受信任的工作区时不请求信任。",
+ "workspace.trust.startupPrompt.once": "首次打开不受信任的工作区时请求信任。",
+ "workspace.trust.untrustedFiles.description": "控制如何处理在受信任的工作区中打开不受信任的文件。此设置也适用于通过 `#{0}#\" 打开的空窗口中的文件。",
+ "workspace.trust.untrustedFiles.newWindow": "在受限模式下的独立窗口中始终打开不受信任的文件,而不显示提示。",
+ "workspace.trust.untrustedFiles.open": "始终允许不受信任的文件引入受信任的工作区,而不显示提示。",
+ "workspace.trust.untrustedFiles.prompt": "询问每个工作区如何处理不受信任文件。将不受信任的文件引入受信任的工作区后,将不会再次提示你。",
+ "workspaceStartupTrustDetails": "{0} 提供可以自动在此工作区中执行文件的功能。",
+ "workspaceTrust": "是否信任此工作区中的文件的作者?",
+ "workspaceTrustEditor": "工作区信任编辑器",
+ "workspacesCategory": "工作区",
+ "yes": "是"
+ },
+ "vs/workbench/contrib/workspace/browser/workspaceTrustEditor": {
+ "addButton": "添加文件夹",
+ "checkListIcon": "适用于工作区信任编辑器中复选标记的图标。",
+ "deleteTrustedUri": "删除路径",
+ "dontTrustButton": "不信任",
+ "editIcon": "适用于工作区信任编辑器中编辑文件夹图标的图标。",
+ "editTrustedUri": "编辑路径",
+ "folderPickerIcon": "适用于工作区信任编辑器中选取文件夹图标的图标。",
+ "hostColumnLabel": "主机",
+ "invalidTrust": "不能信任仓库中的单个文件夹。",
+ "localAuthority": "本地",
+ "no untrustedSettings": "未应用需要信任的工作区设置",
+ "noTrustedFoldersDescriptions": "尚未信任任何文件夹或工作区文件。",
+ "pathColumnLabel": "路径",
+ "pickerTrustedUri": "打开“文件选取器”",
+ "removeIcon": "适用于工作区信任编辑器中删除文件夹图标的图标。",
+ "root element label": "管理工作区信任",
+ "selectTrustedUri": "选择要信任的文件夹",
+ "shieldIcon": "适用于横幅上工作区信任图标的图标。",
+ "trustAll": "你将信任 {0} 上的所有存储库。",
+ "trustButton": "信任",
+ "trustMessage": "信任当前文件夹或其父级“{0}”中所有文件的作者。",
+ "trustOrg": "你将信任 {1} 上“{0}”下的所有存储库和分支。",
+ "trustParentButton": "信任父级",
+ "trustUri": "信任文件夹",
+ "trustedDebugging": "已启用调试",
+ "trustedDescription": "已启用所有功能,因为已向工作区授予信任。",
+ "trustedExtensions": "已启用所有扩展",
+ "trustedFolder": "在受信任的文件夹中",
+ "trustedFolderAriaLabel": "{0},受信任",
+ "trustedFolderSubtitle": "你信任当前文件夹中文件的作者。已启用全部功能:",
+ "trustedFolderWithHostAriaLabel": "{1} 上的 {0},受信任",
+ "trustedFoldersAndWorkspaces": "受信任的文件夹和工作区",
+ "trustedFoldersDescription": "你信任以下文件夹、其子文件夹和工作区文件。",
+ "trustedForcedReason": "此窗口因已打开工作区的性质而获得信任。",
+ "trustedHeaderFolder": "你信任此文件夹",
+ "trustedHeaderWindow": "你信任此窗口",
+ "trustedHeaderWorkspace": "你信任此工作区",
+ "trustedSettings": "已应用所有工作区设置",
+ "trustedTasks": "允许运行任务",
+ "trustedUnsettableWindow": "此窗口受信任。",
+ "trustedWindow": "在受信任的窗口中",
+ "trustedWindowSubtitle": "你信任当前窗口中文件的作者。已启用所有功能:",
+ "trustedWorkspace": "在受信任的工作区中",
+ "trustedWorkspaceSubtitle": "你信任当前工作区中文件的作者。已启用所有功能:",
+ "untrustedDebugging": "已禁用调试。",
+ "untrustedDescription": "{0} 处于用于安全代码浏览的受限模式。",
+ "untrustedExtensions": "[{0} 扩展]({1})已禁用或功能受限",
+ "untrustedFolderReason": "此文件夹通过以下可信文件夹中的加粗条目得到信任。",
+ "untrustedFolderSubtitle": "你不信任当前文件夹中文件的作者。已禁用以下功能:",
+ "untrustedHeader": "你处于限制模式下",
+ "untrustedSettings": "未应用[{0} 工作区设置]({1})",
+ "untrustedTasks": "不允许运行任务",
+ "untrustedWindowSubtitle": "你不信任当前窗口中文件的作者。已禁用以下功能:",
+ "untrustedWorkspace": "在受限模式下",
+ "untrustedWorkspaceReason": "此工作区通过以下受信任文件夹中的加粗条目得到信任。",
+ "untrustedWorkspaceSubtitle": "你不信任当前工作区中文件的作者。已禁用以下功能:",
+ "workspaceTrustEditorHeaderActions": "[配置设置]({0}) 或 [了解详细信息](https://aka.ms/vscode-workspace-trust)。",
+ "xListIcon": "工作区信任编辑器中十字形的图标。"
+ },
+ "vs/workbench/contrib/workspace/common/workspace": {
+ "workspaceTrustEnabledCtx": "是否已启用工作区信任功能。",
+ "workspaceTrustedCtx": "用户是否已信任当前工作区。"
+ },
+ "vs/workbench/contrib/workspaces/browser/workspaces.contribution": {
+ "openWorkspace": "打开工作区",
+ "selectToOpen": "选择要打开的工作区",
+ "selectWorkspace": "选择工作区",
+ "workspaceFound": "此文件夹包含工作区文件“{0}”,是否打开? [了解更多]({1})有关工作区文件的详细信息。",
+ "workspacesFound": "此文件夹包含多个工作区文件,是否打开? [了解更多]({0})有关工作区文件的详细信息。"
+ },
+ "vs/workbench/services/actions/common/menusExtensionPoint": {
+ "comment.actions": "贡献的注释上下文菜单,呈现为注释编辑器下方的按钮",
+ "comment.title": "贡献的注释标题菜单",
+ "commentThread.actions": "贡献的注释线程上下文菜单,呈现为注释编辑器下方的按钮",
+ "commentThread.title": "贡献的注释线程标题菜单",
+ "dup": "命令“{0}”在 `commands` 部分重复出现。",
+ "dupe.command": "菜单项引用的命令中默认和替代命令相同",
+ "file.newFile": "“新建文件...”快速选取,显示在欢迎页面和文件菜单上。",
+ "inlineCompletions.actions": "悬停在内联完成项上时显示的操作",
+ "interactive.cell.title": "贡献的交互式单元格标题菜单",
+ "interactive.toolbar": "贡献的交互式工具栏菜单",
+ "menus.changeTitle": "源代码管理内联更改菜单",
+ "menus.commandPalette": "命令面板",
+ "menus.debugCallstackContext": "调试调用堆栈视图上下文菜单",
+ "menus.debugToolBar": "调试工具栏菜单",
+ "menus.debugVariablesContext": "调试变量视图上下文菜单",
+ "menus.editorContext": "编辑器上下文菜单",
+ "menus.editorContextCopyAs": "编辑器上下文菜单中的“复制为”子菜单",
+ "menus.editorContextShare": "编辑器上下文菜单中的“共享”子菜单",
+ "menus.editorTabContext": "编辑器选项卡上下文菜单",
+ "menus.editorTitle": "编辑器标题菜单",
+ "menus.editorTitleRun": "在编辑器标题菜单内运行子菜单",
+ "menus.explorerContext": "文件资源管理器上下文菜单",
+ "menus.extensionContext": "扩展上下文菜单",
+ "menus.home": "主指示器上下文菜单(仅限 Web)",
+ "menus.opy": "顶层“编辑”菜单中的“复制为”子菜单",
+ "menus.resourceFolderContext": "源代码管理资源文件夹上下文菜单",
+ "menus.resourceGroupContext": "源代码管理资源组上下文菜单",
+ "menus.resourceStateContext": "源代码管理资源状态上下文菜单",
+ "menus.scmSourceControl": "源代码管理菜单",
+ "menus.scmTitle": "源代码管理标题菜单",
+ "menus.share": "共享顶级“文件”菜单中显示的子菜单。",
+ "menus.statusBarRemoteIndicator": "状态栏中的远程指示器菜单",
+ "menus.touchBar": "触控栏 (仅 macOS)",
+ "merge.toolbar": "合并编辑器中的突出按钮",
+ "missing.altCommand": "菜单项引用了未在 'commands' 部分定义的替代命令“{0}”。",
+ "missing.command": "菜单项引用未在“命令”部分进行定义的命令“{0}”。",
+ "missing.submenu": "菜单项引用了未在“子菜单”部分定义的子菜单“{0}”。",
+ "nonempty": "应为非空值。",
+ "notebook.cell.execute": "贡献的笔记本单元格执行菜单",
+ "notebook.cell.executePrimary": "提供的主笔记本单元格执行按钮",
+ "notebook.cell.title": "贡献的笔记本单元格标题菜单",
+ "notebook.kernelSource": "贡献的笔记本内核源菜单",
+ "notebook.toolbar": "贡献的笔记本工具栏菜单",
+ "opticon": "可以省略属性 `icon`,若不省略则必须是字符串或文字,例如 `{dark, light}`",
+ "optstring": "属性“{0}”可以省略,或者必须为 `string` 类型",
+ "proposed": "建议的 API 需要 `enabledApiProposal: [“{0}”]` - {1}",
+ "proposedAPI.invalid": "{0} 是建议的菜单标识符。它需要 “package.json#enabledApiProposals: [“{1}”]”,并且仅在开发用完或使用以下命令行开关时可用: --enable-proposed-api {2}",
+ "require": "子菜单项必须是对象",
+ "requireStringOrObject": "属性“{0}”是必要属性,其类型必须是 `string` 或 `object`",
+ "requirearray": "子菜单项必须是数组",
+ "requirestring": "属性“{0}”是必需项,并且必须为 `string` 类型",
+ "requirestrings": "属性“{0}”和“{1}”是必要属性,其类型必须是 `{dark, light}`",
+ "submenuId.duplicate.id": "以前已注册 `{0}` 子菜单。",
+ "submenuId.invalid.id": "“{0}”不是有效的子菜单标识符",
+ "submenuId.invalid.label": "“{0}”不是有效的子菜单标签",
+ "submenuItem.duplicate": "`{0}` 子菜单已提供给 `{1}` 菜单。",
+ "testing.item.context": "提供的测试项菜单",
+ "testing.item.gutter.title": "测试项的装订线装饰菜单",
+ "unsupported.submenureference": "菜单项引用了不具有子菜单支持的菜单的子菜单。",
+ "view.itemContext": "提供的视图中的项目的上下文菜单",
+ "view.timelineContext": "时间线视图项上下文菜单",
+ "view.timelineTitle": "时间线视图标题菜单",
+ "view.tunnelContext": "“端口”视图项目上下文菜单",
+ "view.tunnelOriginInline": "“端口”视图项源内联菜单",
+ "view.tunnelPortInline": "端口视图项端口内联菜单",
+ "view.viewTitle": "提供的视图的标题菜单",
+ "vscode.extension.contributes.commandType.category": "(可选)类别字符串,命令在界面中根据此项分组",
+ "vscode.extension.contributes.commandType.command": "要执行的命令的标识符",
+ "vscode.extension.contributes.commandType.icon": "(可选)用于表示 UI 中的命令的图标。文件路径、具有深色和浅色主题的文件路径的对象,或者主题图标引用(如 `\\$(zap)`)",
+ "vscode.extension.contributes.commandType.icon.dark": "使用深色主题时的图标路径",
+ "vscode.extension.contributes.commandType.icon.light": "使用浅色主题时的图标路径",
+ "vscode.extension.contributes.commandType.precondition": "(可选)必须为 true 才能启用 UI (菜单和键绑定)中命令的条件。不会阻止通过其他方式执行命令,例如 `executeCommand`-api。",
+ "vscode.extension.contributes.commandType.shortTitle": "(可选)简短标题,在 UI 中表示该命令。菜单将根据显示命令的上下文选取“标题”或“简短标题”。",
+ "vscode.extension.contributes.commandType.title": "在 UI 中依据其表示命令的标题",
+ "vscode.extension.contributes.commands": "对命令面板提供命令。",
+ "vscode.extension.contributes.menuItem.alt": "要执行的替代命令的标识符。该命令必须在 'commands' 部分中声明",
+ "vscode.extension.contributes.menuItem.command": "要执行的命令的标识符。该命令必须在“命令”部分中声明",
+ "vscode.extension.contributes.menuItem.group": "此项所属的组",
+ "vscode.extension.contributes.menuItem.submenu": "要在此项中显示的子菜单的标识符。",
+ "vscode.extension.contributes.menuItem.when": "此条件必须为 true 才能显示此项",
+ "vscode.extension.contributes.menus": "向编辑器提供菜单项",
+ "vscode.extension.contributes.submenu.icon": "(可选)用于表示 UI 中的子菜单的图标。文件路径、具有深色和浅色主题的文件路径的对象,或者主题图标引用(如 `\\$(zap)`)",
+ "vscode.extension.contributes.submenu.icon.dark": "使用深色主题时的图标路径",
+ "vscode.extension.contributes.submenu.icon.light": "使用浅色主题时的图标路径",
+ "vscode.extension.contributes.submenu.id": "要显示为子菜单的菜单的标识符。",
+ "vscode.extension.contributes.submenu.label": "指向此子菜单的菜单项的标签。",
+ "vscode.extension.contributes.submenus": "将子菜单项分配到编辑器",
+ "webview.context": "Webview 上下文菜单"
+ },
+ "vs/workbench/services/authentication/browser/authenticationService": {
+ "accessRequest": "授予“{0}”访问“{1}”的权限... (1)",
+ "allow": "允许",
+ "authentication.Placeholder": "尚未请求任何帐户...",
+ "authentication.id": "身份验证提供程序的 ID。",
+ "authentication.idConflict": "已注册此身份验证 ID“{0}”",
+ "authentication.label": "身份验证提供程序的易读名称。",
+ "authentication.missingId": "提供身份验证必须指定一个 ID。",
+ "authentication.missingLabel": "提供身份验证必须指定一个标签。",
+ "authenticationExtensionPoint": "添加身份验证",
+ "cancel": "取消",
+ "confirmAuthenticationAccess": "扩展“{0}”正在尝试访问 {1} 帐户“{2}”的身份验证信息。",
+ "deny": "拒绝",
+ "getSessionPlateholder": "选择一个供“{0}”使用的帐户或按 Esc 取消",
+ "loading": "正在加载…",
+ "selectAccount": "扩展“{0}”要访问 {1} 帐户",
+ "sign in": "已请求登录",
+ "signInRequest": "使用 {0} 登录以使用 {1} (1)",
+ "useOtherAccount": "登录到其他帐户"
+ },
+ "vs/workbench/services/configuration/browser/configurationService": {
+ "configurationDefaults.description": "为配置提供默认值",
+ "experimental": "试验"
+ },
+ "vs/workbench/services/configuration/common/configurationEditingService": {
+ "errorConfigurationFileDirty": "由于该文件具有未保存的更改,因此无法写入到用户设置。请先保存该用户设置文件,然后重试。",
+ "errorConfigurationFileDirtyFolder": "由于该文件具有未保存的更改,因此无法写入到文件夹设置。请先保存该 '{0}' 文件夹设置文件,然后重试。",
+ "errorConfigurationFileDirtyWorkspace": "由于该文件具有未保存的更改,因此无法写入到工作区设置。请先保存该工作区设置文件,然后重试。",
+ "errorConfigurationFileModifiedSince": "无法写入用户设置,因为文件的内容较新。",
+ "errorConfigurationFileModifiedSinceFolder": "无法写入文件夹设置,因为文件的内容较新。",
+ "errorConfigurationFileModifiedSinceWorkspace": "无法写入工作区设置,因为文件的内容较新。",
+ "errorInvalidConfiguration": "无法写入用户设置。请打开用户设置并清除错误或警告,然后重试。",
+ "errorInvalidConfigurationFolder": "无法写入文件夹设置。请打开“{0}”文件夹设置并清除错误或警告,然后重试。",
+ "errorInvalidConfigurationWorkspace": "无法写入工作区设置。请打开工作区设置并清除错误或警告,然后重试。",
+ "errorInvalidFolderConfiguration": "{0} 不支持文件夹资源域,因此无法写入\"文件夹设置\"。",
+ "errorInvalidFolderTarget": "未提供资源,因此无法写入\"文件夹设置\"。",
+ "errorInvalidLaunchConfiguration": "无法写入启动配置文件。请打开文件并更正错误或警告,然后重试。",
+ "errorInvalidRemoteConfiguration": "无法写入远程用户设置。请打开远程用户设置以更正其中的错误警告, 然后重试。",
+ "errorInvalidResourceLanguageConfiguration": "无法写入语言设置,因为{0}不是资源语言设置。",
+ "errorInvalidTaskConfiguration": "无法写入任务配置文件。请打开文件并更正错误或警告,然后重试。",
+ "errorInvalidUserTarget": "{0} 不支持全局域,因此无法写入\"用户设置\"。",
+ "errorInvalidWorkspaceConfigurationApplication": "无法将 {0} 写入“工作区设置”。此设置只能写于“用户设置”。",
+ "errorInvalidWorkspaceConfigurationMachine": "无法将 {0} 写入“工作区设置”。此设置只能写于“用户设置”。",
+ "errorInvalidWorkspaceTarget": "{0} 不在多文件夹工作区环境下支持工作区作用域,因此无法写入“工作区设置”。",
+ "errorLaunchConfigurationFileDirty": "由于该文件具有未保存的更改,因此无法写入到启动配置文件。请先将其保存,然后重试。",
+ "errorLaunchConfigurationFileModifiedSince": "无法写入启动配置文件,因为文件的内容较新。",
+ "errorNoWorkspaceOpened": "没有打开任何工作区,因此无法写入 {0}。请先打开一个工作区,然后重试。",
+ "errorPolicyConfiguration": "无法写入 {0},因为它是在系统策略中配置的。",
+ "errorRemoteConfigurationFileDirty": "由于该文件具有未保存的更改,因此无法写入到远程用户设置。请先保存该远程用户设置文件,然后重试。",
+ "errorRemoteConfigurationFileModifiedSince": "无法写入远程用户设置,因为文件的内容较新。",
+ "errorTasksConfigurationFileDirty": "由于该文件具有未保存的更改,因此无法写入到任务配置文件。请先将其保存,然后重试。",
+ "errorTasksConfigurationFileModifiedSince": "无法写入任务配置文件,因为文件的内容较新。",
+ "errorUnknown": "由于内部错误,无法写入 {0}。",
+ "errorUnknownKey": "没有注册配置 {1},因此无法写入 {0}。",
+ "folderTarget": "文件夹设置",
+ "open": "打开设置",
+ "openLaunchConfiguration": "打开启动配置",
+ "openTasksConfiguration": "打开任务配置",
+ "remoteUserTarget": "远程用户设置",
+ "saveAndRetry": "保存并重试",
+ "userTarget": "用户设置",
+ "workspaceTarget": "工作区设置"
+ },
+ "vs/workbench/services/configuration/common/jsonEditingService": {
+ "errorFileDirty": "由于该文件具有未保存的更改,因此无法写入到文件。请保存该文件并重试。",
+ "errorInvalidFile": "无法写入文件。请打开文件以更正错误或警告,然后重试。"
+ },
+ "vs/workbench/services/configurationResolver/browser/baseConfigurationResolverService": {
+ "commandVariable.noStringType": "无法替换命令变量“{0}”,因为命令没有返回字符串类型的结果。",
+ "inputVariable.command.noStringType": "无法替换输入变量“{0}”,因为命令“{1}”没有返回类型字符串的结果。",
+ "inputVariable.defaultInputValue": "(默认值)",
+ "inputVariable.missingAttribute": "输入变量“{0}”的类型为“{1}”且必须包含“{2}”。",
+ "inputVariable.noInputSection": "必须在调试或任务配置的“{1}”部分中定义变量“{0}”。",
+ "inputVariable.undefinedVariable": "遇到未定义的输入变量“{0}”。请删除或定义“{0}”以继续操作。",
+ "inputVariable.unknownType": "输入变量“{0}”只能是 'promptString'、'pickString' 或 'command' 类型。"
+ },
+ "vs/workbench/services/configurationResolver/common/configurationResolverSchema": {
+ "JsonSchema.input.command.args": "传递给命令的可选参数。",
+ "JsonSchema.input.command.command": "要为此输入变量执行的命令。",
+ "JsonSchema.input.default": "输入的默认值。",
+ "JsonSchema.input.description": "当提示用户输入时,将显示说明。",
+ "JsonSchema.input.id": "输入的 ID 用于与其变量采用 ${input:id} 形式的输入相关联。",
+ "JsonSchema.input.options": "用于定义快速选择选项的字符串数组。",
+ "JsonSchema.input.password": "控制是否显示密码输入。密码输入会隐藏键入的文本。",
+ "JsonSchema.input.pickString.optionLabel": "选项的标签。",
+ "JsonSchema.input.pickString.optionValue": "选项的值。",
+ "JsonSchema.input.type": "要使用的用户输入提示符的类型。",
+ "JsonSchema.input.type.command": "\"command\" 类型会执行命令。",
+ "JsonSchema.input.type.pickString": "“pickString”类型显示一个选择列表。",
+ "JsonSchema.input.type.promptString": "\"promptString\" 类型会打开一个输入框,要求用户输入内容。",
+ "JsonSchema.inputs": "用户输入。用于定义用户输入提示,例如自由字符串输入或从多个选项中进行选择。"
+ },
+ "vs/workbench/services/configurationResolver/common/configurationResolverUtils": {
+ "deprecatedVariables": "“env.”、“config.”和“command.”已弃用,请改用“env:”、“config:”和“command:”。"
+ },
+ "vs/workbench/services/configurationResolver/common/variableResolver": {
+ "canNotFindFolder": "找不到文件夹“{1}”,因此无法解析变量 {0}。",
+ "canNotResolveFile": "无法解析变量 {0}。请打开一个编辑器。",
+ "canNotResolveFolderForFile": "变量 {0}: 找不到 \"{1}\" 的工作区文件夹。",
+ "canNotResolveLineNumber": "无法解析变量 {0}。请确保已在活动编辑器中选择一行内容。",
+ "canNotResolveSelectedText": "无法解析变量 {0}。请确保已在活动编辑器中选择一些文字。",
+ "canNotResolveUserHome": "无法解析 {0} 变量。未定义 UserHome 路径",
+ "canNotResolveWorkspaceFolder": "无法解析变量 {0}。请打开一个文件夹。",
+ "canNotResolveWorkspaceFolderMultiRoot": "无法在多文件夹工作区中解析变量 {0}。使用 \":\" 和工作区文件夹名称来限定此变量的作用域。",
+ "configNoString": "\"{1}\" 为结构类型值,因此无法解析变量 {0}。",
+ "configNotFound": "未能找到设置“{1}”,因此无法解析变量 {0}。",
+ "extensionNotInstalled": "无法解析变量 {0},因为未安装扩展 {1}。",
+ "missingConfigName": "未给出设置名称,因此无法解析变量 {0}。",
+ "missingEnvVarName": "未给出环境变量名称,因此无法解析变量 {0}。",
+ "missingExtensionName": "无法解析变量 {0},因为未给出扩展名。",
+ "noValueForCommand": "命令不含值,因此无法解析变量 {0}。"
+ },
+ "vs/workbench/services/decorations/browser/decorationsService": {
+ "bubbleTitle": "包含强调项"
+ },
+ "vs/workbench/services/dialogs/browser/abstractFileDialogService": {
+ "allFiles": "所有文件",
+ "cancel": "取消",
+ "dontSave": "不保存(&&N)",
+ "filterName.workspace": "工作区",
+ "noExt": "无扩展",
+ "openFile.title": "打开文件",
+ "openFileOrFolder.title": "打开文件或文件夹",
+ "openFolder.title": "打开文件夹",
+ "openWorkspace.title": "从文件打开工作区",
+ "save": "保存(&&S)",
+ "saveAll": "全部保存(&&S)",
+ "saveAsTitle": "另存为",
+ "saveChangesDetail": "如果不保存,你的更改将丢失。",
+ "saveChangesMessage": "是否要保存对 {0} 的更改?",
+ "saveChangesMessages": "是否要保存对下列 {0} 个文件的更改?",
+ "saveFileAs.title": "另存为"
+ },
+ "vs/workbench/services/dialogs/browser/simpleFileDialog": {
+ "openLocalFile": "打开本地文件...",
+ "openLocalFileFolder": "打开本地...",
+ "openLocalFolder": "打开本地文件夹...",
+ "remoteFileDialog.badPath": "路径不存在。",
+ "remoteFileDialog.cancel": "取消",
+ "remoteFileDialog.invalidPath": "请输入有效路径。",
+ "remoteFileDialog.local": "显示本地",
+ "remoteFileDialog.notConnectedToRemote": "{0} 的文件系统提供程序不可用。",
+ "remoteFileDialog.validateBadFilename": "请输入有效的文件名。",
+ "remoteFileDialog.validateExisting": "{0} 已存在。是否确实要覆盖?",
+ "remoteFileDialog.validateFileOnly": "请选择文件。",
+ "remoteFileDialog.validateFolder": "该文件夹已存在。请使用新的文件名。",
+ "remoteFileDialog.validateFolderOnly": "请选择一个文件夹。",
+ "remoteFileDialog.validateNonexistentDir": "请输入已存在的路径。",
+ "remoteFileDialog.windowsDriveLetter": "路径开头请使用驱动器号。",
+ "saveLocalFile": "保存本地文件..."
+ },
+ "vs/workbench/services/editor/browser/editorResolverService": {
+ "editorResolver.configureDefault": "配置默认设置",
+ "editorResolver.conflictingDefaults": "此资源可使用多个默认编辑器。",
+ "editorResolver.keepDefault": "保留“{0}”",
+ "promptOpenWith.configureDefault": "为 \"{0}\" 配置默认编辑器...",
+ "promptOpenWith.currentDefault": "默认",
+ "promptOpenWith.currentDefaultAndActive": "活动和默认",
+ "promptOpenWith.currentlyActive": "活动",
+ "promptOpenWith.placeHolder": "为“{0}”选择编辑器",
+ "promptOpenWith.updateDefaultPlaceHolder": "为 \"{0}\" 选择新的默认编辑器"
+ },
+ "vs/workbench/services/editor/common/editorResolverService": {
+ "editor.editorAssociations": "将 glob 模式配置到编辑器(例如 `\"*.hex\": \"hexEditor.hexEdit\"`)。这些优先顺序高于默认行为。"
+ },
+ "vs/workbench/services/extensionManagement/browser/extensionBisect": {
+ "bisect": "扩展二等分处于活动状态,已禁用 {0} 扩展。请从这些选项中进行选择,检查是否仍可重现问题并继续操作。",
+ "bisect.plural": "扩展二等分处于活动状态,已禁用 {0} 扩展。请从这些选项中进行选择,检查是否仍可重现问题并继续操作。",
+ "bisect.singular": "Extension Bisect 处于活动状态,且已禁用 1 个扩展。请从这些选项中进行选择,以检查是否仍然可以重现问题并继续操作。",
+ "detail.start": "扩展二等分将通过二分查找的方式确认引起问题的扩展。在此过程中,窗口将会不断重新加载(约{0}次),每次都必须确认是否出现问题",
+ "done": "继续",
+ "done.detail": "扩展二等分已完成,已将 {0} 标识为导致问题的扩展。",
+ "done.detail2": "扩展二等分已完成,但未标识任何扩展。这可能是 {0} 的问题。",
+ "done.disbale": "保持禁用此扩展",
+ "done.msg": "扩展二等分",
+ "help": "帮助",
+ "msg.next": "扩展二等分",
+ "msg.start": "扩展二等分",
+ "msg2": "开始扩展二等分",
+ "next.bad": "状况不佳",
+ "next.cancel": "取消",
+ "next.good": "状况良好",
+ "next.stop": "停止二等分",
+ "report": "报告问题并继续",
+ "title.isBad": "继续扩展二等分",
+ "title.start": "开始扩展二等分",
+ "title.stop": "停止扩展二等分"
+ },
+ "vs/workbench/services/extensionManagement/browser/extensionEnablementService": {
+ "Reload": "重新加载并启用扩展",
+ "cannot change disablement environment": "无法更改 {0} 扩展的启用,因为它在环境中被禁用",
+ "cannot change enablement dependency": "无法启用“{0}”扩展,因为它依赖于无法启用的“{1}”扩展",
+ "cannot change enablement environment": "无法更改 {0} 扩展的启用,因为它已在环境中启用",
+ "cannot change enablement extension kind": "由于扩展类型,{0} 扩展的启用无法更改",
+ "cannot change enablement virtual workspace": "无法更改 {0} 扩展的启用,因为它不支持虚拟工作区",
+ "cannot disable auth extension": "无法更改 {0} 扩展的启用,因为“设置同步”依赖此扩展。",
+ "cannot disable auth extension in workspace": "无法在工作区中更改 {0} 扩展的启用,因为它提供身份验证提供程序",
+ "cannot disable language pack extension": "无法更改 {0} 扩展的启用,因为它提供语言包。",
+ "extensionsDisabled": "已暂时禁用所有已安装的扩展。",
+ "noWorkspace": "没有工作区。"
+ },
+ "vs/workbench/services/extensionManagement/common/extensionManagementService": {
+ "Manifest is not found": "安装扩展 {0} 失败: 找不到清单文件。",
+ "VS Code for Web": "{0} Web 版",
+ "cancel": "取消",
+ "cannot be installed": "无法安装“{0}”扩展,因为它在此安装程序中不可用。",
+ "extensionInstallWorkspaceTrustButton": "信任工作区 & 安装",
+ "extensionInstallWorkspaceTrustContinueButton": "安装",
+ "extensionInstallWorkspaceTrustManageButton": "了解详细信息",
+ "extensionInstallWorkspaceTrustMessage": "启用此扩展需要受信任的工作区。",
+ "install": "安装",
+ "install and do no sync": "安装(不同步)",
+ "install anyways": "仍然安装",
+ "install extension": "安装扩展",
+ "install extensions": "安装扩展",
+ "install multiple extensions": "是否要跨设备安装并同步扩展?",
+ "install single extension": "是否要跨设备安装并同步 \"{0}\" 扩展?",
+ "limited support": "“{0}”在 {1} 中具有有限的功能。",
+ "multipleDependentsError": "无法卸载扩展程序“{0}”。扩展程序“{1}”、“{2}”以及其他扩展程序都依赖于此。",
+ "non web extensions": "“{0}”包含在“{1}”中不支持的扩展。",
+ "non web extensions detail": "包含不受支持的扩展。",
+ "showExtensions": "显示扩展",
+ "singleDependentError": "无法卸载扩展程序“{0}”。扩展程序“{1}”依赖于此。",
+ "twoDependentsError": "无法卸载扩展程序“{0}”。扩展程序“{1}”、“{2}”依赖于此。"
+ },
+ "vs/workbench/services/extensionManagement/electron-sandbox/extensionManagementServerService": {
+ "local": "本地",
+ "remote": "远程"
+ },
+ "vs/workbench/services/extensionManagement/electron-sandbox/remoteExtensionManagementService": {
+ "notFoundCompatibleDependency": "无法安装“{0}”扩展,因为它与当前 {1} 版本不兼容(版本 {2})。",
+ "notFoundCompatiblePrereleaseDependency": "无法安装“{0}”扩展的预发布版本,因为它与当前 {1} 版本(版本 {2})不兼容。",
+ "notFoundReleaseExtension": "由于 '{0}' 扩展没有发布版本,因此无法安装。"
+ },
+ "vs/workbench/services/extensionRecommendations/common/workspaceExtensionsConfig": {
+ "select for add": "将扩展建议添加到",
+ "select for remove": "从以下位置删除扩展建议",
+ "workspace": "工作区",
+ "workspace folder": "工作区文件夹"
+ },
+ "vs/workbench/services/extensions/browser/extensionUrlHandler": {
+ "Installing": "正在安装扩展“{0}”...",
+ "confirmUrl": "是否允许扩展打开此 URI?",
+ "enableAndHandle": "扩展“{0}”处于禁用状态。是否要启用扩展并打开 URL?",
+ "enableAndReload": "启用并打开(&&E)",
+ "extensions": "扩展",
+ "install and open": "安装并打开(&&I)",
+ "installAndHandle": "扩展“{0}”尚未安装。是否安装扩展并重载此窗口来打开 URL?",
+ "manage": "管理授权扩展 URI...",
+ "no": "当前没有已授权的扩展 URI。",
+ "open": "打开(&&O)",
+ "reloadAndHandle": "扩展“{0}”尚未载入。是否重载此窗口来载入扩展并打开 URL?",
+ "reloadAndOpen": "重载窗口并打开(&&R)",
+ "rememberConfirmUrl": "不再提醒此扩展。"
+ },
+ "vs/workbench/services/extensions/browser/webWorkerExtensionHost": {
+ "name": "辅助角色扩展主机"
+ },
+ "vs/workbench/services/extensions/common/abstractExtensionService": {
+ "extensionService.autoRestart": "远程扩展主机意外终止。正在重启...",
+ "extensionService.crash": "扩展远程主机在过去 5 分钟内意外终止了 3 次。",
+ "extensionTestError": "找不到可在 {0} 启动测试运行程序的扩展主机。",
+ "looping": "以下扩展因包含依赖循环已被禁用: {0}",
+ "restart": "重启远程扩展主机"
+ },
+ "vs/workbench/services/extensions/common/extensionHostManager": {
+ "measureExtHostLatency": "测量扩展主机延迟"
+ },
+ "vs/workbench/services/extensions/common/extensionsRegistry": {
+ "extensionKind": "定义扩展的类型。\"ui\"扩展在本地计算机上安装和运行,而 \"工作区\" 扩展则在远程计算机上运行。",
+ "extensionKind.empty": "定义一个无法在远程上下文中运行的扩展,既不能在本地上,也不能在远程计算机上运行。",
+ "extensionKind.ui": "定义一个扩展,该扩展在连接到远程窗口时只能在本地计算机上运行。",
+ "extensionKind.ui-workspace": "定义可在任意一侧运行的扩展,并首选在本地计算机上运行。",
+ "extensionKind.workspace": "定义一个扩展,该扩展只能在连接远程窗口时在远程计算机上运行。",
+ "extensionKind.workspace-ui": "定义可在任意一侧运行的扩展,并首选在远程计算机上运行。",
+ "product.extensionEnabledApiProposals": "相应扩展可以自由使用的 API 建议。",
+ "ui": "UI 扩展类型。在远程窗口中, 仅本地计算机可用时启用此类扩展。",
+ "vscode.extension.activationEvents": "VS Code 扩展的激活事件。",
+ "vscode.extension.activationEvents.onAuthenticationRequest": "每次从指定的身份验证提供程序请求会话时发出的激活事件。",
+ "vscode.extension.activationEvents.onCommand": "在调用指定命令时发出的激活事件。",
+ "vscode.extension.activationEvents.onCustomEditor": "每当指定的自定义编辑器变为可见时,都会发出激活事件。",
+ "vscode.extension.activationEvents.onDebug": "在用户准备调试或准备设置调试配置时发出的激活事件。",
+ "vscode.extension.activationEvents.onDebugAdapterProtocolTracker": "每当即将启动具有特定类型的调试会话并可能需要调试协议跟踪器时, 都会发出激活事件。",
+ "vscode.extension.activationEvents.onDebugDynamicConfigurations": "每当需要创建所有调试配置的列表(并且需要调用“动态”范围的所有 provideDebugConfigurations 方法)时都会引发激活事件。",
+ "vscode.extension.activationEvents.onDebugInitialConfigurations": "在需要创建 \"launch.json\" 文件 (且需要调用 provideDebugConfigurations 的所有方法) 时发出的激活事件。",
+ "vscode.extension.activationEvents.onDebugResolve": "在将要启动具有特定类型的调试会话 (且需要调用相应的 resolveDebugConfiguration 方法) 时发出的激活事件。",
+ "vscode.extension.activationEvents.onFileSystem": "在使用给定协议打开文件或文件夹时发出的激活事件。",
+ "vscode.extension.activationEvents.onIdentity": "每当指定的用户标识时,都会发出激活事件。",
+ "vscode.extension.activationEvents.onLanguage": "在打开被解析为指定语言的文件时发出的激活事件。",
+ "vscode.extension.activationEvents.onNotebook": "在指定的笔记本文档被打开时发出的激活事件。",
+ "vscode.extension.activationEvents.onOpenExternalUri": "每当打开一个外部 uri (例如 http 或 https 链接)时发出的激活事件。",
+ "vscode.extension.activationEvents.onRenderer": "每当使用笔记本输出呈现器时发出激活事件。",
+ "vscode.extension.activationEvents.onSearch": "在开始从给定协议的文件夹中搜索时发出的激活事件。",
+ "vscode.extension.activationEvents.onStartupFinished": "启动完成后(在所有 \"*\" 激活的扩展完成激活后)发出的激活事件。",
+ "vscode.extension.activationEvents.onTaskType": "每当需要列出或解决特定类型的任务时,都会发出激活事件。",
+ "vscode.extension.activationEvents.onTerminalProfile": "启动特定终端配置文件时发出的激活事件。",
+ "vscode.extension.activationEvents.onUri": "在打开系统范围内并指向此扩展的 URI 时发出的激活事件。",
+ "vscode.extension.activationEvents.onView": "在指定视图被展开时发出的激活事件。",
+ "vscode.extension.activationEvents.onWalkthrough": "打开指定演练时发出的激活事件。",
+ "vscode.extension.activationEvents.onWebviewPanel": "当加载某个 viewType 的 Web 视图时,会发出激活事件",
+ "vscode.extension.activationEvents.star": "在 VS Code 启动时发出的激活事件。为确保良好的最终用户体验,请仅在其他激活事件组合不适用于你的情况时,才在扩展中使用此事件。",
+ "vscode.extension.activationEvents.workspaceContains": "在打开至少包含一个匹配指定 glob 模式的文件的文件夹时发出的激活事件。",
+ "vscode.extension.badges": "在 Marketplace 的扩展页边栏中显示的徽章数组。",
+ "vscode.extension.badges.description": "徽章说明。",
+ "vscode.extension.badges.href": "徽章链接。",
+ "vscode.extension.badges.url": "徽章图像 URL。",
+ "vscode.extension.capabilities": "通过扩展声明一组受支持的功能。",
+ "vscode.extension.capabilities.untrustedWorkspaces": "声明应如何在不受信任的工作区中处理扩展。",
+ "vscode.extension.capabilities.untrustedWorkspaces.description": "对工作区信任如何影响扩展行为及其需要的原因的说明。这仅在 \"supported\" 不为 \"true\" 时适用。",
+ "vscode.extension.capabilities.untrustedWorkspaces.restrictedConfigurations": "扩展中提供的、不应在不受信任的工作区中使用工作区值的配置键列表。",
+ "vscode.extension.capabilities.untrustedWorkspaces.supported": "通过扩展为不受信任的工作区声明支持级别。",
+ "vscode.extension.capabilities.untrustedWorkspaces.supported.false": "将不会在不受信任的工作区中启用扩展。",
+ "vscode.extension.capabilities.untrustedWorkspaces.supported.limited": "将在禁用了部分功能的不受信任工作区中启用扩展。",
+ "vscode.extension.capabilities.untrustedWorkspaces.supported.true": "将在启用了所有功能的不受信任工作区中启用扩展。",
+ "vscode.extension.capabilities.virtualWorkspaces": "声明是否应在虚拟工作区中启用扩展。虚拟工作区是一个不受任何磁盘资源支持的工作区。当为 false 时,会在虚拟工作区中自动禁用此扩展。默认值为 true。",
+ "vscode.extension.capabilities.virtualWorkspaces.description": "对虚拟工作区如何影响扩展行为及其需要的原因的说明。这仅在 \"supported\" 不为 \"true\" 时适用。",
+ "vscode.extension.capabilities.virtualWorkspaces.supported": "通过扩展为虚拟工作区声明支持级别。",
+ "vscode.extension.capabilities.virtualWorkspaces.supported.false": "将不会在虚拟工作区中启用扩展。",
+ "vscode.extension.capabilities.virtualWorkspaces.supported.limited": "将在禁用了部分功能的虚拟工作区中启用扩展。",
+ "vscode.extension.capabilities.virtualWorkspaces.supported.true": "将在虚拟工作区中启用扩展,并启用所有功能。",
+ "vscode.extension.categories": "VS Code 库用于对扩展进行分类的类别。",
+ "vscode.extension.category.languages.deprecated": "请改用 \"Programming Languages\"",
+ "vscode.extension.contributes": "由此包表示的 VS Code 扩展的所有贡献。",
+ "vscode.extension.contributes.extensionPack": "可一起安装的一组扩展。扩展的标识符始终为 ${publisher}.${name}。例如: vscode.csharp。",
+ "vscode.extension.contributes.sponsor": "指定用户可以从中赞助扩展的位置。",
+ "vscode.extension.contributes.sponsor.url": "用户可以从中赞助扩展的 URL。它必须是使用 HTTP 或 HTTPS 协议的有效 URL。示例值: https://github.com/sponsors/nvaccess",
+ "vscode.extension.displayName": "VS Code 库中使用的扩展的显示名称。",
+ "vscode.extension.enableProposedApi.deprecated": "请改用 `enabledApiProposals`。",
+ "vscode.extension.enabledApiProposals": "启用 API 建议以试用它们。仅在 **开发期间有效**。**无法使用此属性发布** 扩展。有关更多详细信息,请访问: https://code.visualstudio.com/api/advanced-topics/using-proposed-api",
+ "vscode.extension.engines": "引擎兼容性。",
+ "vscode.extension.engines.vscode": "对于 VS Code 扩展,指定与其兼容的 VS Code 版本。不能为 *。 例如: ^0.10.5 表示最低兼容 VS Code 版本 0.10.5。",
+ "vscode.extension.extensionDependencies": "其他扩展的依赖关系。扩展的标识符始终是 ${publisher}.${name}。例如: vscode.csharp。",
+ "vscode.extension.galleryBanner": "VS Code 商城使用的横幅。",
+ "vscode.extension.galleryBanner.color": "VS Code 商城页标题上的横幅颜色。",
+ "vscode.extension.galleryBanner.theme": "横幅文字的颜色主题。",
+ "vscode.extension.icon": "128 x 128 像素图标的路径。",
+ "vscode.extension.markdown": "控制商店中使用的 Markdown 渲染引擎。可为 \"github\" (默认) 或 \"standard\" (标准)。",
+ "vscode.extension.preview": "在 Marketplace 中设置扩展,将其标记为“预览”。",
+ "vscode.extension.publisher": "VS Code 扩展的发布者。",
+ "vscode.extension.qna": "控制市场中的“问与答”(Q&A)链接。设置为 \"marketplace\" 可启用市场的默认“问与答”页面。设置为其他字符串可指向自定义的“问与答”页面。设置为 \"false\" 可完全禁用“问与答”。",
+ "vscode.extension.scripts.prepublish": "包作为 VS Code 扩展发布前执行的脚本。",
+ "vscode.extension.scripts.uninstall": "VS Code 扩展的卸载钩子。在扩展从 VS Code 卸载且 VS Code 重启 (关闭后开启) 后执行的脚本。仅支持 Node 脚本。",
+ "workspace": "工作区扩展类型。在远程窗口中,仅远程可用时启用此类扩展。"
+ },
+ "vs/workbench/services/extensions/common/extensionsUtil": {
+ "extensionUnderDevelopment": "正在 {0} 处加载开发扩展程序",
+ "overwritingExtension": "使用扩展程序 {1} 覆盖扩展程序 {0}。"
+ },
+ "vs/workbench/services/extensions/common/remoteExtensionHost": {
+ "remote extension host Log": "远程扩展主机"
+ },
+ "vs/workbench/services/extensions/electron-sandbox/cachedExtensionScanner": {
+ "extensionCache.invalid": "扩展在磁盘上已被修改。请重新加载窗口。",
+ "reloadWindow": "重新加载窗口"
+ },
+ "vs/workbench/services/extensions/electron-sandbox/electronExtensionService": {
+ "devTools": "打开开发人员工具",
+ "enable": "启用和重新加载",
+ "enableResolver": "需要扩展“{0}”才能打开远程窗口。\r\n是否启用?",
+ "extensionService.autoRestart": "扩展主机意外终止。正在重启...",
+ "extensionService.crash": "扩展主机在过去 5 分钟内意外终止了 3 次。",
+ "extensionService.versionMismatchCrash": "扩展主机无法启动: 版本不匹配。",
+ "getEnvironmentFailure": "无法获取远程环境",
+ "install": "安装并重新加载",
+ "installResolver": "打开远程窗口需要扩展“{0}”。\r\n确定要安装扩展吗?",
+ "looping": "以下扩展因包含依赖循环已被禁用: {0}",
+ "relaunch": "重新启动 VS Code",
+ "resolverExtensionNotFound": "未在市场上找到“{0}”",
+ "restart": "重启扩展宿主",
+ "restartExtensionHost": "重启扩展宿主"
+ },
+ "vs/workbench/services/extensions/electron-sandbox/localProcessExtensionHost": {
+ "extension host Log": "扩展宿主",
+ "extensionHost.error": "扩展主机中的错误: {0}",
+ "extensionHost.startupFail": "扩展主机未在 10 秒内启动,这可能是一个问题。",
+ "extensionHost.startupFailDebug": "扩展未在 10 秒内启动,可能在第一行已停止,需要调试器才能继续。",
+ "join.extensionDevelopment": "正在终止扩展调试会话",
+ "reloadWindow": "重新加载窗口"
+ },
+ "vs/workbench/services/history/browser/historyService": {
+ "canNavigateBack": "是否可在编辑器历史记录中向后导航",
+ "canNavigateBackInEditLocations": "是否可在编辑器编辑位置历史记录中向后导航",
+ "canNavigateBackInNavigationLocations": "是否可在编辑器导航位置历史记录中向后导航",
+ "canNavigateForward": "是否可在编辑器历史记录中向前导航",
+ "canNavigateForwardInEditLocations": "是否可在编辑器编辑位置历史记录中向前导航",
+ "canNavigateForwardInNavigationLocations": "是否可在编辑器导航位置历史记录中向前导航",
+ "canNavigateToLastEditLocation": "是否可导航到最后一个编辑器编辑位置",
+ "canNavigateToLastNavigationLocation": "是否可导航到最后一个编辑器导航位置",
+ "canReopenClosedEditor": "是否可重新打开上次关闭的编辑器"
+ },
+ "vs/workbench/services/integrity/electron-sandbox/integrityService": {
+ "integrity.dontShowAgain": "不再显示",
+ "integrity.moreInformation": "更多信息",
+ "integrity.prompt": "{0} 安装似乎损坏。请重新安装。"
+ },
+ "vs/workbench/services/keybinding/browser/keybindingService": {
+ "dispatch": "控制按键的分派逻辑以使用 \"code\" (推荐) 或 \"keyCode\"。",
+ "invalid.keybindings": "无效的“contributes.{0}”: {1}",
+ "keybindings.json.args": "要传递给命令以执行的参数。",
+ "keybindings.json.command": "要执行的命令的名称",
+ "keybindings.json.key": "键或键序列(用空格分隔)",
+ "keybindings.json.title": "按键绑定配置",
+ "keybindings.json.when": "键处于活动状态时的条件。",
+ "keyboardConfigurationTitle": "键盘",
+ "nonempty": "应为非空值。",
+ "optstring": "属性“{0}”可以省略,否则其类型必须是 \"string\"",
+ "requirestring": "属性“{0}”是必需的,其类型必须是 \"string\"",
+ "unboundCommands": "以下是其他可用命令:",
+ "vscode.extension.contributes.keybindings": "用于键绑定。",
+ "vscode.extension.contributes.keybindings.args": "要传递给命令以执行的参数。",
+ "vscode.extension.contributes.keybindings.command": "要在触发键绑定时运行的命令的标识符。",
+ "vscode.extension.contributes.keybindings.key": "键或键序列(用加号连接的键和后面再接空格的键序列都算组合键,如 Ctrl+O 和 Ctrl+L L)。",
+ "vscode.extension.contributes.keybindings.linux": "Linux 特定的键或键序列。",
+ "vscode.extension.contributes.keybindings.mac": "Mac 特定的键或键序列。",
+ "vscode.extension.contributes.keybindings.when": "键处于活动状态时的条件。",
+ "vscode.extension.contributes.keybindings.win": "Windows 特定的键或键序列。"
+ },
+ "vs/workbench/services/keybinding/common/keybindingEditing": {
+ "emptyKeybindingsHeader": "将键绑定放在此文件中以覆盖默认值",
+ "errorInvalidConfiguration": "无法写入按键绑定配置文件。文件内含有非数组类型对象。请打开文件进行清理,然后重试。",
+ "errorKeybindingsFileDirty": "由于该键绑定配置文件具有未保存的更改,因此无法写入。请先将其保存,然后重试。",
+ "parseErrors": "无法写入按键绑定配置文件。请打开文件并更正错误或警告,然后重试。"
+ },
+ "vs/workbench/services/label/common/labelService": {
+ "temporaryWorkspace": "工作区",
+ "untitledWorkspace": "无标题 (工作区)",
+ "vscode.extension.contributes.resourceLabelFormatters": "提供资源标签格式化规则。",
+ "vscode.extension.contributes.resourceLabelFormatters.authority": "要在其上匹配格式化程序的 URI 权限。支持简单的 glob 模式。",
+ "vscode.extension.contributes.resourceLabelFormatters.formatting": "用于格式化 uri 资源标签的规则。",
+ "vscode.extension.contributes.resourceLabelFormatters.formatting.workspaceSuffix": "附加到工作区标签的后缀。",
+ "vscode.extension.contributes.resourceLabelFormatters.label": "要显示的标签规则。例如,myLabel:/${path}。支持将 ${path}、${scheme}、${authority} 和 ${authoritySuffix} 用作变量。",
+ "vscode.extension.contributes.resourceLabelFormatters.scheme": "要在其上匹配格式化程序的 URI 方案,例如“文件”。支持简单的 glob 模式。",
+ "vscode.extension.contributes.resourceLabelFormatters.separator": "要在 URI 标签显示中所用的分隔符,例如 / 或 ''。",
+ "vscode.extension.contributes.resourceLabelFormatters.stripPathStartingSeparator": "控制 \"${path}\" 替换项是否应删除起始分隔符字符。",
+ "vscode.extension.contributes.resourceLabelFormatters.tildify": "控制是否应在可能的情况下按斜体显示 URI 标签的开头。",
+ "workspaceName": "{0} (工作区)",
+ "workspaceNameVerbose": "{0} (工作区)"
+ },
+ "vs/workbench/services/language/common/languageService": {
+ "invalid": "“contributes.{0}”无效。应为数组。",
+ "invalid.empty": "“contributes.{0}”的值为空",
+ "opt.aliases": "属性“{0}”可以省略,其类型必须是 \"string[]\"",
+ "opt.configuration": "属性“{0}”可以省略,其类型必须是 \"string\"。",
+ "opt.extensions": "属性“{0}”可以省略,其类型必须是 \"string[]\"",
+ "opt.filenames": "属性“{0}”可以省略,其类型必须是 \"string[]\"",
+ "opt.firstLine": "属性“{0}”可以省略,其类型必须是 \"string\"。",
+ "opt.icon": "可以省略属性 \"{0}\",并且其类型必须为 \"object\",并带有类型为 \"string\" 的属性 \"{1}\" 和 \"{2}\"",
+ "opt.mimetypes": "属性“{0}”可以省略,其类型必须是 \"string[]\"",
+ "require.id": "属性“{0}”是必需的,其类型必须是 \"string\"",
+ "vscode.extension.contributes.languages": "有助于语言声明。",
+ "vscode.extension.contributes.languages.aliases": "语言的别名。",
+ "vscode.extension.contributes.languages.configuration": "包含语言配置选项的文件的相对路径。",
+ "vscode.extension.contributes.languages.extensions": "与语言关联的文件扩展名。",
+ "vscode.extension.contributes.languages.filenamePatterns": "与语言关联的文件名 glob 模式。",
+ "vscode.extension.contributes.languages.filenames": "与语言关联的文件名。",
+ "vscode.extension.contributes.languages.firstLine": "与语言文件的第一行匹配的正则表达式。",
+ "vscode.extension.contributes.languages.icon": "要用作文件图标的图标,如果没有图标,主题将为相应语言提供一个。",
+ "vscode.extension.contributes.languages.icon.dark": "使用深色主题时的图标路径",
+ "vscode.extension.contributes.languages.icon.light": "使用浅色主题时的图标路径",
+ "vscode.extension.contributes.languages.id": "语言 ID。",
+ "vscode.extension.contributes.languages.mimetypes": "与语言关联的 Mime 类型。"
+ },
+ "vs/workbench/services/notification/common/notificationService": {
+ "neverShowAgain": "不再显示"
+ },
+ "vs/workbench/services/preferences/browser/keybindingsEditorInput": {
+ "keybindingsInputName": "键盘快捷方式"
+ },
+ "vs/workbench/services/preferences/browser/keybindingsEditorModel": {
+ "cat.title": "{0}: {1}",
+ "default": "默认值",
+ "extension": "扩展",
+ "meta": "元数据",
+ "option": "选项",
+ "user": "用户"
+ },
+ "vs/workbench/services/preferences/browser/preferencesService": {
+ "defaultKeybindings": "默认的键绑定",
+ "emptyKeybindingsHeader": "将键绑定放在此文件中以覆盖默认值",
+ "fail.createSettings": "无法创建“{0}”({1})。",
+ "openFolderFirst": "首先打开一个文件夹或工作区,以创建工作区或文件夹设置。"
+ },
+ "vs/workbench/services/preferences/common/preferencesEditorInput": {
+ "settingsEditor2InputName": "设置"
+ },
+ "vs/workbench/services/preferences/common/preferencesModels": {
+ "commonlyUsed": "常用设置",
+ "defaultKeybindingsHeader": "通过将键绑定放入键绑定文件来覆盖键绑定。"
+ },
+ "vs/workbench/services/preferences/common/preferencesValidation": {
+ "invalidTypeError": "设置的类型无效,应为 {0}。请使用 JSON 格式进行修复。",
+ "validations.arrayIncorrectType": "类型不正确。应为数组。",
+ "validations.booleanIncorrectType": "类型错误,预期为“布尔”。",
+ "validations.colorFormat": "颜色格式无效。请使用 #RGB、#RGBA、#RRGGBB 或 #RRGGBBAA。",
+ "validations.exclusiveMax": "值必须严格小于 {0}。",
+ "validations.exclusiveMin": "值必须严格大于 {0}。",
+ "validations.expectedInteger": "值必须为整数。",
+ "validations.expectedNumeric": "值必须为数字。",
+ "validations.invalidStringEnumValue": "值不被接受。有效值: {0}。",
+ "validations.max": "值必须小于或等于 {0}。",
+ "validations.maxLength": "值的长度必须小于或等于 {0} 个字符。",
+ "validations.min": "值必须大于或等于 {0}。",
+ "validations.minLength": "值的长度不能少于 {0} 个字符。",
+ "validations.multipleOf": "值必须是 {0} 的倍数。",
+ "validations.objectIncorrectType": "类型不正确。应为对象。",
+ "validations.objectPattern": "不允许使用属性{0}。\r\n",
+ "validations.regex": "值必须匹配 regex “{0}”。",
+ "validations.stringArrayIncorrectType": "类型不正确。应为字符串数组。",
+ "validations.stringArrayItemEnum": "值 {0} 不是 {1} 其中之一",
+ "validations.stringArrayItemPattern": "值 {0} 必须与 regex {1} 匹配。",
+ "validations.stringArrayMaxItem": "数组必须最多有 {0} 项",
+ "validations.stringArrayMinItem": "数组必须至少有 {0} 项",
+ "validations.stringArrayUniqueItems": "数组具有重复项",
+ "validations.stringIncorrectEnumOptions": "枚举选项应为字符串,但有一个非字符串选项。请向扩展作者提交问题。",
+ "validations.stringIncorrectType": "类型不正确。应为“字符串”",
+ "validations.uriEmpty": "需要 URI。",
+ "validations.uriMissing": "需要 URI。",
+ "validations.uriSchemeMissing": "需要包含架构的 URI。"
+ },
+ "vs/workbench/services/progress/browser/progressService": {
+ "cancel": "取消",
+ "dismiss": "消除",
+ "progress.text2": "{0}: {1}",
+ "progress.title2": "[{0}]: {1}",
+ "progress.title3": "[{0}] {1}: {2}",
+ "status.progress": "进度消息"
+ },
+ "vs/workbench/services/remote/common/remoteExplorerService": {
+ "remote.localPortMismatch.single": "无法使用本地端口 {0} 转发到远程端口 {1}。\r\n\r\n当已存在使用本地端口 {0} 的其他进程时,通常会发生这种情况。\r\n\r\n已改为使用端口号 {2}。",
+ "tunnel.source.auto": "自动转发",
+ "tunnel.source.user": "用户转发",
+ "tunnel.staticallyForwarded": "静态转发"
+ },
+ "vs/workbench/services/remote/electron-sandbox/remoteAgentService": {
+ "connectionError": "无法连接到远程扩展主机服务器 (错误: {0})",
+ "devTools": "打开开发人员工具",
+ "directUrl": "在浏览器中打开"
+ },
+ "vs/workbench/services/search/common/queryBuilder": {
+ "search.noWorkspaceWithName": "工作区文件夹不存在: {0}"
+ },
+ "vs/workbench/services/textfile/browser/textFileService": {
+ "confirmOverwrite": "“{0}”已存在。是否替换它?",
+ "deleted": "已删除",
+ "fileBinaryError": "文件似乎是二进制文件,不能作为文本打开",
+ "irreversible": "名为\"{0}\"的文件或文件夹已存在于\"{1}\"文件夹中。替换它将覆盖其当前内容。",
+ "readonly": "只读",
+ "readonlyAndDeleted": "已删除,只读",
+ "replaceButtonLabel": "替换(&&R)",
+ "textFileCreate.source": "文件已创建",
+ "textFileModelDecorations": "文本文件模型装饰",
+ "textFileOverwrite.source": "文件已替换"
+ },
+ "vs/workbench/services/textfile/common/textFileEditorModel": {
+ "textFileCreate.source": "已更改文件编码"
+ },
+ "vs/workbench/services/textfile/common/textFileEditorModelManager": {
+ "genericSaveError": "未能保存“{0}”: {1}"
+ },
+ "vs/workbench/services/textfile/common/textFileSaveParticipant": {
+ "saveParticipants": "正在保存“{0}”"
+ },
+ "vs/workbench/services/textfile/electron-sandbox/nativeTextFileService": {
+ "join.textFiles": "正在保存文本文件"
+ },
+ "vs/workbench/services/textMate/browser/abstractTextMateService": {
+ "alreadyDebugging": "已经开始记录。",
+ "invalid.embeddedLanguages": "\"contributes.{0}.embeddedLanguages\" 中的值无效。必须为从作用域名称到语言的对象映射。提供的值: {1}",
+ "invalid.injectTo": "\"contributes.{0}.injectTo\" 中的值无效。必须为语言范围名称数组。提供的值: {1}",
+ "invalid.language": "\"contributes.{0}.language\" 中包含未知语言。提供的值: {1}",
+ "invalid.path.0": "“contributes.{0}.path”中应为字符串。提供的值: {1}",
+ "invalid.path.1": "“contributes.{0}.path”({1})应包含在扩展的文件夹({2})内。这可能会使扩展不可移植。",
+ "invalid.scopeName": "“contributes.{0}.scopeName”中应为字符串。提供的值: {1}",
+ "invalid.tokenTypes": "\"contributes.{0}.tokenTypes\" 的值无效。必须为从作用域名称到标记类型的对象映射。当前值: {1}",
+ "progress1": "正在准备记录 TM 语法分析。完成后按“停止”。",
+ "progress2": "现在正在记录 TM 语法分析。完成后按“停止”。",
+ "stop": "停止"
+ },
+ "vs/workbench/services/textMate/common/TMGrammars": {
+ "vscode.extension.contributes.grammars": "贡献 textmate tokenizer。",
+ "vscode.extension.contributes.grammars.balancedBracketScopes": "定义哪些范围名称包含平衡括号。",
+ "vscode.extension.contributes.grammars.embeddedLanguages": "如果此语法包含嵌入式语言,则为作用域名称到语言 ID 的映射。",
+ "vscode.extension.contributes.grammars.injectTo": "此语法注入到的语言范围名称列表。",
+ "vscode.extension.contributes.grammars.language": "此语法为其贡献了内容的语言标识符。",
+ "vscode.extension.contributes.grammars.path": "tmLanguage 文件的路径。该路径是相对于扩展文件夹,通常以 \"./syntaxes/\" 开头。",
+ "vscode.extension.contributes.grammars.scopeName": "tmLanguage 文件所用的 textmate 范围名称。",
+ "vscode.extension.contributes.grammars.tokenTypes": "从作用域名到标记类型的映射。",
+ "vscode.extension.contributes.grammars.unbalancedBracketScopes": "定义哪些范围名称不包含平衡括号。"
+ },
+ "vs/workbench/services/themes/browser/fileIconThemeData": {
+ "error.cannotparseicontheme": "分析文件图标文件时出现问题: {0}",
+ "error.invalidformat": "文件图标主题问题的格式无效: 应为对象。"
+ },
+ "vs/workbench/services/themes/browser/productIconThemeData": {
+ "defaultTheme": "默认值",
+ "error.cannotparseicontheme": "分析产品图标文件时出现问题: {0}",
+ "error.fontId": "字体 ID“{0}”缺失或无效。将跳过字体定义。",
+ "error.fontSrc": "字体 '{0}' 中的字体源无效。忽略源。",
+ "error.fontStyle": "字体“{0}”中的字体样式无效。将忽略设置。",
+ "error.fontWeight": "字体“{0}”中的字体粗细无效。将忽略设置。",
+ "error.icon.font": "正在跳过图标定义“{0}”。未知的字体。",
+ "error.icon.fontCharacter": "正在跳过图标定义“{0}”。未知的 fontCharacter。",
+ "error.invalidformat": "产品图标主题文件的格式无效: 应为对象。",
+ "error.missingProperties": "产品图标主题文件的格式无效: 必须包含图标定义和字体。",
+ "error.noFontSrc": "字体 '{0}' 中没有有效的字体源。忽略字体定义。",
+ "error.parseicondefs": "处理中的产品图标定义时出现问题{0}:\r\n{1}"
+ },
+ "vs/workbench/services/themes/browser/workbenchThemeService": {
+ "error.cannotloadtheme": "无法加载 {0}: {1}"
+ },
+ "vs/workbench/services/themes/common/colorExtensionPoint": {
+ "contributes.color": "提供由扩展定义的主题颜色",
+ "contributes.color.description": "主题颜色的说明",
+ "contributes.color.id": "主题颜色标识符",
+ "contributes.color.id.format": "标识符只能包含字母、数字和点,且不能以点开头",
+ "contributes.defaults.dark": "深色主题的默认颜色。应为十六进制颜色值 (#RRGGBB[AA]) 或是主题颜色标识符,其提供默认值。",
+ "contributes.defaults.highContrast": "高对比度深色主题的默认颜色。十六进制颜色值 (#RRGGBB[AA])或提供默认值的主题化颜色的标识符。如果未提供,则“深色”用作高对比度深色主题的默认颜色。",
+ "contributes.defaults.highContrastLight": "高对比度浅色主题的默认颜色。十六进制颜色值 (#RRGGBB[AA])或提供默认值的主题化颜色的标识符。如果未提供,则“浅色”用作高对比度浅色主题的默认颜色。",
+ "contributes.defaults.light": "浅色主题的默认颜色。应为十六进制颜色值 (#RRGGBB[AA]) 或是主题颜色标识符,其提供默认值。",
+ "invalid.colorConfiguration": "\"configuration.colors\" 必须是数组",
+ "invalid.default.colorType": "{0} 必须为十六进制颜色值 (#RRGGBB[AA] 或 #RGB[A]) 或是主题颜色标识符,其提供默认值。",
+ "invalid.defaults": "必须定义 'configuration.colors.defaults',且其必须包含 'light' 和 'dark'",
+ "invalid.defaults.highContrast": "如果已定义,则 'configuration.colors.defaults.highContrast' 必须为字符串。",
+ "invalid.defaults.highContrastLight": "如果已定义,则 'configuration.colors.defaults.highContrastLight' 必须为字符串。",
+ "invalid.description": "必须定义 \"configuration.colors.description\" 且它不可为空",
+ "invalid.id": "必须定义 \"configuration.colors.id\" 且它不可为空",
+ "invalid.id.format": "\"configuration.colors.id\" 只能包含字母、数字和点,且不能以点开头"
+ },
+ "vs/workbench/services/themes/common/colorThemeData": {
+ "error.cannotload": "分析 tmTheme 文件 {0} 时出现问题: {1}",
+ "error.cannotparse": "分析 tmTheme 文件时出现问题: {0}",
+ "error.cannotparsejson": "分析 JSON 主题文件 {0} 时出现问题",
+ "error.invalidformat": "JSON 主题文件的格式无效: 应为对象。",
+ "error.invalidformat.colors": "分析颜色主题文件时出现问题: {0}。属性“colors”不是“object”类型。",
+ "error.invalidformat.semanticTokenColors": "分析颜色主题文件时发生问题: {0}。属性 \"semanticTokenColors\" 包含无效的选择器",
+ "error.invalidformat.tokenColors": "分析颜色主题文件时出现问题: {0}。属性 \"tokenColors\" 应为指定颜色的数组或是指向 TextMate 主题文件的路径",
+ "error.plist.invalidformat": "分析 tmTheme 文件时出现问题: {0}。\"settings\" 不是数组。"
+ },
+ "vs/workbench/services/themes/common/colorThemeSchema": {
+ "schema.colors": "语法突出显示颜色",
+ "schema.fontStyle.error": "字形必须为 \"italic\" (斜体)、\"bold\" (粗体)、\"underline\" (下划线)、\"strikethrough\" (删除线)、上述的组合或是为空字符串。",
+ "schema.properties.name": "规则的描述。",
+ "schema.properties.scope": "此规则适用的范围选择器。",
+ "schema.semanticTokenColors": "语义标记的颜色",
+ "schema.supportsSemanticHighlighting": "是否应为此主题启用语义突出显示。",
+ "schema.token.background.warning": "暂不支持标记背景色。",
+ "schema.token.fontStyle": "这条规则的字形: \"italic\" (斜体)、\"bold\" (粗体)、\"underline\" (下划线)、\"strikethrough\" (删除线) 或是上述的组合。空字符串将取消继承的设置。",
+ "schema.token.fontStyle.none": "无 (清除继承的设置)",
+ "schema.token.foreground": "标记的前景色。",
+ "schema.token.settings": "标记的颜色和样式。",
+ "schema.tokenColors.path": "tmTheme 文件路径(相对于当前文件)。",
+ "schema.workbenchColors": "工作台中的颜色"
+ },
+ "vs/workbench/services/themes/common/fileIconThemeSchema": {
+ "schema.file": "默认文件图标,针对不与任何扩展名、文件名或语言 ID 匹配的所有文件显示。",
+ "schema.fileExtension": "关联的图标定义的 ID。",
+ "schema.fileExtensions": "将文件扩展名关联到图标。对象中的键是文件扩展名。扩展名是文件名的最后一部分,位于最后一个点之后 (不包括该点)。比较扩展名时不区分大小写。",
+ "schema.fileName": "关联的图标定义的 ID。",
+ "schema.fileNames": "将文件名关联到图标。对象中的键是完整文件名,其中不含任何路径字段。文件名可以包括点和可能有的文件扩展名。不允许使用模式或通配符。文件名匹配不区分大小写。",
+ "schema.folder": "折叠文件夹的文件夹图标,如果未设置 folderExpanded,也指展开文件夹的文件夹图标。",
+ "schema.folderExpanded": "展开文件夹的文件夹图标。展开文件夹图标是可选的。如果未设置,将显示为文件夹定义的图标。",
+ "schema.folderName": "关联的图标定义的 ID。",
+ "schema.folderNameExpanded": "关联的图标定义的 ID。",
+ "schema.folderNames": "将文件夹名关联到图标。对象中的键是文件夹名,其中不含任何路径字段。不允许使用模式或通配符。文件夹名匹配不区分大小写。",
+ "schema.folderNamesExpanded": "将文件夹名关联到展开文件夹的图标。对象中的键是文件夹名,其中不含任何路径字段。不允许使用模式或通配符。文件夹名匹配不区分大小写。",
+ "schema.font-format": "字体的格式。",
+ "schema.font-path": "相对于当前文件图标主题文件的字体路径。",
+ "schema.font-size": "字体的默认大小。请参阅 https://developer.mozilla.org/zh-CN/docs/Web/CSS/font-size 查看有效的值。",
+ "schema.font-style": "字体的样式。要了解有效值,请参阅 https://developer.mozilla.org/zh-cn/docs/Web/CSS/font-style。",
+ "schema.font-weight": "字体的粗细。要了解有效值,请参阅 https://developer.mozilla.org/zh-cn/docs/Web/CSS/font-weight。",
+ "schema.fontCharacter": "使用字形字体时: 要使用的字体中的字符。",
+ "schema.fontColor": "使用字形字体时: 要使用的颜色。",
+ "schema.fontId": "使用某种字体时: 字体的 ID。如果未设置,则默认为第一个字体定义。",
+ "schema.fontSize": "使用某种字体时: 文本字体的字体大小(以百分比表示)。如果未设置,则默认为字体定义中的大小。",
+ "schema.fonts": "图标定义中使用的字体。",
+ "schema.hidesExplorerArrows": "配置文件资源管理器的箭头是否应在此主题启用时隐藏。",
+ "schema.highContrast": "高对比度颜色主题中文件图标的可选关联。",
+ "schema.iconDefinition": "图标定义。对象键是定义的 ID。",
+ "schema.iconDefinitions": "将文件与图标关联时可使用的所有图标的说明。",
+ "schema.iconPath": "使用 SVG 或 PNG 时: 到图像的路径。该路径相对于图标设置文件。",
+ "schema.id": "字体的 ID。",
+ "schema.id.formatError": "ID 必须仅包含字母、数字、下划线和减号。",
+ "schema.languageId": "关联的图标定义的 ID。",
+ "schema.languageIds": "将语言与图标相关联。对象键是语言贡献点中定义的语言 ID。",
+ "schema.light": "浅色主题中文件图标的可选关联。",
+ "schema.showLanguageModeIcons": "配置如果主题未为某个语言定义图标,是否应使用默认语言图标。",
+ "schema.src": "字体的位置。"
+ },
+ "vs/workbench/services/themes/common/iconExtensionPoint": {
+ "contributes.icon.default": "图标的默认值。引用现有主题图标或图标字体中的图标。",
+ "contributes.icon.default.fontCharacter": "图标字体中图标的字符。",
+ "contributes.icon.default.fontPath": "定义图标的图标字体的路径。",
+ "contributes.icon.description": "主题图标的说明",
+ "contributes.icon.id": "主题图标标识符",
+ "contributes.icon.id.format": "标识符只能包含字母、数字和减号,且必须按 \"component-iconname\" 格式由至少两段组成。",
+ "contributes.icons": "提供由扩展定义的主题图标",
+ "invalid.icons.configuration": "'configuration.icons' 必须是以图标名称为属性的对象。",
+ "invalid.icons.default": "'configuration.icons.default' 必须是对其他主题图标的 ID (字符串)或图标定义(对象)的引用,属性为 `fontPath` 和 `fontCharacter`。",
+ "invalid.icons.default.fontPath.extension": "预期 `contributes.icons.default.fontPath` 的文件扩展名为 'woff',woff2' 或 'ttf',为 '{0}'。",
+ "invalid.icons.default.fontPath.path": "预期 `contributes.icons.default.fontPath` ({0}) 将包含在扩展的文件夹 ({0}) 中。",
+ "invalid.icons.description": "必须定义 'configuration.icons.description' 且它不可为空",
+ "invalid.icons.id.format": "'configuration.icons' 键标识图标 ID,只能包含字母、数字和减号。它们需要按 `component-iconname` 格式由至少两段组成。"
+ },
+ "vs/workbench/services/themes/common/productIconThemeSchema": {
+ "schema.font-format": "字体的格式。",
+ "schema.font-path": "相对于当前产品图标主题文件的字体路径。",
+ "schema.font-style": "字体的样式。要了解有效值,请参阅 https://developer.mozilla.org/zh-cn/docs/Web/CSS/font-style。",
+ "schema.font-weight": "字体的粗细。要了解有效值,请参阅 https://developer.mozilla.org/zh-cn/docs/Web/CSS/font-weight。",
+ "schema.iconDefinitions": "字体字符的图标名称的关联。",
+ "schema.id": "字体的 ID。",
+ "schema.id.formatError": "ID 必须仅包含字母、数字、下划线和减号。",
+ "schema.src": "字体的位置。"
+ },
+ "vs/workbench/services/themes/common/themeConfiguration": {
+ "autoDetectHighContrast": "如果已启用,将自动更改为高对比度主题;如果操作系统正在使用高对比度主题。使用高对比度主题是由 `#{0}#` 和 `#{1}#` 指定的",
+ "colorTheme": "指定用在工作台中的颜色主题。",
+ "colorThemeError": "主题未知或未安装。",
+ "defaultProductIconThemeDesc": "默认",
+ "defaultProductIconThemeLabel": "默认",
+ "detectColorScheme": "如果已设置,则根据 OS 外观自动切换到首选颜色主题。如果 OS 外观为深色,则使用 `#{0}#` 处指定的主题。如果外观为浅色,则使用 `#{1}#` 处指定的主题。",
+ "editorColors": "替代当前所选颜色主题中的编辑器语法颜色和字形。",
+ "editorColors.comments": "设置注释的颜色和样式",
+ "editorColors.functions": "设置函数定义与引用的颜色和样式。",
+ "editorColors.keywords": "设置关键字的颜色和样式。",
+ "editorColors.numbers": "设置数字的颜色和样式。",
+ "editorColors.semanticHighlighting": "是否应为此主题启用语义突出显示。",
+ "editorColors.semanticHighlighting.deprecationMessage": "改为在 \"editor.semanticTokenColorCustomizations\" 设置中使用 \"enabled\"。",
+ "editorColors.semanticHighlighting.deprecationMessageMarkdown": "在 `#editor.semanticTokenColorCustomizations#` 设置中改为使用 `enabled`。",
+ "editorColors.semanticHighlighting.enabled": "是否对此主题启用或禁用语义突出显示",
+ "editorColors.semanticHighlighting.rules": "此主题的语义标记样式规则。",
+ "editorColors.strings": "设置字符串文本的颜色和样式",
+ "editorColors.textMateRules": "使用 TextMate 主题规则设置颜色和样式(高级)。",
+ "editorColors.types": "设置类型定义与引用的颜色和样式。",
+ "editorColors.variables": "设置变量定义和引用的颜色和样式。",
+ "iconTheme": "指定工作台中使用的文件图标主题;若指定为 \"null\",则不显示任何文件图标。",
+ "iconThemeError": "文件图标主题未知或未安装。",
+ "noIconThemeDesc": "无文件图标",
+ "noIconThemeLabel": "无",
+ "preferredDarkColorTheme": "指定启用了 `#{0}#` 时深色操作系统外观的首选颜色主题。",
+ "preferredHCDarkColorTheme": "指定启用了 `#{0}#` 时在高对比度深色模式下使用的首选颜色主题。",
+ "preferredHCLightColorTheme": "指定启用了 `#{0}#` 时在高对比度浅色模式下使用的首选颜色主题。",
+ "preferredLightColorTheme": "指定启用了 `#{0}#` 时浅色操作系统外观的首选颜色主题。",
+ "productIconTheme": "指定使用的产品图标主题。",
+ "productIconThemeError": "产品图标主题未知或未安装。",
+ "semanticTokenColors": "从当前所选颜色主题重写编辑器语义标记颜色和样式。",
+ "workbenchColors": "覆盖当前所选颜色主题的颜色。"
+ },
+ "vs/workbench/services/themes/common/themeExtensionPoints": {
+ "invalid.path.1": "“contributes.{0}.path”({1})应包含在扩展的文件夹({2})内。这可能会使扩展不可移植。",
+ "reqarray": "扩展点“{0}”必须是数组。 ",
+ "reqid": "contributes.{0}.id\" 中的预期字符串。提供的值: {1}",
+ "reqpath": "“contributes.{0}.path”中应为字符串。提供的值: {1}",
+ "vscode.extension.contributes.iconThemes": "提供文件图标主题。",
+ "vscode.extension.contributes.iconThemes.id": "在用户设置中使用的文件图标主题的 ID。",
+ "vscode.extension.contributes.iconThemes.label": "文件图标主题的标签,如 UI 所示。",
+ "vscode.extension.contributes.iconThemes.path": "文件图标主题定义文件的路径。该路径相对于扩展文件夹,通常为 \"./fileicons/awesome-icon-theme.json\"。",
+ "vscode.extension.contributes.productIconThemes": "贡献产品图标主题。",
+ "vscode.extension.contributes.productIconThemes.id": "用户设置中使用的产品图标主题的 ID。",
+ "vscode.extension.contributes.productIconThemes.label": "产品图标主题的标签,如 UI 所示。",
+ "vscode.extension.contributes.productIconThemes.path": "产品图标主题定义文件的路径。该路径相对于扩展文件夹,通常为 \"./producticons/awesome-product-icon-theme.json\"。",
+ "vscode.extension.contributes.themes": "提供 TextMate 颜色主题。",
+ "vscode.extension.contributes.themes.id": "用户设置中使用的颜色主题的 ID。",
+ "vscode.extension.contributes.themes.label": "显示在 UI 中的颜色主题标签。",
+ "vscode.extension.contributes.themes.path": "tmTheme 文件的路径。该路径相对于扩展文件夹,通常为 \"./colorthemes/awesome-color-theme.json\"。",
+ "vscode.extension.contributes.themes.uiTheme": "用于定义编辑器周围颜色的基本主题: 'vs' 是浅色主题, 'vs-dark' 是深色主题。'hc-black' 是深色高对比度主题,'hc-light' 是浅色高对比度主题。"
+ },
+ "vs/workbench/services/themes/common/tokenClassificationExtensionPoint": {
+ "contributes.color.description": "语义标记类型的说明",
+ "contributes.semanticTokenModifiers": "提供语义标记修饰符。",
+ "contributes.semanticTokenModifiers.description": "语义令牌修饰符的说明",
+ "contributes.semanticTokenModifiers.id": "语义令牌修饰符的标识符",
+ "contributes.semanticTokenModifiers.id.format": "标识符的格式应为letterOrDigit[_-letterOrDigit]*",
+ "contributes.semanticTokenScopes": "提供语义令牌范围映射。",
+ "contributes.semanticTokenScopes.languages": "列出默认语言。",
+ "contributes.semanticTokenScopes.scopes": "将语义令牌(由语义令牌选择器描述)映射到用于表示该令牌的一个或多个 textMate 作用域。",
+ "contributes.semanticTokenTypes": "贡献语义令牌类型。",
+ "contributes.semanticTokenTypes.id": "语义令牌类型的标识符",
+ "contributes.semanticTokenTypes.id.format": "标识符的格式应为letterOrDigit[_-letterOrDigit]*",
+ "contributes.semanticTokenTypes.superType": "语义令牌类型的超类型",
+ "contributes.semanticTokenTypes.superType.format": "超类型的格式应为 letterOrDigit[_-letterOrDigit]*",
+ "invalid.description": "必须定义 \"configuration.{0}.description\" 且它不可为空",
+ "invalid.id": "必须定义 \"configuration.{0}.id\" 且它不可为空",
+ "invalid.id.format": "\"configuration.{0}.id\" 必须采用 letterOrDigit[-_letterOrDigit]* 模式",
+ "invalid.semanticTokenModifierConfiguration": "“configuration.semanticTokenModifier” 必须是数组",
+ "invalid.semanticTokenScopes.configuration": "\"configuration.semanticTokenScopes\" 必须是一个数组",
+ "invalid.semanticTokenScopes.language": "\"configuration.semanticTokenScopes.language\" 的值必须是字符串",
+ "invalid.semanticTokenScopes.scopes": "\"configuration.semanticTokenScopes.scopes\" 必须定义为对象",
+ "invalid.semanticTokenScopes.scopes.selector": "\"configuration.semanticTokenScopes.scopes\": 解析选择器{0}时出现问题。",
+ "invalid.semanticTokenScopes.scopes.value": "\"configuration.semanticTokenScopes.scopes\" 的值必须是字符串数组",
+ "invalid.semanticTokenTypeConfiguration": "“configuration.semanticTokenType”必须是数组",
+ "invalid.superType.format": "“ configuration.{0}.superType”必须遵循格式 letterOrDigit [-_letterOrDigit] *"
+ },
+ "vs/workbench/services/userDataProfile/browser/userDataProfileManagement": {
+ "cannotDeleteDefaultProfile": "无法删除默认设置配置文件",
+ "cannotRenameDefaultProfile": "无法重命名默认设置配置文件",
+ "reload button": "重载(&&R)",
+ "reload message": "切换设置配置文件需要重新加载 VS Code。",
+ "reload message when removed": "已删除当前设置配置文件。请重新加载以切换回默认设置配置文件"
+ },
+ "vs/workbench/services/userDataProfile/common/userDataProfile": {
+ "profile": "设置配置文件",
+ "settings profiles": "设置配置文件"
+ },
+ "vs/workbench/services/userDataProfile/common/userDataProfileImportExportService": {
+ "applied profile": "{0}: 已成功应用。",
+ "imported profile": "{0}: 已成功导入。",
+ "name": "配置文件名称",
+ "profiles.applying": "{0}: 正在应用...",
+ "profiles.importing": "{0}: 正在导入...",
+ "save profile as": "从当前配置文件创建..."
+ },
+ "vs/workbench/services/userDataSync/browser/userDataSyncWorkbenchService": {
+ "cancel": "取消",
+ "choose account placeholder": "选择要登录的帐户",
+ "conflicts detected": "检测到冲突",
+ "first time sync detail": "你上次似乎是从另一台计算机同步的。\r\n是“合并”还是“将本地替换成云中的数据”?",
+ "last used": "上次使用时同步",
+ "merge": "合并",
+ "merge Manually": "手动合并…",
+ "merge or replace": "合并或替换",
+ "no": "否(&&N)",
+ "no account": "没有可用的帐户。",
+ "no authentication providers": "没有可用的身份验证提供程序,因此无法启用设置同步。",
+ "others": "其他",
+ "replace local": "替换本地",
+ "reset": "这将清除云中的数据,并在所有设备上停止同步。",
+ "reset title": "清除",
+ "resetButton": "重置(&&R)",
+ "resolve": "因存在冲突而无法合并。请手动合并以继续...",
+ "settings sync": "设置同步",
+ "show log": "显示日志",
+ "sign in": "登录",
+ "sign in using account": "使用 {0} 登录",
+ "signed in": "已登录",
+ "successive auth failures": "后续授权失败,因此已暂停设置同步。若要继续同步,请重新登录",
+ "sync in progress": "正在启用设置同步。是否要取消它?",
+ "sync turned on": "{0} 已启用",
+ "syncing resource": "正在同步 {0}…",
+ "turning on": "正在打开…",
+ "yes": "是(&&Y)"
+ },
+ "vs/workbench/services/userDataSync/common/userDataSync": {
+ "extensions": "扩展",
+ "keybindings": "键盘快捷方式",
+ "settings": "设置",
+ "snippets": "用户代码片段",
+ "sync category": "设置同步",
+ "syncViewIcon": "查看“设置同步”视图的图标。",
+ "tasks": "用户任务",
+ "ui state label": "UI 状态"
+ },
+ "vs/workbench/services/views/browser/viewDescriptorService": {
+ "cachedViewContainerPositions": "查看容器位置自定义",
+ "cachedViewPositions": "查看位置自定义",
+ "hideView": "隐藏“{0}”",
+ "resetViewLocation": "重置位置"
+ },
+ "vs/workbench/services/views/common/viewContainerModel": {
+ "globalViewsStateStorageId": "查看 {0} 视图容器中的可见性自定义"
+ },
+ "vs/workbench/services/workingCopy/common/fileWorkingCopyManager": {
+ "confirmOverwrite": "“{0}”已存在。是否替换它?",
+ "deleted": "已删除",
+ "fileWorkingCopyCreate.source": "文件已创建",
+ "fileWorkingCopyDecorations": "文件工作副本装饰",
+ "fileWorkingCopyReplace.source": "文件已替换",
+ "irreversible": "名为\"{0}\"的文件或文件夹已存在于\"{1}\"文件夹中。替换它将覆盖其当前内容。",
+ "readonly": "只读",
+ "readonlyAndDeleted": "已删除,只读",
+ "replaceButtonLabel": "替换(&&R)"
+ },
+ "vs/workbench/services/workingCopy/common/storedFileWorkingCopy": {
+ "discard": "放弃",
+ "genericSaveError": "未能保存“{0}”: {1}",
+ "overwrite": "覆盖",
+ "overwriteElevated": "以管理员身份覆盖...",
+ "overwriteElevatedSudo": "以 Sudo 覆盖...",
+ "permissionDeniedSaveError": "无法保存“{0}”: 权限不足。选择“以管理员身份覆盖”可作为管理员重试。",
+ "permissionDeniedSaveErrorSudo": "保存 \"{0}\"失败: 权限不足。选择 \"以超级用户身份重试\" 以超级用户身份重试。",
+ "readonlySaveError": "未能保存 \"{0}\": 文件是只读的。可选择 \"覆盖\" 以尝试使其可写。",
+ "readonlySaveErrorAdmin": "未能保存 \"{0}\": 文件是只读的。以管理员身份选择 \"以管理员身份覆盖\" 重试。",
+ "readonlySaveErrorSudo": "保存\"{0}\"失败: 文件为只读。选择“覆盖为Sudo”以用超级用户身份重试。",
+ "retry": "重试",
+ "saveAs": "另存为...",
+ "saveElevated": "以管理员身份重试...",
+ "saveElevatedSudo": "以 Sudo 重试。",
+ "staleSaveError": "未能保存 \"{0}\": 文件的内容较新。是否要用所做的更改覆盖该文件?"
+ },
+ "vs/workbench/services/workingCopy/common/storedFileWorkingCopyManager": {
+ "join.fileWorkingCopyManager": "正在保存工作副本"
+ },
+ "vs/workbench/services/workingCopy/common/storedFileWorkingCopySaveParticipant": {
+ "saveParticipants": "正在保存“{0}”"
+ },
+ "vs/workbench/services/workingCopy/common/workingCopyHistoryService": {
+ "default.source": "已保存文件",
+ "moved.source": "已移动文件",
+ "renamed.source": "已重命名文件"
+ },
+ "vs/workbench/services/workingCopy/common/workingCopyHistoryTracker": {
+ "undoRedo.source": "撤消/重做"
+ },
+ "vs/workbench/services/workingCopy/electron-sandbox/workingCopyBackupService": {
+ "join.workingCopyBackups": "备份工作副本"
+ },
+ "vs/workbench/services/workingCopy/electron-sandbox/workingCopyBackupTracker": {
+ "backupBeforeShutdownDetail": "点击‘取消’以停止等待,并保存或还原具有未保存更改的编辑器。",
+ "backupBeforeShutdownMessage": "备份具有未保存更改的编辑器需要的时间较长...",
+ "backupErrorDetails": "请先尝试保存或还原具有未保存更改的编辑器,然后重试。",
+ "backupTrackerBackupFailed": "以下具有未保存更改的编辑器无法保存到备份位置。",
+ "backupTrackerConfirmFailed": "无法保存或还原以下具有未保存更改的编辑器。",
+ "discardBackupsBeforeShutdown": "放弃备份需要的时间较长...",
+ "revertBeforeShutdown": "还原具有未保存更改的编辑器需要的时间较长...",
+ "saveBeforeShutdown": "保存具有未保存更改的编辑器需要的时间较长..."
+ },
+ "vs/workbench/services/workingCopy/electron-sandbox/workingCopyHistoryService": {
+ "join.workingCopyHistory": "正在保存本地历史记录"
+ },
+ "vs/workbench/services/workspaces/browser/abstractWorkspaceEditingService": {
+ "errorInvalidTaskConfiguration": "无法写入工作区配置文件。请打开文件以更正错误或警告,然后重试。",
+ "errorWorkspaceConfigurationFileDirty": "由于该文件具有未保存的更改,因此无法写入到工作区配置文件。请保存并重试。",
+ "openWorkspaceConfigurationFile": "打开工作区配置",
+ "save": "保存",
+ "saveWorkspace": "保存工作区"
+ },
+ "vs/workbench/services/workspaces/browser/workspaceTrustEditorInput": {
+ "workspaceTrustEditorInputName": "工作区信任"
+ },
+ "vs/workbench/services/workspaces/electron-sandbox/workspaceEditingService": {
+ "cancel": "取消",
+ "doNotSave": "不保存",
+ "save": "保存",
+ "saveWorkspaceDetail": "若要再次打开此工作区,请先保存。",
+ "saveWorkspaceMessage": "你是否要将你的工作区配置保存为文件?",
+ "workspaceOpenedDetail": "已在另一个窗口打开工作区。请先关闭该窗口,然后重试。",
+ "workspaceOpenedMessage": "无法保存工作区“{0}”"
+ }
+ }
+}
diff --git a/package-lock.json b/package-lock.json
deleted file mode 100644
index ed13185..0000000
--- a/package-lock.json
+++ /dev/null
@@ -1,12078 +0,0 @@
-{
- "name": "cow-code-low-code",
- "version": "0.0.0",
- "lockfileVersion": 2,
- "requires": true,
- "packages": {
- "": {
- "name": "cow-code-low-code",
- "version": "0.0.0",
- "dependencies": {
- "@element-plus/icons-vue": "^2.0.6",
- "element-plus": "^2.2.12",
- "monaco-editor": "^0.33.0",
- "pinia": "^2.0.16",
- "vant": "^3.5.3",
- "vue": "^3.2.37",
- "vue-router": "^4.1.2",
- "vuedraggable": "^4.1.0"
- },
- "devDependencies": {
- "@commitlint/cli": "^17.0.3",
- "@commitlint/config-conventional": "^17.0.3",
- "@rushstack/eslint-patch": "^1.1.0",
- "@types/node": "^16.11.47",
- "@types/sass": "^1.43.1",
- "@vitejs/plugin-vue": "^3.0.1",
- "@vitejs/plugin-vue-jsx": "^2.0.0",
- "@vue/eslint-config-prettier": "^7.0.0",
- "@vue/eslint-config-typescript": "^11.0.0",
- "@vue/tsconfig": "^0.1.3",
- "autoprefixer": "^10.4.8",
- "cz-git": "^1.3.10",
- "czg": "^1.3.10",
- "eslint": "^8.5.0",
- "eslint-plugin-vue": "^9.0.0",
- "husky": "^8.0.0",
- "lint-staged": "^13.0.3",
- "npm-run-all": "^4.1.5",
- "postcss": "^8.4.14",
- "prettier": "^2.5.1",
- "sass": "^1.54.0",
- "tailwindcss": "^3.1.7",
- "typescript": "~4.7.4",
- "vite": "^3.0.1",
- "vue-tsc": "^0.38.8"
- }
- },
- "node_modules/@ampproject/remapping": {
- "version": "2.2.0",
- "resolved": "https://registry.npmmirror.com/@ampproject/remapping/-/remapping-2.2.0.tgz",
- "integrity": "sha512-qRmjj8nj9qmLTQXXmaR1cck3UXSRMPrbsLJAasZpF+t3riI71BXed5ebIOYwQntykeZuhjsdweEc9BxH5Jc26w==",
- "dev": true,
- "dependencies": {
- "@jridgewell/gen-mapping": "^0.1.0",
- "@jridgewell/trace-mapping": "^0.3.9"
- },
- "engines": {
- "node": ">=6.0.0"
- }
- },
- "node_modules/@babel/code-frame": {
- "version": "7.18.6",
- "resolved": "https://registry.npmmirror.com/@babel/code-frame/-/code-frame-7.18.6.tgz",
- "integrity": "sha512-TDCmlK5eOvH+eH7cdAFlNXeVJqWIQ7gW9tY1GJIpUtFb6CmjVyq2VM3u71bOyR8CRihcCgMUYoDNyLXao3+70Q==",
- "dev": true,
- "dependencies": {
- "@babel/highlight": "^7.18.6"
- },
- "engines": {
- "node": ">=6.9.0"
- }
- },
- "node_modules/@babel/compat-data": {
- "version": "7.18.8",
- "resolved": "https://registry.npmmirror.com/@babel/compat-data/-/compat-data-7.18.8.tgz",
- "integrity": "sha512-HSmX4WZPPK3FUxYp7g2T6EyO8j96HlZJlxmKPSh6KAcqwyDrfx7hKjXpAW/0FhFfTJsR0Yt4lAjLI2coMptIHQ==",
- "dev": true,
- "engines": {
- "node": ">=6.9.0"
- }
- },
- "node_modules/@babel/core": {
- "version": "7.18.9",
- "resolved": "https://registry.npmmirror.com/@babel/core/-/core-7.18.9.tgz",
- "integrity": "sha512-1LIb1eL8APMy91/IMW+31ckrfBM4yCoLaVzoDhZUKSM4cu1L1nIidyxkCgzPAgrC5WEz36IPEr/eSeSF9pIn+g==",
- "dev": true,
- "dependencies": {
- "@ampproject/remapping": "^2.1.0",
- "@babel/code-frame": "^7.18.6",
- "@babel/generator": "^7.18.9",
- "@babel/helper-compilation-targets": "^7.18.9",
- "@babel/helper-module-transforms": "^7.18.9",
- "@babel/helpers": "^7.18.9",
- "@babel/parser": "^7.18.9",
- "@babel/template": "^7.18.6",
- "@babel/traverse": "^7.18.9",
- "@babel/types": "^7.18.9",
- "convert-source-map": "^1.7.0",
- "debug": "^4.1.0",
- "gensync": "^1.0.0-beta.2",
- "json5": "^2.2.1",
- "semver": "^6.3.0"
- },
- "engines": {
- "node": ">=6.9.0"
- }
- },
- "node_modules/@babel/generator": {
- "version": "7.18.9",
- "resolved": "https://registry.npmmirror.com/@babel/generator/-/generator-7.18.9.tgz",
- "integrity": "sha512-wt5Naw6lJrL1/SGkipMiFxJjtyczUWTP38deiP1PO60HsBjDeKk08CGC3S8iVuvf0FmTdgKwU1KIXzSKL1G0Ug==",
- "dev": true,
- "dependencies": {
- "@babel/types": "^7.18.9",
- "@jridgewell/gen-mapping": "^0.3.2",
- "jsesc": "^2.5.1"
- },
- "engines": {
- "node": ">=6.9.0"
- }
- },
- "node_modules/@babel/generator/node_modules/@jridgewell/gen-mapping": {
- "version": "0.3.2",
- "resolved": "https://registry.npmmirror.com/@jridgewell/gen-mapping/-/gen-mapping-0.3.2.tgz",
- "integrity": "sha512-mh65xKQAzI6iBcFzwv28KVWSmCkdRBWoOh+bYQGW3+6OZvbbN3TqMGo5hqYxQniRcH9F2VZIoJCm4pa3BPDK/A==",
- "dev": true,
- "dependencies": {
- "@jridgewell/set-array": "^1.0.1",
- "@jridgewell/sourcemap-codec": "^1.4.10",
- "@jridgewell/trace-mapping": "^0.3.9"
- },
- "engines": {
- "node": ">=6.0.0"
- }
- },
- "node_modules/@babel/helper-annotate-as-pure": {
- "version": "7.18.6",
- "resolved": "https://registry.npmmirror.com/@babel/helper-annotate-as-pure/-/helper-annotate-as-pure-7.18.6.tgz",
- "integrity": "sha512-duORpUiYrEpzKIop6iNbjnwKLAKnJ47csTyRACyEmWj0QdUrm5aqNJGHSSEQSUAvNW0ojX0dOmK9dZduvkfeXA==",
- "dev": true,
- "dependencies": {
- "@babel/types": "^7.18.6"
- },
- "engines": {
- "node": ">=6.9.0"
- }
- },
- "node_modules/@babel/helper-compilation-targets": {
- "version": "7.18.9",
- "resolved": "https://registry.npmmirror.com/@babel/helper-compilation-targets/-/helper-compilation-targets-7.18.9.tgz",
- "integrity": "sha512-tzLCyVmqUiFlcFoAPLA/gL9TeYrF61VLNtb+hvkuVaB5SUjW7jcfrglBIX1vUIoT7CLP3bBlIMeyEsIl2eFQNg==",
- "dev": true,
- "dependencies": {
- "@babel/compat-data": "^7.18.8",
- "@babel/helper-validator-option": "^7.18.6",
- "browserslist": "^4.20.2",
- "semver": "^6.3.0"
- },
- "engines": {
- "node": ">=6.9.0"
- },
- "peerDependencies": {
- "@babel/core": "^7.0.0"
- }
- },
- "node_modules/@babel/helper-create-class-features-plugin": {
- "version": "7.18.9",
- "resolved": "https://registry.npmmirror.com/@babel/helper-create-class-features-plugin/-/helper-create-class-features-plugin-7.18.9.tgz",
- "integrity": "sha512-WvypNAYaVh23QcjpMR24CwZY2Nz6hqdOcFdPbNpV56hL5H6KiFheO7Xm1aPdlLQ7d5emYZX7VZwPp9x3z+2opw==",
- "dev": true,
- "dependencies": {
- "@babel/helper-annotate-as-pure": "^7.18.6",
- "@babel/helper-environment-visitor": "^7.18.9",
- "@babel/helper-function-name": "^7.18.9",
- "@babel/helper-member-expression-to-functions": "^7.18.9",
- "@babel/helper-optimise-call-expression": "^7.18.6",
- "@babel/helper-replace-supers": "^7.18.9",
- "@babel/helper-split-export-declaration": "^7.18.6"
- },
- "engines": {
- "node": ">=6.9.0"
- },
- "peerDependencies": {
- "@babel/core": "^7.0.0"
- }
- },
- "node_modules/@babel/helper-environment-visitor": {
- "version": "7.18.9",
- "resolved": "https://registry.npmmirror.com/@babel/helper-environment-visitor/-/helper-environment-visitor-7.18.9.tgz",
- "integrity": "sha512-3r/aACDJ3fhQ/EVgFy0hpj8oHyHpQc+LPtJoY9SzTThAsStm4Ptegq92vqKoE3vD706ZVFWITnMnxucw+S9Ipg==",
- "dev": true,
- "engines": {
- "node": ">=6.9.0"
- }
- },
- "node_modules/@babel/helper-function-name": {
- "version": "7.18.9",
- "resolved": "https://registry.npmmirror.com/@babel/helper-function-name/-/helper-function-name-7.18.9.tgz",
- "integrity": "sha512-fJgWlZt7nxGksJS9a0XdSaI4XvpExnNIgRP+rVefWh5U7BL8pPuir6SJUmFKRfjWQ51OtWSzwOxhaH/EBWWc0A==",
- "dev": true,
- "dependencies": {
- "@babel/template": "^7.18.6",
- "@babel/types": "^7.18.9"
- },
- "engines": {
- "node": ">=6.9.0"
- }
- },
- "node_modules/@babel/helper-hoist-variables": {
- "version": "7.18.6",
- "resolved": "https://registry.npmmirror.com/@babel/helper-hoist-variables/-/helper-hoist-variables-7.18.6.tgz",
- "integrity": "sha512-UlJQPkFqFULIcyW5sbzgbkxn2FKRgwWiRexcuaR8RNJRy8+LLveqPjwZV/bwrLZCN0eUHD/x8D0heK1ozuoo6Q==",
- "dev": true,
- "dependencies": {
- "@babel/types": "^7.18.6"
- },
- "engines": {
- "node": ">=6.9.0"
- }
- },
- "node_modules/@babel/helper-member-expression-to-functions": {
- "version": "7.18.9",
- "resolved": "https://registry.npmmirror.com/@babel/helper-member-expression-to-functions/-/helper-member-expression-to-functions-7.18.9.tgz",
- "integrity": "sha512-RxifAh2ZoVU67PyKIO4AMi1wTenGfMR/O/ae0CCRqwgBAt5v7xjdtRw7UoSbsreKrQn5t7r89eruK/9JjYHuDg==",
- "dev": true,
- "dependencies": {
- "@babel/types": "^7.18.9"
- },
- "engines": {
- "node": ">=6.9.0"
- }
- },
- "node_modules/@babel/helper-module-imports": {
- "version": "7.18.6",
- "resolved": "https://registry.npmmirror.com/@babel/helper-module-imports/-/helper-module-imports-7.18.6.tgz",
- "integrity": "sha512-0NFvs3VkuSYbFi1x2Vd6tKrywq+z/cLeYC/RJNFrIX/30Bf5aiGYbtvGXolEktzJH8o5E5KJ3tT+nkxuuZFVlA==",
- "dev": true,
- "dependencies": {
- "@babel/types": "^7.18.6"
- },
- "engines": {
- "node": ">=6.9.0"
- }
- },
- "node_modules/@babel/helper-module-transforms": {
- "version": "7.18.9",
- "resolved": "https://registry.npmmirror.com/@babel/helper-module-transforms/-/helper-module-transforms-7.18.9.tgz",
- "integrity": "sha512-KYNqY0ICwfv19b31XzvmI/mfcylOzbLtowkw+mfvGPAQ3kfCnMLYbED3YecL5tPd8nAYFQFAd6JHp2LxZk/J1g==",
- "dev": true,
- "dependencies": {
- "@babel/helper-environment-visitor": "^7.18.9",
- "@babel/helper-module-imports": "^7.18.6",
- "@babel/helper-simple-access": "^7.18.6",
- "@babel/helper-split-export-declaration": "^7.18.6",
- "@babel/helper-validator-identifier": "^7.18.6",
- "@babel/template": "^7.18.6",
- "@babel/traverse": "^7.18.9",
- "@babel/types": "^7.18.9"
- },
- "engines": {
- "node": ">=6.9.0"
- }
- },
- "node_modules/@babel/helper-optimise-call-expression": {
- "version": "7.18.6",
- "resolved": "https://registry.npmmirror.com/@babel/helper-optimise-call-expression/-/helper-optimise-call-expression-7.18.6.tgz",
- "integrity": "sha512-HP59oD9/fEHQkdcbgFCnbmgH5vIQTJbxh2yf+CdM89/glUNnuzr87Q8GIjGEnOktTROemO0Pe0iPAYbqZuOUiA==",
- "dev": true,
- "dependencies": {
- "@babel/types": "^7.18.6"
- },
- "engines": {
- "node": ">=6.9.0"
- }
- },
- "node_modules/@babel/helper-plugin-utils": {
- "version": "7.18.9",
- "resolved": "https://registry.npmmirror.com/@babel/helper-plugin-utils/-/helper-plugin-utils-7.18.9.tgz",
- "integrity": "sha512-aBXPT3bmtLryXaoJLyYPXPlSD4p1ld9aYeR+sJNOZjJJGiOpb+fKfh3NkcCu7J54nUJwCERPBExCCpyCOHnu/w==",
- "dev": true,
- "engines": {
- "node": ">=6.9.0"
- }
- },
- "node_modules/@babel/helper-replace-supers": {
- "version": "7.18.9",
- "resolved": "https://registry.npmmirror.com/@babel/helper-replace-supers/-/helper-replace-supers-7.18.9.tgz",
- "integrity": "sha512-dNsWibVI4lNT6HiuOIBr1oyxo40HvIVmbwPUm3XZ7wMh4k2WxrxTqZwSqw/eEmXDS9np0ey5M2bz9tBmO9c+YQ==",
- "dev": true,
- "dependencies": {
- "@babel/helper-environment-visitor": "^7.18.9",
- "@babel/helper-member-expression-to-functions": "^7.18.9",
- "@babel/helper-optimise-call-expression": "^7.18.6",
- "@babel/traverse": "^7.18.9",
- "@babel/types": "^7.18.9"
- },
- "engines": {
- "node": ">=6.9.0"
- }
- },
- "node_modules/@babel/helper-simple-access": {
- "version": "7.18.6",
- "resolved": "https://registry.npmmirror.com/@babel/helper-simple-access/-/helper-simple-access-7.18.6.tgz",
- "integrity": "sha512-iNpIgTgyAvDQpDj76POqg+YEt8fPxx3yaNBg3S30dxNKm2SWfYhD0TGrK/Eu9wHpUW63VQU894TsTg+GLbUa1g==",
- "dev": true,
- "dependencies": {
- "@babel/types": "^7.18.6"
- },
- "engines": {
- "node": ">=6.9.0"
- }
- },
- "node_modules/@babel/helper-split-export-declaration": {
- "version": "7.18.6",
- "resolved": "https://registry.npmmirror.com/@babel/helper-split-export-declaration/-/helper-split-export-declaration-7.18.6.tgz",
- "integrity": "sha512-bde1etTx6ZyTmobl9LLMMQsaizFVZrquTEHOqKeQESMKo4PlObf+8+JA25ZsIpZhT/WEd39+vOdLXAFG/nELpA==",
- "dev": true,
- "dependencies": {
- "@babel/types": "^7.18.6"
- },
- "engines": {
- "node": ">=6.9.0"
- }
- },
- "node_modules/@babel/helper-validator-identifier": {
- "version": "7.18.6",
- "resolved": "https://registry.npmmirror.com/@babel/helper-validator-identifier/-/helper-validator-identifier-7.18.6.tgz",
- "integrity": "sha512-MmetCkz9ej86nJQV+sFCxoGGrUbU3q02kgLciwkrt9QqEB7cP39oKEY0PakknEO0Gu20SskMRi+AYZ3b1TpN9g==",
- "dev": true,
- "engines": {
- "node": ">=6.9.0"
- }
- },
- "node_modules/@babel/helper-validator-option": {
- "version": "7.18.6",
- "resolved": "https://registry.npmmirror.com/@babel/helper-validator-option/-/helper-validator-option-7.18.6.tgz",
- "integrity": "sha512-XO7gESt5ouv/LRJdrVjkShckw6STTaB7l9BrpBaAHDeF5YZT+01PCwmR0SJHnkW6i8OwW/EVWRShfi4j2x+KQw==",
- "dev": true,
- "engines": {
- "node": ">=6.9.0"
- }
- },
- "node_modules/@babel/helpers": {
- "version": "7.18.9",
- "resolved": "https://registry.npmmirror.com/@babel/helpers/-/helpers-7.18.9.tgz",
- "integrity": "sha512-Jf5a+rbrLoR4eNdUmnFu8cN5eNJT6qdTdOg5IHIzq87WwyRw9PwguLFOWYgktN/60IP4fgDUawJvs7PjQIzELQ==",
- "dev": true,
- "dependencies": {
- "@babel/template": "^7.18.6",
- "@babel/traverse": "^7.18.9",
- "@babel/types": "^7.18.9"
- },
- "engines": {
- "node": ">=6.9.0"
- }
- },
- "node_modules/@babel/highlight": {
- "version": "7.18.6",
- "resolved": "https://registry.npmmirror.com/@babel/highlight/-/highlight-7.18.6.tgz",
- "integrity": "sha512-u7stbOuYjaPezCuLj29hNW1v64M2Md2qupEKP1fHc7WdOA3DgLh37suiSrZYY7haUB7iBeQZ9P1uiRF359do3g==",
- "dev": true,
- "dependencies": {
- "@babel/helper-validator-identifier": "^7.18.6",
- "chalk": "^2.0.0",
- "js-tokens": "^4.0.0"
- },
- "engines": {
- "node": ">=6.9.0"
- }
- },
- "node_modules/@babel/parser": {
- "version": "7.18.9",
- "resolved": "https://registry.npmmirror.com/@babel/parser/-/parser-7.18.9.tgz",
- "integrity": "sha512-9uJveS9eY9DJ0t64YbIBZICtJy8a5QrDEVdiLCG97fVLpDTpGX7t8mMSb6OWw6Lrnjqj4O8zwjELX3dhoMgiBg==",
- "bin": {
- "parser": "bin/babel-parser.js"
- },
- "engines": {
- "node": ">=6.0.0"
- }
- },
- "node_modules/@babel/plugin-syntax-import-meta": {
- "version": "7.10.4",
- "resolved": "https://registry.npmmirror.com/@babel/plugin-syntax-import-meta/-/plugin-syntax-import-meta-7.10.4.tgz",
- "integrity": "sha512-Yqfm+XDx0+Prh3VSeEQCPU81yC+JWZ2pDPFSS4ZdpfZhp4MkFMaDC1UqseovEKwSUpnIL7+vK+Clp7bfh0iD7g==",
- "dev": true,
- "dependencies": {
- "@babel/helper-plugin-utils": "^7.10.4"
- },
- "peerDependencies": {
- "@babel/core": "^7.0.0-0"
- }
- },
- "node_modules/@babel/plugin-syntax-jsx": {
- "version": "7.18.6",
- "resolved": "https://registry.npmmirror.com/@babel/plugin-syntax-jsx/-/plugin-syntax-jsx-7.18.6.tgz",
- "integrity": "sha512-6mmljtAedFGTWu2p/8WIORGwy+61PLgOMPOdazc7YoJ9ZCWUyFy3A6CpPkRKLKD1ToAesxX8KGEViAiLo9N+7Q==",
- "dev": true,
- "dependencies": {
- "@babel/helper-plugin-utils": "^7.18.6"
- },
- "engines": {
- "node": ">=6.9.0"
- },
- "peerDependencies": {
- "@babel/core": "^7.0.0-0"
- }
- },
- "node_modules/@babel/plugin-syntax-typescript": {
- "version": "7.18.6",
- "resolved": "https://registry.npmmirror.com/@babel/plugin-syntax-typescript/-/plugin-syntax-typescript-7.18.6.tgz",
- "integrity": "sha512-mAWAuq4rvOepWCBid55JuRNvpTNf2UGVgoz4JV0fXEKolsVZDzsa4NqCef758WZJj/GDu0gVGItjKFiClTAmZA==",
- "dev": true,
- "dependencies": {
- "@babel/helper-plugin-utils": "^7.18.6"
- },
- "engines": {
- "node": ">=6.9.0"
- },
- "peerDependencies": {
- "@babel/core": "^7.0.0-0"
- }
- },
- "node_modules/@babel/plugin-transform-typescript": {
- "version": "7.18.8",
- "resolved": "https://registry.npmmirror.com/@babel/plugin-transform-typescript/-/plugin-transform-typescript-7.18.8.tgz",
- "integrity": "sha512-p2xM8HI83UObjsZGofMV/EdYjamsDm6MoN3hXPYIT0+gxIoopE+B7rPYKAxfrz9K9PK7JafTTjqYC6qipLExYA==",
- "dev": true,
- "dependencies": {
- "@babel/helper-create-class-features-plugin": "^7.18.6",
- "@babel/helper-plugin-utils": "^7.18.6",
- "@babel/plugin-syntax-typescript": "^7.18.6"
- },
- "engines": {
- "node": ">=6.9.0"
- },
- "peerDependencies": {
- "@babel/core": "^7.0.0-0"
- }
- },
- "node_modules/@babel/template": {
- "version": "7.18.6",
- "resolved": "https://registry.npmmirror.com/@babel/template/-/template-7.18.6.tgz",
- "integrity": "sha512-JoDWzPe+wgBsTTgdnIma3iHNFC7YVJoPssVBDjiHfNlyt4YcunDtcDOUmfVDfCK5MfdsaIoX9PkijPhjH3nYUw==",
- "dev": true,
- "dependencies": {
- "@babel/code-frame": "^7.18.6",
- "@babel/parser": "^7.18.6",
- "@babel/types": "^7.18.6"
- },
- "engines": {
- "node": ">=6.9.0"
- }
- },
- "node_modules/@babel/traverse": {
- "version": "7.18.9",
- "resolved": "https://registry.npmmirror.com/@babel/traverse/-/traverse-7.18.9.tgz",
- "integrity": "sha512-LcPAnujXGwBgv3/WHv01pHtb2tihcyW1XuL9wd7jqh1Z8AQkTd+QVjMrMijrln0T7ED3UXLIy36P9Ao7W75rYg==",
- "dev": true,
- "dependencies": {
- "@babel/code-frame": "^7.18.6",
- "@babel/generator": "^7.18.9",
- "@babel/helper-environment-visitor": "^7.18.9",
- "@babel/helper-function-name": "^7.18.9",
- "@babel/helper-hoist-variables": "^7.18.6",
- "@babel/helper-split-export-declaration": "^7.18.6",
- "@babel/parser": "^7.18.9",
- "@babel/types": "^7.18.9",
- "debug": "^4.1.0",
- "globals": "^11.1.0"
- },
- "engines": {
- "node": ">=6.9.0"
- }
- },
- "node_modules/@babel/types": {
- "version": "7.18.9",
- "resolved": "https://registry.npmmirror.com/@babel/types/-/types-7.18.9.tgz",
- "integrity": "sha512-WwMLAg2MvJmt/rKEVQBBhIVffMmnilX4oe0sRe7iPOHIGsqpruFHHdrfj4O1CMMtgMtCU4oPafZjDPCRgO57Wg==",
- "dev": true,
- "dependencies": {
- "@babel/helper-validator-identifier": "^7.18.6",
- "to-fast-properties": "^2.0.0"
- },
- "engines": {
- "node": ">=6.9.0"
- }
- },
- "node_modules/@commitlint/cli": {
- "version": "17.0.3",
- "resolved": "https://registry.npmmirror.com/@commitlint/cli/-/cli-17.0.3.tgz",
- "integrity": "sha512-oAo2vi5d8QZnAbtU5+0cR2j+A7PO8zuccux65R/EycwvsZrDVyW518FFrnJK2UQxbRtHFFIG+NjQ6vOiJV0Q8A==",
- "dev": true,
- "dependencies": {
- "@commitlint/format": "^17.0.0",
- "@commitlint/lint": "^17.0.3",
- "@commitlint/load": "^17.0.3",
- "@commitlint/read": "^17.0.0",
- "@commitlint/types": "^17.0.0",
- "execa": "^5.0.0",
- "lodash": "^4.17.19",
- "resolve-from": "5.0.0",
- "resolve-global": "1.0.0",
- "yargs": "^17.0.0"
- },
- "bin": {
- "commitlint": "cli.js"
- },
- "engines": {
- "node": ">=v14"
- }
- },
- "node_modules/@commitlint/cli/node_modules/resolve-from": {
- "version": "5.0.0",
- "resolved": "https://registry.npmmirror.com/resolve-from/-/resolve-from-5.0.0.tgz",
- "integrity": "sha512-qYg9KP24dD5qka9J47d0aVky0N+b4fTU89LN9iDnjB5waksiC49rvMB0PrUJQGoTmH50XPiqOvAjDfaijGxYZw==",
- "dev": true,
- "engines": {
- "node": ">=8"
- }
- },
- "node_modules/@commitlint/config-conventional": {
- "version": "17.0.3",
- "resolved": "https://registry.npmmirror.com/@commitlint/config-conventional/-/config-conventional-17.0.3.tgz",
- "integrity": "sha512-HCnzTm5ATwwwzNVq5Y57poS0a1oOOcd5pc1MmBpLbGmSysc4i7F/++JuwtdFPu16sgM3H9J/j2zznRLOSGVO2A==",
- "dev": true,
- "dependencies": {
- "conventional-changelog-conventionalcommits": "^5.0.0"
- },
- "engines": {
- "node": ">=v14"
- }
- },
- "node_modules/@commitlint/config-validator": {
- "version": "17.0.3",
- "resolved": "https://registry.npmmirror.com/@commitlint/config-validator/-/config-validator-17.0.3.tgz",
- "integrity": "sha512-3tLRPQJKapksGE7Kee9axv+9z5I2GDHitDH4q63q7NmNA0wkB+DAorJ0RHz2/K00Zb1/MVdHzhCga34FJvDihQ==",
- "dev": true,
- "dependencies": {
- "@commitlint/types": "^17.0.0",
- "ajv": "^8.11.0"
- },
- "engines": {
- "node": ">=v14"
- }
- },
- "node_modules/@commitlint/config-validator/node_modules/ajv": {
- "version": "8.11.0",
- "resolved": "https://registry.npmmirror.com/ajv/-/ajv-8.11.0.tgz",
- "integrity": "sha512-wGgprdCvMalC0BztXvitD2hC04YffAvtsUn93JbGXYLAtCUO4xd17mCCZQxUOItiBwZvJScWo8NIvQMQ71rdpg==",
- "dev": true,
- "dependencies": {
- "fast-deep-equal": "^3.1.1",
- "json-schema-traverse": "^1.0.0",
- "require-from-string": "^2.0.2",
- "uri-js": "^4.2.2"
- }
- },
- "node_modules/@commitlint/config-validator/node_modules/json-schema-traverse": {
- "version": "1.0.0",
- "resolved": "https://registry.npmmirror.com/json-schema-traverse/-/json-schema-traverse-1.0.0.tgz",
- "integrity": "sha512-NM8/P9n3XjXhIZn1lLhkFaACTOURQXjWhV4BA/RnOv8xvgqtqpAX9IO4mRQxSx1Rlo4tqzeqb0sOlruaOy3dug==",
- "dev": true
- },
- "node_modules/@commitlint/ensure": {
- "version": "17.0.0",
- "resolved": "https://registry.npmmirror.com/@commitlint/ensure/-/ensure-17.0.0.tgz",
- "integrity": "sha512-M2hkJnNXvEni59S0QPOnqCKIK52G1XyXBGw51mvh7OXDudCmZ9tZiIPpU882p475Mhx48Ien1MbWjCP1zlyC0A==",
- "dev": true,
- "dependencies": {
- "@commitlint/types": "^17.0.0",
- "lodash": "^4.17.19"
- },
- "engines": {
- "node": ">=v14"
- }
- },
- "node_modules/@commitlint/execute-rule": {
- "version": "17.0.0",
- "resolved": "https://registry.npmmirror.com/@commitlint/execute-rule/-/execute-rule-17.0.0.tgz",
- "integrity": "sha512-nVjL/w/zuqjCqSJm8UfpNaw66V9WzuJtQvEnCrK4jDw6qKTmZB+1JQ8m6BQVZbNBcwfYdDNKnhIhqI0Rk7lgpQ==",
- "dev": true,
- "engines": {
- "node": ">=v14"
- }
- },
- "node_modules/@commitlint/format": {
- "version": "17.0.0",
- "resolved": "https://registry.npmmirror.com/@commitlint/format/-/format-17.0.0.tgz",
- "integrity": "sha512-MZzJv7rBp/r6ZQJDEodoZvdRM0vXu1PfQvMTNWFb8jFraxnISMTnPBWMMjr2G/puoMashwaNM//fl7j8gGV5lA==",
- "dev": true,
- "dependencies": {
- "@commitlint/types": "^17.0.0",
- "chalk": "^4.1.0"
- },
- "engines": {
- "node": ">=v14"
- }
- },
- "node_modules/@commitlint/format/node_modules/ansi-styles": {
- "version": "4.3.0",
- "resolved": "https://registry.npmmirror.com/ansi-styles/-/ansi-styles-4.3.0.tgz",
- "integrity": "sha512-zbB9rCJAT1rbjiVDb2hqKFHNYLxgtk8NURxZ3IZwD3F6NtxbXZQCnnSi1Lkx+IDohdPlFp222wVALIheZJQSEg==",
- "dev": true,
- "dependencies": {
- "color-convert": "^2.0.1"
- },
- "engines": {
- "node": ">=8"
- }
- },
- "node_modules/@commitlint/format/node_modules/chalk": {
- "version": "4.1.2",
- "resolved": "https://registry.npmmirror.com/chalk/-/chalk-4.1.2.tgz",
- "integrity": "sha512-oKnbhFyRIXpUuez8iBMmyEa4nbj4IOQyuhc/wy9kY7/WVPcwIO9VA668Pu8RkO7+0G76SLROeyw9CpQ061i4mA==",
- "dev": true,
- "dependencies": {
- "ansi-styles": "^4.1.0",
- "supports-color": "^7.1.0"
- },
- "engines": {
- "node": ">=10"
- }
- },
- "node_modules/@commitlint/format/node_modules/color-convert": {
- "version": "2.0.1",
- "resolved": "https://registry.npmmirror.com/color-convert/-/color-convert-2.0.1.tgz",
- "integrity": "sha512-RRECPsj7iu/xb5oKYcsFHSppFNnsj/52OVTRKb4zP5onXwVF3zVmmToNcOfGC+CRDpfK/U584fMg38ZHCaElKQ==",
- "dev": true,
- "dependencies": {
- "color-name": "~1.1.4"
- },
- "engines": {
- "node": ">=7.0.0"
- }
- },
- "node_modules/@commitlint/format/node_modules/color-name": {
- "version": "1.1.4",
- "resolved": "https://registry.npmmirror.com/color-name/-/color-name-1.1.4.tgz",
- "integrity": "sha512-dOy+3AuW3a2wNbZHIuMZpTcgjGuLU/uBL/ubcZF9OXbDo8ff4O8yVp5Bf0efS8uEoYo5q4Fx7dY9OgQGXgAsQA==",
- "dev": true
- },
- "node_modules/@commitlint/format/node_modules/has-flag": {
- "version": "4.0.0",
- "resolved": "https://registry.npmmirror.com/has-flag/-/has-flag-4.0.0.tgz",
- "integrity": "sha512-EykJT/Q1KjTWctppgIAgfSO0tKVuZUjhgMr17kqTumMl6Afv3EISleU7qZUzoXDFTAHTDC4NOoG/ZxU3EvlMPQ==",
- "dev": true,
- "engines": {
- "node": ">=8"
- }
- },
- "node_modules/@commitlint/format/node_modules/supports-color": {
- "version": "7.2.0",
- "resolved": "https://registry.npmmirror.com/supports-color/-/supports-color-7.2.0.tgz",
- "integrity": "sha512-qpCAvRl9stuOHveKsn7HncJRvv501qIacKzQlO/+Lwxc9+0q2wLyv4Dfvt80/DPn2pqOBsJdDiogXGR9+OvwRw==",
- "dev": true,
- "dependencies": {
- "has-flag": "^4.0.0"
- },
- "engines": {
- "node": ">=8"
- }
- },
- "node_modules/@commitlint/is-ignored": {
- "version": "17.0.3",
- "resolved": "https://registry.npmmirror.com/@commitlint/is-ignored/-/is-ignored-17.0.3.tgz",
- "integrity": "sha512-/wgCXAvPtFTQZxsVxj7owLeRf5wwzcXLaYmrZPR4a87iD4sCvUIRl1/ogYrtOyUmHwWfQsvjqIB4mWE/SqWSnA==",
- "dev": true,
- "dependencies": {
- "@commitlint/types": "^17.0.0",
- "semver": "7.3.7"
- },
- "engines": {
- "node": ">=v14"
- }
- },
- "node_modules/@commitlint/is-ignored/node_modules/semver": {
- "version": "7.3.7",
- "resolved": "https://registry.npmmirror.com/semver/-/semver-7.3.7.tgz",
- "integrity": "sha512-QlYTucUYOews+WeEujDoEGziz4K6c47V/Bd+LjSSYcA94p+DmINdf7ncaUinThfvZyu13lN9OY1XDxt8C0Tw0g==",
- "dev": true,
- "dependencies": {
- "lru-cache": "^6.0.0"
- },
- "bin": {
- "semver": "bin/semver.js"
- },
- "engines": {
- "node": ">=10"
- }
- },
- "node_modules/@commitlint/lint": {
- "version": "17.0.3",
- "resolved": "https://registry.npmmirror.com/@commitlint/lint/-/lint-17.0.3.tgz",
- "integrity": "sha512-2o1fk7JUdxBUgszyt41sHC/8Nd5PXNpkmuOo9jvGIjDHzOwXyV0PSdbEVTH3xGz9NEmjohFHr5l+N+T9fcxong==",
- "dev": true,
- "dependencies": {
- "@commitlint/is-ignored": "^17.0.3",
- "@commitlint/parse": "^17.0.0",
- "@commitlint/rules": "^17.0.0",
- "@commitlint/types": "^17.0.0"
- },
- "engines": {
- "node": ">=v14"
- }
- },
- "node_modules/@commitlint/load": {
- "version": "17.0.3",
- "resolved": "https://registry.npmmirror.com/@commitlint/load/-/load-17.0.3.tgz",
- "integrity": "sha512-3Dhvr7GcKbKa/ey4QJ5MZH3+J7QFlARohUow6hftQyNjzoXXROm+RwpBes4dDFrXG1xDw9QPXA7uzrOShCd4bw==",
- "dev": true,
- "dependencies": {
- "@commitlint/config-validator": "^17.0.3",
- "@commitlint/execute-rule": "^17.0.0",
- "@commitlint/resolve-extends": "^17.0.3",
- "@commitlint/types": "^17.0.0",
- "@types/node": ">=12",
- "chalk": "^4.1.0",
- "cosmiconfig": "^7.0.0",
- "cosmiconfig-typescript-loader": "^2.0.0",
- "lodash": "^4.17.19",
- "resolve-from": "^5.0.0",
- "typescript": "^4.6.4"
- },
- "engines": {
- "node": ">=v14"
- }
- },
- "node_modules/@commitlint/load/node_modules/ansi-styles": {
- "version": "4.3.0",
- "resolved": "https://registry.npmmirror.com/ansi-styles/-/ansi-styles-4.3.0.tgz",
- "integrity": "sha512-zbB9rCJAT1rbjiVDb2hqKFHNYLxgtk8NURxZ3IZwD3F6NtxbXZQCnnSi1Lkx+IDohdPlFp222wVALIheZJQSEg==",
- "dev": true,
- "dependencies": {
- "color-convert": "^2.0.1"
- },
- "engines": {
- "node": ">=8"
- }
- },
- "node_modules/@commitlint/load/node_modules/chalk": {
- "version": "4.1.2",
- "resolved": "https://registry.npmmirror.com/chalk/-/chalk-4.1.2.tgz",
- "integrity": "sha512-oKnbhFyRIXpUuez8iBMmyEa4nbj4IOQyuhc/wy9kY7/WVPcwIO9VA668Pu8RkO7+0G76SLROeyw9CpQ061i4mA==",
- "dev": true,
- "dependencies": {
- "ansi-styles": "^4.1.0",
- "supports-color": "^7.1.0"
- },
- "engines": {
- "node": ">=10"
- }
- },
- "node_modules/@commitlint/load/node_modules/color-convert": {
- "version": "2.0.1",
- "resolved": "https://registry.npmmirror.com/color-convert/-/color-convert-2.0.1.tgz",
- "integrity": "sha512-RRECPsj7iu/xb5oKYcsFHSppFNnsj/52OVTRKb4zP5onXwVF3zVmmToNcOfGC+CRDpfK/U584fMg38ZHCaElKQ==",
- "dev": true,
- "dependencies": {
- "color-name": "~1.1.4"
- },
- "engines": {
- "node": ">=7.0.0"
- }
- },
- "node_modules/@commitlint/load/node_modules/color-name": {
- "version": "1.1.4",
- "resolved": "https://registry.npmmirror.com/color-name/-/color-name-1.1.4.tgz",
- "integrity": "sha512-dOy+3AuW3a2wNbZHIuMZpTcgjGuLU/uBL/ubcZF9OXbDo8ff4O8yVp5Bf0efS8uEoYo5q4Fx7dY9OgQGXgAsQA==",
- "dev": true
- },
- "node_modules/@commitlint/load/node_modules/has-flag": {
- "version": "4.0.0",
- "resolved": "https://registry.npmmirror.com/has-flag/-/has-flag-4.0.0.tgz",
- "integrity": "sha512-EykJT/Q1KjTWctppgIAgfSO0tKVuZUjhgMr17kqTumMl6Afv3EISleU7qZUzoXDFTAHTDC4NOoG/ZxU3EvlMPQ==",
- "dev": true,
- "engines": {
- "node": ">=8"
- }
- },
- "node_modules/@commitlint/load/node_modules/resolve-from": {
- "version": "5.0.0",
- "resolved": "https://registry.npmmirror.com/resolve-from/-/resolve-from-5.0.0.tgz",
- "integrity": "sha512-qYg9KP24dD5qka9J47d0aVky0N+b4fTU89LN9iDnjB5waksiC49rvMB0PrUJQGoTmH50XPiqOvAjDfaijGxYZw==",
- "dev": true,
- "engines": {
- "node": ">=8"
- }
- },
- "node_modules/@commitlint/load/node_modules/supports-color": {
- "version": "7.2.0",
- "resolved": "https://registry.npmmirror.com/supports-color/-/supports-color-7.2.0.tgz",
- "integrity": "sha512-qpCAvRl9stuOHveKsn7HncJRvv501qIacKzQlO/+Lwxc9+0q2wLyv4Dfvt80/DPn2pqOBsJdDiogXGR9+OvwRw==",
- "dev": true,
- "dependencies": {
- "has-flag": "^4.0.0"
- },
- "engines": {
- "node": ">=8"
- }
- },
- "node_modules/@commitlint/message": {
- "version": "17.0.0",
- "resolved": "https://registry.npmmirror.com/@commitlint/message/-/message-17.0.0.tgz",
- "integrity": "sha512-LpcwYtN+lBlfZijHUdVr8aNFTVpHjuHI52BnfoV01TF7iSLnia0jttzpLkrLmI8HNQz6Vhr9UrxDWtKZiMGsBw==",
- "dev": true,
- "engines": {
- "node": ">=v14"
- }
- },
- "node_modules/@commitlint/parse": {
- "version": "17.0.0",
- "resolved": "https://registry.npmmirror.com/@commitlint/parse/-/parse-17.0.0.tgz",
- "integrity": "sha512-cKcpfTIQYDG1ywTIr5AG0RAiLBr1gudqEsmAGCTtj8ffDChbBRxm6xXs2nv7GvmJN7msOt7vOKleLvcMmRa1+A==",
- "dev": true,
- "dependencies": {
- "@commitlint/types": "^17.0.0",
- "conventional-changelog-angular": "^5.0.11",
- "conventional-commits-parser": "^3.2.2"
- },
- "engines": {
- "node": ">=v14"
- }
- },
- "node_modules/@commitlint/read": {
- "version": "17.0.0",
- "resolved": "https://registry.npmmirror.com/@commitlint/read/-/read-17.0.0.tgz",
- "integrity": "sha512-zkuOdZayKX3J6F6mPnVMzohK3OBrsEdOByIqp4zQjA9VLw1hMsDEFQ18rKgUc2adkZar+4S01QrFreDCfZgbxA==",
- "dev": true,
- "dependencies": {
- "@commitlint/top-level": "^17.0.0",
- "@commitlint/types": "^17.0.0",
- "fs-extra": "^10.0.0",
- "git-raw-commits": "^2.0.0"
- },
- "engines": {
- "node": ">=v14"
- }
- },
- "node_modules/@commitlint/resolve-extends": {
- "version": "17.0.3",
- "resolved": "https://registry.npmmirror.com/@commitlint/resolve-extends/-/resolve-extends-17.0.3.tgz",
- "integrity": "sha512-H/RFMvrcBeJCMdnVC4i8I94108UDccIHrTke2tyQEg9nXQnR5/Hd6MhyNWkREvcrxh9Y+33JLb+PiPiaBxCtBA==",
- "dev": true,
- "dependencies": {
- "@commitlint/config-validator": "^17.0.3",
- "@commitlint/types": "^17.0.0",
- "import-fresh": "^3.0.0",
- "lodash": "^4.17.19",
- "resolve-from": "^5.0.0",
- "resolve-global": "^1.0.0"
- },
- "engines": {
- "node": ">=v14"
- }
- },
- "node_modules/@commitlint/resolve-extends/node_modules/resolve-from": {
- "version": "5.0.0",
- "resolved": "https://registry.npmmirror.com/resolve-from/-/resolve-from-5.0.0.tgz",
- "integrity": "sha512-qYg9KP24dD5qka9J47d0aVky0N+b4fTU89LN9iDnjB5waksiC49rvMB0PrUJQGoTmH50XPiqOvAjDfaijGxYZw==",
- "dev": true,
- "engines": {
- "node": ">=8"
- }
- },
- "node_modules/@commitlint/rules": {
- "version": "17.0.0",
- "resolved": "https://registry.npmmirror.com/@commitlint/rules/-/rules-17.0.0.tgz",
- "integrity": "sha512-45nIy3dERKXWpnwX9HeBzK5SepHwlDxdGBfmedXhL30fmFCkJOdxHyOJsh0+B0RaVsLGT01NELpfzJUmtpDwdQ==",
- "dev": true,
- "dependencies": {
- "@commitlint/ensure": "^17.0.0",
- "@commitlint/message": "^17.0.0",
- "@commitlint/to-lines": "^17.0.0",
- "@commitlint/types": "^17.0.0",
- "execa": "^5.0.0"
- },
- "engines": {
- "node": ">=v14"
- }
- },
- "node_modules/@commitlint/to-lines": {
- "version": "17.0.0",
- "resolved": "https://registry.npmmirror.com/@commitlint/to-lines/-/to-lines-17.0.0.tgz",
- "integrity": "sha512-nEi4YEz04Rf2upFbpnEorG8iymyH7o9jYIVFBG1QdzebbIFET3ir+8kQvCZuBE5pKCtViE4XBUsRZz139uFrRQ==",
- "dev": true,
- "engines": {
- "node": ">=v14"
- }
- },
- "node_modules/@commitlint/top-level": {
- "version": "17.0.0",
- "resolved": "https://registry.npmmirror.com/@commitlint/top-level/-/top-level-17.0.0.tgz",
- "integrity": "sha512-dZrEP1PBJvodNWYPOYiLWf6XZergdksKQaT6i1KSROLdjf5Ai0brLOv5/P+CPxBeoj3vBxK4Ax8H1Pg9t7sHIQ==",
- "dev": true,
- "dependencies": {
- "find-up": "^5.0.0"
- },
- "engines": {
- "node": ">=v14"
- }
- },
- "node_modules/@commitlint/types": {
- "version": "17.0.0",
- "resolved": "https://registry.npmmirror.com/@commitlint/types/-/types-17.0.0.tgz",
- "integrity": "sha512-hBAw6U+SkAT5h47zDMeOu3HSiD0SODw4Aq7rRNh1ceUmL7GyLKYhPbUvlRWqZ65XjBLPHZhFyQlRaPNz8qvUyQ==",
- "dev": true,
- "dependencies": {
- "chalk": "^4.1.0"
- },
- "engines": {
- "node": ">=v14"
- }
- },
- "node_modules/@commitlint/types/node_modules/ansi-styles": {
- "version": "4.3.0",
- "resolved": "https://registry.npmmirror.com/ansi-styles/-/ansi-styles-4.3.0.tgz",
- "integrity": "sha512-zbB9rCJAT1rbjiVDb2hqKFHNYLxgtk8NURxZ3IZwD3F6NtxbXZQCnnSi1Lkx+IDohdPlFp222wVALIheZJQSEg==",
- "dev": true,
- "dependencies": {
- "color-convert": "^2.0.1"
- },
- "engines": {
- "node": ">=8"
- }
- },
- "node_modules/@commitlint/types/node_modules/chalk": {
- "version": "4.1.2",
- "resolved": "https://registry.npmmirror.com/chalk/-/chalk-4.1.2.tgz",
- "integrity": "sha512-oKnbhFyRIXpUuez8iBMmyEa4nbj4IOQyuhc/wy9kY7/WVPcwIO9VA668Pu8RkO7+0G76SLROeyw9CpQ061i4mA==",
- "dev": true,
- "dependencies": {
- "ansi-styles": "^4.1.0",
- "supports-color": "^7.1.0"
- },
- "engines": {
- "node": ">=10"
- }
- },
- "node_modules/@commitlint/types/node_modules/color-convert": {
- "version": "2.0.1",
- "resolved": "https://registry.npmmirror.com/color-convert/-/color-convert-2.0.1.tgz",
- "integrity": "sha512-RRECPsj7iu/xb5oKYcsFHSppFNnsj/52OVTRKb4zP5onXwVF3zVmmToNcOfGC+CRDpfK/U584fMg38ZHCaElKQ==",
- "dev": true,
- "dependencies": {
- "color-name": "~1.1.4"
- },
- "engines": {
- "node": ">=7.0.0"
- }
- },
- "node_modules/@commitlint/types/node_modules/color-name": {
- "version": "1.1.4",
- "resolved": "https://registry.npmmirror.com/color-name/-/color-name-1.1.4.tgz",
- "integrity": "sha512-dOy+3AuW3a2wNbZHIuMZpTcgjGuLU/uBL/ubcZF9OXbDo8ff4O8yVp5Bf0efS8uEoYo5q4Fx7dY9OgQGXgAsQA==",
- "dev": true
- },
- "node_modules/@commitlint/types/node_modules/has-flag": {
- "version": "4.0.0",
- "resolved": "https://registry.npmmirror.com/has-flag/-/has-flag-4.0.0.tgz",
- "integrity": "sha512-EykJT/Q1KjTWctppgIAgfSO0tKVuZUjhgMr17kqTumMl6Afv3EISleU7qZUzoXDFTAHTDC4NOoG/ZxU3EvlMPQ==",
- "dev": true,
- "engines": {
- "node": ">=8"
- }
- },
- "node_modules/@commitlint/types/node_modules/supports-color": {
- "version": "7.2.0",
- "resolved": "https://registry.npmmirror.com/supports-color/-/supports-color-7.2.0.tgz",
- "integrity": "sha512-qpCAvRl9stuOHveKsn7HncJRvv501qIacKzQlO/+Lwxc9+0q2wLyv4Dfvt80/DPn2pqOBsJdDiogXGR9+OvwRw==",
- "dev": true,
- "dependencies": {
- "has-flag": "^4.0.0"
- },
- "engines": {
- "node": ">=8"
- }
- },
- "node_modules/@cspotcode/source-map-support": {
- "version": "0.8.1",
- "resolved": "https://registry.npmmirror.com/@cspotcode/source-map-support/-/source-map-support-0.8.1.tgz",
- "integrity": "sha512-IchNf6dN4tHoMFIn/7OE8LWZ19Y6q/67Bmf6vnGREv8RSbBVb9LPJxEcnwrcwX6ixSvaiGoomAUvu4YSxXrVgw==",
- "dev": true,
- "dependencies": {
- "@jridgewell/trace-mapping": "0.3.9"
- },
- "engines": {
- "node": ">=12"
- }
- },
- "node_modules/@cspotcode/source-map-support/node_modules/@jridgewell/trace-mapping": {
- "version": "0.3.9",
- "resolved": "https://registry.npmmirror.com/@jridgewell/trace-mapping/-/trace-mapping-0.3.9.tgz",
- "integrity": "sha512-3Belt6tdc8bPgAtbcmdtNJlirVoTmEb5e2gC94PnkwEW9jI6CAHUeoG85tjWP5WquqfavoMtMwiG4P926ZKKuQ==",
- "dev": true,
- "dependencies": {
- "@jridgewell/resolve-uri": "^3.0.3",
- "@jridgewell/sourcemap-codec": "^1.4.10"
- }
- },
- "node_modules/@ctrl/tinycolor": {
- "version": "3.4.1",
- "resolved": "https://registry.npmmirror.com/@ctrl/tinycolor/-/tinycolor-3.4.1.tgz",
- "integrity": "sha512-ej5oVy6lykXsvieQtqZxCOaLT+xD4+QNarq78cIYISHmZXshCvROLudpQN3lfL8G0NL7plMSSK+zlyvCaIJ4Iw==",
- "engines": {
- "node": ">=10"
- }
- },
- "node_modules/@element-plus/icons-vue": {
- "version": "2.0.6",
- "resolved": "https://registry.npmmirror.com/@element-plus/icons-vue/-/icons-vue-2.0.6.tgz",
- "integrity": "sha512-lPpG8hYkjL/Z97DH5Ei6w6o22Z4YdNglWCNYOPcB33JCF2A4wye6HFgSI7hEt9zdLyxlSpiqtgf9XcYU+m5mew==",
- "peerDependencies": {
- "vue": "^3.2.0"
- }
- },
- "node_modules/@eslint/eslintrc": {
- "version": "1.3.0",
- "resolved": "https://registry.npmmirror.com/@eslint/eslintrc/-/eslintrc-1.3.0.tgz",
- "integrity": "sha512-UWW0TMTmk2d7hLcWD1/e2g5HDM/HQ3csaLSqXCfqwh4uNDuNqlaKWXmEsL4Cs41Z0KnILNvwbHAah3C2yt06kw==",
- "dev": true,
- "dependencies": {
- "ajv": "^6.12.4",
- "debug": "^4.3.2",
- "espree": "^9.3.2",
- "globals": "^13.15.0",
- "ignore": "^5.2.0",
- "import-fresh": "^3.2.1",
- "js-yaml": "^4.1.0",
- "minimatch": "^3.1.2",
- "strip-json-comments": "^3.1.1"
- },
- "engines": {
- "node": "^12.22.0 || ^14.17.0 || >=16.0.0"
- }
- },
- "node_modules/@eslint/eslintrc/node_modules/globals": {
- "version": "13.17.0",
- "resolved": "https://registry.npmmirror.com/globals/-/globals-13.17.0.tgz",
- "integrity": "sha512-1C+6nQRb1GwGMKm2dH/E7enFAMxGTmGI7/dEdhy/DNelv85w9B72t3uc5frtMNXIbzrarJJ/lTCjcaZwbLJmyw==",
- "dev": true,
- "dependencies": {
- "type-fest": "^0.20.2"
- },
- "engines": {
- "node": ">=8"
- }
- },
- "node_modules/@floating-ui/core": {
- "version": "0.7.3",
- "resolved": "https://registry.npmmirror.com/@floating-ui/core/-/core-0.7.3.tgz",
- "integrity": "sha512-buc8BXHmG9l82+OQXOFU3Kr2XQx9ys01U/Q9HMIrZ300iLc8HLMgh7dcCqgYzAzf4BkoQvDcXf5Y+CuEZ5JBYg=="
- },
- "node_modules/@floating-ui/dom": {
- "version": "0.5.4",
- "resolved": "https://registry.npmmirror.com/@floating-ui/dom/-/dom-0.5.4.tgz",
- "integrity": "sha512-419BMceRLq0RrmTSDxn8hf9R3VCJv2K9PUfugh5JyEFmdjzDo+e8U5EdR8nzKq8Yj1htzLm3b6eQEEam3/rrtg==",
- "dependencies": {
- "@floating-ui/core": "^0.7.3"
- }
- },
- "node_modules/@humanwhocodes/config-array": {
- "version": "0.10.4",
- "resolved": "https://registry.npmmirror.com/@humanwhocodes/config-array/-/config-array-0.10.4.tgz",
- "integrity": "sha512-mXAIHxZT3Vcpg83opl1wGlVZ9xydbfZO3r5YfRSH6Gpp2J/PfdBP0wbDa2sO6/qRbcalpoevVyW6A/fI6LfeMw==",
- "dev": true,
- "dependencies": {
- "@humanwhocodes/object-schema": "^1.2.1",
- "debug": "^4.1.1",
- "minimatch": "^3.0.4"
- },
- "engines": {
- "node": ">=10.10.0"
- }
- },
- "node_modules/@humanwhocodes/gitignore-to-minimatch": {
- "version": "1.0.2",
- "resolved": "https://registry.npmmirror.com/@humanwhocodes/gitignore-to-minimatch/-/gitignore-to-minimatch-1.0.2.tgz",
- "integrity": "sha512-rSqmMJDdLFUsyxR6FMtD00nfQKKLFb1kv+qBbOVKqErvloEIJLo5bDTJTQNTYgeyp78JsA7u/NPi5jT1GR/MuA==",
- "dev": true
- },
- "node_modules/@humanwhocodes/object-schema": {
- "version": "1.2.1",
- "resolved": "https://registry.npmmirror.com/@humanwhocodes/object-schema/-/object-schema-1.2.1.tgz",
- "integrity": "sha512-ZnQMnLV4e7hDlUvw8H+U8ASL02SS2Gn6+9Ac3wGGLIe7+je2AeAOxPY+izIPJDfFDb7eDjev0Us8MO1iFRN8hA==",
- "dev": true
- },
- "node_modules/@jridgewell/gen-mapping": {
- "version": "0.1.1",
- "resolved": "https://registry.npmmirror.com/@jridgewell/gen-mapping/-/gen-mapping-0.1.1.tgz",
- "integrity": "sha512-sQXCasFk+U8lWYEe66WxRDOE9PjVz4vSM51fTu3Hw+ClTpUSQb718772vH3pyS5pShp6lvQM7SxgIDXXXmOX7w==",
- "dev": true,
- "dependencies": {
- "@jridgewell/set-array": "^1.0.0",
- "@jridgewell/sourcemap-codec": "^1.4.10"
- },
- "engines": {
- "node": ">=6.0.0"
- }
- },
- "node_modules/@jridgewell/resolve-uri": {
- "version": "3.1.0",
- "resolved": "https://registry.npmmirror.com/@jridgewell/resolve-uri/-/resolve-uri-3.1.0.tgz",
- "integrity": "sha512-F2msla3tad+Mfht5cJq7LSXcdudKTWCVYUgw6pLFOOHSTtZlj6SWNYAp+AhuqLmWdBO2X5hPrLcu8cVP8fy28w==",
- "dev": true,
- "engines": {
- "node": ">=6.0.0"
- }
- },
- "node_modules/@jridgewell/set-array": {
- "version": "1.1.2",
- "resolved": "https://registry.npmmirror.com/@jridgewell/set-array/-/set-array-1.1.2.tgz",
- "integrity": "sha512-xnkseuNADM0gt2bs+BvhO0p78Mk762YnZdsuzFV018NoG1Sj1SCQvpSqa7XUaTam5vAGasABV9qXASMKnFMwMw==",
- "dev": true,
- "engines": {
- "node": ">=6.0.0"
- }
- },
- "node_modules/@jridgewell/sourcemap-codec": {
- "version": "1.4.14",
- "resolved": "https://registry.npmmirror.com/@jridgewell/sourcemap-codec/-/sourcemap-codec-1.4.14.tgz",
- "integrity": "sha512-XPSJHWmi394fuUuzDnGz1wiKqWfo1yXecHQMRf2l6hztTO+nPru658AyDngaBe7isIxEkRsPR3FZh+s7iVa4Uw==",
- "dev": true
- },
- "node_modules/@jridgewell/trace-mapping": {
- "version": "0.3.14",
- "resolved": "https://registry.npmmirror.com/@jridgewell/trace-mapping/-/trace-mapping-0.3.14.tgz",
- "integrity": "sha512-bJWEfQ9lPTvm3SneWwRFVLzrh6nhjwqw7TUFFBEMzwvg7t7PCDenf2lDwqo4NQXzdpgBXyFgDWnQA+2vkruksQ==",
- "dev": true,
- "dependencies": {
- "@jridgewell/resolve-uri": "^3.0.3",
- "@jridgewell/sourcemap-codec": "^1.4.10"
- }
- },
- "node_modules/@nodelib/fs.scandir": {
- "version": "2.1.5",
- "resolved": "https://registry.npmmirror.com/@nodelib/fs.scandir/-/fs.scandir-2.1.5.tgz",
- "integrity": "sha512-vq24Bq3ym5HEQm2NKCr3yXDwjc7vTsEThRDnkp2DK9p1uqLR+DHurm/NOTo0KG7HYHU7eppKZj3MyqYuMBf62g==",
- "dev": true,
- "dependencies": {
- "@nodelib/fs.stat": "2.0.5",
- "run-parallel": "^1.1.9"
- },
- "engines": {
- "node": ">= 8"
- }
- },
- "node_modules/@nodelib/fs.stat": {
- "version": "2.0.5",
- "resolved": "https://registry.npmmirror.com/@nodelib/fs.stat/-/fs.stat-2.0.5.tgz",
- "integrity": "sha512-RkhPPp2zrqDAQA/2jNhnztcPAlv64XdhIp7a7454A5ovI7Bukxgt7MX7udwAu3zg1DcpPU0rz3VV1SeaqvY4+A==",
- "dev": true,
- "engines": {
- "node": ">= 8"
- }
- },
- "node_modules/@nodelib/fs.walk": {
- "version": "1.2.8",
- "resolved": "https://registry.npmmirror.com/@nodelib/fs.walk/-/fs.walk-1.2.8.tgz",
- "integrity": "sha512-oGB+UxlgWcgQkgwo8GcEGwemoTFt3FIO9ababBmaGwXIoBKZ+GTy0pP185beGg7Llih/NSHSV2XAs1lnznocSg==",
- "dev": true,
- "dependencies": {
- "@nodelib/fs.scandir": "2.1.5",
- "fastq": "^1.6.0"
- },
- "engines": {
- "node": ">= 8"
- }
- },
- "node_modules/@popperjs/core": {
- "version": "2.11.5",
- "resolved": "https://registry.npmmirror.com/@popperjs/core/-/core-2.11.5.tgz",
- "integrity": "sha512-9X2obfABZuDVLCgPK9aX0a/x4jaOEweTTWE2+9sr0Qqqevj2Uv5XorvusThmc9XGYpS9yI+fhh8RTafBtGposw=="
- },
- "node_modules/@rushstack/eslint-patch": {
- "version": "1.1.4",
- "resolved": "https://registry.npmmirror.com/@rushstack/eslint-patch/-/eslint-patch-1.1.4.tgz",
- "integrity": "sha512-LwzQKA4vzIct1zNZzBmRKI9QuNpLgTQMEjsQLf3BXuGYb3QPTP4Yjf6mkdX+X1mYttZ808QpOwAzZjv28kq7DA==",
- "dev": true
- },
- "node_modules/@tsconfig/node10": {
- "version": "1.0.9",
- "resolved": "https://registry.npmmirror.com/@tsconfig/node10/-/node10-1.0.9.tgz",
- "integrity": "sha512-jNsYVVxU8v5g43Erja32laIDHXeoNvFEpX33OK4d6hljo3jDhCBDhx5dhCCTMWUojscpAagGiRkBKxpdl9fxqA==",
- "dev": true
- },
- "node_modules/@tsconfig/node12": {
- "version": "1.0.11",
- "resolved": "https://registry.npmmirror.com/@tsconfig/node12/-/node12-1.0.11.tgz",
- "integrity": "sha512-cqefuRsh12pWyGsIoBKJA9luFu3mRxCA+ORZvA4ktLSzIuCUtWVxGIuXigEwO5/ywWFMZ2QEGKWvkZG1zDMTag==",
- "dev": true
- },
- "node_modules/@tsconfig/node14": {
- "version": "1.0.3",
- "resolved": "https://registry.npmmirror.com/@tsconfig/node14/-/node14-1.0.3.tgz",
- "integrity": "sha512-ysT8mhdixWK6Hw3i1V2AeRqZ5WfXg1G43mqoYlM2nc6388Fq5jcXyr5mRsqViLx/GJYdoL0bfXD8nmF+Zn/Iow==",
- "dev": true
- },
- "node_modules/@tsconfig/node16": {
- "version": "1.0.3",
- "resolved": "https://registry.npmmirror.com/@tsconfig/node16/-/node16-1.0.3.tgz",
- "integrity": "sha512-yOlFc+7UtL/89t2ZhjPvvB/DeAr3r+Dq58IgzsFkOAvVC6NMJXmCGjbptdXdR9qsX7pKcTL+s87FtYREi2dEEQ==",
- "dev": true
- },
- "node_modules/@types/json-schema": {
- "version": "7.0.11",
- "resolved": "https://registry.npmmirror.com/@types/json-schema/-/json-schema-7.0.11.tgz",
- "integrity": "sha512-wOuvG1SN4Us4rez+tylwwwCV1psiNVOkJeM3AUWUNWg/jDQY2+HE/444y5gc+jBmRqASOm2Oeh5c1axHobwRKQ==",
- "dev": true
- },
- "node_modules/@types/lodash": {
- "version": "4.14.182",
- "resolved": "https://registry.npmmirror.com/@types/lodash/-/lodash-4.14.182.tgz",
- "integrity": "sha512-/THyiqyQAP9AfARo4pF+aCGcyiQ94tX/Is2I7HofNRqoYLgN1PBoOWu2/zTA5zMxzP5EFutMtWtGAFRKUe961Q=="
- },
- "node_modules/@types/lodash-es": {
- "version": "4.17.6",
- "resolved": "https://registry.npmmirror.com/@types/lodash-es/-/lodash-es-4.17.6.tgz",
- "integrity": "sha512-R+zTeVUKDdfoRxpAryaQNRKk3105Rrgx2CFRClIgRGaqDTdjsm8h6IYA8ir584W3ePzkZfst5xIgDwYrlh9HLg==",
- "dependencies": {
- "@types/lodash": "*"
- }
- },
- "node_modules/@types/minimist": {
- "version": "1.2.2",
- "resolved": "https://registry.npmmirror.com/@types/minimist/-/minimist-1.2.2.tgz",
- "integrity": "sha512-jhuKLIRrhvCPLqwPcx6INqmKeiA5EWrsCOPhrlFSrbrmU4ZMPjj5Ul/oLCMDO98XRUIwVm78xICz4EPCektzeQ==",
- "dev": true
- },
- "node_modules/@types/node": {
- "version": "16.11.47",
- "resolved": "https://registry.npmmirror.com/@types/node/-/node-16.11.47.tgz",
- "integrity": "sha512-fpP+jk2zJ4VW66+wAMFoBJlx1bxmBKx4DUFf68UHgdGCOuyUTDlLWqsaNPJh7xhNDykyJ9eIzAygilP/4WoN8g==",
- "dev": true
- },
- "node_modules/@types/normalize-package-data": {
- "version": "2.4.1",
- "resolved": "https://registry.npmmirror.com/@types/normalize-package-data/-/normalize-package-data-2.4.1.tgz",
- "integrity": "sha512-Gj7cI7z+98M282Tqmp2K5EIsoouUEzbBJhQQzDE3jSIRk6r9gsz0oUokqIUR4u1R3dMHo0pDHM7sNOHyhulypw==",
- "dev": true
- },
- "node_modules/@types/parse-json": {
- "version": "4.0.0",
- "resolved": "https://registry.npmmirror.com/@types/parse-json/-/parse-json-4.0.0.tgz",
- "integrity": "sha512-//oorEZjL6sbPcKUaCdIGlIUeH26mgzimjBB77G6XRgnDl/L5wOnpyBGRe/Mmf5CVW3PwEBE1NjiMZ/ssFh4wA==",
- "dev": true
- },
- "node_modules/@types/sass": {
- "version": "1.43.1",
- "resolved": "https://registry.npmmirror.com/@types/sass/-/sass-1.43.1.tgz",
- "integrity": "sha512-BPdoIt1lfJ6B7rw35ncdwBZrAssjcwzI5LByIrYs+tpXlj/CAkuVdRsgZDdP4lq5EjyWzwxZCqAoFyHKFwp32g==",
- "dev": true,
- "dependencies": {
- "@types/node": "*"
- }
- },
- "node_modules/@types/web-bluetooth": {
- "version": "0.0.14",
- "resolved": "https://registry.npmmirror.com/@types/web-bluetooth/-/web-bluetooth-0.0.14.tgz",
- "integrity": "sha512-5d2RhCard1nQUC3aHcq/gHzWYO6K0WJmAbjO7mQJgCQKtZpgXxv1rOM6O/dBDhDYYVutk1sciOgNSe+5YyfM8A=="
- },
- "node_modules/@typescript-eslint/eslint-plugin": {
- "version": "5.31.0",
- "resolved": "https://registry.npmmirror.com/@typescript-eslint/eslint-plugin/-/eslint-plugin-5.31.0.tgz",
- "integrity": "sha512-VKW4JPHzG5yhYQrQ1AzXgVgX8ZAJEvCz0QI6mLRX4tf7rnFfh5D8SKm0Pq6w5PyNfAWJk6sv313+nEt3ohWMBQ==",
- "dev": true,
- "dependencies": {
- "@typescript-eslint/scope-manager": "5.31.0",
- "@typescript-eslint/type-utils": "5.31.0",
- "@typescript-eslint/utils": "5.31.0",
- "debug": "^4.3.4",
- "functional-red-black-tree": "^1.0.1",
- "ignore": "^5.2.0",
- "regexpp": "^3.2.0",
- "semver": "^7.3.7",
- "tsutils": "^3.21.0"
- },
- "engines": {
- "node": "^12.22.0 || ^14.17.0 || >=16.0.0"
- },
- "peerDependencies": {
- "@typescript-eslint/parser": "^5.0.0",
- "eslint": "^6.0.0 || ^7.0.0 || ^8.0.0"
- },
- "peerDependenciesMeta": {
- "typescript": {
- "optional": true
- }
- }
- },
- "node_modules/@typescript-eslint/eslint-plugin/node_modules/semver": {
- "version": "7.3.7",
- "resolved": "https://registry.npmmirror.com/semver/-/semver-7.3.7.tgz",
- "integrity": "sha512-QlYTucUYOews+WeEujDoEGziz4K6c47V/Bd+LjSSYcA94p+DmINdf7ncaUinThfvZyu13lN9OY1XDxt8C0Tw0g==",
- "dev": true,
- "dependencies": {
- "lru-cache": "^6.0.0"
- },
- "bin": {
- "semver": "bin/semver.js"
- },
- "engines": {
- "node": ">=10"
- }
- },
- "node_modules/@typescript-eslint/parser": {
- "version": "5.31.0",
- "resolved": "https://registry.npmmirror.com/@typescript-eslint/parser/-/parser-5.31.0.tgz",
- "integrity": "sha512-UStjQiZ9OFTFReTrN+iGrC6O/ko9LVDhreEK5S3edmXgR396JGq7CoX2TWIptqt/ESzU2iRKXAHfSF2WJFcWHw==",
- "dev": true,
- "dependencies": {
- "@typescript-eslint/scope-manager": "5.31.0",
- "@typescript-eslint/types": "5.31.0",
- "@typescript-eslint/typescript-estree": "5.31.0",
- "debug": "^4.3.4"
- },
- "engines": {
- "node": "^12.22.0 || ^14.17.0 || >=16.0.0"
- },
- "peerDependencies": {
- "eslint": "^6.0.0 || ^7.0.0 || ^8.0.0"
- },
- "peerDependenciesMeta": {
- "typescript": {
- "optional": true
- }
- }
- },
- "node_modules/@typescript-eslint/scope-manager": {
- "version": "5.31.0",
- "resolved": "https://registry.npmmirror.com/@typescript-eslint/scope-manager/-/scope-manager-5.31.0.tgz",
- "integrity": "sha512-8jfEzBYDBG88rcXFxajdVavGxb5/XKXyvWgvD8Qix3EEJLCFIdVloJw+r9ww0wbyNLOTYyBsR+4ALNGdlalLLg==",
- "dev": true,
- "dependencies": {
- "@typescript-eslint/types": "5.31.0",
- "@typescript-eslint/visitor-keys": "5.31.0"
- },
- "engines": {
- "node": "^12.22.0 || ^14.17.0 || >=16.0.0"
- }
- },
- "node_modules/@typescript-eslint/type-utils": {
- "version": "5.31.0",
- "resolved": "https://registry.npmmirror.com/@typescript-eslint/type-utils/-/type-utils-5.31.0.tgz",
- "integrity": "sha512-7ZYqFbvEvYXFn9ax02GsPcEOmuWNg+14HIf4q+oUuLnMbpJ6eHAivCg7tZMVwzrIuzX3QCeAOqKoyMZCv5xe+w==",
- "dev": true,
- "dependencies": {
- "@typescript-eslint/utils": "5.31.0",
- "debug": "^4.3.4",
- "tsutils": "^3.21.0"
- },
- "engines": {
- "node": "^12.22.0 || ^14.17.0 || >=16.0.0"
- },
- "peerDependencies": {
- "eslint": "*"
- },
- "peerDependenciesMeta": {
- "typescript": {
- "optional": true
- }
- }
- },
- "node_modules/@typescript-eslint/types": {
- "version": "5.31.0",
- "resolved": "https://registry.npmmirror.com/@typescript-eslint/types/-/types-5.31.0.tgz",
- "integrity": "sha512-/f/rMaEseux+I4wmR6mfpM2wvtNZb1p9hAV77hWfuKc3pmaANp5dLAZSiE3/8oXTYTt3uV9KW5yZKJsMievp6g==",
- "dev": true,
- "engines": {
- "node": "^12.22.0 || ^14.17.0 || >=16.0.0"
- }
- },
- "node_modules/@typescript-eslint/typescript-estree": {
- "version": "5.31.0",
- "resolved": "https://registry.npmmirror.com/@typescript-eslint/typescript-estree/-/typescript-estree-5.31.0.tgz",
- "integrity": "sha512-3S625TMcARX71wBc2qubHaoUwMEn+l9TCsaIzYI/ET31Xm2c9YQ+zhGgpydjorwQO9pLfR/6peTzS/0G3J/hDw==",
- "dev": true,
- "dependencies": {
- "@typescript-eslint/types": "5.31.0",
- "@typescript-eslint/visitor-keys": "5.31.0",
- "debug": "^4.3.4",
- "globby": "^11.1.0",
- "is-glob": "^4.0.3",
- "semver": "^7.3.7",
- "tsutils": "^3.21.0"
- },
- "engines": {
- "node": "^12.22.0 || ^14.17.0 || >=16.0.0"
- },
- "peerDependenciesMeta": {
- "typescript": {
- "optional": true
- }
- }
- },
- "node_modules/@typescript-eslint/typescript-estree/node_modules/semver": {
- "version": "7.3.7",
- "resolved": "https://registry.npmmirror.com/semver/-/semver-7.3.7.tgz",
- "integrity": "sha512-QlYTucUYOews+WeEujDoEGziz4K6c47V/Bd+LjSSYcA94p+DmINdf7ncaUinThfvZyu13lN9OY1XDxt8C0Tw0g==",
- "dev": true,
- "dependencies": {
- "lru-cache": "^6.0.0"
- },
- "bin": {
- "semver": "bin/semver.js"
- },
- "engines": {
- "node": ">=10"
- }
- },
- "node_modules/@typescript-eslint/utils": {
- "version": "5.31.0",
- "resolved": "https://registry.npmmirror.com/@typescript-eslint/utils/-/utils-5.31.0.tgz",
- "integrity": "sha512-kcVPdQS6VIpVTQ7QnGNKMFtdJdvnStkqS5LeALr4rcwx11G6OWb2HB17NMPnlRHvaZP38hL9iK8DdE9Fne7NYg==",
- "dev": true,
- "dependencies": {
- "@types/json-schema": "^7.0.9",
- "@typescript-eslint/scope-manager": "5.31.0",
- "@typescript-eslint/types": "5.31.0",
- "@typescript-eslint/typescript-estree": "5.31.0",
- "eslint-scope": "^5.1.1",
- "eslint-utils": "^3.0.0"
- },
- "engines": {
- "node": "^12.22.0 || ^14.17.0 || >=16.0.0"
- },
- "peerDependencies": {
- "eslint": "^6.0.0 || ^7.0.0 || ^8.0.0"
- }
- },
- "node_modules/@typescript-eslint/visitor-keys": {
- "version": "5.31.0",
- "resolved": "https://registry.npmmirror.com/@typescript-eslint/visitor-keys/-/visitor-keys-5.31.0.tgz",
- "integrity": "sha512-ZK0jVxSjS4gnPirpVjXHz7mgdOsZUHzNYSfTw2yPa3agfbt9YfqaBiBZFSSxeBWnpWkzCxTfUpnzA3Vily/CSg==",
- "dev": true,
- "dependencies": {
- "@typescript-eslint/types": "5.31.0",
- "eslint-visitor-keys": "^3.3.0"
- },
- "engines": {
- "node": "^12.22.0 || ^14.17.0 || >=16.0.0"
- }
- },
- "node_modules/@vant/icons": {
- "version": "1.8.0",
- "resolved": "https://registry.npmmirror.com/@vant/icons/-/icons-1.8.0.tgz",
- "integrity": "sha512-sKfEUo2/CkQFuERxvkuF6mGQZDKu3IQdj5rV9Fm0weJXtchDSSQ+zt8qPCNUEhh9Y8shy5PzxbvAfOOkCwlCXg=="
- },
- "node_modules/@vant/popperjs": {
- "version": "1.2.1",
- "resolved": "https://registry.npmmirror.com/@vant/popperjs/-/popperjs-1.2.1.tgz",
- "integrity": "sha512-qzQlrPE4aOsBzfrktDVwzQy/QICCTKifmjrruhY58+Q2fobUYp/T9QINluIafzsD3VJwgP8+HFVLBsyDmy3VZQ==",
- "dependencies": {
- "@popperjs/core": "^2.9.2"
- }
- },
- "node_modules/@vant/use": {
- "version": "1.4.1",
- "resolved": "https://registry.npmmirror.com/@vant/use/-/use-1.4.1.tgz",
- "integrity": "sha512-YonNN0SuJLEJuqdoMcVAJm2JUZWkHNrW81QzeF6FLyG5HFUGlmTM5Sby7gdS3Z/8UDMlkWRQpJxBWbmVzmUWxQ=="
- },
- "node_modules/@vitejs/plugin-vue": {
- "version": "3.0.1",
- "resolved": "https://registry.npmmirror.com/@vitejs/plugin-vue/-/plugin-vue-3.0.1.tgz",
- "integrity": "sha512-Ll9JgxG7ONIz/XZv3dssfoMUDu9qAnlJ+km+pBA0teYSXzwPCIzS/e1bmwNYl5dcQGs677D21amgfYAnzMl17A==",
- "dev": true,
- "engines": {
- "node": "^14.18.0 || >=16.0.0"
- },
- "peerDependencies": {
- "vite": "^3.0.0",
- "vue": "^3.2.25"
- }
- },
- "node_modules/@vitejs/plugin-vue-jsx": {
- "version": "2.0.0",
- "resolved": "https://registry.npmmirror.com/@vitejs/plugin-vue-jsx/-/plugin-vue-jsx-2.0.0.tgz",
- "integrity": "sha512-WF9ApZ/ivyyW3volQfu0Td0KNPhcccYEaRNzNY1NxRLVJQLSX0nFqquv3e2g7MF74p1XZK4bGtDL2y5i5O5+1A==",
- "dev": true,
- "dependencies": {
- "@babel/core": "^7.18.6",
- "@babel/plugin-syntax-import-meta": "^7.10.4",
- "@babel/plugin-transform-typescript": "^7.18.8",
- "@vue/babel-plugin-jsx": "^1.1.1"
- },
- "engines": {
- "node": ">=14.18.0"
- },
- "peerDependencies": {
- "vite": "^3.0.0",
- "vue": "^3.0.0"
- }
- },
- "node_modules/@volar/code-gen": {
- "version": "0.38.9",
- "resolved": "https://registry.npmmirror.com/@volar/code-gen/-/code-gen-0.38.9.tgz",
- "integrity": "sha512-n6LClucfA+37rQeskvh9vDoZV1VvCVNy++MAPKj2dT4FT+Fbmty/SDQqnsEBtdEe6E3OQctFvA/IcKsx3Mns0A==",
- "dev": true,
- "dependencies": {
- "@volar/source-map": "0.38.9"
- }
- },
- "node_modules/@volar/source-map": {
- "version": "0.38.9",
- "resolved": "https://registry.npmmirror.com/@volar/source-map/-/source-map-0.38.9.tgz",
- "integrity": "sha512-ba0UFoHDYry+vwKdgkWJ6xlQT+8TFtZg1zj9tSjj4PykW1JZDuM0xplMotLun4h3YOoYfY9K1huY5gvxmrNLIw==",
- "dev": true
- },
- "node_modules/@volar/vue-code-gen": {
- "version": "0.38.9",
- "resolved": "https://registry.npmmirror.com/@volar/vue-code-gen/-/vue-code-gen-0.38.9.tgz",
- "integrity": "sha512-tzj7AoarFBKl7e41MR006ncrEmNPHALuk8aG4WdDIaG387X5//5KhWC5Ff3ZfB2InGSeNT+CVUd74M0gS20rjA==",
- "dev": true,
- "dependencies": {
- "@volar/code-gen": "0.38.9",
- "@volar/source-map": "0.38.9",
- "@vue/compiler-core": "^3.2.37",
- "@vue/compiler-dom": "^3.2.37",
- "@vue/shared": "^3.2.37"
- }
- },
- "node_modules/@volar/vue-typescript": {
- "version": "0.38.9",
- "resolved": "https://registry.npmmirror.com/@volar/vue-typescript/-/vue-typescript-0.38.9.tgz",
- "integrity": "sha512-iJMQGU91ADi98u8V1vXd2UBmELDAaeSP0ZJaFjwosClQdKlJQYc6MlxxKfXBZisHqfbhdtrGRyaryulnYtliZw==",
- "dev": true,
- "dependencies": {
- "@volar/code-gen": "0.38.9",
- "@volar/source-map": "0.38.9",
- "@volar/vue-code-gen": "0.38.9",
- "@vue/compiler-sfc": "^3.2.37",
- "@vue/reactivity": "^3.2.37"
- }
- },
- "node_modules/@vue/babel-helper-vue-transform-on": {
- "version": "1.0.2",
- "resolved": "https://registry.npmmirror.com/@vue/babel-helper-vue-transform-on/-/babel-helper-vue-transform-on-1.0.2.tgz",
- "integrity": "sha512-hz4R8tS5jMn8lDq6iD+yWL6XNB699pGIVLk7WSJnn1dbpjaazsjZQkieJoRX6gW5zpYSCFqQ7jUquPNY65tQYA==",
- "dev": true
- },
- "node_modules/@vue/babel-plugin-jsx": {
- "version": "1.1.1",
- "resolved": "https://registry.npmmirror.com/@vue/babel-plugin-jsx/-/babel-plugin-jsx-1.1.1.tgz",
- "integrity": "sha512-j2uVfZjnB5+zkcbc/zsOc0fSNGCMMjaEXP52wdwdIfn0qjFfEYpYZBFKFg+HHnQeJCVrjOeO0YxgaL7DMrym9w==",
- "dev": true,
- "dependencies": {
- "@babel/helper-module-imports": "^7.0.0",
- "@babel/plugin-syntax-jsx": "^7.0.0",
- "@babel/template": "^7.0.0",
- "@babel/traverse": "^7.0.0",
- "@babel/types": "^7.0.0",
- "@vue/babel-helper-vue-transform-on": "^1.0.2",
- "camelcase": "^6.0.0",
- "html-tags": "^3.1.0",
- "svg-tags": "^1.0.0"
- }
- },
- "node_modules/@vue/compiler-core": {
- "version": "3.2.37",
- "resolved": "https://registry.npmmirror.com/@vue/compiler-core/-/compiler-core-3.2.37.tgz",
- "integrity": "sha512-81KhEjo7YAOh0vQJoSmAD68wLfYqJvoiD4ulyedzF+OEk/bk6/hx3fTNVfuzugIIaTrOx4PGx6pAiBRe5e9Zmg==",
- "dependencies": {
- "@babel/parser": "^7.16.4",
- "@vue/shared": "3.2.37",
- "estree-walker": "^2.0.2",
- "source-map": "^0.6.1"
- }
- },
- "node_modules/@vue/compiler-dom": {
- "version": "3.2.37",
- "resolved": "https://registry.npmmirror.com/@vue/compiler-dom/-/compiler-dom-3.2.37.tgz",
- "integrity": "sha512-yxJLH167fucHKxaqXpYk7x8z7mMEnXOw3G2q62FTkmsvNxu4FQSu5+3UMb+L7fjKa26DEzhrmCxAgFLLIzVfqQ==",
- "dependencies": {
- "@vue/compiler-core": "3.2.37",
- "@vue/shared": "3.2.37"
- }
- },
- "node_modules/@vue/compiler-sfc": {
- "version": "3.2.37",
- "resolved": "https://registry.npmmirror.com/@vue/compiler-sfc/-/compiler-sfc-3.2.37.tgz",
- "integrity": "sha512-+7i/2+9LYlpqDv+KTtWhOZH+pa8/HnX/905MdVmAcI/mPQOBwkHHIzrsEsucyOIZQYMkXUiTkmZq5am/NyXKkg==",
- "dependencies": {
- "@babel/parser": "^7.16.4",
- "@vue/compiler-core": "3.2.37",
- "@vue/compiler-dom": "3.2.37",
- "@vue/compiler-ssr": "3.2.37",
- "@vue/reactivity-transform": "3.2.37",
- "@vue/shared": "3.2.37",
- "estree-walker": "^2.0.2",
- "magic-string": "^0.25.7",
- "postcss": "^8.1.10",
- "source-map": "^0.6.1"
- }
- },
- "node_modules/@vue/compiler-ssr": {
- "version": "3.2.37",
- "resolved": "https://registry.npmmirror.com/@vue/compiler-ssr/-/compiler-ssr-3.2.37.tgz",
- "integrity": "sha512-7mQJD7HdXxQjktmsWp/J67lThEIcxLemz1Vb5I6rYJHR5vI+lON3nPGOH3ubmbvYGt8xEUaAr1j7/tIFWiEOqw==",
- "dependencies": {
- "@vue/compiler-dom": "3.2.37",
- "@vue/shared": "3.2.37"
- }
- },
- "node_modules/@vue/devtools-api": {
- "version": "6.2.1",
- "resolved": "https://registry.npmmirror.com/@vue/devtools-api/-/devtools-api-6.2.1.tgz",
- "integrity": "sha512-OEgAMeQXvCoJ+1x8WyQuVZzFo0wcyCmUR3baRVLmKBo1LmYZWMlRiXlux5jd0fqVJu6PfDbOrZItVqUEzLobeQ=="
- },
- "node_modules/@vue/eslint-config-prettier": {
- "version": "7.0.0",
- "resolved": "https://registry.npmmirror.com/@vue/eslint-config-prettier/-/eslint-config-prettier-7.0.0.tgz",
- "integrity": "sha512-/CTc6ML3Wta1tCe1gUeO0EYnVXfo3nJXsIhZ8WJr3sov+cGASr6yuiibJTL6lmIBm7GobopToOuB3B6AWyV0Iw==",
- "dev": true,
- "dependencies": {
- "eslint-config-prettier": "^8.3.0",
- "eslint-plugin-prettier": "^4.0.0"
- },
- "peerDependencies": {
- "eslint": ">= 7.28.0",
- "prettier": ">= 2.0.0"
- }
- },
- "node_modules/@vue/eslint-config-typescript": {
- "version": "11.0.0",
- "resolved": "https://registry.npmmirror.com/@vue/eslint-config-typescript/-/eslint-config-typescript-11.0.0.tgz",
- "integrity": "sha512-txuRzxnQVmtUvvy9UyWUy9sHWXNeRPGmSPqP53hRtaiUeCTAondI9Ho9GQYI/8/eWljYOST7iA4Aa8sANBkWaA==",
- "dev": true,
- "dependencies": {
- "@typescript-eslint/eslint-plugin": "^5.0.0",
- "@typescript-eslint/parser": "^5.0.0",
- "vue-eslint-parser": "^9.0.0"
- },
- "engines": {
- "node": "^14.17.0 || >=16.0.0"
- },
- "peerDependencies": {
- "eslint": "^6.2.0 || ^7.0.0 || ^8.0.0",
- "eslint-plugin-vue": "^9.0.0",
- "typescript": "*"
- },
- "peerDependenciesMeta": {
- "typescript": {
- "optional": true
- }
- }
- },
- "node_modules/@vue/reactivity": {
- "version": "3.2.37",
- "resolved": "https://registry.npmmirror.com/@vue/reactivity/-/reactivity-3.2.37.tgz",
- "integrity": "sha512-/7WRafBOshOc6m3F7plwzPeCu/RCVv9uMpOwa/5PiY1Zz+WLVRWiy0MYKwmg19KBdGtFWsmZ4cD+LOdVPcs52A==",
- "dependencies": {
- "@vue/shared": "3.2.37"
- }
- },
- "node_modules/@vue/reactivity-transform": {
- "version": "3.2.37",
- "resolved": "https://registry.npmmirror.com/@vue/reactivity-transform/-/reactivity-transform-3.2.37.tgz",
- "integrity": "sha512-IWopkKEb+8qpu/1eMKVeXrK0NLw9HicGviJzhJDEyfxTR9e1WtpnnbYkJWurX6WwoFP0sz10xQg8yL8lgskAZg==",
- "dependencies": {
- "@babel/parser": "^7.16.4",
- "@vue/compiler-core": "3.2.37",
- "@vue/shared": "3.2.37",
- "estree-walker": "^2.0.2",
- "magic-string": "^0.25.7"
- }
- },
- "node_modules/@vue/runtime-core": {
- "version": "3.2.37",
- "resolved": "https://registry.npmmirror.com/@vue/runtime-core/-/runtime-core-3.2.37.tgz",
- "integrity": "sha512-JPcd9kFyEdXLl/i0ClS7lwgcs0QpUAWj+SKX2ZC3ANKi1U4DOtiEr6cRqFXsPwY5u1L9fAjkinIdB8Rz3FoYNQ==",
- "dependencies": {
- "@vue/reactivity": "3.2.37",
- "@vue/shared": "3.2.37"
- }
- },
- "node_modules/@vue/runtime-dom": {
- "version": "3.2.37",
- "resolved": "https://registry.npmmirror.com/@vue/runtime-dom/-/runtime-dom-3.2.37.tgz",
- "integrity": "sha512-HimKdh9BepShW6YozwRKAYjYQWg9mQn63RGEiSswMbW+ssIht1MILYlVGkAGGQbkhSh31PCdoUcfiu4apXJoPw==",
- "dependencies": {
- "@vue/runtime-core": "3.2.37",
- "@vue/shared": "3.2.37",
- "csstype": "^2.6.8"
- }
- },
- "node_modules/@vue/server-renderer": {
- "version": "3.2.37",
- "resolved": "https://registry.npmmirror.com/@vue/server-renderer/-/server-renderer-3.2.37.tgz",
- "integrity": "sha512-kLITEJvaYgZQ2h47hIzPh2K3jG8c1zCVbp/o/bzQOyvzaKiCquKS7AaioPI28GNxIsE/zSx+EwWYsNxDCX95MA==",
- "dependencies": {
- "@vue/compiler-ssr": "3.2.37",
- "@vue/shared": "3.2.37"
- },
- "peerDependencies": {
- "vue": "3.2.37"
- }
- },
- "node_modules/@vue/shared": {
- "version": "3.2.37",
- "resolved": "https://registry.npmmirror.com/@vue/shared/-/shared-3.2.37.tgz",
- "integrity": "sha512-4rSJemR2NQIo9Klm1vabqWjD8rs/ZaJSzMxkMNeJS6lHiUjjUeYFbooN19NgFjztubEKh3WlZUeOLVdbbUWHsw=="
- },
- "node_modules/@vue/tsconfig": {
- "version": "0.1.3",
- "resolved": "https://registry.npmmirror.com/@vue/tsconfig/-/tsconfig-0.1.3.tgz",
- "integrity": "sha512-kQVsh8yyWPvHpb8gIc9l/HIDiiVUy1amynLNpCy8p+FoCiZXCo6fQos5/097MmnNZc9AtseDsCrfkhqCrJ8Olg==",
- "dev": true,
- "peerDependencies": {
- "@types/node": "*"
- },
- "peerDependenciesMeta": {
- "@types/node": {
- "optional": true
- }
- }
- },
- "node_modules/@vueuse/core": {
- "version": "8.9.4",
- "resolved": "https://registry.npmmirror.com/@vueuse/core/-/core-8.9.4.tgz",
- "integrity": "sha512-B/Mdj9TK1peFyWaPof+Zf/mP9XuGAngaJZBwPaXBvU3aCTZlx3ltlrFFFyMV4iGBwsjSCeUCgZrtkEj9dS2Y3Q==",
- "dependencies": {
- "@types/web-bluetooth": "^0.0.14",
- "@vueuse/metadata": "8.9.4",
- "@vueuse/shared": "8.9.4",
- "vue-demi": "*"
- },
- "peerDependencies": {
- "@vue/composition-api": "^1.1.0",
- "vue": "^2.6.0 || ^3.2.0"
- },
- "peerDependenciesMeta": {
- "@vue/composition-api": {
- "optional": true
- },
- "vue": {
- "optional": true
- }
- }
- },
- "node_modules/@vueuse/core/node_modules/@vueuse/shared": {
- "version": "8.9.4",
- "resolved": "https://registry.npmmirror.com/@vueuse/shared/-/shared-8.9.4.tgz",
- "integrity": "sha512-wt+T30c4K6dGRMVqPddexEVLa28YwxW5OFIPmzUHICjphfAuBFTTdDoyqREZNDOFJZ44ARH1WWQNCUK8koJ+Ag==",
- "dependencies": {
- "vue-demi": "*"
- },
- "peerDependencies": {
- "@vue/composition-api": "^1.1.0",
- "vue": "^2.6.0 || ^3.2.0"
- },
- "peerDependenciesMeta": {
- "@vue/composition-api": {
- "optional": true
- },
- "vue": {
- "optional": true
- }
- }
- },
- "node_modules/@vueuse/core/node_modules/vue-demi": {
- "version": "0.13.6",
- "resolved": "https://registry.npmmirror.com/vue-demi/-/vue-demi-0.13.6.tgz",
- "integrity": "sha512-02NYpxgyGE2kKGegRPYlNQSL1UWfA/+JqvzhGCOYjhfbLWXU5QQX0+9pAm/R2sCOPKr5NBxVIab7fvFU0B1RxQ==",
- "hasInstallScript": true,
- "bin": {
- "vue-demi-fix": "bin/vue-demi-fix.js",
- "vue-demi-switch": "bin/vue-demi-switch.js"
- },
- "engines": {
- "node": ">=12"
- },
- "peerDependencies": {
- "@vue/composition-api": "^1.0.0-rc.1",
- "vue": "^3.0.0-0 || ^2.6.0"
- },
- "peerDependenciesMeta": {
- "@vue/composition-api": {
- "optional": true
- }
- }
- },
- "node_modules/@vueuse/metadata": {
- "version": "8.9.4",
- "resolved": "https://registry.npmmirror.com/@vueuse/metadata/-/metadata-8.9.4.tgz",
- "integrity": "sha512-IwSfzH80bnJMzqhaapqJl9JRIiyQU0zsRGEgnxN6jhq7992cPUJIRfV+JHRIZXjYqbwt07E1gTEp0R0zPJ1aqw=="
- },
- "node_modules/acorn": {
- "version": "8.8.0",
- "resolved": "https://registry.npmmirror.com/acorn/-/acorn-8.8.0.tgz",
- "integrity": "sha512-QOxyigPVrpZ2GXT+PFyZTl6TtOFc5egxHIP9IlQ+RbupQuX4RkT/Bee4/kQuC02Xkzg84JcT7oLYtDIQxp+v7w==",
- "dev": true,
- "bin": {
- "acorn": "bin/acorn"
- },
- "engines": {
- "node": ">=0.4.0"
- }
- },
- "node_modules/acorn-jsx": {
- "version": "5.3.2",
- "resolved": "https://registry.npmmirror.com/acorn-jsx/-/acorn-jsx-5.3.2.tgz",
- "integrity": "sha512-rq9s+JNhf0IChjtDXxllJ7g41oZk5SlXtp0LHwyA5cejwn7vKmKp4pPri6YEePv2PU65sAsegbXtIinmDFDXgQ==",
- "dev": true,
- "peerDependencies": {
- "acorn": "^6.0.0 || ^7.0.0 || ^8.0.0"
- }
- },
- "node_modules/acorn-node": {
- "version": "1.8.2",
- "resolved": "https://registry.npmmirror.com/acorn-node/-/acorn-node-1.8.2.tgz",
- "integrity": "sha512-8mt+fslDufLYntIoPAaIMUe/lrbrehIiwmR3t2k9LljIzoigEPF27eLk2hy8zSGzmR/ogr7zbRKINMo1u0yh5A==",
- "dev": true,
- "dependencies": {
- "acorn": "^7.0.0",
- "acorn-walk": "^7.0.0",
- "xtend": "^4.0.2"
- }
- },
- "node_modules/acorn-node/node_modules/acorn": {
- "version": "7.4.1",
- "resolved": "https://registry.npmmirror.com/acorn/-/acorn-7.4.1.tgz",
- "integrity": "sha512-nQyp0o1/mNdbTO1PO6kHkwSrmgZ0MT/jCCpNiwbUjGoRN4dlBhqJtoQuCnEOKzgTVwg0ZWiCoQy6SxMebQVh8A==",
- "dev": true,
- "bin": {
- "acorn": "bin/acorn"
- },
- "engines": {
- "node": ">=0.4.0"
- }
- },
- "node_modules/acorn-node/node_modules/acorn-walk": {
- "version": "7.2.0",
- "resolved": "https://registry.npmmirror.com/acorn-walk/-/acorn-walk-7.2.0.tgz",
- "integrity": "sha512-OPdCF6GsMIP+Az+aWfAAOEt2/+iVDKE7oy6lJ098aoe59oAmK76qV6Gw60SbZ8jHuG2wH058GF4pLFbYamYrVA==",
- "dev": true,
- "engines": {
- "node": ">=0.4.0"
- }
- },
- "node_modules/acorn-walk": {
- "version": "8.2.0",
- "resolved": "https://registry.npmmirror.com/acorn-walk/-/acorn-walk-8.2.0.tgz",
- "integrity": "sha512-k+iyHEuPgSw6SbuDpGQM+06HQUa04DZ3o+F6CSzXMvvI5KMvnaEqXe+YVe555R9nn6GPt404fos4wcgpw12SDA==",
- "dev": true,
- "engines": {
- "node": ">=0.4.0"
- }
- },
- "node_modules/aggregate-error": {
- "version": "3.1.0",
- "resolved": "https://registry.npmmirror.com/aggregate-error/-/aggregate-error-3.1.0.tgz",
- "integrity": "sha512-4I7Td01quW/RpocfNayFdFVk1qSuoh0E7JrbRJ16nH01HhKFQ88INq9Sd+nd72zqRySlr9BmDA8xlEJ6vJMrYA==",
- "dev": true,
- "dependencies": {
- "clean-stack": "^2.0.0",
- "indent-string": "^4.0.0"
- },
- "engines": {
- "node": ">=8"
- }
- },
- "node_modules/ajv": {
- "version": "6.12.6",
- "resolved": "https://registry.npmmirror.com/ajv/-/ajv-6.12.6.tgz",
- "integrity": "sha512-j3fVLgvTo527anyYyJOGTYJbG+vnnQYvE0m5mmkc1TK+nxAppkCLMIL0aZ4dblVCNoGShhm+kzE4ZUykBoMg4g==",
- "dev": true,
- "dependencies": {
- "fast-deep-equal": "^3.1.1",
- "fast-json-stable-stringify": "^2.0.0",
- "json-schema-traverse": "^0.4.1",
- "uri-js": "^4.2.2"
- }
- },
- "node_modules/ansi-escapes": {
- "version": "4.3.2",
- "resolved": "https://registry.npmmirror.com/ansi-escapes/-/ansi-escapes-4.3.2.tgz",
- "integrity": "sha512-gKXj5ALrKWQLsYG9jlTRmR/xKluxHV+Z9QEwNIgCfM1/uwPMCuzVVnh5mwTd+OuBZcwSIMbqssNWRm1lE51QaQ==",
- "dev": true,
- "dependencies": {
- "type-fest": "^0.21.3"
- },
- "engines": {
- "node": ">=8"
- }
- },
- "node_modules/ansi-escapes/node_modules/type-fest": {
- "version": "0.21.3",
- "resolved": "https://registry.npmmirror.com/type-fest/-/type-fest-0.21.3.tgz",
- "integrity": "sha512-t0rzBq87m3fVcduHDUFhKmyyX+9eo6WQjZvf51Ea/M0Q7+T374Jp1aUiyUl0GKxp8M/OETVHSDvmkyPgvX+X2w==",
- "dev": true,
- "engines": {
- "node": ">=10"
- }
- },
- "node_modules/ansi-regex": {
- "version": "5.0.1",
- "resolved": "https://registry.npmmirror.com/ansi-regex/-/ansi-regex-5.0.1.tgz",
- "integrity": "sha512-quJQXlTSUGL2LH9SUXo8VwsY4soanhgo6LNSm84E1LBcE8s3O0wpdiRzyR9z/ZZJMlMWv37qOOb9pdJlMUEKFQ==",
- "dev": true,
- "engines": {
- "node": ">=8"
- }
- },
- "node_modules/ansi-styles": {
- "version": "3.2.1",
- "resolved": "https://registry.npmmirror.com/ansi-styles/-/ansi-styles-3.2.1.tgz",
- "integrity": "sha512-VT0ZI6kZRdTh8YyJw3SMbYm/u+NqfsAxEpWO0Pf9sq8/e94WxxOpPKx9FR1FlyCtOVDNOQ+8ntlqFxiRc+r5qA==",
- "dev": true,
- "dependencies": {
- "color-convert": "^1.9.0"
- },
- "engines": {
- "node": ">=4"
- }
- },
- "node_modules/anymatch": {
- "version": "3.1.2",
- "resolved": "https://registry.npmmirror.com/anymatch/-/anymatch-3.1.2.tgz",
- "integrity": "sha512-P43ePfOAIupkguHUycrc4qJ9kz8ZiuOUijaETwX7THt0Y/GNK7v0aa8rY816xWjZ7rJdA5XdMcpVFTKMq+RvWg==",
- "dev": true,
- "dependencies": {
- "normalize-path": "^3.0.0",
- "picomatch": "^2.0.4"
- },
- "engines": {
- "node": ">= 8"
- }
- },
- "node_modules/arg": {
- "version": "4.1.3",
- "resolved": "https://registry.npmmirror.com/arg/-/arg-4.1.3.tgz",
- "integrity": "sha512-58S9QDqG0Xx27YwPSt9fJxivjYl432YCwfDMfZ+71RAqUrZef7LrKQZ3LHLOwCS4FLNBplP533Zx895SeOCHvA==",
- "dev": true
- },
- "node_modules/argparse": {
- "version": "2.0.1",
- "resolved": "https://registry.npmmirror.com/argparse/-/argparse-2.0.1.tgz",
- "integrity": "sha512-8+9WqebbFzpX9OR+Wa6O29asIogeRMzcGtAINdpMHHyAg10f05aSFVBbcEqGf/PXw1EjAZ+q2/bEBg3DvurK3Q==",
- "dev": true
- },
- "node_modules/array-ify": {
- "version": "1.0.0",
- "resolved": "https://registry.npmmirror.com/array-ify/-/array-ify-1.0.0.tgz",
- "integrity": "sha512-c5AMf34bKdvPhQ7tBGhqkgKNUzMr4WUs+WDtC2ZUGOUncbxKMTvqxYctiseW3+L4bA8ec+GcZ6/A/FW4m8ukng==",
- "dev": true
- },
- "node_modules/array-union": {
- "version": "2.1.0",
- "resolved": "https://registry.npmmirror.com/array-union/-/array-union-2.1.0.tgz",
- "integrity": "sha512-HGyxoOTYUyCM6stUe6EJgnd4EoewAI7zMdfqO+kGjnlZmBDz/cR5pf8r/cR4Wq60sL/p0IkcjUEEPwS3GFrIyw==",
- "dev": true,
- "engines": {
- "node": ">=8"
- }
- },
- "node_modules/arrify": {
- "version": "1.0.1",
- "resolved": "https://registry.npmmirror.com/arrify/-/arrify-1.0.1.tgz",
- "integrity": "sha512-3CYzex9M9FGQjCGMGyi6/31c8GJbgb0qGyrx5HWxPd0aCwh4cB2YjMb2Xf9UuoogrMrlO9cTqnB5rI5GHZTcUA==",
- "dev": true,
- "engines": {
- "node": ">=0.10.0"
- }
- },
- "node_modules/astral-regex": {
- "version": "2.0.0",
- "resolved": "https://registry.npmmirror.com/astral-regex/-/astral-regex-2.0.0.tgz",
- "integrity": "sha512-Z7tMw1ytTXt5jqMcOP+OQteU1VuNK9Y02uuJtKQ1Sv69jXQKKg5cibLwGJow8yzZP+eAc18EmLGPal0bp36rvQ==",
- "dev": true,
- "engines": {
- "node": ">=8"
- }
- },
- "node_modules/async-validator": {
- "version": "4.2.5",
- "resolved": "https://registry.npmmirror.com/async-validator/-/async-validator-4.2.5.tgz",
- "integrity": "sha512-7HhHjtERjqlNbZtqNqy2rckN/SpOOlmDliet+lP7k+eKZEjPk3DgyeU9lIXLdeLz0uBbbVp+9Qdow9wJWgwwfg=="
- },
- "node_modules/autoprefixer": {
- "version": "10.4.8",
- "resolved": "https://registry.npmmirror.com/autoprefixer/-/autoprefixer-10.4.8.tgz",
- "integrity": "sha512-75Jr6Q/XpTqEf6D2ltS5uMewJIx5irCU1oBYJrWjFenq/m12WRRrz6g15L1EIoYvPLXTbEry7rDOwrcYNj77xw==",
- "dev": true,
- "dependencies": {
- "browserslist": "^4.21.3",
- "caniuse-lite": "^1.0.30001373",
- "fraction.js": "^4.2.0",
- "normalize-range": "^0.1.2",
- "picocolors": "^1.0.0",
- "postcss-value-parser": "^4.2.0"
- },
- "bin": {
- "autoprefixer": "bin/autoprefixer"
- },
- "engines": {
- "node": "^10 || ^12 || >=14"
- },
- "peerDependencies": {
- "postcss": "^8.1.0"
- }
- },
- "node_modules/balanced-match": {
- "version": "1.0.2",
- "resolved": "https://registry.npmmirror.com/balanced-match/-/balanced-match-1.0.2.tgz",
- "integrity": "sha512-3oSeUO0TMV67hN1AmbXsK4yaqU7tjiHlbxRDZOpH0KW9+CeX4bRAaX0Anxt0tx2MrpRpWwQaPwIlISEJhYU5Pw==",
- "dev": true
- },
- "node_modules/binary-extensions": {
- "version": "2.2.0",
- "resolved": "https://registry.npmmirror.com/binary-extensions/-/binary-extensions-2.2.0.tgz",
- "integrity": "sha512-jDctJ/IVQbZoJykoeHbhXpOlNBqGNcwXJKJog42E5HDPUwQTSdjCHdihjj0DlnheQ7blbT6dHOafNAiS8ooQKA==",
- "dev": true,
- "engines": {
- "node": ">=8"
- }
- },
- "node_modules/boolbase": {
- "version": "1.0.0",
- "resolved": "https://registry.npmmirror.com/boolbase/-/boolbase-1.0.0.tgz",
- "integrity": "sha512-JZOSA7Mo9sNGB8+UjSgzdLtokWAky1zbztM3WRLCbZ70/3cTANmQmOdR7y2g+J0e2WXywy1yS468tY+IruqEww==",
- "dev": true
- },
- "node_modules/brace-expansion": {
- "version": "1.1.11",
- "resolved": "https://registry.npmmirror.com/brace-expansion/-/brace-expansion-1.1.11.tgz",
- "integrity": "sha512-iCuPHDFgrHX7H2vEI/5xpz07zSHB00TpugqhmYtVmMO6518mCuRMoOYFldEBl0g187ufozdaHgWKcYFb61qGiA==",
- "dev": true,
- "dependencies": {
- "balanced-match": "^1.0.0",
- "concat-map": "0.0.1"
- }
- },
- "node_modules/braces": {
- "version": "3.0.2",
- "resolved": "https://registry.npmmirror.com/braces/-/braces-3.0.2.tgz",
- "integrity": "sha512-b8um+L1RzM3WDSzvhm6gIz1yfTbBt6YTlcEKAvsmqCZZFw46z626lVj9j1yEPW33H5H+lBQpZMP1k8l+78Ha0A==",
- "dev": true,
- "dependencies": {
- "fill-range": "^7.0.1"
- },
- "engines": {
- "node": ">=8"
- }
- },
- "node_modules/browserslist": {
- "version": "4.21.3",
- "resolved": "https://registry.npmmirror.com/browserslist/-/browserslist-4.21.3.tgz",
- "integrity": "sha512-898rgRXLAyRkM1GryrrBHGkqA5hlpkV5MhtZwg9QXeiyLUYs2k00Un05aX5l2/yJIOObYKOpS2JNo8nJDE7fWQ==",
- "dev": true,
- "dependencies": {
- "caniuse-lite": "^1.0.30001370",
- "electron-to-chromium": "^1.4.202",
- "node-releases": "^2.0.6",
- "update-browserslist-db": "^1.0.5"
- },
- "bin": {
- "browserslist": "cli.js"
- },
- "engines": {
- "node": "^6 || ^7 || ^8 || ^9 || ^10 || ^11 || ^12 || >=13.7"
- }
- },
- "node_modules/call-bind": {
- "version": "1.0.2",
- "resolved": "https://registry.npmmirror.com/call-bind/-/call-bind-1.0.2.tgz",
- "integrity": "sha512-7O+FbCihrB5WGbFYesctwmTKae6rOiIzmz1icreWJ+0aA7LJfuqhEso2T9ncpcFtzMQtzXf2QGGueWJGTYsqrA==",
- "dev": true,
- "dependencies": {
- "function-bind": "^1.1.1",
- "get-intrinsic": "^1.0.2"
- }
- },
- "node_modules/callsites": {
- "version": "3.1.0",
- "resolved": "https://registry.npmmirror.com/callsites/-/callsites-3.1.0.tgz",
- "integrity": "sha512-P8BjAsXvZS+VIDUI11hHCQEv74YT67YUi5JJFNWIqL235sBmjX4+qx9Muvls5ivyNENctx46xQLQ3aTuE7ssaQ==",
- "dev": true,
- "engines": {
- "node": ">=6"
- }
- },
- "node_modules/camelcase": {
- "version": "6.3.0",
- "resolved": "https://registry.npmmirror.com/camelcase/-/camelcase-6.3.0.tgz",
- "integrity": "sha512-Gmy6FhYlCY7uOElZUSbxo2UCDH8owEk996gkbrpsgGtrJLM3J7jGxl9Ic7Qwwj4ivOE5AWZWRMecDdF7hqGjFA==",
- "dev": true,
- "engines": {
- "node": ">=10"
- }
- },
- "node_modules/camelcase-css": {
- "version": "2.0.1",
- "resolved": "https://registry.npmmirror.com/camelcase-css/-/camelcase-css-2.0.1.tgz",
- "integrity": "sha512-QOSvevhslijgYwRx6Rv7zKdMF8lbRmx+uQGx2+vDc+KI/eBnsy9kit5aj23AgGu3pa4t9AgwbnXWqS+iOY+2aA==",
- "dev": true,
- "engines": {
- "node": ">= 6"
- }
- },
- "node_modules/camelcase-keys": {
- "version": "6.2.2",
- "resolved": "https://registry.npmmirror.com/camelcase-keys/-/camelcase-keys-6.2.2.tgz",
- "integrity": "sha512-YrwaA0vEKazPBkn0ipTiMpSajYDSe+KjQfrjhcBMxJt/znbvlHd8Pw/Vamaz5EB4Wfhs3SUR3Z9mwRu/P3s3Yg==",
- "dev": true,
- "dependencies": {
- "camelcase": "^5.3.1",
- "map-obj": "^4.0.0",
- "quick-lru": "^4.0.1"
- },
- "engines": {
- "node": ">=8"
- }
- },
- "node_modules/camelcase-keys/node_modules/camelcase": {
- "version": "5.3.1",
- "resolved": "https://registry.npmmirror.com/camelcase/-/camelcase-5.3.1.tgz",
- "integrity": "sha512-L28STB170nwWS63UjtlEOE3dldQApaJXZkOI1uMFfzf3rRuPegHaHesyee+YxQ+W6SvRDQV6UrdOdRiR153wJg==",
- "dev": true,
- "engines": {
- "node": ">=6"
- }
- },
- "node_modules/caniuse-lite": {
- "version": "1.0.30001373",
- "resolved": "https://registry.npmmirror.com/caniuse-lite/-/caniuse-lite-1.0.30001373.tgz",
- "integrity": "sha512-pJYArGHrPp3TUqQzFYRmP/lwJlj8RCbVe3Gd3eJQkAV8SAC6b19XS9BjMvRdvaS8RMkaTN8ZhoHP6S1y8zzwEQ==",
- "dev": true
- },
- "node_modules/chalk": {
- "version": "2.4.2",
- "resolved": "https://registry.npmmirror.com/chalk/-/chalk-2.4.2.tgz",
- "integrity": "sha512-Mti+f9lpJNcwF4tWV8/OrTTtF1gZi+f8FqlyAdouralcFWFQWF2+NgCHShjkCb+IFBLq9buZwE1xckQU4peSuQ==",
- "dev": true,
- "dependencies": {
- "ansi-styles": "^3.2.1",
- "escape-string-regexp": "^1.0.5",
- "supports-color": "^5.3.0"
- },
- "engines": {
- "node": ">=4"
- }
- },
- "node_modules/chokidar": {
- "version": "3.5.3",
- "resolved": "https://registry.npmmirror.com/chokidar/-/chokidar-3.5.3.tgz",
- "integrity": "sha512-Dr3sfKRP6oTcjf2JmUmFJfeVMvXBdegxB0iVQ5eb2V10uFJUCAS8OByZdVAyVb8xXNz3GjjTgj9kLWsZTqE6kw==",
- "dev": true,
- "dependencies": {
- "anymatch": "~3.1.2",
- "braces": "~3.0.2",
- "glob-parent": "~5.1.2",
- "is-binary-path": "~2.1.0",
- "is-glob": "~4.0.1",
- "normalize-path": "~3.0.0",
- "readdirp": "~3.6.0"
- },
- "engines": {
- "node": ">= 8.10.0"
- },
- "optionalDependencies": {
- "fsevents": "~2.3.2"
- }
- },
- "node_modules/chokidar/node_modules/glob-parent": {
- "version": "5.1.2",
- "resolved": "https://registry.npmmirror.com/glob-parent/-/glob-parent-5.1.2.tgz",
- "integrity": "sha512-AOIgSQCepiJYwP3ARnGx+5VnTu2HBYdzbGP45eLw1vr3zB3vZLeyed1sC9hnbcOc9/SrMyM5RPQrkGz4aS9Zow==",
- "dev": true,
- "dependencies": {
- "is-glob": "^4.0.1"
- },
- "engines": {
- "node": ">= 6"
- }
- },
- "node_modules/clean-stack": {
- "version": "2.2.0",
- "resolved": "https://registry.npmmirror.com/clean-stack/-/clean-stack-2.2.0.tgz",
- "integrity": "sha512-4diC9HaTE+KRAMWhDhrGOECgWZxoevMc5TlkObMqNSsVU62PYzXZ/SMTjzyGAFF1YusgxGcSWTEXBhp0CPwQ1A==",
- "dev": true,
- "engines": {
- "node": ">=6"
- }
- },
- "node_modules/cli-cursor": {
- "version": "3.1.0",
- "resolved": "https://registry.npmmirror.com/cli-cursor/-/cli-cursor-3.1.0.tgz",
- "integrity": "sha512-I/zHAwsKf9FqGoXM4WWRACob9+SNukZTd94DWF57E4toouRulbCxcUh6RKUEOQlYTHJnzkPMySvPNaaSLNfLZw==",
- "dev": true,
- "dependencies": {
- "restore-cursor": "^3.1.0"
- },
- "engines": {
- "node": ">=8"
- }
- },
- "node_modules/cli-truncate": {
- "version": "3.1.0",
- "resolved": "https://registry.npmmirror.com/cli-truncate/-/cli-truncate-3.1.0.tgz",
- "integrity": "sha512-wfOBkjXteqSnI59oPcJkcPl/ZmwvMMOj340qUIY1SKZCv0B9Cf4D4fAucRkIKQmsIuYK3x1rrgU7MeGRruiuiA==",
- "dev": true,
- "dependencies": {
- "slice-ansi": "^5.0.0",
- "string-width": "^5.0.0"
- },
- "engines": {
- "node": "^12.20.0 || ^14.13.1 || >=16.0.0"
- }
- },
- "node_modules/cli-truncate/node_modules/ansi-regex": {
- "version": "6.0.1",
- "resolved": "https://registry.npmmirror.com/ansi-regex/-/ansi-regex-6.0.1.tgz",
- "integrity": "sha512-n5M855fKb2SsfMIiFFoVrABHJC8QtHwVx+mHWP3QcEqBHYienj5dHSgjbxtC0WEZXYt4wcD6zrQElDPhFuZgfA==",
- "dev": true,
- "engines": {
- "node": ">=12"
- }
- },
- "node_modules/cli-truncate/node_modules/emoji-regex": {
- "version": "9.2.2",
- "resolved": "https://registry.npmmirror.com/emoji-regex/-/emoji-regex-9.2.2.tgz",
- "integrity": "sha512-L18DaJsXSUk2+42pv8mLs5jJT2hqFkFE4j21wOmgbUqsZ2hL72NsUU785g9RXgo3s0ZNgVl42TiHp3ZtOv/Vyg==",
- "dev": true
- },
- "node_modules/cli-truncate/node_modules/string-width": {
- "version": "5.1.2",
- "resolved": "https://registry.npmmirror.com/string-width/-/string-width-5.1.2.tgz",
- "integrity": "sha512-HnLOCR3vjcY8beoNLtcjZ5/nxn2afmME6lhrDrebokqMap+XbeW8n9TXpPDOqdGK5qcI3oT0GKTW6wC7EMiVqA==",
- "dev": true,
- "dependencies": {
- "eastasianwidth": "^0.2.0",
- "emoji-regex": "^9.2.2",
- "strip-ansi": "^7.0.1"
- },
- "engines": {
- "node": ">=12"
- }
- },
- "node_modules/cli-truncate/node_modules/strip-ansi": {
- "version": "7.0.1",
- "resolved": "https://registry.npmmirror.com/strip-ansi/-/strip-ansi-7.0.1.tgz",
- "integrity": "sha512-cXNxvT8dFNRVfhVME3JAe98mkXDYN2O1l7jmcwMnOslDeESg1rF/OZMtK0nRAhiari1unG5cD4jG3rapUAkLbw==",
- "dev": true,
- "dependencies": {
- "ansi-regex": "^6.0.1"
- },
- "engines": {
- "node": ">=12"
- }
- },
- "node_modules/cliui": {
- "version": "7.0.4",
- "resolved": "https://registry.npmmirror.com/cliui/-/cliui-7.0.4.tgz",
- "integrity": "sha512-OcRE68cOsVMXp1Yvonl/fzkQOyjLSu/8bhPDfQt0e0/Eb283TKP20Fs2MqoPsr9SwA595rRCA+QMzYc9nBP+JQ==",
- "dev": true,
- "dependencies": {
- "string-width": "^4.2.0",
- "strip-ansi": "^6.0.0",
- "wrap-ansi": "^7.0.0"
- }
- },
- "node_modules/color-convert": {
- "version": "1.9.3",
- "resolved": "https://registry.npmmirror.com/color-convert/-/color-convert-1.9.3.tgz",
- "integrity": "sha512-QfAUtd+vFdAtFQcC8CCyYt1fYWxSqAiK2cSD6zDB8N3cpsEBAvRxp9zOGg6G/SHHJYAT88/az/IuDGALsNVbGg==",
- "dev": true,
- "dependencies": {
- "color-name": "1.1.3"
- }
- },
- "node_modules/color-name": {
- "version": "1.1.3",
- "resolved": "https://registry.npmmirror.com/color-name/-/color-name-1.1.3.tgz",
- "integrity": "sha512-72fSenhMw2HZMTVHeCA9KCmpEIbzWiQsjN+BHcBbS9vr1mtt+vJjPdksIBNUmKAW8TFUDPJK5SUU3QhE9NEXDw==",
- "dev": true
- },
- "node_modules/colorette": {
- "version": "2.0.19",
- "resolved": "https://registry.npmmirror.com/colorette/-/colorette-2.0.19.tgz",
- "integrity": "sha512-3tlv/dIP7FWvj3BsbHrGLJ6l/oKh1O3TcgBqMn+yyCagOxc23fyzDS6HypQbgxWbkpDnf52p1LuR4eWDQ/K9WQ==",
- "dev": true
- },
- "node_modules/commander": {
- "version": "9.4.0",
- "resolved": "https://registry.npmmirror.com/commander/-/commander-9.4.0.tgz",
- "integrity": "sha512-sRPT+umqkz90UA8M1yqYfnHlZA7fF6nSphDtxeywPZ49ysjxDQybzk13CL+mXekDRG92skbcqCLVovuCusNmFw==",
- "dev": true,
- "engines": {
- "node": "^12.20.0 || >=14"
- }
- },
- "node_modules/compare-func": {
- "version": "2.0.0",
- "resolved": "https://registry.npmmirror.com/compare-func/-/compare-func-2.0.0.tgz",
- "integrity": "sha512-zHig5N+tPWARooBnb0Zx1MFcdfpyJrfTJ3Y5L+IFvUm8rM74hHz66z0gw0x4tijh5CorKkKUCnW82R2vmpeCRA==",
- "dev": true,
- "dependencies": {
- "array-ify": "^1.0.0",
- "dot-prop": "^5.1.0"
- }
- },
- "node_modules/concat-map": {
- "version": "0.0.1",
- "resolved": "https://registry.npmmirror.com/concat-map/-/concat-map-0.0.1.tgz",
- "integrity": "sha512-/Srv4dswyQNBfohGpz9o6Yb3Gz3SrUDqBH5rTuhGR7ahtlbYKnVxw2bCFMRljaA7EXHaXZ8wsHdodFvbkhKmqg==",
- "dev": true
- },
- "node_modules/conventional-changelog-angular": {
- "version": "5.0.13",
- "resolved": "https://registry.npmmirror.com/conventional-changelog-angular/-/conventional-changelog-angular-5.0.13.tgz",
- "integrity": "sha512-i/gipMxs7s8L/QeuavPF2hLnJgH6pEZAttySB6aiQLWcX3puWDL3ACVmvBhJGxnAy52Qc15ua26BufY6KpmrVA==",
- "dev": true,
- "dependencies": {
- "compare-func": "^2.0.0",
- "q": "^1.5.1"
- },
- "engines": {
- "node": ">=10"
- }
- },
- "node_modules/conventional-changelog-conventionalcommits": {
- "version": "5.0.0",
- "resolved": "https://registry.npmmirror.com/conventional-changelog-conventionalcommits/-/conventional-changelog-conventionalcommits-5.0.0.tgz",
- "integrity": "sha512-lCDbA+ZqVFQGUj7h9QBKoIpLhl8iihkO0nCTyRNzuXtcd7ubODpYB04IFy31JloiJgG0Uovu8ot8oxRzn7Nwtw==",
- "dev": true,
- "dependencies": {
- "compare-func": "^2.0.0",
- "lodash": "^4.17.15",
- "q": "^1.5.1"
- },
- "engines": {
- "node": ">=10"
- }
- },
- "node_modules/conventional-commits-parser": {
- "version": "3.2.4",
- "resolved": "https://registry.npmmirror.com/conventional-commits-parser/-/conventional-commits-parser-3.2.4.tgz",
- "integrity": "sha512-nK7sAtfi+QXbxHCYfhpZsfRtaitZLIA6889kFIouLvz6repszQDgxBu7wf2WbU+Dco7sAnNCJYERCwt54WPC2Q==",
- "dev": true,
- "dependencies": {
- "is-text-path": "^1.0.1",
- "JSONStream": "^1.0.4",
- "lodash": "^4.17.15",
- "meow": "^8.0.0",
- "split2": "^3.0.0",
- "through2": "^4.0.0"
- },
- "bin": {
- "conventional-commits-parser": "cli.js"
- },
- "engines": {
- "node": ">=10"
- }
- },
- "node_modules/convert-source-map": {
- "version": "1.8.0",
- "resolved": "https://registry.npmmirror.com/convert-source-map/-/convert-source-map-1.8.0.tgz",
- "integrity": "sha512-+OQdjP49zViI/6i7nIJpA8rAl4sV/JdPfU9nZs3VqOwGIgizICvuN2ru6fMd+4llL0tar18UYJXfZ/TWtmhUjA==",
- "dev": true,
- "dependencies": {
- "safe-buffer": "~5.1.1"
- }
- },
- "node_modules/cosmiconfig": {
- "version": "7.0.1",
- "resolved": "https://registry.npmmirror.com/cosmiconfig/-/cosmiconfig-7.0.1.tgz",
- "integrity": "sha512-a1YWNUV2HwGimB7dU2s1wUMurNKjpx60HxBB6xUM8Re+2s1g1IIfJvFR0/iCF+XHdE0GMTKTuLR32UQff4TEyQ==",
- "dev": true,
- "dependencies": {
- "@types/parse-json": "^4.0.0",
- "import-fresh": "^3.2.1",
- "parse-json": "^5.0.0",
- "path-type": "^4.0.0",
- "yaml": "^1.10.0"
- },
- "engines": {
- "node": ">=10"
- }
- },
- "node_modules/cosmiconfig-typescript-loader": {
- "version": "2.0.2",
- "resolved": "https://registry.npmmirror.com/cosmiconfig-typescript-loader/-/cosmiconfig-typescript-loader-2.0.2.tgz",
- "integrity": "sha512-KmE+bMjWMXJbkWCeY4FJX/npHuZPNr9XF9q9CIQ/bpFwi1qHfCmSiKarrCcRa0LO4fWjk93pVoeRtJAkTGcYNw==",
- "dev": true,
- "dependencies": {
- "cosmiconfig": "^7",
- "ts-node": "^10.8.1"
- },
- "engines": {
- "node": ">=12",
- "npm": ">=6"
- },
- "peerDependencies": {
- "@types/node": "*",
- "cosmiconfig": ">=7",
- "typescript": ">=3"
- }
- },
- "node_modules/cosmiconfig/node_modules/parse-json": {
- "version": "5.2.0",
- "resolved": "https://registry.npmmirror.com/parse-json/-/parse-json-5.2.0.tgz",
- "integrity": "sha512-ayCKvm/phCGxOkYRSCM82iDwct8/EonSEgCSxWxD7ve6jHggsFl4fZVQBPRNgQoKiuV/odhFrGzQXZwbifC8Rg==",
- "dev": true,
- "dependencies": {
- "@babel/code-frame": "^7.0.0",
- "error-ex": "^1.3.1",
- "json-parse-even-better-errors": "^2.3.0",
- "lines-and-columns": "^1.1.6"
- },
- "engines": {
- "node": ">=8"
- }
- },
- "node_modules/create-require": {
- "version": "1.1.1",
- "resolved": "https://registry.npmmirror.com/create-require/-/create-require-1.1.1.tgz",
- "integrity": "sha512-dcKFX3jn0MpIaXjisoRvexIJVEKzaq7z2rZKxf+MSr9TkdmHmsU4m2lcLojrj/FHl8mk5VxMmYA+ftRkP/3oKQ==",
- "dev": true
- },
- "node_modules/cross-spawn": {
- "version": "7.0.3",
- "resolved": "https://registry.npmmirror.com/cross-spawn/-/cross-spawn-7.0.3.tgz",
- "integrity": "sha512-iRDPJKUPVEND7dHPO8rkbOnPpyDygcDFtWjpeWNCgy8WP2rXcxXL8TskReQl6OrB2G7+UJrags1q15Fudc7G6w==",
- "dev": true,
- "dependencies": {
- "path-key": "^3.1.0",
- "shebang-command": "^2.0.0",
- "which": "^2.0.1"
- },
- "engines": {
- "node": ">= 8"
- }
- },
- "node_modules/cssesc": {
- "version": "3.0.0",
- "resolved": "https://registry.npmmirror.com/cssesc/-/cssesc-3.0.0.tgz",
- "integrity": "sha512-/Tb/JcjK111nNScGob5MNtsntNM1aCNUDipB/TkwZFhyDrrE47SOx/18wF2bbjgc3ZzCSKW1T5nt5EbFoAz/Vg==",
- "dev": true,
- "bin": {
- "cssesc": "bin/cssesc"
- },
- "engines": {
- "node": ">=4"
- }
- },
- "node_modules/csstype": {
- "version": "2.6.20",
- "resolved": "https://registry.npmmirror.com/csstype/-/csstype-2.6.20.tgz",
- "integrity": "sha512-/WwNkdXfckNgw6S5R125rrW8ez139lBHWouiBvX8dfMFtcn6V81REDqnH7+CRpRipfYlyU1CmOnOxrmGcFOjeA=="
- },
- "node_modules/cz-git": {
- "version": "1.3.10",
- "resolved": "https://registry.npmmirror.com/cz-git/-/cz-git-1.3.10.tgz",
- "integrity": "sha512-JRYsUVYdHp+21X8ms7LsrhzEzF3sG0flKKuQTNPafC4mdmF//H9vSUVd8Gt5xDRmAACx2gU7W2wyX0abKklBmQ==",
- "dev": true
- },
- "node_modules/czg": {
- "version": "1.3.10",
- "resolved": "https://registry.npmmirror.com/czg/-/czg-1.3.10.tgz",
- "integrity": "sha512-rt67CVRVo8SCiOLp96qk/iQIyJlAi//2maTBpwEHPccTupD0jLduDXNWc3INjjMwtVIMXaZ9W/k6W5oFgYUDSw==",
- "dev": true,
- "bin": {
- "czg": "bin/index.js",
- "git-czg": "bin/index.js"
- }
- },
- "node_modules/dargs": {
- "version": "7.0.0",
- "resolved": "https://registry.npmmirror.com/dargs/-/dargs-7.0.0.tgz",
- "integrity": "sha512-2iy1EkLdlBzQGvbweYRFxmFath8+K7+AKB0TlhHWkNuH+TmovaMH/Wp7V7R4u7f4SnX3OgLsU9t1NI9ioDnUpg==",
- "dev": true,
- "engines": {
- "node": ">=8"
- }
- },
- "node_modules/dayjs": {
- "version": "1.11.4",
- "resolved": "https://registry.npmmirror.com/dayjs/-/dayjs-1.11.4.tgz",
- "integrity": "sha512-Zj/lPM5hOvQ1Bf7uAvewDaUcsJoI6JmNqmHhHl3nyumwe0XHwt8sWdOVAPACJzCebL8gQCi+K49w7iKWnGwX9g=="
- },
- "node_modules/debug": {
- "version": "4.3.4",
- "resolved": "https://registry.npmmirror.com/debug/-/debug-4.3.4.tgz",
- "integrity": "sha512-PRWFHuSU3eDtQJPvnNY7Jcket1j0t5OuOsFzPPzsekD52Zl8qUfFIPEiswXqIvHWGVHOgX+7G/vCNNhehwxfkQ==",
- "dev": true,
- "dependencies": {
- "ms": "2.1.2"
- },
- "engines": {
- "node": ">=6.0"
- },
- "peerDependenciesMeta": {
- "supports-color": {
- "optional": true
- }
- }
- },
- "node_modules/decamelize": {
- "version": "1.2.0",
- "resolved": "https://registry.npmmirror.com/decamelize/-/decamelize-1.2.0.tgz",
- "integrity": "sha512-z2S+W9X73hAUUki+N+9Za2lBlun89zigOyGrsax+KUQ6wKW4ZoWpEYBkGhQjwAjjDCkWxhY0VKEhk8wzY7F5cA==",
- "dev": true,
- "engines": {
- "node": ">=0.10.0"
- }
- },
- "node_modules/decamelize-keys": {
- "version": "1.1.0",
- "resolved": "https://registry.npmmirror.com/decamelize-keys/-/decamelize-keys-1.1.0.tgz",
- "integrity": "sha512-ocLWuYzRPoS9bfiSdDd3cxvrzovVMZnRDVEzAs+hWIVXGDbHxWMECij2OBuyB/An0FFW/nLuq6Kv1i/YC5Qfzg==",
- "dev": true,
- "dependencies": {
- "decamelize": "^1.1.0",
- "map-obj": "^1.0.0"
- },
- "engines": {
- "node": ">=0.10.0"
- }
- },
- "node_modules/decamelize-keys/node_modules/map-obj": {
- "version": "1.0.1",
- "resolved": "https://registry.npmmirror.com/map-obj/-/map-obj-1.0.1.tgz",
- "integrity": "sha512-7N/q3lyZ+LVCp7PzuxrJr4KMbBE2hW7BT7YNia330OFxIf4d3r5zVpicP2650l7CPN6RM9zOJRl3NGpqSiw3Eg==",
- "dev": true,
- "engines": {
- "node": ">=0.10.0"
- }
- },
- "node_modules/deep-is": {
- "version": "0.1.4",
- "resolved": "https://registry.npmmirror.com/deep-is/-/deep-is-0.1.4.tgz",
- "integrity": "sha512-oIPzksmTg4/MriiaYGO+okXDT7ztn/w3Eptv/+gSIdMdKsJo0u4CfYNFJPy+4SKMuCqGw2wxnA+URMg3t8a/bQ==",
- "dev": true
- },
- "node_modules/define-properties": {
- "version": "1.1.4",
- "resolved": "https://registry.npmmirror.com/define-properties/-/define-properties-1.1.4.tgz",
- "integrity": "sha512-uckOqKcfaVvtBdsVkdPv3XjveQJsNQqmhXgRi8uhvWWuPYZCNlzT8qAyblUgNoXdHdjMTzAqeGjAoli8f+bzPA==",
- "dev": true,
- "dependencies": {
- "has-property-descriptors": "^1.0.0",
- "object-keys": "^1.1.1"
- },
- "engines": {
- "node": ">= 0.4"
- }
- },
- "node_modules/defined": {
- "version": "1.0.0",
- "resolved": "https://registry.npmmirror.com/defined/-/defined-1.0.0.tgz",
- "integrity": "sha512-Y2caI5+ZwS5c3RiNDJ6u53VhQHv+hHKwhkI1iHvceKUHw9Df6EK2zRLfjejRgMuCuxK7PfSWIMwWecceVvThjQ==",
- "dev": true
- },
- "node_modules/detective": {
- "version": "5.2.1",
- "resolved": "https://registry.npmmirror.com/detective/-/detective-5.2.1.tgz",
- "integrity": "sha512-v9XE1zRnz1wRtgurGu0Bs8uHKFSTdteYZNbIPFVhUZ39L/S79ppMpdmVOZAnoz1jfEFodc48n6MX483Xo3t1yw==",
- "dev": true,
- "dependencies": {
- "acorn-node": "^1.8.2",
- "defined": "^1.0.0",
- "minimist": "^1.2.6"
- },
- "bin": {
- "detective": "bin/detective.js"
- },
- "engines": {
- "node": ">=0.8.0"
- }
- },
- "node_modules/didyoumean": {
- "version": "1.2.2",
- "resolved": "https://registry.npmmirror.com/didyoumean/-/didyoumean-1.2.2.tgz",
- "integrity": "sha512-gxtyfqMg7GKyhQmb056K7M3xszy/myH8w+B4RT+QXBQsvAOdc3XymqDDPHx1BgPgsdAA5SIifona89YtRATDzw==",
- "dev": true
- },
- "node_modules/diff": {
- "version": "4.0.2",
- "resolved": "https://registry.npmmirror.com/diff/-/diff-4.0.2.tgz",
- "integrity": "sha512-58lmxKSA4BNyLz+HHMUzlOEpg09FV+ev6ZMe3vJihgdxzgcwZ8VoEEPmALCZG9LmqfVoNMMKpttIYTVG6uDY7A==",
- "dev": true,
- "engines": {
- "node": ">=0.3.1"
- }
- },
- "node_modules/dir-glob": {
- "version": "3.0.1",
- "resolved": "https://registry.npmmirror.com/dir-glob/-/dir-glob-3.0.1.tgz",
- "integrity": "sha512-WkrWp9GR4KXfKGYzOLmTuGVi1UWFfws377n9cc55/tb6DuqyF6pcQ5AbiHEshaDpY9v6oaSr2XCDidGmMwdzIA==",
- "dev": true,
- "dependencies": {
- "path-type": "^4.0.0"
- },
- "engines": {
- "node": ">=8"
- }
- },
- "node_modules/dlv": {
- "version": "1.1.3",
- "resolved": "https://registry.npmmirror.com/dlv/-/dlv-1.1.3.tgz",
- "integrity": "sha512-+HlytyjlPKnIG8XuRG8WvmBP8xs8P71y+SKKS6ZXWoEgLuePxtDoUEiH7WkdePWrQ5JBpE6aoVqfZfJUQkjXwA==",
- "dev": true
- },
- "node_modules/doctrine": {
- "version": "3.0.0",
- "resolved": "https://registry.npmmirror.com/doctrine/-/doctrine-3.0.0.tgz",
- "integrity": "sha512-yS+Q5i3hBf7GBkd4KG8a7eBNNWNGLTaEwwYWUijIYM7zrlYDM0BFXHjjPWlWZ1Rg7UaddZeIDmi9jF3HmqiQ2w==",
- "dev": true,
- "dependencies": {
- "esutils": "^2.0.2"
- },
- "engines": {
- "node": ">=6.0.0"
- }
- },
- "node_modules/dot-prop": {
- "version": "5.3.0",
- "resolved": "https://registry.npmmirror.com/dot-prop/-/dot-prop-5.3.0.tgz",
- "integrity": "sha512-QM8q3zDe58hqUqjraQOmzZ1LIH9SWQJTlEKCH4kJ2oQvLZk7RbQXvtDM2XEq3fwkV9CCvvH4LA0AV+ogFsBM2Q==",
- "dev": true,
- "dependencies": {
- "is-obj": "^2.0.0"
- },
- "engines": {
- "node": ">=8"
- }
- },
- "node_modules/eastasianwidth": {
- "version": "0.2.0",
- "resolved": "https://registry.npmmirror.com/eastasianwidth/-/eastasianwidth-0.2.0.tgz",
- "integrity": "sha512-I88TYZWc9XiYHRQ4/3c5rjjfgkjhLyW2luGIheGERbNQ6OY7yTybanSpDXZa8y7VUP9YmDcYa+eyq4ca7iLqWA==",
- "dev": true
- },
- "node_modules/electron-to-chromium": {
- "version": "1.4.206",
- "resolved": "https://registry.npmmirror.com/electron-to-chromium/-/electron-to-chromium-1.4.206.tgz",
- "integrity": "sha512-h+Fadt1gIaQ06JaIiyqPsBjJ08fV5Q7md+V8bUvQW/9OvXfL2LRICTz2EcnnCP7QzrFTS6/27MRV6Bl9Yn97zA==",
- "dev": true
- },
- "node_modules/element-plus": {
- "version": "2.2.12",
- "resolved": "https://registry.npmmirror.com/element-plus/-/element-plus-2.2.12.tgz",
- "integrity": "sha512-g/hIHj3b+dND2R3YRvyvCJtJhQvR7lWvXqhJaoxaQmajjNWedoe4rttxG26fOSv9YCC2wN4iFDcJHs70YFNgrA==",
- "dependencies": {
- "@ctrl/tinycolor": "^3.4.1",
- "@element-plus/icons-vue": "^2.0.6",
- "@floating-ui/dom": "^0.5.4",
- "@popperjs/core": "npm:@sxzz/popperjs-es@^2.11.7",
- "@types/lodash": "^4.14.182",
- "@types/lodash-es": "^4.17.6",
- "@vueuse/core": "^8.7.5",
- "async-validator": "^4.2.5",
- "dayjs": "^1.11.3",
- "escape-html": "^1.0.3",
- "lodash": "^4.17.21",
- "lodash-es": "^4.17.21",
- "lodash-unified": "^1.0.2",
- "memoize-one": "^6.0.0",
- "normalize-wheel-es": "^1.2.0"
- },
- "peerDependencies": {
- "vue": "^3.2.0"
- }
- },
- "node_modules/element-plus/node_modules/@popperjs/core": {
- "name": "@sxzz/popperjs-es",
- "version": "2.11.7",
- "resolved": "https://registry.npmmirror.com/@sxzz/popperjs-es/-/popperjs-es-2.11.7.tgz",
- "integrity": "sha512-Ccy0NlLkzr0Ex2FKvh2X+OyERHXJ88XJ1MXtsI9y9fGexlaXaVTPzBCRBwIxFkORuOb+uBqeu+RqnpgYTEZRUQ=="
- },
- "node_modules/emoji-regex": {
- "version": "8.0.0",
- "resolved": "https://registry.npmmirror.com/emoji-regex/-/emoji-regex-8.0.0.tgz",
- "integrity": "sha512-MSjYzcWNOA0ewAHpz0MxpYFvwg6yjy1NG3xteoqz644VCo/RPgnr1/GGt+ic3iJTzQ8Eu3TdM14SawnVUmGE6A==",
- "dev": true
- },
- "node_modules/error-ex": {
- "version": "1.3.2",
- "resolved": "https://registry.npmmirror.com/error-ex/-/error-ex-1.3.2.tgz",
- "integrity": "sha512-7dFHNmqeFSEt2ZBsCriorKnn3Z2pj+fd9kmI6QoWw4//DL+icEBfc0U7qJCisqrTsKTjw4fNFy2pW9OqStD84g==",
- "dev": true,
- "dependencies": {
- "is-arrayish": "^0.2.1"
- }
- },
- "node_modules/es-abstract": {
- "version": "1.20.1",
- "resolved": "https://registry.npmmirror.com/es-abstract/-/es-abstract-1.20.1.tgz",
- "integrity": "sha512-WEm2oBhfoI2sImeM4OF2zE2V3BYdSF+KnSi9Sidz51fQHd7+JuF8Xgcj9/0o+OWeIeIS/MiuNnlruQrJf16GQA==",
- "dev": true,
- "dependencies": {
- "call-bind": "^1.0.2",
- "es-to-primitive": "^1.2.1",
- "function-bind": "^1.1.1",
- "function.prototype.name": "^1.1.5",
- "get-intrinsic": "^1.1.1",
- "get-symbol-description": "^1.0.0",
- "has": "^1.0.3",
- "has-property-descriptors": "^1.0.0",
- "has-symbols": "^1.0.3",
- "internal-slot": "^1.0.3",
- "is-callable": "^1.2.4",
- "is-negative-zero": "^2.0.2",
- "is-regex": "^1.1.4",
- "is-shared-array-buffer": "^1.0.2",
- "is-string": "^1.0.7",
- "is-weakref": "^1.0.2",
- "object-inspect": "^1.12.0",
- "object-keys": "^1.1.1",
- "object.assign": "^4.1.2",
- "regexp.prototype.flags": "^1.4.3",
- "string.prototype.trimend": "^1.0.5",
- "string.prototype.trimstart": "^1.0.5",
- "unbox-primitive": "^1.0.2"
- },
- "engines": {
- "node": ">= 0.4"
- }
- },
- "node_modules/es-to-primitive": {
- "version": "1.2.1",
- "resolved": "https://registry.npmmirror.com/es-to-primitive/-/es-to-primitive-1.2.1.tgz",
- "integrity": "sha512-QCOllgZJtaUo9miYBcLChTUaHNjJF3PYs1VidD7AwiEj1kYxKeQTctLAezAOH5ZKRH0g2IgPn6KwB4IT8iRpvA==",
- "dev": true,
- "dependencies": {
- "is-callable": "^1.1.4",
- "is-date-object": "^1.0.1",
- "is-symbol": "^1.0.2"
- },
- "engines": {
- "node": ">= 0.4"
- }
- },
- "node_modules/esbuild": {
- "version": "0.14.51",
- "resolved": "https://registry.npmmirror.com/esbuild/-/esbuild-0.14.51.tgz",
- "integrity": "sha512-+CvnDitD7Q5sT7F+FM65sWkF8wJRf+j9fPcprxYV4j+ohmzVj2W7caUqH2s5kCaCJAfcAICjSlKhDCcvDpU7nw==",
- "dev": true,
- "hasInstallScript": true,
- "bin": {
- "esbuild": "bin/esbuild"
- },
- "engines": {
- "node": ">=12"
- },
- "optionalDependencies": {
- "esbuild-android-64": "0.14.51",
- "esbuild-android-arm64": "0.14.51",
- "esbuild-darwin-64": "0.14.51",
- "esbuild-darwin-arm64": "0.14.51",
- "esbuild-freebsd-64": "0.14.51",
- "esbuild-freebsd-arm64": "0.14.51",
- "esbuild-linux-32": "0.14.51",
- "esbuild-linux-64": "0.14.51",
- "esbuild-linux-arm": "0.14.51",
- "esbuild-linux-arm64": "0.14.51",
- "esbuild-linux-mips64le": "0.14.51",
- "esbuild-linux-ppc64le": "0.14.51",
- "esbuild-linux-riscv64": "0.14.51",
- "esbuild-linux-s390x": "0.14.51",
- "esbuild-netbsd-64": "0.14.51",
- "esbuild-openbsd-64": "0.14.51",
- "esbuild-sunos-64": "0.14.51",
- "esbuild-windows-32": "0.14.51",
- "esbuild-windows-64": "0.14.51",
- "esbuild-windows-arm64": "0.14.51"
- }
- },
- "node_modules/esbuild-android-64": {
- "version": "0.14.51",
- "resolved": "https://registry.npmmirror.com/esbuild-android-64/-/esbuild-android-64-0.14.51.tgz",
- "integrity": "sha512-6FOuKTHnC86dtrKDmdSj2CkcKF8PnqkaIXqvgydqfJmqBazCPdw+relrMlhGjkvVdiiGV70rpdnyFmA65ekBCQ==",
- "cpu": [
- "x64"
- ],
- "dev": true,
- "optional": true,
- "os": [
- "android"
- ],
- "engines": {
- "node": ">=12"
- }
- },
- "node_modules/esbuild-android-arm64": {
- "version": "0.14.51",
- "resolved": "https://registry.npmmirror.com/esbuild-android-arm64/-/esbuild-android-arm64-0.14.51.tgz",
- "integrity": "sha512-vBtp//5VVkZWmYYvHsqBRCMMi1MzKuMIn5XDScmnykMTu9+TD9v0NMEDqQxvtFToeYmojdo5UCV2vzMQWJcJ4A==",
- "cpu": [
- "arm64"
- ],
- "dev": true,
- "optional": true,
- "os": [
- "android"
- ],
- "engines": {
- "node": ">=12"
- }
- },
- "node_modules/esbuild-darwin-64": {
- "version": "0.14.51",
- "resolved": "https://registry.npmmirror.com/esbuild-darwin-64/-/esbuild-darwin-64-0.14.51.tgz",
- "integrity": "sha512-YFmXPIOvuagDcwCejMRtCDjgPfnDu+bNeh5FU2Ryi68ADDVlWEpbtpAbrtf/lvFTWPexbgyKgzppNgsmLPr8PA==",
- "cpu": [
- "x64"
- ],
- "dev": true,
- "optional": true,
- "os": [
- "darwin"
- ],
- "engines": {
- "node": ">=12"
- }
- },
- "node_modules/esbuild-darwin-arm64": {
- "version": "0.14.51",
- "resolved": "https://registry.npmmirror.com/esbuild-darwin-arm64/-/esbuild-darwin-arm64-0.14.51.tgz",
- "integrity": "sha512-juYD0QnSKwAMfzwKdIF6YbueXzS6N7y4GXPDeDkApz/1RzlT42mvX9jgNmyOlWKN7YzQAYbcUEJmZJYQGdf2ow==",
- "cpu": [
- "arm64"
- ],
- "dev": true,
- "optional": true,
- "os": [
- "darwin"
- ],
- "engines": {
- "node": ">=12"
- }
- },
- "node_modules/esbuild-freebsd-64": {
- "version": "0.14.51",
- "resolved": "https://registry.npmmirror.com/esbuild-freebsd-64/-/esbuild-freebsd-64-0.14.51.tgz",
- "integrity": "sha512-cLEI/aXjb6vo5O2Y8rvVSQ7smgLldwYY5xMxqh/dQGfWO+R1NJOFsiax3IS4Ng300SVp7Gz3czxT6d6qf2cw0g==",
- "cpu": [
- "x64"
- ],
- "dev": true,
- "optional": true,
- "os": [
- "freebsd"
- ],
- "engines": {
- "node": ">=12"
- }
- },
- "node_modules/esbuild-freebsd-arm64": {
- "version": "0.14.51",
- "resolved": "https://registry.npmmirror.com/esbuild-freebsd-arm64/-/esbuild-freebsd-arm64-0.14.51.tgz",
- "integrity": "sha512-TcWVw/rCL2F+jUgRkgLa3qltd5gzKjIMGhkVybkjk6PJadYInPtgtUBp1/hG+mxyigaT7ib+od1Xb84b+L+1Mg==",
- "cpu": [
- "arm64"
- ],
- "dev": true,
- "optional": true,
- "os": [
- "freebsd"
- ],
- "engines": {
- "node": ">=12"
- }
- },
- "node_modules/esbuild-linux-32": {
- "version": "0.14.51",
- "resolved": "https://registry.npmmirror.com/esbuild-linux-32/-/esbuild-linux-32-0.14.51.tgz",
- "integrity": "sha512-RFqpyC5ChyWrjx8Xj2K0EC1aN0A37H6OJfmUXIASEqJoHcntuV3j2Efr9RNmUhMfNE6yEj2VpYuDteZLGDMr0w==",
- "cpu": [
- "ia32"
- ],
- "dev": true,
- "optional": true,
- "os": [
- "linux"
- ],
- "engines": {
- "node": ">=12"
- }
- },
- "node_modules/esbuild-linux-64": {
- "version": "0.14.51",
- "resolved": "https://registry.npmmirror.com/esbuild-linux-64/-/esbuild-linux-64-0.14.51.tgz",
- "integrity": "sha512-dxjhrqo5i7Rq6DXwz5v+MEHVs9VNFItJmHBe1CxROWNf4miOGoQhqSG8StStbDkQ1Mtobg6ng+4fwByOhoQoeA==",
- "cpu": [
- "x64"
- ],
- "dev": true,
- "optional": true,
- "os": [
- "linux"
- ],
- "engines": {
- "node": ">=12"
- }
- },
- "node_modules/esbuild-linux-arm": {
- "version": "0.14.51",
- "resolved": "https://registry.npmmirror.com/esbuild-linux-arm/-/esbuild-linux-arm-0.14.51.tgz",
- "integrity": "sha512-LsJynDxYF6Neg7ZC7748yweCDD+N8ByCv22/7IAZglIEniEkqdF4HCaa49JNDLw1UQGlYuhOB8ZT/MmcSWzcWg==",
- "cpu": [
- "arm"
- ],
- "dev": true,
- "optional": true,
- "os": [
- "linux"
- ],
- "engines": {
- "node": ">=12"
- }
- },
- "node_modules/esbuild-linux-arm64": {
- "version": "0.14.51",
- "resolved": "https://registry.npmmirror.com/esbuild-linux-arm64/-/esbuild-linux-arm64-0.14.51.tgz",
- "integrity": "sha512-D9rFxGutoqQX3xJPxqd6o+kvYKeIbM0ifW2y0bgKk5HPgQQOo2k9/2Vpto3ybGYaFPCE5qTGtqQta9PoP6ZEzw==",
- "cpu": [
- "arm64"
- ],
- "dev": true,
- "optional": true,
- "os": [
- "linux"
- ],
- "engines": {
- "node": ">=12"
- }
- },
- "node_modules/esbuild-linux-mips64le": {
- "version": "0.14.51",
- "resolved": "https://registry.npmmirror.com/esbuild-linux-mips64le/-/esbuild-linux-mips64le-0.14.51.tgz",
- "integrity": "sha512-vS54wQjy4IinLSlb5EIlLoln8buh1yDgliP4CuEHumrPk4PvvP4kTRIG4SzMXm6t19N0rIfT4bNdAxzJLg2k6A==",
- "cpu": [
- "mips64el"
- ],
- "dev": true,
- "optional": true,
- "os": [
- "linux"
- ],
- "engines": {
- "node": ">=12"
- }
- },
- "node_modules/esbuild-linux-ppc64le": {
- "version": "0.14.51",
- "resolved": "https://registry.npmmirror.com/esbuild-linux-ppc64le/-/esbuild-linux-ppc64le-0.14.51.tgz",
- "integrity": "sha512-xcdd62Y3VfGoyphNP/aIV9LP+RzFw5M5Z7ja+zdpQHHvokJM7d0rlDRMN+iSSwvUymQkqZO+G/xjb4/75du8BQ==",
- "cpu": [
- "ppc64"
- ],
- "dev": true,
- "optional": true,
- "os": [
- "linux"
- ],
- "engines": {
- "node": ">=12"
- }
- },
- "node_modules/esbuild-linux-riscv64": {
- "version": "0.14.51",
- "resolved": "https://registry.npmmirror.com/esbuild-linux-riscv64/-/esbuild-linux-riscv64-0.14.51.tgz",
- "integrity": "sha512-syXHGak9wkAnFz0gMmRBoy44JV0rp4kVCEA36P5MCeZcxFq8+fllBC2t6sKI23w3qd8Vwo9pTADCgjTSf3L3rA==",
- "cpu": [
- "riscv64"
- ],
- "dev": true,
- "optional": true,
- "os": [
- "linux"
- ],
- "engines": {
- "node": ">=12"
- }
- },
- "node_modules/esbuild-linux-s390x": {
- "version": "0.14.51",
- "resolved": "https://registry.npmmirror.com/esbuild-linux-s390x/-/esbuild-linux-s390x-0.14.51.tgz",
- "integrity": "sha512-kFAJY3dv+Wq8o28K/C7xkZk/X34rgTwhknSsElIqoEo8armCOjMJ6NsMxm48KaWY2h2RUYGtQmr+RGuUPKBhyw==",
- "cpu": [
- "s390x"
- ],
- "dev": true,
- "optional": true,
- "os": [
- "linux"
- ],
- "engines": {
- "node": ">=12"
- }
- },
- "node_modules/esbuild-netbsd-64": {
- "version": "0.14.51",
- "resolved": "https://registry.npmmirror.com/esbuild-netbsd-64/-/esbuild-netbsd-64-0.14.51.tgz",
- "integrity": "sha512-ZZBI7qrR1FevdPBVHz/1GSk1x5GDL/iy42Zy8+neEm/HA7ma+hH/bwPEjeHXKWUDvM36CZpSL/fn1/y9/Hb+1A==",
- "cpu": [
- "x64"
- ],
- "dev": true,
- "optional": true,
- "os": [
- "netbsd"
- ],
- "engines": {
- "node": ">=12"
- }
- },
- "node_modules/esbuild-openbsd-64": {
- "version": "0.14.51",
- "resolved": "https://registry.npmmirror.com/esbuild-openbsd-64/-/esbuild-openbsd-64-0.14.51.tgz",
- "integrity": "sha512-7R1/p39M+LSVQVgDVlcY1KKm6kFKjERSX1lipMG51NPcspJD1tmiZSmmBXoY5jhHIu6JL1QkFDTx94gMYK6vfA==",
- "cpu": [
- "x64"
- ],
- "dev": true,
- "optional": true,
- "os": [
- "openbsd"
- ],
- "engines": {
- "node": ">=12"
- }
- },
- "node_modules/esbuild-sunos-64": {
- "version": "0.14.51",
- "resolved": "https://registry.npmmirror.com/esbuild-sunos-64/-/esbuild-sunos-64-0.14.51.tgz",
- "integrity": "sha512-HoHaCswHxLEYN8eBTtyO0bFEWvA3Kdb++hSQ/lLG7TyKF69TeSG0RNoBRAs45x/oCeWaTDntEZlYwAfQlhEtJA==",
- "cpu": [
- "x64"
- ],
- "dev": true,
- "optional": true,
- "os": [
- "sunos"
- ],
- "engines": {
- "node": ">=12"
- }
- },
- "node_modules/esbuild-windows-32": {
- "version": "0.14.51",
- "resolved": "https://registry.npmmirror.com/esbuild-windows-32/-/esbuild-windows-32-0.14.51.tgz",
- "integrity": "sha512-4rtwSAM35A07CBt1/X8RWieDj3ZUHQqUOaEo5ZBs69rt5WAFjP4aqCIobdqOy4FdhYw1yF8Z0xFBTyc9lgPtEg==",
- "cpu": [
- "ia32"
- ],
- "dev": true,
- "optional": true,
- "os": [
- "win32"
- ],
- "engines": {
- "node": ">=12"
- }
- },
- "node_modules/esbuild-windows-64": {
- "version": "0.14.51",
- "resolved": "https://registry.npmmirror.com/esbuild-windows-64/-/esbuild-windows-64-0.14.51.tgz",
- "integrity": "sha512-HoN/5HGRXJpWODprGCgKbdMvrC3A2gqvzewu2eECRw2sYxOUoh2TV1tS+G7bHNapPGI79woQJGV6pFH7GH7qnA==",
- "cpu": [
- "x64"
- ],
- "dev": true,
- "optional": true,
- "os": [
- "win32"
- ],
- "engines": {
- "node": ">=12"
- }
- },
- "node_modules/esbuild-windows-arm64": {
- "version": "0.14.51",
- "resolved": "https://registry.npmmirror.com/esbuild-windows-arm64/-/esbuild-windows-arm64-0.14.51.tgz",
- "integrity": "sha512-JQDqPjuOH7o+BsKMSddMfmVJXrnYZxXDHsoLHc0xgmAZkOOCflRmC43q31pk79F9xuyWY45jDBPolb5ZgGOf9g==",
- "cpu": [
- "arm64"
- ],
- "dev": true,
- "optional": true,
- "os": [
- "win32"
- ],
- "engines": {
- "node": ">=12"
- }
- },
- "node_modules/escalade": {
- "version": "3.1.1",
- "resolved": "https://registry.npmmirror.com/escalade/-/escalade-3.1.1.tgz",
- "integrity": "sha512-k0er2gUkLf8O0zKJiAhmkTnJlTvINGv7ygDNPbeIsX/TJjGJZHuh9B2UxbsaEkmlEo9MfhrSzmhIlhRlI2GXnw==",
- "dev": true,
- "engines": {
- "node": ">=6"
- }
- },
- "node_modules/escape-html": {
- "version": "1.0.3",
- "resolved": "https://registry.npmmirror.com/escape-html/-/escape-html-1.0.3.tgz",
- "integrity": "sha512-NiSupZ4OeuGwr68lGIeym/ksIZMJodUGOSCZ/FSnTxcrekbvqrgdUxlJOMpijaKZVjAJrWrGs/6Jy8OMuyj9ow=="
- },
- "node_modules/escape-string-regexp": {
- "version": "1.0.5",
- "resolved": "https://registry.npmmirror.com/escape-string-regexp/-/escape-string-regexp-1.0.5.tgz",
- "integrity": "sha512-vbRorB5FUQWvla16U8R/qgaFIya2qGzwDrNmCZuYKrbdSUMG6I1ZCGQRefkRVhuOkIGVne7BQ35DSfo1qvJqFg==",
- "dev": true,
- "engines": {
- "node": ">=0.8.0"
- }
- },
- "node_modules/eslint": {
- "version": "8.21.0",
- "resolved": "https://registry.npmmirror.com/eslint/-/eslint-8.21.0.tgz",
- "integrity": "sha512-/XJ1+Qurf1T9G2M5IHrsjp+xrGT73RZf23xA1z5wB1ZzzEAWSZKvRwhWxTFp1rvkvCfwcvAUNAP31bhKTTGfDA==",
- "dev": true,
- "dependencies": {
- "@eslint/eslintrc": "^1.3.0",
- "@humanwhocodes/config-array": "^0.10.4",
- "@humanwhocodes/gitignore-to-minimatch": "^1.0.2",
- "ajv": "^6.10.0",
- "chalk": "^4.0.0",
- "cross-spawn": "^7.0.2",
- "debug": "^4.3.2",
- "doctrine": "^3.0.0",
- "escape-string-regexp": "^4.0.0",
- "eslint-scope": "^7.1.1",
- "eslint-utils": "^3.0.0",
- "eslint-visitor-keys": "^3.3.0",
- "espree": "^9.3.3",
- "esquery": "^1.4.0",
- "esutils": "^2.0.2",
- "fast-deep-equal": "^3.1.3",
- "file-entry-cache": "^6.0.1",
- "find-up": "^5.0.0",
- "functional-red-black-tree": "^1.0.1",
- "glob-parent": "^6.0.1",
- "globals": "^13.15.0",
- "globby": "^11.1.0",
- "grapheme-splitter": "^1.0.4",
- "ignore": "^5.2.0",
- "import-fresh": "^3.0.0",
- "imurmurhash": "^0.1.4",
- "is-glob": "^4.0.0",
- "js-yaml": "^4.1.0",
- "json-stable-stringify-without-jsonify": "^1.0.1",
- "levn": "^0.4.1",
- "lodash.merge": "^4.6.2",
- "minimatch": "^3.1.2",
- "natural-compare": "^1.4.0",
- "optionator": "^0.9.1",
- "regexpp": "^3.2.0",
- "strip-ansi": "^6.0.1",
- "strip-json-comments": "^3.1.0",
- "text-table": "^0.2.0",
- "v8-compile-cache": "^2.0.3"
- },
- "bin": {
- "eslint": "bin/eslint.js"
- },
- "engines": {
- "node": "^12.22.0 || ^14.17.0 || >=16.0.0"
- }
- },
- "node_modules/eslint-config-prettier": {
- "version": "8.5.0",
- "resolved": "https://registry.npmmirror.com/eslint-config-prettier/-/eslint-config-prettier-8.5.0.tgz",
- "integrity": "sha512-obmWKLUNCnhtQRKc+tmnYuQl0pFU1ibYJQ5BGhTVB08bHe9wC8qUeG7c08dj9XX+AuPj1YSGSQIHl1pnDHZR0Q==",
- "dev": true,
- "bin": {
- "eslint-config-prettier": "bin/cli.js"
- },
- "peerDependencies": {
- "eslint": ">=7.0.0"
- }
- },
- "node_modules/eslint-plugin-prettier": {
- "version": "4.2.1",
- "resolved": "https://registry.npmmirror.com/eslint-plugin-prettier/-/eslint-plugin-prettier-4.2.1.tgz",
- "integrity": "sha512-f/0rXLXUt0oFYs8ra4w49wYZBG5GKZpAYsJSm6rnYL5uVDjd+zowwMwVZHnAjf4edNrKpCDYfXDgmRE/Ak7QyQ==",
- "dev": true,
- "dependencies": {
- "prettier-linter-helpers": "^1.0.0"
- },
- "engines": {
- "node": ">=12.0.0"
- },
- "peerDependencies": {
- "eslint": ">=7.28.0",
- "prettier": ">=2.0.0"
- },
- "peerDependenciesMeta": {
- "eslint-config-prettier": {
- "optional": true
- }
- }
- },
- "node_modules/eslint-plugin-vue": {
- "version": "9.3.0",
- "resolved": "https://registry.npmmirror.com/eslint-plugin-vue/-/eslint-plugin-vue-9.3.0.tgz",
- "integrity": "sha512-iscKKkBZgm6fGZwFt6poRoWC0Wy2dQOlwUPW++CiPoQiw1enctV2Hj5DBzzjJZfyqs+FAXhgzL4q0Ww03AgSmQ==",
- "dev": true,
- "dependencies": {
- "eslint-utils": "^3.0.0",
- "natural-compare": "^1.4.0",
- "nth-check": "^2.0.1",
- "postcss-selector-parser": "^6.0.9",
- "semver": "^7.3.5",
- "vue-eslint-parser": "^9.0.1",
- "xml-name-validator": "^4.0.0"
- },
- "engines": {
- "node": "^14.17.0 || >=16.0.0"
- },
- "peerDependencies": {
- "eslint": "^6.2.0 || ^7.0.0 || ^8.0.0"
- }
- },
- "node_modules/eslint-plugin-vue/node_modules/semver": {
- "version": "7.3.7",
- "resolved": "https://registry.npmmirror.com/semver/-/semver-7.3.7.tgz",
- "integrity": "sha512-QlYTucUYOews+WeEujDoEGziz4K6c47V/Bd+LjSSYcA94p+DmINdf7ncaUinThfvZyu13lN9OY1XDxt8C0Tw0g==",
- "dev": true,
- "dependencies": {
- "lru-cache": "^6.0.0"
- },
- "bin": {
- "semver": "bin/semver.js"
- },
- "engines": {
- "node": ">=10"
- }
- },
- "node_modules/eslint-scope": {
- "version": "5.1.1",
- "resolved": "https://registry.npmmirror.com/eslint-scope/-/eslint-scope-5.1.1.tgz",
- "integrity": "sha512-2NxwbF/hZ0KpepYN0cNbo+FN6XoK7GaHlQhgx/hIZl6Va0bF45RQOOwhLIy8lQDbuCiadSLCBnH2CFYquit5bw==",
- "dev": true,
- "dependencies": {
- "esrecurse": "^4.3.0",
- "estraverse": "^4.1.1"
- },
- "engines": {
- "node": ">=8.0.0"
- }
- },
- "node_modules/eslint-utils": {
- "version": "3.0.0",
- "resolved": "https://registry.npmmirror.com/eslint-utils/-/eslint-utils-3.0.0.tgz",
- "integrity": "sha512-uuQC43IGctw68pJA1RgbQS8/NP7rch6Cwd4j3ZBtgo4/8Flj4eGE7ZYSZRN3iq5pVUv6GPdW5Z1RFleo84uLDA==",
- "dev": true,
- "dependencies": {
- "eslint-visitor-keys": "^2.0.0"
- },
- "engines": {
- "node": "^10.0.0 || ^12.0.0 || >= 14.0.0"
- },
- "peerDependencies": {
- "eslint": ">=5"
- }
- },
- "node_modules/eslint-utils/node_modules/eslint-visitor-keys": {
- "version": "2.1.0",
- "resolved": "https://registry.npmmirror.com/eslint-visitor-keys/-/eslint-visitor-keys-2.1.0.tgz",
- "integrity": "sha512-0rSmRBzXgDzIsD6mGdJgevzgezI534Cer5L/vyMX0kHzT/jiB43jRhd9YUlMGYLQy2zprNmoT8qasCGtY+QaKw==",
- "dev": true,
- "engines": {
- "node": ">=10"
- }
- },
- "node_modules/eslint-visitor-keys": {
- "version": "3.3.0",
- "resolved": "https://registry.npmmirror.com/eslint-visitor-keys/-/eslint-visitor-keys-3.3.0.tgz",
- "integrity": "sha512-mQ+suqKJVyeuwGYHAdjMFqjCyfl8+Ldnxuyp3ldiMBFKkvytrXUZWaiPCEav8qDHKty44bD+qV1IP4T+w+xXRA==",
- "dev": true,
- "engines": {
- "node": "^12.22.0 || ^14.17.0 || >=16.0.0"
- }
- },
- "node_modules/eslint/node_modules/ansi-styles": {
- "version": "4.3.0",
- "resolved": "https://registry.npmmirror.com/ansi-styles/-/ansi-styles-4.3.0.tgz",
- "integrity": "sha512-zbB9rCJAT1rbjiVDb2hqKFHNYLxgtk8NURxZ3IZwD3F6NtxbXZQCnnSi1Lkx+IDohdPlFp222wVALIheZJQSEg==",
- "dev": true,
- "dependencies": {
- "color-convert": "^2.0.1"
- },
- "engines": {
- "node": ">=8"
- }
- },
- "node_modules/eslint/node_modules/chalk": {
- "version": "4.1.2",
- "resolved": "https://registry.npmmirror.com/chalk/-/chalk-4.1.2.tgz",
- "integrity": "sha512-oKnbhFyRIXpUuez8iBMmyEa4nbj4IOQyuhc/wy9kY7/WVPcwIO9VA668Pu8RkO7+0G76SLROeyw9CpQ061i4mA==",
- "dev": true,
- "dependencies": {
- "ansi-styles": "^4.1.0",
- "supports-color": "^7.1.0"
- },
- "engines": {
- "node": ">=10"
- }
- },
- "node_modules/eslint/node_modules/color-convert": {
- "version": "2.0.1",
- "resolved": "https://registry.npmmirror.com/color-convert/-/color-convert-2.0.1.tgz",
- "integrity": "sha512-RRECPsj7iu/xb5oKYcsFHSppFNnsj/52OVTRKb4zP5onXwVF3zVmmToNcOfGC+CRDpfK/U584fMg38ZHCaElKQ==",
- "dev": true,
- "dependencies": {
- "color-name": "~1.1.4"
- },
- "engines": {
- "node": ">=7.0.0"
- }
- },
- "node_modules/eslint/node_modules/color-name": {
- "version": "1.1.4",
- "resolved": "https://registry.npmmirror.com/color-name/-/color-name-1.1.4.tgz",
- "integrity": "sha512-dOy+3AuW3a2wNbZHIuMZpTcgjGuLU/uBL/ubcZF9OXbDo8ff4O8yVp5Bf0efS8uEoYo5q4Fx7dY9OgQGXgAsQA==",
- "dev": true
- },
- "node_modules/eslint/node_modules/escape-string-regexp": {
- "version": "4.0.0",
- "resolved": "https://registry.npmmirror.com/escape-string-regexp/-/escape-string-regexp-4.0.0.tgz",
- "integrity": "sha512-TtpcNJ3XAzx3Gq8sWRzJaVajRs0uVxA2YAkdb1jm2YkPz4G6egUFAyA3n5vtEIZefPk5Wa4UXbKuS5fKkJWdgA==",
- "dev": true,
- "engines": {
- "node": ">=10"
- }
- },
- "node_modules/eslint/node_modules/eslint-scope": {
- "version": "7.1.1",
- "resolved": "https://registry.npmmirror.com/eslint-scope/-/eslint-scope-7.1.1.tgz",
- "integrity": "sha512-QKQM/UXpIiHcLqJ5AOyIW7XZmzjkzQXYE54n1++wb0u9V/abW3l9uQnxX8Z5Xd18xyKIMTUAyQ0k1e8pz6LUrw==",
- "dev": true,
- "dependencies": {
- "esrecurse": "^4.3.0",
- "estraverse": "^5.2.0"
- },
- "engines": {
- "node": "^12.22.0 || ^14.17.0 || >=16.0.0"
- }
- },
- "node_modules/eslint/node_modules/estraverse": {
- "version": "5.3.0",
- "resolved": "https://registry.npmmirror.com/estraverse/-/estraverse-5.3.0.tgz",
- "integrity": "sha512-MMdARuVEQziNTeJD8DgMqmhwR11BRQ/cBP+pLtYdSTnf3MIO8fFeiINEbX36ZdNlfU/7A9f3gUw49B3oQsvwBA==",
- "dev": true,
- "engines": {
- "node": ">=4.0"
- }
- },
- "node_modules/eslint/node_modules/globals": {
- "version": "13.17.0",
- "resolved": "https://registry.npmmirror.com/globals/-/globals-13.17.0.tgz",
- "integrity": "sha512-1C+6nQRb1GwGMKm2dH/E7enFAMxGTmGI7/dEdhy/DNelv85w9B72t3uc5frtMNXIbzrarJJ/lTCjcaZwbLJmyw==",
- "dev": true,
- "dependencies": {
- "type-fest": "^0.20.2"
- },
- "engines": {
- "node": ">=8"
- }
- },
- "node_modules/eslint/node_modules/has-flag": {
- "version": "4.0.0",
- "resolved": "https://registry.npmmirror.com/has-flag/-/has-flag-4.0.0.tgz",
- "integrity": "sha512-EykJT/Q1KjTWctppgIAgfSO0tKVuZUjhgMr17kqTumMl6Afv3EISleU7qZUzoXDFTAHTDC4NOoG/ZxU3EvlMPQ==",
- "dev": true,
- "engines": {
- "node": ">=8"
- }
- },
- "node_modules/eslint/node_modules/supports-color": {
- "version": "7.2.0",
- "resolved": "https://registry.npmmirror.com/supports-color/-/supports-color-7.2.0.tgz",
- "integrity": "sha512-qpCAvRl9stuOHveKsn7HncJRvv501qIacKzQlO/+Lwxc9+0q2wLyv4Dfvt80/DPn2pqOBsJdDiogXGR9+OvwRw==",
- "dev": true,
- "dependencies": {
- "has-flag": "^4.0.0"
- },
- "engines": {
- "node": ">=8"
- }
- },
- "node_modules/espree": {
- "version": "9.3.3",
- "resolved": "https://registry.npmmirror.com/espree/-/espree-9.3.3.tgz",
- "integrity": "sha512-ORs1Rt/uQTqUKjDdGCyrtYxbazf5umATSf/K4qxjmZHORR6HJk+2s/2Pqe+Kk49HHINC/xNIrGfgh8sZcll0ng==",
- "dev": true,
- "dependencies": {
- "acorn": "^8.8.0",
- "acorn-jsx": "^5.3.2",
- "eslint-visitor-keys": "^3.3.0"
- },
- "engines": {
- "node": "^12.22.0 || ^14.17.0 || >=16.0.0"
- }
- },
- "node_modules/esquery": {
- "version": "1.4.0",
- "resolved": "https://registry.npmmirror.com/esquery/-/esquery-1.4.0.tgz",
- "integrity": "sha512-cCDispWt5vHHtwMY2YrAQ4ibFkAL8RbH5YGBnZBc90MolvvfkkQcJro/aZiAQUlQ3qgrYS6D6v8Gc5G5CQsc9w==",
- "dev": true,
- "dependencies": {
- "estraverse": "^5.1.0"
- },
- "engines": {
- "node": ">=0.10"
- }
- },
- "node_modules/esquery/node_modules/estraverse": {
- "version": "5.3.0",
- "resolved": "https://registry.npmmirror.com/estraverse/-/estraverse-5.3.0.tgz",
- "integrity": "sha512-MMdARuVEQziNTeJD8DgMqmhwR11BRQ/cBP+pLtYdSTnf3MIO8fFeiINEbX36ZdNlfU/7A9f3gUw49B3oQsvwBA==",
- "dev": true,
- "engines": {
- "node": ">=4.0"
- }
- },
- "node_modules/esrecurse": {
- "version": "4.3.0",
- "resolved": "https://registry.npmmirror.com/esrecurse/-/esrecurse-4.3.0.tgz",
- "integrity": "sha512-KmfKL3b6G+RXvP8N1vr3Tq1kL/oCFgn2NYXEtqP8/L3pKapUA4G8cFVaoF3SU323CD4XypR/ffioHmkti6/Tag==",
- "dev": true,
- "dependencies": {
- "estraverse": "^5.2.0"
- },
- "engines": {
- "node": ">=4.0"
- }
- },
- "node_modules/esrecurse/node_modules/estraverse": {
- "version": "5.3.0",
- "resolved": "https://registry.npmmirror.com/estraverse/-/estraverse-5.3.0.tgz",
- "integrity": "sha512-MMdARuVEQziNTeJD8DgMqmhwR11BRQ/cBP+pLtYdSTnf3MIO8fFeiINEbX36ZdNlfU/7A9f3gUw49B3oQsvwBA==",
- "dev": true,
- "engines": {
- "node": ">=4.0"
- }
- },
- "node_modules/estraverse": {
- "version": "4.3.0",
- "resolved": "https://registry.npmmirror.com/estraverse/-/estraverse-4.3.0.tgz",
- "integrity": "sha512-39nnKffWz8xN1BU/2c79n9nB9HDzo0niYUqx6xyqUnyoAnQyyWpOTdZEeiCch8BBu515t4wp9ZmgVfVhn9EBpw==",
- "dev": true,
- "engines": {
- "node": ">=4.0"
- }
- },
- "node_modules/estree-walker": {
- "version": "2.0.2",
- "resolved": "https://registry.npmmirror.com/estree-walker/-/estree-walker-2.0.2.tgz",
- "integrity": "sha512-Rfkk/Mp/DL7JVje3u18FxFujQlTNR2q6QfMSMB7AvCBx91NGj/ba3kCfza0f6dVDbw7YlRf/nDrn7pQrCCyQ/w=="
- },
- "node_modules/esutils": {
- "version": "2.0.3",
- "resolved": "https://registry.npmmirror.com/esutils/-/esutils-2.0.3.tgz",
- "integrity": "sha512-kVscqXk4OCp68SZ0dkgEKVi6/8ij300KBWTJq32P/dYeWTSwK41WyTxalN1eRmA5Z9UU/LX9D7FWSmV9SAYx6g==",
- "dev": true,
- "engines": {
- "node": ">=0.10.0"
- }
- },
- "node_modules/execa": {
- "version": "5.1.1",
- "resolved": "https://registry.npmmirror.com/execa/-/execa-5.1.1.tgz",
- "integrity": "sha512-8uSpZZocAZRBAPIEINJj3Lo9HyGitllczc27Eh5YYojjMFMn8yHMDMaUHE2Jqfq05D/wucwI4JGURyXt1vchyg==",
- "dev": true,
- "dependencies": {
- "cross-spawn": "^7.0.3",
- "get-stream": "^6.0.0",
- "human-signals": "^2.1.0",
- "is-stream": "^2.0.0",
- "merge-stream": "^2.0.0",
- "npm-run-path": "^4.0.1",
- "onetime": "^5.1.2",
- "signal-exit": "^3.0.3",
- "strip-final-newline": "^2.0.0"
- },
- "engines": {
- "node": ">=10"
- }
- },
- "node_modules/fast-deep-equal": {
- "version": "3.1.3",
- "resolved": "https://registry.npmmirror.com/fast-deep-equal/-/fast-deep-equal-3.1.3.tgz",
- "integrity": "sha512-f3qQ9oQy9j2AhBe/H9VC91wLmKBCCU/gDOnKNAYG5hswO7BLKj09Hc5HYNz9cGI++xlpDCIgDaitVs03ATR84Q==",
- "dev": true
- },
- "node_modules/fast-diff": {
- "version": "1.2.0",
- "resolved": "https://registry.npmmirror.com/fast-diff/-/fast-diff-1.2.0.tgz",
- "integrity": "sha512-xJuoT5+L99XlZ8twedaRf6Ax2TgQVxvgZOYoPKqZufmJib0tL2tegPBOZb1pVNgIhlqDlA0eO0c3wBvQcmzx4w==",
- "dev": true
- },
- "node_modules/fast-glob": {
- "version": "3.2.11",
- "resolved": "https://registry.npmmirror.com/fast-glob/-/fast-glob-3.2.11.tgz",
- "integrity": "sha512-xrO3+1bxSo3ZVHAnqzyuewYT6aMFHRAd4Kcs92MAonjwQZLsK9d0SF1IyQ3k5PoirxTW0Oe/RqFgMQ6TcNE5Ew==",
- "dev": true,
- "dependencies": {
- "@nodelib/fs.stat": "^2.0.2",
- "@nodelib/fs.walk": "^1.2.3",
- "glob-parent": "^5.1.2",
- "merge2": "^1.3.0",
- "micromatch": "^4.0.4"
- },
- "engines": {
- "node": ">=8.6.0"
- }
- },
- "node_modules/fast-glob/node_modules/glob-parent": {
- "version": "5.1.2",
- "resolved": "https://registry.npmmirror.com/glob-parent/-/glob-parent-5.1.2.tgz",
- "integrity": "sha512-AOIgSQCepiJYwP3ARnGx+5VnTu2HBYdzbGP45eLw1vr3zB3vZLeyed1sC9hnbcOc9/SrMyM5RPQrkGz4aS9Zow==",
- "dev": true,
- "dependencies": {
- "is-glob": "^4.0.1"
- },
- "engines": {
- "node": ">= 6"
- }
- },
- "node_modules/fast-json-stable-stringify": {
- "version": "2.1.0",
- "resolved": "https://registry.npmmirror.com/fast-json-stable-stringify/-/fast-json-stable-stringify-2.1.0.tgz",
- "integrity": "sha512-lhd/wF+Lk98HZoTCtlVraHtfh5XYijIjalXck7saUtuanSDyLMxnHhSXEDJqHxD7msR8D0uCmqlkwjCV8xvwHw==",
- "dev": true
- },
- "node_modules/fast-levenshtein": {
- "version": "2.0.6",
- "resolved": "https://registry.npmmirror.com/fast-levenshtein/-/fast-levenshtein-2.0.6.tgz",
- "integrity": "sha512-DCXu6Ifhqcks7TZKY3Hxp3y6qphY5SJZmrWMDrKcERSOXWQdMhU9Ig/PYrzyw/ul9jOIyh0N4M0tbC5hodg8dw==",
- "dev": true
- },
- "node_modules/fastq": {
- "version": "1.13.0",
- "resolved": "https://registry.npmmirror.com/fastq/-/fastq-1.13.0.tgz",
- "integrity": "sha512-YpkpUnK8od0o1hmeSc7UUs/eB/vIPWJYjKck2QKIzAf71Vm1AAQ3EbuZB3g2JIy+pg+ERD0vqI79KyZiB2e2Nw==",
- "dev": true,
- "dependencies": {
- "reusify": "^1.0.4"
- }
- },
- "node_modules/file-entry-cache": {
- "version": "6.0.1",
- "resolved": "https://registry.npmmirror.com/file-entry-cache/-/file-entry-cache-6.0.1.tgz",
- "integrity": "sha512-7Gps/XWymbLk2QLYK4NzpMOrYjMhdIxXuIvy2QBsLE6ljuodKvdkWs/cpyJJ3CVIVpH0Oi1Hvg1ovbMzLdFBBg==",
- "dev": true,
- "dependencies": {
- "flat-cache": "^3.0.4"
- },
- "engines": {
- "node": "^10.12.0 || >=12.0.0"
- }
- },
- "node_modules/fill-range": {
- "version": "7.0.1",
- "resolved": "https://registry.npmmirror.com/fill-range/-/fill-range-7.0.1.tgz",
- "integrity": "sha512-qOo9F+dMUmC2Lcb4BbVvnKJxTPjCm+RRpe4gDuGrzkL7mEVl/djYSu2OdQ2Pa302N4oqkSg9ir6jaLWJ2USVpQ==",
- "dev": true,
- "dependencies": {
- "to-regex-range": "^5.0.1"
- },
- "engines": {
- "node": ">=8"
- }
- },
- "node_modules/find-up": {
- "version": "5.0.0",
- "resolved": "https://registry.npmmirror.com/find-up/-/find-up-5.0.0.tgz",
- "integrity": "sha512-78/PXT1wlLLDgTzDs7sjq9hzz0vXD+zn+7wypEe4fXQxCmdmqfGsEPQxmiCSQI3ajFV91bVSsvNtrJRiW6nGng==",
- "dev": true,
- "dependencies": {
- "locate-path": "^6.0.0",
- "path-exists": "^4.0.0"
- },
- "engines": {
- "node": ">=10"
- }
- },
- "node_modules/flat-cache": {
- "version": "3.0.4",
- "resolved": "https://registry.npmmirror.com/flat-cache/-/flat-cache-3.0.4.tgz",
- "integrity": "sha512-dm9s5Pw7Jc0GvMYbshN6zchCA9RgQlzzEZX3vylR9IqFfS8XciblUXOKfW6SiuJ0e13eDYZoZV5wdrev7P3Nwg==",
- "dev": true,
- "dependencies": {
- "flatted": "^3.1.0",
- "rimraf": "^3.0.2"
- },
- "engines": {
- "node": "^10.12.0 || >=12.0.0"
- }
- },
- "node_modules/flatted": {
- "version": "3.2.6",
- "resolved": "https://registry.npmmirror.com/flatted/-/flatted-3.2.6.tgz",
- "integrity": "sha512-0sQoMh9s0BYsm+12Huy/rkKxVu4R1+r96YX5cG44rHV0pQ6iC3Q+mkoMFaGWObMFYQxCVT+ssG1ksneA2MI9KQ==",
- "dev": true
- },
- "node_modules/fraction.js": {
- "version": "4.2.0",
- "resolved": "https://registry.npmmirror.com/fraction.js/-/fraction.js-4.2.0.tgz",
- "integrity": "sha512-MhLuK+2gUcnZe8ZHlaaINnQLl0xRIGRfcGk2yl8xoQAfHrSsL3rYu6FCmBdkdbhc9EPlwyGHewaRsvwRMJtAlA==",
- "dev": true,
- "engines": {
- "node": "*"
- }
- },
- "node_modules/fs-extra": {
- "version": "10.1.0",
- "resolved": "https://registry.npmmirror.com/fs-extra/-/fs-extra-10.1.0.tgz",
- "integrity": "sha512-oRXApq54ETRj4eMiFzGnHWGy+zo5raudjuxN0b8H7s/RU2oW0Wvsx9O0ACRN/kRq9E8Vu/ReskGB5o3ji+FzHQ==",
- "dev": true,
- "dependencies": {
- "graceful-fs": "^4.2.0",
- "jsonfile": "^6.0.1",
- "universalify": "^2.0.0"
- },
- "engines": {
- "node": ">=12"
- }
- },
- "node_modules/fs.realpath": {
- "version": "1.0.0",
- "resolved": "https://registry.npmmirror.com/fs.realpath/-/fs.realpath-1.0.0.tgz",
- "integrity": "sha512-OO0pH2lK6a0hZnAdau5ItzHPI6pUlvI7jMVnxUQRtw4owF2wk8lOSabtGDCTP4Ggrg2MbGnWO9X8K1t4+fGMDw==",
- "dev": true
- },
- "node_modules/fsevents": {
- "version": "2.3.2",
- "resolved": "https://registry.npmmirror.com/fsevents/-/fsevents-2.3.2.tgz",
- "integrity": "sha512-xiqMQR4xAeHTuB9uWm+fFRcIOgKBMiOBP+eXiyT7jsgVCq1bkVygt00oASowB7EdtpOHaaPgKt812P9ab+DDKA==",
- "dev": true,
- "hasInstallScript": true,
- "optional": true,
- "os": [
- "darwin"
- ],
- "engines": {
- "node": "^8.16.0 || ^10.6.0 || >=11.0.0"
- }
- },
- "node_modules/function-bind": {
- "version": "1.1.1",
- "resolved": "https://registry.npmmirror.com/function-bind/-/function-bind-1.1.1.tgz",
- "integrity": "sha512-yIovAzMX49sF8Yl58fSCWJ5svSLuaibPxXQJFLmBObTuCr0Mf1KiPopGM9NiFjiYBCbfaa2Fh6breQ6ANVTI0A==",
- "dev": true
- },
- "node_modules/function.prototype.name": {
- "version": "1.1.5",
- "resolved": "https://registry.npmmirror.com/function.prototype.name/-/function.prototype.name-1.1.5.tgz",
- "integrity": "sha512-uN7m/BzVKQnCUF/iW8jYea67v++2u7m5UgENbHRtdDVclOUP+FMPlCNdmk0h/ysGyo2tavMJEDqJAkJdRa1vMA==",
- "dev": true,
- "dependencies": {
- "call-bind": "^1.0.2",
- "define-properties": "^1.1.3",
- "es-abstract": "^1.19.0",
- "functions-have-names": "^1.2.2"
- },
- "engines": {
- "node": ">= 0.4"
- }
- },
- "node_modules/functional-red-black-tree": {
- "version": "1.0.1",
- "resolved": "https://registry.npmmirror.com/functional-red-black-tree/-/functional-red-black-tree-1.0.1.tgz",
- "integrity": "sha512-dsKNQNdj6xA3T+QlADDA7mOSlX0qiMINjn0cgr+eGHGsbSHzTabcIogz2+p/iqP1Xs6EP/sS2SbqH+brGTbq0g==",
- "dev": true
- },
- "node_modules/functions-have-names": {
- "version": "1.2.3",
- "resolved": "https://registry.npmmirror.com/functions-have-names/-/functions-have-names-1.2.3.tgz",
- "integrity": "sha512-xckBUXyTIqT97tq2x2AMb+g163b5JFysYk0x4qxNFwbfQkmNZoiRHb6sPzI9/QV33WeuvVYBUIiD4NzNIyqaRQ==",
- "dev": true
- },
- "node_modules/gensync": {
- "version": "1.0.0-beta.2",
- "resolved": "https://registry.npmmirror.com/gensync/-/gensync-1.0.0-beta.2.tgz",
- "integrity": "sha512-3hN7NaskYvMDLQY55gnW3NQ+mesEAepTqlg+VEbj7zzqEMBVNhzcGYYeqFo/TlYz6eQiFcp1HcsCZO+nGgS8zg==",
- "dev": true,
- "engines": {
- "node": ">=6.9.0"
- }
- },
- "node_modules/get-caller-file": {
- "version": "2.0.5",
- "resolved": "https://registry.npmmirror.com/get-caller-file/-/get-caller-file-2.0.5.tgz",
- "integrity": "sha512-DyFP3BM/3YHTQOCUL/w0OZHR0lpKeGrxotcHWcqNEdnltqFwXVfhEBQ94eIo34AfQpo0rGki4cyIiftY06h2Fg==",
- "dev": true,
- "engines": {
- "node": "6.* || 8.* || >= 10.*"
- }
- },
- "node_modules/get-intrinsic": {
- "version": "1.1.2",
- "resolved": "https://registry.npmmirror.com/get-intrinsic/-/get-intrinsic-1.1.2.tgz",
- "integrity": "sha512-Jfm3OyCxHh9DJyc28qGk+JmfkpO41A4XkneDSujN9MDXrm4oDKdHvndhZ2dN94+ERNfkYJWDclW6k2L/ZGHjXA==",
- "dev": true,
- "dependencies": {
- "function-bind": "^1.1.1",
- "has": "^1.0.3",
- "has-symbols": "^1.0.3"
- }
- },
- "node_modules/get-stream": {
- "version": "6.0.1",
- "resolved": "https://registry.npmmirror.com/get-stream/-/get-stream-6.0.1.tgz",
- "integrity": "sha512-ts6Wi+2j3jQjqi70w5AlN8DFnkSwC+MqmxEzdEALB2qXZYV3X/b1CTfgPLGJNMeAWxdPfU8FO1ms3NUfaHCPYg==",
- "dev": true,
- "engines": {
- "node": ">=10"
- }
- },
- "node_modules/get-symbol-description": {
- "version": "1.0.0",
- "resolved": "https://registry.npmmirror.com/get-symbol-description/-/get-symbol-description-1.0.0.tgz",
- "integrity": "sha512-2EmdH1YvIQiZpltCNgkuiUnyukzxM/R6NDJX31Ke3BG1Nq5b0S2PhX59UKi9vZpPDQVdqn+1IcaAwnzTT5vCjw==",
- "dev": true,
- "dependencies": {
- "call-bind": "^1.0.2",
- "get-intrinsic": "^1.1.1"
- },
- "engines": {
- "node": ">= 0.4"
- }
- },
- "node_modules/git-raw-commits": {
- "version": "2.0.11",
- "resolved": "https://registry.npmmirror.com/git-raw-commits/-/git-raw-commits-2.0.11.tgz",
- "integrity": "sha512-VnctFhw+xfj8Va1xtfEqCUD2XDrbAPSJx+hSrE5K7fGdjZruW7XV+QOrN7LF/RJyvspRiD2I0asWsxFp0ya26A==",
- "dev": true,
- "dependencies": {
- "dargs": "^7.0.0",
- "lodash": "^4.17.15",
- "meow": "^8.0.0",
- "split2": "^3.0.0",
- "through2": "^4.0.0"
- },
- "bin": {
- "git-raw-commits": "cli.js"
- },
- "engines": {
- "node": ">=10"
- }
- },
- "node_modules/glob": {
- "version": "7.2.3",
- "resolved": "https://registry.npmmirror.com/glob/-/glob-7.2.3.tgz",
- "integrity": "sha512-nFR0zLpU2YCaRxwoCJvL6UvCH2JFyFVIvwTLsIf21AuHlMskA1hhTdk+LlYJtOlYt9v6dvszD2BGRqBL+iQK9Q==",
- "dev": true,
- "dependencies": {
- "fs.realpath": "^1.0.0",
- "inflight": "^1.0.4",
- "inherits": "2",
- "minimatch": "^3.1.1",
- "once": "^1.3.0",
- "path-is-absolute": "^1.0.0"
- },
- "engines": {
- "node": "*"
- }
- },
- "node_modules/glob-parent": {
- "version": "6.0.2",
- "resolved": "https://registry.npmmirror.com/glob-parent/-/glob-parent-6.0.2.tgz",
- "integrity": "sha512-XxwI8EOhVQgWp6iDL+3b0r86f4d6AX6zSU55HfB4ydCEuXLXc5FcYeOu+nnGftS4TEju/11rt4KJPTMgbfmv4A==",
- "dev": true,
- "dependencies": {
- "is-glob": "^4.0.3"
- },
- "engines": {
- "node": ">=10.13.0"
- }
- },
- "node_modules/global-dirs": {
- "version": "0.1.1",
- "resolved": "https://registry.npmmirror.com/global-dirs/-/global-dirs-0.1.1.tgz",
- "integrity": "sha512-NknMLn7F2J7aflwFOlGdNIuCDpN3VGoSoB+aap3KABFWbHVn1TCgFC+np23J8W2BiZbjfEw3BFBycSMv1AFblg==",
- "dev": true,
- "dependencies": {
- "ini": "^1.3.4"
- },
- "engines": {
- "node": ">=4"
- }
- },
- "node_modules/globals": {
- "version": "11.12.0",
- "resolved": "https://registry.npmmirror.com/globals/-/globals-11.12.0.tgz",
- "integrity": "sha512-WOBp/EEGUiIsJSp7wcv/y6MO+lV9UoncWqxuFfm8eBwzWNgyfBd6Gz+IeKQ9jCmyhoH99g15M3T+QaVHFjizVA==",
- "dev": true,
- "engines": {
- "node": ">=4"
- }
- },
- "node_modules/globby": {
- "version": "11.1.0",
- "resolved": "https://registry.npmmirror.com/globby/-/globby-11.1.0.tgz",
- "integrity": "sha512-jhIXaOzy1sb8IyocaruWSn1TjmnBVs8Ayhcy83rmxNJ8q2uWKCAj3CnJY+KpGSXCueAPc0i05kVvVKtP1t9S3g==",
- "dev": true,
- "dependencies": {
- "array-union": "^2.1.0",
- "dir-glob": "^3.0.1",
- "fast-glob": "^3.2.9",
- "ignore": "^5.2.0",
- "merge2": "^1.4.1",
- "slash": "^3.0.0"
- },
- "engines": {
- "node": ">=10"
- }
- },
- "node_modules/graceful-fs": {
- "version": "4.2.10",
- "resolved": "https://registry.npmmirror.com/graceful-fs/-/graceful-fs-4.2.10.tgz",
- "integrity": "sha512-9ByhssR2fPVsNZj478qUUbKfmL0+t5BDVyjShtyZZLiK7ZDAArFFfopyOTj0M05wE2tJPisA4iTnnXl2YoPvOA==",
- "dev": true
- },
- "node_modules/grapheme-splitter": {
- "version": "1.0.4",
- "resolved": "https://registry.npmmirror.com/grapheme-splitter/-/grapheme-splitter-1.0.4.tgz",
- "integrity": "sha512-bzh50DW9kTPM00T8y4o8vQg89Di9oLJVLW/KaOGIXJWP/iqCN6WKYkbNOF04vFLJhwcpYUh9ydh/+5vpOqV4YQ==",
- "dev": true
- },
- "node_modules/hard-rejection": {
- "version": "2.1.0",
- "resolved": "https://registry.npmmirror.com/hard-rejection/-/hard-rejection-2.1.0.tgz",
- "integrity": "sha512-VIZB+ibDhx7ObhAe7OVtoEbuP4h/MuOTHJ+J8h/eBXotJYl0fBgR72xDFCKgIh22OJZIOVNxBMWuhAr10r8HdA==",
- "dev": true,
- "engines": {
- "node": ">=6"
- }
- },
- "node_modules/has": {
- "version": "1.0.3",
- "resolved": "https://registry.npmmirror.com/has/-/has-1.0.3.tgz",
- "integrity": "sha512-f2dvO0VU6Oej7RkWJGrehjbzMAjFp5/VKPp5tTpWIV4JHHZK1/BxbFRtf/siA2SWTe09caDmVtYYzWEIbBS4zw==",
- "dev": true,
- "dependencies": {
- "function-bind": "^1.1.1"
- },
- "engines": {
- "node": ">= 0.4.0"
- }
- },
- "node_modules/has-bigints": {
- "version": "1.0.2",
- "resolved": "https://registry.npmmirror.com/has-bigints/-/has-bigints-1.0.2.tgz",
- "integrity": "sha512-tSvCKtBr9lkF0Ex0aQiP9N+OpV4zi2r/Nee5VkRDbaqv35RLYMzbwQfFSZZH0kR+Rd6302UJZ2p/bJCEoR3VoQ==",
- "dev": true
- },
- "node_modules/has-flag": {
- "version": "3.0.0",
- "resolved": "https://registry.npmmirror.com/has-flag/-/has-flag-3.0.0.tgz",
- "integrity": "sha512-sKJf1+ceQBr4SMkvQnBDNDtf4TXpVhVGateu0t918bl30FnbE2m4vNLX+VWe/dpjlb+HugGYzW7uQXH98HPEYw==",
- "dev": true,
- "engines": {
- "node": ">=4"
- }
- },
- "node_modules/has-property-descriptors": {
- "version": "1.0.0",
- "resolved": "https://registry.npmmirror.com/has-property-descriptors/-/has-property-descriptors-1.0.0.tgz",
- "integrity": "sha512-62DVLZGoiEBDHQyqG4w9xCuZ7eJEwNmJRWw2VY84Oedb7WFcA27fiEVe8oUQx9hAUJ4ekurquucTGwsyO1XGdQ==",
- "dev": true,
- "dependencies": {
- "get-intrinsic": "^1.1.1"
- }
- },
- "node_modules/has-symbols": {
- "version": "1.0.3",
- "resolved": "https://registry.npmmirror.com/has-symbols/-/has-symbols-1.0.3.tgz",
- "integrity": "sha512-l3LCuF6MgDNwTDKkdYGEihYjt5pRPbEg46rtlmnSPlUbgmB8LOIrKJbYYFBSbnPaJexMKtiPO8hmeRjRz2Td+A==",
- "dev": true,
- "engines": {
- "node": ">= 0.4"
- }
- },
- "node_modules/has-tostringtag": {
- "version": "1.0.0",
- "resolved": "https://registry.npmmirror.com/has-tostringtag/-/has-tostringtag-1.0.0.tgz",
- "integrity": "sha512-kFjcSNhnlGV1kyoGk7OXKSawH5JOb/LzUc5w9B02hOTO0dfFRjbHQKvg1d6cf3HbeUmtU9VbbV3qzZ2Teh97WQ==",
- "dev": true,
- "dependencies": {
- "has-symbols": "^1.0.2"
- },
- "engines": {
- "node": ">= 0.4"
- }
- },
- "node_modules/hosted-git-info": {
- "version": "2.8.9",
- "resolved": "https://registry.npmmirror.com/hosted-git-info/-/hosted-git-info-2.8.9.tgz",
- "integrity": "sha512-mxIDAb9Lsm6DoOJ7xH+5+X4y1LU/4Hi50L9C5sIswK3JzULS4bwk1FvjdBgvYR4bzT4tuUQiC15FE2f5HbLvYw==",
- "dev": true
- },
- "node_modules/html-tags": {
- "version": "3.2.0",
- "resolved": "https://registry.npmmirror.com/html-tags/-/html-tags-3.2.0.tgz",
- "integrity": "sha512-vy7ClnArOZwCnqZgvv+ddgHgJiAFXe3Ge9ML5/mBctVJoUoYPCdxVucOywjDARn6CVoh3dRSFdPHy2sX80L0Wg==",
- "dev": true,
- "engines": {
- "node": ">=8"
- }
- },
- "node_modules/human-signals": {
- "version": "2.1.0",
- "resolved": "https://registry.npmmirror.com/human-signals/-/human-signals-2.1.0.tgz",
- "integrity": "sha512-B4FFZ6q/T2jhhksgkbEW3HBvWIfDW85snkQgawt07S7J5QXTk6BkNV+0yAeZrM5QpMAdYlocGoljn0sJ/WQkFw==",
- "dev": true,
- "engines": {
- "node": ">=10.17.0"
- }
- },
- "node_modules/husky": {
- "version": "8.0.1",
- "resolved": "https://registry.npmmirror.com/husky/-/husky-8.0.1.tgz",
- "integrity": "sha512-xs7/chUH/CKdOCs7Zy0Aev9e/dKOMZf3K1Az1nar3tzlv0jfqnYtu235bstsWTmXOR0EfINrPa97yy4Lz6RiKw==",
- "dev": true,
- "bin": {
- "husky": "lib/bin.js"
- },
- "engines": {
- "node": ">=14"
- }
- },
- "node_modules/ignore": {
- "version": "5.2.0",
- "resolved": "https://registry.npmmirror.com/ignore/-/ignore-5.2.0.tgz",
- "integrity": "sha512-CmxgYGiEPCLhfLnpPp1MoRmifwEIOgjcHXxOBjv7mY96c+eWScsOP9c112ZyLdWHi0FxHjI+4uVhKYp/gcdRmQ==",
- "dev": true,
- "engines": {
- "node": ">= 4"
- }
- },
- "node_modules/immutable": {
- "version": "4.1.0",
- "resolved": "https://registry.npmmirror.com/immutable/-/immutable-4.1.0.tgz",
- "integrity": "sha512-oNkuqVTA8jqG1Q6c+UglTOD1xhC1BtjKI7XkCXRkZHrN5m18/XsnUp8Q89GkQO/z+0WjonSvl0FLhDYftp46nQ==",
- "dev": true
- },
- "node_modules/import-fresh": {
- "version": "3.3.0",
- "resolved": "https://registry.npmmirror.com/import-fresh/-/import-fresh-3.3.0.tgz",
- "integrity": "sha512-veYYhQa+D1QBKznvhUHxb8faxlrwUnxseDAbAp457E0wLNio2bOSKnjYDhMj+YiAq61xrMGhQk9iXVk5FzgQMw==",
- "dev": true,
- "dependencies": {
- "parent-module": "^1.0.0",
- "resolve-from": "^4.0.0"
- },
- "engines": {
- "node": ">=6"
- }
- },
- "node_modules/imurmurhash": {
- "version": "0.1.4",
- "resolved": "https://registry.npmmirror.com/imurmurhash/-/imurmurhash-0.1.4.tgz",
- "integrity": "sha512-JmXMZ6wuvDmLiHEml9ykzqO6lwFbof0GG4IkcGaENdCRDDmMVnny7s5HsIgHCbaq0w2MyPhDqkhTUgS2LU2PHA==",
- "dev": true,
- "engines": {
- "node": ">=0.8.19"
- }
- },
- "node_modules/indent-string": {
- "version": "4.0.0",
- "resolved": "https://registry.npmmirror.com/indent-string/-/indent-string-4.0.0.tgz",
- "integrity": "sha512-EdDDZu4A2OyIK7Lr/2zG+w5jmbuk1DVBnEwREQvBzspBJkCEbRa8GxU1lghYcaGJCnRWibjDXlq779X1/y5xwg==",
- "dev": true,
- "engines": {
- "node": ">=8"
- }
- },
- "node_modules/inflight": {
- "version": "1.0.6",
- "resolved": "https://registry.npmmirror.com/inflight/-/inflight-1.0.6.tgz",
- "integrity": "sha512-k92I/b08q4wvFscXCLvqfsHCrjrF7yiXsQuIVvVE7N82W3+aqpzuUdBbfhWcy/FZR3/4IgflMgKLOsvPDrGCJA==",
- "dev": true,
- "dependencies": {
- "once": "^1.3.0",
- "wrappy": "1"
- }
- },
- "node_modules/inherits": {
- "version": "2.0.4",
- "resolved": "https://registry.npmmirror.com/inherits/-/inherits-2.0.4.tgz",
- "integrity": "sha512-k/vGaX4/Yla3WzyMCvTQOXYeIHvqOKtnqBduzTHpzpQZzAskKMhZ2K+EnBiSM9zGSoIFeMpXKxa4dYeZIQqewQ==",
- "dev": true
- },
- "node_modules/ini": {
- "version": "1.3.8",
- "resolved": "https://registry.npmmirror.com/ini/-/ini-1.3.8.tgz",
- "integrity": "sha512-JV/yugV2uzW5iMRSiZAyDtQd+nxtUnjeLt0acNdw98kKLrvuRVyB80tsREOE7yvGVgalhZ6RNXCmEHkUKBKxew==",
- "dev": true
- },
- "node_modules/internal-slot": {
- "version": "1.0.3",
- "resolved": "https://registry.npmmirror.com/internal-slot/-/internal-slot-1.0.3.tgz",
- "integrity": "sha512-O0DB1JC/sPyZl7cIo78n5dR7eUSwwpYPiXRhTzNxZVAMUuB8vlnRFyLxdrVToks6XPLVnFfbzaVd5WLjhgg+vA==",
- "dev": true,
- "dependencies": {
- "get-intrinsic": "^1.1.0",
- "has": "^1.0.3",
- "side-channel": "^1.0.4"
- },
- "engines": {
- "node": ">= 0.4"
- }
- },
- "node_modules/is-arrayish": {
- "version": "0.2.1",
- "resolved": "https://registry.npmmirror.com/is-arrayish/-/is-arrayish-0.2.1.tgz",
- "integrity": "sha512-zz06S8t0ozoDXMG+ube26zeCTNXcKIPJZJi8hBrF4idCLms4CG9QtK7qBl1boi5ODzFpjswb5JPmHCbMpjaYzg==",
- "dev": true
- },
- "node_modules/is-bigint": {
- "version": "1.0.4",
- "resolved": "https://registry.npmmirror.com/is-bigint/-/is-bigint-1.0.4.tgz",
- "integrity": "sha512-zB9CruMamjym81i2JZ3UMn54PKGsQzsJeo6xvN3HJJ4CAsQNB6iRutp2To77OfCNuoxspsIhzaPoO1zyCEhFOg==",
- "dev": true,
- "dependencies": {
- "has-bigints": "^1.0.1"
- }
- },
- "node_modules/is-binary-path": {
- "version": "2.1.0",
- "resolved": "https://registry.npmmirror.com/is-binary-path/-/is-binary-path-2.1.0.tgz",
- "integrity": "sha512-ZMERYes6pDydyuGidse7OsHxtbI7WVeUEozgR/g7rd0xUimYNlvZRE/K2MgZTjWy725IfelLeVcEM97mmtRGXw==",
- "dev": true,
- "dependencies": {
- "binary-extensions": "^2.0.0"
- },
- "engines": {
- "node": ">=8"
- }
- },
- "node_modules/is-boolean-object": {
- "version": "1.1.2",
- "resolved": "https://registry.npmmirror.com/is-boolean-object/-/is-boolean-object-1.1.2.tgz",
- "integrity": "sha512-gDYaKHJmnj4aWxyj6YHyXVpdQawtVLHU5cb+eztPGczf6cjuTdwve5ZIEfgXqH4e57An1D1AKf8CZ3kYrQRqYA==",
- "dev": true,
- "dependencies": {
- "call-bind": "^1.0.2",
- "has-tostringtag": "^1.0.0"
- },
- "engines": {
- "node": ">= 0.4"
- }
- },
- "node_modules/is-callable": {
- "version": "1.2.4",
- "resolved": "https://registry.npmmirror.com/is-callable/-/is-callable-1.2.4.tgz",
- "integrity": "sha512-nsuwtxZfMX67Oryl9LCQ+upnC0Z0BgpwntpS89m1H/TLF0zNfzfLMV/9Wa/6MZsj0acpEjAO0KF1xT6ZdLl95w==",
- "dev": true,
- "engines": {
- "node": ">= 0.4"
- }
- },
- "node_modules/is-core-module": {
- "version": "2.9.0",
- "resolved": "https://registry.npmmirror.com/is-core-module/-/is-core-module-2.9.0.tgz",
- "integrity": "sha512-+5FPy5PnwmO3lvfMb0AsoPaBG+5KHUI0wYFXOtYPnVVVspTFUuMZNfNaNVRt3FZadstu2c8x23vykRW/NBoU6A==",
- "dev": true,
- "dependencies": {
- "has": "^1.0.3"
- }
- },
- "node_modules/is-date-object": {
- "version": "1.0.5",
- "resolved": "https://registry.npmmirror.com/is-date-object/-/is-date-object-1.0.5.tgz",
- "integrity": "sha512-9YQaSxsAiSwcvS33MBk3wTCVnWK+HhF8VZR2jRxehM16QcVOdHqPn4VPHmRK4lSr38n9JriurInLcP90xsYNfQ==",
- "dev": true,
- "dependencies": {
- "has-tostringtag": "^1.0.0"
- },
- "engines": {
- "node": ">= 0.4"
- }
- },
- "node_modules/is-extglob": {
- "version": "2.1.1",
- "resolved": "https://registry.npmmirror.com/is-extglob/-/is-extglob-2.1.1.tgz",
- "integrity": "sha512-SbKbANkN603Vi4jEZv49LeVJMn4yGwsbzZworEoyEiutsN3nJYdbO36zfhGJ6QEDpOZIFkDtnq5JRxmvl3jsoQ==",
- "dev": true,
- "engines": {
- "node": ">=0.10.0"
- }
- },
- "node_modules/is-fullwidth-code-point": {
- "version": "3.0.0",
- "resolved": "https://registry.npmmirror.com/is-fullwidth-code-point/-/is-fullwidth-code-point-3.0.0.tgz",
- "integrity": "sha512-zymm5+u+sCsSWyD9qNaejV3DFvhCKclKdizYaJUuHA83RLjb7nSuGnddCHGv0hk+KY7BMAlsWeK4Ueg6EV6XQg==",
- "dev": true,
- "engines": {
- "node": ">=8"
- }
- },
- "node_modules/is-glob": {
- "version": "4.0.3",
- "resolved": "https://registry.npmmirror.com/is-glob/-/is-glob-4.0.3.tgz",
- "integrity": "sha512-xelSayHH36ZgE7ZWhli7pW34hNbNl8Ojv5KVmkJD4hBdD3th8Tfk9vYasLM+mXWOZhFkgZfxhLSnrwRr4elSSg==",
- "dev": true,
- "dependencies": {
- "is-extglob": "^2.1.1"
- },
- "engines": {
- "node": ">=0.10.0"
- }
- },
- "node_modules/is-negative-zero": {
- "version": "2.0.2",
- "resolved": "https://registry.npmmirror.com/is-negative-zero/-/is-negative-zero-2.0.2.tgz",
- "integrity": "sha512-dqJvarLawXsFbNDeJW7zAz8ItJ9cd28YufuuFzh0G8pNHjJMnY08Dv7sYX2uF5UpQOwieAeOExEYAWWfu7ZZUA==",
- "dev": true,
- "engines": {
- "node": ">= 0.4"
- }
- },
- "node_modules/is-number": {
- "version": "7.0.0",
- "resolved": "https://registry.npmmirror.com/is-number/-/is-number-7.0.0.tgz",
- "integrity": "sha512-41Cifkg6e8TylSpdtTpeLVMqvSBEVzTttHvERD741+pnZ8ANv0004MRL43QKPDlK9cGvNp6NZWZUBlbGXYxxng==",
- "dev": true,
- "engines": {
- "node": ">=0.12.0"
- }
- },
- "node_modules/is-number-object": {
- "version": "1.0.7",
- "resolved": "https://registry.npmmirror.com/is-number-object/-/is-number-object-1.0.7.tgz",
- "integrity": "sha512-k1U0IRzLMo7ZlYIfzRu23Oh6MiIFasgpb9X76eqfFZAqwH44UI4KTBvBYIZ1dSL9ZzChTB9ShHfLkR4pdW5krQ==",
- "dev": true,
- "dependencies": {
- "has-tostringtag": "^1.0.0"
- },
- "engines": {
- "node": ">= 0.4"
- }
- },
- "node_modules/is-obj": {
- "version": "2.0.0",
- "resolved": "https://registry.npmmirror.com/is-obj/-/is-obj-2.0.0.tgz",
- "integrity": "sha512-drqDG3cbczxxEJRoOXcOjtdp1J/lyp1mNn0xaznRs8+muBhgQcrnbspox5X5fOw0HnMnbfDzvnEMEtqDEJEo8w==",
- "dev": true,
- "engines": {
- "node": ">=8"
- }
- },
- "node_modules/is-plain-obj": {
- "version": "1.1.0",
- "resolved": "https://registry.npmmirror.com/is-plain-obj/-/is-plain-obj-1.1.0.tgz",
- "integrity": "sha512-yvkRyxmFKEOQ4pNXCmJG5AEQNlXJS5LaONXo5/cLdTZdWvsZ1ioJEonLGAosKlMWE8lwUy/bJzMjcw8az73+Fg==",
- "dev": true,
- "engines": {
- "node": ">=0.10.0"
- }
- },
- "node_modules/is-regex": {
- "version": "1.1.4",
- "resolved": "https://registry.npmmirror.com/is-regex/-/is-regex-1.1.4.tgz",
- "integrity": "sha512-kvRdxDsxZjhzUX07ZnLydzS1TU/TJlTUHHY4YLL87e37oUA49DfkLqgy+VjFocowy29cKvcSiu+kIv728jTTVg==",
- "dev": true,
- "dependencies": {
- "call-bind": "^1.0.2",
- "has-tostringtag": "^1.0.0"
- },
- "engines": {
- "node": ">= 0.4"
- }
- },
- "node_modules/is-shared-array-buffer": {
- "version": "1.0.2",
- "resolved": "https://registry.npmmirror.com/is-shared-array-buffer/-/is-shared-array-buffer-1.0.2.tgz",
- "integrity": "sha512-sqN2UDu1/0y6uvXyStCOzyhAjCSlHceFoMKJW8W9EU9cvic/QdsZ0kEU93HEy3IUEFZIiH/3w+AH/UQbPHNdhA==",
- "dev": true,
- "dependencies": {
- "call-bind": "^1.0.2"
- }
- },
- "node_modules/is-stream": {
- "version": "2.0.1",
- "resolved": "https://registry.npmmirror.com/is-stream/-/is-stream-2.0.1.tgz",
- "integrity": "sha512-hFoiJiTl63nn+kstHGBtewWSKnQLpyb155KHheA1l39uvtO9nWIop1p3udqPcUd/xbF1VLMO4n7OI6p7RbngDg==",
- "dev": true,
- "engines": {
- "node": ">=8"
- }
- },
- "node_modules/is-string": {
- "version": "1.0.7",
- "resolved": "https://registry.npmmirror.com/is-string/-/is-string-1.0.7.tgz",
- "integrity": "sha512-tE2UXzivje6ofPW7l23cjDOMa09gb7xlAqG6jG5ej6uPV32TlWP3NKPigtaGeHNu9fohccRYvIiZMfOOnOYUtg==",
- "dev": true,
- "dependencies": {
- "has-tostringtag": "^1.0.0"
- },
- "engines": {
- "node": ">= 0.4"
- }
- },
- "node_modules/is-symbol": {
- "version": "1.0.4",
- "resolved": "https://registry.npmmirror.com/is-symbol/-/is-symbol-1.0.4.tgz",
- "integrity": "sha512-C/CPBqKWnvdcxqIARxyOh4v1UUEOCHpgDa0WYgpKDFMszcrPcffg5uhwSgPCLD2WWxmq6isisz87tzT01tuGhg==",
- "dev": true,
- "dependencies": {
- "has-symbols": "^1.0.2"
- },
- "engines": {
- "node": ">= 0.4"
- }
- },
- "node_modules/is-text-path": {
- "version": "1.0.1",
- "resolved": "https://registry.npmmirror.com/is-text-path/-/is-text-path-1.0.1.tgz",
- "integrity": "sha512-xFuJpne9oFz5qDaodwmmG08e3CawH/2ZV8Qqza1Ko7Sk8POWbkRdwIoAWVhqvq0XeUzANEhKo2n0IXUGBm7A/w==",
- "dev": true,
- "dependencies": {
- "text-extensions": "^1.0.0"
- },
- "engines": {
- "node": ">=0.10.0"
- }
- },
- "node_modules/is-weakref": {
- "version": "1.0.2",
- "resolved": "https://registry.npmmirror.com/is-weakref/-/is-weakref-1.0.2.tgz",
- "integrity": "sha512-qctsuLZmIQ0+vSSMfoVvyFe2+GSEvnmZ2ezTup1SBse9+twCCeial6EEi3Nc2KFcf6+qz2FBPnjXsk8xhKSaPQ==",
- "dev": true,
- "dependencies": {
- "call-bind": "^1.0.2"
- }
- },
- "node_modules/isexe": {
- "version": "2.0.0",
- "resolved": "https://registry.npmmirror.com/isexe/-/isexe-2.0.0.tgz",
- "integrity": "sha512-RHxMLp9lnKHGHRng9QFhRCMbYAcVpn69smSGcq3f36xjgVVWThj4qqLbTLlq7Ssj8B+fIQ1EuCEGI2lKsyQeIw==",
- "dev": true
- },
- "node_modules/js-tokens": {
- "version": "4.0.0",
- "resolved": "https://registry.npmmirror.com/js-tokens/-/js-tokens-4.0.0.tgz",
- "integrity": "sha512-RdJUflcE3cUzKiMqQgsCu06FPu9UdIJO0beYbPhHN4k6apgJtifcoCtT9bcxOpYBtpD2kCM6Sbzg4CausW/PKQ==",
- "dev": true
- },
- "node_modules/js-yaml": {
- "version": "4.1.0",
- "resolved": "https://registry.npmmirror.com/js-yaml/-/js-yaml-4.1.0.tgz",
- "integrity": "sha512-wpxZs9NoxZaJESJGIZTyDEaYpl0FKSA+FB9aJiyemKhMwkxQg63h4T1KJgUGHpTqPDNRcmmYLugrRjJlBtWvRA==",
- "dev": true,
- "dependencies": {
- "argparse": "^2.0.1"
- },
- "bin": {
- "js-yaml": "bin/js-yaml.js"
- }
- },
- "node_modules/jsesc": {
- "version": "2.5.2",
- "resolved": "https://registry.npmmirror.com/jsesc/-/jsesc-2.5.2.tgz",
- "integrity": "sha512-OYu7XEzjkCQ3C5Ps3QIZsQfNpqoJyZZA99wd9aWd05NCtC5pWOkShK2mkL6HXQR6/Cy2lbNdPlZBpuQHXE63gA==",
- "dev": true,
- "bin": {
- "jsesc": "bin/jsesc"
- },
- "engines": {
- "node": ">=4"
- }
- },
- "node_modules/json-parse-better-errors": {
- "version": "1.0.2",
- "resolved": "https://registry.npmmirror.com/json-parse-better-errors/-/json-parse-better-errors-1.0.2.tgz",
- "integrity": "sha512-mrqyZKfX5EhL7hvqcV6WG1yYjnjeuYDzDhhcAAUrq8Po85NBQBJP+ZDUT75qZQ98IkUoBqdkExkukOU7Ts2wrw==",
- "dev": true
- },
- "node_modules/json-parse-even-better-errors": {
- "version": "2.3.1",
- "resolved": "https://registry.npmmirror.com/json-parse-even-better-errors/-/json-parse-even-better-errors-2.3.1.tgz",
- "integrity": "sha512-xyFwyhro/JEof6Ghe2iz2NcXoj2sloNsWr/XsERDK/oiPCfaNhl5ONfp+jQdAZRQQ0IJWNzH9zIZF7li91kh2w==",
- "dev": true
- },
- "node_modules/json-schema-traverse": {
- "version": "0.4.1",
- "resolved": "https://registry.npmmirror.com/json-schema-traverse/-/json-schema-traverse-0.4.1.tgz",
- "integrity": "sha512-xbbCH5dCYU5T8LcEhhuh7HJ88HXuW3qsI3Y0zOZFKfZEHcpWiHU/Jxzk629Brsab/mMiHQti9wMP+845RPe3Vg==",
- "dev": true
- },
- "node_modules/json-stable-stringify-without-jsonify": {
- "version": "1.0.1",
- "resolved": "https://registry.npmmirror.com/json-stable-stringify-without-jsonify/-/json-stable-stringify-without-jsonify-1.0.1.tgz",
- "integrity": "sha512-Bdboy+l7tA3OGW6FjyFHWkP5LuByj1Tk33Ljyq0axyzdk9//JSi2u3fP1QSmd1KNwq6VOKYGlAu87CisVir6Pw==",
- "dev": true
- },
- "node_modules/json5": {
- "version": "2.2.1",
- "resolved": "https://registry.npmmirror.com/json5/-/json5-2.2.1.tgz",
- "integrity": "sha512-1hqLFMSrGHRHxav9q9gNjJ5EXznIxGVO09xQRrwplcS8qs28pZ8s8hupZAmqDwZUmVZ2Qb2jnyPOWcDH8m8dlA==",
- "dev": true,
- "bin": {
- "json5": "lib/cli.js"
- },
- "engines": {
- "node": ">=6"
- }
- },
- "node_modules/jsonfile": {
- "version": "6.1.0",
- "resolved": "https://registry.npmmirror.com/jsonfile/-/jsonfile-6.1.0.tgz",
- "integrity": "sha512-5dgndWOriYSm5cnYaJNhalLNDKOqFwyDB/rr1E9ZsGciGvKPs8R2xYGCacuf3z6K1YKDz182fd+fY3cn3pMqXQ==",
- "dev": true,
- "dependencies": {
- "universalify": "^2.0.0"
- },
- "optionalDependencies": {
- "graceful-fs": "^4.1.6"
- }
- },
- "node_modules/jsonparse": {
- "version": "1.3.1",
- "resolved": "https://registry.npmmirror.com/jsonparse/-/jsonparse-1.3.1.tgz",
- "integrity": "sha512-POQXvpdL69+CluYsillJ7SUhKvytYjW9vG/GKpnf+xP8UWgYEM/RaMzHHofbALDiKbbP1W8UEYmgGl39WkPZsg==",
- "dev": true,
- "engines": [
- "node >= 0.2.0"
- ]
- },
- "node_modules/JSONStream": {
- "version": "1.3.5",
- "resolved": "https://registry.npmmirror.com/JSONStream/-/JSONStream-1.3.5.tgz",
- "integrity": "sha512-E+iruNOY8VV9s4JEbe1aNEm6MiszPRr/UfcHMz0TQh1BXSxHK+ASV1R6W4HpjBhSeS+54PIsAMCBmwD06LLsqQ==",
- "dev": true,
- "dependencies": {
- "jsonparse": "^1.2.0",
- "through": ">=2.2.7 <3"
- },
- "bin": {
- "JSONStream": "bin.js"
- },
- "engines": {
- "node": "*"
- }
- },
- "node_modules/kind-of": {
- "version": "6.0.3",
- "resolved": "https://registry.npmmirror.com/kind-of/-/kind-of-6.0.3.tgz",
- "integrity": "sha512-dcS1ul+9tmeD95T+x28/ehLgd9mENa3LsvDTtzm3vyBEO7RPptvAD+t44WVXaUjTBRcrpFeFlC8WCruUR456hw==",
- "dev": true,
- "engines": {
- "node": ">=0.10.0"
- }
- },
- "node_modules/levn": {
- "version": "0.4.1",
- "resolved": "https://registry.npmmirror.com/levn/-/levn-0.4.1.tgz",
- "integrity": "sha512-+bT2uH4E5LGE7h/n3evcS/sQlJXCpIp6ym8OWJ5eV6+67Dsql/LaaT7qJBAt2rzfoa/5QBGBhxDix1dMt2kQKQ==",
- "dev": true,
- "dependencies": {
- "prelude-ls": "^1.2.1",
- "type-check": "~0.4.0"
- },
- "engines": {
- "node": ">= 0.8.0"
- }
- },
- "node_modules/lilconfig": {
- "version": "2.0.6",
- "resolved": "https://registry.npmmirror.com/lilconfig/-/lilconfig-2.0.6.tgz",
- "integrity": "sha512-9JROoBW7pobfsx+Sq2JsASvCo6Pfo6WWoUW79HuB1BCoBXD4PLWJPqDF6fNj67pqBYTbAHkE57M1kS/+L1neOg==",
- "dev": true,
- "engines": {
- "node": ">=10"
- }
- },
- "node_modules/lines-and-columns": {
- "version": "1.2.4",
- "resolved": "https://registry.npmmirror.com/lines-and-columns/-/lines-and-columns-1.2.4.tgz",
- "integrity": "sha512-7ylylesZQ/PV29jhEDl3Ufjo6ZX7gCqJr5F7PKrqc93v7fzSymt1BpwEU8nAUXs8qzzvqhbjhK5QZg6Mt/HkBg==",
- "dev": true
- },
- "node_modules/lint-staged": {
- "version": "13.0.3",
- "resolved": "https://registry.npmmirror.com/lint-staged/-/lint-staged-13.0.3.tgz",
- "integrity": "sha512-9hmrwSCFroTSYLjflGI8Uk+GWAwMB4OlpU4bMJEAT5d/llQwtYKoim4bLOyLCuWFAhWEupE0vkIFqtw/WIsPug==",
- "dev": true,
- "dependencies": {
- "cli-truncate": "^3.1.0",
- "colorette": "^2.0.17",
- "commander": "^9.3.0",
- "debug": "^4.3.4",
- "execa": "^6.1.0",
- "lilconfig": "2.0.5",
- "listr2": "^4.0.5",
- "micromatch": "^4.0.5",
- "normalize-path": "^3.0.0",
- "object-inspect": "^1.12.2",
- "pidtree": "^0.6.0",
- "string-argv": "^0.3.1",
- "yaml": "^2.1.1"
- },
- "bin": {
- "lint-staged": "bin/lint-staged.js"
- },
- "engines": {
- "node": "^14.13.1 || >=16.0.0"
- }
- },
- "node_modules/lint-staged/node_modules/execa": {
- "version": "6.1.0",
- "resolved": "https://registry.npmmirror.com/execa/-/execa-6.1.0.tgz",
- "integrity": "sha512-QVWlX2e50heYJcCPG0iWtf8r0xjEYfz/OYLGDYH+IyjWezzPNxz63qNFOu0l4YftGWuizFVZHHs8PrLU5p2IDA==",
- "dev": true,
- "dependencies": {
- "cross-spawn": "^7.0.3",
- "get-stream": "^6.0.1",
- "human-signals": "^3.0.1",
- "is-stream": "^3.0.0",
- "merge-stream": "^2.0.0",
- "npm-run-path": "^5.1.0",
- "onetime": "^6.0.0",
- "signal-exit": "^3.0.7",
- "strip-final-newline": "^3.0.0"
- },
- "engines": {
- "node": "^12.20.0 || ^14.13.1 || >=16.0.0"
- }
- },
- "node_modules/lint-staged/node_modules/human-signals": {
- "version": "3.0.1",
- "resolved": "https://registry.npmmirror.com/human-signals/-/human-signals-3.0.1.tgz",
- "integrity": "sha512-rQLskxnM/5OCldHo+wNXbpVgDn5A17CUoKX+7Sokwaknlq7CdSnphy0W39GU8dw59XiCXmFXDg4fRuckQRKewQ==",
- "dev": true,
- "engines": {
- "node": ">=12.20.0"
- }
- },
- "node_modules/lint-staged/node_modules/is-stream": {
- "version": "3.0.0",
- "resolved": "https://registry.npmmirror.com/is-stream/-/is-stream-3.0.0.tgz",
- "integrity": "sha512-LnQR4bZ9IADDRSkvpqMGvt/tEJWclzklNgSw48V5EAaAeDd6qGvN8ei6k5p0tvxSR171VmGyHuTiAOfxAbr8kA==",
- "dev": true,
- "engines": {
- "node": "^12.20.0 || ^14.13.1 || >=16.0.0"
- }
- },
- "node_modules/lint-staged/node_modules/lilconfig": {
- "version": "2.0.5",
- "resolved": "https://registry.npmmirror.com/lilconfig/-/lilconfig-2.0.5.tgz",
- "integrity": "sha512-xaYmXZtTHPAw5m+xLN8ab9C+3a8YmV3asNSPOATITbtwrfbwaLJj8h66H1WMIpALCkqsIzK3h7oQ+PdX+LQ9Eg==",
- "dev": true,
- "engines": {
- "node": ">=10"
- }
- },
- "node_modules/lint-staged/node_modules/mimic-fn": {
- "version": "4.0.0",
- "resolved": "https://registry.npmmirror.com/mimic-fn/-/mimic-fn-4.0.0.tgz",
- "integrity": "sha512-vqiC06CuhBTUdZH+RYl8sFrL096vA45Ok5ISO6sE/Mr1jRbGH4Csnhi8f3wKVl7x8mO4Au7Ir9D3Oyv1VYMFJw==",
- "dev": true,
- "engines": {
- "node": ">=12"
- }
- },
- "node_modules/lint-staged/node_modules/npm-run-path": {
- "version": "5.1.0",
- "resolved": "https://registry.npmmirror.com/npm-run-path/-/npm-run-path-5.1.0.tgz",
- "integrity": "sha512-sJOdmRGrY2sjNTRMbSvluQqg+8X7ZK61yvzBEIDhz4f8z1TZFYABsqjjCBd/0PUNE9M6QDgHJXQkGUEm7Q+l9Q==",
- "dev": true,
- "dependencies": {
- "path-key": "^4.0.0"
- },
- "engines": {
- "node": "^12.20.0 || ^14.13.1 || >=16.0.0"
- }
- },
- "node_modules/lint-staged/node_modules/onetime": {
- "version": "6.0.0",
- "resolved": "https://registry.npmmirror.com/onetime/-/onetime-6.0.0.tgz",
- "integrity": "sha512-1FlR+gjXK7X+AsAHso35MnyN5KqGwJRi/31ft6x0M194ht7S+rWAvd7PHss9xSKMzE0asv1pyIHaJYq+BbacAQ==",
- "dev": true,
- "dependencies": {
- "mimic-fn": "^4.0.0"
- },
- "engines": {
- "node": ">=12"
- }
- },
- "node_modules/lint-staged/node_modules/path-key": {
- "version": "4.0.0",
- "resolved": "https://registry.npmmirror.com/path-key/-/path-key-4.0.0.tgz",
- "integrity": "sha512-haREypq7xkM7ErfgIyA0z+Bj4AGKlMSdlQE2jvJo6huWD1EdkKYV+G/T4nq0YEF2vgTT8kqMFKo1uHn950r4SQ==",
- "dev": true,
- "engines": {
- "node": ">=12"
- }
- },
- "node_modules/lint-staged/node_modules/pidtree": {
- "version": "0.6.0",
- "resolved": "https://registry.npmmirror.com/pidtree/-/pidtree-0.6.0.tgz",
- "integrity": "sha512-eG2dWTVw5bzqGRztnHExczNxt5VGsE6OwTeCG3fdUf9KBsZzO3R5OIIIzWR+iZA0NtZ+RDVdaoE2dK1cn6jH4g==",
- "dev": true,
- "bin": {
- "pidtree": "bin/pidtree.js"
- },
- "engines": {
- "node": ">=0.10"
- }
- },
- "node_modules/lint-staged/node_modules/strip-final-newline": {
- "version": "3.0.0",
- "resolved": "https://registry.npmmirror.com/strip-final-newline/-/strip-final-newline-3.0.0.tgz",
- "integrity": "sha512-dOESqjYr96iWYylGObzd39EuNTa5VJxyvVAEm5Jnh7KGo75V43Hk1odPQkNDyXNmUR6k+gEiDVXnjB8HJ3crXw==",
- "dev": true,
- "engines": {
- "node": ">=12"
- }
- },
- "node_modules/lint-staged/node_modules/yaml": {
- "version": "2.1.1",
- "resolved": "https://registry.npmmirror.com/yaml/-/yaml-2.1.1.tgz",
- "integrity": "sha512-o96x3OPo8GjWeSLF+wOAbrPfhFOGY0W00GNaxCDv+9hkcDJEnev1yh8S7pgHF0ik6zc8sQLuL8hjHjJULZp8bw==",
- "dev": true,
- "engines": {
- "node": ">= 14"
- }
- },
- "node_modules/listr2": {
- "version": "4.0.5",
- "resolved": "https://registry.npmmirror.com/listr2/-/listr2-4.0.5.tgz",
- "integrity": "sha512-juGHV1doQdpNT3GSTs9IUN43QJb7KHdF9uqg7Vufs/tG9VTzpFphqF4pm/ICdAABGQxsyNn9CiYA3StkI6jpwA==",
- "dev": true,
- "dependencies": {
- "cli-truncate": "^2.1.0",
- "colorette": "^2.0.16",
- "log-update": "^4.0.0",
- "p-map": "^4.0.0",
- "rfdc": "^1.3.0",
- "rxjs": "^7.5.5",
- "through": "^2.3.8",
- "wrap-ansi": "^7.0.0"
- },
- "engines": {
- "node": ">=12"
- },
- "peerDependencies": {
- "enquirer": ">= 2.3.0 < 3"
- },
- "peerDependenciesMeta": {
- "enquirer": {
- "optional": true
- }
- }
- },
- "node_modules/listr2/node_modules/ansi-styles": {
- "version": "4.3.0",
- "resolved": "https://registry.npmmirror.com/ansi-styles/-/ansi-styles-4.3.0.tgz",
- "integrity": "sha512-zbB9rCJAT1rbjiVDb2hqKFHNYLxgtk8NURxZ3IZwD3F6NtxbXZQCnnSi1Lkx+IDohdPlFp222wVALIheZJQSEg==",
- "dev": true,
- "dependencies": {
- "color-convert": "^2.0.1"
- },
- "engines": {
- "node": ">=8"
- }
- },
- "node_modules/listr2/node_modules/cli-truncate": {
- "version": "2.1.0",
- "resolved": "https://registry.npmmirror.com/cli-truncate/-/cli-truncate-2.1.0.tgz",
- "integrity": "sha512-n8fOixwDD6b/ObinzTrp1ZKFzbgvKZvuz/TvejnLn1aQfC6r52XEx85FmuC+3HI+JM7coBRXUvNqEU2PHVrHpg==",
- "dev": true,
- "dependencies": {
- "slice-ansi": "^3.0.0",
- "string-width": "^4.2.0"
- },
- "engines": {
- "node": ">=8"
- }
- },
- "node_modules/listr2/node_modules/color-convert": {
- "version": "2.0.1",
- "resolved": "https://registry.npmmirror.com/color-convert/-/color-convert-2.0.1.tgz",
- "integrity": "sha512-RRECPsj7iu/xb5oKYcsFHSppFNnsj/52OVTRKb4zP5onXwVF3zVmmToNcOfGC+CRDpfK/U584fMg38ZHCaElKQ==",
- "dev": true,
- "dependencies": {
- "color-name": "~1.1.4"
- },
- "engines": {
- "node": ">=7.0.0"
- }
- },
- "node_modules/listr2/node_modules/color-name": {
- "version": "1.1.4",
- "resolved": "https://registry.npmmirror.com/color-name/-/color-name-1.1.4.tgz",
- "integrity": "sha512-dOy+3AuW3a2wNbZHIuMZpTcgjGuLU/uBL/ubcZF9OXbDo8ff4O8yVp5Bf0efS8uEoYo5q4Fx7dY9OgQGXgAsQA==",
- "dev": true
- },
- "node_modules/listr2/node_modules/slice-ansi": {
- "version": "3.0.0",
- "resolved": "https://registry.npmmirror.com/slice-ansi/-/slice-ansi-3.0.0.tgz",
- "integrity": "sha512-pSyv7bSTC7ig9Dcgbw9AuRNUb5k5V6oDudjZoMBSr13qpLBG7tB+zgCkARjq7xIUgdz5P1Qe8u+rSGdouOOIyQ==",
- "dev": true,
- "dependencies": {
- "ansi-styles": "^4.0.0",
- "astral-regex": "^2.0.0",
- "is-fullwidth-code-point": "^3.0.0"
- },
- "engines": {
- "node": ">=8"
- }
- },
- "node_modules/load-json-file": {
- "version": "4.0.0",
- "resolved": "https://registry.npmmirror.com/load-json-file/-/load-json-file-4.0.0.tgz",
- "integrity": "sha512-Kx8hMakjX03tiGTLAIdJ+lL0htKnXjEZN6hk/tozf/WOuYGdZBJrZ+rCJRbVCugsjB3jMLn9746NsQIf5VjBMw==",
- "dev": true,
- "dependencies": {
- "graceful-fs": "^4.1.2",
- "parse-json": "^4.0.0",
- "pify": "^3.0.0",
- "strip-bom": "^3.0.0"
- },
- "engines": {
- "node": ">=4"
- }
- },
- "node_modules/locate-path": {
- "version": "6.0.0",
- "resolved": "https://registry.npmmirror.com/locate-path/-/locate-path-6.0.0.tgz",
- "integrity": "sha512-iPZK6eYjbxRu3uB4/WZ3EsEIMJFMqAoopl3R+zuq0UjcAm/MO6KCweDgPfP3elTztoKP3KtnVHxTn2NHBSDVUw==",
- "dev": true,
- "dependencies": {
- "p-locate": "^5.0.0"
- },
- "engines": {
- "node": ">=10"
- }
- },
- "node_modules/lodash": {
- "version": "4.17.21",
- "resolved": "https://registry.npmmirror.com/lodash/-/lodash-4.17.21.tgz",
- "integrity": "sha512-v2kDEe57lecTulaDIuNTPy3Ry4gLGJ6Z1O3vE1krgXZNrsQ+LFTGHVxVjcXPs17LhbZVGedAJv8XZ1tvj5FvSg=="
- },
- "node_modules/lodash-es": {
- "version": "4.17.21",
- "resolved": "https://registry.npmmirror.com/lodash-es/-/lodash-es-4.17.21.tgz",
- "integrity": "sha512-mKnC+QJ9pWVzv+C4/U3rRsHapFfHvQFoFB92e52xeyGMcX6/OlIl78je1u8vePzYZSkkogMPJ2yjxxsb89cxyw=="
- },
- "node_modules/lodash-unified": {
- "version": "1.0.2",
- "resolved": "https://registry.npmmirror.com/lodash-unified/-/lodash-unified-1.0.2.tgz",
- "integrity": "sha512-OGbEy+1P+UT26CYi4opY4gebD8cWRDxAT6MAObIVQMiqYdxZr1g3QHWCToVsm31x2NkLS4K3+MC2qInaRMa39g==",
- "peerDependencies": {
- "@types/lodash-es": "*",
- "lodash": "*",
- "lodash-es": "*"
- }
- },
- "node_modules/lodash.merge": {
- "version": "4.6.2",
- "resolved": "https://registry.npmmirror.com/lodash.merge/-/lodash.merge-4.6.2.tgz",
- "integrity": "sha512-0KpjqXRVvrYyCsX1swR/XTK0va6VQkQM6MNo7PqW77ByjAhoARA8EfrP1N4+KlKj8YS0ZUCtRT/YUuhyYDujIQ==",
- "dev": true
- },
- "node_modules/log-update": {
- "version": "4.0.0",
- "resolved": "https://registry.npmmirror.com/log-update/-/log-update-4.0.0.tgz",
- "integrity": "sha512-9fkkDevMefjg0mmzWFBW8YkFP91OrizzkW3diF7CpG+S2EYdy4+TVfGwz1zeF8x7hCx1ovSPTOE9Ngib74qqUg==",
- "dev": true,
- "dependencies": {
- "ansi-escapes": "^4.3.0",
- "cli-cursor": "^3.1.0",
- "slice-ansi": "^4.0.0",
- "wrap-ansi": "^6.2.0"
- },
- "engines": {
- "node": ">=10"
- }
- },
- "node_modules/log-update/node_modules/ansi-styles": {
- "version": "4.3.0",
- "resolved": "https://registry.npmmirror.com/ansi-styles/-/ansi-styles-4.3.0.tgz",
- "integrity": "sha512-zbB9rCJAT1rbjiVDb2hqKFHNYLxgtk8NURxZ3IZwD3F6NtxbXZQCnnSi1Lkx+IDohdPlFp222wVALIheZJQSEg==",
- "dev": true,
- "dependencies": {
- "color-convert": "^2.0.1"
- },
- "engines": {
- "node": ">=8"
- }
- },
- "node_modules/log-update/node_modules/color-convert": {
- "version": "2.0.1",
- "resolved": "https://registry.npmmirror.com/color-convert/-/color-convert-2.0.1.tgz",
- "integrity": "sha512-RRECPsj7iu/xb5oKYcsFHSppFNnsj/52OVTRKb4zP5onXwVF3zVmmToNcOfGC+CRDpfK/U584fMg38ZHCaElKQ==",
- "dev": true,
- "dependencies": {
- "color-name": "~1.1.4"
- },
- "engines": {
- "node": ">=7.0.0"
- }
- },
- "node_modules/log-update/node_modules/color-name": {
- "version": "1.1.4",
- "resolved": "https://registry.npmmirror.com/color-name/-/color-name-1.1.4.tgz",
- "integrity": "sha512-dOy+3AuW3a2wNbZHIuMZpTcgjGuLU/uBL/ubcZF9OXbDo8ff4O8yVp5Bf0efS8uEoYo5q4Fx7dY9OgQGXgAsQA==",
- "dev": true
- },
- "node_modules/log-update/node_modules/slice-ansi": {
- "version": "4.0.0",
- "resolved": "https://registry.npmmirror.com/slice-ansi/-/slice-ansi-4.0.0.tgz",
- "integrity": "sha512-qMCMfhY040cVHT43K9BFygqYbUPFZKHOg7K73mtTWJRb8pyP3fzf4Ixd5SzdEJQ6MRUg/WBnOLxghZtKKurENQ==",
- "dev": true,
- "dependencies": {
- "ansi-styles": "^4.0.0",
- "astral-regex": "^2.0.0",
- "is-fullwidth-code-point": "^3.0.0"
- },
- "engines": {
- "node": ">=10"
- }
- },
- "node_modules/log-update/node_modules/wrap-ansi": {
- "version": "6.2.0",
- "resolved": "https://registry.npmmirror.com/wrap-ansi/-/wrap-ansi-6.2.0.tgz",
- "integrity": "sha512-r6lPcBGxZXlIcymEu7InxDMhdW0KDxpLgoFLcguasxCaJ/SOIZwINatK9KY/tf+ZrlywOKU0UDj3ATXUBfxJXA==",
- "dev": true,
- "dependencies": {
- "ansi-styles": "^4.0.0",
- "string-width": "^4.1.0",
- "strip-ansi": "^6.0.0"
- },
- "engines": {
- "node": ">=8"
- }
- },
- "node_modules/lru-cache": {
- "version": "6.0.0",
- "resolved": "https://registry.npmmirror.com/lru-cache/-/lru-cache-6.0.0.tgz",
- "integrity": "sha512-Jo6dJ04CmSjuznwJSS3pUeWmd/H0ffTlkXXgwZi+eq1UCmqQwCh+eLsYOYCwY991i2Fah4h1BEMCx4qThGbsiA==",
- "dev": true,
- "dependencies": {
- "yallist": "^4.0.0"
- },
- "engines": {
- "node": ">=10"
- }
- },
- "node_modules/magic-string": {
- "version": "0.25.9",
- "resolved": "https://registry.npmmirror.com/magic-string/-/magic-string-0.25.9.tgz",
- "integrity": "sha512-RmF0AsMzgt25qzqqLc1+MbHmhdx0ojF2Fvs4XnOqz2ZOBXzzkEwc/dJQZCYHAn7v1jbVOjAZfK8msRn4BxO4VQ==",
- "dependencies": {
- "sourcemap-codec": "^1.4.8"
- }
- },
- "node_modules/make-error": {
- "version": "1.3.6",
- "resolved": "https://registry.npmmirror.com/make-error/-/make-error-1.3.6.tgz",
- "integrity": "sha512-s8UhlNe7vPKomQhC1qFelMokr/Sc3AgNbso3n74mVPA5LTZwkB9NlXf4XPamLxJE8h0gh73rM94xvwRT2CVInw==",
- "dev": true
- },
- "node_modules/map-obj": {
- "version": "4.3.0",
- "resolved": "https://registry.npmmirror.com/map-obj/-/map-obj-4.3.0.tgz",
- "integrity": "sha512-hdN1wVrZbb29eBGiGjJbeP8JbKjq1urkHJ/LIP/NY48MZ1QVXUsQBV1G1zvYFHn1XE06cwjBsOI2K3Ulnj1YXQ==",
- "dev": true,
- "engines": {
- "node": ">=8"
- }
- },
- "node_modules/memoize-one": {
- "version": "6.0.0",
- "resolved": "https://registry.npmmirror.com/memoize-one/-/memoize-one-6.0.0.tgz",
- "integrity": "sha512-rkpe71W0N0c0Xz6QD0eJETuWAJGnJ9afsl1srmwPrI+yBCkge5EycXXbYRyvL29zZVUWQCY7InPRCv3GDXuZNw=="
- },
- "node_modules/memorystream": {
- "version": "0.3.1",
- "resolved": "https://registry.npmmirror.com/memorystream/-/memorystream-0.3.1.tgz",
- "integrity": "sha512-S3UwM3yj5mtUSEfP41UZmt/0SCoVYUcU1rkXv+BQ5Ig8ndL4sPoJNBUJERafdPb5jjHJGuMgytgKvKIf58XNBw==",
- "dev": true,
- "engines": {
- "node": ">= 0.10.0"
- }
- },
- "node_modules/meow": {
- "version": "8.1.2",
- "resolved": "https://registry.npmmirror.com/meow/-/meow-8.1.2.tgz",
- "integrity": "sha512-r85E3NdZ+mpYk1C6RjPFEMSE+s1iZMuHtsHAqY0DT3jZczl0diWUZ8g6oU7h0M9cD2EL+PzaYghhCLzR0ZNn5Q==",
- "dev": true,
- "dependencies": {
- "@types/minimist": "^1.2.0",
- "camelcase-keys": "^6.2.2",
- "decamelize-keys": "^1.1.0",
- "hard-rejection": "^2.1.0",
- "minimist-options": "4.1.0",
- "normalize-package-data": "^3.0.0",
- "read-pkg-up": "^7.0.1",
- "redent": "^3.0.0",
- "trim-newlines": "^3.0.0",
- "type-fest": "^0.18.0",
- "yargs-parser": "^20.2.3"
- },
- "engines": {
- "node": ">=10"
- }
- },
- "node_modules/meow/node_modules/hosted-git-info": {
- "version": "4.1.0",
- "resolved": "https://registry.npmmirror.com/hosted-git-info/-/hosted-git-info-4.1.0.tgz",
- "integrity": "sha512-kyCuEOWjJqZuDbRHzL8V93NzQhwIB71oFWSyzVo+KPZI+pnQPPxucdkrOZvkLRnrf5URsQM+IJ09Dw29cRALIA==",
- "dev": true,
- "dependencies": {
- "lru-cache": "^6.0.0"
- },
- "engines": {
- "node": ">=10"
- }
- },
- "node_modules/meow/node_modules/normalize-package-data": {
- "version": "3.0.3",
- "resolved": "https://registry.npmmirror.com/normalize-package-data/-/normalize-package-data-3.0.3.tgz",
- "integrity": "sha512-p2W1sgqij3zMMyRC067Dg16bfzVH+w7hyegmpIvZ4JNjqtGOVAIvLmjBx3yP7YTe9vKJgkoNOPjwQGogDoMXFA==",
- "dev": true,
- "dependencies": {
- "hosted-git-info": "^4.0.1",
- "is-core-module": "^2.5.0",
- "semver": "^7.3.4",
- "validate-npm-package-license": "^3.0.1"
- },
- "engines": {
- "node": ">=10"
- }
- },
- "node_modules/meow/node_modules/semver": {
- "version": "7.3.7",
- "resolved": "https://registry.npmmirror.com/semver/-/semver-7.3.7.tgz",
- "integrity": "sha512-QlYTucUYOews+WeEujDoEGziz4K6c47V/Bd+LjSSYcA94p+DmINdf7ncaUinThfvZyu13lN9OY1XDxt8C0Tw0g==",
- "dev": true,
- "dependencies": {
- "lru-cache": "^6.0.0"
- },
- "bin": {
- "semver": "bin/semver.js"
- },
- "engines": {
- "node": ">=10"
- }
- },
- "node_modules/meow/node_modules/type-fest": {
- "version": "0.18.1",
- "resolved": "https://registry.npmmirror.com/type-fest/-/type-fest-0.18.1.tgz",
- "integrity": "sha512-OIAYXk8+ISY+qTOwkHtKqzAuxchoMiD9Udx+FSGQDuiRR+PJKJHc2NJAXlbhkGwTt/4/nKZxELY1w3ReWOL8mw==",
- "dev": true,
- "engines": {
- "node": ">=10"
- }
- },
- "node_modules/merge-stream": {
- "version": "2.0.0",
- "resolved": "https://registry.npmmirror.com/merge-stream/-/merge-stream-2.0.0.tgz",
- "integrity": "sha512-abv/qOcuPfk3URPfDzmZU1LKmuw8kT+0nIHvKrKgFrwifol/doWcdA4ZqsWQ8ENrFKkd67Mfpo/LovbIUsbt3w==",
- "dev": true
- },
- "node_modules/merge2": {
- "version": "1.4.1",
- "resolved": "https://registry.npmmirror.com/merge2/-/merge2-1.4.1.tgz",
- "integrity": "sha512-8q7VEgMJW4J8tcfVPy8g09NcQwZdbwFEqhe/WZkoIzjn/3TGDwtOCYtXGxA3O8tPzpczCCDgv+P2P5y00ZJOOg==",
- "dev": true,
- "engines": {
- "node": ">= 8"
- }
- },
- "node_modules/micromatch": {
- "version": "4.0.5",
- "resolved": "https://registry.npmmirror.com/micromatch/-/micromatch-4.0.5.tgz",
- "integrity": "sha512-DMy+ERcEW2q8Z2Po+WNXuw3c5YaUSFjAO5GsJqfEl7UjvtIuFKO6ZrKvcItdy98dwFI2N1tg3zNIdKaQT+aNdA==",
- "dev": true,
- "dependencies": {
- "braces": "^3.0.2",
- "picomatch": "^2.3.1"
- },
- "engines": {
- "node": ">=8.6"
- }
- },
- "node_modules/mimic-fn": {
- "version": "2.1.0",
- "resolved": "https://registry.npmmirror.com/mimic-fn/-/mimic-fn-2.1.0.tgz",
- "integrity": "sha512-OqbOk5oEQeAZ8WXWydlu9HJjz9WVdEIvamMCcXmuqUYjTknH/sqsWvhQ3vgwKFRR1HpjvNBKQ37nbJgYzGqGcg==",
- "dev": true,
- "engines": {
- "node": ">=6"
- }
- },
- "node_modules/min-indent": {
- "version": "1.0.1",
- "resolved": "https://registry.npmmirror.com/min-indent/-/min-indent-1.0.1.tgz",
- "integrity": "sha512-I9jwMn07Sy/IwOj3zVkVik2JTvgpaykDZEigL6Rx6N9LbMywwUSMtxET+7lVoDLLd3O3IXwJwvuuns8UB/HeAg==",
- "dev": true,
- "engines": {
- "node": ">=4"
- }
- },
- "node_modules/minimatch": {
- "version": "3.1.2",
- "resolved": "https://registry.npmmirror.com/minimatch/-/minimatch-3.1.2.tgz",
- "integrity": "sha512-J7p63hRiAjw1NDEww1W7i37+ByIrOWO5XQQAzZ3VOcL0PNybwpfmV/N05zFAzwQ9USyEcX6t3UO+K5aqBQOIHw==",
- "dev": true,
- "dependencies": {
- "brace-expansion": "^1.1.7"
- },
- "engines": {
- "node": "*"
- }
- },
- "node_modules/minimist": {
- "version": "1.2.6",
- "resolved": "https://registry.npmmirror.com/minimist/-/minimist-1.2.6.tgz",
- "integrity": "sha512-Jsjnk4bw3YJqYzbdyBiNsPWHPfO++UGG749Cxs6peCu5Xg4nrena6OVxOYxrQTqww0Jmwt+Ref8rggumkTLz9Q==",
- "dev": true
- },
- "node_modules/minimist-options": {
- "version": "4.1.0",
- "resolved": "https://registry.npmmirror.com/minimist-options/-/minimist-options-4.1.0.tgz",
- "integrity": "sha512-Q4r8ghd80yhO/0j1O3B2BjweX3fiHg9cdOwjJd2J76Q135c+NDxGCqdYKQ1SKBuFfgWbAUzBfvYjPUEeNgqN1A==",
- "dev": true,
- "dependencies": {
- "arrify": "^1.0.1",
- "is-plain-obj": "^1.1.0",
- "kind-of": "^6.0.3"
- },
- "engines": {
- "node": ">= 6"
- }
- },
- "node_modules/monaco-editor": {
- "version": "0.33.0",
- "resolved": "https://registry.npmmirror.com/monaco-editor/-/monaco-editor-0.33.0.tgz",
- "integrity": "sha512-VcRWPSLIUEgQJQIE0pVT8FcGBIgFoxz7jtqctE+IiCxWugD0DwgyQBcZBhdSrdMC84eumoqMZsGl2GTreOzwqw=="
- },
- "node_modules/ms": {
- "version": "2.1.2",
- "resolved": "https://registry.npmmirror.com/ms/-/ms-2.1.2.tgz",
- "integrity": "sha512-sGkPx+VjMtmA6MX27oA4FBFELFCZZ4S4XqeGOXCv68tT+jb3vk/RyaKWP0PTKyWtmLSM0b+adUTEvbs1PEaH2w==",
- "dev": true
- },
- "node_modules/nanoid": {
- "version": "3.3.4",
- "resolved": "https://registry.npmmirror.com/nanoid/-/nanoid-3.3.4.tgz",
- "integrity": "sha512-MqBkQh/OHTS2egovRtLk45wEyNXwF+cokD+1YPf9u5VfJiRdAiRwB2froX5Co9Rh20xs4siNPm8naNotSD6RBw==",
- "bin": {
- "nanoid": "bin/nanoid.cjs"
- },
- "engines": {
- "node": "^10 || ^12 || ^13.7 || ^14 || >=15.0.1"
- }
- },
- "node_modules/natural-compare": {
- "version": "1.4.0",
- "resolved": "https://registry.npmmirror.com/natural-compare/-/natural-compare-1.4.0.tgz",
- "integrity": "sha512-OWND8ei3VtNC9h7V60qff3SVobHr996CTwgxubgyQYEpg290h9J0buyECNNJexkFm5sOajh5G116RYA1c8ZMSw==",
- "dev": true
- },
- "node_modules/nice-try": {
- "version": "1.0.5",
- "resolved": "https://registry.npmmirror.com/nice-try/-/nice-try-1.0.5.tgz",
- "integrity": "sha512-1nh45deeb5olNY7eX82BkPO7SSxR5SSYJiPTrTdFUVYwAl8CKMA5N9PjTYkHiRjisVcxcQ1HXdLhx2qxxJzLNQ==",
- "dev": true
- },
- "node_modules/node-releases": {
- "version": "2.0.6",
- "resolved": "https://registry.npmmirror.com/node-releases/-/node-releases-2.0.6.tgz",
- "integrity": "sha512-PiVXnNuFm5+iYkLBNeq5211hvO38y63T0i2KKh2KnUs3RpzJ+JtODFjkD8yjLwnDkTYF1eKXheUwdssR+NRZdg==",
- "dev": true
- },
- "node_modules/normalize-package-data": {
- "version": "2.5.0",
- "resolved": "https://registry.npmmirror.com/normalize-package-data/-/normalize-package-data-2.5.0.tgz",
- "integrity": "sha512-/5CMN3T0R4XTj4DcGaexo+roZSdSFW/0AOOTROrjxzCG1wrWXEsGbRKevjlIL+ZDE4sZlJr5ED4YW0yqmkK+eA==",
- "dev": true,
- "dependencies": {
- "hosted-git-info": "^2.1.4",
- "resolve": "^1.10.0",
- "semver": "2 || 3 || 4 || 5",
- "validate-npm-package-license": "^3.0.1"
- }
- },
- "node_modules/normalize-package-data/node_modules/semver": {
- "version": "5.7.1",
- "resolved": "https://registry.npmmirror.com/semver/-/semver-5.7.1.tgz",
- "integrity": "sha512-sauaDf/PZdVgrLTNYHRtpXa1iRiKcaebiKQ1BJdpQlWH2lCvexQdX55snPFyK7QzpudqbCI0qXFfOasHdyNDGQ==",
- "dev": true,
- "bin": {
- "semver": "bin/semver"
- }
- },
- "node_modules/normalize-path": {
- "version": "3.0.0",
- "resolved": "https://registry.npmmirror.com/normalize-path/-/normalize-path-3.0.0.tgz",
- "integrity": "sha512-6eZs5Ls3WtCisHWp9S2GUy8dqkpGi4BVSz3GaqiE6ezub0512ESztXUwUB6C6IKbQkY2Pnb/mD4WYojCRwcwLA==",
- "dev": true,
- "engines": {
- "node": ">=0.10.0"
- }
- },
- "node_modules/normalize-range": {
- "version": "0.1.2",
- "resolved": "https://registry.npmmirror.com/normalize-range/-/normalize-range-0.1.2.tgz",
- "integrity": "sha512-bdok/XvKII3nUpklnV6P2hxtMNrCboOjAcyBuQnWEhO665FwrSNRxU+AqpsyvO6LgGYPspN+lu5CLtw4jPRKNA==",
- "dev": true,
- "engines": {
- "node": ">=0.10.0"
- }
- },
- "node_modules/normalize-wheel-es": {
- "version": "1.2.0",
- "resolved": "https://registry.npmmirror.com/normalize-wheel-es/-/normalize-wheel-es-1.2.0.tgz",
- "integrity": "sha512-Wj7+EJQ8mSuXr2iWfnujrimU35R2W4FAErEyTmJoJ7ucwTn2hOUSsRehMb5RSYkxXGTM7Y9QpvPmp++w5ftoJw=="
- },
- "node_modules/npm-run-all": {
- "version": "4.1.5",
- "resolved": "https://registry.npmmirror.com/npm-run-all/-/npm-run-all-4.1.5.tgz",
- "integrity": "sha512-Oo82gJDAVcaMdi3nuoKFavkIHBRVqQ1qvMb+9LHk/cF4P6B2m8aP04hGf7oL6wZ9BuGwX1onlLhpuoofSyoQDQ==",
- "dev": true,
- "dependencies": {
- "ansi-styles": "^3.2.1",
- "chalk": "^2.4.1",
- "cross-spawn": "^6.0.5",
- "memorystream": "^0.3.1",
- "minimatch": "^3.0.4",
- "pidtree": "^0.3.0",
- "read-pkg": "^3.0.0",
- "shell-quote": "^1.6.1",
- "string.prototype.padend": "^3.0.0"
- },
- "bin": {
- "npm-run-all": "bin/npm-run-all/index.js",
- "run-p": "bin/run-p/index.js",
- "run-s": "bin/run-s/index.js"
- },
- "engines": {
- "node": ">= 4"
- }
- },
- "node_modules/npm-run-all/node_modules/cross-spawn": {
- "version": "6.0.5",
- "resolved": "https://registry.npmmirror.com/cross-spawn/-/cross-spawn-6.0.5.tgz",
- "integrity": "sha512-eTVLrBSt7fjbDygz805pMnstIs2VTBNkRm0qxZd+M7A5XDdxVRWO5MxGBXZhjY4cqLYLdtrGqRf8mBPmzwSpWQ==",
- "dev": true,
- "dependencies": {
- "nice-try": "^1.0.4",
- "path-key": "^2.0.1",
- "semver": "^5.5.0",
- "shebang-command": "^1.2.0",
- "which": "^1.2.9"
- },
- "engines": {
- "node": ">=4.8"
- }
- },
- "node_modules/npm-run-all/node_modules/path-key": {
- "version": "2.0.1",
- "resolved": "https://registry.npmmirror.com/path-key/-/path-key-2.0.1.tgz",
- "integrity": "sha512-fEHGKCSmUSDPv4uoj8AlD+joPlq3peND+HRYyxFz4KPw4z926S/b8rIuFs2FYJg3BwsxJf6A9/3eIdLaYC+9Dw==",
- "dev": true,
- "engines": {
- "node": ">=4"
- }
- },
- "node_modules/npm-run-all/node_modules/semver": {
- "version": "5.7.1",
- "resolved": "https://registry.npmmirror.com/semver/-/semver-5.7.1.tgz",
- "integrity": "sha512-sauaDf/PZdVgrLTNYHRtpXa1iRiKcaebiKQ1BJdpQlWH2lCvexQdX55snPFyK7QzpudqbCI0qXFfOasHdyNDGQ==",
- "dev": true,
- "bin": {
- "semver": "bin/semver"
- }
- },
- "node_modules/npm-run-all/node_modules/shebang-command": {
- "version": "1.2.0",
- "resolved": "https://registry.npmmirror.com/shebang-command/-/shebang-command-1.2.0.tgz",
- "integrity": "sha512-EV3L1+UQWGor21OmnvojK36mhg+TyIKDh3iFBKBohr5xeXIhNBcx8oWdgkTEEQ+BEFFYdLRuqMfd5L84N1V5Vg==",
- "dev": true,
- "dependencies": {
- "shebang-regex": "^1.0.0"
- },
- "engines": {
- "node": ">=0.10.0"
- }
- },
- "node_modules/npm-run-all/node_modules/shebang-regex": {
- "version": "1.0.0",
- "resolved": "https://registry.npmmirror.com/shebang-regex/-/shebang-regex-1.0.0.tgz",
- "integrity": "sha512-wpoSFAxys6b2a2wHZ1XpDSgD7N9iVjg29Ph9uV/uaP9Ex/KXlkTZTeddxDPSYQpgvzKLGJke2UU0AzoGCjNIvQ==",
- "dev": true,
- "engines": {
- "node": ">=0.10.0"
- }
- },
- "node_modules/npm-run-all/node_modules/which": {
- "version": "1.3.1",
- "resolved": "https://registry.npmmirror.com/which/-/which-1.3.1.tgz",
- "integrity": "sha512-HxJdYWq1MTIQbJ3nw0cqssHoTNU267KlrDuGZ1WYlxDStUtKUhOaJmh112/TZmHxxUfuJqPXSOm7tDyas0OSIQ==",
- "dev": true,
- "dependencies": {
- "isexe": "^2.0.0"
- },
- "bin": {
- "which": "bin/which"
- }
- },
- "node_modules/npm-run-path": {
- "version": "4.0.1",
- "resolved": "https://registry.npmmirror.com/npm-run-path/-/npm-run-path-4.0.1.tgz",
- "integrity": "sha512-S48WzZW777zhNIrn7gxOlISNAqi9ZC/uQFnRdbeIHhZhCA6UqpkOT8T1G7BvfdgP4Er8gF4sUbaS0i7QvIfCWw==",
- "dev": true,
- "dependencies": {
- "path-key": "^3.0.0"
- },
- "engines": {
- "node": ">=8"
- }
- },
- "node_modules/nth-check": {
- "version": "2.1.1",
- "resolved": "https://registry.npmmirror.com/nth-check/-/nth-check-2.1.1.tgz",
- "integrity": "sha512-lqjrjmaOoAnWfMmBPL+XNnynZh2+swxiX3WUE0s4yEHI6m+AwrK2UZOimIRl3X/4QctVqS8AiZjFqyOGrMXb/w==",
- "dev": true,
- "dependencies": {
- "boolbase": "^1.0.0"
- }
- },
- "node_modules/object-hash": {
- "version": "3.0.0",
- "resolved": "https://registry.npmmirror.com/object-hash/-/object-hash-3.0.0.tgz",
- "integrity": "sha512-RSn9F68PjH9HqtltsSnqYC1XXoWe9Bju5+213R98cNGttag9q9yAOTzdbsqvIa7aNm5WffBZFpWYr2aWrklWAw==",
- "dev": true,
- "engines": {
- "node": ">= 6"
- }
- },
- "node_modules/object-inspect": {
- "version": "1.12.2",
- "resolved": "https://registry.npmmirror.com/object-inspect/-/object-inspect-1.12.2.tgz",
- "integrity": "sha512-z+cPxW0QGUp0mcqcsgQyLVRDoXFQbXOwBaqyF7VIgI4TWNQsDHrBpUQslRmIfAoYWdYzs6UlKJtB2XJpTaNSpQ==",
- "dev": true
- },
- "node_modules/object-keys": {
- "version": "1.1.1",
- "resolved": "https://registry.npmmirror.com/object-keys/-/object-keys-1.1.1.tgz",
- "integrity": "sha512-NuAESUOUMrlIXOfHKzD6bpPu3tYt3xvjNdRIQ+FeT0lNb4K8WR70CaDxhuNguS2XG+GjkyMwOzsN5ZktImfhLA==",
- "dev": true,
- "engines": {
- "node": ">= 0.4"
- }
- },
- "node_modules/object.assign": {
- "version": "4.1.2",
- "resolved": "https://registry.npmmirror.com/object.assign/-/object.assign-4.1.2.tgz",
- "integrity": "sha512-ixT2L5THXsApyiUPYKmW+2EHpXXe5Ii3M+f4e+aJFAHao5amFRW6J0OO6c/LU8Be47utCx2GL89hxGB6XSmKuQ==",
- "dev": true,
- "dependencies": {
- "call-bind": "^1.0.0",
- "define-properties": "^1.1.3",
- "has-symbols": "^1.0.1",
- "object-keys": "^1.1.1"
- },
- "engines": {
- "node": ">= 0.4"
- }
- },
- "node_modules/once": {
- "version": "1.4.0",
- "resolved": "https://registry.npmmirror.com/once/-/once-1.4.0.tgz",
- "integrity": "sha512-lNaJgI+2Q5URQBkccEKHTQOPaXdUxnZZElQTZY0MFUAuaEqe1E+Nyvgdz/aIyNi6Z9MzO5dv1H8n58/GELp3+w==",
- "dev": true,
- "dependencies": {
- "wrappy": "1"
- }
- },
- "node_modules/onetime": {
- "version": "5.1.2",
- "resolved": "https://registry.npmmirror.com/onetime/-/onetime-5.1.2.tgz",
- "integrity": "sha512-kbpaSSGJTWdAY5KPVeMOKXSrPtr8C8C7wodJbcsd51jRnmD+GZu8Y0VoU6Dm5Z4vWr0Ig/1NKuWRKf7j5aaYSg==",
- "dev": true,
- "dependencies": {
- "mimic-fn": "^2.1.0"
- },
- "engines": {
- "node": ">=6"
- }
- },
- "node_modules/optionator": {
- "version": "0.9.1",
- "resolved": "https://registry.npmmirror.com/optionator/-/optionator-0.9.1.tgz",
- "integrity": "sha512-74RlY5FCnhq4jRxVUPKDaRwrVNXMqsGsiW6AJw4XK8hmtm10wC0ypZBLw5IIp85NZMr91+qd1RvvENwg7jjRFw==",
- "dev": true,
- "dependencies": {
- "deep-is": "^0.1.3",
- "fast-levenshtein": "^2.0.6",
- "levn": "^0.4.1",
- "prelude-ls": "^1.2.1",
- "type-check": "^0.4.0",
- "word-wrap": "^1.2.3"
- },
- "engines": {
- "node": ">= 0.8.0"
- }
- },
- "node_modules/p-limit": {
- "version": "3.1.0",
- "resolved": "https://registry.npmmirror.com/p-limit/-/p-limit-3.1.0.tgz",
- "integrity": "sha512-TYOanM3wGwNGsZN2cVTYPArw454xnXj5qmWF1bEoAc4+cU/ol7GVh7odevjp1FNHduHc3KZMcFduxU5Xc6uJRQ==",
- "dev": true,
- "dependencies": {
- "yocto-queue": "^0.1.0"
- },
- "engines": {
- "node": ">=10"
- }
- },
- "node_modules/p-locate": {
- "version": "5.0.0",
- "resolved": "https://registry.npmmirror.com/p-locate/-/p-locate-5.0.0.tgz",
- "integrity": "sha512-LaNjtRWUBY++zB5nE/NwcaoMylSPk+S+ZHNB1TzdbMJMny6dynpAGt7X/tl/QYq3TIeE6nxHppbo2LGymrG5Pw==",
- "dev": true,
- "dependencies": {
- "p-limit": "^3.0.2"
- },
- "engines": {
- "node": ">=10"
- }
- },
- "node_modules/p-map": {
- "version": "4.0.0",
- "resolved": "https://registry.npmmirror.com/p-map/-/p-map-4.0.0.tgz",
- "integrity": "sha512-/bjOqmgETBYB5BoEeGVea8dmvHb2m9GLy1E9W43yeyfP6QQCZGFNa+XRceJEuDB6zqr+gKpIAmlLebMpykw/MQ==",
- "dev": true,
- "dependencies": {
- "aggregate-error": "^3.0.0"
- },
- "engines": {
- "node": ">=10"
- }
- },
- "node_modules/p-try": {
- "version": "2.2.0",
- "resolved": "https://registry.npmmirror.com/p-try/-/p-try-2.2.0.tgz",
- "integrity": "sha512-R4nPAVTAU0B9D35/Gk3uJf/7XYbQcyohSKdvAxIRSNghFl4e71hVoGnBNQz9cWaXxO2I10KTC+3jMdvvoKw6dQ==",
- "dev": true,
- "engines": {
- "node": ">=6"
- }
- },
- "node_modules/parent-module": {
- "version": "1.0.1",
- "resolved": "https://registry.npmmirror.com/parent-module/-/parent-module-1.0.1.tgz",
- "integrity": "sha512-GQ2EWRpQV8/o+Aw8YqtfZZPfNRWZYkbidE9k5rpl/hC3vtHHBfGm2Ifi6qWV+coDGkrUKZAxE3Lot5kcsRlh+g==",
- "dev": true,
- "dependencies": {
- "callsites": "^3.0.0"
- },
- "engines": {
- "node": ">=6"
- }
- },
- "node_modules/parse-json": {
- "version": "4.0.0",
- "resolved": "https://registry.npmmirror.com/parse-json/-/parse-json-4.0.0.tgz",
- "integrity": "sha512-aOIos8bujGN93/8Ox/jPLh7RwVnPEysynVFE+fQZyg6jKELEHwzgKdLRFHUgXJL6kylijVSBC4BvN9OmsB48Rw==",
- "dev": true,
- "dependencies": {
- "error-ex": "^1.3.1",
- "json-parse-better-errors": "^1.0.1"
- },
- "engines": {
- "node": ">=4"
- }
- },
- "node_modules/path-exists": {
- "version": "4.0.0",
- "resolved": "https://registry.npmmirror.com/path-exists/-/path-exists-4.0.0.tgz",
- "integrity": "sha512-ak9Qy5Q7jYb2Wwcey5Fpvg2KoAc/ZIhLSLOSBmRmygPsGwkVVt0fZa0qrtMz+m6tJTAHfZQ8FnmB4MG4LWy7/w==",
- "dev": true,
- "engines": {
- "node": ">=8"
- }
- },
- "node_modules/path-is-absolute": {
- "version": "1.0.1",
- "resolved": "https://registry.npmmirror.com/path-is-absolute/-/path-is-absolute-1.0.1.tgz",
- "integrity": "sha512-AVbw3UJ2e9bq64vSaS9Am0fje1Pa8pbGqTTsmXfaIiMpnr5DlDhfJOuLj9Sf95ZPVDAUerDfEk88MPmPe7UCQg==",
- "dev": true,
- "engines": {
- "node": ">=0.10.0"
- }
- },
- "node_modules/path-key": {
- "version": "3.1.1",
- "resolved": "https://registry.npmmirror.com/path-key/-/path-key-3.1.1.tgz",
- "integrity": "sha512-ojmeN0qd+y0jszEtoY48r0Peq5dwMEkIlCOu6Q5f41lfkswXuKtYrhgoTpLnyIcHm24Uhqx+5Tqm2InSwLhE6Q==",
- "dev": true,
- "engines": {
- "node": ">=8"
- }
- },
- "node_modules/path-parse": {
- "version": "1.0.7",
- "resolved": "https://registry.npmmirror.com/path-parse/-/path-parse-1.0.7.tgz",
- "integrity": "sha512-LDJzPVEEEPR+y48z93A0Ed0yXb8pAByGWo/k5YYdYgpY2/2EsOsksJrq7lOHxryrVOn1ejG6oAp8ahvOIQD8sw==",
- "dev": true
- },
- "node_modules/path-type": {
- "version": "4.0.0",
- "resolved": "https://registry.npmmirror.com/path-type/-/path-type-4.0.0.tgz",
- "integrity": "sha512-gDKb8aZMDeD/tZWs9P6+q0J9Mwkdl6xMV8TjnGP3qJVJ06bdMgkbBlLU8IdfOsIsFz2BW1rNVT3XuNEl8zPAvw==",
- "dev": true,
- "engines": {
- "node": ">=8"
- }
- },
- "node_modules/picocolors": {
- "version": "1.0.0",
- "resolved": "https://registry.npmmirror.com/picocolors/-/picocolors-1.0.0.tgz",
- "integrity": "sha512-1fygroTLlHu66zi26VoTDv8yRgm0Fccecssto+MhsZ0D/DGW2sm8E8AjW7NU5VVTRt5GxbeZ5qBuJr+HyLYkjQ=="
- },
- "node_modules/picomatch": {
- "version": "2.3.1",
- "resolved": "https://registry.npmmirror.com/picomatch/-/picomatch-2.3.1.tgz",
- "integrity": "sha512-JU3teHTNjmE2VCGFzuY8EXzCDVwEqB2a8fsIvwaStHhAWJEeVd1o1QD80CU6+ZdEXXSLbSsuLwJjkCBWqRQUVA==",
- "dev": true,
- "engines": {
- "node": ">=8.6"
- }
- },
- "node_modules/pidtree": {
- "version": "0.3.1",
- "resolved": "https://registry.npmmirror.com/pidtree/-/pidtree-0.3.1.tgz",
- "integrity": "sha512-qQbW94hLHEqCg7nhby4yRC7G2+jYHY4Rguc2bjw7Uug4GIJuu1tvf2uHaZv5Q8zdt+WKJ6qK1FOI6amaWUo5FA==",
- "dev": true,
- "bin": {
- "pidtree": "bin/pidtree.js"
- },
- "engines": {
- "node": ">=0.10"
- }
- },
- "node_modules/pify": {
- "version": "3.0.0",
- "resolved": "https://registry.npmmirror.com/pify/-/pify-3.0.0.tgz",
- "integrity": "sha512-C3FsVNH1udSEX48gGX1xfvwTWfsYWj5U+8/uK15BGzIGrKoUpghX8hWZwa/OFnakBiiVNmBvemTJR5mcy7iPcg==",
- "dev": true,
- "engines": {
- "node": ">=4"
- }
- },
- "node_modules/pinia": {
- "version": "2.0.17",
- "resolved": "https://registry.npmmirror.com/pinia/-/pinia-2.0.17.tgz",
- "integrity": "sha512-AtwLwEWQgIjofjgeFT+nxbnK5lT2QwQjaHNEDqpsi2AiCwf/NY78uWTeHUyEhiiJy8+sBmw0ujgQMoQbWiZDfA==",
- "dependencies": {
- "@vue/devtools-api": "^6.2.1",
- "vue-demi": "*"
- },
- "peerDependencies": {
- "@vue/composition-api": "^1.4.0",
- "typescript": ">=4.4.4",
- "vue": "^2.6.14 || ^3.2.0"
- },
- "peerDependenciesMeta": {
- "@vue/composition-api": {
- "optional": true
- },
- "typescript": {
- "optional": true
- }
- }
- },
- "node_modules/pinia/node_modules/vue-demi": {
- "version": "0.13.6",
- "resolved": "https://registry.npmmirror.com/vue-demi/-/vue-demi-0.13.6.tgz",
- "integrity": "sha512-02NYpxgyGE2kKGegRPYlNQSL1UWfA/+JqvzhGCOYjhfbLWXU5QQX0+9pAm/R2sCOPKr5NBxVIab7fvFU0B1RxQ==",
- "hasInstallScript": true,
- "bin": {
- "vue-demi-fix": "bin/vue-demi-fix.js",
- "vue-demi-switch": "bin/vue-demi-switch.js"
- },
- "engines": {
- "node": ">=12"
- },
- "peerDependencies": {
- "@vue/composition-api": "^1.0.0-rc.1",
- "vue": "^3.0.0-0 || ^2.6.0"
- },
- "peerDependenciesMeta": {
- "@vue/composition-api": {
- "optional": true
- }
- }
- },
- "node_modules/postcss": {
- "version": "8.4.14",
- "resolved": "https://registry.npmmirror.com/postcss/-/postcss-8.4.14.tgz",
- "integrity": "sha512-E398TUmfAYFPBSdzgeieK2Y1+1cpdxJx8yXbK/m57nRhKSmk1GB2tO4lbLBtlkfPQTDKfe4Xqv1ASWPpayPEig==",
- "dependencies": {
- "nanoid": "^3.3.4",
- "picocolors": "^1.0.0",
- "source-map-js": "^1.0.2"
- },
- "engines": {
- "node": "^10 || ^12 || >=14"
- }
- },
- "node_modules/postcss-import": {
- "version": "14.1.0",
- "resolved": "https://registry.npmmirror.com/postcss-import/-/postcss-import-14.1.0.tgz",
- "integrity": "sha512-flwI+Vgm4SElObFVPpTIT7SU7R3qk2L7PyduMcokiaVKuWv9d/U+Gm/QAd8NDLuykTWTkcrjOeD2Pp1rMeBTGw==",
- "dev": true,
- "dependencies": {
- "postcss-value-parser": "^4.0.0",
- "read-cache": "^1.0.0",
- "resolve": "^1.1.7"
- },
- "engines": {
- "node": ">=10.0.0"
- },
- "peerDependencies": {
- "postcss": "^8.0.0"
- }
- },
- "node_modules/postcss-js": {
- "version": "4.0.0",
- "resolved": "https://registry.npmmirror.com/postcss-js/-/postcss-js-4.0.0.tgz",
- "integrity": "sha512-77QESFBwgX4irogGVPgQ5s07vLvFqWr228qZY+w6lW599cRlK/HmnlivnnVUxkjHnCu4J16PDMHcH+e+2HbvTQ==",
- "dev": true,
- "dependencies": {
- "camelcase-css": "^2.0.1"
- },
- "engines": {
- "node": "^12 || ^14 || >= 16"
- },
- "peerDependencies": {
- "postcss": "^8.3.3"
- }
- },
- "node_modules/postcss-load-config": {
- "version": "3.1.4",
- "resolved": "https://registry.npmmirror.com/postcss-load-config/-/postcss-load-config-3.1.4.tgz",
- "integrity": "sha512-6DiM4E7v4coTE4uzA8U//WhtPwyhiim3eyjEMFCnUpzbrkK9wJHgKDT2mR+HbtSrd/NubVaYTOpSpjUl8NQeRg==",
- "dev": true,
- "dependencies": {
- "lilconfig": "^2.0.5",
- "yaml": "^1.10.2"
- },
- "engines": {
- "node": ">= 10"
- },
- "peerDependencies": {
- "postcss": ">=8.0.9",
- "ts-node": ">=9.0.0"
- },
- "peerDependenciesMeta": {
- "postcss": {
- "optional": true
- },
- "ts-node": {
- "optional": true
- }
- }
- },
- "node_modules/postcss-nested": {
- "version": "5.0.6",
- "resolved": "https://registry.npmmirror.com/postcss-nested/-/postcss-nested-5.0.6.tgz",
- "integrity": "sha512-rKqm2Fk0KbA8Vt3AdGN0FB9OBOMDVajMG6ZCf/GoHgdxUJ4sBFp0A/uMIRm+MJUdo33YXEtjqIz8u7DAp8B7DA==",
- "dev": true,
- "dependencies": {
- "postcss-selector-parser": "^6.0.6"
- },
- "engines": {
- "node": ">=12.0"
- },
- "peerDependencies": {
- "postcss": "^8.2.14"
- }
- },
- "node_modules/postcss-selector-parser": {
- "version": "6.0.10",
- "resolved": "https://registry.npmmirror.com/postcss-selector-parser/-/postcss-selector-parser-6.0.10.tgz",
- "integrity": "sha512-IQ7TZdoaqbT+LCpShg46jnZVlhWD2w6iQYAcYXfHARZ7X1t/UGhhceQDs5X0cGqKvYlHNOuv7Oa1xmb0oQuA3w==",
- "dev": true,
- "dependencies": {
- "cssesc": "^3.0.0",
- "util-deprecate": "^1.0.2"
- },
- "engines": {
- "node": ">=4"
- }
- },
- "node_modules/postcss-value-parser": {
- "version": "4.2.0",
- "resolved": "https://registry.npmmirror.com/postcss-value-parser/-/postcss-value-parser-4.2.0.tgz",
- "integrity": "sha512-1NNCs6uurfkVbeXG4S8JFT9t19m45ICnif8zWLd5oPSZ50QnwMfK+H3jv408d4jw/7Bttv5axS5IiHoLaVNHeQ==",
- "dev": true
- },
- "node_modules/prelude-ls": {
- "version": "1.2.1",
- "resolved": "https://registry.npmmirror.com/prelude-ls/-/prelude-ls-1.2.1.tgz",
- "integrity": "sha512-vkcDPrRZo1QZLbn5RLGPpg/WmIQ65qoWWhcGKf/b5eplkkarX0m9z8ppCat4mlOqUsWpyNuYgO3VRyrYHSzX5g==",
- "dev": true,
- "engines": {
- "node": ">= 0.8.0"
- }
- },
- "node_modules/prettier": {
- "version": "2.7.1",
- "resolved": "https://registry.npmmirror.com/prettier/-/prettier-2.7.1.tgz",
- "integrity": "sha512-ujppO+MkdPqoVINuDFDRLClm7D78qbDt0/NR+wp5FqEZOoTNAjPHWj17QRhu7geIHJfcNhRk1XVQmF8Bp3ye+g==",
- "dev": true,
- "bin": {
- "prettier": "bin-prettier.js"
- },
- "engines": {
- "node": ">=10.13.0"
- }
- },
- "node_modules/prettier-linter-helpers": {
- "version": "1.0.0",
- "resolved": "https://registry.npmmirror.com/prettier-linter-helpers/-/prettier-linter-helpers-1.0.0.tgz",
- "integrity": "sha512-GbK2cP9nraSSUF9N2XwUwqfzlAFlMNYYl+ShE/V+H8a9uNl/oUqB1w2EL54Jh0OlyRSd8RfWYJ3coVS4TROP2w==",
- "dev": true,
- "dependencies": {
- "fast-diff": "^1.1.2"
- },
- "engines": {
- "node": ">=6.0.0"
- }
- },
- "node_modules/punycode": {
- "version": "2.1.1",
- "resolved": "https://registry.npmmirror.com/punycode/-/punycode-2.1.1.tgz",
- "integrity": "sha512-XRsRjdf+j5ml+y/6GKHPZbrF/8p2Yga0JPtdqTIY2Xe5ohJPD9saDJJLPvp9+NSBprVvevdXZybnj2cv8OEd0A==",
- "dev": true,
- "engines": {
- "node": ">=6"
- }
- },
- "node_modules/q": {
- "version": "1.5.1",
- "resolved": "https://registry.npmmirror.com/q/-/q-1.5.1.tgz",
- "integrity": "sha512-kV/CThkXo6xyFEZUugw/+pIOywXcDbFYgSct5cT3gqlbkBE1SJdwy6UQoZvodiWF/ckQLZyDE/Bu1M6gVu5lVw==",
- "dev": true,
- "engines": {
- "node": ">=0.6.0",
- "teleport": ">=0.2.0"
- }
- },
- "node_modules/queue-microtask": {
- "version": "1.2.3",
- "resolved": "https://registry.npmmirror.com/queue-microtask/-/queue-microtask-1.2.3.tgz",
- "integrity": "sha512-NuaNSa6flKT5JaSYQzJok04JzTL1CA6aGhv5rfLW3PgqA+M2ChpZQnAC8h8i4ZFkBS8X5RqkDBHA7r4hej3K9A==",
- "dev": true
- },
- "node_modules/quick-lru": {
- "version": "4.0.1",
- "resolved": "https://registry.npmmirror.com/quick-lru/-/quick-lru-4.0.1.tgz",
- "integrity": "sha512-ARhCpm70fzdcvNQfPoy49IaanKkTlRWF2JMzqhcJbhSFRZv7nPTvZJdcY7301IPmvW+/p0RgIWnQDLJxifsQ7g==",
- "dev": true,
- "engines": {
- "node": ">=8"
- }
- },
- "node_modules/read-cache": {
- "version": "1.0.0",
- "resolved": "https://registry.npmmirror.com/read-cache/-/read-cache-1.0.0.tgz",
- "integrity": "sha512-Owdv/Ft7IjOgm/i0xvNDZ1LrRANRfew4b2prF3OWMQLxLfu3bS8FVhCsrSCMK4lR56Y9ya+AThoTpDCTxCmpRA==",
- "dev": true,
- "dependencies": {
- "pify": "^2.3.0"
- }
- },
- "node_modules/read-cache/node_modules/pify": {
- "version": "2.3.0",
- "resolved": "https://registry.npmmirror.com/pify/-/pify-2.3.0.tgz",
- "integrity": "sha512-udgsAY+fTnvv7kI7aaxbqwWNb0AHiB0qBO89PZKPkoTmGOgdbrHDKD+0B2X4uTfJ/FT1R09r9gTsjUjNJotuog==",
- "dev": true,
- "engines": {
- "node": ">=0.10.0"
- }
- },
- "node_modules/read-pkg": {
- "version": "3.0.0",
- "resolved": "https://registry.npmmirror.com/read-pkg/-/read-pkg-3.0.0.tgz",
- "integrity": "sha512-BLq/cCO9two+lBgiTYNqD6GdtK8s4NpaWrl6/rCO9w0TUS8oJl7cmToOZfRYllKTISY6nt1U7jQ53brmKqY6BA==",
- "dev": true,
- "dependencies": {
- "load-json-file": "^4.0.0",
- "normalize-package-data": "^2.3.2",
- "path-type": "^3.0.0"
- },
- "engines": {
- "node": ">=4"
- }
- },
- "node_modules/read-pkg-up": {
- "version": "7.0.1",
- "resolved": "https://registry.npmmirror.com/read-pkg-up/-/read-pkg-up-7.0.1.tgz",
- "integrity": "sha512-zK0TB7Xd6JpCLmlLmufqykGE+/TlOePD6qKClNW7hHDKFh/J7/7gCWGR7joEQEW1bKq3a3yUZSObOoWLFQ4ohg==",
- "dev": true,
- "dependencies": {
- "find-up": "^4.1.0",
- "read-pkg": "^5.2.0",
- "type-fest": "^0.8.1"
- },
- "engines": {
- "node": ">=8"
- }
- },
- "node_modules/read-pkg-up/node_modules/find-up": {
- "version": "4.1.0",
- "resolved": "https://registry.npmmirror.com/find-up/-/find-up-4.1.0.tgz",
- "integrity": "sha512-PpOwAdQ/YlXQ2vj8a3h8IipDuYRi3wceVQQGYWxNINccq40Anw7BlsEXCMbt1Zt+OLA6Fq9suIpIWD0OsnISlw==",
- "dev": true,
- "dependencies": {
- "locate-path": "^5.0.0",
- "path-exists": "^4.0.0"
- },
- "engines": {
- "node": ">=8"
- }
- },
- "node_modules/read-pkg-up/node_modules/locate-path": {
- "version": "5.0.0",
- "resolved": "https://registry.npmmirror.com/locate-path/-/locate-path-5.0.0.tgz",
- "integrity": "sha512-t7hw9pI+WvuwNJXwk5zVHpyhIqzg2qTlklJOf0mVxGSbe3Fp2VieZcduNYjaLDoy6p9uGpQEGWG87WpMKlNq8g==",
- "dev": true,
- "dependencies": {
- "p-locate": "^4.1.0"
- },
- "engines": {
- "node": ">=8"
- }
- },
- "node_modules/read-pkg-up/node_modules/p-limit": {
- "version": "2.3.0",
- "resolved": "https://registry.npmmirror.com/p-limit/-/p-limit-2.3.0.tgz",
- "integrity": "sha512-//88mFWSJx8lxCzwdAABTJL2MyWB12+eIY7MDL2SqLmAkeKU9qxRvWuSyTjm3FUmpBEMuFfckAIqEaVGUDxb6w==",
- "dev": true,
- "dependencies": {
- "p-try": "^2.0.0"
- },
- "engines": {
- "node": ">=6"
- }
- },
- "node_modules/read-pkg-up/node_modules/p-locate": {
- "version": "4.1.0",
- "resolved": "https://registry.npmmirror.com/p-locate/-/p-locate-4.1.0.tgz",
- "integrity": "sha512-R79ZZ/0wAxKGu3oYMlz8jy/kbhsNrS7SKZ7PxEHBgJ5+F2mtFW2fK2cOtBh1cHYkQsbzFV7I+EoRKe6Yt0oK7A==",
- "dev": true,
- "dependencies": {
- "p-limit": "^2.2.0"
- },
- "engines": {
- "node": ">=8"
- }
- },
- "node_modules/read-pkg-up/node_modules/parse-json": {
- "version": "5.2.0",
- "resolved": "https://registry.npmmirror.com/parse-json/-/parse-json-5.2.0.tgz",
- "integrity": "sha512-ayCKvm/phCGxOkYRSCM82iDwct8/EonSEgCSxWxD7ve6jHggsFl4fZVQBPRNgQoKiuV/odhFrGzQXZwbifC8Rg==",
- "dev": true,
- "dependencies": {
- "@babel/code-frame": "^7.0.0",
- "error-ex": "^1.3.1",
- "json-parse-even-better-errors": "^2.3.0",
- "lines-and-columns": "^1.1.6"
- },
- "engines": {
- "node": ">=8"
- }
- },
- "node_modules/read-pkg-up/node_modules/read-pkg": {
- "version": "5.2.0",
- "resolved": "https://registry.npmmirror.com/read-pkg/-/read-pkg-5.2.0.tgz",
- "integrity": "sha512-Ug69mNOpfvKDAc2Q8DRpMjjzdtrnv9HcSMX+4VsZxD1aZ6ZzrIE7rlzXBtWTyhULSMKg076AW6WR5iZpD0JiOg==",
- "dev": true,
- "dependencies": {
- "@types/normalize-package-data": "^2.4.0",
- "normalize-package-data": "^2.5.0",
- "parse-json": "^5.0.0",
- "type-fest": "^0.6.0"
- },
- "engines": {
- "node": ">=8"
- }
- },
- "node_modules/read-pkg-up/node_modules/read-pkg/node_modules/type-fest": {
- "version": "0.6.0",
- "resolved": "https://registry.npmmirror.com/type-fest/-/type-fest-0.6.0.tgz",
- "integrity": "sha512-q+MB8nYR1KDLrgr4G5yemftpMC7/QLqVndBmEEdqzmNj5dcFOO4Oo8qlwZE3ULT3+Zim1F8Kq4cBnikNhlCMlg==",
- "dev": true,
- "engines": {
- "node": ">=8"
- }
- },
- "node_modules/read-pkg-up/node_modules/type-fest": {
- "version": "0.8.1",
- "resolved": "https://registry.npmmirror.com/type-fest/-/type-fest-0.8.1.tgz",
- "integrity": "sha512-4dbzIzqvjtgiM5rw1k5rEHtBANKmdudhGyBEajN01fEyhaAIhsoKNy6y7+IN93IfpFtwY9iqi7kD+xwKhQsNJA==",
- "dev": true,
- "engines": {
- "node": ">=8"
- }
- },
- "node_modules/read-pkg/node_modules/path-type": {
- "version": "3.0.0",
- "resolved": "https://registry.npmmirror.com/path-type/-/path-type-3.0.0.tgz",
- "integrity": "sha512-T2ZUsdZFHgA3u4e5PfPbjd7HDDpxPnQb5jN0SrDsjNSuVXHJqtwTnWqG0B1jZrgmJ/7lj1EmVIByWt1gxGkWvg==",
- "dev": true,
- "dependencies": {
- "pify": "^3.0.0"
- },
- "engines": {
- "node": ">=4"
- }
- },
- "node_modules/readable-stream": {
- "version": "3.6.0",
- "resolved": "https://registry.npmmirror.com/readable-stream/-/readable-stream-3.6.0.tgz",
- "integrity": "sha512-BViHy7LKeTz4oNnkcLJ+lVSL6vpiFeX6/d3oSH8zCW7UxP2onchk+vTGB143xuFjHS3deTgkKoXXymXqymiIdA==",
- "dev": true,
- "dependencies": {
- "inherits": "^2.0.3",
- "string_decoder": "^1.1.1",
- "util-deprecate": "^1.0.1"
- },
- "engines": {
- "node": ">= 6"
- }
- },
- "node_modules/readdirp": {
- "version": "3.6.0",
- "resolved": "https://registry.npmmirror.com/readdirp/-/readdirp-3.6.0.tgz",
- "integrity": "sha512-hOS089on8RduqdbhvQ5Z37A0ESjsqz6qnRcffsMU3495FuTdqSm+7bhJ29JvIOsBDEEnan5DPu9t3To9VRlMzA==",
- "dev": true,
- "dependencies": {
- "picomatch": "^2.2.1"
- },
- "engines": {
- "node": ">=8.10.0"
- }
- },
- "node_modules/redent": {
- "version": "3.0.0",
- "resolved": "https://registry.npmmirror.com/redent/-/redent-3.0.0.tgz",
- "integrity": "sha512-6tDA8g98We0zd0GvVeMT9arEOnTw9qM03L9cJXaCjrip1OO764RDBLBfrB4cwzNGDj5OA5ioymC9GkizgWJDUg==",
- "dev": true,
- "dependencies": {
- "indent-string": "^4.0.0",
- "strip-indent": "^3.0.0"
- },
- "engines": {
- "node": ">=8"
- }
- },
- "node_modules/regexp.prototype.flags": {
- "version": "1.4.3",
- "resolved": "https://registry.npmmirror.com/regexp.prototype.flags/-/regexp.prototype.flags-1.4.3.tgz",
- "integrity": "sha512-fjggEOO3slI6Wvgjwflkc4NFRCTZAu5CnNfBd5qOMYhWdn67nJBBu34/TkD++eeFmd8C9r9jfXJ27+nSiRkSUA==",
- "dev": true,
- "dependencies": {
- "call-bind": "^1.0.2",
- "define-properties": "^1.1.3",
- "functions-have-names": "^1.2.2"
- },
- "engines": {
- "node": ">= 0.4"
- }
- },
- "node_modules/regexpp": {
- "version": "3.2.0",
- "resolved": "https://registry.npmmirror.com/regexpp/-/regexpp-3.2.0.tgz",
- "integrity": "sha512-pq2bWo9mVD43nbts2wGv17XLiNLya+GklZ8kaDLV2Z08gDCsGpnKn9BFMepvWuHCbyVvY7J5o5+BVvoQbmlJLg==",
- "dev": true,
- "engines": {
- "node": ">=8"
- }
- },
- "node_modules/require-directory": {
- "version": "2.1.1",
- "resolved": "https://registry.npmmirror.com/require-directory/-/require-directory-2.1.1.tgz",
- "integrity": "sha512-fGxEI7+wsG9xrvdjsrlmL22OMTTiHRwAMroiEeMgq8gzoLC/PQr7RsRDSTLUg/bZAZtF+TVIkHc6/4RIKrui+Q==",
- "dev": true,
- "engines": {
- "node": ">=0.10.0"
- }
- },
- "node_modules/require-from-string": {
- "version": "2.0.2",
- "resolved": "https://registry.npmmirror.com/require-from-string/-/require-from-string-2.0.2.tgz",
- "integrity": "sha512-Xf0nWe6RseziFMu+Ap9biiUbmplq6S9/p+7w7YXP/JBHhrUDDUhwa+vANyubuqfZWTveU//DYVGsDG7RKL/vEw==",
- "dev": true,
- "engines": {
- "node": ">=0.10.0"
- }
- },
- "node_modules/resolve": {
- "version": "1.22.1",
- "resolved": "https://registry.npmmirror.com/resolve/-/resolve-1.22.1.tgz",
- "integrity": "sha512-nBpuuYuY5jFsli/JIs1oldw6fOQCBioohqWZg/2hiaOybXOft4lonv85uDOKXdf8rhyK159cxU5cDcK/NKk8zw==",
- "dev": true,
- "dependencies": {
- "is-core-module": "^2.9.0",
- "path-parse": "^1.0.7",
- "supports-preserve-symlinks-flag": "^1.0.0"
- },
- "bin": {
- "resolve": "bin/resolve"
- }
- },
- "node_modules/resolve-from": {
- "version": "4.0.0",
- "resolved": "https://registry.npmmirror.com/resolve-from/-/resolve-from-4.0.0.tgz",
- "integrity": "sha512-pb/MYmXstAkysRFx8piNI1tGFNQIFA3vkE3Gq4EuA1dF6gHp/+vgZqsCGJapvy8N3Q+4o7FwvquPJcnZ7RYy4g==",
- "dev": true,
- "engines": {
- "node": ">=4"
- }
- },
- "node_modules/resolve-global": {
- "version": "1.0.0",
- "resolved": "https://registry.npmmirror.com/resolve-global/-/resolve-global-1.0.0.tgz",
- "integrity": "sha512-zFa12V4OLtT5XUX/Q4VLvTfBf+Ok0SPc1FNGM/z9ctUdiU618qwKpWnd0CHs3+RqROfyEg/DhuHbMWYqcgljEw==",
- "dev": true,
- "dependencies": {
- "global-dirs": "^0.1.1"
- },
- "engines": {
- "node": ">=8"
- }
- },
- "node_modules/restore-cursor": {
- "version": "3.1.0",
- "resolved": "https://registry.npmmirror.com/restore-cursor/-/restore-cursor-3.1.0.tgz",
- "integrity": "sha512-l+sSefzHpj5qimhFSE5a8nufZYAM3sBSVMAPtYkmC+4EH2anSGaEMXSD0izRQbu9nfyQ9y5JrVmp7E8oZrUjvA==",
- "dev": true,
- "dependencies": {
- "onetime": "^5.1.0",
- "signal-exit": "^3.0.2"
- },
- "engines": {
- "node": ">=8"
- }
- },
- "node_modules/reusify": {
- "version": "1.0.4",
- "resolved": "https://registry.npmmirror.com/reusify/-/reusify-1.0.4.tgz",
- "integrity": "sha512-U9nH88a3fc/ekCF1l0/UP1IosiuIjyTh7hBvXVMHYgVcfGvt897Xguj2UOLDeI5BG2m7/uwyaLVT6fbtCwTyzw==",
- "dev": true,
- "engines": {
- "iojs": ">=1.0.0",
- "node": ">=0.10.0"
- }
- },
- "node_modules/rfdc": {
- "version": "1.3.0",
- "resolved": "https://registry.npmmirror.com/rfdc/-/rfdc-1.3.0.tgz",
- "integrity": "sha512-V2hovdzFbOi77/WajaSMXk2OLm+xNIeQdMMuB7icj7bk6zi2F8GGAxigcnDFpJHbNyNcgyJDiP+8nOrY5cZGrA==",
- "dev": true
- },
- "node_modules/rimraf": {
- "version": "3.0.2",
- "resolved": "https://registry.npmmirror.com/rimraf/-/rimraf-3.0.2.tgz",
- "integrity": "sha512-JZkJMZkAGFFPP2YqXZXPbMlMBgsxzE8ILs4lMIX/2o0L9UBw9O/Y3o6wFw/i9YLapcUJWwqbi3kdxIPdC62TIA==",
- "dev": true,
- "dependencies": {
- "glob": "^7.1.3"
- },
- "bin": {
- "rimraf": "bin.js"
- }
- },
- "node_modules/rollup": {
- "version": "2.77.2",
- "resolved": "https://registry.npmmirror.com/rollup/-/rollup-2.77.2.tgz",
- "integrity": "sha512-m/4YzYgLcpMQbxX3NmAqDvwLATZzxt8bIegO78FZLl+lAgKJBd1DRAOeEiZcKOIOPjxE6ewHWHNgGEalFXuz1g==",
- "dev": true,
- "bin": {
- "rollup": "dist/bin/rollup"
- },
- "engines": {
- "node": ">=10.0.0"
- },
- "optionalDependencies": {
- "fsevents": "~2.3.2"
- }
- },
- "node_modules/run-parallel": {
- "version": "1.2.0",
- "resolved": "https://registry.npmmirror.com/run-parallel/-/run-parallel-1.2.0.tgz",
- "integrity": "sha512-5l4VyZR86LZ/lDxZTR6jqL8AFE2S0IFLMP26AbjsLVADxHdhB/c0GUsH+y39UfCi3dzz8OlQuPmnaJOMoDHQBA==",
- "dev": true,
- "dependencies": {
- "queue-microtask": "^1.2.2"
- }
- },
- "node_modules/rxjs": {
- "version": "7.5.6",
- "resolved": "https://registry.npmmirror.com/rxjs/-/rxjs-7.5.6.tgz",
- "integrity": "sha512-dnyv2/YsXhnm461G+R/Pe5bWP41Nm6LBXEYWI6eiFP4fiwx6WRI/CD0zbdVAudd9xwLEF2IDcKXLHit0FYjUzw==",
- "dev": true,
- "dependencies": {
- "tslib": "^2.1.0"
- }
- },
- "node_modules/rxjs/node_modules/tslib": {
- "version": "2.4.0",
- "resolved": "https://registry.npmmirror.com/tslib/-/tslib-2.4.0.tgz",
- "integrity": "sha512-d6xOpEDfsi2CZVlPQzGeux8XMwLT9hssAsaPYExaQMuYskwb+x1x7J371tWlbBdWHroy99KnVB6qIkUbs5X3UQ==",
- "dev": true
- },
- "node_modules/safe-buffer": {
- "version": "5.1.2",
- "resolved": "https://registry.npmmirror.com/safe-buffer/-/safe-buffer-5.1.2.tgz",
- "integrity": "sha512-Gd2UZBJDkXlY7GbJxfsE8/nvKkUEU1G38c1siN6QP6a9PT9MmHB8GnpscSmMJSoF8LOIrt8ud/wPtojys4G6+g==",
- "dev": true
- },
- "node_modules/sass": {
- "version": "1.54.0",
- "resolved": "https://registry.npmmirror.com/sass/-/sass-1.54.0.tgz",
- "integrity": "sha512-C4zp79GCXZfK0yoHZg+GxF818/aclhp9F48XBu/+bm9vXEVAYov9iU3FBVRMq3Hx3OA4jfKL+p2K9180mEh0xQ==",
- "dev": true,
- "dependencies": {
- "chokidar": ">=3.0.0 <4.0.0",
- "immutable": "^4.0.0",
- "source-map-js": ">=0.6.2 <2.0.0"
- },
- "bin": {
- "sass": "sass.js"
- },
- "engines": {
- "node": ">=12.0.0"
- }
- },
- "node_modules/semver": {
- "version": "6.3.0",
- "resolved": "https://registry.npmmirror.com/semver/-/semver-6.3.0.tgz",
- "integrity": "sha512-b39TBaTSfV6yBrapU89p5fKekE2m/NwnDocOVruQFS1/veMgdzuPcnOM34M6CwxW8jH/lxEa5rBoDeUwu5HHTw==",
- "dev": true,
- "bin": {
- "semver": "bin/semver.js"
- }
- },
- "node_modules/shebang-command": {
- "version": "2.0.0",
- "resolved": "https://registry.npmmirror.com/shebang-command/-/shebang-command-2.0.0.tgz",
- "integrity": "sha512-kHxr2zZpYtdmrN1qDjrrX/Z1rR1kG8Dx+gkpK1G4eXmvXswmcE1hTWBWYUzlraYw1/yZp6YuDY77YtvbN0dmDA==",
- "dev": true,
- "dependencies": {
- "shebang-regex": "^3.0.0"
- },
- "engines": {
- "node": ">=8"
- }
- },
- "node_modules/shebang-regex": {
- "version": "3.0.0",
- "resolved": "https://registry.npmmirror.com/shebang-regex/-/shebang-regex-3.0.0.tgz",
- "integrity": "sha512-7++dFhtcx3353uBaq8DDR4NuxBetBzC7ZQOhmTQInHEd6bSrXdiEyzCvG07Z44UYdLShWUyXt5M/yhz8ekcb1A==",
- "dev": true,
- "engines": {
- "node": ">=8"
- }
- },
- "node_modules/shell-quote": {
- "version": "1.7.3",
- "resolved": "https://registry.npmmirror.com/shell-quote/-/shell-quote-1.7.3.tgz",
- "integrity": "sha512-Vpfqwm4EnqGdlsBFNmHhxhElJYrdfcxPThu+ryKS5J8L/fhAwLazFZtq+S+TWZ9ANj2piSQLGj6NQg+lKPmxrw==",
- "dev": true
- },
- "node_modules/side-channel": {
- "version": "1.0.4",
- "resolved": "https://registry.npmmirror.com/side-channel/-/side-channel-1.0.4.tgz",
- "integrity": "sha512-q5XPytqFEIKHkGdiMIrY10mvLRvnQh42/+GoBlFW3b2LXLE2xxJpZFdm94we0BaoV3RwJyGqg5wS7epxTv0Zvw==",
- "dev": true,
- "dependencies": {
- "call-bind": "^1.0.0",
- "get-intrinsic": "^1.0.2",
- "object-inspect": "^1.9.0"
- }
- },
- "node_modules/signal-exit": {
- "version": "3.0.7",
- "resolved": "https://registry.npmmirror.com/signal-exit/-/signal-exit-3.0.7.tgz",
- "integrity": "sha512-wnD2ZE+l+SPC/uoS0vXeE9L1+0wuaMqKlfz9AMUo38JsyLSBWSFcHR1Rri62LZc12vLr1gb3jl7iwQhgwpAbGQ==",
- "dev": true
- },
- "node_modules/slash": {
- "version": "3.0.0",
- "resolved": "https://registry.npmmirror.com/slash/-/slash-3.0.0.tgz",
- "integrity": "sha512-g9Q1haeby36OSStwb4ntCGGGaKsaVSjQ68fBxoQcutl5fS1vuY18H3wSt3jFyFtrkx+Kz0V1G85A4MyAdDMi2Q==",
- "dev": true,
- "engines": {
- "node": ">=8"
- }
- },
- "node_modules/slice-ansi": {
- "version": "5.0.0",
- "resolved": "https://registry.npmmirror.com/slice-ansi/-/slice-ansi-5.0.0.tgz",
- "integrity": "sha512-FC+lgizVPfie0kkhqUScwRu1O/lF6NOgJmlCgK+/LYxDCTk8sGelYaHDhFcDN+Sn3Cv+3VSa4Byeo+IMCzpMgQ==",
- "dev": true,
- "dependencies": {
- "ansi-styles": "^6.0.0",
- "is-fullwidth-code-point": "^4.0.0"
- },
- "engines": {
- "node": ">=12"
- }
- },
- "node_modules/slice-ansi/node_modules/ansi-styles": {
- "version": "6.1.0",
- "resolved": "https://registry.npmmirror.com/ansi-styles/-/ansi-styles-6.1.0.tgz",
- "integrity": "sha512-VbqNsoz55SYGczauuup0MFUyXNQviSpFTj1RQtFzmQLk18qbVSpTFFGMT293rmDaQuKCT6InmbuEyUne4mTuxQ==",
- "dev": true,
- "engines": {
- "node": ">=12"
- }
- },
- "node_modules/slice-ansi/node_modules/is-fullwidth-code-point": {
- "version": "4.0.0",
- "resolved": "https://registry.npmmirror.com/is-fullwidth-code-point/-/is-fullwidth-code-point-4.0.0.tgz",
- "integrity": "sha512-O4L094N2/dZ7xqVdrXhh9r1KODPJpFms8B5sGdJLPy664AgvXsreZUyCQQNItZRDlYug4xStLjNp/sz3HvBowQ==",
- "dev": true,
- "engines": {
- "node": ">=12"
- }
- },
- "node_modules/sortablejs": {
- "version": "1.14.0",
- "resolved": "https://registry.npmmirror.com/sortablejs/-/sortablejs-1.14.0.tgz",
- "integrity": "sha512-pBXvQCs5/33fdN1/39pPL0NZF20LeRbLQ5jtnheIPN9JQAaufGjKdWduZn4U7wCtVuzKhmRkI0DFYHYRbB2H1w=="
- },
- "node_modules/source-map": {
- "version": "0.6.1",
- "resolved": "https://registry.npmmirror.com/source-map/-/source-map-0.6.1.tgz",
- "integrity": "sha512-UjgapumWlbMhkBgzT7Ykc5YXUT46F0iKu8SGXq0bcwP5dz/h0Plj6enJqjz1Zbq2l5WaqYnrVbwWOWMyF3F47g==",
- "engines": {
- "node": ">=0.10.0"
- }
- },
- "node_modules/source-map-js": {
- "version": "1.0.2",
- "resolved": "https://registry.npmmirror.com/source-map-js/-/source-map-js-1.0.2.tgz",
- "integrity": "sha512-R0XvVJ9WusLiqTCEiGCmICCMplcCkIwwR11mOSD9CR5u+IXYdiseeEuXCVAjS54zqwkLcPNnmU4OeJ6tUrWhDw==",
- "engines": {
- "node": ">=0.10.0"
- }
- },
- "node_modules/sourcemap-codec": {
- "version": "1.4.8",
- "resolved": "https://registry.npmmirror.com/sourcemap-codec/-/sourcemap-codec-1.4.8.tgz",
- "integrity": "sha512-9NykojV5Uih4lgo5So5dtw+f0JgJX30KCNI8gwhz2J9A15wD0Ml6tjHKwf6fTSa6fAdVBdZeNOs9eJ71qCk8vA=="
- },
- "node_modules/spdx-correct": {
- "version": "3.1.1",
- "resolved": "https://registry.npmmirror.com/spdx-correct/-/spdx-correct-3.1.1.tgz",
- "integrity": "sha512-cOYcUWwhCuHCXi49RhFRCyJEK3iPj1Ziz9DpViV3tbZOwXD49QzIN3MpOLJNxh2qwq2lJJZaKMVw9qNi4jTC0w==",
- "dev": true,
- "dependencies": {
- "spdx-expression-parse": "^3.0.0",
- "spdx-license-ids": "^3.0.0"
- }
- },
- "node_modules/spdx-exceptions": {
- "version": "2.3.0",
- "resolved": "https://registry.npmmirror.com/spdx-exceptions/-/spdx-exceptions-2.3.0.tgz",
- "integrity": "sha512-/tTrYOC7PPI1nUAgx34hUpqXuyJG+DTHJTnIULG4rDygi4xu/tfgmq1e1cIRwRzwZgo4NLySi+ricLkZkw4i5A==",
- "dev": true
- },
- "node_modules/spdx-expression-parse": {
- "version": "3.0.1",
- "resolved": "https://registry.npmmirror.com/spdx-expression-parse/-/spdx-expression-parse-3.0.1.tgz",
- "integrity": "sha512-cbqHunsQWnJNE6KhVSMsMeH5H/L9EpymbzqTQ3uLwNCLZ1Q481oWaofqH7nO6V07xlXwY6PhQdQ2IedWx/ZK4Q==",
- "dev": true,
- "dependencies": {
- "spdx-exceptions": "^2.1.0",
- "spdx-license-ids": "^3.0.0"
- }
- },
- "node_modules/spdx-license-ids": {
- "version": "3.0.11",
- "resolved": "https://registry.npmmirror.com/spdx-license-ids/-/spdx-license-ids-3.0.11.tgz",
- "integrity": "sha512-Ctl2BrFiM0X3MANYgj3CkygxhRmr9mi6xhejbdO960nF6EDJApTYpn0BQnDKlnNBULKiCN1n3w9EBkHK8ZWg+g==",
- "dev": true
- },
- "node_modules/split2": {
- "version": "3.2.2",
- "resolved": "https://registry.npmmirror.com/split2/-/split2-3.2.2.tgz",
- "integrity": "sha512-9NThjpgZnifTkJpzTZ7Eue85S49QwpNhZTq6GRJwObb6jnLFNGB7Qm73V5HewTROPyxD0C29xqmaI68bQtV+hg==",
- "dev": true,
- "dependencies": {
- "readable-stream": "^3.0.0"
- }
- },
- "node_modules/string_decoder": {
- "version": "1.3.0",
- "resolved": "https://registry.npmmirror.com/string_decoder/-/string_decoder-1.3.0.tgz",
- "integrity": "sha512-hkRX8U1WjJFd8LsDJ2yQ/wWWxaopEsABU1XfkM8A+j0+85JAGppt16cr1Whg6KIbb4okU6Mql6BOj+uup/wKeA==",
- "dev": true,
- "dependencies": {
- "safe-buffer": "~5.2.0"
- }
- },
- "node_modules/string_decoder/node_modules/safe-buffer": {
- "version": "5.2.1",
- "resolved": "https://registry.npmmirror.com/safe-buffer/-/safe-buffer-5.2.1.tgz",
- "integrity": "sha512-rp3So07KcdmmKbGvgaNxQSJr7bGVSVk5S9Eq1F+ppbRo70+YeaDxkw5Dd8NPN+GD6bjnYm2VuPuCXmpuYvmCXQ==",
- "dev": true
- },
- "node_modules/string-argv": {
- "version": "0.3.1",
- "resolved": "https://registry.npmmirror.com/string-argv/-/string-argv-0.3.1.tgz",
- "integrity": "sha512-a1uQGz7IyVy9YwhqjZIZu1c8JO8dNIe20xBmSS6qu9kv++k3JGzCVmprbNN5Kn+BgzD5E7YYwg1CcjuJMRNsvg==",
- "dev": true,
- "engines": {
- "node": ">=0.6.19"
- }
- },
- "node_modules/string-width": {
- "version": "4.2.3",
- "resolved": "https://registry.npmmirror.com/string-width/-/string-width-4.2.3.tgz",
- "integrity": "sha512-wKyQRQpjJ0sIp62ErSZdGsjMJWsap5oRNihHhu6G7JVO/9jIB6UyevL+tXuOqrng8j/cxKTWyWUwvSTriiZz/g==",
- "dev": true,
- "dependencies": {
- "emoji-regex": "^8.0.0",
- "is-fullwidth-code-point": "^3.0.0",
- "strip-ansi": "^6.0.1"
- },
- "engines": {
- "node": ">=8"
- }
- },
- "node_modules/string.prototype.padend": {
- "version": "3.1.3",
- "resolved": "https://registry.npmmirror.com/string.prototype.padend/-/string.prototype.padend-3.1.3.tgz",
- "integrity": "sha512-jNIIeokznm8SD/TZISQsZKYu7RJyheFNt84DUPrh482GC8RVp2MKqm2O5oBRdGxbDQoXrhhWtPIWQOiy20svUg==",
- "dev": true,
- "dependencies": {
- "call-bind": "^1.0.2",
- "define-properties": "^1.1.3",
- "es-abstract": "^1.19.1"
- },
- "engines": {
- "node": ">= 0.4"
- }
- },
- "node_modules/string.prototype.trimend": {
- "version": "1.0.5",
- "resolved": "https://registry.npmmirror.com/string.prototype.trimend/-/string.prototype.trimend-1.0.5.tgz",
- "integrity": "sha512-I7RGvmjV4pJ7O3kdf+LXFpVfdNOxtCW/2C8f6jNiW4+PQchwxkCDzlk1/7p+Wl4bqFIZeF47qAHXLuHHWKAxog==",
- "dev": true,
- "dependencies": {
- "call-bind": "^1.0.2",
- "define-properties": "^1.1.4",
- "es-abstract": "^1.19.5"
- }
- },
- "node_modules/string.prototype.trimstart": {
- "version": "1.0.5",
- "resolved": "https://registry.npmmirror.com/string.prototype.trimstart/-/string.prototype.trimstart-1.0.5.tgz",
- "integrity": "sha512-THx16TJCGlsN0o6dl2o6ncWUsdgnLRSA23rRE5pyGBw/mLr3Ej/R2LaqCtgP8VNMGZsvMWnf9ooZPyY2bHvUFg==",
- "dev": true,
- "dependencies": {
- "call-bind": "^1.0.2",
- "define-properties": "^1.1.4",
- "es-abstract": "^1.19.5"
- }
- },
- "node_modules/strip-ansi": {
- "version": "6.0.1",
- "resolved": "https://registry.npmmirror.com/strip-ansi/-/strip-ansi-6.0.1.tgz",
- "integrity": "sha512-Y38VPSHcqkFrCpFnQ9vuSXmquuv5oXOKpGeT6aGrr3o3Gc9AlVa6JBfUSOCnbxGGZF+/0ooI7KrPuUSztUdU5A==",
- "dev": true,
- "dependencies": {
- "ansi-regex": "^5.0.1"
- },
- "engines": {
- "node": ">=8"
- }
- },
- "node_modules/strip-bom": {
- "version": "3.0.0",
- "resolved": "https://registry.npmmirror.com/strip-bom/-/strip-bom-3.0.0.tgz",
- "integrity": "sha512-vavAMRXOgBVNF6nyEEmL3DBK19iRpDcoIwW+swQ+CbGiu7lju6t+JklA1MHweoWtadgt4ISVUsXLyDq34ddcwA==",
- "dev": true,
- "engines": {
- "node": ">=4"
- }
- },
- "node_modules/strip-final-newline": {
- "version": "2.0.0",
- "resolved": "https://registry.npmmirror.com/strip-final-newline/-/strip-final-newline-2.0.0.tgz",
- "integrity": "sha512-BrpvfNAE3dcvq7ll3xVumzjKjZQ5tI1sEUIKr3Uoks0XUl45St3FlatVqef9prk4jRDzhW6WZg+3bk93y6pLjA==",
- "dev": true,
- "engines": {
- "node": ">=6"
- }
- },
- "node_modules/strip-indent": {
- "version": "3.0.0",
- "resolved": "https://registry.npmmirror.com/strip-indent/-/strip-indent-3.0.0.tgz",
- "integrity": "sha512-laJTa3Jb+VQpaC6DseHhF7dXVqHTfJPCRDaEbid/drOhgitgYku/letMUqOXFoWV0zIIUbjpdH2t+tYj4bQMRQ==",
- "dev": true,
- "dependencies": {
- "min-indent": "^1.0.0"
- },
- "engines": {
- "node": ">=8"
- }
- },
- "node_modules/strip-json-comments": {
- "version": "3.1.1",
- "resolved": "https://registry.npmmirror.com/strip-json-comments/-/strip-json-comments-3.1.1.tgz",
- "integrity": "sha512-6fPc+R4ihwqP6N/aIv2f1gMH8lOVtWQHoqC4yK6oSDVVocumAsfCqjkXnqiYMhmMwS/mEHLp7Vehlt3ql6lEig==",
- "dev": true,
- "engines": {
- "node": ">=8"
- }
- },
- "node_modules/supports-color": {
- "version": "5.5.0",
- "resolved": "https://registry.npmmirror.com/supports-color/-/supports-color-5.5.0.tgz",
- "integrity": "sha512-QjVjwdXIt408MIiAqCX4oUKsgU2EqAGzs2Ppkm4aQYbjm+ZEWEcW4SfFNTr4uMNZma0ey4f5lgLrkB0aX0QMow==",
- "dev": true,
- "dependencies": {
- "has-flag": "^3.0.0"
- },
- "engines": {
- "node": ">=4"
- }
- },
- "node_modules/supports-preserve-symlinks-flag": {
- "version": "1.0.0",
- "resolved": "https://registry.npmmirror.com/supports-preserve-symlinks-flag/-/supports-preserve-symlinks-flag-1.0.0.tgz",
- "integrity": "sha512-ot0WnXS9fgdkgIcePe6RHNk1WA8+muPa6cSjeR3V8K27q9BB1rTE3R1p7Hv0z1ZyAc8s6Vvv8DIyWf681MAt0w==",
- "dev": true,
- "engines": {
- "node": ">= 0.4"
- }
- },
- "node_modules/svg-tags": {
- "version": "1.0.0",
- "resolved": "https://registry.npmmirror.com/svg-tags/-/svg-tags-1.0.0.tgz",
- "integrity": "sha512-ovssysQTa+luh7A5Weu3Rta6FJlFBBbInjOh722LIt6klpU2/HtdUbszju/G4devcvk8PGt7FCLv5wftu3THUA==",
- "dev": true
- },
- "node_modules/tailwindcss": {
- "version": "3.1.7",
- "resolved": "https://registry.npmmirror.com/tailwindcss/-/tailwindcss-3.1.7.tgz",
- "integrity": "sha512-r7mgumZ3k0InfVPpGWcX8X/Ut4xBfv+1O/+C73ar/m01LxGVzWvPxF/w6xIUPEztrCoz7axfx0SMdh8FH8ZvRQ==",
- "dev": true,
- "dependencies": {
- "arg": "^5.0.2",
- "chokidar": "^3.5.3",
- "color-name": "^1.1.4",
- "detective": "^5.2.1",
- "didyoumean": "^1.2.2",
- "dlv": "^1.1.3",
- "fast-glob": "^3.2.11",
- "glob-parent": "^6.0.2",
- "is-glob": "^4.0.3",
- "lilconfig": "^2.0.6",
- "normalize-path": "^3.0.0",
- "object-hash": "^3.0.0",
- "picocolors": "^1.0.0",
- "postcss": "^8.4.14",
- "postcss-import": "^14.1.0",
- "postcss-js": "^4.0.0",
- "postcss-load-config": "^3.1.4",
- "postcss-nested": "5.0.6",
- "postcss-selector-parser": "^6.0.10",
- "postcss-value-parser": "^4.2.0",
- "quick-lru": "^5.1.1",
- "resolve": "^1.22.1"
- },
- "bin": {
- "tailwind": "lib/cli.js",
- "tailwindcss": "lib/cli.js"
- },
- "engines": {
- "node": ">=12.13.0"
- },
- "peerDependencies": {
- "postcss": "^8.0.9"
- }
- },
- "node_modules/tailwindcss/node_modules/arg": {
- "version": "5.0.2",
- "resolved": "https://registry.npmmirror.com/arg/-/arg-5.0.2.tgz",
- "integrity": "sha512-PYjyFOLKQ9y57JvQ6QLo8dAgNqswh8M1RMJYdQduT6xbWSgK36P/Z/v+p888pM69jMMfS8Xd8F6I1kQ/I9HUGg==",
- "dev": true
- },
- "node_modules/tailwindcss/node_modules/color-name": {
- "version": "1.1.4",
- "resolved": "https://registry.npmmirror.com/color-name/-/color-name-1.1.4.tgz",
- "integrity": "sha512-dOy+3AuW3a2wNbZHIuMZpTcgjGuLU/uBL/ubcZF9OXbDo8ff4O8yVp5Bf0efS8uEoYo5q4Fx7dY9OgQGXgAsQA==",
- "dev": true
- },
- "node_modules/tailwindcss/node_modules/quick-lru": {
- "version": "5.1.1",
- "resolved": "https://registry.npmmirror.com/quick-lru/-/quick-lru-5.1.1.tgz",
- "integrity": "sha512-WuyALRjWPDGtt/wzJiadO5AXY+8hZ80hVpe6MyivgraREW751X3SbhRvG3eLKOYN+8VEvqLcf3wdnt44Z4S4SA==",
- "dev": true,
- "engines": {
- "node": ">=10"
- }
- },
- "node_modules/text-extensions": {
- "version": "1.9.0",
- "resolved": "https://registry.npmmirror.com/text-extensions/-/text-extensions-1.9.0.tgz",
- "integrity": "sha512-wiBrwC1EhBelW12Zy26JeOUkQ5mRu+5o8rpsJk5+2t+Y5vE7e842qtZDQ2g1NpX/29HdyFeJ4nSIhI47ENSxlQ==",
- "dev": true,
- "engines": {
- "node": ">=0.10"
- }
- },
- "node_modules/text-table": {
- "version": "0.2.0",
- "resolved": "https://registry.npmmirror.com/text-table/-/text-table-0.2.0.tgz",
- "integrity": "sha512-N+8UisAXDGk8PFXP4HAzVR9nbfmVJ3zYLAWiTIoqC5v5isinhr+r5uaO8+7r3BMfuNIufIsA7RdpVgacC2cSpw==",
- "dev": true
- },
- "node_modules/through": {
- "version": "2.3.8",
- "resolved": "https://registry.npmmirror.com/through/-/through-2.3.8.tgz",
- "integrity": "sha512-w89qg7PI8wAdvX60bMDP+bFoD5Dvhm9oLheFp5O4a2QF0cSBGsBX4qZmadPMvVqlLJBBci+WqGGOAPvcDeNSVg==",
- "dev": true
- },
- "node_modules/through2": {
- "version": "4.0.2",
- "resolved": "https://registry.npmmirror.com/through2/-/through2-4.0.2.tgz",
- "integrity": "sha512-iOqSav00cVxEEICeD7TjLB1sueEL+81Wpzp2bY17uZjZN0pWZPuo4suZ/61VujxmqSGFfgOcNuTZ85QJwNZQpw==",
- "dev": true,
- "dependencies": {
- "readable-stream": "3"
- }
- },
- "node_modules/to-fast-properties": {
- "version": "2.0.0",
- "resolved": "https://registry.npmmirror.com/to-fast-properties/-/to-fast-properties-2.0.0.tgz",
- "integrity": "sha512-/OaKK0xYrs3DmxRYqL/yDc+FxFUVYhDlXMhRmv3z915w2HF1tnN1omB354j8VUGO/hbRzyD6Y3sA7v7GS/ceog==",
- "dev": true,
- "engines": {
- "node": ">=4"
- }
- },
- "node_modules/to-regex-range": {
- "version": "5.0.1",
- "resolved": "https://registry.npmmirror.com/to-regex-range/-/to-regex-range-5.0.1.tgz",
- "integrity": "sha512-65P7iz6X5yEr1cwcgvQxbbIw7Uk3gOy5dIdtZ4rDveLqhrdJP+Li/Hx6tyK0NEb+2GCyneCMJiGqrADCSNk8sQ==",
- "dev": true,
- "dependencies": {
- "is-number": "^7.0.0"
- },
- "engines": {
- "node": ">=8.0"
- }
- },
- "node_modules/trim-newlines": {
- "version": "3.0.1",
- "resolved": "https://registry.npmmirror.com/trim-newlines/-/trim-newlines-3.0.1.tgz",
- "integrity": "sha512-c1PTsA3tYrIsLGkJkzHF+w9F2EyxfXGo4UyJc4pFL++FMjnq0HJS69T3M7d//gKrFKwy429bouPescbjecU+Zw==",
- "dev": true,
- "engines": {
- "node": ">=8"
- }
- },
- "node_modules/ts-node": {
- "version": "10.9.1",
- "resolved": "https://registry.npmmirror.com/ts-node/-/ts-node-10.9.1.tgz",
- "integrity": "sha512-NtVysVPkxxrwFGUUxGYhfux8k78pQB3JqYBXlLRZgdGUqTO5wU/UyHop5p70iEbGhB7q5KmiZiU0Y3KlJrScEw==",
- "dev": true,
- "dependencies": {
- "@cspotcode/source-map-support": "^0.8.0",
- "@tsconfig/node10": "^1.0.7",
- "@tsconfig/node12": "^1.0.7",
- "@tsconfig/node14": "^1.0.0",
- "@tsconfig/node16": "^1.0.2",
- "acorn": "^8.4.1",
- "acorn-walk": "^8.1.1",
- "arg": "^4.1.0",
- "create-require": "^1.1.0",
- "diff": "^4.0.1",
- "make-error": "^1.1.1",
- "v8-compile-cache-lib": "^3.0.1",
- "yn": "3.1.1"
- },
- "bin": {
- "ts-node": "dist/bin.js",
- "ts-node-cwd": "dist/bin-cwd.js",
- "ts-node-esm": "dist/bin-esm.js",
- "ts-node-script": "dist/bin-script.js",
- "ts-node-transpile-only": "dist/bin-transpile.js",
- "ts-script": "dist/bin-script-deprecated.js"
- },
- "peerDependencies": {
- "@swc/core": ">=1.2.50",
- "@swc/wasm": ">=1.2.50",
- "@types/node": "*",
- "typescript": ">=2.7"
- },
- "peerDependenciesMeta": {
- "@swc/core": {
- "optional": true
- },
- "@swc/wasm": {
- "optional": true
- }
- }
- },
- "node_modules/tslib": {
- "version": "1.14.1",
- "resolved": "https://registry.npmmirror.com/tslib/-/tslib-1.14.1.tgz",
- "integrity": "sha512-Xni35NKzjgMrwevysHTCArtLDpPvye8zV/0E4EyYn43P7/7qvQwPh9BGkHewbMulVntbigmcT7rdX3BNo9wRJg==",
- "dev": true
- },
- "node_modules/tsutils": {
- "version": "3.21.0",
- "resolved": "https://registry.npmmirror.com/tsutils/-/tsutils-3.21.0.tgz",
- "integrity": "sha512-mHKK3iUXL+3UF6xL5k0PEhKRUBKPBCv/+RkEOpjRWxxx27KKRBmmA60A9pgOUvMi8GKhRMPEmjBRPzs2W7O1OA==",
- "dev": true,
- "dependencies": {
- "tslib": "^1.8.1"
- },
- "engines": {
- "node": ">= 6"
- },
- "peerDependencies": {
- "typescript": ">=2.8.0 || >= 3.2.0-dev || >= 3.3.0-dev || >= 3.4.0-dev || >= 3.5.0-dev || >= 3.6.0-dev || >= 3.6.0-beta || >= 3.7.0-dev || >= 3.7.0-beta"
- }
- },
- "node_modules/type-check": {
- "version": "0.4.0",
- "resolved": "https://registry.npmmirror.com/type-check/-/type-check-0.4.0.tgz",
- "integrity": "sha512-XleUoc9uwGXqjWwXaUTZAmzMcFZ5858QA2vvx1Ur5xIcixXIP+8LnFDgRplU30us6teqdlskFfu+ae4K79Ooew==",
- "dev": true,
- "dependencies": {
- "prelude-ls": "^1.2.1"
- },
- "engines": {
- "node": ">= 0.8.0"
- }
- },
- "node_modules/type-fest": {
- "version": "0.20.2",
- "resolved": "https://registry.npmmirror.com/type-fest/-/type-fest-0.20.2.tgz",
- "integrity": "sha512-Ne+eE4r0/iWnpAxD852z3A+N0Bt5RN//NjJwRd2VFHEmrywxf5vsZlh4R6lixl6B+wz/8d+maTSAkN1FIkI3LQ==",
- "dev": true,
- "engines": {
- "node": ">=10"
- }
- },
- "node_modules/typescript": {
- "version": "4.7.4",
- "resolved": "https://registry.npmmirror.com/typescript/-/typescript-4.7.4.tgz",
- "integrity": "sha512-C0WQT0gezHuw6AdY1M2jxUO83Rjf0HP7Sk1DtXj6j1EwkQNZrHAg2XPWlq62oqEhYvONq5pkC2Y9oPljWToLmQ==",
- "devOptional": true,
- "bin": {
- "tsc": "bin/tsc",
- "tsserver": "bin/tsserver"
- },
- "engines": {
- "node": ">=4.2.0"
- }
- },
- "node_modules/unbox-primitive": {
- "version": "1.0.2",
- "resolved": "https://registry.npmmirror.com/unbox-primitive/-/unbox-primitive-1.0.2.tgz",
- "integrity": "sha512-61pPlCD9h51VoreyJ0BReideM3MDKMKnh6+V9L08331ipq6Q8OFXZYiqP6n/tbHx4s5I9uRhcye6BrbkizkBDw==",
- "dev": true,
- "dependencies": {
- "call-bind": "^1.0.2",
- "has-bigints": "^1.0.2",
- "has-symbols": "^1.0.3",
- "which-boxed-primitive": "^1.0.2"
- }
- },
- "node_modules/universalify": {
- "version": "2.0.0",
- "resolved": "https://registry.npmmirror.com/universalify/-/universalify-2.0.0.tgz",
- "integrity": "sha512-hAZsKq7Yy11Zu1DE0OzWjw7nnLZmJZYTDZZyEFHZdUhV8FkH5MCfoU1XMaxXovpyW5nq5scPqq0ZDP9Zyl04oQ==",
- "dev": true,
- "engines": {
- "node": ">= 10.0.0"
- }
- },
- "node_modules/update-browserslist-db": {
- "version": "1.0.5",
- "resolved": "https://registry.npmmirror.com/update-browserslist-db/-/update-browserslist-db-1.0.5.tgz",
- "integrity": "sha512-dteFFpCyvuDdr9S/ff1ISkKt/9YZxKjI9WlRR99c180GaztJtRa/fn18FdxGVKVsnPY7/a/FDN68mcvUmP4U7Q==",
- "dev": true,
- "dependencies": {
- "escalade": "^3.1.1",
- "picocolors": "^1.0.0"
- },
- "bin": {
- "browserslist-lint": "cli.js"
- },
- "peerDependencies": {
- "browserslist": ">= 4.21.0"
- }
- },
- "node_modules/uri-js": {
- "version": "4.4.1",
- "resolved": "https://registry.npmmirror.com/uri-js/-/uri-js-4.4.1.tgz",
- "integrity": "sha512-7rKUyy33Q1yc98pQ1DAmLtwX109F7TIfWlW1Ydo8Wl1ii1SeHieeh0HHfPeL2fMXK6z0s8ecKs9frCuLJvndBg==",
- "dev": true,
- "dependencies": {
- "punycode": "^2.1.0"
- }
- },
- "node_modules/util-deprecate": {
- "version": "1.0.2",
- "resolved": "https://registry.npmmirror.com/util-deprecate/-/util-deprecate-1.0.2.tgz",
- "integrity": "sha512-EPD5q1uXyFxJpCrLnCc1nHnq3gOa6DZBocAIiI2TaSCA7VCJ1UJDMagCzIkXNsUYfD1daK//LTEQ8xiIbrHtcw==",
- "dev": true
- },
- "node_modules/v8-compile-cache": {
- "version": "2.3.0",
- "resolved": "https://registry.npmmirror.com/v8-compile-cache/-/v8-compile-cache-2.3.0.tgz",
- "integrity": "sha512-l8lCEmLcLYZh4nbunNZvQCJc5pv7+RCwa8q/LdUx8u7lsWvPDKmpodJAJNwkAhJC//dFY48KuIEmjtd4RViDrA==",
- "dev": true
- },
- "node_modules/v8-compile-cache-lib": {
- "version": "3.0.1",
- "resolved": "https://registry.npmmirror.com/v8-compile-cache-lib/-/v8-compile-cache-lib-3.0.1.tgz",
- "integrity": "sha512-wa7YjyUGfNZngI/vtK0UHAN+lgDCxBPCylVXGp0zu59Fz5aiGtNXaq3DhIov063MorB+VfufLh3JlF2KdTK3xg==",
- "dev": true
- },
- "node_modules/validate-npm-package-license": {
- "version": "3.0.4",
- "resolved": "https://registry.npmmirror.com/validate-npm-package-license/-/validate-npm-package-license-3.0.4.tgz",
- "integrity": "sha512-DpKm2Ui/xN7/HQKCtpZxoRWBhZ9Z0kqtygG8XCgNQ8ZlDnxuQmWhj566j8fN4Cu3/JmbhsDo7fcAJq4s9h27Ew==",
- "dev": true,
- "dependencies": {
- "spdx-correct": "^3.0.0",
- "spdx-expression-parse": "^3.0.0"
- }
- },
- "node_modules/vant": {
- "version": "3.5.3",
- "resolved": "https://registry.npmmirror.com/vant/-/vant-3.5.3.tgz",
- "integrity": "sha512-/5BRYbOthBcS3YtgmYDJX2WOTHOyMRURnByBNGSe49UVEppXA9a1tmNWxiwnPSyuaiDdagIpvVySEW4KTgd7rQ==",
- "dependencies": {
- "@vant/icons": "^1.8.0",
- "@vant/popperjs": "^1.2.1",
- "@vant/use": "^1.4.1"
- },
- "peerDependencies": {
- "vue": "^3.0.0"
- }
- },
- "node_modules/vite": {
- "version": "3.0.4",
- "resolved": "https://registry.npmmirror.com/vite/-/vite-3.0.4.tgz",
- "integrity": "sha512-NU304nqnBeOx2MkQnskBQxVsa0pRAH5FphokTGmyy8M3oxbvw7qAXts2GORxs+h/2vKsD+osMhZ7An6yK6F1dA==",
- "dev": true,
- "dependencies": {
- "esbuild": "^0.14.47",
- "postcss": "^8.4.14",
- "resolve": "^1.22.1",
- "rollup": "^2.75.6"
- },
- "bin": {
- "vite": "bin/vite.js"
- },
- "engines": {
- "node": "^14.18.0 || >=16.0.0"
- },
- "optionalDependencies": {
- "fsevents": "~2.3.2"
- },
- "peerDependencies": {
- "less": "*",
- "sass": "*",
- "stylus": "*",
- "terser": "^5.4.0"
- },
- "peerDependenciesMeta": {
- "less": {
- "optional": true
- },
- "sass": {
- "optional": true
- },
- "stylus": {
- "optional": true
- },
- "terser": {
- "optional": true
- }
- }
- },
- "node_modules/vue": {
- "version": "3.2.37",
- "resolved": "https://registry.npmmirror.com/vue/-/vue-3.2.37.tgz",
- "integrity": "sha512-bOKEZxrm8Eh+fveCqS1/NkG/n6aMidsI6hahas7pa0w/l7jkbssJVsRhVDs07IdDq7h9KHswZOgItnwJAgtVtQ==",
- "dependencies": {
- "@vue/compiler-dom": "3.2.37",
- "@vue/compiler-sfc": "3.2.37",
- "@vue/runtime-dom": "3.2.37",
- "@vue/server-renderer": "3.2.37",
- "@vue/shared": "3.2.37"
- }
- },
- "node_modules/vue-eslint-parser": {
- "version": "9.0.3",
- "resolved": "https://registry.npmmirror.com/vue-eslint-parser/-/vue-eslint-parser-9.0.3.tgz",
- "integrity": "sha512-yL+ZDb+9T0ELG4VIFo/2anAOz8SvBdlqEnQnvJ3M7Scq56DvtjY0VY88bByRZB0D4J0u8olBcfrXTVONXsh4og==",
- "dev": true,
- "dependencies": {
- "debug": "^4.3.4",
- "eslint-scope": "^7.1.1",
- "eslint-visitor-keys": "^3.3.0",
- "espree": "^9.3.1",
- "esquery": "^1.4.0",
- "lodash": "^4.17.21",
- "semver": "^7.3.6"
- },
- "engines": {
- "node": "^14.17.0 || >=16.0.0"
- },
- "peerDependencies": {
- "eslint": ">=6.0.0"
- }
- },
- "node_modules/vue-eslint-parser/node_modules/eslint-scope": {
- "version": "7.1.1",
- "resolved": "https://registry.npmmirror.com/eslint-scope/-/eslint-scope-7.1.1.tgz",
- "integrity": "sha512-QKQM/UXpIiHcLqJ5AOyIW7XZmzjkzQXYE54n1++wb0u9V/abW3l9uQnxX8Z5Xd18xyKIMTUAyQ0k1e8pz6LUrw==",
- "dev": true,
- "dependencies": {
- "esrecurse": "^4.3.0",
- "estraverse": "^5.2.0"
- },
- "engines": {
- "node": "^12.22.0 || ^14.17.0 || >=16.0.0"
- }
- },
- "node_modules/vue-eslint-parser/node_modules/estraverse": {
- "version": "5.3.0",
- "resolved": "https://registry.npmmirror.com/estraverse/-/estraverse-5.3.0.tgz",
- "integrity": "sha512-MMdARuVEQziNTeJD8DgMqmhwR11BRQ/cBP+pLtYdSTnf3MIO8fFeiINEbX36ZdNlfU/7A9f3gUw49B3oQsvwBA==",
- "dev": true,
- "engines": {
- "node": ">=4.0"
- }
- },
- "node_modules/vue-eslint-parser/node_modules/semver": {
- "version": "7.3.7",
- "resolved": "https://registry.npmmirror.com/semver/-/semver-7.3.7.tgz",
- "integrity": "sha512-QlYTucUYOews+WeEujDoEGziz4K6c47V/Bd+LjSSYcA94p+DmINdf7ncaUinThfvZyu13lN9OY1XDxt8C0Tw0g==",
- "dev": true,
- "dependencies": {
- "lru-cache": "^6.0.0"
- },
- "bin": {
- "semver": "bin/semver.js"
- },
- "engines": {
- "node": ">=10"
- }
- },
- "node_modules/vue-router": {
- "version": "4.1.3",
- "resolved": "https://registry.npmmirror.com/vue-router/-/vue-router-4.1.3.tgz",
- "integrity": "sha512-XvK81bcYglKiayT7/vYAg/f36ExPC4t90R/HIpzrZ5x+17BOWptXLCrEPufGgZeuq68ww4ekSIMBZY1qdUdfjA==",
- "dependencies": {
- "@vue/devtools-api": "^6.1.4"
- },
- "peerDependencies": {
- "vue": "^3.2.0"
- }
- },
- "node_modules/vue-tsc": {
- "version": "0.38.9",
- "resolved": "https://registry.npmmirror.com/vue-tsc/-/vue-tsc-0.38.9.tgz",
- "integrity": "sha512-Yoy5phgvGqyF98Fb4mYqboR4Q149jrdcGv5kSmufXJUq++RZJ2iMVG0g6zl+v3t4ORVWkQmRpsV4x2szufZ0LQ==",
- "dev": true,
- "dependencies": {
- "@volar/vue-typescript": "0.38.9"
- },
- "bin": {
- "vue-tsc": "bin/vue-tsc.js"
- },
- "peerDependencies": {
- "typescript": "*"
- }
- },
- "node_modules/vuedraggable": {
- "version": "4.1.0",
- "resolved": "https://registry.npmmirror.com/vuedraggable/-/vuedraggable-4.1.0.tgz",
- "integrity": "sha512-FU5HCWBmsf20GpP3eudURW3WdWTKIbEIQxh9/8GE806hydR9qZqRRxRE3RjqX7PkuLuMQG/A7n3cfj9rCEchww==",
- "dependencies": {
- "sortablejs": "1.14.0"
- },
- "peerDependencies": {
- "vue": "^3.0.1"
- }
- },
- "node_modules/which": {
- "version": "2.0.2",
- "resolved": "https://registry.npmmirror.com/which/-/which-2.0.2.tgz",
- "integrity": "sha512-BLI3Tl1TW3Pvl70l3yq3Y64i+awpwXqsGBYWkkqMtnbXgrMD+yj7rhW0kuEDxzJaYXGjEW5ogapKNMEKNMjibA==",
- "dev": true,
- "dependencies": {
- "isexe": "^2.0.0"
- },
- "bin": {
- "node-which": "bin/node-which"
- },
- "engines": {
- "node": ">= 8"
- }
- },
- "node_modules/which-boxed-primitive": {
- "version": "1.0.2",
- "resolved": "https://registry.npmmirror.com/which-boxed-primitive/-/which-boxed-primitive-1.0.2.tgz",
- "integrity": "sha512-bwZdv0AKLpplFY2KZRX6TvyuN7ojjr7lwkg6ml0roIy9YeuSr7JS372qlNW18UQYzgYK9ziGcerWqZOmEn9VNg==",
- "dev": true,
- "dependencies": {
- "is-bigint": "^1.0.1",
- "is-boolean-object": "^1.1.0",
- "is-number-object": "^1.0.4",
- "is-string": "^1.0.5",
- "is-symbol": "^1.0.3"
- }
- },
- "node_modules/word-wrap": {
- "version": "1.2.3",
- "resolved": "https://registry.npmmirror.com/word-wrap/-/word-wrap-1.2.3.tgz",
- "integrity": "sha512-Hz/mrNwitNRh/HUAtM/VT/5VH+ygD6DV7mYKZAtHOrbs8U7lvPS6xf7EJKMF0uW1KJCl0H701g3ZGus+muE5vQ==",
- "dev": true,
- "engines": {
- "node": ">=0.10.0"
- }
- },
- "node_modules/wrap-ansi": {
- "version": "7.0.0",
- "resolved": "https://registry.npmmirror.com/wrap-ansi/-/wrap-ansi-7.0.0.tgz",
- "integrity": "sha512-YVGIj2kamLSTxw6NsZjoBxfSwsn0ycdesmc4p+Q21c5zPuZ1pl+NfxVdxPtdHvmNVOQ6XSYG4AUtyt/Fi7D16Q==",
- "dev": true,
- "dependencies": {
- "ansi-styles": "^4.0.0",
- "string-width": "^4.1.0",
- "strip-ansi": "^6.0.0"
- },
- "engines": {
- "node": ">=10"
- }
- },
- "node_modules/wrap-ansi/node_modules/ansi-styles": {
- "version": "4.3.0",
- "resolved": "https://registry.npmmirror.com/ansi-styles/-/ansi-styles-4.3.0.tgz",
- "integrity": "sha512-zbB9rCJAT1rbjiVDb2hqKFHNYLxgtk8NURxZ3IZwD3F6NtxbXZQCnnSi1Lkx+IDohdPlFp222wVALIheZJQSEg==",
- "dev": true,
- "dependencies": {
- "color-convert": "^2.0.1"
- },
- "engines": {
- "node": ">=8"
- }
- },
- "node_modules/wrap-ansi/node_modules/color-convert": {
- "version": "2.0.1",
- "resolved": "https://registry.npmmirror.com/color-convert/-/color-convert-2.0.1.tgz",
- "integrity": "sha512-RRECPsj7iu/xb5oKYcsFHSppFNnsj/52OVTRKb4zP5onXwVF3zVmmToNcOfGC+CRDpfK/U584fMg38ZHCaElKQ==",
- "dev": true,
- "dependencies": {
- "color-name": "~1.1.4"
- },
- "engines": {
- "node": ">=7.0.0"
- }
- },
- "node_modules/wrap-ansi/node_modules/color-name": {
- "version": "1.1.4",
- "resolved": "https://registry.npmmirror.com/color-name/-/color-name-1.1.4.tgz",
- "integrity": "sha512-dOy+3AuW3a2wNbZHIuMZpTcgjGuLU/uBL/ubcZF9OXbDo8ff4O8yVp5Bf0efS8uEoYo5q4Fx7dY9OgQGXgAsQA==",
- "dev": true
- },
- "node_modules/wrappy": {
- "version": "1.0.2",
- "resolved": "https://registry.npmmirror.com/wrappy/-/wrappy-1.0.2.tgz",
- "integrity": "sha512-l4Sp/DRseor9wL6EvV2+TuQn63dMkPjZ/sp9XkghTEbV9KlPS1xUsZ3u7/IQO4wxtcFB4bgpQPRcR3QCvezPcQ==",
- "dev": true
- },
- "node_modules/xml-name-validator": {
- "version": "4.0.0",
- "resolved": "https://registry.npmmirror.com/xml-name-validator/-/xml-name-validator-4.0.0.tgz",
- "integrity": "sha512-ICP2e+jsHvAj2E2lIHxa5tjXRlKDJo4IdvPvCXbXQGdzSfmSpNVyIKMvoZHjDY9DP0zV17iI85o90vRFXNccRw==",
- "dev": true,
- "engines": {
- "node": ">=12"
- }
- },
- "node_modules/xtend": {
- "version": "4.0.2",
- "resolved": "https://registry.npmmirror.com/xtend/-/xtend-4.0.2.tgz",
- "integrity": "sha512-LKYU1iAXJXUgAXn9URjiu+MWhyUXHsvfp7mcuYm9dSUKK0/CjtrUwFAxD82/mCWbtLsGjFIad0wIsod4zrTAEQ==",
- "dev": true,
- "engines": {
- "node": ">=0.4"
- }
- },
- "node_modules/y18n": {
- "version": "5.0.8",
- "resolved": "https://registry.npmmirror.com/y18n/-/y18n-5.0.8.tgz",
- "integrity": "sha512-0pfFzegeDWJHJIAmTLRP2DwHjdF5s7jo9tuztdQxAhINCdvS+3nGINqPd00AphqJR/0LhANUS6/+7SCb98YOfA==",
- "dev": true,
- "engines": {
- "node": ">=10"
- }
- },
- "node_modules/yallist": {
- "version": "4.0.0",
- "resolved": "https://registry.npmmirror.com/yallist/-/yallist-4.0.0.tgz",
- "integrity": "sha512-3wdGidZyq5PB084XLES5TpOSRA3wjXAlIWMhum2kRcv/41Sn2emQ0dycQW4uZXLejwKvg6EsvbdlVL+FYEct7A==",
- "dev": true
- },
- "node_modules/yaml": {
- "version": "1.10.2",
- "resolved": "https://registry.npmmirror.com/yaml/-/yaml-1.10.2.tgz",
- "integrity": "sha512-r3vXyErRCYJ7wg28yvBY5VSoAF8ZvlcW9/BwUzEtUsjvX/DKs24dIkuwjtuprwJJHsbyUbLApepYTR1BN4uHrg==",
- "dev": true,
- "engines": {
- "node": ">= 6"
- }
- },
- "node_modules/yargs": {
- "version": "17.5.1",
- "resolved": "https://registry.npmmirror.com/yargs/-/yargs-17.5.1.tgz",
- "integrity": "sha512-t6YAJcxDkNX7NFYiVtKvWUz8l+PaKTLiL63mJYWR2GnHq2gjEWISzsLp9wg3aY36dY1j+gfIEL3pIF+XlJJfbA==",
- "dev": true,
- "dependencies": {
- "cliui": "^7.0.2",
- "escalade": "^3.1.1",
- "get-caller-file": "^2.0.5",
- "require-directory": "^2.1.1",
- "string-width": "^4.2.3",
- "y18n": "^5.0.5",
- "yargs-parser": "^21.0.0"
- },
- "engines": {
- "node": ">=12"
- }
- },
- "node_modules/yargs-parser": {
- "version": "20.2.9",
- "resolved": "https://registry.npmmirror.com/yargs-parser/-/yargs-parser-20.2.9.tgz",
- "integrity": "sha512-y11nGElTIV+CT3Zv9t7VKl+Q3hTQoT9a1Qzezhhl6Rp21gJ/IVTW7Z3y9EWXhuUBC2Shnf+DX0antecpAwSP8w==",
- "dev": true,
- "engines": {
- "node": ">=10"
- }
- },
- "node_modules/yargs/node_modules/yargs-parser": {
- "version": "21.0.1",
- "resolved": "https://registry.npmmirror.com/yargs-parser/-/yargs-parser-21.0.1.tgz",
- "integrity": "sha512-9BK1jFpLzJROCI5TzwZL/TU4gqjK5xiHV/RfWLOahrjAko/e4DJkRDZQXfvqAsiZzzYhgAzbgz6lg48jcm4GLg==",
- "dev": true,
- "engines": {
- "node": ">=12"
- }
- },
- "node_modules/yn": {
- "version": "3.1.1",
- "resolved": "https://registry.npmmirror.com/yn/-/yn-3.1.1.tgz",
- "integrity": "sha512-Ux4ygGWsu2c7isFWe8Yu1YluJmqVhxqK2cLXNQA5AcC3QfbGNpM7fu0Y8b/z16pXLnFxZYvWhd3fhBY9DLmC6Q==",
- "dev": true,
- "engines": {
- "node": ">=6"
- }
- },
- "node_modules/yocto-queue": {
- "version": "0.1.0",
- "resolved": "https://registry.npmmirror.com/yocto-queue/-/yocto-queue-0.1.0.tgz",
- "integrity": "sha512-rVksvsnNCdJ/ohGc6xgPwyN8eheCxsiLM8mxuE/t/mOVqJewPuO1miLpTHQiRgTKCLexL4MeAFVagts7HmNZ2Q==",
- "dev": true,
- "engines": {
- "node": ">=10"
- }
- }
- },
- "dependencies": {
- "@ampproject/remapping": {
- "version": "2.2.0",
- "resolved": "https://registry.npmmirror.com/@ampproject/remapping/-/remapping-2.2.0.tgz",
- "integrity": "sha512-qRmjj8nj9qmLTQXXmaR1cck3UXSRMPrbsLJAasZpF+t3riI71BXed5ebIOYwQntykeZuhjsdweEc9BxH5Jc26w==",
- "dev": true,
- "requires": {
- "@jridgewell/gen-mapping": "^0.1.0",
- "@jridgewell/trace-mapping": "^0.3.9"
- }
- },
- "@babel/code-frame": {
- "version": "7.18.6",
- "resolved": "https://registry.npmmirror.com/@babel/code-frame/-/code-frame-7.18.6.tgz",
- "integrity": "sha512-TDCmlK5eOvH+eH7cdAFlNXeVJqWIQ7gW9tY1GJIpUtFb6CmjVyq2VM3u71bOyR8CRihcCgMUYoDNyLXao3+70Q==",
- "dev": true,
- "requires": {
- "@babel/highlight": "^7.18.6"
- }
- },
- "@babel/compat-data": {
- "version": "7.18.8",
- "resolved": "https://registry.npmmirror.com/@babel/compat-data/-/compat-data-7.18.8.tgz",
- "integrity": "sha512-HSmX4WZPPK3FUxYp7g2T6EyO8j96HlZJlxmKPSh6KAcqwyDrfx7hKjXpAW/0FhFfTJsR0Yt4lAjLI2coMptIHQ==",
- "dev": true
- },
- "@babel/core": {
- "version": "7.18.9",
- "resolved": "https://registry.npmmirror.com/@babel/core/-/core-7.18.9.tgz",
- "integrity": "sha512-1LIb1eL8APMy91/IMW+31ckrfBM4yCoLaVzoDhZUKSM4cu1L1nIidyxkCgzPAgrC5WEz36IPEr/eSeSF9pIn+g==",
- "dev": true,
- "requires": {
- "@ampproject/remapping": "^2.1.0",
- "@babel/code-frame": "^7.18.6",
- "@babel/generator": "^7.18.9",
- "@babel/helper-compilation-targets": "^7.18.9",
- "@babel/helper-module-transforms": "^7.18.9",
- "@babel/helpers": "^7.18.9",
- "@babel/parser": "^7.18.9",
- "@babel/template": "^7.18.6",
- "@babel/traverse": "^7.18.9",
- "@babel/types": "^7.18.9",
- "convert-source-map": "^1.7.0",
- "debug": "^4.1.0",
- "gensync": "^1.0.0-beta.2",
- "json5": "^2.2.1",
- "semver": "^6.3.0"
- }
- },
- "@babel/generator": {
- "version": "7.18.9",
- "resolved": "https://registry.npmmirror.com/@babel/generator/-/generator-7.18.9.tgz",
- "integrity": "sha512-wt5Naw6lJrL1/SGkipMiFxJjtyczUWTP38deiP1PO60HsBjDeKk08CGC3S8iVuvf0FmTdgKwU1KIXzSKL1G0Ug==",
- "dev": true,
- "requires": {
- "@babel/types": "^7.18.9",
- "@jridgewell/gen-mapping": "^0.3.2",
- "jsesc": "^2.5.1"
- },
- "dependencies": {
- "@jridgewell/gen-mapping": {
- "version": "0.3.2",
- "resolved": "https://registry.npmmirror.com/@jridgewell/gen-mapping/-/gen-mapping-0.3.2.tgz",
- "integrity": "sha512-mh65xKQAzI6iBcFzwv28KVWSmCkdRBWoOh+bYQGW3+6OZvbbN3TqMGo5hqYxQniRcH9F2VZIoJCm4pa3BPDK/A==",
- "dev": true,
- "requires": {
- "@jridgewell/set-array": "^1.0.1",
- "@jridgewell/sourcemap-codec": "^1.4.10",
- "@jridgewell/trace-mapping": "^0.3.9"
- }
- }
- }
- },
- "@babel/helper-annotate-as-pure": {
- "version": "7.18.6",
- "resolved": "https://registry.npmmirror.com/@babel/helper-annotate-as-pure/-/helper-annotate-as-pure-7.18.6.tgz",
- "integrity": "sha512-duORpUiYrEpzKIop6iNbjnwKLAKnJ47csTyRACyEmWj0QdUrm5aqNJGHSSEQSUAvNW0ojX0dOmK9dZduvkfeXA==",
- "dev": true,
- "requires": {
- "@babel/types": "^7.18.6"
- }
- },
- "@babel/helper-compilation-targets": {
- "version": "7.18.9",
- "resolved": "https://registry.npmmirror.com/@babel/helper-compilation-targets/-/helper-compilation-targets-7.18.9.tgz",
- "integrity": "sha512-tzLCyVmqUiFlcFoAPLA/gL9TeYrF61VLNtb+hvkuVaB5SUjW7jcfrglBIX1vUIoT7CLP3bBlIMeyEsIl2eFQNg==",
- "dev": true,
- "requires": {
- "@babel/compat-data": "^7.18.8",
- "@babel/helper-validator-option": "^7.18.6",
- "browserslist": "^4.20.2",
- "semver": "^6.3.0"
- }
- },
- "@babel/helper-create-class-features-plugin": {
- "version": "7.18.9",
- "resolved": "https://registry.npmmirror.com/@babel/helper-create-class-features-plugin/-/helper-create-class-features-plugin-7.18.9.tgz",
- "integrity": "sha512-WvypNAYaVh23QcjpMR24CwZY2Nz6hqdOcFdPbNpV56hL5H6KiFheO7Xm1aPdlLQ7d5emYZX7VZwPp9x3z+2opw==",
- "dev": true,
- "requires": {
- "@babel/helper-annotate-as-pure": "^7.18.6",
- "@babel/helper-environment-visitor": "^7.18.9",
- "@babel/helper-function-name": "^7.18.9",
- "@babel/helper-member-expression-to-functions": "^7.18.9",
- "@babel/helper-optimise-call-expression": "^7.18.6",
- "@babel/helper-replace-supers": "^7.18.9",
- "@babel/helper-split-export-declaration": "^7.18.6"
- }
- },
- "@babel/helper-environment-visitor": {
- "version": "7.18.9",
- "resolved": "https://registry.npmmirror.com/@babel/helper-environment-visitor/-/helper-environment-visitor-7.18.9.tgz",
- "integrity": "sha512-3r/aACDJ3fhQ/EVgFy0hpj8oHyHpQc+LPtJoY9SzTThAsStm4Ptegq92vqKoE3vD706ZVFWITnMnxucw+S9Ipg==",
- "dev": true
- },
- "@babel/helper-function-name": {
- "version": "7.18.9",
- "resolved": "https://registry.npmmirror.com/@babel/helper-function-name/-/helper-function-name-7.18.9.tgz",
- "integrity": "sha512-fJgWlZt7nxGksJS9a0XdSaI4XvpExnNIgRP+rVefWh5U7BL8pPuir6SJUmFKRfjWQ51OtWSzwOxhaH/EBWWc0A==",
- "dev": true,
- "requires": {
- "@babel/template": "^7.18.6",
- "@babel/types": "^7.18.9"
- }
- },
- "@babel/helper-hoist-variables": {
- "version": "7.18.6",
- "resolved": "https://registry.npmmirror.com/@babel/helper-hoist-variables/-/helper-hoist-variables-7.18.6.tgz",
- "integrity": "sha512-UlJQPkFqFULIcyW5sbzgbkxn2FKRgwWiRexcuaR8RNJRy8+LLveqPjwZV/bwrLZCN0eUHD/x8D0heK1ozuoo6Q==",
- "dev": true,
- "requires": {
- "@babel/types": "^7.18.6"
- }
- },
- "@babel/helper-member-expression-to-functions": {
- "version": "7.18.9",
- "resolved": "https://registry.npmmirror.com/@babel/helper-member-expression-to-functions/-/helper-member-expression-to-functions-7.18.9.tgz",
- "integrity": "sha512-RxifAh2ZoVU67PyKIO4AMi1wTenGfMR/O/ae0CCRqwgBAt5v7xjdtRw7UoSbsreKrQn5t7r89eruK/9JjYHuDg==",
- "dev": true,
- "requires": {
- "@babel/types": "^7.18.9"
- }
- },
- "@babel/helper-module-imports": {
- "version": "7.18.6",
- "resolved": "https://registry.npmmirror.com/@babel/helper-module-imports/-/helper-module-imports-7.18.6.tgz",
- "integrity": "sha512-0NFvs3VkuSYbFi1x2Vd6tKrywq+z/cLeYC/RJNFrIX/30Bf5aiGYbtvGXolEktzJH8o5E5KJ3tT+nkxuuZFVlA==",
- "dev": true,
- "requires": {
- "@babel/types": "^7.18.6"
- }
- },
- "@babel/helper-module-transforms": {
- "version": "7.18.9",
- "resolved": "https://registry.npmmirror.com/@babel/helper-module-transforms/-/helper-module-transforms-7.18.9.tgz",
- "integrity": "sha512-KYNqY0ICwfv19b31XzvmI/mfcylOzbLtowkw+mfvGPAQ3kfCnMLYbED3YecL5tPd8nAYFQFAd6JHp2LxZk/J1g==",
- "dev": true,
- "requires": {
- "@babel/helper-environment-visitor": "^7.18.9",
- "@babel/helper-module-imports": "^7.18.6",
- "@babel/helper-simple-access": "^7.18.6",
- "@babel/helper-split-export-declaration": "^7.18.6",
- "@babel/helper-validator-identifier": "^7.18.6",
- "@babel/template": "^7.18.6",
- "@babel/traverse": "^7.18.9",
- "@babel/types": "^7.18.9"
- }
- },
- "@babel/helper-optimise-call-expression": {
- "version": "7.18.6",
- "resolved": "https://registry.npmmirror.com/@babel/helper-optimise-call-expression/-/helper-optimise-call-expression-7.18.6.tgz",
- "integrity": "sha512-HP59oD9/fEHQkdcbgFCnbmgH5vIQTJbxh2yf+CdM89/glUNnuzr87Q8GIjGEnOktTROemO0Pe0iPAYbqZuOUiA==",
- "dev": true,
- "requires": {
- "@babel/types": "^7.18.6"
- }
- },
- "@babel/helper-plugin-utils": {
- "version": "7.18.9",
- "resolved": "https://registry.npmmirror.com/@babel/helper-plugin-utils/-/helper-plugin-utils-7.18.9.tgz",
- "integrity": "sha512-aBXPT3bmtLryXaoJLyYPXPlSD4p1ld9aYeR+sJNOZjJJGiOpb+fKfh3NkcCu7J54nUJwCERPBExCCpyCOHnu/w==",
- "dev": true
- },
- "@babel/helper-replace-supers": {
- "version": "7.18.9",
- "resolved": "https://registry.npmmirror.com/@babel/helper-replace-supers/-/helper-replace-supers-7.18.9.tgz",
- "integrity": "sha512-dNsWibVI4lNT6HiuOIBr1oyxo40HvIVmbwPUm3XZ7wMh4k2WxrxTqZwSqw/eEmXDS9np0ey5M2bz9tBmO9c+YQ==",
- "dev": true,
- "requires": {
- "@babel/helper-environment-visitor": "^7.18.9",
- "@babel/helper-member-expression-to-functions": "^7.18.9",
- "@babel/helper-optimise-call-expression": "^7.18.6",
- "@babel/traverse": "^7.18.9",
- "@babel/types": "^7.18.9"
- }
- },
- "@babel/helper-simple-access": {
- "version": "7.18.6",
- "resolved": "https://registry.npmmirror.com/@babel/helper-simple-access/-/helper-simple-access-7.18.6.tgz",
- "integrity": "sha512-iNpIgTgyAvDQpDj76POqg+YEt8fPxx3yaNBg3S30dxNKm2SWfYhD0TGrK/Eu9wHpUW63VQU894TsTg+GLbUa1g==",
- "dev": true,
- "requires": {
- "@babel/types": "^7.18.6"
- }
- },
- "@babel/helper-split-export-declaration": {
- "version": "7.18.6",
- "resolved": "https://registry.npmmirror.com/@babel/helper-split-export-declaration/-/helper-split-export-declaration-7.18.6.tgz",
- "integrity": "sha512-bde1etTx6ZyTmobl9LLMMQsaizFVZrquTEHOqKeQESMKo4PlObf+8+JA25ZsIpZhT/WEd39+vOdLXAFG/nELpA==",
- "dev": true,
- "requires": {
- "@babel/types": "^7.18.6"
- }
- },
- "@babel/helper-validator-identifier": {
- "version": "7.18.6",
- "resolved": "https://registry.npmmirror.com/@babel/helper-validator-identifier/-/helper-validator-identifier-7.18.6.tgz",
- "integrity": "sha512-MmetCkz9ej86nJQV+sFCxoGGrUbU3q02kgLciwkrt9QqEB7cP39oKEY0PakknEO0Gu20SskMRi+AYZ3b1TpN9g==",
- "dev": true
- },
- "@babel/helper-validator-option": {
- "version": "7.18.6",
- "resolved": "https://registry.npmmirror.com/@babel/helper-validator-option/-/helper-validator-option-7.18.6.tgz",
- "integrity": "sha512-XO7gESt5ouv/LRJdrVjkShckw6STTaB7l9BrpBaAHDeF5YZT+01PCwmR0SJHnkW6i8OwW/EVWRShfi4j2x+KQw==",
- "dev": true
- },
- "@babel/helpers": {
- "version": "7.18.9",
- "resolved": "https://registry.npmmirror.com/@babel/helpers/-/helpers-7.18.9.tgz",
- "integrity": "sha512-Jf5a+rbrLoR4eNdUmnFu8cN5eNJT6qdTdOg5IHIzq87WwyRw9PwguLFOWYgktN/60IP4fgDUawJvs7PjQIzELQ==",
- "dev": true,
- "requires": {
- "@babel/template": "^7.18.6",
- "@babel/traverse": "^7.18.9",
- "@babel/types": "^7.18.9"
- }
- },
- "@babel/highlight": {
- "version": "7.18.6",
- "resolved": "https://registry.npmmirror.com/@babel/highlight/-/highlight-7.18.6.tgz",
- "integrity": "sha512-u7stbOuYjaPezCuLj29hNW1v64M2Md2qupEKP1fHc7WdOA3DgLh37suiSrZYY7haUB7iBeQZ9P1uiRF359do3g==",
- "dev": true,
- "requires": {
- "@babel/helper-validator-identifier": "^7.18.6",
- "chalk": "^2.0.0",
- "js-tokens": "^4.0.0"
- }
- },
- "@babel/parser": {
- "version": "7.18.9",
- "resolved": "https://registry.npmmirror.com/@babel/parser/-/parser-7.18.9.tgz",
- "integrity": "sha512-9uJveS9eY9DJ0t64YbIBZICtJy8a5QrDEVdiLCG97fVLpDTpGX7t8mMSb6OWw6Lrnjqj4O8zwjELX3dhoMgiBg=="
- },
- "@babel/plugin-syntax-import-meta": {
- "version": "7.10.4",
- "resolved": "https://registry.npmmirror.com/@babel/plugin-syntax-import-meta/-/plugin-syntax-import-meta-7.10.4.tgz",
- "integrity": "sha512-Yqfm+XDx0+Prh3VSeEQCPU81yC+JWZ2pDPFSS4ZdpfZhp4MkFMaDC1UqseovEKwSUpnIL7+vK+Clp7bfh0iD7g==",
- "dev": true,
- "requires": {
- "@babel/helper-plugin-utils": "^7.10.4"
- }
- },
- "@babel/plugin-syntax-jsx": {
- "version": "7.18.6",
- "resolved": "https://registry.npmmirror.com/@babel/plugin-syntax-jsx/-/plugin-syntax-jsx-7.18.6.tgz",
- "integrity": "sha512-6mmljtAedFGTWu2p/8WIORGwy+61PLgOMPOdazc7YoJ9ZCWUyFy3A6CpPkRKLKD1ToAesxX8KGEViAiLo9N+7Q==",
- "dev": true,
- "requires": {
- "@babel/helper-plugin-utils": "^7.18.6"
- }
- },
- "@babel/plugin-syntax-typescript": {
- "version": "7.18.6",
- "resolved": "https://registry.npmmirror.com/@babel/plugin-syntax-typescript/-/plugin-syntax-typescript-7.18.6.tgz",
- "integrity": "sha512-mAWAuq4rvOepWCBid55JuRNvpTNf2UGVgoz4JV0fXEKolsVZDzsa4NqCef758WZJj/GDu0gVGItjKFiClTAmZA==",
- "dev": true,
- "requires": {
- "@babel/helper-plugin-utils": "^7.18.6"
- }
- },
- "@babel/plugin-transform-typescript": {
- "version": "7.18.8",
- "resolved": "https://registry.npmmirror.com/@babel/plugin-transform-typescript/-/plugin-transform-typescript-7.18.8.tgz",
- "integrity": "sha512-p2xM8HI83UObjsZGofMV/EdYjamsDm6MoN3hXPYIT0+gxIoopE+B7rPYKAxfrz9K9PK7JafTTjqYC6qipLExYA==",
- "dev": true,
- "requires": {
- "@babel/helper-create-class-features-plugin": "^7.18.6",
- "@babel/helper-plugin-utils": "^7.18.6",
- "@babel/plugin-syntax-typescript": "^7.18.6"
- }
- },
- "@babel/template": {
- "version": "7.18.6",
- "resolved": "https://registry.npmmirror.com/@babel/template/-/template-7.18.6.tgz",
- "integrity": "sha512-JoDWzPe+wgBsTTgdnIma3iHNFC7YVJoPssVBDjiHfNlyt4YcunDtcDOUmfVDfCK5MfdsaIoX9PkijPhjH3nYUw==",
- "dev": true,
- "requires": {
- "@babel/code-frame": "^7.18.6",
- "@babel/parser": "^7.18.6",
- "@babel/types": "^7.18.6"
- }
- },
- "@babel/traverse": {
- "version": "7.18.9",
- "resolved": "https://registry.npmmirror.com/@babel/traverse/-/traverse-7.18.9.tgz",
- "integrity": "sha512-LcPAnujXGwBgv3/WHv01pHtb2tihcyW1XuL9wd7jqh1Z8AQkTd+QVjMrMijrln0T7ED3UXLIy36P9Ao7W75rYg==",
- "dev": true,
- "requires": {
- "@babel/code-frame": "^7.18.6",
- "@babel/generator": "^7.18.9",
- "@babel/helper-environment-visitor": "^7.18.9",
- "@babel/helper-function-name": "^7.18.9",
- "@babel/helper-hoist-variables": "^7.18.6",
- "@babel/helper-split-export-declaration": "^7.18.6",
- "@babel/parser": "^7.18.9",
- "@babel/types": "^7.18.9",
- "debug": "^4.1.0",
- "globals": "^11.1.0"
- }
- },
- "@babel/types": {
- "version": "7.18.9",
- "resolved": "https://registry.npmmirror.com/@babel/types/-/types-7.18.9.tgz",
- "integrity": "sha512-WwMLAg2MvJmt/rKEVQBBhIVffMmnilX4oe0sRe7iPOHIGsqpruFHHdrfj4O1CMMtgMtCU4oPafZjDPCRgO57Wg==",
- "dev": true,
- "requires": {
- "@babel/helper-validator-identifier": "^7.18.6",
- "to-fast-properties": "^2.0.0"
- }
- },
- "@commitlint/cli": {
- "version": "17.0.3",
- "resolved": "https://registry.npmmirror.com/@commitlint/cli/-/cli-17.0.3.tgz",
- "integrity": "sha512-oAo2vi5d8QZnAbtU5+0cR2j+A7PO8zuccux65R/EycwvsZrDVyW518FFrnJK2UQxbRtHFFIG+NjQ6vOiJV0Q8A==",
- "dev": true,
- "requires": {
- "@commitlint/format": "^17.0.0",
- "@commitlint/lint": "^17.0.3",
- "@commitlint/load": "^17.0.3",
- "@commitlint/read": "^17.0.0",
- "@commitlint/types": "^17.0.0",
- "execa": "^5.0.0",
- "lodash": "^4.17.19",
- "resolve-from": "5.0.0",
- "resolve-global": "1.0.0",
- "yargs": "^17.0.0"
- },
- "dependencies": {
- "resolve-from": {
- "version": "5.0.0",
- "resolved": "https://registry.npmmirror.com/resolve-from/-/resolve-from-5.0.0.tgz",
- "integrity": "sha512-qYg9KP24dD5qka9J47d0aVky0N+b4fTU89LN9iDnjB5waksiC49rvMB0PrUJQGoTmH50XPiqOvAjDfaijGxYZw==",
- "dev": true
- }
- }
- },
- "@commitlint/config-conventional": {
- "version": "17.0.3",
- "resolved": "https://registry.npmmirror.com/@commitlint/config-conventional/-/config-conventional-17.0.3.tgz",
- "integrity": "sha512-HCnzTm5ATwwwzNVq5Y57poS0a1oOOcd5pc1MmBpLbGmSysc4i7F/++JuwtdFPu16sgM3H9J/j2zznRLOSGVO2A==",
- "dev": true,
- "requires": {
- "conventional-changelog-conventionalcommits": "^5.0.0"
- }
- },
- "@commitlint/config-validator": {
- "version": "17.0.3",
- "resolved": "https://registry.npmmirror.com/@commitlint/config-validator/-/config-validator-17.0.3.tgz",
- "integrity": "sha512-3tLRPQJKapksGE7Kee9axv+9z5I2GDHitDH4q63q7NmNA0wkB+DAorJ0RHz2/K00Zb1/MVdHzhCga34FJvDihQ==",
- "dev": true,
- "requires": {
- "@commitlint/types": "^17.0.0",
- "ajv": "^8.11.0"
- },
- "dependencies": {
- "ajv": {
- "version": "8.11.0",
- "resolved": "https://registry.npmmirror.com/ajv/-/ajv-8.11.0.tgz",
- "integrity": "sha512-wGgprdCvMalC0BztXvitD2hC04YffAvtsUn93JbGXYLAtCUO4xd17mCCZQxUOItiBwZvJScWo8NIvQMQ71rdpg==",
- "dev": true,
- "requires": {
- "fast-deep-equal": "^3.1.1",
- "json-schema-traverse": "^1.0.0",
- "require-from-string": "^2.0.2",
- "uri-js": "^4.2.2"
- }
- },
- "json-schema-traverse": {
- "version": "1.0.0",
- "resolved": "https://registry.npmmirror.com/json-schema-traverse/-/json-schema-traverse-1.0.0.tgz",
- "integrity": "sha512-NM8/P9n3XjXhIZn1lLhkFaACTOURQXjWhV4BA/RnOv8xvgqtqpAX9IO4mRQxSx1Rlo4tqzeqb0sOlruaOy3dug==",
- "dev": true
- }
- }
- },
- "@commitlint/ensure": {
- "version": "17.0.0",
- "resolved": "https://registry.npmmirror.com/@commitlint/ensure/-/ensure-17.0.0.tgz",
- "integrity": "sha512-M2hkJnNXvEni59S0QPOnqCKIK52G1XyXBGw51mvh7OXDudCmZ9tZiIPpU882p475Mhx48Ien1MbWjCP1zlyC0A==",
- "dev": true,
- "requires": {
- "@commitlint/types": "^17.0.0",
- "lodash": "^4.17.19"
- }
- },
- "@commitlint/execute-rule": {
- "version": "17.0.0",
- "resolved": "https://registry.npmmirror.com/@commitlint/execute-rule/-/execute-rule-17.0.0.tgz",
- "integrity": "sha512-nVjL/w/zuqjCqSJm8UfpNaw66V9WzuJtQvEnCrK4jDw6qKTmZB+1JQ8m6BQVZbNBcwfYdDNKnhIhqI0Rk7lgpQ==",
- "dev": true
- },
- "@commitlint/format": {
- "version": "17.0.0",
- "resolved": "https://registry.npmmirror.com/@commitlint/format/-/format-17.0.0.tgz",
- "integrity": "sha512-MZzJv7rBp/r6ZQJDEodoZvdRM0vXu1PfQvMTNWFb8jFraxnISMTnPBWMMjr2G/puoMashwaNM//fl7j8gGV5lA==",
- "dev": true,
- "requires": {
- "@commitlint/types": "^17.0.0",
- "chalk": "^4.1.0"
- },
- "dependencies": {
- "ansi-styles": {
- "version": "4.3.0",
- "resolved": "https://registry.npmmirror.com/ansi-styles/-/ansi-styles-4.3.0.tgz",
- "integrity": "sha512-zbB9rCJAT1rbjiVDb2hqKFHNYLxgtk8NURxZ3IZwD3F6NtxbXZQCnnSi1Lkx+IDohdPlFp222wVALIheZJQSEg==",
- "dev": true,
- "requires": {
- "color-convert": "^2.0.1"
- }
- },
- "chalk": {
- "version": "4.1.2",
- "resolved": "https://registry.npmmirror.com/chalk/-/chalk-4.1.2.tgz",
- "integrity": "sha512-oKnbhFyRIXpUuez8iBMmyEa4nbj4IOQyuhc/wy9kY7/WVPcwIO9VA668Pu8RkO7+0G76SLROeyw9CpQ061i4mA==",
- "dev": true,
- "requires": {
- "ansi-styles": "^4.1.0",
- "supports-color": "^7.1.0"
- }
- },
- "color-convert": {
- "version": "2.0.1",
- "resolved": "https://registry.npmmirror.com/color-convert/-/color-convert-2.0.1.tgz",
- "integrity": "sha512-RRECPsj7iu/xb5oKYcsFHSppFNnsj/52OVTRKb4zP5onXwVF3zVmmToNcOfGC+CRDpfK/U584fMg38ZHCaElKQ==",
- "dev": true,
- "requires": {
- "color-name": "~1.1.4"
- }
- },
- "color-name": {
- "version": "1.1.4",
- "resolved": "https://registry.npmmirror.com/color-name/-/color-name-1.1.4.tgz",
- "integrity": "sha512-dOy+3AuW3a2wNbZHIuMZpTcgjGuLU/uBL/ubcZF9OXbDo8ff4O8yVp5Bf0efS8uEoYo5q4Fx7dY9OgQGXgAsQA==",
- "dev": true
- },
- "has-flag": {
- "version": "4.0.0",
- "resolved": "https://registry.npmmirror.com/has-flag/-/has-flag-4.0.0.tgz",
- "integrity": "sha512-EykJT/Q1KjTWctppgIAgfSO0tKVuZUjhgMr17kqTumMl6Afv3EISleU7qZUzoXDFTAHTDC4NOoG/ZxU3EvlMPQ==",
- "dev": true
- },
- "supports-color": {
- "version": "7.2.0",
- "resolved": "https://registry.npmmirror.com/supports-color/-/supports-color-7.2.0.tgz",
- "integrity": "sha512-qpCAvRl9stuOHveKsn7HncJRvv501qIacKzQlO/+Lwxc9+0q2wLyv4Dfvt80/DPn2pqOBsJdDiogXGR9+OvwRw==",
- "dev": true,
- "requires": {
- "has-flag": "^4.0.0"
- }
- }
- }
- },
- "@commitlint/is-ignored": {
- "version": "17.0.3",
- "resolved": "https://registry.npmmirror.com/@commitlint/is-ignored/-/is-ignored-17.0.3.tgz",
- "integrity": "sha512-/wgCXAvPtFTQZxsVxj7owLeRf5wwzcXLaYmrZPR4a87iD4sCvUIRl1/ogYrtOyUmHwWfQsvjqIB4mWE/SqWSnA==",
- "dev": true,
- "requires": {
- "@commitlint/types": "^17.0.0",
- "semver": "7.3.7"
- },
- "dependencies": {
- "semver": {
- "version": "7.3.7",
- "resolved": "https://registry.npmmirror.com/semver/-/semver-7.3.7.tgz",
- "integrity": "sha512-QlYTucUYOews+WeEujDoEGziz4K6c47V/Bd+LjSSYcA94p+DmINdf7ncaUinThfvZyu13lN9OY1XDxt8C0Tw0g==",
- "dev": true,
- "requires": {
- "lru-cache": "^6.0.0"
- }
- }
- }
- },
- "@commitlint/lint": {
- "version": "17.0.3",
- "resolved": "https://registry.npmmirror.com/@commitlint/lint/-/lint-17.0.3.tgz",
- "integrity": "sha512-2o1fk7JUdxBUgszyt41sHC/8Nd5PXNpkmuOo9jvGIjDHzOwXyV0PSdbEVTH3xGz9NEmjohFHr5l+N+T9fcxong==",
- "dev": true,
- "requires": {
- "@commitlint/is-ignored": "^17.0.3",
- "@commitlint/parse": "^17.0.0",
- "@commitlint/rules": "^17.0.0",
- "@commitlint/types": "^17.0.0"
- }
- },
- "@commitlint/load": {
- "version": "17.0.3",
- "resolved": "https://registry.npmmirror.com/@commitlint/load/-/load-17.0.3.tgz",
- "integrity": "sha512-3Dhvr7GcKbKa/ey4QJ5MZH3+J7QFlARohUow6hftQyNjzoXXROm+RwpBes4dDFrXG1xDw9QPXA7uzrOShCd4bw==",
- "dev": true,
- "requires": {
- "@commitlint/config-validator": "^17.0.3",
- "@commitlint/execute-rule": "^17.0.0",
- "@commitlint/resolve-extends": "^17.0.3",
- "@commitlint/types": "^17.0.0",
- "@types/node": ">=12",
- "chalk": "^4.1.0",
- "cosmiconfig": "^7.0.0",
- "cosmiconfig-typescript-loader": "^2.0.0",
- "lodash": "^4.17.19",
- "resolve-from": "^5.0.0",
- "typescript": "^4.6.4"
- },
- "dependencies": {
- "ansi-styles": {
- "version": "4.3.0",
- "resolved": "https://registry.npmmirror.com/ansi-styles/-/ansi-styles-4.3.0.tgz",
- "integrity": "sha512-zbB9rCJAT1rbjiVDb2hqKFHNYLxgtk8NURxZ3IZwD3F6NtxbXZQCnnSi1Lkx+IDohdPlFp222wVALIheZJQSEg==",
- "dev": true,
- "requires": {
- "color-convert": "^2.0.1"
- }
- },
- "chalk": {
- "version": "4.1.2",
- "resolved": "https://registry.npmmirror.com/chalk/-/chalk-4.1.2.tgz",
- "integrity": "sha512-oKnbhFyRIXpUuez8iBMmyEa4nbj4IOQyuhc/wy9kY7/WVPcwIO9VA668Pu8RkO7+0G76SLROeyw9CpQ061i4mA==",
- "dev": true,
- "requires": {
- "ansi-styles": "^4.1.0",
- "supports-color": "^7.1.0"
- }
- },
- "color-convert": {
- "version": "2.0.1",
- "resolved": "https://registry.npmmirror.com/color-convert/-/color-convert-2.0.1.tgz",
- "integrity": "sha512-RRECPsj7iu/xb5oKYcsFHSppFNnsj/52OVTRKb4zP5onXwVF3zVmmToNcOfGC+CRDpfK/U584fMg38ZHCaElKQ==",
- "dev": true,
- "requires": {
- "color-name": "~1.1.4"
- }
- },
- "color-name": {
- "version": "1.1.4",
- "resolved": "https://registry.npmmirror.com/color-name/-/color-name-1.1.4.tgz",
- "integrity": "sha512-dOy+3AuW3a2wNbZHIuMZpTcgjGuLU/uBL/ubcZF9OXbDo8ff4O8yVp5Bf0efS8uEoYo5q4Fx7dY9OgQGXgAsQA==",
- "dev": true
- },
- "has-flag": {
- "version": "4.0.0",
- "resolved": "https://registry.npmmirror.com/has-flag/-/has-flag-4.0.0.tgz",
- "integrity": "sha512-EykJT/Q1KjTWctppgIAgfSO0tKVuZUjhgMr17kqTumMl6Afv3EISleU7qZUzoXDFTAHTDC4NOoG/ZxU3EvlMPQ==",
- "dev": true
- },
- "resolve-from": {
- "version": "5.0.0",
- "resolved": "https://registry.npmmirror.com/resolve-from/-/resolve-from-5.0.0.tgz",
- "integrity": "sha512-qYg9KP24dD5qka9J47d0aVky0N+b4fTU89LN9iDnjB5waksiC49rvMB0PrUJQGoTmH50XPiqOvAjDfaijGxYZw==",
- "dev": true
- },
- "supports-color": {
- "version": "7.2.0",
- "resolved": "https://registry.npmmirror.com/supports-color/-/supports-color-7.2.0.tgz",
- "integrity": "sha512-qpCAvRl9stuOHveKsn7HncJRvv501qIacKzQlO/+Lwxc9+0q2wLyv4Dfvt80/DPn2pqOBsJdDiogXGR9+OvwRw==",
- "dev": true,
- "requires": {
- "has-flag": "^4.0.0"
- }
- }
- }
- },
- "@commitlint/message": {
- "version": "17.0.0",
- "resolved": "https://registry.npmmirror.com/@commitlint/message/-/message-17.0.0.tgz",
- "integrity": "sha512-LpcwYtN+lBlfZijHUdVr8aNFTVpHjuHI52BnfoV01TF7iSLnia0jttzpLkrLmI8HNQz6Vhr9UrxDWtKZiMGsBw==",
- "dev": true
- },
- "@commitlint/parse": {
- "version": "17.0.0",
- "resolved": "https://registry.npmmirror.com/@commitlint/parse/-/parse-17.0.0.tgz",
- "integrity": "sha512-cKcpfTIQYDG1ywTIr5AG0RAiLBr1gudqEsmAGCTtj8ffDChbBRxm6xXs2nv7GvmJN7msOt7vOKleLvcMmRa1+A==",
- "dev": true,
- "requires": {
- "@commitlint/types": "^17.0.0",
- "conventional-changelog-angular": "^5.0.11",
- "conventional-commits-parser": "^3.2.2"
- }
- },
- "@commitlint/read": {
- "version": "17.0.0",
- "resolved": "https://registry.npmmirror.com/@commitlint/read/-/read-17.0.0.tgz",
- "integrity": "sha512-zkuOdZayKX3J6F6mPnVMzohK3OBrsEdOByIqp4zQjA9VLw1hMsDEFQ18rKgUc2adkZar+4S01QrFreDCfZgbxA==",
- "dev": true,
- "requires": {
- "@commitlint/top-level": "^17.0.0",
- "@commitlint/types": "^17.0.0",
- "fs-extra": "^10.0.0",
- "git-raw-commits": "^2.0.0"
- }
- },
- "@commitlint/resolve-extends": {
- "version": "17.0.3",
- "resolved": "https://registry.npmmirror.com/@commitlint/resolve-extends/-/resolve-extends-17.0.3.tgz",
- "integrity": "sha512-H/RFMvrcBeJCMdnVC4i8I94108UDccIHrTke2tyQEg9nXQnR5/Hd6MhyNWkREvcrxh9Y+33JLb+PiPiaBxCtBA==",
- "dev": true,
- "requires": {
- "@commitlint/config-validator": "^17.0.3",
- "@commitlint/types": "^17.0.0",
- "import-fresh": "^3.0.0",
- "lodash": "^4.17.19",
- "resolve-from": "^5.0.0",
- "resolve-global": "^1.0.0"
- },
- "dependencies": {
- "resolve-from": {
- "version": "5.0.0",
- "resolved": "https://registry.npmmirror.com/resolve-from/-/resolve-from-5.0.0.tgz",
- "integrity": "sha512-qYg9KP24dD5qka9J47d0aVky0N+b4fTU89LN9iDnjB5waksiC49rvMB0PrUJQGoTmH50XPiqOvAjDfaijGxYZw==",
- "dev": true
- }
- }
- },
- "@commitlint/rules": {
- "version": "17.0.0",
- "resolved": "https://registry.npmmirror.com/@commitlint/rules/-/rules-17.0.0.tgz",
- "integrity": "sha512-45nIy3dERKXWpnwX9HeBzK5SepHwlDxdGBfmedXhL30fmFCkJOdxHyOJsh0+B0RaVsLGT01NELpfzJUmtpDwdQ==",
- "dev": true,
- "requires": {
- "@commitlint/ensure": "^17.0.0",
- "@commitlint/message": "^17.0.0",
- "@commitlint/to-lines": "^17.0.0",
- "@commitlint/types": "^17.0.0",
- "execa": "^5.0.0"
- }
- },
- "@commitlint/to-lines": {
- "version": "17.0.0",
- "resolved": "https://registry.npmmirror.com/@commitlint/to-lines/-/to-lines-17.0.0.tgz",
- "integrity": "sha512-nEi4YEz04Rf2upFbpnEorG8iymyH7o9jYIVFBG1QdzebbIFET3ir+8kQvCZuBE5pKCtViE4XBUsRZz139uFrRQ==",
- "dev": true
- },
- "@commitlint/top-level": {
- "version": "17.0.0",
- "resolved": "https://registry.npmmirror.com/@commitlint/top-level/-/top-level-17.0.0.tgz",
- "integrity": "sha512-dZrEP1PBJvodNWYPOYiLWf6XZergdksKQaT6i1KSROLdjf5Ai0brLOv5/P+CPxBeoj3vBxK4Ax8H1Pg9t7sHIQ==",
- "dev": true,
- "requires": {
- "find-up": "^5.0.0"
- }
- },
- "@commitlint/types": {
- "version": "17.0.0",
- "resolved": "https://registry.npmmirror.com/@commitlint/types/-/types-17.0.0.tgz",
- "integrity": "sha512-hBAw6U+SkAT5h47zDMeOu3HSiD0SODw4Aq7rRNh1ceUmL7GyLKYhPbUvlRWqZ65XjBLPHZhFyQlRaPNz8qvUyQ==",
- "dev": true,
- "requires": {
- "chalk": "^4.1.0"
- },
- "dependencies": {
- "ansi-styles": {
- "version": "4.3.0",
- "resolved": "https://registry.npmmirror.com/ansi-styles/-/ansi-styles-4.3.0.tgz",
- "integrity": "sha512-zbB9rCJAT1rbjiVDb2hqKFHNYLxgtk8NURxZ3IZwD3F6NtxbXZQCnnSi1Lkx+IDohdPlFp222wVALIheZJQSEg==",
- "dev": true,
- "requires": {
- "color-convert": "^2.0.1"
- }
- },
- "chalk": {
- "version": "4.1.2",
- "resolved": "https://registry.npmmirror.com/chalk/-/chalk-4.1.2.tgz",
- "integrity": "sha512-oKnbhFyRIXpUuez8iBMmyEa4nbj4IOQyuhc/wy9kY7/WVPcwIO9VA668Pu8RkO7+0G76SLROeyw9CpQ061i4mA==",
- "dev": true,
- "requires": {
- "ansi-styles": "^4.1.0",
- "supports-color": "^7.1.0"
- }
- },
- "color-convert": {
- "version": "2.0.1",
- "resolved": "https://registry.npmmirror.com/color-convert/-/color-convert-2.0.1.tgz",
- "integrity": "sha512-RRECPsj7iu/xb5oKYcsFHSppFNnsj/52OVTRKb4zP5onXwVF3zVmmToNcOfGC+CRDpfK/U584fMg38ZHCaElKQ==",
- "dev": true,
- "requires": {
- "color-name": "~1.1.4"
- }
- },
- "color-name": {
- "version": "1.1.4",
- "resolved": "https://registry.npmmirror.com/color-name/-/color-name-1.1.4.tgz",
- "integrity": "sha512-dOy+3AuW3a2wNbZHIuMZpTcgjGuLU/uBL/ubcZF9OXbDo8ff4O8yVp5Bf0efS8uEoYo5q4Fx7dY9OgQGXgAsQA==",
- "dev": true
- },
- "has-flag": {
- "version": "4.0.0",
- "resolved": "https://registry.npmmirror.com/has-flag/-/has-flag-4.0.0.tgz",
- "integrity": "sha512-EykJT/Q1KjTWctppgIAgfSO0tKVuZUjhgMr17kqTumMl6Afv3EISleU7qZUzoXDFTAHTDC4NOoG/ZxU3EvlMPQ==",
- "dev": true
- },
- "supports-color": {
- "version": "7.2.0",
- "resolved": "https://registry.npmmirror.com/supports-color/-/supports-color-7.2.0.tgz",
- "integrity": "sha512-qpCAvRl9stuOHveKsn7HncJRvv501qIacKzQlO/+Lwxc9+0q2wLyv4Dfvt80/DPn2pqOBsJdDiogXGR9+OvwRw==",
- "dev": true,
- "requires": {
- "has-flag": "^4.0.0"
- }
- }
- }
- },
- "@cspotcode/source-map-support": {
- "version": "0.8.1",
- "resolved": "https://registry.npmmirror.com/@cspotcode/source-map-support/-/source-map-support-0.8.1.tgz",
- "integrity": "sha512-IchNf6dN4tHoMFIn/7OE8LWZ19Y6q/67Bmf6vnGREv8RSbBVb9LPJxEcnwrcwX6ixSvaiGoomAUvu4YSxXrVgw==",
- "dev": true,
- "requires": {
- "@jridgewell/trace-mapping": "0.3.9"
- },
- "dependencies": {
- "@jridgewell/trace-mapping": {
- "version": "0.3.9",
- "resolved": "https://registry.npmmirror.com/@jridgewell/trace-mapping/-/trace-mapping-0.3.9.tgz",
- "integrity": "sha512-3Belt6tdc8bPgAtbcmdtNJlirVoTmEb5e2gC94PnkwEW9jI6CAHUeoG85tjWP5WquqfavoMtMwiG4P926ZKKuQ==",
- "dev": true,
- "requires": {
- "@jridgewell/resolve-uri": "^3.0.3",
- "@jridgewell/sourcemap-codec": "^1.4.10"
- }
- }
- }
- },
- "@ctrl/tinycolor": {
- "version": "3.4.1",
- "resolved": "https://registry.npmmirror.com/@ctrl/tinycolor/-/tinycolor-3.4.1.tgz",
- "integrity": "sha512-ej5oVy6lykXsvieQtqZxCOaLT+xD4+QNarq78cIYISHmZXshCvROLudpQN3lfL8G0NL7plMSSK+zlyvCaIJ4Iw=="
- },
- "@element-plus/icons-vue": {
- "version": "2.0.6",
- "resolved": "https://registry.npmmirror.com/@element-plus/icons-vue/-/icons-vue-2.0.6.tgz",
- "integrity": "sha512-lPpG8hYkjL/Z97DH5Ei6w6o22Z4YdNglWCNYOPcB33JCF2A4wye6HFgSI7hEt9zdLyxlSpiqtgf9XcYU+m5mew==",
- "requires": {}
- },
- "@eslint/eslintrc": {
- "version": "1.3.0",
- "resolved": "https://registry.npmmirror.com/@eslint/eslintrc/-/eslintrc-1.3.0.tgz",
- "integrity": "sha512-UWW0TMTmk2d7hLcWD1/e2g5HDM/HQ3csaLSqXCfqwh4uNDuNqlaKWXmEsL4Cs41Z0KnILNvwbHAah3C2yt06kw==",
- "dev": true,
- "requires": {
- "ajv": "^6.12.4",
- "debug": "^4.3.2",
- "espree": "^9.3.2",
- "globals": "^13.15.0",
- "ignore": "^5.2.0",
- "import-fresh": "^3.2.1",
- "js-yaml": "^4.1.0",
- "minimatch": "^3.1.2",
- "strip-json-comments": "^3.1.1"
- },
- "dependencies": {
- "globals": {
- "version": "13.17.0",
- "resolved": "https://registry.npmmirror.com/globals/-/globals-13.17.0.tgz",
- "integrity": "sha512-1C+6nQRb1GwGMKm2dH/E7enFAMxGTmGI7/dEdhy/DNelv85w9B72t3uc5frtMNXIbzrarJJ/lTCjcaZwbLJmyw==",
- "dev": true,
- "requires": {
- "type-fest": "^0.20.2"
- }
- }
- }
- },
- "@floating-ui/core": {
- "version": "0.7.3",
- "resolved": "https://registry.npmmirror.com/@floating-ui/core/-/core-0.7.3.tgz",
- "integrity": "sha512-buc8BXHmG9l82+OQXOFU3Kr2XQx9ys01U/Q9HMIrZ300iLc8HLMgh7dcCqgYzAzf4BkoQvDcXf5Y+CuEZ5JBYg=="
- },
- "@floating-ui/dom": {
- "version": "0.5.4",
- "resolved": "https://registry.npmmirror.com/@floating-ui/dom/-/dom-0.5.4.tgz",
- "integrity": "sha512-419BMceRLq0RrmTSDxn8hf9R3VCJv2K9PUfugh5JyEFmdjzDo+e8U5EdR8nzKq8Yj1htzLm3b6eQEEam3/rrtg==",
- "requires": {
- "@floating-ui/core": "^0.7.3"
- }
- },
- "@humanwhocodes/config-array": {
- "version": "0.10.4",
- "resolved": "https://registry.npmmirror.com/@humanwhocodes/config-array/-/config-array-0.10.4.tgz",
- "integrity": "sha512-mXAIHxZT3Vcpg83opl1wGlVZ9xydbfZO3r5YfRSH6Gpp2J/PfdBP0wbDa2sO6/qRbcalpoevVyW6A/fI6LfeMw==",
- "dev": true,
- "requires": {
- "@humanwhocodes/object-schema": "^1.2.1",
- "debug": "^4.1.1",
- "minimatch": "^3.0.4"
- }
- },
- "@humanwhocodes/gitignore-to-minimatch": {
- "version": "1.0.2",
- "resolved": "https://registry.npmmirror.com/@humanwhocodes/gitignore-to-minimatch/-/gitignore-to-minimatch-1.0.2.tgz",
- "integrity": "sha512-rSqmMJDdLFUsyxR6FMtD00nfQKKLFb1kv+qBbOVKqErvloEIJLo5bDTJTQNTYgeyp78JsA7u/NPi5jT1GR/MuA==",
- "dev": true
- },
- "@humanwhocodes/object-schema": {
- "version": "1.2.1",
- "resolved": "https://registry.npmmirror.com/@humanwhocodes/object-schema/-/object-schema-1.2.1.tgz",
- "integrity": "sha512-ZnQMnLV4e7hDlUvw8H+U8ASL02SS2Gn6+9Ac3wGGLIe7+je2AeAOxPY+izIPJDfFDb7eDjev0Us8MO1iFRN8hA==",
- "dev": true
- },
- "@jridgewell/gen-mapping": {
- "version": "0.1.1",
- "resolved": "https://registry.npmmirror.com/@jridgewell/gen-mapping/-/gen-mapping-0.1.1.tgz",
- "integrity": "sha512-sQXCasFk+U8lWYEe66WxRDOE9PjVz4vSM51fTu3Hw+ClTpUSQb718772vH3pyS5pShp6lvQM7SxgIDXXXmOX7w==",
- "dev": true,
- "requires": {
- "@jridgewell/set-array": "^1.0.0",
- "@jridgewell/sourcemap-codec": "^1.4.10"
- }
- },
- "@jridgewell/resolve-uri": {
- "version": "3.1.0",
- "resolved": "https://registry.npmmirror.com/@jridgewell/resolve-uri/-/resolve-uri-3.1.0.tgz",
- "integrity": "sha512-F2msla3tad+Mfht5cJq7LSXcdudKTWCVYUgw6pLFOOHSTtZlj6SWNYAp+AhuqLmWdBO2X5hPrLcu8cVP8fy28w==",
- "dev": true
- },
- "@jridgewell/set-array": {
- "version": "1.1.2",
- "resolved": "https://registry.npmmirror.com/@jridgewell/set-array/-/set-array-1.1.2.tgz",
- "integrity": "sha512-xnkseuNADM0gt2bs+BvhO0p78Mk762YnZdsuzFV018NoG1Sj1SCQvpSqa7XUaTam5vAGasABV9qXASMKnFMwMw==",
- "dev": true
- },
- "@jridgewell/sourcemap-codec": {
- "version": "1.4.14",
- "resolved": "https://registry.npmmirror.com/@jridgewell/sourcemap-codec/-/sourcemap-codec-1.4.14.tgz",
- "integrity": "sha512-XPSJHWmi394fuUuzDnGz1wiKqWfo1yXecHQMRf2l6hztTO+nPru658AyDngaBe7isIxEkRsPR3FZh+s7iVa4Uw==",
- "dev": true
- },
- "@jridgewell/trace-mapping": {
- "version": "0.3.14",
- "resolved": "https://registry.npmmirror.com/@jridgewell/trace-mapping/-/trace-mapping-0.3.14.tgz",
- "integrity": "sha512-bJWEfQ9lPTvm3SneWwRFVLzrh6nhjwqw7TUFFBEMzwvg7t7PCDenf2lDwqo4NQXzdpgBXyFgDWnQA+2vkruksQ==",
- "dev": true,
- "requires": {
- "@jridgewell/resolve-uri": "^3.0.3",
- "@jridgewell/sourcemap-codec": "^1.4.10"
- }
- },
- "@nodelib/fs.scandir": {
- "version": "2.1.5",
- "resolved": "https://registry.npmmirror.com/@nodelib/fs.scandir/-/fs.scandir-2.1.5.tgz",
- "integrity": "sha512-vq24Bq3ym5HEQm2NKCr3yXDwjc7vTsEThRDnkp2DK9p1uqLR+DHurm/NOTo0KG7HYHU7eppKZj3MyqYuMBf62g==",
- "dev": true,
- "requires": {
- "@nodelib/fs.stat": "2.0.5",
- "run-parallel": "^1.1.9"
- }
- },
- "@nodelib/fs.stat": {
- "version": "2.0.5",
- "resolved": "https://registry.npmmirror.com/@nodelib/fs.stat/-/fs.stat-2.0.5.tgz",
- "integrity": "sha512-RkhPPp2zrqDAQA/2jNhnztcPAlv64XdhIp7a7454A5ovI7Bukxgt7MX7udwAu3zg1DcpPU0rz3VV1SeaqvY4+A==",
- "dev": true
- },
- "@nodelib/fs.walk": {
- "version": "1.2.8",
- "resolved": "https://registry.npmmirror.com/@nodelib/fs.walk/-/fs.walk-1.2.8.tgz",
- "integrity": "sha512-oGB+UxlgWcgQkgwo8GcEGwemoTFt3FIO9ababBmaGwXIoBKZ+GTy0pP185beGg7Llih/NSHSV2XAs1lnznocSg==",
- "dev": true,
- "requires": {
- "@nodelib/fs.scandir": "2.1.5",
- "fastq": "^1.6.0"
- }
- },
- "@popperjs/core": {
- "version": "2.11.5",
- "resolved": "https://registry.npmmirror.com/@popperjs/core/-/core-2.11.5.tgz",
- "integrity": "sha512-9X2obfABZuDVLCgPK9aX0a/x4jaOEweTTWE2+9sr0Qqqevj2Uv5XorvusThmc9XGYpS9yI+fhh8RTafBtGposw=="
- },
- "@rushstack/eslint-patch": {
- "version": "1.1.4",
- "resolved": "https://registry.npmmirror.com/@rushstack/eslint-patch/-/eslint-patch-1.1.4.tgz",
- "integrity": "sha512-LwzQKA4vzIct1zNZzBmRKI9QuNpLgTQMEjsQLf3BXuGYb3QPTP4Yjf6mkdX+X1mYttZ808QpOwAzZjv28kq7DA==",
- "dev": true
- },
- "@tsconfig/node10": {
- "version": "1.0.9",
- "resolved": "https://registry.npmmirror.com/@tsconfig/node10/-/node10-1.0.9.tgz",
- "integrity": "sha512-jNsYVVxU8v5g43Erja32laIDHXeoNvFEpX33OK4d6hljo3jDhCBDhx5dhCCTMWUojscpAagGiRkBKxpdl9fxqA==",
- "dev": true
- },
- "@tsconfig/node12": {
- "version": "1.0.11",
- "resolved": "https://registry.npmmirror.com/@tsconfig/node12/-/node12-1.0.11.tgz",
- "integrity": "sha512-cqefuRsh12pWyGsIoBKJA9luFu3mRxCA+ORZvA4ktLSzIuCUtWVxGIuXigEwO5/ywWFMZ2QEGKWvkZG1zDMTag==",
- "dev": true
- },
- "@tsconfig/node14": {
- "version": "1.0.3",
- "resolved": "https://registry.npmmirror.com/@tsconfig/node14/-/node14-1.0.3.tgz",
- "integrity": "sha512-ysT8mhdixWK6Hw3i1V2AeRqZ5WfXg1G43mqoYlM2nc6388Fq5jcXyr5mRsqViLx/GJYdoL0bfXD8nmF+Zn/Iow==",
- "dev": true
- },
- "@tsconfig/node16": {
- "version": "1.0.3",
- "resolved": "https://registry.npmmirror.com/@tsconfig/node16/-/node16-1.0.3.tgz",
- "integrity": "sha512-yOlFc+7UtL/89t2ZhjPvvB/DeAr3r+Dq58IgzsFkOAvVC6NMJXmCGjbptdXdR9qsX7pKcTL+s87FtYREi2dEEQ==",
- "dev": true
- },
- "@types/json-schema": {
- "version": "7.0.11",
- "resolved": "https://registry.npmmirror.com/@types/json-schema/-/json-schema-7.0.11.tgz",
- "integrity": "sha512-wOuvG1SN4Us4rez+tylwwwCV1psiNVOkJeM3AUWUNWg/jDQY2+HE/444y5gc+jBmRqASOm2Oeh5c1axHobwRKQ==",
- "dev": true
- },
- "@types/lodash": {
- "version": "4.14.182",
- "resolved": "https://registry.npmmirror.com/@types/lodash/-/lodash-4.14.182.tgz",
- "integrity": "sha512-/THyiqyQAP9AfARo4pF+aCGcyiQ94tX/Is2I7HofNRqoYLgN1PBoOWu2/zTA5zMxzP5EFutMtWtGAFRKUe961Q=="
- },
- "@types/lodash-es": {
- "version": "4.17.6",
- "resolved": "https://registry.npmmirror.com/@types/lodash-es/-/lodash-es-4.17.6.tgz",
- "integrity": "sha512-R+zTeVUKDdfoRxpAryaQNRKk3105Rrgx2CFRClIgRGaqDTdjsm8h6IYA8ir584W3ePzkZfst5xIgDwYrlh9HLg==",
- "requires": {
- "@types/lodash": "*"
- }
- },
- "@types/minimist": {
- "version": "1.2.2",
- "resolved": "https://registry.npmmirror.com/@types/minimist/-/minimist-1.2.2.tgz",
- "integrity": "sha512-jhuKLIRrhvCPLqwPcx6INqmKeiA5EWrsCOPhrlFSrbrmU4ZMPjj5Ul/oLCMDO98XRUIwVm78xICz4EPCektzeQ==",
- "dev": true
- },
- "@types/node": {
- "version": "16.11.47",
- "resolved": "https://registry.npmmirror.com/@types/node/-/node-16.11.47.tgz",
- "integrity": "sha512-fpP+jk2zJ4VW66+wAMFoBJlx1bxmBKx4DUFf68UHgdGCOuyUTDlLWqsaNPJh7xhNDykyJ9eIzAygilP/4WoN8g==",
- "dev": true
- },
- "@types/normalize-package-data": {
- "version": "2.4.1",
- "resolved": "https://registry.npmmirror.com/@types/normalize-package-data/-/normalize-package-data-2.4.1.tgz",
- "integrity": "sha512-Gj7cI7z+98M282Tqmp2K5EIsoouUEzbBJhQQzDE3jSIRk6r9gsz0oUokqIUR4u1R3dMHo0pDHM7sNOHyhulypw==",
- "dev": true
- },
- "@types/parse-json": {
- "version": "4.0.0",
- "resolved": "https://registry.npmmirror.com/@types/parse-json/-/parse-json-4.0.0.tgz",
- "integrity": "sha512-//oorEZjL6sbPcKUaCdIGlIUeH26mgzimjBB77G6XRgnDl/L5wOnpyBGRe/Mmf5CVW3PwEBE1NjiMZ/ssFh4wA==",
- "dev": true
- },
- "@types/sass": {
- "version": "1.43.1",
- "resolved": "https://registry.npmmirror.com/@types/sass/-/sass-1.43.1.tgz",
- "integrity": "sha512-BPdoIt1lfJ6B7rw35ncdwBZrAssjcwzI5LByIrYs+tpXlj/CAkuVdRsgZDdP4lq5EjyWzwxZCqAoFyHKFwp32g==",
- "dev": true,
- "requires": {
- "@types/node": "*"
- }
- },
- "@types/web-bluetooth": {
- "version": "0.0.14",
- "resolved": "https://registry.npmmirror.com/@types/web-bluetooth/-/web-bluetooth-0.0.14.tgz",
- "integrity": "sha512-5d2RhCard1nQUC3aHcq/gHzWYO6K0WJmAbjO7mQJgCQKtZpgXxv1rOM6O/dBDhDYYVutk1sciOgNSe+5YyfM8A=="
- },
- "@typescript-eslint/eslint-plugin": {
- "version": "5.31.0",
- "resolved": "https://registry.npmmirror.com/@typescript-eslint/eslint-plugin/-/eslint-plugin-5.31.0.tgz",
- "integrity": "sha512-VKW4JPHzG5yhYQrQ1AzXgVgX8ZAJEvCz0QI6mLRX4tf7rnFfh5D8SKm0Pq6w5PyNfAWJk6sv313+nEt3ohWMBQ==",
- "dev": true,
- "requires": {
- "@typescript-eslint/scope-manager": "5.31.0",
- "@typescript-eslint/type-utils": "5.31.0",
- "@typescript-eslint/utils": "5.31.0",
- "debug": "^4.3.4",
- "functional-red-black-tree": "^1.0.1",
- "ignore": "^5.2.0",
- "regexpp": "^3.2.0",
- "semver": "^7.3.7",
- "tsutils": "^3.21.0"
- },
- "dependencies": {
- "semver": {
- "version": "7.3.7",
- "resolved": "https://registry.npmmirror.com/semver/-/semver-7.3.7.tgz",
- "integrity": "sha512-QlYTucUYOews+WeEujDoEGziz4K6c47V/Bd+LjSSYcA94p+DmINdf7ncaUinThfvZyu13lN9OY1XDxt8C0Tw0g==",
- "dev": true,
- "requires": {
- "lru-cache": "^6.0.0"
- }
- }
- }
- },
- "@typescript-eslint/parser": {
- "version": "5.31.0",
- "resolved": "https://registry.npmmirror.com/@typescript-eslint/parser/-/parser-5.31.0.tgz",
- "integrity": "sha512-UStjQiZ9OFTFReTrN+iGrC6O/ko9LVDhreEK5S3edmXgR396JGq7CoX2TWIptqt/ESzU2iRKXAHfSF2WJFcWHw==",
- "dev": true,
- "requires": {
- "@typescript-eslint/scope-manager": "5.31.0",
- "@typescript-eslint/types": "5.31.0",
- "@typescript-eslint/typescript-estree": "5.31.0",
- "debug": "^4.3.4"
- }
- },
- "@typescript-eslint/scope-manager": {
- "version": "5.31.0",
- "resolved": "https://registry.npmmirror.com/@typescript-eslint/scope-manager/-/scope-manager-5.31.0.tgz",
- "integrity": "sha512-8jfEzBYDBG88rcXFxajdVavGxb5/XKXyvWgvD8Qix3EEJLCFIdVloJw+r9ww0wbyNLOTYyBsR+4ALNGdlalLLg==",
- "dev": true,
- "requires": {
- "@typescript-eslint/types": "5.31.0",
- "@typescript-eslint/visitor-keys": "5.31.0"
- }
- },
- "@typescript-eslint/type-utils": {
- "version": "5.31.0",
- "resolved": "https://registry.npmmirror.com/@typescript-eslint/type-utils/-/type-utils-5.31.0.tgz",
- "integrity": "sha512-7ZYqFbvEvYXFn9ax02GsPcEOmuWNg+14HIf4q+oUuLnMbpJ6eHAivCg7tZMVwzrIuzX3QCeAOqKoyMZCv5xe+w==",
- "dev": true,
- "requires": {
- "@typescript-eslint/utils": "5.31.0",
- "debug": "^4.3.4",
- "tsutils": "^3.21.0"
- }
- },
- "@typescript-eslint/types": {
- "version": "5.31.0",
- "resolved": "https://registry.npmmirror.com/@typescript-eslint/types/-/types-5.31.0.tgz",
- "integrity": "sha512-/f/rMaEseux+I4wmR6mfpM2wvtNZb1p9hAV77hWfuKc3pmaANp5dLAZSiE3/8oXTYTt3uV9KW5yZKJsMievp6g==",
- "dev": true
- },
- "@typescript-eslint/typescript-estree": {
- "version": "5.31.0",
- "resolved": "https://registry.npmmirror.com/@typescript-eslint/typescript-estree/-/typescript-estree-5.31.0.tgz",
- "integrity": "sha512-3S625TMcARX71wBc2qubHaoUwMEn+l9TCsaIzYI/ET31Xm2c9YQ+zhGgpydjorwQO9pLfR/6peTzS/0G3J/hDw==",
- "dev": true,
- "requires": {
- "@typescript-eslint/types": "5.31.0",
- "@typescript-eslint/visitor-keys": "5.31.0",
- "debug": "^4.3.4",
- "globby": "^11.1.0",
- "is-glob": "^4.0.3",
- "semver": "^7.3.7",
- "tsutils": "^3.21.0"
- },
- "dependencies": {
- "semver": {
- "version": "7.3.7",
- "resolved": "https://registry.npmmirror.com/semver/-/semver-7.3.7.tgz",
- "integrity": "sha512-QlYTucUYOews+WeEujDoEGziz4K6c47V/Bd+LjSSYcA94p+DmINdf7ncaUinThfvZyu13lN9OY1XDxt8C0Tw0g==",
- "dev": true,
- "requires": {
- "lru-cache": "^6.0.0"
- }
- }
- }
- },
- "@typescript-eslint/utils": {
- "version": "5.31.0",
- "resolved": "https://registry.npmmirror.com/@typescript-eslint/utils/-/utils-5.31.0.tgz",
- "integrity": "sha512-kcVPdQS6VIpVTQ7QnGNKMFtdJdvnStkqS5LeALr4rcwx11G6OWb2HB17NMPnlRHvaZP38hL9iK8DdE9Fne7NYg==",
- "dev": true,
- "requires": {
- "@types/json-schema": "^7.0.9",
- "@typescript-eslint/scope-manager": "5.31.0",
- "@typescript-eslint/types": "5.31.0",
- "@typescript-eslint/typescript-estree": "5.31.0",
- "eslint-scope": "^5.1.1",
- "eslint-utils": "^3.0.0"
- }
- },
- "@typescript-eslint/visitor-keys": {
- "version": "5.31.0",
- "resolved": "https://registry.npmmirror.com/@typescript-eslint/visitor-keys/-/visitor-keys-5.31.0.tgz",
- "integrity": "sha512-ZK0jVxSjS4gnPirpVjXHz7mgdOsZUHzNYSfTw2yPa3agfbt9YfqaBiBZFSSxeBWnpWkzCxTfUpnzA3Vily/CSg==",
- "dev": true,
- "requires": {
- "@typescript-eslint/types": "5.31.0",
- "eslint-visitor-keys": "^3.3.0"
- }
- },
- "@vant/icons": {
- "version": "1.8.0",
- "resolved": "https://registry.npmmirror.com/@vant/icons/-/icons-1.8.0.tgz",
- "integrity": "sha512-sKfEUo2/CkQFuERxvkuF6mGQZDKu3IQdj5rV9Fm0weJXtchDSSQ+zt8qPCNUEhh9Y8shy5PzxbvAfOOkCwlCXg=="
- },
- "@vant/popperjs": {
- "version": "1.2.1",
- "resolved": "https://registry.npmmirror.com/@vant/popperjs/-/popperjs-1.2.1.tgz",
- "integrity": "sha512-qzQlrPE4aOsBzfrktDVwzQy/QICCTKifmjrruhY58+Q2fobUYp/T9QINluIafzsD3VJwgP8+HFVLBsyDmy3VZQ==",
- "requires": {
- "@popperjs/core": "^2.9.2"
- }
- },
- "@vant/use": {
- "version": "1.4.1",
- "resolved": "https://registry.npmmirror.com/@vant/use/-/use-1.4.1.tgz",
- "integrity": "sha512-YonNN0SuJLEJuqdoMcVAJm2JUZWkHNrW81QzeF6FLyG5HFUGlmTM5Sby7gdS3Z/8UDMlkWRQpJxBWbmVzmUWxQ=="
- },
- "@vitejs/plugin-vue": {
- "version": "3.0.1",
- "resolved": "https://registry.npmmirror.com/@vitejs/plugin-vue/-/plugin-vue-3.0.1.tgz",
- "integrity": "sha512-Ll9JgxG7ONIz/XZv3dssfoMUDu9qAnlJ+km+pBA0teYSXzwPCIzS/e1bmwNYl5dcQGs677D21amgfYAnzMl17A==",
- "dev": true,
- "requires": {}
- },
- "@vitejs/plugin-vue-jsx": {
- "version": "2.0.0",
- "resolved": "https://registry.npmmirror.com/@vitejs/plugin-vue-jsx/-/plugin-vue-jsx-2.0.0.tgz",
- "integrity": "sha512-WF9ApZ/ivyyW3volQfu0Td0KNPhcccYEaRNzNY1NxRLVJQLSX0nFqquv3e2g7MF74p1XZK4bGtDL2y5i5O5+1A==",
- "dev": true,
- "requires": {
- "@babel/core": "^7.18.6",
- "@babel/plugin-syntax-import-meta": "^7.10.4",
- "@babel/plugin-transform-typescript": "^7.18.8",
- "@vue/babel-plugin-jsx": "^1.1.1"
- }
- },
- "@volar/code-gen": {
- "version": "0.38.9",
- "resolved": "https://registry.npmmirror.com/@volar/code-gen/-/code-gen-0.38.9.tgz",
- "integrity": "sha512-n6LClucfA+37rQeskvh9vDoZV1VvCVNy++MAPKj2dT4FT+Fbmty/SDQqnsEBtdEe6E3OQctFvA/IcKsx3Mns0A==",
- "dev": true,
- "requires": {
- "@volar/source-map": "0.38.9"
- }
- },
- "@volar/source-map": {
- "version": "0.38.9",
- "resolved": "https://registry.npmmirror.com/@volar/source-map/-/source-map-0.38.9.tgz",
- "integrity": "sha512-ba0UFoHDYry+vwKdgkWJ6xlQT+8TFtZg1zj9tSjj4PykW1JZDuM0xplMotLun4h3YOoYfY9K1huY5gvxmrNLIw==",
- "dev": true
- },
- "@volar/vue-code-gen": {
- "version": "0.38.9",
- "resolved": "https://registry.npmmirror.com/@volar/vue-code-gen/-/vue-code-gen-0.38.9.tgz",
- "integrity": "sha512-tzj7AoarFBKl7e41MR006ncrEmNPHALuk8aG4WdDIaG387X5//5KhWC5Ff3ZfB2InGSeNT+CVUd74M0gS20rjA==",
- "dev": true,
- "requires": {
- "@volar/code-gen": "0.38.9",
- "@volar/source-map": "0.38.9",
- "@vue/compiler-core": "^3.2.37",
- "@vue/compiler-dom": "^3.2.37",
- "@vue/shared": "^3.2.37"
- }
- },
- "@volar/vue-typescript": {
- "version": "0.38.9",
- "resolved": "https://registry.npmmirror.com/@volar/vue-typescript/-/vue-typescript-0.38.9.tgz",
- "integrity": "sha512-iJMQGU91ADi98u8V1vXd2UBmELDAaeSP0ZJaFjwosClQdKlJQYc6MlxxKfXBZisHqfbhdtrGRyaryulnYtliZw==",
- "dev": true,
- "requires": {
- "@volar/code-gen": "0.38.9",
- "@volar/source-map": "0.38.9",
- "@volar/vue-code-gen": "0.38.9",
- "@vue/compiler-sfc": "^3.2.37",
- "@vue/reactivity": "^3.2.37"
- }
- },
- "@vue/babel-helper-vue-transform-on": {
- "version": "1.0.2",
- "resolved": "https://registry.npmmirror.com/@vue/babel-helper-vue-transform-on/-/babel-helper-vue-transform-on-1.0.2.tgz",
- "integrity": "sha512-hz4R8tS5jMn8lDq6iD+yWL6XNB699pGIVLk7WSJnn1dbpjaazsjZQkieJoRX6gW5zpYSCFqQ7jUquPNY65tQYA==",
- "dev": true
- },
- "@vue/babel-plugin-jsx": {
- "version": "1.1.1",
- "resolved": "https://registry.npmmirror.com/@vue/babel-plugin-jsx/-/babel-plugin-jsx-1.1.1.tgz",
- "integrity": "sha512-j2uVfZjnB5+zkcbc/zsOc0fSNGCMMjaEXP52wdwdIfn0qjFfEYpYZBFKFg+HHnQeJCVrjOeO0YxgaL7DMrym9w==",
- "dev": true,
- "requires": {
- "@babel/helper-module-imports": "^7.0.0",
- "@babel/plugin-syntax-jsx": "^7.0.0",
- "@babel/template": "^7.0.0",
- "@babel/traverse": "^7.0.0",
- "@babel/types": "^7.0.0",
- "@vue/babel-helper-vue-transform-on": "^1.0.2",
- "camelcase": "^6.0.0",
- "html-tags": "^3.1.0",
- "svg-tags": "^1.0.0"
- }
- },
- "@vue/compiler-core": {
- "version": "3.2.37",
- "resolved": "https://registry.npmmirror.com/@vue/compiler-core/-/compiler-core-3.2.37.tgz",
- "integrity": "sha512-81KhEjo7YAOh0vQJoSmAD68wLfYqJvoiD4ulyedzF+OEk/bk6/hx3fTNVfuzugIIaTrOx4PGx6pAiBRe5e9Zmg==",
- "requires": {
- "@babel/parser": "^7.16.4",
- "@vue/shared": "3.2.37",
- "estree-walker": "^2.0.2",
- "source-map": "^0.6.1"
- }
- },
- "@vue/compiler-dom": {
- "version": "3.2.37",
- "resolved": "https://registry.npmmirror.com/@vue/compiler-dom/-/compiler-dom-3.2.37.tgz",
- "integrity": "sha512-yxJLH167fucHKxaqXpYk7x8z7mMEnXOw3G2q62FTkmsvNxu4FQSu5+3UMb+L7fjKa26DEzhrmCxAgFLLIzVfqQ==",
- "requires": {
- "@vue/compiler-core": "3.2.37",
- "@vue/shared": "3.2.37"
- }
- },
- "@vue/compiler-sfc": {
- "version": "3.2.37",
- "resolved": "https://registry.npmmirror.com/@vue/compiler-sfc/-/compiler-sfc-3.2.37.tgz",
- "integrity": "sha512-+7i/2+9LYlpqDv+KTtWhOZH+pa8/HnX/905MdVmAcI/mPQOBwkHHIzrsEsucyOIZQYMkXUiTkmZq5am/NyXKkg==",
- "requires": {
- "@babel/parser": "^7.16.4",
- "@vue/compiler-core": "3.2.37",
- "@vue/compiler-dom": "3.2.37",
- "@vue/compiler-ssr": "3.2.37",
- "@vue/reactivity-transform": "3.2.37",
- "@vue/shared": "3.2.37",
- "estree-walker": "^2.0.2",
- "magic-string": "^0.25.7",
- "postcss": "^8.1.10",
- "source-map": "^0.6.1"
- }
- },
- "@vue/compiler-ssr": {
- "version": "3.2.37",
- "resolved": "https://registry.npmmirror.com/@vue/compiler-ssr/-/compiler-ssr-3.2.37.tgz",
- "integrity": "sha512-7mQJD7HdXxQjktmsWp/J67lThEIcxLemz1Vb5I6rYJHR5vI+lON3nPGOH3ubmbvYGt8xEUaAr1j7/tIFWiEOqw==",
- "requires": {
- "@vue/compiler-dom": "3.2.37",
- "@vue/shared": "3.2.37"
- }
- },
- "@vue/devtools-api": {
- "version": "6.2.1",
- "resolved": "https://registry.npmmirror.com/@vue/devtools-api/-/devtools-api-6.2.1.tgz",
- "integrity": "sha512-OEgAMeQXvCoJ+1x8WyQuVZzFo0wcyCmUR3baRVLmKBo1LmYZWMlRiXlux5jd0fqVJu6PfDbOrZItVqUEzLobeQ=="
- },
- "@vue/eslint-config-prettier": {
- "version": "7.0.0",
- "resolved": "https://registry.npmmirror.com/@vue/eslint-config-prettier/-/eslint-config-prettier-7.0.0.tgz",
- "integrity": "sha512-/CTc6ML3Wta1tCe1gUeO0EYnVXfo3nJXsIhZ8WJr3sov+cGASr6yuiibJTL6lmIBm7GobopToOuB3B6AWyV0Iw==",
- "dev": true,
- "requires": {
- "eslint-config-prettier": "^8.3.0",
- "eslint-plugin-prettier": "^4.0.0"
- }
- },
- "@vue/eslint-config-typescript": {
- "version": "11.0.0",
- "resolved": "https://registry.npmmirror.com/@vue/eslint-config-typescript/-/eslint-config-typescript-11.0.0.tgz",
- "integrity": "sha512-txuRzxnQVmtUvvy9UyWUy9sHWXNeRPGmSPqP53hRtaiUeCTAondI9Ho9GQYI/8/eWljYOST7iA4Aa8sANBkWaA==",
- "dev": true,
- "requires": {
- "@typescript-eslint/eslint-plugin": "^5.0.0",
- "@typescript-eslint/parser": "^5.0.0",
- "vue-eslint-parser": "^9.0.0"
- }
- },
- "@vue/reactivity": {
- "version": "3.2.37",
- "resolved": "https://registry.npmmirror.com/@vue/reactivity/-/reactivity-3.2.37.tgz",
- "integrity": "sha512-/7WRafBOshOc6m3F7plwzPeCu/RCVv9uMpOwa/5PiY1Zz+WLVRWiy0MYKwmg19KBdGtFWsmZ4cD+LOdVPcs52A==",
- "requires": {
- "@vue/shared": "3.2.37"
- }
- },
- "@vue/reactivity-transform": {
- "version": "3.2.37",
- "resolved": "https://registry.npmmirror.com/@vue/reactivity-transform/-/reactivity-transform-3.2.37.tgz",
- "integrity": "sha512-IWopkKEb+8qpu/1eMKVeXrK0NLw9HicGviJzhJDEyfxTR9e1WtpnnbYkJWurX6WwoFP0sz10xQg8yL8lgskAZg==",
- "requires": {
- "@babel/parser": "^7.16.4",
- "@vue/compiler-core": "3.2.37",
- "@vue/shared": "3.2.37",
- "estree-walker": "^2.0.2",
- "magic-string": "^0.25.7"
- }
- },
- "@vue/runtime-core": {
- "version": "3.2.37",
- "resolved": "https://registry.npmmirror.com/@vue/runtime-core/-/runtime-core-3.2.37.tgz",
- "integrity": "sha512-JPcd9kFyEdXLl/i0ClS7lwgcs0QpUAWj+SKX2ZC3ANKi1U4DOtiEr6cRqFXsPwY5u1L9fAjkinIdB8Rz3FoYNQ==",
- "requires": {
- "@vue/reactivity": "3.2.37",
- "@vue/shared": "3.2.37"
- }
- },
- "@vue/runtime-dom": {
- "version": "3.2.37",
- "resolved": "https://registry.npmmirror.com/@vue/runtime-dom/-/runtime-dom-3.2.37.tgz",
- "integrity": "sha512-HimKdh9BepShW6YozwRKAYjYQWg9mQn63RGEiSswMbW+ssIht1MILYlVGkAGGQbkhSh31PCdoUcfiu4apXJoPw==",
- "requires": {
- "@vue/runtime-core": "3.2.37",
- "@vue/shared": "3.2.37",
- "csstype": "^2.6.8"
- }
- },
- "@vue/server-renderer": {
- "version": "3.2.37",
- "resolved": "https://registry.npmmirror.com/@vue/server-renderer/-/server-renderer-3.2.37.tgz",
- "integrity": "sha512-kLITEJvaYgZQ2h47hIzPh2K3jG8c1zCVbp/o/bzQOyvzaKiCquKS7AaioPI28GNxIsE/zSx+EwWYsNxDCX95MA==",
- "requires": {
- "@vue/compiler-ssr": "3.2.37",
- "@vue/shared": "3.2.37"
- }
- },
- "@vue/shared": {
- "version": "3.2.37",
- "resolved": "https://registry.npmmirror.com/@vue/shared/-/shared-3.2.37.tgz",
- "integrity": "sha512-4rSJemR2NQIo9Klm1vabqWjD8rs/ZaJSzMxkMNeJS6lHiUjjUeYFbooN19NgFjztubEKh3WlZUeOLVdbbUWHsw=="
- },
- "@vue/tsconfig": {
- "version": "0.1.3",
- "resolved": "https://registry.npmmirror.com/@vue/tsconfig/-/tsconfig-0.1.3.tgz",
- "integrity": "sha512-kQVsh8yyWPvHpb8gIc9l/HIDiiVUy1amynLNpCy8p+FoCiZXCo6fQos5/097MmnNZc9AtseDsCrfkhqCrJ8Olg==",
- "dev": true,
- "requires": {}
- },
- "@vueuse/core": {
- "version": "8.9.4",
- "resolved": "https://registry.npmmirror.com/@vueuse/core/-/core-8.9.4.tgz",
- "integrity": "sha512-B/Mdj9TK1peFyWaPof+Zf/mP9XuGAngaJZBwPaXBvU3aCTZlx3ltlrFFFyMV4iGBwsjSCeUCgZrtkEj9dS2Y3Q==",
- "requires": {
- "@types/web-bluetooth": "^0.0.14",
- "@vueuse/metadata": "8.9.4",
- "@vueuse/shared": "8.9.4",
- "vue-demi": "*"
- },
- "dependencies": {
- "@vueuse/shared": {
- "version": "8.9.4",
- "resolved": "https://registry.npmmirror.com/@vueuse/shared/-/shared-8.9.4.tgz",
- "integrity": "sha512-wt+T30c4K6dGRMVqPddexEVLa28YwxW5OFIPmzUHICjphfAuBFTTdDoyqREZNDOFJZ44ARH1WWQNCUK8koJ+Ag==",
- "requires": {
- "vue-demi": "*"
- }
- },
- "vue-demi": {
- "version": "0.13.6",
- "resolved": "https://registry.npmmirror.com/vue-demi/-/vue-demi-0.13.6.tgz",
- "integrity": "sha512-02NYpxgyGE2kKGegRPYlNQSL1UWfA/+JqvzhGCOYjhfbLWXU5QQX0+9pAm/R2sCOPKr5NBxVIab7fvFU0B1RxQ==",
- "requires": {}
- }
- }
- },
- "@vueuse/metadata": {
- "version": "8.9.4",
- "resolved": "https://registry.npmmirror.com/@vueuse/metadata/-/metadata-8.9.4.tgz",
- "integrity": "sha512-IwSfzH80bnJMzqhaapqJl9JRIiyQU0zsRGEgnxN6jhq7992cPUJIRfV+JHRIZXjYqbwt07E1gTEp0R0zPJ1aqw=="
- },
- "acorn": {
- "version": "8.8.0",
- "resolved": "https://registry.npmmirror.com/acorn/-/acorn-8.8.0.tgz",
- "integrity": "sha512-QOxyigPVrpZ2GXT+PFyZTl6TtOFc5egxHIP9IlQ+RbupQuX4RkT/Bee4/kQuC02Xkzg84JcT7oLYtDIQxp+v7w==",
- "dev": true
- },
- "acorn-jsx": {
- "version": "5.3.2",
- "resolved": "https://registry.npmmirror.com/acorn-jsx/-/acorn-jsx-5.3.2.tgz",
- "integrity": "sha512-rq9s+JNhf0IChjtDXxllJ7g41oZk5SlXtp0LHwyA5cejwn7vKmKp4pPri6YEePv2PU65sAsegbXtIinmDFDXgQ==",
- "dev": true,
- "requires": {}
- },
- "acorn-node": {
- "version": "1.8.2",
- "resolved": "https://registry.npmmirror.com/acorn-node/-/acorn-node-1.8.2.tgz",
- "integrity": "sha512-8mt+fslDufLYntIoPAaIMUe/lrbrehIiwmR3t2k9LljIzoigEPF27eLk2hy8zSGzmR/ogr7zbRKINMo1u0yh5A==",
- "dev": true,
- "requires": {
- "acorn": "^7.0.0",
- "acorn-walk": "^7.0.0",
- "xtend": "^4.0.2"
- },
- "dependencies": {
- "acorn": {
- "version": "7.4.1",
- "resolved": "https://registry.npmmirror.com/acorn/-/acorn-7.4.1.tgz",
- "integrity": "sha512-nQyp0o1/mNdbTO1PO6kHkwSrmgZ0MT/jCCpNiwbUjGoRN4dlBhqJtoQuCnEOKzgTVwg0ZWiCoQy6SxMebQVh8A==",
- "dev": true
- },
- "acorn-walk": {
- "version": "7.2.0",
- "resolved": "https://registry.npmmirror.com/acorn-walk/-/acorn-walk-7.2.0.tgz",
- "integrity": "sha512-OPdCF6GsMIP+Az+aWfAAOEt2/+iVDKE7oy6lJ098aoe59oAmK76qV6Gw60SbZ8jHuG2wH058GF4pLFbYamYrVA==",
- "dev": true
- }
- }
- },
- "acorn-walk": {
- "version": "8.2.0",
- "resolved": "https://registry.npmmirror.com/acorn-walk/-/acorn-walk-8.2.0.tgz",
- "integrity": "sha512-k+iyHEuPgSw6SbuDpGQM+06HQUa04DZ3o+F6CSzXMvvI5KMvnaEqXe+YVe555R9nn6GPt404fos4wcgpw12SDA==",
- "dev": true
- },
- "aggregate-error": {
- "version": "3.1.0",
- "resolved": "https://registry.npmmirror.com/aggregate-error/-/aggregate-error-3.1.0.tgz",
- "integrity": "sha512-4I7Td01quW/RpocfNayFdFVk1qSuoh0E7JrbRJ16nH01HhKFQ88INq9Sd+nd72zqRySlr9BmDA8xlEJ6vJMrYA==",
- "dev": true,
- "requires": {
- "clean-stack": "^2.0.0",
- "indent-string": "^4.0.0"
- }
- },
- "ajv": {
- "version": "6.12.6",
- "resolved": "https://registry.npmmirror.com/ajv/-/ajv-6.12.6.tgz",
- "integrity": "sha512-j3fVLgvTo527anyYyJOGTYJbG+vnnQYvE0m5mmkc1TK+nxAppkCLMIL0aZ4dblVCNoGShhm+kzE4ZUykBoMg4g==",
- "dev": true,
- "requires": {
- "fast-deep-equal": "^3.1.1",
- "fast-json-stable-stringify": "^2.0.0",
- "json-schema-traverse": "^0.4.1",
- "uri-js": "^4.2.2"
- }
- },
- "ansi-escapes": {
- "version": "4.3.2",
- "resolved": "https://registry.npmmirror.com/ansi-escapes/-/ansi-escapes-4.3.2.tgz",
- "integrity": "sha512-gKXj5ALrKWQLsYG9jlTRmR/xKluxHV+Z9QEwNIgCfM1/uwPMCuzVVnh5mwTd+OuBZcwSIMbqssNWRm1lE51QaQ==",
- "dev": true,
- "requires": {
- "type-fest": "^0.21.3"
- },
- "dependencies": {
- "type-fest": {
- "version": "0.21.3",
- "resolved": "https://registry.npmmirror.com/type-fest/-/type-fest-0.21.3.tgz",
- "integrity": "sha512-t0rzBq87m3fVcduHDUFhKmyyX+9eo6WQjZvf51Ea/M0Q7+T374Jp1aUiyUl0GKxp8M/OETVHSDvmkyPgvX+X2w==",
- "dev": true
- }
- }
- },
- "ansi-regex": {
- "version": "5.0.1",
- "resolved": "https://registry.npmmirror.com/ansi-regex/-/ansi-regex-5.0.1.tgz",
- "integrity": "sha512-quJQXlTSUGL2LH9SUXo8VwsY4soanhgo6LNSm84E1LBcE8s3O0wpdiRzyR9z/ZZJMlMWv37qOOb9pdJlMUEKFQ==",
- "dev": true
- },
- "ansi-styles": {
- "version": "3.2.1",
- "resolved": "https://registry.npmmirror.com/ansi-styles/-/ansi-styles-3.2.1.tgz",
- "integrity": "sha512-VT0ZI6kZRdTh8YyJw3SMbYm/u+NqfsAxEpWO0Pf9sq8/e94WxxOpPKx9FR1FlyCtOVDNOQ+8ntlqFxiRc+r5qA==",
- "dev": true,
- "requires": {
- "color-convert": "^1.9.0"
- }
- },
- "anymatch": {
- "version": "3.1.2",
- "resolved": "https://registry.npmmirror.com/anymatch/-/anymatch-3.1.2.tgz",
- "integrity": "sha512-P43ePfOAIupkguHUycrc4qJ9kz8ZiuOUijaETwX7THt0Y/GNK7v0aa8rY816xWjZ7rJdA5XdMcpVFTKMq+RvWg==",
- "dev": true,
- "requires": {
- "normalize-path": "^3.0.0",
- "picomatch": "^2.0.4"
- }
- },
- "arg": {
- "version": "4.1.3",
- "resolved": "https://registry.npmmirror.com/arg/-/arg-4.1.3.tgz",
- "integrity": "sha512-58S9QDqG0Xx27YwPSt9fJxivjYl432YCwfDMfZ+71RAqUrZef7LrKQZ3LHLOwCS4FLNBplP533Zx895SeOCHvA==",
- "dev": true
- },
- "argparse": {
- "version": "2.0.1",
- "resolved": "https://registry.npmmirror.com/argparse/-/argparse-2.0.1.tgz",
- "integrity": "sha512-8+9WqebbFzpX9OR+Wa6O29asIogeRMzcGtAINdpMHHyAg10f05aSFVBbcEqGf/PXw1EjAZ+q2/bEBg3DvurK3Q==",
- "dev": true
- },
- "array-ify": {
- "version": "1.0.0",
- "resolved": "https://registry.npmmirror.com/array-ify/-/array-ify-1.0.0.tgz",
- "integrity": "sha512-c5AMf34bKdvPhQ7tBGhqkgKNUzMr4WUs+WDtC2ZUGOUncbxKMTvqxYctiseW3+L4bA8ec+GcZ6/A/FW4m8ukng==",
- "dev": true
- },
- "array-union": {
- "version": "2.1.0",
- "resolved": "https://registry.npmmirror.com/array-union/-/array-union-2.1.0.tgz",
- "integrity": "sha512-HGyxoOTYUyCM6stUe6EJgnd4EoewAI7zMdfqO+kGjnlZmBDz/cR5pf8r/cR4Wq60sL/p0IkcjUEEPwS3GFrIyw==",
- "dev": true
- },
- "arrify": {
- "version": "1.0.1",
- "resolved": "https://registry.npmmirror.com/arrify/-/arrify-1.0.1.tgz",
- "integrity": "sha512-3CYzex9M9FGQjCGMGyi6/31c8GJbgb0qGyrx5HWxPd0aCwh4cB2YjMb2Xf9UuoogrMrlO9cTqnB5rI5GHZTcUA==",
- "dev": true
- },
- "astral-regex": {
- "version": "2.0.0",
- "resolved": "https://registry.npmmirror.com/astral-regex/-/astral-regex-2.0.0.tgz",
- "integrity": "sha512-Z7tMw1ytTXt5jqMcOP+OQteU1VuNK9Y02uuJtKQ1Sv69jXQKKg5cibLwGJow8yzZP+eAc18EmLGPal0bp36rvQ==",
- "dev": true
- },
- "async-validator": {
- "version": "4.2.5",
- "resolved": "https://registry.npmmirror.com/async-validator/-/async-validator-4.2.5.tgz",
- "integrity": "sha512-7HhHjtERjqlNbZtqNqy2rckN/SpOOlmDliet+lP7k+eKZEjPk3DgyeU9lIXLdeLz0uBbbVp+9Qdow9wJWgwwfg=="
- },
- "autoprefixer": {
- "version": "10.4.8",
- "resolved": "https://registry.npmmirror.com/autoprefixer/-/autoprefixer-10.4.8.tgz",
- "integrity": "sha512-75Jr6Q/XpTqEf6D2ltS5uMewJIx5irCU1oBYJrWjFenq/m12WRRrz6g15L1EIoYvPLXTbEry7rDOwrcYNj77xw==",
- "dev": true,
- "requires": {
- "browserslist": "^4.21.3",
- "caniuse-lite": "^1.0.30001373",
- "fraction.js": "^4.2.0",
- "normalize-range": "^0.1.2",
- "picocolors": "^1.0.0",
- "postcss-value-parser": "^4.2.0"
- }
- },
- "balanced-match": {
- "version": "1.0.2",
- "resolved": "https://registry.npmmirror.com/balanced-match/-/balanced-match-1.0.2.tgz",
- "integrity": "sha512-3oSeUO0TMV67hN1AmbXsK4yaqU7tjiHlbxRDZOpH0KW9+CeX4bRAaX0Anxt0tx2MrpRpWwQaPwIlISEJhYU5Pw==",
- "dev": true
- },
- "binary-extensions": {
- "version": "2.2.0",
- "resolved": "https://registry.npmmirror.com/binary-extensions/-/binary-extensions-2.2.0.tgz",
- "integrity": "sha512-jDctJ/IVQbZoJykoeHbhXpOlNBqGNcwXJKJog42E5HDPUwQTSdjCHdihjj0DlnheQ7blbT6dHOafNAiS8ooQKA==",
- "dev": true
- },
- "boolbase": {
- "version": "1.0.0",
- "resolved": "https://registry.npmmirror.com/boolbase/-/boolbase-1.0.0.tgz",
- "integrity": "sha512-JZOSA7Mo9sNGB8+UjSgzdLtokWAky1zbztM3WRLCbZ70/3cTANmQmOdR7y2g+J0e2WXywy1yS468tY+IruqEww==",
- "dev": true
- },
- "brace-expansion": {
- "version": "1.1.11",
- "resolved": "https://registry.npmmirror.com/brace-expansion/-/brace-expansion-1.1.11.tgz",
- "integrity": "sha512-iCuPHDFgrHX7H2vEI/5xpz07zSHB00TpugqhmYtVmMO6518mCuRMoOYFldEBl0g187ufozdaHgWKcYFb61qGiA==",
- "dev": true,
- "requires": {
- "balanced-match": "^1.0.0",
- "concat-map": "0.0.1"
- }
- },
- "braces": {
- "version": "3.0.2",
- "resolved": "https://registry.npmmirror.com/braces/-/braces-3.0.2.tgz",
- "integrity": "sha512-b8um+L1RzM3WDSzvhm6gIz1yfTbBt6YTlcEKAvsmqCZZFw46z626lVj9j1yEPW33H5H+lBQpZMP1k8l+78Ha0A==",
- "dev": true,
- "requires": {
- "fill-range": "^7.0.1"
- }
- },
- "browserslist": {
- "version": "4.21.3",
- "resolved": "https://registry.npmmirror.com/browserslist/-/browserslist-4.21.3.tgz",
- "integrity": "sha512-898rgRXLAyRkM1GryrrBHGkqA5hlpkV5MhtZwg9QXeiyLUYs2k00Un05aX5l2/yJIOObYKOpS2JNo8nJDE7fWQ==",
- "dev": true,
- "requires": {
- "caniuse-lite": "^1.0.30001370",
- "electron-to-chromium": "^1.4.202",
- "node-releases": "^2.0.6",
- "update-browserslist-db": "^1.0.5"
- }
- },
- "call-bind": {
- "version": "1.0.2",
- "resolved": "https://registry.npmmirror.com/call-bind/-/call-bind-1.0.2.tgz",
- "integrity": "sha512-7O+FbCihrB5WGbFYesctwmTKae6rOiIzmz1icreWJ+0aA7LJfuqhEso2T9ncpcFtzMQtzXf2QGGueWJGTYsqrA==",
- "dev": true,
- "requires": {
- "function-bind": "^1.1.1",
- "get-intrinsic": "^1.0.2"
- }
- },
- "callsites": {
- "version": "3.1.0",
- "resolved": "https://registry.npmmirror.com/callsites/-/callsites-3.1.0.tgz",
- "integrity": "sha512-P8BjAsXvZS+VIDUI11hHCQEv74YT67YUi5JJFNWIqL235sBmjX4+qx9Muvls5ivyNENctx46xQLQ3aTuE7ssaQ==",
- "dev": true
- },
- "camelcase": {
- "version": "6.3.0",
- "resolved": "https://registry.npmmirror.com/camelcase/-/camelcase-6.3.0.tgz",
- "integrity": "sha512-Gmy6FhYlCY7uOElZUSbxo2UCDH8owEk996gkbrpsgGtrJLM3J7jGxl9Ic7Qwwj4ivOE5AWZWRMecDdF7hqGjFA==",
- "dev": true
- },
- "camelcase-css": {
- "version": "2.0.1",
- "resolved": "https://registry.npmmirror.com/camelcase-css/-/camelcase-css-2.0.1.tgz",
- "integrity": "sha512-QOSvevhslijgYwRx6Rv7zKdMF8lbRmx+uQGx2+vDc+KI/eBnsy9kit5aj23AgGu3pa4t9AgwbnXWqS+iOY+2aA==",
- "dev": true
- },
- "camelcase-keys": {
- "version": "6.2.2",
- "resolved": "https://registry.npmmirror.com/camelcase-keys/-/camelcase-keys-6.2.2.tgz",
- "integrity": "sha512-YrwaA0vEKazPBkn0ipTiMpSajYDSe+KjQfrjhcBMxJt/znbvlHd8Pw/Vamaz5EB4Wfhs3SUR3Z9mwRu/P3s3Yg==",
- "dev": true,
- "requires": {
- "camelcase": "^5.3.1",
- "map-obj": "^4.0.0",
- "quick-lru": "^4.0.1"
- },
- "dependencies": {
- "camelcase": {
- "version": "5.3.1",
- "resolved": "https://registry.npmmirror.com/camelcase/-/camelcase-5.3.1.tgz",
- "integrity": "sha512-L28STB170nwWS63UjtlEOE3dldQApaJXZkOI1uMFfzf3rRuPegHaHesyee+YxQ+W6SvRDQV6UrdOdRiR153wJg==",
- "dev": true
- }
- }
- },
- "caniuse-lite": {
- "version": "1.0.30001373",
- "resolved": "https://registry.npmmirror.com/caniuse-lite/-/caniuse-lite-1.0.30001373.tgz",
- "integrity": "sha512-pJYArGHrPp3TUqQzFYRmP/lwJlj8RCbVe3Gd3eJQkAV8SAC6b19XS9BjMvRdvaS8RMkaTN8ZhoHP6S1y8zzwEQ==",
- "dev": true
- },
- "chalk": {
- "version": "2.4.2",
- "resolved": "https://registry.npmmirror.com/chalk/-/chalk-2.4.2.tgz",
- "integrity": "sha512-Mti+f9lpJNcwF4tWV8/OrTTtF1gZi+f8FqlyAdouralcFWFQWF2+NgCHShjkCb+IFBLq9buZwE1xckQU4peSuQ==",
- "dev": true,
- "requires": {
- "ansi-styles": "^3.2.1",
- "escape-string-regexp": "^1.0.5",
- "supports-color": "^5.3.0"
- }
- },
- "chokidar": {
- "version": "3.5.3",
- "resolved": "https://registry.npmmirror.com/chokidar/-/chokidar-3.5.3.tgz",
- "integrity": "sha512-Dr3sfKRP6oTcjf2JmUmFJfeVMvXBdegxB0iVQ5eb2V10uFJUCAS8OByZdVAyVb8xXNz3GjjTgj9kLWsZTqE6kw==",
- "dev": true,
- "requires": {
- "anymatch": "~3.1.2",
- "braces": "~3.0.2",
- "fsevents": "~2.3.2",
- "glob-parent": "~5.1.2",
- "is-binary-path": "~2.1.0",
- "is-glob": "~4.0.1",
- "normalize-path": "~3.0.0",
- "readdirp": "~3.6.0"
- },
- "dependencies": {
- "glob-parent": {
- "version": "5.1.2",
- "resolved": "https://registry.npmmirror.com/glob-parent/-/glob-parent-5.1.2.tgz",
- "integrity": "sha512-AOIgSQCepiJYwP3ARnGx+5VnTu2HBYdzbGP45eLw1vr3zB3vZLeyed1sC9hnbcOc9/SrMyM5RPQrkGz4aS9Zow==",
- "dev": true,
- "requires": {
- "is-glob": "^4.0.1"
- }
- }
- }
- },
- "clean-stack": {
- "version": "2.2.0",
- "resolved": "https://registry.npmmirror.com/clean-stack/-/clean-stack-2.2.0.tgz",
- "integrity": "sha512-4diC9HaTE+KRAMWhDhrGOECgWZxoevMc5TlkObMqNSsVU62PYzXZ/SMTjzyGAFF1YusgxGcSWTEXBhp0CPwQ1A==",
- "dev": true
- },
- "cli-cursor": {
- "version": "3.1.0",
- "resolved": "https://registry.npmmirror.com/cli-cursor/-/cli-cursor-3.1.0.tgz",
- "integrity": "sha512-I/zHAwsKf9FqGoXM4WWRACob9+SNukZTd94DWF57E4toouRulbCxcUh6RKUEOQlYTHJnzkPMySvPNaaSLNfLZw==",
- "dev": true,
- "requires": {
- "restore-cursor": "^3.1.0"
- }
- },
- "cli-truncate": {
- "version": "3.1.0",
- "resolved": "https://registry.npmmirror.com/cli-truncate/-/cli-truncate-3.1.0.tgz",
- "integrity": "sha512-wfOBkjXteqSnI59oPcJkcPl/ZmwvMMOj340qUIY1SKZCv0B9Cf4D4fAucRkIKQmsIuYK3x1rrgU7MeGRruiuiA==",
- "dev": true,
- "requires": {
- "slice-ansi": "^5.0.0",
- "string-width": "^5.0.0"
- },
- "dependencies": {
- "ansi-regex": {
- "version": "6.0.1",
- "resolved": "https://registry.npmmirror.com/ansi-regex/-/ansi-regex-6.0.1.tgz",
- "integrity": "sha512-n5M855fKb2SsfMIiFFoVrABHJC8QtHwVx+mHWP3QcEqBHYienj5dHSgjbxtC0WEZXYt4wcD6zrQElDPhFuZgfA==",
- "dev": true
- },
- "emoji-regex": {
- "version": "9.2.2",
- "resolved": "https://registry.npmmirror.com/emoji-regex/-/emoji-regex-9.2.2.tgz",
- "integrity": "sha512-L18DaJsXSUk2+42pv8mLs5jJT2hqFkFE4j21wOmgbUqsZ2hL72NsUU785g9RXgo3s0ZNgVl42TiHp3ZtOv/Vyg==",
- "dev": true
- },
- "string-width": {
- "version": "5.1.2",
- "resolved": "https://registry.npmmirror.com/string-width/-/string-width-5.1.2.tgz",
- "integrity": "sha512-HnLOCR3vjcY8beoNLtcjZ5/nxn2afmME6lhrDrebokqMap+XbeW8n9TXpPDOqdGK5qcI3oT0GKTW6wC7EMiVqA==",
- "dev": true,
- "requires": {
- "eastasianwidth": "^0.2.0",
- "emoji-regex": "^9.2.2",
- "strip-ansi": "^7.0.1"
- }
- },
- "strip-ansi": {
- "version": "7.0.1",
- "resolved": "https://registry.npmmirror.com/strip-ansi/-/strip-ansi-7.0.1.tgz",
- "integrity": "sha512-cXNxvT8dFNRVfhVME3JAe98mkXDYN2O1l7jmcwMnOslDeESg1rF/OZMtK0nRAhiari1unG5cD4jG3rapUAkLbw==",
- "dev": true,
- "requires": {
- "ansi-regex": "^6.0.1"
- }
- }
- }
- },
- "cliui": {
- "version": "7.0.4",
- "resolved": "https://registry.npmmirror.com/cliui/-/cliui-7.0.4.tgz",
- "integrity": "sha512-OcRE68cOsVMXp1Yvonl/fzkQOyjLSu/8bhPDfQt0e0/Eb283TKP20Fs2MqoPsr9SwA595rRCA+QMzYc9nBP+JQ==",
- "dev": true,
- "requires": {
- "string-width": "^4.2.0",
- "strip-ansi": "^6.0.0",
- "wrap-ansi": "^7.0.0"
- }
- },
- "color-convert": {
- "version": "1.9.3",
- "resolved": "https://registry.npmmirror.com/color-convert/-/color-convert-1.9.3.tgz",
- "integrity": "sha512-QfAUtd+vFdAtFQcC8CCyYt1fYWxSqAiK2cSD6zDB8N3cpsEBAvRxp9zOGg6G/SHHJYAT88/az/IuDGALsNVbGg==",
- "dev": true,
- "requires": {
- "color-name": "1.1.3"
- }
- },
- "color-name": {
- "version": "1.1.3",
- "resolved": "https://registry.npmmirror.com/color-name/-/color-name-1.1.3.tgz",
- "integrity": "sha512-72fSenhMw2HZMTVHeCA9KCmpEIbzWiQsjN+BHcBbS9vr1mtt+vJjPdksIBNUmKAW8TFUDPJK5SUU3QhE9NEXDw==",
- "dev": true
- },
- "colorette": {
- "version": "2.0.19",
- "resolved": "https://registry.npmmirror.com/colorette/-/colorette-2.0.19.tgz",
- "integrity": "sha512-3tlv/dIP7FWvj3BsbHrGLJ6l/oKh1O3TcgBqMn+yyCagOxc23fyzDS6HypQbgxWbkpDnf52p1LuR4eWDQ/K9WQ==",
- "dev": true
- },
- "commander": {
- "version": "9.4.0",
- "resolved": "https://registry.npmmirror.com/commander/-/commander-9.4.0.tgz",
- "integrity": "sha512-sRPT+umqkz90UA8M1yqYfnHlZA7fF6nSphDtxeywPZ49ysjxDQybzk13CL+mXekDRG92skbcqCLVovuCusNmFw==",
- "dev": true
- },
- "compare-func": {
- "version": "2.0.0",
- "resolved": "https://registry.npmmirror.com/compare-func/-/compare-func-2.0.0.tgz",
- "integrity": "sha512-zHig5N+tPWARooBnb0Zx1MFcdfpyJrfTJ3Y5L+IFvUm8rM74hHz66z0gw0x4tijh5CorKkKUCnW82R2vmpeCRA==",
- "dev": true,
- "requires": {
- "array-ify": "^1.0.0",
- "dot-prop": "^5.1.0"
- }
- },
- "concat-map": {
- "version": "0.0.1",
- "resolved": "https://registry.npmmirror.com/concat-map/-/concat-map-0.0.1.tgz",
- "integrity": "sha512-/Srv4dswyQNBfohGpz9o6Yb3Gz3SrUDqBH5rTuhGR7ahtlbYKnVxw2bCFMRljaA7EXHaXZ8wsHdodFvbkhKmqg==",
- "dev": true
- },
- "conventional-changelog-angular": {
- "version": "5.0.13",
- "resolved": "https://registry.npmmirror.com/conventional-changelog-angular/-/conventional-changelog-angular-5.0.13.tgz",
- "integrity": "sha512-i/gipMxs7s8L/QeuavPF2hLnJgH6pEZAttySB6aiQLWcX3puWDL3ACVmvBhJGxnAy52Qc15ua26BufY6KpmrVA==",
- "dev": true,
- "requires": {
- "compare-func": "^2.0.0",
- "q": "^1.5.1"
- }
- },
- "conventional-changelog-conventionalcommits": {
- "version": "5.0.0",
- "resolved": "https://registry.npmmirror.com/conventional-changelog-conventionalcommits/-/conventional-changelog-conventionalcommits-5.0.0.tgz",
- "integrity": "sha512-lCDbA+ZqVFQGUj7h9QBKoIpLhl8iihkO0nCTyRNzuXtcd7ubODpYB04IFy31JloiJgG0Uovu8ot8oxRzn7Nwtw==",
- "dev": true,
- "requires": {
- "compare-func": "^2.0.0",
- "lodash": "^4.17.15",
- "q": "^1.5.1"
- }
- },
- "conventional-commits-parser": {
- "version": "3.2.4",
- "resolved": "https://registry.npmmirror.com/conventional-commits-parser/-/conventional-commits-parser-3.2.4.tgz",
- "integrity": "sha512-nK7sAtfi+QXbxHCYfhpZsfRtaitZLIA6889kFIouLvz6repszQDgxBu7wf2WbU+Dco7sAnNCJYERCwt54WPC2Q==",
- "dev": true,
- "requires": {
- "is-text-path": "^1.0.1",
- "JSONStream": "^1.0.4",
- "lodash": "^4.17.15",
- "meow": "^8.0.0",
- "split2": "^3.0.0",
- "through2": "^4.0.0"
- }
- },
- "convert-source-map": {
- "version": "1.8.0",
- "resolved": "https://registry.npmmirror.com/convert-source-map/-/convert-source-map-1.8.0.tgz",
- "integrity": "sha512-+OQdjP49zViI/6i7nIJpA8rAl4sV/JdPfU9nZs3VqOwGIgizICvuN2ru6fMd+4llL0tar18UYJXfZ/TWtmhUjA==",
- "dev": true,
- "requires": {
- "safe-buffer": "~5.1.1"
- }
- },
- "cosmiconfig": {
- "version": "7.0.1",
- "resolved": "https://registry.npmmirror.com/cosmiconfig/-/cosmiconfig-7.0.1.tgz",
- "integrity": "sha512-a1YWNUV2HwGimB7dU2s1wUMurNKjpx60HxBB6xUM8Re+2s1g1IIfJvFR0/iCF+XHdE0GMTKTuLR32UQff4TEyQ==",
- "dev": true,
- "requires": {
- "@types/parse-json": "^4.0.0",
- "import-fresh": "^3.2.1",
- "parse-json": "^5.0.0",
- "path-type": "^4.0.0",
- "yaml": "^1.10.0"
- },
- "dependencies": {
- "parse-json": {
- "version": "5.2.0",
- "resolved": "https://registry.npmmirror.com/parse-json/-/parse-json-5.2.0.tgz",
- "integrity": "sha512-ayCKvm/phCGxOkYRSCM82iDwct8/EonSEgCSxWxD7ve6jHggsFl4fZVQBPRNgQoKiuV/odhFrGzQXZwbifC8Rg==",
- "dev": true,
- "requires": {
- "@babel/code-frame": "^7.0.0",
- "error-ex": "^1.3.1",
- "json-parse-even-better-errors": "^2.3.0",
- "lines-and-columns": "^1.1.6"
- }
- }
- }
- },
- "cosmiconfig-typescript-loader": {
- "version": "2.0.2",
- "resolved": "https://registry.npmmirror.com/cosmiconfig-typescript-loader/-/cosmiconfig-typescript-loader-2.0.2.tgz",
- "integrity": "sha512-KmE+bMjWMXJbkWCeY4FJX/npHuZPNr9XF9q9CIQ/bpFwi1qHfCmSiKarrCcRa0LO4fWjk93pVoeRtJAkTGcYNw==",
- "dev": true,
- "requires": {
- "cosmiconfig": "^7",
- "ts-node": "^10.8.1"
- }
- },
- "create-require": {
- "version": "1.1.1",
- "resolved": "https://registry.npmmirror.com/create-require/-/create-require-1.1.1.tgz",
- "integrity": "sha512-dcKFX3jn0MpIaXjisoRvexIJVEKzaq7z2rZKxf+MSr9TkdmHmsU4m2lcLojrj/FHl8mk5VxMmYA+ftRkP/3oKQ==",
- "dev": true
- },
- "cross-spawn": {
- "version": "7.0.3",
- "resolved": "https://registry.npmmirror.com/cross-spawn/-/cross-spawn-7.0.3.tgz",
- "integrity": "sha512-iRDPJKUPVEND7dHPO8rkbOnPpyDygcDFtWjpeWNCgy8WP2rXcxXL8TskReQl6OrB2G7+UJrags1q15Fudc7G6w==",
- "dev": true,
- "requires": {
- "path-key": "^3.1.0",
- "shebang-command": "^2.0.0",
- "which": "^2.0.1"
- }
- },
- "cssesc": {
- "version": "3.0.0",
- "resolved": "https://registry.npmmirror.com/cssesc/-/cssesc-3.0.0.tgz",
- "integrity": "sha512-/Tb/JcjK111nNScGob5MNtsntNM1aCNUDipB/TkwZFhyDrrE47SOx/18wF2bbjgc3ZzCSKW1T5nt5EbFoAz/Vg==",
- "dev": true
- },
- "csstype": {
- "version": "2.6.20",
- "resolved": "https://registry.npmmirror.com/csstype/-/csstype-2.6.20.tgz",
- "integrity": "sha512-/WwNkdXfckNgw6S5R125rrW8ez139lBHWouiBvX8dfMFtcn6V81REDqnH7+CRpRipfYlyU1CmOnOxrmGcFOjeA=="
- },
- "cz-git": {
- "version": "1.3.10",
- "resolved": "https://registry.npmmirror.com/cz-git/-/cz-git-1.3.10.tgz",
- "integrity": "sha512-JRYsUVYdHp+21X8ms7LsrhzEzF3sG0flKKuQTNPafC4mdmF//H9vSUVd8Gt5xDRmAACx2gU7W2wyX0abKklBmQ==",
- "dev": true
- },
- "czg": {
- "version": "1.3.10",
- "resolved": "https://registry.npmmirror.com/czg/-/czg-1.3.10.tgz",
- "integrity": "sha512-rt67CVRVo8SCiOLp96qk/iQIyJlAi//2maTBpwEHPccTupD0jLduDXNWc3INjjMwtVIMXaZ9W/k6W5oFgYUDSw==",
- "dev": true
- },
- "dargs": {
- "version": "7.0.0",
- "resolved": "https://registry.npmmirror.com/dargs/-/dargs-7.0.0.tgz",
- "integrity": "sha512-2iy1EkLdlBzQGvbweYRFxmFath8+K7+AKB0TlhHWkNuH+TmovaMH/Wp7V7R4u7f4SnX3OgLsU9t1NI9ioDnUpg==",
- "dev": true
- },
- "dayjs": {
- "version": "1.11.4",
- "resolved": "https://registry.npmmirror.com/dayjs/-/dayjs-1.11.4.tgz",
- "integrity": "sha512-Zj/lPM5hOvQ1Bf7uAvewDaUcsJoI6JmNqmHhHl3nyumwe0XHwt8sWdOVAPACJzCebL8gQCi+K49w7iKWnGwX9g=="
- },
- "debug": {
- "version": "4.3.4",
- "resolved": "https://registry.npmmirror.com/debug/-/debug-4.3.4.tgz",
- "integrity": "sha512-PRWFHuSU3eDtQJPvnNY7Jcket1j0t5OuOsFzPPzsekD52Zl8qUfFIPEiswXqIvHWGVHOgX+7G/vCNNhehwxfkQ==",
- "dev": true,
- "requires": {
- "ms": "2.1.2"
- }
- },
- "decamelize": {
- "version": "1.2.0",
- "resolved": "https://registry.npmmirror.com/decamelize/-/decamelize-1.2.0.tgz",
- "integrity": "sha512-z2S+W9X73hAUUki+N+9Za2lBlun89zigOyGrsax+KUQ6wKW4ZoWpEYBkGhQjwAjjDCkWxhY0VKEhk8wzY7F5cA==",
- "dev": true
- },
- "decamelize-keys": {
- "version": "1.1.0",
- "resolved": "https://registry.npmmirror.com/decamelize-keys/-/decamelize-keys-1.1.0.tgz",
- "integrity": "sha512-ocLWuYzRPoS9bfiSdDd3cxvrzovVMZnRDVEzAs+hWIVXGDbHxWMECij2OBuyB/An0FFW/nLuq6Kv1i/YC5Qfzg==",
- "dev": true,
- "requires": {
- "decamelize": "^1.1.0",
- "map-obj": "^1.0.0"
- },
- "dependencies": {
- "map-obj": {
- "version": "1.0.1",
- "resolved": "https://registry.npmmirror.com/map-obj/-/map-obj-1.0.1.tgz",
- "integrity": "sha512-7N/q3lyZ+LVCp7PzuxrJr4KMbBE2hW7BT7YNia330OFxIf4d3r5zVpicP2650l7CPN6RM9zOJRl3NGpqSiw3Eg==",
- "dev": true
- }
- }
- },
- "deep-is": {
- "version": "0.1.4",
- "resolved": "https://registry.npmmirror.com/deep-is/-/deep-is-0.1.4.tgz",
- "integrity": "sha512-oIPzksmTg4/MriiaYGO+okXDT7ztn/w3Eptv/+gSIdMdKsJo0u4CfYNFJPy+4SKMuCqGw2wxnA+URMg3t8a/bQ==",
- "dev": true
- },
- "define-properties": {
- "version": "1.1.4",
- "resolved": "https://registry.npmmirror.com/define-properties/-/define-properties-1.1.4.tgz",
- "integrity": "sha512-uckOqKcfaVvtBdsVkdPv3XjveQJsNQqmhXgRi8uhvWWuPYZCNlzT8qAyblUgNoXdHdjMTzAqeGjAoli8f+bzPA==",
- "dev": true,
- "requires": {
- "has-property-descriptors": "^1.0.0",
- "object-keys": "^1.1.1"
- }
- },
- "defined": {
- "version": "1.0.0",
- "resolved": "https://registry.npmmirror.com/defined/-/defined-1.0.0.tgz",
- "integrity": "sha512-Y2caI5+ZwS5c3RiNDJ6u53VhQHv+hHKwhkI1iHvceKUHw9Df6EK2zRLfjejRgMuCuxK7PfSWIMwWecceVvThjQ==",
- "dev": true
- },
- "detective": {
- "version": "5.2.1",
- "resolved": "https://registry.npmmirror.com/detective/-/detective-5.2.1.tgz",
- "integrity": "sha512-v9XE1zRnz1wRtgurGu0Bs8uHKFSTdteYZNbIPFVhUZ39L/S79ppMpdmVOZAnoz1jfEFodc48n6MX483Xo3t1yw==",
- "dev": true,
- "requires": {
- "acorn-node": "^1.8.2",
- "defined": "^1.0.0",
- "minimist": "^1.2.6"
- }
- },
- "didyoumean": {
- "version": "1.2.2",
- "resolved": "https://registry.npmmirror.com/didyoumean/-/didyoumean-1.2.2.tgz",
- "integrity": "sha512-gxtyfqMg7GKyhQmb056K7M3xszy/myH8w+B4RT+QXBQsvAOdc3XymqDDPHx1BgPgsdAA5SIifona89YtRATDzw==",
- "dev": true
- },
- "diff": {
- "version": "4.0.2",
- "resolved": "https://registry.npmmirror.com/diff/-/diff-4.0.2.tgz",
- "integrity": "sha512-58lmxKSA4BNyLz+HHMUzlOEpg09FV+ev6ZMe3vJihgdxzgcwZ8VoEEPmALCZG9LmqfVoNMMKpttIYTVG6uDY7A==",
- "dev": true
- },
- "dir-glob": {
- "version": "3.0.1",
- "resolved": "https://registry.npmmirror.com/dir-glob/-/dir-glob-3.0.1.tgz",
- "integrity": "sha512-WkrWp9GR4KXfKGYzOLmTuGVi1UWFfws377n9cc55/tb6DuqyF6pcQ5AbiHEshaDpY9v6oaSr2XCDidGmMwdzIA==",
- "dev": true,
- "requires": {
- "path-type": "^4.0.0"
- }
- },
- "dlv": {
- "version": "1.1.3",
- "resolved": "https://registry.npmmirror.com/dlv/-/dlv-1.1.3.tgz",
- "integrity": "sha512-+HlytyjlPKnIG8XuRG8WvmBP8xs8P71y+SKKS6ZXWoEgLuePxtDoUEiH7WkdePWrQ5JBpE6aoVqfZfJUQkjXwA==",
- "dev": true
- },
- "doctrine": {
- "version": "3.0.0",
- "resolved": "https://registry.npmmirror.com/doctrine/-/doctrine-3.0.0.tgz",
- "integrity": "sha512-yS+Q5i3hBf7GBkd4KG8a7eBNNWNGLTaEwwYWUijIYM7zrlYDM0BFXHjjPWlWZ1Rg7UaddZeIDmi9jF3HmqiQ2w==",
- "dev": true,
- "requires": {
- "esutils": "^2.0.2"
- }
- },
- "dot-prop": {
- "version": "5.3.0",
- "resolved": "https://registry.npmmirror.com/dot-prop/-/dot-prop-5.3.0.tgz",
- "integrity": "sha512-QM8q3zDe58hqUqjraQOmzZ1LIH9SWQJTlEKCH4kJ2oQvLZk7RbQXvtDM2XEq3fwkV9CCvvH4LA0AV+ogFsBM2Q==",
- "dev": true,
- "requires": {
- "is-obj": "^2.0.0"
- }
- },
- "eastasianwidth": {
- "version": "0.2.0",
- "resolved": "https://registry.npmmirror.com/eastasianwidth/-/eastasianwidth-0.2.0.tgz",
- "integrity": "sha512-I88TYZWc9XiYHRQ4/3c5rjjfgkjhLyW2luGIheGERbNQ6OY7yTybanSpDXZa8y7VUP9YmDcYa+eyq4ca7iLqWA==",
- "dev": true
- },
- "electron-to-chromium": {
- "version": "1.4.206",
- "resolved": "https://registry.npmmirror.com/electron-to-chromium/-/electron-to-chromium-1.4.206.tgz",
- "integrity": "sha512-h+Fadt1gIaQ06JaIiyqPsBjJ08fV5Q7md+V8bUvQW/9OvXfL2LRICTz2EcnnCP7QzrFTS6/27MRV6Bl9Yn97zA==",
- "dev": true
- },
- "element-plus": {
- "version": "2.2.12",
- "resolved": "https://registry.npmmirror.com/element-plus/-/element-plus-2.2.12.tgz",
- "integrity": "sha512-g/hIHj3b+dND2R3YRvyvCJtJhQvR7lWvXqhJaoxaQmajjNWedoe4rttxG26fOSv9YCC2wN4iFDcJHs70YFNgrA==",
- "requires": {
- "@ctrl/tinycolor": "^3.4.1",
- "@element-plus/icons-vue": "^2.0.6",
- "@floating-ui/dom": "^0.5.4",
- "@popperjs/core": "npm:@sxzz/popperjs-es@^2.11.7",
- "@types/lodash": "^4.14.182",
- "@types/lodash-es": "^4.17.6",
- "@vueuse/core": "^8.7.5",
- "async-validator": "^4.2.5",
- "dayjs": "^1.11.3",
- "escape-html": "^1.0.3",
- "lodash": "^4.17.21",
- "lodash-es": "^4.17.21",
- "lodash-unified": "^1.0.2",
- "memoize-one": "^6.0.0",
- "normalize-wheel-es": "^1.2.0"
- },
- "dependencies": {
- "@popperjs/core": {
- "version": "npm:@sxzz/popperjs-es@2.11.7",
- "resolved": "https://registry.npmmirror.com/@sxzz/popperjs-es/-/popperjs-es-2.11.7.tgz",
- "integrity": "sha512-Ccy0NlLkzr0Ex2FKvh2X+OyERHXJ88XJ1MXtsI9y9fGexlaXaVTPzBCRBwIxFkORuOb+uBqeu+RqnpgYTEZRUQ=="
- }
- }
- },
- "emoji-regex": {
- "version": "8.0.0",
- "resolved": "https://registry.npmmirror.com/emoji-regex/-/emoji-regex-8.0.0.tgz",
- "integrity": "sha512-MSjYzcWNOA0ewAHpz0MxpYFvwg6yjy1NG3xteoqz644VCo/RPgnr1/GGt+ic3iJTzQ8Eu3TdM14SawnVUmGE6A==",
- "dev": true
- },
- "error-ex": {
- "version": "1.3.2",
- "resolved": "https://registry.npmmirror.com/error-ex/-/error-ex-1.3.2.tgz",
- "integrity": "sha512-7dFHNmqeFSEt2ZBsCriorKnn3Z2pj+fd9kmI6QoWw4//DL+icEBfc0U7qJCisqrTsKTjw4fNFy2pW9OqStD84g==",
- "dev": true,
- "requires": {
- "is-arrayish": "^0.2.1"
- }
- },
- "es-abstract": {
- "version": "1.20.1",
- "resolved": "https://registry.npmmirror.com/es-abstract/-/es-abstract-1.20.1.tgz",
- "integrity": "sha512-WEm2oBhfoI2sImeM4OF2zE2V3BYdSF+KnSi9Sidz51fQHd7+JuF8Xgcj9/0o+OWeIeIS/MiuNnlruQrJf16GQA==",
- "dev": true,
- "requires": {
- "call-bind": "^1.0.2",
- "es-to-primitive": "^1.2.1",
- "function-bind": "^1.1.1",
- "function.prototype.name": "^1.1.5",
- "get-intrinsic": "^1.1.1",
- "get-symbol-description": "^1.0.0",
- "has": "^1.0.3",
- "has-property-descriptors": "^1.0.0",
- "has-symbols": "^1.0.3",
- "internal-slot": "^1.0.3",
- "is-callable": "^1.2.4",
- "is-negative-zero": "^2.0.2",
- "is-regex": "^1.1.4",
- "is-shared-array-buffer": "^1.0.2",
- "is-string": "^1.0.7",
- "is-weakref": "^1.0.2",
- "object-inspect": "^1.12.0",
- "object-keys": "^1.1.1",
- "object.assign": "^4.1.2",
- "regexp.prototype.flags": "^1.4.3",
- "string.prototype.trimend": "^1.0.5",
- "string.prototype.trimstart": "^1.0.5",
- "unbox-primitive": "^1.0.2"
- }
- },
- "es-to-primitive": {
- "version": "1.2.1",
- "resolved": "https://registry.npmmirror.com/es-to-primitive/-/es-to-primitive-1.2.1.tgz",
- "integrity": "sha512-QCOllgZJtaUo9miYBcLChTUaHNjJF3PYs1VidD7AwiEj1kYxKeQTctLAezAOH5ZKRH0g2IgPn6KwB4IT8iRpvA==",
- "dev": true,
- "requires": {
- "is-callable": "^1.1.4",
- "is-date-object": "^1.0.1",
- "is-symbol": "^1.0.2"
- }
- },
- "esbuild": {
- "version": "0.14.51",
- "resolved": "https://registry.npmmirror.com/esbuild/-/esbuild-0.14.51.tgz",
- "integrity": "sha512-+CvnDitD7Q5sT7F+FM65sWkF8wJRf+j9fPcprxYV4j+ohmzVj2W7caUqH2s5kCaCJAfcAICjSlKhDCcvDpU7nw==",
- "dev": true,
- "requires": {
- "esbuild-android-64": "0.14.51",
- "esbuild-android-arm64": "0.14.51",
- "esbuild-darwin-64": "0.14.51",
- "esbuild-darwin-arm64": "0.14.51",
- "esbuild-freebsd-64": "0.14.51",
- "esbuild-freebsd-arm64": "0.14.51",
- "esbuild-linux-32": "0.14.51",
- "esbuild-linux-64": "0.14.51",
- "esbuild-linux-arm": "0.14.51",
- "esbuild-linux-arm64": "0.14.51",
- "esbuild-linux-mips64le": "0.14.51",
- "esbuild-linux-ppc64le": "0.14.51",
- "esbuild-linux-riscv64": "0.14.51",
- "esbuild-linux-s390x": "0.14.51",
- "esbuild-netbsd-64": "0.14.51",
- "esbuild-openbsd-64": "0.14.51",
- "esbuild-sunos-64": "0.14.51",
- "esbuild-windows-32": "0.14.51",
- "esbuild-windows-64": "0.14.51",
- "esbuild-windows-arm64": "0.14.51"
- }
- },
- "esbuild-android-64": {
- "version": "0.14.51",
- "resolved": "https://registry.npmmirror.com/esbuild-android-64/-/esbuild-android-64-0.14.51.tgz",
- "integrity": "sha512-6FOuKTHnC86dtrKDmdSj2CkcKF8PnqkaIXqvgydqfJmqBazCPdw+relrMlhGjkvVdiiGV70rpdnyFmA65ekBCQ==",
- "dev": true,
- "optional": true
- },
- "esbuild-android-arm64": {
- "version": "0.14.51",
- "resolved": "https://registry.npmmirror.com/esbuild-android-arm64/-/esbuild-android-arm64-0.14.51.tgz",
- "integrity": "sha512-vBtp//5VVkZWmYYvHsqBRCMMi1MzKuMIn5XDScmnykMTu9+TD9v0NMEDqQxvtFToeYmojdo5UCV2vzMQWJcJ4A==",
- "dev": true,
- "optional": true
- },
- "esbuild-darwin-64": {
- "version": "0.14.51",
- "resolved": "https://registry.npmmirror.com/esbuild-darwin-64/-/esbuild-darwin-64-0.14.51.tgz",
- "integrity": "sha512-YFmXPIOvuagDcwCejMRtCDjgPfnDu+bNeh5FU2Ryi68ADDVlWEpbtpAbrtf/lvFTWPexbgyKgzppNgsmLPr8PA==",
- "dev": true,
- "optional": true
- },
- "esbuild-darwin-arm64": {
- "version": "0.14.51",
- "resolved": "https://registry.npmmirror.com/esbuild-darwin-arm64/-/esbuild-darwin-arm64-0.14.51.tgz",
- "integrity": "sha512-juYD0QnSKwAMfzwKdIF6YbueXzS6N7y4GXPDeDkApz/1RzlT42mvX9jgNmyOlWKN7YzQAYbcUEJmZJYQGdf2ow==",
- "dev": true,
- "optional": true
- },
- "esbuild-freebsd-64": {
- "version": "0.14.51",
- "resolved": "https://registry.npmmirror.com/esbuild-freebsd-64/-/esbuild-freebsd-64-0.14.51.tgz",
- "integrity": "sha512-cLEI/aXjb6vo5O2Y8rvVSQ7smgLldwYY5xMxqh/dQGfWO+R1NJOFsiax3IS4Ng300SVp7Gz3czxT6d6qf2cw0g==",
- "dev": true,
- "optional": true
- },
- "esbuild-freebsd-arm64": {
- "version": "0.14.51",
- "resolved": "https://registry.npmmirror.com/esbuild-freebsd-arm64/-/esbuild-freebsd-arm64-0.14.51.tgz",
- "integrity": "sha512-TcWVw/rCL2F+jUgRkgLa3qltd5gzKjIMGhkVybkjk6PJadYInPtgtUBp1/hG+mxyigaT7ib+od1Xb84b+L+1Mg==",
- "dev": true,
- "optional": true
- },
- "esbuild-linux-32": {
- "version": "0.14.51",
- "resolved": "https://registry.npmmirror.com/esbuild-linux-32/-/esbuild-linux-32-0.14.51.tgz",
- "integrity": "sha512-RFqpyC5ChyWrjx8Xj2K0EC1aN0A37H6OJfmUXIASEqJoHcntuV3j2Efr9RNmUhMfNE6yEj2VpYuDteZLGDMr0w==",
- "dev": true,
- "optional": true
- },
- "esbuild-linux-64": {
- "version": "0.14.51",
- "resolved": "https://registry.npmmirror.com/esbuild-linux-64/-/esbuild-linux-64-0.14.51.tgz",
- "integrity": "sha512-dxjhrqo5i7Rq6DXwz5v+MEHVs9VNFItJmHBe1CxROWNf4miOGoQhqSG8StStbDkQ1Mtobg6ng+4fwByOhoQoeA==",
- "dev": true,
- "optional": true
- },
- "esbuild-linux-arm": {
- "version": "0.14.51",
- "resolved": "https://registry.npmmirror.com/esbuild-linux-arm/-/esbuild-linux-arm-0.14.51.tgz",
- "integrity": "sha512-LsJynDxYF6Neg7ZC7748yweCDD+N8ByCv22/7IAZglIEniEkqdF4HCaa49JNDLw1UQGlYuhOB8ZT/MmcSWzcWg==",
- "dev": true,
- "optional": true
- },
- "esbuild-linux-arm64": {
- "version": "0.14.51",
- "resolved": "https://registry.npmmirror.com/esbuild-linux-arm64/-/esbuild-linux-arm64-0.14.51.tgz",
- "integrity": "sha512-D9rFxGutoqQX3xJPxqd6o+kvYKeIbM0ifW2y0bgKk5HPgQQOo2k9/2Vpto3ybGYaFPCE5qTGtqQta9PoP6ZEzw==",
- "dev": true,
- "optional": true
- },
- "esbuild-linux-mips64le": {
- "version": "0.14.51",
- "resolved": "https://registry.npmmirror.com/esbuild-linux-mips64le/-/esbuild-linux-mips64le-0.14.51.tgz",
- "integrity": "sha512-vS54wQjy4IinLSlb5EIlLoln8buh1yDgliP4CuEHumrPk4PvvP4kTRIG4SzMXm6t19N0rIfT4bNdAxzJLg2k6A==",
- "dev": true,
- "optional": true
- },
- "esbuild-linux-ppc64le": {
- "version": "0.14.51",
- "resolved": "https://registry.npmmirror.com/esbuild-linux-ppc64le/-/esbuild-linux-ppc64le-0.14.51.tgz",
- "integrity": "sha512-xcdd62Y3VfGoyphNP/aIV9LP+RzFw5M5Z7ja+zdpQHHvokJM7d0rlDRMN+iSSwvUymQkqZO+G/xjb4/75du8BQ==",
- "dev": true,
- "optional": true
- },
- "esbuild-linux-riscv64": {
- "version": "0.14.51",
- "resolved": "https://registry.npmmirror.com/esbuild-linux-riscv64/-/esbuild-linux-riscv64-0.14.51.tgz",
- "integrity": "sha512-syXHGak9wkAnFz0gMmRBoy44JV0rp4kVCEA36P5MCeZcxFq8+fllBC2t6sKI23w3qd8Vwo9pTADCgjTSf3L3rA==",
- "dev": true,
- "optional": true
- },
- "esbuild-linux-s390x": {
- "version": "0.14.51",
- "resolved": "https://registry.npmmirror.com/esbuild-linux-s390x/-/esbuild-linux-s390x-0.14.51.tgz",
- "integrity": "sha512-kFAJY3dv+Wq8o28K/C7xkZk/X34rgTwhknSsElIqoEo8armCOjMJ6NsMxm48KaWY2h2RUYGtQmr+RGuUPKBhyw==",
- "dev": true,
- "optional": true
- },
- "esbuild-netbsd-64": {
- "version": "0.14.51",
- "resolved": "https://registry.npmmirror.com/esbuild-netbsd-64/-/esbuild-netbsd-64-0.14.51.tgz",
- "integrity": "sha512-ZZBI7qrR1FevdPBVHz/1GSk1x5GDL/iy42Zy8+neEm/HA7ma+hH/bwPEjeHXKWUDvM36CZpSL/fn1/y9/Hb+1A==",
- "dev": true,
- "optional": true
- },
- "esbuild-openbsd-64": {
- "version": "0.14.51",
- "resolved": "https://registry.npmmirror.com/esbuild-openbsd-64/-/esbuild-openbsd-64-0.14.51.tgz",
- "integrity": "sha512-7R1/p39M+LSVQVgDVlcY1KKm6kFKjERSX1lipMG51NPcspJD1tmiZSmmBXoY5jhHIu6JL1QkFDTx94gMYK6vfA==",
- "dev": true,
- "optional": true
- },
- "esbuild-sunos-64": {
- "version": "0.14.51",
- "resolved": "https://registry.npmmirror.com/esbuild-sunos-64/-/esbuild-sunos-64-0.14.51.tgz",
- "integrity": "sha512-HoHaCswHxLEYN8eBTtyO0bFEWvA3Kdb++hSQ/lLG7TyKF69TeSG0RNoBRAs45x/oCeWaTDntEZlYwAfQlhEtJA==",
- "dev": true,
- "optional": true
- },
- "esbuild-windows-32": {
- "version": "0.14.51",
- "resolved": "https://registry.npmmirror.com/esbuild-windows-32/-/esbuild-windows-32-0.14.51.tgz",
- "integrity": "sha512-4rtwSAM35A07CBt1/X8RWieDj3ZUHQqUOaEo5ZBs69rt5WAFjP4aqCIobdqOy4FdhYw1yF8Z0xFBTyc9lgPtEg==",
- "dev": true,
- "optional": true
- },
- "esbuild-windows-64": {
- "version": "0.14.51",
- "resolved": "https://registry.npmmirror.com/esbuild-windows-64/-/esbuild-windows-64-0.14.51.tgz",
- "integrity": "sha512-HoN/5HGRXJpWODprGCgKbdMvrC3A2gqvzewu2eECRw2sYxOUoh2TV1tS+G7bHNapPGI79woQJGV6pFH7GH7qnA==",
- "dev": true,
- "optional": true
- },
- "esbuild-windows-arm64": {
- "version": "0.14.51",
- "resolved": "https://registry.npmmirror.com/esbuild-windows-arm64/-/esbuild-windows-arm64-0.14.51.tgz",
- "integrity": "sha512-JQDqPjuOH7o+BsKMSddMfmVJXrnYZxXDHsoLHc0xgmAZkOOCflRmC43q31pk79F9xuyWY45jDBPolb5ZgGOf9g==",
- "dev": true,
- "optional": true
- },
- "escalade": {
- "version": "3.1.1",
- "resolved": "https://registry.npmmirror.com/escalade/-/escalade-3.1.1.tgz",
- "integrity": "sha512-k0er2gUkLf8O0zKJiAhmkTnJlTvINGv7ygDNPbeIsX/TJjGJZHuh9B2UxbsaEkmlEo9MfhrSzmhIlhRlI2GXnw==",
- "dev": true
- },
- "escape-html": {
- "version": "1.0.3",
- "resolved": "https://registry.npmmirror.com/escape-html/-/escape-html-1.0.3.tgz",
- "integrity": "sha512-NiSupZ4OeuGwr68lGIeym/ksIZMJodUGOSCZ/FSnTxcrekbvqrgdUxlJOMpijaKZVjAJrWrGs/6Jy8OMuyj9ow=="
- },
- "escape-string-regexp": {
- "version": "1.0.5",
- "resolved": "https://registry.npmmirror.com/escape-string-regexp/-/escape-string-regexp-1.0.5.tgz",
- "integrity": "sha512-vbRorB5FUQWvla16U8R/qgaFIya2qGzwDrNmCZuYKrbdSUMG6I1ZCGQRefkRVhuOkIGVne7BQ35DSfo1qvJqFg==",
- "dev": true
- },
- "eslint": {
- "version": "8.21.0",
- "resolved": "https://registry.npmmirror.com/eslint/-/eslint-8.21.0.tgz",
- "integrity": "sha512-/XJ1+Qurf1T9G2M5IHrsjp+xrGT73RZf23xA1z5wB1ZzzEAWSZKvRwhWxTFp1rvkvCfwcvAUNAP31bhKTTGfDA==",
- "dev": true,
- "requires": {
- "@eslint/eslintrc": "^1.3.0",
- "@humanwhocodes/config-array": "^0.10.4",
- "@humanwhocodes/gitignore-to-minimatch": "^1.0.2",
- "ajv": "^6.10.0",
- "chalk": "^4.0.0",
- "cross-spawn": "^7.0.2",
- "debug": "^4.3.2",
- "doctrine": "^3.0.0",
- "escape-string-regexp": "^4.0.0",
- "eslint-scope": "^7.1.1",
- "eslint-utils": "^3.0.0",
- "eslint-visitor-keys": "^3.3.0",
- "espree": "^9.3.3",
- "esquery": "^1.4.0",
- "esutils": "^2.0.2",
- "fast-deep-equal": "^3.1.3",
- "file-entry-cache": "^6.0.1",
- "find-up": "^5.0.0",
- "functional-red-black-tree": "^1.0.1",
- "glob-parent": "^6.0.1",
- "globals": "^13.15.0",
- "globby": "^11.1.0",
- "grapheme-splitter": "^1.0.4",
- "ignore": "^5.2.0",
- "import-fresh": "^3.0.0",
- "imurmurhash": "^0.1.4",
- "is-glob": "^4.0.0",
- "js-yaml": "^4.1.0",
- "json-stable-stringify-without-jsonify": "^1.0.1",
- "levn": "^0.4.1",
- "lodash.merge": "^4.6.2",
- "minimatch": "^3.1.2",
- "natural-compare": "^1.4.0",
- "optionator": "^0.9.1",
- "regexpp": "^3.2.0",
- "strip-ansi": "^6.0.1",
- "strip-json-comments": "^3.1.0",
- "text-table": "^0.2.0",
- "v8-compile-cache": "^2.0.3"
- },
- "dependencies": {
- "ansi-styles": {
- "version": "4.3.0",
- "resolved": "https://registry.npmmirror.com/ansi-styles/-/ansi-styles-4.3.0.tgz",
- "integrity": "sha512-zbB9rCJAT1rbjiVDb2hqKFHNYLxgtk8NURxZ3IZwD3F6NtxbXZQCnnSi1Lkx+IDohdPlFp222wVALIheZJQSEg==",
- "dev": true,
- "requires": {
- "color-convert": "^2.0.1"
- }
- },
- "chalk": {
- "version": "4.1.2",
- "resolved": "https://registry.npmmirror.com/chalk/-/chalk-4.1.2.tgz",
- "integrity": "sha512-oKnbhFyRIXpUuez8iBMmyEa4nbj4IOQyuhc/wy9kY7/WVPcwIO9VA668Pu8RkO7+0G76SLROeyw9CpQ061i4mA==",
- "dev": true,
- "requires": {
- "ansi-styles": "^4.1.0",
- "supports-color": "^7.1.0"
- }
- },
- "color-convert": {
- "version": "2.0.1",
- "resolved": "https://registry.npmmirror.com/color-convert/-/color-convert-2.0.1.tgz",
- "integrity": "sha512-RRECPsj7iu/xb5oKYcsFHSppFNnsj/52OVTRKb4zP5onXwVF3zVmmToNcOfGC+CRDpfK/U584fMg38ZHCaElKQ==",
- "dev": true,
- "requires": {
- "color-name": "~1.1.4"
- }
- },
- "color-name": {
- "version": "1.1.4",
- "resolved": "https://registry.npmmirror.com/color-name/-/color-name-1.1.4.tgz",
- "integrity": "sha512-dOy+3AuW3a2wNbZHIuMZpTcgjGuLU/uBL/ubcZF9OXbDo8ff4O8yVp5Bf0efS8uEoYo5q4Fx7dY9OgQGXgAsQA==",
- "dev": true
- },
- "escape-string-regexp": {
- "version": "4.0.0",
- "resolved": "https://registry.npmmirror.com/escape-string-regexp/-/escape-string-regexp-4.0.0.tgz",
- "integrity": "sha512-TtpcNJ3XAzx3Gq8sWRzJaVajRs0uVxA2YAkdb1jm2YkPz4G6egUFAyA3n5vtEIZefPk5Wa4UXbKuS5fKkJWdgA==",
- "dev": true
- },
- "eslint-scope": {
- "version": "7.1.1",
- "resolved": "https://registry.npmmirror.com/eslint-scope/-/eslint-scope-7.1.1.tgz",
- "integrity": "sha512-QKQM/UXpIiHcLqJ5AOyIW7XZmzjkzQXYE54n1++wb0u9V/abW3l9uQnxX8Z5Xd18xyKIMTUAyQ0k1e8pz6LUrw==",
- "dev": true,
- "requires": {
- "esrecurse": "^4.3.0",
- "estraverse": "^5.2.0"
- }
- },
- "estraverse": {
- "version": "5.3.0",
- "resolved": "https://registry.npmmirror.com/estraverse/-/estraverse-5.3.0.tgz",
- "integrity": "sha512-MMdARuVEQziNTeJD8DgMqmhwR11BRQ/cBP+pLtYdSTnf3MIO8fFeiINEbX36ZdNlfU/7A9f3gUw49B3oQsvwBA==",
- "dev": true
- },
- "globals": {
- "version": "13.17.0",
- "resolved": "https://registry.npmmirror.com/globals/-/globals-13.17.0.tgz",
- "integrity": "sha512-1C+6nQRb1GwGMKm2dH/E7enFAMxGTmGI7/dEdhy/DNelv85w9B72t3uc5frtMNXIbzrarJJ/lTCjcaZwbLJmyw==",
- "dev": true,
- "requires": {
- "type-fest": "^0.20.2"
- }
- },
- "has-flag": {
- "version": "4.0.0",
- "resolved": "https://registry.npmmirror.com/has-flag/-/has-flag-4.0.0.tgz",
- "integrity": "sha512-EykJT/Q1KjTWctppgIAgfSO0tKVuZUjhgMr17kqTumMl6Afv3EISleU7qZUzoXDFTAHTDC4NOoG/ZxU3EvlMPQ==",
- "dev": true
- },
- "supports-color": {
- "version": "7.2.0",
- "resolved": "https://registry.npmmirror.com/supports-color/-/supports-color-7.2.0.tgz",
- "integrity": "sha512-qpCAvRl9stuOHveKsn7HncJRvv501qIacKzQlO/+Lwxc9+0q2wLyv4Dfvt80/DPn2pqOBsJdDiogXGR9+OvwRw==",
- "dev": true,
- "requires": {
- "has-flag": "^4.0.0"
- }
- }
- }
- },
- "eslint-config-prettier": {
- "version": "8.5.0",
- "resolved": "https://registry.npmmirror.com/eslint-config-prettier/-/eslint-config-prettier-8.5.0.tgz",
- "integrity": "sha512-obmWKLUNCnhtQRKc+tmnYuQl0pFU1ibYJQ5BGhTVB08bHe9wC8qUeG7c08dj9XX+AuPj1YSGSQIHl1pnDHZR0Q==",
- "dev": true,
- "requires": {}
- },
- "eslint-plugin-prettier": {
- "version": "4.2.1",
- "resolved": "https://registry.npmmirror.com/eslint-plugin-prettier/-/eslint-plugin-prettier-4.2.1.tgz",
- "integrity": "sha512-f/0rXLXUt0oFYs8ra4w49wYZBG5GKZpAYsJSm6rnYL5uVDjd+zowwMwVZHnAjf4edNrKpCDYfXDgmRE/Ak7QyQ==",
- "dev": true,
- "requires": {
- "prettier-linter-helpers": "^1.0.0"
- }
- },
- "eslint-plugin-vue": {
- "version": "9.3.0",
- "resolved": "https://registry.npmmirror.com/eslint-plugin-vue/-/eslint-plugin-vue-9.3.0.tgz",
- "integrity": "sha512-iscKKkBZgm6fGZwFt6poRoWC0Wy2dQOlwUPW++CiPoQiw1enctV2Hj5DBzzjJZfyqs+FAXhgzL4q0Ww03AgSmQ==",
- "dev": true,
- "requires": {
- "eslint-utils": "^3.0.0",
- "natural-compare": "^1.4.0",
- "nth-check": "^2.0.1",
- "postcss-selector-parser": "^6.0.9",
- "semver": "^7.3.5",
- "vue-eslint-parser": "^9.0.1",
- "xml-name-validator": "^4.0.0"
- },
- "dependencies": {
- "semver": {
- "version": "7.3.7",
- "resolved": "https://registry.npmmirror.com/semver/-/semver-7.3.7.tgz",
- "integrity": "sha512-QlYTucUYOews+WeEujDoEGziz4K6c47V/Bd+LjSSYcA94p+DmINdf7ncaUinThfvZyu13lN9OY1XDxt8C0Tw0g==",
- "dev": true,
- "requires": {
- "lru-cache": "^6.0.0"
- }
- }
- }
- },
- "eslint-scope": {
- "version": "5.1.1",
- "resolved": "https://registry.npmmirror.com/eslint-scope/-/eslint-scope-5.1.1.tgz",
- "integrity": "sha512-2NxwbF/hZ0KpepYN0cNbo+FN6XoK7GaHlQhgx/hIZl6Va0bF45RQOOwhLIy8lQDbuCiadSLCBnH2CFYquit5bw==",
- "dev": true,
- "requires": {
- "esrecurse": "^4.3.0",
- "estraverse": "^4.1.1"
- }
- },
- "eslint-utils": {
- "version": "3.0.0",
- "resolved": "https://registry.npmmirror.com/eslint-utils/-/eslint-utils-3.0.0.tgz",
- "integrity": "sha512-uuQC43IGctw68pJA1RgbQS8/NP7rch6Cwd4j3ZBtgo4/8Flj4eGE7ZYSZRN3iq5pVUv6GPdW5Z1RFleo84uLDA==",
- "dev": true,
- "requires": {
- "eslint-visitor-keys": "^2.0.0"
- },
- "dependencies": {
- "eslint-visitor-keys": {
- "version": "2.1.0",
- "resolved": "https://registry.npmmirror.com/eslint-visitor-keys/-/eslint-visitor-keys-2.1.0.tgz",
- "integrity": "sha512-0rSmRBzXgDzIsD6mGdJgevzgezI534Cer5L/vyMX0kHzT/jiB43jRhd9YUlMGYLQy2zprNmoT8qasCGtY+QaKw==",
- "dev": true
- }
- }
- },
- "eslint-visitor-keys": {
- "version": "3.3.0",
- "resolved": "https://registry.npmmirror.com/eslint-visitor-keys/-/eslint-visitor-keys-3.3.0.tgz",
- "integrity": "sha512-mQ+suqKJVyeuwGYHAdjMFqjCyfl8+Ldnxuyp3ldiMBFKkvytrXUZWaiPCEav8qDHKty44bD+qV1IP4T+w+xXRA==",
- "dev": true
- },
- "espree": {
- "version": "9.3.3",
- "resolved": "https://registry.npmmirror.com/espree/-/espree-9.3.3.tgz",
- "integrity": "sha512-ORs1Rt/uQTqUKjDdGCyrtYxbazf5umATSf/K4qxjmZHORR6HJk+2s/2Pqe+Kk49HHINC/xNIrGfgh8sZcll0ng==",
- "dev": true,
- "requires": {
- "acorn": "^8.8.0",
- "acorn-jsx": "^5.3.2",
- "eslint-visitor-keys": "^3.3.0"
- }
- },
- "esquery": {
- "version": "1.4.0",
- "resolved": "https://registry.npmmirror.com/esquery/-/esquery-1.4.0.tgz",
- "integrity": "sha512-cCDispWt5vHHtwMY2YrAQ4ibFkAL8RbH5YGBnZBc90MolvvfkkQcJro/aZiAQUlQ3qgrYS6D6v8Gc5G5CQsc9w==",
- "dev": true,
- "requires": {
- "estraverse": "^5.1.0"
- },
- "dependencies": {
- "estraverse": {
- "version": "5.3.0",
- "resolved": "https://registry.npmmirror.com/estraverse/-/estraverse-5.3.0.tgz",
- "integrity": "sha512-MMdARuVEQziNTeJD8DgMqmhwR11BRQ/cBP+pLtYdSTnf3MIO8fFeiINEbX36ZdNlfU/7A9f3gUw49B3oQsvwBA==",
- "dev": true
- }
- }
- },
- "esrecurse": {
- "version": "4.3.0",
- "resolved": "https://registry.npmmirror.com/esrecurse/-/esrecurse-4.3.0.tgz",
- "integrity": "sha512-KmfKL3b6G+RXvP8N1vr3Tq1kL/oCFgn2NYXEtqP8/L3pKapUA4G8cFVaoF3SU323CD4XypR/ffioHmkti6/Tag==",
- "dev": true,
- "requires": {
- "estraverse": "^5.2.0"
- },
- "dependencies": {
- "estraverse": {
- "version": "5.3.0",
- "resolved": "https://registry.npmmirror.com/estraverse/-/estraverse-5.3.0.tgz",
- "integrity": "sha512-MMdARuVEQziNTeJD8DgMqmhwR11BRQ/cBP+pLtYdSTnf3MIO8fFeiINEbX36ZdNlfU/7A9f3gUw49B3oQsvwBA==",
- "dev": true
- }
- }
- },
- "estraverse": {
- "version": "4.3.0",
- "resolved": "https://registry.npmmirror.com/estraverse/-/estraverse-4.3.0.tgz",
- "integrity": "sha512-39nnKffWz8xN1BU/2c79n9nB9HDzo0niYUqx6xyqUnyoAnQyyWpOTdZEeiCch8BBu515t4wp9ZmgVfVhn9EBpw==",
- "dev": true
- },
- "estree-walker": {
- "version": "2.0.2",
- "resolved": "https://registry.npmmirror.com/estree-walker/-/estree-walker-2.0.2.tgz",
- "integrity": "sha512-Rfkk/Mp/DL7JVje3u18FxFujQlTNR2q6QfMSMB7AvCBx91NGj/ba3kCfza0f6dVDbw7YlRf/nDrn7pQrCCyQ/w=="
- },
- "esutils": {
- "version": "2.0.3",
- "resolved": "https://registry.npmmirror.com/esutils/-/esutils-2.0.3.tgz",
- "integrity": "sha512-kVscqXk4OCp68SZ0dkgEKVi6/8ij300KBWTJq32P/dYeWTSwK41WyTxalN1eRmA5Z9UU/LX9D7FWSmV9SAYx6g==",
- "dev": true
- },
- "execa": {
- "version": "5.1.1",
- "resolved": "https://registry.npmmirror.com/execa/-/execa-5.1.1.tgz",
- "integrity": "sha512-8uSpZZocAZRBAPIEINJj3Lo9HyGitllczc27Eh5YYojjMFMn8yHMDMaUHE2Jqfq05D/wucwI4JGURyXt1vchyg==",
- "dev": true,
- "requires": {
- "cross-spawn": "^7.0.3",
- "get-stream": "^6.0.0",
- "human-signals": "^2.1.0",
- "is-stream": "^2.0.0",
- "merge-stream": "^2.0.0",
- "npm-run-path": "^4.0.1",
- "onetime": "^5.1.2",
- "signal-exit": "^3.0.3",
- "strip-final-newline": "^2.0.0"
- }
- },
- "fast-deep-equal": {
- "version": "3.1.3",
- "resolved": "https://registry.npmmirror.com/fast-deep-equal/-/fast-deep-equal-3.1.3.tgz",
- "integrity": "sha512-f3qQ9oQy9j2AhBe/H9VC91wLmKBCCU/gDOnKNAYG5hswO7BLKj09Hc5HYNz9cGI++xlpDCIgDaitVs03ATR84Q==",
- "dev": true
- },
- "fast-diff": {
- "version": "1.2.0",
- "resolved": "https://registry.npmmirror.com/fast-diff/-/fast-diff-1.2.0.tgz",
- "integrity": "sha512-xJuoT5+L99XlZ8twedaRf6Ax2TgQVxvgZOYoPKqZufmJib0tL2tegPBOZb1pVNgIhlqDlA0eO0c3wBvQcmzx4w==",
- "dev": true
- },
- "fast-glob": {
- "version": "3.2.11",
- "resolved": "https://registry.npmmirror.com/fast-glob/-/fast-glob-3.2.11.tgz",
- "integrity": "sha512-xrO3+1bxSo3ZVHAnqzyuewYT6aMFHRAd4Kcs92MAonjwQZLsK9d0SF1IyQ3k5PoirxTW0Oe/RqFgMQ6TcNE5Ew==",
- "dev": true,
- "requires": {
- "@nodelib/fs.stat": "^2.0.2",
- "@nodelib/fs.walk": "^1.2.3",
- "glob-parent": "^5.1.2",
- "merge2": "^1.3.0",
- "micromatch": "^4.0.4"
- },
- "dependencies": {
- "glob-parent": {
- "version": "5.1.2",
- "resolved": "https://registry.npmmirror.com/glob-parent/-/glob-parent-5.1.2.tgz",
- "integrity": "sha512-AOIgSQCepiJYwP3ARnGx+5VnTu2HBYdzbGP45eLw1vr3zB3vZLeyed1sC9hnbcOc9/SrMyM5RPQrkGz4aS9Zow==",
- "dev": true,
- "requires": {
- "is-glob": "^4.0.1"
- }
- }
- }
- },
- "fast-json-stable-stringify": {
- "version": "2.1.0",
- "resolved": "https://registry.npmmirror.com/fast-json-stable-stringify/-/fast-json-stable-stringify-2.1.0.tgz",
- "integrity": "sha512-lhd/wF+Lk98HZoTCtlVraHtfh5XYijIjalXck7saUtuanSDyLMxnHhSXEDJqHxD7msR8D0uCmqlkwjCV8xvwHw==",
- "dev": true
- },
- "fast-levenshtein": {
- "version": "2.0.6",
- "resolved": "https://registry.npmmirror.com/fast-levenshtein/-/fast-levenshtein-2.0.6.tgz",
- "integrity": "sha512-DCXu6Ifhqcks7TZKY3Hxp3y6qphY5SJZmrWMDrKcERSOXWQdMhU9Ig/PYrzyw/ul9jOIyh0N4M0tbC5hodg8dw==",
- "dev": true
- },
- "fastq": {
- "version": "1.13.0",
- "resolved": "https://registry.npmmirror.com/fastq/-/fastq-1.13.0.tgz",
- "integrity": "sha512-YpkpUnK8od0o1hmeSc7UUs/eB/vIPWJYjKck2QKIzAf71Vm1AAQ3EbuZB3g2JIy+pg+ERD0vqI79KyZiB2e2Nw==",
- "dev": true,
- "requires": {
- "reusify": "^1.0.4"
- }
- },
- "file-entry-cache": {
- "version": "6.0.1",
- "resolved": "https://registry.npmmirror.com/file-entry-cache/-/file-entry-cache-6.0.1.tgz",
- "integrity": "sha512-7Gps/XWymbLk2QLYK4NzpMOrYjMhdIxXuIvy2QBsLE6ljuodKvdkWs/cpyJJ3CVIVpH0Oi1Hvg1ovbMzLdFBBg==",
- "dev": true,
- "requires": {
- "flat-cache": "^3.0.4"
- }
- },
- "fill-range": {
- "version": "7.0.1",
- "resolved": "https://registry.npmmirror.com/fill-range/-/fill-range-7.0.1.tgz",
- "integrity": "sha512-qOo9F+dMUmC2Lcb4BbVvnKJxTPjCm+RRpe4gDuGrzkL7mEVl/djYSu2OdQ2Pa302N4oqkSg9ir6jaLWJ2USVpQ==",
- "dev": true,
- "requires": {
- "to-regex-range": "^5.0.1"
- }
- },
- "find-up": {
- "version": "5.0.0",
- "resolved": "https://registry.npmmirror.com/find-up/-/find-up-5.0.0.tgz",
- "integrity": "sha512-78/PXT1wlLLDgTzDs7sjq9hzz0vXD+zn+7wypEe4fXQxCmdmqfGsEPQxmiCSQI3ajFV91bVSsvNtrJRiW6nGng==",
- "dev": true,
- "requires": {
- "locate-path": "^6.0.0",
- "path-exists": "^4.0.0"
- }
- },
- "flat-cache": {
- "version": "3.0.4",
- "resolved": "https://registry.npmmirror.com/flat-cache/-/flat-cache-3.0.4.tgz",
- "integrity": "sha512-dm9s5Pw7Jc0GvMYbshN6zchCA9RgQlzzEZX3vylR9IqFfS8XciblUXOKfW6SiuJ0e13eDYZoZV5wdrev7P3Nwg==",
- "dev": true,
- "requires": {
- "flatted": "^3.1.0",
- "rimraf": "^3.0.2"
- }
- },
- "flatted": {
- "version": "3.2.6",
- "resolved": "https://registry.npmmirror.com/flatted/-/flatted-3.2.6.tgz",
- "integrity": "sha512-0sQoMh9s0BYsm+12Huy/rkKxVu4R1+r96YX5cG44rHV0pQ6iC3Q+mkoMFaGWObMFYQxCVT+ssG1ksneA2MI9KQ==",
- "dev": true
- },
- "fraction.js": {
- "version": "4.2.0",
- "resolved": "https://registry.npmmirror.com/fraction.js/-/fraction.js-4.2.0.tgz",
- "integrity": "sha512-MhLuK+2gUcnZe8ZHlaaINnQLl0xRIGRfcGk2yl8xoQAfHrSsL3rYu6FCmBdkdbhc9EPlwyGHewaRsvwRMJtAlA==",
- "dev": true
- },
- "fs-extra": {
- "version": "10.1.0",
- "resolved": "https://registry.npmmirror.com/fs-extra/-/fs-extra-10.1.0.tgz",
- "integrity": "sha512-oRXApq54ETRj4eMiFzGnHWGy+zo5raudjuxN0b8H7s/RU2oW0Wvsx9O0ACRN/kRq9E8Vu/ReskGB5o3ji+FzHQ==",
- "dev": true,
- "requires": {
- "graceful-fs": "^4.2.0",
- "jsonfile": "^6.0.1",
- "universalify": "^2.0.0"
- }
- },
- "fs.realpath": {
- "version": "1.0.0",
- "resolved": "https://registry.npmmirror.com/fs.realpath/-/fs.realpath-1.0.0.tgz",
- "integrity": "sha512-OO0pH2lK6a0hZnAdau5ItzHPI6pUlvI7jMVnxUQRtw4owF2wk8lOSabtGDCTP4Ggrg2MbGnWO9X8K1t4+fGMDw==",
- "dev": true
- },
- "fsevents": {
- "version": "2.3.2",
- "resolved": "https://registry.npmmirror.com/fsevents/-/fsevents-2.3.2.tgz",
- "integrity": "sha512-xiqMQR4xAeHTuB9uWm+fFRcIOgKBMiOBP+eXiyT7jsgVCq1bkVygt00oASowB7EdtpOHaaPgKt812P9ab+DDKA==",
- "dev": true,
- "optional": true
- },
- "function-bind": {
- "version": "1.1.1",
- "resolved": "https://registry.npmmirror.com/function-bind/-/function-bind-1.1.1.tgz",
- "integrity": "sha512-yIovAzMX49sF8Yl58fSCWJ5svSLuaibPxXQJFLmBObTuCr0Mf1KiPopGM9NiFjiYBCbfaa2Fh6breQ6ANVTI0A==",
- "dev": true
- },
- "function.prototype.name": {
- "version": "1.1.5",
- "resolved": "https://registry.npmmirror.com/function.prototype.name/-/function.prototype.name-1.1.5.tgz",
- "integrity": "sha512-uN7m/BzVKQnCUF/iW8jYea67v++2u7m5UgENbHRtdDVclOUP+FMPlCNdmk0h/ysGyo2tavMJEDqJAkJdRa1vMA==",
- "dev": true,
- "requires": {
- "call-bind": "^1.0.2",
- "define-properties": "^1.1.3",
- "es-abstract": "^1.19.0",
- "functions-have-names": "^1.2.2"
- }
- },
- "functional-red-black-tree": {
- "version": "1.0.1",
- "resolved": "https://registry.npmmirror.com/functional-red-black-tree/-/functional-red-black-tree-1.0.1.tgz",
- "integrity": "sha512-dsKNQNdj6xA3T+QlADDA7mOSlX0qiMINjn0cgr+eGHGsbSHzTabcIogz2+p/iqP1Xs6EP/sS2SbqH+brGTbq0g==",
- "dev": true
- },
- "functions-have-names": {
- "version": "1.2.3",
- "resolved": "https://registry.npmmirror.com/functions-have-names/-/functions-have-names-1.2.3.tgz",
- "integrity": "sha512-xckBUXyTIqT97tq2x2AMb+g163b5JFysYk0x4qxNFwbfQkmNZoiRHb6sPzI9/QV33WeuvVYBUIiD4NzNIyqaRQ==",
- "dev": true
- },
- "gensync": {
- "version": "1.0.0-beta.2",
- "resolved": "https://registry.npmmirror.com/gensync/-/gensync-1.0.0-beta.2.tgz",
- "integrity": "sha512-3hN7NaskYvMDLQY55gnW3NQ+mesEAepTqlg+VEbj7zzqEMBVNhzcGYYeqFo/TlYz6eQiFcp1HcsCZO+nGgS8zg==",
- "dev": true
- },
- "get-caller-file": {
- "version": "2.0.5",
- "resolved": "https://registry.npmmirror.com/get-caller-file/-/get-caller-file-2.0.5.tgz",
- "integrity": "sha512-DyFP3BM/3YHTQOCUL/w0OZHR0lpKeGrxotcHWcqNEdnltqFwXVfhEBQ94eIo34AfQpo0rGki4cyIiftY06h2Fg==",
- "dev": true
- },
- "get-intrinsic": {
- "version": "1.1.2",
- "resolved": "https://registry.npmmirror.com/get-intrinsic/-/get-intrinsic-1.1.2.tgz",
- "integrity": "sha512-Jfm3OyCxHh9DJyc28qGk+JmfkpO41A4XkneDSujN9MDXrm4oDKdHvndhZ2dN94+ERNfkYJWDclW6k2L/ZGHjXA==",
- "dev": true,
- "requires": {
- "function-bind": "^1.1.1",
- "has": "^1.0.3",
- "has-symbols": "^1.0.3"
- }
- },
- "get-stream": {
- "version": "6.0.1",
- "resolved": "https://registry.npmmirror.com/get-stream/-/get-stream-6.0.1.tgz",
- "integrity": "sha512-ts6Wi+2j3jQjqi70w5AlN8DFnkSwC+MqmxEzdEALB2qXZYV3X/b1CTfgPLGJNMeAWxdPfU8FO1ms3NUfaHCPYg==",
- "dev": true
- },
- "get-symbol-description": {
- "version": "1.0.0",
- "resolved": "https://registry.npmmirror.com/get-symbol-description/-/get-symbol-description-1.0.0.tgz",
- "integrity": "sha512-2EmdH1YvIQiZpltCNgkuiUnyukzxM/R6NDJX31Ke3BG1Nq5b0S2PhX59UKi9vZpPDQVdqn+1IcaAwnzTT5vCjw==",
- "dev": true,
- "requires": {
- "call-bind": "^1.0.2",
- "get-intrinsic": "^1.1.1"
- }
- },
- "git-raw-commits": {
- "version": "2.0.11",
- "resolved": "https://registry.npmmirror.com/git-raw-commits/-/git-raw-commits-2.0.11.tgz",
- "integrity": "sha512-VnctFhw+xfj8Va1xtfEqCUD2XDrbAPSJx+hSrE5K7fGdjZruW7XV+QOrN7LF/RJyvspRiD2I0asWsxFp0ya26A==",
- "dev": true,
- "requires": {
- "dargs": "^7.0.0",
- "lodash": "^4.17.15",
- "meow": "^8.0.0",
- "split2": "^3.0.0",
- "through2": "^4.0.0"
- }
- },
- "glob": {
- "version": "7.2.3",
- "resolved": "https://registry.npmmirror.com/glob/-/glob-7.2.3.tgz",
- "integrity": "sha512-nFR0zLpU2YCaRxwoCJvL6UvCH2JFyFVIvwTLsIf21AuHlMskA1hhTdk+LlYJtOlYt9v6dvszD2BGRqBL+iQK9Q==",
- "dev": true,
- "requires": {
- "fs.realpath": "^1.0.0",
- "inflight": "^1.0.4",
- "inherits": "2",
- "minimatch": "^3.1.1",
- "once": "^1.3.0",
- "path-is-absolute": "^1.0.0"
- }
- },
- "glob-parent": {
- "version": "6.0.2",
- "resolved": "https://registry.npmmirror.com/glob-parent/-/glob-parent-6.0.2.tgz",
- "integrity": "sha512-XxwI8EOhVQgWp6iDL+3b0r86f4d6AX6zSU55HfB4ydCEuXLXc5FcYeOu+nnGftS4TEju/11rt4KJPTMgbfmv4A==",
- "dev": true,
- "requires": {
- "is-glob": "^4.0.3"
- }
- },
- "global-dirs": {
- "version": "0.1.1",
- "resolved": "https://registry.npmmirror.com/global-dirs/-/global-dirs-0.1.1.tgz",
- "integrity": "sha512-NknMLn7F2J7aflwFOlGdNIuCDpN3VGoSoB+aap3KABFWbHVn1TCgFC+np23J8W2BiZbjfEw3BFBycSMv1AFblg==",
- "dev": true,
- "requires": {
- "ini": "^1.3.4"
- }
- },
- "globals": {
- "version": "11.12.0",
- "resolved": "https://registry.npmmirror.com/globals/-/globals-11.12.0.tgz",
- "integrity": "sha512-WOBp/EEGUiIsJSp7wcv/y6MO+lV9UoncWqxuFfm8eBwzWNgyfBd6Gz+IeKQ9jCmyhoH99g15M3T+QaVHFjizVA==",
- "dev": true
- },
- "globby": {
- "version": "11.1.0",
- "resolved": "https://registry.npmmirror.com/globby/-/globby-11.1.0.tgz",
- "integrity": "sha512-jhIXaOzy1sb8IyocaruWSn1TjmnBVs8Ayhcy83rmxNJ8q2uWKCAj3CnJY+KpGSXCueAPc0i05kVvVKtP1t9S3g==",
- "dev": true,
- "requires": {
- "array-union": "^2.1.0",
- "dir-glob": "^3.0.1",
- "fast-glob": "^3.2.9",
- "ignore": "^5.2.0",
- "merge2": "^1.4.1",
- "slash": "^3.0.0"
- }
- },
- "graceful-fs": {
- "version": "4.2.10",
- "resolved": "https://registry.npmmirror.com/graceful-fs/-/graceful-fs-4.2.10.tgz",
- "integrity": "sha512-9ByhssR2fPVsNZj478qUUbKfmL0+t5BDVyjShtyZZLiK7ZDAArFFfopyOTj0M05wE2tJPisA4iTnnXl2YoPvOA==",
- "dev": true
- },
- "grapheme-splitter": {
- "version": "1.0.4",
- "resolved": "https://registry.npmmirror.com/grapheme-splitter/-/grapheme-splitter-1.0.4.tgz",
- "integrity": "sha512-bzh50DW9kTPM00T8y4o8vQg89Di9oLJVLW/KaOGIXJWP/iqCN6WKYkbNOF04vFLJhwcpYUh9ydh/+5vpOqV4YQ==",
- "dev": true
- },
- "hard-rejection": {
- "version": "2.1.0",
- "resolved": "https://registry.npmmirror.com/hard-rejection/-/hard-rejection-2.1.0.tgz",
- "integrity": "sha512-VIZB+ibDhx7ObhAe7OVtoEbuP4h/MuOTHJ+J8h/eBXotJYl0fBgR72xDFCKgIh22OJZIOVNxBMWuhAr10r8HdA==",
- "dev": true
- },
- "has": {
- "version": "1.0.3",
- "resolved": "https://registry.npmmirror.com/has/-/has-1.0.3.tgz",
- "integrity": "sha512-f2dvO0VU6Oej7RkWJGrehjbzMAjFp5/VKPp5tTpWIV4JHHZK1/BxbFRtf/siA2SWTe09caDmVtYYzWEIbBS4zw==",
- "dev": true,
- "requires": {
- "function-bind": "^1.1.1"
- }
- },
- "has-bigints": {
- "version": "1.0.2",
- "resolved": "https://registry.npmmirror.com/has-bigints/-/has-bigints-1.0.2.tgz",
- "integrity": "sha512-tSvCKtBr9lkF0Ex0aQiP9N+OpV4zi2r/Nee5VkRDbaqv35RLYMzbwQfFSZZH0kR+Rd6302UJZ2p/bJCEoR3VoQ==",
- "dev": true
- },
- "has-flag": {
- "version": "3.0.0",
- "resolved": "https://registry.npmmirror.com/has-flag/-/has-flag-3.0.0.tgz",
- "integrity": "sha512-sKJf1+ceQBr4SMkvQnBDNDtf4TXpVhVGateu0t918bl30FnbE2m4vNLX+VWe/dpjlb+HugGYzW7uQXH98HPEYw==",
- "dev": true
- },
- "has-property-descriptors": {
- "version": "1.0.0",
- "resolved": "https://registry.npmmirror.com/has-property-descriptors/-/has-property-descriptors-1.0.0.tgz",
- "integrity": "sha512-62DVLZGoiEBDHQyqG4w9xCuZ7eJEwNmJRWw2VY84Oedb7WFcA27fiEVe8oUQx9hAUJ4ekurquucTGwsyO1XGdQ==",
- "dev": true,
- "requires": {
- "get-intrinsic": "^1.1.1"
- }
- },
- "has-symbols": {
- "version": "1.0.3",
- "resolved": "https://registry.npmmirror.com/has-symbols/-/has-symbols-1.0.3.tgz",
- "integrity": "sha512-l3LCuF6MgDNwTDKkdYGEihYjt5pRPbEg46rtlmnSPlUbgmB8LOIrKJbYYFBSbnPaJexMKtiPO8hmeRjRz2Td+A==",
- "dev": true
- },
- "has-tostringtag": {
- "version": "1.0.0",
- "resolved": "https://registry.npmmirror.com/has-tostringtag/-/has-tostringtag-1.0.0.tgz",
- "integrity": "sha512-kFjcSNhnlGV1kyoGk7OXKSawH5JOb/LzUc5w9B02hOTO0dfFRjbHQKvg1d6cf3HbeUmtU9VbbV3qzZ2Teh97WQ==",
- "dev": true,
- "requires": {
- "has-symbols": "^1.0.2"
- }
- },
- "hosted-git-info": {
- "version": "2.8.9",
- "resolved": "https://registry.npmmirror.com/hosted-git-info/-/hosted-git-info-2.8.9.tgz",
- "integrity": "sha512-mxIDAb9Lsm6DoOJ7xH+5+X4y1LU/4Hi50L9C5sIswK3JzULS4bwk1FvjdBgvYR4bzT4tuUQiC15FE2f5HbLvYw==",
- "dev": true
- },
- "html-tags": {
- "version": "3.2.0",
- "resolved": "https://registry.npmmirror.com/html-tags/-/html-tags-3.2.0.tgz",
- "integrity": "sha512-vy7ClnArOZwCnqZgvv+ddgHgJiAFXe3Ge9ML5/mBctVJoUoYPCdxVucOywjDARn6CVoh3dRSFdPHy2sX80L0Wg==",
- "dev": true
- },
- "human-signals": {
- "version": "2.1.0",
- "resolved": "https://registry.npmmirror.com/human-signals/-/human-signals-2.1.0.tgz",
- "integrity": "sha512-B4FFZ6q/T2jhhksgkbEW3HBvWIfDW85snkQgawt07S7J5QXTk6BkNV+0yAeZrM5QpMAdYlocGoljn0sJ/WQkFw==",
- "dev": true
- },
- "husky": {
- "version": "8.0.1",
- "resolved": "https://registry.npmmirror.com/husky/-/husky-8.0.1.tgz",
- "integrity": "sha512-xs7/chUH/CKdOCs7Zy0Aev9e/dKOMZf3K1Az1nar3tzlv0jfqnYtu235bstsWTmXOR0EfINrPa97yy4Lz6RiKw==",
- "dev": true
- },
- "ignore": {
- "version": "5.2.0",
- "resolved": "https://registry.npmmirror.com/ignore/-/ignore-5.2.0.tgz",
- "integrity": "sha512-CmxgYGiEPCLhfLnpPp1MoRmifwEIOgjcHXxOBjv7mY96c+eWScsOP9c112ZyLdWHi0FxHjI+4uVhKYp/gcdRmQ==",
- "dev": true
- },
- "immutable": {
- "version": "4.1.0",
- "resolved": "https://registry.npmmirror.com/immutable/-/immutable-4.1.0.tgz",
- "integrity": "sha512-oNkuqVTA8jqG1Q6c+UglTOD1xhC1BtjKI7XkCXRkZHrN5m18/XsnUp8Q89GkQO/z+0WjonSvl0FLhDYftp46nQ==",
- "dev": true
- },
- "import-fresh": {
- "version": "3.3.0",
- "resolved": "https://registry.npmmirror.com/import-fresh/-/import-fresh-3.3.0.tgz",
- "integrity": "sha512-veYYhQa+D1QBKznvhUHxb8faxlrwUnxseDAbAp457E0wLNio2bOSKnjYDhMj+YiAq61xrMGhQk9iXVk5FzgQMw==",
- "dev": true,
- "requires": {
- "parent-module": "^1.0.0",
- "resolve-from": "^4.0.0"
- }
- },
- "imurmurhash": {
- "version": "0.1.4",
- "resolved": "https://registry.npmmirror.com/imurmurhash/-/imurmurhash-0.1.4.tgz",
- "integrity": "sha512-JmXMZ6wuvDmLiHEml9ykzqO6lwFbof0GG4IkcGaENdCRDDmMVnny7s5HsIgHCbaq0w2MyPhDqkhTUgS2LU2PHA==",
- "dev": true
- },
- "indent-string": {
- "version": "4.0.0",
- "resolved": "https://registry.npmmirror.com/indent-string/-/indent-string-4.0.0.tgz",
- "integrity": "sha512-EdDDZu4A2OyIK7Lr/2zG+w5jmbuk1DVBnEwREQvBzspBJkCEbRa8GxU1lghYcaGJCnRWibjDXlq779X1/y5xwg==",
- "dev": true
- },
- "inflight": {
- "version": "1.0.6",
- "resolved": "https://registry.npmmirror.com/inflight/-/inflight-1.0.6.tgz",
- "integrity": "sha512-k92I/b08q4wvFscXCLvqfsHCrjrF7yiXsQuIVvVE7N82W3+aqpzuUdBbfhWcy/FZR3/4IgflMgKLOsvPDrGCJA==",
- "dev": true,
- "requires": {
- "once": "^1.3.0",
- "wrappy": "1"
- }
- },
- "inherits": {
- "version": "2.0.4",
- "resolved": "https://registry.npmmirror.com/inherits/-/inherits-2.0.4.tgz",
- "integrity": "sha512-k/vGaX4/Yla3WzyMCvTQOXYeIHvqOKtnqBduzTHpzpQZzAskKMhZ2K+EnBiSM9zGSoIFeMpXKxa4dYeZIQqewQ==",
- "dev": true
- },
- "ini": {
- "version": "1.3.8",
- "resolved": "https://registry.npmmirror.com/ini/-/ini-1.3.8.tgz",
- "integrity": "sha512-JV/yugV2uzW5iMRSiZAyDtQd+nxtUnjeLt0acNdw98kKLrvuRVyB80tsREOE7yvGVgalhZ6RNXCmEHkUKBKxew==",
- "dev": true
- },
- "internal-slot": {
- "version": "1.0.3",
- "resolved": "https://registry.npmmirror.com/internal-slot/-/internal-slot-1.0.3.tgz",
- "integrity": "sha512-O0DB1JC/sPyZl7cIo78n5dR7eUSwwpYPiXRhTzNxZVAMUuB8vlnRFyLxdrVToks6XPLVnFfbzaVd5WLjhgg+vA==",
- "dev": true,
- "requires": {
- "get-intrinsic": "^1.1.0",
- "has": "^1.0.3",
- "side-channel": "^1.0.4"
- }
- },
- "is-arrayish": {
- "version": "0.2.1",
- "resolved": "https://registry.npmmirror.com/is-arrayish/-/is-arrayish-0.2.1.tgz",
- "integrity": "sha512-zz06S8t0ozoDXMG+ube26zeCTNXcKIPJZJi8hBrF4idCLms4CG9QtK7qBl1boi5ODzFpjswb5JPmHCbMpjaYzg==",
- "dev": true
- },
- "is-bigint": {
- "version": "1.0.4",
- "resolved": "https://registry.npmmirror.com/is-bigint/-/is-bigint-1.0.4.tgz",
- "integrity": "sha512-zB9CruMamjym81i2JZ3UMn54PKGsQzsJeo6xvN3HJJ4CAsQNB6iRutp2To77OfCNuoxspsIhzaPoO1zyCEhFOg==",
- "dev": true,
- "requires": {
- "has-bigints": "^1.0.1"
- }
- },
- "is-binary-path": {
- "version": "2.1.0",
- "resolved": "https://registry.npmmirror.com/is-binary-path/-/is-binary-path-2.1.0.tgz",
- "integrity": "sha512-ZMERYes6pDydyuGidse7OsHxtbI7WVeUEozgR/g7rd0xUimYNlvZRE/K2MgZTjWy725IfelLeVcEM97mmtRGXw==",
- "dev": true,
- "requires": {
- "binary-extensions": "^2.0.0"
- }
- },
- "is-boolean-object": {
- "version": "1.1.2",
- "resolved": "https://registry.npmmirror.com/is-boolean-object/-/is-boolean-object-1.1.2.tgz",
- "integrity": "sha512-gDYaKHJmnj4aWxyj6YHyXVpdQawtVLHU5cb+eztPGczf6cjuTdwve5ZIEfgXqH4e57An1D1AKf8CZ3kYrQRqYA==",
- "dev": true,
- "requires": {
- "call-bind": "^1.0.2",
- "has-tostringtag": "^1.0.0"
- }
- },
- "is-callable": {
- "version": "1.2.4",
- "resolved": "https://registry.npmmirror.com/is-callable/-/is-callable-1.2.4.tgz",
- "integrity": "sha512-nsuwtxZfMX67Oryl9LCQ+upnC0Z0BgpwntpS89m1H/TLF0zNfzfLMV/9Wa/6MZsj0acpEjAO0KF1xT6ZdLl95w==",
- "dev": true
- },
- "is-core-module": {
- "version": "2.9.0",
- "resolved": "https://registry.npmmirror.com/is-core-module/-/is-core-module-2.9.0.tgz",
- "integrity": "sha512-+5FPy5PnwmO3lvfMb0AsoPaBG+5KHUI0wYFXOtYPnVVVspTFUuMZNfNaNVRt3FZadstu2c8x23vykRW/NBoU6A==",
- "dev": true,
- "requires": {
- "has": "^1.0.3"
- }
- },
- "is-date-object": {
- "version": "1.0.5",
- "resolved": "https://registry.npmmirror.com/is-date-object/-/is-date-object-1.0.5.tgz",
- "integrity": "sha512-9YQaSxsAiSwcvS33MBk3wTCVnWK+HhF8VZR2jRxehM16QcVOdHqPn4VPHmRK4lSr38n9JriurInLcP90xsYNfQ==",
- "dev": true,
- "requires": {
- "has-tostringtag": "^1.0.0"
- }
- },
- "is-extglob": {
- "version": "2.1.1",
- "resolved": "https://registry.npmmirror.com/is-extglob/-/is-extglob-2.1.1.tgz",
- "integrity": "sha512-SbKbANkN603Vi4jEZv49LeVJMn4yGwsbzZworEoyEiutsN3nJYdbO36zfhGJ6QEDpOZIFkDtnq5JRxmvl3jsoQ==",
- "dev": true
- },
- "is-fullwidth-code-point": {
- "version": "3.0.0",
- "resolved": "https://registry.npmmirror.com/is-fullwidth-code-point/-/is-fullwidth-code-point-3.0.0.tgz",
- "integrity": "sha512-zymm5+u+sCsSWyD9qNaejV3DFvhCKclKdizYaJUuHA83RLjb7nSuGnddCHGv0hk+KY7BMAlsWeK4Ueg6EV6XQg==",
- "dev": true
- },
- "is-glob": {
- "version": "4.0.3",
- "resolved": "https://registry.npmmirror.com/is-glob/-/is-glob-4.0.3.tgz",
- "integrity": "sha512-xelSayHH36ZgE7ZWhli7pW34hNbNl8Ojv5KVmkJD4hBdD3th8Tfk9vYasLM+mXWOZhFkgZfxhLSnrwRr4elSSg==",
- "dev": true,
- "requires": {
- "is-extglob": "^2.1.1"
- }
- },
- "is-negative-zero": {
- "version": "2.0.2",
- "resolved": "https://registry.npmmirror.com/is-negative-zero/-/is-negative-zero-2.0.2.tgz",
- "integrity": "sha512-dqJvarLawXsFbNDeJW7zAz8ItJ9cd28YufuuFzh0G8pNHjJMnY08Dv7sYX2uF5UpQOwieAeOExEYAWWfu7ZZUA==",
- "dev": true
- },
- "is-number": {
- "version": "7.0.0",
- "resolved": "https://registry.npmmirror.com/is-number/-/is-number-7.0.0.tgz",
- "integrity": "sha512-41Cifkg6e8TylSpdtTpeLVMqvSBEVzTttHvERD741+pnZ8ANv0004MRL43QKPDlK9cGvNp6NZWZUBlbGXYxxng==",
- "dev": true
- },
- "is-number-object": {
- "version": "1.0.7",
- "resolved": "https://registry.npmmirror.com/is-number-object/-/is-number-object-1.0.7.tgz",
- "integrity": "sha512-k1U0IRzLMo7ZlYIfzRu23Oh6MiIFasgpb9X76eqfFZAqwH44UI4KTBvBYIZ1dSL9ZzChTB9ShHfLkR4pdW5krQ==",
- "dev": true,
- "requires": {
- "has-tostringtag": "^1.0.0"
- }
- },
- "is-obj": {
- "version": "2.0.0",
- "resolved": "https://registry.npmmirror.com/is-obj/-/is-obj-2.0.0.tgz",
- "integrity": "sha512-drqDG3cbczxxEJRoOXcOjtdp1J/lyp1mNn0xaznRs8+muBhgQcrnbspox5X5fOw0HnMnbfDzvnEMEtqDEJEo8w==",
- "dev": true
- },
- "is-plain-obj": {
- "version": "1.1.0",
- "resolved": "https://registry.npmmirror.com/is-plain-obj/-/is-plain-obj-1.1.0.tgz",
- "integrity": "sha512-yvkRyxmFKEOQ4pNXCmJG5AEQNlXJS5LaONXo5/cLdTZdWvsZ1ioJEonLGAosKlMWE8lwUy/bJzMjcw8az73+Fg==",
- "dev": true
- },
- "is-regex": {
- "version": "1.1.4",
- "resolved": "https://registry.npmmirror.com/is-regex/-/is-regex-1.1.4.tgz",
- "integrity": "sha512-kvRdxDsxZjhzUX07ZnLydzS1TU/TJlTUHHY4YLL87e37oUA49DfkLqgy+VjFocowy29cKvcSiu+kIv728jTTVg==",
- "dev": true,
- "requires": {
- "call-bind": "^1.0.2",
- "has-tostringtag": "^1.0.0"
- }
- },
- "is-shared-array-buffer": {
- "version": "1.0.2",
- "resolved": "https://registry.npmmirror.com/is-shared-array-buffer/-/is-shared-array-buffer-1.0.2.tgz",
- "integrity": "sha512-sqN2UDu1/0y6uvXyStCOzyhAjCSlHceFoMKJW8W9EU9cvic/QdsZ0kEU93HEy3IUEFZIiH/3w+AH/UQbPHNdhA==",
- "dev": true,
- "requires": {
- "call-bind": "^1.0.2"
- }
- },
- "is-stream": {
- "version": "2.0.1",
- "resolved": "https://registry.npmmirror.com/is-stream/-/is-stream-2.0.1.tgz",
- "integrity": "sha512-hFoiJiTl63nn+kstHGBtewWSKnQLpyb155KHheA1l39uvtO9nWIop1p3udqPcUd/xbF1VLMO4n7OI6p7RbngDg==",
- "dev": true
- },
- "is-string": {
- "version": "1.0.7",
- "resolved": "https://registry.npmmirror.com/is-string/-/is-string-1.0.7.tgz",
- "integrity": "sha512-tE2UXzivje6ofPW7l23cjDOMa09gb7xlAqG6jG5ej6uPV32TlWP3NKPigtaGeHNu9fohccRYvIiZMfOOnOYUtg==",
- "dev": true,
- "requires": {
- "has-tostringtag": "^1.0.0"
- }
- },
- "is-symbol": {
- "version": "1.0.4",
- "resolved": "https://registry.npmmirror.com/is-symbol/-/is-symbol-1.0.4.tgz",
- "integrity": "sha512-C/CPBqKWnvdcxqIARxyOh4v1UUEOCHpgDa0WYgpKDFMszcrPcffg5uhwSgPCLD2WWxmq6isisz87tzT01tuGhg==",
- "dev": true,
- "requires": {
- "has-symbols": "^1.0.2"
- }
- },
- "is-text-path": {
- "version": "1.0.1",
- "resolved": "https://registry.npmmirror.com/is-text-path/-/is-text-path-1.0.1.tgz",
- "integrity": "sha512-xFuJpne9oFz5qDaodwmmG08e3CawH/2ZV8Qqza1Ko7Sk8POWbkRdwIoAWVhqvq0XeUzANEhKo2n0IXUGBm7A/w==",
- "dev": true,
- "requires": {
- "text-extensions": "^1.0.0"
- }
- },
- "is-weakref": {
- "version": "1.0.2",
- "resolved": "https://registry.npmmirror.com/is-weakref/-/is-weakref-1.0.2.tgz",
- "integrity": "sha512-qctsuLZmIQ0+vSSMfoVvyFe2+GSEvnmZ2ezTup1SBse9+twCCeial6EEi3Nc2KFcf6+qz2FBPnjXsk8xhKSaPQ==",
- "dev": true,
- "requires": {
- "call-bind": "^1.0.2"
- }
- },
- "isexe": {
- "version": "2.0.0",
- "resolved": "https://registry.npmmirror.com/isexe/-/isexe-2.0.0.tgz",
- "integrity": "sha512-RHxMLp9lnKHGHRng9QFhRCMbYAcVpn69smSGcq3f36xjgVVWThj4qqLbTLlq7Ssj8B+fIQ1EuCEGI2lKsyQeIw==",
- "dev": true
- },
- "js-tokens": {
- "version": "4.0.0",
- "resolved": "https://registry.npmmirror.com/js-tokens/-/js-tokens-4.0.0.tgz",
- "integrity": "sha512-RdJUflcE3cUzKiMqQgsCu06FPu9UdIJO0beYbPhHN4k6apgJtifcoCtT9bcxOpYBtpD2kCM6Sbzg4CausW/PKQ==",
- "dev": true
- },
- "js-yaml": {
- "version": "4.1.0",
- "resolved": "https://registry.npmmirror.com/js-yaml/-/js-yaml-4.1.0.tgz",
- "integrity": "sha512-wpxZs9NoxZaJESJGIZTyDEaYpl0FKSA+FB9aJiyemKhMwkxQg63h4T1KJgUGHpTqPDNRcmmYLugrRjJlBtWvRA==",
- "dev": true,
- "requires": {
- "argparse": "^2.0.1"
- }
- },
- "jsesc": {
- "version": "2.5.2",
- "resolved": "https://registry.npmmirror.com/jsesc/-/jsesc-2.5.2.tgz",
- "integrity": "sha512-OYu7XEzjkCQ3C5Ps3QIZsQfNpqoJyZZA99wd9aWd05NCtC5pWOkShK2mkL6HXQR6/Cy2lbNdPlZBpuQHXE63gA==",
- "dev": true
- },
- "json-parse-better-errors": {
- "version": "1.0.2",
- "resolved": "https://registry.npmmirror.com/json-parse-better-errors/-/json-parse-better-errors-1.0.2.tgz",
- "integrity": "sha512-mrqyZKfX5EhL7hvqcV6WG1yYjnjeuYDzDhhcAAUrq8Po85NBQBJP+ZDUT75qZQ98IkUoBqdkExkukOU7Ts2wrw==",
- "dev": true
- },
- "json-parse-even-better-errors": {
- "version": "2.3.1",
- "resolved": "https://registry.npmmirror.com/json-parse-even-better-errors/-/json-parse-even-better-errors-2.3.1.tgz",
- "integrity": "sha512-xyFwyhro/JEof6Ghe2iz2NcXoj2sloNsWr/XsERDK/oiPCfaNhl5ONfp+jQdAZRQQ0IJWNzH9zIZF7li91kh2w==",
- "dev": true
- },
- "json-schema-traverse": {
- "version": "0.4.1",
- "resolved": "https://registry.npmmirror.com/json-schema-traverse/-/json-schema-traverse-0.4.1.tgz",
- "integrity": "sha512-xbbCH5dCYU5T8LcEhhuh7HJ88HXuW3qsI3Y0zOZFKfZEHcpWiHU/Jxzk629Brsab/mMiHQti9wMP+845RPe3Vg==",
- "dev": true
- },
- "json-stable-stringify-without-jsonify": {
- "version": "1.0.1",
- "resolved": "https://registry.npmmirror.com/json-stable-stringify-without-jsonify/-/json-stable-stringify-without-jsonify-1.0.1.tgz",
- "integrity": "sha512-Bdboy+l7tA3OGW6FjyFHWkP5LuByj1Tk33Ljyq0axyzdk9//JSi2u3fP1QSmd1KNwq6VOKYGlAu87CisVir6Pw==",
- "dev": true
- },
- "json5": {
- "version": "2.2.1",
- "resolved": "https://registry.npmmirror.com/json5/-/json5-2.2.1.tgz",
- "integrity": "sha512-1hqLFMSrGHRHxav9q9gNjJ5EXznIxGVO09xQRrwplcS8qs28pZ8s8hupZAmqDwZUmVZ2Qb2jnyPOWcDH8m8dlA==",
- "dev": true
- },
- "jsonfile": {
- "version": "6.1.0",
- "resolved": "https://registry.npmmirror.com/jsonfile/-/jsonfile-6.1.0.tgz",
- "integrity": "sha512-5dgndWOriYSm5cnYaJNhalLNDKOqFwyDB/rr1E9ZsGciGvKPs8R2xYGCacuf3z6K1YKDz182fd+fY3cn3pMqXQ==",
- "dev": true,
- "requires": {
- "graceful-fs": "^4.1.6",
- "universalify": "^2.0.0"
- }
- },
- "jsonparse": {
- "version": "1.3.1",
- "resolved": "https://registry.npmmirror.com/jsonparse/-/jsonparse-1.3.1.tgz",
- "integrity": "sha512-POQXvpdL69+CluYsillJ7SUhKvytYjW9vG/GKpnf+xP8UWgYEM/RaMzHHofbALDiKbbP1W8UEYmgGl39WkPZsg==",
- "dev": true
- },
- "JSONStream": {
- "version": "1.3.5",
- "resolved": "https://registry.npmmirror.com/JSONStream/-/JSONStream-1.3.5.tgz",
- "integrity": "sha512-E+iruNOY8VV9s4JEbe1aNEm6MiszPRr/UfcHMz0TQh1BXSxHK+ASV1R6W4HpjBhSeS+54PIsAMCBmwD06LLsqQ==",
- "dev": true,
- "requires": {
- "jsonparse": "^1.2.0",
- "through": ">=2.2.7 <3"
- }
- },
- "kind-of": {
- "version": "6.0.3",
- "resolved": "https://registry.npmmirror.com/kind-of/-/kind-of-6.0.3.tgz",
- "integrity": "sha512-dcS1ul+9tmeD95T+x28/ehLgd9mENa3LsvDTtzm3vyBEO7RPptvAD+t44WVXaUjTBRcrpFeFlC8WCruUR456hw==",
- "dev": true
- },
- "levn": {
- "version": "0.4.1",
- "resolved": "https://registry.npmmirror.com/levn/-/levn-0.4.1.tgz",
- "integrity": "sha512-+bT2uH4E5LGE7h/n3evcS/sQlJXCpIp6ym8OWJ5eV6+67Dsql/LaaT7qJBAt2rzfoa/5QBGBhxDix1dMt2kQKQ==",
- "dev": true,
- "requires": {
- "prelude-ls": "^1.2.1",
- "type-check": "~0.4.0"
- }
- },
- "lilconfig": {
- "version": "2.0.6",
- "resolved": "https://registry.npmmirror.com/lilconfig/-/lilconfig-2.0.6.tgz",
- "integrity": "sha512-9JROoBW7pobfsx+Sq2JsASvCo6Pfo6WWoUW79HuB1BCoBXD4PLWJPqDF6fNj67pqBYTbAHkE57M1kS/+L1neOg==",
- "dev": true
- },
- "lines-and-columns": {
- "version": "1.2.4",
- "resolved": "https://registry.npmmirror.com/lines-and-columns/-/lines-and-columns-1.2.4.tgz",
- "integrity": "sha512-7ylylesZQ/PV29jhEDl3Ufjo6ZX7gCqJr5F7PKrqc93v7fzSymt1BpwEU8nAUXs8qzzvqhbjhK5QZg6Mt/HkBg==",
- "dev": true
- },
- "lint-staged": {
- "version": "13.0.3",
- "resolved": "https://registry.npmmirror.com/lint-staged/-/lint-staged-13.0.3.tgz",
- "integrity": "sha512-9hmrwSCFroTSYLjflGI8Uk+GWAwMB4OlpU4bMJEAT5d/llQwtYKoim4bLOyLCuWFAhWEupE0vkIFqtw/WIsPug==",
- "dev": true,
- "requires": {
- "cli-truncate": "^3.1.0",
- "colorette": "^2.0.17",
- "commander": "^9.3.0",
- "debug": "^4.3.4",
- "execa": "^6.1.0",
- "lilconfig": "2.0.5",
- "listr2": "^4.0.5",
- "micromatch": "^4.0.5",
- "normalize-path": "^3.0.0",
- "object-inspect": "^1.12.2",
- "pidtree": "^0.6.0",
- "string-argv": "^0.3.1",
- "yaml": "^2.1.1"
- },
- "dependencies": {
- "execa": {
- "version": "6.1.0",
- "resolved": "https://registry.npmmirror.com/execa/-/execa-6.1.0.tgz",
- "integrity": "sha512-QVWlX2e50heYJcCPG0iWtf8r0xjEYfz/OYLGDYH+IyjWezzPNxz63qNFOu0l4YftGWuizFVZHHs8PrLU5p2IDA==",
- "dev": true,
- "requires": {
- "cross-spawn": "^7.0.3",
- "get-stream": "^6.0.1",
- "human-signals": "^3.0.1",
- "is-stream": "^3.0.0",
- "merge-stream": "^2.0.0",
- "npm-run-path": "^5.1.0",
- "onetime": "^6.0.0",
- "signal-exit": "^3.0.7",
- "strip-final-newline": "^3.0.0"
- }
- },
- "human-signals": {
- "version": "3.0.1",
- "resolved": "https://registry.npmmirror.com/human-signals/-/human-signals-3.0.1.tgz",
- "integrity": "sha512-rQLskxnM/5OCldHo+wNXbpVgDn5A17CUoKX+7Sokwaknlq7CdSnphy0W39GU8dw59XiCXmFXDg4fRuckQRKewQ==",
- "dev": true
- },
- "is-stream": {
- "version": "3.0.0",
- "resolved": "https://registry.npmmirror.com/is-stream/-/is-stream-3.0.0.tgz",
- "integrity": "sha512-LnQR4bZ9IADDRSkvpqMGvt/tEJWclzklNgSw48V5EAaAeDd6qGvN8ei6k5p0tvxSR171VmGyHuTiAOfxAbr8kA==",
- "dev": true
- },
- "lilconfig": {
- "version": "2.0.5",
- "resolved": "https://registry.npmmirror.com/lilconfig/-/lilconfig-2.0.5.tgz",
- "integrity": "sha512-xaYmXZtTHPAw5m+xLN8ab9C+3a8YmV3asNSPOATITbtwrfbwaLJj8h66H1WMIpALCkqsIzK3h7oQ+PdX+LQ9Eg==",
- "dev": true
- },
- "mimic-fn": {
- "version": "4.0.0",
- "resolved": "https://registry.npmmirror.com/mimic-fn/-/mimic-fn-4.0.0.tgz",
- "integrity": "sha512-vqiC06CuhBTUdZH+RYl8sFrL096vA45Ok5ISO6sE/Mr1jRbGH4Csnhi8f3wKVl7x8mO4Au7Ir9D3Oyv1VYMFJw==",
- "dev": true
- },
- "npm-run-path": {
- "version": "5.1.0",
- "resolved": "https://registry.npmmirror.com/npm-run-path/-/npm-run-path-5.1.0.tgz",
- "integrity": "sha512-sJOdmRGrY2sjNTRMbSvluQqg+8X7ZK61yvzBEIDhz4f8z1TZFYABsqjjCBd/0PUNE9M6QDgHJXQkGUEm7Q+l9Q==",
- "dev": true,
- "requires": {
- "path-key": "^4.0.0"
- }
- },
- "onetime": {
- "version": "6.0.0",
- "resolved": "https://registry.npmmirror.com/onetime/-/onetime-6.0.0.tgz",
- "integrity": "sha512-1FlR+gjXK7X+AsAHso35MnyN5KqGwJRi/31ft6x0M194ht7S+rWAvd7PHss9xSKMzE0asv1pyIHaJYq+BbacAQ==",
- "dev": true,
- "requires": {
- "mimic-fn": "^4.0.0"
- }
- },
- "path-key": {
- "version": "4.0.0",
- "resolved": "https://registry.npmmirror.com/path-key/-/path-key-4.0.0.tgz",
- "integrity": "sha512-haREypq7xkM7ErfgIyA0z+Bj4AGKlMSdlQE2jvJo6huWD1EdkKYV+G/T4nq0YEF2vgTT8kqMFKo1uHn950r4SQ==",
- "dev": true
- },
- "pidtree": {
- "version": "0.6.0",
- "resolved": "https://registry.npmmirror.com/pidtree/-/pidtree-0.6.0.tgz",
- "integrity": "sha512-eG2dWTVw5bzqGRztnHExczNxt5VGsE6OwTeCG3fdUf9KBsZzO3R5OIIIzWR+iZA0NtZ+RDVdaoE2dK1cn6jH4g==",
- "dev": true
- },
- "strip-final-newline": {
- "version": "3.0.0",
- "resolved": "https://registry.npmmirror.com/strip-final-newline/-/strip-final-newline-3.0.0.tgz",
- "integrity": "sha512-dOESqjYr96iWYylGObzd39EuNTa5VJxyvVAEm5Jnh7KGo75V43Hk1odPQkNDyXNmUR6k+gEiDVXnjB8HJ3crXw==",
- "dev": true
- },
- "yaml": {
- "version": "2.1.1",
- "resolved": "https://registry.npmmirror.com/yaml/-/yaml-2.1.1.tgz",
- "integrity": "sha512-o96x3OPo8GjWeSLF+wOAbrPfhFOGY0W00GNaxCDv+9hkcDJEnev1yh8S7pgHF0ik6zc8sQLuL8hjHjJULZp8bw==",
- "dev": true
- }
- }
- },
- "listr2": {
- "version": "4.0.5",
- "resolved": "https://registry.npmmirror.com/listr2/-/listr2-4.0.5.tgz",
- "integrity": "sha512-juGHV1doQdpNT3GSTs9IUN43QJb7KHdF9uqg7Vufs/tG9VTzpFphqF4pm/ICdAABGQxsyNn9CiYA3StkI6jpwA==",
- "dev": true,
- "requires": {
- "cli-truncate": "^2.1.0",
- "colorette": "^2.0.16",
- "log-update": "^4.0.0",
- "p-map": "^4.0.0",
- "rfdc": "^1.3.0",
- "rxjs": "^7.5.5",
- "through": "^2.3.8",
- "wrap-ansi": "^7.0.0"
- },
- "dependencies": {
- "ansi-styles": {
- "version": "4.3.0",
- "resolved": "https://registry.npmmirror.com/ansi-styles/-/ansi-styles-4.3.0.tgz",
- "integrity": "sha512-zbB9rCJAT1rbjiVDb2hqKFHNYLxgtk8NURxZ3IZwD3F6NtxbXZQCnnSi1Lkx+IDohdPlFp222wVALIheZJQSEg==",
- "dev": true,
- "requires": {
- "color-convert": "^2.0.1"
- }
- },
- "cli-truncate": {
- "version": "2.1.0",
- "resolved": "https://registry.npmmirror.com/cli-truncate/-/cli-truncate-2.1.0.tgz",
- "integrity": "sha512-n8fOixwDD6b/ObinzTrp1ZKFzbgvKZvuz/TvejnLn1aQfC6r52XEx85FmuC+3HI+JM7coBRXUvNqEU2PHVrHpg==",
- "dev": true,
- "requires": {
- "slice-ansi": "^3.0.0",
- "string-width": "^4.2.0"
- }
- },
- "color-convert": {
- "version": "2.0.1",
- "resolved": "https://registry.npmmirror.com/color-convert/-/color-convert-2.0.1.tgz",
- "integrity": "sha512-RRECPsj7iu/xb5oKYcsFHSppFNnsj/52OVTRKb4zP5onXwVF3zVmmToNcOfGC+CRDpfK/U584fMg38ZHCaElKQ==",
- "dev": true,
- "requires": {
- "color-name": "~1.1.4"
- }
- },
- "color-name": {
- "version": "1.1.4",
- "resolved": "https://registry.npmmirror.com/color-name/-/color-name-1.1.4.tgz",
- "integrity": "sha512-dOy+3AuW3a2wNbZHIuMZpTcgjGuLU/uBL/ubcZF9OXbDo8ff4O8yVp5Bf0efS8uEoYo5q4Fx7dY9OgQGXgAsQA==",
- "dev": true
- },
- "slice-ansi": {
- "version": "3.0.0",
- "resolved": "https://registry.npmmirror.com/slice-ansi/-/slice-ansi-3.0.0.tgz",
- "integrity": "sha512-pSyv7bSTC7ig9Dcgbw9AuRNUb5k5V6oDudjZoMBSr13qpLBG7tB+zgCkARjq7xIUgdz5P1Qe8u+rSGdouOOIyQ==",
- "dev": true,
- "requires": {
- "ansi-styles": "^4.0.0",
- "astral-regex": "^2.0.0",
- "is-fullwidth-code-point": "^3.0.0"
- }
- }
- }
- },
- "load-json-file": {
- "version": "4.0.0",
- "resolved": "https://registry.npmmirror.com/load-json-file/-/load-json-file-4.0.0.tgz",
- "integrity": "sha512-Kx8hMakjX03tiGTLAIdJ+lL0htKnXjEZN6hk/tozf/WOuYGdZBJrZ+rCJRbVCugsjB3jMLn9746NsQIf5VjBMw==",
- "dev": true,
- "requires": {
- "graceful-fs": "^4.1.2",
- "parse-json": "^4.0.0",
- "pify": "^3.0.0",
- "strip-bom": "^3.0.0"
- }
- },
- "locate-path": {
- "version": "6.0.0",
- "resolved": "https://registry.npmmirror.com/locate-path/-/locate-path-6.0.0.tgz",
- "integrity": "sha512-iPZK6eYjbxRu3uB4/WZ3EsEIMJFMqAoopl3R+zuq0UjcAm/MO6KCweDgPfP3elTztoKP3KtnVHxTn2NHBSDVUw==",
- "dev": true,
- "requires": {
- "p-locate": "^5.0.0"
- }
- },
- "lodash": {
- "version": "4.17.21",
- "resolved": "https://registry.npmmirror.com/lodash/-/lodash-4.17.21.tgz",
- "integrity": "sha512-v2kDEe57lecTulaDIuNTPy3Ry4gLGJ6Z1O3vE1krgXZNrsQ+LFTGHVxVjcXPs17LhbZVGedAJv8XZ1tvj5FvSg=="
- },
- "lodash-es": {
- "version": "4.17.21",
- "resolved": "https://registry.npmmirror.com/lodash-es/-/lodash-es-4.17.21.tgz",
- "integrity": "sha512-mKnC+QJ9pWVzv+C4/U3rRsHapFfHvQFoFB92e52xeyGMcX6/OlIl78je1u8vePzYZSkkogMPJ2yjxxsb89cxyw=="
- },
- "lodash-unified": {
- "version": "1.0.2",
- "resolved": "https://registry.npmmirror.com/lodash-unified/-/lodash-unified-1.0.2.tgz",
- "integrity": "sha512-OGbEy+1P+UT26CYi4opY4gebD8cWRDxAT6MAObIVQMiqYdxZr1g3QHWCToVsm31x2NkLS4K3+MC2qInaRMa39g==",
- "requires": {}
- },
- "lodash.merge": {
- "version": "4.6.2",
- "resolved": "https://registry.npmmirror.com/lodash.merge/-/lodash.merge-4.6.2.tgz",
- "integrity": "sha512-0KpjqXRVvrYyCsX1swR/XTK0va6VQkQM6MNo7PqW77ByjAhoARA8EfrP1N4+KlKj8YS0ZUCtRT/YUuhyYDujIQ==",
- "dev": true
- },
- "log-update": {
- "version": "4.0.0",
- "resolved": "https://registry.npmmirror.com/log-update/-/log-update-4.0.0.tgz",
- "integrity": "sha512-9fkkDevMefjg0mmzWFBW8YkFP91OrizzkW3diF7CpG+S2EYdy4+TVfGwz1zeF8x7hCx1ovSPTOE9Ngib74qqUg==",
- "dev": true,
- "requires": {
- "ansi-escapes": "^4.3.0",
- "cli-cursor": "^3.1.0",
- "slice-ansi": "^4.0.0",
- "wrap-ansi": "^6.2.0"
- },
- "dependencies": {
- "ansi-styles": {
- "version": "4.3.0",
- "resolved": "https://registry.npmmirror.com/ansi-styles/-/ansi-styles-4.3.0.tgz",
- "integrity": "sha512-zbB9rCJAT1rbjiVDb2hqKFHNYLxgtk8NURxZ3IZwD3F6NtxbXZQCnnSi1Lkx+IDohdPlFp222wVALIheZJQSEg==",
- "dev": true,
- "requires": {
- "color-convert": "^2.0.1"
- }
- },
- "color-convert": {
- "version": "2.0.1",
- "resolved": "https://registry.npmmirror.com/color-convert/-/color-convert-2.0.1.tgz",
- "integrity": "sha512-RRECPsj7iu/xb5oKYcsFHSppFNnsj/52OVTRKb4zP5onXwVF3zVmmToNcOfGC+CRDpfK/U584fMg38ZHCaElKQ==",
- "dev": true,
- "requires": {
- "color-name": "~1.1.4"
- }
- },
- "color-name": {
- "version": "1.1.4",
- "resolved": "https://registry.npmmirror.com/color-name/-/color-name-1.1.4.tgz",
- "integrity": "sha512-dOy+3AuW3a2wNbZHIuMZpTcgjGuLU/uBL/ubcZF9OXbDo8ff4O8yVp5Bf0efS8uEoYo5q4Fx7dY9OgQGXgAsQA==",
- "dev": true
- },
- "slice-ansi": {
- "version": "4.0.0",
- "resolved": "https://registry.npmmirror.com/slice-ansi/-/slice-ansi-4.0.0.tgz",
- "integrity": "sha512-qMCMfhY040cVHT43K9BFygqYbUPFZKHOg7K73mtTWJRb8pyP3fzf4Ixd5SzdEJQ6MRUg/WBnOLxghZtKKurENQ==",
- "dev": true,
- "requires": {
- "ansi-styles": "^4.0.0",
- "astral-regex": "^2.0.0",
- "is-fullwidth-code-point": "^3.0.0"
- }
- },
- "wrap-ansi": {
- "version": "6.2.0",
- "resolved": "https://registry.npmmirror.com/wrap-ansi/-/wrap-ansi-6.2.0.tgz",
- "integrity": "sha512-r6lPcBGxZXlIcymEu7InxDMhdW0KDxpLgoFLcguasxCaJ/SOIZwINatK9KY/tf+ZrlywOKU0UDj3ATXUBfxJXA==",
- "dev": true,
- "requires": {
- "ansi-styles": "^4.0.0",
- "string-width": "^4.1.0",
- "strip-ansi": "^6.0.0"
- }
- }
- }
- },
- "lru-cache": {
- "version": "6.0.0",
- "resolved": "https://registry.npmmirror.com/lru-cache/-/lru-cache-6.0.0.tgz",
- "integrity": "sha512-Jo6dJ04CmSjuznwJSS3pUeWmd/H0ffTlkXXgwZi+eq1UCmqQwCh+eLsYOYCwY991i2Fah4h1BEMCx4qThGbsiA==",
- "dev": true,
- "requires": {
- "yallist": "^4.0.0"
- }
- },
- "magic-string": {
- "version": "0.25.9",
- "resolved": "https://registry.npmmirror.com/magic-string/-/magic-string-0.25.9.tgz",
- "integrity": "sha512-RmF0AsMzgt25qzqqLc1+MbHmhdx0ojF2Fvs4XnOqz2ZOBXzzkEwc/dJQZCYHAn7v1jbVOjAZfK8msRn4BxO4VQ==",
- "requires": {
- "sourcemap-codec": "^1.4.8"
- }
- },
- "make-error": {
- "version": "1.3.6",
- "resolved": "https://registry.npmmirror.com/make-error/-/make-error-1.3.6.tgz",
- "integrity": "sha512-s8UhlNe7vPKomQhC1qFelMokr/Sc3AgNbso3n74mVPA5LTZwkB9NlXf4XPamLxJE8h0gh73rM94xvwRT2CVInw==",
- "dev": true
- },
- "map-obj": {
- "version": "4.3.0",
- "resolved": "https://registry.npmmirror.com/map-obj/-/map-obj-4.3.0.tgz",
- "integrity": "sha512-hdN1wVrZbb29eBGiGjJbeP8JbKjq1urkHJ/LIP/NY48MZ1QVXUsQBV1G1zvYFHn1XE06cwjBsOI2K3Ulnj1YXQ==",
- "dev": true
- },
- "memoize-one": {
- "version": "6.0.0",
- "resolved": "https://registry.npmmirror.com/memoize-one/-/memoize-one-6.0.0.tgz",
- "integrity": "sha512-rkpe71W0N0c0Xz6QD0eJETuWAJGnJ9afsl1srmwPrI+yBCkge5EycXXbYRyvL29zZVUWQCY7InPRCv3GDXuZNw=="
- },
- "memorystream": {
- "version": "0.3.1",
- "resolved": "https://registry.npmmirror.com/memorystream/-/memorystream-0.3.1.tgz",
- "integrity": "sha512-S3UwM3yj5mtUSEfP41UZmt/0SCoVYUcU1rkXv+BQ5Ig8ndL4sPoJNBUJERafdPb5jjHJGuMgytgKvKIf58XNBw==",
- "dev": true
- },
- "meow": {
- "version": "8.1.2",
- "resolved": "https://registry.npmmirror.com/meow/-/meow-8.1.2.tgz",
- "integrity": "sha512-r85E3NdZ+mpYk1C6RjPFEMSE+s1iZMuHtsHAqY0DT3jZczl0diWUZ8g6oU7h0M9cD2EL+PzaYghhCLzR0ZNn5Q==",
- "dev": true,
- "requires": {
- "@types/minimist": "^1.2.0",
- "camelcase-keys": "^6.2.2",
- "decamelize-keys": "^1.1.0",
- "hard-rejection": "^2.1.0",
- "minimist-options": "4.1.0",
- "normalize-package-data": "^3.0.0",
- "read-pkg-up": "^7.0.1",
- "redent": "^3.0.0",
- "trim-newlines": "^3.0.0",
- "type-fest": "^0.18.0",
- "yargs-parser": "^20.2.3"
- },
- "dependencies": {
- "hosted-git-info": {
- "version": "4.1.0",
- "resolved": "https://registry.npmmirror.com/hosted-git-info/-/hosted-git-info-4.1.0.tgz",
- "integrity": "sha512-kyCuEOWjJqZuDbRHzL8V93NzQhwIB71oFWSyzVo+KPZI+pnQPPxucdkrOZvkLRnrf5URsQM+IJ09Dw29cRALIA==",
- "dev": true,
- "requires": {
- "lru-cache": "^6.0.0"
- }
- },
- "normalize-package-data": {
- "version": "3.0.3",
- "resolved": "https://registry.npmmirror.com/normalize-package-data/-/normalize-package-data-3.0.3.tgz",
- "integrity": "sha512-p2W1sgqij3zMMyRC067Dg16bfzVH+w7hyegmpIvZ4JNjqtGOVAIvLmjBx3yP7YTe9vKJgkoNOPjwQGogDoMXFA==",
- "dev": true,
- "requires": {
- "hosted-git-info": "^4.0.1",
- "is-core-module": "^2.5.0",
- "semver": "^7.3.4",
- "validate-npm-package-license": "^3.0.1"
- }
- },
- "semver": {
- "version": "7.3.7",
- "resolved": "https://registry.npmmirror.com/semver/-/semver-7.3.7.tgz",
- "integrity": "sha512-QlYTucUYOews+WeEujDoEGziz4K6c47V/Bd+LjSSYcA94p+DmINdf7ncaUinThfvZyu13lN9OY1XDxt8C0Tw0g==",
- "dev": true,
- "requires": {
- "lru-cache": "^6.0.0"
- }
- },
- "type-fest": {
- "version": "0.18.1",
- "resolved": "https://registry.npmmirror.com/type-fest/-/type-fest-0.18.1.tgz",
- "integrity": "sha512-OIAYXk8+ISY+qTOwkHtKqzAuxchoMiD9Udx+FSGQDuiRR+PJKJHc2NJAXlbhkGwTt/4/nKZxELY1w3ReWOL8mw==",
- "dev": true
- }
- }
- },
- "merge-stream": {
- "version": "2.0.0",
- "resolved": "https://registry.npmmirror.com/merge-stream/-/merge-stream-2.0.0.tgz",
- "integrity": "sha512-abv/qOcuPfk3URPfDzmZU1LKmuw8kT+0nIHvKrKgFrwifol/doWcdA4ZqsWQ8ENrFKkd67Mfpo/LovbIUsbt3w==",
- "dev": true
- },
- "merge2": {
- "version": "1.4.1",
- "resolved": "https://registry.npmmirror.com/merge2/-/merge2-1.4.1.tgz",
- "integrity": "sha512-8q7VEgMJW4J8tcfVPy8g09NcQwZdbwFEqhe/WZkoIzjn/3TGDwtOCYtXGxA3O8tPzpczCCDgv+P2P5y00ZJOOg==",
- "dev": true
- },
- "micromatch": {
- "version": "4.0.5",
- "resolved": "https://registry.npmmirror.com/micromatch/-/micromatch-4.0.5.tgz",
- "integrity": "sha512-DMy+ERcEW2q8Z2Po+WNXuw3c5YaUSFjAO5GsJqfEl7UjvtIuFKO6ZrKvcItdy98dwFI2N1tg3zNIdKaQT+aNdA==",
- "dev": true,
- "requires": {
- "braces": "^3.0.2",
- "picomatch": "^2.3.1"
- }
- },
- "mimic-fn": {
- "version": "2.1.0",
- "resolved": "https://registry.npmmirror.com/mimic-fn/-/mimic-fn-2.1.0.tgz",
- "integrity": "sha512-OqbOk5oEQeAZ8WXWydlu9HJjz9WVdEIvamMCcXmuqUYjTknH/sqsWvhQ3vgwKFRR1HpjvNBKQ37nbJgYzGqGcg==",
- "dev": true
- },
- "min-indent": {
- "version": "1.0.1",
- "resolved": "https://registry.npmmirror.com/min-indent/-/min-indent-1.0.1.tgz",
- "integrity": "sha512-I9jwMn07Sy/IwOj3zVkVik2JTvgpaykDZEigL6Rx6N9LbMywwUSMtxET+7lVoDLLd3O3IXwJwvuuns8UB/HeAg==",
- "dev": true
- },
- "minimatch": {
- "version": "3.1.2",
- "resolved": "https://registry.npmmirror.com/minimatch/-/minimatch-3.1.2.tgz",
- "integrity": "sha512-J7p63hRiAjw1NDEww1W7i37+ByIrOWO5XQQAzZ3VOcL0PNybwpfmV/N05zFAzwQ9USyEcX6t3UO+K5aqBQOIHw==",
- "dev": true,
- "requires": {
- "brace-expansion": "^1.1.7"
- }
- },
- "minimist": {
- "version": "1.2.6",
- "resolved": "https://registry.npmmirror.com/minimist/-/minimist-1.2.6.tgz",
- "integrity": "sha512-Jsjnk4bw3YJqYzbdyBiNsPWHPfO++UGG749Cxs6peCu5Xg4nrena6OVxOYxrQTqww0Jmwt+Ref8rggumkTLz9Q==",
- "dev": true
- },
- "minimist-options": {
- "version": "4.1.0",
- "resolved": "https://registry.npmmirror.com/minimist-options/-/minimist-options-4.1.0.tgz",
- "integrity": "sha512-Q4r8ghd80yhO/0j1O3B2BjweX3fiHg9cdOwjJd2J76Q135c+NDxGCqdYKQ1SKBuFfgWbAUzBfvYjPUEeNgqN1A==",
- "dev": true,
- "requires": {
- "arrify": "^1.0.1",
- "is-plain-obj": "^1.1.0",
- "kind-of": "^6.0.3"
- }
- },
- "monaco-editor": {
- "version": "0.33.0",
- "resolved": "https://registry.npmmirror.com/monaco-editor/-/monaco-editor-0.33.0.tgz",
- "integrity": "sha512-VcRWPSLIUEgQJQIE0pVT8FcGBIgFoxz7jtqctE+IiCxWugD0DwgyQBcZBhdSrdMC84eumoqMZsGl2GTreOzwqw=="
- },
- "ms": {
- "version": "2.1.2",
- "resolved": "https://registry.npmmirror.com/ms/-/ms-2.1.2.tgz",
- "integrity": "sha512-sGkPx+VjMtmA6MX27oA4FBFELFCZZ4S4XqeGOXCv68tT+jb3vk/RyaKWP0PTKyWtmLSM0b+adUTEvbs1PEaH2w==",
- "dev": true
- },
- "nanoid": {
- "version": "3.3.4",
- "resolved": "https://registry.npmmirror.com/nanoid/-/nanoid-3.3.4.tgz",
- "integrity": "sha512-MqBkQh/OHTS2egovRtLk45wEyNXwF+cokD+1YPf9u5VfJiRdAiRwB2froX5Co9Rh20xs4siNPm8naNotSD6RBw=="
- },
- "natural-compare": {
- "version": "1.4.0",
- "resolved": "https://registry.npmmirror.com/natural-compare/-/natural-compare-1.4.0.tgz",
- "integrity": "sha512-OWND8ei3VtNC9h7V60qff3SVobHr996CTwgxubgyQYEpg290h9J0buyECNNJexkFm5sOajh5G116RYA1c8ZMSw==",
- "dev": true
- },
- "nice-try": {
- "version": "1.0.5",
- "resolved": "https://registry.npmmirror.com/nice-try/-/nice-try-1.0.5.tgz",
- "integrity": "sha512-1nh45deeb5olNY7eX82BkPO7SSxR5SSYJiPTrTdFUVYwAl8CKMA5N9PjTYkHiRjisVcxcQ1HXdLhx2qxxJzLNQ==",
- "dev": true
- },
- "node-releases": {
- "version": "2.0.6",
- "resolved": "https://registry.npmmirror.com/node-releases/-/node-releases-2.0.6.tgz",
- "integrity": "sha512-PiVXnNuFm5+iYkLBNeq5211hvO38y63T0i2KKh2KnUs3RpzJ+JtODFjkD8yjLwnDkTYF1eKXheUwdssR+NRZdg==",
- "dev": true
- },
- "normalize-package-data": {
- "version": "2.5.0",
- "resolved": "https://registry.npmmirror.com/normalize-package-data/-/normalize-package-data-2.5.0.tgz",
- "integrity": "sha512-/5CMN3T0R4XTj4DcGaexo+roZSdSFW/0AOOTROrjxzCG1wrWXEsGbRKevjlIL+ZDE4sZlJr5ED4YW0yqmkK+eA==",
- "dev": true,
- "requires": {
- "hosted-git-info": "^2.1.4",
- "resolve": "^1.10.0",
- "semver": "2 || 3 || 4 || 5",
- "validate-npm-package-license": "^3.0.1"
- },
- "dependencies": {
- "semver": {
- "version": "5.7.1",
- "resolved": "https://registry.npmmirror.com/semver/-/semver-5.7.1.tgz",
- "integrity": "sha512-sauaDf/PZdVgrLTNYHRtpXa1iRiKcaebiKQ1BJdpQlWH2lCvexQdX55snPFyK7QzpudqbCI0qXFfOasHdyNDGQ==",
- "dev": true
- }
- }
- },
- "normalize-path": {
- "version": "3.0.0",
- "resolved": "https://registry.npmmirror.com/normalize-path/-/normalize-path-3.0.0.tgz",
- "integrity": "sha512-6eZs5Ls3WtCisHWp9S2GUy8dqkpGi4BVSz3GaqiE6ezub0512ESztXUwUB6C6IKbQkY2Pnb/mD4WYojCRwcwLA==",
- "dev": true
- },
- "normalize-range": {
- "version": "0.1.2",
- "resolved": "https://registry.npmmirror.com/normalize-range/-/normalize-range-0.1.2.tgz",
- "integrity": "sha512-bdok/XvKII3nUpklnV6P2hxtMNrCboOjAcyBuQnWEhO665FwrSNRxU+AqpsyvO6LgGYPspN+lu5CLtw4jPRKNA==",
- "dev": true
- },
- "normalize-wheel-es": {
- "version": "1.2.0",
- "resolved": "https://registry.npmmirror.com/normalize-wheel-es/-/normalize-wheel-es-1.2.0.tgz",
- "integrity": "sha512-Wj7+EJQ8mSuXr2iWfnujrimU35R2W4FAErEyTmJoJ7ucwTn2hOUSsRehMb5RSYkxXGTM7Y9QpvPmp++w5ftoJw=="
- },
- "npm-run-all": {
- "version": "4.1.5",
- "resolved": "https://registry.npmmirror.com/npm-run-all/-/npm-run-all-4.1.5.tgz",
- "integrity": "sha512-Oo82gJDAVcaMdi3nuoKFavkIHBRVqQ1qvMb+9LHk/cF4P6B2m8aP04hGf7oL6wZ9BuGwX1onlLhpuoofSyoQDQ==",
- "dev": true,
- "requires": {
- "ansi-styles": "^3.2.1",
- "chalk": "^2.4.1",
- "cross-spawn": "^6.0.5",
- "memorystream": "^0.3.1",
- "minimatch": "^3.0.4",
- "pidtree": "^0.3.0",
- "read-pkg": "^3.0.0",
- "shell-quote": "^1.6.1",
- "string.prototype.padend": "^3.0.0"
- },
- "dependencies": {
- "cross-spawn": {
- "version": "6.0.5",
- "resolved": "https://registry.npmmirror.com/cross-spawn/-/cross-spawn-6.0.5.tgz",
- "integrity": "sha512-eTVLrBSt7fjbDygz805pMnstIs2VTBNkRm0qxZd+M7A5XDdxVRWO5MxGBXZhjY4cqLYLdtrGqRf8mBPmzwSpWQ==",
- "dev": true,
- "requires": {
- "nice-try": "^1.0.4",
- "path-key": "^2.0.1",
- "semver": "^5.5.0",
- "shebang-command": "^1.2.0",
- "which": "^1.2.9"
- }
- },
- "path-key": {
- "version": "2.0.1",
- "resolved": "https://registry.npmmirror.com/path-key/-/path-key-2.0.1.tgz",
- "integrity": "sha512-fEHGKCSmUSDPv4uoj8AlD+joPlq3peND+HRYyxFz4KPw4z926S/b8rIuFs2FYJg3BwsxJf6A9/3eIdLaYC+9Dw==",
- "dev": true
- },
- "semver": {
- "version": "5.7.1",
- "resolved": "https://registry.npmmirror.com/semver/-/semver-5.7.1.tgz",
- "integrity": "sha512-sauaDf/PZdVgrLTNYHRtpXa1iRiKcaebiKQ1BJdpQlWH2lCvexQdX55snPFyK7QzpudqbCI0qXFfOasHdyNDGQ==",
- "dev": true
- },
- "shebang-command": {
- "version": "1.2.0",
- "resolved": "https://registry.npmmirror.com/shebang-command/-/shebang-command-1.2.0.tgz",
- "integrity": "sha512-EV3L1+UQWGor21OmnvojK36mhg+TyIKDh3iFBKBohr5xeXIhNBcx8oWdgkTEEQ+BEFFYdLRuqMfd5L84N1V5Vg==",
- "dev": true,
- "requires": {
- "shebang-regex": "^1.0.0"
- }
- },
- "shebang-regex": {
- "version": "1.0.0",
- "resolved": "https://registry.npmmirror.com/shebang-regex/-/shebang-regex-1.0.0.tgz",
- "integrity": "sha512-wpoSFAxys6b2a2wHZ1XpDSgD7N9iVjg29Ph9uV/uaP9Ex/KXlkTZTeddxDPSYQpgvzKLGJke2UU0AzoGCjNIvQ==",
- "dev": true
- },
- "which": {
- "version": "1.3.1",
- "resolved": "https://registry.npmmirror.com/which/-/which-1.3.1.tgz",
- "integrity": "sha512-HxJdYWq1MTIQbJ3nw0cqssHoTNU267KlrDuGZ1WYlxDStUtKUhOaJmh112/TZmHxxUfuJqPXSOm7tDyas0OSIQ==",
- "dev": true,
- "requires": {
- "isexe": "^2.0.0"
- }
- }
- }
- },
- "npm-run-path": {
- "version": "4.0.1",
- "resolved": "https://registry.npmmirror.com/npm-run-path/-/npm-run-path-4.0.1.tgz",
- "integrity": "sha512-S48WzZW777zhNIrn7gxOlISNAqi9ZC/uQFnRdbeIHhZhCA6UqpkOT8T1G7BvfdgP4Er8gF4sUbaS0i7QvIfCWw==",
- "dev": true,
- "requires": {
- "path-key": "^3.0.0"
- }
- },
- "nth-check": {
- "version": "2.1.1",
- "resolved": "https://registry.npmmirror.com/nth-check/-/nth-check-2.1.1.tgz",
- "integrity": "sha512-lqjrjmaOoAnWfMmBPL+XNnynZh2+swxiX3WUE0s4yEHI6m+AwrK2UZOimIRl3X/4QctVqS8AiZjFqyOGrMXb/w==",
- "dev": true,
- "requires": {
- "boolbase": "^1.0.0"
- }
- },
- "object-hash": {
- "version": "3.0.0",
- "resolved": "https://registry.npmmirror.com/object-hash/-/object-hash-3.0.0.tgz",
- "integrity": "sha512-RSn9F68PjH9HqtltsSnqYC1XXoWe9Bju5+213R98cNGttag9q9yAOTzdbsqvIa7aNm5WffBZFpWYr2aWrklWAw==",
- "dev": true
- },
- "object-inspect": {
- "version": "1.12.2",
- "resolved": "https://registry.npmmirror.com/object-inspect/-/object-inspect-1.12.2.tgz",
- "integrity": "sha512-z+cPxW0QGUp0mcqcsgQyLVRDoXFQbXOwBaqyF7VIgI4TWNQsDHrBpUQslRmIfAoYWdYzs6UlKJtB2XJpTaNSpQ==",
- "dev": true
- },
- "object-keys": {
- "version": "1.1.1",
- "resolved": "https://registry.npmmirror.com/object-keys/-/object-keys-1.1.1.tgz",
- "integrity": "sha512-NuAESUOUMrlIXOfHKzD6bpPu3tYt3xvjNdRIQ+FeT0lNb4K8WR70CaDxhuNguS2XG+GjkyMwOzsN5ZktImfhLA==",
- "dev": true
- },
- "object.assign": {
- "version": "4.1.2",
- "resolved": "https://registry.npmmirror.com/object.assign/-/object.assign-4.1.2.tgz",
- "integrity": "sha512-ixT2L5THXsApyiUPYKmW+2EHpXXe5Ii3M+f4e+aJFAHao5amFRW6J0OO6c/LU8Be47utCx2GL89hxGB6XSmKuQ==",
- "dev": true,
- "requires": {
- "call-bind": "^1.0.0",
- "define-properties": "^1.1.3",
- "has-symbols": "^1.0.1",
- "object-keys": "^1.1.1"
- }
- },
- "once": {
- "version": "1.4.0",
- "resolved": "https://registry.npmmirror.com/once/-/once-1.4.0.tgz",
- "integrity": "sha512-lNaJgI+2Q5URQBkccEKHTQOPaXdUxnZZElQTZY0MFUAuaEqe1E+Nyvgdz/aIyNi6Z9MzO5dv1H8n58/GELp3+w==",
- "dev": true,
- "requires": {
- "wrappy": "1"
- }
- },
- "onetime": {
- "version": "5.1.2",
- "resolved": "https://registry.npmmirror.com/onetime/-/onetime-5.1.2.tgz",
- "integrity": "sha512-kbpaSSGJTWdAY5KPVeMOKXSrPtr8C8C7wodJbcsd51jRnmD+GZu8Y0VoU6Dm5Z4vWr0Ig/1NKuWRKf7j5aaYSg==",
- "dev": true,
- "requires": {
- "mimic-fn": "^2.1.0"
- }
- },
- "optionator": {
- "version": "0.9.1",
- "resolved": "https://registry.npmmirror.com/optionator/-/optionator-0.9.1.tgz",
- "integrity": "sha512-74RlY5FCnhq4jRxVUPKDaRwrVNXMqsGsiW6AJw4XK8hmtm10wC0ypZBLw5IIp85NZMr91+qd1RvvENwg7jjRFw==",
- "dev": true,
- "requires": {
- "deep-is": "^0.1.3",
- "fast-levenshtein": "^2.0.6",
- "levn": "^0.4.1",
- "prelude-ls": "^1.2.1",
- "type-check": "^0.4.0",
- "word-wrap": "^1.2.3"
- }
- },
- "p-limit": {
- "version": "3.1.0",
- "resolved": "https://registry.npmmirror.com/p-limit/-/p-limit-3.1.0.tgz",
- "integrity": "sha512-TYOanM3wGwNGsZN2cVTYPArw454xnXj5qmWF1bEoAc4+cU/ol7GVh7odevjp1FNHduHc3KZMcFduxU5Xc6uJRQ==",
- "dev": true,
- "requires": {
- "yocto-queue": "^0.1.0"
- }
- },
- "p-locate": {
- "version": "5.0.0",
- "resolved": "https://registry.npmmirror.com/p-locate/-/p-locate-5.0.0.tgz",
- "integrity": "sha512-LaNjtRWUBY++zB5nE/NwcaoMylSPk+S+ZHNB1TzdbMJMny6dynpAGt7X/tl/QYq3TIeE6nxHppbo2LGymrG5Pw==",
- "dev": true,
- "requires": {
- "p-limit": "^3.0.2"
- }
- },
- "p-map": {
- "version": "4.0.0",
- "resolved": "https://registry.npmmirror.com/p-map/-/p-map-4.0.0.tgz",
- "integrity": "sha512-/bjOqmgETBYB5BoEeGVea8dmvHb2m9GLy1E9W43yeyfP6QQCZGFNa+XRceJEuDB6zqr+gKpIAmlLebMpykw/MQ==",
- "dev": true,
- "requires": {
- "aggregate-error": "^3.0.0"
- }
- },
- "p-try": {
- "version": "2.2.0",
- "resolved": "https://registry.npmmirror.com/p-try/-/p-try-2.2.0.tgz",
- "integrity": "sha512-R4nPAVTAU0B9D35/Gk3uJf/7XYbQcyohSKdvAxIRSNghFl4e71hVoGnBNQz9cWaXxO2I10KTC+3jMdvvoKw6dQ==",
- "dev": true
- },
- "parent-module": {
- "version": "1.0.1",
- "resolved": "https://registry.npmmirror.com/parent-module/-/parent-module-1.0.1.tgz",
- "integrity": "sha512-GQ2EWRpQV8/o+Aw8YqtfZZPfNRWZYkbidE9k5rpl/hC3vtHHBfGm2Ifi6qWV+coDGkrUKZAxE3Lot5kcsRlh+g==",
- "dev": true,
- "requires": {
- "callsites": "^3.0.0"
- }
- },
- "parse-json": {
- "version": "4.0.0",
- "resolved": "https://registry.npmmirror.com/parse-json/-/parse-json-4.0.0.tgz",
- "integrity": "sha512-aOIos8bujGN93/8Ox/jPLh7RwVnPEysynVFE+fQZyg6jKELEHwzgKdLRFHUgXJL6kylijVSBC4BvN9OmsB48Rw==",
- "dev": true,
- "requires": {
- "error-ex": "^1.3.1",
- "json-parse-better-errors": "^1.0.1"
- }
- },
- "path-exists": {
- "version": "4.0.0",
- "resolved": "https://registry.npmmirror.com/path-exists/-/path-exists-4.0.0.tgz",
- "integrity": "sha512-ak9Qy5Q7jYb2Wwcey5Fpvg2KoAc/ZIhLSLOSBmRmygPsGwkVVt0fZa0qrtMz+m6tJTAHfZQ8FnmB4MG4LWy7/w==",
- "dev": true
- },
- "path-is-absolute": {
- "version": "1.0.1",
- "resolved": "https://registry.npmmirror.com/path-is-absolute/-/path-is-absolute-1.0.1.tgz",
- "integrity": "sha512-AVbw3UJ2e9bq64vSaS9Am0fje1Pa8pbGqTTsmXfaIiMpnr5DlDhfJOuLj9Sf95ZPVDAUerDfEk88MPmPe7UCQg==",
- "dev": true
- },
- "path-key": {
- "version": "3.1.1",
- "resolved": "https://registry.npmmirror.com/path-key/-/path-key-3.1.1.tgz",
- "integrity": "sha512-ojmeN0qd+y0jszEtoY48r0Peq5dwMEkIlCOu6Q5f41lfkswXuKtYrhgoTpLnyIcHm24Uhqx+5Tqm2InSwLhE6Q==",
- "dev": true
- },
- "path-parse": {
- "version": "1.0.7",
- "resolved": "https://registry.npmmirror.com/path-parse/-/path-parse-1.0.7.tgz",
- "integrity": "sha512-LDJzPVEEEPR+y48z93A0Ed0yXb8pAByGWo/k5YYdYgpY2/2EsOsksJrq7lOHxryrVOn1ejG6oAp8ahvOIQD8sw==",
- "dev": true
- },
- "path-type": {
- "version": "4.0.0",
- "resolved": "https://registry.npmmirror.com/path-type/-/path-type-4.0.0.tgz",
- "integrity": "sha512-gDKb8aZMDeD/tZWs9P6+q0J9Mwkdl6xMV8TjnGP3qJVJ06bdMgkbBlLU8IdfOsIsFz2BW1rNVT3XuNEl8zPAvw==",
- "dev": true
- },
- "picocolors": {
- "version": "1.0.0",
- "resolved": "https://registry.npmmirror.com/picocolors/-/picocolors-1.0.0.tgz",
- "integrity": "sha512-1fygroTLlHu66zi26VoTDv8yRgm0Fccecssto+MhsZ0D/DGW2sm8E8AjW7NU5VVTRt5GxbeZ5qBuJr+HyLYkjQ=="
- },
- "picomatch": {
- "version": "2.3.1",
- "resolved": "https://registry.npmmirror.com/picomatch/-/picomatch-2.3.1.tgz",
- "integrity": "sha512-JU3teHTNjmE2VCGFzuY8EXzCDVwEqB2a8fsIvwaStHhAWJEeVd1o1QD80CU6+ZdEXXSLbSsuLwJjkCBWqRQUVA==",
- "dev": true
- },
- "pidtree": {
- "version": "0.3.1",
- "resolved": "https://registry.npmmirror.com/pidtree/-/pidtree-0.3.1.tgz",
- "integrity": "sha512-qQbW94hLHEqCg7nhby4yRC7G2+jYHY4Rguc2bjw7Uug4GIJuu1tvf2uHaZv5Q8zdt+WKJ6qK1FOI6amaWUo5FA==",
- "dev": true
- },
- "pify": {
- "version": "3.0.0",
- "resolved": "https://registry.npmmirror.com/pify/-/pify-3.0.0.tgz",
- "integrity": "sha512-C3FsVNH1udSEX48gGX1xfvwTWfsYWj5U+8/uK15BGzIGrKoUpghX8hWZwa/OFnakBiiVNmBvemTJR5mcy7iPcg==",
- "dev": true
- },
- "pinia": {
- "version": "2.0.17",
- "resolved": "https://registry.npmmirror.com/pinia/-/pinia-2.0.17.tgz",
- "integrity": "sha512-AtwLwEWQgIjofjgeFT+nxbnK5lT2QwQjaHNEDqpsi2AiCwf/NY78uWTeHUyEhiiJy8+sBmw0ujgQMoQbWiZDfA==",
- "requires": {
- "@vue/devtools-api": "^6.2.1",
- "vue-demi": "*"
- },
- "dependencies": {
- "vue-demi": {
- "version": "0.13.6",
- "resolved": "https://registry.npmmirror.com/vue-demi/-/vue-demi-0.13.6.tgz",
- "integrity": "sha512-02NYpxgyGE2kKGegRPYlNQSL1UWfA/+JqvzhGCOYjhfbLWXU5QQX0+9pAm/R2sCOPKr5NBxVIab7fvFU0B1RxQ==",
- "requires": {}
- }
- }
- },
- "postcss": {
- "version": "8.4.14",
- "resolved": "https://registry.npmmirror.com/postcss/-/postcss-8.4.14.tgz",
- "integrity": "sha512-E398TUmfAYFPBSdzgeieK2Y1+1cpdxJx8yXbK/m57nRhKSmk1GB2tO4lbLBtlkfPQTDKfe4Xqv1ASWPpayPEig==",
- "requires": {
- "nanoid": "^3.3.4",
- "picocolors": "^1.0.0",
- "source-map-js": "^1.0.2"
- }
- },
- "postcss-import": {
- "version": "14.1.0",
- "resolved": "https://registry.npmmirror.com/postcss-import/-/postcss-import-14.1.0.tgz",
- "integrity": "sha512-flwI+Vgm4SElObFVPpTIT7SU7R3qk2L7PyduMcokiaVKuWv9d/U+Gm/QAd8NDLuykTWTkcrjOeD2Pp1rMeBTGw==",
- "dev": true,
- "requires": {
- "postcss-value-parser": "^4.0.0",
- "read-cache": "^1.0.0",
- "resolve": "^1.1.7"
- }
- },
- "postcss-js": {
- "version": "4.0.0",
- "resolved": "https://registry.npmmirror.com/postcss-js/-/postcss-js-4.0.0.tgz",
- "integrity": "sha512-77QESFBwgX4irogGVPgQ5s07vLvFqWr228qZY+w6lW599cRlK/HmnlivnnVUxkjHnCu4J16PDMHcH+e+2HbvTQ==",
- "dev": true,
- "requires": {
- "camelcase-css": "^2.0.1"
- }
- },
- "postcss-load-config": {
- "version": "3.1.4",
- "resolved": "https://registry.npmmirror.com/postcss-load-config/-/postcss-load-config-3.1.4.tgz",
- "integrity": "sha512-6DiM4E7v4coTE4uzA8U//WhtPwyhiim3eyjEMFCnUpzbrkK9wJHgKDT2mR+HbtSrd/NubVaYTOpSpjUl8NQeRg==",
- "dev": true,
- "requires": {
- "lilconfig": "^2.0.5",
- "yaml": "^1.10.2"
- }
- },
- "postcss-nested": {
- "version": "5.0.6",
- "resolved": "https://registry.npmmirror.com/postcss-nested/-/postcss-nested-5.0.6.tgz",
- "integrity": "sha512-rKqm2Fk0KbA8Vt3AdGN0FB9OBOMDVajMG6ZCf/GoHgdxUJ4sBFp0A/uMIRm+MJUdo33YXEtjqIz8u7DAp8B7DA==",
- "dev": true,
- "requires": {
- "postcss-selector-parser": "^6.0.6"
- }
- },
- "postcss-selector-parser": {
- "version": "6.0.10",
- "resolved": "https://registry.npmmirror.com/postcss-selector-parser/-/postcss-selector-parser-6.0.10.tgz",
- "integrity": "sha512-IQ7TZdoaqbT+LCpShg46jnZVlhWD2w6iQYAcYXfHARZ7X1t/UGhhceQDs5X0cGqKvYlHNOuv7Oa1xmb0oQuA3w==",
- "dev": true,
- "requires": {
- "cssesc": "^3.0.0",
- "util-deprecate": "^1.0.2"
- }
- },
- "postcss-value-parser": {
- "version": "4.2.0",
- "resolved": "https://registry.npmmirror.com/postcss-value-parser/-/postcss-value-parser-4.2.0.tgz",
- "integrity": "sha512-1NNCs6uurfkVbeXG4S8JFT9t19m45ICnif8zWLd5oPSZ50QnwMfK+H3jv408d4jw/7Bttv5axS5IiHoLaVNHeQ==",
- "dev": true
- },
- "prelude-ls": {
- "version": "1.2.1",
- "resolved": "https://registry.npmmirror.com/prelude-ls/-/prelude-ls-1.2.1.tgz",
- "integrity": "sha512-vkcDPrRZo1QZLbn5RLGPpg/WmIQ65qoWWhcGKf/b5eplkkarX0m9z8ppCat4mlOqUsWpyNuYgO3VRyrYHSzX5g==",
- "dev": true
- },
- "prettier": {
- "version": "2.7.1",
- "resolved": "https://registry.npmmirror.com/prettier/-/prettier-2.7.1.tgz",
- "integrity": "sha512-ujppO+MkdPqoVINuDFDRLClm7D78qbDt0/NR+wp5FqEZOoTNAjPHWj17QRhu7geIHJfcNhRk1XVQmF8Bp3ye+g==",
- "dev": true
- },
- "prettier-linter-helpers": {
- "version": "1.0.0",
- "resolved": "https://registry.npmmirror.com/prettier-linter-helpers/-/prettier-linter-helpers-1.0.0.tgz",
- "integrity": "sha512-GbK2cP9nraSSUF9N2XwUwqfzlAFlMNYYl+ShE/V+H8a9uNl/oUqB1w2EL54Jh0OlyRSd8RfWYJ3coVS4TROP2w==",
- "dev": true,
- "requires": {
- "fast-diff": "^1.1.2"
- }
- },
- "punycode": {
- "version": "2.1.1",
- "resolved": "https://registry.npmmirror.com/punycode/-/punycode-2.1.1.tgz",
- "integrity": "sha512-XRsRjdf+j5ml+y/6GKHPZbrF/8p2Yga0JPtdqTIY2Xe5ohJPD9saDJJLPvp9+NSBprVvevdXZybnj2cv8OEd0A==",
- "dev": true
- },
- "q": {
- "version": "1.5.1",
- "resolved": "https://registry.npmmirror.com/q/-/q-1.5.1.tgz",
- "integrity": "sha512-kV/CThkXo6xyFEZUugw/+pIOywXcDbFYgSct5cT3gqlbkBE1SJdwy6UQoZvodiWF/ckQLZyDE/Bu1M6gVu5lVw==",
- "dev": true
- },
- "queue-microtask": {
- "version": "1.2.3",
- "resolved": "https://registry.npmmirror.com/queue-microtask/-/queue-microtask-1.2.3.tgz",
- "integrity": "sha512-NuaNSa6flKT5JaSYQzJok04JzTL1CA6aGhv5rfLW3PgqA+M2ChpZQnAC8h8i4ZFkBS8X5RqkDBHA7r4hej3K9A==",
- "dev": true
- },
- "quick-lru": {
- "version": "4.0.1",
- "resolved": "https://registry.npmmirror.com/quick-lru/-/quick-lru-4.0.1.tgz",
- "integrity": "sha512-ARhCpm70fzdcvNQfPoy49IaanKkTlRWF2JMzqhcJbhSFRZv7nPTvZJdcY7301IPmvW+/p0RgIWnQDLJxifsQ7g==",
- "dev": true
- },
- "read-cache": {
- "version": "1.0.0",
- "resolved": "https://registry.npmmirror.com/read-cache/-/read-cache-1.0.0.tgz",
- "integrity": "sha512-Owdv/Ft7IjOgm/i0xvNDZ1LrRANRfew4b2prF3OWMQLxLfu3bS8FVhCsrSCMK4lR56Y9ya+AThoTpDCTxCmpRA==",
- "dev": true,
- "requires": {
- "pify": "^2.3.0"
- },
- "dependencies": {
- "pify": {
- "version": "2.3.0",
- "resolved": "https://registry.npmmirror.com/pify/-/pify-2.3.0.tgz",
- "integrity": "sha512-udgsAY+fTnvv7kI7aaxbqwWNb0AHiB0qBO89PZKPkoTmGOgdbrHDKD+0B2X4uTfJ/FT1R09r9gTsjUjNJotuog==",
- "dev": true
- }
- }
- },
- "read-pkg": {
- "version": "3.0.0",
- "resolved": "https://registry.npmmirror.com/read-pkg/-/read-pkg-3.0.0.tgz",
- "integrity": "sha512-BLq/cCO9two+lBgiTYNqD6GdtK8s4NpaWrl6/rCO9w0TUS8oJl7cmToOZfRYllKTISY6nt1U7jQ53brmKqY6BA==",
- "dev": true,
- "requires": {
- "load-json-file": "^4.0.0",
- "normalize-package-data": "^2.3.2",
- "path-type": "^3.0.0"
- },
- "dependencies": {
- "path-type": {
- "version": "3.0.0",
- "resolved": "https://registry.npmmirror.com/path-type/-/path-type-3.0.0.tgz",
- "integrity": "sha512-T2ZUsdZFHgA3u4e5PfPbjd7HDDpxPnQb5jN0SrDsjNSuVXHJqtwTnWqG0B1jZrgmJ/7lj1EmVIByWt1gxGkWvg==",
- "dev": true,
- "requires": {
- "pify": "^3.0.0"
- }
- }
- }
- },
- "read-pkg-up": {
- "version": "7.0.1",
- "resolved": "https://registry.npmmirror.com/read-pkg-up/-/read-pkg-up-7.0.1.tgz",
- "integrity": "sha512-zK0TB7Xd6JpCLmlLmufqykGE+/TlOePD6qKClNW7hHDKFh/J7/7gCWGR7joEQEW1bKq3a3yUZSObOoWLFQ4ohg==",
- "dev": true,
- "requires": {
- "find-up": "^4.1.0",
- "read-pkg": "^5.2.0",
- "type-fest": "^0.8.1"
- },
- "dependencies": {
- "find-up": {
- "version": "4.1.0",
- "resolved": "https://registry.npmmirror.com/find-up/-/find-up-4.1.0.tgz",
- "integrity": "sha512-PpOwAdQ/YlXQ2vj8a3h8IipDuYRi3wceVQQGYWxNINccq40Anw7BlsEXCMbt1Zt+OLA6Fq9suIpIWD0OsnISlw==",
- "dev": true,
- "requires": {
- "locate-path": "^5.0.0",
- "path-exists": "^4.0.0"
- }
- },
- "locate-path": {
- "version": "5.0.0",
- "resolved": "https://registry.npmmirror.com/locate-path/-/locate-path-5.0.0.tgz",
- "integrity": "sha512-t7hw9pI+WvuwNJXwk5zVHpyhIqzg2qTlklJOf0mVxGSbe3Fp2VieZcduNYjaLDoy6p9uGpQEGWG87WpMKlNq8g==",
- "dev": true,
- "requires": {
- "p-locate": "^4.1.0"
- }
- },
- "p-limit": {
- "version": "2.3.0",
- "resolved": "https://registry.npmmirror.com/p-limit/-/p-limit-2.3.0.tgz",
- "integrity": "sha512-//88mFWSJx8lxCzwdAABTJL2MyWB12+eIY7MDL2SqLmAkeKU9qxRvWuSyTjm3FUmpBEMuFfckAIqEaVGUDxb6w==",
- "dev": true,
- "requires": {
- "p-try": "^2.0.0"
- }
- },
- "p-locate": {
- "version": "4.1.0",
- "resolved": "https://registry.npmmirror.com/p-locate/-/p-locate-4.1.0.tgz",
- "integrity": "sha512-R79ZZ/0wAxKGu3oYMlz8jy/kbhsNrS7SKZ7PxEHBgJ5+F2mtFW2fK2cOtBh1cHYkQsbzFV7I+EoRKe6Yt0oK7A==",
- "dev": true,
- "requires": {
- "p-limit": "^2.2.0"
- }
- },
- "parse-json": {
- "version": "5.2.0",
- "resolved": "https://registry.npmmirror.com/parse-json/-/parse-json-5.2.0.tgz",
- "integrity": "sha512-ayCKvm/phCGxOkYRSCM82iDwct8/EonSEgCSxWxD7ve6jHggsFl4fZVQBPRNgQoKiuV/odhFrGzQXZwbifC8Rg==",
- "dev": true,
- "requires": {
- "@babel/code-frame": "^7.0.0",
- "error-ex": "^1.3.1",
- "json-parse-even-better-errors": "^2.3.0",
- "lines-and-columns": "^1.1.6"
- }
- },
- "read-pkg": {
- "version": "5.2.0",
- "resolved": "https://registry.npmmirror.com/read-pkg/-/read-pkg-5.2.0.tgz",
- "integrity": "sha512-Ug69mNOpfvKDAc2Q8DRpMjjzdtrnv9HcSMX+4VsZxD1aZ6ZzrIE7rlzXBtWTyhULSMKg076AW6WR5iZpD0JiOg==",
- "dev": true,
- "requires": {
- "@types/normalize-package-data": "^2.4.0",
- "normalize-package-data": "^2.5.0",
- "parse-json": "^5.0.0",
- "type-fest": "^0.6.0"
- },
- "dependencies": {
- "type-fest": {
- "version": "0.6.0",
- "resolved": "https://registry.npmmirror.com/type-fest/-/type-fest-0.6.0.tgz",
- "integrity": "sha512-q+MB8nYR1KDLrgr4G5yemftpMC7/QLqVndBmEEdqzmNj5dcFOO4Oo8qlwZE3ULT3+Zim1F8Kq4cBnikNhlCMlg==",
- "dev": true
- }
- }
- },
- "type-fest": {
- "version": "0.8.1",
- "resolved": "https://registry.npmmirror.com/type-fest/-/type-fest-0.8.1.tgz",
- "integrity": "sha512-4dbzIzqvjtgiM5rw1k5rEHtBANKmdudhGyBEajN01fEyhaAIhsoKNy6y7+IN93IfpFtwY9iqi7kD+xwKhQsNJA==",
- "dev": true
- }
- }
- },
- "readable-stream": {
- "version": "3.6.0",
- "resolved": "https://registry.npmmirror.com/readable-stream/-/readable-stream-3.6.0.tgz",
- "integrity": "sha512-BViHy7LKeTz4oNnkcLJ+lVSL6vpiFeX6/d3oSH8zCW7UxP2onchk+vTGB143xuFjHS3deTgkKoXXymXqymiIdA==",
- "dev": true,
- "requires": {
- "inherits": "^2.0.3",
- "string_decoder": "^1.1.1",
- "util-deprecate": "^1.0.1"
- }
- },
- "readdirp": {
- "version": "3.6.0",
- "resolved": "https://registry.npmmirror.com/readdirp/-/readdirp-3.6.0.tgz",
- "integrity": "sha512-hOS089on8RduqdbhvQ5Z37A0ESjsqz6qnRcffsMU3495FuTdqSm+7bhJ29JvIOsBDEEnan5DPu9t3To9VRlMzA==",
- "dev": true,
- "requires": {
- "picomatch": "^2.2.1"
- }
- },
- "redent": {
- "version": "3.0.0",
- "resolved": "https://registry.npmmirror.com/redent/-/redent-3.0.0.tgz",
- "integrity": "sha512-6tDA8g98We0zd0GvVeMT9arEOnTw9qM03L9cJXaCjrip1OO764RDBLBfrB4cwzNGDj5OA5ioymC9GkizgWJDUg==",
- "dev": true,
- "requires": {
- "indent-string": "^4.0.0",
- "strip-indent": "^3.0.0"
- }
- },
- "regexp.prototype.flags": {
- "version": "1.4.3",
- "resolved": "https://registry.npmmirror.com/regexp.prototype.flags/-/regexp.prototype.flags-1.4.3.tgz",
- "integrity": "sha512-fjggEOO3slI6Wvgjwflkc4NFRCTZAu5CnNfBd5qOMYhWdn67nJBBu34/TkD++eeFmd8C9r9jfXJ27+nSiRkSUA==",
- "dev": true,
- "requires": {
- "call-bind": "^1.0.2",
- "define-properties": "^1.1.3",
- "functions-have-names": "^1.2.2"
- }
- },
- "regexpp": {
- "version": "3.2.0",
- "resolved": "https://registry.npmmirror.com/regexpp/-/regexpp-3.2.0.tgz",
- "integrity": "sha512-pq2bWo9mVD43nbts2wGv17XLiNLya+GklZ8kaDLV2Z08gDCsGpnKn9BFMepvWuHCbyVvY7J5o5+BVvoQbmlJLg==",
- "dev": true
- },
- "require-directory": {
- "version": "2.1.1",
- "resolved": "https://registry.npmmirror.com/require-directory/-/require-directory-2.1.1.tgz",
- "integrity": "sha512-fGxEI7+wsG9xrvdjsrlmL22OMTTiHRwAMroiEeMgq8gzoLC/PQr7RsRDSTLUg/bZAZtF+TVIkHc6/4RIKrui+Q==",
- "dev": true
- },
- "require-from-string": {
- "version": "2.0.2",
- "resolved": "https://registry.npmmirror.com/require-from-string/-/require-from-string-2.0.2.tgz",
- "integrity": "sha512-Xf0nWe6RseziFMu+Ap9biiUbmplq6S9/p+7w7YXP/JBHhrUDDUhwa+vANyubuqfZWTveU//DYVGsDG7RKL/vEw==",
- "dev": true
- },
- "resolve": {
- "version": "1.22.1",
- "resolved": "https://registry.npmmirror.com/resolve/-/resolve-1.22.1.tgz",
- "integrity": "sha512-nBpuuYuY5jFsli/JIs1oldw6fOQCBioohqWZg/2hiaOybXOft4lonv85uDOKXdf8rhyK159cxU5cDcK/NKk8zw==",
- "dev": true,
- "requires": {
- "is-core-module": "^2.9.0",
- "path-parse": "^1.0.7",
- "supports-preserve-symlinks-flag": "^1.0.0"
- }
- },
- "resolve-from": {
- "version": "4.0.0",
- "resolved": "https://registry.npmmirror.com/resolve-from/-/resolve-from-4.0.0.tgz",
- "integrity": "sha512-pb/MYmXstAkysRFx8piNI1tGFNQIFA3vkE3Gq4EuA1dF6gHp/+vgZqsCGJapvy8N3Q+4o7FwvquPJcnZ7RYy4g==",
- "dev": true
- },
- "resolve-global": {
- "version": "1.0.0",
- "resolved": "https://registry.npmmirror.com/resolve-global/-/resolve-global-1.0.0.tgz",
- "integrity": "sha512-zFa12V4OLtT5XUX/Q4VLvTfBf+Ok0SPc1FNGM/z9ctUdiU618qwKpWnd0CHs3+RqROfyEg/DhuHbMWYqcgljEw==",
- "dev": true,
- "requires": {
- "global-dirs": "^0.1.1"
- }
- },
- "restore-cursor": {
- "version": "3.1.0",
- "resolved": "https://registry.npmmirror.com/restore-cursor/-/restore-cursor-3.1.0.tgz",
- "integrity": "sha512-l+sSefzHpj5qimhFSE5a8nufZYAM3sBSVMAPtYkmC+4EH2anSGaEMXSD0izRQbu9nfyQ9y5JrVmp7E8oZrUjvA==",
- "dev": true,
- "requires": {
- "onetime": "^5.1.0",
- "signal-exit": "^3.0.2"
- }
- },
- "reusify": {
- "version": "1.0.4",
- "resolved": "https://registry.npmmirror.com/reusify/-/reusify-1.0.4.tgz",
- "integrity": "sha512-U9nH88a3fc/ekCF1l0/UP1IosiuIjyTh7hBvXVMHYgVcfGvt897Xguj2UOLDeI5BG2m7/uwyaLVT6fbtCwTyzw==",
- "dev": true
- },
- "rfdc": {
- "version": "1.3.0",
- "resolved": "https://registry.npmmirror.com/rfdc/-/rfdc-1.3.0.tgz",
- "integrity": "sha512-V2hovdzFbOi77/WajaSMXk2OLm+xNIeQdMMuB7icj7bk6zi2F8GGAxigcnDFpJHbNyNcgyJDiP+8nOrY5cZGrA==",
- "dev": true
- },
- "rimraf": {
- "version": "3.0.2",
- "resolved": "https://registry.npmmirror.com/rimraf/-/rimraf-3.0.2.tgz",
- "integrity": "sha512-JZkJMZkAGFFPP2YqXZXPbMlMBgsxzE8ILs4lMIX/2o0L9UBw9O/Y3o6wFw/i9YLapcUJWwqbi3kdxIPdC62TIA==",
- "dev": true,
- "requires": {
- "glob": "^7.1.3"
- }
- },
- "rollup": {
- "version": "2.77.2",
- "resolved": "https://registry.npmmirror.com/rollup/-/rollup-2.77.2.tgz",
- "integrity": "sha512-m/4YzYgLcpMQbxX3NmAqDvwLATZzxt8bIegO78FZLl+lAgKJBd1DRAOeEiZcKOIOPjxE6ewHWHNgGEalFXuz1g==",
- "dev": true,
- "requires": {
- "fsevents": "~2.3.2"
- }
- },
- "run-parallel": {
- "version": "1.2.0",
- "resolved": "https://registry.npmmirror.com/run-parallel/-/run-parallel-1.2.0.tgz",
- "integrity": "sha512-5l4VyZR86LZ/lDxZTR6jqL8AFE2S0IFLMP26AbjsLVADxHdhB/c0GUsH+y39UfCi3dzz8OlQuPmnaJOMoDHQBA==",
- "dev": true,
- "requires": {
- "queue-microtask": "^1.2.2"
- }
- },
- "rxjs": {
- "version": "7.5.6",
- "resolved": "https://registry.npmmirror.com/rxjs/-/rxjs-7.5.6.tgz",
- "integrity": "sha512-dnyv2/YsXhnm461G+R/Pe5bWP41Nm6LBXEYWI6eiFP4fiwx6WRI/CD0zbdVAudd9xwLEF2IDcKXLHit0FYjUzw==",
- "dev": true,
- "requires": {
- "tslib": "^2.1.0"
- },
- "dependencies": {
- "tslib": {
- "version": "2.4.0",
- "resolved": "https://registry.npmmirror.com/tslib/-/tslib-2.4.0.tgz",
- "integrity": "sha512-d6xOpEDfsi2CZVlPQzGeux8XMwLT9hssAsaPYExaQMuYskwb+x1x7J371tWlbBdWHroy99KnVB6qIkUbs5X3UQ==",
- "dev": true
- }
- }
- },
- "safe-buffer": {
- "version": "5.1.2",
- "resolved": "https://registry.npmmirror.com/safe-buffer/-/safe-buffer-5.1.2.tgz",
- "integrity": "sha512-Gd2UZBJDkXlY7GbJxfsE8/nvKkUEU1G38c1siN6QP6a9PT9MmHB8GnpscSmMJSoF8LOIrt8ud/wPtojys4G6+g==",
- "dev": true
- },
- "sass": {
- "version": "1.54.0",
- "resolved": "https://registry.npmmirror.com/sass/-/sass-1.54.0.tgz",
- "integrity": "sha512-C4zp79GCXZfK0yoHZg+GxF818/aclhp9F48XBu/+bm9vXEVAYov9iU3FBVRMq3Hx3OA4jfKL+p2K9180mEh0xQ==",
- "dev": true,
- "requires": {
- "chokidar": ">=3.0.0 <4.0.0",
- "immutable": "^4.0.0",
- "source-map-js": ">=0.6.2 <2.0.0"
- }
- },
- "semver": {
- "version": "6.3.0",
- "resolved": "https://registry.npmmirror.com/semver/-/semver-6.3.0.tgz",
- "integrity": "sha512-b39TBaTSfV6yBrapU89p5fKekE2m/NwnDocOVruQFS1/veMgdzuPcnOM34M6CwxW8jH/lxEa5rBoDeUwu5HHTw==",
- "dev": true
- },
- "shebang-command": {
- "version": "2.0.0",
- "resolved": "https://registry.npmmirror.com/shebang-command/-/shebang-command-2.0.0.tgz",
- "integrity": "sha512-kHxr2zZpYtdmrN1qDjrrX/Z1rR1kG8Dx+gkpK1G4eXmvXswmcE1hTWBWYUzlraYw1/yZp6YuDY77YtvbN0dmDA==",
- "dev": true,
- "requires": {
- "shebang-regex": "^3.0.0"
- }
- },
- "shebang-regex": {
- "version": "3.0.0",
- "resolved": "https://registry.npmmirror.com/shebang-regex/-/shebang-regex-3.0.0.tgz",
- "integrity": "sha512-7++dFhtcx3353uBaq8DDR4NuxBetBzC7ZQOhmTQInHEd6bSrXdiEyzCvG07Z44UYdLShWUyXt5M/yhz8ekcb1A==",
- "dev": true
- },
- "shell-quote": {
- "version": "1.7.3",
- "resolved": "https://registry.npmmirror.com/shell-quote/-/shell-quote-1.7.3.tgz",
- "integrity": "sha512-Vpfqwm4EnqGdlsBFNmHhxhElJYrdfcxPThu+ryKS5J8L/fhAwLazFZtq+S+TWZ9ANj2piSQLGj6NQg+lKPmxrw==",
- "dev": true
- },
- "side-channel": {
- "version": "1.0.4",
- "resolved": "https://registry.npmmirror.com/side-channel/-/side-channel-1.0.4.tgz",
- "integrity": "sha512-q5XPytqFEIKHkGdiMIrY10mvLRvnQh42/+GoBlFW3b2LXLE2xxJpZFdm94we0BaoV3RwJyGqg5wS7epxTv0Zvw==",
- "dev": true,
- "requires": {
- "call-bind": "^1.0.0",
- "get-intrinsic": "^1.0.2",
- "object-inspect": "^1.9.0"
- }
- },
- "signal-exit": {
- "version": "3.0.7",
- "resolved": "https://registry.npmmirror.com/signal-exit/-/signal-exit-3.0.7.tgz",
- "integrity": "sha512-wnD2ZE+l+SPC/uoS0vXeE9L1+0wuaMqKlfz9AMUo38JsyLSBWSFcHR1Rri62LZc12vLr1gb3jl7iwQhgwpAbGQ==",
- "dev": true
- },
- "slash": {
- "version": "3.0.0",
- "resolved": "https://registry.npmmirror.com/slash/-/slash-3.0.0.tgz",
- "integrity": "sha512-g9Q1haeby36OSStwb4ntCGGGaKsaVSjQ68fBxoQcutl5fS1vuY18H3wSt3jFyFtrkx+Kz0V1G85A4MyAdDMi2Q==",
- "dev": true
- },
- "slice-ansi": {
- "version": "5.0.0",
- "resolved": "https://registry.npmmirror.com/slice-ansi/-/slice-ansi-5.0.0.tgz",
- "integrity": "sha512-FC+lgizVPfie0kkhqUScwRu1O/lF6NOgJmlCgK+/LYxDCTk8sGelYaHDhFcDN+Sn3Cv+3VSa4Byeo+IMCzpMgQ==",
- "dev": true,
- "requires": {
- "ansi-styles": "^6.0.0",
- "is-fullwidth-code-point": "^4.0.0"
- },
- "dependencies": {
- "ansi-styles": {
- "version": "6.1.0",
- "resolved": "https://registry.npmmirror.com/ansi-styles/-/ansi-styles-6.1.0.tgz",
- "integrity": "sha512-VbqNsoz55SYGczauuup0MFUyXNQviSpFTj1RQtFzmQLk18qbVSpTFFGMT293rmDaQuKCT6InmbuEyUne4mTuxQ==",
- "dev": true
- },
- "is-fullwidth-code-point": {
- "version": "4.0.0",
- "resolved": "https://registry.npmmirror.com/is-fullwidth-code-point/-/is-fullwidth-code-point-4.0.0.tgz",
- "integrity": "sha512-O4L094N2/dZ7xqVdrXhh9r1KODPJpFms8B5sGdJLPy664AgvXsreZUyCQQNItZRDlYug4xStLjNp/sz3HvBowQ==",
- "dev": true
- }
- }
- },
- "sortablejs": {
- "version": "1.14.0",
- "resolved": "https://registry.npmmirror.com/sortablejs/-/sortablejs-1.14.0.tgz",
- "integrity": "sha512-pBXvQCs5/33fdN1/39pPL0NZF20LeRbLQ5jtnheIPN9JQAaufGjKdWduZn4U7wCtVuzKhmRkI0DFYHYRbB2H1w=="
- },
- "source-map": {
- "version": "0.6.1",
- "resolved": "https://registry.npmmirror.com/source-map/-/source-map-0.6.1.tgz",
- "integrity": "sha512-UjgapumWlbMhkBgzT7Ykc5YXUT46F0iKu8SGXq0bcwP5dz/h0Plj6enJqjz1Zbq2l5WaqYnrVbwWOWMyF3F47g=="
- },
- "source-map-js": {
- "version": "1.0.2",
- "resolved": "https://registry.npmmirror.com/source-map-js/-/source-map-js-1.0.2.tgz",
- "integrity": "sha512-R0XvVJ9WusLiqTCEiGCmICCMplcCkIwwR11mOSD9CR5u+IXYdiseeEuXCVAjS54zqwkLcPNnmU4OeJ6tUrWhDw=="
- },
- "sourcemap-codec": {
- "version": "1.4.8",
- "resolved": "https://registry.npmmirror.com/sourcemap-codec/-/sourcemap-codec-1.4.8.tgz",
- "integrity": "sha512-9NykojV5Uih4lgo5So5dtw+f0JgJX30KCNI8gwhz2J9A15wD0Ml6tjHKwf6fTSa6fAdVBdZeNOs9eJ71qCk8vA=="
- },
- "spdx-correct": {
- "version": "3.1.1",
- "resolved": "https://registry.npmmirror.com/spdx-correct/-/spdx-correct-3.1.1.tgz",
- "integrity": "sha512-cOYcUWwhCuHCXi49RhFRCyJEK3iPj1Ziz9DpViV3tbZOwXD49QzIN3MpOLJNxh2qwq2lJJZaKMVw9qNi4jTC0w==",
- "dev": true,
- "requires": {
- "spdx-expression-parse": "^3.0.0",
- "spdx-license-ids": "^3.0.0"
- }
- },
- "spdx-exceptions": {
- "version": "2.3.0",
- "resolved": "https://registry.npmmirror.com/spdx-exceptions/-/spdx-exceptions-2.3.0.tgz",
- "integrity": "sha512-/tTrYOC7PPI1nUAgx34hUpqXuyJG+DTHJTnIULG4rDygi4xu/tfgmq1e1cIRwRzwZgo4NLySi+ricLkZkw4i5A==",
- "dev": true
- },
- "spdx-expression-parse": {
- "version": "3.0.1",
- "resolved": "https://registry.npmmirror.com/spdx-expression-parse/-/spdx-expression-parse-3.0.1.tgz",
- "integrity": "sha512-cbqHunsQWnJNE6KhVSMsMeH5H/L9EpymbzqTQ3uLwNCLZ1Q481oWaofqH7nO6V07xlXwY6PhQdQ2IedWx/ZK4Q==",
- "dev": true,
- "requires": {
- "spdx-exceptions": "^2.1.0",
- "spdx-license-ids": "^3.0.0"
- }
- },
- "spdx-license-ids": {
- "version": "3.0.11",
- "resolved": "https://registry.npmmirror.com/spdx-license-ids/-/spdx-license-ids-3.0.11.tgz",
- "integrity": "sha512-Ctl2BrFiM0X3MANYgj3CkygxhRmr9mi6xhejbdO960nF6EDJApTYpn0BQnDKlnNBULKiCN1n3w9EBkHK8ZWg+g==",
- "dev": true
- },
- "split2": {
- "version": "3.2.2",
- "resolved": "https://registry.npmmirror.com/split2/-/split2-3.2.2.tgz",
- "integrity": "sha512-9NThjpgZnifTkJpzTZ7Eue85S49QwpNhZTq6GRJwObb6jnLFNGB7Qm73V5HewTROPyxD0C29xqmaI68bQtV+hg==",
- "dev": true,
- "requires": {
- "readable-stream": "^3.0.0"
- }
- },
- "string_decoder": {
- "version": "1.3.0",
- "resolved": "https://registry.npmmirror.com/string_decoder/-/string_decoder-1.3.0.tgz",
- "integrity": "sha512-hkRX8U1WjJFd8LsDJ2yQ/wWWxaopEsABU1XfkM8A+j0+85JAGppt16cr1Whg6KIbb4okU6Mql6BOj+uup/wKeA==",
- "dev": true,
- "requires": {
- "safe-buffer": "~5.2.0"
- },
- "dependencies": {
- "safe-buffer": {
- "version": "5.2.1",
- "resolved": "https://registry.npmmirror.com/safe-buffer/-/safe-buffer-5.2.1.tgz",
- "integrity": "sha512-rp3So07KcdmmKbGvgaNxQSJr7bGVSVk5S9Eq1F+ppbRo70+YeaDxkw5Dd8NPN+GD6bjnYm2VuPuCXmpuYvmCXQ==",
- "dev": true
- }
- }
- },
- "string-argv": {
- "version": "0.3.1",
- "resolved": "https://registry.npmmirror.com/string-argv/-/string-argv-0.3.1.tgz",
- "integrity": "sha512-a1uQGz7IyVy9YwhqjZIZu1c8JO8dNIe20xBmSS6qu9kv++k3JGzCVmprbNN5Kn+BgzD5E7YYwg1CcjuJMRNsvg==",
- "dev": true
- },
- "string-width": {
- "version": "4.2.3",
- "resolved": "https://registry.npmmirror.com/string-width/-/string-width-4.2.3.tgz",
- "integrity": "sha512-wKyQRQpjJ0sIp62ErSZdGsjMJWsap5oRNihHhu6G7JVO/9jIB6UyevL+tXuOqrng8j/cxKTWyWUwvSTriiZz/g==",
- "dev": true,
- "requires": {
- "emoji-regex": "^8.0.0",
- "is-fullwidth-code-point": "^3.0.0",
- "strip-ansi": "^6.0.1"
- }
- },
- "string.prototype.padend": {
- "version": "3.1.3",
- "resolved": "https://registry.npmmirror.com/string.prototype.padend/-/string.prototype.padend-3.1.3.tgz",
- "integrity": "sha512-jNIIeokznm8SD/TZISQsZKYu7RJyheFNt84DUPrh482GC8RVp2MKqm2O5oBRdGxbDQoXrhhWtPIWQOiy20svUg==",
- "dev": true,
- "requires": {
- "call-bind": "^1.0.2",
- "define-properties": "^1.1.3",
- "es-abstract": "^1.19.1"
- }
- },
- "string.prototype.trimend": {
- "version": "1.0.5",
- "resolved": "https://registry.npmmirror.com/string.prototype.trimend/-/string.prototype.trimend-1.0.5.tgz",
- "integrity": "sha512-I7RGvmjV4pJ7O3kdf+LXFpVfdNOxtCW/2C8f6jNiW4+PQchwxkCDzlk1/7p+Wl4bqFIZeF47qAHXLuHHWKAxog==",
- "dev": true,
- "requires": {
- "call-bind": "^1.0.2",
- "define-properties": "^1.1.4",
- "es-abstract": "^1.19.5"
- }
- },
- "string.prototype.trimstart": {
- "version": "1.0.5",
- "resolved": "https://registry.npmmirror.com/string.prototype.trimstart/-/string.prototype.trimstart-1.0.5.tgz",
- "integrity": "sha512-THx16TJCGlsN0o6dl2o6ncWUsdgnLRSA23rRE5pyGBw/mLr3Ej/R2LaqCtgP8VNMGZsvMWnf9ooZPyY2bHvUFg==",
- "dev": true,
- "requires": {
- "call-bind": "^1.0.2",
- "define-properties": "^1.1.4",
- "es-abstract": "^1.19.5"
- }
- },
- "strip-ansi": {
- "version": "6.0.1",
- "resolved": "https://registry.npmmirror.com/strip-ansi/-/strip-ansi-6.0.1.tgz",
- "integrity": "sha512-Y38VPSHcqkFrCpFnQ9vuSXmquuv5oXOKpGeT6aGrr3o3Gc9AlVa6JBfUSOCnbxGGZF+/0ooI7KrPuUSztUdU5A==",
- "dev": true,
- "requires": {
- "ansi-regex": "^5.0.1"
- }
- },
- "strip-bom": {
- "version": "3.0.0",
- "resolved": "https://registry.npmmirror.com/strip-bom/-/strip-bom-3.0.0.tgz",
- "integrity": "sha512-vavAMRXOgBVNF6nyEEmL3DBK19iRpDcoIwW+swQ+CbGiu7lju6t+JklA1MHweoWtadgt4ISVUsXLyDq34ddcwA==",
- "dev": true
- },
- "strip-final-newline": {
- "version": "2.0.0",
- "resolved": "https://registry.npmmirror.com/strip-final-newline/-/strip-final-newline-2.0.0.tgz",
- "integrity": "sha512-BrpvfNAE3dcvq7ll3xVumzjKjZQ5tI1sEUIKr3Uoks0XUl45St3FlatVqef9prk4jRDzhW6WZg+3bk93y6pLjA==",
- "dev": true
- },
- "strip-indent": {
- "version": "3.0.0",
- "resolved": "https://registry.npmmirror.com/strip-indent/-/strip-indent-3.0.0.tgz",
- "integrity": "sha512-laJTa3Jb+VQpaC6DseHhF7dXVqHTfJPCRDaEbid/drOhgitgYku/letMUqOXFoWV0zIIUbjpdH2t+tYj4bQMRQ==",
- "dev": true,
- "requires": {
- "min-indent": "^1.0.0"
- }
- },
- "strip-json-comments": {
- "version": "3.1.1",
- "resolved": "https://registry.npmmirror.com/strip-json-comments/-/strip-json-comments-3.1.1.tgz",
- "integrity": "sha512-6fPc+R4ihwqP6N/aIv2f1gMH8lOVtWQHoqC4yK6oSDVVocumAsfCqjkXnqiYMhmMwS/mEHLp7Vehlt3ql6lEig==",
- "dev": true
- },
- "supports-color": {
- "version": "5.5.0",
- "resolved": "https://registry.npmmirror.com/supports-color/-/supports-color-5.5.0.tgz",
- "integrity": "sha512-QjVjwdXIt408MIiAqCX4oUKsgU2EqAGzs2Ppkm4aQYbjm+ZEWEcW4SfFNTr4uMNZma0ey4f5lgLrkB0aX0QMow==",
- "dev": true,
- "requires": {
- "has-flag": "^3.0.0"
- }
- },
- "supports-preserve-symlinks-flag": {
- "version": "1.0.0",
- "resolved": "https://registry.npmmirror.com/supports-preserve-symlinks-flag/-/supports-preserve-symlinks-flag-1.0.0.tgz",
- "integrity": "sha512-ot0WnXS9fgdkgIcePe6RHNk1WA8+muPa6cSjeR3V8K27q9BB1rTE3R1p7Hv0z1ZyAc8s6Vvv8DIyWf681MAt0w==",
- "dev": true
- },
- "svg-tags": {
- "version": "1.0.0",
- "resolved": "https://registry.npmmirror.com/svg-tags/-/svg-tags-1.0.0.tgz",
- "integrity": "sha512-ovssysQTa+luh7A5Weu3Rta6FJlFBBbInjOh722LIt6klpU2/HtdUbszju/G4devcvk8PGt7FCLv5wftu3THUA==",
- "dev": true
- },
- "tailwindcss": {
- "version": "3.1.7",
- "resolved": "https://registry.npmmirror.com/tailwindcss/-/tailwindcss-3.1.7.tgz",
- "integrity": "sha512-r7mgumZ3k0InfVPpGWcX8X/Ut4xBfv+1O/+C73ar/m01LxGVzWvPxF/w6xIUPEztrCoz7axfx0SMdh8FH8ZvRQ==",
- "dev": true,
- "requires": {
- "arg": "^5.0.2",
- "chokidar": "^3.5.3",
- "color-name": "^1.1.4",
- "detective": "^5.2.1",
- "didyoumean": "^1.2.2",
- "dlv": "^1.1.3",
- "fast-glob": "^3.2.11",
- "glob-parent": "^6.0.2",
- "is-glob": "^4.0.3",
- "lilconfig": "^2.0.6",
- "normalize-path": "^3.0.0",
- "object-hash": "^3.0.0",
- "picocolors": "^1.0.0",
- "postcss": "^8.4.14",
- "postcss-import": "^14.1.0",
- "postcss-js": "^4.0.0",
- "postcss-load-config": "^3.1.4",
- "postcss-nested": "5.0.6",
- "postcss-selector-parser": "^6.0.10",
- "postcss-value-parser": "^4.2.0",
- "quick-lru": "^5.1.1",
- "resolve": "^1.22.1"
- },
- "dependencies": {
- "arg": {
- "version": "5.0.2",
- "resolved": "https://registry.npmmirror.com/arg/-/arg-5.0.2.tgz",
- "integrity": "sha512-PYjyFOLKQ9y57JvQ6QLo8dAgNqswh8M1RMJYdQduT6xbWSgK36P/Z/v+p888pM69jMMfS8Xd8F6I1kQ/I9HUGg==",
- "dev": true
- },
- "color-name": {
- "version": "1.1.4",
- "resolved": "https://registry.npmmirror.com/color-name/-/color-name-1.1.4.tgz",
- "integrity": "sha512-dOy+3AuW3a2wNbZHIuMZpTcgjGuLU/uBL/ubcZF9OXbDo8ff4O8yVp5Bf0efS8uEoYo5q4Fx7dY9OgQGXgAsQA==",
- "dev": true
- },
- "quick-lru": {
- "version": "5.1.1",
- "resolved": "https://registry.npmmirror.com/quick-lru/-/quick-lru-5.1.1.tgz",
- "integrity": "sha512-WuyALRjWPDGtt/wzJiadO5AXY+8hZ80hVpe6MyivgraREW751X3SbhRvG3eLKOYN+8VEvqLcf3wdnt44Z4S4SA==",
- "dev": true
- }
- }
- },
- "text-extensions": {
- "version": "1.9.0",
- "resolved": "https://registry.npmmirror.com/text-extensions/-/text-extensions-1.9.0.tgz",
- "integrity": "sha512-wiBrwC1EhBelW12Zy26JeOUkQ5mRu+5o8rpsJk5+2t+Y5vE7e842qtZDQ2g1NpX/29HdyFeJ4nSIhI47ENSxlQ==",
- "dev": true
- },
- "text-table": {
- "version": "0.2.0",
- "resolved": "https://registry.npmmirror.com/text-table/-/text-table-0.2.0.tgz",
- "integrity": "sha512-N+8UisAXDGk8PFXP4HAzVR9nbfmVJ3zYLAWiTIoqC5v5isinhr+r5uaO8+7r3BMfuNIufIsA7RdpVgacC2cSpw==",
- "dev": true
- },
- "through": {
- "version": "2.3.8",
- "resolved": "https://registry.npmmirror.com/through/-/through-2.3.8.tgz",
- "integrity": "sha512-w89qg7PI8wAdvX60bMDP+bFoD5Dvhm9oLheFp5O4a2QF0cSBGsBX4qZmadPMvVqlLJBBci+WqGGOAPvcDeNSVg==",
- "dev": true
- },
- "through2": {
- "version": "4.0.2",
- "resolved": "https://registry.npmmirror.com/through2/-/through2-4.0.2.tgz",
- "integrity": "sha512-iOqSav00cVxEEICeD7TjLB1sueEL+81Wpzp2bY17uZjZN0pWZPuo4suZ/61VujxmqSGFfgOcNuTZ85QJwNZQpw==",
- "dev": true,
- "requires": {
- "readable-stream": "3"
- }
- },
- "to-fast-properties": {
- "version": "2.0.0",
- "resolved": "https://registry.npmmirror.com/to-fast-properties/-/to-fast-properties-2.0.0.tgz",
- "integrity": "sha512-/OaKK0xYrs3DmxRYqL/yDc+FxFUVYhDlXMhRmv3z915w2HF1tnN1omB354j8VUGO/hbRzyD6Y3sA7v7GS/ceog==",
- "dev": true
- },
- "to-regex-range": {
- "version": "5.0.1",
- "resolved": "https://registry.npmmirror.com/to-regex-range/-/to-regex-range-5.0.1.tgz",
- "integrity": "sha512-65P7iz6X5yEr1cwcgvQxbbIw7Uk3gOy5dIdtZ4rDveLqhrdJP+Li/Hx6tyK0NEb+2GCyneCMJiGqrADCSNk8sQ==",
- "dev": true,
- "requires": {
- "is-number": "^7.0.0"
- }
- },
- "trim-newlines": {
- "version": "3.0.1",
- "resolved": "https://registry.npmmirror.com/trim-newlines/-/trim-newlines-3.0.1.tgz",
- "integrity": "sha512-c1PTsA3tYrIsLGkJkzHF+w9F2EyxfXGo4UyJc4pFL++FMjnq0HJS69T3M7d//gKrFKwy429bouPescbjecU+Zw==",
- "dev": true
- },
- "ts-node": {
- "version": "10.9.1",
- "resolved": "https://registry.npmmirror.com/ts-node/-/ts-node-10.9.1.tgz",
- "integrity": "sha512-NtVysVPkxxrwFGUUxGYhfux8k78pQB3JqYBXlLRZgdGUqTO5wU/UyHop5p70iEbGhB7q5KmiZiU0Y3KlJrScEw==",
- "dev": true,
- "requires": {
- "@cspotcode/source-map-support": "^0.8.0",
- "@tsconfig/node10": "^1.0.7",
- "@tsconfig/node12": "^1.0.7",
- "@tsconfig/node14": "^1.0.0",
- "@tsconfig/node16": "^1.0.2",
- "acorn": "^8.4.1",
- "acorn-walk": "^8.1.1",
- "arg": "^4.1.0",
- "create-require": "^1.1.0",
- "diff": "^4.0.1",
- "make-error": "^1.1.1",
- "v8-compile-cache-lib": "^3.0.1",
- "yn": "3.1.1"
- }
- },
- "tslib": {
- "version": "1.14.1",
- "resolved": "https://registry.npmmirror.com/tslib/-/tslib-1.14.1.tgz",
- "integrity": "sha512-Xni35NKzjgMrwevysHTCArtLDpPvye8zV/0E4EyYn43P7/7qvQwPh9BGkHewbMulVntbigmcT7rdX3BNo9wRJg==",
- "dev": true
- },
- "tsutils": {
- "version": "3.21.0",
- "resolved": "https://registry.npmmirror.com/tsutils/-/tsutils-3.21.0.tgz",
- "integrity": "sha512-mHKK3iUXL+3UF6xL5k0PEhKRUBKPBCv/+RkEOpjRWxxx27KKRBmmA60A9pgOUvMi8GKhRMPEmjBRPzs2W7O1OA==",
- "dev": true,
- "requires": {
- "tslib": "^1.8.1"
- }
- },
- "type-check": {
- "version": "0.4.0",
- "resolved": "https://registry.npmmirror.com/type-check/-/type-check-0.4.0.tgz",
- "integrity": "sha512-XleUoc9uwGXqjWwXaUTZAmzMcFZ5858QA2vvx1Ur5xIcixXIP+8LnFDgRplU30us6teqdlskFfu+ae4K79Ooew==",
- "dev": true,
- "requires": {
- "prelude-ls": "^1.2.1"
- }
- },
- "type-fest": {
- "version": "0.20.2",
- "resolved": "https://registry.npmmirror.com/type-fest/-/type-fest-0.20.2.tgz",
- "integrity": "sha512-Ne+eE4r0/iWnpAxD852z3A+N0Bt5RN//NjJwRd2VFHEmrywxf5vsZlh4R6lixl6B+wz/8d+maTSAkN1FIkI3LQ==",
- "dev": true
- },
- "typescript": {
- "version": "4.7.4",
- "resolved": "https://registry.npmmirror.com/typescript/-/typescript-4.7.4.tgz",
- "integrity": "sha512-C0WQT0gezHuw6AdY1M2jxUO83Rjf0HP7Sk1DtXj6j1EwkQNZrHAg2XPWlq62oqEhYvONq5pkC2Y9oPljWToLmQ==",
- "devOptional": true
- },
- "unbox-primitive": {
- "version": "1.0.2",
- "resolved": "https://registry.npmmirror.com/unbox-primitive/-/unbox-primitive-1.0.2.tgz",
- "integrity": "sha512-61pPlCD9h51VoreyJ0BReideM3MDKMKnh6+V9L08331ipq6Q8OFXZYiqP6n/tbHx4s5I9uRhcye6BrbkizkBDw==",
- "dev": true,
- "requires": {
- "call-bind": "^1.0.2",
- "has-bigints": "^1.0.2",
- "has-symbols": "^1.0.3",
- "which-boxed-primitive": "^1.0.2"
- }
- },
- "universalify": {
- "version": "2.0.0",
- "resolved": "https://registry.npmmirror.com/universalify/-/universalify-2.0.0.tgz",
- "integrity": "sha512-hAZsKq7Yy11Zu1DE0OzWjw7nnLZmJZYTDZZyEFHZdUhV8FkH5MCfoU1XMaxXovpyW5nq5scPqq0ZDP9Zyl04oQ==",
- "dev": true
- },
- "update-browserslist-db": {
- "version": "1.0.5",
- "resolved": "https://registry.npmmirror.com/update-browserslist-db/-/update-browserslist-db-1.0.5.tgz",
- "integrity": "sha512-dteFFpCyvuDdr9S/ff1ISkKt/9YZxKjI9WlRR99c180GaztJtRa/fn18FdxGVKVsnPY7/a/FDN68mcvUmP4U7Q==",
- "dev": true,
- "requires": {
- "escalade": "^3.1.1",
- "picocolors": "^1.0.0"
- }
- },
- "uri-js": {
- "version": "4.4.1",
- "resolved": "https://registry.npmmirror.com/uri-js/-/uri-js-4.4.1.tgz",
- "integrity": "sha512-7rKUyy33Q1yc98pQ1DAmLtwX109F7TIfWlW1Ydo8Wl1ii1SeHieeh0HHfPeL2fMXK6z0s8ecKs9frCuLJvndBg==",
- "dev": true,
- "requires": {
- "punycode": "^2.1.0"
- }
- },
- "util-deprecate": {
- "version": "1.0.2",
- "resolved": "https://registry.npmmirror.com/util-deprecate/-/util-deprecate-1.0.2.tgz",
- "integrity": "sha512-EPD5q1uXyFxJpCrLnCc1nHnq3gOa6DZBocAIiI2TaSCA7VCJ1UJDMagCzIkXNsUYfD1daK//LTEQ8xiIbrHtcw==",
- "dev": true
- },
- "v8-compile-cache": {
- "version": "2.3.0",
- "resolved": "https://registry.npmmirror.com/v8-compile-cache/-/v8-compile-cache-2.3.0.tgz",
- "integrity": "sha512-l8lCEmLcLYZh4nbunNZvQCJc5pv7+RCwa8q/LdUx8u7lsWvPDKmpodJAJNwkAhJC//dFY48KuIEmjtd4RViDrA==",
- "dev": true
- },
- "v8-compile-cache-lib": {
- "version": "3.0.1",
- "resolved": "https://registry.npmmirror.com/v8-compile-cache-lib/-/v8-compile-cache-lib-3.0.1.tgz",
- "integrity": "sha512-wa7YjyUGfNZngI/vtK0UHAN+lgDCxBPCylVXGp0zu59Fz5aiGtNXaq3DhIov063MorB+VfufLh3JlF2KdTK3xg==",
- "dev": true
- },
- "validate-npm-package-license": {
- "version": "3.0.4",
- "resolved": "https://registry.npmmirror.com/validate-npm-package-license/-/validate-npm-package-license-3.0.4.tgz",
- "integrity": "sha512-DpKm2Ui/xN7/HQKCtpZxoRWBhZ9Z0kqtygG8XCgNQ8ZlDnxuQmWhj566j8fN4Cu3/JmbhsDo7fcAJq4s9h27Ew==",
- "dev": true,
- "requires": {
- "spdx-correct": "^3.0.0",
- "spdx-expression-parse": "^3.0.0"
- }
- },
- "vant": {
- "version": "3.5.3",
- "resolved": "https://registry.npmmirror.com/vant/-/vant-3.5.3.tgz",
- "integrity": "sha512-/5BRYbOthBcS3YtgmYDJX2WOTHOyMRURnByBNGSe49UVEppXA9a1tmNWxiwnPSyuaiDdagIpvVySEW4KTgd7rQ==",
- "requires": {
- "@vant/icons": "^1.8.0",
- "@vant/popperjs": "^1.2.1",
- "@vant/use": "^1.4.1"
- }
- },
- "vite": {
- "version": "3.0.4",
- "resolved": "https://registry.npmmirror.com/vite/-/vite-3.0.4.tgz",
- "integrity": "sha512-NU304nqnBeOx2MkQnskBQxVsa0pRAH5FphokTGmyy8M3oxbvw7qAXts2GORxs+h/2vKsD+osMhZ7An6yK6F1dA==",
- "dev": true,
- "requires": {
- "esbuild": "^0.14.47",
- "fsevents": "~2.3.2",
- "postcss": "^8.4.14",
- "resolve": "^1.22.1",
- "rollup": "^2.75.6"
- }
- },
- "vue": {
- "version": "3.2.37",
- "resolved": "https://registry.npmmirror.com/vue/-/vue-3.2.37.tgz",
- "integrity": "sha512-bOKEZxrm8Eh+fveCqS1/NkG/n6aMidsI6hahas7pa0w/l7jkbssJVsRhVDs07IdDq7h9KHswZOgItnwJAgtVtQ==",
- "requires": {
- "@vue/compiler-dom": "3.2.37",
- "@vue/compiler-sfc": "3.2.37",
- "@vue/runtime-dom": "3.2.37",
- "@vue/server-renderer": "3.2.37",
- "@vue/shared": "3.2.37"
- }
- },
- "vue-eslint-parser": {
- "version": "9.0.3",
- "resolved": "https://registry.npmmirror.com/vue-eslint-parser/-/vue-eslint-parser-9.0.3.tgz",
- "integrity": "sha512-yL+ZDb+9T0ELG4VIFo/2anAOz8SvBdlqEnQnvJ3M7Scq56DvtjY0VY88bByRZB0D4J0u8olBcfrXTVONXsh4og==",
- "dev": true,
- "requires": {
- "debug": "^4.3.4",
- "eslint-scope": "^7.1.1",
- "eslint-visitor-keys": "^3.3.0",
- "espree": "^9.3.1",
- "esquery": "^1.4.0",
- "lodash": "^4.17.21",
- "semver": "^7.3.6"
- },
- "dependencies": {
- "eslint-scope": {
- "version": "7.1.1",
- "resolved": "https://registry.npmmirror.com/eslint-scope/-/eslint-scope-7.1.1.tgz",
- "integrity": "sha512-QKQM/UXpIiHcLqJ5AOyIW7XZmzjkzQXYE54n1++wb0u9V/abW3l9uQnxX8Z5Xd18xyKIMTUAyQ0k1e8pz6LUrw==",
- "dev": true,
- "requires": {
- "esrecurse": "^4.3.0",
- "estraverse": "^5.2.0"
- }
- },
- "estraverse": {
- "version": "5.3.0",
- "resolved": "https://registry.npmmirror.com/estraverse/-/estraverse-5.3.0.tgz",
- "integrity": "sha512-MMdARuVEQziNTeJD8DgMqmhwR11BRQ/cBP+pLtYdSTnf3MIO8fFeiINEbX36ZdNlfU/7A9f3gUw49B3oQsvwBA==",
- "dev": true
- },
- "semver": {
- "version": "7.3.7",
- "resolved": "https://registry.npmmirror.com/semver/-/semver-7.3.7.tgz",
- "integrity": "sha512-QlYTucUYOews+WeEujDoEGziz4K6c47V/Bd+LjSSYcA94p+DmINdf7ncaUinThfvZyu13lN9OY1XDxt8C0Tw0g==",
- "dev": true,
- "requires": {
- "lru-cache": "^6.0.0"
- }
- }
- }
- },
- "vue-router": {
- "version": "4.1.3",
- "resolved": "https://registry.npmmirror.com/vue-router/-/vue-router-4.1.3.tgz",
- "integrity": "sha512-XvK81bcYglKiayT7/vYAg/f36ExPC4t90R/HIpzrZ5x+17BOWptXLCrEPufGgZeuq68ww4ekSIMBZY1qdUdfjA==",
- "requires": {
- "@vue/devtools-api": "^6.1.4"
- }
- },
- "vue-tsc": {
- "version": "0.38.9",
- "resolved": "https://registry.npmmirror.com/vue-tsc/-/vue-tsc-0.38.9.tgz",
- "integrity": "sha512-Yoy5phgvGqyF98Fb4mYqboR4Q149jrdcGv5kSmufXJUq++RZJ2iMVG0g6zl+v3t4ORVWkQmRpsV4x2szufZ0LQ==",
- "dev": true,
- "requires": {
- "@volar/vue-typescript": "0.38.9"
- }
- },
- "vuedraggable": {
- "version": "4.1.0",
- "resolved": "https://registry.npmmirror.com/vuedraggable/-/vuedraggable-4.1.0.tgz",
- "integrity": "sha512-FU5HCWBmsf20GpP3eudURW3WdWTKIbEIQxh9/8GE806hydR9qZqRRxRE3RjqX7PkuLuMQG/A7n3cfj9rCEchww==",
- "requires": {
- "sortablejs": "1.14.0"
- }
- },
- "which": {
- "version": "2.0.2",
- "resolved": "https://registry.npmmirror.com/which/-/which-2.0.2.tgz",
- "integrity": "sha512-BLI3Tl1TW3Pvl70l3yq3Y64i+awpwXqsGBYWkkqMtnbXgrMD+yj7rhW0kuEDxzJaYXGjEW5ogapKNMEKNMjibA==",
- "dev": true,
- "requires": {
- "isexe": "^2.0.0"
- }
- },
- "which-boxed-primitive": {
- "version": "1.0.2",
- "resolved": "https://registry.npmmirror.com/which-boxed-primitive/-/which-boxed-primitive-1.0.2.tgz",
- "integrity": "sha512-bwZdv0AKLpplFY2KZRX6TvyuN7ojjr7lwkg6ml0roIy9YeuSr7JS372qlNW18UQYzgYK9ziGcerWqZOmEn9VNg==",
- "dev": true,
- "requires": {
- "is-bigint": "^1.0.1",
- "is-boolean-object": "^1.1.0",
- "is-number-object": "^1.0.4",
- "is-string": "^1.0.5",
- "is-symbol": "^1.0.3"
- }
- },
- "word-wrap": {
- "version": "1.2.3",
- "resolved": "https://registry.npmmirror.com/word-wrap/-/word-wrap-1.2.3.tgz",
- "integrity": "sha512-Hz/mrNwitNRh/HUAtM/VT/5VH+ygD6DV7mYKZAtHOrbs8U7lvPS6xf7EJKMF0uW1KJCl0H701g3ZGus+muE5vQ==",
- "dev": true
- },
- "wrap-ansi": {
- "version": "7.0.0",
- "resolved": "https://registry.npmmirror.com/wrap-ansi/-/wrap-ansi-7.0.0.tgz",
- "integrity": "sha512-YVGIj2kamLSTxw6NsZjoBxfSwsn0ycdesmc4p+Q21c5zPuZ1pl+NfxVdxPtdHvmNVOQ6XSYG4AUtyt/Fi7D16Q==",
- "dev": true,
- "requires": {
- "ansi-styles": "^4.0.0",
- "string-width": "^4.1.0",
- "strip-ansi": "^6.0.0"
- },
- "dependencies": {
- "ansi-styles": {
- "version": "4.3.0",
- "resolved": "https://registry.npmmirror.com/ansi-styles/-/ansi-styles-4.3.0.tgz",
- "integrity": "sha512-zbB9rCJAT1rbjiVDb2hqKFHNYLxgtk8NURxZ3IZwD3F6NtxbXZQCnnSi1Lkx+IDohdPlFp222wVALIheZJQSEg==",
- "dev": true,
- "requires": {
- "color-convert": "^2.0.1"
- }
- },
- "color-convert": {
- "version": "2.0.1",
- "resolved": "https://registry.npmmirror.com/color-convert/-/color-convert-2.0.1.tgz",
- "integrity": "sha512-RRECPsj7iu/xb5oKYcsFHSppFNnsj/52OVTRKb4zP5onXwVF3zVmmToNcOfGC+CRDpfK/U584fMg38ZHCaElKQ==",
- "dev": true,
- "requires": {
- "color-name": "~1.1.4"
- }
- },
- "color-name": {
- "version": "1.1.4",
- "resolved": "https://registry.npmmirror.com/color-name/-/color-name-1.1.4.tgz",
- "integrity": "sha512-dOy+3AuW3a2wNbZHIuMZpTcgjGuLU/uBL/ubcZF9OXbDo8ff4O8yVp5Bf0efS8uEoYo5q4Fx7dY9OgQGXgAsQA==",
- "dev": true
- }
- }
- },
- "wrappy": {
- "version": "1.0.2",
- "resolved": "https://registry.npmmirror.com/wrappy/-/wrappy-1.0.2.tgz",
- "integrity": "sha512-l4Sp/DRseor9wL6EvV2+TuQn63dMkPjZ/sp9XkghTEbV9KlPS1xUsZ3u7/IQO4wxtcFB4bgpQPRcR3QCvezPcQ==",
- "dev": true
- },
- "xml-name-validator": {
- "version": "4.0.0",
- "resolved": "https://registry.npmmirror.com/xml-name-validator/-/xml-name-validator-4.0.0.tgz",
- "integrity": "sha512-ICP2e+jsHvAj2E2lIHxa5tjXRlKDJo4IdvPvCXbXQGdzSfmSpNVyIKMvoZHjDY9DP0zV17iI85o90vRFXNccRw==",
- "dev": true
- },
- "xtend": {
- "version": "4.0.2",
- "resolved": "https://registry.npmmirror.com/xtend/-/xtend-4.0.2.tgz",
- "integrity": "sha512-LKYU1iAXJXUgAXn9URjiu+MWhyUXHsvfp7mcuYm9dSUKK0/CjtrUwFAxD82/mCWbtLsGjFIad0wIsod4zrTAEQ==",
- "dev": true
- },
- "y18n": {
- "version": "5.0.8",
- "resolved": "https://registry.npmmirror.com/y18n/-/y18n-5.0.8.tgz",
- "integrity": "sha512-0pfFzegeDWJHJIAmTLRP2DwHjdF5s7jo9tuztdQxAhINCdvS+3nGINqPd00AphqJR/0LhANUS6/+7SCb98YOfA==",
- "dev": true
- },
- "yallist": {
- "version": "4.0.0",
- "resolved": "https://registry.npmmirror.com/yallist/-/yallist-4.0.0.tgz",
- "integrity": "sha512-3wdGidZyq5PB084XLES5TpOSRA3wjXAlIWMhum2kRcv/41Sn2emQ0dycQW4uZXLejwKvg6EsvbdlVL+FYEct7A==",
- "dev": true
- },
- "yaml": {
- "version": "1.10.2",
- "resolved": "https://registry.npmmirror.com/yaml/-/yaml-1.10.2.tgz",
- "integrity": "sha512-r3vXyErRCYJ7wg28yvBY5VSoAF8ZvlcW9/BwUzEtUsjvX/DKs24dIkuwjtuprwJJHsbyUbLApepYTR1BN4uHrg==",
- "dev": true
- },
- "yargs": {
- "version": "17.5.1",
- "resolved": "https://registry.npmmirror.com/yargs/-/yargs-17.5.1.tgz",
- "integrity": "sha512-t6YAJcxDkNX7NFYiVtKvWUz8l+PaKTLiL63mJYWR2GnHq2gjEWISzsLp9wg3aY36dY1j+gfIEL3pIF+XlJJfbA==",
- "dev": true,
- "requires": {
- "cliui": "^7.0.2",
- "escalade": "^3.1.1",
- "get-caller-file": "^2.0.5",
- "require-directory": "^2.1.1",
- "string-width": "^4.2.3",
- "y18n": "^5.0.5",
- "yargs-parser": "^21.0.0"
- },
- "dependencies": {
- "yargs-parser": {
- "version": "21.0.1",
- "resolved": "https://registry.npmmirror.com/yargs-parser/-/yargs-parser-21.0.1.tgz",
- "integrity": "sha512-9BK1jFpLzJROCI5TzwZL/TU4gqjK5xiHV/RfWLOahrjAko/e4DJkRDZQXfvqAsiZzzYhgAzbgz6lg48jcm4GLg==",
- "dev": true
- }
- }
- },
- "yargs-parser": {
- "version": "20.2.9",
- "resolved": "https://registry.npmmirror.com/yargs-parser/-/yargs-parser-20.2.9.tgz",
- "integrity": "sha512-y11nGElTIV+CT3Zv9t7VKl+Q3hTQoT9a1Qzezhhl6Rp21gJ/IVTW7Z3y9EWXhuUBC2Shnf+DX0antecpAwSP8w==",
- "dev": true
- },
- "yn": {
- "version": "3.1.1",
- "resolved": "https://registry.npmmirror.com/yn/-/yn-3.1.1.tgz",
- "integrity": "sha512-Ux4ygGWsu2c7isFWe8Yu1YluJmqVhxqK2cLXNQA5AcC3QfbGNpM7fu0Y8b/z16pXLnFxZYvWhd3fhBY9DLmC6Q==",
- "dev": true
- },
- "yocto-queue": {
- "version": "0.1.0",
- "resolved": "https://registry.npmmirror.com/yocto-queue/-/yocto-queue-0.1.0.tgz",
- "integrity": "sha512-rVksvsnNCdJ/ohGc6xgPwyN8eheCxsiLM8mxuE/t/mOVqJewPuO1miLpTHQiRgTKCLexL4MeAFVagts7HmNZ2Q==",
- "dev": true
- }
- }
-}
diff --git a/package.json b/package.json
index d92eb7b..7a37c4b 100644
--- a/package.json
+++ b/package.json
@@ -1,75 +1,97 @@
{
- "name": "cow-code-low-code",
- "version": "0.0.0",
+ "private": true,
+ "packageManager": "pnpm@7.3.0",
"scripts": {
- "dev": "vite",
- "build": "run-p type-check build-only",
- "preview": "vite preview --port 4173",
- "build-only": "vite build",
- "type-check": "vue-tsc --noEmit",
- "lint": "eslint . --ext .vue,.js,.jsx,.cjs,.mjs,.ts,.tsx,.cts,.mts --fix --ignore-path .gitignore",
+ "dev:editor": "pnpm -C packages/editor dev",
+ "dev:preview": "pnpm -C packages/preview dev",
+ "dev:docs": "pnpm -C docs dev",
+ "lint": "eslint . --ext .vue,.js,.ts,.jsx,.tsx,.md,.json --max-warnings 0 && pretty-quick --check",
+ "lint:fix": "eslint --fix . --ext .vue,.js,.ts,.jsx,.tsx,.md,.json && pretty-quick",
+ "build:editor": "pnpm -C packages/editor build-only",
+ "build:preview": "pnpm -C packages/preview build-only",
+ "build:docs": "pnpm -C docs build",
+ "cz": "czg",
+ "format": "prettier --write .",
+ "stub": "pnpm run -r --parallel stub",
"prepare": "husky install",
- "cz": "czg"
+ "preinstall": "npx --yes only-allow pnpm",
+ "postinstall": "pnpm -C internal/vite-plugin-monaco-editor-nls build && pnpm stub"
},
"dependencies": {
- "@element-plus/icons-vue": "^2.0.6",
- "element-plus": "^2.2.12",
- "monaco-editor": "^0.33.0",
+ "@cow-low-code/constant": "workspace:*",
+ "@cow-low-code/event-action": "workspace:*",
+ "@cow-low-code/library": "workspace:*",
+ "@cow-low-code/types": "workspace:*",
+ "@cow-low-code/utils": "workspace:*",
+ "@icon-park/vue-next": "^1.4.2",
+ "@vueuse/core": "^9.0.2",
+ "@vueuse/integrations": "^9.1.0",
+ "crypto-js": "^4.1.1",
+ "element-plus": "^2.2.14",
+ "json-stringify-pretty-compact": "^4.0.0",
+ "lodash-es": "^4.17.21",
"pinia": "^2.0.16",
- "vant": "^3.5.3",
+ "pinia-plugin-persist": "^1.0.0",
+ "qrcode": "^1.5.1",
+ "uuid": "^8.3.2",
"vue": "^3.2.37",
- "vue-router": "^4.1.2",
- "vuedraggable": "^4.1.0"
+ "vue-router": "^4.1.2"
},
"devDependencies": {
"@commitlint/cli": "^17.0.3",
"@commitlint/config-conventional": "^17.0.3",
- "@rushstack/eslint-patch": "^1.1.0",
+ "@cow-low-code/build-utils": "workspace:*",
+ "@element-plus/eslint-config": "^0.0.20220803",
+ "@types/crypto-js": "^4.1.1",
"@types/node": "^16.11.47",
"@types/sass": "^1.43.1",
+ "@types/sortablejs": "^1.13.0",
+ "@types/uuid": "^8.3.4",
"@vitejs/plugin-vue": "^3.0.1",
"@vitejs/plugin-vue-jsx": "^2.0.0",
- "@vue/eslint-config-prettier": "^7.0.0",
- "@vue/eslint-config-typescript": "^11.0.0",
"@vue/tsconfig": "^0.1.3",
"autoprefixer": "^10.4.8",
- "cz-git": "^1.3.10",
+ "consola": "^2.15.3",
"czg": "^1.3.10",
- "eslint": "^8.5.0",
- "eslint-plugin-vue": "^9.0.0",
+ "eslint": "^8.21.0",
+ "eslint-define-config": "^1.6.0",
+ "eslint-plugin-markdown": "^3.0.0",
"husky": "^8.0.0",
"lint-staged": "^13.0.3",
"npm-run-all": "^4.1.5",
"postcss": "^8.4.14",
- "prettier": "^2.5.1",
+ "prettier": "^2.7.1",
+ "pretty-quick": "^3.1.3",
+ "rollup-plugin-visualizer": "^5.7.1",
"sass": "^1.54.0",
"tailwindcss": "^3.1.7",
"typescript": "~4.7.4",
- "vite": "^3.0.1",
+ "unplugin-auto-import": "^0.10.3",
+ "unplugin-element-plus": "^0.4.1",
+ "unplugin-icons": "^0.14.8",
+ "unplugin-vue-components": "^0.21.2",
+ "unplugin-vue-define-options": "^0.7.3",
+ "unplugin-vue-macros": "^0.7.3",
+ "vite-plugin-inspect": "^0.6.0",
+ "vite-plugin-style-import": "^2.0.0",
+ "vite-plugin-webpackchunkname": "^0.1.1",
"vue-tsc": "^0.38.8"
},
- "lint-staged": {
- "*.{js,jsx,ts,tsx}": [
- "eslint --fix",
- "prettier --write"
- ],
- "*.json": [
- "prettier --write"
- ],
- "*.vue": [
- "eslint --fix",
- "prettier --write"
- ],
- "*.{scss,less,styl,html}": [
- "prettier --write"
- ],
- "*.md": [
- "prettier --write"
- ]
+ "engines": {
+ "node": ">= 16",
+ "pnpm": ">=7"
},
- "config": {
- "commitizen": {
- "path": "node_modules/cz-git"
+ "pnpm": {
+ "peerDependencyRules": {
+ "ignoreMissing": [
+ "rollup",
+ "vue",
+ "vite",
+ "@algolia/client-search"
+ ]
}
+ },
+ "lint-staged": {
+ "*.{vue,js,ts,jsx,tsx,md,json}": "eslint --fix"
}
}
diff --git a/packages/constant/package.json b/packages/constant/package.json
new file mode 100644
index 0000000..2a995bc
--- /dev/null
+++ b/packages/constant/package.json
@@ -0,0 +1,4 @@
+{
+ "name": "@cow-low-code/constant",
+ "main": "src/index.ts"
+}
diff --git a/packages/constant/src/index.ts b/packages/constant/src/index.ts
new file mode 100644
index 0000000..7192c25
--- /dev/null
+++ b/packages/constant/src/index.ts
@@ -0,0 +1,11 @@
+export const DRAGGABLE_GROUP_NAME = 'library'
+
+/**
+ * 自定义事件触发器的唯一标识符
+ */
+export const CUSTOM_EVENT_TRIGGER_NAME = 'customEventTrigger'
+
+/**
+ * 事件触发器激活时 开启的emit名称
+ */
+export const CUSTOM_EVENT_EMIT_NAME = 'dispatchEvent'
diff --git a/packages/constant/src/message.ts b/packages/constant/src/message.ts
new file mode 100644
index 0000000..1b8cac3
--- /dev/null
+++ b/packages/constant/src/message.ts
@@ -0,0 +1,5 @@
+// window 之间消息传递常量定义
+
+export const SET_LIBRARY_COMPONENT_JSON_TREE = 'SET_LIBRARY_COMPONENT_JSON_TREE'
+
+export const GET_LIBRARY_COMPONENT_JSON_TREE = 'GET_LIBRARY_COMPONENT_JSON_TREE'
diff --git a/packages/editor/config/plugins/api-import.ts b/packages/editor/config/plugins/api-import.ts
new file mode 100644
index 0000000..da92b86
--- /dev/null
+++ b/packages/editor/config/plugins/api-import.ts
@@ -0,0 +1,48 @@
+import AutoImport from 'unplugin-auto-import/vite'
+import { ArcoResolver, ElementPlusResolver, VantResolver } from 'unplugin-vue-components/resolvers'
+import IconsResolver from 'unplugin-icons/resolver'
+
+export default function configApiImport() {
+ /**
+ * 自动导入API
+ * @link https://github.com/antfu/unplugin-auto-import#configuration
+ */
+ return AutoImport({
+ /**
+ * 预设 presets
+ * @link https://github.com/antfu/unplugin-auto-import/tree/main/src/presets
+ */
+ imports: [
+ // 自动导入 Vue 相关函数,如:ref, reactive, toRef 等
+ 'vue',
+ '@vueuse/core',
+ 'pinia',
+ ],
+ // Auto import for module exports under directories
+ // by default it only scan one level of modules under the directory
+ dirs: [],
+ dts: './types/auto-imports.d.ts',
+ /**
+ * @link https://github.com/antfu/unplugin-auto-import#eslint
+ */
+ eslintrc: {
+ enabled: false,
+ },
+ vueTemplate: true,
+ resolvers: [
+ /**
+ * 自动导入 Element Plus 相关函数,如:ElMessage, ElMessageBox... (带样式)
+ * @link https://github.com/sxzz/element-plus-best-practices/blob/db2dfc983ccda5570033a0ac608a1bd9d9a7f658/vite.config.ts#L27
+ */
+ ElementPlusResolver({
+ importStyle: 'sass',
+ }),
+ VantResolver(),
+ ArcoResolver(),
+ /**
+ * @link https://github.com/sxzz/element-plus-best-practices/blob/db2dfc983ccda5570033a0ac608a1bd9d9a7f658/vite.config.ts#L33
+ */
+ IconsResolver(),
+ ],
+ })
+}
diff --git a/packages/editor/config/plugins/arco-style-import.ts b/packages/editor/config/plugins/arco-style-import.ts
new file mode 100644
index 0000000..b3e7b4f
--- /dev/null
+++ b/packages/editor/config/plugins/arco-style-import.ts
@@ -0,0 +1,83 @@
+import { createStyleImportPlugin } from 'vite-plugin-style-import'
+
+/**
+ * arco.design 手动导入的方式按需加载组件样式
+ * @link https://arco.design/vue/docs/start#%E6%8C%89%E9%9C%80%E5%8A%A0%E8%BD%BD
+ */
+export default function configArcoStyleImportPlugin() {
+ return createStyleImportPlugin({
+ libs: [
+ {
+ libraryName: '@arco-design/web-vue',
+ esModule: true,
+ resolveStyle: (name) => {
+ // The use of this part of the component must depend on the parent, so it can be ignored directly.
+ // 这部分组件的使用必须依赖父级,所以直接忽略即可。
+ const ignoreList = [
+ 'config-provider',
+ 'anchor-link',
+ 'sub-menu',
+ 'menu-item',
+ 'menu-item-group',
+ 'breadcrumb-item',
+ 'form-item',
+ 'step',
+ 'card-grid',
+ 'card-meta',
+ 'collapse-panel',
+ 'collapse-item',
+ 'descriptions-item',
+ 'list-item',
+ 'list-item-meta',
+ 'table-column',
+ 'table-column-group',
+ 'tab-pane',
+ 'tab-content',
+ 'timeline-item',
+ 'tree-node',
+ 'skeleton-line',
+ 'skeleton-shape',
+ 'grid-item',
+ 'carousel-item',
+ 'doption',
+ 'option',
+ 'optgroup',
+ 'icon',
+ ]
+ // List of components that need to map imported styles
+ // 需要映射引入样式的组件列表
+ const replaceList = {
+ 'typography-text': 'typography',
+ 'typography-title': 'typography',
+ 'typography-paragraph': 'typography',
+ 'typography-link': 'typography',
+ 'dropdown-button': 'dropdown',
+ 'input-password': 'input',
+ 'input-search': 'input',
+ 'input-group': 'input',
+ 'radio-group': 'radio',
+ 'checkbox-group': 'checkbox',
+ 'layout-sider': 'layout',
+ 'layout-content': 'layout',
+ 'layout-footer': 'layout',
+ 'layout-header': 'layout',
+ 'month-picker': 'date-picker',
+ 'range-picker': 'date-picker',
+ row: 'grid', // 'grid/row.less'
+ col: 'grid', // 'grid/col.less'
+ 'avatar-group': 'avatar',
+ 'image-preview': 'image',
+ 'image-preview-group': 'image',
+ } as Record
+ if (ignoreList.includes(name)) return ''
+ // eslint-disable-next-line no-prototype-builtins
+ return replaceList.hasOwnProperty(name)
+ ? `@arco-design/web-vue/es/${replaceList[name]}/style/css.js`
+ : `@arco-design/web-vue/es/${name}/style/css.js`
+ // less
+ // return `@arco-design/web-vue/es/${name}/style/index.js`;
+ },
+ },
+ ],
+ })
+}
diff --git a/packages/editor/config/plugins/components-import.ts b/packages/editor/config/plugins/components-import.ts
new file mode 100644
index 0000000..be3713c
--- /dev/null
+++ b/packages/editor/config/plugins/components-import.ts
@@ -0,0 +1,32 @@
+import Components from 'unplugin-vue-components/vite'
+import { ArcoResolver, ElementPlusResolver, VantResolver } from 'unplugin-vue-components/resolvers'
+import IconsResolver from 'unplugin-icons/resolver'
+
+export default function configComponentsImport() {
+ /**
+ * 自动导入组件
+ */
+ return Components({
+ /**
+ * relative paths to the directory to search for components.
+ * @default ['src/components']
+ * @link relative paths to the directory to search for components.
+ */
+ dirs: [],
+ dts: './types/components.d.ts',
+ resolvers: [
+ ElementPlusResolver({
+ importStyle: 'sass',
+ }),
+ VantResolver(),
+ ArcoResolver({
+ sideEffect: true,
+ }),
+ /**
+ * 自动注册图标组件
+ * @link https://github.com/sxzz/element-plus-best-practices/blob/db2dfc983ccda5570033a0ac608a1bd9d9a7f658/vite.config.ts#L45
+ */
+ IconsResolver(),
+ ],
+ })
+}
diff --git a/packages/editor/config/plugins/element-style-and-icon.ts b/packages/editor/config/plugins/element-style-and-icon.ts
new file mode 100644
index 0000000..0684a02
--- /dev/null
+++ b/packages/editor/config/plugins/element-style-and-icon.ts
@@ -0,0 +1,29 @@
+import ElementPlus from 'unplugin-element-plus/vite'
+import Icons from 'unplugin-icons/vite'
+
+export default function configElementStyleAndIcon() {
+ return [
+ /**
+ * 1. 为 Element Plus 按需引入样式
+ * 2. 替换默认语言
+ *
+ * 解决手动导入时候需要额外导入组件样式的问题
+ * @link https://element-plus.gitee.io/zh-CN/guide/quickstart.html#%E6%89%8B%E5%8A%A8%E5%AF%BC%E5%85%A5
+ */
+ ElementPlus({
+ defaultLocale: 'zh-cn',
+ }),
+ /**
+ * 自动注册 @iconify-json/ep
+ * 并不会自动导入,自动导入是unplugin-vue-components的事情
+ */
+ Icons({
+ /**
+ * expiremental
+ * @link https://github.com/antfu/unplugin-icons#install-by-icon-set
+ * @link https://github.com/sxzz/element-plus-best-practices/blob/db2dfc983ccda5570033a0ac608a1bd9d9a7f658/vite.config.ts#L56
+ */
+ autoInstall: true,
+ }),
+ ]
+}
diff --git a/packages/editor/config/plugins/manual-chunks.ts b/packages/editor/config/plugins/manual-chunks.ts
new file mode 100644
index 0000000..0eb596c
--- /dev/null
+++ b/packages/editor/config/plugins/manual-chunks.ts
@@ -0,0 +1,13 @@
+import { manualChunksPlugin } from 'vite-plugin-webpackchunkname'
+
+const isOpen = false
+
+/**
+ * vite的webpackChunkName实现
+ * @link https://github.com/rollup/rollup/issues/4283#issuecomment-1202949560
+ */
+export default function configManualChunksPlugin() {
+ if (isOpen) {
+ return manualChunksPlugin()
+ }
+}
diff --git a/packages/editor/config/plugins/monaco.ts b/packages/editor/config/plugins/monaco.ts
new file mode 100644
index 0000000..3a701da
--- /dev/null
+++ b/packages/editor/config/plugins/monaco.ts
@@ -0,0 +1,27 @@
+import MonacoEditorNlsPlugin, {
+ Languages,
+ esbuildPluginMonacoEditorNls,
+} from '@cow-low-code/vite-plugin-monaco-editor-nls'
+
+import zh from '@cow-low-code/vscode-language-pack-zh-hans/translations/main.i18n.json'
+
+export default {
+ vitePlugin: () => {
+ return MonacoEditorNlsPlugin({
+ locale: Languages.zh_hans,
+ /**
+ * The weight of `localedata` is higher than that of `locale`
+ */
+ localeData: zh.contents,
+ })
+ },
+ esbuildPlugin: () => {
+ return esbuildPluginMonacoEditorNls({
+ locale: Languages.zh_hans,
+ /**
+ * The weight of `localedata` is higher than that of `locale`
+ */
+ localeData: zh.contents,
+ })
+ },
+}
diff --git a/packages/editor/config/plugins/visualizer.ts b/packages/editor/config/plugins/visualizer.ts
new file mode 100644
index 0000000..cd46cc3
--- /dev/null
+++ b/packages/editor/config/plugins/visualizer.ts
@@ -0,0 +1,11 @@
+import { visualizer } from 'rollup-plugin-visualizer'
+
+export default function configVisualizer(filename = 'stats.html') {
+ /**
+ * @link https://github.com/btd/rollup-plugin-visualizer#options
+ */
+ return visualizer({
+ gzipSize: true,
+ filename,
+ })
+}
diff --git a/packages/editor/config/utils/index.ts b/packages/editor/config/utils/index.ts
new file mode 100644
index 0000000..ed9d80f
--- /dev/null
+++ b/packages/editor/config/utils/index.ts
@@ -0,0 +1,7 @@
+export function isDev(mode: string): boolean {
+ return mode === 'development'
+}
+
+export function isProd(mode: string): boolean {
+ return mode === 'production'
+}
diff --git a/packages/editor/config/vite.config.base.ts b/packages/editor/config/vite.config.base.ts
new file mode 100644
index 0000000..870ba62
--- /dev/null
+++ b/packages/editor/config/vite.config.base.ts
@@ -0,0 +1,79 @@
+import { URL, fileURLToPath } from 'node:url'
+import * as fs from 'node:fs'
+
+import { defineConfig } from 'vite'
+import vue from '@vitejs/plugin-vue'
+import vueJsx from '@vitejs/plugin-vue-jsx'
+import VueMarcos from 'unplugin-vue-macros/vite'
+import { editorOutput } from '@cow-low-code/build-utils'
+import configApiImport from './plugins/api-import'
+import configComponentsImport from './plugins/components-import'
+import configElementStyleAndIcon from './plugins/element-style-and-icon'
+import configArcoStyleImportPlugin from './plugins/arco-style-import'
+import configManualChunksPlugin from './plugins/manual-chunks'
+import monaco from './plugins/monaco'
+import type { ConfigEnv, UserConfig, UserConfigFn } from 'vite'
+
+// https://vitejs.dev/config/
+export default defineConfig(({ command, mode }: ConfigEnv): UserConfig => {
+ const isBuild = command === 'build'
+ return {
+ base: './',
+ plugins: [
+ configManualChunksPlugin(),
+ vue(),
+ vueJsx(),
+ VueMarcos(),
+ configApiImport(),
+ configComponentsImport(),
+ configElementStyleAndIcon(),
+ configArcoStyleImportPlugin(),
+ monaco.vitePlugin(),
+ ],
+ css: {
+ preprocessorOptions: {
+ scss: {
+ /**
+ * webstorm无法识别导入
+ * 元素 'color-primary' 仅按名称解析,未使用显式导入
+ */
+ additionalData: [
+ `@use "element-plus/theme-chalk/src/common/var.scss" as *;`,
+ `@use "@/assets/style/global.scss" as *;`,
+ ].join(''),
+ },
+ },
+ },
+ optimizeDeps: {
+ esbuildOptions: {
+ plugins: [monaco.esbuildPlugin()],
+ },
+ },
+ resolve: {
+ alias: {
+ '@': fileURLToPath(new URL('../src', import.meta.url)),
+ },
+ },
+ build: {
+ outDir: editorOutput,
+ rollupOptions: {
+ output: {
+ manualChunks: (e) => {
+ // fs.appendFile('./manual-chunks.txt', `${e}\n`, () => undefined)
+ if (e.includes('/node_modules/monaco-editor/')) return 'monaco'
+ else if (
+ e.includes('/node_modules/vue/') ||
+ e.includes('/node_modules/vue-router/') ||
+ e.includes('/node_modules/pinia/') ||
+ e.includes('/node_modules/pinia-plugin-persist/') ||
+ e.includes('/node_modules/element-plus/') ||
+ e.includes('/node_modules/lodash-es/') ||
+ e.includes('/node_modules/@arco-design/web-vue/')
+ )
+ return 'vendor'
+ },
+ },
+ },
+ },
+ }
+}) as UserConfigFn
diff --git a/packages/editor/config/vite.config.dev.ts b/packages/editor/config/vite.config.dev.ts
new file mode 100644
index 0000000..2da21a2
--- /dev/null
+++ b/packages/editor/config/vite.config.dev.ts
@@ -0,0 +1,11 @@
+import { defineConfig, mergeConfig } from 'vite'
+import Inspect from 'vite-plugin-inspect'
+import baseConfig from './vite.config.base'
+import type { ConfigEnv, UserConfig } from 'vite'
+
+export default defineConfig((configEnv: ConfigEnv): UserConfig => {
+ return mergeConfig(baseConfig(configEnv), {
+ mode: 'development',
+ plugins: [Inspect()],
+ } as UserConfig)
+})
diff --git a/packages/editor/config/vite.config.prod.ts b/packages/editor/config/vite.config.prod.ts
new file mode 100644
index 0000000..49317e9
--- /dev/null
+++ b/packages/editor/config/vite.config.prod.ts
@@ -0,0 +1,11 @@
+import { defineConfig, mergeConfig } from 'vite'
+import baseConfig from './vite.config.base'
+import configVisualizer from './plugins/visualizer'
+import type { ConfigEnv, UserConfig } from 'vite'
+
+export default defineConfig((configEnv: ConfigEnv): UserConfig => {
+ return mergeConfig(baseConfig(configEnv), {
+ mode: 'production',
+ plugins: [configVisualizer()],
+ })
+})
diff --git a/packages/editor/index.html b/packages/editor/index.html
new file mode 100644
index 0000000..caceedb
--- /dev/null
+++ b/packages/editor/index.html
@@ -0,0 +1,14 @@
+
+
+
+
+
+
+
+ 牛搭
+
+
+
+
+
+
diff --git a/packages/editor/package.json b/packages/editor/package.json
new file mode 100644
index 0000000..5553014
--- /dev/null
+++ b/packages/editor/package.json
@@ -0,0 +1,26 @@
+{
+ "name": "@cow-low-code/editor",
+ "version": "0.1.0",
+ "private": true,
+ "scripts": {
+ "dev": "vite --config ./config/vite.config.dev.ts",
+ "build": "vue-tsc --noEmit && vite build --config ./config/vite.config.prod.ts",
+ "build-only": "vite build --config ./config/vite.config.prod.ts",
+ "preview": "pnpm run build-only && vite preview --port 4173"
+ },
+ "dependencies": {
+ "@arco-design/web-vue": "^2.34.0",
+ "@vant/touch-emulator": "^1.3.2",
+ "colorpicker-v3": "^2.10.2",
+ "copy-to-clipboard": "^3.3.2",
+ "monaco-editor": "^0.33.0",
+ "stateshot": "^1.3.4",
+ "vuedraggable": "^4.1.0"
+ },
+ "devDependencies": {
+ "@cow-low-code/vite-plugin-monaco-editor-nls": "workspace:*",
+ "@cow-low-code/vscode-language-pack-zh-hans": "workspace:*",
+ "@iconify-json/ep": "^1.1.6",
+ "vite": "^3.0.1"
+ }
+}
diff --git a/packages/editor/pnpm-lock.yaml b/packages/editor/pnpm-lock.yaml
new file mode 100644
index 0000000..69b0ba3
--- /dev/null
+++ b/packages/editor/pnpm-lock.yaml
@@ -0,0 +1,7745 @@
+lockfileVersion: 5.4
+
+specifiers:
+ '@arco-design/web-vue': ^2.34.0
+ '@commitlint/cli': ^17.0.3
+ '@commitlint/config-conventional': ^17.0.3
+ '@cow-low-code/vite-plugin-monaco-editor-nls': ^2.0.1
+ '@cow-low-code/vscode-language-pack-zh-hans': ^1.70.0
+ '@element-plus/eslint-config': ^0.0.20220803
+ '@icon-park/vue-next': ^1.4.2
+ '@iconify-json/ep': ^1.1.6
+ '@types/node': ^16.11.47
+ '@types/sass': ^1.43.1
+ '@types/sortablejs': ^1.13.0
+ '@types/uuid': ^8.3.4
+ '@vant/touch-emulator': ^1.3.2
+ '@vitejs/plugin-vue': ^3.0.1
+ '@vitejs/plugin-vue-jsx': ^2.0.0
+ '@vue/tsconfig': ^0.1.3
+ '@vueuse/core': ^9.0.2
+ '@vueuse/integrations': ^9.0.2
+ autoprefixer: ^10.4.8
+ colorpicker-v3: ^2.10.2
+ consola: ^2.15.3
+ cz-git: ^1.3.10
+ czg: ^1.3.10
+ element-plus: ^2.2.12
+ eslint: ^8.21.0
+ eslint-plugin-markdown: ^3.0.0
+ husky: ^8.0.0
+ json-stringify-pretty-compact: ^4.0.0
+ lint-staged: ^13.0.3
+ lodash: ^4.17.21
+ lodash-es: ^4.17.21
+ monaco-editor: ^0.33.0
+ npm-run-all: ^4.1.5
+ pinia: ^2.0.16
+ pinia-plugin-persist: ^1.0.0
+ postcss: ^8.4.14
+ prettier: ^2.7.1
+ pretty-quick: ^3.1.3
+ rollup-plugin-visualizer: ^5.7.1
+ sass: ^1.54.0
+ tailwindcss: ^3.1.7
+ typescript: ~4.7.4
+ unplugin-auto-import: ^0.10.3
+ unplugin-element-plus: ^0.4.1
+ unplugin-icons: ^0.14.8
+ unplugin-vue-components: ^0.21.2
+ unplugin-vue-define-options: ^0.7.3
+ unplugin-vue-macros: ^0.7.3
+ uuid: ^8.3.2
+ vant: ^3.5.3
+ vite: ^3.0.1
+ vite-plugin-inspect: ^0.6.0
+ vite-plugin-style-import: ^2.0.0
+ vite-plugin-webpackchunkname: ^0.1.1
+ vue: ^3.2.37
+ vue-router: ^4.1.2
+ vue-tsc: ^0.38.8
+ vuedraggable: ^4.1.0
+
+dependencies:
+ '@arco-design/web-vue': 2.35.0_vue@3.2.37
+ '@icon-park/vue-next': 1.4.2_vue@3.2.37
+ '@vant/touch-emulator': 1.4.0
+ '@vueuse/core': 9.1.0_vue@3.2.37
+ '@vueuse/integrations': 9.1.0_vue@3.2.37
+ colorpicker-v3: 2.10.2
+ element-plus: 2.2.13_vue@3.2.37
+ json-stringify-pretty-compact: 4.0.0
+ lodash: 4.17.21
+ lodash-es: 4.17.21
+ monaco-editor: 0.33.0
+ pinia: 2.0.18_j6bzmzd4ujpabbp5objtwxyjp4
+ pinia-plugin-persist: 1.0.0_pinia@2.0.18+vue@3.2.37
+ uuid: 8.3.2
+ vant: 3.5.4_vue@3.2.37
+ vue: 3.2.37
+ vue-router: 4.1.3_vue@3.2.37
+ vuedraggable: 4.1.0_vue@3.2.37
+
+devDependencies:
+ '@commitlint/cli': 17.0.3
+ '@commitlint/config-conventional': 17.0.3
+ '@cow-low-code/vite-plugin-monaco-editor-nls': 2.0.1_vite@3.0.8
+ '@cow-low-code/vscode-language-pack-zh-hans': 1.70.1
+ '@element-plus/eslint-config': 0.0.20220803_eslint@8.22.0
+ '@iconify-json/ep': 1.1.7
+ '@types/node': 16.11.49
+ '@types/sass': 1.43.1
+ '@types/sortablejs': 1.13.0
+ '@types/uuid': 8.3.4
+ '@vitejs/plugin-vue': 3.0.3_vite@3.0.8+vue@3.2.37
+ '@vitejs/plugin-vue-jsx': 2.0.0_vite@3.0.8+vue@3.2.37
+ '@vue/tsconfig': 0.1.3_@types+node@16.11.49
+ autoprefixer: 10.4.8_postcss@8.4.16
+ consola: 2.15.3
+ cz-git: 1.3.10
+ czg: 1.3.10
+ eslint: 8.22.0
+ eslint-plugin-markdown: 3.0.0_eslint@8.22.0
+ husky: 8.0.1
+ lint-staged: 13.0.3
+ npm-run-all: 4.1.5
+ postcss: 8.4.16
+ prettier: 2.7.1
+ pretty-quick: 3.1.3_prettier@2.7.1
+ rollup-plugin-visualizer: 5.7.1
+ sass: 1.54.4
+ tailwindcss: 3.1.8
+ typescript: 4.7.4
+ unplugin-auto-import: 0.10.3_obmlko6hceoahr6itoucrugfeu
+ unplugin-element-plus: 0.4.1_vite@3.0.8
+ unplugin-icons: 0.14.8_vite@3.0.8
+ unplugin-vue-components: 0.21.2_vite@3.0.8+vue@3.2.37
+ unplugin-vue-define-options: 0.7.3_vite@3.0.8+vue@3.2.37
+ unplugin-vue-macros: 0.7.3_vite@3.0.8+vue@3.2.37
+ vite: 3.0.8_sass@1.54.4
+ vite-plugin-inspect: 0.6.0_vite@3.0.8
+ vite-plugin-style-import: 2.0.0_vite@3.0.8
+ vite-plugin-webpackchunkname: 0.1.1_vite@3.0.8
+ vue-tsc: 0.38.9_typescript@4.7.4
+
+packages:
+ /@ampproject/remapping/2.2.0:
+ resolution:
+ {
+ integrity: sha512-qRmjj8nj9qmLTQXXmaR1cck3UXSRMPrbsLJAasZpF+t3riI71BXed5ebIOYwQntykeZuhjsdweEc9BxH5Jc26w==,
+ }
+ engines: { node: '>=6.0.0' }
+ dependencies:
+ '@jridgewell/gen-mapping': 0.1.1
+ '@jridgewell/trace-mapping': 0.3.15
+ dev: true
+
+ /@antfu/install-pkg/0.1.0:
+ resolution:
+ {
+ integrity: sha512-VaIJd3d1o7irZfK1U0nvBsHMyjkuyMP3HKYVV53z8DKyulkHKmjhhtccXO51WSPeeSHIeoJEoNOKavYpS7jkZw==,
+ }
+ dependencies:
+ execa: 5.1.1
+ find-up: 5.0.0
+ dev: true
+
+ /@antfu/utils/0.5.2:
+ resolution:
+ {
+ integrity: sha512-CQkeV+oJxUazwjlHD0/3ZD08QWKuGQkhnrKo3e6ly5pd48VUpXbb77q0xMU4+vc2CkJnDS02Eq/M9ugyX20XZA==,
+ }
+ dev: true
+
+ /@arco-design/color/0.4.0:
+ resolution:
+ {
+ integrity: sha512-s7p9MSwJgHeL8DwcATaXvWT3m2SigKpxx4JA1BGPHL4gfvaQsmQfrLBDpjOJFJuJ2jG2dMt3R3P8Pm9E65q18g==,
+ }
+ dependencies:
+ color: 3.2.1
+ dev: false
+
+ /@arco-design/web-vue/2.35.0_vue@3.2.37:
+ resolution:
+ {
+ integrity: sha512-LaeOJIDnXxrzxuv91QoAIZQtgvdXCpVreVwUanmVl2H3n/cnvEHGQlqzqkqyIWsOV6mGwq6BlPTxkmMbpBGAkQ==,
+ }
+ peerDependencies:
+ vue: ^3.1.0
+ dependencies:
+ '@arco-design/color': 0.4.0
+ b-tween: 0.3.3
+ b-validate: 1.4.1
+ compute-scroll-into-view: 1.0.17
+ dayjs: 1.11.5
+ number-precision: 1.5.2
+ resize-observer-polyfill: 1.5.1
+ scroll-into-view-if-needed: 2.2.29
+ vue: 3.2.37
+ dev: false
+
+ /@babel/code-frame/7.18.6:
+ resolution:
+ {
+ integrity: sha512-TDCmlK5eOvH+eH7cdAFlNXeVJqWIQ7gW9tY1GJIpUtFb6CmjVyq2VM3u71bOyR8CRihcCgMUYoDNyLXao3+70Q==,
+ }
+ engines: { node: '>=6.9.0' }
+ dependencies:
+ '@babel/highlight': 7.18.6
+ dev: true
+
+ /@babel/compat-data/7.18.8:
+ resolution:
+ {
+ integrity: sha512-HSmX4WZPPK3FUxYp7g2T6EyO8j96HlZJlxmKPSh6KAcqwyDrfx7hKjXpAW/0FhFfTJsR0Yt4lAjLI2coMptIHQ==,
+ }
+ engines: { node: '>=6.9.0' }
+ dev: true
+
+ /@babel/core/7.18.10:
+ resolution:
+ {
+ integrity: sha512-JQM6k6ENcBFKVtWvLavlvi/mPcpYZ3+R+2EySDEMSMbp7Mn4FexlbbJVrx2R7Ijhr01T8gyqrOaABWIOgxeUyw==,
+ }
+ engines: { node: '>=6.9.0' }
+ dependencies:
+ '@ampproject/remapping': 2.2.0
+ '@babel/code-frame': 7.18.6
+ '@babel/generator': 7.18.12
+ '@babel/helper-compilation-targets': 7.18.9_@babel+core@7.18.10
+ '@babel/helper-module-transforms': 7.18.9
+ '@babel/helpers': 7.18.9
+ '@babel/parser': 7.18.11
+ '@babel/template': 7.18.10
+ '@babel/traverse': 7.18.11
+ '@babel/types': 7.18.10
+ convert-source-map: 1.8.0
+ debug: 4.3.4
+ gensync: 1.0.0-beta.2
+ json5: 2.2.1
+ semver: 6.3.0
+ transitivePeerDependencies:
+ - supports-color
+ dev: true
+
+ /@babel/generator/7.18.12:
+ resolution:
+ {
+ integrity: sha512-dfQ8ebCN98SvyL7IxNMCUtZQSq5R7kxgN+r8qYTGDmmSion1hX2C0zq2yo1bsCDhXixokv1SAWTZUMYbO/V5zg==,
+ }
+ engines: { node: '>=6.9.0' }
+ dependencies:
+ '@babel/types': 7.18.10
+ '@jridgewell/gen-mapping': 0.3.2
+ jsesc: 2.5.2
+ dev: true
+
+ /@babel/helper-annotate-as-pure/7.18.6:
+ resolution:
+ {
+ integrity: sha512-duORpUiYrEpzKIop6iNbjnwKLAKnJ47csTyRACyEmWj0QdUrm5aqNJGHSSEQSUAvNW0ojX0dOmK9dZduvkfeXA==,
+ }
+ engines: { node: '>=6.9.0' }
+ dependencies:
+ '@babel/types': 7.18.10
+ dev: true
+
+ /@babel/helper-compilation-targets/7.18.9_@babel+core@7.18.10:
+ resolution:
+ {
+ integrity: sha512-tzLCyVmqUiFlcFoAPLA/gL9TeYrF61VLNtb+hvkuVaB5SUjW7jcfrglBIX1vUIoT7CLP3bBlIMeyEsIl2eFQNg==,
+ }
+ engines: { node: '>=6.9.0' }
+ peerDependencies:
+ '@babel/core': ^7.0.0
+ dependencies:
+ '@babel/compat-data': 7.18.8
+ '@babel/core': 7.18.10
+ '@babel/helper-validator-option': 7.18.6
+ browserslist: 4.21.3
+ semver: 6.3.0
+ dev: true
+
+ /@babel/helper-create-class-features-plugin/7.18.9_@babel+core@7.18.10:
+ resolution:
+ {
+ integrity: sha512-WvypNAYaVh23QcjpMR24CwZY2Nz6hqdOcFdPbNpV56hL5H6KiFheO7Xm1aPdlLQ7d5emYZX7VZwPp9x3z+2opw==,
+ }
+ engines: { node: '>=6.9.0' }
+ peerDependencies:
+ '@babel/core': ^7.0.0
+ dependencies:
+ '@babel/core': 7.18.10
+ '@babel/helper-annotate-as-pure': 7.18.6
+ '@babel/helper-environment-visitor': 7.18.9
+ '@babel/helper-function-name': 7.18.9
+ '@babel/helper-member-expression-to-functions': 7.18.9
+ '@babel/helper-optimise-call-expression': 7.18.6
+ '@babel/helper-replace-supers': 7.18.9
+ '@babel/helper-split-export-declaration': 7.18.6
+ transitivePeerDependencies:
+ - supports-color
+ dev: true
+
+ /@babel/helper-environment-visitor/7.18.9:
+ resolution:
+ {
+ integrity: sha512-3r/aACDJ3fhQ/EVgFy0hpj8oHyHpQc+LPtJoY9SzTThAsStm4Ptegq92vqKoE3vD706ZVFWITnMnxucw+S9Ipg==,
+ }
+ engines: { node: '>=6.9.0' }
+ dev: true
+
+ /@babel/helper-function-name/7.18.9:
+ resolution:
+ {
+ integrity: sha512-fJgWlZt7nxGksJS9a0XdSaI4XvpExnNIgRP+rVefWh5U7BL8pPuir6SJUmFKRfjWQ51OtWSzwOxhaH/EBWWc0A==,
+ }
+ engines: { node: '>=6.9.0' }
+ dependencies:
+ '@babel/template': 7.18.10
+ '@babel/types': 7.18.10
+ dev: true
+
+ /@babel/helper-hoist-variables/7.18.6:
+ resolution:
+ {
+ integrity: sha512-UlJQPkFqFULIcyW5sbzgbkxn2FKRgwWiRexcuaR8RNJRy8+LLveqPjwZV/bwrLZCN0eUHD/x8D0heK1ozuoo6Q==,
+ }
+ engines: { node: '>=6.9.0' }
+ dependencies:
+ '@babel/types': 7.18.10
+ dev: true
+
+ /@babel/helper-member-expression-to-functions/7.18.9:
+ resolution:
+ {
+ integrity: sha512-RxifAh2ZoVU67PyKIO4AMi1wTenGfMR/O/ae0CCRqwgBAt5v7xjdtRw7UoSbsreKrQn5t7r89eruK/9JjYHuDg==,
+ }
+ engines: { node: '>=6.9.0' }
+ dependencies:
+ '@babel/types': 7.18.10
+ dev: true
+
+ /@babel/helper-module-imports/7.18.6:
+ resolution:
+ {
+ integrity: sha512-0NFvs3VkuSYbFi1x2Vd6tKrywq+z/cLeYC/RJNFrIX/30Bf5aiGYbtvGXolEktzJH8o5E5KJ3tT+nkxuuZFVlA==,
+ }
+ engines: { node: '>=6.9.0' }
+ dependencies:
+ '@babel/types': 7.18.10
+ dev: true
+
+ /@babel/helper-module-transforms/7.18.9:
+ resolution:
+ {
+ integrity: sha512-KYNqY0ICwfv19b31XzvmI/mfcylOzbLtowkw+mfvGPAQ3kfCnMLYbED3YecL5tPd8nAYFQFAd6JHp2LxZk/J1g==,
+ }
+ engines: { node: '>=6.9.0' }
+ dependencies:
+ '@babel/helper-environment-visitor': 7.18.9
+ '@babel/helper-module-imports': 7.18.6
+ '@babel/helper-simple-access': 7.18.6
+ '@babel/helper-split-export-declaration': 7.18.6
+ '@babel/helper-validator-identifier': 7.18.6
+ '@babel/template': 7.18.10
+ '@babel/traverse': 7.18.11
+ '@babel/types': 7.18.10
+ transitivePeerDependencies:
+ - supports-color
+ dev: true
+
+ /@babel/helper-optimise-call-expression/7.18.6:
+ resolution:
+ {
+ integrity: sha512-HP59oD9/fEHQkdcbgFCnbmgH5vIQTJbxh2yf+CdM89/glUNnuzr87Q8GIjGEnOktTROemO0Pe0iPAYbqZuOUiA==,
+ }
+ engines: { node: '>=6.9.0' }
+ dependencies:
+ '@babel/types': 7.18.10
+ dev: true
+
+ /@babel/helper-plugin-utils/7.18.9:
+ resolution:
+ {
+ integrity: sha512-aBXPT3bmtLryXaoJLyYPXPlSD4p1ld9aYeR+sJNOZjJJGiOpb+fKfh3NkcCu7J54nUJwCERPBExCCpyCOHnu/w==,
+ }
+ engines: { node: '>=6.9.0' }
+ dev: true
+
+ /@babel/helper-replace-supers/7.18.9:
+ resolution:
+ {
+ integrity: sha512-dNsWibVI4lNT6HiuOIBr1oyxo40HvIVmbwPUm3XZ7wMh4k2WxrxTqZwSqw/eEmXDS9np0ey5M2bz9tBmO9c+YQ==,
+ }
+ engines: { node: '>=6.9.0' }
+ dependencies:
+ '@babel/helper-environment-visitor': 7.18.9
+ '@babel/helper-member-expression-to-functions': 7.18.9
+ '@babel/helper-optimise-call-expression': 7.18.6
+ '@babel/traverse': 7.18.11
+ '@babel/types': 7.18.10
+ transitivePeerDependencies:
+ - supports-color
+ dev: true
+
+ /@babel/helper-simple-access/7.18.6:
+ resolution:
+ {
+ integrity: sha512-iNpIgTgyAvDQpDj76POqg+YEt8fPxx3yaNBg3S30dxNKm2SWfYhD0TGrK/Eu9wHpUW63VQU894TsTg+GLbUa1g==,
+ }
+ engines: { node: '>=6.9.0' }
+ dependencies:
+ '@babel/types': 7.18.10
+ dev: true
+
+ /@babel/helper-split-export-declaration/7.18.6:
+ resolution:
+ {
+ integrity: sha512-bde1etTx6ZyTmobl9LLMMQsaizFVZrquTEHOqKeQESMKo4PlObf+8+JA25ZsIpZhT/WEd39+vOdLXAFG/nELpA==,
+ }
+ engines: { node: '>=6.9.0' }
+ dependencies:
+ '@babel/types': 7.18.10
+ dev: true
+
+ /@babel/helper-string-parser/7.18.10:
+ resolution:
+ {
+ integrity: sha512-XtIfWmeNY3i4t7t4D2t02q50HvqHybPqW2ki1kosnvWCwuCMeo81Jf0gwr85jy/neUdg5XDdeFE/80DXiO+njw==,
+ }
+ engines: { node: '>=6.9.0' }
+
+ /@babel/helper-validator-identifier/7.18.6:
+ resolution:
+ {
+ integrity: sha512-MmetCkz9ej86nJQV+sFCxoGGrUbU3q02kgLciwkrt9QqEB7cP39oKEY0PakknEO0Gu20SskMRi+AYZ3b1TpN9g==,
+ }
+ engines: { node: '>=6.9.0' }
+
+ /@babel/helper-validator-option/7.18.6:
+ resolution:
+ {
+ integrity: sha512-XO7gESt5ouv/LRJdrVjkShckw6STTaB7l9BrpBaAHDeF5YZT+01PCwmR0SJHnkW6i8OwW/EVWRShfi4j2x+KQw==,
+ }
+ engines: { node: '>=6.9.0' }
+ dev: true
+
+ /@babel/helpers/7.18.9:
+ resolution:
+ {
+ integrity: sha512-Jf5a+rbrLoR4eNdUmnFu8cN5eNJT6qdTdOg5IHIzq87WwyRw9PwguLFOWYgktN/60IP4fgDUawJvs7PjQIzELQ==,
+ }
+ engines: { node: '>=6.9.0' }
+ dependencies:
+ '@babel/template': 7.18.10
+ '@babel/traverse': 7.18.11
+ '@babel/types': 7.18.10
+ transitivePeerDependencies:
+ - supports-color
+ dev: true
+
+ /@babel/highlight/7.18.6:
+ resolution:
+ {
+ integrity: sha512-u7stbOuYjaPezCuLj29hNW1v64M2Md2qupEKP1fHc7WdOA3DgLh37suiSrZYY7haUB7iBeQZ9P1uiRF359do3g==,
+ }
+ engines: { node: '>=6.9.0' }
+ dependencies:
+ '@babel/helper-validator-identifier': 7.18.6
+ chalk: 2.4.2
+ js-tokens: 4.0.0
+ dev: true
+
+ /@babel/parser/7.18.11:
+ resolution:
+ {
+ integrity: sha512-9JKn5vN+hDt0Hdqn1PiJ2guflwP+B6Ga8qbDuoF0PzzVhrzsKIJo8yGqVk6CmMHiMei9w1C1Bp9IMJSIK+HPIQ==,
+ }
+ engines: { node: '>=6.0.0' }
+ hasBin: true
+ dependencies:
+ '@babel/types': 7.18.10
+
+ /@babel/plugin-syntax-import-meta/7.10.4_@babel+core@7.18.10:
+ resolution:
+ {
+ integrity: sha512-Yqfm+XDx0+Prh3VSeEQCPU81yC+JWZ2pDPFSS4ZdpfZhp4MkFMaDC1UqseovEKwSUpnIL7+vK+Clp7bfh0iD7g==,
+ }
+ peerDependencies:
+ '@babel/core': ^7.0.0-0
+ dependencies:
+ '@babel/core': 7.18.10
+ '@babel/helper-plugin-utils': 7.18.9
+ dev: true
+
+ /@babel/plugin-syntax-jsx/7.18.6_@babel+core@7.18.10:
+ resolution:
+ {
+ integrity: sha512-6mmljtAedFGTWu2p/8WIORGwy+61PLgOMPOdazc7YoJ9ZCWUyFy3A6CpPkRKLKD1ToAesxX8KGEViAiLo9N+7Q==,
+ }
+ engines: { node: '>=6.9.0' }
+ peerDependencies:
+ '@babel/core': ^7.0.0-0
+ dependencies:
+ '@babel/core': 7.18.10
+ '@babel/helper-plugin-utils': 7.18.9
+ dev: true
+
+ /@babel/plugin-syntax-typescript/7.18.6_@babel+core@7.18.10:
+ resolution:
+ {
+ integrity: sha512-mAWAuq4rvOepWCBid55JuRNvpTNf2UGVgoz4JV0fXEKolsVZDzsa4NqCef758WZJj/GDu0gVGItjKFiClTAmZA==,
+ }
+ engines: { node: '>=6.9.0' }
+ peerDependencies:
+ '@babel/core': ^7.0.0-0
+ dependencies:
+ '@babel/core': 7.18.10
+ '@babel/helper-plugin-utils': 7.18.9
+ dev: true
+
+ /@babel/plugin-transform-typescript/7.18.12_@babel+core@7.18.10:
+ resolution:
+ {
+ integrity: sha512-2vjjam0cum0miPkenUbQswKowuxs/NjMwIKEq0zwegRxXk12C9YOF9STXnaUptITOtOJHKHpzvvWYOjbm6tc0w==,
+ }
+ engines: { node: '>=6.9.0' }
+ peerDependencies:
+ '@babel/core': ^7.0.0-0
+ dependencies:
+ '@babel/core': 7.18.10
+ '@babel/helper-create-class-features-plugin': 7.18.9_@babel+core@7.18.10
+ '@babel/helper-plugin-utils': 7.18.9
+ '@babel/plugin-syntax-typescript': 7.18.6_@babel+core@7.18.10
+ transitivePeerDependencies:
+ - supports-color
+ dev: true
+
+ /@babel/template/7.18.10:
+ resolution:
+ {
+ integrity: sha512-TI+rCtooWHr3QJ27kJxfjutghu44DLnasDMwpDqCXVTal9RLp3RSYNh4NdBrRP2cQAoG9A8juOQl6P6oZG4JxA==,
+ }
+ engines: { node: '>=6.9.0' }
+ dependencies:
+ '@babel/code-frame': 7.18.6
+ '@babel/parser': 7.18.11
+ '@babel/types': 7.18.10
+ dev: true
+
+ /@babel/traverse/7.18.11:
+ resolution:
+ {
+ integrity: sha512-TG9PiM2R/cWCAy6BPJKeHzNbu4lPzOSZpeMfeNErskGpTJx6trEvFaVCbDvpcxwy49BKWmEPwiW8mrysNiDvIQ==,
+ }
+ engines: { node: '>=6.9.0' }
+ dependencies:
+ '@babel/code-frame': 7.18.6
+ '@babel/generator': 7.18.12
+ '@babel/helper-environment-visitor': 7.18.9
+ '@babel/helper-function-name': 7.18.9
+ '@babel/helper-hoist-variables': 7.18.6
+ '@babel/helper-split-export-declaration': 7.18.6
+ '@babel/parser': 7.18.11
+ '@babel/types': 7.18.10
+ debug: 4.3.4
+ globals: 11.12.0
+ transitivePeerDependencies:
+ - supports-color
+ dev: true
+
+ /@babel/types/7.18.10:
+ resolution:
+ {
+ integrity: sha512-MJvnbEiiNkpjo+LknnmRrqbY1GPUUggjv+wQVjetM/AONoupqRALB7I6jGqNUAZsKcRIEu2J6FRFvsczljjsaQ==,
+ }
+ engines: { node: '>=6.9.0' }
+ dependencies:
+ '@babel/helper-string-parser': 7.18.10
+ '@babel/helper-validator-identifier': 7.18.6
+ to-fast-properties: 2.0.0
+
+ /@commitlint/cli/17.0.3:
+ resolution:
+ {
+ integrity: sha512-oAo2vi5d8QZnAbtU5+0cR2j+A7PO8zuccux65R/EycwvsZrDVyW518FFrnJK2UQxbRtHFFIG+NjQ6vOiJV0Q8A==,
+ }
+ engines: { node: '>=v14' }
+ hasBin: true
+ dependencies:
+ '@commitlint/format': 17.0.0
+ '@commitlint/lint': 17.0.3
+ '@commitlint/load': 17.0.3
+ '@commitlint/read': 17.0.0
+ '@commitlint/types': 17.0.0
+ execa: 5.1.1
+ lodash: 4.17.21
+ resolve-from: 5.0.0
+ resolve-global: 1.0.0
+ yargs: 17.5.1
+ transitivePeerDependencies:
+ - '@swc/core'
+ - '@swc/wasm'
+ dev: true
+
+ /@commitlint/config-conventional/17.0.3:
+ resolution:
+ {
+ integrity: sha512-HCnzTm5ATwwwzNVq5Y57poS0a1oOOcd5pc1MmBpLbGmSysc4i7F/++JuwtdFPu16sgM3H9J/j2zznRLOSGVO2A==,
+ }
+ engines: { node: '>=v14' }
+ dependencies:
+ conventional-changelog-conventionalcommits: 5.0.0
+ dev: true
+
+ /@commitlint/config-validator/17.0.3:
+ resolution:
+ {
+ integrity: sha512-3tLRPQJKapksGE7Kee9axv+9z5I2GDHitDH4q63q7NmNA0wkB+DAorJ0RHz2/K00Zb1/MVdHzhCga34FJvDihQ==,
+ }
+ engines: { node: '>=v14' }
+ dependencies:
+ '@commitlint/types': 17.0.0
+ ajv: 8.11.0
+ dev: true
+
+ /@commitlint/ensure/17.0.0:
+ resolution:
+ {
+ integrity: sha512-M2hkJnNXvEni59S0QPOnqCKIK52G1XyXBGw51mvh7OXDudCmZ9tZiIPpU882p475Mhx48Ien1MbWjCP1zlyC0A==,
+ }
+ engines: { node: '>=v14' }
+ dependencies:
+ '@commitlint/types': 17.0.0
+ lodash: 4.17.21
+ dev: true
+
+ /@commitlint/execute-rule/17.0.0:
+ resolution:
+ {
+ integrity: sha512-nVjL/w/zuqjCqSJm8UfpNaw66V9WzuJtQvEnCrK4jDw6qKTmZB+1JQ8m6BQVZbNBcwfYdDNKnhIhqI0Rk7lgpQ==,
+ }
+ engines: { node: '>=v14' }
+ dev: true
+
+ /@commitlint/format/17.0.0:
+ resolution:
+ {
+ integrity: sha512-MZzJv7rBp/r6ZQJDEodoZvdRM0vXu1PfQvMTNWFb8jFraxnISMTnPBWMMjr2G/puoMashwaNM//fl7j8gGV5lA==,
+ }
+ engines: { node: '>=v14' }
+ dependencies:
+ '@commitlint/types': 17.0.0
+ chalk: 4.1.2
+ dev: true
+
+ /@commitlint/is-ignored/17.0.3:
+ resolution:
+ {
+ integrity: sha512-/wgCXAvPtFTQZxsVxj7owLeRf5wwzcXLaYmrZPR4a87iD4sCvUIRl1/ogYrtOyUmHwWfQsvjqIB4mWE/SqWSnA==,
+ }
+ engines: { node: '>=v14' }
+ dependencies:
+ '@commitlint/types': 17.0.0
+ semver: 7.3.7
+ dev: true
+
+ /@commitlint/lint/17.0.3:
+ resolution:
+ {
+ integrity: sha512-2o1fk7JUdxBUgszyt41sHC/8Nd5PXNpkmuOo9jvGIjDHzOwXyV0PSdbEVTH3xGz9NEmjohFHr5l+N+T9fcxong==,
+ }
+ engines: { node: '>=v14' }
+ dependencies:
+ '@commitlint/is-ignored': 17.0.3
+ '@commitlint/parse': 17.0.0
+ '@commitlint/rules': 17.0.0
+ '@commitlint/types': 17.0.0
+ dev: true
+
+ /@commitlint/load/17.0.3:
+ resolution:
+ {
+ integrity: sha512-3Dhvr7GcKbKa/ey4QJ5MZH3+J7QFlARohUow6hftQyNjzoXXROm+RwpBes4dDFrXG1xDw9QPXA7uzrOShCd4bw==,
+ }
+ engines: { node: '>=v14' }
+ dependencies:
+ '@commitlint/config-validator': 17.0.3
+ '@commitlint/execute-rule': 17.0.0
+ '@commitlint/resolve-extends': 17.0.3
+ '@commitlint/types': 17.0.0
+ '@types/node': 16.11.49
+ chalk: 4.1.2
+ cosmiconfig: 7.0.1
+ cosmiconfig-typescript-loader: 2.0.2_mc5obqbv5iw2qugqrfomepel3m
+ lodash: 4.17.21
+ resolve-from: 5.0.0
+ typescript: 4.7.4
+ transitivePeerDependencies:
+ - '@swc/core'
+ - '@swc/wasm'
+ dev: true
+
+ /@commitlint/message/17.0.0:
+ resolution:
+ {
+ integrity: sha512-LpcwYtN+lBlfZijHUdVr8aNFTVpHjuHI52BnfoV01TF7iSLnia0jttzpLkrLmI8HNQz6Vhr9UrxDWtKZiMGsBw==,
+ }
+ engines: { node: '>=v14' }
+ dev: true
+
+ /@commitlint/parse/17.0.0:
+ resolution:
+ {
+ integrity: sha512-cKcpfTIQYDG1ywTIr5AG0RAiLBr1gudqEsmAGCTtj8ffDChbBRxm6xXs2nv7GvmJN7msOt7vOKleLvcMmRa1+A==,
+ }
+ engines: { node: '>=v14' }
+ dependencies:
+ '@commitlint/types': 17.0.0
+ conventional-changelog-angular: 5.0.13
+ conventional-commits-parser: 3.2.4
+ dev: true
+
+ /@commitlint/read/17.0.0:
+ resolution:
+ {
+ integrity: sha512-zkuOdZayKX3J6F6mPnVMzohK3OBrsEdOByIqp4zQjA9VLw1hMsDEFQ18rKgUc2adkZar+4S01QrFreDCfZgbxA==,
+ }
+ engines: { node: '>=v14' }
+ dependencies:
+ '@commitlint/top-level': 17.0.0
+ '@commitlint/types': 17.0.0
+ fs-extra: 10.1.0
+ git-raw-commits: 2.0.11
+ dev: true
+
+ /@commitlint/resolve-extends/17.0.3:
+ resolution:
+ {
+ integrity: sha512-H/RFMvrcBeJCMdnVC4i8I94108UDccIHrTke2tyQEg9nXQnR5/Hd6MhyNWkREvcrxh9Y+33JLb+PiPiaBxCtBA==,
+ }
+ engines: { node: '>=v14' }
+ dependencies:
+ '@commitlint/config-validator': 17.0.3
+ '@commitlint/types': 17.0.0
+ import-fresh: 3.3.0
+ lodash: 4.17.21
+ resolve-from: 5.0.0
+ resolve-global: 1.0.0
+ dev: true
+
+ /@commitlint/rules/17.0.0:
+ resolution:
+ {
+ integrity: sha512-45nIy3dERKXWpnwX9HeBzK5SepHwlDxdGBfmedXhL30fmFCkJOdxHyOJsh0+B0RaVsLGT01NELpfzJUmtpDwdQ==,
+ }
+ engines: { node: '>=v14' }
+ dependencies:
+ '@commitlint/ensure': 17.0.0
+ '@commitlint/message': 17.0.0
+ '@commitlint/to-lines': 17.0.0
+ '@commitlint/types': 17.0.0
+ execa: 5.1.1
+ dev: true
+
+ /@commitlint/to-lines/17.0.0:
+ resolution:
+ {
+ integrity: sha512-nEi4YEz04Rf2upFbpnEorG8iymyH7o9jYIVFBG1QdzebbIFET3ir+8kQvCZuBE5pKCtViE4XBUsRZz139uFrRQ==,
+ }
+ engines: { node: '>=v14' }
+ dev: true
+
+ /@commitlint/top-level/17.0.0:
+ resolution:
+ {
+ integrity: sha512-dZrEP1PBJvodNWYPOYiLWf6XZergdksKQaT6i1KSROLdjf5Ai0brLOv5/P+CPxBeoj3vBxK4Ax8H1Pg9t7sHIQ==,
+ }
+ engines: { node: '>=v14' }
+ dependencies:
+ find-up: 5.0.0
+ dev: true
+
+ /@commitlint/types/17.0.0:
+ resolution:
+ {
+ integrity: sha512-hBAw6U+SkAT5h47zDMeOu3HSiD0SODw4Aq7rRNh1ceUmL7GyLKYhPbUvlRWqZ65XjBLPHZhFyQlRaPNz8qvUyQ==,
+ }
+ engines: { node: '>=v14' }
+ dependencies:
+ chalk: 4.1.2
+ dev: true
+
+ /@cow-low-code/vite-plugin-monaco-editor-nls/2.0.1_vite@3.0.8:
+ resolution:
+ {
+ integrity: sha512-57WPCx4v0vEQjhqyl2ouDHMjsQ6I1DkE8M2iQcaPoAF0cD2i1HahyMpTBPuTFCbLL/nx+ZVv8jwb9F28l/2A4Q==,
+ }
+ peerDependencies:
+ vite: '>=2.3.0'
+ dependencies:
+ vite: 3.0.8_sass@1.54.4
+ dev: true
+
+ /@cow-low-code/vscode-language-pack-zh-hans/1.70.1:
+ resolution:
+ {
+ integrity: sha512-NQMfeWu1Tp9g84eIihtAreWwIUsT65qcnzz/azZAHHD1u3cLeARNjlSQghu9TEVe2Q6zx1tzlKGYi6kcN6TDgA==,
+ }
+ engines: { vscode: ^1.70.0 }
+ dev: true
+
+ /@cspotcode/source-map-support/0.8.1:
+ resolution:
+ {
+ integrity: sha512-IchNf6dN4tHoMFIn/7OE8LWZ19Y6q/67Bmf6vnGREv8RSbBVb9LPJxEcnwrcwX6ixSvaiGoomAUvu4YSxXrVgw==,
+ }
+ engines: { node: '>=12' }
+ dependencies:
+ '@jridgewell/trace-mapping': 0.3.9
+ dev: true
+
+ /@ctrl/tinycolor/3.4.1:
+ resolution:
+ {
+ integrity: sha512-ej5oVy6lykXsvieQtqZxCOaLT+xD4+QNarq78cIYISHmZXshCvROLudpQN3lfL8G0NL7plMSSK+zlyvCaIJ4Iw==,
+ }
+ engines: { node: '>=10' }
+ dev: false
+
+ /@element-plus/eslint-config/0.0.20220803_eslint@8.22.0:
+ resolution:
+ {
+ integrity: sha512-CHwVoWT8hQhAZU08YWz3rcYGvnfSxzDR8fY6rLAnSDbF4SU2v2rKrBA2TOx3pD2RKo0ymL2tQHO7QTV0qOpS+A==,
+ }
+ peerDependencies:
+ eslint: ^8.0.0
+ dependencies:
+ '@typescript-eslint/eslint-plugin': 5.33.1_vsoshirnpb7xw6mr7xomgfas2i
+ '@typescript-eslint/parser': 5.33.1_4rv7y5c6xz3vfxwhbrcxxi73bq
+ eslint: 8.22.0
+ eslint-config-prettier: 8.5.0_eslint@8.22.0
+ eslint-define-config: 1.6.0
+ eslint-plugin-eslint-comments: 3.2.0_eslint@8.22.0
+ eslint-plugin-import: 2.26.0_3bh5nkk7utn7e74vrwtv6rxmt4
+ eslint-plugin-jsonc: 2.4.0_eslint@8.22.0
+ eslint-plugin-markdown: 2.2.1_eslint@8.22.0
+ eslint-plugin-prettier: 4.2.1_i2cojdczqdiurzgttlwdgf764e
+ eslint-plugin-unicorn: 42.0.0_eslint@8.22.0
+ eslint-plugin-vue: 9.3.0_eslint@8.22.0
+ jsonc-eslint-parser: 2.1.0
+ prettier: 2.7.1
+ typescript: 4.7.4
+ yaml-eslint-parser: 1.1.0
+ transitivePeerDependencies:
+ - eslint-import-resolver-typescript
+ - eslint-import-resolver-webpack
+ - supports-color
+ dev: true
+
+ /@element-plus/icons-vue/2.0.9_vue@3.2.37:
+ resolution:
+ {
+ integrity: sha512-okdrwiVeKBmW41Hkl0eMrXDjzJwhQMuKiBOu17rOszqM+LS/yBYpNQNV5Jvoh06Wc+89fMmb/uhzf8NZuDuUaQ==,
+ }
+ peerDependencies:
+ vue: ^3.2.0
+ dependencies:
+ vue: 3.2.37
+ dev: false
+
+ /@esbuild/linux-loong64/0.14.54:
+ resolution:
+ {
+ integrity: sha512-bZBrLAIX1kpWelV0XemxBZllyRmM6vgFQQG2GdNb+r3Fkp0FOh1NJSvekXDs7jq70k4euu1cryLMfU+mTXlEpw==,
+ }
+ engines: { node: '>=12' }
+ cpu: [loong64]
+ os: [linux]
+ requiresBuild: true
+ dev: true
+ optional: true
+
+ /@eslint/eslintrc/1.3.0:
+ resolution:
+ {
+ integrity: sha512-UWW0TMTmk2d7hLcWD1/e2g5HDM/HQ3csaLSqXCfqwh4uNDuNqlaKWXmEsL4Cs41Z0KnILNvwbHAah3C2yt06kw==,
+ }
+ engines: { node: ^12.22.0 || ^14.17.0 || >=16.0.0 }
+ dependencies:
+ ajv: 6.12.6
+ debug: 4.3.4
+ espree: 9.3.3
+ globals: 13.17.0
+ ignore: 5.2.0
+ import-fresh: 3.3.0
+ js-yaml: 4.1.0
+ minimatch: 3.1.2
+ strip-json-comments: 3.1.1
+ transitivePeerDependencies:
+ - supports-color
+ dev: true
+
+ /@floating-ui/core/0.7.3:
+ resolution:
+ {
+ integrity: sha512-buc8BXHmG9l82+OQXOFU3Kr2XQx9ys01U/Q9HMIrZ300iLc8HLMgh7dcCqgYzAzf4BkoQvDcXf5Y+CuEZ5JBYg==,
+ }
+ dev: false
+
+ /@floating-ui/dom/0.5.4:
+ resolution:
+ {
+ integrity: sha512-419BMceRLq0RrmTSDxn8hf9R3VCJv2K9PUfugh5JyEFmdjzDo+e8U5EdR8nzKq8Yj1htzLm3b6eQEEam3/rrtg==,
+ }
+ dependencies:
+ '@floating-ui/core': 0.7.3
+ dev: false
+
+ /@humanwhocodes/config-array/0.10.4:
+ resolution:
+ {
+ integrity: sha512-mXAIHxZT3Vcpg83opl1wGlVZ9xydbfZO3r5YfRSH6Gpp2J/PfdBP0wbDa2sO6/qRbcalpoevVyW6A/fI6LfeMw==,
+ }
+ engines: { node: '>=10.10.0' }
+ dependencies:
+ '@humanwhocodes/object-schema': 1.2.1
+ debug: 4.3.4
+ minimatch: 3.1.2
+ transitivePeerDependencies:
+ - supports-color
+ dev: true
+
+ /@humanwhocodes/gitignore-to-minimatch/1.0.2:
+ resolution:
+ {
+ integrity: sha512-rSqmMJDdLFUsyxR6FMtD00nfQKKLFb1kv+qBbOVKqErvloEIJLo5bDTJTQNTYgeyp78JsA7u/NPi5jT1GR/MuA==,
+ }
+ dev: true
+
+ /@humanwhocodes/object-schema/1.2.1:
+ resolution:
+ {
+ integrity: sha512-ZnQMnLV4e7hDlUvw8H+U8ASL02SS2Gn6+9Ac3wGGLIe7+je2AeAOxPY+izIPJDfFDb7eDjev0Us8MO1iFRN8hA==,
+ }
+ dev: true
+
+ /@icon-park/vue-next/1.4.2_vue@3.2.37:
+ resolution:
+ {
+ integrity: sha512-+QklF255wkfBOabY+xw6FAI0Bwln/RhdwCunNy/9sKdKuChtaU67QZqU67KGAvZUTeeBgsL+yaHHxqfQeGZXEQ==,
+ }
+ engines: { node: '>= 8.0.0', npm: '>= 5.0.0' }
+ peerDependencies:
+ vue: 3.x
+ dependencies:
+ vue: 3.2.37
+ dev: false
+
+ /@iconify-json/ep/1.1.7:
+ resolution:
+ {
+ integrity: sha512-GhXWVKalXFlrGgfrCXAgqBre5hv3pPAknuxyywmjamcrL5gl5Mq9WOZtuhb4cB6cJ5pMiKOMtegt73FheqWscA==,
+ }
+ dependencies:
+ '@iconify/types': 1.1.0
+ dev: true
+
+ /@iconify/types/1.1.0:
+ resolution:
+ {
+ integrity: sha512-Jh0llaK2LRXQoYsorIH8maClebsnzTcve+7U3rQUSnC11X4jtPnFuyatqFLvMxZ8MLG8dB4zfHsbPfuvxluONw==,
+ }
+ dev: true
+
+ /@iconify/utils/1.0.33:
+ resolution:
+ {
+ integrity: sha512-vGeAqo7aGPxOQmGdVoXFUOuyN+0V7Lcrx2EvaiRjxUD1x6Om0Tvq2bdm7E24l2Pz++4S0mWMCVFXe/17EtKImQ==,
+ }
+ dependencies:
+ '@antfu/install-pkg': 0.1.0
+ '@antfu/utils': 0.5.2
+ '@iconify/types': 1.1.0
+ debug: 4.3.4
+ kolorist: 1.5.1
+ local-pkg: 0.4.2
+ transitivePeerDependencies:
+ - supports-color
+ dev: true
+
+ /@jridgewell/gen-mapping/0.1.1:
+ resolution:
+ {
+ integrity: sha512-sQXCasFk+U8lWYEe66WxRDOE9PjVz4vSM51fTu3Hw+ClTpUSQb718772vH3pyS5pShp6lvQM7SxgIDXXXmOX7w==,
+ }
+ engines: { node: '>=6.0.0' }
+ dependencies:
+ '@jridgewell/set-array': 1.1.2
+ '@jridgewell/sourcemap-codec': 1.4.14
+ dev: true
+
+ /@jridgewell/gen-mapping/0.3.2:
+ resolution:
+ {
+ integrity: sha512-mh65xKQAzI6iBcFzwv28KVWSmCkdRBWoOh+bYQGW3+6OZvbbN3TqMGo5hqYxQniRcH9F2VZIoJCm4pa3BPDK/A==,
+ }
+ engines: { node: '>=6.0.0' }
+ dependencies:
+ '@jridgewell/set-array': 1.1.2
+ '@jridgewell/sourcemap-codec': 1.4.14
+ '@jridgewell/trace-mapping': 0.3.15
+ dev: true
+
+ /@jridgewell/resolve-uri/3.1.0:
+ resolution:
+ {
+ integrity: sha512-F2msla3tad+Mfht5cJq7LSXcdudKTWCVYUgw6pLFOOHSTtZlj6SWNYAp+AhuqLmWdBO2X5hPrLcu8cVP8fy28w==,
+ }
+ engines: { node: '>=6.0.0' }
+ dev: true
+
+ /@jridgewell/set-array/1.1.2:
+ resolution:
+ {
+ integrity: sha512-xnkseuNADM0gt2bs+BvhO0p78Mk762YnZdsuzFV018NoG1Sj1SCQvpSqa7XUaTam5vAGasABV9qXASMKnFMwMw==,
+ }
+ engines: { node: '>=6.0.0' }
+ dev: true
+
+ /@jridgewell/sourcemap-codec/1.4.14:
+ resolution:
+ {
+ integrity: sha512-XPSJHWmi394fuUuzDnGz1wiKqWfo1yXecHQMRf2l6hztTO+nPru658AyDngaBe7isIxEkRsPR3FZh+s7iVa4Uw==,
+ }
+ dev: true
+
+ /@jridgewell/trace-mapping/0.3.15:
+ resolution:
+ {
+ integrity: sha512-oWZNOULl+UbhsgB51uuZzglikfIKSUBO/M9W2OfEjn7cmqoAiCgmv9lyACTUacZwBz0ITnJ2NqjU8Tx0DHL88g==,
+ }
+ dependencies:
+ '@jridgewell/resolve-uri': 3.1.0
+ '@jridgewell/sourcemap-codec': 1.4.14
+ dev: true
+
+ /@jridgewell/trace-mapping/0.3.9:
+ resolution:
+ {
+ integrity: sha512-3Belt6tdc8bPgAtbcmdtNJlirVoTmEb5e2gC94PnkwEW9jI6CAHUeoG85tjWP5WquqfavoMtMwiG4P926ZKKuQ==,
+ }
+ dependencies:
+ '@jridgewell/resolve-uri': 3.1.0
+ '@jridgewell/sourcemap-codec': 1.4.14
+ dev: true
+
+ /@nodelib/fs.scandir/2.1.5:
+ resolution:
+ {
+ integrity: sha512-vq24Bq3ym5HEQm2NKCr3yXDwjc7vTsEThRDnkp2DK9p1uqLR+DHurm/NOTo0KG7HYHU7eppKZj3MyqYuMBf62g==,
+ }
+ engines: { node: '>= 8' }
+ dependencies:
+ '@nodelib/fs.stat': 2.0.5
+ run-parallel: 1.2.0
+ dev: true
+
+ /@nodelib/fs.stat/2.0.5:
+ resolution:
+ {
+ integrity: sha512-RkhPPp2zrqDAQA/2jNhnztcPAlv64XdhIp7a7454A5ovI7Bukxgt7MX7udwAu3zg1DcpPU0rz3VV1SeaqvY4+A==,
+ }
+ engines: { node: '>= 8' }
+ dev: true
+
+ /@nodelib/fs.walk/1.2.8:
+ resolution:
+ {
+ integrity: sha512-oGB+UxlgWcgQkgwo8GcEGwemoTFt3FIO9ababBmaGwXIoBKZ+GTy0pP185beGg7Llih/NSHSV2XAs1lnznocSg==,
+ }
+ engines: { node: '>= 8' }
+ dependencies:
+ '@nodelib/fs.scandir': 2.1.5
+ fastq: 1.13.0
+ dev: true
+
+ /@polka/url/1.0.0-next.21:
+ resolution:
+ {
+ integrity: sha512-a5Sab1C4/icpTZVzZc5Ghpz88yQtGOyNqYXcZgOssB2uuAr+wF/MvN6bgtW32q7HHrvBki+BsZ0OuNv6EV3K9g==,
+ }
+ dev: true
+
+ /@popperjs/core/2.11.6:
+ resolution:
+ {
+ integrity: sha512-50/17A98tWUfQ176raKiOGXuYpLyyVMkxxG6oylzL3BPOlA6ADGdK7EYunSa4I064xerltq9TGXs8HmOk5E+vw==,
+ }
+ dev: false
+
+ /@rollup/plugin-alias/3.1.9:
+ resolution:
+ {
+ integrity: sha512-QI5fsEvm9bDzt32k39wpOwZhVzRcL5ydcffUHMyLVaVaLeC70I8TJZ17F1z1eMoLu4E/UOcH9BWVkKpIKdrfiw==,
+ }
+ engines: { node: '>=8.0.0' }
+ peerDependencies:
+ rollup: ^1.20.0||^2.0.0
+ dependencies:
+ slash: 3.0.0
+ dev: true
+
+ /@rollup/pluginutils/4.2.1:
+ resolution:
+ {
+ integrity: sha512-iKnFXr7NkdZAIHiIWE+BX5ULi/ucVFYWD6TbAV+rZctiRTY2PL6tsIKhoIOaoskiWAkgu+VsbXgUVDNLHf+InQ==,
+ }
+ engines: { node: '>= 8.0.0' }
+ dependencies:
+ estree-walker: 2.0.2
+ picomatch: 2.3.1
+ dev: true
+
+ /@sxzz/popperjs-es/2.11.7:
+ resolution:
+ {
+ integrity: sha512-Ccy0NlLkzr0Ex2FKvh2X+OyERHXJ88XJ1MXtsI9y9fGexlaXaVTPzBCRBwIxFkORuOb+uBqeu+RqnpgYTEZRUQ==,
+ }
+ dev: false
+
+ /@tsconfig/node10/1.0.9:
+ resolution:
+ {
+ integrity: sha512-jNsYVVxU8v5g43Erja32laIDHXeoNvFEpX33OK4d6hljo3jDhCBDhx5dhCCTMWUojscpAagGiRkBKxpdl9fxqA==,
+ }
+ dev: true
+
+ /@tsconfig/node12/1.0.11:
+ resolution:
+ {
+ integrity: sha512-cqefuRsh12pWyGsIoBKJA9luFu3mRxCA+ORZvA4ktLSzIuCUtWVxGIuXigEwO5/ywWFMZ2QEGKWvkZG1zDMTag==,
+ }
+ dev: true
+
+ /@tsconfig/node14/1.0.3:
+ resolution:
+ {
+ integrity: sha512-ysT8mhdixWK6Hw3i1V2AeRqZ5WfXg1G43mqoYlM2nc6388Fq5jcXyr5mRsqViLx/GJYdoL0bfXD8nmF+Zn/Iow==,
+ }
+ dev: true
+
+ /@tsconfig/node16/1.0.3:
+ resolution:
+ {
+ integrity: sha512-yOlFc+7UtL/89t2ZhjPvvB/DeAr3r+Dq58IgzsFkOAvVC6NMJXmCGjbptdXdR9qsX7pKcTL+s87FtYREi2dEEQ==,
+ }
+ dev: true
+
+ /@types/json-schema/7.0.11:
+ resolution:
+ {
+ integrity: sha512-wOuvG1SN4Us4rez+tylwwwCV1psiNVOkJeM3AUWUNWg/jDQY2+HE/444y5gc+jBmRqASOm2Oeh5c1axHobwRKQ==,
+ }
+ dev: true
+
+ /@types/json5/0.0.29:
+ resolution:
+ {
+ integrity: sha512-dRLjCWHYg4oaA77cxO64oO+7JwCwnIzkZPdrrC71jQmQtlhM556pwKo5bUzqvZndkVbeFLIIi+9TC40JNF5hNQ==,
+ }
+ dev: true
+
+ /@types/lodash-es/4.17.6:
+ resolution:
+ {
+ integrity: sha512-R+zTeVUKDdfoRxpAryaQNRKk3105Rrgx2CFRClIgRGaqDTdjsm8h6IYA8ir584W3ePzkZfst5xIgDwYrlh9HLg==,
+ }
+ dependencies:
+ '@types/lodash': 4.14.183
+ dev: false
+
+ /@types/lodash/4.14.183:
+ resolution:
+ {
+ integrity: sha512-UXavyuxzXKMqJPEpFPri6Ku5F9af6ZJXUneHhvQJxavrEjuHkFp2YnDWHcxJiG7hk8ZkWqjcyNeW1s/smZv5cw==,
+ }
+ dev: false
+
+ /@types/mdast/3.0.10:
+ resolution:
+ {
+ integrity: sha512-W864tg/Osz1+9f4lrGTZpCSO5/z4608eUp19tbozkq2HJK6i3z1kT0H9tlADXuYIb1YYOBByU4Jsqkk75q48qA==,
+ }
+ dependencies:
+ '@types/unist': 2.0.6
+ dev: true
+
+ /@types/minimatch/3.0.5:
+ resolution:
+ {
+ integrity: sha512-Klz949h02Gz2uZCMGwDUSDS1YBlTdDDgbWHi+81l29tQALUtvz4rAYi5uoVhE5Lagoq6DeqAUlbrHvW/mXDgdQ==,
+ }
+ dev: true
+
+ /@types/minimist/1.2.2:
+ resolution:
+ {
+ integrity: sha512-jhuKLIRrhvCPLqwPcx6INqmKeiA5EWrsCOPhrlFSrbrmU4ZMPjj5Ul/oLCMDO98XRUIwVm78xICz4EPCektzeQ==,
+ }
+ dev: true
+
+ /@types/node/16.11.49:
+ resolution:
+ {
+ integrity: sha512-Abq9fBviLV93OiXMu+f6r0elxCzRwc0RC5f99cU892uBITL44pTvgvEqlRlPRi8EGcO1z7Cp8A4d0s/p3J/+Nw==,
+ }
+ dev: true
+
+ /@types/normalize-package-data/2.4.1:
+ resolution:
+ {
+ integrity: sha512-Gj7cI7z+98M282Tqmp2K5EIsoouUEzbBJhQQzDE3jSIRk6r9gsz0oUokqIUR4u1R3dMHo0pDHM7sNOHyhulypw==,
+ }
+ dev: true
+
+ /@types/parse-json/4.0.0:
+ resolution:
+ {
+ integrity: sha512-//oorEZjL6sbPcKUaCdIGlIUeH26mgzimjBB77G6XRgnDl/L5wOnpyBGRe/Mmf5CVW3PwEBE1NjiMZ/ssFh4wA==,
+ }
+ dev: true
+
+ /@types/sass/1.43.1:
+ resolution:
+ {
+ integrity: sha512-BPdoIt1lfJ6B7rw35ncdwBZrAssjcwzI5LByIrYs+tpXlj/CAkuVdRsgZDdP4lq5EjyWzwxZCqAoFyHKFwp32g==,
+ }
+ dependencies:
+ '@types/node': 16.11.49
+ dev: true
+
+ /@types/sortablejs/1.13.0:
+ resolution:
+ {
+ integrity: sha512-C3064MH72iEfeGCYEGCt7FCxXoAXaMPG0QPnstcxvPmbl54erpISu06d++FY37Smja64iWy5L8wOyHHBghWbJQ==,
+ }
+ dev: true
+
+ /@types/unist/2.0.6:
+ resolution:
+ {
+ integrity: sha512-PBjIUxZHOuj0R15/xuwJYjFi+KZdNFrehocChv4g5hu6aFroHue8m0lBP0POdK2nKzbw0cgV1mws8+V/JAcEkQ==,
+ }
+ dev: true
+
+ /@types/uuid/8.3.4:
+ resolution:
+ {
+ integrity: sha512-c/I8ZRb51j+pYGAu5CrFMRxqZ2ke4y2grEBO5AUjgSkSk+qT2Ea+OdWElz/OiMf5MNpn2b17kuVBwZLQJXzihw==,
+ }
+ dev: true
+
+ /@types/web-bluetooth/0.0.14:
+ resolution:
+ {
+ integrity: sha512-5d2RhCard1nQUC3aHcq/gHzWYO6K0WJmAbjO7mQJgCQKtZpgXxv1rOM6O/dBDhDYYVutk1sciOgNSe+5YyfM8A==,
+ }
+ dev: false
+
+ /@types/web-bluetooth/0.0.15:
+ resolution:
+ {
+ integrity: sha512-w7hEHXnPMEZ+4nGKl/KDRVpxkwYxYExuHOYXyzIzCDzEZ9ZCGMAewulr9IqJu2LR4N37fcnb1XVeuZ09qgOxhA==,
+ }
+
+ /@typescript-eslint/eslint-plugin/5.33.1_vsoshirnpb7xw6mr7xomgfas2i:
+ resolution:
+ {
+ integrity: sha512-S1iZIxrTvKkU3+m63YUOxYPKaP+yWDQrdhxTglVDVEVBf+aCSw85+BmJnyUaQQsk5TXFG/LpBu9fa+LrAQ91fQ==,
+ }
+ engines: { node: ^12.22.0 || ^14.17.0 || >=16.0.0 }
+ peerDependencies:
+ '@typescript-eslint/parser': ^5.0.0
+ eslint: ^6.0.0 || ^7.0.0 || ^8.0.0
+ typescript: '*'
+ peerDependenciesMeta:
+ typescript:
+ optional: true
+ dependencies:
+ '@typescript-eslint/parser': 5.33.1_4rv7y5c6xz3vfxwhbrcxxi73bq
+ '@typescript-eslint/scope-manager': 5.33.1
+ '@typescript-eslint/type-utils': 5.33.1_4rv7y5c6xz3vfxwhbrcxxi73bq
+ '@typescript-eslint/utils': 5.33.1_4rv7y5c6xz3vfxwhbrcxxi73bq
+ debug: 4.3.4
+ eslint: 8.22.0
+ functional-red-black-tree: 1.0.1
+ ignore: 5.2.0
+ regexpp: 3.2.0
+ semver: 7.3.7
+ tsutils: 3.21.0_typescript@4.7.4
+ typescript: 4.7.4
+ transitivePeerDependencies:
+ - supports-color
+ dev: true
+
+ /@typescript-eslint/parser/5.33.1_4rv7y5c6xz3vfxwhbrcxxi73bq:
+ resolution:
+ {
+ integrity: sha512-IgLLtW7FOzoDlmaMoXdxG8HOCByTBXrB1V2ZQYSEV1ggMmJfAkMWTwUjjzagS6OkfpySyhKFkBw7A9jYmcHpZA==,
+ }
+ engines: { node: ^12.22.0 || ^14.17.0 || >=16.0.0 }
+ peerDependencies:
+ eslint: ^6.0.0 || ^7.0.0 || ^8.0.0
+ typescript: '*'
+ peerDependenciesMeta:
+ typescript:
+ optional: true
+ dependencies:
+ '@typescript-eslint/scope-manager': 5.33.1
+ '@typescript-eslint/types': 5.33.1
+ '@typescript-eslint/typescript-estree': 5.33.1_typescript@4.7.4
+ debug: 4.3.4
+ eslint: 8.22.0
+ typescript: 4.7.4
+ transitivePeerDependencies:
+ - supports-color
+ dev: true
+
+ /@typescript-eslint/scope-manager/5.33.1:
+ resolution:
+ {
+ integrity: sha512-8ibcZSqy4c5m69QpzJn8XQq9NnqAToC8OdH/W6IXPXv83vRyEDPYLdjAlUx8h/rbusq6MkW4YdQzURGOqsn3CA==,
+ }
+ engines: { node: ^12.22.0 || ^14.17.0 || >=16.0.0 }
+ dependencies:
+ '@typescript-eslint/types': 5.33.1
+ '@typescript-eslint/visitor-keys': 5.33.1
+ dev: true
+
+ /@typescript-eslint/type-utils/5.33.1_4rv7y5c6xz3vfxwhbrcxxi73bq:
+ resolution:
+ {
+ integrity: sha512-X3pGsJsD8OiqhNa5fim41YtlnyiWMF/eKsEZGsHID2HcDqeSC5yr/uLOeph8rNF2/utwuI0IQoAK3fpoxcLl2g==,
+ }
+ engines: { node: ^12.22.0 || ^14.17.0 || >=16.0.0 }
+ peerDependencies:
+ eslint: '*'
+ typescript: '*'
+ peerDependenciesMeta:
+ typescript:
+ optional: true
+ dependencies:
+ '@typescript-eslint/utils': 5.33.1_4rv7y5c6xz3vfxwhbrcxxi73bq
+ debug: 4.3.4
+ eslint: 8.22.0
+ tsutils: 3.21.0_typescript@4.7.4
+ typescript: 4.7.4
+ transitivePeerDependencies:
+ - supports-color
+ dev: true
+
+ /@typescript-eslint/types/5.33.1:
+ resolution:
+ {
+ integrity: sha512-7K6MoQPQh6WVEkMrMW5QOA5FO+BOwzHSNd0j3+BlBwd6vtzfZceJ8xJ7Um2XDi/O3umS8/qDX6jdy2i7CijkwQ==,
+ }
+ engines: { node: ^12.22.0 || ^14.17.0 || >=16.0.0 }
+ dev: true
+
+ /@typescript-eslint/typescript-estree/5.33.1_typescript@4.7.4:
+ resolution:
+ {
+ integrity: sha512-JOAzJ4pJ+tHzA2pgsWQi4804XisPHOtbvwUyqsuuq8+y5B5GMZs7lI1xDWs6V2d7gE/Ez5bTGojSK12+IIPtXA==,
+ }
+ engines: { node: ^12.22.0 || ^14.17.0 || >=16.0.0 }
+ peerDependencies:
+ typescript: '*'
+ peerDependenciesMeta:
+ typescript:
+ optional: true
+ dependencies:
+ '@typescript-eslint/types': 5.33.1
+ '@typescript-eslint/visitor-keys': 5.33.1
+ debug: 4.3.4
+ globby: 11.1.0
+ is-glob: 4.0.3
+ semver: 7.3.7
+ tsutils: 3.21.0_typescript@4.7.4
+ typescript: 4.7.4
+ transitivePeerDependencies:
+ - supports-color
+ dev: true
+
+ /@typescript-eslint/utils/5.33.1_4rv7y5c6xz3vfxwhbrcxxi73bq:
+ resolution:
+ {
+ integrity: sha512-uphZjkMaZ4fE8CR4dU7BquOV6u0doeQAr8n6cQenl/poMaIyJtBu8eys5uk6u5HiDH01Mj5lzbJ5SfeDz7oqMQ==,
+ }
+ engines: { node: ^12.22.0 || ^14.17.0 || >=16.0.0 }
+ peerDependencies:
+ eslint: ^6.0.0 || ^7.0.0 || ^8.0.0
+ dependencies:
+ '@types/json-schema': 7.0.11
+ '@typescript-eslint/scope-manager': 5.33.1
+ '@typescript-eslint/types': 5.33.1
+ '@typescript-eslint/typescript-estree': 5.33.1_typescript@4.7.4
+ eslint: 8.22.0
+ eslint-scope: 5.1.1
+ eslint-utils: 3.0.0_eslint@8.22.0
+ transitivePeerDependencies:
+ - supports-color
+ - typescript
+ dev: true
+
+ /@typescript-eslint/visitor-keys/5.33.1:
+ resolution:
+ {
+ integrity: sha512-nwIxOK8Z2MPWltLKMLOEZwmfBZReqUdbEoHQXeCpa+sRVARe5twpJGHCB4dk9903Yaf0nMAlGbQfaAH92F60eg==,
+ }
+ engines: { node: ^12.22.0 || ^14.17.0 || >=16.0.0 }
+ dependencies:
+ '@typescript-eslint/types': 5.33.1
+ eslint-visitor-keys: 3.3.0
+ dev: true
+
+ /@vant/icons/1.8.0:
+ resolution:
+ {
+ integrity: sha512-sKfEUo2/CkQFuERxvkuF6mGQZDKu3IQdj5rV9Fm0weJXtchDSSQ+zt8qPCNUEhh9Y8shy5PzxbvAfOOkCwlCXg==,
+ }
+ dev: false
+
+ /@vant/popperjs/1.2.1:
+ resolution:
+ {
+ integrity: sha512-qzQlrPE4aOsBzfrktDVwzQy/QICCTKifmjrruhY58+Q2fobUYp/T9QINluIafzsD3VJwgP8+HFVLBsyDmy3VZQ==,
+ }
+ dependencies:
+ '@popperjs/core': 2.11.6
+ dev: false
+
+ /@vant/touch-emulator/1.4.0:
+ resolution:
+ {
+ integrity: sha512-Zt+zISV0+wpOew2S1siOJ3G22y+hapHAKmXM+FhpvWzsRc4qahaYXatCAITuuXt0EcDp7WvEeTO4F7p9AtX/pw==,
+ }
+ dev: false
+
+ /@vant/use/1.4.1:
+ resolution:
+ {
+ integrity: sha512-YonNN0SuJLEJuqdoMcVAJm2JUZWkHNrW81QzeF6FLyG5HFUGlmTM5Sby7gdS3Z/8UDMlkWRQpJxBWbmVzmUWxQ==,
+ }
+ dev: false
+
+ /@vitejs/plugin-vue-jsx/2.0.0_vite@3.0.8+vue@3.2.37:
+ resolution:
+ {
+ integrity: sha512-WF9ApZ/ivyyW3volQfu0Td0KNPhcccYEaRNzNY1NxRLVJQLSX0nFqquv3e2g7MF74p1XZK4bGtDL2y5i5O5+1A==,
+ }
+ engines: { node: '>=14.18.0' }
+ peerDependencies:
+ vite: ^3.0.0
+ vue: ^3.0.0
+ dependencies:
+ '@babel/core': 7.18.10
+ '@babel/plugin-syntax-import-meta': 7.10.4_@babel+core@7.18.10
+ '@babel/plugin-transform-typescript': 7.18.12_@babel+core@7.18.10
+ '@vue/babel-plugin-jsx': 1.1.1_@babel+core@7.18.10
+ vite: 3.0.8_sass@1.54.4
+ vue: 3.2.37
+ transitivePeerDependencies:
+ - supports-color
+ dev: true
+
+ /@vitejs/plugin-vue/3.0.3_vite@3.0.8+vue@3.2.37:
+ resolution:
+ {
+ integrity: sha512-U4zNBlz9mg+TA+i+5QPc3N5lQvdUXENZLO2h0Wdzp56gI1MWhqJOv+6R+d4kOzoaSSq6TnGPBdZAXKOe4lXy6g==,
+ }
+ engines: { node: ^14.18.0 || >=16.0.0 }
+ peerDependencies:
+ vite: ^3.0.0
+ vue: ^3.2.25
+ dependencies:
+ vite: 3.0.8_sass@1.54.4
+ vue: 3.2.37
+ dev: true
+
+ /@volar/code-gen/0.38.9:
+ resolution:
+ {
+ integrity: sha512-n6LClucfA+37rQeskvh9vDoZV1VvCVNy++MAPKj2dT4FT+Fbmty/SDQqnsEBtdEe6E3OQctFvA/IcKsx3Mns0A==,
+ }
+ dependencies:
+ '@volar/source-map': 0.38.9
+ dev: true
+
+ /@volar/source-map/0.38.9:
+ resolution:
+ {
+ integrity: sha512-ba0UFoHDYry+vwKdgkWJ6xlQT+8TFtZg1zj9tSjj4PykW1JZDuM0xplMotLun4h3YOoYfY9K1huY5gvxmrNLIw==,
+ }
+ dev: true
+
+ /@volar/vue-code-gen/0.38.9:
+ resolution:
+ {
+ integrity: sha512-tzj7AoarFBKl7e41MR006ncrEmNPHALuk8aG4WdDIaG387X5//5KhWC5Ff3ZfB2InGSeNT+CVUd74M0gS20rjA==,
+ }
+ dependencies:
+ '@volar/code-gen': 0.38.9
+ '@volar/source-map': 0.38.9
+ '@vue/compiler-core': 3.2.37
+ '@vue/compiler-dom': 3.2.37
+ '@vue/shared': 3.2.37
+ dev: true
+
+ /@volar/vue-typescript/0.38.9:
+ resolution:
+ {
+ integrity: sha512-iJMQGU91ADi98u8V1vXd2UBmELDAaeSP0ZJaFjwosClQdKlJQYc6MlxxKfXBZisHqfbhdtrGRyaryulnYtliZw==,
+ }
+ dependencies:
+ '@volar/code-gen': 0.38.9
+ '@volar/source-map': 0.38.9
+ '@volar/vue-code-gen': 0.38.9
+ '@vue/compiler-sfc': 3.2.37
+ '@vue/reactivity': 3.2.37
+ dev: true
+
+ /@vue/babel-helper-vue-transform-on/1.0.2:
+ resolution:
+ {
+ integrity: sha512-hz4R8tS5jMn8lDq6iD+yWL6XNB699pGIVLk7WSJnn1dbpjaazsjZQkieJoRX6gW5zpYSCFqQ7jUquPNY65tQYA==,
+ }
+ dev: true
+
+ /@vue/babel-plugin-jsx/1.1.1_@babel+core@7.18.10:
+ resolution:
+ {
+ integrity: sha512-j2uVfZjnB5+zkcbc/zsOc0fSNGCMMjaEXP52wdwdIfn0qjFfEYpYZBFKFg+HHnQeJCVrjOeO0YxgaL7DMrym9w==,
+ }
+ dependencies:
+ '@babel/helper-module-imports': 7.18.6
+ '@babel/plugin-syntax-jsx': 7.18.6_@babel+core@7.18.10
+ '@babel/template': 7.18.10
+ '@babel/traverse': 7.18.11
+ '@babel/types': 7.18.10
+ '@vue/babel-helper-vue-transform-on': 1.0.2
+ camelcase: 6.3.0
+ html-tags: 3.2.0
+ svg-tags: 1.0.0
+ transitivePeerDependencies:
+ - '@babel/core'
+ - supports-color
+ dev: true
+
+ /@vue/compiler-core/3.2.37:
+ resolution:
+ {
+ integrity: sha512-81KhEjo7YAOh0vQJoSmAD68wLfYqJvoiD4ulyedzF+OEk/bk6/hx3fTNVfuzugIIaTrOx4PGx6pAiBRe5e9Zmg==,
+ }
+ dependencies:
+ '@babel/parser': 7.18.11
+ '@vue/shared': 3.2.37
+ estree-walker: 2.0.2
+ source-map: 0.6.1
+
+ /@vue/compiler-dom/3.2.37:
+ resolution:
+ {
+ integrity: sha512-yxJLH167fucHKxaqXpYk7x8z7mMEnXOw3G2q62FTkmsvNxu4FQSu5+3UMb+L7fjKa26DEzhrmCxAgFLLIzVfqQ==,
+ }
+ dependencies:
+ '@vue/compiler-core': 3.2.37
+ '@vue/shared': 3.2.37
+
+ /@vue/compiler-sfc/3.2.37:
+ resolution:
+ {
+ integrity: sha512-+7i/2+9LYlpqDv+KTtWhOZH+pa8/HnX/905MdVmAcI/mPQOBwkHHIzrsEsucyOIZQYMkXUiTkmZq5am/NyXKkg==,
+ }
+ dependencies:
+ '@babel/parser': 7.18.11
+ '@vue/compiler-core': 3.2.37
+ '@vue/compiler-dom': 3.2.37
+ '@vue/compiler-ssr': 3.2.37
+ '@vue/reactivity-transform': 3.2.37
+ '@vue/shared': 3.2.37
+ estree-walker: 2.0.2
+ magic-string: 0.25.9
+ postcss: 8.4.16
+ source-map: 0.6.1
+
+ /@vue/compiler-ssr/3.2.37:
+ resolution:
+ {
+ integrity: sha512-7mQJD7HdXxQjktmsWp/J67lThEIcxLemz1Vb5I6rYJHR5vI+lON3nPGOH3ubmbvYGt8xEUaAr1j7/tIFWiEOqw==,
+ }
+ dependencies:
+ '@vue/compiler-dom': 3.2.37
+ '@vue/shared': 3.2.37
+
+ /@vue/devtools-api/6.2.1:
+ resolution:
+ {
+ integrity: sha512-OEgAMeQXvCoJ+1x8WyQuVZzFo0wcyCmUR3baRVLmKBo1LmYZWMlRiXlux5jd0fqVJu6PfDbOrZItVqUEzLobeQ==,
+ }
+ dev: false
+
+ /@vue/reactivity-transform/3.2.37:
+ resolution:
+ {
+ integrity: sha512-IWopkKEb+8qpu/1eMKVeXrK0NLw9HicGviJzhJDEyfxTR9e1WtpnnbYkJWurX6WwoFP0sz10xQg8yL8lgskAZg==,
+ }
+ dependencies:
+ '@babel/parser': 7.18.11
+ '@vue/compiler-core': 3.2.37
+ '@vue/shared': 3.2.37
+ estree-walker: 2.0.2
+ magic-string: 0.25.9
+
+ /@vue/reactivity/3.2.37:
+ resolution:
+ {
+ integrity: sha512-/7WRafBOshOc6m3F7plwzPeCu/RCVv9uMpOwa/5PiY1Zz+WLVRWiy0MYKwmg19KBdGtFWsmZ4cD+LOdVPcs52A==,
+ }
+ dependencies:
+ '@vue/shared': 3.2.37
+
+ /@vue/runtime-core/3.2.37:
+ resolution:
+ {
+ integrity: sha512-JPcd9kFyEdXLl/i0ClS7lwgcs0QpUAWj+SKX2ZC3ANKi1U4DOtiEr6cRqFXsPwY5u1L9fAjkinIdB8Rz3FoYNQ==,
+ }
+ dependencies:
+ '@vue/reactivity': 3.2.37
+ '@vue/shared': 3.2.37
+
+ /@vue/runtime-dom/3.2.37:
+ resolution:
+ {
+ integrity: sha512-HimKdh9BepShW6YozwRKAYjYQWg9mQn63RGEiSswMbW+ssIht1MILYlVGkAGGQbkhSh31PCdoUcfiu4apXJoPw==,
+ }
+ dependencies:
+ '@vue/runtime-core': 3.2.37
+ '@vue/shared': 3.2.37
+ csstype: 2.6.20
+
+ /@vue/server-renderer/3.2.37_vue@3.2.37:
+ resolution:
+ {
+ integrity: sha512-kLITEJvaYgZQ2h47hIzPh2K3jG8c1zCVbp/o/bzQOyvzaKiCquKS7AaioPI28GNxIsE/zSx+EwWYsNxDCX95MA==,
+ }
+ peerDependencies:
+ vue: 3.2.37
+ dependencies:
+ '@vue/compiler-ssr': 3.2.37
+ '@vue/shared': 3.2.37
+ vue: 3.2.37
+
+ /@vue/shared/3.2.37:
+ resolution:
+ {
+ integrity: sha512-4rSJemR2NQIo9Klm1vabqWjD8rs/ZaJSzMxkMNeJS6lHiUjjUeYFbooN19NgFjztubEKh3WlZUeOLVdbbUWHsw==,
+ }
+
+ /@vue/tsconfig/0.1.3_@types+node@16.11.49:
+ resolution:
+ {
+ integrity: sha512-kQVsh8yyWPvHpb8gIc9l/HIDiiVUy1amynLNpCy8p+FoCiZXCo6fQos5/097MmnNZc9AtseDsCrfkhqCrJ8Olg==,
+ }
+ peerDependencies:
+ '@types/node': '*'
+ peerDependenciesMeta:
+ '@types/node':
+ optional: true
+ dependencies:
+ '@types/node': 16.11.49
+ dev: true
+
+ /@vueuse/core/7.7.1_vue@3.2.37:
+ resolution:
+ {
+ integrity: sha512-PRRgbATMpoeUmkCEBtUeJgOwtew8s+4UsEd+Pm7MhkjL2ihCNrSqxNVtM6NFE4uP2sWnkGcZpCjPuNSxowJ1Ow==,
+ }
+ peerDependencies:
+ '@vue/composition-api': ^1.1.0
+ vue: ^2.6.0 || ^3.2.0
+ peerDependenciesMeta:
+ '@vue/composition-api':
+ optional: true
+ vue:
+ optional: true
+ dependencies:
+ '@vueuse/shared': 7.7.1_vue@3.2.37
+ vue: 3.2.37
+ vue-demi: 0.13.8_vue@3.2.37
+ dev: false
+
+ /@vueuse/core/8.9.4_vue@3.2.37:
+ resolution:
+ {
+ integrity: sha512-B/Mdj9TK1peFyWaPof+Zf/mP9XuGAngaJZBwPaXBvU3aCTZlx3ltlrFFFyMV4iGBwsjSCeUCgZrtkEj9dS2Y3Q==,
+ }
+ peerDependencies:
+ '@vue/composition-api': ^1.1.0
+ vue: ^2.6.0 || ^3.2.0
+ peerDependenciesMeta:
+ '@vue/composition-api':
+ optional: true
+ vue:
+ optional: true
+ dependencies:
+ '@types/web-bluetooth': 0.0.14
+ '@vueuse/metadata': 8.9.4
+ '@vueuse/shared': 8.9.4_vue@3.2.37
+ vue: 3.2.37
+ vue-demi: 0.13.8_vue@3.2.37
+ dev: false
+
+ /@vueuse/core/9.1.0_vue@3.2.37:
+ resolution:
+ {
+ integrity: sha512-BIroqvXEqt826aE9r3K5cox1zobuPuAzdYJ36kouC2TVhlXvFKIILgFVWrpp9HZPwB3aLzasmG3K87q7TSyXZg==,
+ }
+ dependencies:
+ '@types/web-bluetooth': 0.0.15
+ '@vueuse/metadata': 9.1.0
+ '@vueuse/shared': 9.1.0_vue@3.2.37
+ vue-demi: 0.13.8_vue@3.2.37
+ transitivePeerDependencies:
+ - '@vue/composition-api'
+ - vue
+
+ /@vueuse/integrations/9.1.0_vue@3.2.37:
+ resolution:
+ {
+ integrity: sha512-HCVlm/aNllOKLYP4cx/rFFGz4q+QlgkF6N5tS7GRYVk/HGPxKqkUBX865niRfZfo+INvqtgTmpp9o+pYXaZlDg==,
+ }
+ peerDependencies:
+ async-validator: '*'
+ axios: '*'
+ change-case: '*'
+ drauu: '*'
+ focus-trap: '*'
+ fuse.js: '*'
+ jwt-decode: '*'
+ nprogress: '*'
+ qrcode: '*'
+ universal-cookie: '*'
+ peerDependenciesMeta:
+ async-validator:
+ optional: true
+ axios:
+ optional: true
+ change-case:
+ optional: true
+ drauu:
+ optional: true
+ focus-trap:
+ optional: true
+ fuse.js:
+ optional: true
+ jwt-decode:
+ optional: true
+ nprogress:
+ optional: true
+ qrcode:
+ optional: true
+ universal-cookie:
+ optional: true
+ dependencies:
+ '@vueuse/core': 9.1.0_vue@3.2.37
+ '@vueuse/shared': 9.1.0_vue@3.2.37
+ vue-demi: 0.13.8_vue@3.2.37
+ transitivePeerDependencies:
+ - '@vue/composition-api'
+ - vue
+ dev: false
+
+ /@vueuse/metadata/8.9.4:
+ resolution:
+ {
+ integrity: sha512-IwSfzH80bnJMzqhaapqJl9JRIiyQU0zsRGEgnxN6jhq7992cPUJIRfV+JHRIZXjYqbwt07E1gTEp0R0zPJ1aqw==,
+ }
+ dev: false
+
+ /@vueuse/metadata/9.1.0:
+ resolution:
+ {
+ integrity: sha512-8OEhlog1iaAGTD3LICZ8oBGQdYeMwByvXetOtAOZCJOzyCRSwqwdggTsmVZZ1rkgYIEqgUBk942AsAPwM21s6A==,
+ }
+
+ /@vueuse/shared/7.7.1_vue@3.2.37:
+ resolution:
+ {
+ integrity: sha512-rN2qd22AUl7VdBxihagWyhUNHCyVk9IpvBTTfHoLH9G7rGE552X1f+zeCfehuno0zXif13jPw+icW/wn2a0rnQ==,
+ }
+ peerDependencies:
+ '@vue/composition-api': ^1.1.0
+ vue: ^2.6.0 || ^3.2.0
+ peerDependenciesMeta:
+ '@vue/composition-api':
+ optional: true
+ vue:
+ optional: true
+ dependencies:
+ vue: 3.2.37
+ vue-demi: 0.13.8_vue@3.2.37
+ dev: false
+
+ /@vueuse/shared/8.9.4_vue@3.2.37:
+ resolution:
+ {
+ integrity: sha512-wt+T30c4K6dGRMVqPddexEVLa28YwxW5OFIPmzUHICjphfAuBFTTdDoyqREZNDOFJZ44ARH1WWQNCUK8koJ+Ag==,
+ }
+ peerDependencies:
+ '@vue/composition-api': ^1.1.0
+ vue: ^2.6.0 || ^3.2.0
+ peerDependenciesMeta:
+ '@vue/composition-api':
+ optional: true
+ vue:
+ optional: true
+ dependencies:
+ vue: 3.2.37
+ vue-demi: 0.13.8_vue@3.2.37
+ dev: false
+
+ /@vueuse/shared/9.1.0_vue@3.2.37:
+ resolution:
+ {
+ integrity: sha512-pB/3njQu4tfJJ78ajELNda0yMG6lKfpToQW7Soe09CprF1k3QuyoNi1tBNvo75wBDJWD+LOnr+c4B5HZ39jY/Q==,
+ }
+ dependencies:
+ vue-demi: 0.13.8_vue@3.2.37
+ transitivePeerDependencies:
+ - '@vue/composition-api'
+ - vue
+
+ /JSONStream/1.3.5:
+ resolution:
+ {
+ integrity: sha512-E+iruNOY8VV9s4JEbe1aNEm6MiszPRr/UfcHMz0TQh1BXSxHK+ASV1R6W4HpjBhSeS+54PIsAMCBmwD06LLsqQ==,
+ }
+ hasBin: true
+ dependencies:
+ jsonparse: 1.3.1
+ through: 2.3.8
+ dev: true
+
+ /acorn-jsx/5.3.2_acorn@8.8.0:
+ resolution:
+ {
+ integrity: sha512-rq9s+JNhf0IChjtDXxllJ7g41oZk5SlXtp0LHwyA5cejwn7vKmKp4pPri6YEePv2PU65sAsegbXtIinmDFDXgQ==,
+ }
+ peerDependencies:
+ acorn: ^6.0.0 || ^7.0.0 || ^8.0.0
+ dependencies:
+ acorn: 8.8.0
+ dev: true
+
+ /acorn-node/1.8.2:
+ resolution:
+ {
+ integrity: sha512-8mt+fslDufLYntIoPAaIMUe/lrbrehIiwmR3t2k9LljIzoigEPF27eLk2hy8zSGzmR/ogr7zbRKINMo1u0yh5A==,
+ }
+ dependencies:
+ acorn: 7.4.1
+ acorn-walk: 7.2.0
+ xtend: 4.0.2
+ dev: true
+
+ /acorn-walk/7.2.0:
+ resolution:
+ {
+ integrity: sha512-OPdCF6GsMIP+Az+aWfAAOEt2/+iVDKE7oy6lJ098aoe59oAmK76qV6Gw60SbZ8jHuG2wH058GF4pLFbYamYrVA==,
+ }
+ engines: { node: '>=0.4.0' }
+ dev: true
+
+ /acorn-walk/8.2.0:
+ resolution:
+ {
+ integrity: sha512-k+iyHEuPgSw6SbuDpGQM+06HQUa04DZ3o+F6CSzXMvvI5KMvnaEqXe+YVe555R9nn6GPt404fos4wcgpw12SDA==,
+ }
+ engines: { node: '>=0.4.0' }
+ dev: true
+
+ /acorn/7.4.1:
+ resolution:
+ {
+ integrity: sha512-nQyp0o1/mNdbTO1PO6kHkwSrmgZ0MT/jCCpNiwbUjGoRN4dlBhqJtoQuCnEOKzgTVwg0ZWiCoQy6SxMebQVh8A==,
+ }
+ engines: { node: '>=0.4.0' }
+ hasBin: true
+ dev: true
+
+ /acorn/8.8.0:
+ resolution:
+ {
+ integrity: sha512-QOxyigPVrpZ2GXT+PFyZTl6TtOFc5egxHIP9IlQ+RbupQuX4RkT/Bee4/kQuC02Xkzg84JcT7oLYtDIQxp+v7w==,
+ }
+ engines: { node: '>=0.4.0' }
+ hasBin: true
+ dev: true
+
+ /aggregate-error/3.1.0:
+ resolution:
+ {
+ integrity: sha512-4I7Td01quW/RpocfNayFdFVk1qSuoh0E7JrbRJ16nH01HhKFQ88INq9Sd+nd72zqRySlr9BmDA8xlEJ6vJMrYA==,
+ }
+ engines: { node: '>=8' }
+ dependencies:
+ clean-stack: 2.2.0
+ indent-string: 4.0.0
+ dev: true
+
+ /ajv/6.12.6:
+ resolution:
+ {
+ integrity: sha512-j3fVLgvTo527anyYyJOGTYJbG+vnnQYvE0m5mmkc1TK+nxAppkCLMIL0aZ4dblVCNoGShhm+kzE4ZUykBoMg4g==,
+ }
+ dependencies:
+ fast-deep-equal: 3.1.3
+ fast-json-stable-stringify: 2.1.0
+ json-schema-traverse: 0.4.1
+ uri-js: 4.4.1
+ dev: true
+
+ /ajv/8.11.0:
+ resolution:
+ {
+ integrity: sha512-wGgprdCvMalC0BztXvitD2hC04YffAvtsUn93JbGXYLAtCUO4xd17mCCZQxUOItiBwZvJScWo8NIvQMQ71rdpg==,
+ }
+ dependencies:
+ fast-deep-equal: 3.1.3
+ json-schema-traverse: 1.0.0
+ require-from-string: 2.0.2
+ uri-js: 4.4.1
+ dev: true
+
+ /ansi-escapes/4.3.2:
+ resolution:
+ {
+ integrity: sha512-gKXj5ALrKWQLsYG9jlTRmR/xKluxHV+Z9QEwNIgCfM1/uwPMCuzVVnh5mwTd+OuBZcwSIMbqssNWRm1lE51QaQ==,
+ }
+ engines: { node: '>=8' }
+ dependencies:
+ type-fest: 0.21.3
+ dev: true
+
+ /ansi-regex/5.0.1:
+ resolution:
+ {
+ integrity: sha512-quJQXlTSUGL2LH9SUXo8VwsY4soanhgo6LNSm84E1LBcE8s3O0wpdiRzyR9z/ZZJMlMWv37qOOb9pdJlMUEKFQ==,
+ }
+ engines: { node: '>=8' }
+ dev: true
+
+ /ansi-regex/6.0.1:
+ resolution:
+ {
+ integrity: sha512-n5M855fKb2SsfMIiFFoVrABHJC8QtHwVx+mHWP3QcEqBHYienj5dHSgjbxtC0WEZXYt4wcD6zrQElDPhFuZgfA==,
+ }
+ engines: { node: '>=12' }
+ dev: true
+
+ /ansi-styles/3.2.1:
+ resolution:
+ {
+ integrity: sha512-VT0ZI6kZRdTh8YyJw3SMbYm/u+NqfsAxEpWO0Pf9sq8/e94WxxOpPKx9FR1FlyCtOVDNOQ+8ntlqFxiRc+r5qA==,
+ }
+ engines: { node: '>=4' }
+ dependencies:
+ color-convert: 1.9.3
+ dev: true
+
+ /ansi-styles/4.3.0:
+ resolution:
+ {
+ integrity: sha512-zbB9rCJAT1rbjiVDb2hqKFHNYLxgtk8NURxZ3IZwD3F6NtxbXZQCnnSi1Lkx+IDohdPlFp222wVALIheZJQSEg==,
+ }
+ engines: { node: '>=8' }
+ dependencies:
+ color-convert: 2.0.1
+ dev: true
+
+ /ansi-styles/6.1.0:
+ resolution:
+ {
+ integrity: sha512-VbqNsoz55SYGczauuup0MFUyXNQviSpFTj1RQtFzmQLk18qbVSpTFFGMT293rmDaQuKCT6InmbuEyUne4mTuxQ==,
+ }
+ engines: { node: '>=12' }
+ dev: true
+
+ /anymatch/3.1.2:
+ resolution:
+ {
+ integrity: sha512-P43ePfOAIupkguHUycrc4qJ9kz8ZiuOUijaETwX7THt0Y/GNK7v0aa8rY816xWjZ7rJdA5XdMcpVFTKMq+RvWg==,
+ }
+ engines: { node: '>= 8' }
+ dependencies:
+ normalize-path: 3.0.0
+ picomatch: 2.3.1
+ dev: true
+
+ /arg/4.1.3:
+ resolution:
+ {
+ integrity: sha512-58S9QDqG0Xx27YwPSt9fJxivjYl432YCwfDMfZ+71RAqUrZef7LrKQZ3LHLOwCS4FLNBplP533Zx895SeOCHvA==,
+ }
+ dev: true
+
+ /arg/5.0.2:
+ resolution:
+ {
+ integrity: sha512-PYjyFOLKQ9y57JvQ6QLo8dAgNqswh8M1RMJYdQduT6xbWSgK36P/Z/v+p888pM69jMMfS8Xd8F6I1kQ/I9HUGg==,
+ }
+ dev: true
+
+ /argparse/2.0.1:
+ resolution:
+ {
+ integrity: sha512-8+9WqebbFzpX9OR+Wa6O29asIogeRMzcGtAINdpMHHyAg10f05aSFVBbcEqGf/PXw1EjAZ+q2/bEBg3DvurK3Q==,
+ }
+ dev: true
+
+ /array-differ/3.0.0:
+ resolution:
+ {
+ integrity: sha512-THtfYS6KtME/yIAhKjZ2ul7XI96lQGHRputJQHO80LAWQnuGP4iCIN8vdMRboGbIEYBwU33q8Tch1os2+X0kMg==,
+ }
+ engines: { node: '>=8' }
+ dev: true
+
+ /array-ify/1.0.0:
+ resolution:
+ {
+ integrity: sha512-c5AMf34bKdvPhQ7tBGhqkgKNUzMr4WUs+WDtC2ZUGOUncbxKMTvqxYctiseW3+L4bA8ec+GcZ6/A/FW4m8ukng==,
+ }
+ dev: true
+
+ /array-includes/3.1.5:
+ resolution:
+ {
+ integrity: sha512-iSDYZMMyTPkiFasVqfuAQnWAYcvO/SeBSCGKePoEthjp4LEMTe4uLc7b025o4jAZpHhihh8xPo99TNWUWWkGDQ==,
+ }
+ engines: { node: '>= 0.4' }
+ dependencies:
+ call-bind: 1.0.2
+ define-properties: 1.1.4
+ es-abstract: 1.20.1
+ get-intrinsic: 1.1.2
+ is-string: 1.0.7
+ dev: true
+
+ /array-union/2.1.0:
+ resolution:
+ {
+ integrity: sha512-HGyxoOTYUyCM6stUe6EJgnd4EoewAI7zMdfqO+kGjnlZmBDz/cR5pf8r/cR4Wq60sL/p0IkcjUEEPwS3GFrIyw==,
+ }
+ engines: { node: '>=8' }
+ dev: true
+
+ /array.prototype.flat/1.3.0:
+ resolution:
+ {
+ integrity: sha512-12IUEkHsAhA4DY5s0FPgNXIdc8VRSqD9Zp78a5au9abH/SOBrsp082JOWFNTjkMozh8mqcdiKuaLGhPeYztxSw==,
+ }
+ engines: { node: '>= 0.4' }
+ dependencies:
+ call-bind: 1.0.2
+ define-properties: 1.1.4
+ es-abstract: 1.20.1
+ es-shim-unscopables: 1.0.0
+ dev: true
+
+ /arrify/1.0.1:
+ resolution:
+ {
+ integrity: sha512-3CYzex9M9FGQjCGMGyi6/31c8GJbgb0qGyrx5HWxPd0aCwh4cB2YjMb2Xf9UuoogrMrlO9cTqnB5rI5GHZTcUA==,
+ }
+ engines: { node: '>=0.10.0' }
+ dev: true
+
+ /arrify/2.0.1:
+ resolution:
+ {
+ integrity: sha512-3duEwti880xqi4eAMN8AyR4a0ByT90zoYdLlevfrvU43vb0YZwZVfxOgxWrLXXXpyugL0hNZc9G6BiB5B3nUug==,
+ }
+ engines: { node: '>=8' }
+ dev: true
+
+ /ast-walker-scope/0.2.1:
+ resolution:
+ {
+ integrity: sha512-SBqTj/8RpqNirpJUVj/3I5P3aWMV6CBUD/BXs8Ie7R/TNOnHRVzWWmXF+BDdstjgYMJMT9+ywa8lHXx7lXwegw==,
+ }
+ engines: { node: '>=14.19.0' }
+ dependencies:
+ '@babel/parser': 7.18.11
+ '@babel/types': 7.18.10
+ dev: true
+
+ /astral-regex/2.0.0:
+ resolution:
+ {
+ integrity: sha512-Z7tMw1ytTXt5jqMcOP+OQteU1VuNK9Y02uuJtKQ1Sv69jXQKKg5cibLwGJow8yzZP+eAc18EmLGPal0bp36rvQ==,
+ }
+ engines: { node: '>=8' }
+ dev: true
+
+ /async-validator/4.2.5:
+ resolution:
+ {
+ integrity: sha512-7HhHjtERjqlNbZtqNqy2rckN/SpOOlmDliet+lP7k+eKZEjPk3DgyeU9lIXLdeLz0uBbbVp+9Qdow9wJWgwwfg==,
+ }
+ dev: false
+
+ /autoprefixer/10.4.8_postcss@8.4.16:
+ resolution:
+ {
+ integrity: sha512-75Jr6Q/XpTqEf6D2ltS5uMewJIx5irCU1oBYJrWjFenq/m12WRRrz6g15L1EIoYvPLXTbEry7rDOwrcYNj77xw==,
+ }
+ engines: { node: ^10 || ^12 || >=14 }
+ hasBin: true
+ peerDependencies:
+ postcss: ^8.1.0
+ dependencies:
+ browserslist: 4.21.3
+ caniuse-lite: 1.0.30001378
+ fraction.js: 4.2.0
+ normalize-range: 0.1.2
+ picocolors: 1.0.0
+ postcss: 8.4.16
+ postcss-value-parser: 4.2.0
+ dev: true
+
+ /b-tween/0.3.3:
+ resolution:
+ {
+ integrity: sha512-oEHegcRpA7fAuc9KC4nktucuZn2aS8htymCPcP3qkEGPqiBH+GfqtqoG2l7LxHngg6O0HFM7hOeOYExl1Oz4ZA==,
+ }
+ dev: false
+
+ /b-validate/1.4.1:
+ resolution:
+ {
+ integrity: sha512-X6ImDku5YY8NfWTh/hX8CAaronWnNXpb159cqs6lDWLtI4OWiehZ4B0NshfatTuKt1HIeNq9PObE/Xl5YoJYUg==,
+ }
+ dev: false
+
+ /balanced-match/1.0.2:
+ resolution:
+ {
+ integrity: sha512-3oSeUO0TMV67hN1AmbXsK4yaqU7tjiHlbxRDZOpH0KW9+CeX4bRAaX0Anxt0tx2MrpRpWwQaPwIlISEJhYU5Pw==,
+ }
+ dev: true
+
+ /binary-extensions/2.2.0:
+ resolution:
+ {
+ integrity: sha512-jDctJ/IVQbZoJykoeHbhXpOlNBqGNcwXJKJog42E5HDPUwQTSdjCHdihjj0DlnheQ7blbT6dHOafNAiS8ooQKA==,
+ }
+ engines: { node: '>=8' }
+ dev: true
+
+ /boolbase/1.0.0:
+ resolution:
+ {
+ integrity: sha512-JZOSA7Mo9sNGB8+UjSgzdLtokWAky1zbztM3WRLCbZ70/3cTANmQmOdR7y2g+J0e2WXywy1yS468tY+IruqEww==,
+ }
+ dev: true
+
+ /brace-expansion/1.1.11:
+ resolution:
+ {
+ integrity: sha512-iCuPHDFgrHX7H2vEI/5xpz07zSHB00TpugqhmYtVmMO6518mCuRMoOYFldEBl0g187ufozdaHgWKcYFb61qGiA==,
+ }
+ dependencies:
+ balanced-match: 1.0.2
+ concat-map: 0.0.1
+ dev: true
+
+ /brace-expansion/2.0.1:
+ resolution:
+ {
+ integrity: sha512-XnAIvQ8eM+kC6aULx6wuQiwVsnzsi9d3WxzV3FpWTGA19F621kwdbsAcFKXgKUHZWsy+mY6iL1sHTxWEFCytDA==,
+ }
+ dependencies:
+ balanced-match: 1.0.2
+ dev: true
+
+ /braces/3.0.2:
+ resolution:
+ {
+ integrity: sha512-b8um+L1RzM3WDSzvhm6gIz1yfTbBt6YTlcEKAvsmqCZZFw46z626lVj9j1yEPW33H5H+lBQpZMP1k8l+78Ha0A==,
+ }
+ engines: { node: '>=8' }
+ dependencies:
+ fill-range: 7.0.1
+ dev: true
+
+ /browserslist/4.21.3:
+ resolution:
+ {
+ integrity: sha512-898rgRXLAyRkM1GryrrBHGkqA5hlpkV5MhtZwg9QXeiyLUYs2k00Un05aX5l2/yJIOObYKOpS2JNo8nJDE7fWQ==,
+ }
+ engines: { node: ^6 || ^7 || ^8 || ^9 || ^10 || ^11 || ^12 || >=13.7 }
+ hasBin: true
+ dependencies:
+ caniuse-lite: 1.0.30001378
+ electron-to-chromium: 1.4.224
+ node-releases: 2.0.6
+ update-browserslist-db: 1.0.5_browserslist@4.21.3
+ dev: true
+
+ /builtin-modules/3.3.0:
+ resolution:
+ {
+ integrity: sha512-zhaCDicdLuWN5UbN5IMnFqNMhNfo919sH85y2/ea+5Yg9TsTkeZxpL+JLbp6cgYFS4sRLp3YV4S6yDuqVWHYOw==,
+ }
+ engines: { node: '>=6' }
+ dev: true
+
+ /call-bind/1.0.2:
+ resolution:
+ {
+ integrity: sha512-7O+FbCihrB5WGbFYesctwmTKae6rOiIzmz1icreWJ+0aA7LJfuqhEso2T9ncpcFtzMQtzXf2QGGueWJGTYsqrA==,
+ }
+ dependencies:
+ function-bind: 1.1.1
+ get-intrinsic: 1.1.2
+ dev: true
+
+ /callsites/3.1.0:
+ resolution:
+ {
+ integrity: sha512-P8BjAsXvZS+VIDUI11hHCQEv74YT67YUi5JJFNWIqL235sBmjX4+qx9Muvls5ivyNENctx46xQLQ3aTuE7ssaQ==,
+ }
+ engines: { node: '>=6' }
+ dev: true
+
+ /camel-case/4.1.2:
+ resolution:
+ {
+ integrity: sha512-gxGWBrTT1JuMx6R+o5PTXMmUnhnVzLQ9SNutD4YqKtI6ap897t3tKECYla6gCWEkplXnlNybEkZg9GEGxKFCgw==,
+ }
+ dependencies:
+ pascal-case: 3.1.2
+ tslib: 2.4.0
+ dev: true
+
+ /camelcase-css/2.0.1:
+ resolution:
+ {
+ integrity: sha512-QOSvevhslijgYwRx6Rv7zKdMF8lbRmx+uQGx2+vDc+KI/eBnsy9kit5aj23AgGu3pa4t9AgwbnXWqS+iOY+2aA==,
+ }
+ engines: { node: '>= 6' }
+ dev: true
+
+ /camelcase-keys/6.2.2:
+ resolution:
+ {
+ integrity: sha512-YrwaA0vEKazPBkn0ipTiMpSajYDSe+KjQfrjhcBMxJt/znbvlHd8Pw/Vamaz5EB4Wfhs3SUR3Z9mwRu/P3s3Yg==,
+ }
+ engines: { node: '>=8' }
+ dependencies:
+ camelcase: 5.3.1
+ map-obj: 4.3.0
+ quick-lru: 4.0.1
+ dev: true
+
+ /camelcase/5.3.1:
+ resolution:
+ {
+ integrity: sha512-L28STB170nwWS63UjtlEOE3dldQApaJXZkOI1uMFfzf3rRuPegHaHesyee+YxQ+W6SvRDQV6UrdOdRiR153wJg==,
+ }
+ engines: { node: '>=6' }
+ dev: true
+
+ /camelcase/6.3.0:
+ resolution:
+ {
+ integrity: sha512-Gmy6FhYlCY7uOElZUSbxo2UCDH8owEk996gkbrpsgGtrJLM3J7jGxl9Ic7Qwwj4ivOE5AWZWRMecDdF7hqGjFA==,
+ }
+ engines: { node: '>=10' }
+ dev: true
+
+ /caniuse-lite/1.0.30001378:
+ resolution:
+ {
+ integrity: sha512-JVQnfoO7FK7WvU4ZkBRbPjaot4+YqxogSDosHv0Hv5mWpUESmN+UubMU6L/hGz8QlQ2aY5U0vR6MOs6j/CXpNA==,
+ }
+ dev: true
+
+ /capital-case/1.0.4:
+ resolution:
+ {
+ integrity: sha512-ds37W8CytHgwnhGGTi88pcPyR15qoNkOpYwmMMfnWqqWgESapLqvDx6huFjQ5vqWSn2Z06173XNA7LtMOeUh1A==,
+ }
+ dependencies:
+ no-case: 3.0.4
+ tslib: 2.4.0
+ upper-case-first: 2.0.2
+ dev: true
+
+ /chalk/2.4.2:
+ resolution:
+ {
+ integrity: sha512-Mti+f9lpJNcwF4tWV8/OrTTtF1gZi+f8FqlyAdouralcFWFQWF2+NgCHShjkCb+IFBLq9buZwE1xckQU4peSuQ==,
+ }
+ engines: { node: '>=4' }
+ dependencies:
+ ansi-styles: 3.2.1
+ escape-string-regexp: 1.0.5
+ supports-color: 5.5.0
+ dev: true
+
+ /chalk/3.0.0:
+ resolution:
+ {
+ integrity: sha512-4D3B6Wf41KOYRFdszmDqMCGq5VV/uMAB273JILmO+3jAlh8X4qDtdtgCR3fxtbLEMzSx22QdhnDcJvu2u1fVwg==,
+ }
+ engines: { node: '>=8' }
+ dependencies:
+ ansi-styles: 4.3.0
+ supports-color: 7.2.0
+ dev: true
+
+ /chalk/4.1.2:
+ resolution:
+ {
+ integrity: sha512-oKnbhFyRIXpUuez8iBMmyEa4nbj4IOQyuhc/wy9kY7/WVPcwIO9VA668Pu8RkO7+0G76SLROeyw9CpQ061i4mA==,
+ }
+ engines: { node: '>=10' }
+ dependencies:
+ ansi-styles: 4.3.0
+ supports-color: 7.2.0
+ dev: true
+
+ /change-case/4.1.2:
+ resolution:
+ {
+ integrity: sha512-bSxY2ws9OtviILG1EiY5K7NNxkqg/JnRnFxLtKQ96JaviiIxi7djMrSd0ECT9AC+lttClmYwKw53BWpOMblo7A==,
+ }
+ dependencies:
+ camel-case: 4.1.2
+ capital-case: 1.0.4
+ constant-case: 3.0.4
+ dot-case: 3.0.4
+ header-case: 2.0.4
+ no-case: 3.0.4
+ param-case: 3.0.4
+ pascal-case: 3.1.2
+ path-case: 3.0.4
+ sentence-case: 3.0.4
+ snake-case: 3.0.4
+ tslib: 2.4.0
+ dev: true
+
+ /character-entities-legacy/1.1.4:
+ resolution:
+ {
+ integrity: sha512-3Xnr+7ZFS1uxeiUDvV02wQ+QDbc55o97tIV5zHScSPJpcLm/r0DFPcoY3tYRp+VZukxuMeKgXYmsXQHO05zQeA==,
+ }
+ dev: true
+
+ /character-entities/1.2.4:
+ resolution:
+ {
+ integrity: sha512-iBMyeEHxfVnIakwOuDXpVkc54HijNgCyQB2w0VfGQThle6NXn50zU6V/u+LDhxHcDUPojn6Kpga3PTAD8W1bQw==,
+ }
+ dev: true
+
+ /character-reference-invalid/1.1.4:
+ resolution:
+ {
+ integrity: sha512-mKKUkUbhPpQlCOfIuZkvSEgktjPFIsZKRRbC6KWVEMvlzblj3i3asQv5ODsrwt0N3pHAEvjP8KTQPHkp0+6jOg==,
+ }
+ dev: true
+
+ /chokidar/3.5.3:
+ resolution:
+ {
+ integrity: sha512-Dr3sfKRP6oTcjf2JmUmFJfeVMvXBdegxB0iVQ5eb2V10uFJUCAS8OByZdVAyVb8xXNz3GjjTgj9kLWsZTqE6kw==,
+ }
+ engines: { node: '>= 8.10.0' }
+ dependencies:
+ anymatch: 3.1.2
+ braces: 3.0.2
+ glob-parent: 5.1.2
+ is-binary-path: 2.1.0
+ is-glob: 4.0.3
+ normalize-path: 3.0.0
+ readdirp: 3.6.0
+ optionalDependencies:
+ fsevents: 2.3.2
+ dev: true
+
+ /ci-info/3.3.2:
+ resolution:
+ {
+ integrity: sha512-xmDt/QIAdeZ9+nfdPsaBCpMvHNLFiLdjj59qjqn+6iPe6YmHGQ35sBnQ8uslRBXFmXkiZQOJRjvQeoGppoTjjg==,
+ }
+ dev: true
+
+ /clean-regexp/1.0.0:
+ resolution:
+ {
+ integrity: sha512-GfisEZEJvzKrmGWkvfhgzcz/BllN1USeqD2V6tg14OAOgaCD2Z/PUEuxnAZ/nPvmaHRG7a8y77p1T/IRQ4D1Hw==,
+ }
+ engines: { node: '>=4' }
+ dependencies:
+ escape-string-regexp: 1.0.5
+ dev: true
+
+ /clean-stack/2.2.0:
+ resolution:
+ {
+ integrity: sha512-4diC9HaTE+KRAMWhDhrGOECgWZxoevMc5TlkObMqNSsVU62PYzXZ/SMTjzyGAFF1YusgxGcSWTEXBhp0CPwQ1A==,
+ }
+ engines: { node: '>=6' }
+ dev: true
+
+ /cli-cursor/3.1.0:
+ resolution:
+ {
+ integrity: sha512-I/zHAwsKf9FqGoXM4WWRACob9+SNukZTd94DWF57E4toouRulbCxcUh6RKUEOQlYTHJnzkPMySvPNaaSLNfLZw==,
+ }
+ engines: { node: '>=8' }
+ dependencies:
+ restore-cursor: 3.1.0
+ dev: true
+
+ /cli-truncate/2.1.0:
+ resolution:
+ {
+ integrity: sha512-n8fOixwDD6b/ObinzTrp1ZKFzbgvKZvuz/TvejnLn1aQfC6r52XEx85FmuC+3HI+JM7coBRXUvNqEU2PHVrHpg==,
+ }
+ engines: { node: '>=8' }
+ dependencies:
+ slice-ansi: 3.0.0
+ string-width: 4.2.3
+ dev: true
+
+ /cli-truncate/3.1.0:
+ resolution:
+ {
+ integrity: sha512-wfOBkjXteqSnI59oPcJkcPl/ZmwvMMOj340qUIY1SKZCv0B9Cf4D4fAucRkIKQmsIuYK3x1rrgU7MeGRruiuiA==,
+ }
+ engines: { node: ^12.20.0 || ^14.13.1 || >=16.0.0 }
+ dependencies:
+ slice-ansi: 5.0.0
+ string-width: 5.1.2
+ dev: true
+
+ /cliui/7.0.4:
+ resolution:
+ {
+ integrity: sha512-OcRE68cOsVMXp1Yvonl/fzkQOyjLSu/8bhPDfQt0e0/Eb283TKP20Fs2MqoPsr9SwA595rRCA+QMzYc9nBP+JQ==,
+ }
+ dependencies:
+ string-width: 4.2.3
+ strip-ansi: 6.0.1
+ wrap-ansi: 7.0.0
+ dev: true
+
+ /color-convert/1.9.3:
+ resolution:
+ {
+ integrity: sha512-QfAUtd+vFdAtFQcC8CCyYt1fYWxSqAiK2cSD6zDB8N3cpsEBAvRxp9zOGg6G/SHHJYAT88/az/IuDGALsNVbGg==,
+ }
+ dependencies:
+ color-name: 1.1.3
+
+ /color-convert/2.0.1:
+ resolution:
+ {
+ integrity: sha512-RRECPsj7iu/xb5oKYcsFHSppFNnsj/52OVTRKb4zP5onXwVF3zVmmToNcOfGC+CRDpfK/U584fMg38ZHCaElKQ==,
+ }
+ engines: { node: '>=7.0.0' }
+ dependencies:
+ color-name: 1.1.4
+ dev: true
+
+ /color-name/1.1.3:
+ resolution:
+ {
+ integrity: sha512-72fSenhMw2HZMTVHeCA9KCmpEIbzWiQsjN+BHcBbS9vr1mtt+vJjPdksIBNUmKAW8TFUDPJK5SUU3QhE9NEXDw==,
+ }
+
+ /color-name/1.1.4:
+ resolution:
+ {
+ integrity: sha512-dOy+3AuW3a2wNbZHIuMZpTcgjGuLU/uBL/ubcZF9OXbDo8ff4O8yVp5Bf0efS8uEoYo5q4Fx7dY9OgQGXgAsQA==,
+ }
+
+ /color-string/1.9.1:
+ resolution:
+ {
+ integrity: sha512-shrVawQFojnZv6xM40anx4CkoDP+fZsw/ZerEMsW/pyzsRbElpsL/DBVW7q3ExxwusdNXI3lXpuhEZkzs8p5Eg==,
+ }
+ dependencies:
+ color-name: 1.1.4
+ simple-swizzle: 0.2.2
+ dev: false
+
+ /color/3.2.1:
+ resolution:
+ {
+ integrity: sha512-aBl7dZI9ENN6fUGC7mWpMTPNHmWUSNan9tuWN6ahh5ZLNk9baLJOnSMlrQkHcrfFgz2/RigjUVAjdx36VcemKA==,
+ }
+ dependencies:
+ color-convert: 1.9.3
+ color-string: 1.9.1
+ dev: false
+
+ /colorette/2.0.19:
+ resolution:
+ {
+ integrity: sha512-3tlv/dIP7FWvj3BsbHrGLJ6l/oKh1O3TcgBqMn+yyCagOxc23fyzDS6HypQbgxWbkpDnf52p1LuR4eWDQ/K9WQ==,
+ }
+ dev: true
+
+ /colorpicker-v3/2.10.2:
+ resolution:
+ {
+ integrity: sha512-ZWPq5wcugS3NcL7DwYqVSP5mE/x45FK31olGpig+Tko5jUXk0danfEYi1Aei3lgYs+Z0zAfhbhqVuDgOdUs5Mw==,
+ }
+ dependencies:
+ '@vueuse/core': 7.7.1_vue@3.2.37
+ vue: 3.2.37
+ transitivePeerDependencies:
+ - '@vue/composition-api'
+ dev: false
+
+ /commander/9.4.0:
+ resolution:
+ {
+ integrity: sha512-sRPT+umqkz90UA8M1yqYfnHlZA7fF6nSphDtxeywPZ49ysjxDQybzk13CL+mXekDRG92skbcqCLVovuCusNmFw==,
+ }
+ engines: { node: ^12.20.0 || >=14 }
+ dev: true
+
+ /compare-func/2.0.0:
+ resolution:
+ {
+ integrity: sha512-zHig5N+tPWARooBnb0Zx1MFcdfpyJrfTJ3Y5L+IFvUm8rM74hHz66z0gw0x4tijh5CorKkKUCnW82R2vmpeCRA==,
+ }
+ dependencies:
+ array-ify: 1.0.0
+ dot-prop: 5.3.0
+ dev: true
+
+ /compute-scroll-into-view/1.0.17:
+ resolution:
+ {
+ integrity: sha512-j4dx+Fb0URmzbwwMUrhqWM2BEWHdFGx+qZ9qqASHRPqvTYdqvWnHg0H1hIbcyLnvgnoNAVMlwkepyqM3DaIFUg==,
+ }
+ dev: false
+
+ /concat-map/0.0.1:
+ resolution:
+ {
+ integrity: sha512-/Srv4dswyQNBfohGpz9o6Yb3Gz3SrUDqBH5rTuhGR7ahtlbYKnVxw2bCFMRljaA7EXHaXZ8wsHdodFvbkhKmqg==,
+ }
+ dev: true
+
+ /consola/2.15.3:
+ resolution:
+ {
+ integrity: sha512-9vAdYbHj6x2fLKC4+oPH0kFzY/orMZyG2Aj+kNylHxKGJ/Ed4dpNyAQYwJOdqO4zdM7XpVHmyejQDcQHrnuXbw==,
+ }
+ dev: true
+
+ /console/0.7.2:
+ resolution:
+ {
+ integrity: sha512-+JSDwGunA4MTEgAV/4VBKwUHonP8CzJ/6GIuwPi6acKFqFfHUdSGCm89ZxZ5FfGWdZfkdgAroy5bJ5FSeN/t4g==,
+ }
+ dev: true
+
+ /constant-case/3.0.4:
+ resolution:
+ {
+ integrity: sha512-I2hSBi7Vvs7BEuJDr5dDHfzb/Ruj3FyvFyh7KLilAjNQw3Be+xgqUBA2W6scVEcL0hL1dwPRtIqEPVUCKkSsyQ==,
+ }
+ dependencies:
+ no-case: 3.0.4
+ tslib: 2.4.0
+ upper-case: 2.0.2
+ dev: true
+
+ /conventional-changelog-angular/5.0.13:
+ resolution:
+ {
+ integrity: sha512-i/gipMxs7s8L/QeuavPF2hLnJgH6pEZAttySB6aiQLWcX3puWDL3ACVmvBhJGxnAy52Qc15ua26BufY6KpmrVA==,
+ }
+ engines: { node: '>=10' }
+ dependencies:
+ compare-func: 2.0.0
+ q: 1.5.1
+ dev: true
+
+ /conventional-changelog-conventionalcommits/5.0.0:
+ resolution:
+ {
+ integrity: sha512-lCDbA+ZqVFQGUj7h9QBKoIpLhl8iihkO0nCTyRNzuXtcd7ubODpYB04IFy31JloiJgG0Uovu8ot8oxRzn7Nwtw==,
+ }
+ engines: { node: '>=10' }
+ dependencies:
+ compare-func: 2.0.0
+ lodash: 4.17.21
+ q: 1.5.1
+ dev: true
+
+ /conventional-commits-parser/3.2.4:
+ resolution:
+ {
+ integrity: sha512-nK7sAtfi+QXbxHCYfhpZsfRtaitZLIA6889kFIouLvz6repszQDgxBu7wf2WbU+Dco7sAnNCJYERCwt54WPC2Q==,
+ }
+ engines: { node: '>=10' }
+ hasBin: true
+ dependencies:
+ is-text-path: 1.0.1
+ JSONStream: 1.3.5
+ lodash: 4.17.21
+ meow: 8.1.2
+ split2: 3.2.2
+ through2: 4.0.2
+ dev: true
+
+ /convert-source-map/1.8.0:
+ resolution:
+ {
+ integrity: sha512-+OQdjP49zViI/6i7nIJpA8rAl4sV/JdPfU9nZs3VqOwGIgizICvuN2ru6fMd+4llL0tar18UYJXfZ/TWtmhUjA==,
+ }
+ dependencies:
+ safe-buffer: 5.1.2
+ dev: true
+
+ /cosmiconfig-typescript-loader/2.0.2_mc5obqbv5iw2qugqrfomepel3m:
+ resolution:
+ {
+ integrity: sha512-KmE+bMjWMXJbkWCeY4FJX/npHuZPNr9XF9q9CIQ/bpFwi1qHfCmSiKarrCcRa0LO4fWjk93pVoeRtJAkTGcYNw==,
+ }
+ engines: { node: '>=12', npm: '>=6' }
+ peerDependencies:
+ '@types/node': '*'
+ typescript: '>=3'
+ dependencies:
+ '@types/node': 16.11.49
+ cosmiconfig: 7.0.1
+ ts-node: 10.9.1_mc5obqbv5iw2qugqrfomepel3m
+ typescript: 4.7.4
+ transitivePeerDependencies:
+ - '@swc/core'
+ - '@swc/wasm'
+ dev: true
+
+ /cosmiconfig/7.0.1:
+ resolution:
+ {
+ integrity: sha512-a1YWNUV2HwGimB7dU2s1wUMurNKjpx60HxBB6xUM8Re+2s1g1IIfJvFR0/iCF+XHdE0GMTKTuLR32UQff4TEyQ==,
+ }
+ engines: { node: '>=10' }
+ dependencies:
+ '@types/parse-json': 4.0.0
+ import-fresh: 3.3.0
+ parse-json: 5.2.0
+ path-type: 4.0.0
+ yaml: 1.10.2
+ dev: true
+
+ /create-require/1.1.1:
+ resolution:
+ {
+ integrity: sha512-dcKFX3jn0MpIaXjisoRvexIJVEKzaq7z2rZKxf+MSr9TkdmHmsU4m2lcLojrj/FHl8mk5VxMmYA+ftRkP/3oKQ==,
+ }
+ dev: true
+
+ /cross-spawn/6.0.5:
+ resolution:
+ {
+ integrity: sha512-eTVLrBSt7fjbDygz805pMnstIs2VTBNkRm0qxZd+M7A5XDdxVRWO5MxGBXZhjY4cqLYLdtrGqRf8mBPmzwSpWQ==,
+ }
+ engines: { node: '>=4.8' }
+ dependencies:
+ nice-try: 1.0.5
+ path-key: 2.0.1
+ semver: 5.7.1
+ shebang-command: 1.2.0
+ which: 1.3.1
+ dev: true
+
+ /cross-spawn/7.0.3:
+ resolution:
+ {
+ integrity: sha512-iRDPJKUPVEND7dHPO8rkbOnPpyDygcDFtWjpeWNCgy8WP2rXcxXL8TskReQl6OrB2G7+UJrags1q15Fudc7G6w==,
+ }
+ engines: { node: '>= 8' }
+ dependencies:
+ path-key: 3.1.1
+ shebang-command: 2.0.0
+ which: 2.0.2
+ dev: true
+
+ /cssesc/3.0.0:
+ resolution:
+ {
+ integrity: sha512-/Tb/JcjK111nNScGob5MNtsntNM1aCNUDipB/TkwZFhyDrrE47SOx/18wF2bbjgc3ZzCSKW1T5nt5EbFoAz/Vg==,
+ }
+ engines: { node: '>=4' }
+ hasBin: true
+ dev: true
+
+ /csstype/2.6.20:
+ resolution:
+ {
+ integrity: sha512-/WwNkdXfckNgw6S5R125rrW8ez139lBHWouiBvX8dfMFtcn6V81REDqnH7+CRpRipfYlyU1CmOnOxrmGcFOjeA==,
+ }
+
+ /cz-git/1.3.10:
+ resolution:
+ {
+ integrity: sha512-JRYsUVYdHp+21X8ms7LsrhzEzF3sG0flKKuQTNPafC4mdmF//H9vSUVd8Gt5xDRmAACx2gU7W2wyX0abKklBmQ==,
+ }
+ dev: true
+
+ /czg/1.3.10:
+ resolution:
+ {
+ integrity: sha512-rt67CVRVo8SCiOLp96qk/iQIyJlAi//2maTBpwEHPccTupD0jLduDXNWc3INjjMwtVIMXaZ9W/k6W5oFgYUDSw==,
+ }
+ hasBin: true
+ dev: true
+
+ /dargs/7.0.0:
+ resolution:
+ {
+ integrity: sha512-2iy1EkLdlBzQGvbweYRFxmFath8+K7+AKB0TlhHWkNuH+TmovaMH/Wp7V7R4u7f4SnX3OgLsU9t1NI9ioDnUpg==,
+ }
+ engines: { node: '>=8' }
+ dev: true
+
+ /dayjs/1.11.5:
+ resolution:
+ {
+ integrity: sha512-CAdX5Q3YW3Gclyo5Vpqkgpj8fSdLQcRuzfX6mC6Phy0nfJ0eGYOeS7m4mt2plDWLAtA4TqTakvbboHvUxfe4iA==,
+ }
+ dev: false
+
+ /debug/2.6.9:
+ resolution:
+ {
+ integrity: sha512-bC7ElrdJaJnPbAP+1EotYvqZsb3ecl5wi6Bfi6BJTUcNowp6cvspg0jXznRTKDjm/E7AdgFBVeAPVMNcKGsHMA==,
+ }
+ peerDependencies:
+ supports-color: '*'
+ peerDependenciesMeta:
+ supports-color:
+ optional: true
+ dependencies:
+ ms: 2.0.0
+ dev: true
+
+ /debug/3.2.7:
+ resolution:
+ {
+ integrity: sha512-CFjzYYAi4ThfiQvizrFQevTTXHtnCqWfe7x1AhgEscTz6ZbLbfoLRLPugTQyBth6f8ZERVUSyWHFD/7Wu4t1XQ==,
+ }
+ peerDependencies:
+ supports-color: '*'
+ peerDependenciesMeta:
+ supports-color:
+ optional: true
+ dependencies:
+ ms: 2.1.3
+ dev: true
+
+ /debug/4.3.4:
+ resolution:
+ {
+ integrity: sha512-PRWFHuSU3eDtQJPvnNY7Jcket1j0t5OuOsFzPPzsekD52Zl8qUfFIPEiswXqIvHWGVHOgX+7G/vCNNhehwxfkQ==,
+ }
+ engines: { node: '>=6.0' }
+ peerDependencies:
+ supports-color: '*'
+ peerDependenciesMeta:
+ supports-color:
+ optional: true
+ dependencies:
+ ms: 2.1.2
+ dev: true
+
+ /decamelize-keys/1.1.0:
+ resolution:
+ {
+ integrity: sha512-ocLWuYzRPoS9bfiSdDd3cxvrzovVMZnRDVEzAs+hWIVXGDbHxWMECij2OBuyB/An0FFW/nLuq6Kv1i/YC5Qfzg==,
+ }
+ engines: { node: '>=0.10.0' }
+ dependencies:
+ decamelize: 1.2.0
+ map-obj: 1.0.1
+ dev: true
+
+ /decamelize/1.2.0:
+ resolution:
+ {
+ integrity: sha512-z2S+W9X73hAUUki+N+9Za2lBlun89zigOyGrsax+KUQ6wKW4ZoWpEYBkGhQjwAjjDCkWxhY0VKEhk8wzY7F5cA==,
+ }
+ engines: { node: '>=0.10.0' }
+ dev: true
+
+ /deep-is/0.1.4:
+ resolution:
+ {
+ integrity: sha512-oIPzksmTg4/MriiaYGO+okXDT7ztn/w3Eptv/+gSIdMdKsJo0u4CfYNFJPy+4SKMuCqGw2wxnA+URMg3t8a/bQ==,
+ }
+ dev: true
+
+ /define-lazy-prop/2.0.0:
+ resolution:
+ {
+ integrity: sha512-Ds09qNh8yw3khSjiJjiUInaGX9xlqZDY7JVryGxdxV7NPeuqQfplOpQ66yJFZut3jLa5zOwkXw1g9EI2uKh4Og==,
+ }
+ engines: { node: '>=8' }
+ dev: true
+
+ /define-properties/1.1.4:
+ resolution:
+ {
+ integrity: sha512-uckOqKcfaVvtBdsVkdPv3XjveQJsNQqmhXgRi8uhvWWuPYZCNlzT8qAyblUgNoXdHdjMTzAqeGjAoli8f+bzPA==,
+ }
+ engines: { node: '>= 0.4' }
+ dependencies:
+ has-property-descriptors: 1.0.0
+ object-keys: 1.1.1
+ dev: true
+
+ /defined/1.0.0:
+ resolution:
+ {
+ integrity: sha512-Y2caI5+ZwS5c3RiNDJ6u53VhQHv+hHKwhkI1iHvceKUHw9Df6EK2zRLfjejRgMuCuxK7PfSWIMwWecceVvThjQ==,
+ }
+ dev: true
+
+ /detective/5.2.1:
+ resolution:
+ {
+ integrity: sha512-v9XE1zRnz1wRtgurGu0Bs8uHKFSTdteYZNbIPFVhUZ39L/S79ppMpdmVOZAnoz1jfEFodc48n6MX483Xo3t1yw==,
+ }
+ engines: { node: '>=0.8.0' }
+ hasBin: true
+ dependencies:
+ acorn-node: 1.8.2
+ defined: 1.0.0
+ minimist: 1.2.6
+ dev: true
+
+ /didyoumean/1.2.2:
+ resolution:
+ {
+ integrity: sha512-gxtyfqMg7GKyhQmb056K7M3xszy/myH8w+B4RT+QXBQsvAOdc3XymqDDPHx1BgPgsdAA5SIifona89YtRATDzw==,
+ }
+ dev: true
+
+ /diff/4.0.2:
+ resolution:
+ {
+ integrity: sha512-58lmxKSA4BNyLz+HHMUzlOEpg09FV+ev6ZMe3vJihgdxzgcwZ8VoEEPmALCZG9LmqfVoNMMKpttIYTVG6uDY7A==,
+ }
+ engines: { node: '>=0.3.1' }
+ dev: true
+
+ /dir-glob/3.0.1:
+ resolution:
+ {
+ integrity: sha512-WkrWp9GR4KXfKGYzOLmTuGVi1UWFfws377n9cc55/tb6DuqyF6pcQ5AbiHEshaDpY9v6oaSr2XCDidGmMwdzIA==,
+ }
+ engines: { node: '>=8' }
+ dependencies:
+ path-type: 4.0.0
+ dev: true
+
+ /dlv/1.1.3:
+ resolution:
+ {
+ integrity: sha512-+HlytyjlPKnIG8XuRG8WvmBP8xs8P71y+SKKS6ZXWoEgLuePxtDoUEiH7WkdePWrQ5JBpE6aoVqfZfJUQkjXwA==,
+ }
+ dev: true
+
+ /doctrine/2.1.0:
+ resolution:
+ {
+ integrity: sha512-35mSku4ZXK0vfCuHEDAwt55dg2jNajHZ1odvF+8SSr82EsZY4QmXfuWso8oEd8zRhVObSN18aM0CjSdoBX7zIw==,
+ }
+ engines: { node: '>=0.10.0' }
+ dependencies:
+ esutils: 2.0.3
+ dev: true
+
+ /doctrine/3.0.0:
+ resolution:
+ {
+ integrity: sha512-yS+Q5i3hBf7GBkd4KG8a7eBNNWNGLTaEwwYWUijIYM7zrlYDM0BFXHjjPWlWZ1Rg7UaddZeIDmi9jF3HmqiQ2w==,
+ }
+ engines: { node: '>=6.0.0' }
+ dependencies:
+ esutils: 2.0.3
+ dev: true
+
+ /dot-case/3.0.4:
+ resolution:
+ {
+ integrity: sha512-Kv5nKlh6yRrdrGvxeJ2e5y2eRUpkUosIW4A2AS38zwSz27zu7ufDwQPi5Jhs3XAlGNetl3bmnGhQsMtkKJnj3w==,
+ }
+ dependencies:
+ no-case: 3.0.4
+ tslib: 2.4.0
+ dev: true
+
+ /dot-prop/5.3.0:
+ resolution:
+ {
+ integrity: sha512-QM8q3zDe58hqUqjraQOmzZ1LIH9SWQJTlEKCH4kJ2oQvLZk7RbQXvtDM2XEq3fwkV9CCvvH4LA0AV+ogFsBM2Q==,
+ }
+ engines: { node: '>=8' }
+ dependencies:
+ is-obj: 2.0.0
+ dev: true
+
+ /eastasianwidth/0.2.0:
+ resolution:
+ {
+ integrity: sha512-I88TYZWc9XiYHRQ4/3c5rjjfgkjhLyW2luGIheGERbNQ6OY7yTybanSpDXZa8y7VUP9YmDcYa+eyq4ca7iLqWA==,
+ }
+ dev: true
+
+ /electron-to-chromium/1.4.224:
+ resolution:
+ {
+ integrity: sha512-dOujC5Yzj0nOVE23iD5HKqrRSDj2SD7RazpZS/b/WX85MtO6/LzKDF4TlYZTBteB+7fvSg5JpWh0sN7fImNF8w==,
+ }
+ dev: true
+
+ /element-plus/2.2.13_vue@3.2.37:
+ resolution:
+ {
+ integrity: sha512-dKQ7BPZC8deUPhv+6s4GgOL0GyGj3KpUarywxm6s1nWnHjH6FqeZlUcxPqBvJd7W/d81POayx3B13GP+rfkG9g==,
+ }
+ peerDependencies:
+ vue: ^3.2.0
+ dependencies:
+ '@ctrl/tinycolor': 3.4.1
+ '@element-plus/icons-vue': 2.0.9_vue@3.2.37
+ '@floating-ui/dom': 0.5.4
+ '@popperjs/core': /@sxzz/popperjs-es/2.11.7
+ '@types/lodash': 4.14.183
+ '@types/lodash-es': 4.17.6
+ '@vueuse/core': 8.9.4_vue@3.2.37
+ async-validator: 4.2.5
+ dayjs: 1.11.5
+ escape-html: 1.0.3
+ lodash: 4.17.21
+ lodash-es: 4.17.21
+ lodash-unified: 1.0.2_3ib2ivapxullxkx3xftsimdk7u
+ memoize-one: 6.0.0
+ normalize-wheel-es: 1.2.0
+ vue: 3.2.37
+ transitivePeerDependencies:
+ - '@vue/composition-api'
+ dev: false
+
+ /emoji-regex/8.0.0:
+ resolution:
+ {
+ integrity: sha512-MSjYzcWNOA0ewAHpz0MxpYFvwg6yjy1NG3xteoqz644VCo/RPgnr1/GGt+ic3iJTzQ8Eu3TdM14SawnVUmGE6A==,
+ }
+ dev: true
+
+ /emoji-regex/9.2.2:
+ resolution:
+ {
+ integrity: sha512-L18DaJsXSUk2+42pv8mLs5jJT2hqFkFE4j21wOmgbUqsZ2hL72NsUU785g9RXgo3s0ZNgVl42TiHp3ZtOv/Vyg==,
+ }
+ dev: true
+
+ /end-of-stream/1.4.4:
+ resolution:
+ {
+ integrity: sha512-+uw1inIHVPQoaVuHzRyXd21icM+cnt4CzD5rW+NC1wjOUSTOs+Te7FOv7AhN7vS9x/oIyhLP5PR1H+phQAHu5Q==,
+ }
+ dependencies:
+ once: 1.4.0
+ dev: true
+
+ /error-ex/1.3.2:
+ resolution:
+ {
+ integrity: sha512-7dFHNmqeFSEt2ZBsCriorKnn3Z2pj+fd9kmI6QoWw4//DL+icEBfc0U7qJCisqrTsKTjw4fNFy2pW9OqStD84g==,
+ }
+ dependencies:
+ is-arrayish: 0.2.1
+ dev: true
+
+ /es-abstract/1.20.1:
+ resolution:
+ {
+ integrity: sha512-WEm2oBhfoI2sImeM4OF2zE2V3BYdSF+KnSi9Sidz51fQHd7+JuF8Xgcj9/0o+OWeIeIS/MiuNnlruQrJf16GQA==,
+ }
+ engines: { node: '>= 0.4' }
+ dependencies:
+ call-bind: 1.0.2
+ es-to-primitive: 1.2.1
+ function-bind: 1.1.1
+ function.prototype.name: 1.1.5
+ get-intrinsic: 1.1.2
+ get-symbol-description: 1.0.0
+ has: 1.0.3
+ has-property-descriptors: 1.0.0
+ has-symbols: 1.0.3
+ internal-slot: 1.0.3
+ is-callable: 1.2.4
+ is-negative-zero: 2.0.2
+ is-regex: 1.1.4
+ is-shared-array-buffer: 1.0.2
+ is-string: 1.0.7
+ is-weakref: 1.0.2
+ object-inspect: 1.12.2
+ object-keys: 1.1.1
+ object.assign: 4.1.4
+ regexp.prototype.flags: 1.4.3
+ string.prototype.trimend: 1.0.5
+ string.prototype.trimstart: 1.0.5
+ unbox-primitive: 1.0.2
+ dev: true
+
+ /es-module-lexer/0.10.5:
+ resolution:
+ {
+ integrity: sha512-+7IwY/kiGAacQfY+YBhKMvEmyAJnw5grTUgjG85Pe7vcUI/6b7pZjZG8nQ7+48YhzEAEqrEgD2dCz/JIK+AYvw==,
+ }
+ dev: true
+
+ /es-module-lexer/0.9.3:
+ resolution:
+ {
+ integrity: sha512-1HQ2M2sPtxwnvOvT1ZClHyQDiggdNjURWpY2we6aMKCQiUVxTmVs2UYPLIrD84sS+kMdUwfBSylbJPwNnBrnHQ==,
+ }
+ dev: true
+
+ /es-shim-unscopables/1.0.0:
+ resolution:
+ {
+ integrity: sha512-Jm6GPcCdC30eMLbZ2x8z2WuRwAws3zTBBKuusffYVUrNj/GVSUAZ+xKMaUpfNDR5IbyNA5LJbaecoUVbmUcB1w==,
+ }
+ dependencies:
+ has: 1.0.3
+ dev: true
+
+ /es-to-primitive/1.2.1:
+ resolution:
+ {
+ integrity: sha512-QCOllgZJtaUo9miYBcLChTUaHNjJF3PYs1VidD7AwiEj1kYxKeQTctLAezAOH5ZKRH0g2IgPn6KwB4IT8iRpvA==,
+ }
+ engines: { node: '>= 0.4' }
+ dependencies:
+ is-callable: 1.2.4
+ is-date-object: 1.0.5
+ is-symbol: 1.0.4
+ dev: true
+
+ /esbuild-android-64/0.14.54:
+ resolution:
+ {
+ integrity: sha512-Tz2++Aqqz0rJ7kYBfz+iqyE3QMycD4vk7LBRyWaAVFgFtQ/O8EJOnVmTOiDWYZ/uYzB4kvP+bqejYdVKzE5lAQ==,
+ }
+ engines: { node: '>=12' }
+ cpu: [x64]
+ os: [android]
+ requiresBuild: true
+ dev: true
+ optional: true
+
+ /esbuild-android-arm64/0.14.54:
+ resolution:
+ {
+ integrity: sha512-F9E+/QDi9sSkLaClO8SOV6etqPd+5DgJje1F9lOWoNncDdOBL2YF59IhsWATSt0TLZbYCf3pNlTHvVV5VfHdvg==,
+ }
+ engines: { node: '>=12' }
+ cpu: [arm64]
+ os: [android]
+ requiresBuild: true
+ dev: true
+ optional: true
+
+ /esbuild-darwin-64/0.14.54:
+ resolution:
+ {
+ integrity: sha512-jtdKWV3nBviOd5v4hOpkVmpxsBy90CGzebpbO9beiqUYVMBtSc0AL9zGftFuBon7PNDcdvNCEuQqw2x0wP9yug==,
+ }
+ engines: { node: '>=12' }
+ cpu: [x64]
+ os: [darwin]
+ requiresBuild: true
+ dev: true
+ optional: true
+
+ /esbuild-darwin-arm64/0.14.54:
+ resolution:
+ {
+ integrity: sha512-OPafJHD2oUPyvJMrsCvDGkRrVCar5aVyHfWGQzY1dWnzErjrDuSETxwA2HSsyg2jORLY8yBfzc1MIpUkXlctmw==,
+ }
+ engines: { node: '>=12' }
+ cpu: [arm64]
+ os: [darwin]
+ requiresBuild: true
+ dev: true
+ optional: true
+
+ /esbuild-freebsd-64/0.14.54:
+ resolution:
+ {
+ integrity: sha512-OKwd4gmwHqOTp4mOGZKe/XUlbDJ4Q9TjX0hMPIDBUWWu/kwhBAudJdBoxnjNf9ocIB6GN6CPowYpR/hRCbSYAg==,
+ }
+ engines: { node: '>=12' }
+ cpu: [x64]
+ os: [freebsd]
+ requiresBuild: true
+ dev: true
+ optional: true
+
+ /esbuild-freebsd-arm64/0.14.54:
+ resolution:
+ {
+ integrity: sha512-sFwueGr7OvIFiQT6WeG0jRLjkjdqWWSrfbVwZp8iMP+8UHEHRBvlaxL6IuKNDwAozNUmbb8nIMXa7oAOARGs1Q==,
+ }
+ engines: { node: '>=12' }
+ cpu: [arm64]
+ os: [freebsd]
+ requiresBuild: true
+ dev: true
+ optional: true
+
+ /esbuild-linux-32/0.14.54:
+ resolution:
+ {
+ integrity: sha512-1ZuY+JDI//WmklKlBgJnglpUL1owm2OX+8E1syCD6UAxcMM/XoWd76OHSjl/0MR0LisSAXDqgjT3uJqT67O3qw==,
+ }
+ engines: { node: '>=12' }
+ cpu: [ia32]
+ os: [linux]
+ requiresBuild: true
+ dev: true
+ optional: true
+
+ /esbuild-linux-64/0.14.54:
+ resolution:
+ {
+ integrity: sha512-EgjAgH5HwTbtNsTqQOXWApBaPVdDn7XcK+/PtJwZLT1UmpLoznPd8c5CxqsH2dQK3j05YsB3L17T8vE7cp4cCg==,
+ }
+ engines: { node: '>=12' }
+ cpu: [x64]
+ os: [linux]
+ requiresBuild: true
+ dev: true
+ optional: true
+
+ /esbuild-linux-arm/0.14.54:
+ resolution:
+ {
+ integrity: sha512-qqz/SjemQhVMTnvcLGoLOdFpCYbz4v4fUo+TfsWG+1aOu70/80RV6bgNpR2JCrppV2moUQkww+6bWxXRL9YMGw==,
+ }
+ engines: { node: '>=12' }
+ cpu: [arm]
+ os: [linux]
+ requiresBuild: true
+ dev: true
+ optional: true
+
+ /esbuild-linux-arm64/0.14.54:
+ resolution:
+ {
+ integrity: sha512-WL71L+0Rwv+Gv/HTmxTEmpv0UgmxYa5ftZILVi2QmZBgX3q7+tDeOQNqGtdXSdsL8TQi1vIaVFHUPDe0O0kdig==,
+ }
+ engines: { node: '>=12' }
+ cpu: [arm64]
+ os: [linux]
+ requiresBuild: true
+ dev: true
+ optional: true
+
+ /esbuild-linux-mips64le/0.14.54:
+ resolution:
+ {
+ integrity: sha512-qTHGQB8D1etd0u1+sB6p0ikLKRVuCWhYQhAHRPkO+OF3I/iSlTKNNS0Lh2Oc0g0UFGguaFZZiPJdJey3AGpAlw==,
+ }
+ engines: { node: '>=12' }
+ cpu: [mips64el]
+ os: [linux]
+ requiresBuild: true
+ dev: true
+ optional: true
+
+ /esbuild-linux-ppc64le/0.14.54:
+ resolution:
+ {
+ integrity: sha512-j3OMlzHiqwZBDPRCDFKcx595XVfOfOnv68Ax3U4UKZ3MTYQB5Yz3X1mn5GnodEVYzhtZgxEBidLWeIs8FDSfrQ==,
+ }
+ engines: { node: '>=12' }
+ cpu: [ppc64]
+ os: [linux]
+ requiresBuild: true
+ dev: true
+ optional: true
+
+ /esbuild-linux-riscv64/0.14.54:
+ resolution:
+ {
+ integrity: sha512-y7Vt7Wl9dkOGZjxQZnDAqqn+XOqFD7IMWiewY5SPlNlzMX39ocPQlOaoxvT4FllA5viyV26/QzHtvTjVNOxHZg==,
+ }
+ engines: { node: '>=12' }
+ cpu: [riscv64]
+ os: [linux]
+ requiresBuild: true
+ dev: true
+ optional: true
+
+ /esbuild-linux-s390x/0.14.54:
+ resolution:
+ {
+ integrity: sha512-zaHpW9dziAsi7lRcyV4r8dhfG1qBidQWUXweUjnw+lliChJqQr+6XD71K41oEIC3Mx1KStovEmlzm+MkGZHnHA==,
+ }
+ engines: { node: '>=12' }
+ cpu: [s390x]
+ os: [linux]
+ requiresBuild: true
+ dev: true
+ optional: true
+
+ /esbuild-netbsd-64/0.14.54:
+ resolution:
+ {
+ integrity: sha512-PR01lmIMnfJTgeU9VJTDY9ZerDWVFIUzAtJuDHwwceppW7cQWjBBqP48NdeRtoP04/AtO9a7w3viI+PIDr6d+w==,
+ }
+ engines: { node: '>=12' }
+ cpu: [x64]
+ os: [netbsd]
+ requiresBuild: true
+ dev: true
+ optional: true
+
+ /esbuild-openbsd-64/0.14.54:
+ resolution:
+ {
+ integrity: sha512-Qyk7ikT2o7Wu76UsvvDS5q0amJvmRzDyVlL0qf5VLsLchjCa1+IAvd8kTBgUxD7VBUUVgItLkk609ZHUc1oCaw==,
+ }
+ engines: { node: '>=12' }
+ cpu: [x64]
+ os: [openbsd]
+ requiresBuild: true
+ dev: true
+ optional: true
+
+ /esbuild-sunos-64/0.14.54:
+ resolution:
+ {
+ integrity: sha512-28GZ24KmMSeKi5ueWzMcco6EBHStL3B6ubM7M51RmPwXQGLe0teBGJocmWhgwccA1GeFXqxzILIxXpHbl9Q/Kw==,
+ }
+ engines: { node: '>=12' }
+ cpu: [x64]
+ os: [sunos]
+ requiresBuild: true
+ dev: true
+ optional: true
+
+ /esbuild-windows-32/0.14.54:
+ resolution:
+ {
+ integrity: sha512-T+rdZW19ql9MjS7pixmZYVObd9G7kcaZo+sETqNH4RCkuuYSuv9AGHUVnPoP9hhuE1WM1ZimHz1CIBHBboLU7w==,
+ }
+ engines: { node: '>=12' }
+ cpu: [ia32]
+ os: [win32]
+ requiresBuild: true
+ dev: true
+ optional: true
+
+ /esbuild-windows-64/0.14.54:
+ resolution:
+ {
+ integrity: sha512-AoHTRBUuYwXtZhjXZbA1pGfTo8cJo3vZIcWGLiUcTNgHpJJMC1rVA44ZereBHMJtotyN71S8Qw0npiCIkW96cQ==,
+ }
+ engines: { node: '>=12' }
+ cpu: [x64]
+ os: [win32]
+ requiresBuild: true
+ dev: true
+ optional: true
+
+ /esbuild-windows-arm64/0.14.54:
+ resolution:
+ {
+ integrity: sha512-M0kuUvXhot1zOISQGXwWn6YtS+Y/1RT9WrVIOywZnJHo3jCDyewAc79aKNQWFCQm+xNHVTq9h8dZKvygoXQQRg==,
+ }
+ engines: { node: '>=12' }
+ cpu: [arm64]
+ os: [win32]
+ requiresBuild: true
+ dev: true
+ optional: true
+
+ /esbuild/0.14.54:
+ resolution:
+ {
+ integrity: sha512-Cy9llcy8DvET5uznocPyqL3BFRrFXSVqbgpMJ9Wz8oVjZlh/zUSNbPRbov0VX7VxN2JH1Oa0uNxZ7eLRb62pJA==,
+ }
+ engines: { node: '>=12' }
+ hasBin: true
+ requiresBuild: true
+ optionalDependencies:
+ '@esbuild/linux-loong64': 0.14.54
+ esbuild-android-64: 0.14.54
+ esbuild-android-arm64: 0.14.54
+ esbuild-darwin-64: 0.14.54
+ esbuild-darwin-arm64: 0.14.54
+ esbuild-freebsd-64: 0.14.54
+ esbuild-freebsd-arm64: 0.14.54
+ esbuild-linux-32: 0.14.54
+ esbuild-linux-64: 0.14.54
+ esbuild-linux-arm: 0.14.54
+ esbuild-linux-arm64: 0.14.54
+ esbuild-linux-mips64le: 0.14.54
+ esbuild-linux-ppc64le: 0.14.54
+ esbuild-linux-riscv64: 0.14.54
+ esbuild-linux-s390x: 0.14.54
+ esbuild-netbsd-64: 0.14.54
+ esbuild-openbsd-64: 0.14.54
+ esbuild-sunos-64: 0.14.54
+ esbuild-windows-32: 0.14.54
+ esbuild-windows-64: 0.14.54
+ esbuild-windows-arm64: 0.14.54
+ dev: true
+
+ /escalade/3.1.1:
+ resolution:
+ {
+ integrity: sha512-k0er2gUkLf8O0zKJiAhmkTnJlTvINGv7ygDNPbeIsX/TJjGJZHuh9B2UxbsaEkmlEo9MfhrSzmhIlhRlI2GXnw==,
+ }
+ engines: { node: '>=6' }
+ dev: true
+
+ /escape-html/1.0.3:
+ resolution:
+ {
+ integrity: sha512-NiSupZ4OeuGwr68lGIeym/ksIZMJodUGOSCZ/FSnTxcrekbvqrgdUxlJOMpijaKZVjAJrWrGs/6Jy8OMuyj9ow==,
+ }
+ dev: false
+
+ /escape-string-regexp/1.0.5:
+ resolution:
+ {
+ integrity: sha512-vbRorB5FUQWvla16U8R/qgaFIya2qGzwDrNmCZuYKrbdSUMG6I1ZCGQRefkRVhuOkIGVne7BQ35DSfo1qvJqFg==,
+ }
+ engines: { node: '>=0.8.0' }
+ dev: true
+
+ /escape-string-regexp/4.0.0:
+ resolution:
+ {
+ integrity: sha512-TtpcNJ3XAzx3Gq8sWRzJaVajRs0uVxA2YAkdb1jm2YkPz4G6egUFAyA3n5vtEIZefPk5Wa4UXbKuS5fKkJWdgA==,
+ }
+ engines: { node: '>=10' }
+ dev: true
+
+ /escape-string-regexp/5.0.0:
+ resolution:
+ {
+ integrity: sha512-/veY75JbMK4j1yjvuUxuVsiS/hr/4iHs9FTT6cgTexxdE0Ly/glccBAkloH/DofkjRbZU3bnoj38mOmhkZ0lHw==,
+ }
+ engines: { node: '>=12' }
+ dev: true
+
+ /eslint-config-prettier/8.5.0_eslint@8.22.0:
+ resolution:
+ {
+ integrity: sha512-obmWKLUNCnhtQRKc+tmnYuQl0pFU1ibYJQ5BGhTVB08bHe9wC8qUeG7c08dj9XX+AuPj1YSGSQIHl1pnDHZR0Q==,
+ }
+ hasBin: true
+ peerDependencies:
+ eslint: '>=7.0.0'
+ dependencies:
+ eslint: 8.22.0
+ dev: true
+
+ /eslint-define-config/1.6.0:
+ resolution:
+ {
+ integrity: sha512-3qulYnwDRGYQHXHGdXBSRcfpI7m37ilBoERzTUYI8fBUoK/46yfUVNkGwM9cF/aoBrGgIDcBSz/HyPQJTHI/+w==,
+ }
+ engines: { node: '>= 14.6.0', npm: '>= 6.0.0', pnpm: '>= 7.0.0' }
+ dev: true
+
+ /eslint-import-resolver-node/0.3.6:
+ resolution:
+ {
+ integrity: sha512-0En0w03NRVMn9Uiyn8YRPDKvWjxCWkslUEhGNTdGx15RvPJYQ+lbOlqrlNI2vEAs4pDYK4f/HN2TbDmk5TP0iw==,
+ }
+ dependencies:
+ debug: 3.2.7
+ resolve: 1.22.1
+ transitivePeerDependencies:
+ - supports-color
+ dev: true
+
+ /eslint-module-utils/2.7.4_xcphdsrqrepzuqvpvivqopksrm:
+ resolution:
+ {
+ integrity: sha512-j4GT+rqzCoRKHwURX7pddtIPGySnX9Si/cgMI5ztrcqOPtk5dDEeZ34CQVPphnqkJytlc97Vuk05Um2mJ3gEQA==,
+ }
+ engines: { node: '>=4' }
+ peerDependencies:
+ '@typescript-eslint/parser': '*'
+ eslint: '*'
+ eslint-import-resolver-node: '*'
+ eslint-import-resolver-typescript: '*'
+ eslint-import-resolver-webpack: '*'
+ peerDependenciesMeta:
+ '@typescript-eslint/parser':
+ optional: true
+ eslint:
+ optional: true
+ eslint-import-resolver-node:
+ optional: true
+ eslint-import-resolver-typescript:
+ optional: true
+ eslint-import-resolver-webpack:
+ optional: true
+ dependencies:
+ '@typescript-eslint/parser': 5.33.1_4rv7y5c6xz3vfxwhbrcxxi73bq
+ debug: 3.2.7
+ eslint: 8.22.0
+ eslint-import-resolver-node: 0.3.6
+ transitivePeerDependencies:
+ - supports-color
+ dev: true
+
+ /eslint-plugin-eslint-comments/3.2.0_eslint@8.22.0:
+ resolution:
+ {
+ integrity: sha512-0jkOl0hfojIHHmEHgmNdqv4fmh7300NdpA9FFpF7zaoLvB/QeXOGNLIo86oAveJFrfB1p05kC8hpEMHM8DwWVQ==,
+ }
+ engines: { node: '>=6.5.0' }
+ peerDependencies:
+ eslint: '>=4.19.1'
+ dependencies:
+ escape-string-regexp: 1.0.5
+ eslint: 8.22.0
+ ignore: 5.2.0
+ dev: true
+
+ /eslint-plugin-import/2.26.0_3bh5nkk7utn7e74vrwtv6rxmt4:
+ resolution:
+ {
+ integrity: sha512-hYfi3FXaM8WPLf4S1cikh/r4IxnO6zrhZbEGz2b660EJRbuxgpDS5gkCuYgGWg2xxh2rBuIr4Pvhve/7c31koA==,
+ }
+ engines: { node: '>=4' }
+ peerDependencies:
+ '@typescript-eslint/parser': '*'
+ eslint: ^2 || ^3 || ^4 || ^5 || ^6 || ^7.2.0 || ^8
+ peerDependenciesMeta:
+ '@typescript-eslint/parser':
+ optional: true
+ dependencies:
+ '@typescript-eslint/parser': 5.33.1_4rv7y5c6xz3vfxwhbrcxxi73bq
+ array-includes: 3.1.5
+ array.prototype.flat: 1.3.0
+ debug: 2.6.9
+ doctrine: 2.1.0
+ eslint: 8.22.0
+ eslint-import-resolver-node: 0.3.6
+ eslint-module-utils: 2.7.4_xcphdsrqrepzuqvpvivqopksrm
+ has: 1.0.3
+ is-core-module: 2.10.0
+ is-glob: 4.0.3
+ minimatch: 3.1.2
+ object.values: 1.1.5
+ resolve: 1.22.1
+ tsconfig-paths: 3.14.1
+ transitivePeerDependencies:
+ - eslint-import-resolver-typescript
+ - eslint-import-resolver-webpack
+ - supports-color
+ dev: true
+
+ /eslint-plugin-jsonc/2.4.0_eslint@8.22.0:
+ resolution:
+ {
+ integrity: sha512-YXy5PjyUL9gFYal6pYijd8P6EmpeWskv7PVhB9Py/AwKPn+hwnQHcIzQILiLfxztfhtWiRIUSzoLe/JThZgSUw==,
+ }
+ engines: { node: ^12.22.0 || ^14.17.0 || >=16.0.0 }
+ peerDependencies:
+ eslint: '>=6.0.0'
+ dependencies:
+ eslint: 8.22.0
+ eslint-utils: 3.0.0_eslint@8.22.0
+ jsonc-eslint-parser: 2.1.0
+ natural-compare: 1.4.0
+ dev: true
+
+ /eslint-plugin-markdown/2.2.1_eslint@8.22.0:
+ resolution:
+ {
+ integrity: sha512-FgWp4iyYvTFxPwfbxofTvXxgzPsDuSKHQy2S+a8Ve6savbujey+lgrFFbXQA0HPygISpRYWYBjooPzhYSF81iA==,
+ }
+ engines: { node: ^8.10.0 || ^10.12.0 || >= 12.0.0 }
+ peerDependencies:
+ eslint: '>=6.0.0'
+ dependencies:
+ eslint: 8.22.0
+ mdast-util-from-markdown: 0.8.5
+ transitivePeerDependencies:
+ - supports-color
+ dev: true
+
+ /eslint-plugin-markdown/3.0.0_eslint@8.22.0:
+ resolution:
+ {
+ integrity: sha512-hRs5RUJGbeHDLfS7ELanT0e29Ocyssf/7kBM+p7KluY5AwngGkDf8Oyu4658/NZSGTTq05FZeWbkxXtbVyHPwg==,
+ }
+ engines: { node: ^12.22.0 || ^14.17.0 || >=16.0.0 }
+ peerDependencies:
+ eslint: ^6.0.0 || ^7.0.0 || ^8.0.0
+ dependencies:
+ eslint: 8.22.0
+ mdast-util-from-markdown: 0.8.5
+ transitivePeerDependencies:
+ - supports-color
+ dev: true
+
+ /eslint-plugin-prettier/4.2.1_i2cojdczqdiurzgttlwdgf764e:
+ resolution:
+ {
+ integrity: sha512-f/0rXLXUt0oFYs8ra4w49wYZBG5GKZpAYsJSm6rnYL5uVDjd+zowwMwVZHnAjf4edNrKpCDYfXDgmRE/Ak7QyQ==,
+ }
+ engines: { node: '>=12.0.0' }
+ peerDependencies:
+ eslint: '>=7.28.0'
+ eslint-config-prettier: '*'
+ prettier: '>=2.0.0'
+ peerDependenciesMeta:
+ eslint-config-prettier:
+ optional: true
+ dependencies:
+ eslint: 8.22.0
+ eslint-config-prettier: 8.5.0_eslint@8.22.0
+ prettier: 2.7.1
+ prettier-linter-helpers: 1.0.0
+ dev: true
+
+ /eslint-plugin-unicorn/42.0.0_eslint@8.22.0:
+ resolution:
+ {
+ integrity: sha512-ixBsbhgWuxVaNlPTT8AyfJMlhyC5flCJFjyK3oKE8TRrwBnaHvUbuIkCM1lqg8ryYrFStL/T557zfKzX4GKSlg==,
+ }
+ engines: { node: '>=12' }
+ peerDependencies:
+ eslint: '>=8.8.0'
+ dependencies:
+ '@babel/helper-validator-identifier': 7.18.6
+ ci-info: 3.3.2
+ clean-regexp: 1.0.0
+ eslint: 8.22.0
+ eslint-utils: 3.0.0_eslint@8.22.0
+ esquery: 1.4.0
+ indent-string: 4.0.0
+ is-builtin-module: 3.2.0
+ lodash: 4.17.21
+ pluralize: 8.0.0
+ read-pkg-up: 7.0.1
+ regexp-tree: 0.1.24
+ safe-regex: 2.1.1
+ semver: 7.3.7
+ strip-indent: 3.0.0
+ dev: true
+
+ /eslint-plugin-vue/9.3.0_eslint@8.22.0:
+ resolution:
+ {
+ integrity: sha512-iscKKkBZgm6fGZwFt6poRoWC0Wy2dQOlwUPW++CiPoQiw1enctV2Hj5DBzzjJZfyqs+FAXhgzL4q0Ww03AgSmQ==,
+ }
+ engines: { node: ^14.17.0 || >=16.0.0 }
+ peerDependencies:
+ eslint: ^6.2.0 || ^7.0.0 || ^8.0.0
+ dependencies:
+ eslint: 8.22.0
+ eslint-utils: 3.0.0_eslint@8.22.0
+ natural-compare: 1.4.0
+ nth-check: 2.1.1
+ postcss-selector-parser: 6.0.10
+ semver: 7.3.7
+ vue-eslint-parser: 9.0.3_eslint@8.22.0
+ xml-name-validator: 4.0.0
+ transitivePeerDependencies:
+ - supports-color
+ dev: true
+
+ /eslint-scope/5.1.1:
+ resolution:
+ {
+ integrity: sha512-2NxwbF/hZ0KpepYN0cNbo+FN6XoK7GaHlQhgx/hIZl6Va0bF45RQOOwhLIy8lQDbuCiadSLCBnH2CFYquit5bw==,
+ }
+ engines: { node: '>=8.0.0' }
+ dependencies:
+ esrecurse: 4.3.0
+ estraverse: 4.3.0
+ dev: true
+
+ /eslint-scope/7.1.1:
+ resolution:
+ {
+ integrity: sha512-QKQM/UXpIiHcLqJ5AOyIW7XZmzjkzQXYE54n1++wb0u9V/abW3l9uQnxX8Z5Xd18xyKIMTUAyQ0k1e8pz6LUrw==,
+ }
+ engines: { node: ^12.22.0 || ^14.17.0 || >=16.0.0 }
+ dependencies:
+ esrecurse: 4.3.0
+ estraverse: 5.3.0
+ dev: true
+
+ /eslint-utils/3.0.0_eslint@8.22.0:
+ resolution:
+ {
+ integrity: sha512-uuQC43IGctw68pJA1RgbQS8/NP7rch6Cwd4j3ZBtgo4/8Flj4eGE7ZYSZRN3iq5pVUv6GPdW5Z1RFleo84uLDA==,
+ }
+ engines: { node: ^10.0.0 || ^12.0.0 || >= 14.0.0 }
+ peerDependencies:
+ eslint: '>=5'
+ dependencies:
+ eslint: 8.22.0
+ eslint-visitor-keys: 2.1.0
+ dev: true
+
+ /eslint-visitor-keys/2.1.0:
+ resolution:
+ {
+ integrity: sha512-0rSmRBzXgDzIsD6mGdJgevzgezI534Cer5L/vyMX0kHzT/jiB43jRhd9YUlMGYLQy2zprNmoT8qasCGtY+QaKw==,
+ }
+ engines: { node: '>=10' }
+ dev: true
+
+ /eslint-visitor-keys/3.3.0:
+ resolution:
+ {
+ integrity: sha512-mQ+suqKJVyeuwGYHAdjMFqjCyfl8+Ldnxuyp3ldiMBFKkvytrXUZWaiPCEav8qDHKty44bD+qV1IP4T+w+xXRA==,
+ }
+ engines: { node: ^12.22.0 || ^14.17.0 || >=16.0.0 }
+ dev: true
+
+ /eslint/8.22.0:
+ resolution:
+ {
+ integrity: sha512-ci4t0sz6vSRKdmkOGmprBo6fmI4PrphDFMy5JEq/fNS0gQkJM3rLmrqcp8ipMcdobH3KtUP40KniAE9W19S4wA==,
+ }
+ engines: { node: ^12.22.0 || ^14.17.0 || >=16.0.0 }
+ hasBin: true
+ dependencies:
+ '@eslint/eslintrc': 1.3.0
+ '@humanwhocodes/config-array': 0.10.4
+ '@humanwhocodes/gitignore-to-minimatch': 1.0.2
+ ajv: 6.12.6
+ chalk: 4.1.2
+ cross-spawn: 7.0.3
+ debug: 4.3.4
+ doctrine: 3.0.0
+ escape-string-regexp: 4.0.0
+ eslint-scope: 7.1.1
+ eslint-utils: 3.0.0_eslint@8.22.0
+ eslint-visitor-keys: 3.3.0
+ espree: 9.3.3
+ esquery: 1.4.0
+ esutils: 2.0.3
+ fast-deep-equal: 3.1.3
+ file-entry-cache: 6.0.1
+ find-up: 5.0.0
+ functional-red-black-tree: 1.0.1
+ glob-parent: 6.0.2
+ globals: 13.17.0
+ globby: 11.1.0
+ grapheme-splitter: 1.0.4
+ ignore: 5.2.0
+ import-fresh: 3.3.0
+ imurmurhash: 0.1.4
+ is-glob: 4.0.3
+ js-yaml: 4.1.0
+ json-stable-stringify-without-jsonify: 1.0.1
+ levn: 0.4.1
+ lodash.merge: 4.6.2
+ minimatch: 3.1.2
+ natural-compare: 1.4.0
+ optionator: 0.9.1
+ regexpp: 3.2.0
+ strip-ansi: 6.0.1
+ strip-json-comments: 3.1.1
+ text-table: 0.2.0
+ v8-compile-cache: 2.3.0
+ transitivePeerDependencies:
+ - supports-color
+ dev: true
+
+ /espree/9.3.3:
+ resolution:
+ {
+ integrity: sha512-ORs1Rt/uQTqUKjDdGCyrtYxbazf5umATSf/K4qxjmZHORR6HJk+2s/2Pqe+Kk49HHINC/xNIrGfgh8sZcll0ng==,
+ }
+ engines: { node: ^12.22.0 || ^14.17.0 || >=16.0.0 }
+ dependencies:
+ acorn: 8.8.0
+ acorn-jsx: 5.3.2_acorn@8.8.0
+ eslint-visitor-keys: 3.3.0
+ dev: true
+
+ /esquery/1.4.0:
+ resolution:
+ {
+ integrity: sha512-cCDispWt5vHHtwMY2YrAQ4ibFkAL8RbH5YGBnZBc90MolvvfkkQcJro/aZiAQUlQ3qgrYS6D6v8Gc5G5CQsc9w==,
+ }
+ engines: { node: '>=0.10' }
+ dependencies:
+ estraverse: 5.3.0
+ dev: true
+
+ /esrecurse/4.3.0:
+ resolution:
+ {
+ integrity: sha512-KmfKL3b6G+RXvP8N1vr3Tq1kL/oCFgn2NYXEtqP8/L3pKapUA4G8cFVaoF3SU323CD4XypR/ffioHmkti6/Tag==,
+ }
+ engines: { node: '>=4.0' }
+ dependencies:
+ estraverse: 5.3.0
+ dev: true
+
+ /estraverse/4.3.0:
+ resolution:
+ {
+ integrity: sha512-39nnKffWz8xN1BU/2c79n9nB9HDzo0niYUqx6xyqUnyoAnQyyWpOTdZEeiCch8BBu515t4wp9ZmgVfVhn9EBpw==,
+ }
+ engines: { node: '>=4.0' }
+ dev: true
+
+ /estraverse/5.3.0:
+ resolution:
+ {
+ integrity: sha512-MMdARuVEQziNTeJD8DgMqmhwR11BRQ/cBP+pLtYdSTnf3MIO8fFeiINEbX36ZdNlfU/7A9f3gUw49B3oQsvwBA==,
+ }
+ engines: { node: '>=4.0' }
+ dev: true
+
+ /estree-walker/2.0.2:
+ resolution:
+ {
+ integrity: sha512-Rfkk/Mp/DL7JVje3u18FxFujQlTNR2q6QfMSMB7AvCBx91NGj/ba3kCfza0f6dVDbw7YlRf/nDrn7pQrCCyQ/w==,
+ }
+
+ /esutils/2.0.3:
+ resolution:
+ {
+ integrity: sha512-kVscqXk4OCp68SZ0dkgEKVi6/8ij300KBWTJq32P/dYeWTSwK41WyTxalN1eRmA5Z9UU/LX9D7FWSmV9SAYx6g==,
+ }
+ engines: { node: '>=0.10.0' }
+ dev: true
+
+ /execa/4.1.0:
+ resolution:
+ {
+ integrity: sha512-j5W0//W7f8UxAn8hXVnwG8tLwdiUy4FJLcSupCg6maBYZDpyBvTApK7KyuI4bKj8KOh1r2YH+6ucuYtJv1bTZA==,
+ }
+ engines: { node: '>=10' }
+ dependencies:
+ cross-spawn: 7.0.3
+ get-stream: 5.2.0
+ human-signals: 1.1.1
+ is-stream: 2.0.1
+ merge-stream: 2.0.0
+ npm-run-path: 4.0.1
+ onetime: 5.1.2
+ signal-exit: 3.0.7
+ strip-final-newline: 2.0.0
+ dev: true
+
+ /execa/5.1.1:
+ resolution:
+ {
+ integrity: sha512-8uSpZZocAZRBAPIEINJj3Lo9HyGitllczc27Eh5YYojjMFMn8yHMDMaUHE2Jqfq05D/wucwI4JGURyXt1vchyg==,
+ }
+ engines: { node: '>=10' }
+ dependencies:
+ cross-spawn: 7.0.3
+ get-stream: 6.0.1
+ human-signals: 2.1.0
+ is-stream: 2.0.1
+ merge-stream: 2.0.0
+ npm-run-path: 4.0.1
+ onetime: 5.1.2
+ signal-exit: 3.0.7
+ strip-final-newline: 2.0.0
+ dev: true
+
+ /execa/6.1.0:
+ resolution:
+ {
+ integrity: sha512-QVWlX2e50heYJcCPG0iWtf8r0xjEYfz/OYLGDYH+IyjWezzPNxz63qNFOu0l4YftGWuizFVZHHs8PrLU5p2IDA==,
+ }
+ engines: { node: ^12.20.0 || ^14.13.1 || >=16.0.0 }
+ dependencies:
+ cross-spawn: 7.0.3
+ get-stream: 6.0.1
+ human-signals: 3.0.1
+ is-stream: 3.0.0
+ merge-stream: 2.0.0
+ npm-run-path: 5.1.0
+ onetime: 6.0.0
+ signal-exit: 3.0.7
+ strip-final-newline: 3.0.0
+ dev: true
+
+ /fast-deep-equal/3.1.3:
+ resolution:
+ {
+ integrity: sha512-f3qQ9oQy9j2AhBe/H9VC91wLmKBCCU/gDOnKNAYG5hswO7BLKj09Hc5HYNz9cGI++xlpDCIgDaitVs03ATR84Q==,
+ }
+ dev: true
+
+ /fast-diff/1.2.0:
+ resolution:
+ {
+ integrity: sha512-xJuoT5+L99XlZ8twedaRf6Ax2TgQVxvgZOYoPKqZufmJib0tL2tegPBOZb1pVNgIhlqDlA0eO0c3wBvQcmzx4w==,
+ }
+ dev: true
+
+ /fast-glob/3.2.11:
+ resolution:
+ {
+ integrity: sha512-xrO3+1bxSo3ZVHAnqzyuewYT6aMFHRAd4Kcs92MAonjwQZLsK9d0SF1IyQ3k5PoirxTW0Oe/RqFgMQ6TcNE5Ew==,
+ }
+ engines: { node: '>=8.6.0' }
+ dependencies:
+ '@nodelib/fs.stat': 2.0.5
+ '@nodelib/fs.walk': 1.2.8
+ glob-parent: 5.1.2
+ merge2: 1.4.1
+ micromatch: 4.0.5
+ dev: true
+
+ /fast-json-stable-stringify/2.1.0:
+ resolution:
+ {
+ integrity: sha512-lhd/wF+Lk98HZoTCtlVraHtfh5XYijIjalXck7saUtuanSDyLMxnHhSXEDJqHxD7msR8D0uCmqlkwjCV8xvwHw==,
+ }
+ dev: true
+
+ /fast-levenshtein/2.0.6:
+ resolution:
+ {
+ integrity: sha512-DCXu6Ifhqcks7TZKY3Hxp3y6qphY5SJZmrWMDrKcERSOXWQdMhU9Ig/PYrzyw/ul9jOIyh0N4M0tbC5hodg8dw==,
+ }
+ dev: true
+
+ /fastq/1.13.0:
+ resolution:
+ {
+ integrity: sha512-YpkpUnK8od0o1hmeSc7UUs/eB/vIPWJYjKck2QKIzAf71Vm1AAQ3EbuZB3g2JIy+pg+ERD0vqI79KyZiB2e2Nw==,
+ }
+ dependencies:
+ reusify: 1.0.4
+ dev: true
+
+ /file-entry-cache/6.0.1:
+ resolution:
+ {
+ integrity: sha512-7Gps/XWymbLk2QLYK4NzpMOrYjMhdIxXuIvy2QBsLE6ljuodKvdkWs/cpyJJ3CVIVpH0Oi1Hvg1ovbMzLdFBBg==,
+ }
+ engines: { node: ^10.12.0 || >=12.0.0 }
+ dependencies:
+ flat-cache: 3.0.4
+ dev: true
+
+ /fill-range/7.0.1:
+ resolution:
+ {
+ integrity: sha512-qOo9F+dMUmC2Lcb4BbVvnKJxTPjCm+RRpe4gDuGrzkL7mEVl/djYSu2OdQ2Pa302N4oqkSg9ir6jaLWJ2USVpQ==,
+ }
+ engines: { node: '>=8' }
+ dependencies:
+ to-regex-range: 5.0.1
+ dev: true
+
+ /find-up/4.1.0:
+ resolution:
+ {
+ integrity: sha512-PpOwAdQ/YlXQ2vj8a3h8IipDuYRi3wceVQQGYWxNINccq40Anw7BlsEXCMbt1Zt+OLA6Fq9suIpIWD0OsnISlw==,
+ }
+ engines: { node: '>=8' }
+ dependencies:
+ locate-path: 5.0.0
+ path-exists: 4.0.0
+ dev: true
+
+ /find-up/5.0.0:
+ resolution:
+ {
+ integrity: sha512-78/PXT1wlLLDgTzDs7sjq9hzz0vXD+zn+7wypEe4fXQxCmdmqfGsEPQxmiCSQI3ajFV91bVSsvNtrJRiW6nGng==,
+ }
+ engines: { node: '>=10' }
+ dependencies:
+ locate-path: 6.0.0
+ path-exists: 4.0.0
+ dev: true
+
+ /flat-cache/3.0.4:
+ resolution:
+ {
+ integrity: sha512-dm9s5Pw7Jc0GvMYbshN6zchCA9RgQlzzEZX3vylR9IqFfS8XciblUXOKfW6SiuJ0e13eDYZoZV5wdrev7P3Nwg==,
+ }
+ engines: { node: ^10.12.0 || >=12.0.0 }
+ dependencies:
+ flatted: 3.2.6
+ rimraf: 3.0.2
+ dev: true
+
+ /flatted/3.2.6:
+ resolution:
+ {
+ integrity: sha512-0sQoMh9s0BYsm+12Huy/rkKxVu4R1+r96YX5cG44rHV0pQ6iC3Q+mkoMFaGWObMFYQxCVT+ssG1ksneA2MI9KQ==,
+ }
+ dev: true
+
+ /fraction.js/4.2.0:
+ resolution:
+ {
+ integrity: sha512-MhLuK+2gUcnZe8ZHlaaINnQLl0xRIGRfcGk2yl8xoQAfHrSsL3rYu6FCmBdkdbhc9EPlwyGHewaRsvwRMJtAlA==,
+ }
+ dev: true
+
+ /fs-extra/10.1.0:
+ resolution:
+ {
+ integrity: sha512-oRXApq54ETRj4eMiFzGnHWGy+zo5raudjuxN0b8H7s/RU2oW0Wvsx9O0ACRN/kRq9E8Vu/ReskGB5o3ji+FzHQ==,
+ }
+ engines: { node: '>=12' }
+ dependencies:
+ graceful-fs: 4.2.10
+ jsonfile: 6.1.0
+ universalify: 2.0.0
+ dev: true
+
+ /fs.realpath/1.0.0:
+ resolution:
+ {
+ integrity: sha512-OO0pH2lK6a0hZnAdau5ItzHPI6pUlvI7jMVnxUQRtw4owF2wk8lOSabtGDCTP4Ggrg2MbGnWO9X8K1t4+fGMDw==,
+ }
+ dev: true
+
+ /fsevents/2.3.2:
+ resolution:
+ {
+ integrity: sha512-xiqMQR4xAeHTuB9uWm+fFRcIOgKBMiOBP+eXiyT7jsgVCq1bkVygt00oASowB7EdtpOHaaPgKt812P9ab+DDKA==,
+ }
+ engines: { node: ^8.16.0 || ^10.6.0 || >=11.0.0 }
+ os: [darwin]
+ requiresBuild: true
+ dev: true
+ optional: true
+
+ /function-bind/1.1.1:
+ resolution:
+ {
+ integrity: sha512-yIovAzMX49sF8Yl58fSCWJ5svSLuaibPxXQJFLmBObTuCr0Mf1KiPopGM9NiFjiYBCbfaa2Fh6breQ6ANVTI0A==,
+ }
+ dev: true
+
+ /function.prototype.name/1.1.5:
+ resolution:
+ {
+ integrity: sha512-uN7m/BzVKQnCUF/iW8jYea67v++2u7m5UgENbHRtdDVclOUP+FMPlCNdmk0h/ysGyo2tavMJEDqJAkJdRa1vMA==,
+ }
+ engines: { node: '>= 0.4' }
+ dependencies:
+ call-bind: 1.0.2
+ define-properties: 1.1.4
+ es-abstract: 1.20.1
+ functions-have-names: 1.2.3
+ dev: true
+
+ /functional-red-black-tree/1.0.1:
+ resolution:
+ {
+ integrity: sha512-dsKNQNdj6xA3T+QlADDA7mOSlX0qiMINjn0cgr+eGHGsbSHzTabcIogz2+p/iqP1Xs6EP/sS2SbqH+brGTbq0g==,
+ }
+ dev: true
+
+ /functions-have-names/1.2.3:
+ resolution:
+ {
+ integrity: sha512-xckBUXyTIqT97tq2x2AMb+g163b5JFysYk0x4qxNFwbfQkmNZoiRHb6sPzI9/QV33WeuvVYBUIiD4NzNIyqaRQ==,
+ }
+ dev: true
+
+ /gensync/1.0.0-beta.2:
+ resolution:
+ {
+ integrity: sha512-3hN7NaskYvMDLQY55gnW3NQ+mesEAepTqlg+VEbj7zzqEMBVNhzcGYYeqFo/TlYz6eQiFcp1HcsCZO+nGgS8zg==,
+ }
+ engines: { node: '>=6.9.0' }
+ dev: true
+
+ /get-caller-file/2.0.5:
+ resolution:
+ {
+ integrity: sha512-DyFP3BM/3YHTQOCUL/w0OZHR0lpKeGrxotcHWcqNEdnltqFwXVfhEBQ94eIo34AfQpo0rGki4cyIiftY06h2Fg==,
+ }
+ engines: { node: 6.* || 8.* || >= 10.* }
+ dev: true
+
+ /get-intrinsic/1.1.2:
+ resolution:
+ {
+ integrity: sha512-Jfm3OyCxHh9DJyc28qGk+JmfkpO41A4XkneDSujN9MDXrm4oDKdHvndhZ2dN94+ERNfkYJWDclW6k2L/ZGHjXA==,
+ }
+ dependencies:
+ function-bind: 1.1.1
+ has: 1.0.3
+ has-symbols: 1.0.3
+ dev: true
+
+ /get-stream/5.2.0:
+ resolution:
+ {
+ integrity: sha512-nBF+F1rAZVCu/p7rjzgA+Yb4lfYXrpl7a6VmJrU8wF9I1CKvP/QwPNZHnOlwbTkY6dvtFIzFMSyQXbLoTQPRpA==,
+ }
+ engines: { node: '>=8' }
+ dependencies:
+ pump: 3.0.0
+ dev: true
+
+ /get-stream/6.0.1:
+ resolution:
+ {
+ integrity: sha512-ts6Wi+2j3jQjqi70w5AlN8DFnkSwC+MqmxEzdEALB2qXZYV3X/b1CTfgPLGJNMeAWxdPfU8FO1ms3NUfaHCPYg==,
+ }
+ engines: { node: '>=10' }
+ dev: true
+
+ /get-symbol-description/1.0.0:
+ resolution:
+ {
+ integrity: sha512-2EmdH1YvIQiZpltCNgkuiUnyukzxM/R6NDJX31Ke3BG1Nq5b0S2PhX59UKi9vZpPDQVdqn+1IcaAwnzTT5vCjw==,
+ }
+ engines: { node: '>= 0.4' }
+ dependencies:
+ call-bind: 1.0.2
+ get-intrinsic: 1.1.2
+ dev: true
+
+ /git-raw-commits/2.0.11:
+ resolution:
+ {
+ integrity: sha512-VnctFhw+xfj8Va1xtfEqCUD2XDrbAPSJx+hSrE5K7fGdjZruW7XV+QOrN7LF/RJyvspRiD2I0asWsxFp0ya26A==,
+ }
+ engines: { node: '>=10' }
+ hasBin: true
+ dependencies:
+ dargs: 7.0.0
+ lodash: 4.17.21
+ meow: 8.1.2
+ split2: 3.2.2
+ through2: 4.0.2
+ dev: true
+
+ /glob-parent/5.1.2:
+ resolution:
+ {
+ integrity: sha512-AOIgSQCepiJYwP3ARnGx+5VnTu2HBYdzbGP45eLw1vr3zB3vZLeyed1sC9hnbcOc9/SrMyM5RPQrkGz4aS9Zow==,
+ }
+ engines: { node: '>= 6' }
+ dependencies:
+ is-glob: 4.0.3
+ dev: true
+
+ /glob-parent/6.0.2:
+ resolution:
+ {
+ integrity: sha512-XxwI8EOhVQgWp6iDL+3b0r86f4d6AX6zSU55HfB4ydCEuXLXc5FcYeOu+nnGftS4TEju/11rt4KJPTMgbfmv4A==,
+ }
+ engines: { node: '>=10.13.0' }
+ dependencies:
+ is-glob: 4.0.3
+ dev: true
+
+ /glob/7.2.3:
+ resolution:
+ {
+ integrity: sha512-nFR0zLpU2YCaRxwoCJvL6UvCH2JFyFVIvwTLsIf21AuHlMskA1hhTdk+LlYJtOlYt9v6dvszD2BGRqBL+iQK9Q==,
+ }
+ dependencies:
+ fs.realpath: 1.0.0
+ inflight: 1.0.6
+ inherits: 2.0.4
+ minimatch: 3.1.2
+ once: 1.4.0
+ path-is-absolute: 1.0.1
+ dev: true
+
+ /global-dirs/0.1.1:
+ resolution:
+ {
+ integrity: sha512-NknMLn7F2J7aflwFOlGdNIuCDpN3VGoSoB+aap3KABFWbHVn1TCgFC+np23J8W2BiZbjfEw3BFBycSMv1AFblg==,
+ }
+ engines: { node: '>=4' }
+ dependencies:
+ ini: 1.3.8
+ dev: true
+
+ /globals/11.12.0:
+ resolution:
+ {
+ integrity: sha512-WOBp/EEGUiIsJSp7wcv/y6MO+lV9UoncWqxuFfm8eBwzWNgyfBd6Gz+IeKQ9jCmyhoH99g15M3T+QaVHFjizVA==,
+ }
+ engines: { node: '>=4' }
+ dev: true
+
+ /globals/13.17.0:
+ resolution:
+ {
+ integrity: sha512-1C+6nQRb1GwGMKm2dH/E7enFAMxGTmGI7/dEdhy/DNelv85w9B72t3uc5frtMNXIbzrarJJ/lTCjcaZwbLJmyw==,
+ }
+ engines: { node: '>=8' }
+ dependencies:
+ type-fest: 0.20.2
+ dev: true
+
+ /globby/11.1.0:
+ resolution:
+ {
+ integrity: sha512-jhIXaOzy1sb8IyocaruWSn1TjmnBVs8Ayhcy83rmxNJ8q2uWKCAj3CnJY+KpGSXCueAPc0i05kVvVKtP1t9S3g==,
+ }
+ engines: { node: '>=10' }
+ dependencies:
+ array-union: 2.1.0
+ dir-glob: 3.0.1
+ fast-glob: 3.2.11
+ ignore: 5.2.0
+ merge2: 1.4.1
+ slash: 3.0.0
+ dev: true
+
+ /graceful-fs/4.2.10:
+ resolution:
+ {
+ integrity: sha512-9ByhssR2fPVsNZj478qUUbKfmL0+t5BDVyjShtyZZLiK7ZDAArFFfopyOTj0M05wE2tJPisA4iTnnXl2YoPvOA==,
+ }
+ dev: true
+
+ /grapheme-splitter/1.0.4:
+ resolution:
+ {
+ integrity: sha512-bzh50DW9kTPM00T8y4o8vQg89Di9oLJVLW/KaOGIXJWP/iqCN6WKYkbNOF04vFLJhwcpYUh9ydh/+5vpOqV4YQ==,
+ }
+ dev: true
+
+ /hard-rejection/2.1.0:
+ resolution:
+ {
+ integrity: sha512-VIZB+ibDhx7ObhAe7OVtoEbuP4h/MuOTHJ+J8h/eBXotJYl0fBgR72xDFCKgIh22OJZIOVNxBMWuhAr10r8HdA==,
+ }
+ engines: { node: '>=6' }
+ dev: true
+
+ /has-bigints/1.0.2:
+ resolution:
+ {
+ integrity: sha512-tSvCKtBr9lkF0Ex0aQiP9N+OpV4zi2r/Nee5VkRDbaqv35RLYMzbwQfFSZZH0kR+Rd6302UJZ2p/bJCEoR3VoQ==,
+ }
+ dev: true
+
+ /has-flag/3.0.0:
+ resolution:
+ {
+ integrity: sha512-sKJf1+ceQBr4SMkvQnBDNDtf4TXpVhVGateu0t918bl30FnbE2m4vNLX+VWe/dpjlb+HugGYzW7uQXH98HPEYw==,
+ }
+ engines: { node: '>=4' }
+ dev: true
+
+ /has-flag/4.0.0:
+ resolution:
+ {
+ integrity: sha512-EykJT/Q1KjTWctppgIAgfSO0tKVuZUjhgMr17kqTumMl6Afv3EISleU7qZUzoXDFTAHTDC4NOoG/ZxU3EvlMPQ==,
+ }
+ engines: { node: '>=8' }
+ dev: true
+
+ /has-property-descriptors/1.0.0:
+ resolution:
+ {
+ integrity: sha512-62DVLZGoiEBDHQyqG4w9xCuZ7eJEwNmJRWw2VY84Oedb7WFcA27fiEVe8oUQx9hAUJ4ekurquucTGwsyO1XGdQ==,
+ }
+ dependencies:
+ get-intrinsic: 1.1.2
+ dev: true
+
+ /has-symbols/1.0.3:
+ resolution:
+ {
+ integrity: sha512-l3LCuF6MgDNwTDKkdYGEihYjt5pRPbEg46rtlmnSPlUbgmB8LOIrKJbYYFBSbnPaJexMKtiPO8hmeRjRz2Td+A==,
+ }
+ engines: { node: '>= 0.4' }
+ dev: true
+
+ /has-tostringtag/1.0.0:
+ resolution:
+ {
+ integrity: sha512-kFjcSNhnlGV1kyoGk7OXKSawH5JOb/LzUc5w9B02hOTO0dfFRjbHQKvg1d6cf3HbeUmtU9VbbV3qzZ2Teh97WQ==,
+ }
+ engines: { node: '>= 0.4' }
+ dependencies:
+ has-symbols: 1.0.3
+ dev: true
+
+ /has/1.0.3:
+ resolution:
+ {
+ integrity: sha512-f2dvO0VU6Oej7RkWJGrehjbzMAjFp5/VKPp5tTpWIV4JHHZK1/BxbFRtf/siA2SWTe09caDmVtYYzWEIbBS4zw==,
+ }
+ engines: { node: '>= 0.4.0' }
+ dependencies:
+ function-bind: 1.1.1
+ dev: true
+
+ /header-case/2.0.4:
+ resolution:
+ {
+ integrity: sha512-H/vuk5TEEVZwrR0lp2zed9OCo1uAILMlx0JEMgC26rzyJJ3N1v6XkwHHXJQdR2doSjcGPM6OKPYoJgf0plJ11Q==,
+ }
+ dependencies:
+ capital-case: 1.0.4
+ tslib: 2.4.0
+ dev: true
+
+ /hosted-git-info/2.8.9:
+ resolution:
+ {
+ integrity: sha512-mxIDAb9Lsm6DoOJ7xH+5+X4y1LU/4Hi50L9C5sIswK3JzULS4bwk1FvjdBgvYR4bzT4tuUQiC15FE2f5HbLvYw==,
+ }
+ dev: true
+
+ /hosted-git-info/4.1.0:
+ resolution:
+ {
+ integrity: sha512-kyCuEOWjJqZuDbRHzL8V93NzQhwIB71oFWSyzVo+KPZI+pnQPPxucdkrOZvkLRnrf5URsQM+IJ09Dw29cRALIA==,
+ }
+ engines: { node: '>=10' }
+ dependencies:
+ lru-cache: 6.0.0
+ dev: true
+
+ /html-tags/3.2.0:
+ resolution:
+ {
+ integrity: sha512-vy7ClnArOZwCnqZgvv+ddgHgJiAFXe3Ge9ML5/mBctVJoUoYPCdxVucOywjDARn6CVoh3dRSFdPHy2sX80L0Wg==,
+ }
+ engines: { node: '>=8' }
+ dev: true
+
+ /human-signals/1.1.1:
+ resolution:
+ {
+ integrity: sha512-SEQu7vl8KjNL2eoGBLF3+wAjpsNfA9XMlXAYj/3EdaNfAlxKthD1xjEQfGOUhllCGGJVNY34bRr6lPINhNjyZw==,
+ }
+ engines: { node: '>=8.12.0' }
+ dev: true
+
+ /human-signals/2.1.0:
+ resolution:
+ {
+ integrity: sha512-B4FFZ6q/T2jhhksgkbEW3HBvWIfDW85snkQgawt07S7J5QXTk6BkNV+0yAeZrM5QpMAdYlocGoljn0sJ/WQkFw==,
+ }
+ engines: { node: '>=10.17.0' }
+ dev: true
+
+ /human-signals/3.0.1:
+ resolution:
+ {
+ integrity: sha512-rQLskxnM/5OCldHo+wNXbpVgDn5A17CUoKX+7Sokwaknlq7CdSnphy0W39GU8dw59XiCXmFXDg4fRuckQRKewQ==,
+ }
+ engines: { node: '>=12.20.0' }
+ dev: true
+
+ /husky/8.0.1:
+ resolution:
+ {
+ integrity: sha512-xs7/chUH/CKdOCs7Zy0Aev9e/dKOMZf3K1Az1nar3tzlv0jfqnYtu235bstsWTmXOR0EfINrPa97yy4Lz6RiKw==,
+ }
+ engines: { node: '>=14' }
+ hasBin: true
+ dev: true
+
+ /ignore/5.2.0:
+ resolution:
+ {
+ integrity: sha512-CmxgYGiEPCLhfLnpPp1MoRmifwEIOgjcHXxOBjv7mY96c+eWScsOP9c112ZyLdWHi0FxHjI+4uVhKYp/gcdRmQ==,
+ }
+ engines: { node: '>= 4' }
+ dev: true
+
+ /immutable/4.1.0:
+ resolution:
+ {
+ integrity: sha512-oNkuqVTA8jqG1Q6c+UglTOD1xhC1BtjKI7XkCXRkZHrN5m18/XsnUp8Q89GkQO/z+0WjonSvl0FLhDYftp46nQ==,
+ }
+ dev: true
+
+ /import-fresh/3.3.0:
+ resolution:
+ {
+ integrity: sha512-veYYhQa+D1QBKznvhUHxb8faxlrwUnxseDAbAp457E0wLNio2bOSKnjYDhMj+YiAq61xrMGhQk9iXVk5FzgQMw==,
+ }
+ engines: { node: '>=6' }
+ dependencies:
+ parent-module: 1.0.1
+ resolve-from: 4.0.0
+ dev: true
+
+ /imurmurhash/0.1.4:
+ resolution:
+ {
+ integrity: sha512-JmXMZ6wuvDmLiHEml9ykzqO6lwFbof0GG4IkcGaENdCRDDmMVnny7s5HsIgHCbaq0w2MyPhDqkhTUgS2LU2PHA==,
+ }
+ engines: { node: '>=0.8.19' }
+ dev: true
+
+ /indent-string/4.0.0:
+ resolution:
+ {
+ integrity: sha512-EdDDZu4A2OyIK7Lr/2zG+w5jmbuk1DVBnEwREQvBzspBJkCEbRa8GxU1lghYcaGJCnRWibjDXlq779X1/y5xwg==,
+ }
+ engines: { node: '>=8' }
+ dev: true
+
+ /inflight/1.0.6:
+ resolution:
+ {
+ integrity: sha512-k92I/b08q4wvFscXCLvqfsHCrjrF7yiXsQuIVvVE7N82W3+aqpzuUdBbfhWcy/FZR3/4IgflMgKLOsvPDrGCJA==,
+ }
+ dependencies:
+ once: 1.4.0
+ wrappy: 1.0.2
+ dev: true
+
+ /inherits/2.0.4:
+ resolution:
+ {
+ integrity: sha512-k/vGaX4/Yla3WzyMCvTQOXYeIHvqOKtnqBduzTHpzpQZzAskKMhZ2K+EnBiSM9zGSoIFeMpXKxa4dYeZIQqewQ==,
+ }
+ dev: true
+
+ /ini/1.3.8:
+ resolution:
+ {
+ integrity: sha512-JV/yugV2uzW5iMRSiZAyDtQd+nxtUnjeLt0acNdw98kKLrvuRVyB80tsREOE7yvGVgalhZ6RNXCmEHkUKBKxew==,
+ }
+ dev: true
+
+ /internal-slot/1.0.3:
+ resolution:
+ {
+ integrity: sha512-O0DB1JC/sPyZl7cIo78n5dR7eUSwwpYPiXRhTzNxZVAMUuB8vlnRFyLxdrVToks6XPLVnFfbzaVd5WLjhgg+vA==,
+ }
+ engines: { node: '>= 0.4' }
+ dependencies:
+ get-intrinsic: 1.1.2
+ has: 1.0.3
+ side-channel: 1.0.4
+ dev: true
+
+ /is-alphabetical/1.0.4:
+ resolution:
+ {
+ integrity: sha512-DwzsA04LQ10FHTZuL0/grVDk4rFoVH1pjAToYwBrHSxcrBIGQuXrQMtD5U1b0U2XVgKZCTLLP8u2Qxqhy3l2Vg==,
+ }
+ dev: true
+
+ /is-alphanumerical/1.0.4:
+ resolution:
+ {
+ integrity: sha512-UzoZUr+XfVz3t3v4KyGEniVL9BDRoQtY7tOyrRybkVNjDFWyo1yhXNGrrBTQxp3ib9BLAWs7k2YKBQsFRkZG9A==,
+ }
+ dependencies:
+ is-alphabetical: 1.0.4
+ is-decimal: 1.0.4
+ dev: true
+
+ /is-arrayish/0.2.1:
+ resolution:
+ {
+ integrity: sha512-zz06S8t0ozoDXMG+ube26zeCTNXcKIPJZJi8hBrF4idCLms4CG9QtK7qBl1boi5ODzFpjswb5JPmHCbMpjaYzg==,
+ }
+ dev: true
+
+ /is-arrayish/0.3.2:
+ resolution:
+ {
+ integrity: sha512-eVRqCvVlZbuw3GrM63ovNSNAeA1K16kaR/LRY/92w0zxQ5/1YzwblUX652i4Xs9RwAGjW9d9y6X88t8OaAJfWQ==,
+ }
+ dev: false
+
+ /is-bigint/1.0.4:
+ resolution:
+ {
+ integrity: sha512-zB9CruMamjym81i2JZ3UMn54PKGsQzsJeo6xvN3HJJ4CAsQNB6iRutp2To77OfCNuoxspsIhzaPoO1zyCEhFOg==,
+ }
+ dependencies:
+ has-bigints: 1.0.2
+ dev: true
+
+ /is-binary-path/2.1.0:
+ resolution:
+ {
+ integrity: sha512-ZMERYes6pDydyuGidse7OsHxtbI7WVeUEozgR/g7rd0xUimYNlvZRE/K2MgZTjWy725IfelLeVcEM97mmtRGXw==,
+ }
+ engines: { node: '>=8' }
+ dependencies:
+ binary-extensions: 2.2.0
+ dev: true
+
+ /is-boolean-object/1.1.2:
+ resolution:
+ {
+ integrity: sha512-gDYaKHJmnj4aWxyj6YHyXVpdQawtVLHU5cb+eztPGczf6cjuTdwve5ZIEfgXqH4e57An1D1AKf8CZ3kYrQRqYA==,
+ }
+ engines: { node: '>= 0.4' }
+ dependencies:
+ call-bind: 1.0.2
+ has-tostringtag: 1.0.0
+ dev: true
+
+ /is-builtin-module/3.2.0:
+ resolution:
+ {
+ integrity: sha512-phDA4oSGt7vl1n5tJvTWooWWAsXLY+2xCnxNqvKhGEzujg+A43wPlPOyDg3C8XQHN+6k/JTQWJ/j0dQh/qr+Hw==,
+ }
+ engines: { node: '>=6' }
+ dependencies:
+ builtin-modules: 3.3.0
+ dev: true
+
+ /is-callable/1.2.4:
+ resolution:
+ {
+ integrity: sha512-nsuwtxZfMX67Oryl9LCQ+upnC0Z0BgpwntpS89m1H/TLF0zNfzfLMV/9Wa/6MZsj0acpEjAO0KF1xT6ZdLl95w==,
+ }
+ engines: { node: '>= 0.4' }
+ dev: true
+
+ /is-core-module/2.10.0:
+ resolution:
+ {
+ integrity: sha512-Erxj2n/LDAZ7H8WNJXd9tw38GYM3dv8rk8Zcs+jJuxYTW7sozH+SS8NtrSjVL1/vpLvWi1hxy96IzjJ3EHTJJg==,
+ }
+ dependencies:
+ has: 1.0.3
+ dev: true
+
+ /is-date-object/1.0.5:
+ resolution:
+ {
+ integrity: sha512-9YQaSxsAiSwcvS33MBk3wTCVnWK+HhF8VZR2jRxehM16QcVOdHqPn4VPHmRK4lSr38n9JriurInLcP90xsYNfQ==,
+ }
+ engines: { node: '>= 0.4' }
+ dependencies:
+ has-tostringtag: 1.0.0
+ dev: true
+
+ /is-decimal/1.0.4:
+ resolution:
+ {
+ integrity: sha512-RGdriMmQQvZ2aqaQq3awNA6dCGtKpiDFcOzrTWrDAT2MiWrKQVPmxLGHl7Y2nNu6led0kEyoX0enY0qXYsv9zw==,
+ }
+ dev: true
+
+ /is-docker/2.2.1:
+ resolution:
+ {
+ integrity: sha512-F+i2BKsFrH66iaUFc0woD8sLy8getkwTwtOBjvs56Cx4CgJDeKQeqfz8wAYiSb8JOprWhHH5p77PbmYCvvUuXQ==,
+ }
+ engines: { node: '>=8' }
+ hasBin: true
+ dev: true
+
+ /is-extglob/2.1.1:
+ resolution:
+ {
+ integrity: sha512-SbKbANkN603Vi4jEZv49LeVJMn4yGwsbzZworEoyEiutsN3nJYdbO36zfhGJ6QEDpOZIFkDtnq5JRxmvl3jsoQ==,
+ }
+ engines: { node: '>=0.10.0' }
+ dev: true
+
+ /is-fullwidth-code-point/3.0.0:
+ resolution:
+ {
+ integrity: sha512-zymm5+u+sCsSWyD9qNaejV3DFvhCKclKdizYaJUuHA83RLjb7nSuGnddCHGv0hk+KY7BMAlsWeK4Ueg6EV6XQg==,
+ }
+ engines: { node: '>=8' }
+ dev: true
+
+ /is-fullwidth-code-point/4.0.0:
+ resolution:
+ {
+ integrity: sha512-O4L094N2/dZ7xqVdrXhh9r1KODPJpFms8B5sGdJLPy664AgvXsreZUyCQQNItZRDlYug4xStLjNp/sz3HvBowQ==,
+ }
+ engines: { node: '>=12' }
+ dev: true
+
+ /is-glob/4.0.3:
+ resolution:
+ {
+ integrity: sha512-xelSayHH36ZgE7ZWhli7pW34hNbNl8Ojv5KVmkJD4hBdD3th8Tfk9vYasLM+mXWOZhFkgZfxhLSnrwRr4elSSg==,
+ }
+ engines: { node: '>=0.10.0' }
+ dependencies:
+ is-extglob: 2.1.1
+ dev: true
+
+ /is-hexadecimal/1.0.4:
+ resolution:
+ {
+ integrity: sha512-gyPJuv83bHMpocVYoqof5VDiZveEoGoFL8m3BXNb2VW8Xs+rz9kqO8LOQ5DH6EsuvilT1ApazU0pyl+ytbPtlw==,
+ }
+ dev: true
+
+ /is-negative-zero/2.0.2:
+ resolution:
+ {
+ integrity: sha512-dqJvarLawXsFbNDeJW7zAz8ItJ9cd28YufuuFzh0G8pNHjJMnY08Dv7sYX2uF5UpQOwieAeOExEYAWWfu7ZZUA==,
+ }
+ engines: { node: '>= 0.4' }
+ dev: true
+
+ /is-number-object/1.0.7:
+ resolution:
+ {
+ integrity: sha512-k1U0IRzLMo7ZlYIfzRu23Oh6MiIFasgpb9X76eqfFZAqwH44UI4KTBvBYIZ1dSL9ZzChTB9ShHfLkR4pdW5krQ==,
+ }
+ engines: { node: '>= 0.4' }
+ dependencies:
+ has-tostringtag: 1.0.0
+ dev: true
+
+ /is-number/7.0.0:
+ resolution:
+ {
+ integrity: sha512-41Cifkg6e8TylSpdtTpeLVMqvSBEVzTttHvERD741+pnZ8ANv0004MRL43QKPDlK9cGvNp6NZWZUBlbGXYxxng==,
+ }
+ engines: { node: '>=0.12.0' }
+ dev: true
+
+ /is-obj/2.0.0:
+ resolution:
+ {
+ integrity: sha512-drqDG3cbczxxEJRoOXcOjtdp1J/lyp1mNn0xaznRs8+muBhgQcrnbspox5X5fOw0HnMnbfDzvnEMEtqDEJEo8w==,
+ }
+ engines: { node: '>=8' }
+ dev: true
+
+ /is-plain-obj/1.1.0:
+ resolution:
+ {
+ integrity: sha512-yvkRyxmFKEOQ4pNXCmJG5AEQNlXJS5LaONXo5/cLdTZdWvsZ1ioJEonLGAosKlMWE8lwUy/bJzMjcw8az73+Fg==,
+ }
+ engines: { node: '>=0.10.0' }
+ dev: true
+
+ /is-regex/1.1.4:
+ resolution:
+ {
+ integrity: sha512-kvRdxDsxZjhzUX07ZnLydzS1TU/TJlTUHHY4YLL87e37oUA49DfkLqgy+VjFocowy29cKvcSiu+kIv728jTTVg==,
+ }
+ engines: { node: '>= 0.4' }
+ dependencies:
+ call-bind: 1.0.2
+ has-tostringtag: 1.0.0
+ dev: true
+
+ /is-shared-array-buffer/1.0.2:
+ resolution:
+ {
+ integrity: sha512-sqN2UDu1/0y6uvXyStCOzyhAjCSlHceFoMKJW8W9EU9cvic/QdsZ0kEU93HEy3IUEFZIiH/3w+AH/UQbPHNdhA==,
+ }
+ dependencies:
+ call-bind: 1.0.2
+ dev: true
+
+ /is-stream/2.0.1:
+ resolution:
+ {
+ integrity: sha512-hFoiJiTl63nn+kstHGBtewWSKnQLpyb155KHheA1l39uvtO9nWIop1p3udqPcUd/xbF1VLMO4n7OI6p7RbngDg==,
+ }
+ engines: { node: '>=8' }
+ dev: true
+
+ /is-stream/3.0.0:
+ resolution:
+ {
+ integrity: sha512-LnQR4bZ9IADDRSkvpqMGvt/tEJWclzklNgSw48V5EAaAeDd6qGvN8ei6k5p0tvxSR171VmGyHuTiAOfxAbr8kA==,
+ }
+ engines: { node: ^12.20.0 || ^14.13.1 || >=16.0.0 }
+ dev: true
+
+ /is-string/1.0.7:
+ resolution:
+ {
+ integrity: sha512-tE2UXzivje6ofPW7l23cjDOMa09gb7xlAqG6jG5ej6uPV32TlWP3NKPigtaGeHNu9fohccRYvIiZMfOOnOYUtg==,
+ }
+ engines: { node: '>= 0.4' }
+ dependencies:
+ has-tostringtag: 1.0.0
+ dev: true
+
+ /is-symbol/1.0.4:
+ resolution:
+ {
+ integrity: sha512-C/CPBqKWnvdcxqIARxyOh4v1UUEOCHpgDa0WYgpKDFMszcrPcffg5uhwSgPCLD2WWxmq6isisz87tzT01tuGhg==,
+ }
+ engines: { node: '>= 0.4' }
+ dependencies:
+ has-symbols: 1.0.3
+ dev: true
+
+ /is-text-path/1.0.1:
+ resolution:
+ {
+ integrity: sha512-xFuJpne9oFz5qDaodwmmG08e3CawH/2ZV8Qqza1Ko7Sk8POWbkRdwIoAWVhqvq0XeUzANEhKo2n0IXUGBm7A/w==,
+ }
+ engines: { node: '>=0.10.0' }
+ dependencies:
+ text-extensions: 1.9.0
+ dev: true
+
+ /is-weakref/1.0.2:
+ resolution:
+ {
+ integrity: sha512-qctsuLZmIQ0+vSSMfoVvyFe2+GSEvnmZ2ezTup1SBse9+twCCeial6EEi3Nc2KFcf6+qz2FBPnjXsk8xhKSaPQ==,
+ }
+ dependencies:
+ call-bind: 1.0.2
+ dev: true
+
+ /is-wsl/2.2.0:
+ resolution:
+ {
+ integrity: sha512-fKzAra0rGJUUBwGBgNkHZuToZcn+TtXHpeCgmkMJMMYx1sQDYaCSyjJBSCa2nH1DGm7s3n1oBnohoVTBaN7Lww==,
+ }
+ engines: { node: '>=8' }
+ dependencies:
+ is-docker: 2.2.1
+ dev: true
+
+ /isexe/2.0.0:
+ resolution:
+ {
+ integrity: sha512-RHxMLp9lnKHGHRng9QFhRCMbYAcVpn69smSGcq3f36xjgVVWThj4qqLbTLlq7Ssj8B+fIQ1EuCEGI2lKsyQeIw==,
+ }
+ dev: true
+
+ /js-tokens/4.0.0:
+ resolution:
+ {
+ integrity: sha512-RdJUflcE3cUzKiMqQgsCu06FPu9UdIJO0beYbPhHN4k6apgJtifcoCtT9bcxOpYBtpD2kCM6Sbzg4CausW/PKQ==,
+ }
+ dev: true
+
+ /js-yaml/4.1.0:
+ resolution:
+ {
+ integrity: sha512-wpxZs9NoxZaJESJGIZTyDEaYpl0FKSA+FB9aJiyemKhMwkxQg63h4T1KJgUGHpTqPDNRcmmYLugrRjJlBtWvRA==,
+ }
+ hasBin: true
+ dependencies:
+ argparse: 2.0.1
+ dev: true
+
+ /jsesc/2.5.2:
+ resolution:
+ {
+ integrity: sha512-OYu7XEzjkCQ3C5Ps3QIZsQfNpqoJyZZA99wd9aWd05NCtC5pWOkShK2mkL6HXQR6/Cy2lbNdPlZBpuQHXE63gA==,
+ }
+ engines: { node: '>=4' }
+ hasBin: true
+ dev: true
+
+ /json-parse-better-errors/1.0.2:
+ resolution:
+ {
+ integrity: sha512-mrqyZKfX5EhL7hvqcV6WG1yYjnjeuYDzDhhcAAUrq8Po85NBQBJP+ZDUT75qZQ98IkUoBqdkExkukOU7Ts2wrw==,
+ }
+ dev: true
+
+ /json-parse-even-better-errors/2.3.1:
+ resolution:
+ {
+ integrity: sha512-xyFwyhro/JEof6Ghe2iz2NcXoj2sloNsWr/XsERDK/oiPCfaNhl5ONfp+jQdAZRQQ0IJWNzH9zIZF7li91kh2w==,
+ }
+ dev: true
+
+ /json-schema-traverse/0.4.1:
+ resolution:
+ {
+ integrity: sha512-xbbCH5dCYU5T8LcEhhuh7HJ88HXuW3qsI3Y0zOZFKfZEHcpWiHU/Jxzk629Brsab/mMiHQti9wMP+845RPe3Vg==,
+ }
+ dev: true
+
+ /json-schema-traverse/1.0.0:
+ resolution:
+ {
+ integrity: sha512-NM8/P9n3XjXhIZn1lLhkFaACTOURQXjWhV4BA/RnOv8xvgqtqpAX9IO4mRQxSx1Rlo4tqzeqb0sOlruaOy3dug==,
+ }
+ dev: true
+
+ /json-stable-stringify-without-jsonify/1.0.1:
+ resolution:
+ {
+ integrity: sha512-Bdboy+l7tA3OGW6FjyFHWkP5LuByj1Tk33Ljyq0axyzdk9//JSi2u3fP1QSmd1KNwq6VOKYGlAu87CisVir6Pw==,
+ }
+ dev: true
+
+ /json-stringify-pretty-compact/4.0.0:
+ resolution:
+ {
+ integrity: sha512-3CNZ2DnrpByG9Nqj6Xo8vqbjT4F6N+tb4Gb28ESAZjYZ5yqvmc56J+/kuIwkaAMOyblTQhUW7PxMkUb8Q36N3Q==,
+ }
+ dev: false
+
+ /json5/1.0.1:
+ resolution:
+ {
+ integrity: sha512-aKS4WQjPenRxiQsC93MNfjx+nbF4PAdYzmd/1JIj8HYzqfbu86beTuNgXDzPknWk0n0uARlyewZo4s++ES36Ow==,
+ }
+ hasBin: true
+ dependencies:
+ minimist: 1.2.6
+ dev: true
+
+ /json5/2.2.1:
+ resolution:
+ {
+ integrity: sha512-1hqLFMSrGHRHxav9q9gNjJ5EXznIxGVO09xQRrwplcS8qs28pZ8s8hupZAmqDwZUmVZ2Qb2jnyPOWcDH8m8dlA==,
+ }
+ engines: { node: '>=6' }
+ hasBin: true
+ dev: true
+
+ /jsonc-eslint-parser/2.1.0:
+ resolution:
+ {
+ integrity: sha512-qCRJWlbP2v6HbmKW7R3lFbeiVWHo+oMJ0j+MizwvauqnCV/EvtAeEeuCgoc/ErtsuoKgYB8U4Ih8AxJbXoE6/g==,
+ }
+ engines: { node: ^12.22.0 || ^14.17.0 || >=16.0.0 }
+ dependencies:
+ acorn: 8.8.0
+ eslint-visitor-keys: 3.3.0
+ espree: 9.3.3
+ semver: 7.3.7
+ dev: true
+
+ /jsonc-parser/3.1.0:
+ resolution:
+ {
+ integrity: sha512-DRf0QjnNeCUds3xTjKlQQ3DpJD51GvDjJfnxUVWg6PZTo2otSm+slzNAxU/35hF8/oJIKoG9slq30JYOsF2azg==,
+ }
+ dev: true
+
+ /jsonfile/6.1.0:
+ resolution:
+ {
+ integrity: sha512-5dgndWOriYSm5cnYaJNhalLNDKOqFwyDB/rr1E9ZsGciGvKPs8R2xYGCacuf3z6K1YKDz182fd+fY3cn3pMqXQ==,
+ }
+ dependencies:
+ universalify: 2.0.0
+ optionalDependencies:
+ graceful-fs: 4.2.10
+ dev: true
+
+ /jsonparse/1.3.1:
+ resolution:
+ {
+ integrity: sha512-POQXvpdL69+CluYsillJ7SUhKvytYjW9vG/GKpnf+xP8UWgYEM/RaMzHHofbALDiKbbP1W8UEYmgGl39WkPZsg==,
+ }
+ engines: { '0': node >= 0.2.0 }
+ dev: true
+
+ /kind-of/6.0.3:
+ resolution:
+ {
+ integrity: sha512-dcS1ul+9tmeD95T+x28/ehLgd9mENa3LsvDTtzm3vyBEO7RPptvAD+t44WVXaUjTBRcrpFeFlC8WCruUR456hw==,
+ }
+ engines: { node: '>=0.10.0' }
+ dev: true
+
+ /kolorist/1.5.1:
+ resolution:
+ {
+ integrity: sha512-lxpCM3HTvquGxKGzHeknB/sUjuVoUElLlfYnXZT73K8geR9jQbroGlSCFBax9/0mpGoD3kzcMLnOlGQPJJNyqQ==,
+ }
+ dev: true
+
+ /levn/0.4.1:
+ resolution:
+ {
+ integrity: sha512-+bT2uH4E5LGE7h/n3evcS/sQlJXCpIp6ym8OWJ5eV6+67Dsql/LaaT7qJBAt2rzfoa/5QBGBhxDix1dMt2kQKQ==,
+ }
+ engines: { node: '>= 0.8.0' }
+ dependencies:
+ prelude-ls: 1.2.1
+ type-check: 0.4.0
+ dev: true
+
+ /lilconfig/2.0.5:
+ resolution:
+ {
+ integrity: sha512-xaYmXZtTHPAw5m+xLN8ab9C+3a8YmV3asNSPOATITbtwrfbwaLJj8h66H1WMIpALCkqsIzK3h7oQ+PdX+LQ9Eg==,
+ }
+ engines: { node: '>=10' }
+ dev: true
+
+ /lilconfig/2.0.6:
+ resolution:
+ {
+ integrity: sha512-9JROoBW7pobfsx+Sq2JsASvCo6Pfo6WWoUW79HuB1BCoBXD4PLWJPqDF6fNj67pqBYTbAHkE57M1kS/+L1neOg==,
+ }
+ engines: { node: '>=10' }
+ dev: true
+
+ /lines-and-columns/1.2.4:
+ resolution:
+ {
+ integrity: sha512-7ylylesZQ/PV29jhEDl3Ufjo6ZX7gCqJr5F7PKrqc93v7fzSymt1BpwEU8nAUXs8qzzvqhbjhK5QZg6Mt/HkBg==,
+ }
+ dev: true
+
+ /lint-staged/13.0.3:
+ resolution:
+ {
+ integrity: sha512-9hmrwSCFroTSYLjflGI8Uk+GWAwMB4OlpU4bMJEAT5d/llQwtYKoim4bLOyLCuWFAhWEupE0vkIFqtw/WIsPug==,
+ }
+ engines: { node: ^14.13.1 || >=16.0.0 }
+ hasBin: true
+ dependencies:
+ cli-truncate: 3.1.0
+ colorette: 2.0.19
+ commander: 9.4.0
+ debug: 4.3.4
+ execa: 6.1.0
+ lilconfig: 2.0.5
+ listr2: 4.0.5
+ micromatch: 4.0.5
+ normalize-path: 3.0.0
+ object-inspect: 1.12.2
+ pidtree: 0.6.0
+ string-argv: 0.3.1
+ yaml: 2.1.1
+ transitivePeerDependencies:
+ - enquirer
+ - supports-color
+ dev: true
+
+ /listr2/4.0.5:
+ resolution:
+ {
+ integrity: sha512-juGHV1doQdpNT3GSTs9IUN43QJb7KHdF9uqg7Vufs/tG9VTzpFphqF4pm/ICdAABGQxsyNn9CiYA3StkI6jpwA==,
+ }
+ engines: { node: '>=12' }
+ peerDependencies:
+ enquirer: '>= 2.3.0 < 3'
+ peerDependenciesMeta:
+ enquirer:
+ optional: true
+ dependencies:
+ cli-truncate: 2.1.0
+ colorette: 2.0.19
+ log-update: 4.0.0
+ p-map: 4.0.0
+ rfdc: 1.3.0
+ rxjs: 7.5.6
+ through: 2.3.8
+ wrap-ansi: 7.0.0
+ dev: true
+
+ /load-json-file/4.0.0:
+ resolution:
+ {
+ integrity: sha512-Kx8hMakjX03tiGTLAIdJ+lL0htKnXjEZN6hk/tozf/WOuYGdZBJrZ+rCJRbVCugsjB3jMLn9746NsQIf5VjBMw==,
+ }
+ engines: { node: '>=4' }
+ dependencies:
+ graceful-fs: 4.2.10
+ parse-json: 4.0.0
+ pify: 3.0.0
+ strip-bom: 3.0.0
+ dev: true
+
+ /local-pkg/0.4.2:
+ resolution:
+ {
+ integrity: sha512-mlERgSPrbxU3BP4qBqAvvwlgW4MTg78iwJdGGnv7kibKjWcJksrG3t6LB5lXI93wXRDvG4NpUgJFmTG4T6rdrg==,
+ }
+ engines: { node: '>=14' }
+ dev: true
+
+ /locate-path/5.0.0:
+ resolution:
+ {
+ integrity: sha512-t7hw9pI+WvuwNJXwk5zVHpyhIqzg2qTlklJOf0mVxGSbe3Fp2VieZcduNYjaLDoy6p9uGpQEGWG87WpMKlNq8g==,
+ }
+ engines: { node: '>=8' }
+ dependencies:
+ p-locate: 4.1.0
+ dev: true
+
+ /locate-path/6.0.0:
+ resolution:
+ {
+ integrity: sha512-iPZK6eYjbxRu3uB4/WZ3EsEIMJFMqAoopl3R+zuq0UjcAm/MO6KCweDgPfP3elTztoKP3KtnVHxTn2NHBSDVUw==,
+ }
+ engines: { node: '>=10' }
+ dependencies:
+ p-locate: 5.0.0
+ dev: true
+
+ /lodash-es/4.17.21:
+ resolution:
+ {
+ integrity: sha512-mKnC+QJ9pWVzv+C4/U3rRsHapFfHvQFoFB92e52xeyGMcX6/OlIl78je1u8vePzYZSkkogMPJ2yjxxsb89cxyw==,
+ }
+ dev: false
+
+ /lodash-unified/1.0.2_3ib2ivapxullxkx3xftsimdk7u:
+ resolution:
+ {
+ integrity: sha512-OGbEy+1P+UT26CYi4opY4gebD8cWRDxAT6MAObIVQMiqYdxZr1g3QHWCToVsm31x2NkLS4K3+MC2qInaRMa39g==,
+ }
+ peerDependencies:
+ '@types/lodash-es': '*'
+ lodash: '*'
+ lodash-es: '*'
+ dependencies:
+ '@types/lodash-es': 4.17.6
+ lodash: 4.17.21
+ lodash-es: 4.17.21
+ dev: false
+
+ /lodash.merge/4.6.2:
+ resolution:
+ {
+ integrity: sha512-0KpjqXRVvrYyCsX1swR/XTK0va6VQkQM6MNo7PqW77ByjAhoARA8EfrP1N4+KlKj8YS0ZUCtRT/YUuhyYDujIQ==,
+ }
+ dev: true
+
+ /lodash/4.17.21:
+ resolution:
+ {
+ integrity: sha512-v2kDEe57lecTulaDIuNTPy3Ry4gLGJ6Z1O3vE1krgXZNrsQ+LFTGHVxVjcXPs17LhbZVGedAJv8XZ1tvj5FvSg==,
+ }
+
+ /log-update/4.0.0:
+ resolution:
+ {
+ integrity: sha512-9fkkDevMefjg0mmzWFBW8YkFP91OrizzkW3diF7CpG+S2EYdy4+TVfGwz1zeF8x7hCx1ovSPTOE9Ngib74qqUg==,
+ }
+ engines: { node: '>=10' }
+ dependencies:
+ ansi-escapes: 4.3.2
+ cli-cursor: 3.1.0
+ slice-ansi: 4.0.0
+ wrap-ansi: 6.2.0
+ dev: true
+
+ /lower-case/2.0.2:
+ resolution:
+ {
+ integrity: sha512-7fm3l3NAF9WfN6W3JOmf5drwpVqX78JtoGJ3A6W0a6ZnldM41w2fV5D490psKFTpMds8TJse/eHLFFsNHHjHgg==,
+ }
+ dependencies:
+ tslib: 2.4.0
+ dev: true
+
+ /lru-cache/6.0.0:
+ resolution:
+ {
+ integrity: sha512-Jo6dJ04CmSjuznwJSS3pUeWmd/H0ffTlkXXgwZi+eq1UCmqQwCh+eLsYOYCwY991i2Fah4h1BEMCx4qThGbsiA==,
+ }
+ engines: { node: '>=10' }
+ dependencies:
+ yallist: 4.0.0
+ dev: true
+
+ /magic-string/0.25.9:
+ resolution:
+ {
+ integrity: sha512-RmF0AsMzgt25qzqqLc1+MbHmhdx0ojF2Fvs4XnOqz2ZOBXzzkEwc/dJQZCYHAn7v1jbVOjAZfK8msRn4BxO4VQ==,
+ }
+ dependencies:
+ sourcemap-codec: 1.4.8
+
+ /magic-string/0.26.2:
+ resolution:
+ {
+ integrity: sha512-NzzlXpclt5zAbmo6h6jNc8zl2gNRGHvmsZW4IvZhTC4W7k4OlLP+S5YLussa/r3ixNT66KOQfNORlXHSOy/X4A==,
+ }
+ engines: { node: '>=12' }
+ dependencies:
+ sourcemap-codec: 1.4.8
+ dev: true
+
+ /make-error/1.3.6:
+ resolution:
+ {
+ integrity: sha512-s8UhlNe7vPKomQhC1qFelMokr/Sc3AgNbso3n74mVPA5LTZwkB9NlXf4XPamLxJE8h0gh73rM94xvwRT2CVInw==,
+ }
+ dev: true
+
+ /map-obj/1.0.1:
+ resolution:
+ {
+ integrity: sha512-7N/q3lyZ+LVCp7PzuxrJr4KMbBE2hW7BT7YNia330OFxIf4d3r5zVpicP2650l7CPN6RM9zOJRl3NGpqSiw3Eg==,
+ }
+ engines: { node: '>=0.10.0' }
+ dev: true
+
+ /map-obj/4.3.0:
+ resolution:
+ {
+ integrity: sha512-hdN1wVrZbb29eBGiGjJbeP8JbKjq1urkHJ/LIP/NY48MZ1QVXUsQBV1G1zvYFHn1XE06cwjBsOI2K3Ulnj1YXQ==,
+ }
+ engines: { node: '>=8' }
+ dev: true
+
+ /mdast-util-from-markdown/0.8.5:
+ resolution:
+ {
+ integrity: sha512-2hkTXtYYnr+NubD/g6KGBS/0mFmBcifAsI0yIWRiRo0PjVs6SSOSOdtzbp6kSGnShDN6G5aWZpKQ2lWRy27mWQ==,
+ }
+ dependencies:
+ '@types/mdast': 3.0.10
+ mdast-util-to-string: 2.0.0
+ micromark: 2.11.4
+ parse-entities: 2.0.0
+ unist-util-stringify-position: 2.0.3
+ transitivePeerDependencies:
+ - supports-color
+ dev: true
+
+ /mdast-util-to-string/2.0.0:
+ resolution:
+ {
+ integrity: sha512-AW4DRS3QbBayY/jJmD8437V1Gombjf8RSOUCMFBuo5iHi58AGEgVCKQ+ezHkZZDpAQS75hcBMpLqjpJTjtUL7w==,
+ }
+ dev: true
+
+ /memoize-one/6.0.0:
+ resolution:
+ {
+ integrity: sha512-rkpe71W0N0c0Xz6QD0eJETuWAJGnJ9afsl1srmwPrI+yBCkge5EycXXbYRyvL29zZVUWQCY7InPRCv3GDXuZNw==,
+ }
+ dev: false
+
+ /memorystream/0.3.1:
+ resolution:
+ {
+ integrity: sha512-S3UwM3yj5mtUSEfP41UZmt/0SCoVYUcU1rkXv+BQ5Ig8ndL4sPoJNBUJERafdPb5jjHJGuMgytgKvKIf58XNBw==,
+ }
+ engines: { node: '>= 0.10.0' }
+ dev: true
+
+ /meow/8.1.2:
+ resolution:
+ {
+ integrity: sha512-r85E3NdZ+mpYk1C6RjPFEMSE+s1iZMuHtsHAqY0DT3jZczl0diWUZ8g6oU7h0M9cD2EL+PzaYghhCLzR0ZNn5Q==,
+ }
+ engines: { node: '>=10' }
+ dependencies:
+ '@types/minimist': 1.2.2
+ camelcase-keys: 6.2.2
+ decamelize-keys: 1.1.0
+ hard-rejection: 2.1.0
+ minimist-options: 4.1.0
+ normalize-package-data: 3.0.3
+ read-pkg-up: 7.0.1
+ redent: 3.0.0
+ trim-newlines: 3.0.1
+ type-fest: 0.18.1
+ yargs-parser: 20.2.9
+ dev: true
+
+ /merge-stream/2.0.0:
+ resolution:
+ {
+ integrity: sha512-abv/qOcuPfk3URPfDzmZU1LKmuw8kT+0nIHvKrKgFrwifol/doWcdA4ZqsWQ8ENrFKkd67Mfpo/LovbIUsbt3w==,
+ }
+ dev: true
+
+ /merge2/1.4.1:
+ resolution:
+ {
+ integrity: sha512-8q7VEgMJW4J8tcfVPy8g09NcQwZdbwFEqhe/WZkoIzjn/3TGDwtOCYtXGxA3O8tPzpczCCDgv+P2P5y00ZJOOg==,
+ }
+ engines: { node: '>= 8' }
+ dev: true
+
+ /micromark/2.11.4:
+ resolution:
+ {
+ integrity: sha512-+WoovN/ppKolQOFIAajxi7Lu9kInbPxFuTBVEavFcL8eAfVstoc5MocPmqBeAdBOJV00uaVjegzH4+MA0DN/uA==,
+ }
+ dependencies:
+ debug: 4.3.4
+ parse-entities: 2.0.0
+ transitivePeerDependencies:
+ - supports-color
+ dev: true
+
+ /micromatch/4.0.5:
+ resolution:
+ {
+ integrity: sha512-DMy+ERcEW2q8Z2Po+WNXuw3c5YaUSFjAO5GsJqfEl7UjvtIuFKO6ZrKvcItdy98dwFI2N1tg3zNIdKaQT+aNdA==,
+ }
+ engines: { node: '>=8.6' }
+ dependencies:
+ braces: 3.0.2
+ picomatch: 2.3.1
+ dev: true
+
+ /mimic-fn/2.1.0:
+ resolution:
+ {
+ integrity: sha512-OqbOk5oEQeAZ8WXWydlu9HJjz9WVdEIvamMCcXmuqUYjTknH/sqsWvhQ3vgwKFRR1HpjvNBKQ37nbJgYzGqGcg==,
+ }
+ engines: { node: '>=6' }
+ dev: true
+
+ /mimic-fn/4.0.0:
+ resolution:
+ {
+ integrity: sha512-vqiC06CuhBTUdZH+RYl8sFrL096vA45Ok5ISO6sE/Mr1jRbGH4Csnhi8f3wKVl7x8mO4Au7Ir9D3Oyv1VYMFJw==,
+ }
+ engines: { node: '>=12' }
+ dev: true
+
+ /min-indent/1.0.1:
+ resolution:
+ {
+ integrity: sha512-I9jwMn07Sy/IwOj3zVkVik2JTvgpaykDZEigL6Rx6N9LbMywwUSMtxET+7lVoDLLd3O3IXwJwvuuns8UB/HeAg==,
+ }
+ engines: { node: '>=4' }
+ dev: true
+
+ /minimatch/3.1.2:
+ resolution:
+ {
+ integrity: sha512-J7p63hRiAjw1NDEww1W7i37+ByIrOWO5XQQAzZ3VOcL0PNybwpfmV/N05zFAzwQ9USyEcX6t3UO+K5aqBQOIHw==,
+ }
+ dependencies:
+ brace-expansion: 1.1.11
+ dev: true
+
+ /minimatch/5.1.0:
+ resolution:
+ {
+ integrity: sha512-9TPBGGak4nHfGZsPBohm9AWg6NoT7QTCehS3BIJABslyZbzxfV78QM2Y6+i741OPZIafFAaiiEMh5OyIrJPgtg==,
+ }
+ engines: { node: '>=10' }
+ dependencies:
+ brace-expansion: 2.0.1
+ dev: true
+
+ /minimist-options/4.1.0:
+ resolution:
+ {
+ integrity: sha512-Q4r8ghd80yhO/0j1O3B2BjweX3fiHg9cdOwjJd2J76Q135c+NDxGCqdYKQ1SKBuFfgWbAUzBfvYjPUEeNgqN1A==,
+ }
+ engines: { node: '>= 6' }
+ dependencies:
+ arrify: 1.0.1
+ is-plain-obj: 1.1.0
+ kind-of: 6.0.3
+ dev: true
+
+ /minimist/1.2.6:
+ resolution:
+ {
+ integrity: sha512-Jsjnk4bw3YJqYzbdyBiNsPWHPfO++UGG749Cxs6peCu5Xg4nrena6OVxOYxrQTqww0Jmwt+Ref8rggumkTLz9Q==,
+ }
+ dev: true
+
+ /mlly/0.5.12:
+ resolution:
+ {
+ integrity: sha512-8moXGh6Hfy2Nmys3DDEm4CuxDBk5Y7Lk1jQ4JcwW0djO9b+SCKTpw0enIQeZIuEnPljdxHSGmcbXU9hpIIEYeQ==,
+ }
+ dependencies:
+ acorn: 8.8.0
+ pathe: 0.3.4
+ pkg-types: 0.3.3
+ ufo: 0.8.5
+ dev: true
+
+ /monaco-editor/0.33.0:
+ resolution:
+ {
+ integrity: sha512-VcRWPSLIUEgQJQIE0pVT8FcGBIgFoxz7jtqctE+IiCxWugD0DwgyQBcZBhdSrdMC84eumoqMZsGl2GTreOzwqw==,
+ }
+ dev: false
+
+ /mri/1.2.0:
+ resolution:
+ {
+ integrity: sha512-tzzskb3bG8LvYGFF/mDTpq3jpI6Q9wc3LEmBaghu+DdCssd1FakN7Bc0hVNmEyGq1bq3RgfkCb3cmQLpNPOroA==,
+ }
+ engines: { node: '>=4' }
+ dev: true
+
+ /mrmime/1.0.1:
+ resolution:
+ {
+ integrity: sha512-hzzEagAgDyoU1Q6yg5uI+AorQgdvMCur3FcKf7NhMKWsaYg+RnbTyHRa/9IlLF9rf455MOCtcqqrQQ83pPP7Uw==,
+ }
+ engines: { node: '>=10' }
+ dev: true
+
+ /ms/2.0.0:
+ resolution:
+ {
+ integrity: sha512-Tpp60P6IUJDTuOq/5Z8cdskzJujfwqfOTkrwIwj7IRISpnkJnT6SyJ4PCPnGMoFjC9ddhal5KVIYtAt97ix05A==,
+ }
+ dev: true
+
+ /ms/2.1.2:
+ resolution:
+ {
+ integrity: sha512-sGkPx+VjMtmA6MX27oA4FBFELFCZZ4S4XqeGOXCv68tT+jb3vk/RyaKWP0PTKyWtmLSM0b+adUTEvbs1PEaH2w==,
+ }
+ dev: true
+
+ /ms/2.1.3:
+ resolution:
+ {
+ integrity: sha512-6FlzubTLZG3J2a/NVCAleEhjzq5oxgHyaCU9yYXvcLsvoVaHJq/s5xXI6/XXP6tz7R9xAOtHnSO/tXtF3WRTlA==,
+ }
+ dev: true
+
+ /multimatch/4.0.0:
+ resolution:
+ {
+ integrity: sha512-lDmx79y1z6i7RNx0ZGCPq1bzJ6ZoDDKbvh7jxr9SJcWLkShMzXrHbYVpTdnhNM5MXpDUxCQ4DgqVttVXlBgiBQ==,
+ }
+ engines: { node: '>=8' }
+ dependencies:
+ '@types/minimatch': 3.0.5
+ array-differ: 3.0.0
+ array-union: 2.1.0
+ arrify: 2.0.1
+ minimatch: 3.1.2
+ dev: true
+
+ /nanoid/3.3.4:
+ resolution:
+ {
+ integrity: sha512-MqBkQh/OHTS2egovRtLk45wEyNXwF+cokD+1YPf9u5VfJiRdAiRwB2froX5Co9Rh20xs4siNPm8naNotSD6RBw==,
+ }
+ engines: { node: ^10 || ^12 || ^13.7 || ^14 || >=15.0.1 }
+ hasBin: true
+
+ /natural-compare/1.4.0:
+ resolution:
+ {
+ integrity: sha512-OWND8ei3VtNC9h7V60qff3SVobHr996CTwgxubgyQYEpg290h9J0buyECNNJexkFm5sOajh5G116RYA1c8ZMSw==,
+ }
+ dev: true
+
+ /nice-try/1.0.5:
+ resolution:
+ {
+ integrity: sha512-1nh45deeb5olNY7eX82BkPO7SSxR5SSYJiPTrTdFUVYwAl8CKMA5N9PjTYkHiRjisVcxcQ1HXdLhx2qxxJzLNQ==,
+ }
+ dev: true
+
+ /no-case/3.0.4:
+ resolution:
+ {
+ integrity: sha512-fgAN3jGAh+RoxUGZHTSOLJIqUc2wmoBwGR4tbpNAKmmovFoWq0OdRkb0VkldReO2a2iBT/OEulG9XSUc10r3zg==,
+ }
+ dependencies:
+ lower-case: 2.0.2
+ tslib: 2.4.0
+ dev: true
+
+ /node-releases/2.0.6:
+ resolution:
+ {
+ integrity: sha512-PiVXnNuFm5+iYkLBNeq5211hvO38y63T0i2KKh2KnUs3RpzJ+JtODFjkD8yjLwnDkTYF1eKXheUwdssR+NRZdg==,
+ }
+ dev: true
+
+ /normalize-package-data/2.5.0:
+ resolution:
+ {
+ integrity: sha512-/5CMN3T0R4XTj4DcGaexo+roZSdSFW/0AOOTROrjxzCG1wrWXEsGbRKevjlIL+ZDE4sZlJr5ED4YW0yqmkK+eA==,
+ }
+ dependencies:
+ hosted-git-info: 2.8.9
+ resolve: 1.22.1
+ semver: 5.7.1
+ validate-npm-package-license: 3.0.4
+ dev: true
+
+ /normalize-package-data/3.0.3:
+ resolution:
+ {
+ integrity: sha512-p2W1sgqij3zMMyRC067Dg16bfzVH+w7hyegmpIvZ4JNjqtGOVAIvLmjBx3yP7YTe9vKJgkoNOPjwQGogDoMXFA==,
+ }
+ engines: { node: '>=10' }
+ dependencies:
+ hosted-git-info: 4.1.0
+ is-core-module: 2.10.0
+ semver: 7.3.7
+ validate-npm-package-license: 3.0.4
+ dev: true
+
+ /normalize-path/3.0.0:
+ resolution:
+ {
+ integrity: sha512-6eZs5Ls3WtCisHWp9S2GUy8dqkpGi4BVSz3GaqiE6ezub0512ESztXUwUB6C6IKbQkY2Pnb/mD4WYojCRwcwLA==,
+ }
+ engines: { node: '>=0.10.0' }
+ dev: true
+
+ /normalize-range/0.1.2:
+ resolution:
+ {
+ integrity: sha512-bdok/XvKII3nUpklnV6P2hxtMNrCboOjAcyBuQnWEhO665FwrSNRxU+AqpsyvO6LgGYPspN+lu5CLtw4jPRKNA==,
+ }
+ engines: { node: '>=0.10.0' }
+ dev: true
+
+ /normalize-wheel-es/1.2.0:
+ resolution:
+ {
+ integrity: sha512-Wj7+EJQ8mSuXr2iWfnujrimU35R2W4FAErEyTmJoJ7ucwTn2hOUSsRehMb5RSYkxXGTM7Y9QpvPmp++w5ftoJw==,
+ }
+ dev: false
+
+ /npm-run-all/4.1.5:
+ resolution:
+ {
+ integrity: sha512-Oo82gJDAVcaMdi3nuoKFavkIHBRVqQ1qvMb+9LHk/cF4P6B2m8aP04hGf7oL6wZ9BuGwX1onlLhpuoofSyoQDQ==,
+ }
+ engines: { node: '>= 4' }
+ hasBin: true
+ dependencies:
+ ansi-styles: 3.2.1
+ chalk: 2.4.2
+ cross-spawn: 6.0.5
+ memorystream: 0.3.1
+ minimatch: 3.1.2
+ pidtree: 0.3.1
+ read-pkg: 3.0.0
+ shell-quote: 1.7.3
+ string.prototype.padend: 3.1.3
+ dev: true
+
+ /npm-run-path/4.0.1:
+ resolution:
+ {
+ integrity: sha512-S48WzZW777zhNIrn7gxOlISNAqi9ZC/uQFnRdbeIHhZhCA6UqpkOT8T1G7BvfdgP4Er8gF4sUbaS0i7QvIfCWw==,
+ }
+ engines: { node: '>=8' }
+ dependencies:
+ path-key: 3.1.1
+ dev: true
+
+ /npm-run-path/5.1.0:
+ resolution:
+ {
+ integrity: sha512-sJOdmRGrY2sjNTRMbSvluQqg+8X7ZK61yvzBEIDhz4f8z1TZFYABsqjjCBd/0PUNE9M6QDgHJXQkGUEm7Q+l9Q==,
+ }
+ engines: { node: ^12.20.0 || ^14.13.1 || >=16.0.0 }
+ dependencies:
+ path-key: 4.0.0
+ dev: true
+
+ /nth-check/2.1.1:
+ resolution:
+ {
+ integrity: sha512-lqjrjmaOoAnWfMmBPL+XNnynZh2+swxiX3WUE0s4yEHI6m+AwrK2UZOimIRl3X/4QctVqS8AiZjFqyOGrMXb/w==,
+ }
+ dependencies:
+ boolbase: 1.0.0
+ dev: true
+
+ /number-precision/1.5.2:
+ resolution:
+ {
+ integrity: sha512-q7C1ZW3FyjsJ+IpGB6ykX8OWWa5+6M+hEY0zXBlzq1Sq1IPY9GeI3CQ9b2i6CMIYoeSuFhop2Av/OhCxClXqag==,
+ }
+ dev: false
+
+ /object-hash/3.0.0:
+ resolution:
+ {
+ integrity: sha512-RSn9F68PjH9HqtltsSnqYC1XXoWe9Bju5+213R98cNGttag9q9yAOTzdbsqvIa7aNm5WffBZFpWYr2aWrklWAw==,
+ }
+ engines: { node: '>= 6' }
+ dev: true
+
+ /object-inspect/1.12.2:
+ resolution:
+ {
+ integrity: sha512-z+cPxW0QGUp0mcqcsgQyLVRDoXFQbXOwBaqyF7VIgI4TWNQsDHrBpUQslRmIfAoYWdYzs6UlKJtB2XJpTaNSpQ==,
+ }
+ dev: true
+
+ /object-keys/1.1.1:
+ resolution:
+ {
+ integrity: sha512-NuAESUOUMrlIXOfHKzD6bpPu3tYt3xvjNdRIQ+FeT0lNb4K8WR70CaDxhuNguS2XG+GjkyMwOzsN5ZktImfhLA==,
+ }
+ engines: { node: '>= 0.4' }
+ dev: true
+
+ /object.assign/4.1.4:
+ resolution:
+ {
+ integrity: sha512-1mxKf0e58bvyjSCtKYY4sRe9itRk3PJpquJOjeIkz885CczcI4IvJJDLPS72oowuSh+pBxUFROpX+TU++hxhZQ==,
+ }
+ engines: { node: '>= 0.4' }
+ dependencies:
+ call-bind: 1.0.2
+ define-properties: 1.1.4
+ has-symbols: 1.0.3
+ object-keys: 1.1.1
+ dev: true
+
+ /object.values/1.1.5:
+ resolution:
+ {
+ integrity: sha512-QUZRW0ilQ3PnPpbNtgdNV1PDbEqLIiSFB3l+EnGtBQ/8SUTLj1PZwtQHABZtLgwpJZTSZhuGLOGk57Drx2IvYg==,
+ }
+ engines: { node: '>= 0.4' }
+ dependencies:
+ call-bind: 1.0.2
+ define-properties: 1.1.4
+ es-abstract: 1.20.1
+ dev: true
+
+ /once/1.4.0:
+ resolution:
+ {
+ integrity: sha512-lNaJgI+2Q5URQBkccEKHTQOPaXdUxnZZElQTZY0MFUAuaEqe1E+Nyvgdz/aIyNi6Z9MzO5dv1H8n58/GELp3+w==,
+ }
+ dependencies:
+ wrappy: 1.0.2
+ dev: true
+
+ /onetime/5.1.2:
+ resolution:
+ {
+ integrity: sha512-kbpaSSGJTWdAY5KPVeMOKXSrPtr8C8C7wodJbcsd51jRnmD+GZu8Y0VoU6Dm5Z4vWr0Ig/1NKuWRKf7j5aaYSg==,
+ }
+ engines: { node: '>=6' }
+ dependencies:
+ mimic-fn: 2.1.0
+ dev: true
+
+ /onetime/6.0.0:
+ resolution:
+ {
+ integrity: sha512-1FlR+gjXK7X+AsAHso35MnyN5KqGwJRi/31ft6x0M194ht7S+rWAvd7PHss9xSKMzE0asv1pyIHaJYq+BbacAQ==,
+ }
+ engines: { node: '>=12' }
+ dependencies:
+ mimic-fn: 4.0.0
+ dev: true
+
+ /open/8.4.0:
+ resolution:
+ {
+ integrity: sha512-XgFPPM+B28FtCCgSb9I+s9szOC1vZRSwgWsRUA5ylIxRTgKozqjOCrVOqGsYABPYK5qnfqClxZTFBa8PKt2v6Q==,
+ }
+ engines: { node: '>=12' }
+ dependencies:
+ define-lazy-prop: 2.0.0
+ is-docker: 2.2.1
+ is-wsl: 2.2.0
+ dev: true
+
+ /optionator/0.9.1:
+ resolution:
+ {
+ integrity: sha512-74RlY5FCnhq4jRxVUPKDaRwrVNXMqsGsiW6AJw4XK8hmtm10wC0ypZBLw5IIp85NZMr91+qd1RvvENwg7jjRFw==,
+ }
+ engines: { node: '>= 0.8.0' }
+ dependencies:
+ deep-is: 0.1.4
+ fast-levenshtein: 2.0.6
+ levn: 0.4.1
+ prelude-ls: 1.2.1
+ type-check: 0.4.0
+ word-wrap: 1.2.3
+ dev: true
+
+ /p-limit/2.3.0:
+ resolution:
+ {
+ integrity: sha512-//88mFWSJx8lxCzwdAABTJL2MyWB12+eIY7MDL2SqLmAkeKU9qxRvWuSyTjm3FUmpBEMuFfckAIqEaVGUDxb6w==,
+ }
+ engines: { node: '>=6' }
+ dependencies:
+ p-try: 2.2.0
+ dev: true
+
+ /p-limit/3.1.0:
+ resolution:
+ {
+ integrity: sha512-TYOanM3wGwNGsZN2cVTYPArw454xnXj5qmWF1bEoAc4+cU/ol7GVh7odevjp1FNHduHc3KZMcFduxU5Xc6uJRQ==,
+ }
+ engines: { node: '>=10' }
+ dependencies:
+ yocto-queue: 0.1.0
+ dev: true
+
+ /p-locate/4.1.0:
+ resolution:
+ {
+ integrity: sha512-R79ZZ/0wAxKGu3oYMlz8jy/kbhsNrS7SKZ7PxEHBgJ5+F2mtFW2fK2cOtBh1cHYkQsbzFV7I+EoRKe6Yt0oK7A==,
+ }
+ engines: { node: '>=8' }
+ dependencies:
+ p-limit: 2.3.0
+ dev: true
+
+ /p-locate/5.0.0:
+ resolution:
+ {
+ integrity: sha512-LaNjtRWUBY++zB5nE/NwcaoMylSPk+S+ZHNB1TzdbMJMny6dynpAGt7X/tl/QYq3TIeE6nxHppbo2LGymrG5Pw==,
+ }
+ engines: { node: '>=10' }
+ dependencies:
+ p-limit: 3.1.0
+ dev: true
+
+ /p-map/4.0.0:
+ resolution:
+ {
+ integrity: sha512-/bjOqmgETBYB5BoEeGVea8dmvHb2m9GLy1E9W43yeyfP6QQCZGFNa+XRceJEuDB6zqr+gKpIAmlLebMpykw/MQ==,
+ }
+ engines: { node: '>=10' }
+ dependencies:
+ aggregate-error: 3.1.0
+ dev: true
+
+ /p-try/2.2.0:
+ resolution:
+ {
+ integrity: sha512-R4nPAVTAU0B9D35/Gk3uJf/7XYbQcyohSKdvAxIRSNghFl4e71hVoGnBNQz9cWaXxO2I10KTC+3jMdvvoKw6dQ==,
+ }
+ engines: { node: '>=6' }
+ dev: true
+
+ /param-case/3.0.4:
+ resolution:
+ {
+ integrity: sha512-RXlj7zCYokReqWpOPH9oYivUzLYZ5vAPIfEmCTNViosC78F8F0H9y7T7gG2M39ymgutxF5gcFEsyZQSph9Bp3A==,
+ }
+ dependencies:
+ dot-case: 3.0.4
+ tslib: 2.4.0
+ dev: true
+
+ /parent-module/1.0.1:
+ resolution:
+ {
+ integrity: sha512-GQ2EWRpQV8/o+Aw8YqtfZZPfNRWZYkbidE9k5rpl/hC3vtHHBfGm2Ifi6qWV+coDGkrUKZAxE3Lot5kcsRlh+g==,
+ }
+ engines: { node: '>=6' }
+ dependencies:
+ callsites: 3.1.0
+ dev: true
+
+ /parse-entities/2.0.0:
+ resolution:
+ {
+ integrity: sha512-kkywGpCcRYhqQIchaWqZ875wzpS/bMKhz5HnN3p7wveJTkTtyAB/AlnS0f8DFSqYW1T82t6yEAkEcB+A1I3MbQ==,
+ }
+ dependencies:
+ character-entities: 1.2.4
+ character-entities-legacy: 1.1.4
+ character-reference-invalid: 1.1.4
+ is-alphanumerical: 1.0.4
+ is-decimal: 1.0.4
+ is-hexadecimal: 1.0.4
+ dev: true
+
+ /parse-json/4.0.0:
+ resolution:
+ {
+ integrity: sha512-aOIos8bujGN93/8Ox/jPLh7RwVnPEysynVFE+fQZyg6jKELEHwzgKdLRFHUgXJL6kylijVSBC4BvN9OmsB48Rw==,
+ }
+ engines: { node: '>=4' }
+ dependencies:
+ error-ex: 1.3.2
+ json-parse-better-errors: 1.0.2
+ dev: true
+
+ /parse-json/5.2.0:
+ resolution:
+ {
+ integrity: sha512-ayCKvm/phCGxOkYRSCM82iDwct8/EonSEgCSxWxD7ve6jHggsFl4fZVQBPRNgQoKiuV/odhFrGzQXZwbifC8Rg==,
+ }
+ engines: { node: '>=8' }
+ dependencies:
+ '@babel/code-frame': 7.18.6
+ error-ex: 1.3.2
+ json-parse-even-better-errors: 2.3.1
+ lines-and-columns: 1.2.4
+ dev: true
+
+ /pascal-case/3.1.2:
+ resolution:
+ {
+ integrity: sha512-uWlGT3YSnK9x3BQJaOdcZwrnV6hPpd8jFH1/ucpiLRPh/2zCVJKS19E4GvYHvaCcACn3foXZ0cLB9Wrx1KGe5g==,
+ }
+ dependencies:
+ no-case: 3.0.4
+ tslib: 2.4.0
+ dev: true
+
+ /path-case/3.0.4:
+ resolution:
+ {
+ integrity: sha512-qO4qCFjXqVTrcbPt/hQfhTQ+VhFsqNKOPtytgNKkKxSoEp3XPUQ8ObFuePylOIok5gjn69ry8XiULxCwot3Wfg==,
+ }
+ dependencies:
+ dot-case: 3.0.4
+ tslib: 2.4.0
+ dev: true
+
+ /path-exists/4.0.0:
+ resolution:
+ {
+ integrity: sha512-ak9Qy5Q7jYb2Wwcey5Fpvg2KoAc/ZIhLSLOSBmRmygPsGwkVVt0fZa0qrtMz+m6tJTAHfZQ8FnmB4MG4LWy7/w==,
+ }
+ engines: { node: '>=8' }
+ dev: true
+
+ /path-is-absolute/1.0.1:
+ resolution:
+ {
+ integrity: sha512-AVbw3UJ2e9bq64vSaS9Am0fje1Pa8pbGqTTsmXfaIiMpnr5DlDhfJOuLj9Sf95ZPVDAUerDfEk88MPmPe7UCQg==,
+ }
+ engines: { node: '>=0.10.0' }
+ dev: true
+
+ /path-key/2.0.1:
+ resolution:
+ {
+ integrity: sha512-fEHGKCSmUSDPv4uoj8AlD+joPlq3peND+HRYyxFz4KPw4z926S/b8rIuFs2FYJg3BwsxJf6A9/3eIdLaYC+9Dw==,
+ }
+ engines: { node: '>=4' }
+ dev: true
+
+ /path-key/3.1.1:
+ resolution:
+ {
+ integrity: sha512-ojmeN0qd+y0jszEtoY48r0Peq5dwMEkIlCOu6Q5f41lfkswXuKtYrhgoTpLnyIcHm24Uhqx+5Tqm2InSwLhE6Q==,
+ }
+ engines: { node: '>=8' }
+ dev: true
+
+ /path-key/4.0.0:
+ resolution:
+ {
+ integrity: sha512-haREypq7xkM7ErfgIyA0z+Bj4AGKlMSdlQE2jvJo6huWD1EdkKYV+G/T4nq0YEF2vgTT8kqMFKo1uHn950r4SQ==,
+ }
+ engines: { node: '>=12' }
+ dev: true
+
+ /path-parse/1.0.7:
+ resolution:
+ {
+ integrity: sha512-LDJzPVEEEPR+y48z93A0Ed0yXb8pAByGWo/k5YYdYgpY2/2EsOsksJrq7lOHxryrVOn1ejG6oAp8ahvOIQD8sw==,
+ }
+ dev: true
+
+ /path-type/3.0.0:
+ resolution:
+ {
+ integrity: sha512-T2ZUsdZFHgA3u4e5PfPbjd7HDDpxPnQb5jN0SrDsjNSuVXHJqtwTnWqG0B1jZrgmJ/7lj1EmVIByWt1gxGkWvg==,
+ }
+ engines: { node: '>=4' }
+ dependencies:
+ pify: 3.0.0
+ dev: true
+
+ /path-type/4.0.0:
+ resolution:
+ {
+ integrity: sha512-gDKb8aZMDeD/tZWs9P6+q0J9Mwkdl6xMV8TjnGP3qJVJ06bdMgkbBlLU8IdfOsIsFz2BW1rNVT3XuNEl8zPAvw==,
+ }
+ engines: { node: '>=8' }
+ dev: true
+
+ /pathe/0.2.0:
+ resolution:
+ {
+ integrity: sha512-sTitTPYnn23esFR3RlqYBWn4c45WGeLcsKzQiUpXJAyfcWkolvlYpV8FLo7JishK946oQwMFUCHXQ9AjGPKExw==,
+ }
+ dev: true
+
+ /pathe/0.3.4:
+ resolution:
+ {
+ integrity: sha512-YWgqEdxf36R6vcsyj0A+yT/rDRPe0wui4J9gRR7T4whjU5Lx/jZOr75ckEgTNaLVQABAwsrlzHRpIKcCdXAQ5A==,
+ }
+ dev: true
+
+ /picocolors/1.0.0:
+ resolution:
+ {
+ integrity: sha512-1fygroTLlHu66zi26VoTDv8yRgm0Fccecssto+MhsZ0D/DGW2sm8E8AjW7NU5VVTRt5GxbeZ5qBuJr+HyLYkjQ==,
+ }
+
+ /picomatch/2.3.1:
+ resolution:
+ {
+ integrity: sha512-JU3teHTNjmE2VCGFzuY8EXzCDVwEqB2a8fsIvwaStHhAWJEeVd1o1QD80CU6+ZdEXXSLbSsuLwJjkCBWqRQUVA==,
+ }
+ engines: { node: '>=8.6' }
+ dev: true
+
+ /pidtree/0.3.1:
+ resolution:
+ {
+ integrity: sha512-qQbW94hLHEqCg7nhby4yRC7G2+jYHY4Rguc2bjw7Uug4GIJuu1tvf2uHaZv5Q8zdt+WKJ6qK1FOI6amaWUo5FA==,
+ }
+ engines: { node: '>=0.10' }
+ hasBin: true
+ dev: true
+
+ /pidtree/0.6.0:
+ resolution:
+ {
+ integrity: sha512-eG2dWTVw5bzqGRztnHExczNxt5VGsE6OwTeCG3fdUf9KBsZzO3R5OIIIzWR+iZA0NtZ+RDVdaoE2dK1cn6jH4g==,
+ }
+ engines: { node: '>=0.10' }
+ hasBin: true
+ dev: true
+
+ /pify/2.3.0:
+ resolution:
+ {
+ integrity: sha512-udgsAY+fTnvv7kI7aaxbqwWNb0AHiB0qBO89PZKPkoTmGOgdbrHDKD+0B2X4uTfJ/FT1R09r9gTsjUjNJotuog==,
+ }
+ engines: { node: '>=0.10.0' }
+ dev: true
+
+ /pify/3.0.0:
+ resolution:
+ {
+ integrity: sha512-C3FsVNH1udSEX48gGX1xfvwTWfsYWj5U+8/uK15BGzIGrKoUpghX8hWZwa/OFnakBiiVNmBvemTJR5mcy7iPcg==,
+ }
+ engines: { node: '>=4' }
+ dev: true
+
+ /pinia-plugin-persist/1.0.0_pinia@2.0.18+vue@3.2.37:
+ resolution:
+ {
+ integrity: sha512-M4hBBd8fz/GgNmUPaaUsC29y1M09lqbXrMAHcusVoU8xlQi1TqgkWnnhvMikZwr7Le/hVyMx8KUcumGGrR6GVw==,
+ }
+ peerDependencies:
+ '@vue/composition-api': ^1.0.0
+ pinia: ^2.0.0
+ vue: ^2.0.0 || >=3.0.0
+ peerDependenciesMeta:
+ '@vue/composition-api':
+ optional: true
+ dependencies:
+ pinia: 2.0.18_j6bzmzd4ujpabbp5objtwxyjp4
+ vue: 3.2.37
+ vue-demi: 0.12.5_vue@3.2.37
+ dev: false
+
+ /pinia/2.0.18_j6bzmzd4ujpabbp5objtwxyjp4:
+ resolution:
+ {
+ integrity: sha512-I5MW05UVX6a5Djka136oH3VzYFiZUgeOApBwFjMx6pL91eHtGVlE3adjNUKLgtwGnrxiBRuJ8+4R3LKJKwnyZg==,
+ }
+ peerDependencies:
+ '@vue/composition-api': ^1.4.0
+ typescript: '>=4.4.4'
+ vue: ^2.6.14 || ^3.2.0
+ peerDependenciesMeta:
+ '@vue/composition-api':
+ optional: true
+ typescript:
+ optional: true
+ dependencies:
+ '@vue/devtools-api': 6.2.1
+ typescript: 4.7.4
+ vue: 3.2.37
+ vue-demi: 0.13.8_vue@3.2.37
+ dev: false
+
+ /pkg-types/0.3.3:
+ resolution:
+ {
+ integrity: sha512-6AJcCMnjUQPQv/Wk960w0TOmjhdjbeaQJoSKWRQv9N3rgkessCu6J0Ydsog/nw1MbpnxHuPzYbfOn2KmlZO1FA==,
+ }
+ dependencies:
+ jsonc-parser: 3.1.0
+ mlly: 0.5.12
+ pathe: 0.3.4
+ dev: true
+
+ /pluralize/8.0.0:
+ resolution:
+ {
+ integrity: sha512-Nc3IT5yHzflTfbjgqWcCPpo7DaKy4FnpB0l/zCAW0Tc7jxAiuqSxHasntB3D7887LSrA93kDJ9IXovxJYxyLCA==,
+ }
+ engines: { node: '>=4' }
+ dev: true
+
+ /postcss-import/14.1.0_postcss@8.4.16:
+ resolution:
+ {
+ integrity: sha512-flwI+Vgm4SElObFVPpTIT7SU7R3qk2L7PyduMcokiaVKuWv9d/U+Gm/QAd8NDLuykTWTkcrjOeD2Pp1rMeBTGw==,
+ }
+ engines: { node: '>=10.0.0' }
+ peerDependencies:
+ postcss: ^8.0.0
+ dependencies:
+ postcss: 8.4.16
+ postcss-value-parser: 4.2.0
+ read-cache: 1.0.0
+ resolve: 1.22.1
+ dev: true
+
+ /postcss-js/4.0.0_postcss@8.4.16:
+ resolution:
+ {
+ integrity: sha512-77QESFBwgX4irogGVPgQ5s07vLvFqWr228qZY+w6lW599cRlK/HmnlivnnVUxkjHnCu4J16PDMHcH+e+2HbvTQ==,
+ }
+ engines: { node: ^12 || ^14 || >= 16 }
+ peerDependencies:
+ postcss: ^8.3.3
+ dependencies:
+ camelcase-css: 2.0.1
+ postcss: 8.4.16
+ dev: true
+
+ /postcss-load-config/3.1.4_postcss@8.4.16:
+ resolution:
+ {
+ integrity: sha512-6DiM4E7v4coTE4uzA8U//WhtPwyhiim3eyjEMFCnUpzbrkK9wJHgKDT2mR+HbtSrd/NubVaYTOpSpjUl8NQeRg==,
+ }
+ engines: { node: '>= 10' }
+ peerDependencies:
+ postcss: '>=8.0.9'
+ ts-node: '>=9.0.0'
+ peerDependenciesMeta:
+ postcss:
+ optional: true
+ ts-node:
+ optional: true
+ dependencies:
+ lilconfig: 2.0.6
+ postcss: 8.4.16
+ yaml: 1.10.2
+ dev: true
+
+ /postcss-nested/5.0.6_postcss@8.4.16:
+ resolution:
+ {
+ integrity: sha512-rKqm2Fk0KbA8Vt3AdGN0FB9OBOMDVajMG6ZCf/GoHgdxUJ4sBFp0A/uMIRm+MJUdo33YXEtjqIz8u7DAp8B7DA==,
+ }
+ engines: { node: '>=12.0' }
+ peerDependencies:
+ postcss: ^8.2.14
+ dependencies:
+ postcss: 8.4.16
+ postcss-selector-parser: 6.0.10
+ dev: true
+
+ /postcss-selector-parser/6.0.10:
+ resolution:
+ {
+ integrity: sha512-IQ7TZdoaqbT+LCpShg46jnZVlhWD2w6iQYAcYXfHARZ7X1t/UGhhceQDs5X0cGqKvYlHNOuv7Oa1xmb0oQuA3w==,
+ }
+ engines: { node: '>=4' }
+ dependencies:
+ cssesc: 3.0.0
+ util-deprecate: 1.0.2
+ dev: true
+
+ /postcss-value-parser/4.2.0:
+ resolution:
+ {
+ integrity: sha512-1NNCs6uurfkVbeXG4S8JFT9t19m45ICnif8zWLd5oPSZ50QnwMfK+H3jv408d4jw/7Bttv5axS5IiHoLaVNHeQ==,
+ }
+ dev: true
+
+ /postcss/8.4.16:
+ resolution:
+ {
+ integrity: sha512-ipHE1XBvKzm5xI7hiHCZJCSugxvsdq2mPnsq5+UF+VHCjiBvtDrlxJfMBToWaP9D5XlgNmcFGqoHmUn0EYEaRQ==,
+ }
+ engines: { node: ^10 || ^12 || >=14 }
+ dependencies:
+ nanoid: 3.3.4
+ picocolors: 1.0.0
+ source-map-js: 1.0.2
+
+ /prelude-ls/1.2.1:
+ resolution:
+ {
+ integrity: sha512-vkcDPrRZo1QZLbn5RLGPpg/WmIQ65qoWWhcGKf/b5eplkkarX0m9z8ppCat4mlOqUsWpyNuYgO3VRyrYHSzX5g==,
+ }
+ engines: { node: '>= 0.8.0' }
+ dev: true
+
+ /prettier-linter-helpers/1.0.0:
+ resolution:
+ {
+ integrity: sha512-GbK2cP9nraSSUF9N2XwUwqfzlAFlMNYYl+ShE/V+H8a9uNl/oUqB1w2EL54Jh0OlyRSd8RfWYJ3coVS4TROP2w==,
+ }
+ engines: { node: '>=6.0.0' }
+ dependencies:
+ fast-diff: 1.2.0
+ dev: true
+
+ /prettier/2.7.1:
+ resolution:
+ {
+ integrity: sha512-ujppO+MkdPqoVINuDFDRLClm7D78qbDt0/NR+wp5FqEZOoTNAjPHWj17QRhu7geIHJfcNhRk1XVQmF8Bp3ye+g==,
+ }
+ engines: { node: '>=10.13.0' }
+ hasBin: true
+ dev: true
+
+ /pretty-quick/3.1.3_prettier@2.7.1:
+ resolution:
+ {
+ integrity: sha512-kOCi2FJabvuh1as9enxYmrnBC6tVMoVOenMaBqRfsvBHB0cbpYHjdQEpSglpASDFEXVwplpcGR4CLEaisYAFcA==,
+ }
+ engines: { node: '>=10.13' }
+ hasBin: true
+ peerDependencies:
+ prettier: '>=2.0.0'
+ dependencies:
+ chalk: 3.0.0
+ execa: 4.1.0
+ find-up: 4.1.0
+ ignore: 5.2.0
+ mri: 1.2.0
+ multimatch: 4.0.0
+ prettier: 2.7.1
+ dev: true
+
+ /pump/3.0.0:
+ resolution:
+ {
+ integrity: sha512-LwZy+p3SFs1Pytd/jYct4wpv49HiYCqd9Rlc5ZVdk0V+8Yzv6jR5Blk3TRmPL1ft69TxP0IMZGJ+WPFU2BFhww==,
+ }
+ dependencies:
+ end-of-stream: 1.4.4
+ once: 1.4.0
+ dev: true
+
+ /punycode/2.1.1:
+ resolution:
+ {
+ integrity: sha512-XRsRjdf+j5ml+y/6GKHPZbrF/8p2Yga0JPtdqTIY2Xe5ohJPD9saDJJLPvp9+NSBprVvevdXZybnj2cv8OEd0A==,
+ }
+ engines: { node: '>=6' }
+ dev: true
+
+ /q/1.5.1:
+ resolution:
+ {
+ integrity: sha512-kV/CThkXo6xyFEZUugw/+pIOywXcDbFYgSct5cT3gqlbkBE1SJdwy6UQoZvodiWF/ckQLZyDE/Bu1M6gVu5lVw==,
+ }
+ engines: { node: '>=0.6.0', teleport: '>=0.2.0' }
+ dev: true
+
+ /queue-microtask/1.2.3:
+ resolution:
+ {
+ integrity: sha512-NuaNSa6flKT5JaSYQzJok04JzTL1CA6aGhv5rfLW3PgqA+M2ChpZQnAC8h8i4ZFkBS8X5RqkDBHA7r4hej3K9A==,
+ }
+ dev: true
+
+ /quick-lru/4.0.1:
+ resolution:
+ {
+ integrity: sha512-ARhCpm70fzdcvNQfPoy49IaanKkTlRWF2JMzqhcJbhSFRZv7nPTvZJdcY7301IPmvW+/p0RgIWnQDLJxifsQ7g==,
+ }
+ engines: { node: '>=8' }
+ dev: true
+
+ /quick-lru/5.1.1:
+ resolution:
+ {
+ integrity: sha512-WuyALRjWPDGtt/wzJiadO5AXY+8hZ80hVpe6MyivgraREW751X3SbhRvG3eLKOYN+8VEvqLcf3wdnt44Z4S4SA==,
+ }
+ engines: { node: '>=10' }
+ dev: true
+
+ /read-cache/1.0.0:
+ resolution:
+ {
+ integrity: sha512-Owdv/Ft7IjOgm/i0xvNDZ1LrRANRfew4b2prF3OWMQLxLfu3bS8FVhCsrSCMK4lR56Y9ya+AThoTpDCTxCmpRA==,
+ }
+ dependencies:
+ pify: 2.3.0
+ dev: true
+
+ /read-pkg-up/7.0.1:
+ resolution:
+ {
+ integrity: sha512-zK0TB7Xd6JpCLmlLmufqykGE+/TlOePD6qKClNW7hHDKFh/J7/7gCWGR7joEQEW1bKq3a3yUZSObOoWLFQ4ohg==,
+ }
+ engines: { node: '>=8' }
+ dependencies:
+ find-up: 4.1.0
+ read-pkg: 5.2.0
+ type-fest: 0.8.1
+ dev: true
+
+ /read-pkg/3.0.0:
+ resolution:
+ {
+ integrity: sha512-BLq/cCO9two+lBgiTYNqD6GdtK8s4NpaWrl6/rCO9w0TUS8oJl7cmToOZfRYllKTISY6nt1U7jQ53brmKqY6BA==,
+ }
+ engines: { node: '>=4' }
+ dependencies:
+ load-json-file: 4.0.0
+ normalize-package-data: 2.5.0
+ path-type: 3.0.0
+ dev: true
+
+ /read-pkg/5.2.0:
+ resolution:
+ {
+ integrity: sha512-Ug69mNOpfvKDAc2Q8DRpMjjzdtrnv9HcSMX+4VsZxD1aZ6ZzrIE7rlzXBtWTyhULSMKg076AW6WR5iZpD0JiOg==,
+ }
+ engines: { node: '>=8' }
+ dependencies:
+ '@types/normalize-package-data': 2.4.1
+ normalize-package-data: 2.5.0
+ parse-json: 5.2.0
+ type-fest: 0.6.0
+ dev: true
+
+ /readable-stream/3.6.0:
+ resolution:
+ {
+ integrity: sha512-BViHy7LKeTz4oNnkcLJ+lVSL6vpiFeX6/d3oSH8zCW7UxP2onchk+vTGB143xuFjHS3deTgkKoXXymXqymiIdA==,
+ }
+ engines: { node: '>= 6' }
+ dependencies:
+ inherits: 2.0.4
+ string_decoder: 1.3.0
+ util-deprecate: 1.0.2
+ dev: true
+
+ /readdirp/3.6.0:
+ resolution:
+ {
+ integrity: sha512-hOS089on8RduqdbhvQ5Z37A0ESjsqz6qnRcffsMU3495FuTdqSm+7bhJ29JvIOsBDEEnan5DPu9t3To9VRlMzA==,
+ }
+ engines: { node: '>=8.10.0' }
+ dependencies:
+ picomatch: 2.3.1
+ dev: true
+
+ /redent/3.0.0:
+ resolution:
+ {
+ integrity: sha512-6tDA8g98We0zd0GvVeMT9arEOnTw9qM03L9cJXaCjrip1OO764RDBLBfrB4cwzNGDj5OA5ioymC9GkizgWJDUg==,
+ }
+ engines: { node: '>=8' }
+ dependencies:
+ indent-string: 4.0.0
+ strip-indent: 3.0.0
+ dev: true
+
+ /regexp-tree/0.1.24:
+ resolution:
+ {
+ integrity: sha512-s2aEVuLhvnVJW6s/iPgEGK6R+/xngd2jNQ+xy4bXNDKxZKJH6jpPHY6kVeVv1IeLCHgswRj+Kl3ELaDjG6V1iw==,
+ }
+ hasBin: true
+ dev: true
+
+ /regexp.prototype.flags/1.4.3:
+ resolution:
+ {
+ integrity: sha512-fjggEOO3slI6Wvgjwflkc4NFRCTZAu5CnNfBd5qOMYhWdn67nJBBu34/TkD++eeFmd8C9r9jfXJ27+nSiRkSUA==,
+ }
+ engines: { node: '>= 0.4' }
+ dependencies:
+ call-bind: 1.0.2
+ define-properties: 1.1.4
+ functions-have-names: 1.2.3
+ dev: true
+
+ /regexpp/3.2.0:
+ resolution:
+ {
+ integrity: sha512-pq2bWo9mVD43nbts2wGv17XLiNLya+GklZ8kaDLV2Z08gDCsGpnKn9BFMepvWuHCbyVvY7J5o5+BVvoQbmlJLg==,
+ }
+ engines: { node: '>=8' }
+ dev: true
+
+ /require-directory/2.1.1:
+ resolution:
+ {
+ integrity: sha512-fGxEI7+wsG9xrvdjsrlmL22OMTTiHRwAMroiEeMgq8gzoLC/PQr7RsRDSTLUg/bZAZtF+TVIkHc6/4RIKrui+Q==,
+ }
+ engines: { node: '>=0.10.0' }
+ dev: true
+
+ /require-from-string/2.0.2:
+ resolution:
+ {
+ integrity: sha512-Xf0nWe6RseziFMu+Ap9biiUbmplq6S9/p+7w7YXP/JBHhrUDDUhwa+vANyubuqfZWTveU//DYVGsDG7RKL/vEw==,
+ }
+ engines: { node: '>=0.10.0' }
+ dev: true
+
+ /resize-observer-polyfill/1.5.1:
+ resolution:
+ {
+ integrity: sha512-LwZrotdHOo12nQuZlHEmtuXdqGoOD0OhaxopaNFxWzInpEgaLWoVuAMbTzixuosCx2nEG58ngzW3vxdWoxIgdg==,
+ }
+ dev: false
+
+ /resolve-from/4.0.0:
+ resolution:
+ {
+ integrity: sha512-pb/MYmXstAkysRFx8piNI1tGFNQIFA3vkE3Gq4EuA1dF6gHp/+vgZqsCGJapvy8N3Q+4o7FwvquPJcnZ7RYy4g==,
+ }
+ engines: { node: '>=4' }
+ dev: true
+
+ /resolve-from/5.0.0:
+ resolution:
+ {
+ integrity: sha512-qYg9KP24dD5qka9J47d0aVky0N+b4fTU89LN9iDnjB5waksiC49rvMB0PrUJQGoTmH50XPiqOvAjDfaijGxYZw==,
+ }
+ engines: { node: '>=8' }
+ dev: true
+
+ /resolve-global/1.0.0:
+ resolution:
+ {
+ integrity: sha512-zFa12V4OLtT5XUX/Q4VLvTfBf+Ok0SPc1FNGM/z9ctUdiU618qwKpWnd0CHs3+RqROfyEg/DhuHbMWYqcgljEw==,
+ }
+ engines: { node: '>=8' }
+ dependencies:
+ global-dirs: 0.1.1
+ dev: true
+
+ /resolve/1.22.1:
+ resolution:
+ {
+ integrity: sha512-nBpuuYuY5jFsli/JIs1oldw6fOQCBioohqWZg/2hiaOybXOft4lonv85uDOKXdf8rhyK159cxU5cDcK/NKk8zw==,
+ }
+ hasBin: true
+ dependencies:
+ is-core-module: 2.10.0
+ path-parse: 1.0.7
+ supports-preserve-symlinks-flag: 1.0.0
+ dev: true
+
+ /restore-cursor/3.1.0:
+ resolution:
+ {
+ integrity: sha512-l+sSefzHpj5qimhFSE5a8nufZYAM3sBSVMAPtYkmC+4EH2anSGaEMXSD0izRQbu9nfyQ9y5JrVmp7E8oZrUjvA==,
+ }
+ engines: { node: '>=8' }
+ dependencies:
+ onetime: 5.1.2
+ signal-exit: 3.0.7
+ dev: true
+
+ /reusify/1.0.4:
+ resolution:
+ {
+ integrity: sha512-U9nH88a3fc/ekCF1l0/UP1IosiuIjyTh7hBvXVMHYgVcfGvt897Xguj2UOLDeI5BG2m7/uwyaLVT6fbtCwTyzw==,
+ }
+ engines: { iojs: '>=1.0.0', node: '>=0.10.0' }
+ dev: true
+
+ /rfdc/1.3.0:
+ resolution:
+ {
+ integrity: sha512-V2hovdzFbOi77/WajaSMXk2OLm+xNIeQdMMuB7icj7bk6zi2F8GGAxigcnDFpJHbNyNcgyJDiP+8nOrY5cZGrA==,
+ }
+ dev: true
+
+ /rimraf/3.0.2:
+ resolution:
+ {
+ integrity: sha512-JZkJMZkAGFFPP2YqXZXPbMlMBgsxzE8ILs4lMIX/2o0L9UBw9O/Y3o6wFw/i9YLapcUJWwqbi3kdxIPdC62TIA==,
+ }
+ hasBin: true
+ dependencies:
+ glob: 7.2.3
+ dev: true
+
+ /rollup-plugin-visualizer/5.7.1:
+ resolution:
+ {
+ integrity: sha512-E/IgOMnmXKlc6ICyf53ok1b6DxPeNVUs3R0kYYPuDpGfofT4bkiG+KtSMlGjMACFmfwbbqTVDZBIF7sMZVKJbA==,
+ }
+ engines: { node: '>=14' }
+ hasBin: true
+ peerDependencies:
+ rollup: ^2.0.0
+ dependencies:
+ nanoid: 3.3.4
+ open: 8.4.0
+ source-map: 0.7.4
+ yargs: 17.5.1
+ dev: true
+
+ /rollup/2.77.3:
+ resolution:
+ {
+ integrity: sha512-/qxNTG7FbmefJWoeeYJFbHehJ2HNWnjkAFRKzWN/45eNBBF/r8lo992CwcJXEzyVxs5FmfId+vTSTQDb+bxA+g==,
+ }
+ engines: { node: '>=10.0.0' }
+ hasBin: true
+ optionalDependencies:
+ fsevents: 2.3.2
+ dev: true
+
+ /run-parallel/1.2.0:
+ resolution:
+ {
+ integrity: sha512-5l4VyZR86LZ/lDxZTR6jqL8AFE2S0IFLMP26AbjsLVADxHdhB/c0GUsH+y39UfCi3dzz8OlQuPmnaJOMoDHQBA==,
+ }
+ dependencies:
+ queue-microtask: 1.2.3
+ dev: true
+
+ /rxjs/7.5.6:
+ resolution:
+ {
+ integrity: sha512-dnyv2/YsXhnm461G+R/Pe5bWP41Nm6LBXEYWI6eiFP4fiwx6WRI/CD0zbdVAudd9xwLEF2IDcKXLHit0FYjUzw==,
+ }
+ dependencies:
+ tslib: 2.4.0
+ dev: true
+
+ /safe-buffer/5.1.2:
+ resolution:
+ {
+ integrity: sha512-Gd2UZBJDkXlY7GbJxfsE8/nvKkUEU1G38c1siN6QP6a9PT9MmHB8GnpscSmMJSoF8LOIrt8ud/wPtojys4G6+g==,
+ }
+ dev: true
+
+ /safe-buffer/5.2.1:
+ resolution:
+ {
+ integrity: sha512-rp3So07KcdmmKbGvgaNxQSJr7bGVSVk5S9Eq1F+ppbRo70+YeaDxkw5Dd8NPN+GD6bjnYm2VuPuCXmpuYvmCXQ==,
+ }
+ dev: true
+
+ /safe-regex/2.1.1:
+ resolution:
+ {
+ integrity: sha512-rx+x8AMzKb5Q5lQ95Zoi6ZbJqwCLkqi3XuJXp5P3rT8OEc6sZCJG5AE5dU3lsgRr/F4Bs31jSlVN+j5KrsGu9A==,
+ }
+ dependencies:
+ regexp-tree: 0.1.24
+ dev: true
+
+ /sass/1.54.4:
+ resolution:
+ {
+ integrity: sha512-3tmF16yvnBwtlPrNBHw/H907j8MlOX8aTBnlNX1yrKx24RKcJGPyLhFUwkoKBKesR3unP93/2z14Ll8NicwQUA==,
+ }
+ engines: { node: '>=12.0.0' }
+ hasBin: true
+ dependencies:
+ chokidar: 3.5.3
+ immutable: 4.1.0
+ source-map-js: 1.0.2
+ dev: true
+
+ /scroll-into-view-if-needed/2.2.29:
+ resolution:
+ {
+ integrity: sha512-hxpAR6AN+Gh53AdAimHM6C8oTN1ppwVZITihix+WqalywBeFcQ6LdQP5ABNl26nX8GTEL7VT+b8lKpdqq65wXg==,
+ }
+ dependencies:
+ compute-scroll-into-view: 1.0.17
+ dev: false
+
+ /scule/0.3.2:
+ resolution:
+ {
+ integrity: sha512-zIvPdjOH8fv8CgrPT5eqtxHQXmPNnV/vHJYffZhE43KZkvULvpCTvOt1HPlFaCZx287INL9qaqrZg34e8NgI4g==,
+ }
+ dev: true
+
+ /semver/5.7.1:
+ resolution:
+ {
+ integrity: sha512-sauaDf/PZdVgrLTNYHRtpXa1iRiKcaebiKQ1BJdpQlWH2lCvexQdX55snPFyK7QzpudqbCI0qXFfOasHdyNDGQ==,
+ }
+ hasBin: true
+ dev: true
+
+ /semver/6.3.0:
+ resolution:
+ {
+ integrity: sha512-b39TBaTSfV6yBrapU89p5fKekE2m/NwnDocOVruQFS1/veMgdzuPcnOM34M6CwxW8jH/lxEa5rBoDeUwu5HHTw==,
+ }
+ hasBin: true
+ dev: true
+
+ /semver/7.3.7:
+ resolution:
+ {
+ integrity: sha512-QlYTucUYOews+WeEujDoEGziz4K6c47V/Bd+LjSSYcA94p+DmINdf7ncaUinThfvZyu13lN9OY1XDxt8C0Tw0g==,
+ }
+ engines: { node: '>=10' }
+ hasBin: true
+ dependencies:
+ lru-cache: 6.0.0
+ dev: true
+
+ /sentence-case/3.0.4:
+ resolution:
+ {
+ integrity: sha512-8LS0JInaQMCRoQ7YUytAo/xUu5W2XnQxV2HI/6uM6U7CITS1RqPElr30V6uIqyMKM9lJGRVFy5/4CuzcixNYSg==,
+ }
+ dependencies:
+ no-case: 3.0.4
+ tslib: 2.4.0
+ upper-case-first: 2.0.2
+ dev: true
+
+ /shebang-command/1.2.0:
+ resolution:
+ {
+ integrity: sha512-EV3L1+UQWGor21OmnvojK36mhg+TyIKDh3iFBKBohr5xeXIhNBcx8oWdgkTEEQ+BEFFYdLRuqMfd5L84N1V5Vg==,
+ }
+ engines: { node: '>=0.10.0' }
+ dependencies:
+ shebang-regex: 1.0.0
+ dev: true
+
+ /shebang-command/2.0.0:
+ resolution:
+ {
+ integrity: sha512-kHxr2zZpYtdmrN1qDjrrX/Z1rR1kG8Dx+gkpK1G4eXmvXswmcE1hTWBWYUzlraYw1/yZp6YuDY77YtvbN0dmDA==,
+ }
+ engines: { node: '>=8' }
+ dependencies:
+ shebang-regex: 3.0.0
+ dev: true
+
+ /shebang-regex/1.0.0:
+ resolution:
+ {
+ integrity: sha512-wpoSFAxys6b2a2wHZ1XpDSgD7N9iVjg29Ph9uV/uaP9Ex/KXlkTZTeddxDPSYQpgvzKLGJke2UU0AzoGCjNIvQ==,
+ }
+ engines: { node: '>=0.10.0' }
+ dev: true
+
+ /shebang-regex/3.0.0:
+ resolution:
+ {
+ integrity: sha512-7++dFhtcx3353uBaq8DDR4NuxBetBzC7ZQOhmTQInHEd6bSrXdiEyzCvG07Z44UYdLShWUyXt5M/yhz8ekcb1A==,
+ }
+ engines: { node: '>=8' }
+ dev: true
+
+ /shell-quote/1.7.3:
+ resolution:
+ {
+ integrity: sha512-Vpfqwm4EnqGdlsBFNmHhxhElJYrdfcxPThu+ryKS5J8L/fhAwLazFZtq+S+TWZ9ANj2piSQLGj6NQg+lKPmxrw==,
+ }
+ dev: true
+
+ /side-channel/1.0.4:
+ resolution:
+ {
+ integrity: sha512-q5XPytqFEIKHkGdiMIrY10mvLRvnQh42/+GoBlFW3b2LXLE2xxJpZFdm94we0BaoV3RwJyGqg5wS7epxTv0Zvw==,
+ }
+ dependencies:
+ call-bind: 1.0.2
+ get-intrinsic: 1.1.2
+ object-inspect: 1.12.2
+ dev: true
+
+ /signal-exit/3.0.7:
+ resolution:
+ {
+ integrity: sha512-wnD2ZE+l+SPC/uoS0vXeE9L1+0wuaMqKlfz9AMUo38JsyLSBWSFcHR1Rri62LZc12vLr1gb3jl7iwQhgwpAbGQ==,
+ }
+ dev: true
+
+ /simple-swizzle/0.2.2:
+ resolution:
+ {
+ integrity: sha512-JA//kQgZtbuY83m+xT+tXJkmJncGMTFT+C+g2h2R9uxkYIrE2yy9sgmcLhCnw57/WSD+Eh3J97FPEDFnbXnDUg==,
+ }
+ dependencies:
+ is-arrayish: 0.3.2
+ dev: false
+
+ /sirv/2.0.2:
+ resolution:
+ {
+ integrity: sha512-4Qog6aE29nIjAOKe/wowFTxOdmbEZKb+3tsLljaBRzJwtqto0BChD2zzH0LhgCSXiI+V7X+Y45v14wBZQ1TK3w==,
+ }
+ engines: { node: '>= 10' }
+ dependencies:
+ '@polka/url': 1.0.0-next.21
+ mrmime: 1.0.1
+ totalist: 3.0.0
+ dev: true
+
+ /slash/3.0.0:
+ resolution:
+ {
+ integrity: sha512-g9Q1haeby36OSStwb4ntCGGGaKsaVSjQ68fBxoQcutl5fS1vuY18H3wSt3jFyFtrkx+Kz0V1G85A4MyAdDMi2Q==,
+ }
+ engines: { node: '>=8' }
+ dev: true
+
+ /slice-ansi/3.0.0:
+ resolution:
+ {
+ integrity: sha512-pSyv7bSTC7ig9Dcgbw9AuRNUb5k5V6oDudjZoMBSr13qpLBG7tB+zgCkARjq7xIUgdz5P1Qe8u+rSGdouOOIyQ==,
+ }
+ engines: { node: '>=8' }
+ dependencies:
+ ansi-styles: 4.3.0
+ astral-regex: 2.0.0
+ is-fullwidth-code-point: 3.0.0
+ dev: true
+
+ /slice-ansi/4.0.0:
+ resolution:
+ {
+ integrity: sha512-qMCMfhY040cVHT43K9BFygqYbUPFZKHOg7K73mtTWJRb8pyP3fzf4Ixd5SzdEJQ6MRUg/WBnOLxghZtKKurENQ==,
+ }
+ engines: { node: '>=10' }
+ dependencies:
+ ansi-styles: 4.3.0
+ astral-regex: 2.0.0
+ is-fullwidth-code-point: 3.0.0
+ dev: true
+
+ /slice-ansi/5.0.0:
+ resolution:
+ {
+ integrity: sha512-FC+lgizVPfie0kkhqUScwRu1O/lF6NOgJmlCgK+/LYxDCTk8sGelYaHDhFcDN+Sn3Cv+3VSa4Byeo+IMCzpMgQ==,
+ }
+ engines: { node: '>=12' }
+ dependencies:
+ ansi-styles: 6.1.0
+ is-fullwidth-code-point: 4.0.0
+ dev: true
+
+ /snake-case/3.0.4:
+ resolution:
+ {
+ integrity: sha512-LAOh4z89bGQvl9pFfNF8V146i7o7/CqFPbqzYgP+yYzDIDeS9HaNFtXABamRW+AQzEVODcvE79ljJ+8a9YSdMg==,
+ }
+ dependencies:
+ dot-case: 3.0.4
+ tslib: 2.4.0
+ dev: true
+
+ /sortablejs/1.14.0:
+ resolution:
+ {
+ integrity: sha512-pBXvQCs5/33fdN1/39pPL0NZF20LeRbLQ5jtnheIPN9JQAaufGjKdWduZn4U7wCtVuzKhmRkI0DFYHYRbB2H1w==,
+ }
+ dev: false
+
+ /source-map-js/1.0.2:
+ resolution:
+ {
+ integrity: sha512-R0XvVJ9WusLiqTCEiGCmICCMplcCkIwwR11mOSD9CR5u+IXYdiseeEuXCVAjS54zqwkLcPNnmU4OeJ6tUrWhDw==,
+ }
+ engines: { node: '>=0.10.0' }
+
+ /source-map/0.6.1:
+ resolution:
+ {
+ integrity: sha512-UjgapumWlbMhkBgzT7Ykc5YXUT46F0iKu8SGXq0bcwP5dz/h0Plj6enJqjz1Zbq2l5WaqYnrVbwWOWMyF3F47g==,
+ }
+ engines: { node: '>=0.10.0' }
+
+ /source-map/0.7.4:
+ resolution:
+ {
+ integrity: sha512-l3BikUxvPOcn5E74dZiq5BGsTb5yEwhaTSzccU6t4sDOH8NWJCstKO5QT2CvtFoK6F0saL7p9xHAqHOlCPJygA==,
+ }
+ engines: { node: '>= 8' }
+ dev: true
+
+ /sourcemap-codec/1.4.8:
+ resolution:
+ {
+ integrity: sha512-9NykojV5Uih4lgo5So5dtw+f0JgJX30KCNI8gwhz2J9A15wD0Ml6tjHKwf6fTSa6fAdVBdZeNOs9eJ71qCk8vA==,
+ }
+
+ /spdx-correct/3.1.1:
+ resolution:
+ {
+ integrity: sha512-cOYcUWwhCuHCXi49RhFRCyJEK3iPj1Ziz9DpViV3tbZOwXD49QzIN3MpOLJNxh2qwq2lJJZaKMVw9qNi4jTC0w==,
+ }
+ dependencies:
+ spdx-expression-parse: 3.0.1
+ spdx-license-ids: 3.0.11
+ dev: true
+
+ /spdx-exceptions/2.3.0:
+ resolution:
+ {
+ integrity: sha512-/tTrYOC7PPI1nUAgx34hUpqXuyJG+DTHJTnIULG4rDygi4xu/tfgmq1e1cIRwRzwZgo4NLySi+ricLkZkw4i5A==,
+ }
+ dev: true
+
+ /spdx-expression-parse/3.0.1:
+ resolution:
+ {
+ integrity: sha512-cbqHunsQWnJNE6KhVSMsMeH5H/L9EpymbzqTQ3uLwNCLZ1Q481oWaofqH7nO6V07xlXwY6PhQdQ2IedWx/ZK4Q==,
+ }
+ dependencies:
+ spdx-exceptions: 2.3.0
+ spdx-license-ids: 3.0.11
+ dev: true
+
+ /spdx-license-ids/3.0.11:
+ resolution:
+ {
+ integrity: sha512-Ctl2BrFiM0X3MANYgj3CkygxhRmr9mi6xhejbdO960nF6EDJApTYpn0BQnDKlnNBULKiCN1n3w9EBkHK8ZWg+g==,
+ }
+ dev: true
+
+ /split2/3.2.2:
+ resolution:
+ {
+ integrity: sha512-9NThjpgZnifTkJpzTZ7Eue85S49QwpNhZTq6GRJwObb6jnLFNGB7Qm73V5HewTROPyxD0C29xqmaI68bQtV+hg==,
+ }
+ dependencies:
+ readable-stream: 3.6.0
+ dev: true
+
+ /string-argv/0.3.1:
+ resolution:
+ {
+ integrity: sha512-a1uQGz7IyVy9YwhqjZIZu1c8JO8dNIe20xBmSS6qu9kv++k3JGzCVmprbNN5Kn+BgzD5E7YYwg1CcjuJMRNsvg==,
+ }
+ engines: { node: '>=0.6.19' }
+ dev: true
+
+ /string-width/4.2.3:
+ resolution:
+ {
+ integrity: sha512-wKyQRQpjJ0sIp62ErSZdGsjMJWsap5oRNihHhu6G7JVO/9jIB6UyevL+tXuOqrng8j/cxKTWyWUwvSTriiZz/g==,
+ }
+ engines: { node: '>=8' }
+ dependencies:
+ emoji-regex: 8.0.0
+ is-fullwidth-code-point: 3.0.0
+ strip-ansi: 6.0.1
+ dev: true
+
+ /string-width/5.1.2:
+ resolution:
+ {
+ integrity: sha512-HnLOCR3vjcY8beoNLtcjZ5/nxn2afmME6lhrDrebokqMap+XbeW8n9TXpPDOqdGK5qcI3oT0GKTW6wC7EMiVqA==,
+ }
+ engines: { node: '>=12' }
+ dependencies:
+ eastasianwidth: 0.2.0
+ emoji-regex: 9.2.2
+ strip-ansi: 7.0.1
+ dev: true
+
+ /string.prototype.padend/3.1.3:
+ resolution:
+ {
+ integrity: sha512-jNIIeokznm8SD/TZISQsZKYu7RJyheFNt84DUPrh482GC8RVp2MKqm2O5oBRdGxbDQoXrhhWtPIWQOiy20svUg==,
+ }
+ engines: { node: '>= 0.4' }
+ dependencies:
+ call-bind: 1.0.2
+ define-properties: 1.1.4
+ es-abstract: 1.20.1
+ dev: true
+
+ /string.prototype.trimend/1.0.5:
+ resolution:
+ {
+ integrity: sha512-I7RGvmjV4pJ7O3kdf+LXFpVfdNOxtCW/2C8f6jNiW4+PQchwxkCDzlk1/7p+Wl4bqFIZeF47qAHXLuHHWKAxog==,
+ }
+ dependencies:
+ call-bind: 1.0.2
+ define-properties: 1.1.4
+ es-abstract: 1.20.1
+ dev: true
+
+ /string.prototype.trimstart/1.0.5:
+ resolution:
+ {
+ integrity: sha512-THx16TJCGlsN0o6dl2o6ncWUsdgnLRSA23rRE5pyGBw/mLr3Ej/R2LaqCtgP8VNMGZsvMWnf9ooZPyY2bHvUFg==,
+ }
+ dependencies:
+ call-bind: 1.0.2
+ define-properties: 1.1.4
+ es-abstract: 1.20.1
+ dev: true
+
+ /string_decoder/1.3.0:
+ resolution:
+ {
+ integrity: sha512-hkRX8U1WjJFd8LsDJ2yQ/wWWxaopEsABU1XfkM8A+j0+85JAGppt16cr1Whg6KIbb4okU6Mql6BOj+uup/wKeA==,
+ }
+ dependencies:
+ safe-buffer: 5.2.1
+ dev: true
+
+ /strip-ansi/6.0.1:
+ resolution:
+ {
+ integrity: sha512-Y38VPSHcqkFrCpFnQ9vuSXmquuv5oXOKpGeT6aGrr3o3Gc9AlVa6JBfUSOCnbxGGZF+/0ooI7KrPuUSztUdU5A==,
+ }
+ engines: { node: '>=8' }
+ dependencies:
+ ansi-regex: 5.0.1
+ dev: true
+
+ /strip-ansi/7.0.1:
+ resolution:
+ {
+ integrity: sha512-cXNxvT8dFNRVfhVME3JAe98mkXDYN2O1l7jmcwMnOslDeESg1rF/OZMtK0nRAhiari1unG5cD4jG3rapUAkLbw==,
+ }
+ engines: { node: '>=12' }
+ dependencies:
+ ansi-regex: 6.0.1
+ dev: true
+
+ /strip-bom/3.0.0:
+ resolution:
+ {
+ integrity: sha512-vavAMRXOgBVNF6nyEEmL3DBK19iRpDcoIwW+swQ+CbGiu7lju6t+JklA1MHweoWtadgt4ISVUsXLyDq34ddcwA==,
+ }
+ engines: { node: '>=4' }
+ dev: true
+
+ /strip-final-newline/2.0.0:
+ resolution:
+ {
+ integrity: sha512-BrpvfNAE3dcvq7ll3xVumzjKjZQ5tI1sEUIKr3Uoks0XUl45St3FlatVqef9prk4jRDzhW6WZg+3bk93y6pLjA==,
+ }
+ engines: { node: '>=6' }
+ dev: true
+
+ /strip-final-newline/3.0.0:
+ resolution:
+ {
+ integrity: sha512-dOESqjYr96iWYylGObzd39EuNTa5VJxyvVAEm5Jnh7KGo75V43Hk1odPQkNDyXNmUR6k+gEiDVXnjB8HJ3crXw==,
+ }
+ engines: { node: '>=12' }
+ dev: true
+
+ /strip-indent/3.0.0:
+ resolution:
+ {
+ integrity: sha512-laJTa3Jb+VQpaC6DseHhF7dXVqHTfJPCRDaEbid/drOhgitgYku/letMUqOXFoWV0zIIUbjpdH2t+tYj4bQMRQ==,
+ }
+ engines: { node: '>=8' }
+ dependencies:
+ min-indent: 1.0.1
+ dev: true
+
+ /strip-json-comments/3.1.1:
+ resolution:
+ {
+ integrity: sha512-6fPc+R4ihwqP6N/aIv2f1gMH8lOVtWQHoqC4yK6oSDVVocumAsfCqjkXnqiYMhmMwS/mEHLp7Vehlt3ql6lEig==,
+ }
+ engines: { node: '>=8' }
+ dev: true
+
+ /strip-literal/0.4.0:
+ resolution:
+ {
+ integrity: sha512-ql/sBDoJOybTKSIOWrrh8kgUEMjXMwRAkZTD0EwiwxQH/6tTPkZvMIEjp0CRlpi6V5FMiJyvxeRkEi1KrGISoA==,
+ }
+ dependencies:
+ acorn: 8.8.0
+ dev: true
+
+ /supports-color/5.5.0:
+ resolution:
+ {
+ integrity: sha512-QjVjwdXIt408MIiAqCX4oUKsgU2EqAGzs2Ppkm4aQYbjm+ZEWEcW4SfFNTr4uMNZma0ey4f5lgLrkB0aX0QMow==,
+ }
+ engines: { node: '>=4' }
+ dependencies:
+ has-flag: 3.0.0
+ dev: true
+
+ /supports-color/7.2.0:
+ resolution:
+ {
+ integrity: sha512-qpCAvRl9stuOHveKsn7HncJRvv501qIacKzQlO/+Lwxc9+0q2wLyv4Dfvt80/DPn2pqOBsJdDiogXGR9+OvwRw==,
+ }
+ engines: { node: '>=8' }
+ dependencies:
+ has-flag: 4.0.0
+ dev: true
+
+ /supports-preserve-symlinks-flag/1.0.0:
+ resolution:
+ {
+ integrity: sha512-ot0WnXS9fgdkgIcePe6RHNk1WA8+muPa6cSjeR3V8K27q9BB1rTE3R1p7Hv0z1ZyAc8s6Vvv8DIyWf681MAt0w==,
+ }
+ engines: { node: '>= 0.4' }
+ dev: true
+
+ /svg-tags/1.0.0:
+ resolution:
+ {
+ integrity: sha512-ovssysQTa+luh7A5Weu3Rta6FJlFBBbInjOh722LIt6klpU2/HtdUbszju/G4devcvk8PGt7FCLv5wftu3THUA==,
+ }
+ dev: true
+
+ /tailwindcss/3.1.8:
+ resolution:
+ {
+ integrity: sha512-YSneUCZSFDYMwk+TGq8qYFdCA3yfBRdBlS7txSq0LUmzyeqRe3a8fBQzbz9M3WS/iFT4BNf/nmw9mEzrnSaC0g==,
+ }
+ engines: { node: '>=12.13.0' }
+ hasBin: true
+ dependencies:
+ arg: 5.0.2
+ chokidar: 3.5.3
+ color-name: 1.1.4
+ detective: 5.2.1
+ didyoumean: 1.2.2
+ dlv: 1.1.3
+ fast-glob: 3.2.11
+ glob-parent: 6.0.2
+ is-glob: 4.0.3
+ lilconfig: 2.0.6
+ normalize-path: 3.0.0
+ object-hash: 3.0.0
+ picocolors: 1.0.0
+ postcss: 8.4.16
+ postcss-import: 14.1.0_postcss@8.4.16
+ postcss-js: 4.0.0_postcss@8.4.16
+ postcss-load-config: 3.1.4_postcss@8.4.16
+ postcss-nested: 5.0.6_postcss@8.4.16
+ postcss-selector-parser: 6.0.10
+ postcss-value-parser: 4.2.0
+ quick-lru: 5.1.1
+ resolve: 1.22.1
+ transitivePeerDependencies:
+ - ts-node
+ dev: true
+
+ /text-extensions/1.9.0:
+ resolution:
+ {
+ integrity: sha512-wiBrwC1EhBelW12Zy26JeOUkQ5mRu+5o8rpsJk5+2t+Y5vE7e842qtZDQ2g1NpX/29HdyFeJ4nSIhI47ENSxlQ==,
+ }
+ engines: { node: '>=0.10' }
+ dev: true
+
+ /text-table/0.2.0:
+ resolution:
+ {
+ integrity: sha512-N+8UisAXDGk8PFXP4HAzVR9nbfmVJ3zYLAWiTIoqC5v5isinhr+r5uaO8+7r3BMfuNIufIsA7RdpVgacC2cSpw==,
+ }
+ dev: true
+
+ /through/2.3.8:
+ resolution:
+ {
+ integrity: sha512-w89qg7PI8wAdvX60bMDP+bFoD5Dvhm9oLheFp5O4a2QF0cSBGsBX4qZmadPMvVqlLJBBci+WqGGOAPvcDeNSVg==,
+ }
+ dev: true
+
+ /through2/4.0.2:
+ resolution:
+ {
+ integrity: sha512-iOqSav00cVxEEICeD7TjLB1sueEL+81Wpzp2bY17uZjZN0pWZPuo4suZ/61VujxmqSGFfgOcNuTZ85QJwNZQpw==,
+ }
+ dependencies:
+ readable-stream: 3.6.0
+ dev: true
+
+ /to-fast-properties/2.0.0:
+ resolution:
+ {
+ integrity: sha512-/OaKK0xYrs3DmxRYqL/yDc+FxFUVYhDlXMhRmv3z915w2HF1tnN1omB354j8VUGO/hbRzyD6Y3sA7v7GS/ceog==,
+ }
+ engines: { node: '>=4' }
+
+ /to-regex-range/5.0.1:
+ resolution:
+ {
+ integrity: sha512-65P7iz6X5yEr1cwcgvQxbbIw7Uk3gOy5dIdtZ4rDveLqhrdJP+Li/Hx6tyK0NEb+2GCyneCMJiGqrADCSNk8sQ==,
+ }
+ engines: { node: '>=8.0' }
+ dependencies:
+ is-number: 7.0.0
+ dev: true
+
+ /totalist/3.0.0:
+ resolution:
+ {
+ integrity: sha512-eM+pCBxXO/njtF7vdFsHuqb+ElbxqtI4r5EAvk6grfAFyJ6IvWlSkfZ5T9ozC6xWw3Fj1fGoSmrl0gUs46JVIw==,
+ }
+ engines: { node: '>=6' }
+ dev: true
+
+ /trim-newlines/3.0.1:
+ resolution:
+ {
+ integrity: sha512-c1PTsA3tYrIsLGkJkzHF+w9F2EyxfXGo4UyJc4pFL++FMjnq0HJS69T3M7d//gKrFKwy429bouPescbjecU+Zw==,
+ }
+ engines: { node: '>=8' }
+ dev: true
+
+ /ts-node/10.9.1_mc5obqbv5iw2qugqrfomepel3m:
+ resolution:
+ {
+ integrity: sha512-NtVysVPkxxrwFGUUxGYhfux8k78pQB3JqYBXlLRZgdGUqTO5wU/UyHop5p70iEbGhB7q5KmiZiU0Y3KlJrScEw==,
+ }
+ hasBin: true
+ peerDependencies:
+ '@swc/core': '>=1.2.50'
+ '@swc/wasm': '>=1.2.50'
+ '@types/node': '*'
+ typescript: '>=2.7'
+ peerDependenciesMeta:
+ '@swc/core':
+ optional: true
+ '@swc/wasm':
+ optional: true
+ dependencies:
+ '@cspotcode/source-map-support': 0.8.1
+ '@tsconfig/node10': 1.0.9
+ '@tsconfig/node12': 1.0.11
+ '@tsconfig/node14': 1.0.3
+ '@tsconfig/node16': 1.0.3
+ '@types/node': 16.11.49
+ acorn: 8.8.0
+ acorn-walk: 8.2.0
+ arg: 4.1.3
+ create-require: 1.1.1
+ diff: 4.0.2
+ make-error: 1.3.6
+ typescript: 4.7.4
+ v8-compile-cache-lib: 3.0.1
+ yn: 3.1.1
+ dev: true
+
+ /tsconfig-paths/3.14.1:
+ resolution:
+ {
+ integrity: sha512-fxDhWnFSLt3VuTwtvJt5fpwxBHg5AdKWMsgcPOOIilyjymcYVZoCQF8fvFRezCNfblEXmi+PcM1eYHeOAgXCOQ==,
+ }
+ dependencies:
+ '@types/json5': 0.0.29
+ json5: 1.0.1
+ minimist: 1.2.6
+ strip-bom: 3.0.0
+ dev: true
+
+ /tslib/1.14.1:
+ resolution:
+ {
+ integrity: sha512-Xni35NKzjgMrwevysHTCArtLDpPvye8zV/0E4EyYn43P7/7qvQwPh9BGkHewbMulVntbigmcT7rdX3BNo9wRJg==,
+ }
+ dev: true
+
+ /tslib/2.4.0:
+ resolution:
+ {
+ integrity: sha512-d6xOpEDfsi2CZVlPQzGeux8XMwLT9hssAsaPYExaQMuYskwb+x1x7J371tWlbBdWHroy99KnVB6qIkUbs5X3UQ==,
+ }
+ dev: true
+
+ /tsutils/3.21.0_typescript@4.7.4:
+ resolution:
+ {
+ integrity: sha512-mHKK3iUXL+3UF6xL5k0PEhKRUBKPBCv/+RkEOpjRWxxx27KKRBmmA60A9pgOUvMi8GKhRMPEmjBRPzs2W7O1OA==,
+ }
+ engines: { node: '>= 6' }
+ peerDependencies:
+ typescript: '>=2.8.0 || >= 3.2.0-dev || >= 3.3.0-dev || >= 3.4.0-dev || >= 3.5.0-dev || >= 3.6.0-dev || >= 3.6.0-beta || >= 3.7.0-dev || >= 3.7.0-beta'
+ dependencies:
+ tslib: 1.14.1
+ typescript: 4.7.4
+ dev: true
+
+ /type-check/0.4.0:
+ resolution:
+ {
+ integrity: sha512-XleUoc9uwGXqjWwXaUTZAmzMcFZ5858QA2vvx1Ur5xIcixXIP+8LnFDgRplU30us6teqdlskFfu+ae4K79Ooew==,
+ }
+ engines: { node: '>= 0.8.0' }
+ dependencies:
+ prelude-ls: 1.2.1
+ dev: true
+
+ /type-fest/0.18.1:
+ resolution:
+ {
+ integrity: sha512-OIAYXk8+ISY+qTOwkHtKqzAuxchoMiD9Udx+FSGQDuiRR+PJKJHc2NJAXlbhkGwTt/4/nKZxELY1w3ReWOL8mw==,
+ }
+ engines: { node: '>=10' }
+ dev: true
+
+ /type-fest/0.20.2:
+ resolution:
+ {
+ integrity: sha512-Ne+eE4r0/iWnpAxD852z3A+N0Bt5RN//NjJwRd2VFHEmrywxf5vsZlh4R6lixl6B+wz/8d+maTSAkN1FIkI3LQ==,
+ }
+ engines: { node: '>=10' }
+ dev: true
+
+ /type-fest/0.21.3:
+ resolution:
+ {
+ integrity: sha512-t0rzBq87m3fVcduHDUFhKmyyX+9eo6WQjZvf51Ea/M0Q7+T374Jp1aUiyUl0GKxp8M/OETVHSDvmkyPgvX+X2w==,
+ }
+ engines: { node: '>=10' }
+ dev: true
+
+ /type-fest/0.6.0:
+ resolution:
+ {
+ integrity: sha512-q+MB8nYR1KDLrgr4G5yemftpMC7/QLqVndBmEEdqzmNj5dcFOO4Oo8qlwZE3ULT3+Zim1F8Kq4cBnikNhlCMlg==,
+ }
+ engines: { node: '>=8' }
+ dev: true
+
+ /type-fest/0.8.1:
+ resolution:
+ {
+ integrity: sha512-4dbzIzqvjtgiM5rw1k5rEHtBANKmdudhGyBEajN01fEyhaAIhsoKNy6y7+IN93IfpFtwY9iqi7kD+xwKhQsNJA==,
+ }
+ engines: { node: '>=8' }
+ dev: true
+
+ /typescript/4.7.4:
+ resolution:
+ {
+ integrity: sha512-C0WQT0gezHuw6AdY1M2jxUO83Rjf0HP7Sk1DtXj6j1EwkQNZrHAg2XPWlq62oqEhYvONq5pkC2Y9oPljWToLmQ==,
+ }
+ engines: { node: '>=4.2.0' }
+ hasBin: true
+
+ /ufo/0.8.5:
+ resolution:
+ {
+ integrity: sha512-e4+UtA5IRO+ha6hYklwj6r7BjiGMxS0O+UaSg9HbaTefg4kMkzj4tXzEBajRR+wkxf+golgAWKzLbytCUDMJAA==,
+ }
+ dev: true
+
+ /unbox-primitive/1.0.2:
+ resolution:
+ {
+ integrity: sha512-61pPlCD9h51VoreyJ0BReideM3MDKMKnh6+V9L08331ipq6Q8OFXZYiqP6n/tbHx4s5I9uRhcye6BrbkizkBDw==,
+ }
+ dependencies:
+ call-bind: 1.0.2
+ has-bigints: 1.0.2
+ has-symbols: 1.0.3
+ which-boxed-primitive: 1.0.2
+ dev: true
+
+ /unimport/0.6.7_vite@3.0.8:
+ resolution:
+ {
+ integrity: sha512-EMoVqDjswHkU+nD098QYHXH7Mkw7KwGDQAyeRF2lgairJnuO+wpkhIcmCqrD1OPJmsjkTbJ2tW6Ap8St0PuWZA==,
+ }
+ dependencies:
+ '@rollup/pluginutils': 4.2.1
+ escape-string-regexp: 5.0.0
+ fast-glob: 3.2.11
+ local-pkg: 0.4.2
+ magic-string: 0.26.2
+ mlly: 0.5.12
+ pathe: 0.3.4
+ scule: 0.3.2
+ strip-literal: 0.4.0
+ unplugin: 0.9.2_vite@3.0.8
+ transitivePeerDependencies:
+ - esbuild
+ - rollup
+ - vite
+ - webpack
+ dev: true
+
+ /unist-util-stringify-position/2.0.3:
+ resolution:
+ {
+ integrity: sha512-3faScn5I+hy9VleOq/qNbAd6pAx7iH5jYBMS9I1HgQVijz/4mv5Bvw5iw1sC/90CODiKo81G/ps8AJrISn687g==,
+ }
+ dependencies:
+ '@types/unist': 2.0.6
+ dev: true
+
+ /universalify/2.0.0:
+ resolution:
+ {
+ integrity: sha512-hAZsKq7Yy11Zu1DE0OzWjw7nnLZmJZYTDZZyEFHZdUhV8FkH5MCfoU1XMaxXovpyW5nq5scPqq0ZDP9Zyl04oQ==,
+ }
+ engines: { node: '>= 10.0.0' }
+ dev: true
+
+ /unplugin-auto-import/0.10.3_obmlko6hceoahr6itoucrugfeu:
+ resolution:
+ {
+ integrity: sha512-tODQr7ZBnsBZ9lKaz2mqszKVi/4ALuLtS4gc1xwpcsBav5TCAl0HFSMuai1qL4AkYEwD2HPqK04LocCyK+D0KQ==,
+ }
+ engines: { node: '>=14' }
+ peerDependencies:
+ '@vueuse/core': '*'
+ peerDependenciesMeta:
+ '@vueuse/core':
+ optional: true
+ dependencies:
+ '@antfu/utils': 0.5.2
+ '@rollup/pluginutils': 4.2.1
+ '@vueuse/core': 9.1.0_vue@3.2.37
+ local-pkg: 0.4.2
+ magic-string: 0.26.2
+ unimport: 0.6.7_vite@3.0.8
+ unplugin: 0.8.1_vite@3.0.8
+ transitivePeerDependencies:
+ - esbuild
+ - rollup
+ - vite
+ - webpack
+ dev: true
+
+ /unplugin-element-plus/0.4.1_vite@3.0.8:
+ resolution:
+ {
+ integrity: sha512-x8L35sppkbtnAf+aSPXNsLPjCUrM0mWKgujqMIgrHiDQaGbpMlNnbN2kjP5CMclykNOw8fUCreEhtxPyzg8tmw==,
+ }
+ engines: { node: '>=14.19.0' }
+ dependencies:
+ '@rollup/pluginutils': 4.2.1
+ es-module-lexer: 0.10.5
+ magic-string: 0.26.2
+ unplugin: 0.7.2_vite@3.0.8
+ transitivePeerDependencies:
+ - esbuild
+ - rollup
+ - vite
+ - webpack
+ dev: true
+
+ /unplugin-icons/0.14.8_vite@3.0.8:
+ resolution:
+ {
+ integrity: sha512-YxLC0Uxec+ayl8ju3CXmRX4Jg7IF8Tu2cRyq/okXwMK6fM140SPae332ByTlul1E/I7I0PXYSVVn8SlGunM/2g==,
+ }
+ peerDependencies:
+ '@svgr/core': '>=5.5.0'
+ '@vue/compiler-sfc': ^3.0.2
+ vue-template-compiler: ^2.6.12
+ vue-template-es2015-compiler: ^1.9.0
+ peerDependenciesMeta:
+ '@svgr/core':
+ optional: true
+ '@vue/compiler-sfc':
+ optional: true
+ vue-template-compiler:
+ optional: true
+ vue-template-es2015-compiler:
+ optional: true
+ dependencies:
+ '@antfu/install-pkg': 0.1.0
+ '@antfu/utils': 0.5.2
+ '@iconify/utils': 1.0.33
+ debug: 4.3.4
+ kolorist: 1.5.1
+ local-pkg: 0.4.2
+ unplugin: 0.8.1_vite@3.0.8
+ transitivePeerDependencies:
+ - esbuild
+ - rollup
+ - supports-color
+ - vite
+ - webpack
+ dev: true
+
+ /unplugin-vue-components/0.21.2_vite@3.0.8+vue@3.2.37:
+ resolution:
+ {
+ integrity: sha512-HBU+EuesDj/HRs7EtYH7gBACljVhqLylltrCLModRmCToIIrrNvMh54aylUt4AD4qiwylgOx4Vgb9sBlrIcRDw==,
+ }
+ engines: { node: '>=14' }
+ peerDependencies:
+ '@babel/parser': ^7.15.8
+ vue: 2 || 3
+ peerDependenciesMeta:
+ '@babel/parser':
+ optional: true
+ dependencies:
+ '@antfu/utils': 0.5.2
+ '@rollup/pluginutils': 4.2.1
+ chokidar: 3.5.3
+ debug: 4.3.4
+ fast-glob: 3.2.11
+ local-pkg: 0.4.2
+ magic-string: 0.26.2
+ minimatch: 5.1.0
+ resolve: 1.22.1
+ unplugin: 0.7.2_vite@3.0.8
+ vue: 3.2.37
+ transitivePeerDependencies:
+ - esbuild
+ - rollup
+ - supports-color
+ - vite
+ - webpack
+ dev: true
+
+ /unplugin-vue-define-options/0.7.3_vite@3.0.8+vue@3.2.37:
+ resolution:
+ {
+ integrity: sha512-VbexYR8m2v/TLi49+F7Yf3rO2EyS0EkrXjJxqym6W0NxOzom9zdmRUR+av4UAu4GruhMumJc/9ITS1Wj+rozjg==,
+ }
+ engines: { node: '>=14.19.0' }
+ peerDependencies:
+ vue: ^3.2.25
+ dependencies:
+ '@rollup/pluginutils': 4.2.1
+ '@vue/compiler-sfc': 3.2.37
+ unplugin: 0.8.1_vite@3.0.8
+ vue: 3.2.37
+ transitivePeerDependencies:
+ - esbuild
+ - rollup
+ - vite
+ - webpack
+ dev: true
+
+ /unplugin-vue-macros/0.7.3_vite@3.0.8+vue@3.2.37:
+ resolution:
+ {
+ integrity: sha512-nFeVjV3X6s5nEIC4E0obcDen6KouBq/nv8JNv63h1m1rJoYk2VhdHd6bnyt74uSc1ZaWfxxNlszXIk7iW9YSmw==,
+ }
+ engines: { node: '>=14.19.0' }
+ peerDependencies:
+ vue: ^3.2.25
+ dependencies:
+ '@babel/generator': 7.18.12
+ '@rollup/pluginutils': 4.2.1
+ '@vue/compiler-sfc': 3.2.37
+ ast-walker-scope: 0.2.1
+ local-pkg: 0.4.2
+ magic-string: 0.25.9
+ unplugin: 0.8.1_vite@3.0.8
+ unplugin-vue-define-options: 0.7.3_vite@3.0.8+vue@3.2.37
+ vue: 3.2.37
+ transitivePeerDependencies:
+ - esbuild
+ - rollup
+ - vite
+ - webpack
+ dev: true
+
+ /unplugin/0.7.2_vite@3.0.8:
+ resolution:
+ {
+ integrity: sha512-m7thX4jP8l5sETpLdUASoDOGOcHaOVtgNyrYlToyQUvILUtEzEnngRBrHnAX3IKqooJVmXpoa/CwQ/QqzvGaHQ==,
+ }
+ peerDependencies:
+ esbuild: '>=0.13'
+ rollup: ^2.50.0
+ vite: ^2.3.0 || ^3.0.0-0
+ webpack: 4 || 5
+ peerDependenciesMeta:
+ esbuild:
+ optional: true
+ rollup:
+ optional: true
+ vite:
+ optional: true
+ webpack:
+ optional: true
+ dependencies:
+ acorn: 8.8.0
+ chokidar: 3.5.3
+ vite: 3.0.8_sass@1.54.4
+ webpack-sources: 3.2.3
+ webpack-virtual-modules: 0.4.4
+ dev: true
+
+ /unplugin/0.8.1_vite@3.0.8:
+ resolution:
+ {
+ integrity: sha512-o7rUZoPLG1fH4LKinWgb77gDtTE6mw/iry0Pq0Z5UPvZ9+HZ1/4+7fic7t58s8/CGkPrDpGq+RltO+DmswcR4g==,
+ }
+ peerDependencies:
+ esbuild: '>=0.13'
+ rollup: ^2.50.0
+ vite: ^2.3.0 || ^3.0.0-0
+ webpack: 4 || 5
+ peerDependenciesMeta:
+ esbuild:
+ optional: true
+ rollup:
+ optional: true
+ vite:
+ optional: true
+ webpack:
+ optional: true
+ dependencies:
+ acorn: 8.8.0
+ chokidar: 3.5.3
+ vite: 3.0.8_sass@1.54.4
+ webpack-sources: 3.2.3
+ webpack-virtual-modules: 0.4.4
+ dev: true
+
+ /unplugin/0.9.2_vite@3.0.8:
+ resolution:
+ {
+ integrity: sha512-Wo9lx9rA0O3AWhLYYNZ6DgnNhL5t5r7kV/Jg5BXjTQtY+DEWrD8VLFSaOmKN0tgqZCMqZ+XrzgOe/3DzIO4/SA==,
+ }
+ peerDependencies:
+ esbuild: '>=0.13'
+ rollup: ^2.50.0
+ vite: ^2.3.0 || ^3.0.0-0
+ webpack: 4 || 5
+ peerDependenciesMeta:
+ esbuild:
+ optional: true
+ rollup:
+ optional: true
+ vite:
+ optional: true
+ webpack:
+ optional: true
+ dependencies:
+ acorn: 8.8.0
+ chokidar: 3.5.3
+ vite: 3.0.8_sass@1.54.4
+ webpack-sources: 3.2.3
+ webpack-virtual-modules: 0.4.4
+ dev: true
+
+ /update-browserslist-db/1.0.5_browserslist@4.21.3:
+ resolution:
+ {
+ integrity: sha512-dteFFpCyvuDdr9S/ff1ISkKt/9YZxKjI9WlRR99c180GaztJtRa/fn18FdxGVKVsnPY7/a/FDN68mcvUmP4U7Q==,
+ }
+ hasBin: true
+ peerDependencies:
+ browserslist: '>= 4.21.0'
+ dependencies:
+ browserslist: 4.21.3
+ escalade: 3.1.1
+ picocolors: 1.0.0
+ dev: true
+
+ /upper-case-first/2.0.2:
+ resolution:
+ {
+ integrity: sha512-514ppYHBaKwfJRK/pNC6c/OxfGa0obSnAl106u97Ed0I625Nin96KAjttZF6ZL3e1XLtphxnqrOi9iWgm+u+bg==,
+ }
+ dependencies:
+ tslib: 2.4.0
+ dev: true
+
+ /upper-case/2.0.2:
+ resolution:
+ {
+ integrity: sha512-KgdgDGJt2TpuwBUIjgG6lzw2GWFRCW9Qkfkiv0DxqHHLYJHmtmdUIKcZd8rHgFSjopVTlw6ggzCm1b8MFQwikg==,
+ }
+ dependencies:
+ tslib: 2.4.0
+ dev: true
+
+ /uri-js/4.4.1:
+ resolution:
+ {
+ integrity: sha512-7rKUyy33Q1yc98pQ1DAmLtwX109F7TIfWlW1Ydo8Wl1ii1SeHieeh0HHfPeL2fMXK6z0s8ecKs9frCuLJvndBg==,
+ }
+ dependencies:
+ punycode: 2.1.1
+ dev: true
+
+ /util-deprecate/1.0.2:
+ resolution:
+ {
+ integrity: sha512-EPD5q1uXyFxJpCrLnCc1nHnq3gOa6DZBocAIiI2TaSCA7VCJ1UJDMagCzIkXNsUYfD1daK//LTEQ8xiIbrHtcw==,
+ }
+ dev: true
+
+ /uuid/8.3.2:
+ resolution:
+ {
+ integrity: sha512-+NYs2QeMWy+GWFOEm9xnn6HCDp0l7QBD7ml8zLUmJ+93Q5NF0NocErnwkTkXVFNiX3/fpC6afS8Dhb/gz7R7eg==,
+ }
+ hasBin: true
+ dev: false
+
+ /v8-compile-cache-lib/3.0.1:
+ resolution:
+ {
+ integrity: sha512-wa7YjyUGfNZngI/vtK0UHAN+lgDCxBPCylVXGp0zu59Fz5aiGtNXaq3DhIov063MorB+VfufLh3JlF2KdTK3xg==,
+ }
+ dev: true
+
+ /v8-compile-cache/2.3.0:
+ resolution:
+ {
+ integrity: sha512-l8lCEmLcLYZh4nbunNZvQCJc5pv7+RCwa8q/LdUx8u7lsWvPDKmpodJAJNwkAhJC//dFY48KuIEmjtd4RViDrA==,
+ }
+ dev: true
+
+ /validate-npm-package-license/3.0.4:
+ resolution:
+ {
+ integrity: sha512-DpKm2Ui/xN7/HQKCtpZxoRWBhZ9Z0kqtygG8XCgNQ8ZlDnxuQmWhj566j8fN4Cu3/JmbhsDo7fcAJq4s9h27Ew==,
+ }
+ dependencies:
+ spdx-correct: 3.1.1
+ spdx-expression-parse: 3.0.1
+ dev: true
+
+ /vant/3.5.4_vue@3.2.37:
+ resolution:
+ {
+ integrity: sha512-NwKDfYk1A1ax4WZRSpOse0GsDSMQWoB245fhzzduXW6J3qv4f/cn3CedxH/uzBXglhNXovFTExFvnYjt5fzp3Q==,
+ }
+ peerDependencies:
+ vue: ^3.0.0
+ dependencies:
+ '@vant/icons': 1.8.0
+ '@vant/popperjs': 1.2.1
+ '@vant/use': 1.4.1
+ vue: 3.2.37
+ dev: false
+
+ /vite-plugin-inspect/0.6.0_vite@3.0.8:
+ resolution:
+ {
+ integrity: sha512-p2Ti5z+AscXx7JAW1nkU4bgiyKWW3O6D9UbaOEk+yz0v6R2E452OSukYhbs1zhqRnHL0W6ZsmG/lwz8aSQpSjg==,
+ }
+ engines: { node: '>=14' }
+ peerDependencies:
+ vite: ^3.0.0
+ dependencies:
+ '@rollup/pluginutils': 4.2.1
+ debug: 4.3.4
+ kolorist: 1.5.1
+ sirv: 2.0.2
+ ufo: 0.8.5
+ vite: 3.0.8_sass@1.54.4
+ transitivePeerDependencies:
+ - supports-color
+ dev: true
+
+ /vite-plugin-style-import/2.0.0_vite@3.0.8:
+ resolution:
+ {
+ integrity: sha512-qtoHQae5dSUQPo/rYz/8p190VU5y19rtBaeV7ryLa/AYAU/e9CG89NrN/3+k7MR8mJy/GPIu91iJ3zk9foUOSA==,
+ }
+ peerDependencies:
+ vite: '>=2.0.0'
+ dependencies:
+ '@rollup/pluginutils': 4.2.1
+ change-case: 4.1.2
+ console: 0.7.2
+ es-module-lexer: 0.9.3
+ fs-extra: 10.1.0
+ magic-string: 0.25.9
+ pathe: 0.2.0
+ vite: 3.0.8_sass@1.54.4
+ dev: true
+
+ /vite-plugin-webpackchunkname/0.1.1_vite@3.0.8:
+ resolution:
+ {
+ integrity: sha512-hCCOwjK2lPtVVS1N1z1dZ8wT84df2QcGc4l9+XOHj2+tFmtRPk1aKoFkBpCgJD7qe0kV/iFFomghAvRYUjsRhA==,
+ }
+ peerDependencies:
+ rollup: ^2.67.2
+ vite: '*'
+ dependencies:
+ '@rollup/plugin-alias': 3.1.9
+ '@rollup/pluginutils': 4.2.1
+ es-module-lexer: 0.10.5
+ magic-string: 0.26.2
+ vite: 3.0.8_sass@1.54.4
+ dev: true
+
+ /vite/3.0.8_sass@1.54.4:
+ resolution:
+ {
+ integrity: sha512-AOZ4eN7mrkJiOLuw8IA7piS4IdOQyQCA81GxGsAQvAZzMRi9ZwGB3TOaYsj4uLAWK46T5L4AfQ6InNGlxX30IQ==,
+ }
+ engines: { node: ^14.18.0 || >=16.0.0 }
+ hasBin: true
+ peerDependencies:
+ less: '*'
+ sass: '*'
+ stylus: '*'
+ terser: ^5.4.0
+ peerDependenciesMeta:
+ less:
+ optional: true
+ sass:
+ optional: true
+ stylus:
+ optional: true
+ terser:
+ optional: true
+ dependencies:
+ esbuild: 0.14.54
+ postcss: 8.4.16
+ resolve: 1.22.1
+ rollup: 2.77.3
+ sass: 1.54.4
+ optionalDependencies:
+ fsevents: 2.3.2
+ dev: true
+
+ /vue-demi/0.12.5_vue@3.2.37:
+ resolution:
+ {
+ integrity: sha512-BREuTgTYlUr0zw0EZn3hnhC3I6gPWv+Kwh4MCih6QcAeaTlaIX0DwOVN0wHej7hSvDPecz4jygy/idsgKfW58Q==,
+ }
+ engines: { node: '>=12' }
+ hasBin: true
+ requiresBuild: true
+ peerDependencies:
+ '@vue/composition-api': ^1.0.0-rc.1
+ vue: ^3.0.0-0 || ^2.6.0
+ peerDependenciesMeta:
+ '@vue/composition-api':
+ optional: true
+ dependencies:
+ vue: 3.2.37
+ dev: false
+
+ /vue-demi/0.13.8_vue@3.2.37:
+ resolution:
+ {
+ integrity: sha512-Vy1zbZhCOdsmvGR6tJhAvO5vhP7eiS8xkbYQSoVa7o6KlIy3W8Rc53ED4qI4qpeRDjv3mLfXSEpYU6Yq4pgXRg==,
+ }
+ engines: { node: '>=12' }
+ hasBin: true
+ requiresBuild: true
+ peerDependencies:
+ '@vue/composition-api': ^1.0.0-rc.1
+ vue: ^3.0.0-0 || ^2.6.0
+ peerDependenciesMeta:
+ '@vue/composition-api':
+ optional: true
+ dependencies:
+ vue: 3.2.37
+
+ /vue-eslint-parser/9.0.3_eslint@8.22.0:
+ resolution:
+ {
+ integrity: sha512-yL+ZDb+9T0ELG4VIFo/2anAOz8SvBdlqEnQnvJ3M7Scq56DvtjY0VY88bByRZB0D4J0u8olBcfrXTVONXsh4og==,
+ }
+ engines: { node: ^14.17.0 || >=16.0.0 }
+ peerDependencies:
+ eslint: '>=6.0.0'
+ dependencies:
+ debug: 4.3.4
+ eslint: 8.22.0
+ eslint-scope: 7.1.1
+ eslint-visitor-keys: 3.3.0
+ espree: 9.3.3
+ esquery: 1.4.0
+ lodash: 4.17.21
+ semver: 7.3.7
+ transitivePeerDependencies:
+ - supports-color
+ dev: true
+
+ /vue-router/4.1.3_vue@3.2.37:
+ resolution:
+ {
+ integrity: sha512-XvK81bcYglKiayT7/vYAg/f36ExPC4t90R/HIpzrZ5x+17BOWptXLCrEPufGgZeuq68ww4ekSIMBZY1qdUdfjA==,
+ }
+ peerDependencies:
+ vue: ^3.2.0
+ dependencies:
+ '@vue/devtools-api': 6.2.1
+ vue: 3.2.37
+ dev: false
+
+ /vue-tsc/0.38.9_typescript@4.7.4:
+ resolution:
+ {
+ integrity: sha512-Yoy5phgvGqyF98Fb4mYqboR4Q149jrdcGv5kSmufXJUq++RZJ2iMVG0g6zl+v3t4ORVWkQmRpsV4x2szufZ0LQ==,
+ }
+ hasBin: true
+ peerDependencies:
+ typescript: '*'
+ dependencies:
+ '@volar/vue-typescript': 0.38.9
+ typescript: 4.7.4
+ dev: true
+
+ /vue/3.2.37:
+ resolution:
+ {
+ integrity: sha512-bOKEZxrm8Eh+fveCqS1/NkG/n6aMidsI6hahas7pa0w/l7jkbssJVsRhVDs07IdDq7h9KHswZOgItnwJAgtVtQ==,
+ }
+ dependencies:
+ '@vue/compiler-dom': 3.2.37
+ '@vue/compiler-sfc': 3.2.37
+ '@vue/runtime-dom': 3.2.37
+ '@vue/server-renderer': 3.2.37_vue@3.2.37
+ '@vue/shared': 3.2.37
+
+ /vuedraggable/4.1.0_vue@3.2.37:
+ resolution:
+ {
+ integrity: sha512-FU5HCWBmsf20GpP3eudURW3WdWTKIbEIQxh9/8GE806hydR9qZqRRxRE3RjqX7PkuLuMQG/A7n3cfj9rCEchww==,
+ }
+ peerDependencies:
+ vue: ^3.0.1
+ dependencies:
+ sortablejs: 1.14.0
+ vue: 3.2.37
+ dev: false
+
+ /webpack-sources/3.2.3:
+ resolution:
+ {
+ integrity: sha512-/DyMEOrDgLKKIG0fmvtz+4dUX/3Ghozwgm6iPp8KRhvn+eQf9+Q7GWxVNMk3+uCPWfdXYC4ExGBckIXdFEfH1w==,
+ }
+ engines: { node: '>=10.13.0' }
+ dev: true
+
+ /webpack-virtual-modules/0.4.4:
+ resolution:
+ {
+ integrity: sha512-h9atBP/bsZohWpHnr+2sic8Iecb60GxftXsWNLLLSqewgIsGzByd2gcIID4nXcG+3tNe4GQG3dLcff3kXupdRA==,
+ }
+ dev: true
+
+ /which-boxed-primitive/1.0.2:
+ resolution:
+ {
+ integrity: sha512-bwZdv0AKLpplFY2KZRX6TvyuN7ojjr7lwkg6ml0roIy9YeuSr7JS372qlNW18UQYzgYK9ziGcerWqZOmEn9VNg==,
+ }
+ dependencies:
+ is-bigint: 1.0.4
+ is-boolean-object: 1.1.2
+ is-number-object: 1.0.7
+ is-string: 1.0.7
+ is-symbol: 1.0.4
+ dev: true
+
+ /which/1.3.1:
+ resolution:
+ {
+ integrity: sha512-HxJdYWq1MTIQbJ3nw0cqssHoTNU267KlrDuGZ1WYlxDStUtKUhOaJmh112/TZmHxxUfuJqPXSOm7tDyas0OSIQ==,
+ }
+ hasBin: true
+ dependencies:
+ isexe: 2.0.0
+ dev: true
+
+ /which/2.0.2:
+ resolution:
+ {
+ integrity: sha512-BLI3Tl1TW3Pvl70l3yq3Y64i+awpwXqsGBYWkkqMtnbXgrMD+yj7rhW0kuEDxzJaYXGjEW5ogapKNMEKNMjibA==,
+ }
+ engines: { node: '>= 8' }
+ hasBin: true
+ dependencies:
+ isexe: 2.0.0
+ dev: true
+
+ /word-wrap/1.2.3:
+ resolution:
+ {
+ integrity: sha512-Hz/mrNwitNRh/HUAtM/VT/5VH+ygD6DV7mYKZAtHOrbs8U7lvPS6xf7EJKMF0uW1KJCl0H701g3ZGus+muE5vQ==,
+ }
+ engines: { node: '>=0.10.0' }
+ dev: true
+
+ /wrap-ansi/6.2.0:
+ resolution:
+ {
+ integrity: sha512-r6lPcBGxZXlIcymEu7InxDMhdW0KDxpLgoFLcguasxCaJ/SOIZwINatK9KY/tf+ZrlywOKU0UDj3ATXUBfxJXA==,
+ }
+ engines: { node: '>=8' }
+ dependencies:
+ ansi-styles: 4.3.0
+ string-width: 4.2.3
+ strip-ansi: 6.0.1
+ dev: true
+
+ /wrap-ansi/7.0.0:
+ resolution:
+ {
+ integrity: sha512-YVGIj2kamLSTxw6NsZjoBxfSwsn0ycdesmc4p+Q21c5zPuZ1pl+NfxVdxPtdHvmNVOQ6XSYG4AUtyt/Fi7D16Q==,
+ }
+ engines: { node: '>=10' }
+ dependencies:
+ ansi-styles: 4.3.0
+ string-width: 4.2.3
+ strip-ansi: 6.0.1
+ dev: true
+
+ /wrappy/1.0.2:
+ resolution:
+ {
+ integrity: sha512-l4Sp/DRseor9wL6EvV2+TuQn63dMkPjZ/sp9XkghTEbV9KlPS1xUsZ3u7/IQO4wxtcFB4bgpQPRcR3QCvezPcQ==,
+ }
+ dev: true
+
+ /xml-name-validator/4.0.0:
+ resolution:
+ {
+ integrity: sha512-ICP2e+jsHvAj2E2lIHxa5tjXRlKDJo4IdvPvCXbXQGdzSfmSpNVyIKMvoZHjDY9DP0zV17iI85o90vRFXNccRw==,
+ }
+ engines: { node: '>=12' }
+ dev: true
+
+ /xtend/4.0.2:
+ resolution:
+ {
+ integrity: sha512-LKYU1iAXJXUgAXn9URjiu+MWhyUXHsvfp7mcuYm9dSUKK0/CjtrUwFAxD82/mCWbtLsGjFIad0wIsod4zrTAEQ==,
+ }
+ engines: { node: '>=0.4' }
+ dev: true
+
+ /y18n/5.0.8:
+ resolution:
+ {
+ integrity: sha512-0pfFzegeDWJHJIAmTLRP2DwHjdF5s7jo9tuztdQxAhINCdvS+3nGINqPd00AphqJR/0LhANUS6/+7SCb98YOfA==,
+ }
+ engines: { node: '>=10' }
+ dev: true
+
+ /yallist/4.0.0:
+ resolution:
+ {
+ integrity: sha512-3wdGidZyq5PB084XLES5TpOSRA3wjXAlIWMhum2kRcv/41Sn2emQ0dycQW4uZXLejwKvg6EsvbdlVL+FYEct7A==,
+ }
+ dev: true
+
+ /yaml-eslint-parser/1.1.0:
+ resolution:
+ {
+ integrity: sha512-b464Q1fYiX1oYx2kE8k4mEp6S9Prk+tfDsY/IPxQ0FCjEuj3AKko5Skf3/yQJeYTTDyjDE+aWIJemnv29HvEWQ==,
+ }
+ engines: { node: ^14.17.0 || >=16.0.0 }
+ dependencies:
+ eslint-visitor-keys: 3.3.0
+ lodash: 4.17.21
+ yaml: 2.1.1
+ dev: true
+
+ /yaml/1.10.2:
+ resolution:
+ {
+ integrity: sha512-r3vXyErRCYJ7wg28yvBY5VSoAF8ZvlcW9/BwUzEtUsjvX/DKs24dIkuwjtuprwJJHsbyUbLApepYTR1BN4uHrg==,
+ }
+ engines: { node: '>= 6' }
+ dev: true
+
+ /yaml/2.1.1:
+ resolution:
+ {
+ integrity: sha512-o96x3OPo8GjWeSLF+wOAbrPfhFOGY0W00GNaxCDv+9hkcDJEnev1yh8S7pgHF0ik6zc8sQLuL8hjHjJULZp8bw==,
+ }
+ engines: { node: '>= 14' }
+ dev: true
+
+ /yargs-parser/20.2.9:
+ resolution:
+ {
+ integrity: sha512-y11nGElTIV+CT3Zv9t7VKl+Q3hTQoT9a1Qzezhhl6Rp21gJ/IVTW7Z3y9EWXhuUBC2Shnf+DX0antecpAwSP8w==,
+ }
+ engines: { node: '>=10' }
+ dev: true
+
+ /yargs-parser/21.1.1:
+ resolution:
+ {
+ integrity: sha512-tVpsJW7DdjecAiFpbIB1e3qxIQsE6NoPc5/eTdrbbIC4h0LVsWhnoa3g+m2HclBIujHzsxZ4VJVA+GUuc2/LBw==,
+ }
+ engines: { node: '>=12' }
+ dev: true
+
+ /yargs/17.5.1:
+ resolution:
+ {
+ integrity: sha512-t6YAJcxDkNX7NFYiVtKvWUz8l+PaKTLiL63mJYWR2GnHq2gjEWISzsLp9wg3aY36dY1j+gfIEL3pIF+XlJJfbA==,
+ }
+ engines: { node: '>=12' }
+ dependencies:
+ cliui: 7.0.4
+ escalade: 3.1.1
+ get-caller-file: 2.0.5
+ require-directory: 2.1.1
+ string-width: 4.2.3
+ y18n: 5.0.8
+ yargs-parser: 21.1.1
+ dev: true
+
+ /yn/3.1.1:
+ resolution:
+ {
+ integrity: sha512-Ux4ygGWsu2c7isFWe8Yu1YluJmqVhxqK2cLXNQA5AcC3QfbGNpM7fu0Y8b/z16pXLnFxZYvWhd3fhBY9DLmC6Q==,
+ }
+ engines: { node: '>=6' }
+ dev: true
+
+ /yocto-queue/0.1.0:
+ resolution:
+ {
+ integrity: sha512-rVksvsnNCdJ/ohGc6xgPwyN8eheCxsiLM8mxuE/t/mOVqJewPuO1miLpTHQiRgTKCLexL4MeAFVagts7HmNZ2Q==,
+ }
+ engines: { node: '>=10' }
+ dev: true
diff --git a/postcss.config.js b/packages/editor/postcss.config.js
similarity index 96%
rename from postcss.config.js
rename to packages/editor/postcss.config.js
index 12a703d..33ad091 100644
--- a/postcss.config.js
+++ b/packages/editor/postcss.config.js
@@ -3,4 +3,4 @@ module.exports = {
tailwindcss: {},
autoprefixer: {},
},
-};
+}
diff --git a/packages/editor/public/icon.svg b/packages/editor/public/icon.svg
new file mode 100644
index 0000000..249a2bb
--- /dev/null
+++ b/packages/editor/public/icon.svg
@@ -0,0 +1,13 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/packages/editor/src/App.vue b/packages/editor/src/App.vue
new file mode 100644
index 0000000..914f2f9
--- /dev/null
+++ b/packages/editor/src/App.vue
@@ -0,0 +1,10 @@
+
+
+
+
+
diff --git a/packages/editor/src/assets/images/icon.svg b/packages/editor/src/assets/images/icon.svg
new file mode 100644
index 0000000..249a2bb
--- /dev/null
+++ b/packages/editor/src/assets/images/icon.svg
@@ -0,0 +1,13 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/packages/editor/src/assets/images/logo.svg b/packages/editor/src/assets/images/logo.svg
new file mode 100644
index 0000000..2cd6c3c
--- /dev/null
+++ b/packages/editor/src/assets/images/logo.svg
@@ -0,0 +1,16 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/packages/editor/src/assets/style/global.scss b/packages/editor/src/assets/style/global.scss
new file mode 100644
index 0000000..fa303c3
--- /dev/null
+++ b/packages/editor/src/assets/style/global.scss
@@ -0,0 +1,2 @@
+$editorMinHeight: calc(100vh - var(--style-header-height));
+$panelDefaultWidth: 385px;
diff --git a/packages/editor/src/assets/style/popover.module.scss b/packages/editor/src/assets/style/popover.module.scss
new file mode 100644
index 0000000..328950f
--- /dev/null
+++ b/packages/editor/src/assets/style/popover.module.scss
@@ -0,0 +1,10 @@
+.popoverWithOutTitle {
+ @apply p-0;
+ :global(.arco-popover-content) {
+ @apply mt-0;
+ width: 100px;
+ :global(.el-button + .el-button) {
+ @apply ml-0;
+ }
+ }
+}
diff --git a/packages/editor/src/assets/style/preflight.css b/packages/editor/src/assets/style/preflight.css
new file mode 100644
index 0000000..5c2eab7
--- /dev/null
+++ b/packages/editor/src/assets/style/preflight.css
@@ -0,0 +1,386 @@
+/*
+1. Prevent padding and border from affecting element width. (https://github.com/mozdevs/cssremedy/issues/4)
+2. Allow adding a border to an element by just adding a border-width. (https://github.com/tailwindcss/tailwindcss/pull/116)
+*/
+
+*,
+::before,
+::after {
+ box-sizing: border-box; /* 1 */
+ border-width: 0; /* 2 */
+ border-style: solid; /* 2 */
+ border-color: theme('borderColor.DEFAULT', currentColor); /* 2 */
+}
+
+::before,
+::after {
+ --tw-content: '';
+}
+
+/*
+1. Use a consistent sensible line-height in all browsers.
+2. Prevent adjustments of font size after orientation changes in iOS.
+3. Use a more readable tab size.
+4. Use the user's configured `sans` font-family by default.
+*/
+
+html {
+ line-height: 1.5; /* 1 */
+ -webkit-text-size-adjust: 100%; /* 2 */
+ -moz-tab-size: 4; /* 3 */
+ tab-size: 4; /* 3 */
+ font-family: theme(
+ 'fontFamily.sans',
+ ui-sans-serif,
+ system-ui,
+ -apple-system,
+ BlinkMacSystemFont,
+ 'Segoe UI',
+ Roboto,
+ 'Helvetica Neue',
+ Arial,
+ 'Noto Sans',
+ sans-serif,
+ 'Apple Color Emoji',
+ 'Segoe UI Emoji',
+ 'Segoe UI Symbol',
+ 'Noto Color Emoji'
+ ); /* 4 */
+}
+
+/*
+1. Remove the margin in all browsers.
+2. Inherit line-height from `html` so users can set them as a class directly on the `html` element.
+*/
+
+body {
+ margin: 0; /* 1 */
+ line-height: inherit; /* 2 */
+}
+
+/*
+1. Add the correct height in Firefox.
+2. Correct the inheritance of border color in Firefox. (https://bugzilla.mozilla.org/show_bug.cgi?id=190655)
+3. Ensure horizontal rules are visible by default.
+*/
+
+hr {
+ height: 0; /* 1 */
+ color: inherit; /* 2 */
+ border-top-width: 1px; /* 3 */
+}
+
+/*
+Add the correct text decoration in Chrome, Edge, and Safari.
+*/
+
+abbr:where([title]) {
+ text-decoration: underline dotted;
+}
+
+/*
+Remove the default font size and weight for headings.
+*/
+
+h1,
+h2,
+h3,
+h4,
+h5,
+h6 {
+ font-size: inherit;
+ font-weight: inherit;
+}
+
+/*
+Reset links to optimize for opt-in styling instead of opt-out.
+*/
+
+a {
+ color: inherit;
+ text-decoration: inherit;
+}
+
+/*
+Add the correct font weight in Edge and Safari.
+*/
+
+b,
+strong {
+ font-weight: bolder;
+}
+
+/*
+1. Use the user's configured `mono` font family by default.
+2. Correct the odd `em` font sizing in all browsers.
+*/
+
+code,
+kbd,
+samp,
+pre {
+ font-family: theme(
+ 'fontFamily.mono',
+ ui-monospace,
+ SFMono-Regular,
+ Menlo,
+ Monaco,
+ Consolas,
+ 'Liberation Mono',
+ 'Courier New',
+ monospace
+ ); /* 1 */
+ font-size: 1em; /* 2 */
+}
+
+/*
+Add the correct font size in all browsers.
+*/
+
+small {
+ font-size: 80%;
+}
+
+/*
+Prevent `sub` and `sup` elements from affecting the line height in all browsers.
+*/
+
+sub,
+sup {
+ font-size: 75%;
+ line-height: 0;
+ position: relative;
+ vertical-align: baseline;
+}
+
+sub {
+ bottom: -0.25em;
+}
+
+sup {
+ top: -0.5em;
+}
+
+/*
+1. Remove text indentation from table contents in Chrome and Safari. (https://bugs.chromium.org/p/chromium/issues/detail?id=999088, https://bugs.webkit.org/show_bug.cgi?id=201297)
+2. Correct table border color inheritance in all Chrome and Safari. (https://bugs.chromium.org/p/chromium/issues/detail?id=935729, https://bugs.webkit.org/show_bug.cgi?id=195016)
+3. Remove gaps between table borders by default.
+*/
+
+table {
+ text-indent: 0; /* 1 */
+ border-color: inherit; /* 2 */
+ border-collapse: collapse; /* 3 */
+}
+
+/*
+1. Change the font styles in all browsers.
+2. Remove the margin in Firefox and Safari.
+3. Remove default padding in all browsers.
+*/
+
+button,
+input,
+optgroup,
+select,
+textarea {
+ font-family: inherit; /* 1 */
+ font-size: 100%; /* 1 */
+ font-weight: inherit; /* 1 */
+ line-height: inherit; /* 1 */
+ color: inherit; /* 1 */
+ margin: 0; /* 2 */
+ padding: 0; /* 3 */
+}
+
+/*
+Remove the inheritance of text transform in Edge and Firefox.
+*/
+
+button,
+select {
+ text-transform: none;
+}
+
+/*
+1. Correct the inability to style clickable types in iOS and Safari.
+2. Remove default button styles.
+*/
+
+button,
+[type='button'],
+[type='reset'],
+[type='submit'] {
+ -webkit-appearance: button; /* 1 */
+ /*background-color: transparent; !* 2 影响element-plus按钮颜色 *!*/
+ background-image: none; /* 2 */
+}
+
+/*
+Use the modern Firefox focus style for all focusable elements.
+*/
+
+:-moz-focusring {
+ outline: auto;
+}
+
+/*
+Remove the additional `:invalid` styles in Firefox. (https://github.com/mozilla/gecko-dev/blob/2f9eacd9d3d995c937b4251a5557d95d494c9be1/layout/style/res/forms.css#L728-L737)
+*/
+
+:-moz-ui-invalid {
+ box-shadow: none;
+}
+
+/*
+Add the correct vertical alignment in Chrome and Firefox.
+*/
+
+progress {
+ vertical-align: baseline;
+}
+
+/*
+Correct the cursor style of increment and decrement buttons in Safari.
+*/
+
+::-webkit-inner-spin-button,
+::-webkit-outer-spin-button {
+ height: auto;
+}
+
+/*
+1. Correct the odd appearance in Chrome and Safari.
+2. Correct the outline style in Safari.
+*/
+
+[type='search'] {
+ -webkit-appearance: textfield; /* 1 */
+ outline-offset: -2px; /* 2 */
+}
+
+/*
+Remove the inner padding in Chrome and Safari on macOS.
+*/
+
+::-webkit-search-decoration {
+ -webkit-appearance: none;
+}
+
+/*
+1. Correct the inability to style clickable types in iOS and Safari.
+2. Change font properties to `inherit` in Safari.
+*/
+
+::-webkit-file-upload-button {
+ -webkit-appearance: button; /* 1 */
+ font: inherit; /* 2 */
+}
+
+/*
+Add the correct display in Chrome and Safari.
+*/
+
+summary {
+ display: list-item;
+}
+
+/*
+Removes the default spacing and border for appropriate elements.
+*/
+
+blockquote,
+dl,
+dd,
+h1,
+h2,
+h3,
+h4,
+h5,
+h6,
+hr,
+figure,
+p,
+pre {
+ margin: 0;
+}
+
+fieldset {
+ margin: 0;
+ padding: 0;
+}
+
+legend {
+ padding: 0;
+}
+
+ol,
+ul,
+menu {
+ list-style: none;
+ margin: 0;
+ padding: 0;
+}
+
+/*
+Prevent resizing textareas horizontally by default.
+*/
+
+textarea {
+ resize: vertical;
+}
+
+/*
+1. Reset the default placeholder opacity in Firefox. (https://github.com/tailwindlabs/tailwindcss/issues/3300)
+2. Set the default placeholder color to the user's configured gray 400 color.
+*/
+
+input::placeholder,
+textarea::placeholder {
+ opacity: 1; /* 1 */
+ color: theme('colors.gray.400', #9ca3af); /* 2 */
+}
+
+/*
+Set the default cursor for buttons.
+*/
+
+button,
+[role='button'] {
+ cursor: pointer;
+}
+
+/*
+Make sure disabled buttons don't get the pointer cursor.
+*/
+:disabled {
+ cursor: default;
+}
+
+/*
+1. Make replaced elements `display: block` by default. (https://github.com/mozdevs/cssremedy/issues/14)
+2. Add `vertical-align: middle` to align replaced elements more sensibly by default. (https://github.com/jensimmons/cssremedy/issues/14#issuecomment-634934210)
+ This can trigger a poorly considered lint error in some tools but is included by design.
+*/
+
+img,
+svg,
+video,
+canvas,
+audio,
+iframe,
+embed,
+object {
+ display: block; /* 1 */
+ vertical-align: middle; /* 2 */
+}
+
+/*
+Constrain images and videos to the parent width and preserve their intrinsic aspect ratio. (https://github.com/mozdevs/cssremedy/issues/14)
+*/
+
+img,
+video {
+ max-width: 100%;
+ height: auto;
+}
diff --git a/packages/editor/src/assets/style/tailwind.css b/packages/editor/src/assets/style/tailwind.css
new file mode 100644
index 0000000..e71be57
--- /dev/null
+++ b/packages/editor/src/assets/style/tailwind.css
@@ -0,0 +1,9 @@
+/*
+解决tailwind覆盖el-button样式
+@link https://github.com/element-plus/element-plus/issues/5693#issuecomment-1053944933
+ */
+@import './preflight.css';
+
+@tailwind base;
+@tailwind components;
+@tailwind utilities;
diff --git a/packages/editor/src/components/base-ui/kzy-draggable/index.vue b/packages/editor/src/components/base-ui/kzy-draggable/index.vue
new file mode 100644
index 0000000..97c9765
--- /dev/null
+++ b/packages/editor/src/components/base-ui/kzy-draggable/index.vue
@@ -0,0 +1,67 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/packages/editor/src/components/base-ui/kzy-draggable/types.ts b/packages/editor/src/components/base-ui/kzy-draggable/types.ts
new file mode 100644
index 0000000..4fd4d9a
--- /dev/null
+++ b/packages/editor/src/components/base-ui/kzy-draggable/types.ts
@@ -0,0 +1,27 @@
+export type CloneDrag = (original: any) => any
+export type MoveDrag = (evt: any) => any
+
+export type GroupDrag = {
+ name?: string
+ pull?: string
+ put?: boolean
+}
+
+export type DraggableProps = {
+ group?: GroupDrag
+ itemKey?: string
+ sort?: boolean
+ disabled?: boolean
+ handleClone?: CloneDrag
+ handleMove?: MoveDrag
+ handleEnd?: MoveDrag
+ libraryClass?: boolean
+ [key: string]: any
+}
+
+export interface Draggable {
+ draggableProp: DraggableProps
+ // itemSlot: DefineComponent,
+ handleChange?: (component: any) => any
+ handleEnd?: () => unknown
+}
diff --git a/packages/editor/src/components/monaco-editor/index.vue b/packages/editor/src/components/monaco-editor/index.vue
new file mode 100644
index 0000000..4a1e90f
--- /dev/null
+++ b/packages/editor/src/components/monaco-editor/index.vue
@@ -0,0 +1,170 @@
+
+
+
+
+
+
+
diff --git a/packages/editor/src/components/monaco-editor/use-features.ts b/packages/editor/src/components/monaco-editor/use-features.ts
new file mode 100644
index 0000000..3e1d79a
--- /dev/null
+++ b/packages/editor/src/components/monaco-editor/use-features.ts
@@ -0,0 +1,105 @@
+// 功能
+// accessibilityHelp
+import 'monaco-editor/esm/vs/editor/standalone/browser/accessibilityHelp/accessibilityHelp'
+// anchorSelect
+import 'monaco-editor/esm/vs/editor/contrib/anchorSelect/browser/anchorSelect'
+// bracketMatching
+import 'monaco-editor/esm/vs/editor/contrib/bracketMatching/browser/bracketMatching'
+// browser
+import 'monaco-editor/esm/vs/editor/browser/coreCommands'
+// caretOperations
+import 'monaco-editor/esm/vs/editor/contrib/caretOperations/browser/caretOperations'
+import 'monaco-editor/esm/vs/editor/contrib/caretOperations/browser/transpose'
+// clipboard
+import 'monaco-editor/esm/vs/editor/contrib/clipboard/browser/clipboard'
+// codeAction
+import 'monaco-editor/esm/vs/editor/contrib/codeAction/browser/codeActionContributions'
+// codelens
+import 'monaco-editor/esm/vs/editor/contrib/codelens/browser/codelensController'
+// colorPicker
+import 'monaco-editor/esm/vs/editor/contrib/colorPicker/browser/colorContributions'
+// comment
+import 'monaco-editor/esm/vs/editor/contrib/comment/browser/comment'
+// contextmenu
+import 'monaco-editor/esm/vs/editor/contrib/contextmenu/browser/contextmenu'
+// cursorUndo
+import 'monaco-editor/esm/vs/editor/contrib/cursorUndo/browser/cursorUndo'
+// dnd
+import 'monaco-editor/esm/vs/editor/contrib/dnd/browser/dnd'
+// documentSymbols
+import 'monaco-editor/esm/vs/editor/contrib/documentSymbols/browser/documentSymbols'
+// find
+import 'monaco-editor/esm/vs/editor/contrib/find/browser/findController'
+// folding
+import 'monaco-editor/esm/vs/editor/contrib/folding/browser/folding'
+// fontZoom
+import 'monaco-editor/esm/vs/editor/contrib/fontZoom/browser/fontZoom'
+// format
+import 'monaco-editor/esm/vs/editor/contrib/format/browser/formatActions'
+// gotoError
+import 'monaco-editor/esm/vs/editor/contrib/gotoError/browser/gotoError'
+// gotoLine
+import 'monaco-editor/esm/vs/editor/standalone/browser/quickAccess/standaloneGotoLineQuickAccess'
+// gotoSymbol
+import 'monaco-editor/esm/vs/editor/contrib/gotoSymbol/browser/goToCommands'
+import 'monaco-editor/esm/vs/editor/contrib/gotoSymbol/browser/link/goToDefinitionAtPosition'
+// hover
+import 'monaco-editor/esm/vs/editor/contrib/hover/browser/hover'
+// iPadShowKeyboard
+import 'monaco-editor/esm/vs/editor/standalone/browser/iPadShowKeyboard/iPadShowKeyboard'
+// inPlaceReplace
+import 'monaco-editor/esm/vs/editor/contrib/inPlaceReplace/browser/inPlaceReplace'
+// indentation
+import 'monaco-editor/esm/vs/editor/contrib/indentation/browser/indentation'
+// inlayHints
+import 'monaco-editor/esm/vs/editor/contrib/inlayHints/browser/inlayHintsContribution'
+// inlineCompletions
+import 'monaco-editor/esm/vs/editor/contrib/inlineCompletions/browser/inlineCompletionsContribution'
+// inspectTokens
+import 'monaco-editor/esm/vs/editor/standalone/browser/inspectTokens/inspectTokens'
+// lineSelection
+import 'monaco-editor/esm/vs/editor/contrib/lineSelection/browser/lineSelection'
+// linesOperations
+import 'monaco-editor/esm/vs/editor/contrib/linesOperations/browser/linesOperations'
+// linkedEditing
+import 'monaco-editor/esm/vs/editor/contrib/linkedEditing/browser/linkedEditing'
+// links
+import 'monaco-editor/esm/vs/editor/contrib/links/browser/links'
+// multicursor
+import 'monaco-editor/esm/vs/editor/contrib/multicursor/browser/multicursor'
+// parameterHints
+import 'monaco-editor/esm/vs/editor/contrib/parameterHints/browser/parameterHints'
+// quickCommand
+import 'monaco-editor/esm/vs/editor/standalone/browser/quickAccess/standaloneCommandsQuickAccess'
+// quickHelp
+import 'monaco-editor/esm/vs/editor/standalone/browser/quickAccess/standaloneHelpQuickAccess'
+// quickOutline
+import 'monaco-editor/esm/vs/editor/standalone/browser/quickAccess/standaloneGotoSymbolQuickAccess'
+// referenceSearch
+import 'monaco-editor/esm/vs/editor/standalone/browser/referenceSearch/standaloneReferenceSearch'
+// rename
+import 'monaco-editor/esm/vs/editor/contrib/rename/browser/rename'
+// smartSelect
+import 'monaco-editor/esm/vs/editor/contrib/smartSelect/browser/smartSelect'
+// snippet
+import 'monaco-editor/esm/vs/editor/contrib/snippet/browser/snippetController2'
+// suggest
+import 'monaco-editor/esm/vs/editor/contrib/suggest/browser/suggestController'
+// toggleHighContrast
+import 'monaco-editor/esm/vs/editor/standalone/browser/toggleHighContrast/toggleHighContrast'
+// toggleTabFocusMode
+import 'monaco-editor/esm/vs/editor/contrib/toggleTabFocusMode/browser/toggleTabFocusMode'
+// tokenization
+import 'monaco-editor/esm/vs/editor/contrib/tokenization/browser/tokenization'
+// unicodeHighlighter
+import 'monaco-editor/esm/vs/editor/contrib/unicodeHighlighter/browser/unicodeHighlighter'
+// unusualLineTerminators
+import 'monaco-editor/esm/vs/editor/contrib/unusualLineTerminators/browser/unusualLineTerminators'
+// viewportSemanticTokens
+import 'monaco-editor/esm/vs/editor/contrib/viewportSemanticTokens/browser/viewportSemanticTokens'
+// wordHighlighter
+import 'monaco-editor/esm/vs/editor/contrib/wordHighlighter/browser/wordHighlighter'
+// wordOperations
+import 'monaco-editor/esm/vs/editor/contrib/wordOperations/browser/wordOperations'
+// wordPartOperations
+import 'monaco-editor/esm/vs/editor/contrib/wordPartOperations/browser/wordPartOperations'
diff --git a/packages/editor/src/components/monaco-editor/use-languages.ts b/packages/editor/src/components/monaco-editor/use-languages.ts
new file mode 100644
index 0000000..27b456a
--- /dev/null
+++ b/packages/editor/src/components/monaco-editor/use-languages.ts
@@ -0,0 +1,20 @@
+// 语言
+// json
+import 'monaco-editor/esm/vs/language/json/monaco.contribution'
+import JsonWorker from 'monaco-editor/esm/vs/language/json/json.worker?worker'
+// js
+import 'monaco-editor/esm/vs/basic-languages/javascript/javascript.contribution'
+// ts
+import 'monaco-editor/esm/vs/basic-languages/typescript/typescript.contribution'
+import 'monaco-editor/esm/vs/language/typescript/monaco.contribution'
+import TSWorker from 'monaco-editor/esm/vs/language/typescript/ts.worker?worker'
+// css
+import 'monaco-editor/esm/vs/basic-languages/css/css.contribution'
+import 'monaco-editor/esm/vs/language/css/monaco.contribution'
+import CssWorker from 'monaco-editor/esm/vs/language/css/css.worker?worker'
+// html
+import 'monaco-editor/esm/vs/basic-languages/html/html.contribution'
+import 'monaco-editor/esm/vs/language/html/monaco.contribution'
+import HtmlWorker from 'monaco-editor/esm/vs/language/html/html.worker?worker'
+
+export { JsonWorker, TSWorker, CssWorker, HtmlWorker }
diff --git a/packages/editor/src/components/monaco-editor/use-monaco.ts b/packages/editor/src/components/monaco-editor/use-monaco.ts
new file mode 100644
index 0000000..9b1bc08
--- /dev/null
+++ b/packages/editor/src/components/monaco-editor/use-monaco.ts
@@ -0,0 +1,32 @@
+/**
+ * Using Vite
+ * @link https://github.com/microsoft/monaco-editor/blob/main/docs/integrate-esm.md#using-vite
+ */
+// import * as Monaco from 'monaco-editor'
+// or import * as monaco from 'monaco-editor/esm/vs/editor/editor.api';
+// if shipping only a subset of the features & languages is desired
+import * as Monaco from 'monaco-editor/esm/vs/editor/editor.api'
+import EditorWorker from 'monaco-editor/esm/vs/editor/editor.worker?worker'
+import './use-features'
+import { CssWorker, HtmlWorker, JsonWorker, TSWorker } from './use-languages'
+
+// eslint-disable-next-line @typescript-eslint/ban-ts-comment
+// @ts-ignore
+self.MonacoEnvironment = {
+ getWorker(_: string, label: string) {
+ if (label === 'json') {
+ return new JsonWorker()
+ }
+ if (label === 'css' || label === 'scss' || label === 'less') {
+ return new CssWorker()
+ }
+ if (label === 'html' || label === 'handlebars' || label === 'razor') {
+ return new HtmlWorker()
+ }
+ if (label === 'typescript' || label === 'javascript') {
+ return new TSWorker()
+ }
+ return new EditorWorker()
+ },
+}
+export default Monaco
diff --git a/packages/editor/src/components/page-draggable/index.vue b/packages/editor/src/components/page-draggable/index.vue
new file mode 100644
index 0000000..b8f69e7
--- /dev/null
+++ b/packages/editor/src/components/page-draggable/index.vue
@@ -0,0 +1,36 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/packages/editor/src/constant/index.ts b/packages/editor/src/constant/index.ts
new file mode 100644
index 0000000..17f9998
--- /dev/null
+++ b/packages/editor/src/constant/index.ts
@@ -0,0 +1,3 @@
+export * from '@cow-low-code/constant'
+
+export const PREVIEW_ADDRESS = 'https://cow-coder.github.io/preview-cow-low-code/'
diff --git a/packages/editor/src/directive/element-dialog-resize/index.tsx b/packages/editor/src/directive/element-dialog-resize/index.tsx
new file mode 100644
index 0000000..94194a1
--- /dev/null
+++ b/packages/editor/src/directive/element-dialog-resize/index.tsx
@@ -0,0 +1,63 @@
+import { isArray } from 'lodash-es'
+import useDraggable, { addUnit } from './use-draggable'
+import useResizer from './use-resizer'
+import useFullscreen from './use-fullscreen'
+import type { DirectiveBinding } from 'vue'
+import useCssVariable from '@/directive/element-dialog-resize/use-css-variable'
+
+const beforeMountedFun: Array<(...args: any) => any> = []
+
+function handle(el: HTMLElement, binding: DirectiveBinding, vnode: any) {
+ if (
+ !(
+ isArray(vnode.children) &&
+ (vnode.children[0] as any)?.props?.modelValue &&
+ (vnode.children[0] as any)?.component?.subTree?.children[0].el
+ )
+ )
+ return undefined
+ nextTick(() => {
+ const dialogVnode = vnode.children[0].component
+ const rootEl = dialogVnode.subTree.children[0].el as HTMLElement
+ if (rootEl.dataset.initialized === 'ok') return undefined
+ rootEl.dataset.initialized = 'ok'
+ const dialogOverlay: HTMLElement = rootEl.querySelector('.el-overlay-dialog')!
+ // 隐藏element这个奇怪设计导致拉伸太大而出现滚动条
+ dialogOverlay.style.overflow = 'hidden'
+ const dialogEl: HTMLElement = rootEl.querySelector('div.el-dialog')!
+ dialogEl.style.display = 'flex'
+ dialogEl.style.flexDirection = 'column'
+ const dialogBodyEl: HTMLElement = dialogEl.querySelector('.el-dialog__body')!
+ dialogBodyEl.style.flexGrow = '1'
+ const dialogHeaderEl: HTMLElement = dialogEl.querySelector('header.el-dialog__header')!
+
+ const isEnableResizer = computed(() => true)
+ const isDraggable = computed(() => binding.value?.draggable ?? false)
+ useCssVariable(dialogEl)
+ useResizer(dialogEl, isEnableResizer, beforeMountedFun)
+ useDraggable(dialogEl, dialogHeaderEl, isDraggable, beforeMountedFun)
+ if (binding.value?.fullscreen) useFullscreen(dialogEl, dialogVnode)
+ })
+}
+
+/**
+ * element-plus dialog组件大小缩放功能
+ * 不要使用ElDialog自带的 draggable 和 fullscreen
+ * @param draggable Boolean
+ * @example
+ *
+ *
+ *
+ *
+ */
+export default {
+ mounted: handle,
+ updated: handle,
+ beforeUnmount: () => {
+ for (const fun of beforeMountedFun) {
+ if (typeof fun === 'function') {
+ fun()
+ }
+ }
+ },
+}
diff --git a/packages/editor/src/directive/element-dialog-resize/use-css-variable.ts b/packages/editor/src/directive/element-dialog-resize/use-css-variable.ts
new file mode 100644
index 0000000..6a5f8ab
--- /dev/null
+++ b/packages/editor/src/directive/element-dialog-resize/use-css-variable.ts
@@ -0,0 +1,43 @@
+import { addUnit } from '@/directive/element-dialog-resize/use-draggable'
+
+export default function useCssVariable(dialogEl: HTMLElement) {
+ const dialogHeaderEl: HTMLElement = dialogEl.querySelector('header.el-dialog__header')!
+ {
+ const dialogHeaderRect = useElementBounding(dialogHeaderEl)
+ watch(
+ () => dialogHeaderRect.height,
+ (height) => {
+ requestAnimationFrame(() =>
+ dialogEl.style.setProperty('--el-dialog-header-height', addUnit(height.value)!)
+ )
+ },
+ { immediate: true }
+ )
+ }
+
+ const dialogFooterEl: HTMLElement | null = dialogEl.querySelector('footer.el-dialog__footer')
+ if (dialogFooterEl) {
+ const dialogFooterRect = useElementBounding(dialogFooterEl)
+ watch(
+ () => dialogFooterRect.height,
+ (height) => {
+ requestAnimationFrame(() =>
+ dialogEl.style.setProperty('--el-dialog-footer-height', addUnit(height.value)!)
+ )
+ },
+ { immediate: true }
+ )
+ }
+
+ const dialogRect = useElementBounding(dialogEl)
+ watch(
+ () => reactive([dialogRect.width.value, dialogRect.height.value]),
+ ([width, height]) => {
+ requestAnimationFrame(() => {
+ dialogEl.style.setProperty('--el-dialog-width', addUnit(width)!)
+ dialogEl.style.setProperty('--el-dialog-height', addUnit(height)!)
+ })
+ },
+ { immediate: true, deep: true }
+ )
+}
diff --git a/packages/editor/src/directive/element-dialog-resize/use-draggable.ts b/packages/editor/src/directive/element-dialog-resize/use-draggable.ts
new file mode 100644
index 0000000..3a49bbe
--- /dev/null
+++ b/packages/editor/src/directive/element-dialog-resize/use-draggable.ts
@@ -0,0 +1,85 @@
+import { watchEffect } from 'vue'
+import { isNumber, isString } from 'lodash-es'
+import type { ComputedRef, Ref } from 'vue'
+import useParseTranslate from '@/directive/element-dialog-resize/use-parse-translate'
+
+export function addUnit(value?: string | number, defaultUnit = 'px') {
+ if (!value) return ''
+ if (isString(value)) {
+ return value
+ } else if (isNumber(value)) {
+ return `${value}${defaultUnit}`
+ }
+}
+
+const useDraggable = (
+ targetRef: Ref | HTMLElement,
+ dragRef: Ref | HTMLElement,
+ draggable: ComputedRef,
+ beforeMountedFun: Array<(...args: any) => any>
+) => {
+ const targetRef_ = unref(targetRef)!
+ const dragRef_ = unref(dragRef)!
+
+ const onMousedown = (e: MouseEvent) => {
+ const downX = e.clientX
+ const downY = e.clientY
+ const { x: offsetX, y: offsetY } = useParseTranslate(targetRef_!.style.transform)
+
+ const targetRect = targetRef_!.getBoundingClientRect()
+ const targetLeft = targetRect.left
+ const targetTop = targetRect.top
+ const targetWidth = targetRect.width
+ const targetHeight = targetRect.height
+
+ const clientWidth = document.documentElement.clientWidth
+ const clientHeight = document.documentElement.clientHeight
+
+ const minLeft = -targetLeft + offsetX
+ const minTop = -targetTop + offsetY
+ const maxLeft = clientWidth - targetLeft - targetWidth + offsetX
+ const maxTop = clientHeight - targetTop - targetHeight + offsetY
+
+ const onMousemove = (e: MouseEvent) => {
+ requestAnimationFrame(() => {
+ const moveX = Math.min(Math.max(offsetX + e.clientX - downX, minLeft), maxLeft)
+ const moveY = Math.min(Math.max(offsetY + e.clientY - downY, minTop), maxTop)
+
+ targetRef_!.style.transform = `translate(${addUnit(moveX)}, ${addUnit(moveY)})`
+ })
+ }
+
+ const onMouseup = () => {
+ document.removeEventListener('mousemove', onMousemove)
+ document.removeEventListener('mouseup', onMouseup)
+ }
+
+ document.addEventListener('mousemove', onMousemove)
+ document.addEventListener('mouseup', onMouseup)
+ }
+
+ const onDraggable = () => {
+ if (dragRef_ && targetRef_) {
+ targetRef_.className = `${targetRef_.className} is-draggable`
+ dragRef_.addEventListener('mousedown', onMousedown)
+ }
+ }
+
+ const offDraggable = () => {
+ if (dragRef_ && targetRef_) {
+ targetRef_.className = targetRef_.className.replace('is-draggable', '')
+ dragRef_.removeEventListener('mousedown', onMousedown)
+ }
+ }
+
+ watchEffect(() => {
+ if (draggable.value) {
+ onDraggable()
+ } else {
+ offDraggable()
+ }
+ })
+
+ beforeMountedFun.push(offDraggable)
+}
+export default useDraggable
diff --git a/packages/editor/src/directive/element-dialog-resize/use-fullscreen.tsx b/packages/editor/src/directive/element-dialog-resize/use-fullscreen.tsx
new file mode 100644
index 0000000..9972dc7
--- /dev/null
+++ b/packages/editor/src/directive/element-dialog-resize/use-fullscreen.tsx
@@ -0,0 +1,65 @@
+import { render } from 'vue'
+import IconFullScreen from '~icons/ep/full-screen'
+import IconClose from '~icons/ep/close'
+
+export default function useFullscreen(dialogEl: HTMLElement, dialogVnode: any) {
+ const dialogHeaderEl: HTMLElement = dialogEl.querySelector('header.el-dialog__header')!
+ let allowDraggable = false
+ let widthBeforeFullscreen: number | undefined = undefined
+ function onToggleFullScreen() {
+ if (dialogEl.className.includes('is-draggable')) allowDraggable = true
+ if (!dialogVnode.props.fullscreen) {
+ // 准备切换全屏,记录当前宽度
+ widthBeforeFullscreen = dialogHeaderEl.getBoundingClientRect().width
+ }
+ if (dialogVnode.props.fullscreen) {
+ if (!widthBeforeFullscreen) return undefined
+ // 准备缩小,恢复记录的宽度
+ dialogEl.style.setProperty('--el-dialog-width', `${widthBeforeFullscreen}px`)
+ dialogEl.style.width = `${widthBeforeFullscreen}px`
+ widthBeforeFullscreen = undefined
+ }
+ dialogVnode.props.fullscreen = !dialogVnode.props.fullscreen
+ if (!dialogVnode.props.fullscreen && allowDraggable) {
+ // 从全屏变回窗口,要加上 is-draggable
+ nextTick(() => {
+ dialogEl.className = `${dialogEl.className} is-draggable`
+ })
+ }
+ }
+ function onCloseDialog() {
+ dialogVnode.props.modelValue = false
+ }
+
+ const dialogHeaderButtonEl: HTMLElement | null =
+ dialogHeaderEl.querySelector('.el-dialog__headerbtn')
+ if (dialogHeaderButtonEl) {
+ dialogHeaderEl.removeChild(dialogHeaderButtonEl)
+ }
+ const customDialogHeaderButtonEl = document.createElement('div')
+ customDialogHeaderButtonEl.className = 'el-dialog__headerbtn'
+ customDialogHeaderButtonEl.style.display = 'flex'
+ customDialogHeaderButtonEl.style.alignItems = 'center'
+ customDialogHeaderButtonEl.style.width = 'auto'
+ customDialogHeaderButtonEl.style.marginRight = '20px'
+
+ const iconFullscreenContainer = document.createElement('div')
+ const iconFullscreenVnode =
+ render(iconFullscreenVnode, iconFullscreenContainer)
+ customDialogHeaderButtonEl.appendChild(iconFullscreenContainer)
+
+ const iconCloseContainer = document.createElement('div')
+ iconCloseContainer.style.marginLeft = '20px'
+ const iconCloseVnode =
+ render(iconCloseVnode, iconCloseContainer)
+ customDialogHeaderButtonEl.appendChild(iconCloseContainer)
+
+ dialogHeaderEl.appendChild(customDialogHeaderButtonEl)
+
+ // 加入覆盖样式
+ const style = document.createElement('style')
+ style.type = 'text/css'
+ // --el-dialog-width: 100%!important;
+ style.innerHTML = '.el-dialog.is-fullscreen {width:100%!important;height:100%!important;}'
+ document.querySelector('head')!.appendChild(style)
+}
diff --git a/packages/editor/src/directive/element-dialog-resize/use-parse-translate.ts b/packages/editor/src/directive/element-dialog-resize/use-parse-translate.ts
new file mode 100644
index 0000000..9eb9a50
--- /dev/null
+++ b/packages/editor/src/directive/element-dialog-resize/use-parse-translate.ts
@@ -0,0 +1,9 @@
+export default function useParseTranslate(translate: string | undefined) {
+ if (translate === '') return { x: 0, y: 0 }
+ return {
+ x: translate ? Number(translate.slice(translate.indexOf('(') + 1, translate.indexOf('px'))) : 0,
+ y: translate
+ ? Number(translate.slice(translate.indexOf(',') + 1, translate.indexOf(')') - 2))
+ : 0,
+ }
+}
diff --git a/packages/editor/src/directive/element-dialog-resize/use-resizer.ts b/packages/editor/src/directive/element-dialog-resize/use-resizer.ts
new file mode 100644
index 0000000..1445497
--- /dev/null
+++ b/packages/editor/src/directive/element-dialog-resize/use-resizer.ts
@@ -0,0 +1,96 @@
+import { watchEffect } from 'vue'
+import type { ComputedRef, Ref } from 'vue'
+import useParseTranslate from '@/directive/element-dialog-resize/use-parse-translate'
+import { addUnit } from '@/directive/element-dialog-resize/use-draggable'
+
+export default function useResizer(
+ dialogRef: Ref | HTMLElement,
+ isEnable: ComputedRef,
+ beforeMountedFun: Array<(...args: any) => any>
+) {
+ const dialogEl = unref(dialogRef)!
+ // dialogEl.style.setProperty('--el-dialog-width', addUnit(dialogEl.getBoundingClientRect().width)!)
+ // dialogEl.style.setProperty(
+ // '--el-dialog-height',
+ // addUnit(dialogEl.getBoundingClientRect().height)!
+ // )
+
+ const resizerEl = document.createElement('div')
+ resizerEl.className = 'el-dialog-resizer'
+ resizerEl.style.width = '15px'
+ resizerEl.style.height = '15px'
+ resizerEl.style.zIndex = '3000'
+ resizerEl.style.background = 'transparent'
+ resizerEl.style.position = 'absolute'
+ resizerEl.style.bottom = '0'
+ resizerEl.style.right = '0'
+ resizerEl.style.cursor = 'se-resize'
+
+ let dialogDefaultRect: DOMRect | undefined = undefined
+ let resizerDefaultRect: DOMRect | undefined = undefined
+ const mouseOffsetInResizer = { x: 0, y: 0 }
+ let dialogDefaultTranslate: string | undefined = undefined
+ function onMouseMove(ev: MouseEvent) {
+ requestAnimationFrame(() => {
+ const deltaWidth = ev.clientX - dialogDefaultRect!.right + mouseOffsetInResizer.x
+ const deltaHeight = ev.clientY - dialogDefaultRect!.bottom + mouseOffsetInResizer.y
+ const { x: translateX, y: translateY } = useParseTranslate(dialogDefaultTranslate)
+
+ const newWidth = `${dialogDefaultRect!.width + deltaWidth}px`
+ const newHeight = `${dialogDefaultRect!.height + deltaHeight}px`
+ // dialogEl.style.setProperty('--el-dialog-width', newWidth)
+ // dialogEl.style.setProperty('--el-dialog-height', newHeight)
+ dialogEl.style.width = newWidth
+ dialogEl.style.height = newHeight
+ dialogEl.style.transform = `translate(${translateX + deltaWidth / 2}px,${translateY}px)`
+ })
+ }
+
+ const onMouseDown = (ev: MouseEvent) => {
+ document.body.style.userSelect = 'none'
+ document.body.style.cursor = 'se-resize'
+ dialogDefaultRect = dialogEl.getBoundingClientRect()
+ resizerDefaultRect = resizerEl.getBoundingClientRect()
+ mouseOffsetInResizer.x = resizerDefaultRect.right - ev.clientX
+ mouseOffsetInResizer.y = resizerDefaultRect.bottom - ev.clientY
+ dialogDefaultTranslate = dialogEl.style.transform === '' ? undefined : dialogEl.style.transform
+
+ function onMouseUp() {
+ requestAnimationFrame(() => {
+ dialogDefaultRect = undefined
+ resizerDefaultRect = undefined
+ dialogDefaultTranslate = undefined
+ document.body.style.userSelect = ''
+ document.body.style.cursor = ''
+ })
+ document.removeEventListener('mousemove', onMouseMove)
+ document.removeEventListener('mouseup', onMouseUp)
+ }
+ document.addEventListener('mousemove', onMouseMove)
+ document.addEventListener('mouseup', onMouseUp)
+ }
+
+ const onResizer = () => {
+ if (resizerEl && dialogEl) {
+ resizerEl.addEventListener('mousedown', onMouseDown)
+ dialogEl.appendChild(resizerEl)
+ }
+ }
+
+ const offResizer = () => {
+ if (resizerEl && dialogEl) {
+ resizerEl.removeEventListener('mousedown', onMouseDown)
+ dialogEl.removeChild(resizerEl)
+ }
+ }
+
+ watchEffect(() => {
+ if (isEnable.value) {
+ onResizer()
+ } else {
+ offResizer()
+ }
+ })
+
+ beforeMountedFun.push(offResizer)
+}
diff --git a/packages/editor/src/directive/index.ts b/packages/editor/src/directive/index.ts
new file mode 100644
index 0000000..b7e4e24
--- /dev/null
+++ b/packages/editor/src/directive/index.ts
@@ -0,0 +1,8 @@
+import type { App } from 'vue'
+import ElementDialogResize from '@/directive/element-dialog-resize'
+
+export default {
+ install(Vue: App) {
+ Vue.directive('element-dialog-resize', ElementDialogResize)
+ },
+}
diff --git a/packages/editor/src/hooks/.gitkeep b/packages/editor/src/hooks/.gitkeep
new file mode 100644
index 0000000..e69de29
diff --git a/packages/editor/src/hooks/use-recurse-query-schema.ts b/packages/editor/src/hooks/use-recurse-query-schema.ts
new file mode 100644
index 0000000..2f5771c
--- /dev/null
+++ b/packages/editor/src/hooks/use-recurse-query-schema.ts
@@ -0,0 +1,45 @@
+import type { LibraryComponentInstanceData, SlotItemValue } from '@/types/library-component'
+import { useCodeStore } from '@/stores/code'
+
+/**
+ * 通过Id,递归查询组件
+ * @param queryId :组件的 uuid
+ * @return : 对应的组件实例 | undefined
+ */
+export const useRecurseQuerySchema = (
+ queryId: string | undefined
+): LibraryComponentInstanceData | undefined => {
+ if (!queryId) return undefined
+ // 递归查找实例
+ let focusedCompInstanceType = undefined
+ const _recurseGetCompInstance = (targetArr: any[]) => {
+ for (const jsonCodeElement of targetArr) {
+ if (jsonCodeElement?.props?.slots) {
+ // 来到这说明是容器组件
+ if (jsonCodeElement?.uuid === queryId) {
+ // 使容器本身可以被找到
+ focusedCompInstanceType = jsonCodeElement
+ break
+ }
+ // 遍历容器里面的插槽,拿到他们的children递归遍历
+ Object.values(jsonCodeElement.props.slots)
+ ?.filter((item) => typeof item !== 'string')
+ .forEach((fItem) => {
+ const slotItem = fItem as SlotItemValue
+ if (slotItem?.children?.length > 0) {
+ _recurseGetCompInstance(slotItem.children ?? [])
+ }
+ })
+ } else {
+ if (jsonCodeElement?.uuid === queryId) {
+ focusedCompInstanceType = jsonCodeElement
+ break
+ }
+ }
+ }
+ }
+ const store = useCodeStore()
+ const { jsonCode } = storeToRefs(store)
+ _recurseGetCompInstance(jsonCode.value)
+ return focusedCompInstanceType
+}
diff --git a/packages/editor/src/library/index.ts b/packages/editor/src/library/index.ts
new file mode 100644
index 0000000..e024717
--- /dev/null
+++ b/packages/editor/src/library/index.ts
@@ -0,0 +1 @@
+export * from '@cow-low-code/library'
diff --git a/packages/editor/src/main.ts b/packages/editor/src/main.ts
new file mode 100644
index 0000000..0708174
--- /dev/null
+++ b/packages/editor/src/main.ts
@@ -0,0 +1,15 @@
+import App from './App.vue'
+import router from './router'
+import pinia from '@/plugins/pinia'
+import '@/assets/style/tailwind.css'
+import '@vant/touch-emulator'
+import directive from '@/directive'
+import ColorPicker from '@/plugins/color-picker'
+
+const app = createApp(App)
+
+app.use(ColorPicker)
+app.use(directive)
+app.use(router)
+app.use(pinia)
+app.mount('#app')
diff --git a/packages/editor/src/plugins/color-picker.ts b/packages/editor/src/plugins/color-picker.ts
new file mode 100644
index 0000000..88641d6
--- /dev/null
+++ b/packages/editor/src/plugins/color-picker.ts
@@ -0,0 +1,4 @@
+import ColorPicker from 'colorpicker-v3'
+import 'colorpicker-v3/style.css'
+
+export default ColorPicker
diff --git a/packages/editor/src/plugins/pinia.ts b/packages/editor/src/plugins/pinia.ts
new file mode 100644
index 0000000..81f1562
--- /dev/null
+++ b/packages/editor/src/plugins/pinia.ts
@@ -0,0 +1,13 @@
+import piniaPersist from 'pinia-plugin-persist'
+import type { App } from 'vue'
+import storeReset from '@/stores/plugins/store-reset'
+
+export default {
+ install: (app: App) => {
+ const pinia = createPinia()
+ pinia.use(piniaPersist)
+ pinia.use(storeReset)
+
+ app.use(pinia)
+ },
+}
diff --git a/packages/editor/src/router/index.ts b/packages/editor/src/router/index.ts
new file mode 100644
index 0000000..ba79afa
--- /dev/null
+++ b/packages/editor/src/router/index.ts
@@ -0,0 +1,15 @@
+import { createRouter, createWebHistory } from 'vue-router'
+import HomeView from '@/views/home/index.vue'
+
+const router = createRouter({
+ history: createWebHistory(import.meta.env.BASE_URL),
+ routes: [
+ {
+ path: '/:pathMatch(.*)*',
+ name: 'home',
+ component: HomeView,
+ },
+ ],
+})
+
+export default router
diff --git a/packages/editor/src/stores/code.ts b/packages/editor/src/stores/code.ts
new file mode 100644
index 0000000..82ffb9a
--- /dev/null
+++ b/packages/editor/src/stores/code.ts
@@ -0,0 +1,203 @@
+import type { NodeDropType } from 'element-plus/es/components/tree/src/tree.type'
+import type {
+ ContainerMap,
+ LibraryComponent,
+ LibraryComponentInstanceData,
+ LibraryComponentInstanceFocus,
+ LibraryComponentsInstanceTree,
+ SlotItemValue,
+} from '@cow-low-code/types'
+import type { ComponentPublicInstance, ComputedRef } from 'vue'
+import type { TreeData } from '@/utils/map-schemes-2-outline'
+import type { PageSetting } from '@cow-low-code/types/src/page'
+import { libraryRecord } from '@/library'
+import { arrResort, mapSchemes2Outline } from '@/utils/map-schemes-2-outline'
+import { useRecurseQuerySchema } from '@/hooks/use-recurse-query-schema'
+
+export const useCodeStore = defineStore(
+ 'CodeStore',
+ () => {
+ /**
+ * 物料组件JSON树
+ */
+ const jsonCode = ref([])
+
+ /**
+ * 页面设置
+ */
+ const pageSetting = ref({ title: '' })
+ watch(
+ () => pageSetting.value.title,
+ (title) => {
+ title !== '' ? useTitle(title) : undefined
+ }
+ )
+
+ /**
+ * 存储 物料组件ref 键值对
+ */
+ const componentRefMap = new Map()
+ /**
+ * 想到三种方案
+ * 1. 在原本组件实例数据上根据 focus:true 自动去找是哪个组件被选中了
+ * 这种方案就不要下面 focusData 了,但是有个问题,需要再设置一遍其他组件 focus:false
+ * 2. *使用下面 focusData 记录是哪个组件被选中了
+ * 这种方案避免了 focus:true 处理唯一的问题
+ * 3. 使用 focusData 记录被选中组件在JSON中的路径,根据路径就可以直达被选中组件
+ * 问题是拖动组件换顺序之后要全部重新计算
+ */
+ const focusData = ref()
+
+ /**
+ * 被拖拽的组件
+ */
+ const draggedElement = ref()
+
+ /**
+ * 容器组件映射
+ */
+ const containerMap = ref({})
+ /**
+ * store恢复初始状态
+ * Q: 为什么不用 store.$reset() ?
+ * A: 使用持久化插件之后reset是sessionStorage的数据
+ */
+ function clear() {
+ jsonCode.value = []
+ focusData.value = undefined
+ containerMap.value = {}
+ }
+
+ function dispatchFocus(uuid: string, path?: string) {
+ focusData.value = {
+ uuid,
+ path: path ?? '',
+ }
+ return focusData
+ }
+ function freeFocus() {
+ focusData.value = undefined
+ }
+
+ /**
+ * 获取当前选中组件的数据和定义
+ * @param focus
+ */
+ function getLibraryComponentInstanceDataAndSchema(
+ focus?: LibraryComponentInstanceFocus
+ ): [LibraryComponentInstanceData, LibraryComponent] {
+ let focusData_ = focus
+ if (!focus) focusData_ = focusData.value
+ if (!focusData_) throw new TypeError('focusData_和focus不能同时为undefined')
+ /**
+ * TODO: 这里应该加缓存,记录已经找到过的组件的uuid,缓存进键值对
+ */
+ // 拿到对应的组件实例
+ const focusedCompInstanceType = useRecurseQuerySchema(focusData_?.uuid)
+
+ if (!focusedCompInstanceType)
+ throw new Error(`not found focusedLibraryComponentData(uuid): ${focusData_.uuid}`)
+ const focusedLibraryComponentInstanceData =
+ focusedCompInstanceType as LibraryComponentInstanceData
+ let focusedLibraryComponentSchema = undefined
+ for (const e of libraryRecord[focusedLibraryComponentInstanceData.libraryName]) {
+ if (e.name == focusedLibraryComponentInstanceData.componentName) {
+ focusedLibraryComponentSchema = e
+ break
+ }
+ }
+
+ if (!focusedLibraryComponentSchema)
+ throw new Error(
+ `not found focusedLibraryComponentSchema(name): ${focusedLibraryComponentInstanceData.componentName}`
+ )
+ return [focusedLibraryComponentInstanceData, focusedLibraryComponentSchema]
+ }
+
+ // 添加被拖拽的数据
+ const updateDraggedElement = (element: LibraryComponent) => {
+ draggedElement.value = element
+ }
+
+ // 清空被拖拽的数据
+ const removeDraggedElementAndCompId = () => {
+ draggedElement.value = undefined
+ }
+
+ // 删除单个组件
+ function dispatchDelete(uuid: string) {
+ const wantDeleteComp = useRecurseQuerySchema(uuid)
+ //TODO: 删除子元素
+ const newJsonCode = jsonCode.value.filter((item) => item.uuid !== uuid)
+ jsonCode.value = newJsonCode
+ return jsonCode
+ }
+
+ // 监听 jsonSchemes 的变化。给大纲数据赋值
+ const outlineData: ComputedRef = computed(() =>
+ mapSchemes2Outline(jsonCode.value)
+ )
+
+ // 拖拽大纲顺序时,修改 jsonCode
+ const updateJsonCodeAtDragged = (
+ draggingNodeId: string,
+ dropNodeId: string,
+ dropType: NodeDropType
+ ) => {
+ let oldIndex = 0
+ let newIndex = 0
+ const oldComp = jsonCode.value.find((item, index) => {
+ oldIndex = index
+ return item.uuid === draggingNodeId
+ })
+ if (oldComp) {
+ // 说明是从外层开始拖拽的
+ if (dropType === 'inner') {
+ // 说明是拖拽到容器组件里了
+ const newComp = jsonCode.value.find((item, index) => {
+ newIndex = index
+ return item.uuid === dropNodeId
+ })
+ const newSlots = newComp?.props?.slots as SlotItemValue
+ newSlots?.slot0?.children.push(oldComp)
+ jsonCode.value.splice(oldIndex, 1)
+ } else {
+ // 重新排序即可
+ arrResort(jsonCode.value, oldIndex, newIndex)
+ }
+ } else {
+ //TODO: 从树的子节点拖动时,重新渲染画布
+ // 说明是从内层开始拖拽的
+ }
+ }
+
+ return {
+ pageSetting,
+ jsonCode,
+ focusData,
+ draggedElement,
+ outlineData,
+ componentRefMap,
+ containerMap,
+ dispatchFocus,
+ getLibraryComponentInstanceDataAndSchema,
+ clear,
+ freeFocus,
+ updateDraggedElement,
+ removeDraggedElement: removeDraggedElementAndCompId,
+ updateJsonCodeAtDragged,
+ dispatchDelete,
+ }
+ },
+ {
+ persist: {
+ enabled: true,
+ strategies: [
+ {
+ storage: sessionStorage,
+ paths: ['jsonCode', 'pageSetting', 'outlineData'],
+ },
+ ],
+ },
+ }
+)
diff --git a/packages/editor/src/stores/plugins/store-reset.ts b/packages/editor/src/stores/plugins/store-reset.ts
new file mode 100644
index 0000000..30dc577
--- /dev/null
+++ b/packages/editor/src/stores/plugins/store-reset.ts
@@ -0,0 +1,11 @@
+import { cloneDeep } from 'lodash-es'
+import type { PiniaPluginContext } from 'pinia'
+
+/**
+ * @link https://stackoverflow.com/a/73116803
+ */
+export default function storeReset(context: PiniaPluginContext) {
+ const { store } = context
+ const initialState = cloneDeep(store.$state)
+ store.$reset = () => store.$patch(cloneDeep(initialState))
+}
diff --git a/packages/editor/src/stores/setting.ts b/packages/editor/src/stores/setting.ts
new file mode 100644
index 0000000..4ed2c23
--- /dev/null
+++ b/packages/editor/src/stores/setting.ts
@@ -0,0 +1,43 @@
+import type { Setting } from '@/types/panel'
+
+export const useSettingStore = defineStore(
+ 'SettingStore',
+ () => {
+ const previewUrlDefault = {
+ online: 'https://cow-coder.github.io/preview-cow-low-code/',
+ dev: 'http://127.0.0.1:5174',
+ }
+ const previewUrlPreset = import.meta.env.DEV ? previewUrlDefault.dev : previewUrlDefault.online
+ const setting = ref({
+ previewUrl: previewUrlPreset,
+ confirmOnClose: true,
+ })
+
+ // 刷新/退出页面确认
+ watch(
+ () => setting.value.confirmOnClose,
+ (val) => {
+ if (val) {
+ window.onbeforeunload = (event) => {
+ // Cancel the event as stated by the standard.
+ event.preventDefault()
+ // Chrome requires returnValue to be set.
+ event.returnValue = ''
+ // Other Browsers requires return.
+ return ''
+ }
+ } else window.onbeforeunload = null
+ }
+ )
+ return {
+ setting,
+ previewUrlDefault,
+ }
+ },
+ {
+ persist: {
+ enabled: true,
+ strategies: [{ storage: localStorage, paths: ['setting'] }],
+ },
+ }
+)
diff --git a/packages/editor/src/stores/tab-resize.ts b/packages/editor/src/stores/tab-resize.ts
new file mode 100644
index 0000000..21defdf
--- /dev/null
+++ b/packages/editor/src/stores/tab-resize.ts
@@ -0,0 +1,20 @@
+export const useTabResizeStore = defineStore(
+ 'TabResizeStore',
+ () => {
+ const tabWidthRecord = reactive>({})
+ return {
+ tabWidthRecord,
+ }
+ },
+ {
+ persist: {
+ enabled: true,
+ strategies: [
+ {
+ storage: sessionStorage,
+ paths: ['tabWidthRecord'],
+ },
+ ],
+ },
+ }
+)
diff --git a/packages/editor/src/types/event-trigger.ts b/packages/editor/src/types/event-trigger.ts
new file mode 100644
index 0000000..5603f71
--- /dev/null
+++ b/packages/editor/src/types/event-trigger.ts
@@ -0,0 +1 @@
+export * from '@cow-low-code/types/src/event-trigger'
diff --git a/packages/editor/src/types/library-component.ts b/packages/editor/src/types/library-component.ts
new file mode 100644
index 0000000..69817cf
--- /dev/null
+++ b/packages/editor/src/types/library-component.ts
@@ -0,0 +1 @@
+export * from '@cow-low-code/types/src/library-component'
diff --git a/packages/editor/src/types/panel.ts b/packages/editor/src/types/panel.ts
new file mode 100644
index 0000000..271894e
--- /dev/null
+++ b/packages/editor/src/types/panel.ts
@@ -0,0 +1,12 @@
+export * from '@cow-low-code/types/src/panel'
+
+export type Setting = {
+ /**
+ * 预览地址
+ */
+ previewUrl: string
+ /**
+ * 在退出前确认
+ */
+ confirmOnClose: boolean
+}
diff --git a/packages/editor/src/utils/library.ts b/packages/editor/src/utils/library.ts
new file mode 100644
index 0000000..a5a057f
--- /dev/null
+++ b/packages/editor/src/utils/library.ts
@@ -0,0 +1,23 @@
+import { v4 as uuidv4 } from 'uuid'
+import { isCustomEventTriggerName as isCustomEventTriggerNameFun } from '@cow-low-code/utils'
+
+export const uuid = uuidv4
+
+export const isCustomEventTriggerName = isCustomEventTriggerNameFun
+
+// /**
+// * 生成组件实例的 事件触发器
+// * @param triggersSchema
+// */
+// export function createLibraryComponentInstanceEventTriggers(
+// triggersSchema: EventTriggerSchema
+// ): LibraryComponentInstanceEventTriggers {
+// const _triggersSchema = cloneDeep(triggersSchema)
+// const result = {} as LibraryComponentInstanceEventTriggers
+// Object.entries(_triggersSchema).forEach(([trigger]) => {
+// result[trigger] = {
+// actions: [],
+// }
+// })
+// return result
+// }
diff --git a/packages/editor/src/utils/map-schemes-2-outline.ts b/packages/editor/src/utils/map-schemes-2-outline.ts
new file mode 100644
index 0000000..15a0f9b
--- /dev/null
+++ b/packages/editor/src/utils/map-schemes-2-outline.ts
@@ -0,0 +1,85 @@
+import type {
+ LibraryComponentInstanceData,
+ SlotItemValue,
+ WidgetType,
+} from '@/types/library-component'
+import { libraryMap } from '@/library'
+
+export interface TreeData {
+ uuid: string
+ label: string
+ compType: WidgetType
+ children?: TreeData[]
+}
+/**
+ * 映射大纲数据 -> 变成树状结构。
+ * @param jsonSchemas
+ */
+export const mapSchemes2Outline = (jsonSchemas: LibraryComponentInstanceData[]) => {
+ if (jsonSchemas.length === 0) return
+ // 返回的树结构
+ const doneTreeData = [] as TreeData[]
+ const tempTreeDataMap: any = {}
+ // 先构建一级节点
+ jsonSchemas.forEach((item) => {
+ // 先将一级节点放入中 tempTreeDataMap
+ const libraryInfo = libraryMap[item.componentName]
+ const tempTreeData: TreeData = {
+ uuid: item.uuid,
+ label: libraryInfo.libraryPanelShowDetail.title,
+ compType: libraryInfo.widgetType,
+ }
+ tempTreeDataMap[item.uuid] = tempTreeData
+ doneTreeData.push(tempTreeData)
+ })
+
+ // 构建子节点
+ jsonSchemas.forEach((item) => {
+ const libraryInfo = libraryMap[item.componentName]
+ if (libraryInfo.widgetType === 'container') {
+ const slots = item?.props?.slots as SlotItemValue
+ // 收集该容器中的所有插槽
+ let slotCompSum: LibraryComponentInstanceData[] = []
+ Object.values(slots)
+ ?.filter((filterItem) => typeof filterItem !== 'string')
+ .forEach((fItem: SlotItemValue) => {
+ if (fItem?.children?.length) {
+ slotCompSum = [...slotCompSum, ...fItem.children]
+ }
+ })
+ const parent = tempTreeDataMap[item.uuid] as TreeData
+ if (!parent?.children) {
+ parent.children = []
+ }
+ parent.children = mapSchemes2Outline(slotCompSum)
+ }
+ })
+ return doneTreeData
+}
+/**
+ * 使数组重新排序
+ * @param targetArr :目标数组
+ * @param oldIndex :以前索引【被拖拽】
+ * @param newIndex :目标索引【拖拽放下后的索引】
+ */
+export const arrResort = (targetArr: any[], oldIndex: number, newIndex: number) => {
+ if (targetArr.length === 0) return
+
+ if (newIndex > oldIndex) {
+ /*
+ 1、从前 -> 到后
+ 2、在目标位置后面添加一个被拖拽的元素
+ 3、将原先索引的元素删除掉
+ */
+ targetArr.splice(newIndex + 1, 0, targetArr[oldIndex])
+ targetArr.splice(oldIndex, 1)
+ } else {
+ /*
+ 1、从后 -> 到前
+ 2、在目标位置添加一个被拖拽的元素
+ 3、将原先索引 + 1 元素删除掉
+ */
+ targetArr.splice(newIndex, 0, targetArr[oldIndex])
+ targetArr.splice(oldIndex + 1, 1)
+ }
+}
diff --git a/packages/editor/src/utils/type.ts b/packages/editor/src/utils/type.ts
new file mode 100644
index 0000000..0f63e30
--- /dev/null
+++ b/packages/editor/src/utils/type.ts
@@ -0,0 +1,8 @@
+/**
+ * 获取 DefineComponent<{}, {}, {}, {}, {},...> 的类型
+ * @example
+ * ReturnType
+ */
+export function getDefineComponent() {
+ return defineComponent({})
+}
diff --git a/packages/editor/src/views/home/components/edit-panel/components/preview-dragged.tsx b/packages/editor/src/views/home/components/edit-panel/components/preview-dragged.tsx
new file mode 100644
index 0000000..d79d24f
--- /dev/null
+++ b/packages/editor/src/views/home/components/edit-panel/components/preview-dragged.tsx
@@ -0,0 +1,19 @@
+import type { LibraryComponent } from '@/types/library-component'
+import type { PropType } from 'vue'
+
+export function previewDragged(element?: LibraryComponent) {
+ if (element) return
+}
+
+export default defineComponent({
+ name: 'PreviewDragged',
+ props: {
+ element: {
+ type: Object as PropType,
+ default: undefined,
+ },
+ },
+ setup(props) {
+ return () => <>{previewDragged(props.element)}>
+ },
+})
diff --git a/packages/editor/src/views/home/components/edit-panel/components/slot-item.vue b/packages/editor/src/views/home/components/edit-panel/components/slot-item.vue
new file mode 100644
index 0000000..cff91c1
--- /dev/null
+++ b/packages/editor/src/views/home/components/edit-panel/components/slot-item.vue
@@ -0,0 +1,122 @@
+
+
+
+
+
+
+
diff --git a/packages/editor/src/views/home/components/edit-panel/components/widget-render.vue b/packages/editor/src/views/home/components/edit-panel/components/widget-render.vue
new file mode 100644
index 0000000..664e0ea
--- /dev/null
+++ b/packages/editor/src/views/home/components/edit-panel/components/widget-render.vue
@@ -0,0 +1,82 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/packages/editor/src/views/home/components/edit-panel/index.vue b/packages/editor/src/views/home/components/edit-panel/index.vue
new file mode 100644
index 0000000..bfb57f5
--- /dev/null
+++ b/packages/editor/src/views/home/components/edit-panel/index.vue
@@ -0,0 +1,86 @@
+
+
+
+
+
+
+
diff --git a/packages/editor/src/views/home/components/edit-panel/use-content-menu.tsx b/packages/editor/src/views/home/components/edit-panel/use-content-menu.tsx
new file mode 100644
index 0000000..2d4a437
--- /dev/null
+++ b/packages/editor/src/views/home/components/edit-panel/use-content-menu.tsx
@@ -0,0 +1,33 @@
+import { $$dropdown, DropdownOption } from '@cow-low-code/utils'
+import type { LibraryComponentInstanceData } from '@cow-low-code/types'
+import { useCodeStore } from '@/stores/code'
+
+export default function useContentMenu() {
+ const codeStore = useCodeStore()
+ const { focusData } = storeToRefs(codeStore)
+ // 右键菜单
+ const onContextMenu = (e: MouseEvent, data: LibraryComponentInstanceData) => {
+ $$dropdown({
+ reference: e,
+ content: () => (
+ <>
+ {
+ codeStore.dispatchDelete(data.uuid)
+ // 删除节点后,取消选中
+ focusData.value = undefined
+ ElMessage.success('节点删除成功')
+ },
+ }}
+ />
+ >
+ ),
+ })
+ }
+ return {
+ onContextMenu,
+ }
+}
diff --git a/packages/editor/src/views/home/components/edit-panel/use-drag-preview.tsx b/packages/editor/src/views/home/components/edit-panel/use-drag-preview.tsx
new file mode 100644
index 0000000..aba1908
--- /dev/null
+++ b/packages/editor/src/views/home/components/edit-panel/use-drag-preview.tsx
@@ -0,0 +1,43 @@
+import { render } from 'vue'
+import type { LibraryComponent } from '@cow-low-code/types/src/library-component'
+import { useCodeStore } from '@/stores/code'
+
+export default function useDragPreview() {
+ const editCanvasRef = ref()
+ const store = useCodeStore()
+ const { draggedElement } = storeToRefs(store)
+
+ // 当前ghost根元素
+ let ghostStash: undefined | HTMLElement = undefined
+ // 用于替换默认ghost的物料组件渲染容器
+ let ghostLibraryComponentContainer: undefined | HTMLElement = undefined
+ const instance = getCurrentInstance()!
+ watch(draggedElement, (el) => {
+ if (!editCanvasRef.value) return undefined
+ if (!el && ghostStash && ghostLibraryComponentContainer) {
+ // drop时刻,el为undefined
+ ;(ghostStash.children[0] as HTMLElement).style.display = ''
+ // 兼容容器组件。容器组件在拖拽时刻暂时没有渲染出真实组件
+ if (ghostStash.children.length === 1) return undefined
+ ghostStash.removeChild(ghostLibraryComponentContainer)
+ }
+ if (el?.widgetType === 'container') return undefined
+
+ const ghost: HTMLElement | null = editCanvasRef.value.querySelector(
+ '.edit-canvas-sortable-ghost'
+ )
+ if (!ghost) return undefined
+ ;(ghost.children[0] as HTMLElement).style.display = 'none'
+ ghostLibraryComponentContainer = document.createElement('div')
+ const libraryComponent = toRaw(draggedElement.value) as LibraryComponent
+ const vnode = h(libraryComponent)
+ vnode.appContext = instance.appContext
+ render(vnode, ghostLibraryComponentContainer)
+ ghost.appendChild(ghostLibraryComponentContainer)
+ ghostStash = ghost
+ })
+
+ return {
+ editCanvasRef,
+ }
+}
diff --git a/packages/editor/src/views/home/components/edit-panel/use-parse-library.tsx b/packages/editor/src/views/home/components/edit-panel/use-parse-library.tsx
new file mode 100644
index 0000000..f2ee73d
--- /dev/null
+++ b/packages/editor/src/views/home/components/edit-panel/use-parse-library.tsx
@@ -0,0 +1,59 @@
+import { type ComponentPublicInstance, type Ref, ref } from 'vue'
+import { libraryMap } from '@cow-low-code/library'
+import { cloneDeep, isEqual, isUndefined } from 'lodash-es'
+import { dispatchEventBatch } from '@cow-low-code/utils'
+import type { LibraryComponentInstanceData } from '@cow-low-code/types'
+import type { Draggable } from '@/components/base-ui/kzy-draggable/types'
+import { isCustomEventTriggerName, uuid } from '@/utils/library'
+import { useCodeStore } from '@/stores/code'
+import { CUSTOM_EVENT_TRIGGER_NAME, DRAGGABLE_GROUP_NAME } from '@/constant'
+
+export default function useParseLibrary(isDownSpace: Ref) {
+ const editDraggableConfigRef = ref({
+ draggableProp: {
+ group: { name: DRAGGABLE_GROUP_NAME },
+ itemKey: 'indexId',
+ disabled: false,
+ animation: 200,
+ ghostClass: 'edit-canvas-sortable-ghost',
+ },
+ })
+
+ watch(isDownSpace, (val) => {
+ editDraggableConfigRef.value.draggableProp.disabled = val
+ })
+
+ const codeStore = useCodeStore()
+ const componentRefMap = codeStore.componentRefMap
+ const { jsonCode: editableInstancedLibraryComponentData, focusData } = storeToRefs(codeStore)
+
+ // 根据名称解析物料组件库内的组件,这里没有注册全局组件是避免污染全局组件名称
+ function parseLibraryComponent(data: LibraryComponentInstanceData) {
+ // 组件
+ const component = libraryMap[data.componentName]
+ if (!component) throw new Error(`library component: ${data.libraryName} not found`)
+
+ // 绑定每个组件ref,自定义动作需要拿到ref对物料组件进行操作
+ function bindComponentRef(el: ComponentPublicInstance | null) {
+ if (!el && componentRefMap.has(data.uuid)) componentRefMap.delete(data.uuid)
+ else componentRefMap.set(data.uuid, el!)
+ }
+
+ // 事件
+ const handleDispatchEvent = (eventTriggerName: string) => {
+ dispatchEventBatch(data, eventTriggerName, codeStore.jsonCode, componentRefMap)
+ }
+ return { WidgetItem: component, widgetProps: data.props, handleDispatchEvent, bindComponentRef }
+ }
+
+ function isFocusComponent(data: LibraryComponentInstanceData) {
+ return data.uuid == focusData.value?.uuid && !isDownSpace.value
+ }
+
+ return {
+ editDraggableConfigRef,
+ isFocusComponent,
+ parseLibraryComponent,
+ editableInstancedLibraryComponentData,
+ }
+}
diff --git a/packages/editor/src/views/home/components/edit-panel/use-prevent-touch.tsx b/packages/editor/src/views/home/components/edit-panel/use-prevent-touch.tsx
new file mode 100644
index 0000000..d59c3e4
--- /dev/null
+++ b/packages/editor/src/views/home/components/edit-panel/use-prevent-touch.tsx
@@ -0,0 +1,36 @@
+import type { LibraryComponentInstanceData } from '@cow-low-code/types'
+import { useCodeStore } from '@/stores/code'
+
+export default function usePreventTouch() {
+ const codeStore = useCodeStore()
+ const isDownSpace = ref(false)
+
+ function onTouchEvent(e: TouchEvent) {
+ if (!isDownSpace.value) e.stopPropagation()
+ }
+
+ function onChoose(data: LibraryComponentInstanceData) {
+ isDownSpace.value || codeStore.dispatchFocus(data.uuid)
+ }
+
+ useEventListener(window, 'keydown', (e) => {
+ if (
+ (e.target as HTMLElement).nodeName === 'INPUT' ||
+ (e.target as HTMLElement).nodeName === 'TEXTAREA'
+ )
+ return undefined
+ if (e.code === 'Space') {
+ isDownSpace.value = true
+ e.preventDefault()
+ }
+ })
+ useEventListener(window, 'keyup', (e) => {
+ e.code === 'Space' ? (isDownSpace.value = false) : undefined
+ })
+
+ return {
+ isDownSpace,
+ onTouchEvent,
+ onChoose,
+ }
+}
diff --git a/packages/editor/src/views/home/components/float-tips.vue b/packages/editor/src/views/home/components/float-tips.vue
new file mode 100644
index 0000000..c70d86b
--- /dev/null
+++ b/packages/editor/src/views/home/components/float-tips.vue
@@ -0,0 +1,69 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+ 按住space 可以临时预览页面 鼠标右键可以查看更多操作
+
+
+
+
+
+
+
+
+
+
diff --git a/packages/editor/src/views/home/components/home-header/index.vue b/packages/editor/src/views/home/components/home-header/index.vue
new file mode 100644
index 0000000..997d583
--- /dev/null
+++ b/packages/editor/src/views/home/components/home-header/index.vue
@@ -0,0 +1,123 @@
+
+
+
+
+
+
+
+
+
diff --git a/packages/editor/src/views/home/components/home-header/type.ts b/packages/editor/src/views/home/components/home-header/type.ts
new file mode 100644
index 0000000..4fa29f4
--- /dev/null
+++ b/packages/editor/src/views/home/components/home-header/type.ts
@@ -0,0 +1,10 @@
+export type Preset = {
+ /**
+ * 描述
+ */
+ label: string
+ /**
+ * 整个页面json代码
+ */
+ json: string
+}
diff --git a/packages/editor/src/views/home/components/home-header/use-preset.ts b/packages/editor/src/views/home/components/home-header/use-preset.ts
new file mode 100644
index 0000000..9058a99
--- /dev/null
+++ b/packages/editor/src/views/home/components/home-header/use-preset.ts
@@ -0,0 +1,30 @@
+import type { Preset } from './type'
+import { useCodeStore } from '@/stores/code'
+
+export function usePresetList(): Preset {
+ return {
+ label: '综合演示',
+ json: `[{"indexId":"8d77746c-3ff9-4470-9dbd-ee98223c24e3","uuid":"72a70ed5-f1e3-4a93-9fb7-6c9e4e33d19b","componentName":"WidgetLayout","libraryName":"generics","focus":false,"eventTriggers":{},"props":{"slots":{"value":"12:12","slot0":{"key":"slot0","span":"12","children":[{"indexId":"6c08c34e-3711-42f1-9950-ce1c2143994e","uuid":"668b2950-d657-4e5b-9b99-23cd60951b11","componentName":"WidgetButton","libraryName":"generics","focus":false,"eventTriggers":{"click":{"actions":[{"actionName":"JavaScript","uuid":"2c16b98a-e58c-481a-aefd-d34d721a7b5b","config":{"js":"\\n// 这里的代码会在对应动作执行器中的一个匿名函数里执行\\n// 此函数有四个参数,分别是\\n// 1. config 动作执行器的配置参数\\n// 2. libraryComponentInstanceTree 物料组件实例树\\n// 3. libraryComponentSchemaMap 物料组件结构定义的键值对\\n// 4. libraryComponentInstanceRefMap 物料组件实例ref的哈希表\\n\\n// 这里演示一下通过自定义JS,手动控制轮播图上一页\\nconst swipeUUID = \`9fe23dfd-8f53-47fa-9190-a2eb0b8735da\`\\nif (!libraryComponentInstanceRefMap.has(swipeUUID)) console.warn('swipe not found')\\n\\nconst swipeInstance = libraryComponentInstanceRefMap.get(swipeUUID)\\nswipeInstance.swipeRef.prev()","label":"轮播图上一页"}}]}},"props":{"title":"上一页","buttonType":"default","buttonSize":"large","widgetCss":{}}}]},"slot1":{"key":"slot1","span":"12","children":[{"indexId":"6a0b6d54-270f-4adc-9c6b-faac7fc3ac26","uuid":"c9d1a84d-2079-4afb-a4e4-4489b2d22ca9","componentName":"WidgetButton","libraryName":"generics","focus":false,"eventTriggers":{"click":{"actions":[{"actionName":"JavaScript","uuid":"5660b78f-14b3-4a6d-8d8e-39d18129ffeb","config":{"js":"\\n// 这里的代码会在对应动作执行器中的一个匿名函数里执行\\n// 此函数有四个参数,分别是\\n// 1. config 动作执行器的配置参数\\n// 2. libraryComponentInstanceTree 物料组件实例树\\n// 3. libraryComponentSchemaMap 物料组件结构定义的键值对\\n// 4. libraryComponentInstanceRefMap 物料组件实例ref的哈希表\\n\\n// 这里演示一下通过自定义JS,手动控制轮播图上一页\\nconst swipeUUID = \`9fe23dfd-8f53-47fa-9190-a2eb0b8735da\`\\nif (!libraryComponentInstanceRefMap.has(swipeUUID)) console.warn('swipe not found')\\n\\nconst swipeInstance = libraryComponentInstanceRefMap.get(swipeUUID)\\nswipeInstance.swipeRef.next()","label":"轮播图下一页"}}]},"customEventTrigger__56b99752-1010-475a-8dc1-c11fa6bcb07b":{"execCode":"\\n// 这里的代码会在对应组件setup中的一个匿名函数里执行\\n// 本函数有四个参数,分别是\\n// 1. context 一般对应setup的返回值\\n// 2. getCurrentInstance 对应setup中的getCurrentInstance函数实例\\n// 3. CUSTOM_EVENT_EMIT_NAME vue中emit的事件名。常量,目前是\`dispatchEvent\`,vue中emit的事件名\\n// 4. THIS_EMIT_NAME 当前事件触发器的唯一标识符\\n\\n\\nconst instance = getCurrentInstance()\\nconst props = instance.props\\nconst emit = instance.emit\\n\\nfunction injectDispatchClick(count) {\\n console.log(count)\\n context.dispatchClick(count)\\n if (count === 3) {\\n // 激活其他事件触发器\\n emit(CUSTOM_EVENT_EMIT_NAME, \`doubleClick\`)\\n }\\n else if (count === 4) {\\n // 激活自身事件触发器\\n emit(CUSTOM_EVENT_EMIT_NAME, THIS_EMIT_NAME)\\n }\\n}\\nconst multiClick = context.useMultiClick(injectDispatchClick, 200)\\ncontext.onClick = () => {\\n multiClick()\\n}","title":"三四击事件","description":"连续快速三次点击触发双击事件,四击触发本事件","actions":[{"actionName":"OpenPage","uuid":"8df584ed-65b3-4e5f-bff1-d0dae0070716","config":{"openMode":"jumpLink","config":{"url":"https://www.baidu.com/s?ie=UTF-8&wd=baidu","blank":true}}}]},"doubleClick":{"actions":[{"actionName":"JavaScript","uuid":"e41ad231-b40f-4f2f-9600-ad61c2eba233","config":{"js":"\\n// 这里的代码会在对应动作执行器中的一个匿名函数里执行\\n// 此函数有四个参数,分别是\\n// 1. config 动作执行器的配置参数\\n// 2. libraryComponentInstanceTree 物料组件实例树\\n// 3. libraryComponentSchemaMap 物料组件结构定义的键值对\\n// 4. libraryComponentInstanceRefMap 物料组件实例ref的哈希表\\n\\n// 这里演示一下通过自定义JS,手动控制轮播图上一页\\nconst swipeUUID = \`9fe23dfd-8f53-47fa-9190-a2eb0b8735da\`\\nif (!libraryComponentInstanceRefMap.has(swipeUUID)) console.warn('swipe not found')\\n\\nconst swipeInstance = libraryComponentInstanceRefMap.get(swipeUUID)\\nswipeInstance.swipeRef.prev()","label":"轮播图上一页"}}]}},"props":{"title":"下一页","buttonType":"default","buttonSize":"large","widgetCss":{}}}]}},"justify":"center","align":"center","widgetCss":{}}},{"indexId":"46da3e33-d090-48b3-8f9b-b9a28fd552bb","uuid":"9fe23dfd-8f53-47fa-9190-a2eb0b8735da","componentName":"WidgetSwipe","libraryName":"generics","focus":false,"eventTriggers":{},"props":{"urlList":["https://fastly.jsdelivr.net/npm/@vant/assets/apple-1.jpeg","https://fastly.jsdelivr.net/npm/@vant/assets/apple-2.jpeg","https://fastly.jsdelivr.net/npm/@vant/assets/apple-3.jpeg","https://fastly.jsdelivr.net/npm/@vant/assets/apple-4.jpeg","https://fastly.jsdelivr.net/npm/@vant/assets/apple-5.jpeg"],"initialSwipe":"0","autoplay":"0","duration":"500","loop":true,"showIndicators":true,"picWidth":"100%","picHeight":"240","widgetCss":{}}},{"indexId":"77549a14-c145-4e9d-92de-264b11a2e194","uuid":"7af70735-0441-4932-a2b1-def7bc53e891","componentName":"WidgetNoticeBar","libraryName":"generics","focus":false,"eventTriggers":{},"props":{"text":"iPhone 13 正在火热售卖中!","color":"#ed6a0c","background":"#fffbe8","speed":60,"leftIcon":"volume-o","widgetCss":{},"scrollable":true}},{"indexId":"23299ce3-5e1e-4f10-9a38-2f16db3a4489","uuid":"26c49b8e-3356-4452-b359-970c8612990e","componentName":"WidgetCollapse","libraryName":"generics","focus":false,"eventTriggers":{},"props":{"defaultFold":true,"title":"Redmi G 游戏本 2022","content":"16英寸 2.5K 165Hz 电竞大屏 | 可选 GeForce RTX™ 3050 Ti","widgetCss":{}}},{"indexId":"b0b45943-4d96-41ad-9c18-ae5042cf38ad","uuid":"6a3b52a9-4417-4b83-bbd3-deb52a4e29aa","componentName":"WidgetCollapse","libraryName":"generics","focus":false,"eventTriggers":{},"props":{"defaultFold":true,"title":"Xiaomi Book Pro 14 锐龙版","content":"锐龙6000H系列标压处理器 | 2.8K 90Hz OLED屏 | 14.9mm轻薄机身 | CNC一体精雕工艺 | 16G+512G","widgetCss":{}}},{"indexId":"4eb8ee2e-1364-40db-9595-5a0b3e2a05e5","uuid":"16b3cff7-a89f-4a13-971e-c5e08c8ea27b","componentName":"WidgetCollapse","libraryName":"generics","focus":false,"eventTriggers":{},"props":{"defaultFold":true,"title":"RedmiBook Pro 14 2022 锐龙版","content":"可选全新R7 6800H处理器,2.5K 120Hz高清屏,CNC一体精雕工艺","widgetCss":{}}},{"indexId":"a5df476c-00ff-4336-addd-0c3ae2847fec","uuid":"5103c864-3961-4112-9475-3afac9889012","componentName":"WidgetCheckboxes","libraryName":"generics","focus":false,"eventTriggers":{},"props":{"field":"checkboxes","title":"通知方式","direction":"horizontal","shape":"round","defaultData":[{"name":"微信","value":"fruit","checked":true,"isEdit":false},{"name":"短信","value":"car","checked":true,"isEdit":false}],"widgetCss":{"外边距整体":["m-2"],"内边距整体":["p-2"],"边框颜色":["border-blue-500"],"边框位置":["border-t"]},"choseAll":true}},{"indexId":"7012f16c-52ef-4d55-96d4-24086bce9028","uuid":"c8de9b19-1268-47e1-ba87-9f98e28d25bb","componentName":"WidgetTextbox","libraryName":"generics","focus":false,"eventTriggers":{},"props":{"name":"phone","title":"手机号","type":"tel","placeholder":"请输入您的手机号","widgetCss":{}}},{"indexId":"fcc6b2ce-034c-442c-bf30-bfd817366765","uuid":"5f366c6e-1a9d-4007-a4cf-65c223e3488c","componentName":"WidgetButton","libraryName":"generics","focus":false,"eventTriggers":{"click":{"actions":[{"actionName":"ToastComponent","uuid":"155e116f-7eb2-4bfb-8935-e0b52f19c77d","config":{"content":"预约成功"}}]}},"props":{"title":"立即预约","buttonType":"default","buttonSize":"large","widgetCss":{}}}]`,
+ }
+}
+
+export default function usePreset() {
+ const codeStore = useCodeStore()
+ const presetList = reactive([usePresetList()])
+ const choosePreset = ref('')
+ function onPresetSelectChange(val: string) {
+ if (val === '') return undefined
+ const found = presetList.find((e) => e.label === val)!
+ if (found.json === '') return undefined
+ new Promise(() => {
+ codeStore.jsonCode = JSON.parse(found.json)
+ ElMessage.success(`已加载: ${found.label}`)
+ })
+ }
+
+ return {
+ presetList,
+ choosePreset,
+ onPresetSelectChange,
+ }
+}
diff --git a/packages/editor/src/views/home/components/home-header/use-preview.module.scss b/packages/editor/src/views/home/components/home-header/use-preview.module.scss
new file mode 100644
index 0000000..b318250
--- /dev/null
+++ b/packages/editor/src/views/home/components/home-header/use-preview.module.scss
@@ -0,0 +1,7 @@
+.previewDialog {
+ :global {
+ .el-dialog__body {
+ padding: 10px 0 30px;
+ }
+ }
+}
diff --git a/packages/editor/src/views/home/components/home-header/use-preview.tsx b/packages/editor/src/views/home/components/home-header/use-preview.tsx
new file mode 100644
index 0000000..83f5058
--- /dev/null
+++ b/packages/editor/src/views/home/components/home-header/use-preview.tsx
@@ -0,0 +1,102 @@
+import { ElButton, ElDialog, ElTooltip } from 'element-plus'
+import { SET_LIBRARY_COMPONENT_JSON_TREE } from '@cow-low-code/constant/src/message'
+import { Info as IconInfo } from '@icon-park/vue-next'
+import style from './use-preview.module.scss'
+import type { MessageData } from '@cow-low-code/types/src/message'
+import { useCodeStore } from '@/stores/code'
+import { useSettingStore } from '@/stores/setting'
+
+export default function usePreview() {
+ const isShowDialog = ref(false)
+ const iframeRef = ref()
+ const codeStore = useCodeStore()
+ const settingStore = useSettingStore()
+
+ function postMessage() {
+ iframeRef.value?.contentWindow?.postMessage(
+ {
+ msg: SET_LIBRARY_COMPONENT_JSON_TREE,
+ data: JSON.stringify(toRaw(codeStore.jsonCode)),
+ } as MessageData,
+ '*'
+ )
+ }
+
+ function onTogglePreviewDialog() {
+ isShowDialog.value = !isShowDialog.value
+
+ if (isShowDialog.value) postMessage()
+ }
+
+ return {
+ onTogglePreviewDialog,
+ previewComponent: defineComponent({
+ setup: () => {
+ let timer: NodeJS.Timer | undefined = undefined
+ onMounted(() => {
+ timer = setInterval(postMessage, 200)
+ })
+ useEventListener('message', (e: MessageEvent) => {
+ if (!e.source || e.source === self) return undefined
+ // console.log(`e.data`, e.data)
+ if (timer && e.data.msg) clearInterval(timer)
+ })
+
+ //
+ // {{
+ // default: () => 预览页面
,
+ // content: () => 请先运行preview子项目
,
+ // }}
+ //
+ return () => (
+
+
+ {{
+ header: () => (
+
+
+ 效果预览
+
+
+ {{
+ content: () => (
+
+
请先正确配置预览服务地址之后再查看预览效果
+
+ ),
+ default: () => (
+
+ ),
+ }}
+
+
+ ),
+ default: () => (
+
+ ),
+ }}
+
+
+ )
+ },
+ }),
+ }
+}
diff --git a/packages/editor/src/views/home/components/home-header/use-publish.module.scss b/packages/editor/src/views/home/components/home-header/use-publish.module.scss
new file mode 100644
index 0000000..2edd264
--- /dev/null
+++ b/packages/editor/src/views/home/components/home-header/use-publish.module.scss
@@ -0,0 +1,20 @@
+.onlineAddress {
+ @apply flex;
+ :global {
+ .item {
+ @apply flex-grow flex flex-col;
+ padding: 0 20px 0;
+
+ .title {
+ @apply text-center;
+ font-size: var(--el-font-size-medium);
+ }
+
+ .image-form-item {
+ .el-form-item__content {
+ @apply flex justify-center;
+ }
+ }
+ }
+ }
+}
diff --git a/packages/editor/src/views/home/components/home-header/use-publish.tsx b/packages/editor/src/views/home/components/home-header/use-publish.tsx
new file mode 100644
index 0000000..cb868f7
--- /dev/null
+++ b/packages/editor/src/views/home/components/home-header/use-publish.tsx
@@ -0,0 +1,172 @@
+import { unref } from 'vue'
+import {
+ ElAlert,
+ ElDialog,
+ ElDivider,
+ ElForm,
+ ElFormItem,
+ ElImage,
+ ElInput,
+ ElSpace,
+ ElTabPane,
+ ElTabs,
+} from 'element-plus'
+import stringify from 'json-stringify-pretty-compact'
+import { Info as IconInfo } from '@icon-park/vue-next/lib/map'
+import { cloneDeep } from 'lodash-es'
+import CryptoJS from 'crypto-js/core'
+import { useQRCode } from '@vueuse/integrations/useQRCode'
+import style from './use-publish.module.scss'
+import type { MaybeComputedRef } from '@vueuse/shared'
+import type { PageJson } from '@cow-low-code/types/src/page'
+import type Monaco from '@/components/monaco-editor/use-monaco'
+import MonacoEditor from '@/components/monaco-editor/index.vue'
+import { useCodeStore } from '@/stores/code'
+import { PREVIEW_ADDRESS } from '@/constant'
+import 'crypto-js/enc-base64'
+
+export default function usePublish() {
+ const isShowDialog = ref(false)
+ return {
+ togglePublishDialog: () => {
+ isShowDialog.value = !isShowDialog.value
+ },
+ publishComponent: defineComponent({
+ setup: () => {
+ const codeStore = useCodeStore()
+ const { pageSetting, jsonCode } = storeToRefs(codeStore)
+ const pageJson = computed(() => ({
+ title: pageSetting.value.title,
+ libraryJson: jsonCode.value,
+ }))
+
+ const pageJsonStr = computed({
+ get: () => stringify(pageJson.value, { maxLength: 50 }),
+ set: () => 0 === 0,
+ })
+ function getOnlineAddr(mockup: boolean) {
+ const json = cloneDeep(pageJson.value)
+ json.isPreview = mockup
+ const hash = CryptoJS.enc.Base64.stringify(CryptoJS.enc.Utf8.parse(JSON.stringify(json)))
+ return `${PREVIEW_ADDRESS}#${hash}`
+ }
+ function getQrcode(link: MaybeComputedRef) {
+ type resultSchema = {
+ content: {
+ url: string
+ }
+ }
+ const url = ref('http://127.0.0.1/')
+ const qrcode = useQRCode(url)
+ watch(
+ () => unref(link),
+ (val) => {
+ // 暂时不对接短链接
+ return undefined
+ const encodeUrl = encodeURIComponent(val as string)
+ fetch(`https://www.duanlj.com//api/set.php`, {
+ method: 'POST',
+ body: JSON.stringify({
+ url: val,
+ }),
+ })
+ .then((response) => response.json())
+ .then((r: resultSchema) => {
+ url.value = r.content.url
+ })
+ },
+ { immediate: true }
+ )
+ return qrcode
+ }
+
+ const linkWithoutMockup = computed({
+ get: () => getOnlineAddr(false),
+ set: () => undefined,
+ })
+ const imgWithoutMockup = getQrcode(linkWithoutMockup)
+
+ const linkWithMockup = computed({
+ get: () => getOnlineAddr(true),
+ set: () => undefined,
+ })
+ const imgWithMockup = getQrcode(linkWithMockup)
+ return () => (
+
+ {{
+ default: () => (
+
+
+
+
+
+ 不带手机模型
+
+
+
+
+
+
+
+
+
+
+
+
+
+ 手机模型
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+ ),
+ }}
+
+ )
+ },
+ }),
+ }
+}
diff --git a/packages/editor/src/views/home/components/home-header/use-stateshot.ts b/packages/editor/src/views/home/components/home-header/use-stateshot.ts
new file mode 100644
index 0000000..2bf0b08
--- /dev/null
+++ b/packages/editor/src/views/home/components/home-header/use-stateshot.ts
@@ -0,0 +1,47 @@
+import { History } from 'stateshot'
+import { cloneDeep, isEqual } from 'lodash-es'
+import type { LibraryComponentsInstanceTree } from '@cow-low-code/types'
+import { useCodeStore } from '@/stores/code'
+
+export default function useStateShot() {
+ const codeStore = useCodeStore()
+ const { jsonCode } = storeToRefs(codeStore)
+ let isUndoOrRedoing = false
+ const codeHistory = new History({ useChunks: false })
+ let lastJsonCode: undefined | LibraryComponentsInstanceTree = undefined
+ watch(
+ jsonCode,
+ (value) => {
+ const rawValue = toRaw(value)
+ if (isUndoOrRedoing) {
+ isUndoOrRedoing = false
+ return undefined
+ }
+ if (isEqual(rawValue, lastJsonCode)) return undefined
+ lastJsonCode = cloneDeep(rawValue)
+ codeHistory.push(lastJsonCode)
+ },
+ { immediate: true, deep: true }
+ )
+ return {
+ get: () => codeHistory.get(),
+ undo: () => {
+ if (!codeHistory.hasUndo) {
+ ElMessage.warning('已经到底了')
+ return undefined
+ }
+ isUndoOrRedoing = true
+ codeHistory.undo()
+ jsonCode.value = reactive(cloneDeep(codeHistory.get()))
+ },
+ redo: () => {
+ if (!codeHistory.hasRedo) {
+ ElMessage.warning('已经到底了')
+ return undefined
+ }
+ isUndoOrRedoing = true
+ codeHistory.redo()
+ jsonCode.value = reactive(cloneDeep(codeHistory.get()))
+ },
+ }
+}
diff --git a/packages/editor/src/views/home/components/home-left/components/code-tab-pane.vue b/packages/editor/src/views/home/components/home-left/components/code-tab-pane.vue
new file mode 100644
index 0000000..9d64596
--- /dev/null
+++ b/packages/editor/src/views/home/components/home-left/components/code-tab-pane.vue
@@ -0,0 +1,43 @@
+
+
+
+
+
+
+
diff --git a/packages/editor/src/views/home/components/home-left/components/library-category-tab-panes/components/library-category-tab-pane-base.vue b/packages/editor/src/views/home/components/home-left/components/library-category-tab-panes/components/library-category-tab-pane-base.vue
new file mode 100644
index 0000000..c7d7a76
--- /dev/null
+++ b/packages/editor/src/views/home/components/home-left/components/library-category-tab-panes/components/library-category-tab-pane-base.vue
@@ -0,0 +1,97 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/packages/editor/src/views/home/components/home-left/components/library-category-tab-panes/components/library-item.vue b/packages/editor/src/views/home/components/home-left/components/library-category-tab-panes/components/library-item.vue
new file mode 100644
index 0000000..9e9f140
--- /dev/null
+++ b/packages/editor/src/views/home/components/home-left/components/library-category-tab-panes/components/library-item.vue
@@ -0,0 +1,101 @@
+
+
+
+
+
+
+
+
+
diff --git a/packages/editor/src/views/home/components/home-left/components/library-category-tab-panes/config.ts b/packages/editor/src/views/home/components/home-left/components/library-category-tab-panes/config.ts
new file mode 100644
index 0000000..657d1d2
--- /dev/null
+++ b/packages/editor/src/views/home/components/home-left/components/library-category-tab-panes/config.ts
@@ -0,0 +1,84 @@
+import { cloneDeep } from 'lodash-es'
+import type { Draggable } from '@/components/base-ui/kzy-draggable/types'
+import type {
+ LibraryComponent,
+ LibraryComponentInstanceData,
+ LibraryComponentInstanceProps,
+ LibraryComponentProps,
+} from '@/types/library-component'
+import { uuid } from '@/utils/library'
+import { DRAGGABLE_GROUP_NAME } from '@/constant'
+import { useCodeStore } from '@/stores/code'
+
+/**
+ * 生成组件实例props
+ * @param props
+ */
+function createLibraryComponentInstanceProps(
+ props: LibraryComponentProps
+): LibraryComponentInstanceProps {
+ const _props = cloneDeep(props)
+ const result = {} as LibraryComponentInstanceProps
+ Object.entries(_props).forEach(([propKey, propSchema]) => {
+ if (propSchema.default) result[propKey] = propSchema.default
+ })
+ return result
+}
+
+/**
+ * 从物料组件克隆一个组件实例
+ * @param com
+ */
+function createLibraryComponentInstance(com: LibraryComponent): LibraryComponentInstanceData {
+ const data = {
+ indexId: uuid(),
+ uuid: uuid(),
+ componentName: com.name,
+ libraryName: com.libraryName,
+ focus: false,
+ eventTriggers: {},
+ } as LibraryComponentInstanceData
+ if (com.props) data.props = createLibraryComponentInstanceProps(com.props)
+ if (com.eventTriggers) data.eventTriggers = {}
+
+ return data
+}
+
+/**
+ * 当drop事件发生的时候,此函数的返回值会push到目标容器list中
+ * @param original
+ */
+const onCloneCallback = (original: LibraryComponent) => {
+ return createLibraryComponentInstance(original)
+}
+
+// 触发Move函数【移到画布】
+const onMoveCallback = (evt: any) => {
+ const store = useCodeStore()
+ const { draggedElement } = storeToRefs(store)
+
+ // 没有被拖拽的值才加载【使其只赋值一次】
+ if (draggedElement.value) return
+
+ const element = evt.draggedContext.element
+ // 给被拖拽的组件赋值
+ store.updateDraggedElement(element)
+}
+
+// 触发End函数【拖拽结束】
+const onEndCallback = () => {
+ const store = useCodeStore()
+ store.removeDraggedElement()
+}
+
+export const leftDraggableConfig: Draggable = {
+ draggableProp: {
+ group: { name: DRAGGABLE_GROUP_NAME, pull: 'clone', put: false },
+ sort: false,
+ itemKey: 'id',
+ libraryClass: true,
+ handleClone: onCloneCallback,
+ handleMove: onMoveCallback,
+ },
+ handleEnd: onEndCallback,
+}
diff --git a/packages/editor/src/views/home/components/home-left/components/library-category-tab-panes/index.ts b/packages/editor/src/views/home/components/home-left/components/library-category-tab-panes/index.ts
new file mode 100644
index 0000000..f3b0b45
--- /dev/null
+++ b/packages/editor/src/views/home/components/home-left/components/library-category-tab-panes/index.ts
@@ -0,0 +1,16 @@
+import type { LibraryPanel } from './types'
+
+const libraryPanelsObj = import.meta.glob('./tab-panes/*.(vue|jsx)', {
+ eager: true,
+})
+const libraryPanels: Record = {}
+
+// 添加每一个lib下面的组件
+Object.entries(libraryPanelsObj).forEach(([, module]) => {
+ module = module?.default || module
+ if (module.libraryName) {
+ libraryPanels[module.libraryName] = module
+ }
+})
+
+export default libraryPanels
diff --git a/packages/editor/src/views/home/components/home-left/components/library-category-tab-panes/tab-panes/generics-lib.manual.vue.unused b/packages/editor/src/views/home/components/home-left/components/library-category-tab-panes/tab-panes/generics-lib.manual.vue.unused
new file mode 100644
index 0000000..79a6457
--- /dev/null
+++ b/packages/editor/src/views/home/components/home-left/components/library-category-tab-panes/tab-panes/generics-lib.manual.vue.unused
@@ -0,0 +1,191 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/packages/editor/src/views/home/components/home-left/components/library-category-tab-panes/tab-panes/generics-lib.vue b/packages/editor/src/views/home/components/home-left/components/library-category-tab-panes/tab-panes/generics-lib.vue
new file mode 100644
index 0000000..48aa49d
--- /dev/null
+++ b/packages/editor/src/views/home/components/home-left/components/library-category-tab-panes/tab-panes/generics-lib.vue
@@ -0,0 +1,50 @@
+
+
+
+
+
diff --git a/packages/editor/src/views/home/components/home-left/components/library-category-tab-panes/types.ts b/packages/editor/src/views/home/components/home-left/components/library-category-tab-panes/types.ts
new file mode 100644
index 0000000..0604741
--- /dev/null
+++ b/packages/editor/src/views/home/components/home-left/components/library-category-tab-panes/types.ts
@@ -0,0 +1,29 @@
+import type { ComponentOptions } from 'vue'
+import type { LibraryPanelTabEnum } from '@/types/panel'
+
+export interface TabList {
+ /**
+ * 折叠面板中的折叠项的唯一标识符
+ */
+ [key: string]: {
+ /**
+ * 折叠面板中的折叠项的显示名称
+ */
+ title: string
+ }
+}
+
+export interface LibraryPanel extends ComponentOptions {
+ /**
+ * 物料面板的唯一标识符
+ */
+ libraryName: LibraryPanelTabEnum
+ /**
+ * 物料面板的在左侧选项卡处的名称
+ */
+ libraryTitle: string
+ /**
+ * 折叠面板的折叠项目
+ */
+ tabsList?: TabList
+}
diff --git a/packages/editor/src/views/home/components/home-left/components/outline-panel.vue b/packages/editor/src/views/home/components/home-left/components/outline-panel.vue
new file mode 100644
index 0000000..2563b0f
--- /dev/null
+++ b/packages/editor/src/views/home/components/home-left/components/outline-panel.vue
@@ -0,0 +1,89 @@
+
+
+
+
+
+
+
diff --git a/packages/editor/src/views/home/components/home-left/components/setting-panel.vue b/packages/editor/src/views/home/components/home-left/components/setting-panel.vue
new file mode 100644
index 0000000..0d326fa
--- /dev/null
+++ b/packages/editor/src/views/home/components/home-left/components/setting-panel.vue
@@ -0,0 +1,85 @@
+
+
+
+
+
+
+
+
预览服务地址
+
+
+
+
+
线上默认地址:
+
+ {{
+ previewUrlDefault.online
+ }}
+
+
本地调试默认地址:
+
+ {{
+ previewUrlDefault.dev
+ }}
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/packages/editor/src/views/home/components/home-left/index.vue b/packages/editor/src/views/home/components/home-left/index.vue
new file mode 100644
index 0000000..ce5af98
--- /dev/null
+++ b/packages/editor/src/views/home/components/home-left/index.vue
@@ -0,0 +1,162 @@
+
+
+
+
+
+
+
diff --git a/packages/editor/src/views/home/components/home-right/components/attribute-panel/components/appearance-tab-pane.vue b/packages/editor/src/views/home/components/home-right/components/attribute-panel/components/appearance-tab-pane.vue
new file mode 100644
index 0000000..bdb0895
--- /dev/null
+++ b/packages/editor/src/views/home/components/home-right/components/attribute-panel/components/appearance-tab-pane.vue
@@ -0,0 +1,53 @@
+
+
+
+
+
+
+
+
+
diff --git a/packages/editor/src/views/home/components/home-right/components/attribute-panel/components/event-tab-pane/components/action-config-dialog/action-config-dialog.vue b/packages/editor/src/views/home/components/home-right/components/attribute-panel/components/event-tab-pane/components/action-config-dialog/action-config-dialog.vue
new file mode 100644
index 0000000..c613e5c
--- /dev/null
+++ b/packages/editor/src/views/home/components/home-right/components/attribute-panel/components/event-tab-pane/components/action-config-dialog/action-config-dialog.vue
@@ -0,0 +1,183 @@
+
+
+
+
+
+
+
+
+
+
动作说明
+
{{ chooseAction.description }}
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/packages/editor/src/views/home/components/home-right/components/attribute-panel/components/event-tab-pane/components/action-config-dialog/index.tsx b/packages/editor/src/views/home/components/home-right/components/attribute-panel/components/event-tab-pane/components/action-config-dialog/index.tsx
new file mode 100644
index 0000000..6cd0da4
--- /dev/null
+++ b/packages/editor/src/views/home/components/home-right/components/attribute-panel/components/event-tab-pane/components/action-config-dialog/index.tsx
@@ -0,0 +1,41 @@
+import { render } from 'vue'
+import { cloneDeep } from 'lodash-es'
+import ActionConfigDialog from './action-config-dialog.vue'
+import type { AppContext, ComponentInternalInstance, VNode } from 'vue'
+import type { ActionConfigResult } from './types'
+
+type context = {
+ vnode: VNode
+ vm: ComponentInternalInstance
+ container: HTMLElement
+}
+
+let instance: context | undefined = undefined
+
+export function actionConfigDialog(
+ context: AppContext,
+ actionName?: string,
+ actionConfig?: any
+): Promise {
+ const actionConfig_ = actionConfig ? cloneDeep(actionConfig) : undefined
+ return new Promise((resolve) => {
+ function onClose(e: ActionConfigResult | false) {
+ instance ? document.body.removeChild(instance.container) : undefined
+ resolve(e)
+ }
+ const container = document.createElement('div')
+ const props = {} as Record
+ if (actionName) props.actionName = actionName
+ if (actionConfig_) props.actionConfig = actionConfig_
+ const vnode =
+ vnode.appContext = context
+ render(vnode, container)
+ document.body.appendChild(container)
+ const vm = vnode.component!
+ instance = {
+ vm,
+ vnode,
+ container,
+ }
+ })
+}
diff --git a/packages/editor/src/views/home/components/home-right/components/attribute-panel/components/event-tab-pane/components/action-config-dialog/types.ts b/packages/editor/src/views/home/components/home-right/components/attribute-panel/components/event-tab-pane/components/action-config-dialog/types.ts
new file mode 100644
index 0000000..036e5f6
--- /dev/null
+++ b/packages/editor/src/views/home/components/home-right/components/attribute-panel/components/event-tab-pane/components/action-config-dialog/types.ts
@@ -0,0 +1,7 @@
+/**
+ * 动作配置dialog返回结果
+ */
+export type ActionConfigResult = {
+ actionName: string
+ config: Record | undefined
+}
diff --git a/packages/editor/src/views/home/components/home-right/components/attribute-panel/components/event-tab-pane/index.vue b/packages/editor/src/views/home/components/home-right/components/attribute-panel/components/event-tab-pane/index.vue
new file mode 100644
index 0000000..b805bae
--- /dev/null
+++ b/packages/editor/src/views/home/components/home-right/components/attribute-panel/components/event-tab-pane/index.vue
@@ -0,0 +1,331 @@
+
+
+
+
+
+
+
+
+
+ {{ parseCollapseHeaderLabel(eventTriggerName, eventTriggerData) }}
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
自定义事件触发器-代码编辑
+
+
+
+
可能需要您在了解本程序源码之后,才能自如地编写自定义事件触发器
+
+ 这里您可以先看一个示例
+
+ 按钮三击、四击事件
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+ 取消
+ 确认
+
+
+
+
+
+
+
+
+
diff --git a/packages/editor/src/views/home/components/home-right/components/attribute-panel/components/event-tab-pane/use-event-action.tsx b/packages/editor/src/views/home/components/home-right/components/attribute-panel/components/event-tab-pane/use-event-action.tsx
new file mode 100644
index 0000000..d03fef3
--- /dev/null
+++ b/packages/editor/src/views/home/components/home-right/components/attribute-panel/components/event-tab-pane/use-event-action.tsx
@@ -0,0 +1,61 @@
+import type {
+ LibraryComponentInstanceActionItem,
+ LibraryComponentInstanceEventTriggers,
+} from '@/types/event-trigger'
+import { actionConfigDialog } from '@/views/home/components/home-right/components/attribute-panel/components/event-tab-pane/components/action-config-dialog'
+import { uuid } from '@/utils/library'
+
+export default function useEventAction() {
+ const vmCurrentInstance = getCurrentInstance()
+
+ /**
+ * 给事件触发器添加动作
+ * @param eventName
+ * @param eventData
+ */
+ async function onAddEventAction(
+ eventName: string,
+ eventData: ValueOf
+ ) {
+ const actionConfigResult = await actionConfigDialog(vmCurrentInstance!.appContext)
+ if (!actionConfigResult) return undefined
+ const actionItem = {
+ actionName: actionConfigResult.actionName,
+ uuid: uuid(),
+ } as LibraryComponentInstanceActionItem
+ if (actionConfigResult.config) actionItem.config = actionConfigResult.config
+ eventData.actions.push(actionItem)
+ }
+
+ function onDeleteEventAction(
+ eventName: string,
+ eventData: ValueOf,
+ action: LibraryComponentInstanceActionItem
+ ) {
+ for (const index in eventData.actions) {
+ if (action.uuid !== eventData.actions[index].uuid) continue
+ eventData.actions.splice(Number(index), 1)
+ break
+ }
+ }
+
+ async function onEditEventAction(
+ eventName: string,
+ eventData: ValueOf,
+ action: LibraryComponentInstanceActionItem
+ ) {
+ const actionConfigResult = await actionConfigDialog(
+ vmCurrentInstance!.appContext,
+ action.actionName,
+ action?.config
+ )
+ if (!actionConfigResult) return undefined
+ if (actionConfigResult.config) action.config = actionConfigResult.config
+ }
+
+ return {
+ onAddEventAction,
+ onDeleteEventAction,
+ onEditEventAction,
+ }
+}
diff --git a/packages/editor/src/views/home/components/home-right/components/attribute-panel/components/event-tab-pane/use-event-tab-pane.tsx b/packages/editor/src/views/home/components/home-right/components/attribute-panel/components/event-tab-pane/use-event-tab-pane.tsx
new file mode 100644
index 0000000..10a5c63
--- /dev/null
+++ b/packages/editor/src/views/home/components/home-right/components/attribute-panel/components/event-tab-pane/use-event-tab-pane.tsx
@@ -0,0 +1,123 @@
+import { computed, ref, toRefs } from 'vue'
+import { getActionHandle } from '@cow-low-code/event-action'
+import { isString } from 'lodash-es'
+import type {
+ EventTriggerSchema,
+ LibraryComponentInstanceActionItem,
+ LibraryComponentInstanceCustomEventTriggerData,
+ LibraryComponentInstanceEventTriggers,
+} from '@/types/event-trigger'
+import type { ComputedRef, SetupContext } from 'vue'
+import type {
+ createCustomAttributeTabEmits,
+ createCustomAttributeTabProps,
+} from '@/views/home/components/home-right/components/attribute-panel/util'
+import type { ExtractPropTypes } from '@vue/runtime-core'
+import { isCustomEventTriggerName } from '@/utils/library'
+import { useCodeStore } from '@/stores/code'
+import { libraryMap } from '@/library'
+import { CUSTOM_EVENT_TRIGGER_NAME } from '@/constant'
+
+export default function useEventTabPane() {
+ const instance = getCurrentInstance()!
+ const props = instance.props as Readonly<
+ ExtractPropTypes>
+ >
+ const emit = instance.emit as SetupContext<
+ ReturnType
+ >['emit']
+
+ const { componentSchema } = toRefs(props)
+ const componentInstanceData = useVModel(props, 'componentInstanceData', emit)
+ const componentInstanceEventTriggers = computed({
+ get: () => componentInstanceData.value?.eventTriggers,
+ set: (val) => {
+ if (!val || !componentInstanceData.value?.eventTriggers) return undefined
+ componentInstanceData.value.eventTriggers = val
+ },
+ })
+
+ const collapseActiveKey = ref([])
+ /**
+ * 选中组件时候展开全部
+ */
+ watch(componentSchema!, () => {
+ if (!componentInstanceEventTriggers.value) {
+ collapseActiveKey.value = []
+ return undefined
+ }
+ collapseActiveKey.value = Object.entries(componentInstanceEventTriggers.value).map(
+ ([val]) => val
+ )
+ })
+ /**
+ * 添加Trigger时候展开最后一个,同时不能影响前面折叠的
+ */
+ watchArray(
+ () =>
+ componentInstanceEventTriggers.value
+ ? Object.entries(componentInstanceEventTriggers.value).map(([val]) => val)
+ : [],
+ (newList, oldList, added, removed) => {
+ collapseActiveKey.value.push(...added)
+ },
+ { deep: true }
+ )
+
+ const codeStore = useCodeStore()
+ function parseActionLabelAndTip(action: LibraryComponentInstanceActionItem) {
+ const actionHandle = getActionHandle(action.actionName)
+ if (!actionHandle) {
+ console.error(`${action.actionName} actionHandle not found`)
+ throw new TypeError(`${action.actionName} actionHandle not found`)
+ }
+ if (!actionHandle.parseTip) {
+ console.error(`actionHandle '${action.actionName}' method 'parseTip' not found`)
+ throw new TypeError(`actionHandle '${action.actionName}' method 'parseTip' not found`)
+ }
+ let tip = actionHandle.parseTip(
+ action.config,
+ codeStore.jsonCode,
+ libraryMap,
+ codeStore.componentRefMap
+ )
+ if (isString(tip)) {
+ tip = () => <>{tip}>
+ }
+ return {
+ tip,
+ label: actionHandle.label,
+ } as { tip: () => JSX.Element; label: string }
+ }
+
+ const eventTriggersSchema: ComputedRef = computed(() => {
+ const triggers = Object.assign(
+ componentSchema!.value!.eventTriggers ?? {},
+ CUSTOM_EVENT_TRIGGER_NAME in (componentSchema!.value!.props ?? {})
+ ? {
+ [CUSTOM_EVENT_TRIGGER_NAME]: { title: '自定义事件' },
+ }
+ : {}
+ )
+ if (Object.entries(triggers).length === 0) return undefined
+ return triggers
+ })
+
+ function parseCollapseHeaderLabel(
+ triggerName: string,
+ triggerData: ValueOf
+ ) {
+ if (!isCustomEventTriggerName(triggerName)) return eventTriggersSchema.value![triggerName].title
+ else return (triggerData as LibraryComponentInstanceCustomEventTriggerData).title
+ }
+
+ return {
+ componentSchema,
+ eventTriggersSchema,
+ componentInstanceData,
+ componentInstanceEventTriggers,
+ collapseActiveKey,
+ parseCollapseHeaderLabel,
+ parseActionLabelAndTip,
+ }
+}
diff --git a/packages/editor/src/views/home/components/home-right/components/attribute-panel/components/event-tab-pane/use-event-trigger.ts b/packages/editor/src/views/home/components/home-right/components/attribute-panel/components/event-tab-pane/use-event-trigger.ts
new file mode 100644
index 0000000..1b86886
--- /dev/null
+++ b/packages/editor/src/views/home/components/home-right/components/attribute-panel/components/event-tab-pane/use-event-trigger.ts
@@ -0,0 +1,209 @@
+import { ref } from 'vue'
+import { generateCustomEventTriggerName } from '@cow-low-code/utils'
+import type { ExtractPropTypes } from '@vue/runtime-core'
+import type { ElDialog } from 'element-plus'
+import type { ComponentInternalInstance, SetupContext, WritableComputedRef } from 'vue'
+import type {
+ CommonEventTriggerSchemaData,
+ LibraryComponentInstanceCommonEventTriggerData,
+ LibraryComponentInstanceCustomEventTriggerData,
+ LibraryComponentInstanceEventTriggers,
+} from '@/types/event-trigger'
+import type {
+ createCustomAttributeTabEmits,
+ createCustomAttributeTabProps,
+} from '@/views/home/components/home-right/components/attribute-panel/util'
+import { CUSTOM_EVENT_TRIGGER_NAME } from '@/constant'
+import { uuid } from '@/utils/library'
+
+export default function useEventTrigger(
+ componentInstanceEventTriggers: WritableComputedRef<
+ LibraryComponentInstanceEventTriggers | undefined
+ >
+) {
+ const instance = getCurrentInstance()!
+ const props = instance.props as Readonly<
+ ExtractPropTypes>
+ >
+ const emit = instance.emit as SetupContext<
+ ReturnType
+ >['emit']
+
+ const componentInstanceData = useVModel(props, 'componentInstanceData', emit)
+
+ const initExecCode = `
+// 这里的代码会在对应组件setup中的一个匿名函数里执行
+// 本函数有四个参数,分别是
+// 1. context 一般对应setup的返回值
+// 2. getCurrentInstance 对应setup中的getCurrentInstance函数实例
+// 3. CUSTOM_EVENT_EMIT_NAME vue中emit的事件名。常量,目前是\`dispatchEvent\`,vue中emit的事件名
+// 4. THIS_EMIT_NAME 当前事件触发器的唯一标识符
+
+
+const instance = getCurrentInstance()
+const props = instance.props
+const emit = instance.emit`
+ const customEventTriggerData = ref<
+ Omit<
+ LibraryComponentInstanceCustomEventTriggerData,
+ keyof LibraryComponentInstanceCommonEventTriggerData
+ >
+ >({
+ execCode: initExecCode,
+ title: '',
+ description: '',
+ })
+ const currentEditEventTriggerName = ref()
+ const isPopoverShow = ref(false)
+ const dialogIsShowCustomEventTrigger = ref(false)
+ const dialogCustomEventTriggerRef = ref>()
+
+ watch(dialogIsShowCustomEventTrigger, (isShow) => {
+ if (!isShow)
+ customEventTriggerData.value = {
+ execCode: initExecCode,
+ title: '',
+ description: '',
+ }
+ })
+
+ /**
+ * 让dialog中的Monaco自适应大小
+ */
+ const unwatchDialogCustomEventTriggerRef = watch(
+ () => dialogCustomEventTriggerRef.value?.dialogContentRef,
+ (val) => {
+ const dialogRootEl: HTMLElement = (val.$ as ComponentInternalInstance).vnode.el as any
+
+ // const dialogHeaderEl = dialogRootEl.querySelector('header.el-dialog__header')!
+ // dialogRootEl.style.setProperty(
+ // '--el-dialog-header-height',
+ // `${dialogHeaderEl.getBoundingClientRect().height}px`
+ // )
+ //
+ // const dialogFooterEl = dialogRootEl.querySelector('footer.el-dialog__footer')!
+ // dialogRootEl.style.setProperty(
+ // '--el-dialog-footer-height',
+ // `${dialogFooterEl.getBoundingClientRect().height}px`
+ // )
+
+ const dialogBodyEl: HTMLDivElement = dialogRootEl.querySelector('div.el-dialog__body')!
+ dialogBodyEl.style.height =
+ 'calc(var(--el-dialog-height) - var(--el-dialog-header-height) - var(--el-dialog-footer-height) - var(--el-dialog-padding-primary) * 2)'
+ dialogBodyEl.style.display = 'flex'
+ dialogBodyEl.style.flexDirection = 'column'
+ unwatchDialogCustomEventTriggerRef()
+ }
+ )
+
+ /**
+ * dialog提交,添加自定义时间触发器
+ */
+ function onSubmitCustomEventTrigger() {
+ if (customEventTriggerData.value.title === '') customEventTriggerData.value.title = '自定义事件'
+ componentInstanceEventTriggers.value![
+ currentEditEventTriggerName.value ?? generateCustomEventTriggerName()
+ ] = {
+ ...customEventTriggerData.value,
+ actions: currentEditEventTriggerName.value
+ ? componentInstanceEventTriggers.value![currentEditEventTriggerName.value]?.actions
+ : [],
+ } as LibraryComponentInstanceCustomEventTriggerData
+
+ // 修改v-for键值,强制销毁重来
+ componentInstanceData.value!.indexId = uuid()
+ dialogIsShowCustomEventTrigger.value = false
+ }
+
+ function onLoadDemoCustomEventTrigger() {
+ customEventTriggerData.value.title = `三四击事件`
+ customEventTriggerData.value.description = `连续快速三次点击触发双击事件,四击触发本事件`
+ customEventTriggerData.value.execCode = `
+// 这里的代码会在对应组件setup中的一个匿名函数里执行
+// 本函数有四个参数,分别是
+// 1. context 一般对应setup的返回值
+// 2. getCurrentInstance 对应setup中的getCurrentInstance函数实例
+// 3. CUSTOM_EVENT_EMIT_NAME vue中emit的事件名。常量,目前是\`dispatchEvent\`,vue中emit的事件名
+// 4. THIS_EMIT_NAME 当前事件触发器的唯一标识符
+
+
+const instance = getCurrentInstance()
+const props = instance.props
+const emit = instance.emit
+
+function injectDispatchClick(count) {
+ console.log(count)
+ context.dispatchClick(count)
+ if (count === 3) {
+ // 激活其他事件触发器
+ emit(CUSTOM_EVENT_EMIT_NAME, \`doubleClick\`)
+ }
+ else if (count === 4) {
+ // 激活自身事件触发器
+ emit(CUSTOM_EVENT_EMIT_NAME, THIS_EMIT_NAME)
+ }
+}
+const multiClick = context.useMultiClick(injectDispatchClick, 200)
+context.onClick = () => {
+ multiClick()
+}`
+ }
+
+ /**
+ * 编辑自定义事件触发器
+ * @param triggerName
+ * @param triggerData
+ */
+ function editCustomEventTrigger(
+ triggerName: string,
+ triggerData: LibraryComponentInstanceCustomEventTriggerData
+ ) {
+ currentEditEventTriggerName.value = triggerName
+ customEventTriggerData.value.description = triggerData.description
+ customEventTriggerData.value.title = triggerData.title
+ customEventTriggerData.value.execCode = triggerData.execCode
+ dialogIsShowCustomEventTrigger.value = true
+ }
+
+ /**
+ * 添加事件触发器
+ * @param eventName
+ * @param eventSchema
+ */
+ function onAddEventTrigger(eventName: string, eventSchema: CommonEventTriggerSchemaData) {
+ isPopoverShow.value = false
+ if (!componentInstanceEventTriggers.value)
+ throw new TypeError(`componentInstanceEventTriggers 不能是 undefined`)
+ if (eventName !== CUSTOM_EVENT_TRIGGER_NAME) {
+ componentInstanceEventTriggers.value[eventName] = {
+ actions: [],
+ } as LibraryComponentInstanceCommonEventTriggerData
+ return undefined
+ }
+ dialogIsShowCustomEventTrigger.value = true
+ }
+
+ /**
+ * 删除事件触发器
+ * @param eventName
+ * @param eventData
+ */
+ function onDeleteEventTrigger(
+ eventName: string,
+ eventData: ValueOf
+ ) {
+ delete componentInstanceEventTriggers.value![eventName]
+ }
+
+ return {
+ customEventTriggerData,
+ dialogIsShowCustomEventTrigger,
+ dialogCustomEventTriggerRef,
+ isPopoverShow,
+ onAddEventTrigger,
+ onDeleteEventTrigger,
+ editCustomEventTrigger,
+ onSubmitCustomEventTrigger,
+ onLoadDemoCustomEventTrigger,
+ }
+}
diff --git a/packages/editor/src/views/home/components/home-right/components/attribute-panel/components/form-render/components/form-item-list/components/CssPropertyInput/components/css-panel/index.vue b/packages/editor/src/views/home/components/home-right/components/attribute-panel/components/form-render/components/form-item-list/components/CssPropertyInput/components/css-panel/index.vue
new file mode 100644
index 0000000..c280006
--- /dev/null
+++ b/packages/editor/src/views/home/components/home-right/components/attribute-panel/components/form-render/components/form-item-list/components/CssPropertyInput/components/css-panel/index.vue
@@ -0,0 +1,246 @@
+
+
+
+
+ {{ item.title }}
+
+
+
+
+
{{ info.label }}
+
+
+ {{ button.name }}
+
+
+ {{ button.name }}
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/packages/editor/src/views/home/components/home-right/components/attribute-panel/components/form-render/components/form-item-list/components/CssPropertyInput/index.tsx b/packages/editor/src/views/home/components/home-right/components/attribute-panel/components/form-render/components/form-item-list/components/CssPropertyInput/index.tsx
new file mode 100644
index 0000000..252b71d
--- /dev/null
+++ b/packages/editor/src/views/home/components/home-right/components/attribute-panel/components/form-render/components/form-item-list/components/CssPropertyInput/index.tsx
@@ -0,0 +1,50 @@
+import { ElButton, ElCard, ElCheckbox, ElForm, ElFormItem, ElInput, ElTooltip } from 'element-plus'
+import { Popover } from '@arco-design/web-vue'
+import { Setting } from '@element-plus/icons-vue'
+import $style from './index.module.scss'
+import CssPanel from './components/css-panel/index.vue'
+import type { PropType } from 'vue'
+import $popoverStyle from '@/assets/style/popover.module.scss'
+export default defineComponent({
+ name: 'CssPropertyInput',
+ props: {
+ modelValue: {
+ required: true,
+ type: Object,
+ },
+ },
+ emits: ['update:modelValue'],
+
+ setup(props, { emit }) {
+ const cssArray = useVModel(props, 'modelValue', emit)
+ const inputValue = computed(() => {
+ const tempCss = []
+ for (const item1 in cssArray.value) {
+ tempCss.push(cssArray.value[item1][0])
+ }
+ return tempCss
+ })
+ return () => (
+ <>
+
+ {{
+ append: () => (
+
+ {{
+ default: () => (
+
+ {{
+ icon: () => ,
+ }}
+
+ ),
+ content: () => ,
+ }}
+
+ ),
+ }}
+
+ >
+ )
+ },
+})
diff --git a/packages/editor/src/views/home/components/home-right/components/attribute-panel/components/form-render/components/form-item-list/components/IndefiniteNumberCheckBoxes/index.module.scss b/packages/editor/src/views/home/components/home-right/components/attribute-panel/components/form-render/components/form-item-list/components/IndefiniteNumberCheckBoxes/index.module.scss
new file mode 100644
index 0000000..5d30f97
--- /dev/null
+++ b/packages/editor/src/views/home/components/home-right/components/attribute-panel/components/form-render/components/form-item-list/components/IndefiniteNumberCheckBoxes/index.module.scss
@@ -0,0 +1,56 @@
+.indefiniteNumberCheckBoxes {
+ &__popover {
+ @apply p-0;
+ :global(.arco-popover-content) {
+ @apply mt-0;
+ width: 100px;
+ :global(.el-button + .el-button) {
+ @apply ml-0;
+ }
+ }
+ }
+ &__handle {
+ cursor: move;
+ cursor: -webkit-grabbing;
+ width: 30px;
+
+ margin-right: 12px;
+ @apply flex;
+ }
+ &__checkBoxes {
+ :global(.el-checkbox) {
+ margin-right: 10px;
+ }
+ }
+ &__inputGroup {
+ @apply flex content-between w-full;
+ margin: 12px 0;
+ &__input {
+ margin-right: 12px;
+ }
+ }
+
+ &__buttonGroup {
+ @apply flex content-around w-full;
+ }
+
+ &__gap {
+ margin-top: 10px;
+
+ &:first-child {
+ @apply mt-0;
+ }
+ }
+ &__dragableDiv {
+ width: 100%;
+ }
+ &__editBox {
+ @apply flex justify-between flex-nowrap;
+ @apply bg-gray-200;
+ padding: 5px;
+ margin: 10px 5px;
+ :global(.el-form-item) {
+ margin: 10px 0px;
+ }
+ }
+}
diff --git a/packages/editor/src/views/home/components/home-right/components/attribute-panel/components/form-render/components/form-item-list/components/IndefiniteNumberCheckBoxes/index.tsx b/packages/editor/src/views/home/components/home-right/components/attribute-panel/components/form-render/components/form-item-list/components/IndefiniteNumberCheckBoxes/index.tsx
new file mode 100644
index 0000000..7969604
--- /dev/null
+++ b/packages/editor/src/views/home/components/home-right/components/attribute-panel/components/form-render/components/form-item-list/components/IndefiniteNumberCheckBoxes/index.tsx
@@ -0,0 +1,150 @@
+import { ElButton, ElCheckbox, ElForm, ElFormItem, ElInput } from 'element-plus'
+import { Popover } from '@arco-design/web-vue'
+import Draggable from 'vuedraggable'
+import { CloseBold, MoreFilled, Rank } from '@element-plus/icons-vue'
+import $style from './index.module.scss'
+import type { PropType } from 'vue'
+import $popoverStyle from '@/assets/style/popover.module.scss'
+export default defineComponent({
+ name: 'IndefiniteNumberCheckBoxes',
+ props: {
+ modelValue: {
+ required: true,
+ type: Array as PropType,
+ },
+ },
+ emits: ['update:modelValue'],
+
+ setup(props, { emit }) {
+ const checkList = useVModel(props, 'modelValue', emit)
+ const deleteItem = (index: number) => checkList.value.splice(index, 1)
+ const addItem = () =>
+ checkList.value.push({ name: '', value: '', checked: false, isEdit: false })
+ const changeCallback = (index: number) => {
+ checkList.value[index].checked = !checkList.value[index].checked
+ }
+ const editChangeCallback = (el: any) => {
+ el.isEdit = !el.isEdit
+ }
+ const propObj = {
+ handle: '.handle',
+ animation: 200,
+ }
+ return () => (
+ <>
+
+ {{
+ item: ({ element, index }: any) => (
+
+
+
+
+
+
{
+ changeCallback(index)
+ }}
+ >
+
+
+ {{
+ default: () => (
+
+ {{
+ icon: () => ,
+ }}
+
+ ),
+ content: () => {
+ return !element.isEdit ? (
+
+ {
+ editChangeCallback(element)
+ }}
+ >
+ 编辑
+
+
+ {
+ deleteItem(index)
+ }}
+ >
+ 删除
+
+
+ ) : (
+ ''
+ )
+ },
+ }}
+
+
+ {element.isEdit && (
+
+
+
+
+
+
+
+
+
+
+
+
+ {
+ editChangeCallback(element)
+ }}
+ />
+
+
+ )}
+
+ ),
+ }}
+
+
+
+ 添加选项
+
+ 批量增加
+
+ >
+ )
+ },
+})
diff --git a/packages/editor/src/views/home/components/home-right/components/attribute-panel/components/form-render/components/form-item-list/components/IndefiniteNumberInputBox/index.module.scss b/packages/editor/src/views/home/components/home-right/components/attribute-panel/components/form-render/components/form-item-list/components/IndefiniteNumberInputBox/index.module.scss
new file mode 100644
index 0000000..910ec3a
--- /dev/null
+++ b/packages/editor/src/views/home/components/home-right/components/attribute-panel/components/form-render/components/form-item-list/components/IndefiniteNumberInputBox/index.module.scss
@@ -0,0 +1,30 @@
+.indefiniteNumberInput {
+ &__popover {
+ @apply p-0;
+ :global(.arco-popover-content) {
+ @apply mt-0;
+ width: 100px;
+ :global(.el-button + .el-button) {
+ @apply ml-0;
+ }
+ }
+ }
+ &__inputGroup {
+ @apply flex content-between w-full;
+ &__input {
+ margin-right: 12px;
+ }
+ }
+
+ &__buttonGroup {
+ @apply flex content-around w-full;
+ }
+
+ &__gap {
+ margin-top: 10px;
+
+ &:first-child {
+ @apply mt-0;
+ }
+ }
+}
diff --git a/packages/editor/src/views/home/components/home-right/components/attribute-panel/components/form-render/components/form-item-list/components/IndefiniteNumberInputBox/index.tsx b/packages/editor/src/views/home/components/home-right/components/attribute-panel/components/form-render/components/form-item-list/components/IndefiniteNumberInputBox/index.tsx
new file mode 100644
index 0000000..ebf7e10
--- /dev/null
+++ b/packages/editor/src/views/home/components/home-right/components/attribute-panel/components/form-render/components/form-item-list/components/IndefiniteNumberInputBox/index.tsx
@@ -0,0 +1,88 @@
+import { ElButton, ElInput } from 'element-plus'
+import { Popover } from '@arco-design/web-vue'
+import { MoreFilled } from '@element-plus/icons-vue'
+import $style from './index.module.scss'
+import type { PropType } from 'vue'
+import $popoverStyle from '@/assets/style/popover.module.scss'
+
+/**
+ * 这个组件可以改成vue实现试一下
+ */
+export default defineComponent({
+ name: 'IndefiniteNumberInputBox',
+ props: {
+ modelValue: {
+ required: true,
+ type: Array as PropType,
+ },
+ },
+ emits: ['update:modelValue'],
+ /**
+ * TODO: 批量添加、编辑、上下拖动换顺序 还没有实现
+ */
+ setup(props, { emit }) {
+ const list = useVModel(props, 'modelValue', emit)
+ const currentPopoverShowIndex = ref(-1)
+ const popoverShow = computed(() => {
+ return (index: number) => index === currentPopoverShowIndex.value
+ })
+ function addInput() {
+ list.value.push('')
+ }
+ function deleteInput(index: number) {
+ return () => {
+ list.value.splice(index, 1)
+ currentPopoverShowIndex.value = -1
+ }
+ }
+ return () => (
+ <>
+ {list.value.map((val, index) => (
+
+ ))}
+
+
+ 添加选项
+
+ 批量增加
+
+ >
+ )
+ },
+})
diff --git a/packages/editor/src/views/home/components/home-right/components/attribute-panel/components/form-render/components/form-item-list/components/Stepper/index.module.scss b/packages/editor/src/views/home/components/home-right/components/attribute-panel/components/form-render/components/form-item-list/components/Stepper/index.module.scss
new file mode 100644
index 0000000..48978b8
--- /dev/null
+++ b/packages/editor/src/views/home/components/home-right/components/attribute-panel/components/form-render/components/form-item-list/components/Stepper/index.module.scss
@@ -0,0 +1,8 @@
+.stepper {
+ &__inputGroup {
+ @apply flex content-between w-full;
+ &__input {
+ margin: 0 20px;
+ }
+ }
+}
diff --git a/packages/editor/src/views/home/components/home-right/components/attribute-panel/components/form-render/components/form-item-list/components/Stepper/index.tsx b/packages/editor/src/views/home/components/home-right/components/attribute-panel/components/form-render/components/form-item-list/components/Stepper/index.tsx
new file mode 100644
index 0000000..7384199
--- /dev/null
+++ b/packages/editor/src/views/home/components/home-right/components/attribute-panel/components/form-render/components/form-item-list/components/Stepper/index.tsx
@@ -0,0 +1,40 @@
+import { ElButton, ElInput } from 'element-plus'
+import $style from './index.module.scss'
+import type { PropType } from 'vue'
+export default defineComponent({
+ name: 'Stepper',
+ props: {
+ modelValue: {
+ required: false,
+ type: String as PropType,
+ },
+ },
+ emits: ['update:modelValue'],
+
+ setup(props, { emit }) {
+ const tipsVal = useVModel(props, 'modelValue', emit)
+ const increase = () => {
+ if (tipsVal.value == undefined) {
+ tipsVal.value = '1'
+ } else {
+ tipsVal.value = (Number.parseInt(tipsVal.value) + 1).toString()
+ }
+ }
+ const decrease = () => {
+ if (tipsVal.value == undefined) {
+ tipsVal.value = '1'
+ } else {
+ tipsVal.value = (Number.parseInt(tipsVal.value) - 1).toString()
+ }
+ }
+ return () => (
+ <>
+
+ -
+
+ +
+
+ >
+ )
+ },
+})
diff --git a/packages/editor/src/views/home/components/home-right/components/attribute-panel/components/form-render/components/form-item-list/components/SwitchWithSlots.tsx b/packages/editor/src/views/home/components/home-right/components/attribute-panel/components/form-render/components/form-item-list/components/SwitchWithSlots.tsx
new file mode 100644
index 0000000..8090593
--- /dev/null
+++ b/packages/editor/src/views/home/components/home-right/components/attribute-panel/components/form-render/components/form-item-list/components/SwitchWithSlots.tsx
@@ -0,0 +1,30 @@
+import { ref, watch } from 'vue'
+import { ElInput, ElSwitch } from 'element-plus'
+import type { PropType } from 'vue'
+export const SwitchWithSlots = defineComponent({
+ name: 'SwitchWithSlots',
+ props: {
+ modelValue: {
+ required: false,
+ type: String as PropType,
+ },
+ },
+ emits: ['update:modelValue'],
+
+ setup(props, { emit }) {
+ const tipsVal = useVModel(props, 'modelValue', emit)
+ const isShow = ref(tipsVal == undefined ? true : false)
+ //关闭重置tipsVal
+ watch(isShow, (val) => val && (tipsVal.value = ''))
+ return () => (
+ <>
+
+
+ >
+ )
+ },
+})
diff --git a/packages/editor/src/views/home/components/home-right/components/attribute-panel/components/form-render/components/form-item-list/index.tsx b/packages/editor/src/views/home/components/home-right/components/attribute-panel/components/form-render/components/form-item-list/index.tsx
new file mode 100644
index 0000000..25ebc63
--- /dev/null
+++ b/packages/editor/src/views/home/components/home-right/components/attribute-panel/components/form-render/components/form-item-list/index.tsx
@@ -0,0 +1,110 @@
+import { ElFormItem, ElInput, ElOption, ElSelect, ElSlider, ElSwitch } from 'element-plus'
+import type { CSSProperties } from 'vue'
+import type { LibraryComponentInstanceProps, SelectOption } from '@/types/library-component'
+import type { AttributePanelFormItemSchema } from '@/types/panel'
+import { AttributePanelFormItemInputTypeEnum } from '@/types/panel'
+import IndefiniteNumberInputBox from '@/views/home/components/home-right/components/attribute-panel/components/form-render/components/form-item-list/components/IndefiniteNumberInputBox'
+import Stepper from '@/views/home/components/home-right/components/attribute-panel/components/form-render/components/form-item-list/components/Stepper'
+import { SwitchWithSlots } from '@/views/home/components/home-right/components/attribute-panel/components/form-render/components/form-item-list/components/SwitchWithSlots'
+import { LibraryComponentFormItemLabelPositionEnum } from '@/types/library-component'
+import IndefiniteNumberCheckBoxes from '@/views/home/components/home-right/components/attribute-panel/components/form-render/components/form-item-list/components/IndefiniteNumberCheckBoxes'
+import CssPropertyInput from '@/views/home/components/home-right/components/attribute-panel/components/form-render/components/form-item-list/components/CssPropertyInput'
+
+const formItemChildRender = (
+ //根据prop名称渲染组件
+ propsData: LibraryComponentInstanceProps,
+ formItemSchema: AttributePanelFormItemSchema
+) => {
+ //input
+ if (formItemSchema.formType === AttributePanelFormItemInputTypeEnum.input) {
+ return
+ }
+ //indefiniteNumberInputBox
+ if (formItemSchema.formType === AttributePanelFormItemInputTypeEnum.indefiniteNumberInputBox) {
+ const list = propsData[formItemSchema.name]
+ if (!Array.isArray(list))
+ throw new TypeError(
+ 'invalid Data at AttributePanelFormItemInputTypeEnum.indefiniteNumberInputBox'
+ )
+ return (
+ {
+ if (!Array.isArray(list))
+ throw new TypeError(
+ 'invalid Data at AttributePanelFormItemInputTypeEnum.indefiniteNumberInputBox'
+ )
+ list.splice(0, list.length, ...e)
+ }}
+ />
+ )
+ }
+ //IndefiniteNumberCheckBoxes
+ if (formItemSchema.formType === AttributePanelFormItemInputTypeEnum.indefiniteNumberCheckBoxes) {
+ const checkList = propsData[formItemSchema.name] as any
+ return
+ }
+ //CssPropertyInput
+ if (formItemSchema.formType === AttributePanelFormItemInputTypeEnum.cssPropertyInput) {
+ const cssArr = propsData[formItemSchema.name] as any
+ return
+ }
+ //switch
+ if (formItemSchema.formType === AttributePanelFormItemInputTypeEnum.switch) {
+ return (
+ <>
+
+ >
+ )
+ }
+ //select
+ if (formItemSchema.formType === AttributePanelFormItemInputTypeEnum.select) {
+ return (
+ <>
+
+ {formItemSchema.selectOptions?.map((item: SelectOption) => (
+
+ ))}
+
+ >
+ )
+ }
+ //switchWithSlots
+ if (formItemSchema.formType === AttributePanelFormItemInputTypeEnum.switchWithSlots) {
+ return
+ }
+ //slider
+ if (formItemSchema.formType === AttributePanelFormItemInputTypeEnum.slider) {
+ return
+ }
+ //colorPicker
+ if (formItemSchema.formType === AttributePanelFormItemInputTypeEnum.colorPicker) {
+ return
+ }
+ //stepper
+ if (formItemSchema.formType === AttributePanelFormItemInputTypeEnum.stepper) {
+ return
+ }
+ return undefined
+}
+
+export default (
+ propsData: LibraryComponentInstanceProps,
+ cursorPropsArray: AttributePanelFormItemSchema[]
+) => {
+ return cursorPropsArray.map((propItem) => {
+ const style = {} as CSSProperties
+ if (propItem.labelPosition === LibraryComponentFormItemLabelPositionEnum.top) {
+ style['display'] = 'block'
+ }
+ if (!propItem.isNotShowRight) {
+ return (
+
+ {formItemChildRender(propsData, propItem)}
+
+ )
+ } else {
+ return undefined
+ }
+ })
+}
diff --git a/packages/editor/src/views/home/components/home-right/components/attribute-panel/components/form-render/index.tsx b/packages/editor/src/views/home/components/home-right/components/attribute-panel/components/form-render/index.tsx
new file mode 100644
index 0000000..3212789
--- /dev/null
+++ b/packages/editor/src/views/home/components/home-right/components/attribute-panel/components/form-render/index.tsx
@@ -0,0 +1,45 @@
+import { ElForm } from 'element-plus'
+import type {
+ LibraryComponentInstanceProps,
+ LibraryComponentProps,
+} from '@/types/library-component'
+import type { AttributePanelFormItemSchema, AttributePanelsEnum } from '@/types/panel'
+import FormItemList from '@/views/home/components/home-right/components/attribute-panel/components/form-render/components/form-item-list'
+
+/**
+ *渲染表单
+ * @param propsSchema
+ * @param propsData
+ * @param cursorPanel
+ * @param withElFormWrapper 返回是否包裹 ElForm
+ */
+export default function formRender(
+ propsData: LibraryComponentInstanceProps,
+ cursorPanel: AttributePanelsEnum,
+ propsSchema: LibraryComponentProps | undefined,
+ withElFormWrapper = true
+) {
+ if (!propsSchema) return undefined
+
+ const $style = useCssModule()
+
+ const cursorPropsArray = Object.entries(propsSchema)
+ .filter((e) => e[1].belongToPanel === cursorPanel)
+ .reduce((previousValue, currentValue) => {
+ previousValue.push({
+ ...currentValue[1],
+ name: currentValue[0],
+ })
+ return previousValue
+ }, [] as AttributePanelFormItemSchema[])
+
+ if (withElFormWrapper)
+ return (
+ <>
+
+ {FormItemList(propsData, cursorPropsArray)}
+
+ >
+ )
+ else return <>{FormItemList(propsData, cursorPropsArray)}>
+}
diff --git a/packages/editor/src/views/home/components/home-right/components/attribute-panel/components/generic-tab-pane.vue b/packages/editor/src/views/home/components/home-right/components/attribute-panel/components/generic-tab-pane.vue
new file mode 100644
index 0000000..6276b8f
--- /dev/null
+++ b/packages/editor/src/views/home/components/home-right/components/attribute-panel/components/generic-tab-pane.vue
@@ -0,0 +1,60 @@
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/packages/editor/src/views/home/components/home-right/components/attribute-panel/config.ts b/packages/editor/src/views/home/components/home-right/components/attribute-panel/config.ts
new file mode 100644
index 0000000..d106986
--- /dev/null
+++ b/packages/editor/src/views/home/components/home-right/components/attribute-panel/config.ts
@@ -0,0 +1,41 @@
+import EventTab from './components/event-tab-pane/index.vue'
+import GenericTabPane from './components/generic-tab-pane.vue'
+import AppearanceTabPane from './components/appearance-tab-pane.vue'
+import type { DefineComponent } from '@/types/library-component'
+import { AttributePanelsEnum } from '@/types/panel'
+
+/**
+ * 单个子tab配置
+ */
+interface AttributePanelTabConfig {
+ /**
+ * 显示的文字
+ */
+ title: string
+ /**
+ * 唯一标识符
+ */
+ name: AttributePanelsEnum
+ /**
+ * 自定义组件
+ */
+ component?: DefineComponent
+}
+
+export const panelList: AttributePanelTabConfig[] = [
+ {
+ title: '常规',
+ name: AttributePanelsEnum.generic,
+ component: GenericTabPane,
+ },
+ {
+ title: '外观',
+ name: AttributePanelsEnum.appearance,
+ component: AppearanceTabPane,
+ },
+ {
+ title: '事件',
+ name: AttributePanelsEnum.event,
+ component: EventTab,
+ },
+]
diff --git a/packages/editor/src/views/home/components/home-right/components/attribute-panel/index.vue b/packages/editor/src/views/home/components/home-right/components/attribute-panel/index.vue
new file mode 100644
index 0000000..e306d29
--- /dev/null
+++ b/packages/editor/src/views/home/components/home-right/components/attribute-panel/index.vue
@@ -0,0 +1,112 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/packages/editor/src/views/home/components/home-right/components/attribute-panel/util.ts b/packages/editor/src/views/home/components/home-right/components/attribute-panel/util.ts
new file mode 100644
index 0000000..30ea5cd
--- /dev/null
+++ b/packages/editor/src/views/home/components/home-right/components/attribute-panel/util.ts
@@ -0,0 +1,28 @@
+import type { PropType } from 'vue'
+import type { AttributePanelsEnum } from '@/types/panel'
+import type { LibraryComponent, LibraryComponentInstanceData } from '@/types/library-component'
+
+/**
+ * 快速生成自定义属性tab的props对象
+ */
+export function createCustomAttributeTabProps() {
+ return {
+ componentInstanceData: {
+ type: Object as PropType,
+ },
+ componentSchema: {
+ type: Object as PropType,
+ },
+ cursorPanel: {
+ type: String as PropType,
+ required: true,
+ },
+ }
+}
+
+/**
+ * 快速生成自定义属性tab的emits
+ */
+export function createCustomAttributeTabEmits() {
+ return ['update:componentInstanceData']
+}
diff --git a/packages/editor/src/views/home/components/home-right/index.vue b/packages/editor/src/views/home/components/home-right/index.vue
new file mode 100644
index 0000000..6c2be06
--- /dev/null
+++ b/packages/editor/src/views/home/components/home-right/index.vue
@@ -0,0 +1,46 @@
+
+
+
+
+
+
+
diff --git a/packages/editor/src/views/home/index.scss b/packages/editor/src/views/home/index.scss
new file mode 100644
index 0000000..6a7c564
--- /dev/null
+++ b/packages/editor/src/views/home/index.scss
@@ -0,0 +1,15 @@
+@use 'src/assets/style/global.scss' as *;
+
+@mixin panelLeftAndRight {
+ // 防止未悬浮情况下元素塌陷
+ @apply fixed z-10;
+ height: calc(100vh - var(--style-header-height));
+ top: var(--style-header-height);
+}
+
+.panel-wrapper {
+ @apply flex;
+ width: $panelDefaultWidth;
+ min-width: 20vw;
+ max-width: calc(var(--body-width) / 2 - var(--edit-panel-width) / 2 - var(--blank-min-width));
+}
diff --git a/packages/editor/src/views/home/index.vue b/packages/editor/src/views/home/index.vue
new file mode 100644
index 0000000..d3ee81d
--- /dev/null
+++ b/packages/editor/src/views/home/index.vue
@@ -0,0 +1,130 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/tailwind.config.js b/packages/editor/tailwind.config.js
similarity index 50%
rename from tailwind.config.js
rename to packages/editor/tailwind.config.js
index 7d5d9e1..b41eef2 100644
--- a/tailwind.config.js
+++ b/packages/editor/tailwind.config.js
@@ -1,8 +1,11 @@
/** @type {import('tailwindcss').Config} */
module.exports = {
- content: [],
+ content: ['./index.html', './src/**/*.{vue,js,ts,jsx,tsx}'],
theme: {
extend: {},
},
plugins: [],
-};
+ corePlugins: {
+ preflight: false,
+ },
+}
diff --git a/packages/editor/tsconfig.config.json b/packages/editor/tsconfig.config.json
new file mode 100644
index 0000000..a6ee6d8
--- /dev/null
+++ b/packages/editor/tsconfig.config.json
@@ -0,0 +1,9 @@
+{
+ "extends": "@vue/tsconfig/tsconfig.node.json",
+ "include": ["**/vite.config.*", "**/vitest.config.*", "**/cypress.config.*", "config/**/*"],
+ "compilerOptions": {
+ "composite": true,
+ "types": ["node"],
+ "skipLibCheck": true
+ }
+}
diff --git a/packages/editor/tsconfig.json b/packages/editor/tsconfig.json
new file mode 100644
index 0000000..9e8040b
--- /dev/null
+++ b/packages/editor/tsconfig.json
@@ -0,0 +1,18 @@
+{
+ "extends": "@vue/tsconfig/tsconfig.web.json",
+ "include": ["src/**/*", "src/**/*.vue", "types/*"],
+ "compilerOptions": {
+ "baseUrl": ".",
+ "paths": {
+ "@/*": ["./src/*"]
+ },
+ "types": ["unplugin-vue-macros/macros-global", "unplugin-icons/types/vue"],
+ "skipLibCheck": true,
+ "importsNotUsedAsValues": "preserve"
+ },
+ "references": [
+ {
+ "path": "./tsconfig.config.json"
+ }
+ ]
+}
diff --git a/packages/editor/types/auto-imports.d.ts b/packages/editor/types/auto-imports.d.ts
new file mode 100644
index 0000000..64da952
--- /dev/null
+++ b/packages/editor/types/auto-imports.d.ts
@@ -0,0 +1,542 @@
+// Generated by 'unplugin-auto-import'
+export {}
+declare global {
+ const EffectScope: typeof import('vue')['EffectScope']
+ const ElMessage: typeof import('element-plus/es')['ElMessage']
+ const acceptHMRUpdate: typeof import('pinia')['acceptHMRUpdate']
+ const asyncComputed: typeof import('@vueuse/core')['asyncComputed']
+ const autoResetRef: typeof import('@vueuse/core')['autoResetRef']
+ const computed: typeof import('vue')['computed']
+ const computedAsync: typeof import('@vueuse/core')['computedAsync']
+ const computedEager: typeof import('@vueuse/core')['computedEager']
+ const computedInject: typeof import('@vueuse/core')['computedInject']
+ const computedWithControl: typeof import('@vueuse/core')['computedWithControl']
+ const controlledComputed: typeof import('@vueuse/core')['controlledComputed']
+ const controlledRef: typeof import('@vueuse/core')['controlledRef']
+ const createApp: typeof import('vue')['createApp']
+ const createEventHook: typeof import('@vueuse/core')['createEventHook']
+ const createGlobalState: typeof import('@vueuse/core')['createGlobalState']
+ const createInjectionState: typeof import('@vueuse/core')['createInjectionState']
+ const createPinia: typeof import('pinia')['createPinia']
+ const createReactiveFn: typeof import('@vueuse/core')['createReactiveFn']
+ const createSharedComposable: typeof import('@vueuse/core')['createSharedComposable']
+ const createUnrefFn: typeof import('@vueuse/core')['createUnrefFn']
+ const customRef: typeof import('vue')['customRef']
+ const debouncedRef: typeof import('@vueuse/core')['debouncedRef']
+ const debouncedWatch: typeof import('@vueuse/core')['debouncedWatch']
+ const defineAsyncComponent: typeof import('vue')['defineAsyncComponent']
+ const defineComponent: typeof import('vue')['defineComponent']
+ const defineStore: typeof import('pinia')['defineStore']
+ const eagerComputed: typeof import('@vueuse/core')['eagerComputed']
+ const effectScope: typeof import('vue')['effectScope']
+ const extendRef: typeof import('@vueuse/core')['extendRef']
+ const getActivePinia: typeof import('pinia')['getActivePinia']
+ const getCurrentInstance: typeof import('vue')['getCurrentInstance']
+ const getCurrentScope: typeof import('vue')['getCurrentScope']
+ const h: typeof import('vue')['h']
+ const ignorableWatch: typeof import('@vueuse/core')['ignorableWatch']
+ const inject: typeof import('vue')['inject']
+ const isDefined: typeof import('@vueuse/core')['isDefined']
+ const isProxy: typeof import('vue')['isProxy']
+ const isReactive: typeof import('vue')['isReactive']
+ const isReadonly: typeof import('vue')['isReadonly']
+ const isRef: typeof import('vue')['isRef']
+ const makeDestructurable: typeof import('@vueuse/core')['makeDestructurable']
+ const mapActions: typeof import('pinia')['mapActions']
+ const mapGetters: typeof import('pinia')['mapGetters']
+ const mapState: typeof import('pinia')['mapState']
+ const mapStores: typeof import('pinia')['mapStores']
+ const mapWritableState: typeof import('pinia')['mapWritableState']
+ const markRaw: typeof import('vue')['markRaw']
+ const nextTick: typeof import('vue')['nextTick']
+ const onActivated: typeof import('vue')['onActivated']
+ const onBeforeMount: typeof import('vue')['onBeforeMount']
+ const onBeforeUnmount: typeof import('vue')['onBeforeUnmount']
+ const onBeforeUpdate: typeof import('vue')['onBeforeUpdate']
+ const onClickOutside: typeof import('@vueuse/core')['onClickOutside']
+ const onDeactivated: typeof import('vue')['onDeactivated']
+ const onErrorCaptured: typeof import('vue')['onErrorCaptured']
+ const onKeyStroke: typeof import('@vueuse/core')['onKeyStroke']
+ const onLongPress: typeof import('@vueuse/core')['onLongPress']
+ const onMounted: typeof import('vue')['onMounted']
+ const onRenderTracked: typeof import('vue')['onRenderTracked']
+ const onRenderTriggered: typeof import('vue')['onRenderTriggered']
+ const onScopeDispose: typeof import('vue')['onScopeDispose']
+ const onServerPrefetch: typeof import('vue')['onServerPrefetch']
+ const onStartTyping: typeof import('@vueuse/core')['onStartTyping']
+ const onUnmounted: typeof import('vue')['onUnmounted']
+ const onUpdated: typeof import('vue')['onUpdated']
+ const pausableWatch: typeof import('@vueuse/core')['pausableWatch']
+ const provide: typeof import('vue')['provide']
+ const reactify: typeof import('@vueuse/core')['reactify']
+ const reactifyObject: typeof import('@vueuse/core')['reactifyObject']
+ const reactive: typeof import('vue')['reactive']
+ const reactiveComputed: typeof import('@vueuse/core')['reactiveComputed']
+ const reactiveOmit: typeof import('@vueuse/core')['reactiveOmit']
+ const reactivePick: typeof import('@vueuse/core')['reactivePick']
+ const readonly: typeof import('vue')['readonly']
+ const ref: typeof import('vue')['ref']
+ const refAutoReset: typeof import('@vueuse/core')['refAutoReset']
+ const refDebounced: typeof import('@vueuse/core')['refDebounced']
+ const refDefault: typeof import('@vueuse/core')['refDefault']
+ const refThrottled: typeof import('@vueuse/core')['refThrottled']
+ const refWithControl: typeof import('@vueuse/core')['refWithControl']
+ const resolveComponent: typeof import('vue')['resolveComponent']
+ const resolveRef: typeof import('@vueuse/core')['resolveRef']
+ const resolveUnref: typeof import('@vueuse/core')['resolveUnref']
+ const setActivePinia: typeof import('pinia')['setActivePinia']
+ const setMapStoreSuffix: typeof import('pinia')['setMapStoreSuffix']
+ const shallowReactive: typeof import('vue')['shallowReactive']
+ const shallowReadonly: typeof import('vue')['shallowReadonly']
+ const shallowRef: typeof import('vue')['shallowRef']
+ const storeToRefs: typeof import('pinia')['storeToRefs']
+ const syncRef: typeof import('@vueuse/core')['syncRef']
+ const syncRefs: typeof import('@vueuse/core')['syncRefs']
+ const templateRef: typeof import('@vueuse/core')['templateRef']
+ const throttledRef: typeof import('@vueuse/core')['throttledRef']
+ const throttledWatch: typeof import('@vueuse/core')['throttledWatch']
+ const toRaw: typeof import('vue')['toRaw']
+ const toReactive: typeof import('@vueuse/core')['toReactive']
+ const toRef: typeof import('vue')['toRef']
+ const toRefs: typeof import('vue')['toRefs']
+ const triggerRef: typeof import('vue')['triggerRef']
+ const tryOnBeforeMount: typeof import('@vueuse/core')['tryOnBeforeMount']
+ const tryOnBeforeUnmount: typeof import('@vueuse/core')['tryOnBeforeUnmount']
+ const tryOnMounted: typeof import('@vueuse/core')['tryOnMounted']
+ const tryOnScopeDispose: typeof import('@vueuse/core')['tryOnScopeDispose']
+ const tryOnUnmounted: typeof import('@vueuse/core')['tryOnUnmounted']
+ const unref: typeof import('vue')['unref']
+ const unrefElement: typeof import('@vueuse/core')['unrefElement']
+ const until: typeof import('@vueuse/core')['until']
+ const useActiveElement: typeof import('@vueuse/core')['useActiveElement']
+ const useArrayEvery: typeof import('@vueuse/core')['useArrayEvery']
+ const useArrayFilter: typeof import('@vueuse/core')['useArrayFilter']
+ const useArrayFind: typeof import('@vueuse/core')['useArrayFind']
+ const useArrayFindIndex: typeof import('@vueuse/core')['useArrayFindIndex']
+ const useArrayJoin: typeof import('@vueuse/core')['useArrayJoin']
+ const useArrayMap: typeof import('@vueuse/core')['useArrayMap']
+ const useArrayReduce: typeof import('@vueuse/core')['useArrayReduce']
+ const useArraySome: typeof import('@vueuse/core')['useArraySome']
+ const useAsyncQueue: typeof import('@vueuse/core')['useAsyncQueue']
+ const useAsyncState: typeof import('@vueuse/core')['useAsyncState']
+ const useAttrs: typeof import('vue')['useAttrs']
+ const useBase64: typeof import('@vueuse/core')['useBase64']
+ const useBattery: typeof import('@vueuse/core')['useBattery']
+ const useBluetooth: typeof import('@vueuse/core')['useBluetooth']
+ const useBreakpoints: typeof import('@vueuse/core')['useBreakpoints']
+ const useBroadcastChannel: typeof import('@vueuse/core')['useBroadcastChannel']
+ const useBrowserLocation: typeof import('@vueuse/core')['useBrowserLocation']
+ const useCached: typeof import('@vueuse/core')['useCached']
+ const useClipboard: typeof import('@vueuse/core')['useClipboard']
+ const useColorMode: typeof import('@vueuse/core')['useColorMode']
+ const useConfirmDialog: typeof import('@vueuse/core')['useConfirmDialog']
+ const useCounter: typeof import('@vueuse/core')['useCounter']
+ const useCssModule: typeof import('vue')['useCssModule']
+ const useCssVar: typeof import('@vueuse/core')['useCssVar']
+ const useCssVars: typeof import('vue')['useCssVars']
+ const useCurrentElement: typeof import('@vueuse/core')['useCurrentElement']
+ const useCycleList: typeof import('@vueuse/core')['useCycleList']
+ const useDark: typeof import('@vueuse/core')['useDark']
+ const useDateFormat: typeof import('@vueuse/core')['useDateFormat']
+ const useDebounce: typeof import('@vueuse/core')['useDebounce']
+ const useDebounceFn: typeof import('@vueuse/core')['useDebounceFn']
+ const useDebouncedRefHistory: typeof import('@vueuse/core')['useDebouncedRefHistory']
+ const useDeviceMotion: typeof import('@vueuse/core')['useDeviceMotion']
+ const useDeviceOrientation: typeof import('@vueuse/core')['useDeviceOrientation']
+ const useDevicePixelRatio: typeof import('@vueuse/core')['useDevicePixelRatio']
+ const useDevicesList: typeof import('@vueuse/core')['useDevicesList']
+ const useDisplayMedia: typeof import('@vueuse/core')['useDisplayMedia']
+ const useDocumentVisibility: typeof import('@vueuse/core')['useDocumentVisibility']
+ const useDraggable: typeof import('@vueuse/core')['useDraggable']
+ const useDropZone: typeof import('@vueuse/core')['useDropZone']
+ const useElementBounding: typeof import('@vueuse/core')['useElementBounding']
+ const useElementByPoint: typeof import('@vueuse/core')['useElementByPoint']
+ const useElementHover: typeof import('@vueuse/core')['useElementHover']
+ const useElementSize: typeof import('@vueuse/core')['useElementSize']
+ const useElementVisibility: typeof import('@vueuse/core')['useElementVisibility']
+ const useEventBus: typeof import('@vueuse/core')['useEventBus']
+ const useEventListener: typeof import('@vueuse/core')['useEventListener']
+ const useEventSource: typeof import('@vueuse/core')['useEventSource']
+ const useEyeDropper: typeof import('@vueuse/core')['useEyeDropper']
+ const useFavicon: typeof import('@vueuse/core')['useFavicon']
+ const useFetch: typeof import('@vueuse/core')['useFetch']
+ const useFileDialog: typeof import('@vueuse/core')['useFileDialog']
+ const useFileSystemAccess: typeof import('@vueuse/core')['useFileSystemAccess']
+ const useFocus: typeof import('@vueuse/core')['useFocus']
+ const useFocusWithin: typeof import('@vueuse/core')['useFocusWithin']
+ const useFps: typeof import('@vueuse/core')['useFps']
+ const useFullscreen: typeof import('@vueuse/core')['useFullscreen']
+ const useGamepad: typeof import('@vueuse/core')['useGamepad']
+ const useGeolocation: typeof import('@vueuse/core')['useGeolocation']
+ const useIdle: typeof import('@vueuse/core')['useIdle']
+ const useImage: typeof import('@vueuse/core')['useImage']
+ const useInfiniteScroll: typeof import('@vueuse/core')['useInfiniteScroll']
+ const useIntersectionObserver: typeof import('@vueuse/core')['useIntersectionObserver']
+ const useInterval: typeof import('@vueuse/core')['useInterval']
+ const useIntervalFn: typeof import('@vueuse/core')['useIntervalFn']
+ const useKeyModifier: typeof import('@vueuse/core')['useKeyModifier']
+ const useLastChanged: typeof import('@vueuse/core')['useLastChanged']
+ const useLocalStorage: typeof import('@vueuse/core')['useLocalStorage']
+ const useMagicKeys: typeof import('@vueuse/core')['useMagicKeys']
+ const useManualRefHistory: typeof import('@vueuse/core')['useManualRefHistory']
+ const useMediaControls: typeof import('@vueuse/core')['useMediaControls']
+ const useMediaQuery: typeof import('@vueuse/core')['useMediaQuery']
+ const useMemoize: typeof import('@vueuse/core')['useMemoize']
+ const useMemory: typeof import('@vueuse/core')['useMemory']
+ const useMounted: typeof import('@vueuse/core')['useMounted']
+ const useMouse: typeof import('@vueuse/core')['useMouse']
+ const useMouseInElement: typeof import('@vueuse/core')['useMouseInElement']
+ const useMousePressed: typeof import('@vueuse/core')['useMousePressed']
+ const useMutationObserver: typeof import('@vueuse/core')['useMutationObserver']
+ const useNavigatorLanguage: typeof import('@vueuse/core')['useNavigatorLanguage']
+ const useNetwork: typeof import('@vueuse/core')['useNetwork']
+ const useNow: typeof import('@vueuse/core')['useNow']
+ const useObjectUrl: typeof import('@vueuse/core')['useObjectUrl']
+ const useOffsetPagination: typeof import('@vueuse/core')['useOffsetPagination']
+ const useOnline: typeof import('@vueuse/core')['useOnline']
+ const usePageLeave: typeof import('@vueuse/core')['usePageLeave']
+ const useParallax: typeof import('@vueuse/core')['useParallax']
+ const usePermission: typeof import('@vueuse/core')['usePermission']
+ const usePointer: typeof import('@vueuse/core')['usePointer']
+ const usePointerSwipe: typeof import('@vueuse/core')['usePointerSwipe']
+ const usePreferredColorScheme: typeof import('@vueuse/core')['usePreferredColorScheme']
+ const usePreferredDark: typeof import('@vueuse/core')['usePreferredDark']
+ const usePreferredLanguages: typeof import('@vueuse/core')['usePreferredLanguages']
+ const usePreferredReducedMotion: typeof import('@vueuse/core')['usePreferredReducedMotion']
+ const useRafFn: typeof import('@vueuse/core')['useRafFn']
+ const useRefHistory: typeof import('@vueuse/core')['useRefHistory']
+ const useResizeObserver: typeof import('@vueuse/core')['useResizeObserver']
+ const useScreenOrientation: typeof import('@vueuse/core')['useScreenOrientation']
+ const useScreenSafeArea: typeof import('@vueuse/core')['useScreenSafeArea']
+ const useScriptTag: typeof import('@vueuse/core')['useScriptTag']
+ const useScroll: typeof import('@vueuse/core')['useScroll']
+ const useScrollLock: typeof import('@vueuse/core')['useScrollLock']
+ const useSessionStorage: typeof import('@vueuse/core')['useSessionStorage']
+ const useShare: typeof import('@vueuse/core')['useShare']
+ const useSlots: typeof import('vue')['useSlots']
+ const useSpeechRecognition: typeof import('@vueuse/core')['useSpeechRecognition']
+ const useSpeechSynthesis: typeof import('@vueuse/core')['useSpeechSynthesis']
+ const useStepper: typeof import('@vueuse/core')['useStepper']
+ const useStorage: typeof import('@vueuse/core')['useStorage']
+ const useStorageAsync: typeof import('@vueuse/core')['useStorageAsync']
+ const useStyleTag: typeof import('@vueuse/core')['useStyleTag']
+ const useSupported: typeof import('@vueuse/core')['useSupported']
+ const useSwipe: typeof import('@vueuse/core')['useSwipe']
+ const useTemplateRefsList: typeof import('@vueuse/core')['useTemplateRefsList']
+ const useTextDirection: typeof import('@vueuse/core')['useTextDirection']
+ const useTextSelection: typeof import('@vueuse/core')['useTextSelection']
+ const useTextareaAutosize: typeof import('@vueuse/core')['useTextareaAutosize']
+ const useThrottle: typeof import('@vueuse/core')['useThrottle']
+ const useThrottleFn: typeof import('@vueuse/core')['useThrottleFn']
+ const useThrottledRefHistory: typeof import('@vueuse/core')['useThrottledRefHistory']
+ const useTimeAgo: typeof import('@vueuse/core')['useTimeAgo']
+ const useTimeout: typeof import('@vueuse/core')['useTimeout']
+ const useTimeoutFn: typeof import('@vueuse/core')['useTimeoutFn']
+ const useTimeoutPoll: typeof import('@vueuse/core')['useTimeoutPoll']
+ const useTimestamp: typeof import('@vueuse/core')['useTimestamp']
+ const useTitle: typeof import('@vueuse/core')['useTitle']
+ const useToNumber: typeof import('@vueuse/core')['useToNumber']
+ const useToString: typeof import('@vueuse/core')['useToString']
+ const useToggle: typeof import('@vueuse/core')['useToggle']
+ const useTransition: typeof import('@vueuse/core')['useTransition']
+ const useUrlSearchParams: typeof import('@vueuse/core')['useUrlSearchParams']
+ const useUserMedia: typeof import('@vueuse/core')['useUserMedia']
+ const useVModel: typeof import('@vueuse/core')['useVModel']
+ const useVModels: typeof import('@vueuse/core')['useVModels']
+ const useVibrate: typeof import('@vueuse/core')['useVibrate']
+ const useVirtualList: typeof import('@vueuse/core')['useVirtualList']
+ const useWakeLock: typeof import('@vueuse/core')['useWakeLock']
+ const useWebNotification: typeof import('@vueuse/core')['useWebNotification']
+ const useWebSocket: typeof import('@vueuse/core')['useWebSocket']
+ const useWebWorker: typeof import('@vueuse/core')['useWebWorker']
+ const useWebWorkerFn: typeof import('@vueuse/core')['useWebWorkerFn']
+ const useWindowFocus: typeof import('@vueuse/core')['useWindowFocus']
+ const useWindowScroll: typeof import('@vueuse/core')['useWindowScroll']
+ const useWindowSize: typeof import('@vueuse/core')['useWindowSize']
+ const watch: typeof import('vue')['watch']
+ const watchArray: typeof import('@vueuse/core')['watchArray']
+ const watchAtMost: typeof import('@vueuse/core')['watchAtMost']
+ const watchDebounced: typeof import('@vueuse/core')['watchDebounced']
+ const watchEffect: typeof import('vue')['watchEffect']
+ const watchIgnorable: typeof import('@vueuse/core')['watchIgnorable']
+ const watchOnce: typeof import('@vueuse/core')['watchOnce']
+ const watchPausable: typeof import('@vueuse/core')['watchPausable']
+ const watchPostEffect: typeof import('vue')['watchPostEffect']
+ const watchSyncEffect: typeof import('vue')['watchSyncEffect']
+ const watchThrottled: typeof import('@vueuse/core')['watchThrottled']
+ const watchTriggerable: typeof import('@vueuse/core')['watchTriggerable']
+ const watchWithFilter: typeof import('@vueuse/core')['watchWithFilter']
+ const whenever: typeof import('@vueuse/core')['whenever']
+}
+// for vue template auto import
+import { UnwrapRef } from 'vue'
+declare module '@vue/runtime-core' {
+ interface ComponentCustomProperties {
+ readonly EffectScope: UnwrapRef
+ readonly ElMessage: UnwrapRef
+ readonly acceptHMRUpdate: UnwrapRef
+ readonly asyncComputed: UnwrapRef
+ readonly autoResetRef: UnwrapRef
+ readonly computed: UnwrapRef
+ readonly computedAsync: UnwrapRef
+ readonly computedEager: UnwrapRef
+ readonly computedInject: UnwrapRef
+ readonly computedWithControl: UnwrapRef
+ readonly controlledComputed: UnwrapRef
+ readonly controlledRef: UnwrapRef
+ readonly createApp: UnwrapRef
+ readonly createEventHook: UnwrapRef
+ readonly createGlobalState: UnwrapRef
+ readonly createInjectionState: UnwrapRef
+ readonly createPinia: UnwrapRef
+ readonly createReactiveFn: UnwrapRef
+ readonly createSharedComposable: UnwrapRef
+ readonly createUnrefFn: UnwrapRef
+ readonly customRef: UnwrapRef
+ readonly debouncedRef: UnwrapRef
+ readonly debouncedWatch: UnwrapRef
+ readonly defineAsyncComponent: UnwrapRef
+ readonly defineComponent: UnwrapRef
+ readonly defineStore: UnwrapRef
+ readonly eagerComputed: UnwrapRef
+ readonly effectScope: UnwrapRef
+ readonly extendRef: UnwrapRef
+ readonly getActivePinia: UnwrapRef
+ readonly getCurrentInstance: UnwrapRef
+ readonly getCurrentScope: UnwrapRef
+ readonly h: UnwrapRef
+ readonly ignorableWatch: UnwrapRef
+ readonly inject: UnwrapRef
+ readonly isDefined: UnwrapRef
+ readonly isProxy: UnwrapRef
+ readonly isReactive: UnwrapRef
+ readonly isReadonly: UnwrapRef
+ readonly isRef: UnwrapRef
+ readonly makeDestructurable: UnwrapRef
+ readonly mapActions: UnwrapRef
+ readonly mapGetters: UnwrapRef
+ readonly mapState: UnwrapRef
+ readonly mapStores: UnwrapRef
+ readonly mapWritableState: UnwrapRef
+ readonly markRaw: UnwrapRef
+ readonly nextTick: UnwrapRef
+ readonly onActivated: UnwrapRef
+ readonly onBeforeMount: UnwrapRef
+ readonly onBeforeUnmount: UnwrapRef
+ readonly onBeforeUpdate: UnwrapRef
+ readonly onClickOutside: UnwrapRef
+ readonly onDeactivated: UnwrapRef
+ readonly onErrorCaptured: UnwrapRef
+ readonly onKeyStroke: UnwrapRef
+ readonly onLongPress: UnwrapRef
+ readonly onMounted: UnwrapRef
+ readonly onRenderTracked: UnwrapRef
+ readonly onRenderTriggered: UnwrapRef
+ readonly onScopeDispose: UnwrapRef
+ readonly onServerPrefetch: UnwrapRef
+ readonly onStartTyping: UnwrapRef
+ readonly onUnmounted: UnwrapRef
+ readonly onUpdated: UnwrapRef
+ readonly pausableWatch: UnwrapRef
+ readonly provide: UnwrapRef
+ readonly reactify: UnwrapRef
+ readonly reactifyObject: UnwrapRef
+ readonly reactive: UnwrapRef
+ readonly reactiveComputed: UnwrapRef
+ readonly reactiveOmit: UnwrapRef
+ readonly reactivePick: UnwrapRef
+ readonly readonly: UnwrapRef
+ readonly ref: UnwrapRef
+ readonly refAutoReset: UnwrapRef
+ readonly refDebounced: UnwrapRef
+ readonly refDefault: UnwrapRef
+ readonly refThrottled: UnwrapRef
+ readonly refWithControl: UnwrapRef
+ readonly resolveComponent: UnwrapRef
+ readonly resolveRef: UnwrapRef
+ readonly resolveUnref: UnwrapRef
+ readonly setActivePinia: UnwrapRef
+ readonly setMapStoreSuffix: UnwrapRef
+ readonly shallowReactive: UnwrapRef
+ readonly shallowReadonly: UnwrapRef
+ readonly shallowRef: UnwrapRef
+ readonly storeToRefs: UnwrapRef
+ readonly syncRef: UnwrapRef
+ readonly syncRefs: UnwrapRef
+ readonly templateRef: UnwrapRef
+ readonly throttledRef: UnwrapRef
+ readonly throttledWatch: UnwrapRef
+ readonly toRaw: UnwrapRef
+ readonly toReactive: UnwrapRef
+ readonly toRef: UnwrapRef
+ readonly toRefs: UnwrapRef
+ readonly triggerRef: UnwrapRef
+ readonly tryOnBeforeMount: UnwrapRef
+ readonly tryOnBeforeUnmount: UnwrapRef
+ readonly tryOnMounted: UnwrapRef
+ readonly tryOnScopeDispose: UnwrapRef
+ readonly tryOnUnmounted: UnwrapRef
+ readonly unref: UnwrapRef
+ readonly unrefElement: UnwrapRef
+ readonly until: UnwrapRef
+ readonly useActiveElement: UnwrapRef
+ readonly useArrayEvery: UnwrapRef
+ readonly useArrayFilter: UnwrapRef